diff --git a/.gitignore b/.gitignore index e672524..3b5c2d8 100644 --- a/.gitignore +++ b/.gitignore @@ -168,3 +168,8 @@ $RECYCLE.BIN/ # .nfs files are created when an open file is removed but is still being accessed .nfs* + +#pycache files ignored +project-chatbot/code/__pycache__/* + +**/.DS_Store diff --git a/BPS_chatbot_with_ui/README.md b/BPS_chatbot_with_ui/README.md new file mode 100644 index 0000000..dcc1034 --- /dev/null +++ b/BPS_chatbot_with_ui/README.md @@ -0,0 +1,129 @@ +# Alternate Chatbot Implementation + +This is an alternate implementation of a chatbot UI with different capabilities. + +1. User Authentication via Chainlit:
+User Permissions: Access restricted to retrieving policy documents.
+Admin Permissions: Additional capabilities: + + - Retrieve policy documents. + - Reindex the vector store. + - Upload new document(s) to the vector store. + - Remove specific document(s) from the vector store. + +3. Chatbot Interface: + - Fully functional and user-friendly interface designed in-house. + +4. Project Structure Improvements: + - Modular and reusable functions for better code maintainability. + - Clear and descriptive class naming conventions. + +5. ChatGPT API Integration: + - Enhanced performance through advanced prompt engineering + +## **Setup and Installation** + +1. **Clone the Repository**: + ```bash + git clone + cd + ``` + +2. **Install Requirements**: + ```bash + pip install -r requirements.txt + ``` + +3. **Environment Variables**: + - Replace the "OPENAI_API_KEY" and "CHAINLIT_AUTH_SECRET" in .env + - You can generate CHAINLIT_AUTH_SECRET using: + ```bash + chainlit create-secret + ``` + +4. **Run the Application**: + ```bash + chainlit run app.py -w + ``` + +--- + +## **Project Structure** + +### **Key Files and Directories** + +1. **`chunked_data_all_folders_with_links.json`**: + - This file contains the chunked policy documents with metadata such as folder name, file name, source link, and backup link. + - Each entry in the file represents a document chunk with the following structure: + ```json + { + "content": "Document chunk content here...", + "folder_name": "Policy Folder Name", + "file_name": "Policy Document Name", + "source_link": "Original document source link", + "backup_link": "Backup document link" + } + ``` + +1. **`source_links.json`**: + - This file contains all the links associated with each policy document + - User should periodically update it to retrieve the links from the RAG model. + +2. **`vector_store/` Directory**: + - Contains the FAISS index and metadata files for the embedded policy documents. + - Files: + - **`faiss_index`**: The FAISS index stores vector representations of document chunks for efficient similarity search. + - **`faiss_meta.json`**: Metadata associated with the FAISS index, mapping vector IDs to the corresponding documents. + +3. **`app.py`**: + - Backend of the application + - The main entry point of the application. + - Implements the chatbot interface using Chainlit and OpenAI's GPT API. + +4. **`utils/` Directory**: + - Contains helper modules for core functionality: + - **`faiss_handler.py`**: Handles FAISS embedding, index loading, saving, adding to FAISS, removing from FAISS, and similarity searches. + - **`chunker.py`**: Processes and splits policy documents into smaller chunks. + +5. **`requirements.txt`**: + - Lists all Python dependencies required for the project (e.g., Chainlit, FAISS, OpenAI API, etc.). + +--- + +## **Usage** + +1. **Admin and User**: + - User can only retrieve policy documents + - username: user + - password: 123 + - Admin can retrieve policy documents, reindex the vector store, upload new document(s) to the vector store, and remove specific documents from the vector store. + - username: admin + - password: 321 + +2. **Reindex**: + - Enter: 'reindex' on chatbot interface. + - Put the policy documents in the `data/documents/dataset` directory. + - The application will re-chunk and re-embed the policy documents in `data/documents/dataset` directory. + +3. **Upload**: + - Attach the document(s) and source link(s) associated with each document(s) on chatbot interface + - The application will chunk and embed ONLY the uploaded documents and add them to the vector store. + +4. **Remove**: + - Enter: 'remove: ' to remove the specific document from the vector store. + - ex: remove: CAO-06 GPA Calculation Method +--- + +## **Error Management** + +1. **Chainlit Timeout**: + - When performing 'reindex', the chainlit will timeout during the embedding process. + - Admin can Stop Task after the console print: + - FAISS index saved to ./data/vector_store/faiss_index + - Metadata saved to ./data/vector_store/faiss_meta + +2. **Re-run reindex**: + - When an error occurs, the admin can run 'reindex' to fix the error. + +3. **Contact**: + - Contact tedduoduo@gmail.com with any further issues. diff --git a/BPS_chatbot_with_ui/app.py b/BPS_chatbot_with_ui/app.py new file mode 100644 index 0000000..50b4691 --- /dev/null +++ b/BPS_chatbot_with_ui/app.py @@ -0,0 +1,198 @@ +import openai +import os +import tempfile +import asyncio +import re +import chainlit as cl +from openai import AsyncOpenAI +from langchain_community.document_loaders import PyPDFLoader +from langchain_community.vectorstores import FAISS +from langchain.text_splitter import RecursiveCharacterTextSplitter +from utils.faiss_handler import * +from utils.chunker import * + +# Initialize OpenAI client +client = AsyncOpenAI() + +# OpenAI API key setup +openai.api_key = os.getenv("OPENAI_API_KEY") +cl.instrument_openai() + +# OpenAI settings +settings = { + "model": "gpt-3.5-turbo", + "temperature": 0.5, +} + +dataset_path = "./data/documents/dataset" +output_chunk_path = "./data/chunked_data_all_folders_with_links.json" +index_path = "./data/vector_store/faiss_index" +meta_path = "./data/vector_store/faiss_meta" +embeddings = get_embeddings() +faiss_db = load_faiss_from_files(index_path, meta_path, embeddings) + +@cl.password_auth_callback +def auth_callback(username: str, password: str): + if (username, password) == ("admin", "321"): + return cl.User( + identifier="admin", metadata={"role": "admin", "provider": "credentials"} + ) + elif (username, password) == ("user", "123"): + return cl.User( + identifier="user", metadata={"role": "user", "provider": "credentials"} + ) + else: + return None + +@cl.on_chat_start +async def on_chat_start(): + user = cl.user_session.get("user") + if user: + if user.identifier == "admin": + await cl.Message(content="Welcome Admin! You can:\n" + "- Send a policy-related question.\n" + "- Upload new documents (attach with source links).\n" + "- Enter: 'reindex' to re-chunk and re-embed the FAISS vector store.\n" + "- Enter: 'remove: ' to remove a document.").send() + else: + await cl.Message(content="Hi! I will assist you in finding documents based on your question. Let's get started!").send() + +@cl.on_message +async def handle_user_message(message: cl.Message): + user = cl.user_session.get("user") + try: + if user and user.identifier == "admin": + if message.content.lower() == "reindex": + await reindex() + elif message.content.lower().startswith("remove:"): + await remove_doc(message) + elif message.elements: + await process_uploaded_files(message) + else: + await perform_chatgpt_query(message) + else: + await perform_chatgpt_query(message) + except Exception as e: + await cl.Message(content=f"Error handling your request: {e}").send() + +async def process_uploaded_files(message): + global faiss_db + text_splitter = RecursiveCharacterTextSplitter(chunk_size=1000, chunk_overlap=200) + + # Extract source links from the user's message + url_pattern = r'https?://[^\s]+' + source_links = re.findall(url_pattern, message.content) + + files = [file for file in message.elements if "pdf" in file.mime] + if len(files) != len(source_links): + await cl.Message(content=f"Error: Number of links ({len(source_links)}) and uploaded files ({len(files)}) do not match.").send() + return + + all_chunks = [] + try: + for file, source_link in zip(files, source_links): + if not file.path or not os.path.exists(file.path): + raise ValueError(f"Invalid file path for {file.name}.") + + with open(file.path, "rb") as f: + file_content = f.read() + + with tempfile.NamedTemporaryFile(delete=False, suffix=".pdf") as temp_file: + temp_file.write(file_content) + temp_path = temp_file.name + + # Remove document before update + faiss_db = remove_from_faiss(faiss_db, file.name) + + loader = PyPDFLoader(temp_path) + document = loader.load() + chunks = text_splitter.split_documents(document) + + for chunk in chunks: + chunk.metadata = chunk.metadata or {} + chunk.metadata.update({ + "file_name": file.name, + "source_link": source_link, + "backup_link": backup_source_link(clean_name(file.name)), + }) + # Remove 'page' and 'source' + chunk.metadata.pop("page", None) + chunk.metadata.pop("source", None) + + all_chunks.extend(chunks) + os.remove(temp_path) + + # Update FAISS database + faiss_db = add_to_faiss(faiss_db, embeddings, all_chunks) + save_faiss(faiss_db, index_path, meta_path) + await cl.Message(content=f"Added {len(all_chunks)} chunks to FAISS vector store.").send() + + except Exception as e: + await cl.Message(content=f"Error during file processing: {e}").send() + +async def perform_chatgpt_query(message: cl.Message): + if not faiss_db: + await cl.Message(content="FAISS vector store is not initialized.").send() + return + + try: + search_results = search_faiss(faiss_db, message.content) + if not search_results: + await cl.Message(content="No relevant documents found.").send() + return + + messages = [ + { + "role": "system", + "content": ( + "You are an assistant for Boston Public School policies. I will provide you with retrieved documents from the RAG model. Your task is to:" + "1. Refuse to engage with harmful, racist, or discriminatory questions. If such a query is detected, respond only with: I'm sorry, but I cannot assist with that request." + "2. Evaluate the relevance of each document based on its content and the query provided." + "3. Only summarize documents that are relevant to the query. A document is considered relevant if it contains policies or guidelines explicitly related to the query." + "4. If a document is not at least somewhat relevant, exclude it from the summary." + "5. Do not return anything other than reformatted or summarized documents" + "6. Remember to include the link" + "For relevant documents, reformat the content in this structured format:" + "Document: Policy file name here\n" + "Formatting Links: Google Drive Link (format Google Drive Link here)| Boston Public School Link (format Boston Public School Link here)\n" + "Summary: write 2-3 sentences summary.\n" + "Key points (1 sentence)" + "- [Bullet point 1]\n" + "- [Bullet point 2]\n" + "- [Bullet point 3]\n" + "NO ADDITIONAL TEXT AFTER THIS!" + ), + }, + {"role": "user", "content": search_results}, + ] + + response = await client.chat.completions.create(messages=messages, **settings) + await cl.Message(content=response.choices[0].message.content).send() + + except Exception as e: + await cl.Message(content=f"Error generating response: {e}").send() + +async def reindex(): + global faiss_db + try: + await cl.Message(content="Reindexing in progress...").send() + process_dataset(dataset_path=dataset_path, output_chunk_path=output_chunk_path) + + await cl.Message(content="chunks created successfully. Now embedding...").send() + documents = json_to_documents(output_chunk_path) + faiss_db = FAISS.from_documents(documents, embeddings) + save_faiss(faiss_db, index_path, meta_path) + except Exception as e: + await cl.Message(content=f"Error during reindexing: {e}").send() + +async def remove_doc(message): + global faiss_db + + try: + file_name = message.content.split("remove:", 1)[1].strip() + file_name = file_name + ".pdf" + faiss_db = remove_from_faiss(faiss_db, file_name) + save_faiss(faiss_db, index_path, meta_path) + await cl.Message(content=f"Document '{file_name}' removed from FAISS vector store.").send() + except Exception as e: + await cl.Message(content=f"Error removing document: {e}").send() diff --git a/BPS_chatbot_with_ui/chainlit.md b/BPS_chatbot_with_ui/chainlit.md new file mode 100644 index 0000000..4507ac4 --- /dev/null +++ b/BPS_chatbot_with_ui/chainlit.md @@ -0,0 +1,14 @@ +# Welcome to Chainlit! 🚀🤖 + +Hi there, Developer! 👋 We're excited to have you on board. Chainlit is a powerful tool designed to help you prototype, debug and share applications built on top of LLMs. + +## Useful Links 🔗 + +- **Documentation:** Get started with our comprehensive [Chainlit Documentation](https://docs.chainlit.io) 📚 +- **Discord Community:** Join our friendly [Chainlit Discord](https://discord.gg/k73SQ3FyUh) to ask questions, share your projects, and connect with other developers! 💬 + +We can't wait to see what you create with Chainlit! Happy coding! 💻😊 + +## Welcome screen + +To modify the welcome screen, edit the `chainlit.md` file at the root of your project. If you do not want a welcome screen, just leave this file empty. diff --git a/BPS_chatbot_with_ui/data/chunked_data_all_folders_with_links.json b/BPS_chatbot_with_ui/data/chunked_data_all_folders_with_links.json new file mode 100644 index 0000000..60ca8cf --- /dev/null +++ b/BPS_chatbot_with_ui/data/chunked_data_all_folders_with_links.json @@ -0,0 +1,22550 @@ +[ + { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-21 \nVersion 01 \n \nCREATING A BPS-RECOGNIZED INDEPENDENT 501C3 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools encourages schools to seek and \nreceive external resources to supplement their instructional and \nprogrammatic strategies. To this end, the Boston Public Schools \nhas partnered with the Boston Educational Development Fund \n(BEDF) to serve as a 501c3 fiscal agent to receive financial \ndonations as charitable contributions, eligible for tax deductions \nby the donor. Independently, as a fiscal partner to schools, BEDF \nmanages funds, creates financial reports, and offers technical \nassistance to schools in their pursuits of private funds. BPS \nschools are entitled to utilize BEDF as a fiscal agent in pursuit of \nprivate funding. \nIn the case that a school wishes to pursue establishing and \nmanaging an independent 501c3, formal approval is required.", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "content": "private funding. \nIn the case that a school wishes to pursue establishing and \nmanaging an independent 501c3, formal approval is required. \nSCHOOLS WITH EXISTING INDEPENDENT 501C3S \nSchools with existing 501c3s, registered with the proper federal \nand state authorizing agencies, must complete the BPS \nIndependent 501c3 Form to update BPS on current details \nincluding board structure, status, and operating revenue. \nIndependent 501c3s with strong governance boards and rationale \nwill receive recognition from BPS.", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "content": "Superintendent\u2019s Circular FIN-21 \nPage 2 of 3 \n \nSCHOOLS SEEKING TO ESTABLISH A BPS-RECOGNIZED \nINDEPENDENT 501C3 \nTo request to establish a 501c3, all schools must have the \nfollowing: \n\u2022 A strong rationale for the need for a separate, independent \n501c3. \n\u2022 A draft plan for the 501c3 including governance board. \n\u2022 A track record of managing private investments \nappropriately and on-time reporting OR someone on the \ngoverning board with this experience. \n\u2022 An estimate of anticipated annual revenue and revenue \nsources. \nFor a school to establish a 501c3, the following outlined steps \nmust be completed, and approval given by the superintendent: \n\u2022 All schools must complete a BPS Independent 501c3 . \n\u2022 Submitted requests will be reviewed by the chief financial \nofficer and superintendent and approved if a strong \napplication is submitted. \nCOMPLIANCE AND ACCOUNTABILITY \nBPS reserves the right to alert foundations/nonprofit partners to", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "content": "officer and superintendent and approved if a strong \napplication is submitted. \nCOMPLIANCE AND ACCOUNTABILITY \nBPS reserves the right to alert foundations/nonprofit partners to \nthe existence of 501c3 that are considered to be out of \ncompliance or that have been created without proper approval \nfrom the Superintendent\u2019s Office. \nBPS believes in the ability to provide timely, accurate, and \nthorough reports to our philanthropic partners and takes \nseriously the significant commitment of time and expertise that \nthis places on a school community to run an independent 501c3.", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "content": "Superintendent\u2019s Circular FIN-21 \nPage 3 of 3 \n \nWe encourage the use of our established partner, BEDF, to \nresponsibly manage funds. BPS has put these requirements in \nplace to ensure proper management of all funds and proper \nreporting, to support schools in philanthropic pursuits, and to \nprovide a low-cost 501c3 to house private funding. \n \nFor more information about this circular, contact: \nOwner: Chief of Finance \nDepartment: Finance \nMailing Address: Bruce C. Bolling Building, \n2300 Washington St., Boston, MA 02119 \nPhone: 617-635-7962 \nEmail: (preferred) finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-10 \nVersion 01 \n \nGRANTS GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS GRANTS \nAll grants going to the Boston Public Schools \u2014 to the district as \na whole, individual schools, or central offices \u2014 must adhere to \nfederal, state, city, and district policy. This circular contains the \ngrant management standards and procedures the district uses to \nensure all funds are lawfully expended. \nBased on the funding source, grants will be housed in either the \nOffice of Grants and External Funding or the Boston Educational \nDevelopment Foundation (BEDF). All federal and state grants, as \nwell as some private grants, are housed in the Office of Grants \nand External Funding and must adhere to the following \ninformation. Private grants that are housed in the Boston \nEducational Development Foundation (BEDF) 501c3 account", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "and External Funding and must adhere to the following \ninformation. Private grants that are housed in the Boston \nEducational Development Foundation (BEDF) 501c3 account \nmust adhere to the rules and regulations of BEDF. Information on \nBEDF can be found in Superintendent\u2019s Circular FIN-09. \nROLES AND RESPONSIBILITIES \nAll grants must adhere to federal, state, city, and Boston Public \nSchools requirements for purchasing, accounting, auditing, civil", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 2 of 14 \n \nrights, access, and confidentiality, as well as established \nguidelines set forth by the funder. Regulations for state and \nfederal grants are published in the Grants Management \nProcedural Manual published by the Bureau of Grants \nManagement of the Massachusetts Department of Education. All \nfederal grants must comply with EDGAR 2 C.F.R.\u00a7 200. All policies \nand procedures, as well as internal controls and grant \nmanagement standards used by the BPS to ensure that all funds \nare lawfully expended are outlined in the Fiscal Policies and \nProcedures Manual. \nAny individual who works under a grant, expends grant funds, or \noversees a department that utilizes grant funds is responsible for \nlawfully expending grant funds. \nGRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS \nAND EXTERNAL FUNDING \nThe following documents are required when seeking grant \nfunding: \n\u2022 Intent to Apply Form \n\u2022 School Committee Approval Form", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "GRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS \nAND EXTERNAL FUNDING \nThe following documents are required when seeking grant \nfunding: \n\u2022 Intent to Apply Form \n\u2022 School Committee Approval Form \n\u2022 Boston Fiscal Policies and Procedures \n\u2022 Grants Subrecipient and Responsibilities \nProgram managers and grant applicants are responsible for \nimplementing the following rules for seeking and managing \ngrants: \n1. Most federal and state grants follow the \u2018supplement and \nnot supplant\u2019 rule. This means grant money must not be \nused to replace positions previously funded with local", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 3 of 14 \n \nmoney and should not be used to fund non-salary items \nthat are the responsibility of the local school district. For \nexample, grant funds may not be used to fund classroom \nteachers or administrative personnel, as these positions are \nconsidered core. A clear indication of supplanting is shifting \na position from GSP to a grant. \n2. Grant-funded programs should be self-sufficient. Awarded \nfunds must cover all expenses of the program, including \nwages, benefits, supplies, transportation, utilities, custodial \nrequirements, and fees. Please consult the Office of Grants \nand External Funding and the Budget Office for approval of \nany exceptions. If technology is involved, applicants should \nconsult with the Office of Information and Instructional \nTechnology (OIIT) to ensure that they are in support of the \nproposal. \n3. All BPS policies, procedures, rules, and regulations apply to \ngrant- funded programs. Regular personnel, budget, and", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Technology (OIIT) to ensure that they are in support of the \nproposal. \n3. All BPS policies, procedures, rules, and regulations apply to \ngrant- funded programs. Regular personnel, budget, and \nbusiness procedures apply to grant funded programs in the \nsame way they apply to locally funded programs. Please \nreference appropriate budget, business, and human capital \nmemoranda for rules and procedures. \n4. No agreement to apply for or be a subrecipient of a grant is \nto be entered into with an outside organization or entity on \nbehalf of the district without the approval of the Grants and \nExternal Funds Office. \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for grant opportunities from a variety of sources. Grant \ndevelopment should be a team process within the", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 4 of 14 \n \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the grant to be \ninvolved. Heads of school, principals, and other administrative \nheads must be aware and pre-approve grant proposals for \nprograms that will take place under their supervision. \nINTENT TO APPLY \nAll BPS entities planning to pursue a grant opportunity must \nsubmit an online Intent to Apply form for all federal and state \ngrants, as well as private grants over $10,000. The Intent to Apply \nform should be submitted as soon as the funding opportunity \nand applicant have been identified, but no less than 3 weeks \nbefore the grant due date. This will ensure that potential grant \napplications are consistent with BPS goals and policies and are \nnot in conflict with BPS solicitations for funds to the same \nagencies and donors. \nYour intent to apply will be reviewed on a weekly basis. Upon", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "not in conflict with BPS solicitations for funds to the same \nagencies and donors. \nYour intent to apply will be reviewed on a weekly basis. Upon \napproval, you will receive a completed Grant Cover Page with \nyour submitted information and details on next steps. \nSuperintendent Signature \nThe Office of Grants and External Funding will facilitate obtaining \nthe superintendent\u2019s signature on your behalf. Please submit the \nIntent to Apply form, and the Office of Grants and External \nFunding will contact you within ten (10) days with next steps. All \ndocuments requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. All proposals must be submitted through the Intent to Apply \nform and obtain approval to move forward from the Grants \nReview Team before signatures will be obtained.", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 5 of 14 \n \nLetter of Support \nThe Office of Grants and External Funding will facilitate and \nobtain all signatures on letters of support from the \nsuperintendent and mayor (for federal grants). Once the Intent to \nApply has been reviewed and approved by the Grants Review \nTeam, please draft a letter of support for signature. All letters \nrequiring signature must be submitted at least one week (7 days) \nbefore they are due. \nIf you are requesting a letter of support from BPS not tied to a \nBPS grant application, please complete the online Letter of \nSupport Request Form. The Office of Grants and External \nFunding will follow up with next steps. \nBUDGET CREATION \nThe Office of Grants and External Funding can assist with \ndeveloping and reviewing your application\u2019s budget. Once you \ncomplete the online Intent to Apply Form, the Office of Federal \nand Grants will contact you. Please reply to this communication", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "developing and reviewing your application\u2019s budget. Once you \ncomplete the online Intent to Apply Form, the Office of Federal \nand Grants will contact you. Please reply to this communication \nto schedule time to create and review your budget. All budgets \nmust adhere to BPS, state, and federal regulations and budgets \nthat do not adhere will need to be amended before BPS will \napprove or allow spending. \nSUPERINTENDENT SIGNATURE \nAll grant applications that will be submitted to external funders \n(private, state, and federal) must have internal BPS approval prior \nto submission. The Office of Grants and External Funding will \nfacilitate this process. \nAfter completing the Intent to Apply form, the Office of Grants", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 6 of 14 \n \nand External Funding will contact you with next steps. All \ndocuments requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. The superintendent is the only authorized representative \nwho can sign grant proposals on behalf of BPS. \nBPS can submit the grant to the funder on the requester\u2019s behalf. \nIn some cases, grants can also be submitted directly from the \nprogram manager, if so preferred, but only after all prior steps are \ncompleted. \nONCE GRANT HAS BEEN AWARDED \nSchool Committee Approval \nAll grants being managed through the Office of Grants and \nExternal Funding must be approved by the School Committee \nbefore they can be officially accepted by BPS. Similarly, the \nSchool Committee\u2019s approval is required before the Office of \nGrants and External Funding can gain access to the grant funds \nin conjunction with City Hall. Therefore, as soon as a grant", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "School Committee\u2019s approval is required before the Office of \nGrants and External Funding can gain access to the grant funds \nin conjunction with City Hall. Therefore, as soon as a grant \napplication has been submitted, the grant may be submitted for \nSchool Committee approval. \nTo obtain School Committee approval, three steps must be \ncompleted: \n1. A packet of School Committee materials is submitted to the \nOffice of Federal and State Grants. This packet includes a \ncomplete School Committee Acceptance Form, the full \ngrant budget, the grant narrative, the signed cover page (if \navailable), MOA/MOU (if available), and award letter (if \navailable). This must be submitted no later than 14 days prior", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 7 of 14 \n \nto any School Committee meeting. \n2. A meeting is held between the program manager and the \nOffice of Grants and External Funding. \n3. The program manager attends the School Committee \nmeeting, answering any questions that may arise \nsurrounding the grant. \nOnce the grant has been approved by the School Committee, \nofficial confirmation of the School Committee acceptance will be \nsent out to the requester via email approximately 2 days after the \nSchool Committee vote. \nPlease contact Coordinator, Office of Grants and External \nFunding at finance-staff@bostonpublicschools.org, with any \nquestions about or requests for School Committee approval. \nGrant Set-up \nOnce a \u2018notice of payment\u2019 (official award letter from grantor), \nfunding wire or MOA/executed contract has been received by the \nOffice of Grants and External Funding and the grant has received \nSchool Committee approval, the grant set-up process will begin.", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "funding wire or MOA/executed contract has been received by the \nOffice of Grants and External Funding and the grant has received \nSchool Committee approval, the grant set-up process will begin. \nDuring the set-up process, the Office of Grants and External \nFunding will map the submitted budget to the BAIS \nFinancials/PeopleSoft system. The grant will be set up according \nto the budget that was approved by the funder. Once the budget \nis set up within BPS, it is set up in the City of Boston\u2019s system. The \nOffice of Grants and External Funding will alert program \nmanagers once this occurs and spending may then begin. This \nprocess takes approximately eight days from the date the \npayment notice is received. For questions on grant set up, please \ncontact the coordinator of Federal and State Grants, Carlos", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 8 of 14 \n \nCoordinator, Office of Grants and External Funding (finance-\nstaff@bostonpublicschools.org). \nGRANT SPENDING \nGrant Monitoring and Spending \nIt is the responsibility of the program manager to monitor the \nspending of the grant. This includes: assuring that the grant \nfunds are being used for allowable expenses; spending according \nto the grant timeline; working closely with the Business Office to \nprocess any contracts and/or procurement needs; entering all \nrequisitions; monitoring purchase orders; entering receipt for \ngoods/services; and submitting invoices to Accounts Payable for \nall work orders related to their budgeted grant funds. It is the \nresponsibility of the program manager\u2019s supervisor to assure \nthese responsibilities are fully completed according to \nrequirements and to offer assistance, when necessary. \nThroughout the life of a grant, the budget may need to be", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "these responsibilities are fully completed according to \nrequirements and to offer assistance, when necessary. \nThroughout the life of a grant, the budget may need to be \nadjusted. This is done through budget transfers in the BAIS \nFinancials system. Changes may be made among grant lines but \nnot into or out of a grant to make changes to the grand total. \nChanges to the initial grant intent are NOT allowable. \nBefore any changes are made to the approved grant budget, \napproval should be obtained from the funder. An amendment \nmay be required. If so, the Office of Grants and External Funding \nwill help with completing and filing the amendment. Please \ncontact Carlos Martinez, Coordinator of Federal and State Grants, \nregarding amendments.", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 9 of 14 \n \nSubrecipient Monitoring and Spending \nIn accordance with the Uniform Grant Guidance, all sub awards \n\u2014 where BPS is serving as the pass-through entity \u2014 must be \nclearly identified and managed according to the standards set \nforth by Federal Regulations, 2 CFR 200.331. The program \nmanager is responsible for communicating federal regulations \nand assuring that subrecipients adhere to sub-award regulations. \nPlease contact the Office of Grants and External Funding for \nmore information about subrecipient monitoring. \nGrant Spending Reports \nProgram managers will receive quarterly spend-down reports \nfrom the Office of Grants and External Funding. The report is \ndesigned to provide a high-level overview of spending, as well as \nspending details. It is the responsibility of program managers to \nlook through the report, identify any errors in spending, and \nreport back any programmatic changes that may have affected \nthe budget timeline.", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "look through the report, identify any errors in spending, and \nreport back any programmatic changes that may have affected \nthe budget timeline. \nAmendments \nAn amendment is necessary when there is a modification to the \nscope or finances of a previously approved grant application. \nWhen the scope of a project changes significantly or the \nexpenditure of a budgeted category exceeds a variance of 10% or \n$10,000, whichever is greater, an amendment is needed. \nAmendments should be submitted at least 30 days prior to the \ndesired change. Most federal and state grants require a final \namendment to be filed no later than 30 days prior to the end of \nthe grant. The Office of Grants and External Funding will submit \nany amendments necessary but will need justification from the", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 10 of 14 \n \nProgram Manager on why the changes occurred. \nGRANT CLEAN UP AND CLOSE OUT \nGrant Clean-up \nIn the final weeks of the grant, clean-up must occur for most \ngrants. To close out a grant and file a final amendment, there \nmay not be any remaining requisitions, and all purchase orders \nmust be fully received. It is the responsibility of the program \nmanager to assure that the grant is clean for close and final \nreports. \nPrior to the grant end date, all requisitions must either be \ncanceled or converted to purchase orders. All purchase orders \nmust be fully received in BAIS financials by the grant end date. If \na purchase order will not be paid in full, the remainder must be \ncanceled prior the grant end date. It is the responsibility of the \nprogram manager to monitor clean up, work with the Business \nOffice to convert requisitions, cancel POs, and enter receipts for \ngoods and services.", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "program manager to monitor clean up, work with the Business \nOffice to convert requisitions, cancel POs, and enter receipts for \ngoods and services. \nStipend requests (PS08s) must be submitted and approved \nbefore stipend work can be performed. Final stipend paperwork \n(PS09s) must be submitted within two weeks of the stipend \nperiod ending, hence no later than two weeks of the grant end \ndate. Failure to purchase items or submit stipend requests by the \nabove deadlines may result in forfeiting of funds. \nGrant Outcomes Reporting \nAt the conclusion of each grant, program managers must report \nthe outcomes of their SMART goals presented to the School \nCommittee. The Office of Grants and External Funding will reach", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 11 of 14 \n \nout to program managers for this information. This report will be \nshared with the School Committee and key stakeholders. \nGrant Close \nGrant funds must be spent prior to the grant end date. Funds not \nutilized by this end date will be forfeited. For grant compliance \npurposes, only funds that are encumbered \u2014 as defined by being \non a purchase order and fully received in BAIS financials \u2014 or \nexpended by the grant end date can be claimed under the grant. \nThe program manager is responsible for assuring that this occurs \nby the grant end date. \nFISCAL REPORTING \nAll fiscal reporting will be completed by, or must be reviewed by, \nthe Office of Grants and External Funding/Auditing Department. \nNo fiscal report may be submitted to the funder without review \nby the Office of Grants and External Funding/Auditing \nDepartment. \nFINAL REPORTS \nFinal financial reports will be completed by the Auditing", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "by the Office of Grants and External Funding/Auditing \nDepartment. \nFINAL REPORTS \nFinal financial reports will be completed by the Auditing \nDepartment. Final reports are due to the funder 60 days after the \ngrant closes. To assure that a final report is filed on time, all \nrequisitions and open purchase orders should be cleaned up as \nsoon as possible after the grant end date. Once the final report \nhas been completed and submitted, a copy will be sent to the \nprogram manager for record-keeping purposes. \nMULTI-YEAR GRANTS \nMulti-year or continuing federal and state grant accounts must", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 12 of 14 \n \nbe established at the start of each fiscal year. Accounts are not \nautomatically opened or carried forward from year to year. \nTherefore, responsible administrative heads, department \nmanagers, and relevant program managers should share, on an \nannual basis, all award notification from their respective funders \nwith the Office of Grants and External Funding \nPROGRAMMATIC REPORTING \nProgrammatic grant reports are the responsibility of the program \nmanager who is supervising the grant implementation. Please \nshare all such completed reports with the Office of Grants and \nExternal Funding. Grant-related financial reports and requests for \nrevenue are managed by the BPS Business Office. However, \nplease share any relevant details for these well in advance, with \nDirector of State & Federal Grants (finance-\nstaff@bostonpublicschools.org) and/or Coordinator, Office of \nGrants and External Funding (finance-", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Director of State & Federal Grants (finance-\nstaff@bostonpublicschools.org) and/or Coordinator, Office of \nGrants and External Funding (finance-\nstaff@bostonpublicschools.org), so they can be submitted to the \nfunder by the intended deadline.", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 13 of 14 \n \nGRANTS MANAGEMENT RESOURCES \nGrants Website \nThe Office of Grants and External Funding provides information \nabout grants at BPS, resources for finding grant opportunities, \ncontact information, process and policy information, the \nquarterly newsletters, and constant updates that may impact \ngrants. \nInternal Grants Management Library \nThis internal resource provides detailed information about \nmanaging a grant in BPS. This searchable and constantly \nupdated document includes common grant application answers, \nkey application documents, how-to guides on running common \nreports, and step-by-step instructions on how to manage a \nbudget, contact information, and information on how to perform \nmost grant activities in BPS. \nCONTACT INFORMATION FOR OFFICE OF GRANTS AND \nEXTERNAL FUNDING \nDirector of State & Federal Grants \n617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nSenior Grants Manager \n617-635-8582", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "CONTACT INFORMATION FOR OFFICE OF GRANTS AND \nEXTERNAL FUNDING \nDirector of State & Federal Grants \n617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nSenior Grants Manager \n617-635-8582 \nEmail: finance-staff@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-10 Grants Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-10 \nPage 14 of 14 \n \n \nCoordinator, Office of Grants and External Funding 617-635-9084 \nEmail: finance-staff@bostonpublicschools.org \n \nAccounting Coordinator \n617-635-9466 \nEmail: TBD \n \nExternal Funding Analyst - Please see Superintendent\u2019s Circular \nFIN-04, Student Activity Accounts. \n \nFor more information about this circular, contact: \nOwner: Director of State & Federal Grants \nDepartment: Director of Grants and External Funding, Finance \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington St., \nBoston, MA 02119 \nPhone: 617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-01 \nVersion 01 \n \n \nTRAVEL POLICY \u2013 PROCEDURES FOR APPROVAL AND \nREIMBURSEMENT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMost Boston Public School business is conducted locally, on-line \nor by telephone. Under some special and limited circumstances, \novernight or out-of-state travel may be required. These \ncircumstances usually arise if the Boston Public Schools is \nobliged to send staff out-of-state if a strong case can be made \nthat such travel would substantially benefit the district. \nIn all cases, a request for subsidized travel requires justification, \nprior notification, and prior approval. BPS is not obligated to \nreimburse any employee for travel costs that were not approved \naccording to this policy. \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTRAVEL APPROVAL \n1. Applicants must secure approval using the online form; sign", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "This Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTRAVEL APPROVAL \n1. Applicants must secure approval using the online form; sign \nin here. Directions for this process are in the BPS Travel \nRequest documentation document. It is the sole obligation \nof the traveler to determine that sufficient funds are \navailable for reimbursement.", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-01 \nPage 2 of 8 \n \n2. No travel should occur until the traveler receives a fully \nAPPROVED travel request. Any travel request that is \nreceived AFTER the travel has occurred will NOT be \nreimbursed. \n3. All overnight and out of state travel requires prior approval \nand must be submitted at least 20 days prior to departure \ndate. When you apply, the online form will go through the \nfollowing approvers for signatures: school leader, school \nsuperintendent/division chief, financial analyst, chief \nfinancial officer, and operations manager/superintendent. \nThe traveler will need to follow their travel approval \napplication online in case there is a question that an \napprover may have or a denial which they will note on the \napplication. When the application is approved, you are then \neligible to travel and receive any reimbursements owed to \nyou. \n4. Please note that only these two accounts must be used:", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "application. When the application is approved, you are then \neligible to travel and receive any reimbursements owed to \nyou. \n4. Please note that only these two accounts must be used: \n\u2022 52802 for planes, trains, busses, taxis, Ubers/Lyfts etc. \u2013 \nthe cost associated with getting there. \n\u2022 52804 for conference fees, hotel, food etc. \u2013 the cost \nassociated with being there. \nYou should also use these two accounts when doing \nrequisitions for travel. \n5. Supporting documentation describing the conference and \nthe purpose of your attendance must be attached to the \nonline travel request form with any other pertinent \ninformation. \n6. All staff planning to attend an overnight or out-of-town \nconference are required upon their return to prepare a", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-01 \nPage 3 of 8 \n \nreport of the presentations/workshops, etc., attended and to \nsubmit their report to their immediate supervisor, who shall \ndetermine the format of this report. \n7. If travel is being paid for by the conference host, the BPS \nEmployee Disclosure Form (3 pages) must be attached to \nyour \u201cTravel Approval Form\u201d application. \nREIMBURSEMENT OF TRAVEL EXPENSES \nTo secure prompt reimbursement for travel, reimbursement \nrequests must be submitted to the Business Office within fifteen \n(15) business days after the travel has occurred. The traveler must \nsubmit the following forms, documentation/receipts to Accounts \nPayable, Office of the Business Manager (emails accepted): \n1. A completed City of Boston Special Draft/Non Order Form, \nfilled out completely with: \n\u2022 School/department \n\u2022 Date \n\u2022 Full name of person being reimbursed \n\u2022 Full address of person being reimbursed \n\u2022 Vendor # (see NOTE below) \n\u2022 Funding source", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "filled out completely with: \n\u2022 School/department \n\u2022 Date \n\u2022 Full name of person being reimbursed \n\u2022 Full address of person being reimbursed \n\u2022 Vendor # (see NOTE below) \n\u2022 Funding source \n\u2022 Full detailed description: name of conference, dates, and \nplace/state where held \n\u2022 Amount being reimbursed \n\u2022 Signed by the employee\u2019s immediate supervisor. \n2. A copy of City of Boston and County of Suffolk Travel Expense \nVoucher (attached). This form must be filled out completely \nwith each daily expense, then signed on the lower right by \nthe person taking the trip and on the lower left by the \ndepartment head.", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-01 \nPage 4 of 8 \n \n3. The \u201cCertification Form\u201d attesting, under the pains and \npenalties of perjury, that the requested reimbursement was \nincurred as reasonable expenses in the service of the City of \nBoston. \n4. A copy of the approved Request for Travel Approval form \nMUST be attached. \nIMPORTANT NOTES: \nBPS does not reimburse taxes for expenditures. BPS will \nreimburse taxes and tips on FOOD ONLY. \nReimbursements cannot exceed the amount authorized by the \nSuperintendent. Only in extreme conditions can this original \namount be increased via an amended travel form which must be \nsubmitted to the Finance Office prior to travel. \nIf travel substitution occurs, an amended form approved by the \nSuperintendent is required before travel. A copy of the \u201cTravel \nApproval\u201d must be submitted with each request for \nreimbursement. \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file to be reimbursed. Go to", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Approval\u201d must be submitted with each request for \nreimbursement. \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file to be reimbursed. Go to \nwww.boston.gov/procurement, click on \"Go to Supplier Portal,\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \nIf submitting by paper: \n\u2022 ONLY submit single-sided reimbursements packet \u2013 not \ndouble-sided. \n\u2022 12-point font or larger on 8.5 x 11 white paper.", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-01 \nPage 5 of 8 \n \n\u2022 DO NOT highlight or put scotch tape on receipts because \nit fades the receipts; use staples. Only legible receipts will \nbe reimbursed. Must submit copies of all cash register \nreceipts on 8.5 x 11 paper. \nALLOWABLE EXPENSES \n1. Economy class commercial carrier charges (airlines, trains, \nbuses) are to be used at all times. The maximum \nreimbursement will be limited to the lowest commercial \ncarrier fare to the destination. The maximum limitation \ndoes not apply for in-state travel. \n2. Hotel charges are limited to $200.00 per night. Exceptions \nto this limit will only be approved if: \na) basic accommodations are unavailable, or \nb) basic accommodations are too distant from the event, \nor \nc) the event is being held at a specific hotel. \n3. The purchase of meals will be reimbursed when supported \nby original receipts, not to exceed $50.00 per day. A \nmaximum of $25.00 per day will be allowed without", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "3. The purchase of meals will be reimbursed when supported \nby original receipts, not to exceed $50.00 per day. A \nmaximum of $25.00 per day will be allowed without \nreceipts. Each person traveling must pay for their own \nmeals (NOT other individuals or group meals) unless \notherwise noted on the Travel Approval Request; the name \nof each individual must be listed on the Travel Approval \nRequest prior to travel. \na) Gratuities cannot exceed 20%. \nb) Original receipts must include an itemized breakdown \nof what was ordered. If an itemized breakdown is not \nprovided, the $25.00 per-diem allowance will be \nreimbursed. \nc) Reimbursement for room service also requires the \nsubmission of an itemized breakdown.", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-01 \nPage 6 of 8 \n \n4. Conference registration fees must be supported by original \ndocumentation. \nLOCAL TRANSPORTATION CHARGES \n1. Car rentals/gas and airport parking must be listed on the \n\u201cTravel Approval\u201d if reimbursement is to be requested. \n2. Charges claimed for taxis/Lyfts/Ubers must be supported by \noriginal receipts. \n3. Travel by automobile is eligible for reimbursement at the \ncurrent IRS allowable rate per mile (see Superintendent\u2019s \nCircular FIN-02 \u2013 Mileage) \n4. Tolls and parking charges must be supported by original \nreceipts. \nMISCELLANEOUS TRAVEL ISSUES \n1. Travel by City Contractors/Vendors. Some contracts and/or \nservice agreements may require the vendor to travel on \nbehalf of the Boston Public Schools. The City of Boston \nTravel Policy must be incorporated by reference into the \ncontract/agreements prior to execution. \n2. Conflicting Obligations. It is generally not permissible,", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Travel Policy must be incorporated by reference into the \ncontract/agreements prior to execution. \n2. Conflicting Obligations. It is generally not permissible, \nwithout the prior review and approval of the Office of Legal \nAdvisor, to engage in travel sponsored by a third party. \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. You cannot use current school year \nfunds to pay for prior school year expenses.", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-01 \nPage 7 of 8 \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \nFor more information about this circular, contact: \nOwner: Principal Account Clerk Accounts Payable \nBusiness Services \nDepartment: Operations \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9472 \nEmail: finance-staff@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-01 \nPage 8 of 8 \n \nCITY OF BOSTON AND COUNTY OF SUFFOLK \nTRAVEL EXPENSE VOUCHER \nTHIS FORM IS SUBMITTED WITH REIMBURSEMENT RECEIPTS \nTO THE AUDITING DEPARTMENT (Business Office). \nORIGINAL TO BE FILED IN AUDITOR'S OFFICE Month of: \nName of Official or Employee: Department and Unit: Boston Public Schools \n \nDay Description PRIVATE \nAUTOMOBILE \nRail-\nRoad \nFares \nBus Taxi and \nother fares \n Meals HOTEL \nTele-\nphone \n& Tele-\ngraph \nAll Other TOTAL \n Miles Amount Break\n-fast Lunch Dinner Item Amount \n \n \n \n \n \n TOTALS \n \n By signing this voucher you certify that each item of expenditure was incurred and was necessary in the service of the City or County \nand complies with the regulations on the back of this voucher. \n \n \n I hereby certify that I have personally examined this statement, that I approve of each item of", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-01 Travel Policy.pdf", + "content": "and complies with the regulations on the back of this voucher. \n \n \n I hereby certify that I have personally examined this statement, that I approve of each item of \nexpense hereon, that each item conforms to the regulations printed on the back, the amounts \ncharged are reasonable and the expenditures necessary in the service of the City or County. \n \n \n Signature Signature \n Department Head Employee", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-16 \nVersion 01 \n \n \n \nBUDGET TRANSFERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPlease use the online reference document Budget Transfers as \nyour guide to initiating online budget transfer requests. \n \nINTRODUCTION \nEach year, departments review their budgets and allocate money \nfor various goods and services for the next fiscal year. Funds are \nallocated to budget lines reflective of their intended use. As \nneeds change, departments often want to reallocate money \nbetween budget lines. This can be accomplished through a \nbudget transfer. Budget transfers are the mechanism by which \navailable budgeted resources are moved from one budget line \nitem to another in the Boston Public Schools financial system \n(PeopleSoft). \nAll budget transfer requests are entered directly into the \nPeopleSoft financial system by authorized users (principals,", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "item to another in the Boston Public Schools financial system \n(PeopleSoft). \nAll budget transfer requests are entered directly into the \nPeopleSoft financial system by authorized users (principals, \nheads of school, responsibility center managers, or their \ndesignees). The Budget Office no longer accepts paper transfer \nforms. A detailed \u201cjob aid\u201d follows on how an online budget \ntransfer request is initiated.", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "Superintendent\u2019s Circular FIN-16 \nPage 2 of 5 \n \n \n \nThe on-line budget transfer request process involves 6 basic \ncomponents: \n1) Navigate to the transfer \u201cform\u201d (budget journal) in \nPeopleSoft. \n2) Enter data (explanation, budget codes, dollars, and/or FTEs). \n3) Complete a budget error check. \n4) Save the completed transfer. \n5) Send to the Budget Office for approval. \n6) Track the progress of your transfer online. \nINCREMENTAL APPROACH \nBudget transfers employ an \u201cincremental\u201d approach, meaning \nthat if dollars are being moved from a particular line item, a \nnegative dollar value will be associated with that line item. \nConversely, if resources are being moved to a line item, the dollar \nvalue in the amount column will be a positive figure. Budget \ntransfers must sum to $0. For example, if a principal wished to \nmove $3,000.00 from a contracts line item to a stipends line item, \nthe transfer lines might look like this: \nAccount Fund RC Program Subclass Amount \n52907", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "move $3,000.00 from a contracts line item to a stipends line item, \nthe transfer lines might look like this: \nAccount Fund RC Program Subclass Amount \n52907 \nContracted \nServices \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2112 \nElem Ed. \n \n0000 - \n$3,000.00 \n51202 Prof. \nOT/ Stipends \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2014 \nGrade 4 \n \n0000 $3,000.00", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "Superintendent\u2019s Circular FIN-16 \nPage 3 of 5 \n \n \n \nBudget transfers involving additions, deletions, or changes to full-\ntime equivalent (FTE) positions also follow an incremental \napproach. Therefore, a negative FTE would be associated with the \nreduction or deletion of a position, and a positive FTE with the \ncreation or increase of a position. For example, if I wished to \nreduce a position from a 0.8 FTE to a 0.6 FTE, I would type -0.2 in \nthe FTE column (\u201cstatistic amount\u201d in the budget journal) for that \nbudget line. If I wished to delete that position entirely, I would \nhave put -0.8 in the FTE column. If I had wished to increase the \nposition to 1.0 FTE, I would have typed 0.2 in the FTE column. \nWhenever a budget transfer involves a position, the position \nnumber should be identified in the \u201creference\u201d field in the \nbudget transfer. If requesting a new position, leave the reference \nfield blank, to be filled in by the Budget Office when the new \nposition is created.", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "budget transfer. If requesting a new position, leave the reference \nfield blank, to be filled in by the Budget Office when the new \nposition is created. \nREQUIREMENTS & RESTRICTIONS \n1. The authorizer requesting the transfer must have BAIS FN \naccess. \n2. No Responsibility Center will be allowed to transfer funds \narising from staff vacancies. These \u201clag funds\u201d make up the \nBoston Public Schools contingency fund and will be \nreallocated at the sole discretion of the superintendent. \nExceptions to this policy will only be made upon written \nrequest and written approval by the chief financial officer. \n3. Funds should not be transferred out of personnel accounts \n(starting with 51__) or substitute accounts. Under normal \ncircumstances, adjustments to budget line items associated \nwith positions will be rare and must be explicitly approved", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "Superintendent\u2019s Circular FIN-16 \nPage 4 of 5 \n \n \n \nby the Office of Human Capital prior to the budget transfer \nrequest being approved. \n4. Budget transfer requests that lack sufficient explanatory \ndetail in the \u201cLong Description\u201d text box on the budget \njournal header will not be approved. \n5. In concert with the annual requisition deadline, budget \ntransfers for any fiscal year will not be processed after the \nApril requisition deadline of that fiscal year. The only \nexception to this policy may be transfers for grants which \nextend beyond June 30. \n6. Transfer requests which exceed the \u201cavailable amount\u201d left \nin a particular line will not be processed (in other words, you \ncannot transfer funds which you have already spent!). \n7. Line-item budget transfers can only take place within a \nfunding source (i.e., General Fund to General Fund or Title 1 \nto Title 1), but not between the General Fund and a grant, \nnor between two separate grants.", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "funding source (i.e., General Fund to General Fund or Title 1 \nto Title 1), but not between the General Fund and a grant, \nnor between two separate grants. \n8. Title I EL funds (programs that begin with 24__) cannot be \ntransferred to another program, as this funding can only be \nused for ELLs. Likewise, partnership funds (program 2536), \nand parent support services funds (Fund 200 program 2515) \nshould not be moved to another program. Homeless \nservices funds (program 2533) should be kept in the same \ncode where possible but are not fully restricted. \n9. Authority to request budget transfers is reserved to \nprincipals, heads of school, and RC managers, unless and \nuntil they explicitly delegate that authority to a designee in \nwriting to the chief financial officer or the budget director.", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-16 Budget Transfers.pdf", + "content": "Superintendent\u2019s Circular FIN-16 \nPage 5 of 5 \n \n \n \n10. While the on-line budget transfer protocol has made the \nexecution of budget transfers simple and efficient, there is \nno substitute for thoughtful, forward-looking resource \nplanning. The Budget Office is glad to assist with such \nplanning. \n \nPLEASE USE THE ONLINE REFERENCE DOCUMENT BUDGET \nTRANSFERS AS YOUR GUIDE TO INITIATING ONLINE BUDGET \nTRANSFER REQUESTS. \n \nFor more information about this circular, contact: \nOwner: Budget Director \nDepartment: Budget Office \nMailing Address: 2300 Washington Street. Roxbury, MA 02119 \nPhone: 617-635-6772 \nE-mail: finance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-12 \nVersion 01 \n \n \nTRUST FUNDS FOR SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis memorandum provides procedures for making awards from \ncentrally administered trusts that benefit schools. Heads of \nschools and principals are responsible for knowing the eligibility \nof their schools for trust funds, for ensuring that trust fund \npurchases are appropriately selected, and for following \nprocedures for the awards. Please submit your requests to the \nFinance Office as soon as possible and no later than May 31, 2024. \nLate requests will not be processed. \n1. ELIGIBILITY FOR AWARDS \nSee Attachment 1 for awards by school. \nSee Attachment 2 for a description of the awards listed in \nalphabetical order. \n2. PROCEDURES FOR REQUESTING FUNDS \nSubmit a detailed list of items including the item name, publisher \nand/or vendor, and the cost, together with a cover memorandum", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "alphabetical order. \n2. PROCEDURES FOR REQUESTING FUNDS \nSubmit a detailed list of items including the item name, publisher \nand/or vendor, and the cost, together with a cover memorandum \ngiving the name of the trust and the total requested. Separate \nletterhead must be used for each award request.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 2 of 14 \n \n \n3. PROCEDURES FOR RECEIVING FUNDS \nChecks will be sent directly to the recipient at the address \nprovided by the school. Principals/heads of schools should retain \nrecords of all requests, receipt of checks, and documentation of \npurchases for five years. Documentation of purchases should be \navailable on request. \n \nELEMENTARY SCHOOLS AWARD \nALL ELEMENTARY SCHOOLS Peter F. Degrand Award \nCharlestown Schools Devens Infant School \nDorchester Schools Bowdoin \nDorchester Schools Stoughton School \nDorchester/South Boston Schools Gibson School Fund \nCondon Elementary School Norcross School Library \nBlackstone Elementary School Webb Franklin \nEliot k-8 School Abigail Smith \nHarvard-Kent Elementary Devens Infant School \nJoseph J. Hurley K-8 School Webb Franklin \nQuincy Elementary School Abigail Smith \n Martin Milmore Award \nWarren-Prescott K-8 School Devens Infant School \nWinthrop Elementary School Henry B. Hall Award", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Quincy Elementary School Abigail Smith \n Martin Milmore Award \nWarren-Prescott K-8 School Devens Infant School \nWinthrop Elementary School Henry B. Hall Award \n \nMIDDLE SCHOOLS AWARD \nTimilty Middle School (closed) Sherwin School Graduates \nWashington Irving Middle School Harrington Trust Fund \nHIGH SCHOOLS", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 3 of 14 \n \n \nDorchester Academy Bowdoin Dorchester \n Gibson School Fund \n Stoughton School \nBoston Community Leadership \nAcademy Anna & Alice Maguire \nBoston Latin Academy Bowdoin Dorchester \n Gibson School Fund \n Persis P. Drake \n Stoughton School \nRoxbury Memorial \nScholarship \nBrighton High School Elvira B. Smith \nBurke High School Bowdoin Dorchester \n Gibson School Fund \n Stoughton School \nEnglish High School William Stewart \nExcel High School Gibson School Fund \nHorace Mann School Susan E. Gavett \n Mrs. John A. Lewis \n Samuel E. Sawyer \n Adams/Osgood Fund \nMadison Park High School Costello C. Converse \n \n \nCENTRAL OFFICE \nSuperintendent Teachers Waterston \n \nTRUST FUNDS FOR SCHOOLS ADMINISTERED CENTRALLY \nBowdoin Dorchester James Bowdoin", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 4 of 14 \n \n \nConverse Costello C. Converse \nDeGrand Peter F. DeGrand \nDevens Devens Infant School \nDrake Persis P. Drake \nEastburn John Eastburn Fund \nGibson Christopher Gibson \nHall Henry B. Hall \nHarrington Francis E.; Alice S. \nHorace Mann Susan E. Gavett \nHorace Mann Mrs. John A. Lewis \nHorace Mann Samuel E. Sawyer \nHorace Mann Adams/Osgood Fund \nMilmore Martin Milmore \nMaguire Alice and Anna Maguire \nNorcross Norcross School Library \nSherwin Sherwin School Graduates \nSmith, A. Abiel Smith \nSmith, E. Elvira Bush Smith \nStewart William Stewart \nStoughton Stoughton School \nWaterston Teachers Waterston \nWebb Franklin Webb Franklin", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 5 of 14 \n \n \nBOWDOIN DORCHESTER bequest of James Bowdoin established \nin 1889. \nEligibility: Schools located in Dorchester only (Dorchester \naddress). \nCriteria: To benefit the public schools \nAward: $750 total. A check divided to schools who apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nCONVERSE FUND in memory of Costello C. Converse, established \nin 1931. \nEligibility: Madison Park Technical Vocational High School \nCriteria: General uses and purposes of the school. \nAward: $500 available; check payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nPETER F. DEGRAND to purchase books for kindergarten, first, and \nsecond grades. \nEligibility: For the purchase of books for students attending", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "submitted on school/office letterhead. \n \nPETER F. DEGRAND to purchase books for kindergarten, first, and \nsecond grades. \nEligibility: For the purchase of books for students attending \nkindergarten, first and second grades in the City of \nBoston. \nCriteria: Excellent attendance \nAward: $2,500 available. A check divided to the schools that \napply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nDEVENS INFANT SCHOOL K1&2 - 2 grades.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 6 of 14 \n \n \nEligibility: Schools located in Charlestown for kindergarten, \ngrades one and two. \nCriteria: Excellent attendance for the use and benefit of \nchildren \nAward: $100 available. A check divided to the schools that \napply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nDRAKE FUND gift of Persis P. Drake \nEligibility: Boston Latin Academy \nCriteria: To benefit the school \nAward: $200 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nJOHN EASTBURN SCHOOL FUND \nEligibility: High school seniors who are Boston residents (proof \nof residence required) and are pursuing a teaching \ncurriculum at the University of Massachusetts. \nAward: $1,000 available", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Eligibility: High school seniors who are Boston residents (proof \nof residence required) and are pursuing a teaching \ncurriculum at the University of Massachusetts. \nAward: $1,000 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 7 of 14 \n \n \nGIBSON SCHOOL FUND a bequest from Christopher Gibson \nestablished in 1674. \nEligibility: Schools located in the Dorchester neighborhood, \nwhich in 1674, included South Boston. \nCriteria: For library books and teaching equipment \nAward: $9,500 total available: A check payable (in proportion) \nto the schools that apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHENRY B. HALL for books and supplies. \nEligibility: John Winthrop School \nCriteria: Books and supplies \nAward: $17,000 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nFRANCIS E. & ALICE S. HARRINGTON TRUST FUND \n Eligibility: Washington Irving Middle School \nCriteria: Two top students who obtain the highest combined", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "submitted on school/office letterhead. \n \nFRANCIS E. & ALICE S. HARRINGTON TRUST FUND \n Eligibility: Washington Irving Middle School \nCriteria: Two top students who obtain the highest combined \ngrade average in French or another foreign language \nfor two academic years. \nAward: $100 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 8 of 14 \n \n \nANNA & ALICE MAGUIRE for the school located at 152 Arlington \nStreet. \nEligibility: Boston High School (now Boston Community \nLeadership Academy) \nCriteria Purchase of books for students in attendance \nAward: $50 available; payable to school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHORACE MANN SCHOOL FUNDS \nSusan E. Gavett bequest, received in 1909. \nAward: $450 check payable to school \nMrs. John A. Lewis legacy, received in 1903. \nAward: $100 check payable to school \nSamuel E. Sawyer, received in 1895. \nAward: $150 check payable to school \nAdams/Osgood Fund, received in 1936. \nAward: $4,000 check payable to school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 9 of 14 \n \n \nMARTIN MILMORE \nEligibility: Josiah Quincy and others from the former Brimmer \nSchool District \nCriteria: Equal distribution among eligible schools \nAward: $50 total available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nNORCROSS SCHOOL LIBRARY to assist school libraries within the \nformer Norcross School District. \nEligibility: Condon Elementary School \nCriteria: To assist the library \nAward: $100 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nROXBURY MEMORIAL SCHOLARSHIP FUND \nEligibility: One male and one female in the graduating class at \nBoston Latin Academy. \nCriteria: Strongest academic growth \nAward: $850 available", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "ROXBURY MEMORIAL SCHOLARSHIP FUND \nEligibility: One male and one female in the graduating class at \nBoston Latin Academy. \nCriteria: Strongest academic growth \nAward: $850 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 10 of 14 \n \n \nSHERWIN SCHOOL GRADUATES for K-8 schools within the \nformer Sherwin School district. \nEligibility: Timilty Middle School (closed) \nCriteria: For the benefit of the school \nAward: $100 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ABIGAIL FUND for books in equal portions for Quincy and \nEliot Schools. \nEligibility: Quincy and Eliot Schools \nCriteria: Purchase of books \nAward: $800 available / $400 per school if both schools apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ELVIRA FUND in memory of Elvira B. Smith, established in \n1940. \nEligibility: Brighton High School \nCriteria: Books, and/or other educational materials for the", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "SMITH, ELVIRA FUND in memory of Elvira B. Smith, established in \n1940. \nEligibility: Brighton High School \nCriteria: Books, and/or other educational materials for the \nhistory department as directed by the headmaster \nwith approval of the head of the History Dept. \nAward: $50 available. Check payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 11 of 14 \n \n \nSTOUGHTON SCHOOL supplements the salaries of temporary \nsubstitute teachers in high and grammar schools in Dorchester. \nEligibility: Schools with a Dorchester address \nCriteria: Substitute teachers, supplement to regular \ncompensation in the form of additional days\u2019 work \nAward: $300 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead. \n \nTEACHERS WATERSTON for lectures to teachers regarding \nnatural history or any of its various departments. \nEligibility: At the discretion of the superintendent \nCriteria: Lectures to teachers regarding natural history or any \nof its various departments. \nAward: $500 available \nSubmit: Submit a request to the Finance Office. Date and \nlecture information required. \n \nWEBB FRANKLIN \nEligibility: Blackstone and Hurley Schools", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Award: $500 available \nSubmit: Submit a request to the Finance Office. Date and \nlecture information required. \n \nWEBB FRANKLIN \nEligibility: Blackstone and Hurley Schools \nCriteria: Books for students \nAward: $275 available/$137.50 per school if both schools apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 12 of 14 \n \n \nWILLIAM STEWART \nEligibility: English High School \nCriteria: Best all-around scholar-athlete at English High School \nAward: $2,500 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 13 of 14 \n \n \nAPPLICATION FOR TRUST FUND \n1. Submit this form for each student receiving a cash or savings \nbond award, or submit a typewritten list with this \ninformation. \n2. No student can receive a check or savings bond without a \nSocial Security number. \nTitle of Award: \nStudent's Name: \nStudent\u2019s Street Address and Apt.#: \nCity or Town: \nZip Code: \nStudent\u2019s Date of Birth: \nStudent\u2019s Social Security Number: \nStudent\u2019s ID Number: \nName of School: \nSchool Street Address: \nCity or Town: \nZip Code:", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "content": "Superintendent\u2019s Circular FIN-12 \nPage 14 of 14 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \n \nDate Activity \nMay 31, 2024 All requests must be submitted to the Finance \nOffice. \n \n \nFor more information about this circular, contact: \n \nOwner: Special Assistant to the Chief of Finance \nDepartment: Finance Office \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9485 \nScan documents to: finance-staff@bostonpublicschools.org \nEmail: finance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-11 \nVersion 01 \n \nSCHOLARSHIPS, AWARDS, AND HONORS FOR \nSTUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \n \nThis circular provides procedures for making awards from \ncentrally administered trusts that benefit individual students. \nSuperintendent\u2019s Circular FIN-12 deals with trusts benefiting \nschools. Fifteen trusts are listed in the attachment to this \nmemorandum. Those involving many schools are: \n \nALICE F. CASEY AWARDS \nCHARLOTTE FELLMAN AWARDS MARY DOROTHEA \nDEVEREAUX AWARDS \nSAMUEL GROSS DAVIS AWARDS \nMATHEMATICS AWARD \nMARY C. MCLAUGHLIN AWARD \nMARY GRASSA O'NEILL AWARD \nAll elementary schools \nAll elementary and middle \nschools \nList attached \nList attached \nAll schools \nAll schools K-12 \nAll schools 1-12", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 2 of 17 \n \nPrincipals and heads of schools are responsible for knowing the \neligibility of their schools and students for scholarships and \nawards, for ensuring that recipients of awards have been \nappropriately selected, and for following procedures for the \ndisbursement of the awards. Please submit your requests to the \nChief Financial Office as soon as possible but no later than May 31, \n2024. Late requests will not be processed. \n \n \nELIGIBILITY FOR AWARDS \nSee the following pages for a list of awards by level and school \nand for a description of awards listed in alphabetical order. \n \nSELECTION PROCEDURES \nIn addition to criteria specific to each trust, equal opportunity \npolicies apply to selection procedures. \n\u25cf Teachers, or a committee of teachers, recommend a \nnominee. \n\u25cf The head of school or principal approves nomination(s).", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 3 of 17 \n \n \nDISBURSEMENT PROCEDURES \n\u25cf Provide the information required for the award on the \nattached application form OR on the letterhead of the \nschool, signed by the principal/head of school. If schools \nare eligible for more than one award, use separate \nletterhead for each award. \n\u25cf Submit the memorandum to the Chief Financial Office by \nMay 31, 2024; late submissions will not be funded. \n\u25cf Checks will be sent directly to the recipients at the \naddress provided by the school. Checks cannot be issued \nwithout a Social Security number. All monetary awards are \ndisbursed through the City of Boston Trust Office. \n\u25cf Present the awards at a suitable ceremony developed \nwithin each school. \n\u25cf Maintain records of receipt of awards. Schools should \nmaintain records of receipts by students, and copies of all \nsubmissions. If it is not possible to obtain a signature, \nmaintain a dated record of the name, address and method", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "maintain records of receipts by students, and copies of all \nsubmissions. If it is not possible to obtain a signature, \nmaintain a dated record of the name, address and method \nof transmittal. Documentation of receipts should be \navailable upon request.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 4 of 17 \n \nTRUST AWARDS \nAznive Grace N. Aznive \nCasey Alice F. Casey \nDavis Samuel Gross Davis \nDevereaux Mary Dorothea Devereaux \nFellman Charlotte Fellman \nFranklin Benjamin Franklin \nGeorgeAnna Judson George \nGoldberg Jacob Goldberg \nGoulston Edward J. Goulston \nHoffman Ensign David A. Hoffman \nLatin Latin School Prize \nLawrence Lawrence High School \nLawrence Latin Lawrence Latin School \nMathematics Mathematics Award \nMcLaughlin Mary McLaughlin \nMorrison Helen C. Morrison \nGrassa O\u2019Neill Grassa O\u2019Neill \n \n \nTRUST AWARDS BY SCHOOL \n \nELEMENTARY SCHOOLS \nAll Elementary Schools Alice F. Casey", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 5 of 17 \n \n \n \n \n \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nMason Elementary Samuel Gross Davis \nTobin K-8 Samuel Gross Davis \nEliot K-8 Jacob Goldberg \nWinship Elementary Mary Dorothea Devereaux \nEllis Elementary Samuel Gross Davis \nHale Elementary Samuel Gross Davis \nHennigan Elementary Samuel Gross Davis \nHigginson/Lewis K-8 Samuel Gross Davis \nJ. F. Kennedy Elementary Samuel Gross Davis \nTrotter Elementary Samuel Gross Davis", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 6 of 17 \n \n \nMIDDLE SCHOOLS \nAll Middle Schools \n \n \n \n \nMary Dorothea Devereaux \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nDearborn Middle Samuel Gross Davis \nHigginson/Lewis K-8 Samuel Gross Davis \nTimilty Middle Samuel Gross Davis \n \n \nHIGH SCHOOLS \nAll High Schools \n \n \n \n \n \nMary Dorothea Devereaux \nGrace Aznive Art Scholarship \nFranklin Medal \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nBoston Latin School Samuel Gross Davis \nLawrence Latin School \nLatin School Prize \nBoston Latin Academy Samuel Gross Davis \nBrighton High Anna Judson George", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 7 of 17 \n \nEnglish High Edward J. Goulston \nLawrence High School Fund \nMadison Park High/Technical/ Vocational \nHigh School \nSamuel Gross Davis \nO\u2019Bryant School of Mathematics & Science Samuel Gross Davis \nHelen C. Morrison \nCarter School Samuel Gross Davis", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 8 of 17 \n \nTRUST AWARD DESCRIPTIONS \n \nAZNIVE ART SCHOLARSHIP FUND in memory of Grace Aznive, a \nformer BPS teacher, was established in 1955. The scholarship is for \noutstanding seniors planning to attend art school. Please call 617-\n635-6769 for more information. \n \nCASEY AWARD in honor of Alice F. Casey, a former associate \nsuperintendent of the Boston Public Schools, was established \n1977. \nEligibility: All elementary schools, one student in each classroom, grades 1-5 \nCriteria: Elementary students who have demonstrated the highest degree of \nsocial and academic growth during the school year and have shown \noutstanding and positive attitudes toward classmates of all racial and \nethnic backgrounds while promoting a positive spirit of integration \nwithin their classroom and school community. Current satisfactory \ngrades in conduct and effort and improved grades in class work or report", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "within their classroom and school community. Current satisfactory \ngrades in conduct and effort and improved grades in class work or report \ncard; concern for students and staff; participation in school activities; \nhelpful and enthusiastic attitude; recognition of rights of others. \nAward: Alice F. Casey Certificate \nSubmit: Submit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed. \n \n \nDEVEREAUX AWARD is a gift of Mary Dorothea Devereaux, \nformerly a Boston Public Schools teacher, established in 1965. \nEligibility: One girl and one boy in the graduating class of the following schools: \n\u25cf All high schools \n\u25cf All middle schools \n\u25cf Winship Elementary School", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 9 of 17 \n \nCriteria: For students who, as a result of the tutelage of their teachers, have \nexhibited exemplary personal development and growth of character. \nUnder no circumstances shall scholastic achievement or athletic ability \nbe used as criteria. \nAward: $25 check, issued by the City of Boston Treasury Department. \nSubmit: Submit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nFELLMAN AWARD is in honor of Charlotte Fellman, a former \nassociate director of music, established 1984. \nEligibility: Two graduating eighth grade students from each middle school and each \nK-8 school and one graduating fifth grade student from each elementary \nschool. \nCriteria: Outstanding talent and positive social attitude toward classmates of all \nracial and ethnic backgrounds; participation in the musical life of the", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "school. \nCriteria: Outstanding talent and positive social attitude toward classmates of all \nracial and ethnic backgrounds; participation in the musical life of the \nschool or community; interest in continuing in music; outstanding \nmusical talent and helpful and enthusiastic attitude toward classmates. \nAward: Certificate of Recognition \nSubmit: Submit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed. \n \n \nFRANKLIN CERTIFICATE is a gift of Benjamin Franklin. \nEligibility: All high schools \nCriteria: High rank in scholarship and conduct \nAward: A certificate \nSubmit: Nominating procedure, and name and address of recipients. \nNominations submitted to the Guidance Department.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 10 of 17 \n \n \n \n \n \n \nGEORGE SCHOLARSHIP is in memory of Anna Judson George \nand was established 1923. \nEligibility: A graduating senior from Brighton High School \nCriteria: For excellence in English, to be used for their higher education \nAward: $225 check payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nGOLDBERG TRUST is in honor of Jacob Goldberg upon the \noccasion of completion of 50 years of outstanding service to his \nemployer, W. M. Filene & Sons Company. This trust was \nestablished in 1962. \nEligibility: A member of the graduating class of the Eliot School \nCriteria: For leadership qualities \nAward: $400 check payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Submit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 11 of 17 \n \n \nGOULSTON AWARD is in memory of Edward S. Goulston and was \nestablished in 1929. \nEligibility: A member of the graduating class of English High School \nCriteria: Deserving pupil to be used for their higher education \nAward: $250 check; payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nHOFFMAN SCHOLARSHIP is in memory of Ensign David A. \nHoffman and was established in 1920. \nEligibility: A member of the graduating class of East Boston High School \nCriteria: A scholar who most nearly combines the highest attributes of an all \naround student in studies, athletic ability and morality. \nAward: $175 check; payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 12 of 17 \n \n \n \nLATIN SCHOOL PRIZE is for the encouragement of scholars at \nBoston Latin School. \nEligibility: Students from Boston Latin School \nCriteria: Excellence in scholarship \nAward: $250 total available, check payable to student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nLAWRENCE HIGH SCHOOL FUND is from a gift of Abbott \nLawrence in 1844. \nEligibility: Students from English High School \nCriteria: High rank in various subjects of the course of study \nAward: $525 total available, checks payable to the student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 13 of 17 \n \n \nLAWRENCE LATIN SCHOOL FUND is from a gift of Abbott \nLawrence in 1845. \nEligibility: Students from Boston Latin School \nCriteria: High rank in various subjects of literature and science \nAward: $475 total available, checks payable to the student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMORRISON FUND is a legacy of Helen C. Morrison, established in \n1972. \nEligibility: Students from Technical High Schools \nCriteria: To assist worthy and needy students at technical high schools; funds can \nbe used either to assist students currently attending technical high \nschools in Boston or as scholarships at an institution of higher learning. \nAward: $2,525 total available; check(s) payable to recipient(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name,", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Award: $2,525 total available; check(s) payable to recipient(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMARY GRASSA O\u2019NEILL WRITING AWARD: The Boston School \nCommittee and Superintendent Mary Skipper wish to award \ncertificates to selected students in recognition of achievement in \nwriting. Schools should make requests for certificates directly to \nthe Program Director/ELA, OPL@bostonpublicschools.org. These \ncertificates will be sent directly to your school, and the schools \nwill complete the certificates for distribution to selected \nstudents.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 14 of 17 \n \nMATHEMATICS ACHIEVEMENT AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to \nselected students in recognition of achievement in mathematics. \nSchools should make requests for certificates directly to the \nProgram Director, Mathematics, OPL@bostonpublicschools.org. \nThese certificates will be sent directly to your school, and the \nschools will complete the certificates for distribution to selected \nstudents. \n \nMARY C. MCLAUGHLIN READING AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to \nselected students in recognition of achievement in \nreading/language arts. Schools should make requests for \ncertificates directly to the Program Director/ELA, \nOPL@bostonpublicschools.org. These certificates will be sent \ndirectly to your school, and the schools will complete the \ncertificates for distribution to selected students.", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "OPL@bostonpublicschools.org. These certificates will be sent \ndirectly to your school, and the schools will complete the \ncertificates for distribution to selected students. \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nMay 31, 2024 All requests must be submitted to the CFO. \n \n \n \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 15 of 17 \n \nOwner: Special Assistant to the Chief of Finance \nDepartment: Chief Financial Office \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9485 \nScan Documents to finance-staff@bostonpublicschools.org \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \nATTACHMENT: \nApplication for Awards form", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 16 of 17 \n \nAPPLICATION FOR AWARDS \n \nThis form may be used for each student receiving a cash / savings \nbond award; or submit a typewritten list on school letterhead \nwith all of this information. No student may receive a check or \nsavings bond without a Social Security number. \n \nTITLE OF AWARD: \n_____________________________________________________ \n \n \nSTUDENT'S NAME: \n____________________________________________________ \n \n \nSTUDENT\u2019S STREET ADDRES \n______________________________________________ APT.#:____ \n \n \n \nCITY OR TOWN: ___________________________ZIP CODE: _________ \n \n \nSTUDENT\u2019S DATE OF BIRTH", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "content": "Superintendent\u2019s Circular FIN-11 \nPage 17 of 17 \n \n____________________________________________ \n \n \nSTUDENT\u2019S SSN: \n______________________________________________ \n \n \nSTUDENT\u2019S ID NUMBER: \n______________________________________________ \n \n \nSCHOOL: \n______________________________________________________ \n \n \nSCHOOL STREET ADDRESS: \n__________________________________________ \n \n \nCITY OR TOWN: ______________________ ZIP CODE: _____________", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-20 \nVersion 01 \n \nMANAGING YOUR STIPENDS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests. \n \nDEFINITION OF STIPEND WORK FOR UNION POSITIONS (BTU, \nBASAS, GUILD) \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cb Some examples of stipend work include staff training \nbeyond the contractual PD and Saturday or evening \nschools for teachers. \n\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf For BASAS staff, they must perform their school day hours \nfor the year prior to being eligible for a stipend. \n \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 SCHOOLS", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 2 of 13 \n \n \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \nSchool-based managerial employees cannot receive a \nstipend unless their contractual school days (223) are \ncompleted. Stipend work is not to be performed during the \nperiod of time that constitutes the normal workday. \n\u25cf These stipends must be for activities that are outside of the \njob description of the managerial employee. \n\u25cf Stipend opportunities for managerial employees in schools \nmust be posted in the school or on TalentEd. \n\u25cf To authorize a stipend request for an individual in a \nleadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 CENTRAL OFFICE", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "supervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 CENTRAL OFFICE \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf Managerial employees in central offices are only eligible to \nreceive stipends that have been posted through the Office \nof Human Capital. These stipends must be for activities that \nare outside of the job description of the managerial \nemployee. \n\u25cf Central office managerial employees may not apply for \nstipends unless they have been posted on TalentEd via the", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 3 of 13 \n \n \nOffice of Human Capital. Please connect with your OHC \nstaffing manager if you are interested in posting a stipend \nopportunity on TalentEd. \n\u25cf To authorize a stipend request for an individual in a \nleadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR SCHOOL LEADERS \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf School leader stipends must be for activities that are outside \nof the job description of the school leader. \n\u25cf In order for a school leader to receive a stipend, it must be \neither posted on TalentEd or the stipend request must be", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "of the job description of the school leader. \n\u25cf In order for a school leader to receive a stipend, it must be \neither posted on TalentEd or the stipend request must be \nsubmitted along with a signed memo to the \nsuperintendent. \nDEFINITION OF STIPEND POSTING \nStipend work must be offered to individuals at schools in \naccordance with the policies of the School Committee. \nSpecifically, the work must be distributed equitably and based on \ndemonstrated competence and qualifications. \nIn schools, stipend opportunities must be posted to the staff. \nThese postings may be internal to the school, so long as all non-", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 4 of 13 \n \n \nmanagerial employees at the school have the opportunity to \napply. An email to all school staff is an appropriate method of \nposting. OHC or Budget may ask for proof of posting at any time \nafter a stipend authorization request (formerly referred to as a \nPS08) has been submitted. School-based managerial staff may \napply to their school\u2019s internal posting if eligible. School-based \nstipend opportunities can be posted on TalentEd as well. \nIn central office departments, stipend opportunities must also be \nposted. These postings must be done through the Office of \nHuman Capital. Central office managerial employees may not \napply for stipends unless they have been posted on TalentEd via \nthe Office of Human Capital. \nAUTHORIZATION TOOLS \nStipend Authorization Request (SAR) \u2013 request for authorization \nbefore work starts (must be submitted at least two weeks prior to \nthe first day of work). SARs for summer work should be", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Stipend Authorization Request (SAR) \u2013 request for authorization \nbefore work starts (must be submitted at least two weeks prior to \nthe first day of work). SARs for summer work should be \nsubmitted before the end of May. If an SAR is submitted after the \nwork has started, the submitter is required to provide an \nexplanation as part of the request. \nPay Certification Request (formerly referred to as a PS09) \u2013 \nrequest for payment after work is completed (must be submitted \nno later than two weeks after the work is completed). If an SPC is \nsubmitted after the work has started, the submitter is required to \nprovide an explanation as part of the request.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 5 of 13 \n \n \nSCHEDULE FOR AUTHORIZATION \nDepartment heads or principals should plan in advance and \nrequest SARs on time. \n\u25cf SARs must be submitted at least two weeks before work \nstarts, except in the case of summer work. If a stipend is \nrequested late, the submitter will have to write in an \nexplanation when prompted in the online system. \n\u25cf SARs for summer work should be submitted before the end \nof May. \n\u25cf Pay certification requests should be submitted no later than \ntwo weeks after the work has ended. \n\u25cf Pay certification requests that need to be processed in the \nlast paycheck in June must be submitted by the Wednesday \nprior to the pay period end date. \n \nIn addition, due to the Budget Collaborative and Probable Org \nschedule between December and February, please allow \nadditional time for SAR approvals and submit them at least three \nweeks before work starts. \nAUTHORIZATION PROCESS", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "schedule between December and February, please allow \nadditional time for SAR approvals and submit them at least three \nweeks before work starts. \nAUTHORIZATION PROCESS \nAll stipend work must be authorized in advance by the Office of \nHuman Capital and Budget Office. \nAuthorization from Budget and HC must be received via the \napproved SAR before the work starts. A department head does \nnot have independent authority to authorize stipend work. \nDepartments or schools are responsible for informing employees \nwhen a pay certification request has been submitted for", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 6 of 13 \n \n \npayment. Please review the stipend guidance around submitting \nSARs and pay certification requests. Additional guidance on the \nstipend process can be found on the Budget Office \nResources/Stipends page. \nWORKFLOW FOR STIPENDS \n1. Stipend work opportunity is posted (internally for schools \nand on TalentEd for central office) and individuals are \nchosen to perform this work. \n2. Secretary or department head\u2019s designee originates stipend \nauthorization request (SAR). \na. Submitter cannot be one of the employees to receive a \nstipend. \nb. Submitter must complete the authorization process for \nall individuals that are flagged. This could include the \nfollowing: \ni. Tier C, D, E, or F Managerial employees (will \nrequire approval by department head or division \nlead to be submitted along with the SAR) \nii. School Leaders \niii. Employees outside of the submitter\u2019s department \niv. Submitter must provide an explanation for any \nlate requests", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "lead to be submitted along with the SAR) \nii. School Leaders \niii. Employees outside of the submitter\u2019s department \niv. Submitter must provide an explanation for any \nlate requests \n3. Principal or department head gives first-level approval. \n4. HC reviews to confirm the below items for approval (please \nalso see Process and Selection section for additional details \non the OHC approval process):", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 7 of 13 \n \n \na. That the submitter isn\u2019t a recipient of the stipend \nb. That the opportunity has been posted appropriately \nc. That the employee is eligible to receive the stipend \nd. That the Superintendent\u2019s Memo has been submitted if \nthe stipend is for school leaders. \n5. Payroll reviews to again confirm that the employee is \neligible to receive the stipend. \n6. Budget reviews to confirm the below guidelines for \napproval: \na. That there are enough funds available in the budget to \ncover the expense \nb. That the stipend funding information is correct, such as \nthe budget year \nc. That the stipend is allowable under the grant if it is in \nfund 200 \nd. That the commitment letter (which includes a \ndescription of the work, the staff member\u2019s name, and \nthe amount of the stipend) is attached to the stipend \nauthorization request form (SAR) for Reimbursable \ngrant stipends. \ne. That the hours worked are included if the stipend is", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "the amount of the stipend) is attached to the stipend \nauthorization request form (SAR) for Reimbursable \ngrant stipends. \ne. That the hours worked are included if the stipend is \nabove $5,000 for an individual \nf. That the budget director approves the stipend if it is \nabove $10,000 for an individual \n7. Department or school should regularly monitor their \nstipend request for approval status updates.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 8 of 13 \n \n \n8. Secretary or department head\u2019s designee informs employee \nthat work can start. \n9. Time sheets are maintained in the school or department \nand may be subject to periodic audits. \n10. Department head or principal monitors completion and \nquality of work. \n11. Work ends. \n12. Secretary or department head\u2019s designee submits pay \ncertification, due the Wednesday before the pay period end \ndate. \n13. Payroll processes pay certification requests and checks for \nthe following (see Payroll Guidelines, below): \na. Confirm that the funds don\u2019t go out prior to the end \ndate. \n14. Stipend is paid to employee as a supplement to regular \npaycheck. \nNOTE: If an employee is listed on more than one eForm for \nvarious stipends, they cannot be paid out in the same pay period. \nA warning notice will appear when trying to add the additional \nstipend. Will have to hold that payment until the employee has", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "various stipends, they cannot be paid out in the same pay period. \nA warning notice will appear when trying to add the additional \nstipend. Will have to hold that payment until the employee has \nbeen paid out by the other in-process pay certification request.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 9 of 13 \n \n \nBUDGET GUIDELINES \nAll stipends and overtime payments are paid out of account \n51202. \nStipend Authorization Requests (SAR): \n\u25cf Departments are responsible for tracking their original \nbudget in 51202 and the SAR approvals that have been \nissued against this original budget. Contact your Financial \nAnalyst if you have questions about your available funds for \nstipends. \n\u25cf SAR approvals do not \u201cencumber\u201d funds in the All Funds \nreport. All 51202 funds will appear to be available until the \npay certifications are paid out. In your All Funds report, \nplease do not depend on the \u201cAvailable\u201d amount in account \n51202 to track stipends. Stipend requests must be tracked \nby the department; the Stipend Tracker template can be \nfound here. \n\u25cf For all single stipend payments that amount to $5,000 or \nmore per individual, please fill out the hourly rate portion of \nthe SAR eForm. \n \nStipend Pay Certification Requests:", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "found here. \n\u25cf For all single stipend payments that amount to $5,000 or \nmore per individual, please fill out the hourly rate portion of \nthe SAR eForm. \n \nStipend Pay Certification Requests: \n\u25cf Processed Stipend Pay Certification Requests will move \nfunds from the Available budget to the Expense line. \n\u25cf It is possible to issue partial payment on a Stipend Pay \nCertification Requests if only some of the work was \ncompleted, or if only some of the employees should be paid.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 10 of 13 \n \n \n\u25cf If the work ends early and you are paying out the full \nstipend before the end date on the form, you must leave a \nnote to explain this on the Stipend Pay Certification \nRequest. \n \nStipends paid from grants: \n\u25cf Any stipend payments being made from a grant funding \nsource need to be for work done during the grant time \nperiod. Stipends cannot be paid for work that may have \nbegun before the start date of the grant or continuing after \nthe grant end date. \n\u25cf All stipends on grants must be allowable under the grant, \nand it is the responsibility of the school or department to \nensure that they are complying with grant guidelines. \n\u25cf For Reimbursable grant stipends, attach the commitment \nletter (which includes a description of the work, the staff \nmember\u2019s name, and the amount of the stipend) to the \nstipend authorization request form (SAR). \nPROCESS AND SELECTION \n\u25cf Departments must ensure that the activities covered by", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "member\u2019s name, and the amount of the stipend) to the \nstipend authorization request form (SAR). \nPROCESS AND SELECTION \n\u25cf Departments must ensure that the activities covered by \novertime and stipend requests meet and conform to the \ndefinitions listed at the top of this circular. \n\u25cf Departments are expected to internally post and advertise \nopportunities to ensure that individuals do not receive a \ndisproportionate share of overtime and stipend \nassignments.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 11 of 13 \n \n \n\u25cf For stipends that managerial employees in central offices \nmay receive, the posting must be done via the Office of \nHuman Capital. \n\u25cf Departments are expected to select qualified individuals \nand make selections in an equitable way. \n\u25cf Departments must ensure that the work is done in a \ncomplete and satisfactory way before issuing authorization \nfor payment. \n\u25cf Timesheets are required for those working overtime or \nstipended hours. \n\u25cf Timesheets for all stipends and overtime must be retained \nin a central location at the department for 7 years. \nThe Office of Human Capital may inquire with a department to \nbe sure that it is specifically conforming to these guidelines and \nprocedures. \nSINGLE OR CUMULATIVE PAYMENT THRESHOLDS \nIn circumstances where the single payment to an individual or \nthe sum of payments in one fiscal year to an individual meets the \nthresholds in the table below, there is an additional approval \nrequirement.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "the sum of payments in one fiscal year to an individual meets the \nthresholds in the table below, there is an additional approval \nrequirement.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 12 of 13 \n \n \n \nSingle or \nCumulative \nStipend \nAmount \nNon-Autonomous School \nApproval Process \n Central Office \n Approval Process \nGreater than \nor equal to \n$5,000 \nDepending on the situation, \nstipend authorization may be \nheld at HC or Budget \napproval step for further \nquestions. You will be \nrequired to submit the hours \nworked and hourly rate for \nstipends amounting to $5,000 \nor more for an individual. \nDepending on the \nsituation, a stipend \nauthorization may be held \nat the HC or Budget \napproval step for further \nquestions. \nGreater than \nor equal to \n$10,000 \nBudget director approval \nrequired. When submitting a \nstipend authorization that \namounts to $10,000 or more \nper individual, please fill out \nthe hourly rate portion of the \nstipend authorization eForm. \nPlease send an email \nexplaining the reasons for \nexceeding this threshold to \nyour financial analyst in the \nBudget Office. \nBudget director approval \nis required. When", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Please send an email \nexplaining the reasons for \nexceeding this threshold to \nyour financial analyst in the \nBudget Office. \nBudget director approval \nis required. When \nsubmitting a stipend \nauthorization, please send \nan email explaining the \nreasons for exceeding this \nthreshold to your financial \nanalyst in the Budget \nOffice. \nThere are no additional approvals necessary for autonomous \nschools that submit single or cumulative stipends greater than or \nequal to $5,000.", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-20 Managing Stipends.pdf", + "content": "Superintendent\u2019s Circular FIN-20 \nPage 13 of 13 \n \n \nThe stipend thresholds for single or cumulative payments listed \nabove are not impacted by: \n\u25cf Regular differential payments for employees in a formal \nExtended Learning program \n\u25cf Regular differentials for academic coaches or athletic \ncoaches \n\u25cf Regular differentials for lead teachers \n\u25cf Regular payments to instructors in formal Summer School \nand Acceleration Academies \n\u25cf Regular inclusion buyback payments for employees who \nuse more than one certification while teaching in the \nclassroom. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests. \n \nFor more information about this circular, contact: \nOwner: Chief of Finance \nDepartment: Budget Office \nMailing Address: 2300 Washington Street. Roxbury, MA 02119 \nPhone: 617-635-9000 \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-07 \nVersion 01 \n \n \n \nPURCHASING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nProcurement procedures at BPS follow state and federal laws \nand City policies. Non-compliance with these laws could result in \ninvalid procurements and unenforceable contracts. The State \nProcurement Law (M.G.L. c. 30B) mandates standard procedures \nfor local jurisdictions to ensure fairness and consistency when \npurchasing supplies or services. The information below provides \nthe necessary procedures and requirements for purchasing \nsupplies or services following competitive and non-competitive \nprocurement regulations. \nINDIVIDUALS AUTHORIZED TO SIGN CONTRACTS ON BEHALF \nOF THE BOSTON PUBLIC SCHOOLS \nNo Boston Public School employee, other than those listed \nbelow, may enter into a contract with any vendor. This includes \nbut is not limited to contracts, agreements, memorandums of", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "No Boston Public School employee, other than those listed \nbelow, may enter into a contract with any vendor. This includes \nbut is not limited to contracts, agreements, memorandums of \nunderstanding, grants, partnership agreements, or any other \nexpenditure that binds the district to pay for services/goods. This \nincludes purchases of services or goods for under $10,000. \nOnly three (3) BPS employees are authorized to enter into \ncontracts on behalf of the Boston Public Schools:", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 2 of 10 \n \n \n\u2022 The superintendent of schools \n\u2022 The BPS chief financial officer \n\u2022 The BPS deputy chief financial officer \n \n1. PURCHASES LESS THAN $10,000. \nThe standard for selection: Following M.G.L. c. 30B, \u00a7 2 \"Sound \nBusiness Practices,\u201d the school or department must solicit three \nquotes via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. \nRequired document: Requisition \nAuthorization: Purchase order \nTurnaround time*: 1 -2 Weeks \n \n2. PURCHASES BETWEEN $10,000 - $100,000 \nThe standard for selection: When procuring supplies or services \nthat are not a sole source or exempt from Chapter 30B, schools \nand departments must solicit written quotes from at least three \nvendors via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "and departments must solicit written quotes from at least three \nvendors via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. The contract should then be awarded to the \nresponsible and responsive supplier offering the needed quality \nof supply or service at the lowest price quotation. In cases when \nobtaining three quotes is impossible despite reasonable effort, \nawarding the contract based on one or two quotes is acceptable. \nImportant Note: School districts may still opt to issue an IFB", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 3 of 10 \n \n \nwhen procuring supplies or services estimated to cost $100,000 \nor less. \nRequired documents: To ensure a timely and efficient \nprocurement process, all required documents should be \nsubmitted to the Business Office/Procurement office at least four \nweeks before the desired procurement date: requisition, Contract \nRequest Form, detailed specifications, and, if applicable, a sole-\nsource letter addressed to the Business Manager. Before \nsubmitting, use the detailed checklist to verify that all required \ninformation has been completed. \nAuthorization: Purchase order and written quote contract (WQC), \nsigned by the vendor and approved by the superintendent and \nthe City auditor. \nTurnaround time*: 2 - 4 Weeks \n3. PURCHASES OF MORE THAN $100,000 \nThe standard for selection: For supplies or services estimated to \ncost more than $100,000, an invitation for bids (IFB) or a request", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "3. PURCHASES OF MORE THAN $100,000 \nThe standard for selection: For supplies or services estimated to \ncost more than $100,000, an invitation for bids (IFB) or a request \nfor proposals (RFP) can be used. In a bid process, IFB, you award \nthe contract to the qualified bidder who meets your \nspecifications and offers you the best price. Information for Bid \n(IFB) Sealed bids (M.G.L. c. 30B, \u00a7 5. In a proposal process, RPF, you \naward the contract to the offeror submitting the most \nadvantageous proposal, considering your specified evaluation \ncriteria and price. Request for Proposals (RFP) Sealed proposals \n(M.G.L. c. 30B, \u00a7 6", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 4 of 10 \n \n \nNotice/Advertising Requirements: The Business Services and \nFinance Procurement Unit will submit an ad for schools and \ncentral departments to be posted at least two weeks before bids \nor proposals are due in the City Records. If the procurement \nexceeds $100,000, an advertisement will be published in the \nGoods and Services Bulletin at least two weeks before bids or \nproposals are due. \nRequired documents: Requisition and a completed Contract \nRequest Form with a detailed written description of the items or \nservices to be purchased. \nAuthorization: Purchase order and fully executed contract \nTurnaround time*: 4 - 8 Weeks \n*NOTE: These timelines may not apply to all procurement \nrequests. The turnaround times listed above are approximate and \ndo not apply to peak procurement periods, ranging from 08/15 to \n09/30 and 04/15 to 06/30. \n4. MOAS AND MOUS AGREEMENTS", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "requests. The turnaround times listed above are approximate and \ndo not apply to peak procurement periods, ranging from 08/15 to \n09/30 and 04/15 to 06/30. \n4. MOAS AND MOUS AGREEMENTS \nThe following types of agreements are exempt from Chapter 30B \nand do not require a City of Boston standard contract to be \nexecuted: an agreement between agencies, boards, \ncommissions, authorities, departments, or public \ninstrumentalities of one city or town (ch. 30B\u00a71(7)); or an \nagreement to purchase supplies or services from or to dispose of \nsupplies to an agency or instrumentality of the federal \ngovernment, the Commonwealth, or any of its political \nsubdivisions or any other state or political subdivision thereof (ch. \n30B\u00a71(9))", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 5 of 10 \n \n \n\u2022 Memoranda of Agreement (MOA), in addition to outlining \nthe terms and obligations of each government agency, \nrequires payment or exchange or transfer of funds between \nthe parties. There are only to be used between two or more \ngovernment agencies. If one or more of the parties to the \nagreement is not a government agency, then the normal \nrules related to standard contracts apply. There is no dollar \nthreshold for an MOA. \nAll MOAs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel and \nCity Auditing, and necessary signer(s) involved in the \nagreement before it can be accepted as a valid contractual \nagreement. \n\u2022 Memoranda of Understanding (MOU) is an agreement of \nterms and obligations that does not include funds transfer \nbetween the parties. While parties to an MOA must all be \ngovernment agencies, parties to an MOU may, but are not \nrequired to be, government agencies.", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "between the parties. While parties to an MOA must all be \ngovernment agencies, parties to an MOU may, but are not \nrequired to be, government agencies. \nAll MOUs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel, and \nnecessary signer(s) involved in the agreement before it can \nbe accepted as a valid contractual agreement. \nNOTE: The Law Department reserves the right to require City \ndepartments to execute a formal contract in any situation \ninvolving agreements with non-government entities. \nAuthorization: Purchase order and fully executed and signed \nMOA agreement \nTurnaround time*: 4 - 8 Weeks", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 6 of 10 \n \n \n5. GRANT CONTRACTS \nUnder Massachusetts General Law, a \u201cgrant agreement\u201d is \ndefined as \u201can agreement between a governmental body and an \nindividual or nonprofit entity, the purpose of which is to carry out \na public purpose of support or stimulation instead of procuring \nsupplies or services for the benefit or use of the governmental \nbody.\u201d If a grant agreement properly fits within this definition, \nthen it is exempt from the requirements of Chapter 30B. \nThe first step in the analysis of whether a grant agreement can \nbe used is to determine the public purpose of the grant and how \ngrant funds are being directly linked back to the public delivery \nof a program. Generally, supporting a non-profit organization, or \nkeeping it operational, is not a permissible public purpose. While \nnon-profits may operate for the public good, grant funds must be \ndirectly linked back to the specific delivery of a program. Please", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "non-profits may operate for the public good, grant funds must be \ndirectly linked back to the specific delivery of a program. Please \nreview this Law Department memo for further considerations \nand guidance when determining whether a grant process is \napplicable. If you plan to conduct a grant process because each \ncase is evaluated individually, please contact the BPS Office of \nthe Legal Advisor at 617-635-9320. \n6. EMERGENCY PURCHASES \nIn the case of an unforeseen emergency, if complying with all of \nChapter 30B's requirements would put people or property at risk, \nyou are allowed to procure the necessary item or service without \nfull compliance. However, it is important to keep a record of the \nemergency procurement, including the reason for deeming it an \nemergency, the supplier's name, the contract amount and type, \nand a list of the supplies or services purchased under each \ncontract. Additionally, document any procedures used to elicit", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 7 of 10 \n \n \ncompetition. It is important to inform the Business Services \nProcurement Unit of the emergency purchases as soon as \npossible. Please refer to the Goods and Services Bulletin for \nfurther guidance on processing and emergency procurement. \n7. FOOD PURCHASES \nFood purchases are allowed for events where parents, suppliers, \nconstituents, and community members attend \u2014 not just \nstudents, teachers, or the superintendent. If it's a fund 100, it \nmust be purchased against the following food budget, 53204. If \nusing fund 200, please check with Yvonne Macrae, Director of \nGrants and External Funds, ymacrae@bostonpublicschools.org, \nto ensure that the grant rules allow food purchases. Please \nreview Superintendent's Circular FIN-03 and additional \nguidelines on reimbursements for food purchases. \n8. REAL PROPERTY \u2013 ACQUISITIONS AND DISPOSITIONS \u2013\nM.G.L. C. 30B \nReal Property Acquisitions and Dispositions: After determining", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "guidelines on reimbursements for food purchases. \n8. REAL PROPERTY \u2013 ACQUISITIONS AND DISPOSITIONS \u2013\nM.G.L. C. 30B \nReal Property Acquisitions and Dispositions: After determining \nthe value of the acquisitions and disposing of the real property \nvalued over $35,000.00, an invitation for bids (IFB) or a request for \nproposals (RFP) can be used. In a bid process, an IFB can select \nthe proposer who meets your quality requirements and offers the \nlowest price. Information for Bid (IFB) Sealed bids (M.G.L. c. 30B, \u00a7 \n5. In a proposal process, an RPF will allow you to compare the \nrelative merits of the proposals you receive and the price. \nRequest for Proposals (RFP) Sealed proposals (M.G.L. c. 30B, \u00a7 6 . \nContact Business Services for further information on when to use \na license or a lease. \nNotice/Advertising Requirements: The Business Services and", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 8 of 10 \n \n \nFinance Procurement Unit will submit an ad to be published in \nthe Central Register at least 30 days before executing a binding \nagreement to acquire the property. M.G.L. c. 30B, \u00a7 16(d) \nAuthorization: Purchase order and fully executed contract \nTurnaround time*: 4 - 8 Weeks \n \nRESOURCES \nBPS Legal Advisor \nLegal Advisor legal@bostonpublicschools.org \n617-635-1577 \nComputer Equipment \nOIIT: Director of Technology Business Operations Operations-\nDepartment-Heads@bostonpublicschools.org \n617-635-9190 \nEducational and Administrative Applications \nOIIT: Director of Technology Business Operations, Operations-\nDepartment-Heads@bostonpublicschools.org \n617-635-9190 \nPurchasing, Textbook Adoptions \nBusiness Services: Assistant Business Manager \nfinance-staff@bostonpublicschools.org 617-635-8207 \nPeopleSoft/Financials Training \nBusiness Services: Assistant Business Manager)", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Business Services: Assistant Business Manager \nfinance-staff@bostonpublicschools.org 617-635-8207 \nPeopleSoft/Financials Training \nBusiness Services: Assistant Business Manager) \nfinance-staff@bostonpublicschools.org 617-635-8207 \nFurniture and Rugs \nFacilities Mgt.:", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 9 of 10 \n \n \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9119 \nPlayground Equipment \nFacilities Mgt.: \nOperations-Department-Heads@bostonpublicschools.org \n617-635-9117 \nGrants/External Funds \nDirector of State & Federal Grants finance-\nstaff@bostonpublicschools.org617-635-9577 \nField Trips \nTransportation: Executive Director of Transportation \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9000 \nBudget Management \nAssistant Budget Director, finance-\nstaff@bostonpublicschools.org \n617-635-6984", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-07 \nPage 10 of 10 \n \n \nFor more information about this circular, contact: \nOwner: Assistant Business Manager \nDepartment: Business Services \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-8207 \nEmail: finance-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent \n \n\u2022 Essential Training Guide is available here. \n\u2022 Business Services Guide is available here.", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-03 \nVersion 01 \n \nEXPENDITURE REIMBURSEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this memorandum is to clarify those \ncircumstances under which reimbursement is appropriate and \nthose that are not. \nThe reimbursement process is intended to accommodate those \nlimited instances where the traditional purchasing system \ncannot be utilized. It is not intended to replace, substitute for, \nsupplant, or otherwise institute an alternative purchasing system. \n \nExpenditures Allowable for Reimbursement \nThe reimbursement process is intended to allow for the \nimmediate purchase of incidental or emergency goods and \nservices that could not be contemplated in the normal course of \nbusiness. This process can be used when the aggregate \npurchase value of goods or services is minimal. Make sure the \nproper accounting codes are used and align with the expense.", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "business. This process can be used when the aggregate \npurchase value of goods or services is minimal. Make sure the \nproper accounting codes are used and align with the expense. \nExamples of these goods or services include reimbursement for \nan emergency, unanticipated supply, or repair needs minimal in \ncost. \nThe reimbursement process is intended to allow individuals to be \nreimbursed for personal expenditures incurred in support of", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-03 \nPage 2 of 7 \n \nauthorized Boston Public Schools activities. This also applies to \ntravel expenses as defined and consistent with the Boston Public \nSchools travel policy (refer to Superintendent\u2019s Circular FIN-01 \nTravel Policy - Procedures for Approval and Reimbursement). \n \nExpenditures Not Eligible for Reimbursement \nExpenditures not eligible for reimbursement include those for \nthe purchase of goods and services that are not consistent with \nthe guidelines referenced above. A detailed description of \nguidelines to be used for purchasing can be found in \nSuperintendent\u2019s Circular FIN-07 \u2013 Purchasing Guidelines. \nCertain expenditures, such as purchasing gifts for fellow \nemployees, constitute an inappropriate expenditure of resources \nand are not eligible for reimbursement. \n \nPurchase Of Food \nFood for staff events cannot be reimbursed from fund 100. Fund \n100 can only be used for students, parents and community", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "and are not eligible for reimbursement. \n \nPurchase Of Food \nFood for staff events cannot be reimbursed from fund 100. Fund \n100 can only be used for students, parents and community \nevents using the food account code 53204, be sure funds are \navailable prior to submitting for reimbursement. If you are using \nfund 200, the rules of the grant must allow for food purchases, \nprior to purchase always check with your grant liaison. \nThe practice of purchasing food products from supermarkets for \nparents, school councils, or other meetings is an acceptable (and \nmore cost-effective) mechanism than procuring catered services. \nThese expenditures will be reimbursed, but only upon the \npresentation of itemized invoices and cash register receipts.", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-03 \nPage 3 of 7 \n \nReimbursements will be made only for those items that can be \nappropriately documented. \n \nGift Cards/Certificates: A Specific Issue \nThe purchase of gift cards/certificates is not permitted. The use \nof gift cards/certificates does not allow for appropriate controls \nthat document the nature and value of the items that are \nultimately purchased. Nor does this practice allow for the proper \nreporting of expenditures. It is a practice that is highly \nsusceptible to abuse. \n \nDocumentation Required for Reimbursement: \nIn order to secure prompt reimbursement, all requests must be \nsubmitted to the Business Office within fifteen (15) business days \nof purchase. Allowable expenditures for reimbursement must be \nfully supported by appropriate documentation/receipts. Follow \nthe procedures below (Emails Accepted): \n1. Submit a completed \u201cCity of Boston Special Draft/Non \nOrder Form\u201d - it MUST be filled out completely with:", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "the procedures below (Emails Accepted): \n1. Submit a completed \u201cCity of Boston Special Draft/Non \nOrder Form\u201d - it MUST be filled out completely with: \n\u25cf School/Department \n\u25cf Date \n\u25cf Full name of person being reimbursed \n\u25cf Full address of person being reimbursed \n\u25cf Vendor # \n\u25cf Funding source \n\u25cf Full \u201cdetailed\u201d description", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-03 \nPage 4 of 7 \n \n\u25cf Total amount requested \n\u25cf Must be signed by the employee\u2019s immediate \nsupervisor \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder \npenalty of perjury, that amounts stated are correct and \nwere incurred in the service of the City of Boston \n3. Itemized (not summary) of cash register receipts \n4. Itemized invoice produced by the vendor \n5. Copies of the front and back of cancelled personal \nchecks, or Credit card statement that details the item(s) \npurchased by an individual. The name of the person being \nreimbursed should be on the check and credit card \nstatement \u2013 for Proof of Purchase \n \nBPS does NOT reimburse taxes for expenditures unless the \nStudent Activity Account is being used for the purchase - BPS \nwill reimburse taxes and tips on FOOD ONLY. \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "will reimburse taxes and tips on FOOD ONLY. \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement.", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-03 \nPage 5 of 7 \n \nIf Submitting by Paper: \n\u2022 ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u2022 DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 \nstarts the new Fiscal School Year - You cannot use current school \nyear funds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment.", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-03 \nPage 6 of 7 \n \nFor more information about this circular, contact: \nOwner: Unit Leader of Business Services/Accounts \nPayable \nDepartment: Business Services \nMailing \nAddress: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9469 \nE-mail: finance-staff@bostonpublicschools.org \nMary Skipper, Superintendent \n \nBusiness Services Guide is available here.", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-14 Overpayment of Salaries.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-14 \nVersion 01 \n \n \n \n \nRESOLUTION OF OVERPAYMENT OF SALARIES \nFOR FORMER EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nWith the multitude of daily transactions, corrections on both the \nfinancial and payroll component are warranted. The following \nprocess must be strictly followed when an overpayment occurs. \n1. When this transaction is identified, notification is \ngenerated from the payroll unit to the accounting unit. \n2. This notification states the name and the amount of \nthe salary overpayment. \n3. Immediate request for payback is forwarded to the \nindividual through the United States Post Office and/or \nemail by the accounting unit. \n4. To finalize this transaction, the employee is requested \nto return the amount overpaid, payable to the City of \nBoston \u2013 Boston Public Schools, Bank Check or Money \nOrder. \n5. Upon receipt, the check is deposited with the City", + "source_link": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-14 Overpayment of Salaries.pdf", + "content": "to return the amount overpaid, payable to the City of \nBoston \u2013 Boston Public Schools, Bank Check or Money \nOrder. \n5. Upon receipt, the check is deposited with the City \nTreasurer, and the adjustments of the employee\u2019s \nannual wages are activated. \n6. If further resolution is warranted, the employee should", + "source_link": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-14 Overpayment of Salaries.pdf", + "content": "Superintendent\u2019s Circular FIN-14 \nPage 2 of 2 \n \n \n \nsubstantiate their claim with supporting \ndocumentation. In the event of a financial hardship, the \naccounting unit will review the circumstances and \nmake a payment plan recommendation to the \nbusiness manager. \n \nFor more information about this circular, contact: \nOwner: Director of Payroll \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nAdditional \nQuestions \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston (finance-\nstaff@bostonpublicschools.org). \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from your home is not eligible for \nreimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers (ISP \nwill receive that $600 payment in \nsucceeding years provide the ISP\u2019s direct", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "Pathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers (ISP \nwill receive that $600 payment in \nsucceeding years provide the ISP\u2019s direct \nsupervisor verifies that the ISP\u2019s travel \nschedule is substantially unchanged) \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n67\u00a2 per mile", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "Superintendent\u2019s Circular FIN-02b \nPage 2 of 5 \n \n \nAll other BTU members \n \n67\u00a2 per mile \n \nSupervisors of Attendance \n \n \n67\u00a2 per mile \n \nBASAS \n \n \n \n67\u00a2 per mile \n \nManagement \n \n \n \n67\u00a2 per mile \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager\u2019s \nbudget (Account 52803 Mileage).", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "Superintendent\u2019s Circular FIN-02b \nPage 3 of 5 \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most economical. \nOriginal receipts must be produced/provided for reimbursement. \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed \u201cCity of Boston Special Draft/Non Order \nForm\u201d \u2013 it must be filled out completely with: \n\u2022 School/Department \n\u2022 Date \n\u2022 Full name of the person being reimbursed \n\u2022 Full address of the person being reimbursed \n\u2022 Vendor # \n\u2022 Full funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.\u201d", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "Superintendent\u2019s Circular FIN-02b \nPage 4 of 5 \n \n3. Submit a completed \u201cMileage Detail Form\u201d - List the total \nnumber of miles traveled each day and total-up each page \u2013 \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests \u201cmust be\u201d submitted at \nthe end of each month or quarterly \u2013 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper:", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "and follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n\u25cf ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u25cf DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "content": "Superintendent\u2019s Circular FIN-02b \nPage 5 of 5 \n \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n** You cannot use current school year funds to pay for prior \nschool year expenses. ** \n \n \n \nFor more information about this circular, contact: \nName: Business Manager \nDepartment: Business Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: 617-635-9472 \nE-mail: ffinancestaff@bostonpublicschools.organceo.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-19 \nVersion 01 \n \n \n \nBPS MAILROOM AND COPY CENTER GUIDELINES \nBPS POSTAGE & PRINTING POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nWe are responsible for directing the operational performance of \nthe mailroom and Copy Center to ensure an efficient, cost-\neffective, and secure operation. Responsibilities include \nmanaging the processing of high-volume daily mail, loading and \ndelivery of heavy shipments, scanning, copying, printing, and \nsending and receiving all sorts of documents. \nMAILROOM OPERATIONS \nAdhering to the following guidelines will facilitate a smoother \noperation of the mailroom at the Bolling Building: \n\u2022 Only school-related items will be processed through the \nmailroom for postage. \no These items need to be properly sealed and bundled. \no Items need to have a school return address. We need \nto know who is sending each mailing to keep track and", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "mailroom for postage. \no These items need to be properly sealed and bundled. \no Items need to have a school return address. We need \nto know who is sending each mailing to keep track and \nto avoid missing undeliverable mail. \n\u2022 Each school/department will be charged for postage used.", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-19 \nPage 2 of 5 \n \n \no Each school / department should have a budget line \nallocated for mailing purposes. \n\u2022 Personal mail will not be processed through the mailroom \nfor postage (e.g., mortgage, utility, credit card payments, \nbirthday cards, mail returns, etc.). \no The mailroom is not responsible for receiving or storing \npersonal deliveries (e.g., personal packages from \nAmazon, Walmart, Target, etc.). \n\u2022 All interoffice mail should be addressed as follows: \no Name of person, school, and/or department where the \nmail should be delivered \no Cluster number \no Return address (who is sending the mail?) \n\u2022 Please do not put sticky notes on the outside of every \nenvelope (adhesive glue could damage the postage \nmachine). One per bundle is fine. \n\u2022 Advance notice is required for mailings of over 2000 pieces \nof mail. Please contact Mailroom & Copy Center by phone \n617-635-9075 or email, finance-\nstaff@bostonpublicschools.org.", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "\u2022 Advance notice is required for mailings of over 2000 pieces \nof mail. Please contact Mailroom & Copy Center by phone \n617-635-9075 or email, finance-\nstaff@bostonpublicschools.org. \n\u2022 Schools and departments will be charged for each mailing \nover 100 pieces of mail. \n\u2022 UPS, FEDEX, DHL: BPS does not have a business account \nwith any shipping carriers. \no All mail and packages intended to be shipped through \nany of these carriers should be prepaid by the sender.", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-19 \nPage 3 of 5 \n \n \nCOURIER SERVICES \nAlso known as cluster mail, starting at the Bolling Building, our \ncourier delivers and picks up interoffice mail 2 times a week to \nour cluster offices located throughout the district. Each school is \na part of a cluster (previously known as zones, networks, TLTs) \nAdhering to the following guidelines will facilitate a smoother \noperation of the courier services: \n\u2022 The courier is an EXTERNAL vendor under contract, not BPS \noperated. \n\u2022 All mail should be clearly marked, including the sender and \nreceiver. \no Each school belongs to a cluster; if unsure, please \ncontact the mailroom for the latest information. \n\u2022 The courier runs on Tuesday and Thursday of each week. \n\u2022 The current contract requires the courier to pick up no more \nthan 3 bins of mail per cluster. \no If on a certain day a cluster office has more than 3 bins \nof outgoing mail, the courier could pick up the excess \non the next run.", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "than 3 bins of mail per cluster. \no If on a certain day a cluster office has more than 3 bins \nof outgoing mail, the courier could pick up the excess \non the next run. \n\u2022 The courier DOES NOT GO TO EACH SCHOOL. \no Special runs can be requested at an additional charge \npaid to the vendor.", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-19 \nPage 4 of 5 \n \n \nCOPY CENTER OPERATIONS \nThe BPS Copy Center provides various copy and printing \nfunctions. With our copying and finishing, we can have your \nmanuals, student handbooks, presentations, letters to students, \nand much more completed in-house, saving BPS and the city \nmoney. \n\u25cf Our printing services offer: \n\u25cb Mass production copying and printing. \n\u25a0 Black & White \n\u25a0 Color \n\u25cb Posters up to 24x36 inches \n\u25cb Three-hole punch \n\u25cb Staple finishing \n\u25cf Printing services NOT offered by the BPS Copy Center: \n\u25cb Envelopes \n\u25cb Books \n\u25cb Lamination \n\u25cb Postcards \n\u25cb Banners, etc. \nAdhering to the following guidelines will facilitate a smoother \noperation of our in-house printing services: \n\u25cf Printing services work on a first come-first served basis. \n\u25cf Advanced notice is required for all jobs. \n\u25cb Please consider that there is a high volume of requests \nduring the beginning and end of the school year, as", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "\u25cf Advanced notice is required for all jobs. \n\u25cb Please consider that there is a high volume of requests \nduring the beginning and end of the school year, as \nwell as during the summer as schools prepare for the \nnew school year.", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "content": "Superintendent\u2019s Circular FIN-19 \nPage 5 of 5 \n \n \nCHARGES FOR PRINTING SERVICES \nEach job will be charged to the schools at lower than market \ncost. Please contact the Copy Center for the latest quote. \n \nFor more information about this circular, contact: \nOwner: Mailroom & Copy Center \nDepartment: Business Services \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9075 \nE-mail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n\u25cf Essential Training Guide is available here. \n\u25cf Business Services Guide is available here.", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed, and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from home is not eligible for \nreimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n65.5\u00a2 per mile for", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "Pathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \nAll other BTU members \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-02 \nPage 2 of 5 \n \n \n \nSupervisors of Attendance \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nBASAS \n \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nManagement \n \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager\u2019s \nbudget (Account 52803 Mileage).", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-02 \nPage 3 of 5 \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most \neconomical. Original receipts must be produced/provided for \nreimbursement. \n \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed \u201cCity of Boston Special Draft/Non Order \nForm\u201d \u2013 it must be filled out completely with: \n\u2022 School/Department \n\u2022 Date \n\u2022 Full name of the person being reimbursed \n\u2022 Full address of the person being reimbursed \n\u2022 Vendor # \n\u2022 Funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "\u2022 Funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.\u201d", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-02 \nPage 4 of 5 \n \n3. Submit a completed \u201cMileage Detail Form\u201d - List the total \nnumber of miles traveled each day and total-up each page \u2013 \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests \u201cmust be\u201d submitted at \nthe end of each month or quarterly \u2013 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper:", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "and follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n\u25cf ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u25cf DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "content": "Superintendent\u2019s Circular FIN-02 \nPage 5 of 5 \n \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year - You cannot use current school year \nfunds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n \nFor more information about this circular, contact: \nName: \nUnit Leader of Business Services/Accounts \nPayable \nDepartment: Business Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: 617-635-9472 \nE-mail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-04 \nVersion 01 \n \n \n \nSTUDENT ACTIVITY ACCOUNTS: \nOPERATING PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThis Student Activity Accounts: Operating Procedures \nSuperintendent\u2019s Circular was put together in accordance with \nMassachusetts General Law Chapter 71 Section 47. The Student \nActivity Account Policy was approved by the School Committee \nin the fall of 2018. \nAll students should have an opportunity to take part in co-\ncurricular activities. As such, Boston Public Schools have \nmigrated to a new business process for managing student \nactivity accounts. Student activity funds are managed under an \n\u201cAgency Account,\u201d housed under the City\u2019s tax ID number. \nDEFINITION AND CATEGORIES OF STUDENT ACTIVITY \nACCOUNTS \nStudent activity accounts may only be used for the express \npurpose of conducting student activities, which are broadly \ndefined to be:", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "DEFINITION AND CATEGORIES OF STUDENT ACTIVITY \nACCOUNTS \nStudent activity accounts may only be used for the express \npurpose of conducting student activities, which are broadly \ndefined to be: \n\u25cf Co-curricular in nature. \n\u25cf Contingent on a fee or on fundraising. \n\u25cf For the sole benefit of students.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 2 of 13 \n \n \nBoston Public Schools recognizes the following categories as \nstudent activities: \n\u25cf SOCAL = Socials, such as a dance or pizza party \n\u25cf EVENT= Special events, such as a graduation or Science Fair \n\u25cf FLDTR = Field trips, such as transportation costs or entrance \nfees \n\u25cf CLUBS = School leader-approved student clubs, such as a \nStudent Council or Debate Club \n\u25cf STORE = Bookstore, only when bookstore is run by students \nand proceeds will benefit students directly \n\u25cf ATHLT = Athletics, only when funds are student-driven and \nproceeds will benefit specific student activities directly \n\u25cf SNDRY = Miscellaneous activities (this is NOT a catch-all, see \nStudent Activity Accounts on the BPS website for approved \nlist) \n\u25cf BNKFE = Bank fees, such as fees for returned checks \nESTABLISHING A STUDENT ACTIVITY ACCOUNT \nStudent activity funds will be managed utilizing a Student \nActivity Agency Account. The Agency Account is a master", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "ESTABLISHING A STUDENT ACTIVITY ACCOUNT \nStudent activity funds will be managed utilizing a Student \nActivity Agency Account. The Agency Account is a master \naccount maintained by the City\u2019s Collector-Treasurer and is \nutilized to record deposits and expenses. All student activity \naccounts must utilize the City of Boston\u2019s tax ID number and be \nauthorized by the BPS chief financial officer and city treasurer. \nSchools seeking to set up a new student activity account within \nthe Student Activity Agency Account must contact the BPS \nFinance Office.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 3 of 13 \n \nWhen a new school leader begins at a BPS school, they should \ncontact the BPS Finance Office. Accounts should be reconciled \nprior to the account changing hands. \nDEPOSIT PROCEDURE \nTo deposit funds into your school\u2019s student activity account: \n1. Deposit funds at a Boston Citizens Bank branch using the \nunique deposit slips provided to your school. This is critical to \nensuring funds are deposited to your school\u2019s subaccount \nand simplifying the reconciliation process. \na. If depositing funds for use in multiple different student \nactivities, schools must use a separate deposit slip for \neach pool of money. \n2. Complete the revenue breakdown form within 2 business \ndays of the deposit date to designate the funds to a program \n(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, \nBNKFE) and class (grade level). This allows the deposited \nfunds to be applied to your school\u2019s subaccount and \nreflected in BAIS Financials.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, \nBNKFE) and class (grade level). This allows the deposited \nfunds to be applied to your school\u2019s subaccount and \nreflected in BAIS Financials. \na. If a deposit is for multiple grades or undefined, utilize \nthe \u201c0000\u201d for all grades. \n3. Allow at least 5 business days for the deposit to be booked to \nyour school\u2019s subaccount and reflected in BAIS Financials. \nSchools must notify the BPS Finance Office when they are \nrunning low on unique deposit slips, not when they\u2019ve run out of \ndeposit slips, so additional deposit slips may be ordered and \ndelivered to the school.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 4 of 13 \n \nTRANSFER PROCEDURE \nTo request a transfer within your school\u2019s student activity \naccount: \n1. Submit the transfer request form, which requires a \njustification letter be attached documenting the request. \nTransfer Request Justification Template \n2. Allow at least 5 business days for the transfer to be reflected \nin BAIS Financials. \nEXPENDITURE PROCEDURE \nStandard Purchasing \nTo make a purchase out of your school\u2019s student activity account: \n1. Confirm the company/venue is already an approved city \nvendor by looking them up in BAIS Financials or determine if \nthe individual needs to be \u201chired\u201d and paid through the city\u2019s \npayroll system. \na. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nb. New vendors should register online (see step-by-step \nguidelines for registering online).", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "be hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nb. New vendors should register online (see step-by-step \nguidelines for registering online). \n2. After confirming the company/venue is an approved city \nvendor, enter a requisition for student activities using the \nfollowing information: \nFund Number: 470", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 5 of 13 \n \nAccount: Should be appropriate to the requisition. An \nexample is account 52811 for a field trip. If unsure, review \nthe account code list or contact BPS Purchasing. \nProgram: An alpha entry matching the revenue breakdown \nof SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, or \nBNKFE. \nClass: An alphanumeric entry matching the revenue \nbreakdown of: 0000 (all grades); BPSK0; BPSK1; BPSK2; \nBPS01; BPS02; BPS03; BPS04; BPS05; BPS06; BPS07; BPS08; \nBPS09; BPS10; BPS11; BPS12 \nBud Ref: 0000 \n3. Follow the standard purchasing guidelines outlined in the \nBusiness Services Manual to complete the requisition and \npurchase process. \nReimbursement \nTo request a reimbursement out of your school\u2019s student activity \naccount: \n1. Confirm the person is already properly hired or an approved \ncity vendor by looking them up in BAIS Financials. \nb. If you have a question about whether a \ncompany/venue is an approved city vendor or should", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "city vendor by looking them up in BAIS Financials. \nb. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nc. New vendors should register online (see step-by-step \nguidelines for registering online).", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 6 of 13 \n \n2. After confirming the person is an approved city vendor, \ncomplete and submit a hard copy of the Non Order form \nwith details of the expense, funding source, and amount. \nReimbursement instructions can be found in \nSuperintendent\u2019s Circular FIN-03. \n \nStaff seeking reimbursement out of the Student Activity Account \ncan receive reimbursement for tax on purchases; however, tax \ncan be saved by going through the standard purchasing process. \nReach out to Lisa Greaves or Bob Cass with any reimbursement \nquestions. \nThe Business Services Guide may be a helpful resource for further \ninquiries on purchasing. \nCHECKING STUDENT ACTIVITY ACCOUNT BALANCES \nTo check your school\u2019s student activity account balance: \n1. Log into BAIS Financials. \n2. From the main menu drop-down options, select \nREPORTING TOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "2. From the main menu drop-down options, select \nREPORTING TOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-\ndown options. \n6. In the blank next to \u201cbegins with,\u201d enter \nY_GL_QRY_SCH_ACT_BUDGET_BAL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. In the blank next to \u201cdepartment,\u201d enter your school\u2019s 6-\ndigit RC code. \n9. Click VIEW RESULTS: \na. Scroll through all the line items to find balances (there", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 7 of 13 \n \nwill likely be several rows that show no balance) OR \nb. Download the results and filter out all the rows without \na balance. \nTo check deposits and expenditures in your school\u2019s student \nactivity account: \n1. Log into BAIS Financials \n2. From the main menu drop down options, select REPORTING \nTOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-\ndown options. \n6. In the blank next to \u201cbegins with,\u201d enter \nY_GL_QRY_EXP_PO_CN_DTL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. Enter the following for the blanks: \na. Fund Code: 470 \nb. Organization: Your school\u2019s 6-digit RC Code \nc. Program Code: % \nd. Sub-Classification: % \ne. Project/Grant: % \nf. Account: % \ng. Budget Reference: % \nh. From Accounting Period: 1 \ni. To Accounting Period: 12 \nj. From Fiscal Year: Starting year (for example, if you just", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "e. Project/Grant: % \nf. Account: % \ng. Budget Reference: % \nh. From Accounting Period: 1 \ni. To Accounting Period: 12 \nj. From Fiscal Year: Starting year (for example, if you just \nwant to look at this current school year, you\u2019d enter \n2024, but if you wanted to look at the account over \ntime, you\u2019d enter 2018). \nk. To Fiscal Year: Ending year. \n9. Click VIEW RESULTS.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 8 of 13 \n \nREPORTING \nMonthly Reconciliation Reports \nBy the 5th of each month (September - July): \n1. Complete the monthly reconciliation report for the previous \nmonth, reconciling your school\u2019s PeopleSoft balance with \nsubmitted revenue breakdown forms and expenditure \nrequests. \n2. Completed monthly reconciliations should be sent to school \nleader, all student organization leadership (and/or parent \ncouncil leadership if elementary school), and Charlie Ng by \nthe 5th of each month for the previous month (example: for \nthe February reconciliation, submit by March 5). PDFs should \nbe uploaded to your school\u2019s SAA reporting folder and saved \nfor 7 years. \nYear End Reconciliation \nBy June 21: \n1. Complete Form B for each additional bank account \nassociated with the school (Form B doesn\u2019t need to be \ncompleted for the student activity and before/after school \naccounts) and record every transaction for each account.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "associated with the school (Form B doesn\u2019t need to be \ncompleted for the student activity and before/after school \naccounts) and record every transaction for each account. \nAdditional bank accounts include 501c3, BEDF, Parent \nCouncil, and Sunshine Fund accounts. \n2. A final monthly reconciliation report should be submitted by \nJuly 5 to close out the student activity account for the school \nyear \n3. Completed forms should be sent to Charlie Ng.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 9 of 13 \n \nCASH POLICY AND RECORD-KEEPING \nInternal Records And Ledgers \nSchools must keep detailed records of their receipts and \nexpenses for the account. Records should contain, at minimum, \nthe level of detail provided in the example ledger by line. The \nspecific purpose/activity of all money should be tracked. It is \nrecommended that for individual activities, such as a specific \nfield trip or event, schools also track all receipts and expenses (i.e., \nall revenue and expenses for prom). A copy of these records \nshould be housed in your school\u2019s SAA folder. The purpose of \nthese records is to: \n\u25cf Ensure bank deposits match the total receipts of fees and \nfund-raised money. \n\u25cf Ensure entirety of the money is spent on the intended \npurpose, benefiting solely the students who the money was \nraised for/by. \n\u25cf Avoid large surpluses and deficit spending. \nCash Policy \nCash boxes may be used to receive cash and checks and make", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "purpose, benefiting solely the students who the money was \nraised for/by. \n\u25cf Avoid large surpluses and deficit spending. \nCash Policy \nCash boxes may be used to receive cash and checks and make \nchange during fundraising activities. \nAs needed, the cash box may be signed out to staff and student \norganizations as long as a cash box log is completed each time \nthe cash box is signed out. \nSchools need to keep records of collected cash and checks. When \n$10 or more is collected from an individual, a pre-printed carbon \nreceipt must be issued to that individual. Carbon copies of \nreceipts should be submitted to the school leader along with", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 10 of 13 \n \ncollected cash and checks WITHIN 24 HOURS of receipt. In cases \nof a large number of transactions in a short period of time, the \nreceipt log should be used to provide a record of individual \ntransactions and be submitted to the school leader along with \ncollected cash and checks WITHIN 24 HOURS of receipt. \nWhen less than $10 is collected from an individual, a pre-printed \ncarbon receipt does not need to be issued. Rather, the person \nhandling the cash box needs to record the collected funds on the \nreceipt log. The receipt log should be submitted to the school \nleader along with collected cash / checks WITHIN 24 HOURS of \nreceipt. \nThe cash box must be reconciled daily by two individuals. Once \nthe cash is counted, each individual should initial the cash box \nreconciliation form. \nCollected cash / checks totaling under $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN A WEEK of receipt.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "reconciliation form. \nCollected cash / checks totaling under $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN A WEEK of receipt. \nTotal collected cash / checks exceeding $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN 72 HOURS of receipt.", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 11 of 13 \n \nCLOSURE OF ACCOUNTS \nClosure of Class Accounts at Graduation \nThe following procedures should be followed with respect to \nclass accounts at graduation: \n1. Keep class accounts open and active for 90 days after \ngraduation to allow for outstanding bills to be received and \npaid. \n2. After 90 days, remaining funds must either be: \na. Transferred to a separate account established by class \nmembers, not using the city\u2019s tax ID number. \nb. Transferred to the school\u2019s SNDRY, 0000 (all grades) \nline. \nClosure of Inactive Accounts \nThe following procedures should be followed with respect to \ninactive and undesignated accounts at the district level: \n1. Accounts will be closed, and remaining balances will be \ntransferred to the Student Activity Agency Account. \n2. Remaining balances will be distributed across all schools\u2019 \nSNDRY, 0000 (all grades) lines. \nThe following procedures should be followed with respect to", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "2. Remaining balances will be distributed across all schools\u2019 \nSNDRY, 0000 (all grades) lines. \nThe following procedures should be followed with respect to \ninactive accounts at the school level: \n1. Provide written notification about the inactive account to \nthe BPS Finance Office. \n2. If the account should be closed out and has a balance of \nfunds: \na. The balance of recognized student activity funds \nshould be moved into the appropriate program and", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 12 of 13 \n \nclass subaccounts. \nb. The balance of unrecognized student activity funds \nshould be moved into the school\u2019s SNDRY, 0000 (all \ngrades) line. \nRESOURCES \nFor additional information and resources on Student Activity \nAccounts: \n\u25cf Student Activity Account: Policies & Procedures Manual \nStudent Activity Account Website \n\u25cf SAA Slide Deck \n\u25cf 7-minute Overview Presentation \n\u25cf Purchasing Manual \n\u25cf Massachusetts General Law \nPlease contact the Finance Office if you have any student activity \naccount questions not addressed in this circular. \nQuestions related to deposits, fund balances, and account status \nshould be directed to: \nSpecial Accounts Manager, finance-\nstaff@bostonpublicschools.org \nInternal Controls Project Manager, finance-\nstaff@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "content": "Superintendent\u2019s Circular FIN-04 \nPage 13 of 13 \n \nQuestions related to purchases from this account should be \ndirected to: \nAssistant Business Manager, finance-\nstaff@bostonpublicschools.org / 617-635-6758 \nQuestions related to reimbursements from this account should \nbe directed to: \nPrincipal Account Clerk finance-staff@bostonpublicschools.org / \n617-635-9472 \nUnit Leader of Business Services/Accounts Payable \nfinance-staff@bostonpublicschools.org / 617-635-9469 \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-09 \nVersion 01 \n \n \nPRIVATE CONTRIBUTIONS MANAGEMENT GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBOSTON PUBLIC SCHOOLS PRIVATE CONTRIBUTIONS \nAll external funding \u2014 to the district as a whole, individual \nschools, central offices, or fiscal sponsorship \u2014 that is received \nfrom private sources, such as foundation grants, contributions, \nand individual donations other than public state and federal \ngrants, must adhere to the established rules and guidelines set \nforth in this circular. \nSchools may not receive cash grants directly into activity \naccounts or any other accounts maintained by the school (see \nSuperintendent\u2019s Circular FIN-04, Student Activity Accounts). \nSchools and departments may solicit in-kind services and \ncontributions from private sources (businesses, non-profit \nfoundations, and individuals) to be made to the Boston Public", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Schools and departments may solicit in-kind services and \ncontributions from private sources (businesses, non-profit \nfoundations, and individuals) to be made to the Boston Public \nSchools via the Boston Educational Development Foundation, \nInc. (BEDF) in accordance with the guidelines set forth in State \nEthics Commission opinion EC-COI-12-1. Programs funded by \nprivate philanthropy must further BPS goals. Funds will not be \naccepted from sources specifically precluded by the School \nCommittee (there are no fund sources specifically precluded at \nthis time).", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-09 \nPage 2 of 7 \n \n \n \nROLES AND RESPONSIBILITIES \nAll private funds must comply with funders\u2019 intentions and \nguidelines established by BEDF regarding programming, \nspending, accounting, and auditing, as well as related to civil \nrights, access, and confidentiality as per the public use of these \nfunds. \nThe program supervisor is the individual who will be responsible \nfor overseeing the program(s) or initiative that private \ncontributions are funding. \nThe fund manager is the department head or the respective \nprincipal/head of school and/or a designee and will be the \nprimary point of contact for all management issues for BEDF. The \nfund manager will take fiscal responsibility for managing private \ncontributions and assure the submission of proper reporting to \nfunders. \nBEDF has fiduciary and financial oversight responsibility for \nprivate-funded programs, including compliance with all relevant", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "funders. \nBEDF has fiduciary and financial oversight responsibility for \nprivate-funded programs, including compliance with all relevant \nregulations and reporting. BEDF must sign contracts and other \nlegal documents that could raise a liability and oversee the full \nexecution of grant agreements and/or award letters. BEDF will \nfollow guidelines set by its Board of Directors and funders\u2019 \nrestrictions and will collaborate to comply with other \nrequirements related to civil rights, access, and confidentiality. \nABOUT BEDF", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-09 \nPage 3 of 7 \n \n \nMission \nThe Boston Educational Development Foundation, Inc. (BEDF) \nwas founded in 1984 by the superintendent and School \nCommittee for departments and schools to improve their ability \nto raise money from private sources including foundations, \ncorporations, and individuals. \nBEDF is a 501(c)(3) that exists to improve educational \nopportunities for the students of BPS. BEDF provides fiscal \nsponsorship and fundraising support for programs and \nopportunities that may otherwise not be possible, such as: out of \nschool time; enrichment and health initiatives for students; \nleadership and professional development for teachers; \nengagement and learning programs for families; and multiple \nacademic initiatives. \nFiscal Sponsorship Services \nBEDF provides general, financial, and administrative \nmanagement and staffing to private-funded programs that \nfurther the educational aims and goals of BPS. BEDF also", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Fiscal Sponsorship Services \nBEDF provides general, financial, and administrative \nmanagement and staffing to private-funded programs that \nfurther the educational aims and goals of BPS. BEDF also \nprovides fundraising support in the following areas: grant \nseeking and administration; assistance in grants review and \nsubmission; and the creation of online fundraising campaigns for \nschools and programs. \nIndirect Rate \nBEDF charges an 8% indirect rate on all grants, donations, \nsponsorships, and other charitable contributions for which BEDF \nserves as the fiscal sponsor. This indirect rate does not apply to \nany BPS student scholarships. The BEDF Board of Directors has \nthe authority to change the rate at any time by giving written \nnotice to Fund Managers.", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-09 \nPage 4 of 7 \n \n \n \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for private funding opportunities from a variety of sources. \nSchool fundraising is a team process within the \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the programs to be \ninvolved. Heads of schools, principals, and other administrative \nheads must be aware of and approve private solicitations for \nprograms that will take place under their supervision. \nIntent to Apply \nAll BPS entities planning to pursue a private funding opportunity \nmust submit an online Intent to Apply Form (for asks above \n$10,000) 1-3 months prior to the deadline for submission, if \npossible. This will ensure that potential funding applications are \nconsistent with BPS goals and are not in conflict with other BPS \nsolicitations to the same agencies and funders.", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "possible. This will ensure that potential funding applications are \nconsistent with BPS goals and are not in conflict with other BPS \nsolicitations to the same agencies and funders. \nThe Intent to Apply Form will be revised on a weekly basis by the \ncross-functional BPS Grants Review Team and will communicate \na recommendation to the applicant. Upon confirmation, you will \nreceive a completed grant cover page to be signed by your \ndepartment head/supervisor. For grant applications seeking \nletters of support, a brief form will be attached as well. \nPOST AWARD \nBEDF holds private funds through a set of strictly segregated \nfunds (previously called accounts). Either fund managers or \nfunders must forward the award letter and/or grant agreement \n(that includes program and budget information) along with the", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-09 \nPage 5 of 7 \n \n \ndeposit form to BEDF. If a new account is needed, the fund \nmanager should submit the proper form. BEDF will notify within \nfive business days upon receipt. \nSPENDING, MONITORING, AND REPORTING \nSpending \nFunds held at BEDF will adhere to BEDF current spending, \nfinancial, and administrative policies regarding accounts \nreceivable and payable, employee stipend documentation, and \nany other administrative controls established. For privately \nfunded programs, BEDF only compensates individuals as \nindependent contractors (1099) or through the BPS approved \ncommitment letter process (if individuals are BPS employees). \nIndividuals are subject to applicable state and federal taxes. \nPrograms will keep their own records to comply with applicable \nBPS regulations. Please contact BEDF at admin@bedf.org for \ndetailed information. \nThe BEDF executive director must co-sign all contracts and other", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "BPS regulations. Please contact BEDF at admin@bedf.org for \ndetailed information. \nThe BEDF executive director must co-sign all contracts and other \ndocuments in which BEDF could incur liability, legal exposure, or \nfinancial obligations, including purchase orders and grant \nagreements, on behalf of the programs. \nFor internal controls, all expenses require signoff by the fund \nmanagers or designee before any costs can be incurred or \npayments released. \nThe fund manager is responsible for monitoring the spending of \nthe private funds. This includes assuring that the funds are being \nused for allowable expenses; spending according to the \ncontribution timeline; entering receipt for goods/services; and \nsubmitting invoices to BEDF for all matters related to their", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-09 \nPage 6 of 7 \n \n \nprogram budget. In case private-funded program budgets need \nto be amended, they should get approval from the funder. BEDF \nwill ensure these responsibilities are fully completed in \naccordance with the provisions of the funder and these \nguidelines. \nMonitoring \nFund managers are responsible for preparing and submitting \ninterim reports as requested by funders. BEDF will support \ncompletions and take the appropriate steps to ensure timely \nreport submission. \nProgrammatic grant reports are the responsibility of the fund \nmanager who is overseeing the program being funded. Fund \nmanagers must send a copy of completed reports to BEDF. \nFinal Reports \nBEDF will produce a financial report to be finalized and \ncomplemented with program outcomes by the fund manager in \norder to complete and submit a final report as per the funder \nguidelines. Please submit a copy of the final version to BEDF for", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "complemented with program outcomes by the fund manager in \norder to complete and submit a final report as per the funder \nguidelines. Please submit a copy of the final version to BEDF for \nrecord keeping purposes. BEDF will take proper measures to \nassure fiduciary responsibility to funders, including freezing the \nactivity of the fund until submission is complete. \nAUDITING \nThe fund manager and program supervisor will collaborate with \nauditors, consultants, and program advisors as requested by \nBEDF to ensure compliance with tax regulations and impact \nassessment of the partnership with BPS, including site visits and \ndata collection efforts.", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "content": "Superintendent\u2019s Circular FIN-09 \nPage 7 of 7 \n \n \nFor general inquiries, please email admin@bedf.org. \n \nFor more information about this circular, contact: \nOwner Email \nExecutive Director, BEDF admin@bedf.org \nDirector of Finance and \nOperations, BEDF \n admin@bedf.org \nAssistant Director of \nFinance, BEDF \n admin@bedf.org \nResource Development & \nCommunications Manager, \nBEDF \n admin@bedf.org \nFinance Associate, BEDF admin@bedf.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-03 \nVersion 01 \n \n \n \nGUIDELINES AND PROCEDURES FOR ACCESSING \nSTUDENT DATA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nBoston Public Schools recognizes and values the planning, \nresearch, and evaluation work done by our partner organizations, \npolicymakers, and the greater education community to improve \neducation. The Office of Data and Accountability has established \nthe following guidelines regarding the processing of data \nrequests to improve the quality, timeliness, security, and \nappropriateness of requests and request handling. Additionally, \nas the Office of Data and Accountability is charged with \nprotecting student privacy and confidentiality, all student data \nrequests will be evaluated against federal, state, and local data \nregulations to ensure student confidentiality. \nThe following data sources are considered directory information.", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "requests will be evaluated against federal, state, and local data \nregulations to ensure student confidentiality. \nThe following data sources are considered directory information. \nBy federal, state, and local laws, they can be given to external \nparties without explicit consent from parents/guardians. All other \nstudent data are not considered directory and should not be \nshared with members of the public without express consent from \nparents/guardians or unless disclosure is expressly permitted by \nan exemption under federal or state law. Schools should not \nshare any non-directory student data with external parties,", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 2 of 11 \n \n \nmembers of the public, or media outlets. Common examples of \nnon-directory information that should not be shared include, but \nare not limited to, date of birth, BPSID, and school name. All \nrequests for non-directory student information should be \ndirected to the Office of Data and Accountability. \nDirectory Information: \n1. Student\u2019s name \n2. Age \n3. Grade Level \n4. Dates of enrollment \n \nGUIDELINES AND PROCEDURE FOR ACCESSING STUDENT DATA \nPublicly Available Data \nThe Boston Public Schools (BPS) and the Massachusetts \nDepartment of Elementary and Secondary Education (MA DESE) \nmake a number of datasets and reports publicly available online. \nBefore submitting a data request, please review Appendix I to see \nif your data request is included in publicly available data. \nAdditionally, BPS departments regularly make presentations to \nthe Boston School Committee. See Appendix I for links to", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "if your data request is included in publicly available data. \nAdditionally, BPS departments regularly make presentations to \nthe Boston School Committee. See Appendix I for links to \nmaterials from School Committee meetings.. Appendix I includes \nthe following types of data available for public use.\n\u25cf General data profile of \nBPS \n\u25cf Student Attendance \nand Discipline \n\u25cf Standardized test \nresults \n\u25cf School Climate \n\u25cf Student Enrollment \nand Demographics \n\u25cf High School and \nPostsecondary", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 3 of 11 \n \n \n \nFor school personnel, there are additional reports available in \nAspen and Panorama. \nLegal Guidelines on Requesting Student Data \nIf your data needs are not met by publicly available reports \nprovided by BPS and MA DESE (see Appendix I), you may be able \nto request certain additional data. The Family Educational Rights \nand Privacy Act (FERPA), the Massachusetts Department of \nElementary and Secondary Education (MA DESE), and the Boston \nPublic Schools establish regulations that maintain family and \nstudent data privacy rights. These regulations restrict BPS and \nschools governed by BPS from providing personally identifiable \ninformation without family or student consent1. Additionally, any \nindividual or organization intending to use BPS student data for \nresearch and/or evaluation purposes must submit a research \nproposal to the district before any research activities, including", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "individual or organization intending to use BPS student data for \nresearch and/or evaluation purposes must submit a research \nproposal to the district before any research activities, including \nadministrative data sharing, may take place. Receipt of grant \nfunds does not guarantee approval to conduct research by the \nBPS Office of Data and Accountability. Guidelines for conducting \nresearch in BPS and the research application can be found on the \nBPS website. \nFor data requests that include either identifiable or de-identified \n \n1 Exceptions may apply to the general data request \nrequirements. Three common exceptions include: \n1. District sponsored-studies to improve instruction (Studies); \n2. Evaluations or audits of federally-mandated programs \n(Audit); or \n3. Provisions of data to appropriate school and central office \nstaff (School Official)", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 4 of 11 \n \n \nstudent-level data, a written and signed agreement will be \nrequired, depending on the scope of the request. The Office of \nData Accountability will communicate with all requesters to \nexecute the appropriate agreements prior to sharing data. \nFor requests for individual student records, please see the BPS \nSuperintendent\u2019s Circular LGL-7: Privacy of Student Information \nand Student Record Procedures: How to Respond to Student \nRecord Requests in Compliance with FERPA and State Law.", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 5 of 11 \n \n \nIn order to determine the next steps for your data needs: \nWHAT CATEGORY OF DATA IS REQUESTED? \n \nLevel of Data Data Request Requirements \nAggregate Data \nDe-identified aggregate level data is generally \navailable to requesters without explicit \nparent/guardian consent. Aggregate groups that \ncontain fewer than 10 students will be suppressed to \nprotect privacy. To gain access to this data please see \nthe section below on the process to request data. \nStudent-Level \nAdministrative \nData \nDe-identified student-level administrative data \nrequires a current signed non-disclosure agreement \n(NDA) with the Office of Data and Accountability. \nStudent-Level \nRoster Data \nIdentifiable student-level roster data requires current \nfamily consent as well as a current signed NDA with \nthe Office of Data and Accountability.", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 6 of 11 \n \n \nWHO IS REQUESTING DATA? \nRequester Notes \nBPS Officials \nand School \nPersonnel \nSchool leaders have access to identifiable and individual \nstudent data only for the students in their school for the \nacademic year that they are enrolled in the school. \nTeachers have access to identifiable and individual \nstudent data only for the students they are teaching in \nthat academic year. \nResearcher All research requests must go through the research \nproposal process. \nBPS School- \nCommunity \nPartners \nBPS deeply values and recognizes school-community \npartnerships as a key strategy in our collective efforts to \nensure all our students achieve success in college, career, \nand life. Data can be an important tool for partners to \neffectively collaborate with schools to strengthen \nservices for students. For partners to collect or access \nany data about students, school-community partners \nmust be fully registered on PartnerBPS. A complete", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "services for students. For partners to collect or access \nany data about students, school-community partners \nmust be fully registered on PartnerBPS. A complete \nregistration on PartnerBPS includes registration of all \nprograms the Partner runs in BPS and all partnerships \nthey have with BPS schools. More information on the \nPartnerBPS registration process can be found here. \nPartners must also have active parental consent to \nobtain individual and identifiable data on students \nunless the request falls under the FERPA exceptions. \nFurthermore, partners must sign a Non-Disclosure \nAgreement with the district before receiving any data. If \na school-community partner has any agreement with \nschools including memoranda of understanding,", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 7 of 11 \n \n \ncontracts for services, and/or school-based partnership \nagreements, this must also be provided when \nsubmitting a data request. Typical school-community \npartner data requests include student demographics, \nquarterly attendance, and course grades for consented \nenrolled students. \nMedia All media requests must go through the BPS \nCommunications Office. \nAgencies \noutside of BPS \nAgencies may receive aggregate level de-identified data. \nAny aggregate group of fewer than 10 students may be \nsuppressed to protect student privacy. \n \nPROCESS FOR REQUESTING DATA \nTo receive data according to the guidelines listed above, requests \nmust be submitted through the Office of Data and \nAccountability\u2019s Data Request Form. \nIn preparation for completing the form, please have the following \ninformation available: \n\u25cf Purpose/Use: how will the requested data be used? \n\u25cf Intended Audience: with whom will you share the", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "In preparation for completing the form, please have the following \ninformation available: \n\u25cf Purpose/Use: how will the requested data be used? \n\u25cf Intended Audience: with whom will you share the \ndata/analysis? Note: depending on the nature of the data \nrequest, some data may not be appropriate for sharing \nwith the public. \n\u25cf Summary of data request: please describe in detail what \ndata is being requested, including school years, student \npopulation, student attributes, and data scope. \n \nPlease note that if you are requesting data for a specific group of", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 8 of 11 \n \n \nstudents, BPS student ID numbers or state-assigned student ID \nnumbers must be provided. Requests without ID numbers will \nnot be fulfilled. \nAfter submitting the form, requesters will receive an automatic \nconfirmation email. If analysts have any clarifying questions, they \nwill reach out to the requester within 3-5 business days. While \nODA endeavors to fulfill all non-research requests within 15 \nbusiness days, high volume and more complex requests may \ndictate a longer turnaround time. As such, we will attempt to \nfulfill partner data requests with an already executed NDA within \n15 business days; and, we will attempt to fulfill research requests \nwith a fully executed NDA within 25 business days. Please plan \naccordingly when submitting a data request. The Office of Data \nand Accountability reserves the right to deny certain data \nrequests. \n\u25ba All requests from the media must go through the BPS", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "accordingly when submitting a data request. The Office of Data \nand Accountability reserves the right to deny certain data \nrequests. \n\u25ba All requests from the media must go through the BPS \nCommunications Office. Communications can be \nreached at 617-635-9265 or \ncommunications@bostonpublicschools.org. \n\u25ba All public records requests should be submitted through \nthe City of Boston\u2019s online Public Records Center. \nFEES FOR DATA REQUESTS \nSome data requests may incur a fee, dependent on size, the time \nrequired, and the scope of the request. Upon receipt of a data \nrequest, the Office of Data and Accountability will communicate \nwith the requester and provide a fee estimate, if applicable. \n \nFor additional information about this circular, contact:", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 9 of 11 \n \n \nOwner Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9450 \nEmail: rc069@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 10 of 11 \n \n \nAPPENDIX I: PUBLICLY AVAILABLE DATA \nOverview of Boston Public Schools \n\u25cf BPS At a Glance \n\u25cf Facts and Figures \n\u25cf Boston District Profile (MA DESE) \n\u25cf BPS School Profiles (MA DESE) \n\u25cf Data and Reports produced by the Office of Data and \nAccountability \n\u25cf School Committee Meetings Materials \nStandardized test results \n\u25cf MCAS results by school and district, with options to \ndisaggregate by subgroup and grade level \n\u25cf PARCC results by school and district, with options to \ndisaggregate by subgroup \n\u25cf NAEP results \n\u25cf ACCESS results \nStudent Enrollment and Indicators \n\u25cf Attrition \n\u25cf Enrollment by Grade - Number of students by grade \n\u25cf Enrollment by Kindergarten - Enrollment by Kindergarten \n\u25cf Enrollment by Race/Gender - Percent of public school \nstudents by race and gender. \n\u25cf Enrollment by Selected Population - Number and percent \nof public school students in subgroups: First Language", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "\u25cf Enrollment by Race/Gender - Percent of public school \nstudents by race and gender. \n\u25cf Enrollment by Selected Population - Number and percent \nof public school students in subgroups: First Language \nNot English (FLNE), English Language Learners (ELL), \nStudents with Disabilities, High Needs, and Low Income. \n\u25cf Enrollment for Students with Disabilities and CVTE \n\u25cf Mobility Rate Report - Students transferring into or out of \npublic schools, districts, or the state.", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "Superintendent\u2019s Circular ODA-03 \nPage 11 of 11 \n \n \n\u25cf Student Attendance Report \n\u25cf Student Retention Report \n\u25cf Student Discipline - Student Discipline data is reported \nfrom the Student Safety and Discipline Report (SSDR) \n\u25cf Student Discipline Days Missed Report - Student \nDiscipline Days Missed Report \nSchool Climate \n\u25cf Reports can be found on the BPS website. \nHigh School and Postsecondary Data \n\u25cf Advanced Placement Participation - Number of students \nwho took one or more Advanced Placement exams for \neach subject. \n\u25cf Advanced Placement Performance - Number of students \nwho received each possible score on the Advanced \nPlacement exam for each subject. \n\u25cf Dropout Report - This report provides the percentage of \nMassachusetts public high school graduates who drop \nout of high school. \n\u25cf Graduates Attending Higher Ed. - Graduates Attending \nHigher Ed. \n\u25cf Graduation Rates - Percent of students who graduate \nwith a regular high school diploma within 4 or 5 years by \nstudent group.", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "content": "\u25cf Graduates Attending Higher Ed. - Graduates Attending \nHigher Ed. \n\u25cf Graduation Rates - Percent of students who graduate \nwith a regular high school diploma within 4 or 5 years by \nstudent group. \n\u25cf MassCore - The Massachusetts High School Program of \nStudies (MassCore) is intended to help our state's high \nschool graduates arrive at college or the workplace well \nprepared and reduce the number of students taking \nremedial courses in college. \n\u25cf Plans of High School Grads \n\u25cf SAT Performance", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-02 \nVersion 01 \n \n \nTEST SECURITY AND ETHICS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to ensure that all BPS staff \nunderstand and follow the appropriate procedures for test \nadministration and security on all state and local tests where \nsome or all content is deemed to be secure content that must \nnot be given to or accessed by unauthorized persons. This \nincludes, but is not limited to, paper or digital information. This \ncircular also outlines the reporting requirements in the case of a \nsecurity breach or a test irregularity. \nREQUIREMENTS \nTesting is not at the option of parent/guardian or the school, \nexcept if a student is not required to be tested based on certain \nconditions that are specified in the specific testing requirements. \nAppropriate testing accommodations must be provided to \neligible students on test day as documented in the students\u2019", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "content": "conditions that are specified in the specific testing requirements. \nAppropriate testing accommodations must be provided to \neligible students on test day as documented in the students\u2019 \ncurrent Individualized Education Programs (IEPs), Section 504 \nPlans, or English Learner (EL) plans. \nSchool leaders and test administrators must read and adhere to \nall test procedures in the instructions that are issued by the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) and/or the Boston Public Schools. Visitors", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "content": "Superintendent\u2019s Circular ODA-02 \nPage 2 of 4 \n \n \nare never permitted in the school\u2019s designated testing area; but \nMA DESE and/or BPS staff may make announced or \nunannounced visits to schools during testing days to ensure \ncompliance with testing procedures. \nSchools must enforce a strict electronic devices policy during \ntesting to maintain test security. The term electronic device \nincludes any personal, non-educational device with an on-off \nswitch (with the exception of medical equipment), most \ncommonly cell phones, smart phones, iPods, iPads, iWatch, \ntablets, laptops, and pagers. \nSchools must clearly inform students that bringing an electronic \ndevice into the testing area violates district and state policy, and \nviolation of this policy is grounds for confiscation. If brought to \nschool during testing, electronic devices must be stored in a \nsecure location away from students. Acceptable storage includes \nin a bag, backpack, locker, central location in a classroom, or", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "content": "school during testing, electronic devices must be stored in a \nsecure location away from students. Acceptable storage includes \nin a bag, backpack, locker, central location in a classroom, or \nschool office. \nConsistent with the district\u2019s Acceptable Use Policy (AUP), school \nleaders have the authority to enforce security measures on \nelectronic devices when used to access testing materials and \nremove devices found to be in violation of the AUP. If any of the \nelectronic devices are accessed during testing, the student\u2019s test \nis compromised and is to be invalidated due to prohibited \nbehavior, even if the student did not use the device. For \nsuspected student cheating or electronic device violations, the \nschool should conduct the investigation of the incident, report \nthe test violation, and follow their school\u2019s disciplinary \nprocedures to impose sanctions.", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "content": "Superintendent\u2019s Circular ODA-02 \nPage 3 of 4 \n \n \nPENALTIES \nFailure by BPS staff to adhere to the Test Security and Ethics \nRequirements may result not only in sanctions and \nconsequences imposed by the state as outlined in the specific \nassessment policy, but also in disciplinary action by the \nsuperintendent. \nPROCEDURES IF TEST IRREGULARITIES OCCUR OR IF YOU \nSUSPECT A SECURITY VIOLATION \nEach person directly involved in secure test administrations is \nresponsible for immediately reporting any violation or suspected \nviolation of test security. If questions arise concerning test \nsecurity or if any situation occurs that could compromise any part \nof the test administration process and procedure for any state \ntests, call the MA DESE at 781-338-3625 immediately and/or \nreport the incident using any required form. Please also advise \nyour immediate supervisor and the Office of Data and \nAccountability. For any suspected BPS district assessment test", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "content": "report the incident using any required form. Please also advise \nyour immediate supervisor and the Office of Data and \nAccountability. For any suspected BPS district assessment test \nviolations or irregularities, contact the Office of Data and \nAccountability at 617-635-9450.", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "content": "Superintendent\u2019s Circular ODA-02 \nPage 4 of 4 \n \n \nFor additional information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-01 \nVersion 01 \n \n \nPROCEDURES FOR CONDUCTING EDUCATIONAL \nRESEARCH \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to define the policy and procedures \nfor conducting educational research in the Boston Public \nSchools. \nOVERVIEW \nThe mission of the Boston Public Schools\u2019 Office of Data and \nAccountability is to serve the BPS community by facilitating \naccess to quality information and building capacity to make data-\ndriven decisions that advance educational equity, opportunity, \nand achievement for all students. Research is one way to \nfacilitate our community\u2019s access to quality information. It is the \nresponsibility of the Office of Data and Accountability to ensure \nthat researchers have access to quality data and can responsibly \ninterpret the results. As such, the Office of Data and \nAccountability reviews and approves research that works to", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "that researchers have access to quality data and can responsibly \ninterpret the results. As such, the Office of Data and \nAccountability reviews and approves research that works to \nadvance educational equity, opportunity, and achievement for all \nstudents by ensuring responsible access to and use of quality \ndata. \nAll research activities must be coordinated through the Office of \nData and Accountability\u2019s BPS Research Team. ODA approval is", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "Superintendent\u2019s Circular ODA-01, \nPage 2 of 4 \n \nnot required for research that uses data that is publicly available \nsources such as on the BPS public website. A list of current \nsources of publicly available data can be found in the appendix of \nthe Policy and Guidelines document. In these instances, the \nresearcher may use the data presented from these sources as \nlong as the sources are cited, and any modifications or analysis \ndone by the researcher are clearly delineated. Approval by the \nresearcher\u2019s IRB and/or BPS school leaders does NOT guarantee \napproval of research proposals by the BPS Office of Data and \nAccountability (ODA). While research may be approved by ODA, \nBPS school leaders have the final say in whether their particular \nschool will participate in any given study. \nWHO MAY CONDUCT RESEARCH \nAny academic or professional organization or any individual \ndoing doctoral work may submit a proposal to conduct research", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "school will participate in any given study. \nWHO MAY CONDUCT RESEARCH \nAny academic or professional organization or any individual \ndoing doctoral work may submit a proposal to conduct research \nwith the Office of Data and Accountability in BPS. Doctoral \ncandidates must submit written evidence that their proposed \nresearch has been approved by their university\u2019s IRB and will be \nsupervised by their advisor(s). \nWHAT IS THE PURPOSE OF THE RESEARCH TEAM REVIEW? \nWhile it is necessary for all research submissions to have an \napproved/exempted IRB decision from their own institution, BPS \nrequires that all research is submitted to the BPS Research Team \nfor review prior to BPS approval. The BPS research review is not \nduplicative of the IRB process and aims to ensure the following: \n\u25cf The research is aligned with district priorities. \n\u25cf The research follows federal and local guidelines \nregarding conducting research with human subjects in", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "Superintendent\u2019s Circular ODA-01, \nPage 3 of 4 \n \nschool settings (This includes consent forms for all \nresearch participants; assurance that students receive no \nincentives of monetary value for students and not to \nexceed $50 for teachers; voluntary participation for all \nresearch subjects). \n\u25cf The research is not overly burdensome to classrooms and \nis new research that will advance the aims of the district. \n\u25cf The research is fully supported by an internal BPS staff \nmember (district sponsor) who is committed to using the \nresult of the research. \nWHAT ARE THE STEPS TO CONDUCTING RESEARCH IN THE \nBPS? \n1. Submit a research proposal adhering to the Guidelines and \nProcedures. In general, the research submission and review \ncalendar is as follows: \nReview Period Submission \nMonth \nReview Month Decision Letter \nSent \nP1 June 1-30 July 1-31 Mid-August \nP2 October 1-31 November 1-30 Mid-December \n2. For primary research (i.e., interviewing, focus groups,", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "Month \nReview Month Decision Letter \nSent \nP1 June 1-30 July 1-31 Mid-August \nP2 October 1-31 November 1-30 Mid-December \n2. For primary research (i.e., interviewing, focus groups, \nobservations, and in-person surveys), each researcher needs \nto have submitted and passed a CORI check. \n3. For secondary research (i.e., requesting administrative data: \nrecords that are maintained by the school district), \nresearchers need to submit a data request and sign a \nstandard NDA template. NOTE: for some administrative data \nrequests, a fee will be assessed to assist in the fulfillment of \nthe data pull.", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "Superintendent\u2019s Circular ODA-01, \nPage 4 of 4 \n \n4. Submit policy brief updates annually to your district sponsor \nand the Research Team \n(research@bostonpublicschools.org). \n5. Annually renew your research proposal with the BPS \nresearch team. \n6. For continuing research, the following needs to be \nsubmitted: \na. Cover page describing research activities already \nconducted and proposed changes to the study for the \nnext year \nb. Most recent policy brief describing interim findings \nc. Updated district sponsor letter \nd. Updated IRB approval for next year of research \n7. Submit a final report and policy brief (template) for review to \nresearch@bostonpublicschools.org once the study has been \nfinalized. The study is officially finalized once the final report \nand policy brief have been approved. \nFor additional information about this circular and the \napplication process, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "content": "For additional information about this circular and the \napplication process, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-07 \nVersion 01 \n \n \n \nREQUIRED DOCUMENTATION TO WITHDRAW \nSTUDENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular lists the documentation schools are required to \nobtain when withdrawing students and includes information on \nmonitoring processes conducted by the central office. \nFor the last several years, Boston Public Schools has been under a \nstate audit regarding our documentation of student withdrawals. \nAuditors found that we collect insufficient documentation of \nstudents categorized as withdrawals. The audit finding has been \nupgraded to a \u201cmaterial weakness,\u201d which is a more severe \nfinding. Lack of action could result in loss of federal funds (e.g., \nTitle 1) and/or the City\u2019s overall credit rating. The Systemic \nImprovement Plan required the district to revise withdrawal \nprocedures and implement controls for monitoring. All", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Title 1) and/or the City\u2019s overall credit rating. The Systemic \nImprovement Plan required the district to revise withdrawal \nprocedures and implement controls for monitoring. All \nadministrative school staff (school leaders, registrars, or any \nschool administrator whose responsibilities involve enrolling or \nwithdrawing students) are required to complete asynchronous \ntraining at the 2024 Management and Operations Institute. \nOVERVIEW OF REQUIRED DOCUMENTATION \nThis section seeks to clarify what documentation is required and \nacceptable. Schools can use this template to document", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 2 of 9 \n \n \n \ninteractions with families and upload along with supporting \ndocumentation or with a family signature. Your school may use \nyour own template as long as it contains the necessary \ninformation and has been approved by the central office (contact: \nstudent-withdrawal@bostonpublicschools.org). \nACCEPTABLE DOCUMENTATION TYPES FOR STUDENTS \nWITHDRAWING INCLUDES: \n1. A written request for a student\u2019s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This \nincludes requests from the receiving school that come to \nthe district through Scrib Order. \n2. Written record of a response from an official receiving \nschool or program acknowledging the student\u2019s enrollment. \n3. Written confirmation from a parent or guardian that their \nstudent has moved to another state or country and will be \ncontinuing their education.", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "3. Written confirmation from a parent or guardian that their \nstudent has moved to another state or country and will be \ncontinuing their education. \n4. Written confirmation from a parent/guardian updating the \nschool enrollment status of their child, including indication \nthat they will be continuing their education elsewhere. \n5. Letter from the BPS Office of Expanded Learning Time, \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process)", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 3 of 9 \n \n \n \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See \nAppendix for a table of withdrawal codes with acceptable \nmatching documentation. \nREQUIRED ELEMENTS OF SUFFICIENT WITHDRAWAL \nDOCUMENTATION FOR A TRANSFER STUDENT INCLUDE: \n1. Date when the transfer occurred or was confirmed, \nincluding the year. \n2. Identifiable name of the student withdrawing \n3. Identifiable information for who is confirming the \nwithdrawal, such as the parent name or receiving school \nregistrar\u2019s email address \n4. Indication that the student is continuing their education \nelsewhere \na. New school name is ideal but not required. Stating a \nstudent will enroll in a school elsewhere is sufficient if \nthe new school name is not known. \nWithdrawal documentation must be uploaded to the student \nrecord in Aspen at the time of the withdrawal in a non-editable", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "the new school name is not known. \nWithdrawal documentation must be uploaded to the student \nrecord in Aspen at the time of the withdrawal in a non-editable \nformat, such as a PDF, screenshot, scanned handwritten & signed \nwithdrawal form or letter. Word documents, Aspen journal \nentries, travel tickets or itineraries are not acceptable forms of \ndocumentation to confirm a transfer. \nMONITORING AND ACCOUNTABILITY \nSchool leaders will be required to identify a primary point of", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 4 of 9 \n \n \n \ncontact at their school for withdrawal related processes. \nAdditionally, school leaders will be required to sign off that they \nhave reviewed student records and that sufficient \ndocumentation exists for each student\u2019s withdrawal code. This \nsign off will align with the October state reporting period. Central \noffice staff will hold office hours and be available to answer \nquestions that may arise at this time period and will \ncommunicate these dates via the Friday Flyer and Weekly Recap. \nAdditionally, the central office team will be conducting periodic \naudits to confirm sufficient documentation is in place: Fall, Mid-\nYear, End of Year. Supervisors of attendance will be included as a \nresource to support schools in gathering the necessary \ndocumentation during review periods. \nFor questions and support, please contact the following: \nGeneral Questions student-withdrawal@bostonpublicschools.org \nTechnical Questions \nabout Aspen", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "documentation during review periods. \nFor questions and support, please contact the following: \nGeneral Questions student-withdrawal@bostonpublicschools.org \nTechnical Questions \nabout Aspen \nKevin Arias, karias@bostonpublicschools.org \nGraduation and \nDropout Reporting \nApryl Clarkson, \naclarkson@bostonpublicschools.org \nStudent Attendance \nRequirements \nBrian Marques, \nbmarques@bostonpublicschools.org \nSchool Specific \nQuestions \nSupervisors of Attendance, Regional \nOperational Leader and then School \nSuperintendent", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 5 of 9 \n \n \n \nTECHNICAL RESOURCES \nWithdrawal Code Guidance \nHow to Update Withdrawal Codes in Aspen \nHow to Upload Documents in Aspen \n\"Did Not Report\" Protocol for Students with IEPs \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9450 \nEmail: \nstudent-\nwithdrawal@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 6 of 9 \n \n \n \nAPPENDIX A: TRANSFER CODES WITH REQUIRED \nDOCUMENTATION \nBPS \nCode \nBPS Description State \nCode \nState \nDescription \nRequired \nDocumen-\ntation Type \n06 Mass. Public Boston Resident 20 Transferred \u2014 \nIn state public \n1, 2, 4 \n \n09 EOY Flip Record \n10 Batch Assignment process school \nchange \n12 Mass. Public Non-Boston Resident \n42 Discharged to Charter School \n43 Discharged to Virtual School - Mass \nPublic \n98 Residency Violation \n99 Discharged - Student ID Error \n01 Boston Parochial 21 Transferred \u2014 \nIn state private \n1, 2, 4 \n03 Mass. Parochial Non-Boston \nResident \n04 Mass. Parochial Boston Resident \n07 Mass. Private (Non-Parochial) \nBoston Resident \n11 Boston Private (Non-Parochial) \n13 Mass. Private (Non-Parochial) Non-\nBoston Resident \n15 Home (*KINDERGARTEN ONLY) \n44 Discharged to Virtual School - Mass \nPrivate \n19 Out of Country 22 \n \nTransferred \u2014 \nOut-of-State \n(public or \nprivate) \n1, 2, 3, 4 \n14 Out of State 1, 2, 4", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "15 Home (*KINDERGARTEN ONLY) \n44 Discharged to Virtual School - Mass \nPrivate \n19 Out of Country 22 \n \nTransferred \u2014 \nOut-of-State \n(public or \nprivate) \n1, 2, 3, 4 \n14 Out of State 1, 2, 4 \n45 Discharged to Virtual School - Out \nof State \n1, 2, 3, 4", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 7 of 9 \n \n \n \n05 Home Schooled 23 Transferred \u2014 \nHome-school \n5 \n30 Adult Diploma Program 24 Transferred \u2014 \nAdult diploma \nprogram \nleading to MA \ndiploma \n1, 2, 4 \nSS No longer receiving special ed \nservices only \n41 Transferred \u2014 \nno longer \nreceiving \nspecial \neducation \nservices only.", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 8 of 9 \n \n \n \nAPPENDIX B: NON-TRANSFER WITHDRAWAL CODES \nBPS \nCode \nBPS Description State \nCode \nState Description \n17 Graduate 04 Graduate with a Competency \nDetermination \n95 Expelled from BPS 05 Expelled \n96 Expelled from Other School \nSystem \n97 Multiple Expulsions \n16 Death 06 Deceased \n18 Student Reached Maximum \nAge (22 yrs.) \n09 Reached maximum age did not \ngraduate or receive a Certificate \nof Attainment \n33 Certificate of Attainment 10 Certificate of Attainment \n31 Grade 12 - Met local \nrequirements/Did not pass \nMCAS \n11 Completed grade 12 and district-\napproved program. (District does \nnot offer a Certificate of \nAttainment) \n23 GED 30 Dropout \u2014 Enrolled in a non-\ndiploma granting adult education \nor HiSET program \n27 Non-Diploma Educational \nProgram (non GED) \n32 Job Corps 31 Dropout \u2014 Entered Job Corps \n22 Military Service 32 Dropout \u2014 Entered the military \n28 Incarcerated 33 Dropout \u2014 Incarcerated district", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "27 Non-Diploma Educational \nProgram (non GED) \n32 Job Corps 31 Dropout \u2014 Entered Job Corps \n22 Military Service 32 Dropout \u2014 Entered the military \n28 Incarcerated 33 Dropout \u2014 Incarcerated district \nno longer providing educational \nservices \n21 Work 34 Dropout \u2014 Left due to \nemployment \n24 Over 16/No plans known 35 Dropout \u2014 Confirmed Dropout \nplans unknown 25 Illness \n26 Married Pregnant or Parenting \n51 Registered - Did Not Report 36 Dropout \u2014 and/or student", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "content": "Superintendent\u2019s Circular ODA-07 \nPage 9 of 9 \n \n \n \n52 Moved - No Forwarding Address status/location unknown \nD1 DNR More Than 8 Days", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-05 \nVersion 01 \n \n \n \nBPS SURVEY ADMINISTRATION GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. \u00a71232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the \nfollowing policy. Additionally, a student survey that is not \ndeveloped or administered with funds received from the United \nStates Department of Education also does not need to comply \nwith this policy. \nFor those student surveys that are developed or administered \nusing federal education funds and in which a student is required", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "with this policy. \nFor those student surveys that are developed or administered \nusing federal education funds and in which a student is required \nto participate, the following policy applies. This policy applies to \nthose surveys that ask a student to reveal any of the following \ninformation: political affiliation; mental illness or psychological \nproblems; sexual behavior and/or attitudes; illegal, self-\nincriminating, and demeaning behavior; critical appraisals of \nclose family members; relationships to which a privilege is \nrecognized, such as clergy, medical doctors, or attorneys; \nreligious affiliations or beliefs; and income, other than for", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 2 of 10 \n \n \n \neligibility for participation in a program. Prior to administering \nsuch a survey, the student\u2019s parent or guardian must consent, in \nwriting, to the student\u2019s participation in the survey. Also, a copy \nof the survey must be made available to the parent or guardian. \nAny such survey should also be brought to the attention of the \nOffice of Legal Advisor. \nPERCEPTION SURVEYS \nStudent, teacher, and family surveys are an effective tool to \nsupport success inside and outside of the classroom. These \nsurveys are required district-wide; however, schools and \nprograms may choose to administer additional surveys (please \nsee further down for guidance about administering additional \nsurveys). It is the responsibility of all in the Boston Public Schools \nto use the data that emerge from the surveys to ensure that \nevery student receives what they need every day. \nPurpose \nThe Boston Public Schools\u2019 climate, culture, and feedback surveys", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "to use the data that emerge from the surveys to ensure that \nevery student receives what they need every day. \nPurpose \nThe Boston Public Schools\u2019 climate, culture, and feedback surveys \nsupport the district strategic goals of eliminating opportunity \ngaps and accelerating learning. The surveys: \n\u25cf provide teachers, administrators, students, parents, the \ndistrict, and the community with information \nregarding climate, culture, engagement, and student \nlearning. \n\u25cf are utilized to assess criteria for inclusion as a Family \nFriendly School.", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 3 of 10 \n \n \n \n\u25cf are included in measures to calculate school scores for \nthe School Quality Framework and assignment tiers for \nthe Home-based Student Assignment System. \nA robust survey system includes surveys that provide information \non the classroom, school, and district levels and is responsive to \nneeds at each of these levels. \n\u25cf At the classroom level, the student feedback survey \nprovides teachers with data on student\u2019s perceptions \nof instruction and classroom climate, so that teachers \nmay create formative goals to better meet the learning \nneeds of their students. \n\u25cf At the school level, the surveys provide school leaders \nand leadership teams with data to help them measure \nschool success in relation to school and district goals; \nassess engagement and the creation of a safe and \nwelcoming environment; and work with teachers to \ndevelop strategies that attend to priority areas.", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "assess engagement and the creation of a safe and \nwelcoming environment; and work with teachers to \ndevelop strategies that attend to priority areas. \n\u25cf At the district level, the surveys provide district leaders \nwith information that allows them to determine if the \nsystem, individual schools, and central departments \nare making progress regarding the district\u2019s long term \nstrategic goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented \nto achieve those goals, to implement effective \npractices, and to eliminate practices that are \nunsuccessful. Quality information allows comparisons \nacross programs, schools, and classrooms to be data-\ndriven and equitable.", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 4 of 10 \n \n \n \nAdministration Expectations \nPerception survey administration is required for students, staff, \nteachers, and families in Boston Public Schools during SY24-25. \nBPS administers the Student, Family, Teacher, and Staff Surveys \nthrough Panorama. Communications are sent centrally; however, \nschool-based outreach makes the difference for many families! \nSchool leaders and coordinators have access to response rate \ntracking and completion lists via Panorama's platform. In \naddition, survey coordinators and school leaders are offered \ntraining and resources for administration prior to the survey \nwindow. \nThe following table outlines the surveys required for students, \nstaff, teachers, and families in Boston Public Schools during \nSY24-25, including the purpose, grade level, and administration \nwindows. Specific dates are included in the annual assessment \ncalendar released during summer 2024.", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 5 of 10 \n \n \n \n \nBPS Districtwide Surveys \nSurvey Purpose Grade \nAdminis-\ntration \nWindow \nStudent \nClimate \nand \nFeedback \nSurveys \nAssesses perceptions of pedagogical \neffectiveness, rigorous expectations, \nrelationships, engagement, \nclassroom climate, school culture & \ncommunity, belonging, mindset, \nschool safety, and more \n3-12 \nMid-Year: \nDecember \nSpring: April-\nMay \nSenior Exit \nSurvey \nCollects information regarding \nstudent postsecondary plans and \noverall experience in high schools. \nGradua-\nting \nSeniors \nApril-June \nTeacher \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, school leadership, \nprofessional learning, etc \nAll \nMid-Year: \nDecember \nSpring: April-\nMay \nStaff \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, and school leadership \nAll \n \nSpring: April-\nMay \nFamily \nClimate \nSurvey \nAssesses perceptions of school", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Assesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, and school leadership \nAll \n \nSpring: April-\nMay \nFamily \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, school \ncommunication, school fit, school \nsafety, engagement, etc. \nAll Spring: April-\nMay", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 6 of 10 \n \n \n \nAccessing Results \nTeachers and other school staff can access results in Panorama: \nsecure.panoramaed.com. (Select \u201cSign in with Google\u201d and \nchoose your BPS email to log in). Results should be reviewed and \nconsidered with respect to how they may impact planning and \nadjustments, and the alignment with your School Improvement \n90 Day Action Plan: specifically, the Student Culture and Adult \nCulture goals. Resources to support are available in Panorama \nAcademy. \nTo ensure the data is a reasonable representation of their student \npopulation, school-level results are only shown if (1) the response \nrate is greater than 10%; and (2) there are at least 7 responses to \nensure student confidentiality. Support is available through \nPanorama at support+bps@panoramaed.com. \nADMINISTERING SURVEYS TO MULTIPLE SCHOOL \nCOMMUNITIES OR WITHIN THE CENTRAL OFFICE \nThe above guidelines and recommendations are to support the", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Panorama at support+bps@panoramaed.com. \nADMINISTERING SURVEYS TO MULTIPLE SCHOOL \nCOMMUNITIES OR WITHIN THE CENTRAL OFFICE \nThe above guidelines and recommendations are to support the \nadministration of surveys to students, families, and school staff. \nThe remainder of this circular describes the process that will be \nused to create and administer surveys for central office staff or \nmultiple school communities. To reduce the number of surveys \nthat staff are required to respond to, the Office of Data and \nAccountability will review all surveys prior to their administration. \nPlease refer to the BPS survey calendar for existing surveys and \ntheir timelines, if available. The process below describes how \nthese offices will review survey creation and administration. \nStep 1: Survey Request Process", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 7 of 10 \n \n \n \nIf your office is interested in administering a survey to staff \noutside of your department, you will need to submit a survey \nrequest form to the Office of Data and Accountability. The form \nwill collect information on: \n\u25cf the goals and objectives of the survey \n\u25cf decisions the survey is meant to inform \n\u25cf tabulations and analytics results that will inform the \ndecision \n\u25cf confirmation that this information is not already being \ncollected in other surveys \n\u25cf audience and users (especially if intended to for any \noutside agencies) \n\u25cf research approval requirement, if any \n\u25cf sensitivity of data being collected and any necessary \nsecurity protections \n\u25cf ideal timeline for the survey/form to be administered \nas it relates to instructional priorities \n\u25cf \n\u25cf ideal method for distribution. \nDepending on the targeted survey population, surveys should be \nscheduled in coordination with any standing district surveys to", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "\u25cf \n\u25cf ideal method for distribution. \nDepending on the targeted survey population, surveys should be \nscheduled in coordination with any standing district surveys to \nmitigate overlap. Departments or teams must share the reasons \nfor collecting information and how this information will be used. \nWhether responding to the collection of information is \nmandatory or voluntary, each team should take into \nconsideration the timeline of requested responses in relation to \nother district required training, surveys, and events.", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 8 of 10 \n \n \n \nStep 2: Consultation \nOnce you have submitted your survey request form, the Office \nData and Accountability will meet with you to review your \nrequest and determine whether it is appropriate and distinct \nfrom other survey collection tools already in use by the district. If \nthe survey is approved to be administered, the Office of Data and \nAccountability will be able to recommend a level of support for \ncreating and administering the survey. Examples of ODA support \nmay include, but are not limited to, item and domain \ncreation/review, sampling strategy, survey administration timing, \ncommunication; design, hosting, and analysis of collected data.", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 9 of 10 \n \n \n \nStep 3: Data Analysis and Dissemination of Information \nA plan for analysis of the survey data should be provided prior to \ninitiating the collection of data. Teams are expected to keep \ndetailed documentation of activities and decisions informed by \nthe data collected. Departments should plan to identify which \nportions of their evaluation will be shared with participants. High \nvisibility data, such as results that will be shared with the public, \nthe School Committee, and/or School Committee task \nforce/working groups should be shared with the Offices of the \nSuperintendent and Data and Accountability to interpret results \nfrom the analysis and inform the process for future recurring \nsurveys. \nBEST PRACTICES FOR SURVEYS AND DATA COLLECTION \n1. Shorter surveys will lead to increased response rates. \nLimiting the number of questions in a survey will increase \nthe response rate and improve your overall ability to collect", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "1. Shorter surveys will lead to increased response rates. \nLimiting the number of questions in a survey will increase \nthe response rate and improve your overall ability to collect \nfeedback. Surveys should be designed to minimize the \nrespondent\u2019s time and ideally designed to be completed on \na mobile device in 3-5 minutes. \n2. Minimize open response answers. \nOpen response answers (short or paragraph) will increase \nthe amount of time it takes to complete a survey and can \nlead to degraded response quality. Using drop-\ndown/checkbox options as much as possible will improve \nyour survey response rates and allow for easier data analysis. \n3. Do not collect data that we already have.", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "content": "Superintendent\u2019s Circular ODA-05 \nPage 10 of 10 \n \n \n \nA common practice when designing surveys is to ask for \ndata that we already have in a data system, such as names, \ngrade levels, school name, etc. However, this increases the \ntime to complete the survey and increases risk of data leak if \nthe responses are not safeguarded. Collecting a \nrespondent\u2019s email address or emp/student ID number \nshould be sufficient for identifying the person afterwards \nand additional identifying information that is already \ncontained in a BPS data system should be used during \nanalysis. \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-06 \nVersion 01 \n \n \n \nPARTICIPATION GUIDELINES FOR TESTING ENGLISH \nLEARNERS ON STATEWIDE ASSESSMENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent versions. \nThe purpose of this circular is to provide schools with the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) guidelines for testing English Learner (EL)1 \nstudents on statewide assessments. \nDEFINITION \nAccording to MA DESE, an EL student is a student whose native \nlanguage is not English, and currently unable to perform ordinary \nclassroom tasks in English. An EL student also scores less than \nproficient on an English language proficiency assessment. When \na student has been identified as an EL according to MA DESE and \nU.S. Department of Justice requirements, a student retains this \ndesignation, regardless of their program setting until they meet \n \n1 English Learner (EL) refers to a specific subset of Multilingual", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "designation, regardless of their program setting until they meet \n \n1 English Learner (EL) refers to a specific subset of Multilingual \nLearners (MLs) who are classified as English learners. This term is \nused in federal and state laws, regulations, and policies. For more \ninformation, see MA DESE\u2019s Guidance on English Learner \nEducation Services and Programming, page 5, available at \nhttps://www.doe.mass.edu/ele/guidance/.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 2 of 13 \n \n \n \nstate exit criteria2. Students who meet the exit criteria must be \nreclassified as Former English Learners (FELs). \nPARTICIPATION REQUIREMENTS FOR EL STUDENTS \nFederal and state laws require that all EL students participate in \nstatewide assessments. Massachusetts students will meet the \nrequirements of these laws by participating in both the MCAS \nand ACCESS for ELLs tests. \nEL Participation Requirements in Statewide Assessments \n \nACCESS \nGrades K2-12 \nMCAS \nELA Math \nScience \nand \nTech/Eng \nFirst-Year \nEL \nStudents3 \nRequired only for \nK2-12 grade \nstudents entering \nOptional4 Required Required \n \n2 Students must score 4.2+ overall and 3.9+ in literacy on ACCESS \nfor ELLs to be reclassified as former English learners (FELs). MA \nDESE will release Alternate ACCESS exit criteria in fall 2024. \n3 Results for first year EL students are not included in MCAS \nschool and district summary results or in state accountability", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "DESE will release Alternate ACCESS exit criteria in fall 2024. \n3 Results for first year EL students are not included in MCAS \nschool and district summary results or in state accountability \nreporting. \n4 Optional, provided that the student has participated in ACCESS \nfor ELLs testing. This first year exemption shall be applied one \ntime.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 3 of 13 \n \n \n \nbefore ACCESS \nfor ELLs testing is \ncompleted \nAll Other \nEL \nStudents \nRequired Required Required Required", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 4 of 13 \n \n \n \nACCESS FOR ELLS AND ALTERNATE ACCESS FOR ELLS \nAll EL students must be assessed annually to measure their \nEnglish language proficiency and progress in learning English in \nthe four domains of reading, writing, listening, and speaking. \nStudents in grades K2-12 who are identified as EL must \nparticipate in ACCESS for ELLs testing or the Alternate ACCESS \nfor ELLs for their grade. This requirement applies regardless of \nthe number of years a student has been enrolled in U.S. schools \nand whether their parent or guardian has an approved request to \nopt-out of ESL services. The following students must participate: \n\u25cf students who were reported as EL in the October 2024 SIMS, \nand \n\u25cf students who enroll in school after the October 2024 SIMS \nsubmission and prior to February 7, 2025 who will be \nreported as EL in the March 2025 SIMS. \nForeign exchange students who are coded as #11 under DOE013", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "submission and prior to February 7, 2025 who will be \nreported as EL in the March 2025 SIMS. \nForeign exchange students who are coded as #11 under DOE013 \n\u201cReason for Enrollment\u201d in SIMS must participate in an ACCESS \nfor ELLs test, if they are reported as English learners. They are also \nrequired to participate in the MCAS tests specified for the grade \nin which they are reported. \nALTERNATE ACCESS FOR ELLS \nThis is the state\u2019s alternate English language proficiency \nassessment for EL students in grades K2-12. This assessment is \ndesigned specifically for those EL students with the most", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 5 of 13 \n \n \n \nsignificant cognitive disabilities5 who are unable to meaningfully \nparticipate in ACCESS for ELLs, as indicated in the student\u2019s IEP. \nThis paper-based assessment is uniquely designed to monitor \nstudents\u2019 progress in acquiring academic English. \nMCAS \nEL students must participate in all MCAS tests scheduled for their \ngrades, regardless of the language program and services they are \nreceiving or the amount of time they have been in the United \nStates. The one exception applies to first-year EL students who \nenrolled in U.S. schools after March 1, 2025 and who were not \nreported in the March 2024 SIMS report, for whom only MCAS \nELA testing in Spring 2025 is optional. \nNote: EL students in high schools need to pass MCAS tests as a \nstate requirement for graduation. There are opportunities for \nretesting if students do not pass MCAS the first time. \n \n \n5 For more information, see", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "state requirement for graduation. There are opportunities for \nretesting if students do not pass MCAS the first time. \n \n \n5 For more information, see \nhttps://www.doe.mass.edu/mcas/access/participation-\nguidelines.html.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 6 of 13 \n \n \n \nASSESSMENT TESTING WINDOWS \nThe testing windows for administering the SY2024-2025 annual \nassessments in Boston Public Schools are listed below: \n SY 2024-25 Dates State Assessment \nNov. 6- 7 November 2024 MCAS HS ELA Retests \nNov. 12-13 November 2024 MCAS HS Mathematics Retests \nJan. 6- Feb. 14 2025 ACCESS for ELLs \nFeb. 4- 5 February 2025 MCAS HS Biology and \nIntroductory Physics Tests \nMar. 6 & 7 March 2025 MCAS HS ELA Retests \nMar. 11- 12 March 2025 MCAS HS Mathematics Retests \nMar. 24 Apr. 18 Spring 2025 MCAS Grades 3-8 ELA Test \nMar. 25-26 Spring 20254 MCAS Grade 10 ELA Test \nMar. 28 2025 MCAS Alternate Assessment (MCAS-Alt) \nSubmission Deadline \nApr. 28-May 23 Spring 2025 MCAS Grades 3-8 Mathematics & \nGrades 5&8 STE Tests \nApr. 28- June 6 Spring 2025 MCAS Grade 8 Civics Test \nMay 20 21 Spring 2025 MCAS Grade 10 Mathematics Test \nJune 4-5 Spring 2025 MCAS High School STE Tests", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Grades 5&8 STE Tests \nApr. 28- June 6 Spring 2025 MCAS Grade 8 Civics Test \nMay 20 21 Spring 2025 MCAS Grade 10 Mathematics Test \nJune 4-5 Spring 2025 MCAS High School STE Tests \n \nNote: dates are based on the State Initial Release of the 2024\u201325 \nMCAS and ACCESS for ELLs Testing Schedule, as of 5/15/2024. \nThese dates are not considered final until confirmed by DESE.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 7 of 13 \n \n \n \nGUIDELINES FOR ASSESSING EL STUDENTS IN THEIR FIRST 12 \nMONTHS OF ENROLLMENT IN U.S. SCHOOLS \nFor recently arrived ELs who have been enrolled in a U.S. school \nfor the first time after March 1, 2024, and who were not reported \nin the March 2024 SIMS report, the following apply: \n1. The participation in ACCESS for ELLs or Alternate ACCESS \nfor ELLs testing is required, provided that the student \nenrolls in school before February 7, 2025. \n2. The participation in Spring 2025 MCAS ELA assessment6 is \nnot required but is recommended for student diagnostic \npurposes only. Testing in MCAS ELA is strongly encouraged \nto be considered an opportunity for students in high school \ngrades to earn a passing score for graduation requirements. \n3. For students expected to participate in statewide \nassessments, non-participation in ACCESS and MCAS testing \nnegatively impacts the school and district accountability.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "3. For students expected to participate in statewide \nassessments, non-participation in ACCESS and MCAS testing \nnegatively impacts the school and district accountability. \n \n \n6 ELA testing is also optional for EL students from Puerto Rico \nwho are in their first year of enrollment in a Massachusetts \nschool.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 8 of 13 \n \n \n \nSCHOOL AND DISTRICT REPORTING FOR EL STUDENTS \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n All Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district\u2019s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nAssessment \nParticipation \nRate for \nMCAS ELA is \nbased on \nACCESS \nStudents are \nexpected to take \nthe ACCESS test to \nbe counted in the \nschool MCAS \nparticipation rate \nfor ELA. Regardless, \nstudent\u2019s \nparticipation in the \nMCAS ELA test is \noptional. \n \nIf a student does \nnot participate in \nACCESS testing, the \nstudent counts as \n\u2018non-participant\u2019 for \nMCAS in the \nStudents count \nas participants \nregardless of \nparticipation in \nMCAS ELA \ntesting. ACCESS is \nnot required if a \nstudent enrolled \nat the end of the \ntesting window. \n \nStudents are \nexpected to take \nthe ACCESS test \nto be counted in", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "participation in \nMCAS ELA \ntesting. ACCESS is \nnot required if a \nstudent enrolled \nat the end of the \ntesting window. \n \nStudents are \nexpected to take \nthe ACCESS test \nto be counted in \nthe school MCAS \nparticipation rate \nfor ELA. \nOtherwise, the \nstudent counts \nagainst the \nschool MCAS \nparticipation rate \nfor ELA. \n \nMCAS ELA testing \nis not optional.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 9 of 13 \n \n \n \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n All Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district\u2019s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nschool's MCAS ELA \nparticipation rate. \nAccounta-\nbility \nDetermina-\ntions \nStudents\u2019 MCAS results7 are not \nincluded in the accountability \ncalculations. For first year ELs who \nparticipate in ELA testing, results will be \nprovided at the school level and will be \nused for Competency Determination \npurposes for high school students. \nStudents\u2019 MCAS \nresults are \nincluded in the \naccountability \ncalculations. \n \n \n \n7 First-year EL students must participate in MCAS Mathematics \nand Science and Technology/Engineering tests, although results \nwill be reported for diagnostic purposes only and students\u2019", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "7 First-year EL students must participate in MCAS Mathematics \nand Science and Technology/Engineering tests, although results \nwill be reported for diagnostic purposes only and students\u2019 \nresults will not be included in school and district summary results \nor in state accountability reporting.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 10 of 13 \n \n \n \nPROVIDING APPROPRIATE TESTING ACCOMMODATIONS TO ELS \nTesting accommodations involve changes to testing procedures, \ntesting materials, or the testing situation to allow students \nmeaningfully participate in an assessment. However, testing \naccommodations must not alter the test construct or the test \ncontent being measured. \nTesting accommodations for ELs are designed to address their \nunique linguistic needs during the normal process of English \nlanguage acquisition. When appropriately assigned, testing \naccommodations offer ELs the opportunity to demonstrate \nknowledge in a subject, regardless of their English language \nproficiency level. This provides schools and divisions with an \naccurate picture of an EL\u2019s content area achievement. \nEL students may be eligible for testing accommodations on \nMCAS assessments. Certain testing accommodations may be \nmore appropriate for ELs at a particular language proficiency and", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "EL students may be eligible for testing accommodations on \nMCAS assessments. Certain testing accommodations may be \nmore appropriate for ELs at a particular language proficiency and \nfor certain MCAS assessments. Decisions about accommodations \nfor EL students should be made by the Language Acquisition \nteam of educators familiar with the student. These decisions \nshould be documented as described in the MA DESE MCAS \nAccessibility and Accommodations Manual. \nThe following accommodations are available to ELs, with or \nwithout disabilities, on MCAS tests:", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 11 of 13 \n \n \n \nAccommodation Applicability \nPaper-based edition \n(EL1) \nMay be administered to a first year EL student \nwith a low level of English proficiency or an EL \nstudent who has little or no familiarity with \ntechnology (student does not use a computer \nroutinely). \nAuthorized Bilingual \nWord-to-Word \nDictionary and \nGlossary (if available) \n(EL2)8 \nList of authorized English/Native Language \ndictionaries (also available to Former ELs). \nBilingual dictionary use for MCAS tests is strictly \nlimited to those that provide word-to-word \ntranslations. Dictionaries that include definitions, \nsynonyms, antonyms, phrases, and other \ninformation are prohibited. Electronic dictionaries \nare not allowed. \nText-to-speech (TTS) \n(EL3.1) \n \nNext-generation computer-based Mathematics, \ngrades 5 and 8 Science and Technology/ \nEngineering (STE) and/or high school Biology or \nIntroductory Physics tests \nHuman read-aloud \n(EL3.2)", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "(EL3.1) \n \nNext-generation computer-based Mathematics, \ngrades 5 and 8 Science and Technology/ \nEngineering (STE) and/or high school Biology or \nIntroductory Physics tests \nHuman read-aloud \n(EL3.2) \nNext-generation computer-based or paper-based \nMathematics and/or Science and Technology/ \n \n8 The use of DESE approved word-to-word bilingual dictionaries is \nstrongly encouraged if students have demonstrated usage with \nneed in accessing the native language definition. Some students \nwith limited academic proficiency in their native language may \nfind the dictionary usage a deterrent or a barrier to access the \ndefinition and translation. School teams are advised to use \nprofessional judgment in assessing the need based on the \nindividual learner.", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 12 of 13 \n \n \n \nAccommodation Applicability \nEngineering tests or legacy Mathematics or ELA \nComposition retests \nScribe (including \nhuman scribe or \nspeech-to-text) (EL4.1, \nEL4.2) \nMathematics and/or STE tests or legacy ELA \nReading Comprehension retest \nEnglish/Spanish test \nversion for \nMath/Biology/Physics \nonly (EL7) \nIntended only for a Spanish-speaking EL student \nwho has been in the U.S. for less than 3-years; \nAvailable in computer- and paper-based formats. \n \n \nThe student should be introduced to an accessibility feature or \naccommodation as early as possible in the school year, prior to \nthe assessment. Accessibility features and accommodations are \nintended to remove barriers and allow EL students to \ndemonstrate their knowledge and skills more effectively and \nshould never be provided for the first time on a statewide \nassessment. \nPlease consider the following resources available:", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "demonstrate their knowledge and skills more effectively and \nshould never be provided for the first time on a statewide \nassessment. \nPlease consider the following resources available: \n\u25cf MA DESE MCAS and ACCESS Participation Requirements \n\u25cf MA DESE Authorized Bilingual Word-to-Word Dictionaries \nand Glossaries for Use by ELs and FELs on MCAS \n\u25cf MA DESE MCAS Accessibility and Accommodations Site \nIDENTIFYING FIRST YEAR EL STUDENTS", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Superintendent\u2019s Circular ODA-06 \nPage 13 of 13 \n \n \n \nA list of the identified first year ELs, students who have been in \nthe U.S. for less than 12 months and are actively enrolled in your \nschool, can be retrieved through SIS (ASPEN). On the \u2018Student\u2019 \ntab in the field set menu, filter for \u201cFirst Year in U.S. Schools LEP \nStudent.\u201d A report will be generated based on the school \nenrollment up to the date of retrieval. \nIn January 2025, the Office of Data and Accountability will flag \nthese students in the SR/PNP file uploaded on the Spring 2025 \ntesting platform. Schools may later export this file to identify the \nFirst Year EL students. New first year EL students enrolled after \nJanuary 2025 will not be coded in the file, but schools can identify \nthem in ASPEN. \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "content": "Owner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-04 \nVersion 01 \n \n \n \nBPS BALANCED ASSESSMENT SYSTEM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nStudent assessment is an effective tool to support success inside \nand outside of the classroom. Assessment takes many forms, and \nit is the responsibility of all in the Boston Public Schools to use \nthe data that emerges from assessments to ensure that every \nstudent receives what they need every day. \nPURPOSE \nThe Boston Public Schools assessment system supports the \ndistrict's strategic goals of eliminating opportunity gaps and \naccelerating learning. The assessment system: \n\u25cf provides teachers, administrators, students, parents, \nthe district, and the community with ongoing \ninformation regarding student progress in relation to \nstate frameworks. \n\u25cf ensures all our students are prepared for college, \ncareer, and life. \nA balanced assessment system includes formative and", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "information regarding student progress in relation to \nstate frameworks. \n\u25cf ensures all our students are prepared for college, \ncareer, and life. \nA balanced assessment system includes formative and \nsummative assessments that provide information on the \nclassroom, school, and district levels and is responsive to needs at \neach of these levels.", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "Superintendent\u2019s Circular ODA-04 \nPage 2 of 7 \n \n \n \n1. At the classroom level, the assessment system provides \nteachers with data on students\u2019 strengths and needs so that \nteachers may develop lessons that respond to individual \ndifferences. \n2. At the school level, the assessment system provides school \nleaders and instructional leadership teams with data to help \nthem measure school success based on school and district \ngoals: \na. Assess the effectiveness of curriculum, instruction, and \nprofessional development programs. \nb. Work with teachers to develop strategies that attend \nto priority areas. \n3. At the district level, the assessment system provides district \nleaders with information that allows them to determine if \nthe system, individual schools, and central departments are \nmaking progress regarding the district\u2019s long-term teaching \nand learning goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented to", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "making progress regarding the district\u2019s long-term teaching \nand learning goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented to \nachieve those goals, to implement effective practices, and to \neliminate practices that are unsuccessful. Quality \ninformation allows comparisons across programs, schools, \nand classrooms to be data-driven and equitable. \nASSESSMENT EXPECTATIONS \nFor SY24-25, district assessment expectations will maintain its \ninstructional focus on Equitable Literacy across all content areas \nto strengthen equitable Multi-Tiered System of Support (MTSS), \nlaying a strong Tier 1 infrastructure to become a fully inclusive \ndistrict and expand access to bilingual/native language", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "Superintendent\u2019s Circular ODA-04 \nPage 3 of 7 \n \n \n \ninstruction. As BPS more consistently implements effective \nequitable literacy practices, the data provided by assessments \nwill inform educators to meet the learning needs of all students. \nThese expectations are a minimum for schools; school \ncommunities are encouraged to craft the assessment strategy \nthat supports their own work towards grade-level, standards-\naligned, culturally responsive instruction. \nThe following tables outline the formative and summative \nassessments in use in Boston Public Schools during SY24-25, \nincluding the purpose, grade level, participation expectation and \nfrequency. \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nPALS/ \nHeggerty \nScreener for all 4-year-\nold students in K1 used \nto understand student \nprogress in relation to \ndevelopmental \nbenchmarks. \nK1 Required \n2x per \nyear \nNWEA MAP \nReading \nFluency \nComputer adaptive \nuniversal screening tool", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "to understand student \nprogress in relation to \ndevelopmental \nbenchmarks. \nK1 Required \n2x per \nyear \nNWEA MAP \nReading \nFluency \nComputer adaptive \nuniversal screening tool \nthat assesses early \nliteracy skills, oral \nreading fluency, and \nreading \ncomprehension; DESE \napproved dyslexia \nscreener. \nK2\u20132 Required \n3x per \nyear \n3 Required \n2x per \nyear \n \n(extended \ntest \nwindows)", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "Superintendent\u2019s Circular ODA-04 \nPage 4 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nNWEA MAP \nReading \nGrowth \nComputer adaptive \nuniversal screening tool \nthat assesses reading \ncomprehension; \nidentifies what \nstudents are ready to \nlearn next. \n3 Required \n2x per \nyear \n \n4\u201311 Required \n3x per \nyear \nNWEA MAP \nMath Growth \nComputer adaptive \nuniversal screening tool \nthat assesses \nmathematical skills; \nidentifies what \nstudents are ready to \nlearn next. \n3\u201311 Required \n3x per \nyear \nPre-IPT \nDiagnostic measure of \nEnglish language \nproficiency of pre-\nschool children whose \nhome language is not \nEnglish, in compliance \nwith federal law. \nK0* \n*ML \nstudents \nRequired 1x per year \nWIDA \nKindergarten \nScreener \nDiagnostic measure of \nEnglish language \nproficiency in \ncompliance with \nfederal law for English \nLanguage Learners. \nK1* \n*ML \nstudents \nRequired 1x per year", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "Superintendent\u2019s Circular ODA-04 \nPage 5 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nInterim \nAssessments \nin ELA and \nMath \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content. \n2\u201311 \nStrongly \nRecommended \n2x per \nyear \nInterim \nAssessments \nin Science \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content; \nunit-based. \n3 - 10 \nStrongly \nRecommended \n3x per \nyear \nLanguage \nAcquisition \n(TBD) \nStandard-aligned \nassessment to measure \nEnglish language \nacquisition \nK2-12* \n*EL \nstudents \nTBD \n2x per \nyear \n \nAdditionally, all district supported curricula include ongoing, \ncurriculum-embedded, formative assessments (classroom tasks \nand formal assessments) to provide real-time information to \neducators about what students have learned and are ready to \nlearn next. \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nMCAS \nAnnual assessment of grade", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "educators about what students have learned and are ready to \nlearn next. \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nMCAS \nAnnual assessment of grade \nlevel content standards for \nstate and federal \naccountability. \n3 - 8, High \nSchool Required 1x per \nyear", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "Superintendent\u2019s Circular ODA-04 \nPage 6 of 7 \n \n \n \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nACCESS for \nELLs \nAnnual assessment for EL \nstudents; measures English \nlanguage proficiency and \nprogress in compliance with \nfederal law. \nK2 - 12* \n*EL \nstudents \nRequired 1x per \nyear \nSAT \nA standardized assessment \nthat assesses mathematics \nand evidence-based \nreading/writing; used by most \ncolleges and universities to \nmake admissions decisions. \n11 \nStrongly \nRecom-\nmended \n1x per \nyear \nPSAT/ \nNMSQT \nA standardized assessment \nthat assesses much of the \nsame content (evidence-based \nreading/writing and \nmathematics) that is on the \nSAT; \n10, 11 \nStrongly \nRecom-\nmended \n1x per \nyear \nAP \nStandardized exams designed \nto measure how well students \nhave mastered the content \nand skills of a specific AP \ncourse. \n10 - 12* \n*students \nin AP \ncourses \nStrongly \nRecom-\nmended \n1x per \nyear \n \n \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "content": "Superintendent\u2019s Circular ODA-04 \nPage 7 of 7 \n \n \n \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-08 \nVersion 01 \n \n \n \nEXPECTANT AND PARENTING STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nBoston Public Schools aims to graduate all students from high \nschool and prepare them for college and career success. For \nstudents who are expecting or raising children, it is especially \ncrucial to maintain high expectations and intensive support for \nschool completion, as pregnancy and parenthood are among the \nprimary reasons many students drop out of school. As a school \ndistrict, Boston Public Schools aims to prevent student \npregnancy through comprehensive health education and access \nto sexual health services. Under the District Wellness Policy, \nschools must provide students with access to key resources and \nservices that are developmentally appropriate, and support \nsexual and reproductive health in a safe and supportive", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "schools must provide students with access to key resources and \nservices that are developmentally appropriate, and support \nsexual and reproductive health in a safe and supportive \nenvironment. It is also essential to engage with students who are \ncurrently expectant or parenting to ensure a safe and supportive \nlearning environment and to promote academic success. \nMoreover, we must ensure compliance with district policies that \nprohibit bias-based conduct consistent with federal Title IX law, \nwhich prohibits discrimination against students who are \npregnant or parenting.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 2 of 28 \n \n \n \nDEFINITIONS \nExpectant: an individual, regardless of gender identity, who \nis either pregnant or the partner of someone who is \npregnant. \nParenting: an individual, regardless of gender identity, who \nis the parent of a child. \nCaregiver: an individual currently providing care for the \nstudent who has completed the notarized \u201cCaregiver \nAuthorization Affidavit\u201d granting education decision-making \nrights. \nEmancipated minor: an individual under age 18 who is self-\nsupporting and independent of parental control, sometimes \nas a result of a court order terminating the rights and duties \nof the parent(s). Under Massachusetts law, a minor who is \npregnant or parenting is not automatically emancipated; \nhowever, as provided for in the law, pregnant and parenting \nstudents can give independent consent for medical or \ndental care for themselves or their children, including for \nschool-based medical services (see M.G.L. Ch. 112 \u00a7 12F).", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "students can give independent consent for medical or \ndental care for themselves or their children, including for \nschool-based medical services (see M.G.L. Ch. 112 \u00a7 12F). \nFERPA (Family Educational Rights and Privacy Act): a \nfederal law that affords parents the right to have access to \ntheir children\u2019s education records, the right to seek to have \nthe records amended, and the right to have some control \nover the disclosure of personally identifiable information \nfrom the education records. When a student turns 18 years \nold or enters a postsecondary institution at any age, the \nrights under FERPA transfer from the parents to the \nstudent.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 3 of 28 \n \n \n \nHIPAA (Health Insurance Portability and Accountability \nAct): a federal law establishing national standards and \nrequirements for electronic health care transactions and \nprotecting the privacy and security of individually \nidentifiable health information. This law applies to health \ncare providers and ensures that they do not share medical \ninformation about their patients without the patients\u2019 \npermission. \nGender identity: A person's internal sense of being male, \nfemale, some combination of male and female, or neither \nmale nor female. A person\u2019s gender identity can be the \nsame or different from their physiology or assigned sex at \nbirth. \nParent: a child\u2019s mother or father or both or guardian, or a \nperson or agency legally authorized by a court order to act \non behalf of the child in place of or in conjunction with the \nmother, father, or guardian. \nPOLICY \nMaintaining Confidentiality", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "person or agency legally authorized by a court order to act \non behalf of the child in place of or in conjunction with the \nmother, father, or guardian. \nPOLICY \nMaintaining Confidentiality \nExpectant and parenting students have the right to choose how \nand when they seek services and support from school staff. \nSchool staff must adhere to all applicable laws and regulations on \nconfidentiality for students, including the requirements stated in \nthe Family Educational Rights and Privacy Act (FERPA). As \nprovided for by this law, expectant and parenting students have \nthe right to have their health and personal information kept \nconfidential, including from other students and school staff who", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 4 of 28 \n \n \n \nare not required to be kept informed, except in circumstances \ninvolving their physical safety. \nWhen a student informs a school staff member of their expectant \nor parenting status, the staff member must inform their head of \nschool within a reasonable time period as appropriate. A \nreasonable time period should be determined by the immediacy \nof the student\u2019s need for an adjusted attendance policy and \nacademic supports; for expectant students, sufficient time should \nbe allowed for medical and health decisions to be made before \nsharing the student\u2019s expectant status with the head of school. \nThe staff member who has been informed must make the \nexpectant or parenting student aware of the need to inform the \nhead of school. The staff member should discuss with the \nstudent and determine a reasonable time period in which to \ninform the head of school. Depending on the details of the", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "head of school. The staff member should discuss with the \nstudent and determine a reasonable time period in which to \ninform the head of school. Depending on the details of the \nsituation, the student\u2019s preferences regarding confidentiality, and \nthe student\u2019s needs, the head of school should then share this \ninformation with other staff on a limited, need-to-know basis. \nSchool staff must not force or coerce a student to inform their \nparents, or any other individual, of any pregnancy or parenting-\nrelated information. School staff must not disclose information \nabout a student\u2019s expectant or parenting status to the student\u2019s \nparents without permission from the student. If information \nabout a student\u2019s pregnancy is documented within the student \nrecord of a student under the age of 18, and parents make a \nrequest for the student record, FERPA would require the district \nto present parents with an opportunity to view the student", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "record of a student under the age of 18, and parents make a \nrequest for the student record, FERPA would require the district \nto present parents with an opportunity to view the student \nrecord. Boston Public Schools encourages communication with \nand involvement of parents/guardians/caregivers regarding \nhealth services and student supports. School staff working with", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 5 of 28 \n \n \n \nexpectant or parenting students should encourage students to \nconsider informing their parents/guardians/caregivers or other \ntrusted family members about the pregnancy and decisions \nrelated to that pregnancy. \nNothing in this policy must prevent the disclosure of information \nin certain limited circumstances: cases of suspected child abuse \nor neglect (in accordance with laws on mandated reporting of \nabuse), threats by a minor against themselves or others, or cases \nwhere there is a serious risk to a minor\u2019s life or health. A student\u2019s \npregnancy does not in itself constitute a serious risk to a minor\u2019s \nlife or health, and therefore does not compel a staff member to \nfile a 51A based solely on the student\u2019s pregnancy, regardless of \nthe student\u2019s age. \nA student must give written consent to store data linking their \nname with academic information and their expectant or", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "the student\u2019s age. \nA student must give written consent to store data linking their \nname with academic information and their expectant or \nparenting status. Storing this data together will help to ensure \nthat the student is receiving coordinated academic support. \nBefore giving this written consent, students must be informed \nthat, if they consent, information about their expectant or \nparenting status may be accessible to their parents as part of \ntheir full academic records. Any aggregated or trend data on \nexpectant or parenting students should not include any \nidentifying information. Qualified medical professionals within a \nschool building may keep confidential medical records on \npregnant students who have sought treatment. \nEnsuring a Safe and Supportive Learning Environment \nBPS Equity circulars protect the rights of students, including \nexpectant and parenting students, to attend school in an \nenvironment free of bias-based conduct. Regardless of their", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 6 of 28 \n \n \n \nsexual orientation, gender identity, relationship status, marital \nstatus, race, ethnicity, immigration status, Special Education or \nEnglish learner status, or other identities, expectant and \nparenting students have the same right as any other students to \nattend district schools or programs. District staff must not \nengage in bias-based conduct toward any expectant or \nparenting student, or exclude expectant or parenting students \nfrom any school, program, class, or extracurricular activity on the \nbasis of a student\u2019s expectant or parenting status. School staff are \nencouraged to bring an anti-racist lens to ensuring that \nexpectant and parenting students be respected, provided with all \nneeded supports, and actively encouraged to achieve their \nacademic goals. \nSchool personnel may require an expectant or parenting student \nto obtain the certification of a physician that the student is", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "academic goals. \nSchool personnel may require an expectant or parenting student \nto obtain the certification of a physician that the student is \nphysically and emotionally able to continue participation in such \nprograms or activities only if a certification is also required of all \nother students with physical or emotional conditions requiring \nthe attention of a physician. \nAll school staff must maintain and communicate high academic \nexpectations for all students, regardless of expectant or \nparenting status. Bias-based counseling and the use of materials \nthat treat students differently on the basis of sex, including \nexpectant or parenting status, are prohibited. \nThe Office of Equity and administrators at each school are \nresponsible for monitoring compliance with the provisions of this \ncircular. Individuals who feel that this circular may have been \nviolated or that they have been subject to bias-based conduct \nmay contact the BPS Office of Equity. Any school employee who", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 7 of 28 \n \n \n \nbecomes aware of bias-based conduct against an expectant or \nparenting student must report such conduct to the head of \nschool and/or to the Office of Equity. \nFinally, to promote a safe and supportive school environment, \nteachers and school staff must be sensitive to the health needs of \nexpectant and parenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, taking extra \nbathroom breaks, or leaving class shortly before dismissal to \nallow more time to pass between classes. Schools must also \naccommodate new mothers\u2019 need to express breastmilk and \nwork with students in partnership with the Office of Equity to \nidentify a private, sanitary location for this purpose, along with \nappropriate storage space for nursing equipment. \nPromoting Academic Success \nExpectant and parenting students have the right to remain in \ntheir regular or current school program, subject to universal", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Promoting Academic Success \nExpectant and parenting students have the right to remain in \ntheir regular or current school program, subject to universal \nparticipation requirements for those programs. School programs \ninclude but are not limited to: honors programs; special \neducation placements; specialized language programs; \nalternative programs; extracurricular, intramural, and \ninterscholastic activities; and graduation programs or activities. \nStudents may attend an alternative school or participate in an \nalternative program or activity for expectant or parenting \nstudents, but such enrollment or participation must be \ncompletely voluntary and never coerced. The alternative school, \nprogram, or activity must align with the Common Core State \nStandards and the Massachusetts Curriculum Frameworks.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 8 of 28 \n \n \n \nImplementing Attendance Policies \nAbsences for reasons of pregnancy and related medical \nconditions, including pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, and \nrecovery therefrom, must be considered excused absences. \nStudents have the right to be reinstated at the same school with \nthe same status as before the leave began after any pregnancy-\nrelated medical leave and/or parental leave. \nStudents who are parents are entitled to a fair and reasonable \nparental leave following the birth of a new child. Students who \nare parents are entitled to a minimum of eight weeks of parental \nleave for the purpose of giving birth, although a school may not \nrequire a student to remain out of school for a fixed period of \ntime post-childbirth. The amount of parental leave for each \nexpectant student shall be determined in consultation with the", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "require a student to remain out of school for a fixed period of \ntime post-childbirth. The amount of parental leave for each \nexpectant student shall be determined in consultation with the \nstudent, school staff, the student\u2019s health care providers, and any \nother adults the student consents to include. School staff should \nencourage students to consider including their \nparents/guardians/caregivers in this conversation. \nDocumentation from students\u2019 licensed healthcare providers \nmay be required for verification of pregnancy and related \nmedical conditions only if it is also required for absences due to \nother medical conditions. \nAbsences due to the illness or medical appointment during \nschool hours of a student\u2019s child shall also be considered excused \nabsences. Parenting students shall not be required to provide \ndocumentation from a licensed healthcare provider to verify their \nchildren\u2019s illnesses unless such documentation is also required", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "absences. Parenting students shall not be required to provide \ndocumentation from a licensed healthcare provider to verify their \nchildren\u2019s illnesses unless such documentation is also required \nfor absences due to all students\u2019 medical conditions.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 9 of 28 \n \n \n \nSchools must support the continuation of learning during \nexcused absences and leave, as medically appropriate. Every \nreasonable effort must be made to provide school and home-\nbased independent study activities for students who are or will \nbe absent for a significant period of time due to pregnancy-\nrelated illnesses, childbirth, and recovery, and parental leave. \nStudents who are pregnant or parenting must have access to \nhomebound or hospital instructional services on the same basis \nas any other student who misses school for a temporary medical \ncondition. \nStudents with excused absences due to their expectant or \nparenting status must have the same opportunity to complete \nassignments and tests missed, or an equivalent of the work \nmissed, that any other student would have after excused \nabsences. Students must be given full credit upon satisfactory \ncompletion of that work. \nUsing Liaisons to Share Information", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "missed, that any other student would have after excused \nabsences. Students must be given full credit upon satisfactory \ncompletion of that work. \nUsing Liaisons to Share Information \nHeads of school that oversee any student in grades 6-12 must \nidentify a school liaison for the Expectant and Parenting Students \nPolicy to help share information among the school community. \nSchools must submit the name of this liaison to the Health and \nWellness Office. The liaison may be a guidance counselor, school \nnurse, social worker, or other school staff member. Should the \nexpectant and parenting student liaison step down, a \nreplacement must be identified and reported to the Health and \nWellness Office within 15 school days. \nLiaisons will work with the school leadership and the School \nWellness Council to share this policy with staff, students, and \nfamilies. All schools within the district that include any grades 6-", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 10 of 28 \n \n \n \n12 must disseminate this policy among school staff and \nadministration. The policy must also be shared with students and \nfamilies within the first month of school, and it must be posted in \nthe school nurse\u2019s office throughout the school year. The school \nmust make the policy publicly available in any school-based \nhealth centers or health resource centers. The name of the \nexpectant and parenting student liaison as well as a copy of this \npolicy must also be posted on the school website. \nHeads of school are ultimately responsible for the academic \nsuccess of their students. Therefore, school leaders must \nintervene in cases where students\u2019 needs are not being met, \nespecially when the action or inaction of school staff is a \ncontributing factor. \nThe Office of Health and Wellness will coordinate training for \nliaisons. That office must supply district and community \nresources to liaisons. Liaisons must make this information", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "The Office of Health and Wellness will coordinate training for \nliaisons. That office must supply district and community \nresources to liaisons. Liaisons must make this information \navailable to students and staff as needed.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 11 of 28 \n \n \n \nPOLICY IMPLEMENTATION AND REVIEW \nCentral offices and departments (e.g., Opportunity Youth, Health \nServices, Health & Wellness), in collaborations with school \nsuperintendents, will work with schools where there are multiple \nexpectant and parenting students, where existing support \nsystems may not be adequate to support their needs, to help \nestablish a plan for providing more comprehensive systems of \nsupport. For example, this could include creating a school-based \nteam to develop and implement individual student plans, hiring a \npart-time student liaison to work with expectant and parenting \nstudents, or bringing in external programs or resources to \nsupport students. In all cases, the plan must be approved by the \nhead of school and must match available school resources \n(particularly staff and budget). \nThis policy and its associated implementation procedures will be", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "head of school and must match available school resources \n(particularly staff and budget). \nThis policy and its associated implementation procedures will be \nreviewed annually by the Office of Equity and the Office of Health \nand Wellness and updated as needed. \nIMPLEMENTATION GUIDELINES & PROCEDURES \nRights of Expectant and Parenting Students \nExpectant and parenting students have the right to: \n1. Choose how and when they seek services and support from \nschool staff. \n2. Choose when and how to inform \nparents/guardians/caregivers or other trusted family \nmembers of their pregnancy and decisions related to that \npregnancy.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 12 of 28 \n \n \n \n3. Have information shared with school personnel on a need-\nto-know basis only, unless the student provides written, \ninformed consent. \na. In particular, students must give written, informed \nconsent before information on their expectant or \nparenting status is stored in school files alongside their \nacademic information. \n4. Participate in school programs, activities, classes, or \nextracurricular activities and remain in their regular or \ncurrent school program, subject to universal participation \nrequirements. \na. Enrollment by expectant or parenting students in any \nalternative program or activity must be completely \nvoluntary. \n5. Have their absences excused when due to the illness or \nmedical appointment of a child or their own pregnancy-\nrelated reasons. \n6. Complete assignments and tests missed, or an equivalent of \nthe work missed, after excused absences due to their", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "medical appointment of a child or their own pregnancy-\nrelated reasons. \n6. Complete assignments and tests missed, or an equivalent of \nthe work missed, after excused absences due to their \nexpectant or parenting status and receive full credit upon \nsatisfactory completion of that work. \n7. Participate in a conference with school staff and health care \nproviders about the amount of parental leave they will take, \nand to choose which other adults (including \nparents/guardians/ caregivers or other trusted family \nmembers), if any, to include in that conference. \na. Students are entitled to a minimum of eight weeks of \nparental leave.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 13 of 28 \n \n \n \nb. BPS employees may not require a student to remain \nout of school for a fixed period of time post-childbirth. \n8. Receive Home and Hospital Instruction services to continue \nlearning and obtain instruction during excused absences \nand/or leave that total more than 14 days in a school year. \na. Students must provide a qualified physician's \nstatement to access Home and Hospital Instruction \nservices. \n9. Be reinstated at the same school at the conclusion of \npregnancy and/or parental leave with the same status as \nbefore the leave began. \nProtecting Student Confidentiality \n1. Boston Public Schools employees must adhere to all \napplicable laws and regulations on confidentiality for \nstudents, including the requirements stated in the Family \nEducational Rights and Privacy Act (FERPA). \na. Obtain written, informed consent from expectant or \nparenting students before storing data linking", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Educational Rights and Privacy Act (FERPA). \na. Obtain written, informed consent from expectant or \nparenting students before storing data linking \nstudents\u2019 names with academic information and \nexpectant or parenting status. \nb. Before giving written consent, students must be \ninformed that, if they consent, information about their \nexpectant or parenting status will be entered into their \neducational records to ensure that students are \nreceiving necessary supports, and educational records \nare accessible to their parents in accordance with \nFERPA.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 14 of 28 \n \n \n \n2. When a student informs a school staff member of their \nexpectant or parenting status, the staff member must \ninform their head of school within a reasonable time period \nas appropriate in order to provide coordinated academic \nsupport and adjusted attendance policies. \na. A reasonable time period should be determined by the \nimmediacy of the student\u2019s need for an adjusted \nattendance policy and academic supports, balanced \nwith the time needed by an expectant student to make \npersonal health decisions before the head of school is \ninformed. \nb. The staff member should explain to the student the \nneed to inform the head of school in order to make a \ncoordinated plan for academic success. The staff \nmember should discuss with the student what a \nreasonable time period would be for them so there is a \nshared understanding and accountability of the next \nsteps. \nc. If the student is pregnant and needs more time and", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "reasonable time period would be for them so there is a \nshared understanding and accountability of the next \nsteps. \nc. If the student is pregnant and needs more time and \nsupport to consider their options and connect with a \nmedical provider, the staff and student should make a \nplan to check in regularly to ensure the student \nreceives timely support. The staff member is not \nrequired to inform the head of school if the pregnancy \nis ended. \nd. Depending on the details of the situation, the student\u2019s \npreferences regarding confidentiality, and the \nstudent\u2019s needs, the head of school should then share \nthis information with other staff on a limited, need-to-\nknow basis. The school nurse may be helpful if health", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 15 of 28 \n \n \n \ncare coordination with the student\u2019s medical provider \nis needed. A school social worker may be helpful in \nconnecting the student to other support services. The \nstudent should be consulted before sharing their \nstatus with other staff; this is essential to building trust, \nhonoring student autonomy, and ensuring the student \nfeels safe and supported. \n3. School staff members must not disclose a student\u2019s \nexpectant or parenting status to that student\u2019s parents \nregardless of age without permission from the student. \nAdditionally, staff members must not force or coerce \nstudents to inform their parents, or any other individual, of \nany pregnancy or parenting-related information. \na. School staff working with expectant or parenting \nstudents should encourage them to consider informing \ntheir parents/guardians/caregivers or other trusted \nfamily members of the pregnancy and decisions", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "students should encourage them to consider informing \ntheir parents/guardians/caregivers or other trusted \nfamily members of the pregnancy and decisions \nrelated to that pregnancy. Having a support system \nwhere they live is very important during pregnancy \nand while parenting. However, to help the student \nmake a support plan, the trusted staff should ask if the \nstudent believes that telling their family about the \npregnancy will put the student in danger and should \nbe aware of such dynamics in the student\u2019s home life. \nA school social worker, a trained reproductive health \ncounselor, or a similar support role may be best suited \nto help counsel a student in this matter. \nb. In accordance with Massachusetts General Law \n(Chapter 119, Section 51A), school staff are expected to \ndisclose information on child abuse or neglect to the", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 16 of 28 \n \n \n \nappropriate authorities. Mandated reporters must \nreport if, when acting in their professional capacities, \nthey have reasonable cause to believe that a child is \nsuffering certain kinds of physical or emotional injury. \nThe kinds of physical or emotional injuries that must be \nreported are those that are the result of (i) abuse \ninflicted upon the child which causes harm or \nsubstantial risk of harm to the child's health or welfare, \nincluding sexual abuse; (ii) neglect, including \nmalnutrition; or (iii) physical dependence upon an \naddictive drug at birth. A student\u2019s pregnancy does not \nin itself constitute a serious risk to a minor\u2019s life or \nhealth and does not automatically require submitting a \nreport. \n4. School staff members should reach out to the school policy \nliaison, a school administrator, or the Office of Equity to get \nsupport in understanding confidentiality procedures as \nneeded.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "4. School staff members should reach out to the school policy \nliaison, a school administrator, or the Office of Equity to get \nsupport in understanding confidentiality procedures as \nneeded. \nEnsuring a Safe, Supportive Learning Environment \nBPS employees must: \n1. Treat all students, including expectant and parenting \nstudents, with respect, recognizing that all students have \nthe potential to succeed. \n2. Maintain and communicate high academic expectations for \nall students, regardless of expectant or parenting status. \n3. Recognize and address the ways multiple forms of bias, \ninducing racial bias, may impact an expectant or parenting \nstudent\u2019s opportunities for academic success.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 17 of 28 \n \n \n \n4. Ensure that expectant and parenting students are not \nexcluded from any school, program, class, or extracurricular \nactivity on the basis of the student\u2019s expectant or parenting \nstatus. \na. Teachers and school staff are encouraged to be \nsensitive to the health needs of expectant and \nparenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, \ntaking extra bathroom breaks, or leaving class shortly \nbefore dismissal to allow more time to pass between \nclasses. \nb. Schools must also accommodate new mothers\u2019 need to \nexpress breast milk. Contact the Office of Equity for \nassistance as needed. \n5. Any BPS employee, student, or family member who \nbecomes aware of possible bias-based conduct against an \nexpectant or parenting student should report such conduct \nto the head of school and/or to the BPS Office of Equity. \nROLES AND RESPONSIBILITIES \n1. School administrators are responsible for:", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "expectant or parenting student should report such conduct \nto the head of school and/or to the BPS Office of Equity. \nROLES AND RESPONSIBILITIES \n1. School administrators are responsible for: \na. Ensuring school staff\u2019s compliance with the policy. \ni. Intervene in cases where students\u2019 needs are not \nbeing met, especially when the action or inaction \nof school staff is a contributing factor. \nb. Identifying a school policy liaison: Schools with any \ngrades 6-12 must identify an Expectant and Parenting \nStudent Policy liaison to share information with school \nstaff, students, and families.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 18 of 28 \n \n \n \ni. School leaders must submit the name of the \npolicy liaison to the assistant superintendent, \nOffice of Health & Wellness, by the first day of \nschool each year. See contact at the end of the \ncircular. \nii. If the school\u2019s policy liaison steps down, the school \nleader must identify a replacement and report \ntheir name to the Assistant Superintendent, Office \nof Health & Wellness, within 15 school days. \niii. Every school has a different structure for \nproviding student support services; therefore, the \nschool-based position of the liaison may differ \namong schools. It is usually best if the liaison is in \nregular contact with expectant and parenting \nstudents as part of their job, such as a guidance \ncounselor or social worker. At the K-8 or middle \nschool level, where there are generally fewer \nexpectant or parenting students, it may be \nappropriate for a health teacher or other \ninterested teacher to serve as liaison. School", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "school level, where there are generally fewer \nexpectant or parenting students, it may be \nappropriate for a health teacher or other \ninterested teacher to serve as liaison. School \nnurses may not be the ideal choice as a liaison \nsince they may not be available to leave the \nnurse\u2019s office during school hours to share \ninformation with other staff. \nc. Overseeing the policy liaison to ensure communication \nof the policy to all staff, students, and families. \nd. Working with the Office of Equity to accommodate \nnew mothers\u2019 need to express breast milk by \nidentifying a private, sanitary location for this purpose, \nalong with appropriate storage space for nursing", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 19 of 28 \n \n \n \nequipment. Bathrooms are not appropriate facilities, \neven if private. To qualify, spaces should be \u201cshielded \nfrom view and free from any intrusion.\u201d For more \nguidelines, see the fact sheet on \u201cBreak Time for \nNursing Mothers Under the FLSA,\u201d available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \ne. Reporting any instances of possible bias-based \nconduct against an expectant or parenting student to \nthe Office of Equity (phone: 617-635-9650 or email: \nbpsequity@bostonpublicschools.org) \ni. It is considered bias-based conduct to exclude an \nexpectant or parenting student from any school, \nprogram, class, or extracurricular activity on the \nbasis of a student\u2019s expectant or parenting status. \nii. Enrollment by expectant or parenting students in \nany alternative program or activity must be \ncompletely voluntary. \n2. School Expectant and Parenting Student Policy liaisons are \nresponsible for:", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "any alternative program or activity must be \ncompletely voluntary. \n2. School Expectant and Parenting Student Policy liaisons are \nresponsible for: \na. Completing the initial district training for policy liaisons \nwithin the first few months of school, and any refresher \ntraining as required. The training objectives are to \nincrease knowledge about the policy and related laws \nand improve skills in supporting expectant and \nparenting students and communicating with the \nschool community. \nb. Ensuring that the policy is shared with students, \nfamilies, and school staff.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 20 of 28 \n \n \n \ni. Work with the school leadership and the school \nwellness council to share the policy with staff, \nstudents, and families, ensuring translation for \nstudents and families whose primary language is \nnot English. \nii. Make the policy and any appropriate resources \navailable in the school nurse\u2019s office and any \nschool-based health centers or health resource \ncenters. \niii. Post the name of the policy liaison and a copy of \nthe policy on the school website so any member \nof the school community can access it. \nc. Disseminating information about district and \ncommunity resources. \ni. Inform administrators, staff, and students about \nthe availability of resources for expectant and \nparenting students; see Office of Health & \nWellness for resources. \nii. Disseminate information about support resources \nto expectant and parenting students directly as \nappropriate or through other school staff", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Wellness for resources. \nii. Disseminate information about support resources \nto expectant and parenting students directly as \nappropriate or through other school staff \nmembers as needed; students are not required to \nmeet with the liaison if they do not wish. \nd. Supporting all school staff in maintaining student \nconfidentiality as required by this policy and the law. \ni. Liaisons do not need to be informed of the \nidentity of any expectant and parenting student \nunless the student chooses to inform the liaison; \ninformation and resources can be shared through", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 21 of 28 \n \n \n \nthe school staff member with whom the student \nhas confided. \nii. Liaisons are not expected to be case managers or \ncounselors for expectant or parenting students \nunless this is already part of their job \nrequirements. \n3. School nurses are responsible for: \na. Offering regular check-ins with expectant students to \nmonitor their health and wellness during their \npregnancy. The type and frequency of check-ins should \nbe established based on the student\u2019s wishes, needs, \nand determined in consultation with the student. \ni. Health services should be provided in a safe and \nsupportive environment free from bias-based \nconduct towards expectant or parenting students. \nb. Maintaining confidential medical records on pregnant \nor parenting students who have sought treatment. \nSchool nurses must be particularly aware of their \nresponsibilities under state and federal law and \nregulations, especially the Health Insurance Portability", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "School nurses must be particularly aware of their \nresponsibilities under state and federal law and \nregulations, especially the Health Insurance Portability \nand Accountability Act (HIPAA). \nc. Partnering with the head of school and the Office of \nEquity to accommodate new mothers\u2019 need to express \nbreast milk by identifying a private, sanitary location for \nthis purpose, along with appropriate storage space for \nnursing equipment. Bathrooms are not appropriate \nfacilities, even if private. To qualify, spaces should be \n\u201cshielded from view and free from any intrusion.\u201d For \nmore guidelines, see the fact sheet on \u201cBreak Time for", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 22 of 28 \n \n \n \nNursing Mothers Under the FLSA,\u201d available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \nd. Helping to determine the amount of parental leave a \nstudent will take following the birth of a child in \nconsultation with the student, school staff who are \nalready aware of the student\u2019s expectant status, the \nstudent\u2019s health care providers, and any other adults \nthe student consents to include. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth. \ne. Posting the policy in the school nurse\u2019s office \nthroughout the school year and making the policy \npublicly available in any school-based health centers or \nhealth resource centers. \n \n4. Guidance counselors are responsible for: \na. Providing expectant and parenting students with \nacademic support and guidance when requested.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "health resource centers. \n \n4. Guidance counselors are responsible for: \na. Providing expectant and parenting students with \nacademic support and guidance when requested. \nStudents should be encouraged to seek support from \nschool guidance counselors to make an academic plan, \nbut students have a right to choose how and when \nthey seek services and support from school staff. \ni. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-\ntime arrival and regular attendance. For some", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 23 of 28 \n \n \n \nstudents, this may include flexible scheduling, \nindependent study periods, or online courses \n(provided that online courses include sufficient \nopportunities for in-person interaction and \nsupport as needed). \nb. Obtaining written, informed consent from expectant or \nparenting students before storing data linking \nstudents\u2019 names with academic information and \nexpectant or parenting status. Before giving written \nconsent, students must be informed that, if they \nconsent, information about their expectant or \nparenting status will be entered to ensure that \nstudents are receiving necessary support, and then \nmay be accessible to their parents as part of their full \nacademic records. \nc. Ensure that any counseling or information provided to \nstudents is unimpeded by bias. \nd. Ensure that any student\u2019s decision about whether to \nparticipate in alternative schools, programs, or \nactivities for expectant or parenting students is", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "students is unimpeded by bias. \nd. Ensure that any student\u2019s decision about whether to \nparticipate in alternative schools, programs, or \nactivities for expectant or parenting students is \ncompletely voluntary if sharing information with \nstudents about those programs. \ne. If a school does not have a guidance counselor on staff, \nthese responsibilities fall to the head of school. \n5. The student\u2019s school leader or their designee is responsible \nto: \na. Bring together the student, other school staff already \naware of the student\u2019s expectant or parenting status, \nthe student\u2019s health care providers, and any other", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 24 of 28 \n \n \n \nadults the student consents to include to determine \nthe amount of parental leave for each expectant \nstudent. Encourage students to consider including \ntheir parents/guardians/caregivers in this conversation. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth. \nb. Ensure that students are reinstated at the conclusion \nof a pregnancy and/or parental leave with the same \nstatus as before the leave began. \nc. Support the continuation of learning during excused \nabsences and leave, as medically appropriate, including \nby working with the student to arrange a temporary \nhome or hospital instructional services through the \nBPS Opportunity Youth Department. \nd. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-time", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "home or hospital instructional services through the \nBPS Opportunity Youth Department. \nd. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-time \narrival and regular attendance. Contact the Homeless \nEducation Resource Network (HERN) to arrange \ntransportation and promote school attendance among \nexpectant or parenting students experiencing \nhomelessness who are residing outside of the district. \ne. Ensure that absences are excused when they arise \nfrom pregnancy and related medical conditions, \nincluding pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, \nand recovery therefrom. Documentation from", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 25 of 28 \n \n \n \nstudents\u2019 licensed healthcare providers may be \nrequired for verification of pregnancy and related \nmedical conditions only if it is also required for \nabsences due to other medical conditions. \nf. Ensure that absences are considered excused when \nthey are due to the illness or medical appointment \nduring school hours of a child of a student. \n6. Central Office Staff \na. Office of Health and Wellness is responsible for: \ni. Tracking names of school-based policy liaisons \nii. Coordinating initial and any needed refresher \ntraining resources for policy liaisons. The training \nwill include best practices on disseminating \ninformation about the expectant and parenting \nstudents policy, on finding and distributing \nresources to students in a culturally responsive \nway, and on expectations for data collection and \nconfidentiality. \niii. Maintaining up-to-date district and community \nresources for supporting expectant and parenting", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "way, and on expectations for data collection and \nconfidentiality. \niii. Maintaining up-to-date district and community \nresources for supporting expectant and parenting \nstudents and sharing these resources with \nliaisons. \nb. Office of Equity is responsible for: \ni. Monitoring compliance with this policy, including \nresponding to reports of possible bias-based \nconduct. \nii. Ensuring communication of the policy at every \nlevel of staff within the district and", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 26 of 28 \n \n \n \ncommunicating the policy yearly to families \nthrough the BPS Guidebook. \niii. Reviewing the policy and its associated \nimplementation procedures annually and \nupdating as needed in collaboration with the \nOffice of Health and Wellness and other central \noffice stakeholders identified in this policy. \niv. Sharing the expectant and parenting students \npolicy and policy updates with the Boston \nStudent Advisory Council and other student \ngroups. \nc. The Department of School Health Services is \nresponsible for: \ni. Providing training and guidance to school nurses \non best practices for working with expectant and \nparenting students, including how to ensure \nconfidentiality in accordance with this policy and \nthe law and providing culturally responsive \nservices. \nd. Office of Opportunity Youth is responsible for: \ni. Working with schools to help support the \ncontinuation of learning during excused absences", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "services. \nd. Office of Opportunity Youth is responsible for: \ni. Working with schools to help support the \ncontinuation of learning during excused absences \nand leave through the Home and Hospital \nInstruction Program. \nii. Through supervisors of attendance, responding to \ninquiries about attendance policies or reporting, \nincluding policies on excused absences for \nexpectant and parenting students.", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 27 of 28 \n \n \n \niii. Through the Homeless Education Resource \nNetwork (HERN), working with schools to arrange \ntransportation and promote school attendance \namong expectant or parenting students \nexperiencing homelessness who are residing \noutside of the district. \ne. Central office departments tasked with student \nsupport services, such as Guidance and Social Work, \nare responsible for: \ni. Supporting the communication of this policy to \nthe school-based staff they support and \nsupporting professional development to ensure \nstaff is trained and have the resources to support \nexpectant and parenting students. \nii. Identifying schools with large numbers of \nexpectant and parenting students, such that \nexisting support systems may not be adequate to \nsupport their needs and helping to establish a \nplan for providing more comprehensive systems \nof support. \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "support their needs and helping to establish a \nplan for providing more comprehensive systems \nof support. \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington Street, 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-9650 \nEmail: bpsequity@bostonpublicschools.org", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "content": "Superintendent\u2019s Circular EQT-08 \nPage 28 of 28 \n \n \n \nOR \nName: Senior Executive Director \nDepartment: Office of Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-7926 \nEmail: healthandwellness@bostonpublicschools. \norg \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-07 \nVersion 01 \n \n \n \nACCOMMODATING EMPLOYEES WITH DISABILITIES, \nPREGNANCY, AND PREGNANCY-RELATED CONDITIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to providing equal \nemployment opportunity to all individuals, in accordance with \nChapter 151B of the Massachusetts General Laws and with the \nAmericans with Disabilities Act (ADA). This circular provides \ninformation about the district procedures to address \naccommodation requests for employees on the basis of disability, \npregnancy, and pregnancy-related conditions. \nEMPLOYEES WITH DISABILITIES \nAny current or prospective employee who is an individual with a \ndisability may request a reasonable accommodation to assist in \nperforming the essential functions of their assignment. \nChapter 151B and the ADA define a person with a disability as", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "disability may request a reasonable accommodation to assist in \nperforming the essential functions of their assignment. \nChapter 151B and the ADA define a person with a disability as \nsomeone who: (1) has a physical or mental impairment that \nsubstantially limits one or more major life activities; (2) has a \nrecord of such an impairment; or (3) is regarded as having such \nan impairment.", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-07 \nPage 2 of 6 \n \n \n \nMajor life activities include, but are not limited to, caring for \noneself, performing manual tasks, seeing, hearing, eating, \nsleeping, walking, standing, lifting, bending, speaking, breathing, \nlearning, reading, concentrating, thinking, communicating, and \nworking, and the operation of a major bodily function. Although \nnot exhaustive, examples of the range and variety of disabilities \nincluded under these laws are provided below. \n\u2022 Non-Ambulatory Disabilities \u2013 Physical impairments, \nregardless of cause, that require an individual to use a \nwheelchair, including individuals who are paraplegic, \nquadriplegic, hemiplegic, or have had a limb or limbs \namputated. \n\u2022 Semi-Ambulatory Disabilities \u2013 Physical impairments that \ncause a person to walk with difficulty, perhaps with the \nassistance of a cane, crutches, or walker. \n\u2022 Coordination Disabilities \u2013 Impairments of muscle control of \nthe limbs.", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "cause a person to walk with difficulty, perhaps with the \nassistance of a cane, crutches, or walker. \n\u2022 Coordination Disabilities \u2013 Impairments of muscle control of \nthe limbs. \n\u2022 Sight Disabilities \u2013 Impairments affecting vision totally or \npartially. \n\u2022 Hearing Disabilities \u2013 Impairments affecting hearing totally \nor partially. \n\u2022 Speech Impairments \u2013 Impairments affecting totally or \npartially the ability to communicate orally. \n\u2022 Learning Disabilities \u2013 Impairments that impede learning \nprocesses. \n\u2022 Mental or Psychological Disorders \u2013 Impairments affecting \nindividuals\u2019 neurological and/or psychological functioning, \nbehavior, and/or mood.", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-07 \nPage 3 of 6 \n \n \n \nThe district\u2019s nondiscrimination policy prohibits bias-based \nconduct or discrimination on the basis of disability in any aspect \nof the employment relationship, including: \n1. Recruitment, advertising, and the processing of \napplications \n2. Hiring, evaluation, upgrading, promotion, award of \npermanent teacher status, demotion, transfer, layoff, \ntermination, right of return from layoff, and rehiring \n3. Rates of pay or any other form of compensation, and \nchanges in compensation \n4. Job assignments, job classifications, organizational \nstructures, position descriptions, lines of progression, \nand seniority lists \n5. Leaves of absence, sick leave, or any other leave \n6. Fringe benefits available by virtue of employment, \nwhether or not administered by the Boston Public \nSchools \n7. Selection and financial support for training, including \nprofessional development, conferences, and other", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "whether or not administered by the Boston Public \nSchools \n7. Selection and financial support for training, including \nprofessional development, conferences, and other \nrelated activities, and selection for leave of absence to \npursue training. \nPREGNANCY AND PREGNANCY-RELATED CONDITIONS \nAs of April 1, 2018, any current or prospective employee who is \npregnant or has a pregnancy-related condition, such as lactation \nor the need to express breast milk, may request a reasonable \naccommodation to assist in performing the essential functions of \ntheir assignment.", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-07 \nPage 4 of 6 \n \n \n \nIf an employee requests an accommodation for: (1) more frequent \nrestroom, food, or water breaks; (2) seating; (3) limits on lifting no \nmore than 20 pounds; and (4) private, non-bathroom space for \nexpressing breast milk, no medical documentation \naccompanying such a written request is necessary. Other \naccommodation requests may require supporting medical \ndocumentation or information. \nEmployees who are pregnant or have pregnancy-related \nconditions may contact the Office of Equity to begin the \naccommodations process. \nREASONABLE ACCOMMODATION PROCESS \nA \u201creasonable accommodation\u201d is any modification or \nadjustment to a job or work environment that allows an \napplicant or employee with a disability, pregnancy, and \npregnancy-related conditions to participate in the job application \nprocess, perform the essential functions of a job, or enjoy benefits \nand privileges of employment equal to those enjoyed by", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "pregnancy-related conditions to participate in the job application \nprocess, perform the essential functions of a job, or enjoy benefits \nand privileges of employment equal to those enjoyed by \nemployees. Upon receiving a request for a reasonable \naccommodation, the Boston Public Schools will engage in an \ninteractive dialogue process. The district will attempt to provide \nreasonable accommodations unless it would cause an undue \nhardship or fundamentally alter the district\u2019s programs. \nAny applicant or employee seeking reasonable accommodations \non the basis of a disability, pregnancy, and pregnancy-related \nconditions may contact the Office of Equity to begin the process. \nInformation an employee chooses to submit during the \naccommodation process, such as relevant medical \ndocumentation, will be kept confidential to the extent", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-07 \nPage 5 of 6 \n \n \n \npracticable. Information collected in the reasonable \naccommodation process will be kept in a confidential file with \nthe Office of Equity. \nYour cooperation in implementing a policy of nondiscrimination \nagainst persons with disabilities will assist the Boston Public \nSchools in ensuring equal opportunity for all employees and \npotential employees. \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful discrimination \non the basis of disability, pregnancy, and pregnancy-related \nconditions, you may file a formal complaint with either of the \ngovernment agencies set forth below. Using BPS' internal \nreporting process does not prohibit you from also filing a \ncomplaint with these agencies. These agencies have a short time \nperiod for filing a claim (300 days from the most recent act of \nalleged discrimination). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "period for filing a claim (300 days from the most recent act of \nalleged discrimination). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \nPhone: 1-800-660-4000", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-07 Accommodating Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-07 \nPage 6 of 6 \n \n \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: Director of Accommodations in the Office of \nEquity \nDepartment: Office of Equity \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nE-mail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEQT-10 \nVersion 01 \n \n \n \nOPPORTUNITY AND ACHIEVEMENT GAPS (OAG) \nPOLICY IMPLEMENTATION \n(For the 2016 Policy of the Boston Public Schools to Eliminate \nOpportunity & Achievement Gaps for students of color, \nmultilingual learners, students with disabilities and students of \nlow socio-economic status) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nCIRCULAR CONTENTS \nI. Opportunity & Achievement Gaps (OAG) Policy Goals \nII. OAG Policy Oversight and Implementation \nIII. OAG Policy SMARTIE Goals / Aligned with Strategic Plan \nImplementation Goals \na. Superintendent Goals \nb. Central Office Department & Division Goals \nc. School-based Goals \nd. Cross Functional Team Goals \nIV. Transparency & Public Accountability \nThe Boston Public Schools is committed to ensuring that every \nchild in every classroom has unfettered access to all the \nopportunities needed to be successful academically and social", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "The Boston Public Schools is committed to ensuring that every \nchild in every classroom has unfettered access to all the \nopportunities needed to be successful academically and social \nemotionally. In order to meet this mission, it\u2019s important that \nevery district employee reads, understands, embodies, and \nimplements the 2016 Opportunity & Achievement Gaps Policy.", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 2 of 10 \n \n \n \n \nI. OAG POLICY GOALS \nThe OAG Policy aspires to achieve the following goals: \n\u2022 Goal 1: Districtwide Implementation and Oversight \n\u2022 Goal 2: Districtwide Focus on Cultural Proficiency as \nCentral to the Work of the Boston Public Schools \no Objective 2.1: Develop a clear, shared vision for cultural \nproficiency with Cultural Proficiency Standards, and \npromote culturally and linguistically sustaining and \naffirming practices districtwide. \no Objective 2.2: Continue and expand efforts aimed at \nincreasing dialogue and transparency around issues of \nracism and inclusion and create a system for reporting \nallegations of racial bias and discriminatory practices \nthrough the Office of Equity. \n\u2022 Goal 3: Diversity and Cultural Proficiency in Leadership \nand Human Capital \no Objective 3.1: Increase the diversity of teachers, \nadministrators, and staff in schools and the Central \nOffice.", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "\u2022 Goal 3: Diversity and Cultural Proficiency in Leadership \nand Human Capital \no Objective 3.1: Increase the diversity of teachers, \nadministrators, and staff in schools and the Central \nOffice. \no Objective 3.2: Provide long-term, ongoing professional \ndevelopment and coaching for staff at all levels of the \ndistrict on eliminating gaps, transforming and \nimproving instructional practices and beliefs, and \nbuilding a culture of high expectations and \nachievement for all students.", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 3 of 10 \n \n \n \n\u2022 Goal 4: Holistic, Culturally Affirming Approach to School \nand Teacher Quality \no Objective 4.1: Provide a culturally proficient and highly \neffective teacher in every classroom and give cultural \nproficiency standards greater weight on the Teacher \nEvaluation Rubric. \no Objective 4.2: Demonstrate how curricula are vetted \nfor bias and cultural proficiency and ensure that the \ncurriculum and instructional strategies used in all \nsubjects at all levels are rigorous, highly engaging, \nculturally affirming, and foster student identity and \nvoice. \no Objective 4.3: Demonstrate how Social and Emotional \nLearning (SEL) is used to develop student identity and \nan appreciation of race, ethnicity, culture, language, \ngender, and social class among students and teachers; \nand foster comfort in discussing these issues explicitly \nin school. \no Objective 4.4: Demonstrate how assessments are used", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "gender, and social class among students and teachers; \nand foster comfort in discussing these issues explicitly \nin school. \no Objective 4.4: Demonstrate how assessments are used \nto drive deeper learning, eliminate redundant testing, \nand disaggregate data by ethnicity in addition to race \nand gender to identify and address opportunity and \nachievement gaps. \no Objective 4.5: Demonstrate how appropriate \nidentification, placement, and support services are \nprovided for students with disabilities and English \nLanguage Learners.", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 4 of 10 \n \n \n \n\u2022 Goal 5: Dismantling Structural Barriers and Providing \nGreater Access to Opportunities \no Objective 5.1: Demonstrate how equity is addressed \nwithin the district\u2019s operations. \no Objective 5.2: Demonstrate equity in student \nassignment, enrollment, and school closings. \no Objective 5.3: Demonstrate equity, quality, and impact \nin funding and resources. \no Objective 5.4: Demonstrate how opportunities such as \naccess to rigorous curriculum, early childhood \neducation, and extended learning time are being \nexpanded to all students of color and other \nmarginalized groups. \no Objective 5.5: Demonstrate how, in collaboration with \nthe City of Boston, BPS fosters strong parent \ncommunity-school ties to mitigate the effects of \nconcentrated poverty and institutional racism citywide \nas a strategy to eliminate gaps. \n\u2022 Goal 6: Students, Family, and Community as Authentic \nPartners \no Objective 6.1: Demonstrate how students are engaged", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "as a strategy to eliminate gaps. \n\u2022 Goal 6: Students, Family, and Community as Authentic \nPartners \no Objective 6.1: Demonstrate how students are engaged \nas partners in eliminating opportunity and \nachievement gaps, while promoting student \nengagement and agency in active learning. \no Objective 6.2: Demonstrate how parents are engaged \nas partners in eliminating opportunity and \nachievement gaps. \no Objective 6.3: Demonstrate how community partners", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 5 of 10 \n \n \n \nare engaged with the District to eliminate opportunity \nand achievement gaps. \nII. OAG POLICY OVERSIGHT AND IMPLEMENTATION \nThe Office of Opportunity Gaps of the Division of Equity, Strategy \nand Opportunity Gaps (ESOG) has the authority to oversee the \nimplementation of the OAG policy as designated by the \nsuperintendent of schools. \n\u2022 To ensure that all \u201cdepartments and schools \n[demonstrate] equity in all facets of district operations,\u201d \neach department and school is expected to develop \nannual goals that advance the goals of the OAG policy \nunder their purview. \n\u2022 For central office departments, each OAG policy goal \nshould be developed in consultation with a designated \nmember of the Office of Opportunity Gaps before the \nbeginning of each school year. \n\u2022 For schools, school leaders, in consultation with their \nschool superintendent, should develop goals advancing \nthe OAG policy as a part of their annual Quality School", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "\u2022 For schools, school leaders, in consultation with their \nschool superintendent, should develop goals advancing \nthe OAG policy as a part of their annual Quality School \nPlan (QSP). The school superintendents should have the \ngoals reviewed by the Office of Opportunity Gaps for \nconsultation and feedback for finalization by November 1 \nof each year. \n\u2022 The Office of Opportunity Gaps and the Office of Strategy \n& Innovation will work in partnership to ensure alignment \nof strategy plan implementation goals and OAG policy \nimplementation goals across central office departments. \nEach department's OAG goal(s) shall also serve as one or", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 6 of 10 \n \n \n \nmore of its strategic plan implementation goals. \n \nIII. OAG POLICY SMARTIE GOALS / ALIGNED WITH STRATEGIC \nPLAN IMPLEMENTATION GOALS \n\u201cImplementation and Evaluation: Within six months of the \nBoston School Committee (BSC) adoption of this policy, Boston \nPublic Schools (BPS) will develop and present to BSC an \ninterdepartmental implementation plan for this policy. The \nImplementation Plan must include SMART Goals which are \nSpecific, Measurable, Attainable, Realistic, and Time-Bound. \nEach October, beginning in 2017, BPS will submit an annual \nreport on the Plan\u2019s progress which will include SMART Goals for \nthe subsequent calendar year. BPS will develop an Opportunity \nand Achievement Gaps (OAG) Dashboard, publicly available on \nthe BPS website, which monitors and assesses the District\u2019s \nprogress towards meeting the goal of eliminating the \nopportunity and achievement gaps facing students of color and", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "the BPS website, which monitors and assesses the District\u2019s \nprogress towards meeting the goal of eliminating the \nopportunity and achievement gaps facing students of color and \nother marginalized groups.\u201d \n\u2022 Superintendent Goals: At the beginning of each school \nyear, the superintendent\u2019s goals, objectives, and \nimplementation of activities will be aligned with the goals \nand objectives of the Opportunity and Achievement Gap \nPolicy. \n\u2022 Central Office Goals: At the beginning of each fiscal year, \neach division-office must develop an Opportunity and \nAchievement Gap Goal and Strategy(s) that elevates \nstudent disproportionality within their workstreams. \nGoals are reviewed quarterly to determine progress on \nimplementation for student achievement.", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 7 of 10 \n \n \n \n\u2022 School-Based Goals: At the beginning of each school year, \nSchool Leaders and their teams must develop an \nOpportunity and Achievement Gap Goals and \nStrategy(ies) within their Quality School Plans that elevate \nstudent disproportionalities within teaching, learning, \noperational, and social emotional supports. Quality School \nPlans are reviewed every 90 days to determine progress \non implementation for student achievement. \nIV. TRANSPARENCY & PUBLIC ACCOUNTABILITY \n\u201cThe Boston School Committee must ensure that eliminating the \nopportunity and achievement gaps facing students of color, \nEnglish Language Learners, students with disabilities, and \nstudents of low socio-economic status is a primary and urgent \npriority that will not change with new leadership, fluctuating \nbudgets, and shifting priorities. All District policies, budgets, \nstrategic plans, and school improvement plans shall advance", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "priority that will not change with new leadership, fluctuating \nbudgets, and shifting priorities. All District policies, budgets, \nstrategic plans, and school improvement plans shall advance \nthe goal of eliminating the opportunity and achievement gaps \nfacing students of color, English Language Learners, students \nwith disabilities, and students of low socio-economic status.\u201d \nRESPONSIBILITY OF DISTRICT LEADERSHIP \nEquity Impact Statements: \nAll reports, policy recommendations, and budgets presented to \nthe Boston School Committee shall be accompanied by an Equity \nImpact Statement that explicitly shows a comparison of the gaps \nfor students of color, multilingual learners, students with \ndisabilities, and students of low socio-economic status, \ndisaggregated by ethnicity, to the extent possible. This \nAchievement Gap Impact Statement will give an explicit", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 8 of 10 \n \n \n \nexamination of how the report, policy recommendation, and/or \nbudget will help or hinder eliminating gaps and increase or \ndecrease opportunities for students of color, Multilingual learners, \nstudents with disabilities, and students of low socio-economic \nstatus. \nAll new policies will be automatically reviewed in one year to \npresent disaggregated ethnic and program data to show that the \npolicy is having its intended impact, along with lessons learned \nand future recommendations. \nOther Provisions / Excerpts From the OAG Policy: \n\u2022 Leadership and Oversight: The superintendent and their \ndesignee (e.g., the assistant superintendent for the \nOpportunity and Achievement Gap) will have the \nresponsibility, authority, and accountability to lead, \nfacilitate, and monitor the implementation of this policy \nso that it is fully embedded in the operations and \npractices of the district.", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "responsibility, authority, and accountability to lead, \nfacilitate, and monitor the implementation of this policy \nso that it is fully embedded in the operations and \npractices of the district. \n\u2022 Resource Allocation: BPS shall base resource allocation \ndecisions on the OAG Implementation Plan, and target \nresources to meet the specific gap closing goals of the \nplan, including fully funding the Office of the Opportunity \nand Achievement Gap and the Office of Equity. As part of \nthe annual report, BPS will indicate the resources it has \nallocated to implement the OAG plan. \n\u2022 Monitoring: The Opportunity and Achievement Gaps Task \nForce shall continue as a monitoring body, meeting no \nless than quarterly, providing guidance and input, and \nworking in partnership with the Boston School", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 9 of 10 \n \n \n \nCommittee, and BPS to help ensure that the \nImplementation Plan is developed, and the policy is being \nimplemented with consistency and fidelity across the \ndistrict. The task force will give an annual State of the \nOpportunity and Achievement Gaps Report to the Boston \nSchool Committee and shall make recommendations as \nneeded to influence the budget process and planning for \neach subsequent school year. \n\u2022 Performance Reviews: Beginning in SY22-23, annual \nperformance reviews for the superintendent and all BPS \nstaff shall include goals related to cultural proficiency and \neliminating opportunity and achievement gaps.", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "content": "Superintendent\u2019s Circular EQT-10 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nName: Assistant Superintendent, Office of \nOpportunity Gaps \nDepartment: Office of Opportunity Gaps \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: ofca-staff@bostonpublicschools.org \nOR \nOwner: Assistant Superintendent, Office of \nOpportunity Gaps \nDepartment: Equity Strategy, Opportunity Gaps \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-02 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD STUDENTS, FAMILIES, \nOR OTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining an \nenvironment free of bias and discrimination where all students \ncan flourish, and all families are welcome and able to engage fully \nas partners in students\u2019 education. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district\u2019s nondiscrimination policy (see EQT-01) that are \ntargeted at students, families, or other third parties. These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based \nconduct or discrimination based on race, color, age, disability, \nsex/gender, gender identity, religion, national origin, ancestry,", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "internal review and resolution of allegations of bias-based \nconduct or discrimination based on race, color, age, disability, \nsex/gender, gender identity, religion, national origin, ancestry, \nretaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. The intent of these \nprocedures is to ensure that, to the greatest extent possible, \nreports of bias-based conduct are resolved in a constructive \nmanner.", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 2 of 10 \n \n \n \nEmployees of the Boston Public Schools who become aware of \nany possible bias-based conduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same standard applies \nto partners or contractors providing services in or under the \nauspices of the Boston Public Schools. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct related to race, color, age, disability, sex/gender, \ngender identity, pregnancy, religion, national origin, ancestry, \nretaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. This applies to \nallegations of discrimination, harassment, or bias-based bullying \nin any activity under the auspices of the Boston Public Schools, \nincluding, but not limited to: \n\u2022 Admission", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "allegations of discrimination, harassment, or bias-based bullying \nin any activity under the auspices of the Boston Public Schools, \nincluding, but not limited to: \n\u2022 Admission \n\u2022 Provision and accessibility of programs and services \n\u2022 Guidance practices \n\u2022 Participation in sporting events or other extracurricular \nactivities. \n \nExamples of unacceptable conduct include treating students \ndifferently because of their membership in a protected group, \nsuch that the treatment interferes with or limits the student\u2019s \nability to participate in or benefit from an educational \nopportunity or extracurricular program. Bias-based conduct also \nincludes derogatory verbal, written, print, or digital", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 3 of 10 \n \n \n \ncommunication or conduct relating to a student\u2019s membership in \na protected category. Any form of communication or physical \naction that creates an intimidating, threatening, or abusive \neducational environment will not be tolerated. \nSuch conduct may originate with students as well as employees \nand may also be caused by other persons who participate, \nobserve, or otherwise engage in a district-sponsored activity. \nBehavior that occurs in a location other than a Boston Public \nSchools building or outside of BPS school or work hours may still \nconstitute bias-based conduct and a violation of this policy if that \nbehavior has the effect of disrupting a student's ability to learn. \nExamples of inappropriate behavior toward students that may \nviolate this policy include: \n\u2022 Speaking or otherwise communicating derisively to or about \na student or parent because of their membership in a", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "violate this policy include: \n\u2022 Speaking or otherwise communicating derisively to or about \na student or parent because of their membership in a \nprotected group, such as their race, including the use of \nslurs \n\u2022 Telling or digitally circulating jokes that are derisive toward \nmembers of a particular group, such as a student of a \nparticular religious faith \n\u2022 Using insulting nicknames for members of a protected \ngroup, such as a female student \n\u2022 Refusing to allow students to participate in any activity \nbecause of their membership in a protected group, such as \ntheir sexual orientation, and in the absence of a legitimate \nnondiscriminatory reason for the refusal", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 4 of 10 \n \n \n \n\u2022 Disciplining a student more frequently or more harshly \nbecause of their membership in a protected group, such as \ntheir national origin \n\u2022 Displaying pictures or taking any action that is derisive to \nany student based on their membership in a \n\u2022 Refusal to use the gender identity affirming name and/or \npronouns that a student has stated. \nStudents sometimes experience \u201cmicroaggressions\u201d: verbal or \nnonverbal communication that is rooted in implicit bias but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n\u2022 Mistaking one student for another because they share the \nsame racial identity \n\u2022 Complimenting a student for having a skill that is counter to \na stereotype regarding their gender or ethnicity \n\u2022 Assuming a student observes a particular religious holiday \nor has a particular sexual orientation \n\u2022 Asking a student about their disability without their \nconsent.", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "\u2022 Assuming a student observes a particular religious holiday \nor has a particular sexual orientation \n\u2022 Asking a student about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the \nOffice will partner with the student, family, and appropriate \nschool staff to determine an effective intervention, such as \ncoaching, mediation, restorative justice, or individual, classroom, \nor school-wide instruction or training.", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 5 of 10 \n \n \n \n \nGENERAL POLICIES \n1. Retaliation against any student, family member, or other \nthird party for reporting or participating in any way in the \nreporting or investigative procedure is strictly prohibited. \n2. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does \nnot conflict with regularly scheduled school programs. \n3. Reporting a possible violation will not be construed as \nreflecting unfavorably on a student, family member, or \nother third party\u2019s good standing, academic performance, \nloyalty, or desirability to the Boston Public Schools. \n4. Information regarding the allegations, including the \nparties involved in the report and the investigation, will \nbe kept confidential to the extent practicable. \n5. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscriminatory policy, the \nSuperintendent or their designee will consider the", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "5. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscriminatory policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, \nthe relationships between the parties involved, and the \ncontext in which the alleged incidents occurred. A \ndetermination whether a particular action or incident \nconstitutes a violation of the policy will be based on all \nthe facts.", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 6 of 10 \n \n \n \nPROCEDURES \nI. Reports to School Leaders \nStudents, families, and other third parties are encouraged to \nreport concerns regarding bias-based incidents of any kind \nto their school\u2019s principal or headmaster. It is advised to file \nthis report as close to the time of the incident as possible, as \nmatters are generally more easily resolved the sooner they \nare reported. \nThe principal or headmaster (or their designee) will attempt \nto work with the individual(s) to resolve the matter. They will \ncontact the Office of Equity to ensure that any next steps \nare carried out in partnership with the Office of Equity and \nappropriately documented. \nStudents, families, or other third parties who do not wish to \nseek assistance from their school\u2019s principal or headmaster, \nor who are dissatisfied with the principal\u2019s or headmaster\u2019s \nattempt at resolution, may report their concerns directly to", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "seek assistance from their school\u2019s principal or headmaster, \nor who are dissatisfied with the principal\u2019s or headmaster\u2019s \nattempt at resolution, may report their concerns directly to \nthe Office of Equity. Nothing in this policy shall prevent a \nstudent, family member, or other third party from reporting \na concern directly to the Office of Equity. \nII. Reports to the Office of Equity \n1. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and \nmay request that the reporter submit a written \nstatement. The Office of Equity will ensure that assistance \nis provided in preparing such a written statement, if \nneeded.", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 7 of 10 \n \n \n \n2. After a report is received, the Office of Equity will notify \nthe appropriate school leader(s) and/or the individual \nabout whom the report has been filed, as appropriate. \n3. The Office of Equity will conduct a fair, impartial, \nthorough, and prompt review of the reported incident(s) \nand investigate as needed. Any investigation may include \ninterviews with individuals who have pertinent \ninformation, and review of any documents or other \ninformation relevant to the investigation. BPS employees \nand students are obligated to cooperate with any Equity \ninvestigation, including promptly providing any \nrequested information or documents. \n4. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will generally be \ninformed when the investigation is complete and \nwhether prohibited conduct was found. Depending on \nthe facts gathered, the Office of Equity may resolve the", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "informed when the investigation is complete and \nwhether prohibited conduct was found. Depending on \nthe facts gathered, the Office of Equity may resolve the \nconcerns by applying approaches such as alternative \ndispute resolution, restorative justice, training, or \ncoaching. In other instances, the results of the \ninvestigation may also be documented as written \nfindings. \n5. The Office of Equity will maintain records of all reports of \nbias-based conduct made to the Office of Equity, noting \nthe school or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records \nto identify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will:", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 8 of 10 \n \n \n \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to \nbe in violation of the district\u2019s nondiscrimination policy \nand prevent this conduct from recurring in the future. \n3. Refer individuals found to have violated the district\u2019s \nnondiscrimination policy for disciplinary action when \nappropriate. \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more \ninformation about Employee Discipline Procedures, \nplease see Superintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under \nthe circumstances. (For more information on student \ndiscipline, please see the Code of Discipline for Students \nand Students with Disabilities \u2013 Superintendent Circulars \nSUP-05 and SPE-15.)", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "the circumstances. (For more information on student \ndiscipline, please see the Code of Discipline for Students \nand Students with Disabilities \u2013 Superintendent Circulars \nSUP-05 and SPE-15.) \n4. Require students, employees, or other third parties found \nto violate the district\u2019s nondiscrimination policy to attend \nEquity protocols and/or bias prevention training, as \nappropriate.", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 9 of 10 \n \n \n \nSTATE AND FEDERAL REMEDIES \nUsing the BPS Equity reporting process does not prohibit you \nfrom also filing a complaint with a state or federal agency. These \nagencies have a short time period for filing a claim (OCR \u2013 180 \ndays; DESE \u2013 within the same school year; MCAD \u2013 300 days). \n\uf075 For incidents involving students\u2019 civil rights: \nUnited States Department of Education Office for Civil \nRights (OCR) \nJohn W. McCormack Post Office and Courthouse \n5 Post Office Square, 8th Floor, Suite 900, Boston, MA 02109 \n(617) 289-0111 \n \n\uf075 For concerns regarding students\u2019 equitable access to \neducation: \nMassachusetts Department of Elementary and Secondary \nEducation (DESE) \n350 Main Street, Malden, MA 02108 \n(781) 388-3300 \n \n\uf075 For concerns regarding civil rights related to food and \nnutrition (school-provided meals): \nU.S. Department of Agriculture Office of the Assistant \nSecretary for Civil Rights", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "(781) 388-3300 \n \n\uf075 For concerns regarding civil rights related to food and \nnutrition (school-provided meals): \nU.S. Department of Agriculture Office of the Assistant \nSecretary for Civil Rights \n1400 Independence Avenue, SW, Washington, DC 20250", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-02 \nPage 10 of 10 \n \n \n \n\uf075 For incidents regarding employees\u2019 civil rights: \nMassachusetts Commission Against Discrimination (MCAD) \n \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: Director of Compliance and Title IX \nCoordinator \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-06 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD EMPLOYEES AND \nOTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to ensuring a work \nenvironment free of inappropriate sexual conduct. Inappropriate \nsexual comments or behavior will not be tolerated. In addition, \nany retaliation against an individual who reports inappropriate \nsexual conduct or harassment, or has cooperated with a related \ninvestigation, is unacceptable. The Boston Public Schools treats \nreports of violations of this policy with the utmost seriousness. \nWe will respond promptly to any allegations of sexually \ninappropriate conduct and intervene to cease any conduct that \nviolates this policy. Anyone who violates this policy will be subject \nto corrective action up to and including termination. \nDEFINITION OF SEXUAL HARASSMENT", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "violates this policy. Anyone who violates this policy will be subject \nto corrective action up to and including termination. \nDEFINITION OF SEXUAL HARASSMENT \nIn Massachusetts, sexual harassment means sexual advances, \nrequests for sexual favors, and verbal or physical conduct of a \nsexual nature when:", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-06 \nPage 2 of 7 \n \n \n \na) Submission to or rejection of such advances, requests, or \nconduct is made, either explicitly or implicitly, a term or \ncondition of employment or as a basis for employment \ndecisions; or \nb) Such advances, requests, or conduct have the purpose or \neffect of unreasonably interfering with an individual\u2019s work \nperformance by creating an intimidating, hostile, \nhumiliating, or sexually offensive work environment. \nPlease note that while this policy sets forth the goal of promoting \na workplace that is free of harassment, the policy is not designed \nor intended to limit the district\u2019s authority to discipline or take \nremedial action for workplace conduct that the district deems \nunacceptable, regardless of whether the conduct satisfies the \ndefinition of unlawful harassment. \nThe definition of inappropriate sexual communication and \nbehavior is broad. Conduct that is sexual or perceived as sexual,", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "definition of unlawful harassment. \nThe definition of inappropriate sexual communication and \nbehavior is broad. Conduct that is sexual or perceived as sexual, \nand that is welcome or unwelcome, may constitute sexual \nharassment. \nCONDUCT PROHIBITED \nEmployees shall not engage in inappropriate sexual conduct \nwhile employed, working for, attending, or participating in \ndistrict endeavors. Employees are protected from inappropriate \nsexual conduct by anyone they interact with in the course of their \nwork. The same standard applies to partners or contractors \nproviding services in or under the auspices of the Boston Public \nSchools. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours,", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-06 \nPage 3 of 7 \n \n \n \nincluding when an employee is working remotely, may still \nconstitute sexual misconduct and a violation of this policy if that \nbehavior has the effect of disrupting an employee\u2019s ability to do \ntheir job. \nWhile it is not possible to list all circumstances that may \nconstitute prohibited conduct, the following are some examples: \nVERBAL: Using suggestive, derogatory, vulgar comments, or \nsexual innuendos or slurs; making unwanted sexual advances, \ninvitations, and/or comments; repeatedly requesting dates; \nspreading rumors about or rating others as to their sexual activity \nor performance; making threats or pressuring others to submit to \nsexual requests; inquiring into one\u2019s sexual activities or \norientation. \nVISUAL: Displaying sexually suggestive objects, pictures, posters, \nwritten material, cartoons, or drawings; texting, emailing, or \nsharing digital images or comments of a sexual nature; using \nsexual gestures.", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "written material, cartoons, or drawings; texting, emailing, or \nsharing digital images or comments of a sexual nature; using \nsexual gestures. \nPHYSICAL: Sexual activity, whether or not it is consensual, in a \nschool or any building where BPS business is conducted. \nParticipating in unwanted touching, pinching, kissing, hugging; \nblocking normal movement; stalking; engaging in unwanted \nsexual acts or assault; physically interfering with an individual\u2019s \nwork because of their actual or perceived sex, sexual orientation, \ngender identity, or gender expression.", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-06 \nPage 4 of 7 \n \n \n \nRESPONDING TO REPORTS OF SEXUAL MISCONDUCT \nAn employee who believes that they have been a target of \ninappropriate sexual conduct may report the incident to any of \nthe following individuals: school principal/head of school, school \nsuperintendent, or the Office of Equity. \n1. If an employee believes that they have been subjected to \ninappropriate sexual conduct or have witnessed \ninappropriate sexual conduct, the employee has the right to \nfile a report with the Boston Police. \n2. The aggrieved employee also has the right to file a report \nwith the Boston Public Schools Office of Equity, either orally \nor in writing, at 617-635-9650 or \nbpsequity@bostonpublicschools.org. \n3. Employees in supervisory or managerial roles have an \nobligation to report any employee complaint of sexual \nmisconduct to the Office of Equity within two (2) business \ndays of learning of the complaint. The person submitting", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "obligation to report any employee complaint of sexual \nmisconduct to the Office of Equity within two (2) business \ndays of learning of the complaint. The person submitting \nthe report must ensure the integrity and confidentiality of \nthe report and shall not disclose the allegations or any \nrelated information to either party or to any third party, \nexcepting the Office of Equity, unless required by law. \nEmployees in a supervisory capacity are required to report \npossible sexual misconduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day.", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-06 \nPage 5 of 7 \n \n \n \nAfter a report is filed, the Office of Equity or the office\u2019s designee \nwill promptly investigate the allegation in a fair and expeditious \nmanner. The investigation may include a private interview with \nthe person filing the report, the person alleged to have engaged \nin sexually inappropriate conduct, and other witnesses. In some \ncircumstances, as determined by the Office of Equity, the person \nalleged to have engaged in the conduct may be placed on \nadministrative leave pending the outcome of the investigation. \nBPS employees are obliged to cooperate with the investigation, \nincluding promptly participating in investigatory interviews, and \nproviding any requested information or documents. \nIf Boston Public Schools finds that there has been a violation of \nthis policy, the district will take action to eliminate the conduct. \nDisciplinary action for employees may include warnings,", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "If Boston Public Schools finds that there has been a violation of \nthis policy, the district will take action to eliminate the conduct. \nDisciplinary action for employees may include warnings, \nreprimands, required training, suspension or termination of \nemployment, or other discipline as appropriate. \nWhen the investigation is completed, the Office of Equity will \ninform the reporter and the person alleged to have engaged in \nthe conduct of the results of the investigation to the extent \nappropriate under the circumstances. \nPROHIBITION OF RETALIATION \nRetaliation against an individual who reports inappropriate \nsexual conduct, sexual harassment, or retaliation against \nindividuals for cooperating with an investigation of a sexual \nharassment allegation is unlawful and will not be tolerated by the \nBoston Public Schools.", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-06 \nPage 6 of 7 \n \n \n \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful sexual \nharassment, you may also file a formal complaint with either of \nthe government agencies set forth below. Using the district\u2019s \ninternal reporting process does not preclude you from filing a \ncomplaint with these agencies. Each agency has a short time \nperiod for filing a claim (300 days). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Springfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "content": "Superintendent\u2019s Circular EQT-06 \nPage 7 of 7 \n \n \n \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nE-mail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-09 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nEMPLOYEE NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY AND EXPRESSION \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. All Boston Public Schools are to be \nfree from bias and discrimination on the basis of sex, sexual \norientation, and/or gender identity. \nThis circular sets forth guidelines to address the needs of \ntransgender and gender non-conforming employees and clarifies \nthe Office of Equity\u2019s investigatory process. This circular does not \nanticipate every situation that might occur with respect to \ntransgender or gender non-conforming employees, and the \nneeds of each transgender or gender non-conforming employee \nmust be assessed on a case-by-case basis.", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "transgender or gender non-conforming employees, and the \nneeds of each transgender or gender non-conforming employee \nmust be assessed on a case-by-case basis. \nReports of bias, discrimination or harassment based on a person\u2019s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-09) will be investigated and addressed", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-09 \nPage 2 of 8 \n \n \n \naccording to the protocols detailed in Superintendent\u2019s Circular \nEQT-05, \u201cEmployee Reports of Bias-Based Conduct.\u201d \nDEFINITIONS \nThe definitions provided below are not intended to label or limit \nemployees\u2019 individual identities or experiences, but rather to \nassist in understanding this circular and the district\u2019s legal \nobligations. Although these are the most commonly used terms, \nemployees may or may not choose to use these terms to describe \ntheir gender identity, appearance, or behavior. \n\u2022 Gender Identity: Defined under Massachusetts law as \u201ca \nperson\u2019s gender-related identity, appearance, or behavior, \nwhether or not that gender-related identity, appearance, or \nbehavior is different from that traditionally associated with \nthe person\u2019s physiology or assigned sex at birth.\u201d \n\u2022 Gender Expression: The way a person represents or \nexpresses gender to others, often through behavior,", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "the person\u2019s physiology or assigned sex at birth.\u201d \n\u2022 Gender Expression: The way a person represents or \nexpresses gender to others, often through behavior, \nclothing, hairstyles, activities, voice, or mannerisms. \n\u2022 Transgender: A person whose gender identity or expression \nis different from that traditionally associated with the \nassigned sex at birth. \n\u2022 Gender Nonconforming: People whose gender identity \nand/or gender expression do not conform to traditional \nsocietal expectations or norms. The terms \u201cgender \nnonbinary,\u201d \u201cgender variant,\u201d or \u201cgender-atypical\u201d may also \nbe used. \n\u2022 Queer: While historically and sometimes currently \nconsidered an offensive term, \u201cqueer\u201d has been reclaimed \nby many members of the lesbian, gay, bisexual, and", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-09 \nPage 3 of 8 \n \n \n \ntransgender (LGBT) community as a term of empowerment. \nThe term generally refers to a member of the LGBT and/or \ngender nonconforming community. This term may be used \nby someone who identifies as a member of the LGBT \ncommunity, but who does not specifically consider \nthemselves to be lesbian, gay, bisexual, or transgender. \nSince this term has a negative history, it should only be used \nto describe individuals who identify themselves as queer \nand give permission for others to use that term to describe \nthem. \n\u2022 Transition: The process by which a person goes from living \nand identifying as one gender to living and identifying as \nanother. Transitions may include physical, social, and/or \nmedical processes. Not all transgender or gender \nnonconforming people transition or desire to transition in \nthe same way. Transitions are private, and personal \ninformation about a transition should not be discussed", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "nonconforming people transition or desire to transition in \nthe same way. Transitions are private, and personal \ninformation about a transition should not be discussed \nunless the conversation is initiated and led by the \ntransgender or gender-nonconforming employee. \nRESPONSIBILITIES \nThe Boston Public Schools Office of Equity is responsible for \nensuring compliance with this circular and ensuring that all \nschool administrators and Central Office department heads are \ntrained and prepared to comply with their obligations under this \ncircular. \nPRIVACY AND CONFIDENTIALITY \nTransgender and gender nonconforming employees have the \nright to discuss their gender identity or expression openly or", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-09 \nPage 4 of 8 \n \n \n \nkeep that information private. The employee has the right to \ndecide when, with whom, and how much to share when \nspeaking about their identity or expression. \nBPS Central Office employees, school personnel, and other \nparties employed, contracted by, or serving as volunteers in the \ndistrict should not disclose information that may reveal an \nemployee\u2019s transgender status or gender nonconforming \npresentation to others without their express permission. Private \nand confidential information may only be shared with the \ntransgender employee\u2019s consent, and with employees who truly \nneed to know to execute their job requirements. \nDRESS AND APPEARANCE \nBoston Public Schools does not have dress codes that restrict \nemployees\u2019 clothing or appearance on the basis of gender. \nTransgender and gender nonconforming employees have the \nright to dress in a manner consistent with their gender identity \nand/or gender expression.", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Transgender and gender nonconforming employees have the \nright to dress in a manner consistent with their gender identity \nand/or gender expression. \nNAMES AND PRONOUNS \nAn employee has the right to be addressed by the name and \npronoun that corresponds to the employee\u2019s gender identity in \nthe workplace, including by their colleagues, and for school-\nbased employees, by their students. A court-ordered name or \ngender change is not required. The intentional refusal to respect \nan employee\u2019s gender identity may constitute a violation of the \ndistrict\u2019s circular, Bias-Based Conduct Toward Employees (EQT-\n05) and/or state and federal anti-discrimination laws. If a district \nemployee is unsure what pronoun a staff member uses, they \nshould ask the employee how they would like to be addressed.", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-09 \nPage 5 of 8 \n \n \n \nPUBLIC FACILITIES ACCESSIBILITY \nEmployees have a right to access safe and appropriate facilities, \nincluding the right to use a restroom and/or locker room that \ncorresponds to the employee\u2019s gender identity, regardless of the \nemployee\u2019s sex assigned at birth. Any employee who has a need \nor desire for increased privacy will be provided access to a single-\nstall restroom and/or private area, if available. No employee \nshould be required to use a single-stall restroom or a private \nchanging area. \nTRANSITIONING AT BPS \nEmployees who transition during their BPS employment can \nexpect the support of the Office of Human Capital and the Office \nof Equity. These two offices will work with each transitioning \nemployee individually to ensure a successful workplace \ntransition. \nBEFORE THE WORKPLACE TRANSITION BEGINS \nTransitioning employees are encouraged to work in partnership", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "employee individually to ensure a successful workplace \ntransition. \nBEFORE THE WORKPLACE TRANSITION BEGINS \nTransitioning employees are encouraged to work in partnership \nwith the Office of Equity and Office of Human Capital to learn \nmore about the district\u2019s transgender-related policies, and the \navailability of transition-related health care benefits. \n \nAll relevant parties should discuss a workplace transition plan, \nincluding the employee, the employee\u2019s supervisor, and others as \nappropriate. A work plan should specify: \n\u2022 The date selected by the employee for when the transition \nwill officially and formally take place. This date will", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-09 \nPage 6 of 8 \n \n \n \ncorrespond to the date the employee changes their gender \nexpression, name, and pronouns. Employees may also \nchoose to start using the bathroom and other facilities that \ncorrespond to their gender identity on this date. The \nemployee has the right to revise the start date and other \naspects of the plan based on their evolving needs and \npreferences. \n\u2022 How and in what format the transitioning employee will \nnotify co-workers or personnel who need to know. \n\u2022 What, if any, training will be provided to co-workers, \nstudents, or other appropriate personnel or families. \n\u2022 What updates should be made to the transitioning \nemployee\u2019s records, and when they will be made. \n\u2022 The dates of any leaves that may be needed for pre-\nscheduled medical procedures or treatment, if applicable. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nThe Boston Public Schools is committed to maintaining a", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "scheduled medical procedures or treatment, if applicable. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \n \nReports of bias, discrimination, or harassment based on a \nperson\u2019s actual or perceived gender identity or gender \nnonconformity are handled in the same manner as other reports \nof bias-based conduct. The Boston Public Schools utilizes the \nprocedures outlined in EQT-05, Bias-Based Conduct Toward \nEmployees. These procedures are designed to facilitate a prompt \nand effective internal review and resolution of allegations of bias-", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-09 \nPage 7 of 8 \n \n \n \nbased conduct, discrimination, or harassment based on \nsex/gender, gender identity, gender expression, and sexual \norientation. \nRELATED RESOURCES \n\u2022 Links to laws, regulations, cases, and web sources on \ngender identity or expression law can be found at \nMassachusetts Law About Gender Identity or Expression. \n\u2022 Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional training and support.", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-09 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-9291 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-01 \nVersion 01 \n \n \n \nNONDISCRIMINATION POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining an \neducational environment and workplace where individuals of all \nbackgrounds and experiences are welcomed, encouraged, \nincluded, and can flourish. We aim to eliminate all forms of bias \nand bigotry, including discrimination based on race, color, age, \ncriminal record (inquiries only), physical or mental disability, \npregnancy and pregnancy-related conditions, homelessness, \nsex/gender, gender identity, religion, national origin, ancestry, \nsexual orientation, genetics, natural or protective hairstyle, and \nmilitary status. The Boston Public Schools is resolved that \nprejudice and disparate treatment will never impede our learners \nor our educators. \nThe Boston Public Schools will not tolerate discriminatory", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "content": "prejudice and disparate treatment will never impede our learners \nor our educators. \nThe Boston Public Schools will not tolerate discriminatory \nbehavior, including intimidation, threats, or harassment of \nemployees, students, or anyone else who visits or is part of our \nlearning community. Retaliatory conduct toward persons who \nhave reported possible bias, discrimination, or inappropriate \nbehavior, who have assisted in an investigation, or who have \notherwise exercised their rights under this policy is also \nprohibited.", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "content": "Superintendent\u2019s Circular EQT-01 \nPage 2 of 4 \n \n \n \nConduct in violation of this policy includes any action, including \nverbal or nonverbal communication, that contributes to, \npromotes, or is complicit in disrupting the district\u2019s inclusive \nlearning and working environment. Derogatory or intimidating \nstatements, threats, acts of exclusion, or other mistreatment \nregarding a student\u2019s or employee\u2019s membership in or \nassociation with a member of a protected group, whether made \nin person or by telephone, postal mail, e-mail, internet posting, or \nany other means, will not be tolerated. This includes such \nstatements made toward students, members of students\u2019 \nfamilies, employees, contractors, or other parties who support or \nparticipate in district programming. \nThis policy extends to all employment and educational practices \nand programs, including: \n\u2022 Recruitment \n\u2022 Selection and admission \n\u2022 Compensation and benefits \n\u2022 Access to learning", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "content": "This policy extends to all employment and educational practices \nand programs, including: \n\u2022 Recruitment \n\u2022 Selection and admission \n\u2022 Compensation and benefits \n\u2022 Access to learning \n\u2022 Professional development, training, and extracurricular \nactivities \n\u2022 Discipline, evaluation, and testing \n\u2022 Reasonable accommodation for disabilities or religious \npractices \n\u2022 Promotion \n\u2022 Transfer \n\u2022 Termination \n\u2022 Layoff \n\u2022 Other terms and conditions of employment and education.", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "content": "Superintendent\u2019s Circular EQT-01 \nPage 3 of 4 \n \n \n \nThe Boston Public Schools will vigorously implement and actively \nenforce this policy to ensure that all its daily operations are \ncharacterized by fairness, respect, and equity. Any violation of this \npolicy will be viewed as serious misconduct and may result in \ndiscipline, up to and including termination of the offending \nemployee or expulsion of the responsible student. Retaliation \nagainst any person who has testified, assisted, or participated in \nany manner in an investigation, proceeding, or hearing of a \nreport of a violation of this policy, will similarly be viewed as \nserious misconduct and may result in discipline, up to and \nincluding termination or expulsion. \nInformation about the investigative procedures associated with \nthis policy is detailed in Superintendent\u2019s Circulars EQT-02 and \nEQT-05. \nAll Boston Public Schools newly printed publications (e.g., Code \nof Conduct, Citywide Learning Standards and Curriculum", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "content": "this policy is detailed in Superintendent\u2019s Circulars EQT-02 and \nEQT-05. \nAll Boston Public Schools newly printed publications (e.g., Code \nof Conduct, Citywide Learning Standards and Curriculum \nFrameworks, course selection booklets, student/parent/employee \nhandbooks, job postings, etc.) for students, parents, teachers, \nnon-academic employees, and the general public must contain \nthe following nondiscrimination notice: \nThe Boston Public Schools, in accordance with its \nnondiscrimination policies, does not discriminate in its \nprograms, facilities, or employment or educational \nopportunities on the basis of race, color, age, criminal \nrecord (inquiries only), disability, pregnancy, homelessness, \nsex/gender, gender identity, religion, national origin, \nancestry, sexual orientation, genetics, natural or protective \nhairstyle, or military status, and does not tolerate any form \nof retaliation, or bias-based intimidation, threat, or", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "content": "Superintendent\u2019s Circular EQT-01 \nPage 4 of 4 \n \n \n \nharassment that demeans individuals\u2019 dignity or interferes \nwith their ability to learn or work. \n \nFor more information about this circular, contact: \nOwner: Assistant Superintendent of Equity \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-03 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINTRODUCTION \nThe Boston Public Schools (BPS) is committed to ensuring that \nstudents learn in an environment free of sexual misconduct. \nSexual misconduct committed against a BPS student will not be \ntolerated. In addition, acts of retaliation against an individual who \nreports an allegation of sexual misconduct or cooperates with a \nrelated investigation are unacceptable and will not be tolerated. \nStudents participating in BPS academic, educational, \nextracurricular, athletic, and school programs or activities are \nprotected from sexual misconduct by other students, parents, \nBPS employees, and third parties (e.g., visitors). In addition, BPS \nstudents may be protected from sexual misconduct that occurs \noutside the context of a school\u2019s education program, activity, or", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "BPS employees, and third parties (e.g., visitors). In addition, BPS \nstudents may be protected from sexual misconduct that occurs \noutside the context of a school\u2019s education program, activity, or \nschool property, if the behavior was in connection with a school \nprogram or activity which includes locations, events, or \ncircumstances over which the district exercised substantial \ncontrol over both the person accused of the conduct and the \ncontext in which the sexual misconduct occurred. \nThe Boston Public Schools treats reports of sexual misconduct \nwith the utmost seriousness. We will address any sexually", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 2 of 14 \n \n \n \ninappropriate communication or behavior directed toward \nstudents, regardless of whether that conduct is unlawful. This \npolicy is neither designed nor intended to limit the district\u2019s \nauthority to discipline or take remedial action for conduct that \nthe Boston Public Schools deems unacceptable. \nDEFINITION OF SEXUAL MISCONDUCT \nFor the purposes of this policy, sexual misconduct constitutes \nsexually inappropriate comments and/or behaviors of any kind. \nBelow are examples of sexual misconduct: \nSexual Violence \nSexual violence is broadly defined as any sexual activity that is \nforced, coerced, or unwanted. It also includes any sexual act \nagainst another person who is incapable of giving consent, either \nbecause of their temporary or permanent mental or physical \nincapacity, or because they are a minor. \nConsent is defined as clear, active agreement and permission to \nengage in any form of verbal or nonverbal sexual communication", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "incapacity, or because they are a minor. \nConsent is defined as clear, active agreement and permission to \nengage in any form of verbal or nonverbal sexual communication \nor activity with another person. The initiator of the sexual contact \nis responsible for obtaining consent before engaging in any \nsexual contact. Consent can be withdrawn by either party at any \npoint. Consent must be voluntary and may not be valid if a \nperson is being subjected to an emotional, psychological, \nphysical, reputational, or financial threat, intimidation, or \ncoercion. Consent to engage in one sexual activity, or past \nagreement to engage in a particular sexual activity, cannot be \npresumed to constitute consent to engage in a different sexual \nactivity or to engage again in a sexual activity. Consent cannot be", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 3 of 14 \n \n \n \nvalidly given by a person who is incapacitated or under the age of \nsixteen. \nSexual violence may include criminal acts, such as indecent \nassault and battery, rape, abuse, or assault with intent to rape. \nAny acts that may be criminal will be referred to law \nenforcement. \nExamples of sexual violence may include, but are not limited to, \nthe following: \n\u2022 Unwelcome sexual touching \n\u2022 Non-consensual sexual contact that occurs during school or \nnon-school hours, on or off school grounds, including dating \nviolence \n\u2022 Recruiting, transporting, obtaining, or providing a student of \nany gender for the purpose of sex. \nOther Forms Of Sexual Misconduct \nSexual misconduct includes unwelcome conduct of a sexual \nnature that denies or limits, on the basis of sex, a student's ability \nto participate in or to receive benefits, services, or opportunities \nin the school's program or activities.", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "nature that denies or limits, on the basis of sex, a student's ability \nto participate in or to receive benefits, services, or opportunities \nin the school's program or activities. \nExamples of behavior that may constitute sexual misconduct \ndepending upon the totality of the circumstances, the ages of \nthe student or other individuals involved, and the severity and \npervasiveness of the conduct, include but are not limited to: \n\u2022 Sexual advances, whether or not they involve touching \n\u2022 Requests for sexual favors", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 4 of 14 \n \n \n \n\u2022 Making an educational decision or benefit contingent upon \na student\u2019s submission to unwelcome sexual conduct \n\u2022 Offensive public sexual display of affection, including \ngroping, fondling, gestures, or inappropriate touching of \noneself or others \n\u2022 Consensual groping, fondling, sexual touching, or sex on \nschool property or at any school-sponsored activity \n\u2022 Sexual jokes or references \n\u2022 Comments regarding a student\u2019s body or a student\u2019s sexual \nactivity or orientation \n\u2022 Offensive name calling or profanity that is sexually \nsuggestive, sexually degrading, or based on sexual \nstereotypes or sexual orientation \n\u2022 Different treatment because of pregnancy status \n\u2022 Displaying or distributing sexually explicit drawings, \npictures, or other materials in any form (such as sexting) \n\u2022 Trafficking of youth for sexual purposes, such as recruiting, \ntransporting, or otherwise exploiting a minor in exchange \nfor money, shelter, or food", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "\u2022 Trafficking of youth for sexual purposes, such as recruiting, \ntransporting, or otherwise exploiting a minor in exchange \nfor money, shelter, or food \n\u2022 Sexual advances or contact, whether or not they are \nconsensual, between a student and employee, contractor, or \ncommunity partner \n\u2022 Sexual activity between students in a school, or any building \nwhere BPS business is conducted \n\u2022 Other verbal, nonverbal, or physical conduct of a sexual \nnature.", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 5 of 14 \n \n \n \nAny student, regardless of gender identity or sexual orientation, \ncan be a target of sexual misconduct, and the alleged targets and \nthe subject of the concern can be of the same or different \ngenders. \nEmployees of the Boston Public Schools who become aware of \nany possible sexual misconduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same reporting \nrequirement applies to partners or contractors providing services \nto students in or under the auspices of the Boston Public Schools. \nThe above list of examples is not exhaustive. If you are unsure \nwhether a student may have been a target of sexual misconduct \nor if you have knowledge of a possible incident of sexual \nmisconduct involving a student, immediately contact your school", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "whether a student may have been a target of sexual misconduct \nor if you have knowledge of a possible incident of sexual \nmisconduct involving a student, immediately contact your school \nprincipal/head of school, supervisor, or the Office of Equity at 617-\n635-9650 or bpsequity@bostonpublicschools.org. \nREPORTING AND INVESTIGATING SEXUAL MISCONDUCT \nA student, parent, or other third party who believes that a \nstudent has been subjected to inappropriate sexual conduct may \nreport the incident to the principal/head of school or the Office of \nEquity. \nThe Boston Public Schools will promptly investigate allegations \nof sexual misconduct even when the incident is being \ninvestigated by law enforcement or another entity. Our \nobligation is to determine if there has been a violation of a BPS \ncircular and/or the BPS Code of Conduct. The investigation will \nbe conducted in a manner maintaining confidentiality to the", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 6 of 14 \n \n \n \nextent practicable under the circumstances. Incidents that a BPS \nemployee becomes aware of directly or indirectly, such as from a \nnote or an overheard conversation, will also be investigated. \nInterim measures for the safety of the students involved must be \ntaken upon receipt of the report to ensure equal access to \neducational programs and activities. \nIf the investigation results in a finding of a violation of this policy, \nBoston Public Schools will take steps to end the misconduct, \nprevent any further misconduct, remedy its effects where \nappropriate, and take disciplinary action, as deemed appropriate \nunder the circumstances. \nREPORTING PROCEDURES \n(see Appendix A checklist) \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, the building", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "been informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, the building \nadministrator must immediately (within the same school day, \nwith rare exceptions): \n1. Ensure that a student who discloses sexual misconduct is \nnot interviewed by any other BPS employee subsequent to \nthe initial disclosure, unless otherwise specifically directed \nby law enforcement, the state Department of Children and \nFamilies (DCF), or the Office of Equity. To minimize the \nalleged target\u2019s emotional distress and to preserve the \nintegrity and reliability of any investigation, the initial", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 7 of 14 \n \n \n \ndisclosure conversation should be limited to the essential \nfacts. The BPS staff member who first receives the report \nmust document the conversation as thoroughly as possible. \n2. Assess the need for emergency interim safety measures to \nprevent any additional incidents and ensure that the target \nis able to fully engage in the school\u2019s programs and \nactivities. Implement any plan as appropriate. \n3. Report the incident to your school\u2019s Safety Specialist or \nSafety Services at 617-635-8000 if the allegation involves \nsexual assault or violence, such as physical contact or \nthreats. Call Safety Services even if you are not sure if the \nalleged incident constitutes sexual violence. Inform the \nschool nurse if medical care is needed. \nIf Safety Services are not available, call 911. \nDepending on the nature of the allegations, the Office of \nSafety Services may work directly with the Boston Police", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "If Safety Services are not available, call 911. \nDepending on the nature of the allegations, the Office of \nSafety Services may work directly with the Boston Police \nDepartment School Unit. Thereafter, the Boston Police \nCrimes Against Children Unit may conduct the \ninvestigation. A team investigation may include other \nagency involvement. By law, the police cannot provide the \nBoston Public Schools with a written report regarding an \nincident of sexual violence. \n4. Contact the Department of Children and Families (DCF) to \nfile a 51A report if the allegation warrants. As mandated \nreporters, employees of the Boston Public Schools are \nrequired to report situations when there is reasonable cause \nto believe a student is suffering from physical or emotional \ninjury that causes harm or a substantial risk of harm to the \nstudent\u2019s health or welfare.", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 8 of 14 \n \n \n \nQuestions related to school employees\u2019 obligation to file a \n51A report with DCF should be directed to the Office of Legal \nAdvisor. Please also refer to Superintendent\u2019s Circular SSS-17 \non Child Abuse and Neglect. \nIf the alleged subject is over 18 years old, under 7 years old, \nor has a disability that might manifest as inappropriate \nsexual conduct, please call the Office of Equity prior to filing \na 51A. \n5. Always alert the school\u2019s operational leader. If you wish, \nand/or upon request of the Office of Equity, also alert the \nschool\u2019s elementary or secondary school superintendent. \nDepending on the severity and complexity of the \nallegations, the school superintendent and/or operational \nleader will then partner with the designated school \nadministrator and/or the Office of Equity to complete the \ninvestigation. \n6. Notify the parent(s) or legal guardian(s) of the reporter or", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "leader will then partner with the designated school \nadministrator and/or the Office of Equity to complete the \ninvestigation. \n6. Notify the parent(s) or legal guardian(s) of the reporter or \nalleged victim, if a minor, unless the parent/legal guardian is \nthe subject of the concern and/or such notification will \ncreate a substantial risk to the student\u2019s health, safety, or \nwelfare. \n7. If the subject of the concern is a minor, the building \nadministrator (or other Office of Equity Designee) should \nnotify the subject\u2019s parent(s) or legal guardian(s). For \nreasons of confidentiality, do not inform the subject\u2019s family \nof the alleged target\u2019s identity or gender. \n8. Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day, if possible, \nbut always within 48 hours of the incident. This document", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 9 of 14 \n \n \n \nshould be treated as confidential and sent to the Office of \nEquity only. Only share this document or other related \ndocuments as directed by the Office of Equity, Office of \nLegal Advisor, or law enforcement authorities. The form can \nbe submitted digitally via this link. \n9. Investigate and document the allegation. If it is determined \nby a preponderance of the evidence that inappropriate \nconduct occurred, the Boston Public Schools will take such \nactions as it deems appropriate under the circumstances. \nFor students, such actions will be consistent with the Code \nof Conduct, and may also include training, mediation, or \nrestorative practices. For employees, such actions will be \nconsistent with the district\u2019s labor practices, and may \ninclude training, restorative practices, and/or discipline. \n10. Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident. When", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "include training, restorative practices, and/or discipline. \n10. Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident. When \ncompleting the narrative, staff should document witness \nstatements and the subject\u2019s response to the allegation(s). \nAdditionally, staff should document the investigatory \nfindings and remedial action taken, if any. The form can be \nsubmitted digitally via this link. \nDuring the investigation, the alleged target of the \nmisconduct should not discuss the incident with the subject \nof the concern present under any circumstances. \n \nFor detailed guidance on investigating and documenting \nallegations of sexual misconduct, please follow the Boston \nPublic Schools Protocols for Sexual Misconduct", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 10 of 14 \n \n \n \nInvestigations Conducted by School Leaders and Central \nOffice Managers. \n \nAll reports submitted through the Equity Student Incident & \nInvestigation Form will be reviewed by the Office of Equity. \nPROHIBITION OF RETALIATION \nRetaliation against an individual who reports sexual misconduct \nand retaliation against individuals for cooperating with a related \ninvestigation is unlawful and will not be tolerated by the Boston \nPublic Schools. \nReports of retaliation should be brought to the building \nadministrator or the person who is conducting the investigation. \nA student who feels there has been retaliation following a \ncomplaint may also call the Office of Equity at 617-635-9650. \nBPS TITLE IX COORDINATOR \nThe Boston Public Schools\u2019 Title IX coordinator is responsible for \nensuring compliance with the investigatory process outlined in \nEQT-3, and tracking incidents across the district. Any parent or", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "The Boston Public Schools\u2019 Title IX coordinator is responsible for \nensuring compliance with the investigatory process outlined in \nEQT-3, and tracking incidents across the district. Any parent or \nemployee who raises concerns regarding the investigatory \nprocess and/or outcomes may contact the district\u2019s Title IX \ncoordinator: \n \nDirector of Compliance and Title IX Coordinator \nBoston Public Schools \n2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9650, Fax: 617-635-7940", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 11 of 14 \n \n \n \nEmail: bpsequity@bostonpublicschools.org \nOTHER RESOURCES \nUnited States Department of Education Office for Civil Rights \n(OCR) \n5 Post Office Square, 8th Floor, Boston, MA 02109 \n(617) 289-0111 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nMassachusetts Department of Elementary and Secondary \nEducation \nProgram Quality Assurance \n75 Pleasant Street, Malden, MA 02148-4906 \n(781) 338-3700", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 12 of 14 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nFor matters involving DCF, contact: \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 13 of 14 \n \n \n \nAPPENDIX A: CHECKLIST FOR SCHOOL ADMINISTRATORS \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, including sexual \nharassment and sexual violence, the school or central office \nadministrator (or the elementary or secondary school \nsuperintendent, elementary or secondary school assistant \nsuperintendent, and/or operational leader if the complaint is \nagainst the school or central office administrator) must \nimmediately: \n\uf0a8 Receive a disclosure of sexual misconduct. Whoever the \nstudents report to first must document the following: \n1. Who is the subject of the concern? \n2. What did the subject say or do? \n3. If physical contact was made, where did the subject \ntouch you (clarify if contact was made above clothing", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "1. Who is the subject of the concern? \n2. What did the subject say or do? \n3. If physical contact was made, where did the subject \ntouch you (clarify if contact was made above clothing \nor directly on the student\u2019s skin)? \n4. Is this the first time something like this happened? \n5. Was anyone else there when it happened? \n6. Did you tell anyone else what happened? \nStudents cannot be interviewed more than once by a BPS \nemployee and should only be interviewed with one adult in \nthe room. \n\uf0a8 Assess the need for emergency interim measures and \nimplement as appropriate.", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "Superintendent\u2019s Circular EQT-03 \nPage 14 of 14 \n \n \n \n\uf0a8 Report the incident to your school\u2019s Safety Specialist or \nSafety Services at (617) 635-8000 if the allegation involves \nsexual violence, such as physical contact or threats. Call \nSafety Services even if you are not sure if the alleged \nincident constitutes sexual violence. If Safety Services is not \navailable, call 911. \n\uf0a8 Contact the Department of Child and Family Services to file \na 51A report if the allegation warrants. \n\uf0a8 Alert the Operational Leader. In addition, upon request of \nthe Office of Equity, alert the school\u2019s elementary or \nsecondary school superintendent. \n\uf0a8 Notify the parent(s) or legal guardian(s) of the alleged \ntarget of the misconduct, unless the parent/legal guardian is \nthe subject of the investigation and/or such notification will \ncreate a substantial risk to the student\u2019s health, safety, or \nwelfare. \n\uf0a8 Notify the subject\u2019s parent(s) or legal guardian(s) if that \nindividual is a minor.", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "content": "create a substantial risk to the student\u2019s health, safety, or \nwelfare. \n\uf0a8 Notify the subject\u2019s parent(s) or legal guardian(s) if that \nindividual is a minor. \n\uf0a8 Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day if possible, \nbut always within 48 hours of the incident. \n\uf0a8 Investigate and document the allegations consistent with \nthe Office of Equity Protocols to determine if a violation of \nthe circular has occurred. If a Code of Conduct violation is \nfound, conduct disciplinary proceedings. \n\uf0a8 Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident.", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-05 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district\u2019s nondiscrimination policy (see EQT-01). These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based \nconduct, discrimination or harassment based on race, color, age, \ncriminal record (inquiries only), disability, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "identity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. The intent of these procedures is to ensure that, to the \ngreatest extent possible, such reports are addressed in a \nconstructive manner. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct, discrimination, or harassment based on race,", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-05 \nPage 2 of 8 \n \n \n \ncolor, age, criminal records (inquiries only), disability, \npregnancy/pregnancy related conditions, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours, \nincluding when an employee is working remotely, may still \nconstitute bias-based misconduct and a violation of this policy if \nthat behavior has the effect of disrupting an employee\u2019s ability to \ndo their job. \nEmployees sometimes experience \u201cmicroaggressions\u201d: verbal or \nnonverbal communication that is rooted in implicit bias, but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n\u2022 Mistaking one staff member for another because they share \nthe same racial identity \n\u2022 Complimenting a staff member for having a skill that is", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "include: \n\u2022 Mistaking one staff member for another because they share \nthe same racial identity \n\u2022 Complimenting a staff member for having a skill that is \ncounter to a stereotype regarding their gender or ethnicity \n\u2022 Assuming a staff member observes a particular religious \nholiday or has a particular sexual orientation \n\u2022 Asking a staff member about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the \nOffice will partner with the reporter and/or other appropriate \nstaff to determine an effective intervention, such as coaching, \nmediation, restorative justice, or an individual or school- or \ndepartment-wide training.", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-05 \nPage 3 of 8 \n \n \n \nGENERAL POLICIES \n1. Employees in supervisory or managerial roles have an \nobligation to report possible violations of this circular. \n2. Retaliation against any employee for reporting or \nparticipating in any way in the reporting or investigative \nprocedures is strictly prohibited. \n3. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does not \nconflict with regularly scheduled school programs. \n4. Reporting a possible violation will not be construed as \nreflecting unfavorably on an employee\u2019s or applicant\u2019s good \nstanding, performance, loyalty, or desirability to the Boston \nPublic Schools. \n5. Information regarding the allegations, including the parties \ninvolved in the report and the investigation, will be kept \nconfidential to the extent practicable. \n6. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscrimination policy, the", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "confidential to the extent practicable. \n6. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscrimination policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, the \nrelationships between the parties, and the context in which \nthe incidents occurred. A determination whether a \nparticular action or incident constitutes a violation of the \npolicy will be based on all the facts. \nPROCEDURES \n1. An employee or applicant who believes they may have \nexperienced, witnessed, or become aware of possible bias-\nbased conduct must contact the Office of Equity by phone,", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-05 \nPage 4 of 8 \n \n \n \nemail, or fax. Employees are strongly encouraged to contact \nthe Office of Equity as soon after the incident as possible, as \nreports are more easily addressed the sooner they are \nreported. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and may \nrequest that the reporter submit a written statement. The \nOffice of Equity will ensure that assistance is provided in \npreparing such a written statement, if needed. The Office of \nEquity accepts all reports of possible bias-based conduct \nbut, depending on the circumstances, may decline to \ninvestigate allegations regarding incidents that occurred \nmore than 300 calendar days prior to receipt of the report. \n2. Employees in a supervisory capacity are required to report \npossible bias-based conduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "2. Employees in a supervisory capacity are required to report \npossible bias-based conduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day. \n3. After a report is received, the Office of Equity will notify the \nappropriate department identified in the report and/or the \nindividual against whom the report has been filed. \n4. The Office of Equity will make a fair, impartial, thorough, and \nprompt investigation of the reported incident(s). The \ninvestigation may include interviews with individuals who \nhave pertinent information and a review of any documents \nor other information relevant to the investigation. BPS \nemployees are obligated to cooperate with any Equity \ninvestigation, including promptly providing any requested \ninformation or documents. \n5. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will be informed when", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "information or documents. \n5. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will be informed when \nthe investigation is complete, and informed whether", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-05 \nPage 5 of 8 \n \n \n \nprohibited conduct was found. Depending on the facts \ngathered, the Office of Equity may resolve the concerns by \napplying approaches such as alternative dispute resolution, \nrestorative justice, training, or coaching. In other instances, \nthe results of the investigation may also be documented as \nwritten findings. Mediation will not be used in cases \ninvolving sexual assault. \n6. If the Office of Equity finds that there is a preponderance of \nevidence to show that a violation of the district\u2019s \nnondiscrimination policy occurred, the office will determine \nways to address the matter and prevent recurrences. \n7. The Office of Equity will maintain records of all reports of \nbias-based conduct made to the Office of Equity, noting the \nschool or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records to", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "school or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records to \nidentify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will: \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to be \nin violation of the district\u2019s nondiscrimination policy, prevent \nthis conduct from recurring in the future, and remedy its \neffects, where appropriate. \n3. Refer individuals found to have violated the district\u2019s \nnondiscrimination policy for disciplinary action when \nappropriate.", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-05 \nPage 6 of 8 \n \n \n \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more information \nabout Employee Discipline Procedures, please see \nSuperintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under the \ncircumstances. (For more information on student discipline, \nplease see the Code of Discipline for Students and Students \nwith Disabilities \u2013 Superintendent Circulars SUP-05 and SPE-\n15.) \n4. Require students, employees, or other third parties found to \nviolate the district\u2019s nondiscrimination policy to attend \ndiscrimination prevention training, as appropriate. \nSTATE AND FEDERAL REMEDIES \nIn addition to the above, if you believe you have been subjected \nto unlawful discrimination, you may file a formal complaint with", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "STATE AND FEDERAL REMEDIES \nIn addition to the above, if you believe you have been subjected \nto unlawful discrimination, you may file a formal complaint with \neither of the government agencies set forth below. Reporting a \nconcern to the Office of Equity does not prohibit you from filing a \ncomplaint with these agencies. Each of the agencies has a time \nperiod of 300 days for filing a claim.", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-05 \nPage 7 of 8 \n \n \n \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "content": "Superintendent\u2019s Circular EQT-05 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEQT-04 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nSTUDENTS \u2014 NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis circular sets out guidelines for schools and district staff to \ncreate a culture where transgender and gender nonconforming \nstudents feel safe, supported, and fully included, and to meet \neach school\u2019s obligation to provide educational opportunities for \nall students. We aim to achieve inclusion of transgender and \ngender nonconforming students, while maintaining students\u2019 \nright to privacy. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nMassachusetts law and the Boston Public Schools (BPS) require \nthat all classrooms, programs, activities, and employment \npractices be free from bias and discrimination on the basis of sex, \nsexual orientation, and gender identity. It is the responsibility of", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "that all classrooms, programs, activities, and employment \npractices be free from bias and discrimination on the basis of sex, \nsexual orientation, and gender identity. It is the responsibility of \neach school and the district to ensure that transgender and \ngender nonconforming students have a safe school environment. \nFor policies and procedures about BPS\u2019s \u201cBullying Prevention \nand Intervention Plan,\u201d please see Superintendent\u2019s Circular SSS-", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s Circular EQT-04 \nPage 2 of 8 \n \n \n \n18. For more information about safety transfers in the district, \nplease see Superintendent\u2019s Circular AMT-07. \nReports of bias, discrimination or harassment based on a person\u2019s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-04) will be investigated and addressed \naccording to the protocols detailed in Superintendent\u2019s Circular \nEQT-02, \u201cBias-Based Conduct Toward Students Families or Other \nThird Parties.\u201d \nNAMES AND PRONOUNS \nIn Massachusetts, an individual may adopt a name that is \ndifferent from the name that appears on their birth certificate. No \nadditional legal or other documentation is required for school \nstaff to honor student requests to go by a chosen/affirming \nname. If a student or their family is looking to update the name", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "additional legal or other documentation is required for school \nstaff to honor student requests to go by a chosen/affirming \nname. If a student or their family is looking to update the name \nthat appears on official school records, they may do so either by \ncompleting the Change of Student Information Form - Name and \nGender Change Request (if the update is related to gender \nidentity) or by contacting BPS Welcome Services (if the update is \nnot related to gender identity). Note: This process is not a legal \nname change and does not affect any records other than those \nkept by BPS. \nAfter a student requests a name change, school personnel shall \nmake every effort to consistently use the student\u2019s chosen name \nand stated pronouns. For students who remain in the same \nschool following a gender transition, it is important to develop a \nplan for ensuring the use of the chosen name and stated", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s Circular EQT-04 \nPage 3 of 8 \n \n \n \npronouns. School-based staff are strongly encouraged to contact \nthe Office of Equity for additional support in this process. \nPRIVACY, CONFIDENTIALITY, AND STUDENT RECORDS \nUnder Massachusetts law, information about a student\u2019s \nassigned birth sex, gender transition, name change associated \nwith transition, medical or mental health treatment related to \ngender identity, or any other related information is part of the \nindividual\u2019s student record (for more information, see the \nMassachusetts Student Records Regulations, 603 CMR 23.00). \nStudent records are confidential and must be kept private and \nsecure except in limited circumstances, such as when authorized \nschool personnel require the information to provide \nadministrative, teaching, counseling, nursing, or other services to \nthe student in the performance of their official duties. Authorized \nschool personnel may include, but are not limited to, individuals", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "the student in the performance of their official duties. Authorized \nschool personnel may include, but are not limited to, individuals \nsuch as the principal, school nurse, classroom teacher(s), social \nworker, and/or guidance counselor. \nWhen a student new to a school is using a chosen or affirming \nname, the birth name is considered private information and may \nbe disclosed only with authorization as provided under the \nMassachusetts Student Records Regulations. If the student has \npreviously been known at school and/or in school records by their \nbirth name, school personnel must use the student\u2019s chosen \nname. School personnel should not disclose information that \nmay reveal a student\u2019s transgender status or gender \nnonconforming presentation to others, including parents and \nother school personnel, unless legally required to do so, for safety \nreasons, or if the student and/or guardian has authorized such \ndisclosure.", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s Circular EQT-04 \nPage 4 of 8 \n \n \n \nTransgender and gender nonconforming students have the right \nto discuss and express their gender identity and expression \nopenly and to decide when, with whom, and how much \ninformation to share. A student who is 14 years of age or older, or \nwho has entered the ninth grade, may consent to disclosure of \ninformation from their student record. If a student is under 14 \nand is not yet in the ninth grade, only the student\u2019s parent has \nthe authority to decide on disclosures and other student record \nmatters. \nTo the extent that the school is not legally required to use a \nstudent\u2019s legal name and gender on other school records or \ndocuments, every effort shall be made to update student records \nwith the student\u2019s chosen name and not circulate records with \nthe student\u2019s birth name. Records with the student\u2019s birth name \nshall be kept confidential. \nFor more information about Student Record Regulations, please", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "the student\u2019s birth name. Records with the student\u2019s birth name \nshall be kept confidential. \nFor more information about Student Record Regulations, please \nsee Superintendent\u2019s Circular LGL-07. \nRESTROOMS, LOCKER ROOMS, AND CHANGING FACILITIES \nIn accordance with Massachusetts law, all students are entitled to \nhave access to restrooms, locker rooms, and changing facilities \nconsistent with the student\u2019s gender identity. As part of the \ntransition process, the school leader (or their designee) and \nstudent (and parent/guardian, when applicable) shall address the \nstudent\u2019s access to the restrooms, locker room, and changing \nfacilities. \nEach situation needs to be addressed based on the particular \ncircumstances of the student and the school facilities. In all cases, \nthe school leader (or their designee) shall be clear with the", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s Circular EQT-04 \nPage 5 of 8 \n \n \n \nstudent (and parent/guardian when applicable) that the student \nmay access the restroom, locker room, and changing facility that \ncorresponds to the student\u2019s gender identity. Transgender \nstudents who prefer not to use a sex-segregated restroom should \nbe provided with a safe and adequate alternative, such as a single \nstall restroom or nurse\u2019s restroom if possible. The single-user \nfacility, however, may not be given as the only option for \ntransgender or gender nonconforming students. \nSchool-based staff should be aware that there will be students \nwho do not identify along the gender binary (boy/girl or \nman/woman). These students may use terms such as \n\u201cnonbinary,\u201d \u201cgender fluid,\u201d or \u201cgender queer\u201d to describe their \ngender identity. They should be given access to whichever facility \nfeels most comfortable to them. Students who prefer not to use a \nsex-segregated restroom should be provided with a safe and", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "gender identity. They should be given access to whichever facility \nfeels most comfortable to them. Students who prefer not to use a \nsex-segregated restroom should be provided with a safe and \nadequate alternative, such as a single stall restroom or nurse\u2019s \nrestroom if possible. The single-user facility, however, may not be \ngiven as the only option for transgender or gender \nnonconforming students. If possible, schools should consider \ndesignating one or more restrooms at their school as \u201call gender,\u201d \nmeaning that anyone of any gender may use that restroom. \nStudent and/or school staff discomfort is not an acceptable \nreason to deny restroom access to transgender and/or gender \nnonconforming students. School administrators, educators, and \ncounseling staff should take a proactive approach to address any \ndiscomfort, foster understanding, and create a school culture \nthat respects and values all students. School-based staff may", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "counseling staff should take a proactive approach to address any \ndiscomfort, foster understanding, and create a school culture \nthat respects and values all students. School-based staff may \ncontact the Office of Equity for additional support in this area.", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s Circular EQT-04 \nPage 6 of 8 \n \n \n \nPHYSICAL EDUCATION CLASSES, INTRAMURAL SPORTS, AND \nINTERSCHOLASTIC ATHLETIC ACTIVITIES \nWhere there are sex-segregated classes or athletic activities, \nincluding intramural and interscholastic athletics, all students \nmust be allowed to participate in a manner consistent with their \ngender identity. The Massachusetts Interscholastic Athletic \nAssociation, as outlined in their Gender Identity Policy \nClarification, will defer to the determination made by the student \nand their school regarding gender identity. \nDRESS CODES \nAll students have the right to dress in a manner consistent with \ntheir gender identity or expression. In general, schools should \neliminate dress codes that restrict students\u2019 clothing or \nappearance on the basis of gender.(1) School staff must not \nenforce the dress code more strictly against transgender and \ngender-nonconforming students than other students. \nDIPLOMAS", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "appearance on the basis of gender.(1) School staff must not \nenforce the dress code more strictly against transgender and \ngender-nonconforming students than other students. \nDIPLOMAS \nGraduating students are entitled to use a chosen or affirming \nname on their BPS diploma, this name may be different from the \nname listed in student records. Students wanting a diploma \nprinted with a name other than or in addition to the name listed \nin student records should speak to their school guidance \ncounselor or the LGBTQ+ student support manager. \n \n(1) The Office of Equity will provide schools with a sample dress \ncode upon request.", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s Circular EQT-04 \nPage 7 of 8 \n \n \n \nGENDER-BASED ACTIVITIES, RULES, POLICIES AND PRACTICES \nSchools should evaluate all gender-based policies, rules, and \npractices, and maintain only those with a clear and sound \npedagogical purpose and equivalent offerings for students of all \ngenders. Gender-based policies, rules, and practices may have \nthe effect of marginalizing, stigmatizing, and excluding students, \nincluding gender nonconforming students. \nWhenever students are separated by gender in school activities \nor are subject to an otherwise lawful gender-specific rule, policy, \nor practice, students must be permitted to participate in such \nactivities or conform to such rule, policy, or practice consistent \nwith their gender identity. \nRELATED RESOURCES \n\u2022 The Gay, Lesbian and Straight Education Network (GLSEN) \nGender Terminology Guide is available here: \nhttps://www.glsen.org/activity/gender-terminology.", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "RELATED RESOURCES \n\u2022 The Gay, Lesbian and Straight Education Network (GLSEN) \nGender Terminology Guide is available here: \nhttps://www.glsen.org/activity/gender-terminology. \n\u2022 For information about the Boston Public Schools policies on \nbias-based conduct or bullying, see Superintendent\u2019s \nCirculars EQT-02, EQT-03, or SSS-18. \n\u2022 For more information about the Massachusetts gender \nidentity law, see the Massachusetts Department of \nElementary and Secondary Education guidance document, \n\u201cNondiscrimination on the Basis of Gender Identity\u201d at \nhttp://www.doe.mass.edu/ssce/GenderIdentity.pdf. \n\u2022 Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional support.", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "content": "Superintendent\u2019s Circular EQT-04 \nPage 8 of 8 \n \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-26 \nVersion 01 \n \n \n \nADMINISTRATION OF NALOXONE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTo recognize and respond to potential life-threatening opioid \noverdose as part of the MDPH opioid overdose prevention \nprogram, the Boston Public Schools will maintain a systemwide \nplan for addressing a potentially life-threatening opioid overdose \nreaction. \nAdditionally: \n\u2022 This plan will be supplemented by any building-based \nmedical emergency response plan. \n\u2022 The director of Health Services will have the responsibility \nfor the development and management of the intranasal \nNaloxone administration program in the school setting in \naccordance with MDPH protocols. \n\u2022 The school physician will provide oversight to monitor the \nprogram and creation of the standing order for the district, \nto be renewed annually. \n\u2022 Training per MDPH protocols will be provided for all school", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "program and creation of the standing order for the district, \nto be renewed annually. \n\u2022 Training per MDPH protocols will be provided for all school \nnurse responders. \nNaloxone is the only Schedule IV controlled substance in \nMassachusetts that can be prescribed to someone other than the \nultimate user. The Massachusetts Controlled Substances Act,", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 2 of 9 \n \n \n \nM.G.L. c.94C,\u00a719(b), authorizes naloxone to be prescribed or \ndispensed to a person for use on someone else. It is the policy of \nthe Boston Public Schools that all schools shall provide and \nmaintain naloxone on-site in each school facility. To treat a case \nof suspected opioid overdose in a school setting, any school \nnurse may administer naloxone during an emergency to any \nstudent, staff, or visitor suspected of having an opioid-related \ndrug overdose, whether or not there is a previous history of \nopioid abuse, per 105 CMR 210.000, The Administration of \nPrescription Medications in Public and Private Schools. \nBecause naloxone is treated differently than any other \nprescription medication, and because any person can possess \nand administer naloxone, pursuant to the standing order, it is the \npolicy of the Massachusetts Department of Public Health School \nHealth Unit that individual possession and use of naloxone is not", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "and administer naloxone, pursuant to the standing order, it is the \npolicy of the Massachusetts Department of Public Health School \nHealth Unit that individual possession and use of naloxone is not \ncovered by 105 CMR 210.000. This means that pursuant to M.G.L. \nc.94c,\u00a719(g) any staff member of the Boston Public Schools who, \nin good faith, attempts to render emergency care by \nadministering naloxone to a person reasonably believed to be \nexperiencing an opiate related overdose, shall not be liable from \nthe attempt to render emergency care and may carry and \nadminister naloxone on school property and school events, as \npermitted within M.G.L. c. 94C, \u00a7\u00a7 19(d) and 34A9e). This immunity \ndoes not apply to acts or omissions constituting gross \nnegligence. \nBACKGROUND \nRecognizing that fatal and non-fatal overdoses from opioids play \nan increasing role in the mortality and morbidity of \nMassachusetts residents, the Massachusetts Department of", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 3 of 9 \n \n \n \nPublic Health launched the Overdose Education and Naloxone \nDistribution (OEND) prevention program using intranasal \nNaloxone in an attempt to reverse this trend. Naloxone is an \nopioid antagonist which means it displaces the opioid from \nreceptors in the brain. An overdose occurs because the opioid is \non the same receptor site in the brain that is responsible for \nbreathing. Rapid administration of naloxone may be lifesaving in \npatients with an overdose due to opioids. Naloxone usually acts \ndramatically, allowing slowed or absent breathing to resume. It is \nboth safe and effective and has no potential for abuse. Naloxone \nhas been used by paramedics in ambulances and by emergency \nroom clinicians for decades. \nSIGNS AND SYMPTOMS OF OPIOID OVERDOSE \nSchool nurses may administer naloxone to a patient (student, \nstaff member or visitor) in the event of respiratory depression,", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "room clinicians for decades. \nSIGNS AND SYMPTOMS OF OPIOID OVERDOSE \nSchool nurses may administer naloxone to a patient (student, \nstaff member or visitor) in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid overdose \nis suspected. \nThe following are signs of an opioid overdose: \n\u2022 Blue skin tinge-usually lips and fingertips show first. \n\u2022 Body is very limp. \n\u2022 Face is very pale. \n\u2022 Pulse is slow, erratic, or not present. \n\u2022 Vomiting. \n\u2022 Choking sounds, gurgling, snoring/gasping noise. \n\u2022 Breathing is very slow, irregular or has stopped. \n\u2022 Unresponsive.", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 4 of 9 \n \n \n \nROLE OF SCHOOL HEALTH SERVICES \n\u2022 Develops policy for administration of naloxone and presents \nto BPS School Committee for approval; reviews policy \nannually. \n\u2022 Provides annual education and training for school nurses by \napproved MDPH organizations. \n\u2022 Secures and distributes naloxone kits to each school/school \nnurse. \n\u2022 Determines proper disposal of used +/or expired naloxone. \nROLE OF SCHOOL LEADER \n\u2022 Supports and facilitates access to school nurse training on \nadministration of naloxone. \n\u2022 Supports substance abuse prevention education as part of a \ncomprehensive health education program. \n\u2022 The school leader and staff should be alert to those \nsymptoms in students which may indicate problems with \nsubstance abuse so that they may initiate assistance to \nstudents in need of early intervention. \nROLE OF SCHOOL NURSE \n\u2022 Participates in a training program offered by Health \nServices.", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "substance abuse so that they may initiate assistance to \nstudents in need of early intervention. \nROLE OF SCHOOL NURSE \n\u2022 Participates in a training program offered by Health \nServices. \n\u2022 Provides safe storage and easy access to naloxone. \n\u2022 Is alert to symptoms in students which may indicate \nproblems with substance abuse in order to initiate \nassistance to students in need of early intervention.", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 5 of 9 \n \n \n \n\u2022 Refers the student to the Student Support Team if the \nstudent is struggling with substance use. \n\u2022 Administers naloxone following the procedure as listed \nbelow in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid \noverdose is suspected and activate EMS. \nPROCEDURE: \n1. Activate EMS via Medical Emergency Response Plan. The \nnurse or designee must call 911 in all potential overdose \nsituations. \n2. Assessment: ABC\u2019s: Airway, Breathing, Circulation. When \nan individual is suspected of an opioid overdose, the nurse \nwill conduct an initial assessment of the level of \nconsciousness and respiratory status. \na. For individuals with no pulse: initiate CPR per BLS \nguidelines. \nb. For individuals with a pulse but who are not breathing: \nestablish an airway and perform rescue breathing \nusing a face mask or shield. \nc. Check for: foreign body in airway, level of", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "b. For individuals with a pulse but who are not breathing: \nestablish an airway and perform rescue breathing \nusing a face mask or shield. \nc. Check for: foreign body in airway, level of \nconsciousness or unresponsiveness, very low \nrespiratory rate or not breathing, no response to sternal \nrub, respiratory status, gasping for air while asleep or \nodd snoring pattern, pale or bluish skin, slow heart rate, \nlow blood pressure. Pinpoint pupils and track marks \nmay be present, although absence of these findings \ndoes not exclude opioid overdose.", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 6 of 9 \n \n \n \nd. For individuals who have a pulse and are breathing: \nassess if there is depression of the respiratory status as \nevidenced by: \ni. a very low respiration rate. \nii. interpretation of pulse oximetry measurement, if \nimmediately available. \ne. Assess for decrease in level of consciousness as \nevidenced by: \ni. difficult to arouse (responds to physical stimuli \nbut does not communicate or follow commands; \nmay move spontaneously) or \nii. unable to arouse (minimal or no response to \nnoxious stimuli, does not communicate or follow \ncommands). \nf. Nurse determines need for naloxone administration. \n3. Administration: Intranasal administration of naloxone \na. Assess person for contraindications or precaution, per \navailable information. \nb. How to use naloxone nasal spray: \ni. Follow manufacturer\u2019s instructions for proper \nadministration. \nii. Step 1. Lay the person on their back to receive a \ndose of naloxone nasal spray.", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "b. How to use naloxone nasal spray: \ni. Follow manufacturer\u2019s instructions for proper \nadministration. \nii. Step 1. Lay the person on their back to receive a \ndose of naloxone nasal spray. \niii. Step 2. Remove naloxone nasal spray from the \nbox. Peel back the tab with the circle to open the \nnaloxone nasal spray. \niv. Step 3. Hold the naloxone nasal spray with your", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 7 of 9 \n \n \n \nthumb on the bottom of the red plunger and your \nfirst and middle fingers on either side of the \nnozzle. \nv. Step 4. Tilt the person\u2019s head back and provide \nsupport under the neck with your hand. Gently \ninsert the tip of the nozzle into one nostril until \nyour fingers on either side of the nozzle are \nagainst the bottom of the person\u2019s nose. \nvi. Step 5. Press the red plunger firmly to give the \ndose of naloxone nasal spray. \nvii. Step 6. Remove the naloxone nasal spray from the \nnostril after giving the dose. \nviii. If the person does not respond in 3 mins, repeat \nthe steps and give the second dose of naloxone \nnasal spray in a box. \nix. Monitor until EMS arrives. \nx. Place the victim in the recovery position and stay \nwith the victim. \n4. Monitor the individual: Naloxone blocks the opioid from \nacting so it can cause withdrawal symptoms with opioid \ntolerance. \na. Remain with the victim until emergency support", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "with the victim. \n4. Monitor the individual: Naloxone blocks the opioid from \nacting so it can cause withdrawal symptoms with opioid \ntolerance. \na. Remain with the victim until emergency support \narrives; The victim may breathe but not have full \narousal OR They may require continued rescue \nbreathing and support. \nFollowing the incident, debrief with the school team and health \nservices.", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 8 of 9 \n \n \n \nDocumentation: \n1. Record the encounter in SNAP. \n2. Complete an Incident report. \n3. Complete a \u201c911\u201d report. \n4. Include the individual\u2019s presentation, route of \nadministration of naloxone, and dose administered. Also \ninclude the individual\u2019s response to the naloxone \nadministration. \nStorage: Store at 59\u00b0 to 86\u00b0, away from direct sunlight \nDisposal: Empty, administered naloxone nasal spray should \nbe returned to the original packaging and disposed of in a \nwaste receptacle. \nREFERENCES \n\u2022 BPS SHS-01 Drug and Alcohol Abuse \u2013 Update On \nProcedures \n\u2022 BPS SHS-08 Medication Administration \n\u2022 NASN Naloxone Toolkit for School Nurses \n\u2022 MDPH Bureau of Substance Addiction Services", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "content": "Superintendent\u2019s Circular SHS-26 \nPage 9 of 9 \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-05 Tuberculosis Program.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-05 \nVersion 01 \n \n \n \nTUBERCULOSIS PROGRAM \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY ON TUBERCULOSIS TESTING \nAll students must have an assessment of tuberculosis risk. Staff \nare no longer required to show evidence of TB skin test screening \nat time of employment. \nPROTOCOL FOR TUBERCULOSIS PROGRAM \nStudents: \n\u25cf At the time of registration for entry into the Boston Public \nSchools, if parents present with information on TB \nscreening, the data will be entered along with the \nimmunization data into the student(s) electronic health \nrecord. \n\u25cf No child will have school registration delayed because of \nlack of tuberculosis screening documentation. \n\u25cf It is the responsibility of the primary care health provider, \nand NOT the school system, to ensure that appropriate \nscreening for tuberculosis is occurring in the community. \n\u25cf The school nurse may choose to check a child\u2019s PPD", + "source_link": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-05 Tuberculosis Program.pdf", + "content": "and NOT the school system, to ensure that appropriate \nscreening for tuberculosis is occurring in the community. \n\u25cf The school nurse may choose to check a child\u2019s PPD \n(Mantoux) or monitor preventive therapy at the request of \nthe primary care provider. The primary care provider must \nsubmit a written physician order to the school nurse for \nservices.", + "source_link": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-05 Tuberculosis Program.pdf", + "content": "Superintendent\u2019s Circular SHS-05 \nPage 2 of 2 \n \n \n \n\u25cf Written documentation of an in-school PPD test result or \nthe monitoring of preventive therapy will be provided to the \nprimary care provider by the school nurse. \n\u25cf Students with active disease will be excluded from school \nuntil placed on treatment and written documentation by \nBPHC TB Control of non-contiguous state is presented. \nStaff: \n\u25cf Staff are no longer required to have TB screening as \ncandidates for hiring. The regulation of Communicable \nTuberculosis Periodic Examination of School Personnel has \nbeen repealed in the Massachusetts General Laws. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-24 \nVersion 01 \n \nDIAPERING AND TOILETING ACCIDENTS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nToilet training typically occurs between 18 months and 3\u00bd years \nof a child\u2019s developmental stage. \nIndividuals with disabilities may face more significant obstacles \nwith toilet training than persons without diagnosed disabilities. \nThis may be partly due to the individual\u2019s challenges with \ncommunication, medicines, social interaction, sensory sensitivity, \nor making changes in their routine. \nEven for individuals without disabilities, toilet training can \npresent both the caregiver and child with obstacles to immediate \nsuccess, and most children will continue to have toileting \naccidents well beyond the time they stop wearing diapers. \nPOLICY STATEMENT \nThe Boston Public Schools acknowledges that toileting", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "success, and most children will continue to have toileting \naccidents well beyond the time they stop wearing diapers. \nPOLICY STATEMENT \nThe Boston Public Schools acknowledges that toileting \nprocedures should be planned based on individual children\u2019s \nneeds and be culturally appropriate according to the children\u2019s \nfamilies\u2019 needs and beliefs. The Boston Public Schools staff will be \naware of the diverse styles of toileting students due to cultural or \nreligious practices. Program staff will use a variety of formal and \ninformal strategies (including conversations) to become", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-24 \nPage 2 of 6 \nacquainted with and learn from families about their preferred \nchild-rearing practices, including toilet training. \nThe Boston Public Schools will be aware of and accommodate \nthe need to maintain privacy for toileting and dressing. \nBoston Public Schools staff will interact in a positive manner \nduring toileting procedures and support students in developing \ntheir self-help in this area. \nDIAPERING PROCEDURES \nToileting accidents and diaper changing will ONLY be handled by \na classroom teacher, classroom paraprofessional, and/or other \nadult designated by the school principal. Parents will not be \nrequired to change diapers and volunteers will not change \ndiapers and/or assist with toileting at the school site during \nschool hours. \nEach school year, the principal will complete and sign off on a \nform that states in writing who is designated to help students \nwith toileting and changing diapers and who will help children", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "Each school year, the principal will complete and sign off on a \nform that states in writing who is designated to help students \nwith toileting and changing diapers and who will help children \nwith toileting accidents (see attached form). \nIt is not the responsibility of the school nurse to assist with \ntoileting and diaper changes, except for caring for students who \nhave an ostomy/colostomy, require urinary catheterization, or \nhave other genito-urinary diagnosis.", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-24 \nPage 3 of 6 \nStaff will follow these diapering procedures: \n\u25cf Staff to assess children for signs that diapers or pull-ups are \nwet or contain feces at least every two hours when children \nare awake and when children awaken from a rest period. \n\u25cf Diapers are changed when wet or soiled. \n\u25cf Children wearing cloth or disposable training pants and \nchildren who have accidents. \n\u25cf Changing should be initiated within 5 minutes of discovery \nthat they are wet or soiled unless circumstances clearly \nmake it unreasonably difficult to do so. \n\u25cf Staff will change children\u2019s diapers or soiled underwear in \nthe designated changing areas and not elsewhere in the \nfacility. \nIn the changing area, staff post and follow these procedures for \nchanging diapers or pull-ups: \n\u25cf At all times, caregivers have a hand on the child to ensure \nsafety is maintained when the child is being changed on an \nelevated surface.", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "changing diapers or pull-ups: \n\u25cf At all times, caregivers have a hand on the child to ensure \nsafety is maintained when the child is being changed on an \nelevated surface. \n\u25cf Bring supplies (e.g., clean diaper, wipes, diaper cream, \ngloves, plastic or waterproof bag for soiled clothing, extra \nclothes) to the diapering/changing area. \n\u25cf Diaper cream (provided by the family): if used, dispense it \nonto a tissue and/or cotton ball and cover the diaper \nchanging surface with disposable liner (paper or chuck). \n\u25cf Put on gloves.", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-24 \nPage 4 of 6 \n\u25cf Changing table, if used: place the child on a diapering \nsurface and unfasten diaper. Keep one hand on the child at \nall times. \n\u25cf Clean the child with disposable wipes. Always wipe front to \nback. \n\u25cf Keep soiled diapers/clothing away from any surfaces that \ncannot be easily cleaned. \n\u25cf Securely bag soiled clothing. \n\u25cf Place used wipes in the soiled diaper or pull-up. \n\u25cf Put the soiled diaper/pull-up into two plastic bags and tie up \nthe bags. \n\u25cf Discard the bags with the soiled diaper/pull-up and wipes in \nthe covered trash can. \n\u25cf Remove and discard gloves. \n\u25cf Apply diaper cream, if needed, with a tissue and/or cotton \nball or a freshly gloved finger. \n\u25cf Put on a fresh diaper or help the child put on a fresh pull-up \nor clean clothes. \n\u25cf Help the child to get dressed. Wash the child\u2019s hands with \nsoap and water and place them in a safe, supervised area. \n\u25cf When a diaper changing table is used:", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "or clean clothes. \n\u25cf Help the child to get dressed. Wash the child\u2019s hands with \nsoap and water and place them in a safe, supervised area. \n\u25cf When a diaper changing table is used: \no Remove liner from the changing surface and discard in \nthe trash can. \no Wipe up any visible soil with damp paper towels or a \nbaby wipe. \no Clean the entire surface with disinfectant. \no Wash your hands with soap and water.", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-24 \nPage 5 of 6 \nRESOURCES \n\u25cf BPS Department of Early Childhood \n\u25cf BPS Department of Special Education \n\u25cf NAEYC Early Learning Program Accreditation Standards \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-24 \nPage 6 of 6 \n \nAdults Designated to Change Diapers, Assist Students with \nToileting, and/or Assist Children with Toileting Accidents \nSchool: \nSchool Year: \nName 1: \nPosition: \nName 2: \nPosition: \nName 3: \nPosition: \nName 4: \nPosition: \n \nPrincipal Signature: \nDate:", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-16 \nVersion 01 \n \n \n \nSUICIDE PREVENTION AND INTERVENTION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nIt is the policy of the Boston Public Schools (BPS) to provide an \narray of services for students through the utilization of internal \nand external support resources to promote their social and \nemotional growth and well-being. In those cases where \nindividual students are at-risk or in-crisis, all staff will collaborate \nin providing those supports needed to ensure the student\u2019s \nsafety and well-being. When there is an acute crisis within the \nschool community, staff will collaborate, under the direction of \nthe building administrator and with support from the Behavioral \nHealth Services District Crisis Team (as needed/appropriate), in \naddressing those problems and issues raised by that death \namong students, staff, and parents. \nPOLICY GUIDELINES", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Health Services District Crisis Team (as needed/appropriate), in \naddressing those problems and issues raised by that death \namong students, staff, and parents. \nPOLICY GUIDELINES \nThe following policy guidelines have been established to address \nthe issue of suicide prevention and intervention and will be \nfollowed in all schools: \n1. All staff should be aware of suicide distress signals and \nsymptoms outlined herein. \n2. All staff have an obligation to be knowledgeable about and", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 2 of 18 \n \n \n \nto cooperate fully in the implementation of the BPS Suicide \nPrevention and Intervention Policy Statement and Policy \nGuidelines. \n3. Building administrators will provide leadership in \naddressing the issue of suicide prevention and intervention \nand will establish and maintain the following support \nmechanisms required to address the issue within the wider \nschool community: \na. Implement prevention and intervention strategies \naccording to a multi-tiered system of support (MTSS) \nframework. \nb. Be sure that staff is knowledgeable about the purpose \nof the Student Success Team (SST), its membership, \nand the process for making referrals to the team. \nc. Ensure the provision of in-service training for staff in \nthe fall of each school year concerning the issues of \nsuicide/crisis intervention and prevention, including \nsuicide risk assessment procedures. \nd. Establish and maintain linkages with appropriate", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "the fall of each school year concerning the issues of \nsuicide/crisis intervention and prevention, including \nsuicide risk assessment procedures. \nd. Establish and maintain linkages with appropriate \ncommunity-based support agencies that will assist the \nschool in addressing this issue. \ne. Provide information and services to students with a \nview to implementing fully the letter and spirit of the \nBoston Public Schools Suicide Prevention and \nIntervention Policy. \nFinally, it is paramount to highlight that racism undermines \nmental health. Therefore, BPS is committed to culturally and \nlinguistically sustaining practices (CLSP) in all that is done in \nsupporting students and families. This means that we pledge to \nwork against individual racism, interpersonal racism, and \ninstitutional racism in all their forms by creating systems that", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 3 of 18 \n \n \n \nwork for our students and families. It is also well understood that \nthere is an increased risk of suicide amongst traditionally \nmarginalized groups, particularly in LGBTQ+ students. \nKEY TERMS \nIt is essential that all Boston Public Schools staff understand the \nfollowing terms. \nSuicide: Death caused by self-directed injurious behavior with \nintent to die as a result of the behavior. \nSuicide Attempt: A non-fatal, self-directed, potentially injurious \nbehavior with at least some intent to die as a result of the \nbehavior. \nSuicidal Ideation: Thinking about, considering, or planning \nsuicide1. \nSelf-Injury: The act of deliberately harming one\u2019s own body, \nsuch as cutting or burning, as a way to cope with emotional \npain2. \nTIERED PREVENTION & INTERVENTION STRATEGIES \nIt should be the goal of the school community to work together, \nunder the leadership of the building administrator, to establish", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "pain2. \nTIERED PREVENTION & INTERVENTION STRATEGIES \nIt should be the goal of the school community to work together, \nunder the leadership of the building administrator, to establish \nand maintain a program of suicide prevention. Schools are \nimportant settings for suicide prevention for the following \nreasons: school personnel interact regularly with students and \nplay an important role in keeping students safe; suicide has a \n \n1 NIMH \u00bb Home \n2 Self-injury/cutting - Symptoms and causes", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 4 of 18 \n \n \n \nnegative impact on an entire school community; and creating \nand maintaining a safe and supportive learning environment is \npart of the mission of BPS3. Prevention efforts should follow an \nMTSS continuum, with low-intensity prevention efforts for all \nstudents and more intensive prevention efforts for those with \nhigher risk. The following prevention and intervention strategies \nare strongly recommended as part of a school-based suicide \nprevention approach. \n\uf075 Tier 1 Prevention \nSchool Climate \nand Culture \nBuilding a safe and supportive school \nclimate is a vital step in suicide prevention. \nSchools should consider how they are \nteaching kids to ask for help and how they \nare creating safe spaces for relationship-\nbuilding. \nSchool-Wide \nPsychoeducation \nBreak Free From Depression (grades 9-12) \nSigns of Suicide (grades 6-12) \nSocial Emotional Learning curriculum \n(grades pre-K to 12) \n \n3 Schools", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 5 of 18 \n \n \n \nUniversal \nBehavioral Health \nScreening \nUsing a universal behavioral health \nscreening tool (e.g. BIMAS-2) at least twice \nper year helps schools assess students\u2019 \nlevel of risk and identify appropriate \nprevention strategies. \nThe Trevor Project \u2014 Saving Young LGBTQ \nLives \nSamaritans 24-hour Hotline \nSamaritans IM Here Online Chat Program \nKnowing Risk \nFactors & Warning \nSigns \nEnsure that all staff are familiar with \nsuicide symptoms and report student \nconcerns to the building administrator in a \ntimely fashion. (See page 9-10 for a list of \nwarning signs along with common risk and \nprotective factors.)", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 6 of 18 \n \n \n \n\uf075 Tier 2 Prevention & Intervention Strategies \nStructures and protocols to address and provide support to \nstudents presenting at risk. \nPerson(s) \nResponsible \nResponse Protocol \nStudent Success \nTeam (SST) \nThe SST should provide a systematic \nprocess for identifying and addressing the \nneeds of students in need of support \nservices and emphasize suicide prevention \nstrategies. This can consist of guardian \ncontact regarding concerns, referral to a \npartner or other agency for provision of \nservices, such as group counseling, etc. \n \n\uf075 Tier 3 Intervention Strategies \nAll school staff should be familiar with intervention strategies and \nprotocols and be trained once per year. Different levels of \nintervention (suicide risk assessment, safety planning, \nemergency response, and postvention) are required, depending \non the nature and seriousness of the situation. \n1. Student has made suicidal gestures or statements.", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "emergency response, and postvention) are required, depending \non the nature and seriousness of the situation. \n1. Student has made suicidal gestures or statements. \nThe BPS Suicide Risk Assessment (SRA) should be initiated \nimmediately if there is concern that a student has thoughts \nabout suicide. The SRA will guide the process for (1) gathering \ninformation about the concern, (2) developing an appropriate \nintervention plan, and (3) documenting both.", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 7 of 18 \n \n \n \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Keep the student safe. \na. Supervise the student by ensuring \nthey are in the presence of a staff \nmember. \nb. Call 911 if there is a concern about \nimminent danger. The BEST team \nand / or a safety check may be \nappropriate. \n2. Notify the school administrator. \n3. Report the situation to the designated \nschool leader(s). \nHead of \nSchool/Principal \nor Designee \n1. Continue the support initiated by the \nstaff person. \n2. Contact the parent/guardian and request \ntheir immediate presence. \n3. Consult with the appropriate members of \nthe school\u2019s student success team (SST), \nsuch as the nurse, school psychologist, \nsocial worker, student support \ncoordinator, etc. \n4. Identify the professionals completing the \nSRA. The SRA must be conducted: \na. In the student\u2019s preferred language \nb. By at least TWO people, one of \nwhich must be a BPS employed", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "4. Identify the professionals completing the \nSRA. The SRA must be conducted: \na. In the student\u2019s preferred language \nb. By at least TWO people, one of \nwhich must be a BPS employed \nprofessional and a licensed mental \nhealth professional. If these", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 8 of 18 \n \n \n \nindividuals are not available at the \nschool, please call the Office of \nSocial Work at 617-971-8292. \n5. Use of the Boston Emergency Services \nTeam (BEST) should be considered (1-800-\n981-4357). The parent/guardian may also \nopt to take the student to a nearby BEST \ncommunity clinic. \n6. Submit reports as required. \nBPS employed \nprofessional and \na licensed mental \nhealth \nprofessional \n1. Complete the BPS Suicide Risk \nAssessment and determine the level of \nrisk. \n2. Work with the student to create a \nStudent Safety Plan \n3. Identify appropriate supportive services \nand list them in the intervention plan at \nthe end of the SRA document. \na. Possible High-Risk Interventions: \ni. Guardian takes their student for \nimmediate intervention with a \nhealth care provider. \nii. Guardian and/or school to \ncontact BEST team at 1-800-\n981-4357. \niii. Contact BPS School Police at \n617-635-8000. \niv. Call 911 if necessary.", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "health care provider. \nii. Guardian and/or school to \ncontact BEST team at 1-800-\n981-4357. \niii. Contact BPS School Police at \n617-635-8000. \niv. Call 911 if necessary. \nb. Possible Low Risk Interventions:", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 9 of 18 \n \n \n \ni. Guardian to speak with the \nstudent about this incident or \nconcern. \nii. Teacher to monitor student\u2019s \nbehavior and report any \nchanges or concerns. \niii. Referral to outside agencies \nfor support \niv. Referral to Student Success \nTeam or other school-based \nsupports \n4. Scan and upload a copy of the completed \nintervention plan and signature page, \nalong with the student safety plan to \nAspen. Retain SRA interview pages in a \nclinical file in an agreed upon location in \nyour school. \n5. Share the Student Safety Plan with \nparents/caregivers and all appropriate \nschool-based personnel and community-\nbased partners. \n6. Create a re-entry plan for students when \nthey return to school.", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 10 of 18 \n \n \n \nParent / Family \nCollaboration \nNotify the Student\u2019s Legal Guardian(s) or \nEmergency Contact(s). These may include: \n\uf06f Legal Guardian(s) listed in ASPEN. \n\uf06f Emergency Contact(s) listed in ASPEN. \n\uf06f Legal Guardian(s) has been asked to \ncome to school to discuss the student\u2019s \nneeds. \n\uf06f Record if the Legal Guardian(s) have \nNOT been notified and why they have \nnot been notified. \n\uf06f Share the SRA interview and plan for \nany interventions and collaborate \naround follow-up. \n \n2. Suicide Attempt Has Occurred \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Initiate first aid, if appropriate. \n2. Contact the head of school/principal or \ndesignee (e.g., nurse, social worker, \nschool psychologist). \n3. Contact the school nurse. \n4. Do not leave the person alone. \n5. Remove anything that may enable the \nperson to hurt themself.", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 11 of 18 \n \n \n \nSchool Nurse 1. Initiate required medical procedures. \n2. Accompany (or ensure that a staff \nmember accompanies) the student to \nthe hospital. \n3. Remain with the student until the \nparent / caregiver arrives or for as long \nas possible. \n4. Inform the building administrator of the \nstudent\u2019s condition. This includes \ninforming the administrator when the \nstaff member is leaving the hospital. \nHead of \nSchool/Principal \nor Designee \n1. Initiate the procedures in \nSuperintendent\u2019s Circular, FSE-05 \nMedical Emergency Management \n2. Contact the legal guardian and inform \nthem of the situation and the hospital to \nwhich the student is being taken, if \napplicable. \n3. Accompany the student to the hospital, \nif applicable \n4. Contact the Superintendent\u2019s Office \n(617-635-9055) to report the incident. \n5. Complete required reports.", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 12 of 18 \n \n \n \n3. Postvention \nStructures and protocols to address school need after a \ncompleted suicide. \nPostvention should be tailored to a specific situation, handled \ncase by case by your school's mental health staff and the crisis \nteam. Call your assigned District Social Worker or the Director of \nSocial Work, Jenna Parafincczuk at 617-971-8292 \nPerson Responsible Response Protocol \nHead of \nschool/Principal or \nDesignee \nCall and notify your assigned District \nSocial Worker for assistance in \nplanning and carrying out Postvention \nsteps for ensuring safety and \naddressing the psychological needs of \nstudents and staff. \nRELEASING STUDENTS TO PARENT/CAREGIVER \nThe head of school/principal or designee should release the \nstudent to the parent after: \n\u2022 Providing the parent/caregiver with the name of a medical \nperson, a mental health worker, or a resource agency \n\u2022 Urging the parent to immediately bring the student to that", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "\u2022 Providing the parent/caregiver with the name of a medical \nperson, a mental health worker, or a resource agency \n\u2022 Urging the parent to immediately bring the student to that \nperson or agency \n\u2022 Urging the parent to provide the school with any follow-up \ninformation that may be forthcoming from medical or \nmental health personnel in order for the school to better \nprovide for the student \nIf a parent/caregiver or emergency contact cannot be contacted", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 13 of 18 \n \n \n \nafter two hours, Department of Children and Families should be \ncontacted at the hot line (1-800-792-5200) and/or emergency \nmedical procedures should be implemented. Under no \ncircumstances should a child be allowed to go home without a \nparent/guardian. The student should be kept at the school until a \nDCF worker arrives. In these cases, schools should initiate the \nprocedures in Supertintendent\u2019s Circular SUP-20, Child Abuse \nand Neglect Procedures. \nREFERRAL TO EXTERNAL SUPPORT AGENCIES \nIt is recommended that all students, both those \u201cin-crisis\u201d and \nthose who have exhibited or expressed any symptoms of suicide, \nbe referred for support by external agencies with staff trained \nand experienced in providing suicide intervention. \nRETURNING TO SCHOOL \nAll students returning to school after a period of absence are \nrequired to bring notes of explanation/excuse for the absence,", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "RETURNING TO SCHOOL \nAll students returning to school after a period of absence are \nrequired to bring notes of explanation/excuse for the absence, \nsigned by the parent/guardian. For students returning to school \nafter emergency treatment for suicide intervention, schools \nshould make all reasonable efforts to obtain documentation from \na medical/mental health provider indicating that the student is \nable and safe to return to school. Failure of the school to receive \nsuch documentation, however, will not be grounds for excluding \nthe student from school. Those students unable to return for \nmedical or mental health reasons after a crisis situation may \nqualify for services under the provisions of Superintendent\u2019s \nCircular SSS-19 Home and Hospital Instruction. \nAll returning students should report first to the school nurse (or \nother trained student support staff, such as the school", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 14 of 18 \n \n \n \npsychologist or social worker), who will take the following \nactions: \n1. Review and file the letter from the medical/mental health \nprovider as part of a confidential health record. \n2. Accompany the student to the homeroom for re-admission. \nEvery effort should be made to do this with sensitivity and to \nmaintain as great a degree of confidentiality as possible. \n3. Inform the head of school/principal of the student\u2019s return. \n4. Bring the case to the school\u2019s SST for review and assignment \nof an internal liaison person. \nThis liaison person will monitor the student\u2019s re-entry and serve \nas the person to whom staff should report recurring warning \nsigns. The liaison might be a homeroom or subject area teacher, \na school psychologist, a guidance counselor, the nurse, or other \nmember of the faculty who is trusted by the student. The liaison \nmight also serve as the link with the parent/guardian concerning", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "a school psychologist, a guidance counselor, the nurse, or other \nmember of the faculty who is trusted by the student. The liaison \nmight also serve as the link with the parent/guardian concerning \nthe student\u2019s status and, with written permission of the \nparent/guardian, serve as a liaison with any external agency staff \nproviding special support to the student.", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 15 of 18 \n \n \n \nAPPENDEUM: \nSUICIDE WARNING SIGNS \nWarning signs are indicators that a student may be in danger of \ncommitting suicide and may need urgent help. \nVerbal Behavioral \n\u2022 Talking about and/or \nmaking suicide plans \n\u2022 Talking about and/or \ngathering suicide \nmethods/information \n\u2022 Statements that family \nand friends would not \nmiss them \n\u2022 Expressions of \nhopelessness and/or \nanger at self and the \nworld \n\u2022 Talking about seeking \nrevenge \n\u2022 Talking about feeling \ntrapped or being in \nunbearable pain \n\u2022 Talking about being a \nburden to others \n \n\u2022 Looking for a way to kill \noneself \n\u2022 Increasing the use of \nalcohol or drugs \n\u2022 Acting anxious, agitated, \nor restless \n\u2022 Sleeping too little or too \nmuch \n\u2022 Withdrawing or feeling \nisolated \n\u2022 Scratching, cutting, \nmarking body, or other \nself-injurious behaviors \n\u2022 Writing of suicidal notes \nor posting on social media \n\u2022 Making final \narrangements \n\u2022 Giving away prized \npossessions", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 16 of 18 \n \n \n \n\u2022 Reading, writing, and/or \nart about death \n\u2022 Sudden positive behavior \nchange following a period \nof depression \nENVIRONMENTAL WARNING SIGNS \n\u2022 Recent loss through death \n\u2022 Recent loss through suicide \n\u2022 Anniversary of a significant loss \n\u2022 Recent experiences of violence \n\u2022 Justice system involvement \n\u2022 Anniversary of a significant loss", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 17 of 18 \n \n \n \nSUICIDE RISK FACTORS \nRisk factors are characteristics that make it more likely a student \nmight consider, attempt, or die by suicide. \nIndividual Environmental \n\u2022 LGBTQ+ Identity \n\u2022 Substance Abuse \n\u2022 Medication use \n\u2022 History of mental disorders, \nparticularly clinical depression \n(that has not been dx or \ntreated properly) \n\u2022 Prior suicide attempts \n\u2022 Hopelessness / A Burden \n\u2022 Hallucinations \n\u2022 Delusions \n\u2022 Impulsive or aggressive \ntendencies \n\u2022 Cultural and religious beliefs \n(e.g., belief that suicide is noble \nresolution of a personal \ndilemma) \n\u2022 Physical Illness \n\u2022 Unwillingness to seek help \nbecause of the stigma \nattached to mental health and \nsubstance abuse disorders or \nto suicidal thoughts \n\u2022 Interpersonal conflict \n\u2022 Isolation / aloneness \n\u2022 Parent suicide \nattempts / family \nhistory \n\u2022 Early loss / \nseparation from \nfamily \n\u2022 Cultural sanctions for \nsuicide \n\u2022 Loss (relational, \nsocial, work or \nfinancial)", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "\u2022 Isolation / aloneness \n\u2022 Parent suicide \nattempts / family \nhistory \n\u2022 Early loss / \nseparation from \nfamily \n\u2022 Cultural sanctions for \nsuicide \n\u2022 Loss (relational, \nsocial, work or \nfinancial) \n\u2022 Local epidemics of \nsuicide \n\u2022 Barriers to accessing \nmental health \ntreatment \n\u2022 Easy to access lethal \nmethods", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "content": "Superintendent\u2019s Circular SHS-16 \nPage 18 of 18 \n \n \n \nSUICIDE PROTECTIVE FACTORS \nProtective factors are characteristics that make it less likely that a \nstudent will engage in suicidal behavior. \n\u2022 Effective clinical care for mental, physical, and substance \nabuse disorders \n\u2022 Easy access to a variety of clinical interventions and support \nfor help seeking \n\u2022 Family and community support (connectedness) \n\u2022 Support from ongoing medical and mental health care \nrelationships \n\u2022 Skills in problem solving, conflict resolution, and nonviolent \nways of handling disputes \n\u2022 Cultural and religious beliefs that discourage suicide and \nsupport instincts for self-preservation \nFor more information about this circular, contact: \nOwner: Director of Social Work, Division of Student \nSupport \nDepartment: Social Work \nMailing Address: 205 Roxbury Street, Roxbury, MA 02119 \nPhone: 617-971-8292 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-13 \nVersion 01 \n \n \n \nTRANSPORTATION, MEDICAL ACCOMMODATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSome students may be eligible for transportation \naccommodation based on medical needs. The following \nguidelines and processes refer to transportation for student \nmedical indications only. Transportation accommodations for \nmedical needs do not include transportation accommodations \nwritten into an Individualized Education Program (IEP). \nBACKGROUND \nMedical transportation is warranted when a student\u2019s illness, \nmanaged by a health care professional, requires the assistance of \ntransportation as an accommodation to enable the student to \nattend school. Transportation accommodations for medical \nneeds should not substitute for treatment of specific medical \nconditions. The school, through the Student Support Team, is \nencouraged to explore creative solutions to assist these families", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "needs should not substitute for treatment of specific medical \nconditions. The school, through the Student Support Team, is \nencouraged to explore creative solutions to assist these families \nwith extraordinary needs. Children with chronic medical \nconditions that cannot be remediated by medication or therapy \nmay be granted renewal each year. Renewal is collaboratively \ndetermined by the school nurse and central office staff. Schools \nwill be notified in the spring to begin the transportation renewal \nprocess. No student should be considered \u201crenewed\u201d until", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 2 of 11 \n \n \n \nreceiving written notification that will be sent according to the \nTransportation Office policy. \nPOLICY IMPLEMENTATION GUIDELINES \nParent/Guardian Role: \n\u2022 Inform the school nurse of medical diagnosis and provide \nsupporting medical documentation that may require \ntransportation as an accommodation. \n\u2022 Communicate with the school nurse and their child\u2019s health \ncare provider regarding the need for medical transportation. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Principal/Head of School Role: \n\u2022 Review, discuss, and approve each case with the Student \nSupport Team and/or school nurse. \n\u2022 Designate a member of the Student Support Team to \ncollaborate with the school nurse to inform \nparents/guardians of eligibility determination. \n\u2022 All participants in the process may seek further assistance", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "collaborate with the school nurse to inform \nparents/guardians of eligibility determination. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Nurse Role: \n\u2022 Provide parents/guardians with a release of medical \ninformation form to be signed to obtain consent to speak \nwith the student\u2019s licensed health care provider.", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 3 of 11 \n \n \n \n\u2022 Contact the licensed healthcare provider to inform them of \nthe BPS transportation accommodation policy, discuss the \nrequest submitted by the parent/guardian, and share \nclinical observations related to the child\u2019s medical condition. \n\u2022 Present the case to the Student Support Team, including \nnotes taken during discussions with the parent/guardian \nand licensed health care provider to determine the \nappropriate accommodations, if any. \n\u2022 Document all relevant and objective information related to \ntransportation in the student\u2019s electronic health record. \n\u2022 If the school nurse does not believe transportation is \nwarranted based on the above criteria, but any other \nparticipant in the process disagrees, the case is referred to \nSchool Health Services for further clarification and \nresolution. \nStudent Support Team Role: \n\u2022 Discuss medical transportation request cases as referred by \nthe school nurse.", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "School Health Services for further clarification and \nresolution. \nStudent Support Team Role: \n\u2022 Discuss medical transportation request cases as referred by \nthe school nurse. \n\u2022 Each request should be considered individually, and other \noptions must be reviewed prior to authorization of medical \ntransportation. If additional support is needed, the Student \nSupport Team may make referrals for 504 or special \neducation concerns. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520.", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 4 of 11 \n \n \n \nCoordinator of Special Education (COSE) Role: \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nshall discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs. As part of this \nconsideration, the team shall include the school nurse. If \nspecial transportation is found to be necessary for the \nstudent to benefit from special education services and make \nmeaningful educational progress, it can be added to the IEP. \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education and related \nservices, the COSE will process the request for \ntransportation as appropriate.", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education and related \nservices, the COSE will process the request for \ntransportation as appropriate. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Health Services Role: \n\u2022 A member of the Health Services administrative team will \nbe available to discuss any request for transportation as an \naccommodation for medical needs. \n\u2022 School Health Services will consult with any party involved \nin the transportation as an accommodation for the medical \nneeds process regarding the eligibility determination. \n\u2022 In some cases, School Health Services may overturn the", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 5 of 11 \n \n \n \ninitial determination or provide recommendations for \nalternative accommodations to support the student\u2019s needs. \nDepartment of Transportation Role: \n\u2022 After approval, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen. \n\u2022 Collaborate with School Health Services regarding the \nmedical transportation renewal process. \n\u2022 Transportation requests for students who are healthy, but \nwhose parents or guardians are ill, will not be approved. \n \nELIGIBILITY DETERMINATION \nA student determined to be eligible: \n\u2022 The school nurse will fill out the Request for Medical \nTransportation form provided below and submit it to \nschool-based leadership for final approval; the signed form \nwill be sent via email to the school\u2019s Transportation Officer \nwithin the Department of Transportation by the school", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "school-based leadership for final approval; the signed form \nwill be sent via email to the school\u2019s Transportation Officer \nwithin the Department of Transportation by the school \nleader and/or school transportation coordinator. \n\u2022 Once approved, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen.", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 6 of 11 \n \n \n \nA student determined NOT eligible: \n\u2022 The parent/guardian will be notified by the principal \ndesignee in collaboration with the school nurse. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \n \nSPECIFIC GUIDELINES \nAsthma: Transportation as an accommodation for asthma is \nreserved for severe asthmatics that are adhering to a treatment \nplan, have a rescue inhaler at school, and have an Asthma Action \nPlan on file with the school nurse. If asthma impacts a student\u2019s \nability to walk to a school bus or MBTA stop, further medical \nevaluation and treatment may be necessary and should be \ndiscussed with the child\u2019s health care provider. Even the most \ncompliant students with asthma may need medical \ntransportation during the cold winter months. Mild, episodic \nasthmatic students on intermittent medications do not qualify", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "compliant students with asthma may need medical \ntransportation during the cold winter months. Mild, episodic \nasthmatic students on intermittent medications do not qualify \nfor medical transportation. \nSickle Cell: Please refer to Superintendent\u2019s Circular SHS-25. \nAmbulation: Students with conditions that significantly affect \nambulation, such as leg braces, crutches, lower extremity \nfractures, or amputations may be eligible for transportation as an \naccommodation. Students who can ambulate and fully \nparticipate in the school program should not be authorized for \nmedical transportation. \nSeizure Disorder: Students experiencing current, intermittent", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 7 of 11 \n \n \n \nseizure activity are eligible for transportation accommodation \nuntil stabilized. In general, if seizures are well controlled, medical \ntransportation will not be provided. \nEmotional/Behavioral Problems: Children with emotional and/or \nbehavioral issues which impact their transportation to or from \nschool should be discussed at the Student Support Team \nmeeting before any referral is made for this type of \ntransportation accommodation. ADHD, depression/anxiety, \nimpulsivity, and other behavioral issues have an impact on \nteaching and learning as well as school access. Behavioral \nmodification and other modalities may be more beneficial to the \nchild\u2019s overall functioning than just transportation alone. The \nschool nurse will gather the medically relevant information for \nthe team. \nOther: Neuromuscular disorders, cardiac disease, and other \nmedical conditions should be reviewed on an individual basis;", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "school nurse will gather the medically relevant information for \nthe team. \nOther: Neuromuscular disorders, cardiac disease, and other \nmedical conditions should be reviewed on an individual basis; \nconsult with School Health Services as needed.", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 8 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 9 of 11 \n \n \n \nREQUEST FOR TRANSPORTATION ACCOMMODATION, \nMEDICAL NEEDS \n(For school system use only) \nStudent Name _________________________Student ID # ____________ \nSchool_ _________________________________________________________ \nHours: _____________________________ \nTransportation will only be provided for the official hours of the \nschool. \nSchool Nurse (please print) ______________________________________ \nPrincipal/Head of School (please print) __________________________ \nDoes the student currently receive any kind of transportation \nfrom Boston Public Schools? \uf06fYes \uf06fNo \nIf yes, please describe why the additional accommodation is \nbeing requested. ________________________________________________ \n _________________________________________________________________ \nDoes the student currently receive services related to a 504 or \nIEP? \uf06fYes \uf06fNo \nIf yes, please discuss adding this accommodation to the student\u2019s", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Does the student currently receive services related to a 504 or \nIEP? \uf06fYes \uf06fNo \nIf yes, please discuss adding this accommodation to the student\u2019s \ncurrent educational plan, instead of submitting the request in \nthis manner. Call Health Services for additional information and \nsupport.", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 10 of 11 \n \n \n \nMEDICAL CERTIFICATION: \nReason for request: ______________________________________________ \n _________________________________________________________________ \nHealthcare Provider/ Clinic Name: _______________________________ \nIs all relevant data documented in the student\u2019s electronic health \nrecord? \uf06f Yes \uf06f No \n \nDURATION OF MEDICAL TRANSPORTATION: Any \naccommodation lasting longer than 6-8 weeks will be reviewed \nby School Health Services in collaboration with the BPS \nDepartment of Transportation. \n\uf06f Wheelchair van #weeks _________ \n\uf06f Cold winter months \uf06f School year \n \nAUTHORIZATION: \nDate the request was submitted to school nurse: ________________ \nDate the request was discussed at SST meeting: ________________ \nPrincipal/head of school signature ______________________________ \nDate: _______________________________ \nSchool nurse signature __________________________________________", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "content": "Superintendent\u2019s Circular SHS-13 \nPage 11 of 11 \n \n \n \nDate: _______________________________ \nName of Transportation Officer: _________________________________ \nDate faxed/emailed to Transportation Officer: ___________________ \n \n***************** \nDEPARTMENT OF TRANSPORTATION ONLY \nDate processed by Transportation Unit: _________________________", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-22 \nVersion 01 \n \nRESPONSE TO CARDIAC ARREST IN SCHOOLS AND \nSCHOOL PROPERTY: AUTOMATIC EXTERNAL \nDEFIBRILLATOR (AED) USE AND ACCESS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that an Emergency \nMedical Response Plan is multifaceted and is designed to \nrespond to life-threatening medical emergencies in the first \nminutes before emergency medical services arrive. The elements \nof the policy include: effective communication throughout the \nindividual school and the district, a coordinated and practiced \nresponse plan, risk reduction, training and equipment for first aid \nand CPR, and a lay rescuer AED program. \nThis policy addresses the Cardiac Arrest Plan and focuses on CPR \nand AED use. It interfaces with Superintendent\u2019s Circulars FSE-\n05 Medical Emergencies; FSE-01 School Safety and Contingency", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "This policy addresses the Cardiac Arrest Plan and focuses on CPR \nand AED use. It interfaces with Superintendent\u2019s Circulars FSE-\n05 Medical Emergencies; FSE-01 School Safety and Contingency \nPlans; and SHS-11 Life-Threatening Allergies. It is also coordinated \nwith the City of Boston Public Access Defibrillator Program \n(PAD). Detailed procedures and protocols, including a \nMemorandum of Agreement between BPS and Boston EMS, are \navailable through Facilities Management.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 2 of 22 \n \nBACKGROUND \nSudden cardiac arrest (SCA) presents a potential life-threatening \nsituation to students, staff, and visitors, and quick response \nactions and interventions like cardio-pulmonary resuscitation \n(CPR) and proper use of an automatic external defibrillator (AED) \nwithin the first two (2) minutes significantly increases the chance \nof SCA survival. \nPROTOCOL FOR DISTRICTWIDE RESPONSIBILITIES \nThe City of Boston\u2019s Public Access Defibrillator Program (PAD) \nrequires that a systemwide policy be established that interfaces \nwith the district's School Safety and Contingency Plans. These \nplans are submitted each year. \nIn BPS, the AED/CPR policy is directed by an AED/CPR \nCommittee. This systemwide AED Committee includes but is not \nlimited to representation from Health Services, Facilities \nManagement (Environmental and Safety), BPS Operations, and \nCity of Boston\u2019s Emergency Management Services (BEMS). The", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "limited to representation from Health Services, Facilities \nManagement (Environmental and Safety), BPS Operations, and \nCity of Boston\u2019s Emergency Management Services (BEMS). The \nresponsibility of this team is to oversee the AED and CPR \nprogram, including quality assurance, data review of critical \nincidents, equipment maintenance, inventory management, \ncoordinated and practiced response exercises, and lay CPR and \nAED training. \n\u2022 All school buildings have been provided with AEDs. All BPS \nschool buildings with an AED will need to register their \nindividual plans along with their annual safety contingency \nplans. Staff who have been trained in CPR will be added to", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 3 of 22 \n \nthe school safety contingency plan and reviewed/updated \nannually. \n\u2022 AEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any \nathletic event or practice. The BPS Athletic Program shall \nmeet the same requirements and intent of the AED/CPR \nprogram for school buildings, including providing an \ninventory of the AEDs and their designated coaches (those \ncoaches who are responsible for the AED during their sport\u2019s \nseason). \nPROTOCOL FOR INDIVIDUAL SCHOOL RESPONSIBILITIES \nPrincipal/Head of School: \n\u2022 Ensures that there is an appropriately trained AED/CPR \ncoordinator at their school.* \n\u2022 Ensures that there is the required number of CPR trained \npersonnel in the school. \n\u2022 Includes the AED/CPR plan in the annual safety and \ncontingency plan submission to the director of Fire Safety \nand Emergency Preparedness. \n\u2022 Reviews and submits the annual AED/CPR plan to Safety", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "contingency plan submission to the director of Fire Safety \nand Emergency Preparedness. \n\u2022 Reviews and submits the annual AED/CPR plan to Safety \nServices (safety and contingency plan). \n\u2022 Oversees the placement of AEDs. \n\u2022 Ensures that the required staff are appropriately trained in \nCPR and AED use.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 4 of 22 \n \n\u2022 Ensures periodic checks are done to better ensure safe and \ncontinuous operability and access to the AED. These checks \nshall include but not be limited to the following: \no Daily check of AED indicator light: Check the active \nstatus indicator light on your AED. It varies depending \non the brand. If any problems contact Richard Deraney, \nDirector of Safety/Emergency Preparedness. \no Weekly check: Check the condition of the AED and \naccessories (including but not limited to the AED, the \npads (infant and adult), and the AED alarmed metal \ncabinet. \no Monthly check: Check pads and battery pack for \nexpiration dates and AED signage throughout the \nbuilding. \no Quarterly submission of logs to the AED/CPR \ncommittee. \n* A member of your school site safety team is strongly \nrecommended. \nSchool Nurse: \n\u2022 Reviews plans with the AED/CPR coordinator. \n\u2022 Is up to date in CPR/AED training as required by \nemployment.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "* A member of your school site safety team is strongly \nrecommended. \nSchool Nurse: \n\u2022 Reviews plans with the AED/CPR coordinator. \n\u2022 Is up to date in CPR/AED training as required by \nemployment. \n\u2022 Includes plan in substitute school nurse folder. \n \nAthletic Coaches: \n\u2022 Participate in training in CPR/AED.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 5 of 22 \n \n\u2022 Ensure that protocols are in place. \n\u2022 Review plans with the school nurse. \nBPS Athletics: \n\u2022 Ensures that all coaches are in compliance with AED/CPR \nguidelines. \n\u2022 Ensures that all athletic trainers providing services to BPS \nAthletics are in compliance with AED/CPR guidelines. \nTrained Staff: \n\u2022 Reviews CPR/AED plan for individual school. \n\u2022 Reviews Safety and contingency plans for school. \n\u2022 Participates in training. \n \nDetailed information on protocols and training is available in \nHealth Services & Safety Services, when available.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 6 of 22 \n \nDate Activity \nOctober 1 \nAnnual Review of AED Program. This will be part of \nthe school\u2019s Building Safety and Fire Safety Plans. If \nthere are any changes, you will submit a copy to \nBPS Safety/Emergency Preparedness. \nOctober 1 \nBPS Athletics shall provide a list of coaches with \nAEDS and training verifications to \nSafety/Emergency Preparedness \nNovember 1 \nSchool leaders and building administrators shall \ncontact Office of Health and Wellness: Physical \nEducation to receive Anytime (Hands Only) CPR \ntraining and equipment for their physical \neducation teachers. \nMay 1 \n9th grade Physical Education teachers shall receive \nAnytime CPR training as needed and implement \nthe lesson with their students. \nJune 1 Annual Review of AED Policy by AED Committee", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 7 of 22 \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nContact: Director of Safety & Emergency Management \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 8 of 22 \n \nBOSTON PUBLIC SCHOOLS \nMEMORANDUM OF AGREEMENT \nAUTOMATIC EXTERNAL DEFIBRILLATION PROGRAM \n \nTHIS AGREEMENT is made and entered into on ________________ \nand is between the Boston Public Schools (BPS) and Boston \nEmergency Medical Services (EMS). \nThe purpose of this agreement is to establish training and quality \nassurance programs for the utilization of automatic external \ndefibrillators (AED) by volunteer, trained Boston Public Schools \npersonnel. Those trained personnel will function under the \nmedical supervision of the BPS medical director and the assistant \ndirector of Health Services in collaboration with EMS medical \ndirector. \nThe Parties now mutually agree to the following: \nThe Boston Public Schools (BPS) agrees: \n1. To identify an AED/CPR coordinator from Safety Services to \nassume responsibility for coordinating the AED/CPR \ncommittee and monthly meetings. This committee will", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "1. To identify an AED/CPR coordinator from Safety Services to \nassume responsibility for coordinating the AED/CPR \ncommittee and monthly meetings. This committee will \ninclude representation from EMS and oversee aspects of the \nPublic Access Defibrillation program in BPS. \n2. To conduct CPR/AED training programs that are approved \nby the American Heart Association, American Red Cross, \nAmerican Safety and Health Institute, or BPS approved \nequivalent.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 9 of 22 \n \n3. To establish a quality assurance program that reviews all \nAED response events with the EMS medical director, BPS \nmedical director, assistant director of Health Services, EMS \nliaison, and BPS responders. \n4. To maintain a database for AED training programs and \nshare trained personnel information rosters with the EMS. \n5. To notify EMS annually of the types of AEDs and location of \nunits in each building. \n6. To maintain database information regarding the AED daily \nchecks and maintenance information for each unit. \n7. To follow the protocols approved by Boston Public Schools \nfor AED use in BPS. \n8. To notify EMS of any changes in program, location, or \nequipment. \n9. In case of an incident, provide EMS with cardiac event data \ncards for evaluation and feedback. \n10. Work collaboratively with the EMS on student CPR training \nprograms \nBoston EMS agrees to: \n1. Identify the medical director of EMS as the overall medical", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "cards for evaluation and feedback. \n10. Work collaboratively with the EMS on student CPR training \nprograms \nBoston EMS agrees to: \n1. Identify the medical director of EMS as the overall medical \ndirector of the BPS AED program. \n2. Identify an EMS liaison that will collaborate with BPS on AED \nimplementation in the schools. \n3. Maintain records of location/types of machines, trained \npersonnel sent by BPS program coordinator.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 10 of 22 \n \n4. Provide feedback, after a response incident, from the \ncardiac event data card to BPS CPR/AED coordinator and \nBPS medical director and other members of the AED/CPR \ncommittee for review. \n5. Provide \u201cTrain the Trainer\u201d CPR/AED programs to BPS \ndesignated volunteer employees. \n \nThis memorandum will be reviewed on an annual basis. \n __________________________________________________________________ \n \nIn witness whereof, the parties hereto execute this Agreement \nthrough their duly authorized representatives as of ________ day \nof ________________, 20____. \nBOSTON EMERGENCY MEDICAL SERVICES \nBy: ______________________________________ Date: _________________ \n \nIts: _______________________________________________________________ \n \nBOSTON PUBLIC SCHOOLS \n \n___________________________________________Date: _______________ \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 11 of 22 \n \nBOSTON PUBLIC SCHOOLS \nPUBLIC ACCESS DEFIBRILLATION PROGRAM AND \nCPR GUIDELINES \n \nPURPOSE: The purpose of the Boston Public Schools Public \nAccess Defibrillation (PAD) Program guidelines is to assist \nemployees of the Boston Public Schools who are trained and \nwilling to do CPR, including use of an Automatic External \nDefibrillator (AED) in the event such use is necessary. These \nguidelines do not create an obligation to do CPR and use the \nAEDs, nor to create any expectation that either an AED or trained \nemployee will be present at every event. The guidelines should \nmake clear that by increasing the availability of AEDs and \nincreasing the number of persons trained to use them, that both \nthe school and larger community may be aided. Evidence shows \nthat time is a significant factor in victim survival rate, and on-site \nresponders are more likely to arrive faster than EMS to begin aid", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "that time is a significant factor in victim survival rate, and on-site \nresponders are more likely to arrive faster than EMS to begin aid \nto incidents of \u201csudden death\u201d. By equipping and training \nvoluntary employees in the use of AEDs, we will increase the \npotential to save lives through AED intervention. \nDEFINITION: The condition \u201csudden death\u201d occurs when the \nelectrical impulses of the human heart malfunction, causing a \ndisturbance in the heart\u2019s electrical rhythm called \u201cventricular \nfibrillation (VF)\u201d. This erratic and ineffective electrical heart \nrhythm causes complete cessation of the heart\u2019s normal function \nof pumping oxygenated blood, resulting in \u201csudden death\u201d. The \nmost effective treatment for this condition is the administration \nof an electrical current to the heart by a defibrillator, within the", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 12 of 22 \n \nshortest time possible of VF onset. Each minute of delay in \ndefibrillator use decreases the survival rate by 10%. \nPROGRAM PROCEDURES: The Boston Public Schools anticipates \nthat where reasonably possible, employees who have been \ntrained and who are present when an incident occurs will react \nby activating the EMS system (calling 9-1-1 or 9-9-1-1), begin CPR, \nand utilize the AED available to them according to the guidelines \nof the American Heart Association. \nPROGRAM OVERSIGHT: The City of Boston\u2019s Public Access \nDefibrillator Program (PAD) requires that a systemwide policy be \nestablished. This system-wide AED committee includes but is \nnot limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston\u2019s Emergency Management \nServices (BEMS). This committee meets monthly and guides the \nprogram implementation and quality assurance.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Operations, and City of Boston\u2019s Emergency Management \nServices (BEMS). This committee meets monthly and guides the \nprogram implementation and quality assurance. \nThe EMS medical director agrees to act as the medical director \nfor the BPS PAD Program, ensuring its consistency with the \nCommunity AED Public Access program and reviewing each \ndeployment of the AED with the BPS team. \nThe Boston Public Schools physician / medical director is \nresponsible for: writing prescriptions for purchase of AEDs; \nreviewing and approving guidelines for emergency procedures \nrelated to the use of AEDs; reviewing all AED deployments; and \ncoordination with the local EMS medical director for consistency \nof operation. \nThe BPS assistant director of Health Services (nursing director) \nwill be the overall AED coordinator of the program, chairing the", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 13 of 22 \n \nCPR/AED committee. This systemwide AED committee includes \nbut is not limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston\u2019s Emergency Management \nServices (BEMS). The responsibility of this team is to oversee the \nAED and CPR program, including quality assurance, data review \nof critical incidents, equipment maintenance and inventory \nmanagement, coordinated procurement of funding, practiced \nresponse exercises, and lay CPR and AED training. \nPRE-PROGRAM EVALUATION AND AED SELECTION \nOnly US FDA approved AEDs will be provided for this program. \nThe program manager and Facilities Management Department \nwill maintain the specification/technical information sheet for \neach approved AED on file assigned and/or donated to the PAD \nprogram. \nAll BPS schools have at least one AED. \nAEDs have been provided to the BPS Athletics Program for", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "each approved AED on file assigned and/or donated to the PAD \nprogram. \nAll BPS schools have at least one AED. \nAEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any athletic \nevent or practice. The BPS Athletics Program shall meet the \nsame requirements and intent of the AED program for school \nbuildings.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 14 of 22 \n \nTRAINING \nAll volunteer employees and coaches will participate in a \nrecognized CPR/AED initial training course which will include the \nfollowing content: \n\u2022 Proper use, maintenance, and periodic inspection of AED. \n\u2022 Assessment of an unconscious person to determine if a \ncardiac arrest has occurred and the appropriateness of \napplying the AED. \n\u2022 Defibrillator safety precaution to enable the user to \nadminister a shock without jeopardizing the safety of the \nvictim, the user, or other persons on the scene. \n\u2022 Rapid accurate assessment of the victim\u2019s post-shock status \nto determine if further activation of AED is necessary. \n\u2022 The role of the initial rescuer in the coordination of care for \nthe cardiac arrest victim on arrival of EMS personnel. \n\u2022 Scenario based practice consistent with common scenarios \nthat rescuers may face. \n\u2022 Routine AED maintenance, troubleshooting options, and", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "the cardiac arrest victim on arrival of EMS personnel. \n\u2022 Scenario based practice consistent with common scenarios \nthat rescuers may face. \n\u2022 Routine AED maintenance, troubleshooting options, and \nspecial situations that initial rescuers may encounter. \nEmployees will only be held to the standards of \u201cGood Samaritan\u201d \nstatus and shall only be expected to use an AED if they have \nsuccessfully completed the CPR/AED training and feel confident \nusing the device.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 15 of 22 \n \nSKILLS REVIEW AND PROFICIENCY DEMONSTRATION \nThe AED team candidate will need to demonstrate proficiency in \nadult CPR and the following: \n\u2022 Safe and effective use of the AED training device that \nconforms to the unit assigned to that location or building. \n\u2022 Perform a single or multi-shock practical exam conducted \nby a qualified AHA or ARC instructor. \n\u2022 Demonstrate common trouble-shooting techniques used \nwith the AED. \n\u2022 All AED team members will participate in a CPR/AED skills \nproficiency review annually. The PAD program manager will \nmaintain the proper training and review documentation. \nLOCATION OF AEDS \nAll BPS school buildings with an AED must register their plan \nwith BPS Safety Services. All school buildings have been provided \nwith AEDs. If additional AEDs are to be purchased, it must be \ndone through BPS HS or with the approval of BPS HS. AED will be \nnumbered for internal identification and inventory. These records", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "with AEDs. If additional AEDs are to be purchased, it must be \ndone through BPS HS or with the approval of BPS HS. AED will be \nnumbered for internal identification and inventory. These records \nshall be kept and maintained under BPS HS. \nAll AEDs shall be located immediately outside the main \nadministrative office unless a written exemption with stated \nreasons for another location is provided. All AEDs are placed in an \nalarmed metal cabinet with an identifying AED location sign \nabove it. Other signs identifying AED location will be placed in \ncommon areas throughout the school building. For additional \nsignage or if there are any missing or broken signs, please", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 16 of 22 \n \ncontact Facilities Management \u2013 Environmental Section at 617-\n635-8300. \nAEDs are located outside the main administrative office because \nit is a well-identified location with continued access during \nschool occupancy and operating hours. In cases of BPS school \nbuildings sharing the building complex with another BPS school \nprogram or DYFS Community School or Center, if possible, a \nlocation may be chosen that would allow access to both \nprograms\u2019 operating hours. All AEDs shall be kept in the alarmed \nmetal cabinet, with the exception of AEDs provided specifically \nfor BPS Athletics Department. \nMAINTENANCE AND TESTING \nMaintenance and testing will be conducted according to the \nrequirements of the FDA and the AED manufacturer. \nDocumentation of maintenance and testing will be maintained in \nthe PAD program manager\u2019s office (nursing coordinator) for a \nperiod of two years. Documentation will record the date of", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Documentation of maintenance and testing will be maintained in \nthe PAD program manager\u2019s office (nursing coordinator) for a \nperiod of two years. Documentation will record the date of \ntesting and the signature of the person performing the testing. If \na problem with the AED is identified, the AED coordinator must \nbe notified immediately. \nResponsibility for overall maintenance check assignments in \neach location will be with the BPS AED/CPR coordinator in \ncoordination with a designated person in each building. A \nperson in each building will be responsible for: \n\u2022 Daily visual checks and documentation during the actual \ncontracted school year. (Summer locations and checks will", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 17 of 22 \n \nbe determined by summer program use of the buildings, \nand Boston EMS will be notified of the Summer Plan.) \n\u2022 Prompt notification of PAD program manager for any \nequipment or supply needs. The designated building \ncoordinator will be responsible for scheduling AED training \ncourses in their building. Authorized AHA instructors will \nassist with training on AED use. \nUSE OF THE AED \nGeneral \n\u2022 Scene safety is vital. Rescuers are volunteers and are not \nexpected to place themselves at risk to provide aid to \nothers. To assess for scene safety: \no Verify that the victim is not in contact with any live \nelectrical connections. \no Remove the victim from any exposure to water to a dry \nsurface. \no Refrain from use of any portable radios near the victim \nwhile AED is analyzing. \n\u2022 During school hours, the building program coordinator will \nbe notified of any event occurring that may require the use \nof an AED.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "while AED is analyzing. \n\u2022 During school hours, the building program coordinator will \nbe notified of any event occurring that may require the use \nof an AED. \n\u2022 During afterschool hours, a trained athletic coach or their \ndesignee may move the AED from its current location to \nsupport Athletic Department activities. A visible notice \nmust be clearly stating the location of the AED as well as the \nlocation of the nearest AED, if another one exists.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 18 of 22 \n \n\u2022 Contracted and community activities are not guaranteed \naccess to the AED or a trained AED operator as part of \nstandard school facility rental contracts. \nActual Use of AED in a Cardiac Event \n\u2022 Determine unresponsiveness of the victim and activate the \nEmergency Response Plan (Call 9-1-1). \no If a victim is unresponsive, call 9-1-1 (or 9-9-1-1) and get \nAED. \no Assess victim (airway, breathing circulation). \no Initiate CPR, if required, while AED is brought to the \nvictim's side. \no Designate a person to wait for a facility entry to direct \nEMS to location. \no Notify nursing coordinator of use to assign backup AED \nunit, if available \n\u2022 Upon arrival of AED, place AED next to the head of the \nvictim, close to the AED operator. \n\u2022 Prepare to use the AED: \no Turn power ON. \no Bare and prepare chest for AED use. \no Attach AED to victim (picture guides on each pad for \nproper placement location).", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "\u2022 Prepare to use the AED: \no Turn power ON. \no Bare and prepare chest for AED use. \no Attach AED to victim (picture guides on each pad for \nproper placement location). \no Stop CPR while the AED device analyzes the heart \nrhythm.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 19 of 22 \n \no Follow the machine prompts for further action. If a \nshock is indicated, be sure all rescuers are \u201cclear\u201d \nbefore shock is administered. \n\u2022 Upon arrival, EMS shall take charge of the victim. \no Provide victim information (name, age, known medical \nhistory, time of incident). \no Provide information as to current condition and \nnumber of shocks delivered. \no Defibrillator pads and electrodes shall remain in place \non the victim. EMS will utilize BPS AED through \ntransport of victims to hospital to maintain continuity \nof event recording. \nAFTER USE OF AED \n\u2022 First responders will notify the program coordinator by \nphone of the incident, complete an incident report, and fax \nto the program coordinator. \n\u2022 A Critical Incident debriefing session will be held or \nscheduled within 24 hours for initial responders. (Boston \nEMS may not be immediately available.) \n\u2022 The health services director and program coordinator will be", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "scheduled within 24 hours for initial responders. (Boston \nEMS may not be immediately available.) \n\u2022 The health services director and program coordinator will be \nnotified of AED use and: \no Complete follow-up report for medical directors. \no Arrange for a quality improvement meeting of AED \nresponders. \no The AED will be checked and put back in readiness \nstate.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 20 of 22 \n \no Restock AED inventory. \no Clean AED if needed according to manufacturer \nrecommendations. \no Document AED return readiness.", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 21 of 22 \n \nBOSTON PUBLIC SCHOOLS \nAUTOMATED EXTERNAL DEFIBRILLATOR PROGRAM \nPARTICIPATION REQUEST FORM \n \n_________________________________________________ (Name of person \nrequesting) requests implementation of the AED Program for \n _________________________________________________________________ . \n (Name of school / site) \nI understand that to be eligible for the AED Program, the \nfollowing requirements must be met: \nFunding / resources have been identified for the purchase and \nmaintenance of an \u201cAPPROVED\u201d AED. (Please consult program \nmanager for list of qualifications for approved AEDs.) \nFunding source: _________________________________________________ \n \nAt least 2 staff have been identified to be trained in CPR and AED. \nStaff member: ___________________________________________________ \nStaff member: ___________________________________________________ \nAt least 1 primary staff member and 1 back-up (in case of", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Staff member: ___________________________________________________ \nStaff member: ___________________________________________________ \nAt least 1 primary staff member and 1 back-up (in case of \nabsence) have been identified to be the building coordinator. \n \nList staff member and back-up:", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-22 \nPage 22 of 22 \n \nPrimary: __________________________________________________________ \nBack-up: _________________________________________________________ \nPlanned location of the AED in the building: \n __________________________________________________________________", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-25 \nVersion 01 \n \n \n \nSICKLE CELL DISEASE POLICY AND IMPLEMENTATION \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY BACKGROUND \nBPS recognizes that a clear, comprehensive policy on Sickle Cell \nDisease (SCD) management in school can have an impact on \nacademic achievement and support the general wellbeing of \nstudents with SCD. \n \nPOLICY STATEMENT \nBPS acknowledges that SCD is a disability that substantially \nlimits a major life activity, and qualifies students with SCD for a \ncomprehensive evaluation and consideration of eligibility under \nSection 504 of the Rehabilitation Act of 1973 (Section 504) to \ndetermine the services and accommodations they may need to \nattain a free appropriate public education. As part of BPS\u2019s \ncommitment to maintaining an educational environment that is \nwelcoming, inclusive, and encouraging, such that all students are", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "attain a free appropriate public education. As part of BPS\u2019s \ncommitment to maintaining an educational environment that is \nwelcoming, inclusive, and encouraging, such that all students are \nable to flourish, all schools must follow established protocols and \nprocedures for addressing the needs of children with SCD and \nregularly evaluate the implementation of these plans.", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 2 of 12 \n \n \n \n \nBPS acknowledges that the successful implementation of this \npolicy at the district and school levels relies on fostering and \nmaintaining a culture of awareness and acceptance regarding \nSCD through acknowledging the history of SCD and the unique \nchallenges students with SCD face. With this in mind, BPS \nrecognizes that: \n\u25cf People with SCD have long faced harmful stigmas, many \nwith racially charged origins. \n\u25cf People with SCD are often challenged about the seriousness \nof their disease or even its existence. \n\u25cf Students with SCD have long experienced barriers to their \nhealth and success at school. \n \nIMPLEMENTATION IN BOSTON PUBLIC SCHOOLS \nSickle Cell Disease Basics \nSCD refers to a group of genetic blood disorders. It affects \nindividuals of all races and ethnicities, but in the United States it \nis especially prevalent among African Americans and Hispanics. \nComplications include but are not limited to severe anemia,", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "individuals of all races and ethnicities, but in the United States it \nis especially prevalent among African Americans and Hispanics. \nComplications include but are not limited to severe anemia, \nsusceptibility to infections, insomnia, jaundice, frequent \nurination, dehydration, chronic pain, and episodes of extreme, \ndebilitating pain. Pain episodes (also known as \u201ccrises\u201d) can cause \ntissue and organ damage, lead to hospitalizations, and have life-\nthreatening consequences. People with SCD are also at \nheightened risk for anxiety, depression, post-traumatic stress", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 3 of 12 \n \n \n \n \ndisorder, social isolation, delayed social development, visible \nstrokes, and \u201csilent strokes\u201d that may go unnoticed but can affect \nlearning abilities in the short and long terms. Pain episodes and \nother complications may be triggered by a wide variety of \nphysical and psychological stressors. \nAs a result of these complications and the side effects of \nmedications, many children with SCD experience frequent \nabsences and difficulty focusing or engaging as they usually do \nat school, particularly with regard to physical activities. On days \nfree from harsher symptoms and side effects, many students \nwith SCD still experience baseline symptoms and health \nvulnerabilities that require modifications to standard \nparticipation requirements. \nAdditionally, the biology and history of SCD create the following \nunique challenges: \n\u25cf SCD pain is often \u201cinvisible.\u201d People with SCD learn coping", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "participation requirements. \nAdditionally, the biology and history of SCD create the following \nunique challenges: \n\u25cf SCD pain is often \u201cinvisible.\u201d People with SCD learn coping \nmechanisms (such as staying still and quiet) that may seem \ncounterintuitive. SCD pain therefore often goes undetected \nby others, leading to challenges about the seriousness or \nexistence of the pain. \n\u25cf Symptoms such as jaundice, short stature, and delayed \nsocial development, along with repeated absences, can \nmake students with SCD targets of bullying and \nharassment. \n\u25cf Medications used to treat people with SCD, such as opioid \npain medications and hydroxyurea (a chemotherapy drug", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 4 of 12 \n \n \n \n \nthat can also help some people with SCD), can cause serious \nand disruptive side effects and carry stigmas of their own. \n\u25cf Individuals with SCD have historically been stigmatized in \nthe community, hospitals, schools, the armed services, and \nplaces of employment. Labeled a \u201cBlack disease,\u201d SCD has \nhistorically been associated with claims of racial weakness \nand genetic inferiority. \n \nOVERVIEW \u2013 ADDRESSING NEEDS OF BPS STUDENTS WITH SCD \nA. CHILD FIND: Identification, Location, Immediate \nAccommodations & Evaluation \n \n1. Identification and Location \nBPS acknowledges that, due to the stigmas noted above, many \nparents choose not to identify their child with SCD instead of \nseeking supportive services and accommodations for their \nchildren. To overcome this challenge, BPS utilizes multiple \nstrategies as part of an outreach and public awareness campaign \nto raise awareness of SCD and its effects on learning to assure", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "children. To overcome this challenge, BPS utilizes multiple \nstrategies as part of an outreach and public awareness campaign \nto raise awareness of SCD and its effects on learning to assure \nfamilies that BPS is a willing partner to create a community of \nsupport, collaboration, and understanding around students with \nSCD. These strategies include but are not limited to: \n\u25cf Collaboration with local medical centers that treat \nchildren with SCD and leveraging these to develop \nstrategies for identification and location (e.g., sharing", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 5 of 12 \n \n \n \n \noutreach materials with clinics, providing \u201cknow your \nrights\u201d materials for families in clinics that see students \nwith SCD, meeting with medical providers to develop \nadditional strategies etc.) \n\u25cf Ensuring that all communications are available in \nmultiple languages and/or modes in order to be \naccessible to all families \n\u25cf Ensuring that the outreach and public awareness \ncampaign includes outreach to preschools, early \nintervention providers and community support \nproviders, who are likely to have students that are or \nwill enroll in BPS (i.e. located in Greater Boston) \n\u25cf Additional strategies developed with input from the \nSCD Advisory Group \n \nSpecific considerations regarding enrollment: \nUpon identifying a child with SCD at enrollment, BPS ensures \nproper placement in a school with appropriate health and related \nservices. Given stigmas related to SCD, BPS gives special", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Upon identifying a child with SCD at enrollment, BPS ensures \nproper placement in a school with appropriate health and related \nservices. Given stigmas related to SCD, BPS gives special \nattention to ensuring the privacy of students with SCD. This \nincludes appropriately limiting the scope of releases parents sign \nregarding disclosures of their child\u2019s SCD status. Further, BPS \nensures appropriate efforts are made to initiate and maintain \nconnections between school health staff and students with SCD, \ntheir parents, and their medical teams upon enrollment of the \nstudent (or upon identification if after enrollment). This includes", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 6 of 12 \n \n \n \n \nproviding information to parents and school health staff and \nensuring privacy rights are maintained. \n \n2. Interim Services/Supports Pursuant to Section 504 \nBPS acknowledges that, because SCD is a physical disability that \nsubstantially limits major life activities, students with SCD are \nentitled to certain accommodations upon identification and \nlocation to ensure their health, safety, and equal educational \nopportunities, pending the completion of a comprehensive \nevaluation. All rights and protections pursuant to Section 504, \nincluding procedural safeguards, are ensured upon identifying \nand locating students with SCD. BPS ensures that the interim \naccommodations implemented pursuant to Section 504 include \nthe following: \n\u25cf Two sets of textbooks, one for school and the other for \nhome \n\u25cf Unlimited bathroom access as needed \n\u25cf Unlimited access as needed to the school nurse or \nschool health official", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "\u25cf Two sets of textbooks, one for school and the other for \nhome \n\u25cf Unlimited bathroom access as needed \n\u25cf Unlimited access as needed to the school nurse or \nschool health official \n\u25cf Unlimited access as needed to communicate with \nparent and/or physician if they are experiencing \nsymptoms that are unfamiliar or are ones their \nphysicians told them to contact them about if \nexperienced", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 7 of 12 \n \n \n \n \n\u25cf Unlimited water access as needed through access to a \nwater bottle and water fountains \n\u25cf Time/permission to access medication (including \nprescribed opioids), as needed \n\u25cf Permission to wear a coat indoors whenever feeling \ncold and to stay indoors or be exempt from outdoor \nactivities whenever it is too hot, too cold, or when air \nquality is poor \n\u25cf Permission to move away from indoor AC or heating \nunits \n\u25cf Consideration for door-to-door transportation, except \nin the very limited circumstances where it would be \nimpractical (e.g., student resides next door or across \nthe street from the school building they attends) \n\u25cf Permission to access an elevator, if relevant, and to \nleave class early to get to the next one (or alternatively, \nextra time between classes) \n\u25cf Modified participation in gym class, based on student \nneeds \n\u25cf Proactive plans to address academic and \nsocial/emotional supports upon return to school from", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "extra time between classes) \n\u25cf Modified participation in gym class, based on student \nneeds \n\u25cf Proactive plans to address academic and \nsocial/emotional supports upon return to school from \nabsences including supplemental instruction provided \nby qualified subject-area teachers and service \nproviders in order to scaffold missed and ongoing \ninstruction in the classroom and to enable students to \ncatch up with and stay on pace with classmates", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 8 of 12 \n \n \n \n \n3. Comprehensive Evaluation \nBPS ensures that all students with SCD receive a timely, \ncomprehensive evaluation of all areas of suspected disability to \ndetermine the nature and extent of a student\u2019s need, if any, for \nspecialized instruction or related aids and services. BPS ensures \nthat a neuropsychological evaluation is considered as part of a \ncomprehensive evaluation for any student with SCD. \n \nB. FREE APPROPRIATE PUBLIC EDUCATION \nTo address needs for students with SCD, BPS ensures that\u2014as \npart of special education and related services that may be \nidentified through comprehensive evaluations\u2014any 504 plans \nand/or IEPs specifically address challenges students with SCD \nface related to health and safety needs, academic needs, social-\nemotional needs, resuming school after absences, and \nstagnations and/or declines in academic progress or \nperformance. BPS therefore ensures the utilization of a checklist", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "emotional needs, resuming school after absences, and \nstagnations and/or declines in academic progress or \nperformance. BPS therefore ensures the utilization of a checklist \nof potential accommodations at each Section 504/IEP Team \nmeeting for a student with SCD. The checklist is considered in \naddition to all other appropriate services and supports \ndetermined necessary for an individual student with SCD to \nreceive a free appropriate public education. BPS ensures that \ndocumentation of each item\u2019s consideration by the 504 or IEP \nteam is included in meeting minutes and provided to parents.", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 9 of 12 \n \n \n \n \nBPS ensures that neither Individual Health Plans (IHPs) nor \nIndividual Collaborative Health Plans (ICHPs) are used in lieu of a \n504 Plan, IEP or interim accommodation plan. \nAdditional points requiring particular attention: \n1. Continually Updating Health and Safety Services/Supports \nBPS ensures that the 504 Plans and/or IEPs of children with SCD \nreflect the up-to-date health and safety needs of the child, \nrecognizing that these needs may change during the course of \nthe year. BPS ensures that any new information received \nregarding changed needs for a student with SCD will be \naddressed in light of the student\u2019s 504 Plan or IEP. \n \n2. Tracking Effects of Absences and Sudden Changes in \nNeeds \nBPS ensures that, when a child with SCD has had absences and \nthere has been a lack of expected progress toward annual goals \nin an IEP and/or in the general curriculum, discussions are", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Needs \nBPS ensures that, when a child with SCD has had absences and \nthere has been a lack of expected progress toward annual goals \nin an IEP and/or in the general curriculum, discussions are \npromptly held regarding how the absences are interfering with \nacademic progress and how this interference can be overcome, \nincluding consideration of instruction in the summer. BPS also \nensures that sudden drops in academic performance and sudden \nincreases in social-emotional needs that are experienced by \nstudents with SCD are detected and responded to appropriately. \n \n3. Designation Director of Constituent Services If and When \nServices or Supports Are Not Provided", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 10 of 12 \n \n \n \n \nBPS ensures that students with SCD, their parents, and (with \nproper consent/privacy precautions) their medical team have \naccess to the Boston Public Schools Director of Constituent \nServices to escalate concerns they have about a child with SCD \nnot receiving a free appropriate public education. This process is \nseparate from and does not preclude due process and grievance \nrights available under Section 504 and IDEA. These mechanisms \nare necessary given the severity and swiftness of the health, \nacademic, and social-emotional consequences that can occur for \nchildren with SCD. \n \nC. ENSURING APPROPRIATE CULTURE WITHIN BPS \nREGARDING SCD \nBPS ensures that the culture regarding SCD with BPS includes: \n\u25cf believing students with SCD when they communicate that \nthey: are in pain, are having some other complication, or are \nunable to perform a certain task due to their symptoms", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "\u25cf believing students with SCD when they communicate that \nthey: are in pain, are having some other complication, or are \nunable to perform a certain task due to their symptoms \n\u25cf not blaming or shaming students with SCD or their parents \nfor their challenges \n\u25cf identifying challenges quickly and working collaboratively \nto find appropriate solutions \n\u25cf facilitating awareness that children with SCD are members \nof school communities \n\u25cf facilitating an understanding of what SCD is and its \nimplications for health and safety", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 11 of 12 \n \n \n \n \n\u25cf facilitating an understanding of the services/supports that \nstudents with SCD may need to ensure their health and \nsafety, as well as an understanding of the importance of \nadhering to these accommodations \n\u25cf facilitating an understanding of the special education and \nrelated services a student with SCD may need to ensure \ntheir access to a free appropriate public education \n \n1. Awareness and Trainings \nAs part of ensuring an appropriate culture regarding SCD, BPS \nconducts ongoing outreach and public awareness campaigns \nthat address each aspect of an appropriate culture described \nabove. BPS also conducts ongoing training for all teachers, \nadministrators, nurses, and other relevant staff. Training covers all \nnecessary topics to ensure that all BPS staff coming into contact \nwith students with SCD have the necessary knowledge and \nawareness to properly implement all policies, protocols, and", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "necessary topics to ensure that all BPS staff coming into contact \nwith students with SCD have the necessary knowledge and \nawareness to properly implement all policies, protocols, and \nprocedures regarding SCD and to appropriately support the \nstudent with SCD. School nurses receive additional periodic \ntraining in managing the medical needs of students with SCD. \n \n2. Scope and Frequency of Awareness and Training Activities \nBPS ensures that awareness and training efforts are wide enough \nin scope to reach all appropriate personnel and repeat with \nenough frequency to reach any new or temporary personnel who \nmay enter over the course of a school year.", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-25 \nPage 12 of 12 \n \n \n \n \nD. DATA MONITORING \nBPS conducts sufficient data monitoring to track successes and \nfailures in the implementation of its policies, protocols, and \nprocedures regarding SCD. This monitoring includes \ndocumenting instances where students with SCD, their parents, \nand/or their medical team had to escalate concerns about health \nand safety services/supports being provided or followed and/or a \nfree appropriate public education being properly provided. The \ndata produced is regularly reported through summary statistics \nwithout personally identifiable information to the SCD Advisory \nGroup and publicly via BPS website postings and press releases. \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "content": "Department: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-04 \nVersion 01 \n \n \n \nINFECTION PREVENTION AND CONTROL IN \nSCHOOL SETTINGS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchools can minimize the risk of disease transmission through \nstudent and staff awareness and simple infection control \npractices at the school and classroom level. \nMODES OF TRANSMISSION \nDiseases have different modes of transmission. Diseases can be \nspread through direct contact, indirect contact, droplet, or \nairborne transmission. The following guidelines minimize the \nrisks for all modes of transmission. \nThe single most important step in preventing exposure to and \ntransmission of any infection is anticipating contact with \ninfectious materials in routine as well as emergency situations. \nBased on the type of possible contact, the responder should be \nprepared to use the appropriate precautions and techniques", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "infectious materials in routine as well as emergency situations. \nBased on the type of possible contact, the responder should be \nprepared to use the appropriate precautions and techniques \nprior to providing care. Diligent and proper hand washing, the \nuse of barriers, appropriate disposal of waste products and \nneedles, and proper decontamination measures will enhance \nprotection of students and staff.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 2 of 14 \n \n \n \nUNIVERSAL (STANDARD) PRECAUTIONS \nThe Centers for Disease Control (CDC) have long recommended \n\"universal blood and body-fluid precautions\" to prevent \ntransmission of hepatitis B, human immunodeficiency virus (HIV), \nand other infections, as well as to decrease the risk for exposure \nto responders and students. As it is not possible to identify all \ninfected individuals, these precautions must be used with every \nstudent. Universal precautions pertain to all blood and body \nfluids. For bloodborne infections, these precautions do not apply \nto other body fluids and material, such as saliva, sputum, feces, \ntears, nasal secretions, vomitus, and urine, unless blood is visible \nin the materials. However, these other fluids and body wastes can \nbe sources of other infections and should be handled as if they \nare infectious, utilizing the same precautions. This is the basis of", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "be sources of other infections and should be handled as if they \nare infectious, utilizing the same precautions. This is the basis of \nstandard precautions to be used with all body fluids, blood, and \nother potentially infectious material. \nTRANSMISSION BASED PRECAUTIONS \nThe CDC has recommended \u201ctransmission-based precautions\u201d as \nthe second tier of basic infection control, to be used in addition to \nstandard precautions for individuals who may be infected or \ncolonized with certain infectious agents for which additional \nprecautions are needed to prevent infection transmission. \nContact Precautions \nUse contact precautions for those with known or suspected \ninfections that represent an increased risk for contact \ntransmission. Proper personal protective equipment (PPE)", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 3 of 14 \n \n \n \nincludes the use of gloves and gown for all interactions that may \ninvolve contact with the student or the student\u2019s environment. \nDroplet Precautions \nUse droplet precautions for students known or suspected to be \ninfected with pathogens transmitted by respiratory droplets \ngenerated by coughing, sneezing, or talking. Proper personal \nprotective equipment (PPE) includes the use of masks, both for \nthe patient and school nurse, during all interactions. \nAirborne Precautions \nUse airborne precautions for those individuals known or \nsuspected to be infected with pathogens transmitted by the \nairborne route (e.g., COVID-19, tuberculosis, measles, chickenpox, \ndisseminated herpes zoster). Proper PPE includes a fit-tested, \nNIOSH-approved N95 or higher level of respiratory protection for \nhealthcare personnel and a mask on the patient. \nRESPIRATORY HYGIENE \nIn addition to spread by bodily fluids, infections can be spread by", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "healthcare personnel and a mask on the patient. \nRESPIRATORY HYGIENE \nIn addition to spread by bodily fluids, infections can be spread by \nrespiratory droplets that are generated when people sneeze, \ncough, laugh, or exhale. Respiratory hygiene is a term adopted by \nthe CDC and Massachusetts Department of Public Health \n(MDPH) to describe measures that can be taken to decrease the \nrisk for spreading respiratory illnesses by droplet and airborne \ntransmission. A universal \u201crespiratory hygiene/cough etiquette\u201d \npolicy includes: \n\u2022 Covering the mouth and nose with a tissue when coughing \nor sneezing", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 4 of 14 \n \n \n \n\u2022 Disposing of used tissues in a wastebasket \n\u2022 Practicing hand hygiene (washing) often \n\u2022 Coughing or sneezing into elbow \nHAND WASHING \nProper hand washing is crucial to preventing the spread of \ninfection. Use of running water, lathering with soap, and using \nfriction to clean all surfaces of the hands are key. Rinse well with \nrunning water and dry hands with paper towels. If soap and \nwater are unavailable, hand sanitizer may be used. \n\u2022 Hands should be washed before physical contact with \nstudents and after the contact is completed. \n\u2022 Hands should be washed after contact with any used \nequipment. If hands (or other skin) become soiled with \nblood or body fluids, they should be washed immediately \nbefore touching anything else. \n\u2022 Hands should be washed whether gloves are worn or not \nand after gloves are removed. \n\u2022 Textured jewelry on the hands or wrists (such as rings and", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "before touching anything else. \n\u2022 Hands should be washed whether gloves are worn or not \nand after gloves are removed. \n\u2022 Textured jewelry on the hands or wrists (such as rings and \nstones) should be removed prior to washing and kept off \nuntil completion of the care procedure and hands are \nrewashed.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 5 of 14 \n \n \n \nBARRIER PROTECTION \nBarriers include disposable gloves, protective eyewear, and gown. \nThe use of a barrier is intended to reduce the risk for contact with \nblood and body fluids for the caregiver, as well as to control the \nspread of infectious agents from student to student. It is essential \nthat appropriate barriers be used when contact with potentially \ninfectious material is possible. Gloves should be worn when direct \ncare of the student may involve contact with blood and body \nfluids, as well for contact with urine, feces, and respiratory \nsecretions. Gloves should be disposed of after each use and not \nreused. \nGloves should be worn: \n\u2022 When changing a diaper or catheterizing a student \n\u2022 When changing dressings or sanitary napkins \n\u2022 When providing mouth, nose, or tracheal care \n\u2022 If the caregiver has broken skin on the hands (even around \nthe nails) \n\u2022 When cleaning up spills of blood (e.g., nosebleeds), body", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "\u2022 When providing mouth, nose, or tracheal care \n\u2022 If the caregiver has broken skin on the hands (even around \nthe nails) \n\u2022 When cleaning up spills of blood (e.g., nosebleeds), body \nfluids and wastes, and soiled supplies \nGowns or aprons may be worn to protect the caregiver's clothing \nif spattering of body fluids is possible. The apron or gown should \nbe laundered or disposed of after each care session and should \nnot be reused. \nIn addition, protective eye wear and masks should be worn if \nsplashing of body fluids is likely to occur (such as mouth \nsuctioning or care of a student who is coughing).", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 6 of 14 \n \n \n \nChux or other waterproof barriers should be used to cover any \nwork surface if drainage or splashing with blood or body fluids \nare possible. The barrier should be disposed of after each care \nsession and should not be reused. \nDISPOSAL OF WASTE \nAll used or contaminated supplies (including gloves and other \nbarriers) except for syringes, needles, and other sharp \nimplements should be placed in a plastic bag which is then \nsealed. This bag should be placed in a second plastic bag, which \nis also sealed. The double-bagged waste can then be thrown in \nthe garbage, out of the reach of children or animals. Bodily \nwastes such as urine, vomitus, or feces should be disposed of in \nthe toilet. \nNeedles, syringes, and other sharp objects should be immediately \nplaced in FDA-cleared sharps disposal containers. To reduce the \nrisk of an accidental needle stick or cut, needles should not be", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Needles, syringes, and other sharp objects should be immediately \nplaced in FDA-cleared sharps disposal containers. To reduce the \nrisk of an accidental needle stick or cut, needles should not be \nrecapped, bent, or removed from the syringe before disposal. \nOnce it is full, the container should be sealed and brought to \nHealth Services central administration for disposal in a large \nbiohazard container. Health Services will arrange for pickup by a \nbiohazard waste disposal company for proper disposal at least \nannually. \nCLEANUP PROCEDURES \nSpills of blood and body fluids that are covered under standard \nprecautions should be cleaned up immediately.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 7 of 14 \n \n \n \nThe CDC method of clean-up is as follows: \n\u2022 Wear gloves. \n\u2022 Mop up the spill with paper towels or other absorbent \nmaterial. \n\u2022 Using a solution of one-part household bleach (sodium \nhypochlorite) in ten parts of water; wash the area well. \n\u2022 Dispose of gloves, soiled towels, and other waste in a sealed \ndouble plastic bag in the garbage as outlined above. \nRoutine environmental clean-up procedures for facilities (such as \nthe health room and bathrooms) does not require any \nmodification unless contamination with blood or body fluids \nshould occur. If so, the area should be decontaminated using the \nprocedure outlined above. Regular cleaning of surfaces which are \nnot visibly contaminated with potentially infectious material, \nsuch as toilet seats and tabletops, can be done with the standard \ncleaning and removal of obvious soil. \nLAUNDRY PROCEDURES \nWhenever possible, disposable barriers should be used if", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "such as toilet seats and tabletops, can be done with the standard \ncleaning and removal of obvious soil. \nLAUNDRY PROCEDURES \nWhenever possible, disposable barriers should be used if \ncontamination with body fluids or blood is possible. If sheets, \ntowels, or clothing become soiled, they should be handled as \nlittle as possible. Wash with hot water and detergent for at least \n25 minutes. Cool water washing is also acceptable if an \nappropriate detergent is used for the water temperature.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 8 of 14 \n \n \n \nPREGNANT WOMEN \nPregnant women are at no higher risk for infection than other \ncare-providers as long as appropriate precautions are observed. \nHowever, due to the possibility of in-utero transmission of viral \ninfections such as cytomegalovirus (CMV) or HIV, as well as the \npotential for adverse outcomes with certain infections, pregnant \nwomen should be especially careful to observe standard \nprecautions. \nGENERAL INFECTION CONTROL PROCEDURES \nThe purpose of the procedures outlined herein is to establish \nbasic guidelines to address the role of staff in all incidents \nrequiring concern about infection control. Such incidents may \ninclude, but not be limited to, a bleeding nose, sneezing, \ncoughing, uncontrollable urinating, and sudden bowel \nmovement. \nHead of school/principal shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall:", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "movement. \nHead of school/principal shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n\u2022 Encourage the use of class wide respiratory hygiene, \nespecially during flu season and other respiratory illness \nupticks. \n\u2022 Reassure and calm students involved in hygiene \nemergencies. \n\u2022 Notify the school nurse of any infectious disease concerns.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 9 of 14 \n \n \n \n\u2022 Notify custodians of infection control needs \nSchool nurse shall: \n\u2022 Review infection control procedures annually at the \nbeginning of the school year with classroom staff. \n\u2022 Assist the classroom staff in developing hygiene plans \nappropriate for the classroom as well as individual students. \n\u2022 Notify Health Services of cases and possible clusters. \nSchool custodian shall: \n\u2022 Refer to and follow the steps identified in Superintendent \nCircular FMT-19 for cleaning related to possible infectious \nbodily fluids. \n BITE EMERGENCY PROCEDURES \nThe purpose of the procedures outlined herein is to establish \nbasic guidelines intended to assist students and staff who have \nencountered a human or animal bite that breaks the skin. \nBackground information for human bites: \nBiting is very common among young children but usually does \nnot lead to any serious infectious disease concerns. If the skin is", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Background information for human bites: \nBiting is very common among young children but usually does \nnot lead to any serious infectious disease concerns. If the skin is \npunctured or broken, bacteria may be introduced into the wound \nthat can lead to blood-borne infection which needs to be treated \nby a healthcare professional. Blood-borne infection could be of \nconcern if the biter breaks the skin and blood is drawn into the \nbiter\u2019s mouth or if the biter has bleeding gums or mouth sores. \nHepatitis B, Hepatitis C and HIV are some pathogens of concern \nalthough the risk of transmission of these viruses is very low in", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 10 of 14 \n \n \n \nschool settings. For HIV, there have not been any reported cases \nof transmission in school settings. \nThe \u201cbiter\u201d might be considered at higher risk than the \u201cbitee\u201d \ndue to the exposure to the blood from the wound if the skin is \nbroken. Each human bite represents a unique set of \ncircumstances and requires an individualized response. In most \nbiting episodes there are no communicable disease extenuating \ncircumstances, and the episodes are treated with standard \nprecautions. There is a heightened sense of urgency when one of \nthe children has a communicable disease. The school nurse is \nresponsible for guiding the response, working with the \nheadmaster/principal, and ensuring that confidentiality is \nmaintained. \nBackground information for animal bites: \nAnimal bites are common since children can behave \nunpredictably and animals have normal protective instincts. An \nanimal bite that breaks or punctures the skin will require", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Animal bites are common since children can behave \nunpredictably and animals have normal protective instincts. An \nanimal bite that breaks or punctures the skin will require \nimmediate medical attention due to the risk of bacterial and viral \ninfection. The longer the animal\u2019s mouth germs stay in the \nwound, the greater the risk of potential infection that will require \nantibiotics. \nAnimals can also transmit rabies, a very serious viral infection \nthat infects the nervous system. Although any mammal bite can \ntransmit rabies, the bites of some wild animals (e.g., bats, \nraccoons, skunks, foxes, coyotes) and some stray and \nunvaccinated pet dogs and cats are of greatest concern. Wild \nanimals should not be kept or allowed to visit schools. All", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 11 of 14 \n \n \n \nsuspected animal bites should be promptly reported to public \nhealth authorities by Health Services. \nIn the event of an animal or human bite that breaks the skin: \nPrincipal/head of school shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n\u2022 Reassure and calm the students. \n\u2022 Employ standard precautions in evaluating the bite. \n\u2022 Notify the school nurse immediately. \n\u2022 Have the student wash the area with soap and water \nimmediately. \n\u2022 Report action taken to the headmaster/principal. \nFor human bites, school nurse shall: \n\u2022 Provide first aid to the child who was bitten by washing any \nbroken skin and applying a cold compress to any bruise. \n\u2022 Review known medical information of both the \u201cbiter\u201d and \nthe \u201cbitee.\u201d If there is a known communicable disease issue, \nthe nurse must consult with Health Services administration", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "\u2022 Review known medical information of both the \u201cbiter\u201d and \nthe \u201cbitee.\u201d If there is a known communicable disease issue, \nthe nurse must consult with Health Services administration \nfor more specific guidance. Confidentiality must be \nrespected throughout the consultation. \n\u2022 Contact the student's parent/guardian to report the incident \nand recommend next steps. \n\u2022 Refer both the \u201cbiter\u201d and \u201cbitee\u201d to their primary care \nprovider for further guidance. This may include any or all the \nfollowing: risk counseling; hepatitis and HIV testing;", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 12 of 14 \n \n \n \nprophylaxis. The treatment approach is at the discretion of \nthe primary care provider and the family. \n\u2022 Notify Health Services prior to calling the families if there is a \nknown communicable disease issue with one or both \nstudents. \n\u2022 Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality. \n\u2022 Document the incident in SNAP for students. If a staff \nmember was involved, the staff member must file a Report \nof Injury Form [see Superintendent\u2019s Circular HRS-PP07, \nWorker\u2019s Compensation Procedures] within 7 days. \nFor animal bites, school nurse shall: \n\u2022 Immediately provide first aid to the child who was bitten by \nwashing any broken skin and applying a cold compress to \nany bruise. \n\u2022 Notify Health Services prior to calling parent/guardian. An \nanimal bite that breaks or punctures the skin needs \nimmediate wound care to reduce the risk of infection. All", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "any bruise. \n\u2022 Notify Health Services prior to calling parent/guardian. An \nanimal bite that breaks or punctures the skin needs \nimmediate wound care to reduce the risk of infection. All \nanimal bites should be reported within 24 hours. \n\u2022 Contact the student's parent/guardian to report the incident \nand recommend next steps. \n\u2022 Refer the student to their primary care provider for further \nguidance. The treatment approach is at the discretion of the \nprimary care provider and the family. \n\u2022 Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 13 of 14 \n \n \n \nEMPLOYEE NEEDLESTICK MANAGEMENT \nWhen a needlestick occurs: \n\u2022 Gently bleed the area, wash, and immediately flush with \nsoap and water. \n\u2022 The employee who has had the needle stick should call their \nprimary care provider. \n\u2022 If the risk assessment of the primary care provider and/or \nschool nurse is that the needle stick represents an exposure \nto blood or body fluids, it is advisable that the employee \nseek management at an emergency department that can \nprovide the latest in prophylactic management; the \nemployee\u2019s primary care provider will be able to assist with \nthis. \n\u2022 Health Services should be notified for further guidance. \n\u2022 The employee should complete an incident report and \nWorker\u2019s Compensation form after the situation has been \nstabilized. \nLIST OF TERMS USED ABOVE \nBlood-borne infection: infectious germs present in blood that can \ncause disease in humans.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Worker\u2019s Compensation form after the situation has been \nstabilized. \nLIST OF TERMS USED ABOVE \nBlood-borne infection: infectious germs present in blood that can \ncause disease in humans. \nCommunicable disease: an illness caused by an infectious agent \nor its toxins that occurs through the direct or indirect \ntransmission of the infectious agent or its products from an \ninfected individual or via an animal to a susceptible animal or \nhuman host.", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "content": "Superintendent\u2019s Circular SHS-04 \nPage 14 of 14 \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember 2024 All staff should have universal precaution \nreview by school nurse \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nFax: 617-635-7937 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-20 \nVersion 01 \n \nASTHMA IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that a clear, concise policy \non asthma management in school can impact academic \nachievement. All schools must have protocols and procedures for \nchildren with asthma and evaluate the implementation of these \nplans regularly. This document outlines the comprehensive and \ncollaborative nature of managing a child\u2019s asthma within a school \nsetting. \nBACKGROUND ON ASTHMA \nBecause asthma is one of the most common chronic childhood \nillnesses and a major cause of student absences, it is important \nfor schools to adopt a comprehensive, coordinated approach to \naddressing asthma. \nWhile asthma affects people of all ages, races, genders, and \nsegments of society, the burden is not equally shared across", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "addressing asthma. \nWhile asthma affects people of all ages, races, genders, and \nsegments of society, the burden is not equally shared across \nracial and ethnic groups. It is most often a disease of the young \nand of the poor. In 2020, 25.3 million Americans reported a \ndiagnosis of asthma. Of those, 21 million were adults, and 4.2 \nmillion were children.1 Nearly half of children (52.7%) and adults \nwith asthma living below the poverty level reported an asthma", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 2 of 9 \n \nattack in the past year2, which is an indication of poor asthma \ncontrol. Children and people living below the poverty level are \namong the groups most likely to have asthma, and to suffer from \nsevere asthma attacks, hospitalization, and even death. Asthma \nmorbidity and mortality are disproportionately burdensome for \nAfrican Americans and Hispanics, who are least likely to have \naccess to health education and adequate healthcare. \nA comprehensive plan includes management and support \nsystems, appropriate health and mental health services, \neducational programs for staff and students, appropriate and \nreasonable environmental remediation, and communication \nsystems with home and child clinicians. \nThese components need to be integrated with community efforts \nthat include the medical and mental health fields, housing and \ncommunity air quality improvements, and active engagement of \nfamilies.", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "These components need to be integrated with community efforts \nthat include the medical and mental health fields, housing and \ncommunity air quality improvements, and active engagement of \nfamilies. \nThis document links with the Medication Administration Policy \nand Management of Life-Threatening Allergic Reaction policies. \nPROTOCOL FOR IMPLEMENTATION \nRole of the Parent \n\u2022 At the time of registration, the parent/guardian should \ninform the Welcome Center staff of any health concerns of \ntheir child, including asthma. The Health Services \nDepartment remains available to support any student or \nparent/guardian wishing to discuss this information \nprivately. \n\u2022 Complete emergency forms indicating that their child has", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 3 of 9 \n \nasthma and include emergency numbers. \n\u2022 Provide the school nurse with a current Asthma Action Plan \nand emergency management plan from the student\u2019s \nphysician and/or pulmonologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child\u2019s plan. \n\u2022 Review with your child\u2019s primary care provider/specialist and \nsign all asthma forms presented by the school nurse. These \nmay include a combination of the following: \no Permission for a school nurse to communicate with the \nfamily and the primary care provider/specialist \no Authorization to dispense medication \no Consent for child\u2019s self-administration of asthma \nmedicine (when developmentally appropriate) \no The Parent/Guardian Asthma Questionnaire \no The Asthma Action Plan \n\u2022 Provide the school with a pharmacy-labeled supply of \nmedications (oral and inhalers), including nebulizer \nmedications, masks, and tubing. Most health rooms have", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "o The Asthma Action Plan \n\u2022 Provide the school with a pharmacy-labeled supply of \nmedications (oral and inhalers), including nebulizer \nmedications, masks, and tubing. Most health rooms have \nnebulizers but are not equipped with extra masks and \ntubing. \n\u2022 Participate in the Asthma Action Plan for their child with the \nchild\u2019s health practitioner and deliver the completed asthma \naction plan to the school nurse. \n\u2022 Provide a cell phone number or other emergency number/s \n\u2022 Assure that the pre-school and after-school staff has the \nappropriate information and training.", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 4 of 9 \n \nRole of the School Administrator \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the asthma management program, including \nself-management. \n\u2022 Support the development of a schoolwide policy, with input \nfrom the School Site Council, for management of the school \nenvironment, which includes, but is not limited to: \no Maintaining an active Integrated Pest Management \nProgram \no Review of and action on annual school inspections \no Use of green cleaners \no Enforcement of the tobacco-free policy \n\u2022 Ensure there is a contingency plan for a substitute nurse, \nteacher, or food service personnel who is not familiar with \nthe child. \n\u2022 Ensure that the classroom staff is informed about asthma \nprevention, management, and emergency response. \n\u2022 Support program development, especially in schools with \nhigher than the state average of students diagnosed with \nasthma or with large numbers of absenteeism related to \nasthma.", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "\u2022 Support program development, especially in schools with \nhigher than the state average of students diagnosed with \nasthma or with large numbers of absenteeism related to \nasthma. \n\u2022 Review environmental inspections and ensure that all work \norders occur in a timely fashion. \n\u2022 Support the student support team, the school nurse, and \nthe classroom teacher in identifying children with increased \nabsenteeism in relation to asthma. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 5 of 9 \n \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g., staff training, \npreparation of medications) \nRole of the Student (where it is developmentally appropriate) \n\u2022 Sign off on self-administration plan guidelines. \n\u2022 Participate in self-management program(s) such as Open \nAirways or Kickn\u2019 Asthma to help better identify triggers \nthat may cause asthma symptoms and response. \n\u2022 Complete the \u201cStudent Breathing/Asthma Questionnaire.\u201d \nRole of the School Nurse \n\u2022 Obtain and review the student\u2019s current Asthma Action Plan \n(AAP) and other pertinent information from the student\u2019s \nparents/guardians and health care providers, including \nmedication administration permission form. \n\u2022 Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n\u2022 Administer medication per provider order, monitor asthma \ncontrol, coordinate care, and maintain records.", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "communication and physician authorization for medication. \n\u2022 Administer medication per provider order, monitor asthma \ncontrol, coordinate care, and maintain records. \n\u2022 Provide safe storage and easy access to prescribed \nmedication when needed. \n\u2022 Promote and encourage independence and self-care \nconsistent with the student\u2019s ability, skill, maturity, and \ndevelopment as indicated in the AAP. After reviewing the \nAAP with the parents/guardians and student, implement, \nreview, and update the plan throughout the school year as \nneeded.", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 6 of 9 \n \n\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, and athletic field that provides \nroutine and emergency care. \n\u2022 Complete with the student (where developmentally \nappropriate) the Student Breathing/Asthma questionnaire. \n\u2022 Ensure that all other staff members (including coaches) who \nhave contact with children with asthma are familiar with \ntheir Asthma Action Plan on a need-to-know basis. Teachers \nshould be contacted individually rather than with lists \nposted. \n\u2022 Provide a list of students with life-threatening allergies as a \ncomponent to their asthma (if consent is given by parent) to \nall staff on a need-to-know basis; lists must be maintained in \na confidential manner to protect students\u2019 privacy. \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding asthma symptoms, risk reduction \nprocedures, and emergency procedures. This information", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "\u2022 Conduct in-service training and education for appropriate \nstaff regarding asthma symptoms, risk reduction \nprocedures, and emergency procedures. This information \nshould be reviewed annually, preferably at the beginning of \nthe school year. \n\u2022 Ensure that there is a contingency plan in place in all school-\nrelated venues where substitutes are utilized. \n\u2022 Communicate with parents regularly to discuss issues \nrelating to the plan. \nRole of the Teacher \n\u2022 Maintain a discrete list of all students in the classroom with \nasthma; lists must be maintained in a confidential manner \nto protect students\u2019 privacy.", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 7 of 9 \n \n\u2022 Participate in asthma awareness professional development \nopportunities, as needed. \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's asthma needs on a \nneed-to-know basis, while maintaining student \nconfidentiality. \n\u2022 Provide the school nurse with an adequate warning (4-6 \nweeks for field trips) about school-sponsored off-site \nactivities. \n\u2022 Notify the school nurse of any concerns. \nRole of Off-site Staff \n\u2022 Maintain a list of all students with severe persistent asthma; \nlists must be maintained in a confidential manner to protect \nstudents\u2019 privacy. \n\u2022 Coaches will be informed of any students on their teams \nwho have asthma (through review in ASPEN/Sports \nClearance form) and trained in asthma awareness and \nmaximizing athletic performance. \n\u2022 Allow responsible students to self-medicate during practices \nand sports events; students must have a self-medication", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "maximizing athletic performance. \n\u2022 Allow responsible students to self-medicate during practices \nand sports events; students must have a self-medication \nplan on file with the school nurse. \n Role of the Coordinator of Special Education (COSE): \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate; the parent/guardian, school \nnurse, and other school staff must be involved in the plan", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 8 of 9 \n \ndevelopment and implementation. \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs (team shall include \nschool nurse). If special transportation is necessary, it can be \nadded to the IEP. \n \nREFERENCES \nManaging Asthma: A Guide for Schools \nAsthma Self-Management Skills, American Lung Association \nCDC Strategies for Managing Asthma in Schools \n1CDC Most Recent National Asthma Data \n2American Lung Association Controlling Childhood Asthma \nand Reducing Emergencies Initiative", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-20 Asthma in Schools.pdf", + "content": "Superintendent\u2019s Circular SHS-20 \nPage 9 of 9 \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-01 \nVersion 01 \n \nDRUG AND ALCOHOL MISUSE AND HARM REDUCTION \u2013 \nUPDATE ON PROCEDURES \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nEDUCATION OF STUDENTS IN THE PREVENTION OF ALCOHOL, \nMARIJUANA, TOBACCO AND OTHER DRUG DEPENDENCY \n \nWhile substance misuse prevention and harm reduction should \nbe a part of a comprehensive health education program, certain \ncurricula should be used to complement and supplement health \neducation curriculum materials for grades K-12. Substance \nmisuse prevention and harm reduction may also be integrated \ninto reading/language arts, social studies, and science classes. \nThe National Health Education Standards and performance \nexpectations provide the functional health knowledge, beliefs, \nand skills necessary for students to adopt and maintain healthy \nbehaviors, reduce risk behaviors associated with substance", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "expectations provide the functional health knowledge, beliefs, \nand skills necessary for students to adopt and maintain healthy \nbehaviors, reduce risk behaviors associated with substance \nmisuse, achieve health literacy, and enhance health outcomes. \n \nThe Boston Public Schools scope and sequence for Health \nEducation recommends the following substance prevention \ncurriculum, including:", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 2 of 9 \n \n\u2022 CATCH Curriculum Grades K-6: Tobacco, Alcohol and Other \nDrug Prevention (contact the Office of Health and Wellness \nfor access); \n\u2022 Essential Health Skills for Middle Schools & High Schools, G-\nW Publisher: Tobacco, Alcohol and Other Drug Prevention \n(contact the Office of Health and Wellness for access); \n\u2022 Stanford University K-12, Tobacco Prevention Toolkit, which \nincludes e-cigarette use of any type, including nicotine, \ncannabis/THC, and/or non-nicotine products; \n\u2022 Stanford University Grades 6-12, Cannabis Awareness and \nPrevention Toolkit. \n \nEARLY IDENTIFICATION AND INTERVENTION \nEven though a student may not possess or use substances at \nschool, they may still have serious problems involving alcohol or \ndrugs that demand the attention and assistance of school \npersonnel. School nurses, school counselors and social \nworkersphave been trainedin identification and the medical", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "drugs that demand the attention and assistance of school \npersonnel. School nurses, school counselors and social \nworkersphave been trainedin identification and the medical \neffects of substance use or addiction. The District will continue to \nprovide in-service programs and workshops, to craise staff \nawareness, understand the protocols and procedures in place \nwhen dealing with a student who is suspected of using or has \nbeen identified as needing support regarding substance abuse. \nSchool staff should be alert to those symptoms in students which \nmay indicate problems with substance abuse and follow the \nprotocols outlined in this circular. \nThese symptoms may include one or more of the following: \nabrupt change in mood or attitude; sudden decline in attendance", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 3 of 9 \n \nor performance in school; sudden resistance to discipline; \nimpaired relationships with family or friends; drowsiness or \ninattention to discussion or surroundings; weight loss; inattention \nto dress; unusual flare-ups of temper; stealing; heightened \nsecrecy about actions or possessions; and association with new \nfriends, especially with individuals known to be substance users. \n \nSCREENING \nScreening, Brief Intervention, and Referral to Treatment (SBIRT) \nfocuses on prevention, early detection, risk assessment, brief \ncounseling and referral for assessment that can be utilized in the \nschool setting. This tool is frequently used by the school nurse to \nassess the acuity of the problem and to develop next steps. Use \nof a validated screening tool will enable BPS school teams to \ndetect risk for substance use related problems and brief \nintervention strategies will help to address these concerns at an \nearly stage in adolescents.", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "detect risk for substance use related problems and brief \nintervention strategies will help to address these concerns at an \nearly stage in adolescents. \nIn March 2016, the Massachusetts Legislature enacted an Act \nrelative to Substance Use, Treatment, Education and Prevention \n(STEP Act), which outlines the requirements for public schools in \nthe Commonwealth to engage in substance use screening and \neducation. Legislation can be found at \nhttps://malegislature.gov/Laws/SessionLaws/Acts/2016/Chapter52 \n(see Sections 15, 63, 64, 66). \nBPS has implemented the use of the approved and validated \nCRAFFT-II screening tool that is approved by the Massachusetts \nDepartment of Public Health (DPH) and Department of \nElementary and Secondary Education (DESE). Per legislation, \nSBIRT screening will be provided annually to students in grades 7", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 4 of 9 \n \nand 9. Parents/guardians must be notified about the screening \nprior to the start of the year and must be given the option to opt \nout in writing. Please Refer to SBIRT in Schools. Staff conducting \nthe SBIRT screening must complete a mandatory training \nthrough the MA Department of Public Health/BU Shield. \nSBIRT in Schools Resource Toolkit \n \nCOUNSELING/REFERRAL \nWhen it is suspected that a student is either using or abusing \nmarijuana, alcohol or other drugs, or there are strong indications \nthat such is the case, the student should be referred to the school \nnurse for a wellness check, the school social worker and the \nparent/guardian/caregiver shall be notified. The student may be \nreferred to the Student Support Team(SST) and/or the school \nadministrator for a referral to the voluntary Substance Use \nProgram (SUP) at Succeed Boston. The Substance Use Program \n(SUP) is a voluntary program for students whose use of drugs or", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "administrator for a referral to the voluntary Substance Use \nProgram (SUP) at Succeed Boston. The Substance Use Program \n(SUP) is a voluntary program for students whose use of drugs or \nalcohol is of concern. The program provides education and \ncounseling about the effects of drugs, alcohol, and vaping and \nprovides students with alternative ways to deal with stress. \nReferral for outside services will be provided as needed. The \nstudent may participate in the voluntary intensive program for \nup to five days and upon discharge will be referred to appropriate \noutside services. Students may be referred to the Student \nSupport Team (SST) by teachers or by any other school staff \nmember. Students may self-refer because of a problem with \nsubstance abuse. The team should be prepared to assist the \nstudent by providing them with a source of early intervention in", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 5 of 9 \n \nthe form of individual or group counseling by a provider agency \nwhich serves the school or is available in the community. \n \nRE-ENTRY \nFollow-up is a crucial phase of a student's recovery after \nreturning from treatment for substance abuse. An after-care \nprogram should be devised by school staff in collaboration with \nthe facility which has provided treatment services. The plan \nshould include a review of the student's school program with \nparents, guidance counselor, and case manager; placements in \nan appropriate class schedule; and follow-up meetings. \n \nREPORTING OF INCIDENTS RELATED TO DRUG/ALCOHOL USE \n1. All School Department personnel are under obligation to \nreport to the principal, head of school, or other designated \nadministrator any and all incidents or suspected incidents \ninvolving the use, possession, or distribution of any drug, \nalcoholic beverage, while they are under the authority of the", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "administrator any and all incidents or suspected incidents \ninvolving the use, possession, or distribution of any drug, \nalcoholic beverage, while they are under the authority of the \nBoston School Department. \n \n2. All School Department personnel are to understand that in \nthe event they are subpoenaed to testify in a court of law or \nother proceeding, they are obligated to reveal any \ninformation pertaining to drug, alcohol, and weapons \nincidents, even if such information was given to them in \nconfidence.", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 6 of 9 \n \n3. All School personnel are to understand that they are \nprohibited from \"making deals\" with students whereby they \nagree not to notify law enforcement agencies of known or \nsuspected illegal activities involving drug, alcohol, \n \n4. Each and every incident or suspected incident is to be \nreported immediately to the appropriate principal, head of \nschool or designated administrator, in accordance with \nSchool Department policy and procedure. \n \n5. Students are considered to be under the authority of the \nBoston School Department when they are on School \nDepartment property, on School Department buses, at or \nnear school bus stops, while on their way to or from school, \nor participating in school sponsored activities conducted off \nschool grounds. \n \n6. Any student who is suspected of or who has admitted to \nbeing under the influence of drugs or alcohol must be \nimmediately escorted to the office of the principal, head of", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "school grounds. \n \n6. Any student who is suspected of or who has admitted to \nbeing under the influence of drugs or alcohol must be \nimmediately escorted to the office of the principal, head of \nschool, or designated administrator. \n \n7. Students involved in incidents described in items 1, 5, and 6 \nshall be considered in Massachusetts General Laws, Chapter \n94C (Controlled Substances Act), Chapter 138 (Alcoholic \nLiquors), Chapter 119 (Protection and Care of Children and \nProceedings against Them), and Chapter 169-10 (Dangerous \nWeapons, Unlawfully Carrying).", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 7 of 9 \n \n8. Use of drugs and/or alcohol is prohibited.Students deemed \nto be in violation of school rules after an investigation by the \nprincipal, head of school or designated administrator will be \nappropriately disciplined, but law enforcement and EMS \nassistance may be requested in cases where it is apparent \nthat the student is engaging in disorderly or dangerous \nbehavior. \n \n9. In some cases, if a student is found to be in possession of \ndrugs, alcohol or weapons or to be under the influence of \ndrugs or alcohol is to be considered in violation of \nMassachusetts General Law. In such cases the principal, \nhead of school, or designated administrator is obligated to \nsummon the Boston Police Department, which will assume \nresponsibility for criminal prosecution in the event that such \nprosecution is warranted. \n \n10. In all such cases where students are found or suspected to \nbe involved in any incident involving substance abuse, a", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "prosecution is warranted. \n \n10. In all such cases where students are found or suspected to \nbe involved in any incident involving substance abuse, a \nsafety specialist will take custody of any and all evidence \nincluding drugs and alcohol. \n \n11. The Department of Safety Services will coordinate record-\nkeeping functions.", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 8 of 9 \n \nDISCIPLINARY PROCEDURES RELATING TO DRUG/ALCOHOL \nABUSE \n \n1. Sections 7.7 .1 of the Code of Conduct requires that sale, \ndistribution, or possession with intent to sell or distribute of \nany prescribed or non-prescribed controlled substances in \nschool, on school grounds, or while under school jurisdiction \nmay result in expulsion. \n \n2. Section 7.4.2 of the Code of Conduct allows for suspension, \nlong term suspension, alternative program placement, or \nexpulsion if a student is found in possession of any non-\nprescribed controlled substance, narcotic drug, \nhallucinogenic drug, amphetamine, barbiturate, marijuana, \nalcoholic beverage, or intoxicant of any kind. \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Department: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "content": "Superintendent\u2019s Circular SHS-01 \nPage 9 of 9", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-08 \nVersion 01 \n \nMEDICATION ADMINISTRATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY FOR ADMINISTRATION OF MEDICATIONS \nThe school nurse is the supervisor of the medication \nadministration program in the school. The school nurse is the \nonly staff authorized to administer medication except in two \nsituations: (1) during field trips and (2) in the event of a life-\nthreatening allergic reaction requiring administration of \nEpinephrine via an autoinjector. The school nurse is responsible \nfor training designated staff in the administration of medication \nin these two situations. This policy is in accordance with \nMassachusetts state regulations for administration of medication \nin public schools (105 CMR 210.000). The protocol has been \napproved by the Massachusetts Department of Public Health. For \nmore detailed information, please refer to the 105 CMR 210:", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "in public schools (105 CMR 210.000). The protocol has been \napproved by the Massachusetts Department of Public Health. For \nmore detailed information, please refer to the 105 CMR 210: \nDEPARTMENT OF PUBLIC HEALTH \nPROTOCOL FOR ADMINISTRATION OF MEDICATION \nThis section is a summary of the medication protocol. The full \nprotocol is in the Nurses\u2019 Protocol and Procedure Manual and \ncontains the referenced forms.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 2 of 14 \n \nGeneral: \n\u25cf The school nurse shall be the supervisor of the medication \nadministration program in the school. \n\u25cf All school nurses will have read the complete Medication \nPolicy and 105 CMR 210.000- THE ADMINISTRATION OF \nPRESCRIPTION MEDICATIONS IN PUBLIC AND PRIVATE \nSCHOOLS annually. \n\u25cf The school nurse, in collaboration with the parent or guardian, \nshall establish a medication administration plan for each \nstudent receiving medication, in accordance with the details of \nthe full medication policy. \n\u25cf In accordance with standard nursing practice, the school nurse \nmay refuse to administer, or allow to be administered, any \nmedication which, based on their individual assessment and \nprofessional judgment, has the potential to be harmful, \ndangerous, or inappropriate. In these cases, the \nparent/guardian and licensed prescriber shall be notified \nimmediately by the school nurse and the reason for refusal", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "dangerous, or inappropriate. In these cases, the \nparent/guardian and licensed prescriber shall be notified \nimmediately by the school nurse and the reason for refusal \nexplained. The school nurse will document the above in the \nelectronic medical record (EMR). \n\u25cf Health Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. \nWhen inconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. When \ninadequacies continue (despite appropriate counseling and \nsupport), the issue and the measures taken will be \ndocumented in the nurse\u2019s performance evaluation. Auditing", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 3 of 14 \n \nwill occur as part of routine site visit or as incidents deem \nnecessary. \nHandling, Storage, and Disposal of Medications \n\u25cf All prescription medications shall lie stored in their original \npharmacy or manufacturer labeled containers and, in such \nmanner, as to render them safe and effective. \n\u25cf All prescription medications to be administered by school \npersonnel shall be kept in a securely locked cabinet used \nexclusively for medications, which is kept locked except when \nopened to obtain medications. The medication cabinet is to be \naccessed solely by the school nurse. The cabinet shall be \nsubstantially constructed and anchored securely to a solid \nsurface. Prescription medications requiring refrigeration shall \nbe stored in either a locked box in a refrigerator or in a locked \nrefrigerator maintained at temperatures of 38F to 42F. \n\u25cf Access to stored prescription medications shall be limited to", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "be stored in either a locked box in a refrigerator or in a locked \nrefrigerator maintained at temperatures of 38F to 42F. \n\u25cf Access to stored prescription medications shall be limited to \npersons authorized to administer prescription medications and \nto self-medicating students, to the extent permitted by school \npolicy developed pursuant to 105 CMR 210.006(B)(8). Access to \nkeys and knowledge of the location of keys shall be restricted \nto the maximum extent possible. Students who are self-\nmedicating shall not have access to other students\u2019 \nmedications. \n\u25cf Parents or guardians may retrieve the prescription \nmedications from the school at any time. \n\u25cf No more than a 30 school-day supply of the prescription \nmedication for a student shall be stored at the school.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 4 of 14 \n \n\u25cf Where possible, all unused, discontinued, or outdated \nprescription medications shall be returned to the parent or \nguardian and the return appropriately documented. In \nextenuating circumstances, with parental consent, when \npossible, such prescription medications may be destroyed by \nthe school nurse in accordance with any applicable policies of \nthe Massachusetts Department of Public Health, Division of \nFood and Drugs. \n\u25cf The school nurse is responsible for maintaining the \nconfidentiality of a students\u2019 health record, including \nmedications. Do not discuss or share information about \nstudents or medications with other school staff or people \noutside school unless directed to do so by the school nurse. \nRefer all questions or comments about students or \nmedications to the school nurse. \nMedication Orders/Parental Consent \n\u25cf The school nurse shall ensure that there is a proper medication", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Refer all questions or comments about students or \nmedications to the school nurse. \nMedication Orders/Parental Consent \n\u25cf The school nurse shall ensure that there is a proper medication \norder from a licensed prescriber which is renewed annually \nand when changes are made to the orders. The \nparent/guardian must sign a consent for the administration of \nthe medication every time a change is made. \n\u25cf A new order must be obtained at the beginning of the \nacademic year for all daily medications/treatments and any \nPRN medications. \n\u25cf All students with medication orders should have a medication \nadministration plan and an IHP. \n\u25cf Medication orders will be transcribed into the Electronic \nMedical Record (EMR) using the date the order was written by", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 5 of 14 \n \nthe prescriber until the end of the school year. (The official end \nof the school year is the last day of the Extended School Year \n(ESY) program. \n\u25cf A telephone order or an order for any change in medication \nshall be received only by the school nurse. Any such verbal \norder must be followed by a written order within three school \ndays. \n\u25cf The prescriber Medication Order form should be used. It is \nrecommended that the Boston Public Schools Medication \nOrder Form be completed by the prescriber, as the form \ncontains the necessary information about the medication. \nOrders may be accepted from a prescriber that has not used \nthe BPS Medication Order form as long as all necessary \ninformation is on the letter or form. The parent/guardian must \nconsent to the administration of medication in school. \nReporting and Documentation of Medication Errors \n\u25cf A medication error includes any failure to administer", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "consent to the administration of medication in school. \nReporting and Documentation of Medication Errors \n\u25cf A medication error includes any failure to administer \nmedication as prescribed for a particular student, including \nfailure to administer the medication: \n\u25cf within appropriate time frames (the appropriate time frame \nshould be addressed in the medication administration plan) \n\u25cf in the correct dosage \n\u25cf in accordance with accepted practice \n\u25cf to the correct student \nIn the event of a medication error, the school nurse shall notify \nthe parent or guardian immediately. (The school nurse shall \ndocument the effort to reach the parent or guardian.) If there is a", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 6 of 14 \n \nquestion of potential harm to the student, the nurse shall also \nnotify the student's licensed prescriber or school physician. \nMedication errors shall be reported to the Health Services \nnursing leadership and documented by the school nurse utilizing \nthe medication error report form. These reports shall be retained \nby Health Services leadership and within the student electronic \nhealth record where applicable. They shall be made available to \nthe Department of Public Health upon request. \nAll medication errors resulting in serious illness/injury requiring \nmedical care shall be immediately reported to the Health \nServices leadership who will make the decision, as necessary, to \nfurther report to the Department of Public Health, Drug Control \nProgram utilizing the Drug Incident Report. \nAll suspected diversion or tampering of drugs shall be reported to \nthe Health Services nursing leadership and to the Department of", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Program utilizing the Drug Incident Report. \nAll suspected diversion or tampering of drugs shall be reported to \nthe Health Services nursing leadership and to the Department of \nPublic Health, Division of Food and Drugs. \nThe school nurse shall review reports of medication errors and \ntake necessary steps to ensure appropriate medication \nadministration in the future. \nOver The Counter (OTC) Medications, i.e., Non-Prescription \nMedications \n\u25cf The school nurse shall follow the Board of Registration in \nNursing protocols listed in their Advisory Ruling (AR) \nMedication Administration of Over-the-Counter Drugs (AR 92-\n05) regarding required provider orders and safety steps in the \nadministration of OTC medications in schools. (Board of \nRegistration in Nursing Advisory Ruling 92-05", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 7 of 14 \n \n\u25cf The school physician is responsible for the OTC Standing \nOrders policy, in consultation with the Office of Health Services \nnursing leadership and feedback from the school nurse body \nand will sign off on a standing order for administration of OTC \nmedications (Appendix). \n\u25cf OTC medications may only be administered once during any \nschool day (except as noted). If requested more than two times \nin any given week, or a pattern of regular usage develops, the \nschool nurse will contact the parent/guardian for provider \nguidance per Standing Order protocol. \n\u25cf OTC medication may NOT be administered without parental \npermission. \n\u25cf A one-time dose of an OTC medication may be administered \nwith verbal parental/guardian consent in the event that a \npaper consent form has not been signed, the parent/guardian \nmust return a signed consent form within two school days \nfollowing the administration for future administration.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "paper consent form has not been signed, the parent/guardian \nmust return a signed consent form within two school days \nfollowing the administration for future administration. \nHerbal Preparations \n\u25cf Herbal preparations/medications are to be considered over-\nthe-counter medications and are subject to the same \nregulations and require parental permission. \n\u25cf Herbal preparations/medications must be listed in the U.S. \nPharmacopeia (USP.org) in order to be given in school. \n\u25cf The OTC standing orders do not cover herbal \npreparations/medications and require a prescription from an \nappropriate and duly licensed prescriber.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 8 of 14 \n \nSpecial Medication Situations \n\u25cf For short-term medications, i.e., those requiring administration \nfor ten school days or fewer, the pharmacy-labeled container \nmay be used in lieu of a licensed prescriber\u2019s order. \n\u25cf Investigational new drugs may be administered in the schools \nwith (a) a written order by a licensed prescriber, (b) written \nconsent of the parent or guardian, and (c) a pharmacy-labeled \ncontainer for dispensing. If there is a question, the school \nnurse may seek consultation and/or approval from the school \nphysician to administer the medication in the school setting. \nControlled Substances \n\u25cf Students may require medications that fall under the category \nof \u201ccontrolled substances.\u201d \n\u25cf The detailed protocol for administration of controlled \nsubstances is in the BPS Nurses Protocol and Procedure \nManual. \nMedications During Transport \n\u25cf Asthma exacerbations may occur while in transport. A self-", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "substances is in the BPS Nurses Protocol and Procedure \nManual. \nMedications During Transport \n\u25cf Asthma exacerbations may occur while in transport. A self-\nmedication plan would address this issue and allow for the \nchild to carry and self-administer the medication without the \nsupervision of the school nurse. The student should be advised \nto report to the school nurse if they require treatment en route \nto or from school. \n\u25cf Emergency medications, other than Epinephrine, cannot be \nadministered by the bus driver/transportation monitor. The \ndriver is expected to pull over and call 911 EMS if there is an", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 9 of 14 \n \nemergent need and there are no licensed personnel \naccompanying the child. \nAnaphylaxis \n\u25cf Nurses, in conjunction with building administrators, MUST \nhave a plan in place to ensure the safety of those children with \nlife threatening allergies requiring the administration of \nEpinephrine. \n\u25cf In the event of a life-threatening, previously undiagnosed \nanaphylactic reaction, the school nurse may administer \nepinephrine in the protocol dosages. \n\u25cf The school physician is responsible for reviewing and renewing \nthe anaphylaxis protocol on an annual basis. \n\u25cf Refer to Superintendent Circular SHS-11 \u201cLife Threatening \nAllergies (LTA or Anaphylaxis)\u201d for specifics. \nAsthma \n\u25cf If a child with known asthma has a severe exacerbation while \nat school and there is no order for medications administered \nvia nebulizer from the child\u2019s primary care provider, the nurse \nmay administer a nebulizer or Metered Dose Inhaler (MDI)", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "at school and there is no order for medications administered \nvia nebulizer from the child\u2019s primary care provider, the nurse \nmay administer a nebulizer or Metered Dose Inhaler (MDI) \ntreatment, under the school physician\u2019s order and according to \nthe asthma protocol (BPS protocol and procedure manual). \n\u25cf The emergent use of nebulizer should occur within the context \nof the child\u2019s primary or specialty care management. After the \nfirst episode of medication administered via nebulizer or MDI \nutilizing standing orders, every effort should be made to \nsecure a treatment plan which includes use of PRN nebulizer \nwith feedback to the family and/or the primary care provider.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 10 of 14 \n \n\u25cf If there are no subsequent medication treatment orders from \nthe patient\u2019s primary care provider, the parent will be notified \nand 911 will be accessed in the event of an asthma \nexacerbation. \nDelegation/Supervision for Field Trips and Life-Threatening \nAllergic Reactions \n\u25cf The school nurse shall have final decision-making authority \nwith respect to delegating administration of medications to \nunlicensed personnel in the school system. Boston Public \nSchools is registered with the Department of Public Health \nand has chosen to limit delegation to field trips only. \n\u25cf When medication administration is delegated by the school \nnurse to unlicensed school personnel, such personnel shall be \nunder the supervision of the school nurse for the purposes of \nmedication administration. \n\u25cf After consultation with the principal or administrator \nresponsible for a given school, the school nurse shall be", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "medication administration. \n\u25cf After consultation with the principal or administrator \nresponsible for a given school, the school nurse shall be \nresponsible to select, train, and supervise the school personnel \napproved by the school nurse to administer medications on \nfield trips. When necessary to protect student health and \nsafety, the school nurse may rescind such selection. \n\u25cf A school nurse shall be on duty in the school system while \nmedications are being administered by designated unlicensed \nschool personnel, and available by telephone should \nconsultation be required. \n\u25cf The administration of parenteral medications may not be \ndelegated.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 11 of 14 \n \n\u25cf Medications to be administered pursuant to PRN (\u201cas needed\u201d) \norders may be delegated to be administered by authorized \nschool personnel while on a field trip after an assessment by or \nconsultation with the school nurse for each dose. \nNote: any medications that require a nursing assessment \nmay not be delegated with the exception of asthma \nmedications. \n\u25cf For each school, an updated list of unlicensed school \npersonnel who have been trained in the administration of \nEpinephrine shall be maintained by the school nurse. Upon \nrequest, a parent shall be provided with a list of school \npersonnel trained to administer medications on field trips and \nin life threatening cases. Note: It is the expectation that all \nschool staff are trained by the school nurse in Epinephrine via \nan autoinjector administration twice a year and complete a \nreturn-demonstration to the nurse. \n\u25cf Designated, trained medication delegation school personnel", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "an autoinjector administration twice a year and complete a \nreturn-demonstration to the nurse. \n\u25cf Designated, trained medication delegation school personnel \nshall be listed on the specific student\u2019s medication \nadministration plan. \n\u25cf Principals/head of school or the district department \nsponsoring the trips have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparts internal \nprotocols for field trip requests and approvals at the school \nlevel. \n\u25cf Before approval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 12 of 14 \n \nbefore the field trip is secured. For additional questions, please \nconsult the Health Services Department. Additionally, to \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure (much longer for international \nand overnight field trip programs), consult with, and when \nnecessary, receive training from the school nurse regarding \nany students who have medical needs. \n\u25cf Refer to Superintendent\u2019s Circular CAO-22 General Guidelines \nand Procedures for All Field Trips for additional information. \nSelf-Administration of Medications \nConsistent with school policy, students may self-administer \nprescription medication provided that certain conditions are met. \nFor the purposes of 105 CMR 210.000, \u201cself-administration\u201d shall \nmean that the student is able to consume or apply prescription \nmedication in the manner directed by the licensed prescriber, \nwithout additional assistance or direction.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "mean that the student is able to consume or apply prescription \nmedication in the manner directed by the licensed prescriber, \nwithout additional assistance or direction. \nFor a child to self-administer, the following must be in place: \n\u25cf Parent/guardian approval. \n\u25cf An assessment by the school nurse that the student is capable \nof self-medication administration. \n\u25cf The school nurse develops an individualized medication \nadministration plan (105 CMR 210.005(E) for that student which \nis agreed to by the parent/guardian and contains: \n\u25cb Documentation by a designated school personnel or by \nthe student, when the student is assessed as capable by \nthe school nurse, that medication was self-administered. \n\u25cb Periodic review of process by school nurse", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 13 of 14 \n \n\u25cb Determines a safe place for storing the medication for the \nindividual student, while providing for accessibility if the \nstudent\u2019s health needs require it. \n\u25cb Documentation of teacher\u2019s and student\u2019s knowledge of \nthe medication dose, frequency, and side effects, the \ndisease process for which the medication is being \nadministered, the safety of the plan and the student\u2019s \nability to self-administer the medication, and the student\u2019s \ncompliance with the identified plan. \n\u25cf A medication order from a licensed prescriber for this student\u2019s \nmedication. \n\u25cf In the absence of a school nurse, the school administrator will \ncontact a health services administrator to assist with the \ndevelopment of an appropriate plan of care which includes all \nthe above. \n\u25cf All self-medication administration plans must be renewed \nannually. \nHealth Services administration is accountable for reviewing all", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "the above. \n\u25cf All self-medication administration plans must be renewed \nannually. \nHealth Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. When \ninconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. \nSummary of significant dates and deadlines: \nMonth Activity \nJanuary Send an updated list of nurses/schools \nto MA DPH.", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-08 Medication Administration.pdf", + "content": "Superintendent\u2019s Circular SHS-08 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-11 \nVersion 01 \n \n \n \n LIFE-THREATENING ALLERGIES (LTA OR ANAPHYLAXIS) \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY \nThe Massachusetts Department of Education recommends that \nall school districts have policies and protocols regarding the care \nof students with life-threatening food allergies. This is in addition \nto 2012, c.77, An Act Relative to Medical Emergency Response \nPlans for Schools, requiring local school districts to develop \nefficient written medical response plans for responding to life-\nthreatening emergencies. \n \nMassachusetts Department of Public Health Regulations \ngoverning the Administration of Prescription Medications in \nPublic and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) \nauthorize school personnel who are trained and tested for \ncompetency to administer epinephrine by auto-injector to", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Public and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) \nauthorize school personnel who are trained and tested for \ncompetency to administer epinephrine by auto-injector to \nindividuals with previously diagnosed life-threatening allergies \nwho are experiencing an anaphylactic event. School districts \nmust be registered with the Massachusetts Department of Public \nHealth for this purpose.", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 2 of 10 \n \n \n \nBACKGROUND ON ANAPHYLAXIS \nAnaphylaxis is a sudden, severe, potentially fatal, systemic allergic \nreaction that can involve various areas of the body (such as the \nskin, respiratory tract, gastrointestinal tract, and cardiovascular \nsystem). Symptoms occur within minutes to two hours after \ncontact with the allergy-causing substance, but in rare instances \nmay occur up to four hours later. Anaphylactic reactions can be \nmild to life-threatening. The annual incidence of anaphylactic \nreactions is about 30 per 100,000 persons, and individuals with \nasthma, eczema, or hay fever are at a greater relative risk of \nexperiencing anaphylaxis. The most common allergens in \nchildren are food and bee-sting. \nBecause of the life-threatening nature of this condition, it is \nimportant for schools to develop and implement care plans for all \nchildren identified with life-threatening allergic reactions.", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Because of the life-threatening nature of this condition, it is \nimportant for schools to develop and implement care plans for all \nchildren identified with life-threatening allergic reactions. \nThe Massachusetts Department of Public Health regulations \nprovides for the administration of epinephrine by auto-injector by \nnon-medical personnel who have been trained by the school \nnurse in the administration of epinephrine by auto-injector \ndelivery. In consultation with the school physician, the school \nnurse leader has the final decision-making authority about the \nprogram, which must be in accordance with MA DPH standards. \nThis includes school-sponsored programs as well as before and \nafter school when a nurse is not immediately available. \nThe Boston School Committee, as part of the Superintendent's \nCircular SHS-08 Medication Administration, has approved the \ntraining of administration of epinephrine by auto-injector for", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "The Boston School Committee, as part of the Superintendent's \nCircular SHS-08 Medication Administration, has approved the \ntraining of administration of epinephrine by auto-injector for \nstudents with identified allergies under the supervision of the", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 3 of 10 \n \n \n \nschool nurse. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n\u2022 Provide a safe and healthy learning environment for all \nstudents \n\u2022 Protect the rights of students with food allergies to \nparticipate in all school activities \n\u2022 Reduce the likelihood of severe or potentially life-\nthreatening allergic reactions during school \n\u2022 Ensure a rapid and effective response in the case of a \nsevere or potentially life-threatening allergic reaction. \n \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers, \nparaprofessionals, food service staff, school leaders, support staff, \nand student interns/teachers. \nEducation and training by the school nurse will include: \n\u2022 Identification of potential food allergens \n\u2022 Role and responsibilities in the prevention and reducing \nrisks \n\u2022 Recognizing allergic reactions \n\u2022 Responding to an allergic reaction", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "\u2022 Identification of potential food allergens \n\u2022 Role and responsibilities in the prevention and reducing \nrisks \n\u2022 Recognizing allergic reactions \n\u2022 Responding to an allergic reaction \n\u2022 How to administer an epinephrine auto-injector \n(EpiPen\u00ae).", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 4 of 10 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent: \n\u2022 Inform the school nurse if their child has a Life-\nThreatening Allergy (with specific information regarding \nthe allergen (i.e. food types, insect, medication)) \n\u2022 Provide the school with a list of allergens, the Individual \nHealth Plan (IHP) (preferably with a Food Allergy action \nplan, where appropriate), and a physician order for \nepinephrine auto-injector administration \n\u2022 Provide physician/provider documentation regarding \nallergy, diagnosis and treatment \n\u2022 Work with the school nurse, school leader, and classroom \nteacher to develop and implement the Allergy Action Plan \n+/or IHP for ensuring that their child is safe from potential \nallergens \n\u2022 Provide an epinephrine auto-injector(s) and other \nphysician-ordered emergency medication if indicated to \nthe school nurse \n\u2022 Sign release of information/permission for identified", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "allergens \n\u2022 Provide an epinephrine auto-injector(s) and other \nphysician-ordered emergency medication if indicated to \nthe school nurse \n\u2022 Sign release of information/permission for identified \nschool staff to have information about their child\u2019s allergy \n\u2022 Provide current contact information, including emergency \ncontacts \n\u2022 Ensure that the pre-school and after-school staff have the \nappropriate information.", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 5 of 10 \n \n \n \nRole of the School Administrator: \n\u2022 Support training for school staff, provided by the school \nnurse at the beginning of every school year and as needed \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the LTA (Life-Threatening Allergy) program \n\u2022 Consider a school-wide policy, with input from the School \nSite Council, for avoiding LTA's wherever possible (i.e., \npeanut-free zones, no food at functions, etc.) \n\u2022 Provide emergency communication devices (two-way \nradio, intercom, walkie-talkie, cell phone) for all school \nactivities, including transportation, that involve a student \nwith life-threatening allergies \n\u2022 Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel \n\u2022 Ensure that 911/EMS is activated (in the event of an \nexposure). \nRole of the School Nurse: \n\u2022 Provide training at least annually (beginning of school", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "\u2022 Ensure that 911/EMS is activated (in the event of an \nexposure). \nRole of the School Nurse: \n\u2022 Provide training at least annually (beginning of school \nyear) for school staff that will include information on food \nallergies, risk reduction procedures, how to recognize an \nallergic reaction, and how to respond in the event of an \nallergic reaction, including the use of an epinephrine auto-\ninjector. Training will include a return demonstration by \nschool staff on the administration of an epinephrine auto-\ninjector. \n\u2022 Obtain an Individual Health Plan (IHP) from the \nfamily/primary care provider (this should include the \nspecifics about a food allergy action plan) \n\u2022 Develop a plan for child management in the classroom,", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 6 of 10 \n \n \n \nlunchroom, playground, field trips, and emergency \nsituations \n\u2022 Ensure that all other staff members who have contact \nwith students with life-threatening allergies (LTAs) are \nfamiliar with their IHPs on a need-to-know basis \n\u2022 Provide a list of students with life-threatening allergies (if \nconsent is given by parent) to all staff on a need-to-know \nbasis (including transportation staff) \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding a child's life-threatening allergens, \nsymptoms, risk reduction procedures, emergency \nprocedures, and how to administer an epinephrine auto-\ninjector \n\u2022 Post general emergency protocol and location of an \nepinephrine auto-injector; Epinephrine should not be \nlocked away but should be available to school staff in a \nsecure location and must be readily available for use in an \nemergency situation \n\u2022 Ensure that all IHPs for children with LTAs are readily", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "locked away but should be available to school staff in a \nsecure location and must be readily available for use in an \nemergency situation \n\u2022 Ensure that all IHPs for children with LTAs are readily \navailable for transport with EMS \n\u2022 Ensure that there is a contingency plan in place in all \nschool-related venues where substitutes are utilized \n\u2022 Communicate with parents on a regular basis to discuss \nissues relating to the plan \n\u2022 In the event of epinephrine auto-injector administration, \ncomplete the Massachusetts Department of Public \nHealth\u2019s epinephrine auto-injector administration form \nand alert Health Services \n \nRole of the Teacher:", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 7 of 10 \n \n \n \n\u2022 Receive training at least annually to recognize symptoms \nof allergic reaction and to understand their role as a \nresponder in the event of an allergic reaction; including \nthe use of an epinephrine auto-injector (i.e.EpiPen\u00ae) \n\u2022 Collaborate with the school nurse and parent/guardian to \ndevelop and implement a plan for ensuring that their child \nis safe from potential allergens, including field trips, \nclassroom festivities, arts & crafts activities, and cafeteria \nmanagement \n\u2022 Maintain a list of all students in the classroom with LTA; \ninclude the list in the substitute teacher folder \n\u2022 Participate in a team meeting for a child with life-\nthreatening allergies and in-service training about LTAs \n\u2022 Keep accessible the child's emergency plan with a photo \n(where possible) in the classroom (with parent's \npermission) or keep with the lesson plan \n\u2022 Inform volunteers, student teachers, aides, specialists, and", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "(where possible) in the classroom (with parent's \npermission) or keep with the lesson plan \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's food/other allergies \nand necessary safeguards by both verbal communication \nand in an organized, prominent, and accessible written \nformat \n\u2022 Coordinate with the parent on providing a lesson plan \nabout food allergies for the class and discuss anaphylaxis \nin age-appropriate terms, with the child's permission \n\u2022 Remind students never to share or trade food \n\u2022 Inform parents about events involving food \n\u2022 Provide the school nurse 4-6 weeks in advance with dates \nfor field trips & school-sponsored off-site activities \n\u2022 Discuss with the parent the process for ensuring before \nand after school continuity of access to epinephrine auto-\ninjector administration and allergen reduction.", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 8 of 10 \n \n \n \nRole of Off-site Staff (Athletics): \n\u2022 Maintain a list of all students in their charge who have LTA \n\u2022 Athletic coaches will be informed via review of sports \nclearances in ASPEN of any students on their teams who \nhave LTAs \n\u2022 Coaches will participate in training at the school level that \nwill include information on Life-Threatening Allergies, risk \nreduction procedures, how to recognize an allergic \nreaction, and how to respond in the event of an allergic \nreaction, including the use of an epinephrine auto-injector \nand return demonstration \n\u2022 Encourage these students to carry the epinephrine auto-\ninjectors to all practices and events \n\u2022 Ensure the off-site staff has knowledge of the child with \nthe allergy, their specific allergy, and symptoms that they \nmay suffer during a reaction: \no Ensure that the off-site staff knows to call 911 or \nother emergency numbers and request an", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "the allergy, their specific allergy, and symptoms that they \nmay suffer during a reaction: \no Ensure that the off-site staff knows to call 911 or \nother emergency numbers and request an \nAdvanced Life Support unit if a reaction occurs. \no Allow a responsible child to carry their own \nepinephrine auto-injector in their backpack. \n\u2022 Keep accessible the child's emergency plan in the specific \nvenue (with parent's permission) \n\u2022 Inform substitutes about the child's food/other allergies \nand necessary safeguards by both verbal communication \nand in an organized, prominent, and accessible written \nformat. \nRole of Food Services: \n\u2022 Provide a food preparation environment that follows", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 9 of 10 \n \n \n \nsound food handling to avoid cross-contamination and \nprocedures to address food-allergic students \n\u2022 Ensure all food service staff are able to recognize \nsymptoms of allergic reaction and to understand their \nroles as a responder in the event of an allergic reaction; \nincluding the use of an epinephrine auto-injector. \nRole of the School Transportation Company: \n\u2022 Provide training for all bus drivers on managing life-\nthreatening allergies \n\u2022 Be familiar with local EMS procedures \n\u2022 Have functioning communication equipment to access \nEMS \n\u2022 Maintain a policy of \u201cNo food/drink consumed on the bus\u201d. \n \nDetails of management and all necessary forms are available in \nthe Nurses\u2019 Protocol and Procedure Manual (available to BPS \nSchool Nurses) \n\u2022 Managing Food Allergies in Schools The Role of School \nTeachers and Paraeducators \n\u2022 FAACT Education for School Personnel \n \nREFERENCES \nMass.gov Report epi-pen administration", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "School Nurses) \n\u2022 Managing Food Allergies in Schools The Role of School \nTeachers and Paraeducators \n\u2022 FAACT Education for School Personnel \n \nREFERENCES \nMass.gov Report epi-pen administration \nMass.gov School Health Services: Medication Administration", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "content": "Superintendent\u2019s Circular SHS-11 \nPage 10 of 10 \n \n \n \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 2024 \nAll staff should have a Life-Threatening Allergy \nreview & epinephrine auto-injector demonstration \nby the school nurse \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-21 \nVersion 01 \n \n \n \nDIABETES POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nDiabetes is a chronic disease in which the body does not make or \nproperly use insulin. Insulin is a hormone produced by the \npancreas that is needed to convert sugar and starches into \nenergy for the body. People with diabetes have increased blood \nglucose (sugar) levels because they lack or have insufficient \ninsulin or are resistant to insulin\u2019s effects. High levels of glucose \nbuild up in the blood and spill into the urine; as a result the body \nloses its main source of fuel. \nThere are many types of diabetes that affect children. The most \ncommon types seen in school settings include: \n\u2022 Type 1 (formerly called \u201cInsulin-Dependent\u201d or \u201cJuvenile-\nOnset\u201d) Diabetes Mellitus: This type of diabetes is considered \na disease of the immune system because the immune", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "\u2022 Type 1 (formerly called \u201cInsulin-Dependent\u201d or \u201cJuvenile-\nOnset\u201d) Diabetes Mellitus: This type of diabetes is considered \na disease of the immune system because the immune \nsystem destroys the cells in the pancreas that produce the \nhormone insulin. People with type 1 diabetes must inject \ninsulin every day because their bodies cannot produce \ninsulin. It needs to be injected under the skin to be \nabsorbed; it cannot be taken by mouth because it would not \nbe effective. \n\u2022 Type 2 (formerly called \u201cNon-Insulin Dependent\u201d or \u201cAdult-", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 2 of 13 \n \n \n \nOnset\u201d) Diabetes Mellitus: People with type 2 diabetes \nproduce insulin, but the cells of the body do not respond \nnormally to the insulin. This is referred to as insulin \nresistance. Type 2 diabetes can often be managed with diet \nand exercise, but some students also need medications \ntaken by mouth (oral hypoglycemic agents), insulin \ninjections, or both to help glucose enter their cells. \n\u2022 Pre-Diabetes: Pre-diabetes is a condition in which blood \nglucose levels are higher than normal, but not yet high \nenough to be classi\ufb01ed as diabetes. Before people develop \ntype 2 diabetes, they almost always have pre-diabetes. \n\u2022 Gestational Diabetes (may affect teens who are pregnant): \nGestational diabetes results from pregnancy hormones that \ncause the body to become resistant to its own insulin. \nDiabetes is the third most common chronic health disease \naffecting an estimated 2.22/1,000 children and adolescents", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "cause the body to become resistant to its own insulin. \nDiabetes is the third most common chronic health disease \naffecting an estimated 2.22/1,000 children and adolescents \naccording to The Search for Diabetes in Youth (SEARCH) Study \n(Pettitt et al., 2014). Children and adolescents are defined as \nyouth under the age of 20 years. In 2009, approximately 191,986 or \none in 433 youth with diabetes lived in the U.S. From these, 87% \nhave type 1 diabetes and 11% have type 2 diabetes (Pettitt et al., \n2014). In the years 2008 to 2009, 18,436 youth were newly \ndiagnosed with type 1 diabetes and 5,089 youth were newly \ndiagnosed with type 2 diabetes (Centers for Disease Control and \nPrevention [CDC], 2014). As the sixth leading cause of death by \ndisease in the United States, long-term complications of diabetes \ninclude heart disease, stroke, blindness, kidney failure, nerve \ndisease, gum disease, and amputation of the foot or leg. \nAlthough there is no cure, diabetes can be managed, and", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "include heart disease, stroke, blindness, kidney failure, nerve \ndisease, gum disease, and amputation of the foot or leg. \nAlthough there is no cure, diabetes can be managed, and \ncomplications can be delayed or prevented.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 3 of 13 \n \n \n \nAdvances in diabetes technology continue to enhance students' \nability to manage diabetes at school, thus improving their quality \nof life. Children and adolescents monitor blood glucose levels \nseveral times a day via blood glucose meters and continuous \nglucose monitors, conduct carbohydrate calculations, and inject \ninsulin via syringe, pen, and pump to attain blood glucose control \n(Brown, 2016). Intensive resources and consistent evidenced-\nbased interventions will achieve the long-term health benefits of \noptimal diabetes control, according to the landmark study from \nthe Diabetes Control and Complications Trial Research Group \n(DCCT, 1993). \nCoordination and collaboration among members of the school \nhealth team and the student\u2019s personal diabetes health care \nteam are essential for helping students manage their diabetes in \nthe school setting. Members of the school health team include", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "health team and the student\u2019s personal diabetes health care \nteam are essential for helping students manage their diabetes in \nthe school setting. Members of the school health team include \nthe student with diabetes, parents/guardians, school nurse, \nteacher(s), school leader, COSES, social worker, coach, physical \neducation teacher, food service staff, and other school staff \nmembers. In addition, it is essential for team members to \nunderstand the federal and state laws that may apply to students \nwith diabetes, including Section 504 of the Rehabilitation Act of \n1973, the Americans with Disabilities Act, and the Individuals with \nDisabilities Education Act. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n\u2022 Provide a safe and healthy learning environment for all \nstudents \n\u2022 Protect the rights of students with diabetes to participate in \nall school activities", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 4 of 13 \n \n \n \n\u2022 Ensure proper medical management and safety of the \nstudent, minimizing the possibility that diabetes related \nemergencies might disrupt their educational and classroom \nactivities \n\u2022 Facilitate self-management so that the student may \ngradually assume responsibility for their care \n\u2022 Reduce the likelihood of severe or potentially life-\nthreatening diabetic emergencies during school \n\u2022 Ensure a rapid and effective response in the case of a severe \nor potentially life threatening diabetic emergency \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers, \nparaprofessionals, food service staff, school leaders, support staff, \nand student interns/teachers. Coordination and collaboration \namong members of the school health team and the student\u2019s \npersonal diabetes health care team are essential for helping \nstudents manage their diabetes in the school setting.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "among members of the school health team and the student\u2019s \npersonal diabetes health care team are essential for helping \nstudents manage their diabetes in the school setting. \nEducation and training for key personnel by the school nurse will \ninclude: \n\u2022 an overview of diabetes \n\u2022 signs and symptoms of diabetes, including \nhyper/hypoglycemia \n\u2022 role and responsibilities in prevention and reducing risks \n\u2022 recognizing and responding to a diabetic emergency \n\u2022 review of the student\u2019s Individual Health Plan (IHP) and \nDiabetes Emergency Action plan", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 5 of 13 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent/Guardian \n\u2022 At the time of registration, inform the Welcome Center staff \nof any health concerns of their child, including Type 1 \nDiabetes. The Health Services Department remains \navailable to support any student or parent/guardian wishing \nto discuss this information privately. \n\u2022 Provide the school nurse with a current diabetes medical \nmanagement plan and emergency management plan from \nthe student\u2019s endocrinologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child\u2019s plan. \n\u2022 Actively participate with the school nurse in creating an \nindividualized healthcare plan for school that supports the \nstudent\u2019s medical, educational, and developmental needs \n\u2022 Provide the school nurse with the necessary supplies \nneeded to care for the student during the school day: \ninsulin, glucometer, glucagon, syringes, etc. In the case of an", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "\u2022 Provide the school nurse with the necessary supplies \nneeded to care for the student during the school day: \ninsulin, glucometer, glucagon, syringes, etc. In the case of an \ninsulin pump: extra insulin delivery catheter, insulin, insulin \nreceptacle. \n\u2022 Provide the school nurse with the carbohydrate count for \neach item when lunch or snack is brought from home. \n\u2022 Provide current contact information including cell phone \nnumbers (if available), emergency numbers, and at least two \nback up numbers to call if parents/guardians are not \nreachable. \n\u2022 Educate after-school activities personnel about the diabetic \nmanagement plan and provide a plan as necessary.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 6 of 13 \n \n \n \nRole of the School Administrator \n\u2022 Facilitate diabetes management training for school \npersonnel. \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the Diabetes Management Plan. \n\u2022 Identify all staff members who have responsibility for the \nstudent with diabetes throughout the school day and \nduring school-sponsored extracurricular activities and field \ntrips. \n\u2022 Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel. \n\u2022 Ensure that the classroom staff have been trained in an \noverview of diabetes, how to recognize and respond to \nhypoglycemia and hyperglycemia and the steps to take in \nthe event of an emergency. \n\u2022 Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Promote a supportive learning environment for students \nwith diabetes to manage their diabetes safely and", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "walkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Promote a supportive learning environment for students \nwith diabetes to manage their diabetes safely and \neffectively at school. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g. necessity for \nnursing support during the field trip). \n\u2022 Understand the federal and state laws that may apply to \nstudents with diabetes, including Section 504 of the \nRehabilitation Act of 1973, the Americans with Disabilities", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 7 of 13 \n \n \n \nAct, and the Individuals with Disabilities Education Act. \nRole of the School Nurse: \n\u2022 Obtain and review the student\u2019s current Diabetes Medical \nManagement Plan (DMMP) along with other pertinent \ninformation from the student\u2019s parents/guardians and \nhealth care providers. \n\u2022 Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n\u2022 Develop an Individualized Health Care Plan (IHP). Promote \nand encourage independence and self-care consistent with \nthe student\u2019s ability, skill, maturity, and development as \nindicated in the DMMP. After reviewing the IHP with the \nparents/guardians and student, implement, review, and \nupdate the plan throughout the school year as needed. \n\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, athletics, and field trips that \nprovides for routine and emergency care. These would", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, athletics, and field trips that \nprovides for routine and emergency care. These would \ninclude blood glucose monitoring; urine/blood ketone \ntesting; insulin administration; glucagon administration; and \nassistance with carbohydrate counting. \n\u2022 Perform or assist the student with routine and emergency \ndiabetes care tasks, including blood glucose monitoring, \nurine or blood ketone testing, insulin and other medication \nadministration, carbohydrate counting, and glucagon \nadministration. \n\u2022 Maintain accurate documentation in the electronic health \nrecord of all diabetes care provided at school. Document \ncommunications with the student, the parents/guardians,", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 8 of 13 \n \n \n \nand the student\u2019s personal diabetes health care team, and \ndocument communications related to the training and \nsupervision of trained diabetes personnel. \n\u2022 Ensure that all other staff members who have contact with \nstudents with diabetes are familiar with their Individual \nHealth Care Plans (IHPs) on a need-to-know basis. \n\u2022 Provide a list of students with diabetes (if consent given by \nparent) to all staff on a need-to-know basis, including bus \ndrivers. \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding a student\u2019s symptoms; risk reduction \nprocedures; emergency procedures; and appropriate \nresponses to symptoms of diabetic emergencies. This \nincludes PE instructors and coaches. This training should be \nrepeated annually or when a student transfers classrooms or \nschools. \n\u2022 Ensure that there is a contingency plan in place for all \nschool-related venues where substitutes are utilized.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "repeated annually or when a student transfers classrooms or \nschools. \n\u2022 Ensure that there is a contingency plan in place for all \nschool-related venues where substitutes are utilized. \n\u2022 Encourage the students to eat all meals and snacks fully and \non time. Be flexible with time requirements for eating and \nprovide the parent or guardian with the carbohydrate \nmenu. \n\u2022 Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Participate in the teams that develop and implement the \nstudent\u2019s Section 504 Plan, other education plan, or \nindividualized education program. Contribute to IEP, and \n504 implementation of diabetes related issues, where", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 9 of 13 \n \n \n \nappropriate. \n\u2022 Communicate with the student\u2019s parents/guardians and\u2014\nwith their permission\u2014communicate with the student\u2019s \npersonal diabetes health care team about progress as well \nas any concerns about the student\u2019s diabetes management \nor health status, such as hypoglycemia episodes, \nhyperglycemia, general attitude, emotional issues, and self-\nmanagement. \nRole of the Coordinator of Special Education (COSE): \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate. The parent/guardian, school \nnurse and other school staff must be involved in the plan \ndevelopment and implementation. \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "being evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam will consider transportation needs (team will include \nschool nurse). If special transportation is found to be \nnecessary, it can be added to the IEP. \n \nRole of the Teacher \n\u2022 Have a list of all students in the classroom with chronic \ndiseases, including diabetes.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 10 of 13 \n \n \n \n\u2022 Participate in team meetings for students with diabetes and \nparticipate in in-service training provided by the school \nnurse. \n\u2022 Be prepared to respond immediately to the signs and \nsymptoms of hypoglycemia (low blood glucose) and \nhyperglycemia (high blood glucose), in accordance with the \nstudent\u2019s Emergency Care Plans for Hypoglycemia and \nHyperglycemia. \n\u2022 Keep accessible the student\u2019s emergency plan with a photo \n(where possible) in the classroom (with parent's permission) \nor keep with the lesson plan. \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the student\u2019s condition both \nthrough verbal communication and in an organized, \nprominent, and accessible written format. \n\u2022 Recognize that eating meals and snacks on time is a critical \ncomponent of diabetes management. \n\u2022 Coordinate with parent/guardian to provide lesson plans to \naccommodate any learning needs.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "\u2022 Recognize that eating meals and snacks on time is a critical \ncomponent of diabetes management. \n\u2022 Coordinate with parent/guardian to provide lesson plans to \naccommodate any learning needs. \n\u2022 Support the student in participating in all school-sponsored \nactivities. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips \nto ensure adequate planning time for supports. \n\u2022 Notify the school nurse and parents/guardians in advance of \nchanges in the school schedule, such as class parties, field \ntrips, and other special events.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 11 of 13 \n \n \n \nRole of Physical Education Teacher and Coaches \n\u2022 Have a list of all students in their charge who have diabetes. \n\u2022 Coaches will be told of any students on their teams who \nhave diabetes through review in ASPEN/Sports Clearance, \nand will be trained in identification of symptoms of diabetes \nemergencies. \n\u2022 Participate in in-service training about diabetes as needed. \n\u2022 Keep accessible the student's emergency plan with a photo \n(where possible) in the specific venue (with parent's \npermission). \n\u2022 Allow students with diabetes to wear their insulin pump \nand/or sensor and medical ID during physical activity. \n\u2022 Designate a safe place for students to keep their diabetes \nsupplies, including their insulin pump, if they remove it \nduring physical activity. \n\u2022 Make sure blood glucose monitoring equipment and a \nquick-acting form of glucose are available at all activity sites. \n\u2022 Include the student\u2019s Emergency Care Plans for", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "during physical activity. \n\u2022 Make sure blood glucose monitoring equipment and a \nquick-acting form of glucose are available at all activity sites. \n\u2022 Include the student\u2019s Emergency Care Plans for \nHypoglycemia and Hyperglycemia and diabetes supplies in \nthe first aid pack that goes out to physical education \nactivities, practices, and games. \n\u2022 Allow the student to monitor blood glucose levels and/or \nadminister insulin, as outlined in the student\u2019s health care \nplans and education plans. \n\u2022 Recognize that a change in the student\u2019s behavior could be \na symptom of blood glucose changes. \n\u2022 Understand and be aware that hypoglycemia (low blood \nglucose) can occur during and after physical activity.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 12 of 13 \n \n \n \n\u2022 Inform substitutes about the student\u2019s diagnosis and the \nsigns and symptoms of hyper or hypoglycemia. \nRole of Food Services \n\u2022 Work with health services to provide access to carbohydrate \nmenus to parents and school nurses and assist in \ncarbohydrate counting activities. \n\u2022 Make available and maintain current food labels for all meal \nplans. Provide nutrition information on all menu items and a \nla carte items to the school staff and parents/guardians. \nRole of the Office of Transportation \n\u2022 Provide training for all bus monitors for medical \nemergencies, including but not limited to Heartsaver \nCPR/AED, Heartsaver First Aid. \n\u2022 Know local EMS (Emergency Medical Services) procedures. \n\u2022 Have functioning communication equipment to access EMS \n\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \n\u2022 Encourage 1:1 communication between bus monitors and \nschool-based staff as well as between bus monitors and \nparents/guardians. \nRole of the School Bus Company \n\u2022 Provide training for all bus drivers for medical emergencies, \nincluding but not limited to Heartsaver CPR/AED and \nHeartsaver First Aid.", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-21 Diabetes Policy.pdf", + "content": "Superintendent\u2019s Circular SHS-21 \nPage 13 of 13 \n \n \n \n\u2022 Know local EMS (Emergency Medical Services) procedures. \n\u2022 Have functioning communication equipment to access EMS. \n\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \nREFERENCES \n\u2022 Massachusetts | ADA \n\u2022 Diabetes Management in the School Setting \n\u2022 Diabetes | Healthy Schools | CDC \n\u2022 Diabetes Care Tasks at School | ADA \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-23 \nVersion 01 \n \n \n \nCONDOM ACCESSIBILITY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nBACKGROUND \nIn June 2017, the School Committee voted to revise the district \nWellness Policy, which includes provisions on sexual health \neducation and condom accessibility in high schools. The goal of \nthis policy is to support the sexual and reproductive health of \nstudents and to prevent negative sexual health outcomes and \ntheir impact on student learning. This policy establishes access to \ninformation and resources for students in order to reduce the \nspread of HIV and other sexually transmitted infections (STIs) as \nwell as decrease the number of unintended pregnancies. This \npolicy increases the access and agency of BPS students to care \nfor their personal health and well-being. The revised policy states: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E)", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "policy increases the access and agency of BPS students to care \nfor their personal health and well-being. The revised policy states: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family \nplanning services without parental notification. Family Planning \nservices include testing and treatment for sexually transmitted \ninfections and HIV, all birth control options, pregnancy testing, \nand emergency contraception.", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 2 of 10 \n \n \n \nBPS High Schools shall provide access to free condoms with \nappropriate reproductive health counseling for students. Each \nhigh school (grades 9-12) will have a Condom Accessibility Team \n(CAT) which will consist of a minimum of at least three school \nstaff members. Condoms will be made available through the \nCAT at each high school. Condoms will also be accessible at \nsome schools from school-based health centers and the Boston \nPublic Health Commission\u2019s (BPHC) Health Resource Centers \n(HRCs). Parents and caregivers may exempt their students from \nreceiving condoms from the BPS CAT by notifying the school \nwhen they complete the family information forms at the \nbeginning of the school year. This condom opt-out does not \napply to other confidential health services. \n \nUnder this policy, the Office of Health Services, along with the \nOffice of Health and Wellness, is charged with enacting systems", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "apply to other confidential health services. \n \nUnder this policy, the Office of Health Services, along with the \nOffice of Health and Wellness, is charged with enacting systems \nand practices to ensure that all students have access to key \nresources and services that are developmentally appropriate and \nsupport sexual and reproductive health in a safe and supportive \nenvironment. \nBPS high schools have three possible venues for the delivery of \nsexual health services: 1) through BPS CAT members; 2) school-\nbased health centers run by BPHC or neighborhood health \ncenters that provide medical, reproductive, and mental health \nservices, including STI/pregnancy testing, options counseling, \naccess to contraceptives/condoms, treatment for STIs, and \ncomprehensive routine health care; and 3) school-based health \nresource centers (HRCs) overseen by the Boston Public Health", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 3 of 10 \n \n \n \nCommission, which provide individual counseling, condom \naccess, and STI testing and treatment for gonorrhea and \nchlamydia, where available. Annually, all BPS CAT members must \nparticipate in appropriate training related to the condom \naccessibility program. \nThe following chart summarizes the services available and \nstaffing model for each location. \n \nPlease note: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family planning \nservices without parental notification. Family planning services include \ntesting and treatment for sexually transmitted infections and HIV, all \nbirth control options, pregnancy testing, and emergency \ncontraception.", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 4 of 10 \n \n \n \n \nLocation \nSchool-based \nHealth Centers \nRun by BPHC \nSchool-based Health \nCenters Run by \nCommunity Health \nCenters \nHealth Resource \nCenters * BPS High School \nCAT \n \n \nServices \n \nA clinical setting \noffering routine \nhealth care and \nacute care \nservices, \nincluding mental \nhealth \ncounseling and \nsexual & \nreproductive \nhealth care. \nA clinical setting \noffering routine \nhealth care and \nacute care services, \nincluding mental \nhealth counseling \nand sexual \nreproductive health \ncare. \nClassroom sexual \nhealth \neducation; 1:1 \neducation; \ncondom \navailability; \n \nSTI screening, \ntreatment and \nreferral, where \navailable. \nFree internal and \nexternal condoms, \noral dams, lubricant, \nand educational \nmaterials to \nstudents not opted \nout of the program \nas these products \nare available. \n \nConfidential sexual \nhealth referrals \nmade available to \nany students in need \nof sexual health care. \n \n*a barrier method", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "out of the program \nas these products \nare available. \n \nConfidential sexual \nhealth referrals \nmade available to \nany students in need \nof sexual health care. \n \n*a barrier method \nthat reduces the risk \nof STIs \n**lubricants increase \nthe effectiveness of \ncondoms, reducing \nbreakage.", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 5 of 10 \n \n \n \n \n \nStaffing \nStaffed by: \n\u25cf Nurse \nPractitioner \n\u25cf Mental \nHealth \nClinician \n\u25cf Health \nEducator \n\u25cf Health \nCoordinator \n\u25cf Admin \nAssistant \nStaffed by: \nNurse Practitioners \nor Physician \nAssistants \nA team of two \nHealth Educators \nassigned to 2 \nhigh schools \nA minimum of \nthree* trained school \nstaff members. \n \n*Schools are \nencouraged to add \nmore CAT members \nto increase access \npoints within the \nschool. Each \nadditional member \nmust complete CAT \ntraining. It is \nimportant that \nstudents receive \nsupplies from \ntrusted, caring \nadults. This may \ninclude the school \nnurse, health \nteachers, trained \nteachers of sexual \nhealth, social \nworkers, school \ncounselors, family \nliaisons, and/or other \nstaff able to \ncomplete the \ntraining.", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 6 of 10 \n \n \n \nIMPLEMENTATION \nThe implementation of condom accessibility will be directed by \nthe Office of Health & Wellness (OHW), with support from and \nintegration with the Office of Health Services at both the central \nand individual school levels. \n \nSCHOOL-BASED IMPLEMENTATION \nEach high school serving students in grades 9-12 will have a \nCondom Accessibility Team (CAT) which will consist of at least \nthree school staff members. Schools are encouraged to add \nadditional interested staff to the CAT. The CAT shall meet at least \nbiannually to oversee its responsibilities and report back to the \nWellness Council. \n \n Condom Accessibility Team responsibilities: \n\u25cf Participate in CAT training organized and led by the Office of \nHealth and Wellness \n\u25cf All parents and caregivers will be notified of the policy in the \nGuide to the BPS for Students & Families and have the option \nto opt their student out of the condom accessibility program", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "\u25cf All parents and caregivers will be notified of the policy in the \nGuide to the BPS for Students & Families and have the option \nto opt their student out of the condom accessibility program \nby informing the student\u2019s school. Additional communications \nto notify parents and caregivers through the school\u2019s \npreferred communication channels is also recommended.", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 7 of 10 \n \n \n \n\u25cf Distribute communication information provided by the Office \nof Health and Wellness, such as brochures, posters, stickers, \netc. that outline the Condom Accessibility program \n\u25cf Post information advertising who the CAT members are so \nthat students are aware of this program and know who and \nwhere to locate CAT members in the school \n\u25cf Store condoms in secure, appropriate storage that does not \nexperience extreme low or high temperatures to preserve \neffectiveness \n\u25cf Ensure that the school wellness council is updated on CAT \nfunctionality in the school \n\u25cf Advocate for all students to receive the BPS Comprehensive \nSexual Health Education Program \n\u25cf Provide CAT team member names to the Office of Health and \nWellness annually and add any new team members \nthroughout the year \n\u25cf Document referrals and provide tracking as outlined in the \ntraining \n\u25cf Ensure that student confidentiality is maintained as per \nMassachusetts State Law", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "throughout the year \n\u25cf Document referrals and provide tracking as outlined in the \ntraining \n\u25cf Ensure that student confidentiality is maintained as per \nMassachusetts State Law \n\u25cf Ensure that parental/caregiver opt-out is clearly and \nconfidently documented in the nurse electronic health record \n(SNAP) and communicated to all CAT members and other \nappropriate staff, including HRC staff involved in condom \naccessibility", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 8 of 10 \n \n \n \n\u25cf Please note: CAT members are required to file a 51a only when \nthere is reasonable suspicion of physical or emotional harm by \nabuse, not based solely on the age of the student. \n \nDISTRICT-BASED IMPLEMENTATION \nOffice of Health Services responsibilities: \n\u25cf Align the condom accessibility process with the overall Health \nServices action plan \n\u25cf In partnership with OHW, monitor referral tracking data \nwithin SNAP and assess district capacity to implement the \ncondom accessibility program \n\u25cf Promote and complete CAT training \n\u25cf Partner with OHW instructional coaches to review \nquestions/concerns brought forward during the CAT training \n\u25cf Promote the sexual health services referral resource 211 Help \nSteps at https://www.helpsteps.com/#/ \n\u25cf Coordinate and communicate with adolescent community \nsexual health programming, including school-based health \ncenters \n \nOffice of Health and Wellness responsibilities:", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "\u25cf Coordinate and communicate with adolescent community \nsexual health programming, including school-based health \ncenters \n \nOffice of Health and Wellness responsibilities: \n\u25cf Include the condom accessibility process in overall wellness \naction planning.", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 9 of 10 \n \n \n \n\u25cf Review and approve all reproductive health materials that are \nto be distributed in the schools by CAT members, including \nmaterials donated by community partners. All community \norganizations interested in donating condoms and other \nmaterials should contact the Office of Health and Wellness \nbefore delivering materials to the schools. \n\u25cf Oversee ordering and storing of condoms for the district and \ndistribution to schools. \n\u25cf Coordinate and communicate with adolescent community \nsexual health programming including school-based health \ncenters and Health Resource Centers. \n\u25cf Collaborate with the Office of Health Services to provide \ntraining, marketing materials, and implementation tools to \nschools and technical assistance. \n\u25cf Provide updates and promotions for the BPS sexual health \nservices referral guide (Y2Connect). \n\u25cf In partnership with Health Services, monitor referral tracking", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "schools and technical assistance. \n\u25cf Provide updates and promotions for the BPS sexual health \nservices referral guide (Y2Connect). \n\u25cf In partnership with Health Services, monitor referral tracking \ndata, providing all high schools a system for tracking and \nreporting, and assess the district capacity to implement the \ncondom accessibility program.", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-23 Condom Accessibility.pdf", + "content": "Superintendent\u2019s Circular SHS-23 \nPage 10 of 10 \n \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nMonth Activity \nAugust \n\u25cf Parental and Caregiver Opt-out information \nincluded in Family Handbook \n\u25cf Parents and caregivers who do not want their \nstudent to receive condoms at school should \nemail or submit in writing their intentions to the \nschool principal and include the school nurse(s) \nin this communication. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-06 \nVersion 01 \n \n \n \nIMMUNIZATION LAW \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTHE IMMUNIZATION REGULATIONS \nIt is the policy of the Boston Public Schools to enforce the School \nImmunization Law, Chapter 76, Section 15, of the Massachusetts \nGeneral Laws: \n\u201cNo child shall, except as hereinafter provided, be admitted to \nschool except upon presentation of a physician's certificate that \nthe child has been successfully immunized against diphtheria, \npertussis, tetanus, measles and poliomyelitis and such other \ncommunicable diseases as may be specified from time to time by \nthe department of public health. A child shall be admitted to \nschool upon certification by a physician that he has personally \nexamined such child and that in his opinion, the physical \ncondition of the child is such that his health would be \nendangered by such vaccination or by any of such", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "examined such child and that in his opinion, the physical \ncondition of the child is such that his health would be \nendangered by such vaccination or by any of such \nimmunizations. Such certification shall be submitted at the \nbeginning of each school year to the physician in charge of the \nschool health program. If the physician in charge of the school \nhealth program does not agree with the opinion of the child's \nphysician, the matter shall be referred to the department of \npublic health, whose decision will be final. In the absence of an \nemergency or epidemic of disease declared by the department of \npublic health, no child whose parent or guardian states in writing", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "Superintendent\u2019s Circular SHS-06 \nPage 2 of 6 \n \n \n \nthat vaccination or immunization conflicts with his sincere \nreligious beliefs shall be required to present said physician's \ncertificate in order to be admitted to school.\u201d \n \nMCKINNEY-VENTO HOMELESS ASSISTANCE ACT \nUnder the McKinney-Vento Homeless Assistance Act, state and \nlocal educational agencies must ensure that homeless children \nand youths have equal access to the same free, appropriate \npublic education, including a public preschool education, as \nprovided to other children and youths. Children and youth who \nare homeless are to be enrolled in school, even if the child or \nyouth is unable to produce records normally required for \nenrollment, such as previous academic records, medical records, \nproof of residency, or other documentation. If the child or youth \nneeds to obtain immunizations, or immunization or medical \nrecords, the enrolling school shall immediately refer the parent or", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "proof of residency, or other documentation. If the child or youth \nneeds to obtain immunizations, or immunization or medical \nrecords, the enrolling school shall immediately refer the parent or \nguardian of the child or youth to the local educational agency \nliaison who shall assist in obtaining necessary immunizations or \nmedical records. \n \nPROTOCOL FOR ENFORCING IMMUNIZATION REQUIREMENTS \nNew students, during the priority registration period: \n\u25cf Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations. \n\u25cf It is preferred that all students be up to date with all state-\nrequired immunizations at the time of registration for the \nupcoming school year. If the child\u2019s medical appointment", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "Superintendent\u2019s Circular SHS-06 \nPage 3 of 6 \n \n \n \nfalls between the priority registration period and September \nof the upcoming school year, the parent must provide a \nvalid appointment card with all the following information on \nit: \no registering student\u2019s full name \no registering student\u2019s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student\u2019s appointment for \nvaccination and/or physical exam \n\u2022 If the student does not have the appropriate immunizations \nduring the priority registration period, the student will be \nregistered but will not be allowed to attend until the \nimmunization documents are submitted to either the \nWelcome Center or the student\u2019s assigned school prior to \nthe start of school. \n\u2022 The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines.", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "\u2022 The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nNew students, current rolling registration: \n\u2022 Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations. \n\u2022 All students must have all state-required immunizations at \nthe time of registration in order to attend school during the \ncurrent school year. In the event the child\u2019s physical \nexamination appointment falls after the date of registration, \nthe parent must provide a valid appointment card with all \nthe following information on it:", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "Superintendent\u2019s Circular SHS-06 \nPage 4 of 6 \n \n \n \no registering student\u2019s full name \no registering student\u2019s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student\u2019s appointment for \nvaccination and/or physical exam \n\u25cf If the student is not up to date with immunizations prior to \nstarting the current school year, the student will be \nregistered but will not be allowed to attend until the \nimmunization documents are submitted to either the \nWelcome Center, the Health Services Department, or the \nstudent\u2019s assigned school. \n\u25cf The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nContinuing students: \n\u2022 All continuing students who are identified as being behind \non immunizations will be notified that they will be excluded \nfrom school if there is no compliance with immunization", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "\u2022 All continuing students who are identified as being behind \non immunizations will be notified that they will be excluded \nfrom school if there is no compliance with immunization \nupdating. This is a necessary action because if there is a \nvaccine-preventable disease outbreak at the school (i.e., \nmeasles), all susceptible students and staff (i.e., those with \nno record of vaccination, disease, or blood test for immunity) \nMUST be excluded from school for the duration of the \ndisease outbreak per the MA Department of Public Health \nand Boston Public Health Commission. \n\u2022 It is important to note that students whose immunization", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "Superintendent\u2019s Circular SHS-06 \nPage 5 of 6 \n \n \n \nschedule has been interrupted and are in the process of \nbeing immunized (i.e., awaiting the next DPT/TD or polio \ndose and in the specified time interval between doses) may \nremain in school until the next dose is given. \n \nEXCEPTIONS \nALL EXEMPTIONS RELIGIOUS/MEDICAL EXEMPTIONS MUST BE \nRENEWED ANNUALLY BY PARENT/GUARDIAN. \n\u2022 Students at any level whose parent or guardian provides a \nstatement in writing that all immunizations or a specific \nimmunization conflict with their sincere religious beliefs. \n\u2022 Students at any level who present a physician's certificate \nexempting a child from an immunization(s) due to a medical \ncontraindication: the reason why an individual cannot \nmedically receive the vaccine(s). \n \nThe Massachusetts Department of Public Health has \nimmunization recommendations based on grade. Please refer to \nthe MDPH website for the current schedule and detailed \nimmunization guidelines.", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "The Massachusetts Department of Public Health has \nimmunization recommendations based on grade. Please refer to \nthe MDPH website for the current schedule and detailed \nimmunization guidelines. \nDepartment Contact Information \nHealth \nServices Office: 617-635-6788 Fax: 617-635-7937 \nWelcome \nServices Office: 617-635-9085 Fax: 617-635-9703", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SHS-06 Immunization Law.pdf", + "content": "Superintendent\u2019s Circular SHS-06 \nPage 6 of 6 \n \n \n \n \nDate Activity \nSeptember \nAll new students and students entering grades, \nK2, 1, 4, 6, 10, 11 will be asked to provide an updated \nimmunization record prior to the start of the \nschool year in compliance with current \nMassachusetts Department of Public Health \nrequirements. \nMonthly \nLetters will be sent to parents/guardians \nrequesting immunization records for students \nwith missing immunizations. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSCP-01 \nVersion 01 \n \n \nSCHOOL COMMUNITY PARTNERS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBPS deeply values the essential role that School-Community \nPartners play in our collective efforts to eliminate opportunity \nand achievement gaps. To advance our goals of providing BPS \nstudents and families equitable access to high-quality partner \nopportunities and create more coherence, alignment, and \nunderstanding of the complex and extensive partnership \nlandscape, BPS requires the implementation of this PartnerBPS \n(www.partnerbps.org) Policy for all BPS schools and for all BPS \nSchool-Community Partners. \nPOLICY STATEMENT \nAny School-Community Partner providing any services in any \nBPS school must register and update their information annually \nvia the PartnerBPS Partnership Platform. BPS requires all School-\nCommunity Partners to be fully registered and approved via the", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "BPS school must register and update their information annually \nvia the PartnerBPS Partnership Platform. BPS requires all School-\nCommunity Partners to be fully registered and approved via the \nPartnerBPS platform before providing any services within any \nschool. \n \nDEFINITION OF A SCHOOL-COMMUNITY PARTNER \nA School-Community Partner is an organization, group, or", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "Superintendent\u2019s Circular SCP-01 \nPage 2 of 5 \n \n \ncoalition that intentionally collaborates with the Boston Public \nSchools to provide ongoing, direct services to BPS students, staff, \nfamilies, and/or other members of the school community. This \nbroad definition encompasses a variety of groups, including \ncommunity-based organizations, colleges and universities, \nbusinesses or corporations, hospitals, government agencies, \ncultural institutions, nonprofit or non-governmental \norganizations and faith-based organizations. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOLS \nA. School principals/school leaders/heads of school and/or a \nschool staff member designated by the principal/head of \nschool must identify all School-Community Partners \nproviding services within the school building at the start of \neach school year within the www.partnerBPS.org website. \nThis can be an agreement, contract, or Scope of Work \noutlining services provided and expectations on both sides.", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "each school year within the www.partnerBPS.org website. \nThis can be an agreement, contract, or Scope of Work \noutlining services provided and expectations on both sides. \nIf the partner is a paid partner, the school is responsible for \nentering the requisition before the partner begins providing \nservices to the school and providing this requisition number \nto the partner. No Boston Public School employee, other \nthan those listed below, is authorized to enter a contract \nwith any vendor. This includes, but is not limited to \ncontracts, agreements, memorandums of understanding, \ngrants, partnership agreements, or any other expenditure \nthat binds the district to payment for services/goods. This \nincludes purchases for services or goods for under $10,000. \nB. If additional School-Community Partners begin work at the \nschool site during the school year, the designated school \nstaff must also ensure the partner is registered and all", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "Superintendent\u2019s Circular SCP-01 \nPage 3 of 5 \n \n \nagreements entered www.partnerBPS.org before services \ncan begin. \nC. The school designee must ensure that all current School-\nCommunity Partners are registered on PartnerBPS by \nAugust 31st of the upcoming academic school year. \nD. School leader or designee will require all new partners \nbrokered throughout the school year to register in \nPartnerBPS before beginning services at the school. \nE. School leaders or designee must review their PartnerBPS \nSchool Partnership profile annually to verify and rate the \npartnerships listed on their profile. Review, verification, and \nrating should be conducted by June 30, before the end of \nthe school year. \nF. Schools should use PartnerBPS as a resource for accessing \nand brokering partner opportunities and helping students \nand families identify and access partner opportunities. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY \nPARTNERS", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "and brokering partner opportunities and helping students \nand families identify and access partner opportunities. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY \nPARTNERS \nAll School-Community Partners must be fully registered and \napproved on PartnerBPS.org before providing any type of service \nin a BPS school. \nIn order for School-Community Partners to be considered fully \nregistered, they must complete three steps: organization \nregistration, program registration, and partnership registration. \nFurther instructions and tutorial information on registering for \nPartnerBPS can be found at https://partnerbps.org/help-school-\ncommunity-partners/. \nAll registered School-Community Partners must update their", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "Superintendent\u2019s Circular SCP-01 \nPage 4 of 5 \n \n \nPartnerBPS profile by September 30 before providing their \nservices in schools. Updates should include registration of all \nschool partnerships for the upcoming year, an update of current \ninformation in organization and program profiles, and \ncompletion of any questions that have been added by the \nSchool-Community Partnerships team. \nAs part of this process, School-Community Partners should work \nwith partner schools to establish a school-based partnership \nagreement which they should then upload onto PartnerBPS.org. \nIn addition to the annual updates, School-Community Partners \nshould regularly monitor their profiles and keep information up \nto date. At minimum, review and necessary revisions should be \ncompleted by November 1 and April 1 of each school year. \nAll School-Community Partners are required to be aware of and \nfollow the guidelines outlined within the Guide for School \nCommunity Partners.", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "All School-Community Partners are required to be aware of and \nfollow the guidelines outlined within the Guide for School \nCommunity Partners. \nAppropriate and authorized BPS staff reserve the right to deny \napproval of partners if they do not meet basic safety or quality \nstandards set forth by BPS, including those found within the \nGuide for School Community Partners. \nIMPLEMENTATION MONITORING & SUPPORT \nA. The Office of Family and Community Advancement\u2019s \nPartnerships Team will approve and/or follow up with \nregistering partners after registration completion. If \nadditional information is required before registration \napproval can be granted, the Team will contact the \nadministrator of the respective PartnerBPS account for \nmore information.", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SCP-01 School-Community Partners.pdf", + "content": "Superintendent\u2019s Circular SCP-01 \nPage 5 of 5 \n \n \nB. The Partnerships Team will provide partners and schools \nwith ongoing PartnerBPS technical assistance and support \nusing the site. In addition, support resources are available \nonline at https://partnerbps.org/help-school-community-\npartners/. \n \nFor more information about this circular, contact: \nOwner: Director of Partnerships \nDepartment: Office of Family and Community Advancement \nMailing \nAddress: 2300 Washington Street, Roxbury, MA 02119 \nEmail: ofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-09 \nVersion 01 \n \n LOST CHILDREN PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nFrom time to time, students may be \u201clost\u201d \u2014 that is, a student \nleaves home in the morning but does not arrive at school, or a \nstudent arrives at school but is missing later in the day, or the \nstudent may leave school at dismissal and not arrive at home. The \nfollowing are standard procedures to follow whenever any of these \nscenarios should happen. \nSTANDARD PROCEDURES \nThe first receiver of information will: \n\u2022 Gather as much information as possible from the person \nreporting the lost child, including name, student number, \nschool address and phone number, bus stop, bus number, \nnames of friends/classmates, if known, clothing description, \nand the name and phone number of the caller. \n\u2022 Notify Safety Services: Inform the safety specialist assigned or", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "names of friends/classmates, if known, clothing description, \nand the name and phone number of the caller. \n\u2022 Notify Safety Services: Inform the safety specialist assigned or \npresent at the building, and they will inform BSP dispatch. If \nthere is not a safety specialist at the school, the designated \nschool staff should call Safety Services dispatch at 617-635-\n8000 to initiate immediate support. \n\u2022 Notify the appropriate official: operational leader and school \nsuperintendent. \n\u2022 Notify the principal/head of school and/or program director.", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 2 of 9 \n \n \nThe principal/head of school or program director will: \n\u2022 Contact the student\u2019s parent/guardian. \n\u2022 Contact teacher(s), student(s), and other(s) who may have \ninformation about the lost student. \nThe operational leader or the school superintendent will: \n\u2022 Make every effort to assist in locating the student. \n\u2022 Once the child is located, arrange to get the child home. BPS \nTransportation may be used as needed, subject to availability. \n\u2022 Notify the first receiver of information and principal/head of \nschool of the child's school that the child is located. \nSafety Services will: \n\u2022 Notify Boston Police and assist in coordinating the search \nprocess for lost children. \n\u2022 If a transported student, call the bus company (who in turn will \ncall the bus driver) and check students who travel on the same \nbus. \n\u2022 Notify the Superintendent's Office.", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 3 of 9 \n \nIF LATE SITUATION: \nSafety Services will: \n\u2022 Coordinate search process for lost children \n\u2022 Update parent/guardian of the situation and assure him/her of \ncontinued efforts \n\u2022 Provide parents/guardians with telephone numbers of central \nTransportation and Safety Services as additional resources \n\u2022 If the student is transported, call the bus company, who in turn \nwill call the bus driver, and check students who travel on the \nsame bus \n\u2022 Notify the Superintendent's Office \n\u2022 Notify the Boston Police Department \n\u2022 Notify the first receiver of information, principal/head of school, \nTransportation, and Superintendent\u2019s Office that the child is \nlocated. \nIf the Boston Police Department finds a child wandering, it informs \nBPS Safety Services of the located child. Boston Police will arrange \nto get the child home. \nIMPORTANT TELEPHONE NUMBERS \nBoston Police Department ............................. 911", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "BPS Safety Services of the located child. Boston Police will arrange \nto get the child home. \nIMPORTANT TELEPHONE NUMBERS \nBoston Police Department ............................. 911 \nBPS Department of Safety Services ........... 617-635-8000 \nAssistant Superintendent .............................. 617 293-7048 \nCentral Transportation ................................ ...... 617-635-9520 \nTransdev (Bus Company) ................................ . 617-603-7800 \nSuperintendent\u2019s Office ................................ ... 617-635-9050", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 4 of 9 \n \nFor more information about this circular, contact: \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 5 of 9", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 6 of 9 \n \nBOSTON PUBLIC SCHOOLS \nINCIDENT REPORT \n \nObtain as much of the following information as possible: \nReceived by: \nDate: Time: \nChild\u2019s Name: Student # \nSpeaks English: \u2610Yes \u2610No Language: \nSpec. Needs \u2610Yes \u2610No \nName of Parent/Guardian: \nSchool: Grade: Dismissal Time: \nAddress: \nPhone # (Home): (Emergency): \nPlace of Incident: Bus # \nDescription of Incident \n \n \nNeed Medical Help? \u2610Yes \u2610No Type of Help? \nRequest for Medical Transportation? \nStudent Sent to Hospital? \nParent Contacted? Time? \nNames of Child\u2019s Friends/Classmates/Witness \n \n \n(Use next page for additional information)", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 7 of 9 \n \nNotified Parties \n \nParent/Guardian: \n \nParent/Guardian\u2019s Signature: \n \n \nSchool Leader: \n \nSchool Leader Signature: \n \n \nSafety Notified/Time: Contact Person: \n \n \nSchool Supt\u2019s Office Notified/Time: \n \nContact Person: \n \n \n \n \n \n \n \n \n \n---------- End of the Incident Report ----------", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 8 of 9 \n \nBOSTON PUBLIC SCHOOLS \nLOST CHILD REPORT \nObtain as much of the following information as possible: \nReceived by: \nDate: Time: \nChild\u2019s Name: Student # \nSpeaks English: \u2610Yes \u2610No Language: \nSpec. Needs \u2610Yes \u2610No \nName of Parent/Guardian: \nSchool: Grade: Dismissal Time: \nAddress: \nPhone # (Home): (Emergency): \nPlace of Incident: Bus # \nDescription of Incident \n \n \nNeed Medical Help? \u2610Yes \u2610No Type of Help? \nRequest for Medical Transportation? \nStudent Sent to Hospital? \nParent Contacted? Time? \nNames of Child\u2019s Friends/Classmates/Witness \n \n \n(Use next page for additional information) \nCaller\u2019s Information", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-09 \nPage 9 of 9 \n \nCaller\u2019s Name: Phone # \nRelationship to Child \n\u2610 Parent \u2610 Other \nSpecify: Relative (Aunt, Grandfather, etc.), Friend, Teacher, etc \n \nNotify the Following Parties: \n\u2610 Principal / Head of School Notified Time \n\u2610 Safety: 635-8000 Notified Time \n\u2610 Operational Leader Notified Time \n\u2610 Boston Police: 911* Notified Time \n *(If child not found within 1 hour of drop-off or by 4:30 p.m. or if \nwarranted by other circumstances) \n \nImportant Telephone Numbers: \nWelcome Centers: \n\u2022 Dorchester 635-8015 \n\u2022 East Boston 635-9597 \n\u2022 Roxbury 635-9010 \n\u2022 Roslindale 635-8040 \nTransDev (Bus Company): \n\u2022 Readville Yard 532-2580 \n\u2022 Washington St. Yard 532-2560 \n\u2022 Charlestown Yard 532-2550 \n\u2022 Freeport St. Yard 532-2570 \n \n\u2610 Resolved \nDate/Time \n---------- End of the Lost Child Report ----------", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools\u2019 policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely \nreporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "content": "other agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent\u2019s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and \nancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent\u2019s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent\u2019s staff work with city officials to address \nmany of these issues and the Office of Communications", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "content": "Superintendent\u2019s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent\u2019s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department\u2019s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are \nunavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "content": "state the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident Order of Notification \nArrest Department of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault Department of Safety Services, Police \nBomb Threat Police, Department of Safety Services, \nSuperintendent\u2019s Office \nDemonstration Police, Department of Safety Services, \nSuperintendent\u2019s Office", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "content": "Superintendent\u2019s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession Department of Safety Services, Police \nExtortion Department of Safety Services, Police \nFacility Damage Facilities, Superintendent\u2019s Office, \nDepartment of Safety Services \nLarceny Department of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent\u2019s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) Department of Safety Services, Police \nRobbery Department of Safety Services, Police \nSex Offense Department of Safety Services, Police, \nSuperintendent\u2019s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent\u2019s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "content": "Technical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police \nVandalism Department of Safety Services, Facilities \nWeapons Department of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320.", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "content": "Superintendent\u2019s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n\u25cf Superintendent\u2019s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n\u25cf Superintendent\u2019s Circular FSE-01, School Safety / \nContingency Plans \n\u25cf Superintendent\u2019s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing \nAddress: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-01 \nVersion 01 \n \nSTUDENT SEARCH PROCEDURES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSchool leaders, principals, and other administrative personnel are \nresponsible for enforcing the Student Code of Conduct and for \nestablishing a safe and secure environment for learning in the \nschools under their supervision. The United States Supreme \nCourt in the case of New Jersey v. T.L.O., 469 U. S. 325 (1985) has \nissued a decision that affects how school personnel may enforce \nschool rules and maintain an atmosphere conducive to teaching \nand learning. \nThe Supreme Court\u2019s decision established constitutional \nstandards for student searches by school officials and school \nemployees. Specifically, the Court ruled that the Fourth \nAmendment to the United States Constitution, which prohibits \nunreasonable searches and seizures by government employees,", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "employees. Specifically, the Court ruled that the Fourth \nAmendment to the United States Constitution, which prohibits \nunreasonable searches and seizures by government employees, \nis not violated when public school administrators and teachers \nconduct student searches if there are reasonable grounds to \nbelieve that the search will yield evidence of either a violation of \nlaw, a violation of school rules, or both. \nIn announcing its ruling, the Court rejected the school board\u2019s \nargument that school officials, like parents, are exempt from the \nrequirements of the Fourth Amendment. At the same time, the \nCourt rejected the student\u2019s claim that school officials must \nobtain warrants or meet the more rigorous \u201cprobable cause\u201d \nstandard, applicable to searches by law enforcement officials, \nbefore conducting student searches on school property. Rather,", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-01 \nPage 2 of 6 \n \nthe Court struck a balance between the student\u2019s legitimate \nexpectations of privacy in the school setting and the school\u2019s \nequally legitimate need to maintain an environment in which \nlearning can take place. The Court held that the \u201clegality of a \nsearch of a student should depend simply on the reasonableness, \nunder all the circumstances, of the search.\u201d \nTo be legal, a student search must be reasonable in two respects. \nFirst there must be reasonable suspicion to believe that the \nstudent has in their possession evidence tending to show either a \nviolation of law or a violation of school rules. To reasonably \nsuspect something, school officials must have facts of sufficient \nquantity and certainty to establish that the suspicion is likely to \nbe true. Mere suspicion, hearsay, or a single isolated fact, \nunsupported by further evidence, is generally not enough to \nmeet the reasonable suspicion standard. Second, the scope of", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "be true. Mere suspicion, hearsay, or a single isolated fact, \nunsupported by further evidence, is generally not enough to \nmeet the reasonable suspicion standard. Second, the scope of \nthe search must be reasonable in relation to the intrusion on the \nstudent\u2019s privacy. There must be a likelihood that the area \nsearched will yield the item(s) being sought. \nThe determination of whether a search is reasonable is a \nquestion of judgment without definite benchmarks. School \nofficials must exercise common sense and good judgment to \nensure that student searches conform to the \u201creasonableness\u201d \nstandard. \nIn conducting student searches, school personnel should adhere \nto the following guidelines: \n1. Only administrators who are authorized under Boston \nPublic Schools\u2019 Code of Conduct to suspend students from \nschool should conduct student searches. The authority to \nconduct student searches should be limited to school \nleaders, principals, other administrative officials, and", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "school should conduct student searches. The authority to \nconduct student searches should be limited to school \nleaders, principals, other administrative officials, and \npersonnel specifically designated by school leaders, heads of", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-01 \nPage 3 of 6 \n \nschools, principals, and other administrative personnel to \nsuspend students. \n2. If the school administrator believes that a student may have \nin their possession a firearm, weapon, dangerous object, or \ndrugs, or otherwise fears that a search would jeopardize \ntheir safety, the administrator should not search the student \nuntil the student has notified the Safety Services \nDepartment to be present during the search. \nIt should be noted that the Supreme Court specifically did \nnot decide in the T.L.O. case what standard should apply to \nstudent searches conducted by school officials in \nconjunction with or at the behest of a law enforcement \nagency. However, the Court noted that the higher standard \nof \u201cprobable cause\u201d has been applied to student searches \ninvolving law enforcement agencies by a lower federal \ncourt. Thus, it may be expected that Massachusetts courts \nwill closely scrutinize student searches conducted by school", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "involving law enforcement agencies by a lower federal \ncourt. Thus, it may be expected that Massachusetts courts \nwill closely scrutinize student searches conducted by school \nofficials in conjunction with police officers. Consequently, \nsuch searches may be deemed reasonable only if based \nupon the more stringent probable cause standard. However, \nthe presence of a police officer or safety specialist for the \npurpose of ensuring the safety of the administrator should \nnot alone trigger the higher standard. \n3. Authorized personnel should search only students of the \nsame sex. All searches must be conducted in the presence \nof another staff member of the same sex, who shall serve as \na witness. A male administrator may not search a female \nstudent. If a female administrator is not available to search a \nfemale student, the administrator may designate another \nfemale staff member to conduct the search. If a male \nadministrator is not available to search a male student, the", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-01 \nPage 4 of 6 \n \nadministrator may designate another male staff member to \nconduct the search. It is important to emphasize that \nsearches must always be done by a staff member of the \nsame sex, and must always be done in the presence of a \nwitness of the same sex. \n4. Before conducting a student search, the administrator must \nbe confident that the reasonableness standard, as outlined \nby the T.L.O. decision (The United States Supreme Court in \nthe case of New Jersey v. T.L.O., 469 U. S. 325) has been \nsatisfied. \n5. The manner and method of the search should be tailored to \nthe circumstances. The scope of the search normally should \nbe limited to those areas and objects that could reasonably \nbe expected to contain the item(s) being sought. The basis \nfor the suspicion that a student possesses evidence of a \nviolation of the law or school rule should increase in direct \nproportion to the extent of the intrusion upon the student\u2019s", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "for the suspicion that a student possesses evidence of a \nviolation of the law or school rule should increase in direct \nproportion to the extent of the intrusion upon the student\u2019s \nprivacy in conducting the search. A body search of a student \nrequires a higher level of suspicion than a search of a \nstudent\u2019s book bag. \n \nIn determining whether and how to conduct a student \nsearch, school officials must consider such factors as the \ndanger posed by the object being sought; the likelihood of \nthe evidence being disposed of or destroyed; and the age, \nsex, and prior disciplinary record of the student. The more \nserious the threat posed by the item(s) being sought, the \nmore likely a court will be to find the search reasonable. On \nthe other hand, it is likely that a court would strike down a \nsearch that involved the wholesale rummaging through a \nstudent\u2019s personal property without individualized suspicion", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-01 \nPage 5 of 6 \n \nthat the student had violated either the law or school rules. \nStudent searches must not become general and \nexploratory. \n6. School Department employees are not allowed to conduct \nstrip searches. Strip searches are searches in which a \nstudent is asked to remove articles of clothing that could \nresult in the exposure of undergarments. \n7. An administrator should never use physical force in \nattempting to conduct a search. If a student refuses to \nsubmit to a search, the Department of Safety Services (617-\n635-8000) should be called for assistance. \n8. Searches of student lockers and desks, which remain the \nproperty of the Boston Public Schools while used by \nstudents, should be based upon reasonable grounds to \nsuspect that they will yield evidence of either violation of \nlaw or school rules. Refer to Superintendent\u2019s Circular SAF-\n03 Locker Policy for related information.", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "suspect that they will yield evidence of either violation of \nlaw or school rules. Refer to Superintendent\u2019s Circular SAF-\n03 Locker Policy for related information. \n \n9. If a search by a school administrator yields evidence that a \nlaw has been violated, the administrator should notify the \nDepartment of Safety Services. \nSchool leaders/principals must incorporate salient and pertinent \ninformation from this memorandum into all school-based rules \nand student handbooks. Students and parents must be informed \nthat such information serves as prior and ample notice of the \nSchool Department\u2019s procedure for student searches. The phrase \n\u201cprior and ample notice\u201d is to be included in school-based rules \nand student handbooks.", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-01 Student Search Procedures.pdf", + "content": "Superintendent\u2019s Circular SAF-01 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nName: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \nOR \nOwner: Deputy Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-02 \nVersion 01 \n \nWEAPONS AND OBJECTS OF NO REASONABLE USE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThe Code of Conduct lists as grounds for suspension or expulsion \nthe possession of any dangerous weapon, including but not \nlimited to a firearm, knife, razor blade, club, explosive, taser, stun \ngun mace/pepper spray, tear gas, brass knuckles, studded \nbracelet, other dangerous weapons, or dangerous objects of no \nreasonable use to the student at school. (See Code of Conduct \nSections 7.4 and 14.13). \nHeads of school and principals should note that as of January \n1999, the Boston City Council enacted an ordinance restricting \nthe sale, possession, and use of laser pointer devices (Ord. 1999 c. \n2 \u00a7 4)). As a result of that ordinance, persons under twenty-one \nyears of age are prohibited from possessing any laser pointer \ndevice on any school property within the City of Boston. Laser", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "2 \u00a7 4)). As a result of that ordinance, persons under twenty-one \nyears of age are prohibited from possessing any laser pointer \ndevice on any school property within the City of Boston. Laser \npens and other laser pointer devices are considered to be objects \nof no reasonable use within the meaning of the Code of Conduct. \nStudents found in possession of such devices are subject to the \nprovisions of Section 7.4 of the code. Students may also be \nsubject to non-criminal court proceedings, under MGL, c.40, \ns.21D. \nHeads of school and principals must communicate to students \nthat the possession of any weapon or object of no reasonable use \nin school, on the way to school, or during school-related activities", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "Superintendent\u2019s Circular SAF-02 \nPage 2 of 4 \n \nis strictly forbidden, and that violations of this rule will be dealt \nwith appropriately. Students must also be advised that under \ncertain circumstances when evidence exists of serious \nmisconduct outside of school \u2014 for example, a student\u2019s being \ncharged with or convicted of a felony, such that the student\u2019s \ncontinued presence in school will have a substantial detrimental \neffect on the general welfare of the school \u2014 these shall be \nconsidered school related offenses and shall be dealt with in \naccordance with Section 7.0 of the Code of Conduct. \nHeads of school and principals must incorporate salient and \npertinent information from the above two paragraphs into all \nschool-based rules and student handbooks. Students and \nparents must be informed that such information serves as prior \nand ample notice of the School Department\u2019s policy regarding \nweapons and other objects of no reasonable use. The phrase", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "parents must be informed that such information serves as prior \nand ample notice of the School Department\u2019s policy regarding \nweapons and other objects of no reasonable use. The phrase \n\u201cprior and ample notice\" is to be included in school-based rules \nand student handbooks. \nThe Educational Reform Act of 1993 requires that all student \nhandbooks include the following information. Such information is \nto be incorporated into all school-based rules as well. \n1. Any student found in possession of a dangerous weapon, \nincluding but not limited to a firearm or a knife; or found in \npossession of a controlled substance, including but not \nlimited to marijuana, cocaine, or heroin, on school premises \nor at a school sponsored or school related event, including \nathletic games, may be subject to expulsion.", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "Superintendent\u2019s Circular SAF-02 \nPage 3 of 4 \n \n2. Any student who assaults a staff member on school \ngrounds, or at a school sponsored, or school related event, \nincluding athletic games, may be subject to expulsion. \nMassachusetts law requires all school staff personnel to report in \nwriting to their immediate supervisor any incident involving a \nstudent\u2019s possession or use of a dangerous weapon on school \npremises, (MGL, c.71, s.31 L). Refer to MGL, c.269, s.10 and the Code \nof Conduct for definitions of dangerous weapons. \nIf a dangerous weapon or an object of no reasonable use is \nconfiscated, the following steps are to be taken: \n1. Each item is to be kept in the possession of the \nadministrator, who will notify the Department of Safety \nServices immediately upon confiscation. If the item is a \nfirearm, the Boston Police are to be immediately notified by \ntelephone, using the 911 emergency line. School Department \npersonnel will comply with subsequent instructions issued", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "firearm, the Boston Police are to be immediately notified by \ntelephone, using the 911 emergency line. School Department \npersonnel will comply with subsequent instructions issued \nby the police. \n2. Safety Services will hold items, other than firearms, making \nthem available for hearings, conferences, and court \nproceedings for a reasonable period. \n3. Following any parental conferences and court proceedings, \nitems which are classified as dangerous weapons under \nMGL, c. 269, s.10 or MGL, c. 140, s.131 J shall be turned over to \nthe Boston Police by the Department of Safety Services. \n4. In no instances will a dangerous weapon or an object of no \nreasonable use be returned to a student. The Department of \nSafety Services will be responsible for returning any", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "Superintendent\u2019s Circular SAF-02 \nPage 4 of 4 \n \nproperty not classified as a dangerous weapon to the parent \nor legal guardian upon written request. \n5. Objects of no reasonable use not claimed by a parent or \nguardian within a reasonable period will be turned over to \nthe Boston Police Department for destruction. \nAll staff members are expected to meet the same standards that \nhold for students. Employees of the Boston Public School are \nprohibited from bringing firearms or other dangerous weapons \nonto school property at any time. Except for law enforcement \nofficials, it is a violation under federal and state law for anyone to \nbring a firearm, loaded or unloaded, into an elementary school, a \nsecondary school, or a college or university, even if that person is \notherwise licensed to carry a firearm. \nFor more information about this circular, contact: \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "content": "For more information about this circular, contact: \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-03 Locker Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-03 \nVersion 01 \n \nLOCKER POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nConsistent with the policy outlined in Superintendent\u2019s Circular \nSAF-02, Weapons and Objects of No Reasonable Use, this \nmemorandum explains the Boston Public Schools\u2019 policy \nregarding student locker searches. \nAll students and parents must understand that lockers are the \nproperty of the Boston School Department, made available for \nstudents\u2019 use and convenience. Lockers remain the property of \nthe Boston School Department while being used by students. \nSchool administrators, other school department personnel, \nincluding but not limited to teachers, custodians, and school \npolice have authority to search student lockers; any personal \neffects found within lockers; and places of concealment within \nthose personal effects. Students will be held accountable for the", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-03 Locker Policy.pdf", + "content": "police have authority to search student lockers; any personal \neffects found within lockers; and places of concealment within \nthose personal effects. Students will be held accountable for the \ncontents of their lockers and the contents of their personal \neffects. Any contraband or evidence of a crime found because of \na locker search will be turned over to the appropriate authorities. \nThe information from the above paragraph is to be included in all \nschool-based rules and all student handbooks. Students and \nparents must be informed that such information serves as prior \nand ample notice of the School Department\u2019s student locker \npolicy. The phrase \u201cprior and ample notice\u201d is to be included in", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-03 Locker Policy.pdf", + "content": "Superintendent\u2019s Circular SAF-03 \nPage 2 of 4 \n \nschool-based rules and student handbooks. \nIn implementing the locker policy, each school must adhere to \nthe following guidelines: \n1. Each school will determine its own procedure for assigning \nlockers and issuing padlocks and locker keys. This procedure \nmust be included in the school-based rules and student \nhandbook. Students must adhere to all school-based rules \npertaining to locker use. \n2. Only school issued padlocks and locker keys are to be used. \nAll unauthorized padlocks are to be removed immediately \nupon detection, and the locker and its contents immediately \nsearched by the school leader, principal, or designee. \n3. Locker assignments are to be documented. This document \nis to contain the student\u2019s name and the appropriate master \nkey information or the padlock combination. This document \nis to be kept in a secure but readily available place in the \nmain office of the school.", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-03 Locker Policy.pdf", + "content": "key information or the padlock combination. This document \nis to be kept in a secure but readily available place in the \nmain office of the school. \n4. Students are not to share lockers, unless authorized by the \nschool leader, principal, or other building administrator. \n5. All unused lockers are to be cleaned out and locked or \nsealed to prevent unauthorized use. \n6. School leaders and principals will arrange for periodic \ninspection of lockers by school personnel, including at least \none general cleanup during the school year. Personal effects \nremoved from lockers are to be inventoried and reasonable \nefforts made to return property to its owners. Contraband \nand evidence of a crime is to be inventoried and turned over \nto the appropriate public safety agency.", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-03 Locker Policy.pdf", + "content": "Superintendent\u2019s Circular SAF-03 \nPage 3 of 4 \n \n7. School leaders, principals, and other school department \npersonnel will conduct inspections of student lockers when \nit has been reasonably determined that a safety or security \nproblem exists, or that there is reasonable suspicion that the \nstudent has evidence in the locker tending to show either a \nviolation of the law or a violation of school rules. Personal \neffects are to be inventoried and reasonable efforts made to \nreturn property to its owner. Contraband and evidence of a \ncrime is to be inventoried and turned over to the \nappropriate public safety agency. \n8. Students whose lockers contain contraband or evidence of a \ncrime will be subject to the provisions of the Code of \nConduct and to the applicable criminal statutes. If \ncontraband or evidence of a crime is confiscated from a \nstudent's locker, procedures detailed in Superintendent \nCircular SAF-02, Weapons and Objects of No Reasonable", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-03 Locker Policy.pdf", + "content": "contraband or evidence of a crime is confiscated from a \nstudent's locker, procedures detailed in Superintendent \nCircular SAF-02, Weapons and Objects of No Reasonable \nUse, cited above are to be followed.", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-03 Locker Policy.pdf", + "content": "Superintendent\u2019s Circular SAF-03 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nName: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-08 \nVersion 01 \n \nRELEASE OF STUDENTS TO AUTHORIZED PERSONS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchool leaders/principals must use extraordinary care in releasing \na child to a parent or guardian. Such care should be further \nemphasized when an administrator has been informed that a \ncourt order exists prohibiting release of that child to a certain \nperson or persons. It is essential to exercise extreme caution in \nthis area to prevent a parent or guardian from attempting to \nremove a child from school. It is both essential and mandatory \nthat school leaders/principals regularly update the Student \nEmergency Information Card (Form 460). \nIf telephone notification is received from a parent or guardian to \nrelease a student to a third party, it is the responsibility of the \nbuilding administrator to verify. A suggested procedure is to ask", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "content": "release a student to a third party, it is the responsibility of the \nbuilding administrator to verify. A suggested procedure is to ask \nfor the telephone number from which the party is calling, cross-\ncheck that number with the information from the emergency \ncard, and then call the party back at that number. \nSchool leaders/principals must require proper identification from \nany person removing a child from school. No child is to be \nreleased to anyone other than a custodial parent without the \nparent's consent and proper identification. \nSchool leaders/principals should note that the Department of \nChildren and Families (DCF) has statutory authority to take", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "content": "Superintendent\u2019s Circular SAF-08 \nPage 2 of 5 \n \nimmediate custody of any child if DCF has reasonable cause to \nbelieve that such action is necessary to protect the child from \nabuse or neglect. In such cases, the child will be brought before \nthe court on the next business day. Such emergency measures \nare usually taken without the consent of the parent. However, \nbefore school leaders/principals release any child to an agent of \nthe DCF, the agent should be required to present their official \nphoto identification and prepare a simple signed statement to \nthe effect that the Department of Children and Families is \nexercising its authority to take immediate custody of the child on \nthe grounds of suspected abuse or neglect. \nUnder no circumstances should a child be sent to any location by \nway of a taxicab, or any other transportation service based solely \non notification received by telephone. \nSchool leaders/principals having doubts about the release of a", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "content": "way of a taxicab, or any other transportation service based solely \non notification received by telephone. \nSchool leaders/principals having doubts about the release of a \nstudent should immediately contact the Boston Police \nDepartment by calling 911 and Boston Public Schools Safety \nServices Department at 617-635-8000. \nThere are some situations in which parents have authorized a \nthird party to transport their children to or from school on a \nregular basis in a van, bus, or some vehicle other than that \nassigned by the BPS Transportation Department. School leaders, \nprincipals, and program directors must obtain written permission \nfrom such parents authorizing alternative transportation \narrangements. The attached form, Parent Permission to Release \nStudent to Authorized Persons, must be completed by the parent \nbefore administrators put a child into a vehicle operated by a \nthird party.", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "content": "Superintendent\u2019s Circular SAF-08 \nPage 3 of 5 \n \nIt is important to record the name of the driver, the name of the \nbus company (if applicable), the type of vehicle, and the vehicle \nregistration number. School leaders, principals, and program \ndirectors are to retain a copy of each completed form. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "content": "Superintendent\u2019s Circular SAF-08 \nPage 4 of 5 \n \nPARENT PERMISSION TO RELEASE STUDENT TO \nAUTHORIZED PERSONS \n \nThe Boston School Department is concerned about the safety \nand wellbeing of all students and consequently will release a \nchild to a third party (someone other than the parent or legal \nguardian) only with the parent\u2019s or guardian\u2019s written \nauthorization. If you plan to release your child to a third party, \nyou must complete this form and return it to the principal of \nyour child\u2019s school. \n \nDate_____________________________ \nI, as parent or guardian, give permission for [print name of \nstudent] \nto be transported to and/or from the [print name of school] \n \nby [name of third-party driver] \nfrom [start date] _________________ to [end date] .", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "content": "Superintendent\u2019s Circular SAF-08 \nPage 5 of 5 \n \nI further understand that [name of third-party driver] \n________________________________________ will be responsible for my \nchild\u2019s transportation services and safety. I release the Boston \nSchool Department from any liability in case of any accident, \ninjury, and/or other claim as a result of the Boston School \nDepartment releasing my child to the person or agency named \nabove. \nSignature of Parent/Guardian: \nHome/Cell Phone Number: \nWork Phone Number: \nAddress: \n \nName of third-party company or individual: \n \nPhone Number: \nType of vehicle (check as appropriate): \n\u2610 Van \u2610 Bus \u2610 Automobile \u2610 Other Vehicle \nVehicle Registration Number:", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-12 \nVersion 01 \n \nSCHOOL ACCESS CONTROL \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAMENDMENT FOR SY 2024-2025: \nThe safety, health, and wellness of our students, staff, and \nfamilies is our highest priority at Boston Public Schools. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building at the area(s) \ndesignated by your school leader/staff. \n\u25cf Parents/guardians should contact their school directly, via \nphone or email, to schedule any discussion or virtual \nappointments that they would like to have on behalf of their \nstudent. \n\u25cf If a student is sick or injured and needs to be picked up, \nschool staff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. School staff will verify identification of the \nindividual prior to releasing the student via exterior camera \nand intercom.", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "Superintendent\u2019s Circular SAF-12 \nPage 2 of 7 \n \nSAFETY PROTOCOLS PERTAINING TO INDIVIDUALS IN AND \nOUTSIDE THE FACILITY \nIf school staff have safety concerns pertaining to an individual \noutside or inside the facility, they should immediately contact the \nDepartment of Safety Services/Boston at 617-635-8000. In the \ncase of any imminent threat to student or staff safety, the Boston \nPolice Department should be notified immediately by dialing 911. \nThe Boston Public Schools Safety Services Department should \nalso be notified by dialing 617-635-8000. \nEach school in the district must, through its School Safety \nContingency Plan, have clear and comprehensive school access \ncontrol protocols in place. School access control plans must \nadhere to the following: \n\u25cf Ensure that only those students, staff and others who are \nauthorized to be in the school building are admitted to the \nfacility. \n\u25cf Require all staff (school based, central office,", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "\u25cf Ensure that only those students, staff and others who are \nauthorized to be in the school building are admitted to the \nfacility. \n\u25cf Require all staff (school based, central office, \ncontractors/vendors, etc.) to wear and prominently display \ntheir BPS identification cards at all times while on school \nproperty and during school-based activities (e.g., field trips, \nschool assemblies, outdoor activities). All staff are also \nrequired to follow all school access protocols and \nprocedures as outlined in this circular. \n\u25cf Employ a standard operating procedure that all doors to the \nschool building are locked and secured at all times, while \nsimultaneously allowing for appropriate egress from inside \nthe building. \n\u25cf School secretaries and other staff should NOT admit any \nvisitor to the building until they can reasonably ascertain the", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "Superintendent\u2019s Circular SAF-12 \nPage 3 of 7 \n \nidentity of the individual seeking entrance and the reason for \nentry. Staff must use an intercom, camera buzzers and \nmonitors to assist them with observing and communicating \nwith any individual seeking access to the facility. \n\u25cf Secretaries and other staff should NOT allow (buzz in) people \nin without knowing or asking the visitor the reason for being \nat the school. The camera buzzer shall be used to identify the \nperson and the reason for their visit before allowing them to \nenter school premises \u201cHello, how can you help you, do you \nhave an appointment?,... please indicate the reason for your \nvisit and the person who is hosting you during your visit\u2026\u201d \n\u25cf Post appropriate signs directing visitors to the main office. \n\u25cf Any staff member that finds a person in a school building \nwithout an appropriate visitor pass or BPS ID is encouraged \nto inquire of the person\u2019s business or reason for being there.", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "\u25cf Any staff member that finds a person in a school building \nwithout an appropriate visitor pass or BPS ID is encouraged \nto inquire of the person\u2019s business or reason for being there. \nThe person should be directed to the main office for further \nassistance. If the person may be creating an unsafe \nenvironment, please follow the procedure as outlined above \nunder \u201cImportant Note.\u201d \n\u25cf ALL staff should inform the designee at the main office in \nthe event they are expecting a visitor and provide name and \nreason prior to the visitor\u2019s arrival. In the event a family \nmember, partner, or friend is dropping something off for a \nstaff member, the main office designee MUST obtain verbal \nconfirmation from the employee PRIOR to allow access to \nthe facility per this circular. If verification cannot be \nobtained, the individual is not to be allowed in the facility. \nREQUIREMENTS FOR ALL VISITORS \n\u25cf Upon admittance, report immediately to the main office", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "Superintendent\u2019s Circular SAF-12 \nPage 4 of 7 \n \n(staff allowing entrance to the facility should confirm arrival \nto the main office and sign-in etc.). \n\u25cf Present photo identification. \n\u25cf If an individual cannot produce a photo ID, staff should \nrequest another form of identification and/or gain \nconfirmation from school staff that the person is known to \nthe school. If additional support is needed to confirm \nidentification, staff should obtain support from the head of \nschool/principal or designee before authorizing a visit to \ncontinue. \n\u25cf Sign the visitor\u2019s log, including full name, time in and time \nout, reason for visit, and affiliation (i.e., student, vendor, \ndepartment, agency etc.). Please see Superintendent \nCircular LGL-04, School Visitors Guidelines. \n\u25cf After completing the sign-in process, all visitors are to \nremain in the main office, or designated area, while waiting \nfor staff escort to appointments or meetings. All visitors", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "\u25cf After completing the sign-in process, all visitors are to \nremain in the main office, or designated area, while waiting \nfor staff escort to appointments or meetings. All visitors \nmust be in an area attended by staff to avoid any \nunauthorized movement through the building for the \nduration of their visit. \n\u25cf If an authorized visitor states that they are wearing an ankle \nmonitor or staff observes an ankle monitor on a visitor, staff \nshould follow the procedures outlined above. \n \nHEAD OF THE SCHOOL AND FACULTY \n\u25cf Mandate that ALL visitors to the building be issued and \nprominently display a visitor identification badge received at \nthe time of sign-in at the main office. \n\u25cf Identify designated meeting space, close to the main office,", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "Superintendent\u2019s Circular SAF-12 \nPage 5 of 7 \n \nto prevent visitors from moving throughout the building. \nClassroom access should be limited to special events and \nopen houses. \n\u25cf Ensure the safety and security of students and the integrity \nof the school building entrances during recess, physical \neducation, and activities that might occur outdoors, and \nduring student arrival and dismissal times, by assigning staff \nto closely monitor all aspects of the movement of students \nand any open doors to accommodate transition in and out \nof the building. \n\u25cf Prohibit prospective BPS employees from beginning their \nwork until they have been fully hired, and therefore CORI \nand SORI cleared by the Office of Human Capital. \n\u25cf Demand that any facilities and physical plant contractors \nslated to work in the building prominently display their \ngreen BPS identification cards, which demonstrate that they \nhave been CORI and SORI cleared.", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "slated to work in the building prominently display their \ngreen BPS identification cards, which demonstrate that they \nhave been CORI and SORI cleared. \n\u25cf Prohibit staff (including all vendors, contractors, and staff \nfrom other departments), students, or others from \n\u201cpropping open\u201d doors or creating other potential \ninconspicuous means of unauthorized entry into the school \nbuilding. \nDistrict personnel will look for these elements when reviewing \nschool safety plans. In addition, specialists from BPS Safety \nServices will conduct proactive site visits to assist and provide \ninput and support on school access control. \nSchool safe mode and internal threat procedures should be \nexplicitly planned, discussed, and documented by all staff \nmembers. In addition to conducting evacuation procedure drills,", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "Superintendent\u2019s Circular SAF-12 \nPage 6 of 7 \n \nschool safe mode drills must be conducted in September and \nJanuary of each school year (see Supt. Circular FSE-08, Safe Mode \nand Internal Threat Drill Procedures). \nAll staff members must exercise extreme vigilance regarding \nschool building security: remain alert for trespassers, unsecured \ndoors, and/or suspicious persons or activity around the school. \nSchool employees should not compromise their own safety or \nthat of students when undertaking these security measures. \nSound judgment and reasonable action by all school-based \npersonnel are expected. Any potential threats to student or staff \nsafety should be reported at once to the principal/head of school \nor their designee (in the event they are out of the building). \nRELATED SUPERINTENDENT CIRCULARS \n\u25cf LGL-04 School Visitor Guidelines \n\u25cf FSE-01 School Safety Contingency Plans \n\u25cf SAF-07 Metal Detectors \n\u25cf SAF-08 Release of Students to Authorized Persons", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "RELATED SUPERINTENDENT CIRCULARS \n\u25cf LGL-04 School Visitor Guidelines \n\u25cf FSE-01 School Safety Contingency Plans \n\u25cf SAF-07 Metal Detectors \n\u25cf SAF-08 Release of Students to Authorized Persons \n\u25cf SAF-11 Sexual Offender Registry Information (S.O.R.I.)", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-12 School Access Control.pdf", + "content": "Superintendent\u2019s Circular SAF-12 \nPage 7 of 7 \n \nFor more information about this circular, contact: \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools\u2019 policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely \nreporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "content": "other agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent\u2019s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and \nancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent\u2019s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent\u2019s staff work with city officials to address \nmany of these issues and the Office of Communications", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "content": "Superintendent\u2019s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent\u2019s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department\u2019s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are \nunavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "content": "state the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident Order of Notification \nArrest Department of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault Department of Safety Services, Police \nBomb Threat Police, Department of Safety Services, \nSuperintendent\u2019s Office \nDemonstration Police, Department of Safety Services, \nSuperintendent\u2019s Office", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "content": "Superintendent\u2019s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession Department of Safety Services, Police \nExtortion Department of Safety Services, Police \nFacility Damage Facilities, Superintendent\u2019s Office, \nDepartment of Safety Services \nLarceny Department of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent\u2019s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) Department of Safety Services, Police \nRobbery Department of Safety Services, Police \nSex Offense Department of Safety Services, Police, \nSuperintendent\u2019s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent\u2019s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "content": "Technical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police \nVandalism Department of Safety Services, Facilities \nWeapons Department of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320.", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "content": "Superintendent\u2019s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n\u25cf Superintendent\u2019s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n\u25cf Superintendent\u2019s Circular FSE-01, School Safety / \nContingency Plans \n\u25cf Superintendent\u2019s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing \nAddress: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-19 \nVersion 01 \n \n \n \nHOME AND HOSPITAL INSTRUCTION SERVICES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nPOLICY \nThe intent of Boston Public Schools (BPS) Home and Hospital \nInstruction is to provide a student receiving a publicly funded \neducation with the opportunity to make educational progress \neven when a physician determines that the student is medically \nunable to attend school. In compliance with Massachusetts \nregulation 603 CMR 28.03(3), BPS Home and Hospital Instruction \ncollaborates with schools, parents, agencies, and hospitals to \nensure alignment of educational goals and curriculum for \naccurate service delivery to provide, at a minimum, the \ninstruction necessary to enable the student to maintain progress \nin their courses of study and minimize the educational loss that \nmight occur during the period when the student is confined at", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "instruction necessary to enable the student to maintain progress \nin their courses of study and minimize the educational loss that \nmight occur during the period when the student is confined at \nhome or in a hospital. Services are provided with sufficient \nfrequency to allow the student to continue their educational \nprogram, as long as such services do not interfere with the \nmedical needs of the student.", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 2 of 13 \n \n \n \nINTENT OF MASSACHUSETTS REGULATIONS ON EDUCATIONAL \nSERVICES IN THE HOME OR HOSPITAL \nHome and Hospital Instruction is not to be confused with Special \nEducation services, \u201cunless the student has been determined \neligible for such services, and the services include services on the \nstudent\u2019s IEP.\u201d Home and Hospital Instruction is a special type of \nservice provided under the Americans with Disabilities Act (ADA) \nand state law for the purpose of ensuring that medically involved \nstudents receiving a publicly funded education have equal access \nto education as do their counterparts. Publicly funded education \nincludes Boston Public Schools, charter schools, Boston resident \nstudents who are enrolled at out of district schools, including \nMETCO and private placements, and students on private tuition \n(see Attachment B). Students who are on private tuition are \neligible only if they have an Individualized Education Program", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "METCO and private placements, and students on private tuition \n(see Attachment B). Students who are on private tuition are \neligible only if they have an Individualized Education Program \n(IEP) or fall under the special education umbrella. \nThe eligibility guidelines of Home and Hospital Instruction are: \n\u25cf A physician determines that a student is physically unable \nto attend school. \n\u25cf A student has been or will be out of school for more than 14 \nconsecutive days or can be anticipated to accumulate more \nthan 14 absences in a school year at home or in a hospital \n(i.e., sickle cell disease, cancer treatment, etc.). \n\u25cf When it is deemed by the student\u2019s attending physician or \npediatrician that they will be confined to a home or hospital \nsetting for more than 60 (sixty) days, the student will then \nbe evaluated by the Special Education Department under \nstate guideline/regulation 603 CMR 28.04(4). When it is", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 3 of 13 \n \n \n \nknown that a student will be out for more than 60 (sixty) \ndays, it is recommended that the physician complete the 60 \nDay Physician Statement. \n\u25cf A student is marked Constructively Present (CP) for the \nperiod during which the student receives home/hospital-\nbased services and receives a passing grade for all work that \nhas been satisfactorily completed. No home/hospital-based \ninstruction will be provided over the summer break unless \ndesignated in an IEP and the child is unable to attend \nExtended School Year. \nIMPLEMENTATION OF HOME AND HOSPITAL INSTRUCTION \nRole of the parent: \n\u25cf Provide consent for the exchange of information between \nthe student's physician and the district to ensure an open \nline of communication between service providers. \n\u25cf Maintain communication with the school to ensure that \ngrading is occurring according to classroom guidelines. \n\u25cf Inform school of the student\u2019s medical needs that will", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "\u25cf Maintain communication with the school to ensure that \ngrading is occurring according to classroom guidelines. \n\u25cf Inform school of the student\u2019s medical needs that will \nrequire home and hospital instruction. \n\u25cf Provide the school nurse with all the medical information to \nensure that when the student is in school, the medications, \nprocedures, and protocols are in place to ensure medical \nsafety and optimal learning. This includes completing, along \nwith the physician of record, the Individual Collaborative \nHealth Plan (ICHP) form if the physician indicates that the \nstudent\u2019s health during this period will affect the provision \nof full educational services and this form has not previously", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 4 of 13 \n \n \n \nbeen completed. \n\u25cf Ensure that the student\u2019s physician of record completes the \nHome and Hospital Physician Statement form and the ICHP. \n\u25cf Participate in the action plan for their child based on the \nICHP and the Physician Statement. \n\u25cf Provide an appropriate learning environment at home. \n\u25cf Ensure that someone over the age of 18 is at home when the \ntutoring occurs (or arranges a neutral meeting place such as \na library), notify the central office if the tutor does not keep \nthe appointment, and sign the instructor\u2019s sheet after each \nsession. \nRole of the physician: \n\u25cf Submits a completed Physician Statement (see Attachment \nA) verifying the medical or psychological illness to the \nschool\u2019s nurse for verification. When it is known that a \nstudent will be out for more than 60 days, it is \nrecommended that the physician complete the 60 Day \nPhysician Statement. \nThe Physician Statement should include the date the", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "student will be out for more than 60 days, it is \nrecommended that the physician complete the 60 Day \nPhysician Statement. \nThe Physician Statement should include the date the \nstudent will be confined, medical diagnosis, expected return \ndate, and medical information that may prevent the student \nfrom accessing the provision of a full education. \n\u25cf If the physician identifies on the Physician Statement that \nthe student\u2019s health during this period will affect the \nprovision of full educational services, the physician needs to \ncomplete the ICHP in conjunction with the parent. \n\u25cf The physician is expected to remain aware of the time frame", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 5 of 13 \n \n \n \nthe child is out of school. \n\u25cf Participate in a re-entry plan to ensure the child can return \nto the school environment without impediments. \nROLE OF THE SCHOOL ADMINISTRATOR: \n\u25cf Identifies a person to be the school contact (i.e., guidance \ncounselor, student support staff, nurse, or administrator) \nwho will serve as a liaison for students who are home and \nhospital bound. \n\u25cf Submit the designated point of contact to the Home and \nHospital Instruction Program within the Department of \nOpportunity Youth (OY). \n\u25cf If needed, refer a school-based teacher to Home and \nHospital Instruction to serve as the home tutor. \n\u25cf Ensure appropriate school-level communications to prompt \na timely N1 team meeting with special education for \nstudents who will be out for more than 60 days. \n\u25cf Oversee the coordination of key school staff to ensure \nstudents in Home and Hospital Instruction have school-", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "students who will be out for more than 60 days. \n\u25cf Oversee the coordination of key school staff to ensure \nstudents in Home and Hospital Instruction have school-\nbased support in the areas of academics, curriculum, \nattendance, and testing as appropriate and necessary. \nRole of the school nurse: \n\u25cf The school nurse reviews and submits the completed \nPhysician\u2019s Statement form and non-BPS student form to \nHome and Hospital Instruction (617-635-6633) for \ncoordination of services. \n\u25cf Communicate with the Home and Hospital Instruction team", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 6 of 13 \n \n \n \nas needed to ensure students have appropriate access to \nservices and tutoring. \n\u25cf Coordinate with the physician or medical provider as \nneeded to confirm, verify, or request updates to information \nin Physician Statement. \n\u25cf Collaborate with the school-based and Special Education \nteam to ensure appropriate support of the student\u2019s \nacademic goals while in Home and Hospital Instruction. \n\u25cf Request a medical update from the physician after 2 \nmonths if the student still needs home tutoring. \n\u25cf When it is known that a student will be out for more than 60 \ndays, it is recommended that the school nurse coordinate \nwith the family and/or medical provider to ensure that the \nphysician completes the 60 Day Physician Statement. \nRole of the teacher: \n\u25cf Ensure that the student follows the same classroom syllabus \nand rubric as the non-medically involved students. \n\u25cf Modify home and hospital assignments as needed so the", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Role of the teacher: \n\u25cf Ensure that the student follows the same classroom syllabus \nand rubric as the non-medically involved students. \n\u25cf Modify home and hospital assignments as needed so the \nstudent can continue to make academic progress. \n\u25cf Correct the work and assign appropriate grades to the \nstudent. \n\u25cf Notify parents of the student\u2019s progress. \nRole of the identified school-based contact to Home and \nHospital Instruction: \n\u25cf Determine if online curriculum is appropriate and posts \nonline.", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 7 of 13 \n \n \n \n\u25cf Collect materials/assignments from the student\u2019s teachers \nfor the home and hospital instructors. \n\u25cf If students are hospitalized, the school contact provides \nmaterials/assignments to parents. Work can also be faxed \nor emailed to the hospital instructors. \n\u25cf If a student is homebound, the school contact provides \nmaterials/assignments to the home instructors. \n\u25cf Communicate frequently with the Home & Hospital \nInstruction Program, home-based instructors, students, and \nparents to assure continuity of services and that student \nneeds are being met. \n\u25cf Receive completed work from the home or hospital \ninstructors and deliver the work to the student\u2019s teachers. \n\u25cf Ensure students are not being marked absent but as \nConstructively Present (CP). Students\u2019 attendance should \nreflect \u201cHome Tutoring\u201d as the \u201creason code\u201d to avoid \u201cdid \nnot report\u2019 (DNR) and automatic withdrawal from school.", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Constructively Present (CP). Students\u2019 attendance should \nreflect \u201cHome Tutoring\u201d as the \u201creason code\u201d to avoid \u201cdid \nnot report\u2019 (DNR) and automatic withdrawal from school. \n\u25cf Ensure grades are entered and report cards are generated. \n\u25cf Sign off on home instructor timesheet once monthly. \n\u25cf Retain copy of scholastic and attendance records. \n\u25cf Work with the Office of Special Education to assure qualified \nstudents are evaluated for an IEP or 504 plan. \nRole of Home and Hospital Instruction: \n\u25cf Oversee the Home and Hospital Instruction program, \nincluding tutor recruitment, application, assignment, \npayment, and training.", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 8 of 13 \n \n \n \n\u25cf Identify tutoring vendors in conjunction with the hospital. \n\u25cf Identify a home instructor once eligibility is confirmed. \n\u25cf Maintain a tracking system of all students receiving Home \nand Hospital Instruction. \n\u25cf Provide training on protocol and procedures to all Home \nand Hospital instructors. \n\u25cf Perform quality assurance monitoring, which can include \nrandom visits to tutoring sites. \n\u25cf Assist schools in academic advising. \n\u25cf Determine, in conjunction with the school, the family and \nthe medical needs, the length and frequency of tutoring \nsessions. In general, the length should not exceed 3 hours in \none sitting, and the frequency is generally 3 times per week, \nwith a range of 2- 10 hours. \nRole of the Home and Hospital instructors: \n\u25cf Participate in the Home and Hospital Instruction training \nprogram and review/implement the Protocol and Procedure \nManual for Home Instructors.", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Role of the Home and Hospital instructors: \n\u25cf Participate in the Home and Hospital Instruction training \nprogram and review/implement the Protocol and Procedure \nManual for Home Instructors. \n\u25cf Confirm tutoring assignments with the school within 24 \nhours of receipt. \n\u25cf Maintain communication with the school\u2019s designated \nschool-based contact person. \n\u25cf Complete scholastic records on individual students. \n\u25cf Maintain a timesheet with daily parental sign-off. \n\u25cf Provide direct tutorial services on an individualized basis to \nassigned students.", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 9 of 13 \n \n \n \n\u25cf Arrange designated material pick-up times with the school\u2019s \ncontact. \n\u25cf Schedule tutoring sessions with parents. \n \nFor more information about this circular, contact: \nOwner: Senior Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 10 of 13", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 11 of 13", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 12 of 13 \n \n \n \nATTACHMENT B \nThis form is to be completed by the school on Non-BPS students: \nPrivate, Charter, Out of District, Private Placement and METCO \nThis student is currently receiving hospital/home tutorial services \nthrough Boston Public Schools. In addition to the Physician\u2019s \nStatement (form 603 CMR 28.3(3)c), please submit the following \ninformation for the referred student: \n \nStudent Name: ___________________________________________________ \nAddress: __________________________________________________________ \nParent/Guardian: _________________________________________________ \nTelephone: Home______________________Cell ______________________ \nDate of Birth: ___________________________________________________ \nRace: ____________________________________________________________ \nM______ F______ Grade: ____________ \nSchool Name: ____________________________________________________", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Race: ____________________________________________________________ \nM______ F______ Grade: ____________ \nSchool Name: ____________________________________________________ \nSchool Address: __________________________________________________ \nSchool Phone: ____________________________________________________ \nSchool Contact: __________________________________________________ \nEmail Address: ___________________________________________________ \nFAX #: _____________________________", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "content": "Superintendent\u2019s Circular SSS-19 \nPage 13 of 13 \n \n \n \nIs the student receiving special education services? \nYes____ No_____ Unknown ______ \n \nPlease return this form to: \nHome and Hospital Program Coordinator \nBoston Public School, Home and Hospital Instruction \n443 Warren Street, Dorchester, MA 02121, Suite #2 \nor email to: Operations-Department Heads@bostonpublicschools.org \nContact Information: \nOffice 617-635-6633 \nFAX 617-635-6635", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-07 \nVersion 01 \n \n \n \n \n\u201cPERSISTENTLY DANGEROUS\u201d SCHOOLS \u2013 \nSTANDARDS FOR DETERMINATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nBACKGROUND \nSection 9532 of the Elementary and Secondary Education Act \n(ESEA), as amended by the Every Student Succeeds Act of 2015 \n(ESSA) states: \nEach State receiving funds under this chapter shall establish \nand implement a statewide policy requiring that a student \nattending a persistently dangerous public elementary \nschool or secondary school, as determined by the State in \nconsultation with a representative sample of local \neducational agencies, or who becomes a victim of a violent \ncriminal offense, as determined by State law, while in or on \nthe grounds of a public elementary school or secondary \nschool that the student attends, be allowed to attend a safe \npublic elementary school or secondary school within the", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "the grounds of a public elementary school or secondary \nschool that the student attends, be allowed to attend a safe \npublic elementary school or secondary school within the \nlocal educational agency, including a public charter school. \n20 U.S.C. \u00a7 7912.", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "Superintendent\u2019s Circular SSS-07 \nPage 2 of 6 \n \n \nSTANDARDS \nThe Massachusetts Department of Elementary and Secondary \nEducation, at a meeting of the State Board of Education on \nMarch 25, 2003, established the standards to determine an \n\u201cunsafe\u201d or \u201cpersistently dangerous\u201d school. A school may be \ndeemed unsafe either as a whole entity or for an individual \nstudent who becomes a victim of a violent criminal offense. \nThese standards were implemented as of July 1, 2003. Following \nare the standards for (1) individual students and (2) the whole \nschool determination. \n \nINDIVIDUAL STUDENT OPTION \nBeginning in the 2003/2004 school year, any student who during \nschool hours becomes a victim of a \u201cviolent criminal offense\u201d (as \ndefined by Massachusetts General Laws Chapter 140, Section 121) \nwhich takes place in or on the grounds of a public elementary or \nsecondary school that the student attends must be allowed, to \nthe extent feasible, to transfer immediately to another public", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "which takes place in or on the grounds of a public elementary or \nsecondary school that the student attends must be allowed, to \nthe extent feasible, to transfer immediately to another public \nschool within the school district. For purposes of this policy, \u201cin or \non the grounds\u201d of the school includes school premises, school \nbuses, and attendance at school sponsored or school related \nevents including athletic games and field trips.", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "Superintendent\u2019s Circular SSS-07 \nPage 3 of 6 \n \n \n \nWHOLE SCHOOL OPTION \nTo be designated as \u201cpersistently dangerous,\u201d a school must \nmeet either of the following criteria for three consecutive years \nbeginning with the most recent enrollment data available to the \nDepartment, as well as the prior two years: \n \n\u2022 One or more students have been expelled for violation of \nthe Federal Gun-Free Schools Act, v.z. Section 7.3.1. of the \nBPS Code of Discipline (October 2006 ed), or; \n \n\u2022 The number of students who have been expelled from \nschool for a period greater than 45 days under Mass. \nGeneral Laws Chapter 71, Section 37H for weapons or \nphysical assaults or for violent crimes as defined by Mass. \nGeneral Laws Chapter 140, Section 121 exceeds 1.5% of the \nstudent enrollment. The rate will be based on each \nindividual school\u2019s enrollment data submitted to the \nDepartment (i.e., October Report). \n \nStudents who qualify for a safety transfer under either of the", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "individual school\u2019s enrollment data submitted to the \nDepartment (i.e., October Report). \n \nStudents who qualify for a safety transfer under either of the \naforementioned options will be transferred through the safety \ntransfer process (Superintendent\u2019s Circular AMT-07, Safety \nTransfer Request Procedures). Documentation of a \u201cviolent \ncriminal offense\u201d must be attached to the safety transfer request \nform in the case of a single student option request. It is \nanticipated that the Department of Elementary and Secondary \nEducation (DESE) will designate schools as \u201cpersistently \ndangerous\u201d based on the aforementioned criteria prior to the", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "Superintendent\u2019s Circular SSS-07 \nPage 4 of 6 \n \n \nstart of school each year. Such a designation will be forwarded \ndirectly to the superintendent by the Massachusetts Department \nof Elementary and Secondary Education. \n \nREMEDIAL ACTION \nFor any school that meets either standard for a \u201cpersistently \ndangerous \u201c school designation for two consecutive years, \nDESE will request that the school and district evaluate their needs \nand adopt or revise a corrective action plan to ensure a safe school \nenvironment for all students and staff. The school and district shall \nmaintain the corrective action plan as a public record. To the \nextent feasible, DESE will provide technical assistance to the \nschool and district. \n \nFor any school that meets either standard for a \u201cpersistently \ndangerous \u201c school designation for three consecutive years, \nDESE will designate the school as \u201cpersistently dangerous.\u201d \nParents may then exercise their right to have their child attend a", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "dangerous \u201c school designation for three consecutive years, \nDESE will designate the school as \u201cpersistently dangerous.\u201d \nParents may then exercise their right to have their child attend a \nsafe public elementary or secondary school within the local \neducational agency (school district). The school will be required to \nsubmit a corrective action plan to DESE. To the extent feasible, \nDESE will collaborate with other state and local agencies to \nprovide support and technical assistance to the school and \ndistrict. \nIf DESE notifies a school or district that the school is or may be \ndesignated as \u201cpersistently dangerous,\u201d school officials will have \nten working days to present information to DESE that may have a \nbearing on the designation. The local officials\u2019 response may", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "Superintendent\u2019s Circular SSS-07 \nPage 5 of 6 \n \n \ninclude any or all of the following: \n \n1. Clarification of the disciplinary incident data submitted \n2. The school\u2019s safety plan \n3. Local efforts to address the school\u2019s safety concerns \n4. The school safety data reported to the state consistent with \nrequirements of ESEA, Title IVA \n5. Safe and Drug-Free Schools and Communities Act, section \n4112 (c) (3) \n6. More current data that the school may have available \n7. Any extenuating circumstances \n8. Any other information the school officials believe may be \nrelevant \n \nThe Massachusetts Department of Elementary and Secondary \nEducation will review the information provided by the school \nofficials before making a final determination. \nIt is important to note that failure to transfer a student in a timely \nmanner as required by the law and the Massachusetts \nDepartment of Elementary and Secondary Education could result \nin the loss of federal funds.", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "content": "Superintendent\u2019s Circular SSS-07 \nPage 6 of 6 \n \n \n \nFor more information about this circular, contact: \nOwner: Deputy Superintendent of Operations \nDepartment: Deputy Superintendent of Operations \nMailing \nAddress: \n2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9643 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSSS-02 \nVersion 01 \n \nHOMELESS STUDENTS \u2014 GUIDELINES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or \nsuperseded by a subsequent version \nINTRODUCTION \nThe McKinney-Vento Homeless Assistance Act, reauthorized in \nDecember 2015 through the federal Every Student Succeeds Act \n(ESSA), ensures educational rights and protection for children \nand youth experiencing homelessness. \nDEFINITION OF HOMELESSNESS \nThe federal government defines a child or youth who is homeless \nas one who lacks a fixed regular and adequate residence or has a \nprimary nighttime residence not designed for or ordinarily used \nas a regular sleeping accommodation for human beings. \n(McKinney-Vento Homeless Assistance Act, Section 103 (A) (1) (2)). \nUnder the federal definition, the following children are \nconsidered homeless: \n\u2022 Children and youth who are sharing the housing of other \npersons due to loss of housing, economic hardship, or a", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Under the federal definition, the following children are \nconsidered homeless: \n\u2022 Children and youth who are sharing the housing of other \npersons due to loss of housing, economic hardship, or a \nsimilar reason; are living in motels, hotels, trailer parks, or \ncamping grounds due to lack of alternative adequate", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 2 of 10 \n \naccommodations; are living in emergency or transitional \nshelters; are abandoned in hospital; or are awaiting foster \ncare placement. \n\u2022 Children and youth who have a primary nighttime residence \nthat is a public or private place not designed for or ordinarily \nused as a regular sleeping accommodation for human \nbeings. \n\u2022 Children and youth who are living in cars, parks, public \nspaces, abandoned buildings, substandard housing, bus or \ntrain stations, or similar settings. \n\u2022 Unaccompanied youth \u2013 youth not in the physical custody \nof a parent or guardian. \nBoston Public Schools (BPS) is responsible for ensuring the \nidentification, enrollment, attendance, and academic success of \nstudents who are homeless. All personnel should be aware of the \nunique needs of children, adolescents, and families who are \nhomeless. This growing population may be at risk due to the \ntransitional nature and status of their lives. For children and", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "unique needs of children, adolescents, and families who are \nhomeless. This growing population may be at risk due to the \ntransitional nature and status of their lives. For children and \nadolescents, school may represent stability and consistency in \nwhat otherwise is often an unstable situation. We are committed \nto supporting our students who are experiencing homelessness \nand strive to keep students in their home schools. \nSTATEMENT OF PURPOSE AND SCOPE \nThis circular is intended to provide school staff with guidance \nregarding the rights of students who are homeless and provide \nthem with the education services needed to ensure they have an \nequal opportunity to meet the same academic standards to \nwhich all students are held. There are, however, some procedures", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 3 of 10 \n \nthat may differ from the standard procedures. These may include \nchoice of school, registration, transportation, record transfer, and \nconfidentiality. \nSCHOOL SELECTION \nA student who is experiencing homelessness has the right to \ncontinue attending the school of origin (i.e., the school they were \nattending when permanently housed or the school in which they \nwere last enrolled) or a school within the new community where \nthey are temporarily housed. This right is guaranteed under the \nMcKinney-Vento Homeless Assistance Act. \nSCHOOL ASSIGNMENT AND TRANSPORTATION \nIf a student who is attending the Boston Public Schools becomes \nhomeless and needs transportation, the family should visit one of \nthe BPS Welcome Centers: \nhttps://www.bostonpublicschools.org/welcomecenters \nFamilies requesting reassignment should also visit any of the \nWelcome Centers at various locations: \n\u2022 Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Families requesting reassignment should also visit any of the \nWelcome Centers at various locations: \n\u2022 Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040 \n\u2022 Dorchester: 1216 Dorchester Ave. Dorchester, 617-635-8015 \n\u2022 Roxbury: 2300 Washington St., Roxbury, 617-635-9010 \n\u2022 East Boston: 312 Border Street, Boston, MA 02128, \n617-635-9597 \nFamilies who are experiencing homelessness and move into \nBoston have the right to enroll their children in the Boston Public \nSchools. They should go to any Welcome Center Site to register. \nAn individual may be considered to be homeless if that person is \n\u201cdoubled-up,\u201d a term that refers to a situation where individuals", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 4 of 10 \n \nare unable to maintain their housing situation and are forced to \nstay with a series of friends and/or extended family members. \nStudents who become homeless and move to a shelter or other \nfacilities outside the school district may continue to attend their \nschool of origin. Transportation will be available if they reside \nwithin an hour of their school. Please contact the Homeless \nEducation Resource Network (HERN) or 617-6359620 to discuss \nany difficulty that a child temporarily without a home may be \nexperiencing. \nDISPUTE RESOLUTION \nIf a dispute arises over enrollment and/or transportation, the local \nschool district must immediately enroll the homeless student in \nthe school in which enrollment is sought pending resolution of \nthe dispute, and must provide the parent, guardian, or \nunaccompanied youth with both a written statement of the \nschool placement decision and a notice of the right to appeal the", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "the dispute, and must provide the parent, guardian, or \nunaccompanied youth with both a written statement of the \nschool placement decision and a notice of the right to appeal the \ndecision. The school district must refer the unaccompanied \nyouth, parent, or guardian to the homeless education liaison, who \nwill expeditiously carry out the dispute resolution process. The \nfinal decision in such a situation resides with the Massachusetts \ncommissioner of education. \nReimbursement is available at the City of Boston mileage rate for \nparents who are sheltered outside of Boston and transport their \nchildren back to the school district. \nATTENDANCE WAIVERS \nStudents experiencing homelessness may have absences \nexcused and will be assessed on a case-by-case basis.", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 5 of 10 \n \nAn absence may be excused for the following reasons: \n\u2022 Students who are homeless in or out of district and are \nawaiting transportation. \n\u2022 Students who are tardy due to placement issues. \nPlease contact Assistant Director, Opportunity Youth, for further \ninformation (Operations-Department-\nHeads@bostonpublicschools.org) \nSCHOOL ENROLLMENT AND RECORD TRANSFER \nPrincipals and heads of school should follow all current \nprocedures for the transfer of academic and health records for \nstudents who are experiencing homelessness. Although not \nmandated, it is helpful if students who are temporarily without \nhomes provide the following documentation at the time of \nregistration: \n\u2022 Birth certificate \n\u2022 Immunization and medical records \n\u2022 Special Education Individual Educational Plan (IEP) \nSERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT \nLIVING IN SHELTERS \nStudents not living in shelters and are \u201cdoubled-up\u201d and identify", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "\u2022 Special Education Individual Educational Plan (IEP) \nSERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT \nLIVING IN SHELTERS \nStudents not living in shelters and are \u201cdoubled-up\u201d and identify \nthemselves as being homeless will have access to all services as \noutlined in this memorandum. \nA. Curriculum on Homeless Issues/Professional Development \nIt is important to teach all staff and students about homelessness \nand its causes and conditions to ensure all students understand \nthat homelessness is caused by lack of affordable housing and", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 6 of 10 \n \nnot the fault of a child temporarily without a home or their \nparent. The BPS Homeless Education Resource Network (HERN), \nas well as the Massachusetts Department of Elementary and \nSecondary Education, have several videos on homelessness \navailable as well as expertise in workshop and curriculum \nplanning. In addition, training and seminars on homelessness are \navailable through HERN and are free to Boston Public Schools \nfaculty and staff. To arrange for these at your school or to enroll in \nan upcoming professional development opportunity, contact \nAssistant Director, Opportunity Youth Operations-Department-\nHeads@bostonpublicschools.org \nIdentification of a School-based Homeless Liaison \nEach school in the district must identify one staff member \nto serve as the main contact point for homeless services if \none does not already exist (e.g., the school-based homeless \nliaison) to work in concert with HERN to connect the school", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "to serve as the main contact point for homeless services if \none does not already exist (e.g., the school-based homeless \nliaison) to work in concert with HERN to connect the school \nand students and families experiencing homelessness, or at \nrisk of homelessness, to city and state resources. The school-\nbased homeless liaison works collaboratively with HERN to \nensure that students experiencing homelessness have the \nnecessary individualized resources and support to learn. \nHERN provides multiple opportunities for school-based \nhomeless liaisons to receive targeted professional \ndevelopment throughout the school year. School-based \nhomeless liaisons serve an essential role in ensuring that all \nstaff and students in their school understand the available \nservices and process to request assistance. \nBy October 1, school leaders should submit the name, contact \ninformation and title of their designated school-based homeless", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 7 of 10 \n \nliaison to the Senior Director of Opportunity Youth Operations-\nDepartment-Heads@bostonpublicschools.org \nIdentification and Referrals of Students Experiencing \nHomelessness \nStudents and families experiencing homelessness or at risk \nof homelessness may request assistance using the HERN \nreferral form, which is available electronically on the ASPEN \nStudent Information System (SIS). A student or family \nmember may request that any BPS staff member with \nASPEN access submit a referral form on their behalf. This \nprocess increases access to assistance by allowing the \nreferral to be submitted by a BPS staff member with whom \nthe student or family member has a trusting relationship. \nThis process will also increase the identification of students \nexperiencing homelessness by making it easier for students \nand family members to make the request at the school level. \nSchool-based homeless liaisons are expected to inform all", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "experiencing homelessness by making it easier for students \nand family members to make the request at the school level. \nSchool-based homeless liaisons are expected to inform all \nstaff members in their school of the availability of the form \non ASPEN and their role in being able to submit a referral on \nthe student\u2019s behalf. Once the form is submitted, HERN will \nproceed with its normal process of verifying the information. \nOnce information has been verified and the student\u2019s \nservice needs have been identified, HERN will contact the \ndesignated school-based liaison to work collaboratively to \ninstitute a service plan for the student and/or family. The \nhard copy version of the HERN referral form will still be \naccepted and can be submitted directly to the HERN office \nor any of the three BPS Welcome Centers.", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 8 of 10 \n \nCONFIDENTIALITY \nFor many reasons, homeless families may not want to reveal that \ntheir living status has changed. While most shelters encourage \nparents to notify the schools of a change in residence, they \ncannot mandate it, since state and federal laws which regulate \nconfidentiality are very restrictive. Children who are temporarily \nwithout homes present many of the same characteristics as \nother at-risk children. Therefore, the best practice is to \nstrengthen the communications between all parents and school \npersonnel so that procedures are in place to reach out to families \nand students who are in transition or educationally at-risk. This \nmeans, at a minimum, schools should communicate frequently \nwith parents and stress the necessity of updating the student\u2019s \nemergency information. \nSchools, and school-based homeless liaisons in particular, are \nencouraged to maintain up-to-date records of students", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "emergency information. \nSchools, and school-based homeless liaisons in particular, are \nencouraged to maintain up-to-date records of students \nexperiencing homelessness in the ASPEN SIS and communicate \nwith HERN regularly to ensure adequate assistance and provision \nof services to students and families experiencing homelessness. \nIn serving students who are homeless, please be mindful of the \nfollowing: \n\u2022 Many students and parents who are temporarily without \nhomes prefer to keep their current living situations private. \n\u2022 Students and their families may feel threatened and/or \nembarrassed if approached by school staff. Thus, to respect \ntheir privacy and confidentiality, school staff should not \napproach students or their families directly to discuss their \ntemporary lack of permanent residence. Rather, students", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 9 of 10 \n \nand families should be given the opportunity to raise the \nissue themselves if they so choose. \n\u2022 It may not be necessary for staff members to know that a \nstudent is homeless. Thus, school staff should be told this \ninformation on an as needed basis only. \nIn the event of an emergency, or when services and information \nare lacking for a child believed to be homeless, contact Assistant \nDirector, Opportunity Youth at 617-6359620 or Operations-\nDepartment-Heads@bostonpublicschools.org \nSenior Director of Health Services, 617-635-6788, should be \nnotified if families do not present current immunization records \nat the time of registration. \nHome and Hospital Instruction provides services for students \nwho are homeless and are impaired physically and/or mentally. \nFor additional information, contact Home and Hospital program \ncoordinator, 617-635-6633.", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-02 Homeless Students.pdf", + "content": "Superintendent\u2019s Circular SSS-02 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: Senior Director \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-09 \nVersion 01 \n \n \n \nEMPLOYMENT PERMIT APPLICATIONS AND ISSUANCE \nOF WORK PERMITS FOR STUDENTS AGES 14 \nTHROUGH 17 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nDuring the school year, all Boston Public School students \nrequiring working papers (employment permits and educational \ncertificates) will obtain such from guidance counselors or \ndesignated staff in their individual schools. \n\u2022 Guidance counselors will supervise the issuance of working \npapers, but the secretary designated by the principal or \nhead of school will perform the clerical process of issuing \nthe papers. \n\u2022 Principals and heads of school will determine the time that \nthe secretary will perform this function. \n\u2022 Occasionally, exceptional circumstances (e.g., heavy \nworkload, unscheduled assignments) occur, making it \nimpossible for the secretary to perform this task. During", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "\u2022 Occasionally, exceptional circumstances (e.g., heavy \nworkload, unscheduled assignments) occur, making it \nimpossible for the secretary to perform this task. During \nthose times, the guidance counselor will process working \npapers. \nCharter schools are public schools. Charter school students will \nobtain the employment permit from their school staff.", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "Superintendent\u2019s Circular SSS-09 \nPage 2 of 4 \n \n \n \nParochial, private, and METCO school students who are residents \nof Boston will obtain the required permits/certificates through \nthe Welcome Centers of the Boston Public Schools using the \nonline process located on the BPS website \nwww.bostonpublicschools.org. Boston Public School students \ncan also obtain their permits/certificates using the online process \nlocated on the Boston Public Schools website \nwww.bostonpublicschools.org when their school is not in session \n(e.g., summer months, school vacations, etc.). \n \nPROCEDURE \nAll students under the age of 18 must obtain a work permit \nbefore starting a new job per Massachusetts General Laws, \nChapter 149, Sections 86-89. \nThe following process must be followed as outlined in the \nCommonwealth of Massachusetts Employment Permit \nApplication for 14 through 17-year-olds. \n1. All students must obtain a Promise of Employment. \n2. The employer must complete the Promise of Employment", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "Application for 14 through 17-year-olds. \n1. All students must obtain a Promise of Employment. \n2. The employer must complete the Promise of Employment \nsection and sign off on it. \n3. ONLY 14 and 15-year-olds must obtain a signed physician\u2019s \ncertificate of health. \n4. All students must have their parent/guardian sign the \npermit application. \n5. The student must also sign the permit application.", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "Superintendent\u2019s Circular SSS-09 \nPage 3 of 4 \n \n \n \n6. When the permit application is completed, it should be \nreturned to the school guidance \n7. counselor or the school designee. \n \nThe school staff will verify the date of birth and issue a work \npermit. The employment permit application will be kept on file. If \nit is during non-school periods, or the student does not attend a \nBoston Public School, but is a resident of Boston, the student will \nutilize the BPS online Youth Work Permit Request form located \non the website www.bostonpublicschools.org. Proof of the \nstudent's age, such as a birth certificate, passport, immunization \nrecord, etc., should be provided. An employment permit will then \nbe issued. \nPlease note that a work permit may not be issued to a parent. \nMassachusetts General Laws Chapter 149, Section 89 requires \nthat the child appear in person with proper identification. \nAccording to the Commonwealth of Massachusetts", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "Massachusetts General Laws Chapter 149, Section 89 requires \nthat the child appear in person with proper identification. \nAccording to the Commonwealth of Massachusetts \n(https://www.mass.gov/service-details/youth-employment-\npermit-information): all teens under 18 years of age must \ncomplete a work permit application and get a work permit \nbefore starting a new job. Please see the complete summary of \nthe Massachusetts laws regulating child labor for further \ninformation. \nWith very limited exceptions, minors under the age of 14 may not \nwork. All minors under the age of 18 must complete an \nemployment permit application and get their permit before \nstarting a new job. You can download Youth Employment Permit", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "Superintendent\u2019s Circular SSS-09 \nPage 4 of 4 \n \n \n \nApplication and Youth Permit Process. You can also access these \nforms in Spanish, Portuguese, Chinese, and Vietnamese. \nFORMS \n1. Employment permit applications can be found and printed \nat https://www.mass.gov/service-details/youth-\nemployment-permit-information \n2. When school is not in session, please complete this form \nand upload the required documents. Once completed, a \nBPS Welcome Services team member will contact you \nwithin two business days regarding the next steps for your \nwork permit. Parochial, private and METCO school students \nthat are Boston residents may utilize this form during the \nentire year. \nFor more information about this circular, contact: \nName: Director of Guidance, Office of Schools & \nAccountability \nDepartment: Guidance Services, Office of Schools & \nAccountability \nMailing \nAddress: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-8030 \nE-mail: cchiu@bostonpublicschools.org; Operations-", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "content": "Department: Guidance Services, Office of Schools & \nAccountability \nMailing \nAddress: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-8030 \nE-mail: cchiu@bostonpublicschools.org; Operations-\nDepartment-Heads@bostonpublicschools.org \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-18 \nVersion 01 \n \n \nBULLYING PREVENTION AND INTERVENTION PLAN \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS STATEMENT AGAINST STUDENT \nBULLYING \nBoston Public Schools will not tolerate any unlawful or disruptive \nbehavior, including bullying, harassment, cyberbullying, \ndiscrimination, retaliation, or hate crimes in all forms and types \ntowards others in any school or at school-related activities. Boston \nPublic Schools will promptly investigate all reports and \ncomplaints of bullying and take prompt, effective action to end \nthat behavior and prevent its recurrence. Action will include, \nwhere appropriate, referral to a law enforcement agency. Boston \nPublic Schools will support this Bullying Prevention and \nIntervention Plan (\u201cPlan\u201d) in all aspects of its activities, including \nits curricula, instructional programs, staff development, family", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Public Schools will support this Bullying Prevention and \nIntervention Plan (\u201cPlan\u201d) in all aspects of its activities, including \nits curricula, instructional programs, staff development, family \nmeetings/training, and extracurricular activities. \nStudents, staff, families/caregivers, and any others who are \nconcerned or want to report bullying may confidently talk to a \ntrusted staff member or call the Safe Space and Bullying \nPrevention Hotline, 617-592-2378. Additional resources and \nsupport can be found at Succeed Boston. Succeed Boston leads \nthis districtwide initiative.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 2 of 44 \n \nThe Student Handbook, AUP (Acceptable Use Policy), and the \nBoston Public Schools Code of Conduct are updated annually to \nassure alignment, to include language prohibiting bullying, and \ncyberbullying, and to clearly define the consequences connected \nto it. The district and principals/heads of schools at all levels in the \nBoston Public Schools play a critical role in the ongoing \ndevelopment and implementation of the Bullying Prevention and \nIntervention Plan in the context of other whole school and \ncommunity efforts to promote a positive school climate. \nPrincipals/school leaders have a primary role in teaching students \nto be civil to one another and promoting understanding of and \nrespect for diversity and difference. Principals/school leaders have \na responsibility for setting priorities and for staying up to date \nwith this policy and current research on ways to prevent and \neffectively respond to bullying.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "a responsibility for setting priorities and for staying up to date \nwith this policy and current research on ways to prevent and \neffectively respond to bullying. \nThe Boston Public Schools will not tolerate any unlawful or \ndisruptive behavior, including any form of bullying, cyberbullying, \nor retaliation, in our school buildings, on school grounds, on \nschool buses and at school bus stops, on a school bus or other \nvehicle owned, leased, or used by a school district; or through the \nuse of technology or an electronic device owned, leased, or used \nby a school district, and or in school-related activities. \nSchools will promptly investigate all reports and complaints of \nbullying, cyberbullying, and retaliation and take prompt action to \nend that behavior and restore the target\u2019s sense of safety. The \nBoston Public Schools will support this commitment in all aspects \nof our school community, including curricula, instructional", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "end that behavior and restore the target\u2019s sense of safety. The \nBoston Public Schools will support this commitment in all aspects \nof our school community, including curricula, instructional \nprograms, staff development, extracurricular activities, and \nfamilies/caregivers involvement. \nA student who knowingly makes a false accusation of bullying will", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 3 of 44 \n \nbe subject to disciplinary action as defined by the BPS Code of \nConduct. \nThis Plan has been approved by the Massachusetts Department of \nElementary and Secondary Education and is posted at the BPS \nAnti Bulling web page. Copies of this plan shall be posted and \nreadily accessible in all schools in an area visible to \nfamilies/caregivers and staff. The Plan will be reviewed and \nupdated biennially, as mandated by M.G.L. c. 71, \u00a7 37O. \nPUBLIC INVOLVEMENT \nAs required by M.G.L. c. 71, \u00a7 37O, this Plan has been developed in \nconsultation with various constituencies. Since May 3, 2010, the \nBoston Public Schools has met biennially with families/caregivers, \nteachers, school administrators, students, central administrators, \nand community stakeholders to develop this Plan. \nEffective SY 2024-2025, an advisory group of teachers, \nadministrators, families/caregivers and community members will", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "and community stakeholders to develop this Plan. \nEffective SY 2024-2025, an advisory group of teachers, \nadministrators, families/caregivers and community members will \nbe developed to review and make recommendations related to \ncurricula, professional development, community and family \nengagement, and the Plan itself. Consultation will include, at a \nminimum, notice and a public comment period prior to adoption. \nSTATEMENT OF PURPOSE \nThe Boston Public Schools believes that school communities \nserve as a network of support for its diverse students, families, and \nstaff. We are committed to providing our students with equal \neducational opportunities and a safe and welcoming learning \nenvironment where all students and community members treat \neach other with respect and appreciate the rich diversity in our \nschools.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 4 of 44 \n \nThe Boston Public Schools recognizes that certain students may \nbe more vulnerable to become targets of bullying, harassment, or \nteasing based on actual or perceived characteristics, including \nrace, color, religion, ancestry, national origin, sex, socioeconomic, \nstatus, homelessness, academic status, gender identity or \nexpression, physical appearance, or sensory, disability, or by \nassociation with a person who has or is perceived to have one or \nmore of these characteristics. The Boston Public Schools will \ncontinuously work to identify specific steps it will take to create a \nsafe, supportive environment for vulnerable populations in the \nschool community, and provide all students with the skills, \nknowledge, and strategies to prevent or respond to bullying, \nharassment, or teasing. \nUnder M.G.L. Ch. 71, \u00a7 37O, at the beginning of each school year, \neach school will provide the community, including students,", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "harassment, or teasing. \nUnder M.G.L. Ch. 71, \u00a7 37O, at the beginning of each school year, \neach school will provide the community, including students, \nadministrators, external providers, families/caregivers, and staff \nwith: \n\u25cf Written notice of its policies for reporting acts of bullying \nand retaliation, \n\u25cf A description of the reporting procedures and resources, \nincluding the name and contact information of the \nprincipal/school leader or designee \n\u25cf A copy of the Bullying Incident Reporting Form and \ninformation about electronic reporting and \n\u25cf Shall provide and post the available resources (including the \nnumber to the Safe Space and Bullying Hotline and \ninformation about electronic reporting) in the school\u2019s main \noffice, the school\u2019s website, all counseling offices/spaces, the \nschool nurse\u2019s office, and other locations determined by the", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 5 of 44 \n \nprincipal/school leader or designee \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan shall be incorporated in student and staff handbooks, on the \nschool and district website, and made available to \nfamilies/caregivers. \nDEFINITIONS UNDER M.G.L. CH. 71, \u00a7 37O \nNote: The following definitions contain terms and/or phrases that \nare different from the language of the statute. The language of \nthe definitions in this circular is drafted to align with the \ndefinitions that are used in the Boston Public Schools Code of \nConduct. BPS relies on these definitions when reviewing student \nconduct under the Code: \n\u25cf Bullying: BPS has replaced the word \u201cvictim\u201d in the statute \nwith the word \u201ctarget.\u201d \n\u25cf Cyberbullying: BPS has added (iv) to the definition contained \nin the statute. \n\u25cf Retaliation: this definition is not provided for under the \nstatute but is operative in the Code of Conduct.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "\u25cf Cyberbullying: BPS has added (iv) to the definition contained \nin the statute. \n\u25cf Retaliation: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n\u25cf School Community: BPS has added \u201cstaff\u201d to the definition \ncontained in the statute. \n\u25cf Perpetrator: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n\u25cf Aggressor is a student who engages in bullying or \ncyberbullying. \nBullying is the repeated use by one or more students or by a \nmember of school staff including, but not limited to, an educator,", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 6 of 44 \n \nadministrator, school nurse, cafeteria worker, custodian, bus \ndriver, athletic coach, advisor to an extracurricular activity, or \nparaprofessional of a written, verbal, or electronic expression or a \nphysical act or gesture or any combination thereof, directed at a \ntarget that: \nI. Causes physical or emotional harm to the target or damage \nto the target's property \nII. Places the target in reasonable fear of harm to themselves \nor of damage to their property \nIII. Creates a hostile environment at school for the target \nIV. Infringes on the rights of the target at school \nV. Materially and substantially disrupts the education process \nor the orderly operation of a school. \nCyberbullying is bullying through the use of technology or any \nelectronic communication which shall include, but shall not be \nlimited to, any transfer of signs, signals, writing, images, sounds,", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Cyberbullying is bullying through the use of technology or any \nelectronic communication which shall include, but shall not be \nlimited to, any transfer of signs, signals, writing, images, sounds, \ndata, or intelligence of any nature transmitted in whole or in part \nby a wire, radio, electromagnetic, photoelectric or photo-optical \nsystem, including, but not limited to, electronic mail, internet \ncommunications, instant messages or facsimile communications. \nCyber-bullying shall also include: \nI. The creation of a web page or blog in which the creator \nassumes the identity of another person \nII. The knowing impersonation of another person as the author \nof posted content or messages, if the creation or \nimpersonation creates any of the conditions enumerated in", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 7 of 44 \n \nclauses (iv) to (v), inclusive, of the definition of bullying \nIII. The distribution by electronic means of a communication to \nmore than one person or the posting of material on an \nelectronic medium that may be accessed by one or more \npersons, if the distribution or posting creates any of the \nconditions enumerated in clauses (i) to (v), inclusive, of the \ndefinition of bullying \nIV. The use of the internet and/or social media used for bullying \noutside of school that disrupts the normal functioning of the \nschool day.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 8 of 44 \n \nHostile Environment is a situation in which bullying causes the \nschool environment to be permeated with intimidation, ridicule, \nor insult that is sufficiently severe or pervasive to alter the \nconditions of a student\u2019s education. \nRetaliation is any form of intimidation, reprisal, or harassment \ndirected against a student who reports bullying, provides \ninformation during an investigation of bullying, or witnesses or \nhas reliable information about bullying. \nThe School Community consists of students, staff and \nfamilies/caregivers. \nStaff includes, but is not limited to, educators, administrators, \ncounselors, school nurses, cafeteria workers, custodians, bus \ndrivers, athletic coaches, advisors to extracurricular activities, \nsupport staff, and paraprofessionals. \nTarget is a student against whom bullying, cyberbullying, or \nretaliation has been perpetrated. \n \nPOLICIES AND PROCEDURES FOR REPORTING AND", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "support staff, and paraprofessionals. \nTarget is a student against whom bullying, cyberbullying, or \nretaliation has been perpetrated. \n \nPOLICIES AND PROCEDURES FOR REPORTING AND \nRESPONDING TO BULLYING AND RETALIATION \nTo support efforts to respond promptly and effectively to bullying \nand retaliation, the Boston Public Schools have policies and \nprocedures in place for receiving and responding to reports of \nbullying or retaliation. These policies and procedures ensure that \nmembers of the school community \u2013 students, \nfamilies/caregivers, and staff \u2013 know what will happen when \nincidents of bullying are reported or occur (Attachment 1). \nThe Boston Public Schools, in accordance with MA Law M.G.L. c.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 9 of 44 \n \n71, \u00a7 37O, has designated the principal/school leader or designee \nas the person responsible for receiving reports, recording \nincidents, and investigating all incidents. The principal/head of \nschool or designee is responsible for responding to and resolving \nall cases. All bullying allegations, no matter how they were \nreported, (e.g., through the Safe Space and Bullying reporting \nform or directly to the school leader, or directly to staff at the \nschool), shall be submitted to Succeed Boston using the Safe \nSchools & Bullying Investigation form. All findings, including \nsupporting information, including witness statements (target, \naggressor, and any other relevant person) findings, and \nconclusions, shall be submitted to Succeed Boston within five \nschool days, and findings of bullying shall be documented in the \nBPS Student Information System (SIS). \nA. Reporting Bullying or Retaliation", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "school days, and findings of bullying shall be documented in the \nBPS Student Information System (SIS). \nA. Reporting Bullying or Retaliation \nReports of bullying or retaliation can be made by staff, students, \nfamilies/caregivers or others, and can be submitted through the \nSafe Space and Bullying Prevention Hotline at 617-592-2378 or \ndirectly online through the Safe Schools and Bullying Prevention \nIncident Reporting Form. To report in your native language, \nplease call the Hotline and ask for translation services. Allegations \nmay also be submitted via email, text, or through the Bullying \nIncident Reporting Form (Attachment 3). \nAll employees are required to report immediately to the \nprincipal/school leader or designee, any instance of bullying or \nretaliation the staff member becomes aware of or witnesses. \nReports may be made anonymously (see Attachment 3 for the \nBoston Public Schools Safe Schools and Bullying Prevention and", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "retaliation the staff member becomes aware of or witnesses. \nReports may be made anonymously (see Attachment 3 for the \nBoston Public Schools Safe Schools and Bullying Prevention and \nIntervention Reporting Form and Attachment 4 for the Boston", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 10 of 44 \n \nPublic Schools Safe Schools and Bullying Prevention and \nIntervention Anonymous Reporting Form). \nUse of the Boston Public Schools Safe Schools and Bullying \nPrevention and Intervention Reporting Form is not required as a \ncondition to making a report. \n1. Reporting by Staff \nA staff member shall report immediately to the principal/school \nleader or designee when they witness or become aware of \nconduct that may be bullying or retaliation. The requirement to \nreport to the principal/school leader or designee does not limit \nthe authority of the staff member to respond to behavioral or \ndisciplinary incidents consistent with each school\u2019s policies and \nprocedures for behavior management and discipline. \n2. Reporting by Students, Families/Caregivers, and Others \nBoston Public Schools expects students, families/caregivers, and \nothers who witness or become aware of an instance of bullying or", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "2. Reporting by Students, Families/Caregivers, and Others \nBoston Public Schools expects students, families/caregivers, and \nothers who witness or become aware of an instance of bullying or \nretaliation involving a student to report it to the principal/school \nleader or designee. \nReports may be made anonymously or not by calling the Safe \nSchools and Bullying Prevention Hotline (617-592-2378) or filing a \nreport online using the Safe Space and Bullying Prevention \nReporting form. No disciplinary action will be taken against an \nalleged aggressor solely based on an anonymous report. \nStudents, families/caregivers, and others may request assistance \nfrom a staff member to complete a written report. Students will \nbe provided practical, safe, private, and age-appropriate ways to \nreport and discuss an incident of bullying with a staff member or \nwith the principal/school leader.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 11 of 44 \n \n3. Responding to a report of bullying or retaliation \nBefore fully investigating the allegations of bullying or retaliation, \nthe principal/school leader or designee will take steps to assess \nthe need to restore a sense of safety to the alleged target and/or \nto protect the alleged target from possible further incidents. The \nprincipal/school leader or designee shall contact the \nfamilies/caregivers prior to any investigation. Notice will be \nconsistent with state regulations at 603 CMR 49.00. \nUnder M.G.L. c. 71, \u00a7 37O, for children with special needs, the \nPrincipal/Head of School will review the child\u2019s IEP to \ndetermine whether or not the child\u2019s disability impacted or \nimpacts their ability to comply with the Code of Conduct \nand/or this policy, and where appropriate, convene a TEAM \nmeeting to discuss and decide the appropriate \ndetermination which may include behavioral support \nservices or other specialized services.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "and/or this policy, and where appropriate, convene a TEAM \nmeeting to discuss and decide the appropriate \ndetermination which may include behavioral support \nservices or other specialized services. \nThe principal/Head of School or designee shall inform the parent \nor guardian of the target about the Department of Elementary \nand Secondary Education\u2019s Problem Resolution System (PRS) and \nthe process for accessing that system, regardless of the outcome \nof the bullying determination. \nResponses to promote safety may include, but not be limited to: \n\u25cf Creating a personal safety or support plan \n\u25cf Pre-determining seating arrangements for the target and/or \nthe aggressor in the classroom, at lunch, or on the bus \n\u25cf Identifying a staff member who will act as a \u201csafe person\u201d for \nthe target \n\u25cf Altering the aggressor\u2019s schedule and access to the target.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 12 of 44 \n \n \nThe principal/school leader or designee will take additional steps \nto promote safety during and after the investigation, as necessary. \nThey will implement appropriate strategies to protect students \nfrom bullying or retaliation as a result of witnessing, providing \ninformation during an investigation, reporting bullying or \nretaliation or providing reliable information about a reported act \nof bullying or retaliation. \nThe confidentiality of students and witnesses reporting alleged \nacts of bullying will be maintained to the extent possible, given \nthe school\u2019s obligation to investigate the matter. \nB. Obligations to Notify Others \n1. Notice to Families/Caregivers: \nWithin 24 hours of receipt of the bullying complaint and before \ninterviewing students, the principal/school leader or designee will \nnotify the families/caregivers of the target and the aggressor of \nthe allegations and their intent to interview their child.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "interviewing students, the principal/school leader or designee will \nnotify the families/caregivers of the target and the aggressor of \nthe allegations and their intent to interview their child. \nFamilies of all student witnesses who may be interviewed will be \nnotified of their intent to interview their child. Should they \nchoose, the family has the right to be present for the interview \nwith their child. Upon completion of the investigation (not \nbeyond five school days after the receipt of the complaint), the \nprincipal/school leader will notify the families/caregivers of the \ntarget and the aggressor of the findings of the investigation and \nthe procedures used in responding to the complaint. \nTo ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the head of school", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 13 of 44 \n \nwill be forwarded to the Operational Leader and the School \nSuperintendent for follow-up assistance. \n2. Notice to Another School or District: \nIf the reported incident involves students from more than one \nschool district, charter school, nonpublic school, approved private \nspecial education day or residential school, or collaborative \nschool, the principal/school leader or designee first informed of \nthe incident will promptly notify by telephone the principal/school \nleader or designee of the other school(s) of the incident so that \neach school may take appropriate action. All communications will \nbe in accordance with state and federal privacy laws and \nregulations and 603 CMR 23.00. \n3. Notice to Law Enforcement: \nAt any point after receiving a report of bullying or retaliation, \nincluding after an investigation, if the principal/school leader or \ndesignee has a reasonable basis to believe that criminal charges", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "including after an investigation, if the principal/school leader or \ndesignee has a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor, the principal/school leader \nshall consult with their Operational Leader, the School \nSuperintendent, the Office of Safety Services and/or the Boston \nPolice Department School Unit, and other individuals the \nprincipal/school leader or designee deems appropriate. \nNote that pursuant to 603 CMR 49.06(2), notification to law \nenforcement is not required in those situations in which the \nschool leader determines that the bullying and retaliation can \nbe handled appropriately within the school district or school. \nAlso, if an incident occurs on school grounds and involves a \nformer student under the age of 21 who is no longer enrolled \nin school, the principal/head of school or designee shall \ncontact their Operational Leader, the School Superintendent, \nthe Office of Safety Services and/or the Boston Police", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "in school, the principal/head of school or designee shall \ncontact their Operational Leader, the School Superintendent, \nthe Office of Safety Services and/or the Boston Police \nDepartment School Unit, for notification to law enforcement if", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 14 of 44 \n \nthey have a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor. \nIn making this determination, the principal/School leader will, \nconsistent with the Plan and with applicable school or district \npolicies and procedures, consult with their Operational Leader, \nthe School Superintendent, Office of Safety Services and/or the \nBoston Police Department School Unit and other individuals \nthe principal/school leader or designee deems appropriate. \nThe Superintendent\u2019s Office shall be notified.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 15 of 44 \n \nC. Investigation (see Attachment 1) \nThe principal/school leader or designee will promptly investigate \nall reports of bullying or retaliation and, in doing so, will consider \nall available information known, including the nature of the \nallegation(s) and the ages of the students involved. All reports of \nstaff on student bullying shall be investigated as such, and the \nOffice of Labor Relations shall be notified. \nDuring the investigation, the school leader or their designee shall \nnotify the families/caregivers of the intent to interview their child \nand will proceed (in the presence of the families/caregivers, if \nrequested) to gather information, interview students, staff, \nwitnesses, and others as necessary. \nThe principal/school leader or designee will remind the alleged \naggressor, target, and witnesses that retaliation is strictly \nprohibited and will result in disciplinary action, per section 7.6.3 of", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "aggressor, target, and witnesses that retaliation is strictly \nprohibited and will result in disciplinary action, per section 7.6.3 of \nthe Boston Public Schools Code of Conduct. \nInterviews will be conducted by the principal/school leader or \ndesignee, and in consultation with the school counselor, as \nappropriate. To the extent practicable and given their obligation \nto investigate and address the matter, the principal/school leader \nor designee will maintain confidentiality during the investigative \nprocess. The principal/school leader or designee will maintain a \nwritten record of the investigation and upon completion, will file \nand forward the Safe Schools and Bullying Prevention \nInvestigation Form and any additional materials to \nsaws@bostonpublicschools.org. \nProcedures for investigating reports of bullying and retaliation will \nbe consistent with district policies and procedures for \ninvestigations and for possible disciplinary action. If necessary, the", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 16 of 44 \n \nprincipal/school leader or designee will consult with Succeed \nBoston regarding consultation or appeals from \nfamilies/caregivers. The Office of the Superintendent shall be \nnotified should legal counsel pertaining to the investigation of the \nalleged report be necessary. (See Attachment 1 for more specifics.) \nD. Determinations \nThe principal/school leader or designee will make a determination \nof bullying based upon the definition of bullying, the interviews \nwith students, staff, and families/caregivers. If, after investigation, \nbullying or retaliation is substantiated, the principal/school leader \nor designee will take steps reasonably calculated to prevent \nrecurrence and to ensure that the target is not restricted in \nparticipating in school or in benefiting from school activities. \nWithin 5 days of receipt of the allegation, the principal/school \nleader or designee will:", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "participating in school or in benefiting from school activities. \nWithin 5 days of receipt of the allegation, the principal/school \nleader or designee will: \n1. Determine what remedial action is required (e.g., \nSafety/Support Plan, seating plan), if any \n2. Determine what responsive actions and/or disciplinary \naction is necessary, if any \n3. Notify the families/caregivers of the target and the \naggressor about the results of the investigation and, if \nbullying or retaliation is found, what action is being taken to \nprevent further acts of bullying or retaliation \n4. Submit the investigation and findings using the Safe \nSchools and Bullying Prevention Investigation Form and, if \nbullying was found, document the finding in the BPS SIS. \nDepending upon the circumstances, the principal/school leader or \ndesignee may choose to consult with the student\u2019s teacher(s) \nand/or school counselor, and the target\u2019s or aggressor\u2019s", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 17 of 44 \n \nfamilies/caregivers, to identify any underlying social or emotional \nissue(s) that may have contributed to the bullying behavior and to \nassess the level of need for additional social skills development. \nAll notices to families/caregivers must comply with applicable \nstate and federal privacy laws and regulations. Because of the \nlegal requirements regarding the confidentiality of student \nrecords, the principal/head of school or designee cannot report \nspecific information to the target\u2019s families/caregivers about the \ndisciplinary action taken unless it involves a \u201cstay away\u201d order or \nother directives that the target must be aware of in order to \nreport violations. \nFor students with disabilities, the principal/school leader will \nreview the child\u2019s IEP to determine whether the child\u2019s disability \nimpacted or impacts their ability to comply with the Code of \nConduct and/or this policy, and where appropriate, convene a", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "review the child\u2019s IEP to determine whether the child\u2019s disability \nimpacted or impacts their ability to comply with the Code of \nConduct and/or this policy, and where appropriate, convene a \nTEAM meeting to discuss and decide the appropriate \ndetermination which may include behavioral support services or \nother specialized services. \nNEW: Right to Appeal decisions related to the bullying \ninvestigation, findings, and/or response may be submitted \nusing this link.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 18 of 44 \n \nE. Planning & Oversight \nThe following school or district leaders are responsible for the \nfollowing tasks under the Plan: \nTask Responsible Party \n1) Receiving reports on bullying Succeed Boston, School \nAdministrators, School Staff \n2) Collecting and analyzing building- \nand/or school-wide data on bullying \nto assess the present problem and to \nmeasure improved outcomes \nSucceed Boston, \nSuperintendent\u2019s Office, Office of \nData and Accountability, \nRP/SAWS \n3) Creating a process for recording \nand tracking incident reports, and for \naccessing information related to \ntargets and aggressors \nSucceed Boston, Office of Data \nand Accountability \n4) Planning for the ongoing \nprofessional development that is \nrequired by the law \nSucceed Boston \n5) Planning supports that respond to \nthe needs of targets and aggressors \nSucceed Boston, RP/SAWS, \nRegional Liaison Teams \n6) Choosing and implementing the", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "required by the law \nSucceed Boston \n5) Planning supports that respond to \nthe needs of targets and aggressors \nSucceed Boston, RP/SAWS, \nRegional Liaison Teams \n6) Choosing and implementing the \ncurricula that the school or district \nwill use \nSucceed Boston, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 19 of 44 \n \n7) Developing new or revising current \npolicies and protocols under the Plan, \nincluding an Internet Safety Plan, and \ndesignating key staff to be in charge \nof implementation \nPrincipals, school leaders, \nSucceed Boston, Office of the \nLegal Advisor, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group \n8) Amending district-wide and \nschool-based student and staff \nhandbooks and Codes of Conduct \nSucceed Boston, Operational \nLeaders, BPS Code of Conduct \nTeam and Office of the Legal \nAdvisor \n9) Leading the families/caregivers or \nfamily engagement efforts and \ndrafting information materials \nSucceed Boston, Office of Family \nand Community Advancement, \nParent University \n10) Reviewing and updating the Plan \nbiennially, or more frequently as \nneeded \nSuperintendent\u2019s Office, \nSucceed Boston, Bullying \nPrevention and Intervention \nAdvisory Group, Office of the \nLegal Advisor, Office of Equity", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "biennially, or more frequently as \nneeded \nSuperintendent\u2019s Office, \nSucceed Boston, Bullying \nPrevention and Intervention \nAdvisory Group, Office of the \nLegal Advisor, Office of Equity \nAs required by Chapter 86, of the Acts \nof 2014, which amended G.L. c. 71, \n\u00a737O, the Boston Public Schools will \nadminister a department-developed \nstudent survey at least once every \nfour years to assess \u201cschool climate \nand the prevalence, nature and \nseverity of bullying in schools.\u201d (G.L. c. \n71, \u00a737O(k)). This may include results \nof the student/staff/family climate \nSucceed Boston, Office of Data \nand Accountability, Operational \nTeam", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 20 of 44 \n \nsurvey. \n \nEach school community member is responsible for: \n1. complying with this Plan, where applicable \n2. ensuring that they do not harass, discriminate against, or \ncommit a crime against another person on school grounds \nor in a school-related activity because of that person\u2019s race, \ncolor, religion, national origin, ethnicity, sex, sexual \norientation, age, or disability \n3. ensuring that they do not bully another person on \nschool grounds or in a school-related activity \n4. ensuring that they do not retaliate against any other \nperson for reporting or filing a complaint, for aiding or \nencouraging the filing or a report or complaint, or for \ncooperating in an investigation of harassment, bullying, \ndiscrimination, or a hate crime \n5. cooperating in the investigation of reports or complaints \nof harassment, bullying discrimination, retaliation, or a hate \ncrime. \nTRAINING & PROFESSIONAL DEVELOPMENT", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "5. cooperating in the investigation of reports or complaints \nof harassment, bullying discrimination, retaliation, or a hate \ncrime. \nTRAINING & PROFESSIONAL DEVELOPMENT \nAs required under M. G. L. c. 71, \u00a7 37O, Boston Public Schools \nrequires annual bullying prevention and intervention training \n(available in person or asynchronously) for all school staff, \nincluding lunch monitors, school police officers, secretaries, bus", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 21 of 44 \n \ndrivers, teachers, administrators, and all other itinerant staff. All \ntraining is posted on Vector. For more information contact \nSucceed Boston @ the Counseling and Intervention Center, (617) \n635-8123. \nAnnual Staff Training on the Plan \nBoston Public Schools will offer professional development to all \nadministrators, teachers, paraprofessionals, and all ancillary staff \nmembers under the employment of the Boston Public Schools. \nThis includes Identifying Bullying Behavior, Types of Bullying, \nRoles of Aggressors/Targets/Bystanders, Rights and \nResponsibilities under the Law M. G. L. c. 71, \u00a7 37O, Information \nregarding the most-risk populations (including LGBTQ+ students, \nstudents with disabilities, English Language Learners), Internet \nSafety, Reporting Responsibility, Adult Bias, and Addressing \nStudent Bias-Based Speech and Behavior. \nAdvanced Training \nTo provide effective bullying prevention and intervention services", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Safety, Reporting Responsibility, Adult Bias, and Addressing \nStudent Bias-Based Speech and Behavior. \nAdvanced Training \nTo provide effective bullying prevention and intervention services \nand to build capacity, each school shall have at least 2 staff \ntrained as Bullying \nIntervention Specialists (BIS). These specialists will: \n\u25cf Serve as a resource to their school community on bullying \nrelated matters \n\u25cf Lead relevant training within their school community \n\u25cf Coordinate the reporting and/or investigating of incidents if \ndesignated by their school leader. \nThe Regional RP/SAWS will provide semi-annual training to the \nregional BIS teams that will further develop best practices and", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 22 of 44 \n \nresources. \nBoston Public Schools will provide a 2-day Bullying Intervention \nSpecialist professional development quarterly throughout the \nyear. The advanced bullying intervention specialist training (see \nAttachment 2) will be posted on Vector. \nThe training will include: \ni. developmentally appropriate strategies to prevent and \nintervene in bullying incidents \nii. information regarding the complex interaction and \npower differential that can take place between and \namong an aggressor, target, and witnesses to the \nbullying \niii. research findings on bullying, and resources for the \ndevelopment of programs in schools \niv. information on the incidence and nature of \ncyberbullying and internet safety issues \nv. bias-based bullying and sexual harassment \nvi. issues specific to LGBTQ+ students \nviii. students with disabilities \n\u25cf legal rights/IDEA/FAPE \nix. adult bias and impact on bullying intervention", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "v. bias-based bullying and sexual harassment \nvi. issues specific to LGBTQ+ students \nviii. students with disabilities \n\u25cf legal rights/IDEA/FAPE \nix. adult bias and impact on bullying intervention \nand prevention. \n\u25cf The Regional RP/SAWS will continue to share literature \ncovering the latest information in bullying prevention & \nintervention. This literature will include strategies for", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 23 of 44 \n \ncreating a culture and environment that will prevent \nbullying. \n\u25cf Professional Development opportunities to identify \nstrategies for students with disabilities who are either \naccused of or are targets of bullying (per BPS Code of \nConduct). \n\u25cf Annual updated electronic links to the Bullying Prevention \nand Intervention Protocols.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 24 of 44 \n \n \nACCESS TO RESOURCES AND SERVICES \nA key aspect of promoting positive school climates that provide \nstudents with feelings of belonging and safety is ensuring that \nthe underlying emotional needs of all students are addressed. \nThese students include targets, aggressors, and bystanders of \nbullying or cyberbullying. The Boston Public Schools will also \naddress the emotional needs of these students\u2019 families. Please \nsee Anti-Bullying Resources for further information. \nIdentifying resources in schools \n\u25cf School staff, together with building administrators, will work \nto identify the school\u2019s capacity to provide counseling, case \nmanagement, and other services for students (targets, \naggressors, bystanders) and their families. Curricula and \nresources can be accessed through the Boston Public \nSchool\u2019s Succeed Boston\u2019s website succeedboston.org \n\u25cf Schools will conduct an annual review of staffing and", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "resources can be accessed through the Boston Public \nSchool\u2019s Succeed Boston\u2019s website succeedboston.org \n\u25cf Schools will conduct an annual review of staffing and \nprograms that support the creation of positive school \nenvironments, focusing on early interventions and intensive \nservices, and develop recommendations and action steps to \nfill resource and service gaps. \n\u25cf The Boston Public Schools will continue to work in \ncollaboration with local and state agencies to adopt \nevidence-based curricula and to provide additional \npreventive services to students, families/caregivers and all \nschool staff.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 25 of 44 \n \n \nCounseling and other services \n\u25cf Succeed Boston\u2019s Student Support and Prevention \nWorkshops provide an alternative to a suspension to \nincrease students\u2019 understanding about the impact of \nbullying, build empathy and social and emotional skills to \nstop and prevent bullying. \n\u25cf School counselors, nurses, school psychologists, and special \neducators provide a variety of skill-based services to students \nwithin the educational setting that include ongoing \nemotional support, risk assessment, crisis intervention, and \nhelp with community-based counseling referrals when \nappropriate. \n\u25cf School staff meet with families/caregivers and teachers as \nneeded to help address students\u2019 academic, social, \nemotional, and behavioral concerns as collaboratively as \npossible. \n\u25cf Regional liaisons, especially the RP/SAWS, will work with \nschool teams and administrators to develop and, if needed,", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "emotional, and behavioral concerns as collaboratively as \npossible. \n\u25cf Regional liaisons, especially the RP/SAWS, will work with \nschool teams and administrators to develop and, if needed, \nco-facilitate culturally and linguistically appropriate \nresources to identified families. \n\u25cf School counselors maintain up-to-date information on \ncommunity-based mental health referrals as well as \nCommunity Service Agencies (CSAs) within the local area, \nproviding services to students and families. \n\u25cf Regional liaisons, especially the RP/SAWS, will work \ncollaboratively with and support the BIS, school counselors, \nschool psychologists, and intensive special needs educators", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 26 of 44 \n \nto: \n1. Develop behavior plans and groups for students to build \nupon their social and emotional skills, \n2. Educate and support families/caregivers, \n3. Conduct workshops for families/caregivers \n4. Connect families/caregivers of outside resources to build \nskills \nSTUDENTS WITH DISABILITIES \nAs required by M. G. L. c. 71B, \u00a7 3, as amended by Chapter 92 of the \nActs of 2010, when the IEP Team determines that the student has \na disability that affects social skills development or the student \nmay participate in or is vulnerable to bullying, harassment, or \nteasing because of their disability, the Team will consider what \nshould be included in the IEP to develop the student\u2019s skills and \nproficiencies to avoid and respond to bullying, harassment, or \nteasing. \nREFERRAL TO OUTSIDE SERVICES \nBoston Public Schools school counselors and other specialists will", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "proficiencies to avoid and respond to bullying, harassment, or \nteasing. \nREFERRAL TO OUTSIDE SERVICES \nBoston Public Schools school counselors and other specialists will \nhelp students and families access appropriate and timely services \nnecessary to address student needs as a result of bullying. \nReferrals shall comply with relevant laws and policies. \nACADEMIC & NON-ACADEMIC ACTIVITIES \nThe Boston Public Schools will provide age-appropriate \ninstruction on bullying prevention in each grade and incorporate \nit into the school\u2019s or district\u2019s curricula. Succeed Boston provides \nonline Student Support and Prevention Workshops to students in", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 27 of 44 \n \ngrades 1-12 to learn about the impact of bullying and develop skills \nto stop and prevent bullying. \nEffective instruction will include classroom approaches, whole \nschool initiatives, focused strategies for bullying prevention, and \nsocial skills development. \nSpecific bullying prevention approaches: \n\u25cf Using scripts and role plays to develop skills. \n\u25cf Empowering students to take action by knowing what to do \nwhen they witness other students engaged in acts of \nbullying or retaliation, including seeking adult assistance. \n\u25cf Helping students understand the dynamics of bullying and \ncyberbullying, including the underlying power imbalance. \n\u25cf Build and reinforce student empathy. \n\u25cf Reinforce and elevate students who model being helpful \nbystanders \n\u25cf Emphasizing cyber safety, including safe and appropriate \nuse of electronic communication technologies \n\u25cf Enhancing students\u2019 skills for engaging in healthy", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "bystanders \n\u25cf Emphasizing cyber safety, including safe and appropriate \nuse of electronic communication technologies \n\u25cf Enhancing students\u2019 skills for engaging in healthy \nrelationships and resolving conflicts with respectful \ncommunications. \n\u25cf Engaging students in a safe, supportive school environment \nthat \n\u25cf is respectful of diversity and difference.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 28 of 44 \n \nGeneral teaching approaches that support bullying prevention \nefforts: \n\u25cf Create a strong anti-bullying plan that will be enforced first \nand foremost by adults \n\u25cf Build in learning and embed bullying in the curriculum (e.g., \nELA, social studies, history, health classes) \n\u25cf Empower bystanders who witness bullying activities with \nskills and support to intervene appropriately \n\u25cf Promote acceptance and respect in order to improve the \nschool climate to include all students in meaningful ways \n\u25cf Help students and staff understand the definition of bullying \n\u2013 what it is and what it isn\u2019t (e.g., conflict, fighting, teasing) \n\u25cf Recognize the dynamics and complexities involved in \naggressor-target relationships \n\u25cf Develop intervention programs that will reduce the \nprevalence of bullying behaviors and create a safe school \nclimate that fosters positive learning experiences for all \nstudents", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "\u25cf Develop intervention programs that will reduce the \nprevalence of bullying behaviors and create a safe school \nclimate that fosters positive learning experiences for all \nstudents \n\u25cf Be creative in developing strategies to promote social \ncompetence for children who are aggressors, targets of \nbullying, and bystanders \n\u25cf Develop ways to help students who are aggressors find more \nprosocial ways of experiencing positive rewards \n\u25cf Build an effective support system for protecting targets of \nbullying.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 29 of 44 \n \nThe Boston Public Schools has incorporated a range of \nindividualized strategies and interventions that may be used in \nresponse to remediate a student\u2019s skills or to prevent further \nincidents of bullying and/or retaliation. Combining and \nincorporating a Multi-Tiered System of Support (MTSS), social and \nemotional skill building, school-wide positive behavior \ninterventions and supports (PBIS) focused on prevention services \nschool-wide, creates a level change across the classroom, school, \nand district. These changes not only improve outcomes but \naddress and improve the academic and non-academic needs of \nall students, including students with disabilities. \nTEACHING APPROPRIATE BEHAVIOR THROUGH SKILL BUILDING \nUpon the principal/school leader or designee determining that \nbullying or retaliation has occurred, the law requires that the \nschool or district use a range of responses that balance the need", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Upon the principal/school leader or designee determining that \nbullying or retaliation has occurred, the law requires that the \nschool or district use a range of responses that balance the need \nfor accountability with the need to teach appropriate behavior. \nM.G.L. c. 71, \u00a7 37O. \nSkill-building approaches that the principal/school leader or \ndesignee may consider include: \n\u25cf referring students to Succeed Boston online Student \nSupport and Prevention Workshops for students in grades 1- \n12 to learn about the impact of bullying and develop skills to \nstop and prevent bullying \n\u25cf providing relevant push in support and co-facilitation of \neducational and social and emotional skill building activities \nfor individual students or groups of students, in consultation \nwith school counselors and other appropriate school \npersonnel \n\u25cf implementing a range of academic and nonacademic", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 30 of 44 \n \npositive behavioral supports to help students understand \nprosocial ways to achieve their goals. \n\u25cf meeting with families/caregivers to support and to reinforce \nthe anti-bullying curricula and social skills building activities \nat home \n\u25cf adopting support plans to include a focus on developing \nspecific social skills; making a referral for evaluation. \nTAKING DISCIPLINARY ACTION \nIf the principal/school leader or designee decides that disciplinary \naction is appropriate, the disciplinary action will be determined \nbased on facts found by the principal/school leader or designee, \nincluding the nature of the conduct, the age of the student(s) \ninvolved, a child\u2019s IEP where appropriate, and the need to balance \naccountability with the teaching of appropriate behavior. \nDiscipline will be consistent with the Boston Public Schools \nBullying Prevention and Intervention Plan, the Boston Public", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "accountability with the teaching of appropriate behavior. \nDiscipline will be consistent with the Boston Public Schools \nBullying Prevention and Intervention Plan, the Boston Public \nSchools Code of Conduct, and with the school-based student \nhandbook. Discipline procedures for students with disabilities are \ngoverned by the federal Individuals with Disabilities Education \nAct (IDEA), which should be read in cooperation with state laws \nregarding student discipline. \nIf the principal/school leader or designee determines that a \nstudent knowingly made a false allegation of bullying or \nretaliation, that student may be subject to disciplinary action \nconsistent with the BPS Code of Conduct.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 31 of 44 \n \n \nPROMOTING SAFETY FOR THE TARGET AND OTHERS \nThe principal/school leader or designee(s) will consider what \nadjustments (including a safety/support/action plan) are needed \nin the school environment to assure the target's sense of safety \nand that of others. \nWithin a reasonable period following the determination and the \nordering of remedial and/or disciplinary action, the \nprincipal/school leader or designee will contact the target and the \nfamilies/caregivers to determine whether there has been a \nrecurrence of the prohibited conduct and whether additional \nsupportive measures are needed. If so, the principal/school leader \nor designee will work with appropriate school staff to implement \nthem immediately. \nCOLLABORATION WITH FAMILIES/CAREGIVERS \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan includes strategies to engage and collaborate with students\u2019", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "them immediately. \nCOLLABORATION WITH FAMILIES/CAREGIVERS \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan includes strategies to engage and collaborate with students\u2019 \nfamilies/caregivers to increase the capacity of each of our schools \nas well as the district to prevent and respond to bullying. \nResources for families/caregivers and communication with them \nare essential aspects of effective collaboration. The bullying \nprevention and intervention curricula used by the schools shall be \nmade available to families/caregivers and include: \n1. How families/caregivers can reinforce the curricula at \nhome and support the school or district plan \n2. The dynamics of bullying \n3. Online safety and cyberbullying", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 32 of 44 \n \nFamilies/caregivers will also be notified in writing each year about \nthe student-related sections of the Boston Public Schools Bullying \nPrevention and Intervention Plan and the Boston Public Schools \nInternet Acceptable Use Policy. \nSchools will collaborate with School Site Councils and parent \norganizations to create families/caregivers\u2019 resources and \ninformation networks. Schools will join with these \nfamilies/caregivers groups to offer education programs for them \nthat are focused on the components of the anti-bullying curricula \nand any social competency curricula used by the school(s). \nSchools will annually inform families/caregivers of enrolled \nstudents about the anti-bullying curricula that are being used. \nThis notice will include information about the dynamics of \nbullying, including cyberbullying and online safety. All notices \nand information made available to families/caregivers will be in", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "This notice will include information about the dynamics of \nbullying, including cyberbullying and online safety. All notices \nand information made available to families/caregivers will be in \nhard copy and electronic formats and will be available in the \nlanguage(s) most prevalent in BPS. Each school will post the \nBoston Public Schools Bullying Prevention and Intervention Plan \nand related information on its website. \nRELATIONSHIP TO OTHER LAWS \nConsistent with state and federal laws and the policies of the \nschool or district, no person shall be discriminated against in \nadmission to a public school of any town or in obtaining the \nadvantages, privilege, and courses of study of such public school \non account of race, color, sex, religion, national origin, or sexual \norientation. Nothing in the Boston Public Schools Bullying \nPrevention and Intervention Plan prevents the school or district \nfrom taking action to remediate discrimination or harassment", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "orientation. Nothing in the Boston Public Schools Bullying \nPrevention and Intervention Plan prevents the school or district \nfrom taking action to remediate discrimination or harassment \nbased on a person\u2019s membership, or perceived membership, in a \nlegally protected category under local, state, or federal law, or", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 33 of 44 \n \nschool or district policies. \nIn addition, nothing in this Plan is designed or intended to limit \nthe authority of the school or district to take disciplinary action or \nother action under M.G.L. c. 71, \u00a7\u00a7 37H or 37H\u00bd, other applicable \nlaws, or local school or district policies in response to violent, \nharmful, or disruptive behavior, regardless of whether this Plan \ncovers the behavior. \nFor more information about this circular, contact: \nOwner: \nSenior Director of Succeed Boston @ the \nCounseling and Intervention Center \nDepartment: \nSucceed Boston @ the Counseling and \nIntervention Center \nMailing \nAddress: \n515 Hyde Park Ave, Roslindale, MA 02131 \nPhone: \n617-635-8123 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nsaws@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 34 of 44 \n \n \nATTACHMENTS: \n1. How to Conduct a Bullying Investigation \n2. Professional Development \u2014 Bullying Intervention Specialist \nTraining \n3. Safe Schools and Bullying Prevention and Intervention \nReporting Form", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 35 of 44 \n \nATTACHMENT 1: \nHOW TO COMPLETE A BULLYING INVESTIGATION \nStep 1: After contacting families/caregivers, set up a \nmeeting with the alleged targeted student (target) \nAre there safety concerns? If yes, develop a safety plan with the \ninput of the target and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and \u201cspecials.\u201d \nb. With the help of the targeted student, identify a trusted \nadult the student can go to for assistance. \n\u25cf Notify the trusted adult of the plan. \n\u25cf Notify the teacher(s) of the allegation and the trusted \nadult. \nc. Consider an inconspicuous way the target could signal in \nreal-time that something was happening and/or the target \nneeded to leave the room to go to a prior agreed-upon class, \noffice, person. \nd. Take a statement from the target and get the names of \nwitnesses if any. \nStep 2: After contacting the families/caregivers of the alleged", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "office, person. \nd. Take a statement from the target and get the names of \nwitnesses if any. \nStep 2: After contacting the families/caregivers of the alleged \naggressor, set up a meeting with the student. \nAre there any safety concerns? If yes, develop a safety or action \nplan with the input of the aggressor and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and \n\u201cspecials.\u201d", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 36 of 44 \n \nb. With the help of the aggressor, identify a trusted adult \nthe student can go to for assistance. \nc. Notify the trusted adult of the plan. \nd. Notify the teacher(s) of the allegation and the trusted \nadult. \ne. Consider an inconspicuous way the target could signal in \nreal-time that something was happening, and/or the target \nneeded to leave the room to go to a prior agreed-upon \nclass, office, or person. \nIf there are no safety concerns for the aggressor, develop an \naction plan that keeps the target and aggressor separate. \na. Consider class seating arrangements, lunch bus, \u201cspecials\u201d \nand recess. \nb. Notify the teacher(s) of the allegation, and any action \nplans developed. \nc. Take a statement from the alleged aggressor. \nStep 3: Document statements from all witnesses \nStep 4: Assess whether the situation meets the standard for \nbullying: \n1. Power imbalance \n2. Repeated \n3. Intentional", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 37 of 44 \n \n \nStep 5: Does this allegation involve targeting based on, or \nperceived, membership in a protected class (race, color, national \norigin, ethnicity, religion, pregnancy, homelessness, criminal \nrecord, sex, sexual orientation, gender identity, disability, age, \ngenetics, or active military status?) If yes, contact the Boston \nPublic Schools Office of Equity. \nIf no, proceed to step 6. \nStep 6: All allegations of bullying that have been investigated \nmust be filed with Succeed Boston by completing the Safe \nSpace and Bullying Prevention Investigation Reporting Form \nand documented in the BPS SIS. \n1. Document dates of meetings and calls with \nfamilies/caregivers. \n2. Document all interviews. \n3. Determine if the allegation is bullying, retaliation, simple \nconflict, or Code of Conduct violation. \n4. Document action taken. \n5. Schedule a date to follow up with all parties.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "3. Determine if the allegation is bullying, retaliation, simple \nconflict, or Code of Conduct violation. \n4. Document action taken. \n5. Schedule a date to follow up with all parties. \n6. Document incident in SIS under the Conduct Module \nSection 7.1. of the Code of Conduct. \nPlease note: \n\u25cf Upon receipt of the bullying complaint, the principal/school \nleader or designee must confirm receipt of the complaint to \nthe families/caregivers within 24 hours.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 38 of 44 \n \n\u25cf The investigation must be completed within 5 school days, \nand the principal/school leader or designee will notify the \nfamilies/caregivers of the target and the aggressor of the \nfindings, and of the procedures for responding to it. \n\u25cf To ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the \nprincipal/school leader will be forwarded to the operational \nleader and the school superintendent for follow-up.", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 39 of 44 \n \nATTACHMENT 2: \nBOSTON PUBLIC SCHOOLS 12 HOUR PROFESSIONAL \nDEVELOPMENT \n\u201cBullying Intervention Specialist Training\u201d \nTo build capacity across the district and effectively deal with \nallegations of bullying, each school must have at least two staff \ncomplete the 12-hour training leading to certification as a \n\u201cBullying Intervention Specialist.\u201d Once certified, these specialists \nwill lead the annual bullying prevention and intervention training \nat their schools and will spearhead the creation and maintenance \nof Caring Communities and Bully Free Schools. Succeed Boston \nwill offer quarterly training sessions throughout the school year. \nPlease register on Teach Point. \nIn this training, staff will: \n\u25cf Learn about state and district regulations, procedures and \nprotocols \n\u25cf Become familiar with BPS reporting and investigation \nprotocols \n\u25cf Develop safety plans for targets and action plans for \naggressors", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "protocols \n\u25cf Become familiar with BPS reporting and investigation \nprotocols \n\u25cf Develop safety plans for targets and action plans for \naggressors \n\u25cf Learn about the different types of bullying \n\u25cf Differentiate between bullying and conflict and how to \nrespond to each \n\u25cf Understand the role school staff play in preventing bullying \n\u25cf Learn about culturally and linguistically sustaining practices", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 40 of 44 \n \nthat lead to spaces that feel safe, welcoming and are \ninclusive \n\u25cf Understand how adult bias and micro-aggression impact \nstaff\u2019s ability to effectively develop relationships with \nstudents involved in bullying \n\u25cf Develop an awareness of suicide and suicide prevention \nresources \n\u25cf Understand the unique way bullying impacts LGBTQ+ and \nELL students and students with disabilities \n\u25cb Become familiar with FAPE and IDEA as they relate to \nbullying \n\u25cf Develop strategies to empower bystanders \n\u25cf Learn to differentiate bullying and bias-based speech and \nbehavior \n\u25cf Learn best practices to address bullying \n\u25cf Listening and talking to families with empathy \n\u25cf Become familiar with resources to develop and implement \nschool-based programs. \n\u25cf Develop plans for family workshops", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 41 of 44 \n \nATTACHMENT 3: \nSAFE SPACE AND BULLYING PREVENTION REPORTING \nFORM - Boston Public Schools \n1. Name of the person reporting this bullying allegation. \nWrite \"NA\" if you want to report anonymously. Note, \nno disciplinary action will be taken solely on the basis \nof an anonymous report. \n2. Phone number of the person reporting this bullying \nallegation. Write \"NA\" to remain anonymous \n3. Who is reporting this bullying allegation? \n\u25cb I'm a student reporting for myself \n\u25cb I'm a student reporting for another student \n\u25cb I'm a family member/caregiver reporting on \nbehalf of my child \n\u25cb I'm a school staff member (admin, educators, \nsupport staff, etc.) reporting for a student \n4. Name and email of person completing this form (if \ndifferent than above): Write \"NA\" if not relevant. \n5. Role of person completing this form (if different than \nabove) \n\u25cb Bullying Hotline Staff (Succeed Boston staff only) \n\u25cb BPS Help Line Staff", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "different than above): Write \"NA\" if not relevant. \n5. Role of person completing this form (if different than \nabove) \n\u25cb Bullying Hotline Staff (Succeed Boston staff only) \n\u25cb BPS Help Line Staff \n\u25cb School Staff member", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 42 of 44 \n \n\u25cb NA \n6. Have you already reported this incident to the school \nleader? \n\u25cb Yes \n\u25cb No \n7. Name of alleged target: \n8. Student ID# of alleged target: (Please put 0 if \nunknown) \n9. School of alleged target: \n10. Grade of alleged target: \n11. Does the alleged target receive special education \nservices? \n\u25cb Yes \n\u25cb No \n\u25cb Unsure \n12. Name and grade of the alleged aggressor(s): (If the \nalleged aggressor is an adult, please indicate) \n13. Do any alleged aggressor(s) attend a different school? \nIf yes, please type the name of the school(s) below. (If \nnot, please write \"NA\") \n14. Date, time, and location of incident(s): (If not known, \nplease write \"NA\")", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 43 of 44 \n \n \n15. If the incident occurred on a school bus, please list \nthe bus number below: (If not on a bus, please write \n\"NA\") \n16. Describe the incident, including names, details of \nwhat happened, and specific words used. You may \nsend additional evidence (i.e., video, screenshots, \nemails) to saws@bostonpublicschools.org. \n17. Witnesses: List the names of any people who saw the \nincident or may have information about it: (If none, \nplease write \"NA\") \n18. Does this bullying allegation involve bias-based \nspeech or behavior? \u201cBias-based\u201d bullying, including \ncyberbullying or harassment, is when a person is \nbullied because of membership in, or perceived \nmembership in, a protected class. Protected classes: \nrace, color, age, physical or mental disability, \npregnancy and pregnancy-related conditions, \ncriminal record, homelessness, sex/gender, gender \nidentity, religion, national origin, ancestry, sexual", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "pregnancy and pregnancy-related conditions, \ncriminal record, homelessness, sex/gender, gender \nidentity, religion, national origin, ancestry, sexual \norientation, genetics, natural or protective hairstyle, \nsocioeconomics, and retaliation. Please note: All \ninvestigations involving bias-based speech or \nbehavior will be forwarded to the Office of Equity by \nSucceed Boston. \n\u25cb Yes \n\u25cb No", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "content": "Superintendent\u2019s Circular SSS-18 \nPage 44 of 44 \n \n19. Are you concerned for the student's safety? \n\u25cb Yes \n\u25cb No", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-02 \nVersion 01 \n \n \n \nPROCURING DIGITAL PRODUCTS GUIDANCE \nDOCUMENT \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance to Boston Public \nSchools (BPS) staff on the process to procure new digital learning \ntechnologies that use student education records or staff \ninformation. The overarching guidance is that schools and central \noffice departments should continue to use already-vetted digital \nproducts that are included with the Google Enterprise suite of \ntools or those that are included in Clever. \nDEFINITIONS \nDigital Tool - Any digital products or learning tools that are used \nto enhance or improve workflows that do not store or maintain \ndata/information. Examples include applications like \nSmartsheets, Chrome Extensions, or personal notation tools. \nThese tools are exempt from this circular.", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "data/information. Examples include applications like \nSmartsheets, Chrome Extensions, or personal notation tools. \nThese tools are exempt from this circular. \nSystem - Any digital platform that purposely built to store, \nmaintain, or transfer sensitive student or staff data/information. \nExamples include Aspen or EdPlan.", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 2 of 5 \n \n \n \nPlatform - A suite of tools and programs that allow users to \ncreate structures to maintain information. Examples include \nGoogle Apps, Salesforce, or Wordpress. \nLearning Application - Any digital tool used in a classroom \nsetting that may contain content and student \ninformation/progress. Learning applications may fall into multiple \ncategories, depending on how they are used, but any tool that \ncontains content and tracks student learning should be \nconsidered a learning app for the purpose of this document. \nExamples include Imagine Learning. \nCONTEXT \nBPS staff seeking online learning products or receiving offers to \nuse online learning products to support instruction in a digital \nspace has resulted in the desire to use products that may not be \naligned to BPS instructional standards, do not comply with our \ntechnical specifications, or do not adhere to data sharing", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "space has resulted in the desire to use products that may not be \naligned to BPS instructional standards, do not comply with our \ntechnical specifications, or do not adhere to data sharing \nguidelines under FERPA. Our district is committed to ensuring \nthat appropriate educational supports and effective learning \nopportunities are provided to students. As such, this document \nwill outline guidance for the appropriate review of digital \nlearning tools in BPS. The guidelines outlined below are created \nto ensure that product confidentiality and security practices \nmeet or exceed industry standards and adhere to the \nexpectations contained in the federal Family Education Rights \nand Privacy Act (FERPA), the Children\u2019s Online Privacy Protection \nAct (COPPA), the Protection of Pupil Rights Amendment (PPRA), \nand HIPAA regulations. This document describes the \nconsiderations schools and central office staff should employ", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 3 of 5 \n \n \n \naround protecting student data and education records, when \nselecting digital learning tools. \nGUIDANCE FOR BPS STAFF PROCURING DIGITAL PRODUCTS \nAny tools or products that are procured (paid for or free) by \nschools or departments for schoolwide or districtwide use need \nto comply with the FERPA school official exception criteria1 and \nspecifications for technical interoperability. Exceptions are made \nfor tools that do not track/store/maintain student or staff \ninformation. For example, a Chrome Extension that magnifies the \nscreen does not fall under these guidelines since it will not be \n \n1 Performs an institutional service or function for which the \neducational agency or institution would otherwise use its own \nemployees; \nHas been determined to meet the criteria set forth in in the \neducational agency\u2019s or institution\u2019s annual notification of \nFERPA rights for being a school official with a legitimate", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "employees; \nHas been determined to meet the criteria set forth in in the \neducational agency\u2019s or institution\u2019s annual notification of \nFERPA rights for being a school official with a legitimate \neducational interest in the education records or PII; \nIs under the direct control of the educational agency or \ninstitution regarding the use and maintenance of the education \nrecords or PII; and \nUses the education records or PII only for authorized purposes \nand does not re-disclose the education records or PII to other \nparties (unless the provider has specific authorization from the \neducational agency or institution to do so and it is otherwise \npermitted by FERPA). See 34 CFR \u00a799.31(a)(1)(i).", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 4 of 5 \n \n \n \naccessing any sensitive information. New requests for products \nshould: \n1. Meet the district\u2019s technical specifications \n2. Have signed or sign a data privacy agreement \n3. Aligned to the Essentials for Instructional Equity \n4. Serve a purpose that is distinct from currently available tools \nwithin the district. \nPROCESS FOR SUBMITTING A SPENDING APPROVAL FOR THE \nDIGITAL LEARNING PRODUCT \nBefore a new digital learning product will be integrated, the \nfollowing steps need to be completed: \n1. Review the Essentials for Instructional Equity for alignment. \n2. Have the vendor submit an NDA Request to receive and sign \nthe MA Student Data Privacy Agreement and Technology \nSpecifications Template. \n3. Once fully executed, follow the procurement process as \noutlined in the BUSINESS SERVICES GUIDE. \n4. Once the product is procured, email the BPS Clever Admin \nat cleveradmin@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nName: Director of Technology \nDepartment: Office of Instructional and Information \nTechnology, Office of Data & Accountability \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9200 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-03 \nVersion 01 \n \nTECHNOLOGY PURCHASING, DONATIONS & \nRETURN GUIDE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance on the \ntechnology purchasing process, acceptance of technology \ndonations, and the return of technology. \nTECHNOLOGY PURCHASING \nAll requests to procure technology that must be added to the \nBPS network should be submitted to BPSTechnology (OIIT) \nthrough the Technology Purchasing Request (Form 40), \nregardless of funding source. Please visit the BPSTechnology \nPurchasing Menu for technology options, pricing, and the \nrequest form. If you\u2019re not sure if a request form should be \nsubmitted, please feel free to reach out. \nTechnology listed on the menu has been evaluated by \nBPSTechnology (OIIT) experts based on industry standards, \ndistrict priorities, and school needs. Most technologies come with", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "Technology listed on the menu has been evaluated by \nBPSTechnology (OIIT) experts based on industry standards, \ndistrict priorities, and school needs. Most technologies come with \nthe standard BPS image, and we guarantee service and support \nfor the equipment. Competitive pricing has been negotiated with \nvendors, contracts are already in place, and BPS purchasing \nguidelines have been met.", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 2 of 5 \n \n \nIf you do not find what you are looking for on the menu, please \nreach out. While most technologies are standardized across the \ndistrict, we may be able to get them with different specifications \n(i.e. memory, storage). If you are considering technology that \ncannot be supported by BPSTechnology (OIIT), please: \n\u2022 examine compatibility with existing systems and digital \napplications, \n\u2022 be conscious of any software licensing or subscriptions \nneeded, \n\u2022 understand the warranty coverage and how repairs will be \nhandled, \n\u2022 ensure training is available on use and integration of the \ntechnology, \n\u2022 arrange for shipment, delivery, assembly, and installation if \nnecessary, \n\u2022 follow the procurement process (see Business Services \nGuide), and \n\u2022 plan ahead to meet implementation and procurement \ntimelines. \nBPSTechnology (OIIT) reserves the right to decline requests for \nthe procurement of technology.", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "Guide), and \n\u2022 plan ahead to meet implementation and procurement \ntimelines. \nBPSTechnology (OIIT) reserves the right to decline requests for \nthe procurement of technology. \nBefore submitting your request, please be sure sufficient funding \nis available in technology accounts (55903, 55905, and 55907). If \npaying by check/BEDF, please wait to make payment. \nBPSTechnology (OIIT) will provide you with payment instructions \nonce the request has been reviewed and approved.", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 3 of 5 \n \nOnly school/department leaders who are authorized by the \nsuperintendent to make budget decisions can submit requests \nto purchase technology. However, we encourage staff to work \nwith leaders to make technology decisions that will benefit \nschools/departments as a whole. \nPublic funds cannot be used to provide a prize or gift to an \nindividual. Under the Anti-Aid Amendment of our State \nConstitution and by order of the Massachusetts Supreme Judicial \nCourt, money raised by taxation (i.e., public money) can be used \nonly for public purposes and not for the advantage of private \nindividuals. \nDONATIONS \nSchools receiving technology donations from outside vendors or \npartners should contact BPSTechnology (OIIT) prior to receipt for \na comprehensive consultation. Donations can differ from \nBPSTechnology (OIIT) standards but must meet the minimum \nsystem requirements for the device. All donations of technology", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "a comprehensive consultation. Donations can differ from \nBPSTechnology (OIIT) standards but must meet the minimum \nsystem requirements for the device. All donations of technology \nare the property of the Boston Public Schools and, as such, must \nadhere to the same policies regarding purchased equipment. \nAfter consultation, BPSTechnology (OIIT) reserves the right to \ndecline donations if they do not meet the minimum system \nrequirements or require additional support or resources beyond \nthe means of the district. \nThere may be additional costs associated with software, re-\nimaging, repair, and maintenance. All donated computers must \nbe re-imaged with the standard image before being used by \nstudents or staff to ensure that existing data/information can be \nremoved, and the necessary security and management software", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 4 of 5 \n \ncan be installed. \nMaterials funded through DonorsChoose.org are the property of \nthe public school at which the teacher is employed when \nresources are shipped. The teacher who created the project is the \nsole steward of the donation while employed at the school, \ncarrying out the project for which the materials were donated. \nFor more information, go to DonorsChoose.Org Materials \nOwnership Policy. \nRETURNS \nAll technology (laptops, desktops, cell phones, tablets, desk \nphones, etc.) must be returned to BPSTechnology (OIIT) for \nreimaging or recycling. Any BPSTechnology (OIIT) staff member \nat either the Bolling Building or Campbell Resource Center can \ncollect technology and provide an electronic receipt to the \nemployee and RC manager, if requested. If re-imaged, the device \nis held until the purchasing school/department reassigns the unit \nand/or provides us with further instruction.", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "employee and RC manager, if requested. If re-imaged, the device \nis held until the purchasing school/department reassigns the unit \nand/or provides us with further instruction. \nTechnology cannot be transferred from one employee to another. \nAll computers, phones, and tablets must be returned to \nBPSTechnology (OIIT) so that data can be properly archived and \ndestroyed before it is redistributed to another employee. Hard \ndrive contents will be archived according to the City of Boston \nRecords Retention Schedule by the director of records \nmanagement. Once data is archived and destroyed, the RC \nmanager can direct BPSTechnology (OIIT) to redeploy the \ntechnology to another employee in their RC. \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 5 of 5 \n \nName: Director of Technology Business Operations \nDepartment: OIIT / BPS Technology \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9190 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-01 \nVersion 01 \n \nACCEPTABLE USE POLICY AND GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nGuidelines for Implementation of Acceptable Use Policy for \nDigital Information, Communication, and Technology Resources \nSCOPE OF POLICY \nBoston Public Schools (BPS) provides access to technology \ndevices, Internet, and data systems to employees and students \nfor educational and business purposes. This Acceptable Use \nPolicy (AUP) governs all electronic activity of employees using \nand accessing the district\u2019s technology, internet, and data \nsystems regardless of the user\u2019s physical location. \nGUIDING PRINCIPLES \n\u2022 Online tools, including social media, should be used in our \nclassrooms, schools, and central offices to increase \ncommunity engagement, staff and student learning, and \ncore operational efficiency. \n\u2022 BPS has a legal and moral obligation to protect the personal", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "community engagement, staff and student learning, and \ncore operational efficiency. \n\u2022 BPS has a legal and moral obligation to protect the personal \ndata of our students, families, and staff. \n\u2022 BPS should provide a baseline set of policies and structures \nto allow schools to implement technology in ways that meet \nthe needs of their students. All students, families, and staff", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 2 of 13 \n \nmust know their rights and responsibilities outlined in the \nAcceptable Use Policy and government regulations. \n\u2022 Nothing in this policy shall be read to limit an individual\u2019s \nconstitutional rights to freedom of speech or expression or \nto restrict an employee\u2019s ability to engage in concerted, \nprotected activity with fellow employees regarding the \nterms and conditions of their employment. \nCOMPLIANCE REQUIREMENT FOR EMPLOYEES \nThe Acceptable Use Policy is reviewed annually by the BPS Chief \nInformation Officer and is issued via the Superintendent\u2019s \nCircular. Technology users are required to verify that they have \nread and will abide by the Acceptable Use Policy annually. \nSTUDENT AUP & CONTRACT \nCopies of the Acceptable Use Policy and the student contract for \nInternet use are included in the Guide to Boston Public Schools \nfor Families & Students, given to all students at the beginning of", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Copies of the Acceptable Use Policy and the student contract for \nInternet use are included in the Guide to Boston Public Schools \nfor Families & Students, given to all students at the beginning of \nthe school year. The Student Contract for Internet Use must be \ncompleted and signed by all students and their parent/guardian \nafter going over the AUP together. The signed contract must be \nreturned to the school before the student may begin using the \nInternet. \nCONSEQUENCES OF BREACH OF POLICY \nUse of all BPS technology resources is a privilege, not a right. By \nusing BPS internet systems and devices, the user agrees to follow \nall BPS regulations, policies, and guidelines. Students and staff \nare encouraged to report misuse or breach of protocols to \nappropriate personnel, including building administrators, direct", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 3 of 13 \n \nsupervisors, and the Office of Instructional and Information \nTechnology (OIIT). Abuse of these privileges may result in one or \nmore of the following consequences: \n\u2022 Suspension or cancellation of use or access privileges. \n\u2022 Payments for damages or repairs. \n\u2022 Discipline under appropriate School Department policies, up \nto and including termination of employment, subject to any \ncollective bargaining obligations. \n\u2022 Liability under applicable civil or criminal laws. \nDEFINITIONS \nFreedom of Information Act (FOIA) - The FOIA is a law that allows \nfor the release of government documents at the request of an \nindividual. A FOIA request can be made to the Boston Public \nSchools for electronic documents/communications stored or \ntransmitted through district systems unless that information \ncould be detrimental to governmental or personal interests. For \nmore information, visit http://www.foia.gov/", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "transmitted through district systems unless that information \ncould be detrimental to governmental or personal interests. For \nmore information, visit http://www.foia.gov/ \nFamily Educational Rights and Privacy Act (FERPA) - The FERPA \nlaw protects the privacy, accuracy, and release of information for \nstudents and families of the Boston Public Schools. Personal \ninformation stored or transmitted by agents of the Boston Public \nSchools must abide by FERPA laws and the BPS is required to \nprotect the integrity and security of student and family \ninformation. For more information, visit \nhttp://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html \nChildren\u2019s Internet Protection Act (CIPA) - Requires schools that \nreceive federal funding through the E-Rate program to protect", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 4 of 13 \n \nstudents from content deemed harmful or inappropriate. The \nBoston Public Schools is required to filter internet access for \ninappropriate content, monitor the internet usage of minors, and \nprovide education to students and staff on safe and appropriate \nonline behavior. \nCOMMUNICATION & SOCIAL MEDIA \nEmployees and students are provided with district email \naccounts and online tools to improve the efficiency and \neffectiveness of communication, both within the organization \nand with the broader community. Communication should be \nconsistent with professional practices used for all \ncorrespondence. When using online tools, members of the BPS \ncommunity will use appropriate behavior: \na) when acting as a representative or employee of the Boston \nPublic Schools. \nb) when the communication impacts or is likely to impact the \nclassroom or working environment in the Boston Public \nSchools.", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Public Schools. \nb) when the communication impacts or is likely to impact the \nclassroom or working environment in the Boston Public \nSchools. \nAll communication sent by an employee using district property \nor regarding district business could be subjected to public access \nrequests submitted through Freedom of Information Act (FOIA). \nUsers need to be aware that data and other material/files \nmaintained on the school district\u2019s systems may be subject to \nreview, disclosure, or discovery. Use of personal email accounts \nand communication tools to conduct school business is strongly \ndiscouraged and may open an individual\u2019s personal account to \nbe subject to FOIA inquiries. BPS will cooperate fully with local, \nstate, and federal authorities in any investigation concerning or", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 5 of 13 \n \nrelated to any illegal activities or activities not in compliance with \nschool district policies or government regulations. \nGUIDELINES FOR ONLINE COMMUNICATION \n\u2022 Communication with students should not include content \nof a personal nature. \n\u2022 When communicating with parents/guardians of students, \nemployees should use email addresses and phone numbers \nlisted in the Student Information System (SIS) unless steps \nhave been taken to verify that the communication is \noccurring with a parent/guardian that has educational \nrights for the student. \n\u2022 When communicating with a parent/guardian, refrain from \ndiscussing any non-related students when possible. \n\u2022 Employees who use internal or external social media (blogs, \nX/Twitter, etc.) are expected to refrain from discussing \nconfidential information and/or discussing specific students. \nInformation that can be traced back to a specific student or", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "X/Twitter, etc.) are expected to refrain from discussing \nconfidential information and/or discussing specific students. \nInformation that can be traced back to a specific student or \ncould allow a student to be publicly identified should not be \nposted on any social media sites. \n\u2022 When using social media, employees are expected to refrain \nfrom posting any negative comments online about \nstudents. \n\u2022 Employees are required to notify their principal/headmaster \nbefore setting up an online site to facilitate student learning. \nEmployees are encouraged to monitor/moderate online \ncommunication to the best of their abilities. \n\u2022 Employees are advised not to add any students/former \nstudents or parents as \u2018friends\u2019 or contacts on social media", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 6 of 13 \n \nunless the site is specifically set up to support classroom \ninstruction or school business. \n\u2022 Employees may communicate with BPS graduates (+18 \nyears old) on social media but should be advised to maintain \nprofessionalism and caution when communicating online. \n\u2022 Employees are advised not to add parents/guardians of \nstudents as \u2018friends\u2019 or contacts on social media to maintain \nprofessionalism and to avoid any appearance of conflict of \ninterest. \n\u2022 Avoid responding to spam or phishing attempts that require \na user to click on any links or to provide any account \ninformation. Note: BPS will never ask for a user\u2019s account \npassword for any purpose. Users are advised to report any \nsuspicious requests for account information directly to the \nOIIT Help Desk (617-635-9200). \nSOLICITATION \nWeb announcements and online communication promoting a \nbusiness are prohibited by the BPS Solicitation Policy. The", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "OIIT Help Desk (617-635-9200). \nSOLICITATION \nWeb announcements and online communication promoting a \nbusiness are prohibited by the BPS Solicitation Policy. The \nSuperintendent\u2019s Office may make exceptions if benefits are \njudged sufficient to merit exception.", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 7 of 13 \n \nUSE OF COPYRIGHTED MATERIALS \nViolations of copyright law that occur while using the BPS \nnetwork or other resources are prohibited and have the potential \nto create liability for the district as well as for the individual. BPS \nstaff and students must comply with regulations on copyright \nplagiarism that govern the use of material accessed through the \nBPS network. \nUsers will refrain from using materials obtained online without \nrequesting permission from the owner if the use of the material \nhas the potential of being considered copyright infringement. \nBPS will cooperate with copyright protection agencies \ninvestigating copyright infringement by users of the computer \nsystems and network of the Boston Public Schools. \nNETWORK USAGE \nNetwork access and bandwidth are provided to schools for \nacademic and operational services. BPS reserves the right to \nprioritize network bandwidth and limit certain network activities", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Network access and bandwidth are provided to schools for \nacademic and operational services. BPS reserves the right to \nprioritize network bandwidth and limit certain network activities \nthat are negatively impacting academic and operational services. \nUsers are prohibited from using the BPS network to access \ncontent that is inappropriate or illegal, including but not limited \nto content that is pornographic, obscene, illegal, or promotes \nviolence. \nNETWORK FILTERING & MONITORING \nAs required in the Children\u2019s Internet Protection Act (CIPA), BPS \nis required to protect students from online threats, block access \nto inappropriate content, and monitor Internet use by minors on \nschool networks. OIIT is responsible for managing the district\u2019s", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 8 of 13 \n \nInternet filter and will work with the BPS community to ensure \nthe filter meets the academic and operational needs of each \nschool while protecting minors from inappropriate content. \nBy authorizing use of technology resources, BPS does not \nrelinquish control over materials on the systems or contained in \nfiles on the systems. There is no expectation of privacy related to \ninformation stored or transmitted over the BPS network or in \nBPS systems. BPS reserves the right to access, review, copy, store, \nor delete any files (unless other restrictions apply) stored on BPS \ncomputers and all employee and student communications using \nthe BPS network. Electronic messages and files stored on BPS \ncomputers or transmitted using BPS systems may be treated like \nany other school property. District administrators and network \npersonnel may review files and messages to maintain system", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "computers or transmitted using BPS systems may be treated like \nany other school property. District administrators and network \npersonnel may review files and messages to maintain system \nintegrity and, if necessary, to ensure that users are acting \nresponsibly. BPS may choose to deploy location tracking software \non devices for the sole purpose of locating devices identified as \nlost or stolen. \nPERSONAL USE \nBPS recognizes that users may use BPS email, devices, and \nnetwork bandwidth for limited personal use; however, personal \nuse should not interfere with or impede district business and/or \ncause additional financial burden on the district. Excessive use or \nabuse of these privileges can be deemed in violation of the \nAcceptable Use Policy.", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 9 of 13 \n \nNETWORK SECURITY \nThe BPS Wide Area Network (WAN) infrastructure, as well as the \nbuilding-based Local Area Networks (LANs) are implemented \nwith performance planning and appropriate security measures in \nmind. Modifications to an individual building network \ninfrastructure and/or use will affect LAN performance and will \nreduce the efficiency of the WAN. For this reason, any additional \nnetwork electronics including, but not limited to, switches, \nrouters, and wireless access points must be approved, purchased, \ninstalled, and configured solely by OIIT to ensure the safety and \nefficiency of the network. Users are prohibited from altering or \nbypassing security measures on electronic devices, network \nequipment, and other software/online security measures without \nthe written consent of the chief information officer. \nDATA & SYSTEMS \nAccess to view, edit, or share personal data on students and", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "equipment, and other software/online security measures without \nthe written consent of the chief information officer. \nDATA & SYSTEMS \nAccess to view, edit, or share personal data on students and \nemployees maintained by BPS central offices, individual schools, \nor by persons acting for the district must abide by local, state, \nand federal regulations, including the Family Educational Rights \nand Privacy Act. Student and staff information and data may only \nbe shared with individuals deemed eligible to have access by the \nperson(s) responsible for oversight of that data. Outside parties \nand/or non-BPS individuals requesting protected data must \nreceive approval from the Office of the Legal Advisor and have a \nnon-disclosure agreement with the BPS. Individuals requesting \nongoing access to data through BPS systems are required to \nhave a designated BPS administrator who will act as a \u201csponsor\u201d \nto ensure the safety of the data.", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 10 of 13 \n \nELECTRONIC TRANSMISSION OF DATA \nWhen educational records or private data are transmitted or \nshared electronically, staff are expected to protect the privacy of \nthe data by password-protecting the record/file and only using \nBPS systems to transmit data. Staff are also expected to ensure \nrecords are sent only to individuals with a right to said records \nand must take reasonable measures to ensure that only the \nintended recipients are able to access the data. \nPASSWORDS \nUsers are required to adhere to password requirements set forth \nby the Boston Public Schools and the City of Boston when \nlogging into school computers, networks, and online systems. \nUsers are not authorized to share their password and must use \nextra caution to avoid email scams that request passwords or \nother personal information. \nMEDIA & STORAGE \nAll local media (USB devices, hard drives, CDs, flash drives, etc.)", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "extra caution to avoid email scams that request passwords or \nother personal information. \nMEDIA & STORAGE \nAll local media (USB devices, hard drives, CDs, flash drives, etc.) \nwith sensitive data must be securely protected with a password \nand/or encrypted to ensure the safety of the data contained. Use \nof cloud-storage services for storage or transmission of files \ncontaining sensitive information must be approved by the Office \nof the Legal Advisor and OIIT. Users are encouraged to use BPS \napproved data/information systems for the storage and \ntransmission of sensitive data whenever possible and avoid \nstorage on local hardware that cannot be secured.", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 11 of 13 \n \nELECTRONIC DEVICES \nBPS defines electronic devices as, but not limited to, the \nfollowing: \n\u2022 Laptop and desktop computers, including like-devices \n\u2022 Tablets \n\u2022 Wireless email and text-messaging devices, i.e., iPod \n\u2022 Smartphones \n\u2022 Donated devices \nDEVICE SUPPORT \nBPS provides basic installation, synchronization, and software \nsupport for BPS-issued electronic devices. Devices must be \nconnected to the BPS network on a regular basis to receive up-\nto-date software and antivirus updates and for inventory \npurposes. Password protection is required on all BPS-issued \nelectronic devices to prevent unauthorized use in the event of \nloss or theft. Users are responsible for making periodic backups \nof data files stored locally on their devices. \nLOSS/THEFT \nUsers must take reasonable measures to prevent a device from \nbeing lost or stolen. In the event an electronic device is lost or", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "of data files stored locally on their devices. \nLOSS/THEFT \nUsers must take reasonable measures to prevent a device from \nbeing lost or stolen. In the event an electronic device is lost or \nstolen, the user is required to immediately notify appropriate \nschool staff and/or their direct supervisor, local authorities, and \nthe OIIT Service Desk (617-635-9200). The BPS will take all \nreasonable measures to recover the lost property and to ensure \nthe security of any information contained on the device. \nRETURN OF ELECTRONIC DEVICES", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 12 of 13 \n \nAll technology purchased or donated to the BPS is considered \ndistrict property, and all equipment assigned to employees or \nstudents must be returned prior to leaving their position or \nschool. All equipment containing sensitive information and data \nmust be returned directly to OIIT before it can be redeployed. \nPERSONAL ELECTRONIC DEVICES \nThe use of personal electronic devices is permitted at the \ndiscretion of the principal/head of school and chief information \nofficer. The BPS is not responsible for the maintenance and \nsecurity of personal electronic devices and assumes no \nresponsibility for loss or theft. The district reserves the right to \nenforce security measures on personal devices when used to \naccess district tools and remove devices found to be in violation \nof the AUP. \nENERGY MANAGEMENT \nBPS strives to reduce our environmental footprint by pursuing \nenergy conservation efforts and practices. The district reserves", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "of the AUP. \nENERGY MANAGEMENT \nBPS strives to reduce our environmental footprint by pursuing \nenergy conservation efforts and practices. The district reserves \nthe right to adjust power-saving settings on electronics to reduce \nthe energy consumption. \nTECHNOLOGY PURCHASING & DONATIONS \nTechnology hardware and software must be purchased or \ndonated through OIIT unless prior approval has been received by \nOIIT and the Business Office. All technology purchases and \ndonations must abide by City procurement policies and are \nsubject to approval by OIIT. Technology pricing can include \nadditional expenses required to ensure proper maintenance and \nsecurity, including but not limited to warranties,", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 13 of 13 \n \nhardware/software upgrades, virus protection, and \nsecurity/inventory software. Schools or departments applying for \ntechnology grants, funding, or donations must budget for any \nadditional expenses associated with the requested technology \nand can be held responsible for any additional expenses incurred. \nFor more information about this circular, contact: \nName: Director of Technology \nDepartment: Office of Instructional and Information \nTechnology \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9199 \nFax: 617-635-9176 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s \nCircular \n \n NUMBER: \nATH-02 \nVersion 01 \n \n \n \nATHLETIC ELIGIBILITY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nASPEN/ ELIGIBILITY MANAGEMENT \nASPEN will be used to manage the students who are interested \nand ultimately participate in athletics each season. The students \nand sports they are participating in should be accurate in ASPEN \nat the start of each season. Key personnel (athletic coordinator, \nnurse, school admin) at the school level will have the ability to see \nthe seasonal list of participating students and the current \neligibility status. Athletic coordinators, athletic trainers, school \nnurses, and coaches should communicate regularly to ensure \nthat ASPEN accurately reflects who is participating on each team. \nThe ASPEN sign-up period will open 8 weeks prior to the start of \nthe season. The sign-up period in ASPEN will close 14 days after", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "that ASPEN accurately reflects who is participating on each team. \nThe ASPEN sign-up period will open 8 weeks prior to the start of \nthe season. The sign-up period in ASPEN will close 14 days after \nthe start of the season. Athletes who start within the 14-day \nwindow must have a minimum of 5 days of practice prior to \nbeing allowed to participate in a game competition. Using the \nlabels provided, each student in ASPEN should be identified as \nfollows: \nAspen Athletic Eligibility Status Definitions \n\u2022 INTEREST: defined as \u201cStudent identifies interest\u201d \u2014 \ncompletes sign-up in ASPEN", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 2 of 12 \n \n \n \n\u2022 ACTIVE: defined as \u201cWaiting on student\u201d; i.e., turn in ALL \nrequired documentation known as the BPS Athletic \nParticipation Forms, copy of a valid 13-month physical exam \nto the athletic trainer (or school nurse if athletic trainer not \navailable), and tryout status \n\u2022 ACTION REQUIRED: defined as \u201cCall to action\u201d; \nSchool/Athletic Department submit MIAA waivers/forms \nwhere applicable \n\u2022 INELIGIBLE: defined as \u201cDoes not meet baseline eligibility \nrequirements\u201d; i.e., valid 13-month physical exam on file as \ndocumented in ASPEN, does not meet academic \nenrollment, attendance, or GPA requirements \n\u2022 PENDING: defined as \u201cAwaiting decision from a higher \nauthority\u201d; i.e., MIAA waiver/approval, BPS Athletic \nDepartment, school principal/head of school or designee to \nreview student academic eligibility \n\u2022 ELIGIBLE: defined as \u201cMeets ALL eligibility requirements\u201d for \nparticipation and has MIAA approvals on record with the", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "review student academic eligibility \n\u2022 ELIGIBLE: defined as \u201cMeets ALL eligibility requirements\u201d for \nparticipation and has MIAA approvals on record with the \nBPS Athletic Department \n\u2022 INACTIVE: defined as a \u201cno show,\u201d \u201cnot participating,\u201d or \u201cdid \nnot make the team after tryouts.\u201d \n \nRESPONSIBILITIES \nAthletic Coordinator \nWill serve as the athletics liaison and primary contact at the \nschool for the Athletics Department and coaches to support \nathletics. The athletic coordinator will be responsible for student-\nathlete eligibility in collaboration with coaches, athletic trainers, \nschool nurses, and school leadership.", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 3 of 12 \n \n \n \nHead Coach and Assistant Coaches \nMust be knowledgeable of the MIAA eligibility rules and \nregulations. As interest lists and teams are being organized, \ncoaches must communicate any eligibility concerns to their \nathletic coordinator so they are resolved prior to the start of the \nseason and practice. \nAthletic Department Staff \nWill support schools through the eligibility/waiver process and \nserve as a liaison between the schools and the MIAA. Athletics \nDepartment staff will schedule meetings prior to the start of each \nseason with athletic coordinators, athletic trainers, and school \nnurses (if necessary/indicated) and support staff to review \nstudent-athlete eligibility. Athletic department staff will maintain \nAspen functionality and advise/teach athletic training staff \nnecessary operations of the Aspen system for their needs \nAthletic Trainers \nAthletic trainers are responsible for the primary review of athletic", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "necessary operations of the Aspen system for their needs \nAthletic Trainers \nAthletic trainers are responsible for the primary review of athletic \nphysicals and determining the date(s) of valid pre-participation \nphysical examination (PPE) and athlete eligibility based on \nhaving an up-to-date PPE on file. Athletic trainers will route all \nPPE obtained from student-athletes to the school nurse to place \nin the student-athletes file. Athletic trainers will provide coaches \nwith a list of all athletes who have a valid, up-to-date PPE and are \ndeemed eligible to play. \n \nHead of School/Principal \nMust be aware of and officially sign off on eligibility and rosters", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 4 of 12 \n \n \n \nfor teams each season. When needed, school leaders must \nsupport and sign off on any MIAA or BPS eligibility waiver \nrequests. New heads of school are required to attend an MIAA \nrules workshop. \nSUMMARY OF HIGH SCHOOL INTERSCHOLASTIC ELIGIBILITY \n\u2022 1.67 or higher GPA (schools may choose to have a higher \nGPA for athletic participation) \n\u2022 Must pass four (4) core classes \n\u2022 School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n\u2022 A physical examination completed within the last 13 months \nstating that the student-athlete is or is not cleared for \nathletics that does not expire before the end of the season, \nwith sports clearance from the r athletic trainer and/or \nschool nurse \n\u2022 Students who turn 19 before September 1 of the current \nacademic year are ineligible unless an age waiver is granted \nby the MIAA. \nSUMMARY OF MIDDLE-LEVEL ELIGIBILITY", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "school nurse \n\u2022 Students who turn 19 before September 1 of the current \nacademic year are ineligible unless an age waiver is granted \nby the MIAA. \nSUMMARY OF MIDDLE-LEVEL ELIGIBILITY \n\u2022 2.0 or higher GPA (schools may choose to have a higher GPA \nfor athletic participation) \n\u2022 School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n\u2022 A physical examination completed within the last 13 months \nstating that the student-athlete is or is cleared for athletics \nthat does not expire before the end of the season, with \nverification from the school nurse or athletic trainer and/or \nschool nurse \n\u2022 Students who turn 15 before September 1 of the current", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 5 of 12 \n \n \n \nacademic year are ineligible to compete. \n\u2022 Yearly signed parental consent forms (transferable season to \nseason) \nDETAILED OVERVIEW OF HIGH SCHOOL INTERSCHOLASTIC/ \nMIAA ATHLETICS \n \nSeason Start Date \nFall Sports 3rd Friday in August (Football Aug 18) \nWinter Sports 1st Monday after Thanksgiving (November 27) \nSpring Sports Third Monday of March (March 18, 2024) \n \nParticipating student-athletes must meet the following criteria \nfor eligibility each season. \n \n1) Age (Rule #60) \na) A student shall be under 19 years of age but may \ncompete during the remainder of the school year, \nprovided that their birthday occurs on or after \nSeptember 1 of that year. \n \n2) Transfer Students (Rule #57) \na) A student who transfers from any school to an MIAA \nmember HS is ineligible to participate in any \ninterscholastic athletic contest at any level for a period", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 6 of 12 \n \n \n \nof one year in all sports in which that student \nparticipated at the varsity level or its equivalent during \nthe one-year period immediately preceding the \ntransfer. \ni) Note: MIAA Form 200 may be executed between \nthe receiving and sending school principals of \nMIAA member schools only. \nii) All Form 200s must be submitted to the Athletics \nDepartment and MIAA Office for their records. \nb) Reason for Transfer \ni) Exemption to the transfer rule: When a student\u2019s \nschool transfer is necessitated (i.e., required) by a \nchange of residence of their parent(s) to the area \nserved by the school to which they transfer. \nii) This exception does not apply to a change in \ncustody, guardianship, or to a student\u2019s change in \nresidence from one parent to another, nor does it \napply when the student could continue to attend \nthe former school. \n3) Date entered school (MIAA Rule #51) \na) Student-athletes must be enrolled in the school at the", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "apply when the student could continue to attend \nthe former school. \n3) Date entered school (MIAA Rule #51) \na) Student-athletes must be enrolled in the school at the \nstart of the season to be eligible to participate in \nathletics. \nb) This can be appealed with an MIAA waiver. \n4) Student Eligibility: Membership in School (MIAA Rule #55) \na) A student shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation).", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 7 of 12 \n \n \n \n5) Years of Eligibility \na) When a student enters 9th grade, they are eligible for \nonly four years. \nb) A student shall be eligible for interscholastic \ncompetition for no more than 12 consecutive athletic \nseasons after first entering grade 9. \nc) A waiver can be requested for an additional year of \neligibility if there is an extenuating circumstance \ninvolved. \n6) Grade Point Average (GPA) and Transcripts (MIAA Rule #58) \na) BPS requires that all students must have a cumulative \nGPA of 1.67 (or higher) to be eligible to participate in \ninterscholastic athletics. \nb) During the last marking period preceding the contest \n(e.g., second-quarter marks and not semester grades \ndetermine third quarter eligibility), a passing grade in \nthe equivalent of four major subjects \nc) To satisfy this requirement, a student must have \npassed sufficient courses for that marking period \nwhich carry Carnegie Units totaling the equivalent of", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "the equivalent of four major subjects \nc) To satisfy this requirement, a student must have \npassed sufficient courses for that marking period \nwhich carry Carnegie Units totaling the equivalent of \nfour traditional 1-year major English courses. \nd) Full-Time Student: A student cannot at any time \nrepresent a school unless that student is taking \ncourses that would provide Carnegie Units equivalent \nto four traditional 1-year major English courses. \ne) To be eligible for the Fall marking period, students are \nrequired to have passed for the previous academic year \nthe equivalent of four traditional 1-year major English \ncourses.", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 8 of 12 \n \n \n \ni) Incomplete grades may not be counted toward \neligibility until they are made up following school \npolicy \nii) A student who repeats work in which they have \nonce received credit cannot count that subject a \nsecond time for eligibility. \niii) A student cannot count for eligibility for any \nsubject taken during the summer vacation unless \nthat subject has been pursued and failed during \nthe preceding academic year. \n \n7) Boston Public Schools Athletic Programs Consent for \nParticipation Forms: \na) BPS Athletic Programs Consent for Participation Forms \nmust be completed and on file prior to any student-\nathlete being allowed to participate or play for any BPS \nAthletic Team \nb) All BPS Athletic Programs Consent for Participation \nForms will be sent to the parent/guardian of the \nstudent-athlete after completion of ASPEN registration. \nThese forms will be distributed via DocuSign and will", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Forms will be sent to the parent/guardian of the \nstudent-athlete after completion of ASPEN registration. \nThese forms will be distributed via DocuSign and will \nbe distributed to ATC for review with the school \nathletic coordinator. These forms only need to be \ncompleted once per school year. The BPS Athletic \nPrograms Consent for Participation Forms will consist \nof the following required forms: \ni) Parent/Guardian Consent Form \nii) Acknowledgment of MIAA: \n(1) MIAA Rule 57: Student Eligibility: Transfer", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 9 of 12 \n \n \n \nStudents \n(2) MIAA Rule 59: Student Eligibility: Time \nAllowed for participation post 9th grade \nenrollment \n(3) MIAA Diversity Equity and Inclusion Pledge \n(new Nov 2022) \niii) Commonwealth of Massachusetts - Chapter 269 \nSection 17: Anti-Hazing Law \niv) Hold Harmless Agreement \nv) Concussion Awareness \nvi) Upload - current physical examination for review \nby ATC \nvii) Media Appearances \nviii) DPH Head Injury Form \nix) MGB Athletic Training Services Agreement \n \n8) Physical Exam (MIAA Rule #56) \na) Participating students must have a valid physical or \npre-participation examination (PPE) completed within \nthe last 13 months. \nb) Physicals or PPE forms must have a statement that \nclears the student for athletic/sports \nc) Physicals or PPE must be completed and on file with \nBPS Athletics in Aspen prior to any student-athlete \nbeing allowed to practice or play for any BPS Athletic \nTeam.", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "c) Physicals or PPE must be completed and on file with \nBPS Athletics in Aspen prior to any student-athlete \nbeing allowed to practice or play for any BPS Athletic \nTeam. \nd) Physicals or PPEs must be valid and on file for the", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 10 of 12 \n \n \n \nentire athletic seasons \ne) Physicals or PPEs must include the date of the \nexamination, physician's signature (electronic or \nactual), and wording that states that the student-\nathlete is cleared for athletics or sports competition \n \n9) Enrollment/ Attendance \na) Attendance for the term prior to the season must be \n90% or higher \nb) Students are ineligible to practice or compete if they \nare not in school for more than half of the school day. \nc) For a student to practice with or to represent a MIAA \nmember school in an athletic competition, the student \nmust be duly enrolled in that school (#51). Also, a \nstudent shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation) and have \nbeen issued a report card preceding the contest unless \nentering from an elementary or junior high school at \nthe start of the school year or transfers in from another", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "been issued a report card preceding the contest unless \nentering from an elementary or junior high school at \nthe start of the school year or transfers in from another \nschool. (MIAA Rule #55.1) \n \n10) MIAA Waiver Request Process \na) All \u201cForm 200s\u201d must be sent to the MIAA office so that \nall transfers are on file. \nb) Student Waiver of Athletic Eligibility waivers must \ninclude the following: \ni) A letter of support from the Principal/AD/School", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 11 of 12 \n \n \n \nAdministrator addressing the four standards of \nrule 87.5. \nii) Transcripts from every year since first entering \nGrade 9 (including current grades) \niii) Current school year attendance records \niv) Comprehensive athletic resume (now included in \napplication) \nv) League or District Advisory Vote \nvi) Form 200 (if applicable) \nc) The third standard, which must be addressed during a \nwaiver application, was changed to \u201caddress how this \nwaiver will impact the home school student body.\u201d The \nnew language captures the overall impact the waiver \nwill have on the home school student body. \nd) A new section was added to Rule 87 titled \n\u201cAccountability.\u201d This details the process in the event \ninaccurate or incomplete information is presented \nduring the waiver process. \n \n11) MIAA Appeals Process \na) As of Fall 2021, there is only one level of appeal. The \nappeal hearing board will consist of members from", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "during the waiver process. \n \n11) MIAA Appeals Process \na) As of Fall 2021, there is only one level of appeal. The \nappeal hearing board will consist of members from \nboth the MIAC and ERB. Their decision is final. \nb) The deadlines to submit waivers are as follows: \ni) Fall - September 21, 2023 \nii) Winter \u2013 December 14, 2023 \niii) Spring \u2013 March 31, 2024", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "content": "Superintendent\u2019s Circular ATH-02 \nPage 12 of 12 \n \n \n \nc) Waivers can be submitted after this date, but there will \nbe no appeal hearings granted. \n \n \nFor more information about this circular, contact: \nOwner: Senior Director, Athletics \nDepartment: Athletics Department \nMailing \nAddress: \nWhite Stadium \nP.O. Box 302205, Jamaica Plain, MA 02130 \nPhone: 617-635-8143 \nFax: 617-635-8147 \nEmail: bpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nATH-01 \nVersion 01 \n \nPREVENTION AND MANAGEMENT OF SPORTS-RELATED \nHEAD INJURIES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBACKGROUND \nA concussion is a type of traumatic brain injury caused by a \nbump, blow, or jolt to the head that can affect brain functioning. \nConcussions can also occur from a blow to the body that causes \nthe head to move rapidly back and forth. Even a mild bump or \nblow to the head can be serious. \nConcussions can occur in any sport or recreational activity. \nChildren who return to play while still experiencing symptoms of \na concussion are more likely to have another concussion or other \nlasting effects and symptoms. This circular outlines \nresponsibilities of all who are involved in athletic participation. It \nincludes the following components: \n\u25cf Pre-participation examination, including a history of \nprevious concussions.", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "responsibilities of all who are involved in athletic participation. It \nincludes the following components: \n\u25cf Pre-participation examination, including a history of \nprevious concussions. \n\u25cf Protocols for assessing and managing a child who has a \nconcussion on the field. \n\u25cf Protocols for returning a child who has had a concussion to \nfull participation. \n\u25cf Academic assessment and accommodation for a child with \ncontinued symptoms that interfere with cognitive function \nand academic progress.", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Superintendent\u2019s Circular ATH-01 \nPage 2 of 7 \n\u25cf Prevention of head injuries and health promotion activities \nthat contribute to safe sports participation. \nHEADS OF SCHOOL AND PRINCIPALS SHALL BE RESPONSIBLE \nFOR: \n\u25cf Support and enforce the utilization of appropriate protocols, \nrequired documentation, training, and reporting outlined in \nthese procedures. \n\u25cf Supervising and reviewing that all documentation is in \nplace. \n\u25cb All active coaches must complete the annual \nconcussion certification required by the \nCommonwealth of Massachusetts. \nCOACHES, CERTIFIED ATHLETIC TRAINERS, ATHLETIC \nCOORDINATORS, SCHOOL NURSES, AND VOLUNTEERS (EMS, \nSPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR: \n\u25cf Completing the annual educational training on \nidentification and management of head trauma. \n\u25cf Ensuring and documenting that all students/families have \nsubmitted: \n\u25cb Updated physical examinations consistent with \nCommonwealth of Massachusetts and Massachusetts", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "\u25cf Ensuring and documenting that all students/families have \nsubmitted: \n\u25cb Updated physical examinations consistent with \nCommonwealth of Massachusetts and Massachusetts \nInterscholastic Athletic Association (MIAA) sports \nparticipation guidelines. \n\u25cb Consents for: participation in athletics, emergency on-\nfield care, non-emergent injury or illness evaluation \nand associated follow up treatment related to athletics, \ndocumentation, travel, and medication.", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Superintendent\u2019s Circular ATH-01 \nPage 3 of 7 \n\u25cb Completed department pre-participation forms (BPS \nSports Medical Questionnaire) before participating in \npractice or extracurricular athletic activities. \n\u25cb Commonwealth of Massachusetts head injury form. \n\u25cb An indication that the family has reviewed educational \nmaterials about concussion. \n\u25cf Ensuring that the medical history questionnaire and pre-\nparticipation sports physical form(s) are delivered to the \nschool nurse and certified athletic trainer (ATC) in a time \nframe consistent with the sport. The school nurse and \nathletic trainer will discuss any student with a concussion \nhistory (as indicated by the athlete's primary care physician, \npre-participation sports physical, or parent history) with \ntheir coach. All athletes must be cleared by the school \nnurse and athletic trainer in order to play. \n\u25cf Teaching techniques aimed at minimizing sports-related \nhead injury: \n\u25cb Discouraging and prohibiting student athletes from", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "nurse and athletic trainer in order to play. \n\u25cf Teaching techniques aimed at minimizing sports-related \nhead injury: \n\u25cb Discouraging and prohibiting student athletes from \nengaging in any unreasonably dangerous athletic \ntechnique that endangers the health or safety of a \nstudent, including using a helmet or any other sports \nequipment as a weapon. \n\u25cb Identifying students with head injuries or suspected \nconcussions that occur in play or practice and \nremoving them from play, using either: \n\u25a0 Coach/volunteer recognition of potential head \ninjury \n\u25a0 Sideline assessment of concussion evaluation for \nMDs and ATCs.", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Superintendent\u2019s Circular ATH-01 \nPage 4 of 7 \n\u25cf The results of the evaluation or screening tool must be \navailable to the school nurse and parent/guardian, who will \nforward it to the PCP or other designated physician. \n\u25cf The coach, athletic trainer, or physician who observed and \nevaluated the concussion shall complete the DPH \nCommonwealth of Massachusetts Report of Head Injury \nDuring Sports Season form and the Department Report of \nHead Injury form and transmit it to the athletic director, the \nparent/guardian, the school nurse, and the athletic trainer. \n\u25cf Communicating promptly with the parent/guardian of any \nstudent removed from play and providing them with \ndocumentation to bring to the student athlete\u2019s PCP or \nother designated physician. This documentation must \ninclude the DPT Commonwealth of Massachusetts Post \nSports-Related Head injury Medical Clearance and \nAuthorization form. This form must be completed by the \nphysician and returned to the school nurse and athletic", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Sports-Related Head injury Medical Clearance and \nAuthorization form. This form must be completed by the \nphysician and returned to the school nurse and athletic \ntrainer. This form will be reviewed by the school nurse or \nathletic trainer and is required before the student athlete is \nallowed to begin a Return to Play protocol. \n\u25cf No student can return to play without clearance by the \nschool nurse or athletic trainer in consultation with a \nphysician per 105 CMR 201. \n\u25cf All student athletes who have sustained a concussive event \nmust complete a graduated Return to Play protocol unless \notherwise stipulated by the treating physician, assuring that \nall documentation is in place by conducting an annual \ncompliance audit. This includes documentation that all \nstudents have:", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Superintendent\u2019s Circular ATH-01 \nPage 5 of 7 \n\u25cb pre-participation PEs, consent forms, and \nparent/athlete sign off that concussion information has \nbeen reviewed. \n\u25cb list of all students with concussion \n\u25cb documentation of follow up for each student with \nconcussion; documentation that athlete is cleared to \nplay. \nTHE SCHOOL NURSE AND ATHLETIC TRAINER WILL BE \nRESPONSIBLE FOR: \n\u25cf Completing the required annual educational training on \nconcussion: \n\u25cb School nurses will complete the Concussion \nManagement in Massachusetts Schools course \nprovided by Boston University School Health Institute \nannually. \n\u25cf Reviewing any questions raised by the athletic director \nand/or coaches, reviewing all medical questionnaires and \nphysical exams. \n\u25cf Athletic trainer: Following up with parents/guardians as \nneeded prior to the student's participation in extracurricular \nathletic activities. \n\u25cf School nurse: Following up with parents/guardians as", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "needed prior to the student's participation in extracurricular \nathletic activities. \n\u25cf School nurse: Following up with parents/guardians as \nneeded prior to the student's participation in classroom \nactivities. \n\u25cf Maintaining documentation of the medical questionnaire \nand physical in SNAP (the electronic medical record). \n\u25cf Maintaining documentation of the head injury assessments \nin the student's health record in the electronic medical \nrecord.", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Superintendent\u2019s Circular ATH-01 \nPage 6 of 7 \n\u25cf Ensuring that any student who has experienced a \nconcussion or head injury, during sports activities or \notherwise, provides documentation of medical care and \nproper clearance to return to sports activities using the \nCommonwealth of Massachusetts Post Concussion \nClearance Form. \n\u25cf Participating in the graduated reentry planning meeting for \nstudents who have been diagnosed with a concussion to \ndiscuss any necessary accommodations or modifications \nwith respect to academics, course requirements, homework, \ntesting, scheduling, and other aspects of school activities \nconsistent with a graduated reentry plan for return to full \nacademic and extracurricular activities after a head injury \nand revising the health care plan as needed. \n\u25cf Presenting appropriate and relevant medical information to \nthe service team, on a need-to-know basis maintaining \nstudent privacy. \n\u25cf Monitoring recuperating students with head injuries and", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "\u25cf Presenting appropriate and relevant medical information to \nthe service team, on a need-to-know basis maintaining \nstudent privacy. \n\u25cf Monitoring recuperating students with head injuries and \ncollaborating with teachers and coaches to ensure that the \ngraduated reentry plan for return to full academic and \nextracurricular activities. \n\u25cf Providing beginning of school year review of concussions as \nwell as ongoing educational materials on head injury and \nconcussion to teachers, staff, and students. \n \n \nPARENTS/STUDENTS SHALL BE RESPONSIBLE FOR: \n\u25cf Ensuring that the child has: \na. A valid up to date pre-participation physical", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "content": "Superintendent\u2019s Circular ATH-01 \nPage 7 of 7 \nb. A completed sports medical questionnaire \nc. Completed the Commonwealth of Massachusetts Pre-\nParticipation Head Injury and Concussion Reporting \nForm for Extracurricular Activities \n\u25cf Reviewing concussion materials, including signed \ndocumentation of the review on the athletic permission \nform. \n\u25cf Ensuring that the child with a concussion is evaluated by \nPCP or other appropriate physician even if there has already \nbeen emergent transport deemed necessary by EMS or AT \nevaluation. \n\u25cf Working with the school nurse, athletic trainer, and the \nservice team to safely implement return to play guidelines. \nFor more information about this circular, contact: \nOwner: Senior Director, Athletics \nDepartment: Athletics Department \nMailing Address: White Stadium, P.O. Box 302205, Jamaica \nPlain, MA 02130 \nPhone: 617-635-8143 \nFax: 617-635-8147 \nEmail: bpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nACA-18 \nVersion 01 \n \nATTENDANCE AND PUNCTUALITY POLICIES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \nThis circular reflects the School Committee\u2019s approved policies \nand procedures for attendance and punctuality. It contains \ndetailed guidelines on: \n\u25cf Policy background \n\u25cf Chronic absenteeism \n\u25cf Attendance policy \n\u25cf Covid-19 attendance protocols \n\u25cf Punctuality policy (tardiness) \n\u25cf Recording and maintaining student attendance \n\u25cf Recording and following up on DNRs (did not reports) \n\u25cf Discharge/withdrawal protocols \n\u25cf Notification to parents/caregivers of student absence \n\u25cf Notifying parents/caregivers of a missing child \n\u25cf Safety concerns related to attendance \n\u25cf Approving home & hospital tutoring \n\u25cf Procedures for referral to supervisors of attendance \nBACKGROUND AND GENERAL PRINCIPLES \nIt is an essential priority of the Boston Public Schools to", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "\u25cf Approving home & hospital tutoring \n\u25cf Procedures for referral to supervisors of attendance \nBACKGROUND AND GENERAL PRINCIPLES \nIt is an essential priority of the Boston Public Schools to \nencourage students to maintain consistently high attendance \nrates throughout the school year. Students cannot take full \nadvantage of academic and extracurricular opportunities unless", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 2 of 41 \n \n \nthey are in school consistently. All BPS schools and their School \nSite Councils are expected to implement comprehensive \nprevention and intervention strategies to improve student \nattendance each school year. \nThe BPS student attendance policy was approved by the School \nCommittee in 1998-1999. It was revised in May 2006 and June \n2007 to include the system-wide prohibition of using cutoff times \nto refuse students\u2019 entry into buildings and the additional \nflexibility for schools to promote and ensure consistently high, \non-time attendance. It was further revised in 2018 to include \ncultural and religious holidays as an eligible excused absence \ncategory. In 2021, it was revised to discontinue the policies of \nconverting tardies to absences and issuing grades of \u201cNo Credit \n(NC)\u201d based on attendance, as well as elevating the importance of \nfocusing on chronic absenteeism, where all absences and missed", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "converting tardies to absences and issuing grades of \u201cNo Credit \n(NC)\u201d based on attendance, as well as elevating the importance of \nfocusing on chronic absenteeism, where all absences and missed \ninstructional time are considered to have a detrimental impact \non student outcomes. \nOn December 10, 2015, the Every Student Succeeds Act (ESSA) \nwas signed into law, reauthorizing the federal Elementary and \nSecondary Education Act of 1965 (ESEA). The law includes \nprovisions to help ensure improved outcomes for all students \nreceiving elementary and secondary education, including the \nfollowing: \n\u25cf States must establish high academic content standards, and \nschools must teach all students those standards to help \nprepare them for college and careers. \n\u25cf States, districts, and schools must share information with \nfamilies, students, and communities regarding annual \nstatewide assessments that measure students' progress \ntoward these high standards.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 3 of 41 \n \n \n\u25cf States and districts must establish systems of support and \naccountability for all schools and provide particular support \nto the lowest-performing schools, schools with low-\nperforming subgroups, and schools with low graduation \nrates. \nUnder ESSA, each state must develop a consolidated state plan \nthat documents a comprehensive approach to improving \noutcomes for all students. The Massachusetts Consolidated State \nPlan under the Every Student Succeeds Act, approved in \nSeptember 2017, indicates that the state has included chronic \nabsenteeism as one of the accountability index indicators (core \nmeasures) to be adopted by all schools and school districts. \nThrough this policy, each school is given a target goal to reduce \nchronic absenteeism each school year. The BPS Attendance \nPolicy described in this document (ACA-18) has been updated to \nreflect changes to the core measures as it relates to attendance \nand chronic absenteeism.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Policy described in this document (ACA-18) has been updated to \nreflect changes to the core measures as it relates to attendance \nand chronic absenteeism. \nCHRONIC ABSENTEEISM \nResearch recognizes that addressing chronic absenteeism is one \nof the most important priorities in an equitable approach to \nattendance, as chronically absent students are less likely to be \nsuccessful academically and are disproportionately students of \ncolor. Chronic absenteeism is defined as missing 10 percent or \nmore of the school year in any given period. All absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. For an entire \nschool year, a student who misses 18 school days, or about two \ndays per month, will be considered chronically absent. Students \nwho do not show up to school regularly miss out on fundamental \nlearning skills and the chance to build a habit of consistent", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 4 of 41 \n \n \nattendance that they can maintain in their post-secondary \neducation, their career, and throughout their life. \nChronic absenteeism significantly increases the likelihood that a \nstudent will fall off-track academically and struggle to keep pace \nwith their peers. Chronic absenteeism in the early grades can \ninfluence whether a student reads proficiently by the end of the \nthird grade; and by the sixth grade, it becomes a leading \nindicator of whether a student will drop out of high school. \nConsistent with the attendance policy is the need to maintain \naccurate, timely, and appropriate records, including information \non the attendance of students and documentation of reasons for \nabsence. Accordingly, all staff must keep accurate records, \nmaintain documentation, and communicate with \nparents/caregivers in a timely and effective manner to ensure \nsound school attendance practices. In addition, Boston Public", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "maintain documentation, and communicate with \nparents/caregivers in a timely and effective manner to ensure \nsound school attendance practices. In addition, Boston Public \nSchools is committed to addressing chronic absenteeism \nthrough prevention and intervention strategies at the school and \ndistrict levels that better support students and families to \nmaintain consistently high, on-time attendance. Each school will \nprioritize prevention and intervention strategies that reduce \nchronic student absenteeism. \nThe following general principles apply: \n\u25cf Schools are required under the law to maintain an accurate \nrecord of student attendance. \n\u25cf Schools at all levels are required to make a concerted effort \nto contact the parent or caregiver each time students are \nabsent.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 5 of 41 \n \n \n\u25cf School leaders bear the final responsibility for attendance in \ntheir schools and complying with attendance and \npunctuality policies and procedures. \n\u25cf External agency support will be sought in those cases where \nschool-based meetings do not achieve a positive continuum \nin parental attitude and/or student attendance patterns. \nBOSTON PUBLIC SCHOOLS ATTENDANCE POLICY \nAttendance: Per the Department of Elementary and Secondary \nEducation (DESE)\u2019s attendance policy, a student must be at \nschool, at a school-related activity, or receiving academic \ninstruction for at least half of the school day to be counted as \npresent. Students who are not physically present at school but \nreceive academic instruction from the district for at least half of \nthe school day should be counted as present. Examples of \nacademic instruction include tutoring, online learning, or \ndistance learning provided by the district. Under this guidance,", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "the school day should be counted as present. Examples of \nacademic instruction include tutoring, online learning, or \ndistance learning provided by the district. Under this guidance, \nthere are limited circumstances in which a student can be \nmarked \u201cconstructively present.\u201d \nAllowable circumstances to mark a student constructively \npresent: \n\u25cf Participation in Home & Hospital Instruction \n\u25cf Special education school visit \n\u25cf Out-of-district special education placement \n\u25cf Student is in Department of Youth Services (DYS) custody \n\u25cf Succeed Boston (alternative to suspension) \n\u25cf College tour or college interview when sponsored by the \nschool or approved by the school leader", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 6 of 41 \n \n \nLength of Time: A student must attend school for at least a half-\nday to be marked \u201cpresent.\u201d Check with the school leader to \ndetermine what constitutes a half-day. In most schools, it is: \n3 hours in elementary school \n3 hours and 5 minutes in middle school \n3 hours and 10 minutes in high school \n \nCredit Recovery (No Credit Policy Discontinued): To facilitate \ncompetency-based grading across the district, the No Credit (NC) \npolicy regarding students having three unexcused absences in a \nmarking term (four unexcused absences in schools with three \nmarking terms) has been discontinued. As a result, schools \nshould no longer assign grades of \u201cNo Credit (NC)\u201d to students. \nThe following guidance has been provided regarding credit \nrecovery for students: \n\u25cf Passing grades should be competency-based, which may be \nimpacted by attendance due to missed assignments or \nschoolwork but should not be tied exclusively to attendance", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "recovery for students: \n\u25cf Passing grades should be competency-based, which may be \nimpacted by attendance due to missed assignments or \nschoolwork but should not be tied exclusively to attendance \nor participation. \n\u25cf It is essential that schools reach out early and often to \nstudents at risk of a failing grade. \n\u25cf As an alternative, schools may mark a student with an \n\u201cincomplete\u201d grade to enable equitable learning recovery. \n\u25cf In all cases, a student not earning a passing grade must be \ngiven the opportunity and responsibility to equitably \nrecover any learning loss or make up the work missed \nwithin a marking period to earn a passing grade. \nExcused/Unexcused Absences: Certain absences may be \nexcused, meaning the absence will not be considered as it relates", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 7 of 41 \n \n \nto a referral to truancy court by a supervisor of attendance under \nMassachusetts law (see Massachusetts General Law c.119). \nHowever, all missed instructional time has the potential to \nnegatively impact student outcomes. In addition, all absences are \nincluded as they relate to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. \n\u25cf For an absence to be excused, students must bring in a note \nafter each day they are absent. \n\u25cf The note must include the date absent, the reason for the \nabsence, a phone number where a parent or caregiver can \nbe reached, and the parent or caregiver\u2019s signature. \n\u25cf Upon return to school, the note must be provided no later \nthan seven (7) school days after the absence. \n\u25cf Excused absences may include: \na. An illness or injury that prevents the student from \nattending school. If the illness or hospitalization results in", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "\u25cf Excused absences may include: \na. An illness or injury that prevents the student from \nattending school. If the illness or hospitalization results in \nabsence for three or more consecutive days, a note from a \nhealth care provider documenting the health problem or \nhospitalization should be attached to the \nparent/caregiver note. Parents/caregivers are not \nexpected to have a letter from a health care provider for \nan illness of fewer than three days. The requirement to \nhave a letter from a health care provider will not \nsupersede specific public health determinations or \nguidance. The school nurse can be consulted regarding \nany questions or changes to this policy based on specific \ncircumstances. See COVID-19 Health and Safety Protocol \nfor students who exhibit symptoms of COVID-19.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 8 of 41 \n \n \nb. A death in the immediate family (parent/caregiver, \nsibling, grandparent, aunt, uncle, cousin) or other \nsignificant personal or family crisis. \nc. Suspension: Students should be marked as suspended. In \ncases of suspension, the school will provide an \nopportunity for the student to maintain academic \nstanding in school by being provided a list of assignments \nand other services which might enable the student to use \nthe time out of school productively. \nd. Students assigned to Succeed Boston shall be assigned \nwork by the school of assignment and marked \nconstructively present. \ne. Court appearances: Students should present evidence of \nthe requirement of the court appearance. \nf. Medical or psychological tests during the school day: The \nparent/caregiver must show evidence (such as a note \nfrom the health center) that the tests could not be \nscheduled after school. \ng. Visits to special education schools in some cases for", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "parent/caregiver must show evidence (such as a note \nfrom the health center) that the tests could not be \nscheduled after school. \ng. Visits to special education schools in some cases for \nstudents with disabilities. \nh. Other situations: From time to time, situations over which \nthe school, parent/caregiver, and student have little or no \ncontrol may cause absences (for example, transportation \nthat does not operate during inclement weather). These \nabsences are excusable. The school leader may determine \nthat the students impacted shall be marked with an \nexcused absence. \ni. Other extraordinary situations, such as a family \nemergency, as approved by the school leader.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 9 of 41 \n \n \nj. Cultural holidays and religious holy days: To \naccommodate students\u2019 cultural and religious \nobservances on days when schools are in session, such \nabsences will be marked excused with the reason code \n\u201cReligious Holiday\u201d upon submitting a valid note signed \nby a parent or guardian. Please see Superintendent\u2019s \nCircular LGL-06 for more guidance or contact your \ndesignated supervisor of attendance. The following is a \nlist of examples of holidays that are eligible to be excused: \nDiwali, Eid al Adha, Edit al Fitr, Lunar New Year, Orthodox \nGood Friday, Rosh Hashanah, Three Kings Day, and Yom \nKippur. This is not an exhaustive list, and students may \nrequest that absences be excused for other cultural \nholidays and religious holy days. Schools should provide \nopportunities for students who are excused to observe \ncultural holidays and religious holy days to submit missed \nassignments or other makeup work for their absence.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "opportunities for students who are excused to observe \ncultural holidays and religious holy days to submit missed \nassignments or other makeup work for their absence. \nPlease contact the Office of Equity, 617-635-9650 or \nbpsequity@bostonpublicschools.org, regarding any concerns \nrelated to a student absence that is more than two consecutive \ndays or is not included on this list. This can include participation \nin a cultural ceremony, bereavement or funeral, pilgrimage, trip, \netc., that requires students to be absent for more than two days. \nIn these instances, a student may be required to meet the \nfollowing criteria to be eligible to be given an excused absence of \nmore than two days for observance of a cultural or religious \nholiday or for bereavement to attend a funeral for more than two \ndays: \n\u25cf The student is not chronically absent, meaning the student \nattended more than 90% of the school days to date. \n\u25cf The student is earning a passing grade in all courses.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 10 of 41 \n \n \nAbsences that do not meet the above criteria will be considered \nunexcused. In all instances of student absence, students must be \ngiven the opportunity to equitably recover any missed work or \nlearning loss during a marking period. \nCOVID-19 HEALTH AND SAFETY PROTOCOL \nStudents, families, and schools should observe the latest \nguidance from the Center for Disease Control (CDC), BPS Health \nServices, and the Boston Public Health Commission as it relates \nto COVID-19 health and safety protocols. Absences as appropriate \nper the most up-to-date COVID-19 protocols are considered \nexcused due to \u201cmedical/illness.\u201d \nRECORD-KEEPING AND ATTENDANCE IMPROVEMENT \nSchool leaders bear final responsibility for improving attendance \nin their schools, balancing between accountability and positive \nengagement in their approach, and ensuring that performance \nevaluations reflect staff members\u2019 efforts in complying with this", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "in their schools, balancing between accountability and positive \nengagement in their approach, and ensuring that performance \nevaluations reflect staff members\u2019 efforts in complying with this \npolicy and achieving the goal of improved attendance. \nSchool-based governance: Each school\u2019s Attendance Team (AT) \nserves a critical role in prevention and intervention steps for \nstudents with high absenteeism. It is a best practice for school \nattendance teams to work in conjunction with the SST to refer \nstudents when all available attendance intervention strategies \nhave been unsuccessful. It is also best practice for schools to \ninitiate prevention steps with students in the early days of the \nschool year or marking period. Schools should review students\u2019 \npast attendance history to initiate prevention steps for students \nwith a history of high absenteeism and refer students to the \nschool\u2019s AT. Students with three or more unexcused absences will", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "past attendance history to initiate prevention steps for students \nwith a history of high absenteeism and refer students to the \nschool\u2019s AT. Students with three or more unexcused absences will \nbe referred by a teacher or the school leader to the school\u2019s AT on \nan ongoing basis. The AT will review the case and work with the", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 11 of 41 \n \n \nfamily to develop a success plan to help the student improve \nattendance. School-based rules should be amended to include \nattendance-related guidelines established through the Quality \nSchool Plan (QSP). See Attendance Team Overview for additional \nguidance. \nATTENDANCE IMPROVEMENT PLAN \nDeveloped as part of the QSP, a school\u2019s Attendance \nImprovement Plan provides a roadmap of the critical prevention \nand intervention activities a school will conduct throughout the \nschool year to ensure consistently high, on-time attendance for \nall students. Each school is required to update its attendance \nstrategies in the QSP every 90 days. Schools should link a \ndocument with their attendance prevention and intervention \nsteps by tier into the QSP. \nTo assess their implementation progress and request more \nintensive assistance, the AT should complete the QSP \nAttendance Implementation Progress Tool (Q3PT) at the 30- and", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "To assess their implementation progress and request more \nintensive assistance, the AT should complete the QSP \nAttendance Implementation Progress Tool (Q3PT) at the 30- and \n60-day marks of the QSP cycle. \nThe Attendance Fundamentals by Tier serve as an additional \nresource. \nThis program should start with a warm and welcoming school \nclimate and should include phone calls home, student meetings, \nparent/caregiver meetings, development of an attendance \nplan/contract, attendance coaching, referral to Student Success \nTeam meetings, and/or attendance meetings. \nConsistent follow-up and outreach to students and families \nstruggling with chronic absenteeism is a fundamental best \npractice. Schools are expected to use the Panorama Student \nSuccess Platform to monitor student attendance progress, as", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 12 of 41 \n \n \nwell as to document interventions and success plans. Schools \nshould also connect with community-based programs or \norganizations that can support truancy issues. \nDifferentiating the Use of Aspen SIS and Panorama Student \nSuccess Platform: \nThe Aspen Student Information System (SIS) is the system to \ncapture critical information for student records and maintain \ncompliance with regulatory requirements. As it relates to \nattendance, schools will take attendance in Aspen. However, \nschools expect to use the Panorama Student Success Platform to \ndocument all attendance prevention and intervention activities, \nusing both the Support Notes feature and Tier 2 and 3 \nAttendance Success Plans. Student attendance data entered in \nAspen is transmitted nightly to Panorama for attendance \nmonitoring and student success planning purposes. Staff should \nuse both Aspen and Panorama as follows: \nAspen will be used to:", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Aspen is transmitted nightly to Panorama for attendance \nmonitoring and student success planning purposes. Staff should \nuse both Aspen and Panorama as follows: \nAspen will be used to: \n\u25cf input daily student attendance. \n\u25cf house the master student schedules and courses. \n\u25cf enter course grades. \n\u25cf house individual teacher schedules. \n\u25cf record teacher attendance. \n\u25cf record confidential student journal entries. \n\u25cf recommend to Suffolk County Juvenile Court and record \ndocumentation for an Attendance Intervention Plan (AIP). \nPanorama Student Success will be used to: \n\u25cf display student data. \n\u25cf house Attendance Success Plans (Tier 2 and Tier 3).", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 13 of 41 \n \n \n\u25cf assign team members for communication and \ncollaboration. \n\u25cf record support notes related to student interventions and \nstudent success plans. \n\u25cf help track information in one place, including assessments \nfrom Illuminate. \nNote: The SOA is responsible for copying Attendance Success \nPlan documentation from Panorama if the case is recommended \nto the court and in other cases as necessary for compliance. \nAll Attendance Success Plans should be recorded as Tier 2 or Tier \n3 plans in Panorama. Panorama allows the planning and \nrecording of interventions, along with notes, to monitor the \neffectiveness of these interventions in setting improvement goals \nin the student success planning process. Attendance teams at \nthe school level ensure Attendance Success Plans are created \nand monitored in Panorama for all students with high chronic \nabsenteeism. At a minimum, every student who has attendance", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "the school level ensure Attendance Success Plans are created \nand monitored in Panorama for all students with high chronic \nabsenteeism. At a minimum, every student who has attendance \nat or below 80% (appearing as attendance critical in \u201cred\u201d) should \nhave an Attendance Success Plan in Panorama. It is a best \npractice for schools to coordinate and communicate student \nsuccess planning with families. It is also a best practice for \nschools to establish an attendance success plan at the beginning \nof the school year for students who were chronically absent in \nthe previous school year. Effective student success planning \nrequires sharing the responsibility of plan creation, monitoring, \nand intervention strategies among school staff, including \nteachers, in collaboration with families, \nWho should have an Attendance Success Plan? \nStaff create the plan based on data in Panorama:", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 14 of 41 \n \n \n\u25cf Tier 2 plans (best practice): Students whose attendance is \n90% or below will display as chronically absent in Panorama \n(yellow). \n\u25cf Tier 3 plans (required): Students whose attendance is 80% or \nless will appear as attendance-critical (red). \nAn additional quality check: \n\u25cf Identify students with an AIP tag in Aspen (this tag indicates \nthe student has high absenteeism in the current marking \nperiod and is eligible for truancy court referral). \nWhat are the Essential Steps when creating an Attendance \nSuccess Plan? \nCreate Attendance Success Plan in Panorama, and remember \nthese two key details: \n\u25cf Log as Attendance \n\u25cf Log as Tier 2 or Tier 3 \n\u25cf Monitoring the plan collaborative and keeping it updated is \nessential to successful outcomes \n\u25cf Panorama will house student success plans (Tier 2 and Tier \n3) \u2014 academic, attendance, behavior. \nYou will find more help with Panorama at the Office of Data &", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "essential to successful outcomes \n\u25cf Panorama will house student success plans (Tier 2 and Tier \n3) \u2014 academic, attendance, behavior. \nYou will find more help with Panorama at the Office of Data & \nAccountability (ODA) Platforms Help Site. \nQuestions: mtssdata@bostonpublicschools.org \nBOSTON PUBLIC SCHOOLS PUNCTUALITY POLICY \nStudents who arrive after the beginning of the school day are \ntardy. They must follow established tardy procedures to be \nconsidered present for the day. \nAll students are expected to report to school on time every day. It \nis the policy of the Boston School Committee (approved May 24,", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 15 of 41 \n \n \n2006) that tardy students should be permitted into the school \nbuilding and not excluded. School leaders are directed to: \n(a) review their current school tardy policies in conjunction \nwith School Site Councils, \n(b) develop reasonable, non-exclusionary practices to deal \nwith student tardies and positive incentives to encourage \npunctuality, and \n(c) closely monitor compliance with these policies. \n \nIt is important to remember that the requirement that tardy \nstudents be admitted to school does not equal a relaxation of the \nrules covering attendance or tardies. Schools must make every \neffort to encourage punctuality and discourage tardies. Schools \nare also encouraged to distinguish between first-time instances \nand repeated tardiness. \nAccording to School Committee policy (approved June 6, 2007), \nall high schools are directed to work with their School Site \nCouncils and student representatives to establish fair and", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "According to School Committee policy (approved June 6, 2007), \nall high schools are directed to work with their School Site \nCouncils and student representatives to establish fair and \nreasonable procedures to decrease student tardiness. These \nprocedures must adhere to the following guidelines: \n1. Families must be notified by telephone call, in writing, or by \nemail of a student\u2019s tardies. Schools should follow the same \nprevention/intervention steps conducted for student \nabsences. \n2. High school tardy procedures should explicitly detail how \nthey plan to further involve families in working with \nstudents who exhibit excessive tardiness. As a rule of thumb, \nexcessive tardiness can be defined as being tardy for 10% or \nmore of school days.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 16 of 41 \n \n \n3. High schools\u2019 tardy procedures should be linked in their \nQuality School Plan (QSP), the development of which is the \nresponsibility of the School Site Council. \n4. As a best practice, all schools should establish attendance \nsuccess plans in Panorama for students exhibiting excessive \ntardiness. \nAll high schools, including pilot and Horace Mann charter schools, \nare required to complete their tardy procedures with the above \nguidelines (and other incentives/supports as deemed necessary \nby the School Site Council) no later than October. Each school \nmust maintain a copy of its tardy procedures on file. \n1. The teacher must take attendance at the beginning of every \nclass period in middle and high schools. After comparison of \nperiod attendance with the school's daily attendance, \nstudent cuts should be noted and addressed following the \nappropriate prevention/intervention steps.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "period attendance with the school's daily attendance, \nstudent cuts should be noted and addressed following the \nappropriate prevention/intervention steps. \n2. Middle and high school students who are tardy should be \nmarked absent for any class(es) they miss. \n3. A student must be in attendance at least half of the school \nday to be considered present. Notations of early dismissal \nmust be recorded with the time of dismissal, and \ndocumentation indicating the reason should be kept on file \nin accordance with school protocol. \nATTENDANCE RECORDS \nThe accounting and reporting of the attendance or absence of \neach student assigned to a school is one of the school leader's \nmost critical responsibilities. Attendance record-keeping must be \nprecise to ensure accurate accounting of each student and \ntimely reporting of student attendance daily in the Aspen SIS. \nEvery school leader is required to account for the attendance", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 17 of 41 \n \n \nand/or absence of students and is required to investigate and \ntake appropriate action for each absence. \nGENERAL ATTENDANCE REQUIREMENTS \n1. Attendance procedures must be reviewed with school staff \nby school leaders during the teacher professional \ndevelopment and training program before each school year. \nEach teacher must sign a document maintained at the \nschool, verifying that they received these procedures and \ntraining. \n2. During the first week of school, homeroom teachers at all \nlevels should make personal calls to the parents/guardians/ \ncaregivers of their students to introduce themselves and \ninvite the parents/guardians/caregivers either to visit the \nschool or to call at any time to check on the attendance and \nprogress of their children. The message should reinforce the \nneed for consistent attendance and the procedures a \nparent/caregiver should follow if their child is absent. In the", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "progress of their children. The message should reinforce the \nneed for consistent attendance and the procedures a \nparent/caregiver should follow if their child is absent. In the \nevent any student has not reported at the start of the school \nyear, the teacher should inquire about the student\u2019s failure \nto attend. Teachers should document all communications \nby updating the Aspen SIS with the attendance reason code, \nincluding if a student will not be returning to school, and \nupdate Panorama success plans and/or support notes when \napplicable. \nStudents are expected to report within eight (8) days of the \nfirst day of school or after an initial assignment. On the \neighth day, the student will automatically become a DNR \n(Did Not Report) and be discharged from the school. Schools \nhave the responsibility to contact the parent/caregiver if a \nstudent has not reported. Parents/caregivers should be", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 18 of 41 \n \n \nmade aware of this procedure when called if their children \nhave not reported. \nNote: School leaders should always refer to the DNR \nProcedure Memo released annually by the Office of \nWelcome Services for the latest information regarding the \nDNR process. This memo also outlines the procedures for a \nDNR Exception. See the DNR Exception Form. \nDNR PROCEDURE \nFor all students who do not report to school (DNR), the \nfollowing procedures are in effect: \ni. A student will hold a NAS (Newly Assigned Student) \ncode for a maximum of five (5) days after the first \nday of school or after the initial assignment. On the \nsixth day, a student will automatically become a \nDNR (Did Not Report). \nii. A student will hold a DNR code for a maximum of \nthree (3) days. At the end of the third day, a DNR \nstudent will automatically lose their seat at the \nassigned school. This will occur at the close of \nbusiness on the eighth (8th) day of school.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "three (3) days. At the end of the third day, a DNR \nstudent will automatically lose their seat at the \nassigned school. This will occur at the close of \nbusiness on the eighth (8th) day of school. \niii. On the third day of DNR status (or on the eighth day \nsince the first day of school or of initial assignment), \na student's seat will be eliminated, allowing the \nOffice of Welcome Services to assign another \nstudent to that seat. \niv. The student will remain on the DNR list of the \nschool. See below for important details:", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 19 of 41 \n \n \nEach school leader still has the responsibility of \ninvestigating the situation and, if necessary, ultimately \ndischarging the student to remove them from the DNR list. \nThe discharge cannot happen until the school has \nconducted an exit interview and collected appropriate \ndocumentation from the family. This documentation must \nbe uploaded to Aspen. Please see the DNR Aspen Guide. \nIf you know that a student does not plan to enroll in BPS for \nthe current school year and you have collected appropriate \ndocumentation from the family, you can withdraw them \nfrom BPS without waiting for them to be withdrawn as a \nDNR at the end of the eight-day period. \nPlease make sure to maintain a record of the appropriate \ndocumentation, upload it to Aspen, and use the appropriate \ndischarge code when discharging the student. Here is a link \nto the BPS Discharge Codes. \nFor students with an IEP, the Special Education Department", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "discharge code when discharging the student. Here is a link \nto the BPS Discharge Codes. \nFor students with an IEP, the Special Education Department \nmust also conduct an exit interview to inform the student \nand caregivers of their rights. \nThe assigned supervisor of attendance (SOA) should be \nnotified to provide additional assistance when a school \ncannot locate a student. \nNote: The DNR process does not automatically discharge \nany high-need special education students in an inclusion or \nsubstantially separate program (.3 or .4 students). \n3. School Attendance Teams (AT) at all levels are directed to \nmonitor student attendance using the Panorama Student \nSuccess Platform and, in cases that so require, make \nreferrals to the Student Success Team (SST) and/or the", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 20 of 41 \n \n \nappropriate health or human/social service agencies or \ndistrict services. \nOne of the initial responsibilities of the AT, in collaboration \nwith the SST, shall be to address the issues of (1) DNR \nstudents and (2) students who were chronically absent in \nthe previous school year. \nThe status of each student who did not report (DNR) at the \nstart of the school year must also be investigated and \ndetermined before discharging the student. \nA primary focus of the AT is developing school-based \nabsence prevention and intervention strategies. A three-\ntiered attendance system should be established, with \ndefined prevention and intervention practices that promote \nconsistent attendance among all students. The Attendance \nFundamentals by Tier is a resource and the BPS Tiered \nAttendance System (TAS) is available to all schools as a \nframework to help establish and improve their attendance \npractices across tiers.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Fundamentals by Tier is a resource and the BPS Tiered \nAttendance System (TAS) is available to all schools as a \nframework to help establish and improve their attendance \npractices across tiers. \n4. Complex cases and students with extensive patterns of \nchronic absenteeism should be referred to supervisors of \nattendance and/or the SST as appropriate after extensive \nprevention/intervention steps have been tried and \ndocumented. \nWITHDRAWING STUDENTS \nOnce the school year has begun, the withdrawal of students that \nare no longer enrolled at your school can be made at the school \nlevel, not by Central Office staff. It is imperative that school staff \nverify where the student is enrolled prior to withdrawing a \nstudent. Please remember to keep documentation as to where", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 21 of 41 \n \n \nthe student is enrolling. Written or emailed documentation is \npreferred. If the family texts you, we suggest sending a \nscreenshot to your email to make sure it is saved. This \ndocumentation must be uploaded to the Aspen SIS. Also, please \nmake sure to use the appropriate discharge code when you \nwithdraw the student from BPS. Here are BPS Discharge Codes. \nAcceptable documentation for withdrawing students includes: \n1. A written request for a student\u2019s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This \nincludes requests from the receiving school that come to \nthe district through Scrib Order. \n2. Written record of a response from an official in the receiving \nschool or program acknowledging the student\u2019s enrollment. \n3. Written confirmation that a student has moved to another \ncountry and will be continuing their education. For example,", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "school or program acknowledging the student\u2019s enrollment. \n3. Written confirmation that a student has moved to another \ncountry and will be continuing their education. For example, \nif a parent informs a school administrator that the family is \nleaving the country, the school administrator may \ndocument this conversation in writing. \n4. Letter from a parent/guardian updating the school \nenrollment status of their child, including indication that \nthey will be continuing their education elsewhere. \n5. Letter from the BPS Office of Expanded Learning Time \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process) \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 22 of 41 \n \n \nAspen HelpDoc BPS Withdrawal Codes for a table of withdrawal \ncodes with acceptable matching documentation. \nNote: The assigned supervisor of attendance should be notified \nto provide additional assistance when a school cannot locate a \nstudent. \nDISCHARGE PROCEDURES \nStudents 16 Years of Age or Older On October 1st of the School \nYear \u2013 Per MGL Ch. 76 Sec. 18: \n1. By the first week of October, the school leader shall have \naccess to the list of students with the designation NAS or \nDNR. \n2. Within 5 days of the tenth consecutive absence, the school \nleader must contact in writing (in the primary language \nspoken in the home) the parent/caregiver of the student 16 \nyears of age or older to inform them of the requirements of \nMGL c.76 s.18, and to request a meeting to discuss the \neducational implications for the student if they do not \nreturn to school, the benefits of earning a diploma, the", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "MGL c.76 s.18, and to request a meeting to discuss the \neducational implications for the student if they do not \nreturn to school, the benefits of earning a diploma, the \nstudent\u2019s reason(s) for wanting to leave school, and to \nconsider alternative education or other placements. The \nnotice shall offer at least two dates and times for an exit \ninterview, that the parties will agree to a date, and that the \nmeeting will take place within 10 days after the sending of \nthe notice. The school leader must reproduce and use the \nsample form letter linked here and submit a copy to the \ndirector of the BPS Re-Engagement Center within one \nweek. For students who have an IEP, the Special Education \nDepartment must also conduct an exit interview to inform \nthe student and caregivers of their additional due process \nrights.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 23 of 41 \n \n \n3. The school leader must conduct the meeting at the \nconvenience of the parent/caregiver, but within 10 days of \nthe sending of the notice. Upon parent/caregiver request, an \nextension not to exceed 14 days may be granted. \n4. If the student reports to school after the exit interview with \nthe parent/caregiver, the school leader must ensure that the \nstudent is marked \u201cP\u201d on the attendance record. \n5. If the student does not or shall not return to school after the \nexit interview with the parent/caregiver, the school leader \nmust request a statement of the parent/caregiver on the \nSample Form Letter linked here. Submit a copy of this letter \nto the BPS Re-Engagement Center and operational leader \nand discharge the student using the protocol described in \nthis circular. This form is for a student whose assignment \nwithin the Boston Public Schools is to be terminated, i.e., the", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "and discharge the student using the protocol described in \nthis circular. This form is for a student whose assignment \nwithin the Boston Public Schools is to be terminated, i.e., the \nstudent is going to a private or public school outside the \nCity of Boston, or the unknown student whose absences \nhave been investigated thoroughly, or the student who has \n\"dropped out\" of school. This process requires the following: \na. Retain one copy of the documentation at the school in \nwhich the discharge is initiated. \nb. Upload documentation to the Aspen SIS. \nc. Issue one copy to the parent/caregiver of the student \ngoing to a private school or another public school \nsystem. \nd. Issue one copy to the superintendent of the new school \nsystem. If the student has transferred to either a \nprivate school or to a charter school, this copy is sent to \nthe principal of the new school.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 24 of 41 \n \n \n6. Only after a good-faith effort to include the parent/caregiver \ncan the exit interview with the student take place without \nthe presence of the parent/caregiver. \n7. The school leader must maintain detailed and readily \naccessible records for each student justifying the activation \nof discharge, which should be uploaded to the Aspen SIS. \nStudents Under 6 Years of Age on October 1st of the School Year \n1. Within a week after the receipt of the NAS/DNR printout, \nthe school leader must contact in writing the \nparent/caregiver of the student to inform them that a place \nfor the student has been reserved in the educational \nprogram of the school. The parent/caregiver is encouraged \nto ensure the student's attendance, AND the student must \nreport within one week, or the student shall be discharged. \nPlease use the attached form letter. \n2. If the student does not report within one week, the school", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "report within one week, or the student shall be discharged. \nPlease use the attached form letter. \n2. If the student does not report within one week, the school \nleader must discharge the student according to the \nprocedures described in this circular. No additional \ncommunication with the parent/caregiver is required. \nNote: School leaders shall not discharge a student between \nthe ages of six and sixteen years until all procedures noted \nin this circular are completed. Written notice should be \nreceived by the supervisors of attendance. \nDischarge Codes \nIt is important to use the appropriate discharge code when \nwithdrawing the student from BPS. Here is a copy of the \nBPS Discharge Codes.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 25 of 41 \n \n \nGENERAL ATTENDANCE AND PUNCTUALITY PROCEDURES \n1. School leaders must designate a member of their staff who \nwill be responsible for coordinating and monitoring the \nschool's attendance plan. This person shall report directly to \nthe building administrator concerning this effort and should \nbe part of the school AT. A best practice is to have this \nperson lead or co-facilitate the AT when appropriate. The \nplan should take a whole-school approach and fully engage \nthe staff in implementing a tiered attendance system. \nSchool leaders should also ensure that staff is assigned to \nmonitor attendance data and trends on an ongoing basis, \nwhich may require additional training from the Office of \nInstructional and Information Technology, Office of Data \nand Accountability, or Department of Opportunity Youth \n(SOAs). \n2. Each student is marked Absent in the Student Information \nSystem (SIS) on the first day of school and must be marked", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "and Accountability, or Department of Opportunity Youth \n(SOAs). \n2. Each student is marked Absent in the Student Information \nSystem (SIS) on the first day of school and must be marked \nPresent to begin official enrollment. Enter a P on the first \nday of attendance. Students who appear after the first day \nof school should be entered on the date of appearance with \na P. \n3. Official attendance will be taken and reported on the SIS \nsystem by teachers. The central office will make an \nautomated call to all students coded as Absent by 11:00 am \nevery day. \n4. Students who arrive after the beginning of the day are tardy. \nThey must follow established tardy procedures to be \nconsidered present for the day.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 26 of 41 \n \n \nSUGGESTED STRATEGIES TO ADDRESS TARDINESS AND \nABSENTEEISM \nIn developing their Attendance Improvement Plan, schools \nshould focus on a positive approach to attendance, using \nconsistent prevention/intervention steps and implementing \nspecific strategies to address tardiness and absenteeism. The \ndistrict has developed a Tiered Attendance System (TAS) to \nsupport schools in ensuring the consistency and effectiveness of \ntheir attendance practices across the school, while the Panorama \nStudent Success Platform provides a framework to track and \nmonitor individual student attendance, interventions, and \nsuccess planning. See also Attendance Fundamentals by Tier. \nExamples of strategies to address tardiness and absenteeism \ninclude: \n\u25cf Tiered intervention and prevention programs: \nTier 1: Reliable attendance reporting from every \nclassroom; positive school climate initiatives such as", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "include: \n\u25cf Tiered intervention and prevention programs: \nTier 1: Reliable attendance reporting from every \nclassroom; positive school climate initiatives such as \nmaintaining positive relationships among school staff, \nstudents, and families; consistent intervention and \nprevention activities with documentation in Panorama; \nSchool Attendance Committee; School Attendance \nCulture. \nTier 2: Targeted attendance letters; attendance contracts; \nstudent/family conferences; attendance success plans; \nattendance coaching; mentorship programming. \nTier 3: Intensive case management or mentorship; \nspecialized programming; assigning staff to intentional \nstudent check-ins; connections with and/or referrals to \nspecific support services or community resources. \n\u25cf Use of restorative justice practices", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 27 of 41 \n \n \n\u25cf Parent/caregiver and/or student-centered conferences \n\u25cf Contracting with the student and/or parent/caregiver \n\u25cf Learning Recovery/Attendance Buy-Back Time (for repeated \ntardiness or unexcused absences) \nNote: Schools are prohibited from excluding students from \nphysical activity during the school day, such as during recess \nor physical education, as a disciplinary consequence. However, \na student may be prohibited from participating in athletics or \nextracurricular activities on a school day when an unexcused \nabsence causes a student to miss more than 50% of the school \nday. \nSuggested other steps: \n\u25cf Make MBTA schedules available at schools. \n\u25cf Post rules on tardiness and punctuality in visible locations. \n\u25cf Hold a conference with student and family for repeated \ntardiness. \n\u25cf Make phone calls to families of students who are tardy. \n\u25cf Work with Attendance Team and/or SST and/or to", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "\u25cf Hold a conference with student and family for repeated \ntardiness. \n\u25cf Make phone calls to families of students who are tardy. \n\u25cf Work with Attendance Team and/or SST and/or to \ninvestigate root causes for student tardiness. \n\u25cf Establish Student Planning Centers. \nPlease see the BPS Code of Conduct for additional guidance \nregarding suggested strategies. \nNOTIFICATION TO PARENTS/CAREGIVERS WHEN STUDENTS \nARE ABSENT \nSchool leaders should inform all students and parents/caregivers \nby means of a written bulletin, newsletter, or SchoolMessenger at \nthe beginning of each school year of the Attendance Policy and \nthe basic school attendance procedures adopted by the School", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 28 of 41 \n \n \nSite Council. This information should be sent in the language of \nthe home. \nParents/caregivers should be advised that a signed note of \nexplanation shall be required each time a student is absent. The \nnote should state the date(s) of absence, the reason, the \nparent/caregiver contact information, and the parent/caregiver \nsignature. The note should be sent in on the day the student \nreturns to school. The note must be received within seven (7) \nschool days following the absence. Here is a Sample \nParent/Caregiver Note for Excused Absence. Schools are \nexpected to use Panorama to document and monitor attendance \nintervention activities, including documentation of each step \ndescribed below. \n1. First Absence \nThe building administrator is responsible for ensuring that \nschool staff notifies parents/caregivers by telephone of all \nstudent absences. This is best accomplished by the \nhomeroom teacher. In these conversations,", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "school staff notifies parents/caregivers by telephone of all \nstudent absences. This is best accomplished by the \nhomeroom teacher. In these conversations, \nparents/caregivers should be reminded of (1) the need to \nsubmit a note of explanation to document the reason each \ntime a student is absent, (2) the importance of consistent, \non-time attendance for a student to be successful in school, \nand (3) that unexcused absences could result in the student \nfalling behind academically. \n2. Second and Third Absence \nParents/caregivers must be notified in writing no later than \nthe student\u2019s third absence (even if the absences were \n\u201cexcused\u201d) and on a regular basis thereafter. This notification \nshould include the attendance requirement, the number of", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 29 of 41 \n \n \ndays missed compared to the number of school days in the \nmarking period, and the impact of continued absence on \nthe student\u2019s success. Note: These absences do not need to \nbe consecutive. This letter must be written in the language \nof the home. Here is a Sample Absence Letter which can be \nplaced on the school\u2019s letterhead. \n3. Third Unexcused Absence \nAfter the third unexcused absence, the student must be \nreferred to the SST by the homeroom teacher. The team will \nreview the case and meet to develop recommendations to \nassist the student in improving attendance. The team may \ninvite the parent/caregiver and, at the secondary level, the \nstudent to the meeting; however, if the parent/caregiver \ndoes not attend the meeting, an effort must be made by the \nschool to contact and discuss the case with the \nparent/caregiver. It is recommended that the SST develop \nan attendance success plan in Panorama at this step.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 30 of 41 \n \n \n4. Fourth Unexcused Absence \nAt the fourth unexcused absence in any term, a meeting \nshall be convened by the school leader, to which the \nparent/caregiver shall be invited. If the school is unable to \ncontact the parent/caregiver, a home visit should be \nconducted. The implications of student absence from \nschool, as well as the current academic status of the \nstudent, will be discussed at this meeting. The success plan \ndeveloped by the SST after the third unexcused absence \nshould be reviewed. \n5. Fifth Through Seventh Unexcused Absence \nAt the fifth unexcused absence, the student and the family \nshould be referred to the Family Resource Center or \nassigned supervisor of attendance. \n6. Eighth Unexcused Absence \nAfter the eighth unexcused absence, for a student younger \nthan 16 years of age, the school\u2019s designated attendance \nrepresentative shall coordinate with the assigned supervisor", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "After the eighth unexcused absence, for a student younger \nthan 16 years of age, the school\u2019s designated attendance \nrepresentative shall coordinate with the assigned supervisor \nof attendance to determine if it is necessary and appropriate \nto file a truancy case with the Suffolk County Juvenile Court. \nInstructions for Recommending an Attendance Intervention \nPlan for Court describe the necessary steps to recommend a \ncase for court. In addition, the school should coordinate with \nthe school social worker for additional support. \nThis Notification to Parents/Caregivers When Students Are \nAbsent condenses the process described above. It serves as a \nreference document for staff.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 31 of 41 \n \n \nAbsence, tardy, and early dismissal notations must be recorded in \nthe Aspen SIS daily as the official system of record. School-wide \nattendance monitoring using the Panorama Student Success \nPlatform should be conducted by the school leader or their \ndesignee on a regular basis, but no less frequently than monthly. \nEXCUSED ABSENCES \nThe student attendance record must be updated to reflect the \nexcused absence. An excused absence is defined as an absence \ncaused by sickness, injury, hospitalization, court appearances, \nreligious holy days, or the death of an immediate family member. \nThe school may accept other reasons for an excused absence as \napproved by the school leader; however, if a note of explanation \nis not received, the absence shall be deemed \u201cunexcused.\u201d \nHowever, it is important to remember that all absences are \nincluded as it relates to chronic absenteeism, regardless of", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "is not received, the absence shall be deemed \u201cunexcused.\u201d \nHowever, it is important to remember that all absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. Prevention and \nintervention steps should be conducted by the school to \nminimize missed instructional time, regardless of whether \nabsences are excused or unexcused. In addition, \nparents/caregivers should be informed of the definition of \nchronic absenteeism and the impact it has on student outcomes: \nChronic absenteeism is defined as missing 10 percent or more of \nthe school year in any given period. All absences are included as \nit relates to chronic absenteeism, regardless of whether the \nabsence is excused or unexcused. For an entire school year, a \nstudent who misses 18 school days, or about two days per month, \nwill be considered chronically absent. \nParents/guardians/caregivers should be informed, as part of the", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "student who misses 18 school days, or about two days per month, \nwill be considered chronically absent. \nParents/guardians/caregivers should be informed, as part of the \nSchool-Based Rules, of those reasons that are accepted as", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 32 of 41 \n \n \n\u201cexcused\u201d and those that are not acceptable to excuse an \nabsence. \nNOTIFICATION TO PARENTS/CAREGIVERS SHOULD A CHILD \nLEAVE SCHOOL \n1. All students must be supervised by a responsible adult at all \ntimes during the school day. \n2. Should a child be noted as missing, the school leader should \nbe notified immediately. \n3. After an initial search of the school and immediate \nneighborhood, the parent/caregiver should be notified by \ntelephone as promptly as possible, and the appropriate \ndepartments should be notified. (See Superintendent\u2019s \nCircular SAF-09, Lost Children Procedures). \nSAFETY CONCERNS RELATED TO ATTENDANCE \nTo maximize the protection and safety of all students, schools \nshould take the following measures: \n1. Emphasize to the parent/caregiver that they should arrange \nto be sure that their children reach the bus stop on time \nevery morning and that they board the bus. This should be", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "1. Emphasize to the parent/caregiver that they should arrange \nto be sure that their children reach the bus stop on time \nevery morning and that they board the bus. This should be \nstressed in newsletters sent home at the start of each school \nyear. \n2. Inform the parent/caregiver that they should notify the \nschool by telephone each day that their child will be absent \ndue to illness, etc. \n3. Inform the parent/caregiver as soon as possible, including \nthrough the SchoolMessenger system, of their children\u2019s \nabsence.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 33 of 41 \n \n \n4. Ensure that the parent/caregiver supplies the school with \naccurate, up-to-date home and emergency telephone \nnumbers and indicates the place their children should go if \nthey miss the bus, e.g., the home of a relative, friend, \nneighbor, etc. These emergency numbers should be \nupdated as necessary. \n \nHOME & HOSPITAL TUTORING \nWhen a physician determines that a student is physically unable \nto attend school for more than 14 consecutive days or anticipated \nto accumulate more than 14 absences in a school year, the \nstudent should be offered tutoring at home or in the hospital. \nThe referral should be made to the Home & Hospital Instruction \nprogram when the school nurse receives a Physician Statement. \nThe attendance for students participating in the Home & Hospital \nInstruction Program should be marked \u201cconstructively present\u201d \n(CP). The school must document in writing all offers of home", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "The attendance for students participating in the Home & Hospital \nInstruction Program should be marked \u201cconstructively present\u201d \n(CP). The school must document in writing all offers of home \ntutoring and acceptances or rejections by the parent or caregiver. \nIf a parent/caregiver rejects home tutoring or other appropriate \nacademic services for a child who will be absent for an extended \nperiod, a record of that rejection must be retained in the \nstudent\u2019s file, and a 51A should be filed with the Department of \nChildren and Families (DCF). When it is deemed by the student\u2019s \nattending physician or pediatrician that they will be confined to a \nhome or hospital setting for more than 60 days, the student will \nthen be considered for evaluation (if not a student with an IEP); \nor if a student with an IEP, the student will then be considered for \na possible IEP amendment or new IEP by the Office of Special \nEducation under state regulation 603 CMR 28.04(4).", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 34 of 41 \n \n \nPROCEDURES FOR REFERRAL TO SUPERVISORS OF \nATTENDANCE \nSOAs build schools\u2019 capacity to reduce chronic absenteeism. See \nSOA Overview for details on how they can support your school. \nThis iteration of the attendance policy calls on schools to take \nownership of attendance and supportive interventions and to use \nreferrals to supervisors of attendance as only a measure of last \nresort. In that context, this circular reflects the Boston Public \nSchools\u2019 procedures for referring students to the supervisors of \nattendance (SOA). Under M.G.L. c.119, Section 21, Section 39E, \nSection 39F, and Section 39G, Boston Juvenile Court may hear \npetitions to determine if a child needs services. In Boston Public \nSchools, only the SOA may file a Child Requiring Assistance (CRA) \npetition on behalf of the district for attendance or behavior-\nrelated matters. \n It contains guidelines on: \n\u25cf Procedures for referrals and Attendance Intervention Plan", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "petition on behalf of the district for attendance or behavior-\nrelated matters. \n It contains guidelines on: \n\u25cf Procedures for referrals and Attendance Intervention Plan \n(AIP) \n\u25cf Child Requiring Assistance (CRA) filings \n\u25cf Adult Failure to Cause (ADF). \nBACKGROUND \nM.G.L. c.119 Part 1 Title XII Chapter 69 Section 10 states that the \nDepartment of Elementary and Secondary Education shall adopt \nregulations establishing a truancy prevention program \ncertification process, consistent with the behavioral health and \npublic schools framework developed pursuant to section 19 of \nchapter 321 of the acts of 2008, and shall require that the truancy \nprevention program evaluate the level of out-of-school support \nfor students and families and address conditions that make \nstudents more likely to become truant including, but not limited", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 35 of 41 \n \n \nto, previously unidentified or inadequately addressed special \nneeds, bullying, and harassment. Any truancy prevention \nprogram established under this section by a school district shall \nmeet the requirements for certification adopted by the \ndepartment. \nSupervisors of attendance, working in collaboration with school \nstaff and external agencies, may file a court referral based on \ninvestigative findings, prior attendance patterns, and present \nproblematic attendance. The filing of a CRA is the last resort if \nother interventions by school, external agencies, and/or \nattendance staff fail to bring about improvement. \nThe SOA may file the following CRA petitions with the mandatory \nparent/caregiver date of birth: \n\u25cf Habitually Truant: Civil charge filed on students who miss \nschool for 8 days in a quarter. \n\u25cf Student Who Repeatedly Fails to Obey Regulations of the \nSchool: Civil charges filed on students who repeatedly fail to", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "school for 8 days in a quarter. \n\u25cf Student Who Repeatedly Fails to Obey Regulations of the \nSchool: Civil charges filed on students who repeatedly fail to \nobey the lawful and reasonable regulations of the student\u2019s \nschool. \n\u25cf Adult Failure to Cause: Petition filed when a student\u2019s \nabsence is beyond their control, but due to a caretaker\u2019s \naction or inaction, e.g., the child is too young to get to school \non their own. \nATTENDANCE INTERVENTION PLAN (AIP) \nWhile all attendance intervention activities should now be \ndocumented in the Panorama Student Success Platform, the \nAttendance Intervention Plan (AIP) is available for each student \nhaving four or more unexcused absences in the Aspen SIS. The \nAIP in Aspen SIS serves the following purposes:", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 36 of 41 \n \n \n\u25cf To identify students who are eligible for a court referral due \nto eight or more unexcused absences in a marking period. \n\u25cf For school leaders to recommend a case to court as a last \nresort when all attendance prevention/intervention \nstrategies have been exhausted. \n\u25cf To document any compliance-related attendance \nintervention activities, particularly for cases that are \nrecommended to the court. Supervisors of attendance \n(SOAs) will ensure that any compliance-related \ndocumentation from Panorama is also entered to Aspen \n(that is: if a case moves toward the court, the SOA is \nresponsible for copying the intervention plan from \nPanorama into Aspen). \n\u25cf For a quality check, wherein school attendance staff can \nverify that all students who have an AIP generated in Aspen \nSIS (because of four or more unexcused absences in a \nmarking period) also have an Attendance Success Plan", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "verify that all students who have an AIP generated in Aspen \nSIS (because of four or more unexcused absences in a \nmarking period) also have an Attendance Success Plan \ncreated in Panorama. As a best practice, all chronically \nabsent students should have an Attendance Success Plan in \nPanorama. \nOnce a student has eight unexcused absences in a marking \nperiod, the school leader may recommend the AIP for court in \nthe SIS. Supervisors of attendance (SOAs) will ensure that any \ncompliance-related documentation is also entered into Aspen, \nincluding the attendance success plan, with attendance \nintervention steps that were conducted with the student, as \ndocumented using Panorama. \nThe parent/caregiver date of birth (DOB) is required in the judicial \nprocess. The AIP will require the submission of the \nparent/caregiver date of birth and documentation of intervention", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 37 of 41 \n \n \nsteps as an Attendance Success Plan in Panorama. Without this \ninformation, the AIP cannot be recommended for court. \nThe SOA will investigate and report their recommendation in the \nSOA comment section. The comments can be viewed by the \nsenders and the school leaders. The senders and the school \nleaders can view the comments. Instructions for Recommending \nan Attendance Intervention Plan for Court are here. \nSCHOOL STEPS IN THE CHILD REQUIRING ASSISTANCE (CRA) \nPROCESS \nCRA: Truancy \n1. Upon the 4th unexcused absence, the school leader or \ndesignated staff and homeroom teacher will receive an \nemail notification from SIS informing them that an \nAttendance Intervention Plan (AIP) has been initiated \nduring the term for a student. \n2. Upon the 8th unexcused absence during the term, the \nschool leader or designated staff or homeroom teacher can \nrecommend that a student AIP be sent to court due to", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "2. Upon the 8th unexcused absence during the term, the \nschool leader or designated staff or homeroom teacher can \nrecommend that a student AIP be sent to court due to \nexcessive absences and non-compliance with the student\u2019s \nAttendance Success Plan, as documented in Panorama. The \nAIP cannot be recommended for court if the student does \nnot have an Attendance Success Plan documented in \nPanorama. At this time, the appropriate SOA will investigate \nthe case, referring to the action already taken by the school \nto date and to the results that they have reported. The \ninvestigation may include phone calls, \nhome/parent/caregiver work-site visits, school visits and \ntelephone calls, letters to parents/caregivers where \nnecessary, and, in some cases, contact with and referral to \ninvolved agencies.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 38 of 41 \n \n \n3. The SOA will report the results of the investigation to the \nschool through the SIS system. The supervisor will also ask \nthat schools keep them informed of further attendance \nproblems. \n4. If attendance does not improve, schools must send \nadditional AIPs to the Attendance Office only if the open \nCRA has been closed, alerting the SOA to follow up once \nmore. Additional interventions should be documented in \nPanorama to update the SOA on the school's subsequent \nactions and results. \n5. Subsequent investigation and follow-up will occur through \nresponse in the SIS system, email, or attendance meeting. \n6. Supervisors of attendance, working with school staff, make \ndecisions on future action based on investigative findings, \nprior attendance patterns, and correspondence with \nparents/caregivers and the school. One option is court \nreferral. The decision to file a CRA is made by the SOA based", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "prior attendance patterns, and correspondence with \nparents/caregivers and the school. One option is court \nreferral. The decision to file a CRA is made by the SOA based \non the finding and results of steps 1-4 and only after \nexhausting all other possible courses of action. The CRA will \nonly be filed if the student has accumulated eight or more \nunexcused absences in a single quarter and the school has \ndocumented intervention steps using the Attendance \nSuccess Plan feature in Panorama. \n7. When the AIP is recommended for court, the SOA will notify \nthe school of this action using the Attendance Supervisor's \nInformation Form or will make personal or telephone \ncontact. A probation officer will be assigned to the child by \nthe court if a CRA is filed. \n8. If attendance does not improve following a CRA filing, \ncommunication with the assigned probation officer and/or \nthe SOA is required.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 39 of 41 \n \n \nCRA FOR STUDENT WHO REPEATEDLY FAILS TO OBEY \nREGULATIONS OF THE SCHOOL \nDecisions to file a Child Requiring Assistance (CRA) for a \nstudent who repeatedly fails to obey regulations of the school \nwith the Suffolk County Juvenile Court should follow the \nprevention/intervention steps and best practices of the BPS \nCode of Conduct, including the Philosophy and Guiding \nPrinciples. NOTE: A CRA for a student who repeatedly fails to \nobey the regulations of the school can only be filed for \nstudents in grade 6 and above. \n1. After the third serious violation of school rules, the school \nwill request a CRA (repeatedly fails to obey school \nregulations) in the SIS system to the Attendance Office for \nfollow-up and investigation. After filling out the request, the \nfollowing documents should be accompanied via fax: copies \nof a letter signed by a school official on letterhead with the \nprevention/intervention steps taken to improve the", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "following documents should be accompanied via fax: copies \nof a letter signed by a school official on letterhead with the \nprevention/intervention steps taken to improve the \nstudent\u2019s behavior. The school should also provide \ndocumentation of the three serious violations. \n2. The SOA will investigate the case and determine whether a \nfiling is warranted. They will report the decision to the \nschool. \n3. When the CRA petition is filed, the SOA will notify the school \nof this action using the attendance supervisor's SIS card or \nwill make personal or telephone contact. A probation officer \nwill be assigned to the child by the court. \n4. If the student\u2019s behavior does not improve following a CRA \nfiling, communication with the assigned probation officer \nand/or the SOA is required, and the school should continue \nto proceed with appropriate action under the Code of \nConduct.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 40 of 41 \n \n \nCRA: ADULT-FAILURE-TO-CAUSE PROCESS (ADF) \nThese cases are criminal complaints filed against \nparents/caregivers who willfully prevent their children from \nattending school. This is a serious charge requiring the sworn \ntestimony of the SOA on the school's behalf. Courts can fine \nparents/caregivers, and in extreme cases, further \nconsequences can result from non-compliance. \nThe steps are the same as described for CRA cases, except that \nit is filed against the parent/caregiver if the investigation \nconducted by the SOA finds evidence to justify the filing, and \ninformation about the parent/caregiver is required, which, in \nsome cases, can only be obtained by school staff. For example, \nthe complaint cannot be filed without the parent/caregiver\u2019s \ndate of birth and physical description, as well as documented \nevidence of attendance interventions using the Attendance \nSuccess Plan feature in Panorama. Therefore, it is important", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "date of birth and physical description, as well as documented \nevidence of attendance interventions using the Attendance \nSuccess Plan feature in Panorama. Therefore, it is important \nthat school staff capture this information in advance of \nrecommending a case for court.", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "content": "Superintendent\u2019s Circular ACA-18 \nPage 41 of 41 \n \n \nFor more information about this circular, contact: \nOwner: Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + }, + { + "file_name": "LGL-06 Religious Holy Days.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-06 \nVersion 01 \n \nRELIGIOUS HOLY DAYS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version. \n \nIt is the policy of the Boston Public Schools to make reasonable \nefforts to accommodate the religious beliefs of students and \nstaff. State and federal laws also mandate such reasonable \naccommodations. \nMassachusetts General Laws, Chapter 151C, Section 2B reads, in \npertinent part, as follows: \n\u201cAny student in an educational or vocational training \ninstitution, other than a religious or denominational \neducational or vocational training institution, who is unable, \nbecause of [their] religious beliefs, to attend classes or to \nparticipate in any examination, study, or work requirement \non a particular day shall be excused from any such \nexamination or study or work requirement, and shall be \nprovided with an opportunity to make up such examination, \nstudy, or work requirement which [they] may have missed", + "source_link": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-06 Religious Holy Days.pdf", + "content": "examination or study or work requirement, and shall be \nprovided with an opportunity to make up such examination, \nstudy, or work requirement which [they] may have missed \nbecause of such absence on any particular day; provided, \nhowever, that such makeup examination or work shall not \ncreate an unreasonable burden upon such school. No fees of \nany kind shall be charged by the institution for making \navailable to the said student such opportunity. No adverse", + "source_link": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-06 Religious Holy Days.pdf", + "content": "Superintendent\u2019s Circular LGL-06, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nor prejudicial effects shall result to any student because of \n[their] availing [themselves] of the provisions of this section.\u201d \nTo accommodate the religious beliefs of students, all who \nobserve any holiday because of religious beliefs should be \nmarked \u201cconstructively present\u201d upon submitting a valid note \nfrom a parent or guardian (see Circular ACA-18). In addition, \nteachers should refrain from giving tests on these religious \nholidays and allow sufficient time for these students to make up \ntheir work before administering tests. \n \nFor more information about this circular, contact: \nName: Lisa Maki \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: lmaki@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-21 \nVersion 01 \n \nPOLICY ON USE OF BPS BUILDINGS & FACILITIES FOR \nPOLITICAL PURPOSES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll building administrators and managers of facilities within the \nBoston Public School Department should be aware of the Boston \nPublic Schools\u2019 policy on the use of its facilities for political \npurposes. \nNo Boston Public School facility may be used for predominantly \npolitical activity, such as activities in support of political \ncandidates or ballot questions. \nAny use of a Boston Public School facility for a predominantly \ngovernmental activity with an incidental political activity overlap, \nsuch as those activities related to education laws, funding, or \npolicies, but not related to specific teaching or learning at a \nparticular school, may only occur with prior notification to and \nspecific approval from the superintendent or their designee.", + "source_link": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf", + "content": "policies, but not related to specific teaching or learning at a \nparticular school, may only occur with prior notification to and \nspecific approval from the superintendent or their designee. \nExamples of such activities might include the signing of \neducation legislation, the announcement of educational policies \nor results, or announcements of receipt of grants or other funds. \nThese examples demonstrate activities in furtherance of the \npurpose for which governmental funds have been appropriated \nto Boston Public Schools, with an incidental political activity", + "source_link": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf", + "content": "Superintendent\u2019s Circular LG-21 \nPage 2 of 2 \n \nassociated therewith. Any use of a Boston public school or facility \nfor political activity without obtaining the prior approval of the \nsuperintendent or their designee is an unauthorized use and \nshould be considered an \u201cunwarranted privilege\u201d for the \npurposes of the Massachusetts Conflict of Interest Law. \nFor additional information, regarding political activities generally, \nplease see Superintendent\u2019s Circular LGL-09 Political Activity by \nPublic Employees. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-03 Public Record Requests.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-03 \nVersion 01 \n \n \nPUBLIC RECORDS REQUESTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nSchool Department staff members frequently receive requests \nfrom individuals and agencies, asking for information or \ndocuments and cite the Freedom of Information Act (FOIA) or the \nMassachusetts Public Records Law as the authority for honoring \ntheir requests. \nThe Massachusetts Public Records Law, M.G.L. c. 66 \u00a710, provides \nthat any person has a right to access public records. This right of \naccess includes the right to inspect, copy or have copies of \nrecords provided upon payment of a reasonable fee. The \nMassachusetts General Laws broadly define \"public records\" as \nany books, papers, maps, photographs, electronic storage media, \ncomputer files, digitally stored material, or any other information \nregardless of form, which is made or received by employees of", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-03 Public Record Requests.pdf", + "content": "any books, papers, maps, photographs, electronic storage media, \ncomputer files, digitally stored material, or any other information \nregardless of form, which is made or received by employees of \npublic agencies unless the material falls into one of several \nrecognized exemptions. Requests for public record information \nmust be in writing; therefore, you should require that any oral \nrequests for public record information be placed in writing by the \nrequestor prior to responding to such a request. Such writing \nmust be signed, dated, and contain the address of the requestor.", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-03 Public Record Requests.pdf", + "content": "Superintendent\u2019s Circular LGL-03 \nPage 2 of 3 \n \n \nRECORDS REQUEST \nAll written public records requests must be sent to the Office of \nLegal Advisor or filed through the City of Boston\u2019s public records \nrequest portal. You can access the public records request portal \nby visiting https://www.boston.gov/departments/public-records \nor clicking the \u201cPublic Records Request\u201d link at the bottom of \nevery page of the boston.gov website. To ensure a prompt \nresponse, use of the City\u2019s public records request portal is the \npreferred method for all requests. The Office of Legal Advisor will \nreview each request to see if it falls within an exception to the \npublic records law and will coordinate with your office or school \nfor the search, retrieval, and copying of such information. The law \nprovides that Boston Public Schools must respond to a request \nfor public records within ten (10) days of our receipt of such a \nrequest. It is imperative, therefore, that once you receive a public", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-03 Public Record Requests.pdf", + "content": "provides that Boston Public Schools must respond to a request \nfor public records within ten (10) days of our receipt of such a \nrequest. It is imperative, therefore, that once you receive a public \nrecords request, it is faxed or delivered to the Office of Legal \nAdvisor. It is also imperative that, if you receive a request from \nthe Office of Legal Advisor to compile public records, you do so \nexpeditiously or call the Office of Legal Advisor if you cannot \ncomply in a timely manner with its request for information. \nSUBPOENA \nWhen receiving a subpoena for student records, personnel \nrecords, medical records, or any other document, a copy of the \nsubpoena must be emailed or delivered immediately to the \nOffice of Legal Advisor for review. After that, please forward all \nresponsive records with the original subpoena to the Office of \nLegal Advisor. Such a subpoena should be emailed or delivered \neven if it is addressed to an individual, rather than the \u201ckeeper of", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-03 Public Record Requests.pdf", + "content": "responsive records with the original subpoena to the Office of \nLegal Advisor. Such a subpoena should be emailed or delivered \neven if it is addressed to an individual, rather than the \u201ckeeper of \nthe records.\u201d Witness subpoenas (i.e., a subpoena that seeks", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-03 Public Record Requests.pdf", + "content": "Superintendent\u2019s Circular LGL-03 \nPage 3 of 3 \n \n \ntestimony rather than documents) should also be emailed or \ndelivered to the Office of Legal Advisor for appropriate \nconsultation. Please email legal@bostonpublicschools.org. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-07 \nVersion 01 \n \nPRIVACY OF STUDENT INFORMATION AND STUDENT \nRECORD PROCEDURES: HOW TO RESPOND TO \nSTUDENT RECORD REQUESTS IN COMPLIANCE WITH \nFERPA AND STATE LAW \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nI. GENERAL INFORMATION \nThese student record procedures pertain to all information \nmaintained by the Boston Public Schools concerning a student in \nwhich he/she may be individually identified. \nThe student record consists of two parts: the transcript and the \ntemporary record. \nA. The transcript contains administrative records that \nconstitute the minimum data necessary to reflect the \nstudent's educational progress and to operate the \neducational system. The transcript is limited to the \nname, address, and phone number of the student, the \nstudent\u2019s birth date, name, address and phone number \nof the custodial parent or guardian, course titles,", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "name, address, and phone number of the student, the \nstudent\u2019s birth date, name, address and phone number \nof the custodial parent or guardian, course titles, \ngrades (or the equivalent when grades are not \napplicable), course credit, grade level completed, and \nthe year completed. The transcript must be retained for \nat least sixty (60) years after the student leaves the \nschool system.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 2 of 21 \n \nB. The temporary record is all other student record \ninformation besides the transcript. Temporary record \ninformation may include health information, \ndisciplinary information, examples of student work, \nspecial education or 504 plan documents, incident \nreports, and any other information kept by the school \nwhich identifies the student individually. Duplicates of \nan original record do not need to be kept as part of the \ntemporary record. The temporary record should be \ndestroyed no later than seven (7) years after the \nstudent leaves the school system, provided proper \nnotification is given as directed below. \nII. PARENTS (AND STUDENTS) HAVE A LEGAL RIGHT TO \nCONTROL ACCESS TO STUDENT INFORMATION \nBoth federal and state law provide that a parent, and any student \nthat is 14 or older and/or in grade nine or above, have a legal right \nto control access to the student\u2019s educational record. The Family", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "that is 14 or older and/or in grade nine or above, have a legal right \nto control access to the student\u2019s educational record. The Family \nEducational Rights and Privacy Act (FERPA) and Massachusetts \nlaw define the parent\u2019s/student\u2019s right to access, seek to amend \nand exercise control over the disclosure of personally identifiable \ninformation in the student record. The Boston Public Schools is \nlegally responsible to respect and protect the parent\u2019s/student\u2019s \nrights to privacy and control under FERPA and state law. \nViolation of these legal rights can subject BPS to sanctions, \nincluding termination of federal funding, and can subject BPS \nemployees to discipline, up to and including termination. \nBPS notifies all students and parents of these rights annually by \nmeans of the \u201cGuide to BPS for Students & Families.\u201d The Guide \nfor Students & Families identifies the limited types of information \nthat may be released without consent (see Directory Information", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "means of the \u201cGuide to BPS for Students & Families.\u201d The Guide \nfor Students & Families identifies the limited types of information \nthat may be released without consent (see Directory Information \nbelow). By September 30 of each year, parents and students have", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 3 of 21 \n \na right to inform the school that such information shall not be \nreleased without direct consent. \nSchools receive requests for student record information in many \nways and from many different sources. By law, a school\u2019s \nresponse to a request for student records must vary depending \non who is making the request and what is being requested. \nBelow are descriptions of the main categories of requests that \nschools may need to address. If the information below does not \ndirectly describe a situation presented, the school should contact \nthe Office of Legal Advisor at legal@bostonpublicschools.org for \nmore direction. \nIII. REQUESTS AND CONSENT BY PARENT/STUDENT \nWhen a parent or student seeks to access, amend or consent to \nsharing of student records, the following definitions will aid you \nin understanding and complying with applicable law. \n\u2022 A parent is the student\u2019s natural parent, a guardian, or an", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "sharing of student records, the following definitions will aid you \nin understanding and complying with applicable law. \n\u2022 A parent is the student\u2019s natural parent, a guardian, or an \nindividual acting as a parent in the absence of a parent or \nguardian. \n\u2022 A custodial parent is any parent with whom a child \nresides, whether permanently or for periods of time, and \nwho supervises the child. \n\u2022 A non-custodial parent is any parent who does not have \nphysical custody of the child and who does not reside \nwith or supervise the child, even for short periods of time, \nby court order. \n\u2022 An eligible student is a student who is at least 14 years of \nage and/or has entered the ninth grade.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 4 of 21 \n \nA. Request to Inspect/Copy Records \n1. Custodial Parents and Eligible Student. A custodial \nparent, and/or an eligible student have a right to \ninspect all portions of the student record upon \nrequest. The record will be made available to the \ncustodial parent and/or eligible student no later \nthan ten (10) days after the request. The custodial \nparent and/or eligible student have the right to \nreceive copies of any part of the record. In addition, \nthe custodial parent and/or eligible student may \nrequest to have parts of the record interpreted by a \nqualified professional of the school or may invite \nanyone else of their choosing to inspect or interpret \nthe record with them. Please see Attachment 1 for \nthe process of fulfilling a custodial parent\u2019s or \neligible student\u2019s request for the student record. \n2. Non-Custodial Parents. Non-custodial parents must \nbe given access to their children\u2019s student records,", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "eligible student\u2019s request for the student record. \n2. Non-Custodial Parents. Non-custodial parents must \nbe given access to their children\u2019s student records, \nunless the school has been given written \ndocumentation that establishes either: \na. The non-custodial parent has been denied legal \ncustody by a court based upon a threat to the \nstudent or to the custodial parent. \nb. The non-custodial parent has been denied \nvisitation or has supervised visitation. \nc. Access to the student or to the custodial parent \nhas been restricted by a court-issued protective \norder against the non-custodial parent, \nprovided such protective order does not \nspecifically allow access to student record \ninformation.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 5 of 21 \n \nd. There is an order of a probate and family court \njudge which prohibits distribution of student \nrecords to the non-custodial parent. \nA school that receives a request for student record \ninformation from a non-custodial parent should send \na copy of the notification attached as Attachment 2, \nvia certified and first-class mail, to the custodial \nparent prior to providing student records to the non-\ncustodial parent. The notification must be in English \nand the primary language of the custodial parent. If \nno documentation related to any of the four (4) \nscenarios above is received within 21 days, the records \nmust be provided to the non-custodial parent. If \ndocumentation related to any of the four (4) scenarios \nabove is received within 21 days, it must be kept in the \nstudent record and the non-custodial parent must be \nnotified, via certified and first class mail, of the reason \nfor denial of access.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "above is received within 21 days, it must be kept in the \nstudent record and the non-custodial parent must be \nnotified, via certified and first class mail, of the reason \nfor denial of access. \nB. Request to Amend Student Record \nThe custodial parent and/or eligible student have the \nright to add relevant comments, information, or other \nwritten materials to the student record. In addition, the \ncustodial parent and/or eligible student have the right to \nmake a written request that information in the record be \namended or deleted, except information created by a \nspecial education team, which may not be amended or \ndeleted until after acceptance of the individualized \neducation plan or completion of the appeals process. \nThe custodial parent and/or eligible student have a right \nto a conference with the school principal to make their \nobjections known. Within one week after the", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 6 of 21 \n \nconference, the principal must render a decision in \nwriting. If the custodial parent and/or eligible student \nare not satisfied with the decision, it may be appealed to \nthe operational leader. \nC. Consent to Share Student Information \nThe custodial parent and/or eligible student have the \nlegal right to consent to sharing of the student record \nwith any person or entity they choose. A school should \nuse Attachment 4 to document the custodial parent\u2019s \nand/or eligible student\u2019s specific, informed, written \nconsent and include the signed consent in the student \nrecord. \nExcept as specifically noted below, no individuals or \norganizations other than the custodial parent, eligible \nstudent, and authorized school personnel are allowed to \nhave access to information in the student record without \nthe specific, informed, written consent of the custodial \nparent or the eligible student. \nIV. THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "the specific, informed, written consent of the custodial \nparent or the eligible student. \nIV. THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING \nINFORMATION: CONSENT NOT REQUIRED OR ASSUMED BY \nOPERATION OF LAW \nA. Subpoenaed Records. Boston Public Schools will \nproduce documents requested in court orders or \nlawfully issued subpoenas. Such requests should be \nemailed immediately to the Office of Legal Advisor. All \nrecords sought by the court order or subpoena should \nbe forwarded via courier mail or hand delivery as soon \nas possible. Attachment 3 should be completed and \nused to notify the parent and/or eligible student that \nsubpoenaed information will be provided absent", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 7 of 21 \n \nfurther court order. \nB. Authorized School Personnel. Authorized school \npersonnel (those providing direct services to the \nstudent, administrative staff whose duties require \nthem to access the student record, and an evaluation \nteam that evaluates a student) shall have access to the \nstudent\u2019s school record when such access is required in \nthe performance of their official duties. \nC. Directory Information. Unless the parent or eligible \nstudent has previously indicated in writing their \ndisapproval of the release of such information, the \nschool may release the following directory information: \nstudent\u2019s name, age, grade level, and dates of \nenrollment. BPS notifies students and parents \nannually of the types of information that will be \nreleased by means of the \u201cGuide to BPS for Students & \nFamilies,\u201d and allows custodial parents and students \nuntil September 30 of each year to inform BPS that", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "released by means of the \u201cGuide to BPS for Students & \nFamilies,\u201d and allows custodial parents and students \nuntil September 30 of each year to inform BPS that \nsuch information will not be released without prior \nconsent. \nD. Military Recruiters and Higher Education Institutions. \nUnless a parent or student has previously objected in \nwriting in response to notification through the \npublication of the \u201cGuide to BPS for Students & \nFamilies,\u201d military recruiters and institutions of higher \neducation must be provided, upon written request, \nwith the names, addresses and telephone numbers of \nsecondary school students. All requests by military \nrecruiters for such information must be forwarded to \nthe Office of Legal Advisor for centralized processing. \nE. Specified State Agencies and Local Authorities. A", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 8 of 21 \n \nschool may release student record information without \nprior written consent to the following agencies when \nacting in their official capacities: Department of \nChildren and Families, Department of Youth Services, a \nprobation officer, or a justice of the court. Attachment \n3 should be used to notify parents of such requests. \nF. Schools. When a student seeks or intends to transfer to \nanother school, the student record can be sent to the \nreceiving school. \nG. School Nurses and State Health Department. School \nnurses and local and state health department officials \nmay have access to student health record information \nwhen such access is required in the performance of \ntheir official duties. For further information related to \nstudent health information, please consult \nSuperintendent\u2019s Circular LGL-16, Student Health \nInformation. \nH. Health or Safety Emergency. Without the consent of", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "student health information, please consult \nSuperintendent\u2019s Circular LGL-16, Student Health \nInformation. \nH. Health or Safety Emergency. Without the consent of \nthe parent or eligible student, a school may disclose \ninformation regarding a student to appropriate parties \nin connection with a health or safety emergency if \nknowledge of the information is necessary to protect \nthe health or safety of the student or individuals and if \nthe appropriate procedure has been followed. That \ndoes not mean that anyone who asks, and who thinks \nsomething is amiss or might happen, has a right to \naccess personally identifiable student information. \nRequired criteria: The regulations implementing \nFERPA (34 CFR \u00a7 99.36) requires that each of the \nfollowing criteria be met: \na. The request is made \u201cin connection with an", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 9 of 21 \n \nemergency.\u201d \ni. \u201cEmergency\u201d means the request must be \nrelated to an actual, impending, or imminent \nemergency. \nii. BPS requires that a school consider the \nfollowing criteria to determine whether the \nrequest is made in connection with an \nemergency: \n\u2022 The seriousness of the threat to the health \nor safety of the student or others \n\u2022 The need for the information to meet the \nthreat \n\u2022 Whether the requestor is able to deal with \nthe emergency \n\u2022 The extent to which time is of the essence \nin dealing with the emergency. \niii. Any release of records is limited to the period \nof the emergency; if the emergency is over no \nfurther release of student information is \nallowed. \nb. There is an articulable and significant threat to \nthe health or safety of the student or other \nindividuals. \nc. The requester (usually law enforcement, public \nhealth officials, and medical professionals) needs", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "the health or safety of the student or other \nindividuals. \nc. The requester (usually law enforcement, public \nhealth officials, and medical professionals) needs \nthe information to protect the health or safety of \nthe student or other individuals. \nd. No blanket release of personally identifiable \ninformation is allowed. Any release of", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 10 of 21 \n \ninformation must be narrowly tailored \nconsidering the immediacy, magnitude, and \nspecificity of the threat. \ne. The determination is made on a case-by-case \nbasis, considering the totality of the \ncircumstances pertaining to the threat to the \nhealth or safety of the student or others. \nf. Within a reasonable time after making the \ndisclosure, the school must record in the \nstudent\u2019s record the articulable and significant \nthreat that formed the basis for the disclosure, \nand to whom the information was disclosed. \nV. THIRD PARTY REQUESTS FOR PUBLIC RECORDS \nCONTAINING ONLY REDACTED AND/OR NON-STUDENT-\nIDENTIFYING INFORMATION \nUpon receipt of a third-party request for public records, the \nschool should immediately send a copy of the request via \nemail to the Office of Legal Advisor for review and direction. \nAll public records requests must be reduced to writing, \ndated, and signed by the requestor, and must contain the", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "email to the Office of Legal Advisor for review and direction. \nAll public records requests must be reduced to writing, \ndated, and signed by the requestor, and must contain the \nreturn address information of the requestor. For more \ninformation, see Superintendent\u2019s Circular LGL-3, Public \nRecords Requests. \nVI. DESTRUCTION OF STUDENT RECORDS \nThe law sets forth different time periods for the retention \nand destruction of different portions of student records. \nThese different time periods are set forth below: \nA. Transcripts - A student\u2019s transcript must be maintained \nby the school department for sixty (60) years following", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 11 of 21 \n \nthe student\u2019s graduation, transfer, or withdrawal from \nthe school system. \nB. Periodic Review of the Temporary Record - While a \nstudent is enrolled in a school, the principal/head of \nschool or his/her designee shall periodically review all \nstudents\u2019 temporary records and identify for destruction \nany misleading, outdated, or irrelevant information. This \nmay include, particularly, exemplars of student work or \nother impertinent information. Prior to destroying any \nsuch information, however, the student and his/her \nparent must be given written notification of the school\u2019s \nintent to destroy such information and must be given the \nopportunity to receive the information or a copy of the \ninformation prior to its destruction. \nC. Temporary Record Destruction - The temporary record \nof any student may be destroyed no later than seven (7) \nyears after the student transfers, graduates or withdraws", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "C. Temporary Record Destruction - The temporary record \nof any student may be destroyed no later than seven (7) \nyears after the student transfers, graduates or withdraws \nfrom the school district, if the student and his/her \nparent/guardian have been given written notification \nthat includes the approximate date of destruction of the \ntemporary record and indicating their right to receive the \ninformation in whole or in part at the time of the \nstudent\u2019s graduation, transfer or withdrawal from the \nschool system or prior to its destruction. Such notice \nmust be in addition to the annual notice issued by \nBoston Public Schools in the \u201cGuide to BPS For Students \n& Families.\u201d", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 12 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 13 of 21 \n \nATTACHMENT 1 \nSTUDENT RECORD REQUEST PROCEDURES \n1. Parent/guardian or eligible student requests for the student\u2019s \nrecord are received, processed, and sent to the requestor \ndirectly by the school. Third-party requests are received by the \nOffice of Legal Advisor, processed by the school, and then sent \nback to the Office of Legal Advisor for transmission to the \nrequester. \n2. The principal/head of school will be responsible for certifying \nthat all portions of the student record have been copied as a \nresponse to the requestor. The principal/head of school will \ncomplete the checklist and certification. If the request is being \nsent to the parent, the certification will include the date sent to \nthe parent. A copy of the checklist will be sent with the record, \nand the original will be retained by the school. \n3. For third party requests, the principal/head of school will", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "the parent. A copy of the checklist will be sent with the record, \nand the original will be retained by the school. \n3. For third party requests, the principal/head of school will \ncomplete the same process but provide the copy of the entire \nrecord and the checklist to the Office of Legal Advisor for \nreview and delivery. \n4. Requests received during the summer months: By June 1 of \neach year, principals must identify who to contact for each \nweek of the summer break and provide that list to the school \nsuperintendent. The designated individual will check for \nincoming mail and for parent/guardian or eligible student \nrequests, will obtain the records (copy and/or print), complete \nthe checklist, and deliver them to the requester. In the event \nof a third-party request, the same protocol will be followed but \nthe designated individual will send the record and the \ncompleted checklist to the Office of Legal Advisor.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 14 of 21 \n \nATTACHMENT 2 \nNOTICE OF NON-CUSTODIAL PARENT REQUEST \nFOR STUDENT RECORDS \nVIA REGISTERED MAIL AND FIRST CLASS MAIL \n \nDear Custodial Parent of ________________________________________ : \nThis is to notify you that a request from __________________________ \nwas received on_____________ for the following parts of your \nchild\u2019s student record: ___________________________________________. \nIn accordance with federal and Massachusetts law, non-custodial \nparents must be given access to their children\u2019s student records, \nunless the school has been given written documentation that \nestablishes either: \n1. The non-custodial parent was denied legal custody by court \norder based upon a threat to the student or to the custodial \nparent; \n2. The non-custodial parent has been denied visitation or has \nsupervised visitation; \n3. Access to the student or to the custodial parent has been", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "parent; \n2. The non-custodial parent has been denied visitation or has \nsupervised visitation; \n3. Access to the student or to the custodial parent has been \nrestricted by a court-issued protective order against the non-\ncustodial parent, provided such protective order does not \nspecifically allow access to student record information; or \n4. There is an order of a probate and family court judge which \nprohibits distribution of student records to the non-custodial \nparent.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 15 of 21 \n \nThe requested records will be released on _______________, unless \nthe documentation indicated in the paragraph above has been \nreceived by the Building Administrator of the School. If you have \nany questions, you may contact \n \n_____________________________________ at _________________________ . \nSincerely, \n \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \n \nDate: _________________________ \n \nNOTE: THIS NOTICE MUST BE SENT IN BOTH ENGLISH AND THE \nPRIMARY LANGUAGE OF THE CUSTODIAL PARENT.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 16 of 21 \n \nATTACHMENT 3 \nNOTICE OF DISSEMINATION OF STUDENT RECORD TO THIRD \nPARTIES FOR WHICH CONSENT IS NOT REQUIRED OR IS \nASSUMED BY OPERATION OF LAW \n \nDear ____________________________________________: \nThis is to notify you that a: \n\uf0a8 subpoena \n\uf0a8 request from a justice \n\uf0a8 other (specify) _______________________________________________ \nhas been received for the following parts of your/your child's \nstudent record: \n __________________________________________________________________ \n __________________________________________________________________ \nThe Massachusetts regulations pertaining to student records \nstate that the school system must comply with the above \nrequest, but that this notification must be provided to you prior \nto the release of the records. In the case of a subpoena, court \norder, or request from a probation officer or the Department of \nYouth Services, you have the right to attempt to have the", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "to the release of the records. In the case of a subpoena, court \norder, or request from a probation officer or the Department of \nYouth Services, you have the right to attempt to have the \nsubpoena, order or request stopped by a court.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 17 of 21 \n \nThe records will be released on _________________________________ . \nIf you have any questions, you may contact \n___________________________________ at ____________________________ . \nSincerely yours, \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \nDate:_____________________________ \n \nNOTE: This notice must be sent in both English and the primary \nlanguage of the custodial parent.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 18 of 21 \n \nATTACHMENT 4 \nPARENT\u2019S OR STUDENT\u2019S CONSENT FOR DISSEMINATION OF \nSTUDENT RECORD TO THIRD PARTY \nMy name is _____________________________________________. I am: \n\uf0a8 the parent/guardian of a BPS student named: \n _____________________________________________________________ \n\uf0a8 a BPS student age 14 or over and in at least ninth grade. \nI give permission for the following third parties to \n\uf0a8 inspect \n\uf0a8 secure a copy of \nthe parts of my/my child's student record noted below. \nTHIRD PARTIES: \n __________________________________________________________________ \n __________________________________________________________________ \nREASONS FOR RELEASE OF RECORDS: \n __________________________________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 19 of 21 \n \nParts of Record to be Released* Permission \nGranted \nPermission \nDenied \nTranscript information (includes \nidentifying information, course titles, \ngrades or their equivalent, and grade \nlevel completed) \n \nDisciplinary record \nExtracurricular activities \nTeacher and counselor evaluations \nand comments \n \nAttendance record \nOther (specify): \n \n \n \n __________________________________________________________________ \n**Signature of eligible student or parent/guardian \nStudent's Class:_____________________________Date_________________ \n* Before seeking the parent's or eligible student's consent, the \nschool should cross out those items which have not been \nrequested by the third party. \n** This form may be signed by a student or former student of 14 \nyears of age or older, or a student in the ninth grade or above, \nor a custodial parent or guardian.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 20 of 21 \n \nATTACHMENT 5 \nCHECKLIST FOR RETRIEVAL OF COMPLETE STUDENT RECORD \n YES N/A \nPrint electronic student file from ASPEN, \nSNAP and EDPLAN \u25a2 \u25a2 \nTranscript information (includes identifying \ninformation, course titles, grades or equivalent, and \ngrade level completed) \u25a2 \u25a2 \nDisciplinary record \u25a2 \u25a2 \nNursing record \u25a2 \u25a2 \nSpecial education record \u25a2 \u25a2 \nELL file \u25a2 \u25a2 \nAttendance records \u25a2 \u25a2 \nPhysical restraint records \u25a2 \u25a2 \nCounseling records \u25a2 \u25a2 \nCorrection of student record \u25a2 \u25a2 \nOther (specify): _______________________________________ \u25a2 \u25a2 \n\u27a4 The school should cross out those items which have not been \nrequested.", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-07 Student Records.pdf", + "content": "Superintendent\u2019s Circular LGL-07 \nPage 21 of 21 \n \nAttachment 5, continued \nCERTIFICATION \nI, __________________________________________(Principal/School \nLeader) of _______________________________________________________ \nSchool, certify that to the best of my knowledge, all of the \ncomponents of the student record that are requested, applicable \nto this student, and maintained by the school or on an electronic \nBPS system have been copied and delivered to the requestor, \nName ___________________________________________________________ , \non [date]______________________. \n________________________________________________ \nSignature", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-16 \nVersion 01 \n \nSTUDENT HEALTH INFORMATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nState and federal laws and regulations dealing with the \nconfidentiality of student record information recognize that \nstudent health information is treated differently from other \nstudent record information. It should be noted that the Health \nInsurance Portability and Accountability Act, also known as \nHIPAA, does not apply to student records, with some exceptions \nnot germane to this policy. See 65 Fed. Reg. 82805 (2000). \nSchool health personnel may have access to student health \nrecords when such access is required in the performance of their \nofficial duties. See 603 Code Mass. Regs. \u00a723.07 (4)(h). Of course, a \nparent/guardian, or in some circumstances the student, may \nconsent to the release of student health record information to \nschool personnel generally. In the absence of such informed", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "parent/guardian, or in some circumstances the student, may \nconsent to the release of student health record information to \nschool personnel generally. In the absence of such informed \nwritten consent, however, the following standards should apply \nto a determination of which school officials may access what \nparts of a student\u2019s health record. In the first instance, such \ndeterminations should be made by the building administrator in \nconsultation with the school-based nurse. If a disagreement \narises, such concerns should be brought to the attention of the \nsenior director of Health Services for resolution.", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "Superintendent\u2019s Circular LGL-16 \nPage 2 of 4 \n \n \nThe following guidelines should be used: \n1. Routine medical information. Such student health information \nshould be disseminated only as is appropriate to meet the \nregular and effective educational mission of the school. Such \ninformation may include information contained in an IEP or \n504 Plan, previously scheduled medical appointments, health-\nrelated incidents that may require or necessitate further \nreporting, dispensation of medications, and conditions such as \nfood allergies, seizures, and asthma. In all events, only the \nminimum necessary health record information should be \ndisclosed. Thus, the type of medications dispensed would, \nabsent more, not be disclosed in the above example. The fact \nthat a medical appointment necessitating early dismissal is \nwith a psychiatrist would also not normally be disclosed as a \nmatter of routine medical information. \nRoutine medical information is information that is appropriate", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "with a psychiatrist would also not normally be disclosed as a \nmatter of routine medical information. \nRoutine medical information is information that is appropriate \nfor certain staff to know in order to maximize the safety for \nchildren. For example, a child with diabetes needs to have \nteachers who are knowledgeable about the illness so the child \nmay have a safe learning environment. Low blood sugar can \nalso affect the child\u2019s ability to concentrate. In this \ncircumstance it would be appropriate to notify all the child\u2019s \nteachers individually. Health information should never be \ncirculated by an all-staff memo. \n2. Medical information of limited dissemination. This is student \nhealth information that is of a confidential nature and yet is of \nlittle educational benefit in the school. This is specific \ninformation that the Student Support Team needs to know to \nprovide accommodations. When possible, all diagnoses,", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "Superintendent\u2019s Circular LGL-16 \nPage 3 of 4 \n \nespecially those related to mental health, should be \nexpressed as a functional diagnosis. For example, it should be \nenough for the team to know that a child who is depressed is \ngetting counseling. The details of the diagnosis or the causes \nof the depression are not relevant to the team\u2019s provision of \naccommodations. The nurse provides the connection with \nthe provider to interpret the medical information or when \nclarification is required. \n3. Highly sensitive information. This is student health \ninformation of a highly sensitive nature that has no bearing \non educational achievement and is of no educational use or \nconsequence and in which a high expectation of privacy \nexists for students and/or parents or guardians. Such \ninformation may include: suicide attempts, treatment for \ndrug or alcohol abuse, mental health diagnoses, family \nplanning information, maternity/paternity tests or", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "information may include: suicide attempts, treatment for \ndrug or alcohol abuse, mental health diagnoses, family \nplanning information, maternity/paternity tests or \ninformation, abortions, or HIV infection. This information is of \ntwo types: (1) no accommodations or safety issues and (2) \nhighly sensitive information. \nMedical diagnoses that have no relevance to a student\u2019s \nperformance do not need to be shared. For example, a child \nin therapy who is depressed but not suicidal and who is \nperforming well in school, does not need to have this \ninformation shared with the school community. There are \nalso highly sensitive medical situations that are protected by \nstate regulations. These include HIV and a minor\u2019s right to \nseek medical care for pregnancy, sexually transmitted \ndiseases, and substance abuse, without their parents\u2019 \nconsent. Any inclusion of this information in the educational \nrecord is a violation of the adolescent\u2019s right to privacy. With", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "diseases, and substance abuse, without their parents\u2019 \nconsent. Any inclusion of this information in the educational \nrecord is a violation of the adolescent\u2019s right to privacy. With \nHIV, the student/family can choose to disclose and can limit", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-16 Student Health Information.pdf", + "content": "Superintendent\u2019s Circular LGL-16 \nPage 4 of 4 \n \nthe individuals to disclose to. In some circumstances, such \ninformation is of such a private nature that even \ndissemination to a parent or guardian is prohibited. \nQuestions in this regard should be directed to the Office of \nLegal Advisor. Such highly sensitive health information \nshould, whenever possible, be segregated from the rest of a \nstudent\u2019s health information to reduce the chance of \ninadvertent disclosure. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-17 \nVersion 01 \n \nRELIGIOUS EXPRESSION IN PUBLIC SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Laws chapter 71, section 82, sets forth the \nlaw regarding the right of students to freedom of expression in \npublic schools. Freedom of expression must be balanced with \nany disruption or disorder caused to the school. Issues related \nspecifically to religious expression in public schools involve \nconstantly developing concepts and questions of constitutional \nlaw. Therefore, staff members are strongly encouraged to bring \nspecific questions of religious expression to the Office of Legal \nAdvisor, 617-635-9320. \nSome general principles include: \n\u2022 Freedom of expression of individuals or groups of \nstudents includes the right to express their views through \nspeech, symbols, peaceable and planned assembly, and \nwritten publications.", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "content": "\u2022 Freedom of expression of individuals or groups of \nstudents includes the right to express their views through \nspeech, symbols, peaceable and planned assembly, and \nwritten publications. \n\u2022 Although the First Amendment forbids religious activity \nthat is sponsored by the government, it protects religious \nactivity initiated by private individuals that is non-\ndisruptive, including student prayer before meals or \nduring non-instructional time. Such non-disruptive \nreligious activity may also include speakers at student \nassemblies, extracurricular events, or graduation", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "content": "Superintendent\u2019s Circular LGL-17 \nPage 2 of 2 \n \nceremonies who are selected on the basis of genuinely \nneutral, evenhanded criteria and who retain control over \nthe content of their expression. Under such \ncircumstances, school officials may make neutral \ndisclaimers that the speech is the speaker\u2019s view and not \nof the school. \n\u2022 Teachers, administrators, and other school employees \nwho, when acting in their official capacities, are acting as \nagents of the state and must not encourage, discourage, \nor participate in prayer or other religious expression. \n(Note: this does not include the Pledge of Allegiance, \nwhich is not considered religious expression; see Supt. \nCircular LGL-18.) \n\u2022 School officials may not compel students to participate in \nprayer or other religious activities. \n \nFor more information about this circular, contact: \nOwner: Lisa Maki \nDepartment: Office Of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "content": "For more information about this circular, contact: \nOwner: Lisa Maki \nDepartment: Office Of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-22 \nVersion 01 \n \nSEXUAL OFFENDER REGISTRY INFORMATION (S.O.R.I.) \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Sexual Offender Registry Law requires that all convicted \nsexual offenders in the Commonwealth of Massachusetts register \nwith the police departments in the cities or towns where they live \nand work. The State classifies the offender on a level of 1 to 3, \ndepending on the likelihood of whether the offender might \nrepeat his/her crimes. Once a local police department receives \nthe information, it can be shared with public school districts for \nthe protection of children. As a result of this law, Boston Public \nSchools principals and heads of school can access SORI \ninformation per the state website as described below. \nThe Boston Public Schools will receive the Sexual Offender \nRegistry Information (S.O.R.I.) from the Boston Police", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "information per the state website as described below. \nThe Boston Public Schools will receive the Sexual Offender \nRegistry Information (S.O.R.I.) from the Boston Police \nDepartment. Pursuant to state regulations, BPD must notify all \nschools in the community of a finally classified Level 3 sex \noffender or a sexually dangerous predator. Information available \nincludes: the registered individual\u2019s name, home and/or \nworkplace address, date of birth, general physical description, \ncharges for which they were convicted, and a photograph, if \navailable. \nInformation pertaining to the Sex Offender Registry website \nshould be shared with your staff to educate them on this \nresource and of the public availability of S.O.R.I information.", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Superintendent\u2019s Circular LGL-22 \nPage 2 of 6 \n \nAlthough S.O.R.I. information is distributed to alert communities \nand protect children, it must be handled in a responsible manner. \nIt is against the law to distribute copies and/or use this \ninformation in an unlawful manner, e.g., threats, extortion, etc. It \nis also against the law to use the sex offender registry \ninformation to commit a crime or to engage in illegal \ndiscrimination or harassment of a sex offender. \nThe law was passed to prevent convicted offenders from preying \non innocent children. If you identify a registered offender acting \ninappropriately around a school building or approaching \nchildren, contact the Boston Police Department immediately. \nAttached, please find some common questions and answers. \n1. Who must register as a sex offender? \nA sex offender is anyone who lives, works, or attends school \nin Massachusetts who has: \n\u2022 Been convicted of a sex offense", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "1. Who must register as a sex offender? \nA sex offender is anyone who lives, works, or attends school \nin Massachusetts who has: \n\u2022 Been convicted of a sex offense \n\u2022 Been adjudicated as a youthful offender or a delinquent \njuvenile for a sex offense \n\u2022 Been released from incarceration, parole, probation \nsupervision, or custody with the Department of Youth \nServices for a sex offense conviction or adjudication \n\u2022 Been adjudicated as a sexually dangerous person, or a \nperson released from civil commitment anytime from \nAugust 1, 1981 \n2. How can a principal or head of school request information \nfrom the Sex Offender Registry Board? \nOnce a person registers with the Sex Offender Registry \nBoard and that information is shared with local police", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Superintendent\u2019s Circular LGL-22 \nPage 3 of 6 \n \ndepartments, those departments can share the information \nwith public school districts. Local police departments have \naccess to information pertaining to Levels 1, 2, and 3 sex \noffenders. \n3. How can non-school personnel or parents request \ninformation from the Sex Offender Registry Board? \nThe public may request information about sex offenders in \nthe community by sending a Sex Offender Inquiry Form \nrequest to the Sex Offender Registry Board. Requests may \neither be submitted online or at the following mail address: \nAttn: SORI Coordinator \nSex Offender Registry Board \nP.O. Box 392 \nNorth Billerica, MA 01862 \n \nPlease see https://www.mass.gov/how-to/request-sex-\noffender-registry-information-sori for more information. \nA person may also request information in person at a local \npolice station. \nUnlike local police departments, members of the public can \nonly access information about Level 2 and Level 3 offenders.", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Superintendent\u2019s Circular LGL-22 \nPage 4 of 6 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \nOR \nOwner: Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Superintendent\u2019s Circular LGL-22 \nPage 5 of 6 \n \nSEX OFFENDER REGISTRY INFORMATION (S.O.R.I) \nQuestions and Answers \n\u2022 What should I as a principal/head of school do with the \ninformation I receive from Safety Services or BPD on S.O.R.I. \ncases? \nYou should establish a secure, central file for mandatory review \nby all staff members, including teachers, paraprofessionals and \nvolunteers who have an established pattern of work in the \nschool. This file will be a one-copy file, with opportunity for \nstaff to come and review. No copies of this S.O.R.I. information \ncan be made and/or distributed. \n\u2022 What if upon first review, I note that one of the offenders is an \nemployee/volunteer at my school? \nContact the Office of Human Capital for further direction. The \nOffice of Human Capital will review each situation on a case-\nby-case basis and will work with the Office of Legal Advisor \nand the superintendent of schools on a final resolution.", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Office of Human Capital will review each situation on a case-\nby-case basis and will work with the Office of Legal Advisor \nand the superintendent of schools on a final resolution. \n\u2022 What if upon first review, I note that one of the offenders is a \nstudent in my school? \nContact Safety Services Unit at 617-635-8000 for further \ndirection. \n\u2022 What should I do if a parent or community member comes to \nthe school or calls seeking S.O.R.I. information? \nThe individual should be directed to the nearest police district, \nwhich will provide the information upon request.", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Superintendent\u2019s Circular LGL-22 \nPage 6 of 6 \n \n\u2022 How will S.O.R.I. be handled relative to BPS employees, BPS \nstudents, BPS volunteers, and bus drivers? \no All employees hired henceforth will have a S.O.R.I. check \ndone automatically. This will be in conjunction with the \nC.O.R.I. (Criminal Offender Registry Information) check that \nis already in place. Also, all information regarding S.O.R.I. \noffenders received by Safety Services will be run against the \ncurrent employee listing to identify any employees who \nmight be sex offenders. \no All information regarding S.O.R.I. offenders received by \nSafety Services will be run against the current student \nlisting to identify any students who might be sex offenders. \no Partners in Education will request to be placed on the \nPolice Department\u2019s mailing list on all S.O.R.I. cases and will \ncheck this on a regular basis against their listing of \nvolunteers. \no BPS\u2019s contracted transportation provider will request to be", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "content": "Police Department\u2019s mailing list on all S.O.R.I. cases and will \ncheck this on a regular basis against their listing of \nvolunteers. \no BPS\u2019s contracted transportation provider will request to be \nplaced on the Police Department\u2019s mailing list on all S.O.R.I. \ncases and will check this on a regular basis against their \nlisting of bus drivers. \no Community Schools will request to be placed on the Police \nDepartment\u2019s mailing list on all S.O.R.I. cases and will check \nthis on a regular basis against their listing of employees. \n\u2022 What if any situation, in general, occurs in or around my \nschool relative to the S.O.R.I. process? \nContact Safety Services Unit immediately at 617-635-8000.", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-10 Military Recruiters.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-10 \nVersion 01 \n \nMILITARY RECRUITERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this circular is to provide clarification on the law \nrequiring the release of student information and access to \nstudents at the high school level by military recruiters. \nFederal legislation requires that a local educational agency (LEA) \nwhich receives federal funds release the names, addresses, and \ntelephone listings of secondary students (grade 9 and above) to \nmilitary recruiters and institutions of higher education. The Every \nStudent Succeeds Act (ESSA) contains similar language \nconcerning this obligation. \nThe release of student names, addresses, and telephone listings \nto military recruiters and institutions of higher education requires \nthat LEAs provide parents and guardians with prior notification. \nSuch notification is provided by the Boston Public Schools in the", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-10 Military Recruiters.pdf", + "content": "that LEAs provide parents and guardians with prior notification. \nSuch notification is provided by the Boston Public Schools in the \nGuide to the Boston Public Schools for Students and Families \n(\u201cPolicy Handbook\u201d). As noted, a parent/guardian may request \nthat this information not be released without giving the \nparent/guardian prior notification. Accordingly, copies of all such \nrequests by parents/guardians should be in writing and should \nbe on file in the school\u2019s office. A copy of these signed requests \nor a master list of these student names and student numbers", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-10 Military Recruiters.pdf", + "content": "Superintendent\u2019s Circular LGL-10 \nPage 2 of 3 \n \nmust be forwarded by October 15 by the head of school to the \nOffice of Data & Accountability. \nIf military recruiters contact a high school requesting a master \nlist of student names and addresses, the recruiter should be \nasked to make the request directly to the Office of Data & \nAccountability. \nA second provision of the law authorizes direct access to high \nschool students by military recruiters. Usually, this access is in the \nform of a request to make space available in the school for a \nmilitary recruiter to distribute literature and to speak with or \naddress interested students. The act requires that recruiters be \ngiven the same access to your students as you provide generally \nto post-secondary educational institutions or to prospective \nemployers. Please review your practices to assure that \nhenceforth all three (i.e., business, higher education, and military \nrecruiters) have the same access.", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-10 Military Recruiters.pdf", + "content": "employers. Please review your practices to assure that \nhenceforth all three (i.e., business, higher education, and military \nrecruiters) have the same access. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nBy October 15 \nHeads of school forward to the Office of Data & \nAccountability the list of students whose \nnames should not be given to military \nrecruiters.", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-10 Military Recruiters.pdf", + "content": "Superintendent\u2019s Circular LGL-10 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-18 Display of Flag and School Ceremonies.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-18 \nVersion 01 \n \nDISPLAY OF FLAG AND SCHOOL CEREMONIES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Law requires that a \u201cflag shall be \ndisplayed, weather permitting, on the school building or grounds \non every school day and on every legal holiday.\u201d In addition, we \nare required to ensure that \u201ca flag shall be displayed in every \nclassroom...and in each assembly hall\u201d (M.G.L. c.71, \u00a769). The \nimportant patriotic and historic holidays celebrated during the \nschool year place a focus on our responsibility with respect to the \ndisplay of the American flag in all schools and classrooms. \nPatriotic and national holidays offer the opportunity in our history \nand social studies classes to provide instruction about the flag, its \norigin, care, and symbolic significance. This instruction complies \nwith State Learning Standard 18 (Principles of American", + "source_link": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-18 Display of Flag and School Ceremonies.pdf", + "content": "and social studies classes to provide instruction about the flag, its \norigin, care, and symbolic significance. This instruction complies \nwith State Learning Standard 18 (Principles of American \nGovernment). In addition, student projects may afford the \nopportunity for students to conduct in-depth research on \nsubjects such as the flag and other patriotic symbols, documents, \nspeeches, and literature. \nSchool Committee policy and Massachusetts state law require \nthat \u201cpublic school teachers at the commencement of the 1st \nclass of the day lead the class in group recitation of the Pledge of \nAllegiance\u201d (M.G.L. c.71, \u00a769). The Massachusetts Supreme Judicial", + "source_link": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-18 Display of Flag and School Ceremonies.pdf", + "content": "Superintendent\u2019s Circular LGL-18 \nPage 2 of 2 \n \nCourt, however, has ruled that although students and teachers \nhave the right to a daily opportunity to participate in the Pledge \nof Allegiance, teachers and students have a constitutional right \nnot to participate in the pledge. Teachers and students who \nchoose not to participate (i.e., recite and/or stand) may not be \npenalized for declining to do so. All schools must comply with our \nresponsibility to display the flag and to provide daily opportunity \nfor recitation of the Pledge of Allegiance. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-05 Subpoenas.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-05 \nVersion 01 \n \nSUBPOENAS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version.. \nSUBPOENA: When receiving a subpoena for student records, \npersonnel records, medical records, or any other document, a \ncopy of the subpoena must be emailed or delivered \nimmediately to the Office of Legal Advisor for review. \nSubsequent to that, please forward all responsive records with \nthe original subpoena to the Office of Legal Advisor. Such a \nsubpoena should be emailed or delivered, even if it is addressed \nto an individual, rather than the \u201ckeeper of the records.\u201d Witness \nsubpoenas (i.e., a subpoena that seeks testimony rather than \ndocuments) should also be emailed or delivered to the Office of \nLegal Advisor for appropriate consultation. \n If sending by email, please email legal@bostonpublicschools.org. \nFor more information about this circular, contact: \nOwner: Legal Advisor", + "source_link": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-05 Subpoenas.pdf", + "content": "Legal Advisor for appropriate consultation. \n If sending by email, please email legal@bostonpublicschools.org. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-05 Subpoenas.pdf", + "content": "Superintendent\u2019s Circular LGL-05, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-04 \nVersion 01 \n \nSCHOOL VISITOR GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIt is School Committee policy to welcome all parents and other \nvisitors to our schools and to encourage their active support of \nand involvement in the schools. However, considering the \nchallenges of COVID-19 and to comply with current CDC, DESE, \nand district guidelines, we are asking all members of our school \ncommunities to support our effort to limit traffic in our buildings \nto only assigned students, BPS staff, BPS facilities contractors, \nand approved partners as described below until further notice. \nPlease see Superintendent Circular SAF-12 School Access \nControl. \nAll permitted visitors, including School Department personnel, \nare expected to report to the school main office before going \nelsewhere in the building. They will be required to sign in, noting", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "All permitted visitors, including School Department personnel, \nare expected to report to the school main office before going \nelsewhere in the building. They will be required to sign in, noting \ntheir name, affiliation, and reason for the visit; and before leaving, \nto sign out of the building. Visitors will be required to park in \ncertain designated spaces or at certain designated times in \nschool parking lots. All visitors should be informed of these \nprocedures through such means as is determined by the school. \nOccasionally, visitors may disrupt school activities: by behaving \ninappropriately; by harassing staff; by shouting; or by insisting on \nvisiting at inappropriate times. Every effort should be made to", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 2 of 13 \n \n \nwork with such visitors to inform them of established procedures \nin an effort to eliminate future disruptions. When such \ndisruptions occur, however, the building administrator may issue \nthe offender a Trespass Warning pursuant to M.G.L. c. 266, \u00a7 120. \nAttachment A provides an example of such a letter, with \nappropriate fields to be filled in by the building administrator. \nSuch a warning requires the offending party to contact the \nbuilding administrator, or a designee, prior to appearing at school \nfor any school-related matter. Additionally, depending upon the \nnature of the inappropriate behavior, a building administrator \nmay choose to substitute any of the following restrictions in the \nthird paragraph of Attachment A: \n1. The visitor will be required to telephone prior to visiting the \nbuilding to inform the building administrator of their intent \nin visiting the building.", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "third paragraph of Attachment A: \n1. The visitor will be required to telephone prior to visiting the \nbuilding to inform the building administrator of their intent \nin visiting the building. \n2. The visitor will be required to be accompanied by the \nbuilding administrator or their designee to classrooms. \n3. Advance scheduling of consultations with teachers or other \nproviders will be required. \n4. Parents delivering student[s] to school may be required to \nleave the student[s] at the front door and not be permitted \nto accompany them to the classroom. \nThis warning should expire at the end of the academic year. As is \nnoted on the Trespass Warning, it is appealable through the \noperational leader. \nAdditionally, by issuing the Trespass Warning, the building \nadministrator is placing the disruptive visitor on notice that any \nfurther inappropriate behavior will result in the issuance of a \nTrespass Notice. If inappropriate behaviors continue, Attachment", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 3 of 13 \n \n \nB provides an example of such a trespass notice, again with fields \nto be completed by the building administrator. No Trespass \nNotice shall issue, however, without the approval of the \nsuperintendent or designee, which may be sought through the \noperational leader, who will contact the Superintendent\u2019s Office. \nThe Trespass Notice will be effective for one year from the date it \nwas issued and may, in the reasonable exercise of the building \nadministrator\u2019s discretion and with the approval of the \nsuperintendent or designee, be renewed thereafter. Failure to \ncomply with any restriction imposed by the Trespass Notice may \nresult in the visitor\u2019s arrest and prosecution for criminal trespass. \nLike the Trespass Warning, it is appealable at the visitor\u2019s election \nthrough the operational leader. \nIn instances of extreme behavior, such as assault or battery of an \nadministrator, faculty member, staff member, or student, a", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "through the operational leader. \nIn instances of extreme behavior, such as assault or battery of an \nadministrator, faculty member, staff member, or student, a \nbuilding administrator with approval of the superintendent or \ndesignee may issue a Trespass Notice without prior issuance of a \nTrespass Warning. Attachment C is an example of such a notice. \nSuch a Trespass Notice as is contained in Attachment C should \nbe reserved, however, for particularly egregious behavior where \nthere is a particularized apprehension for the safety or well-being \nfor a member or members of the school community. Once issued, \nor until such time it is vacated, the named visitor is prohibited, \nunder penalty of law, from entering or using school grounds for \nany reason. This Trespass Notice is effective immediately, and its \nduration is indefinite. A copy of this notice must be provided to \nthe Boston Police Department, the Safety Office, and the Office of", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "duration is indefinite. A copy of this notice must be provided to \nthe Boston Police Department, the Safety Office, and the Office of \nLegal Advisor, and maintained in the school\u2019s file. A visitor\u2019s \nfailure to comply with this notice will result in immediate arrest \nand prosecution for trespassing if it is violated. This notice is \nlikewise appealable through the operational leader.", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 4 of 13 \n \n \n \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 5 of 13 \n \n \nATTACHMENT A \nRe: TRESPASS WARNING PURSUANT TO G. L. c. 266 \u00a7 120 \nWarning notice of unacceptable conduct that incited a physical \nconfrontation \n \nDear [Visitor name]: \nBy this letter I am issuing a Trespass Warning pursuant to G. L. c. \n266, \u00a7 120. As a result of [description of incident] on [date], it is \nnecessary for [school name] to issue this warning to ensure the \nsafety of students, school staff, and the immediate community. \nTo foster and ensure effective teaching and learning, it is \nnecessary to maintain an environment that is positive and free of \ndisruption, so that the business of the school may be \nappropriately completed. It has been determined that your \npresence on [date] seriously disturbed the mental health of \nnumerous students here at [school name]. Such conduct cannot \nbe tolerated and does not reflect the type of behaviors we model \nfor our students.", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "numerous students here at [school name]. Such conduct cannot \nbe tolerated and does not reflect the type of behaviors we model \nfor our students. \nWe ask that you make every effort to avoid coming in or around \nthe area of [school name] at the arrival or dismissal of school. Any \nfurther incident[s] that disrupts the mental health of other \nstudents by inciting a physical confrontation during the \nremainder of this academic year may next result in the issuance \nof a formal Trespass Notice under G. L. c. 266, \u00a7 120. Failure to \ncomply with such a Trespass Notice would subject you to \nimmediate arrest and prosecution for violation of such a trespass \nnotice. \nThis action is being taken on behalf of and in the best interest of", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 6 of 13 \n \n \nour students, staff, and community. Please contact the school at \n[school phone number] if you wish to discuss this warning notice \nor seek other assistance. You may also contact the Operational \nLeader at [phone number] to discuss the issuance of this \nTrespass Warning, including if you dispute the reasons for its \nissuance. \nThank you for your cooperation in this matter. \nSincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 7 of 13 \n \n \nATTACHMENT B \nRe: TRESPASS NOTICE PURSUANT TO G. L. c. 266, \u00a7120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [description of the incident of unacceptable \nbehavior that prompted a previous warning and the current \nnotice] at the [school name] on [date of original incident], it is \nnecessary for me to issue this Trespass Notice pursuant to M.G.L. \nc. 266, \u00a7 120. Therefore, from the date of this notice and until such \ntime as it is either vacated or for one calendar year whichever is \nfirst you are not allowed to be present on the premises of the \n[school name]. \nDespite the warning issued on [date], a copy of which is enclosed, \nyour behavior continues to disrupt the teaching and learning \nprocess and indeed places our students, staff, and faculty at risk \nof harm. \nI determined that your behavior on [dates of each incident for", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "process and indeed places our students, staff, and faculty at risk \nof harm. \nI determined that your behavior on [dates of each incident for \nwhich a warning notice was issued and the current incident \nwhich prompts this Trespass Notice and describe behavior] \nseriously disturbed the school environment and the conduct of \nschool activities and related school business. This cannot be \ntolerated and is contrary to the mission of the [school name]. If in \nthe future you need to address particular school-related matters, \nplease contact either my designee or me by telephone so that \nyour concern may be addressed. \nBy this letter, I am formally notifying you of the Trespass Notice. A", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 8 of 13 \n \n \ncopy of this notice will be provided to the Boston Police \nDepartment, the Department of Safety Services, Office of Legal \nAdvisor, the [school name\u2019s] file, and will be sent to you by \nregular and certified mail. This trespass notice prohibits you, \nunder penalty of law, from entering or using the [school name] or \nfrom setting foot on school property for any reason. Failure to \ncomply with this Trespass Notice shall subject you to immediate \narrest and prosecution for violation of this Trespass Notice. This \nnotice will be effective for one year from the date it was issued \nand may, in the reasonable exercise of my discretion, be renewed \nthereafter. If renewed, I will notify you in writing prior to its \nrenewal. If not renewed, its effect will end one year after its \nissuance. \nI look forward to working with you in a cooperative manner. \nPlease contact me at [contact telephone and email] if you wish", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "issuance. \nI look forward to working with you in a cooperative manner. \nPlease contact me at [contact telephone and email] if you wish \nto discuss this Trespass Notice or seek other assistance. You may \nalso contact the operational leader [number of contact person] \nto discuss the issuance of this Trespass Notice. You may also \ncontact the operational leader if you dispute the reasons for \nissuing this notice, or if, during the duration of this notice, you \nwish to seek to vacate or modify its provisions. \nThis notice is likewise appealable through the operational leader.", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 9 of 13 \n \n \nThank you for your cooperation in this matter. \nSincerely, \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 10 of 13 \n \n \nATTACHMENT C \n \nRe: TRESPASS NOTICE, PURSUANT to G. L. c. 266, \u00a7 120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [insert detailed description of the incident of \nunacceptable behavior] at the [school name] on [date of \nincident], it is necessary for me to issue this Trespass Notice, \npursuant to G.L. c. 266, \u00a7 120. Therefore, from the date of this \nnotice, you are not allowed to be present on the premises of the \n[name of school]. \nI have determined that your behavior on [date of incident] placed \nour students, staff, and faculty at risk of harm. Furthermore, your \nactions seriously disturbed both the school environment and the \nconduct of school activities and school-related business. This \ncannot be tolerated. It is contrary to the mission of the [name of \nschool]. If in the future you have a need to address particular", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "conduct of school activities and school-related business. This \ncannot be tolerated. It is contrary to the mission of the [name of \nschool]. If in the future you have a need to address particular \nschool-related matters, please contact either my designee or me \nby telephone so that your concerns can be addressed. \nThis letter serves to formally notify you of the Trespass Notice. A \ncopy of this notice has been provided to the Boston Police \nDepartment, the Superintendent\u2019s Office, the Office of Legal \nAdvisor, the Office of Safety Services, the [name of school]\u2019s file, \nand to you by regular and certified mail. This Trespass Notice \nprohibits you, under penalty of law, from entering or using the \n[name of school] or from setting foot on school property for any", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 11 of 13 \n \n \nreason. Failure to comply with this trespass notice shall subject \nyou to immediate arrest and prosecution for violation of this \nTrespass Notice. This notice will be effective immediately, and its \nduration is indefinite. \nI look forward to working with you in a cooperative manner. \nPlease contact me by telephone if you wish to discuss this \nTrespass Notice or seek other assistance. You may also contact \nthe operational leader at [number of contact person] to discuss \nthe issuance of this Trespass Notice, including if you dispute the \nreasons therefore. \nThank you for your cooperation in this matter. \n \nSincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files \nEnclosure [attach copy of incident report if available] \n \nGuidelines for Visiting the Boston Public Schools", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files \nEnclosure [attach copy of incident report if available] \n \nGuidelines for Visiting the Boston Public Schools \n1. Until further notice, parents/guardians and staff from", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 12 of 13 \n \n \npartner agencies [except for BPS facilities service \ncontractors and approved partner agencies, as described \nabove] will not be allowed in school buildings. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building in the area[s] \ndesignated by the school leader/staff. \n2. ALL visitors MUST report to the school\u2019s main office and sign \nin before going elsewhere in the building, and they must \nsign out before leaving. Some schools have a desk near the \nmain entrance where visitors may sign in and out. However, \nif no one is sitting at the desk, the visitor must go to the \nmain office. \n3. All visitors will receive a Visitor\u2019s Pass when they sign in. \nThey must return it to the office or sign-in desk when they \nleave. Please be sure your Visitor\u2019s Pass is visible while you \nare in the school or schoolyard. Visitor\u2019s passes will not be", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "They must return it to the office or sign-in desk when they \nleave. Please be sure your Visitor\u2019s Pass is visible while you \nare in the school or schoolyard. Visitor\u2019s passes will not be \nrequired at Open Houses, Parent Nights or other school-\nsponsored events open to the public to the extent those \nevents are held. \n4. For the safety of our students and staff, we will consider that \nvisitors who do not sign in and cannot show a Visitor\u2019s Pass \nare trespassing. A school staff member may ask them to \nleave the building and schoolyard. \n5. Visitors who want to meet with a teacher or administrator \nshould contact the school via phone or email to schedule \nany discussion or virtual appointments that they would like \nto have. \n6. Teachers or staff who are expecting a visitor should notify \nthe office they are expecting a visitor and provide name and \nreason prior to the visitor\u2019s arrival. In some cases, a staff", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "Superintendent\u2019s Circular LGL-04 \nPage 13 of 13 \n \n \nmember may escort the visitor to the meeting place. \n7. If a student is sick/injured and needs to be picked up, school \nstaff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. \n8. It is very disruptive to the classroom for parents to pick up \ntheir children before the regular dismissal time. If this is \nnecessary, the parent should call the school office in \nadvance and pick their child up in the location designated \nby the school. Parents may not go directly to the classroom \nto pick up their child. The school will not release a student to \nanyone other than a custodial parent without the parent\u2019s \nconsent and proper identification. \n9. Occasionally, visitors may disrupt school activities by \ninsisting on visiting classrooms unannounced, harassing \nstaff, shouting, or using inappropriate language. If such \ndisruptive behavior continues, the school administrator may", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "content": "insisting on visiting classrooms unannounced, harassing \nstaff, shouting, or using inappropriate language. If such \ndisruptive behavior continues, the school administrator may \nrestrict the individual\u2019s visits or deny future access to the \nbuilding, schoolyard, or virtual learning environment. \n10. Thank you for your cooperation in observing these \nguidelines. Be assured that our goal is to create a safe, \nsecure, and positive learning experience for all our students \nand their families.", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-20 Corporal Punishment.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-20 \nVersion 01 \n \nCORPORAL PUNISHMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nPrincipals and heads of school should remind staff that the use of \ncorporal punishment in schools is strictly forbidden by Boston \nSchool Committee policy as well as by Massachusetts State Law \nG.L. c. 71, \u00a7 37G, which provides: \n(a) The power of the school committee or of any teacher or \nany other employee or agent of the school committee to \nmaintain discipline upon school property shall not include \nthe right to inflict corporal punishment upon any pupil. \n(b) The provisions of this section shall not preclude any \nmember of the school committee or any teacher or any \nemployee or agent of the school committee from using \nsuch reasonable force as is necessary to protect pupils, \nother persons, and themselves from an assault by a pupil. \nWhen such an assault has occurred, the principal shall file", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-20 Corporal Punishment.pdf", + "content": "such reasonable force as is necessary to protect pupils, \nother persons, and themselves from an assault by a pupil. \nWhen such an assault has occurred, the principal shall file \na detailed report of such with the school committee. \n(c) The board of education shall promulgate regulations \nregarding the use of physical restraint for students. Such \nregulations shall not preclude any teacher or employee or \nagent of the school from using reasonable force to \nprotect pupils, other persons, and themselves from an \nassault by a pupil as set forth above in section (b). Such", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-20 Corporal Punishment.pdf", + "content": "Superintendent\u2019s Circular LGL-20 \nPage 2 of 2 \n \nregulations shall require training of all personnel \nauthorized to administer any forms of restraint. Such \nregulations shall provide for procedures for notification to \nthe department and to the parents. \nCorporal punishment includes but is not limited to the following: \n\u2022 Slapping or hitting students \n\u2022 Pulling students by their arms, shoulders, etc. \n\u2022 Pushing students from one location to another \n\u2022 Forcibly causing students to sit down \n\u2022 Grasping students by any body part \nStaff may restrain students only to protect students, other \npersons, or themselves from an assault and may only use such \nforce as is reasonably necessary to repel such an attack. Violation \nof the policy and law will result in disciplinary measures and may \nresult in the filing of abuse and/or criminal charges. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-20 Corporal Punishment.pdf", + "content": "result in the filing of abuse and/or criminal charges. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-14 \nVersion 01 \n \nGATHERINGS ON SCHOOL GROUNDS AND \nDISTRIBUTION OF MATERIALS IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIt is permissible for schools to regulate the time, place, and \nmanner of any demonstration to avoid disruption of classes or \nthe orderly entrance and departure of students into and out of \nthe building. Accordingly, principals and heads of school are \nadvised that gatherings of three (3) or more people or \ndistribution of leaflets shall be regulated as follows: \n1. All gatherings or demonstrations should be viewed as a \nlegal expression of First Amendment rights. If a building \nadministrator questions whether the material being \ndistributed is protected by First Amendment rights, the \nOffice of the Legal Advisor should be contacted immediately \nat 617-635-9320. \n2. All gatherings or demonstrations shall not disrupt school", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "content": "distributed is protected by First Amendment rights, the \nOffice of the Legal Advisor should be contacted immediately \nat 617-635-9320. \n2. All gatherings or demonstrations shall not disrupt school \nclasses or the orderly entrance and departure of students \ninto and out of the school building. \n3. The Students\u2019 Freedom of Expression Law (G.L. c. 71, \u00a782) \npermits students to plan peaceable assemblies on school \nproperty for the purpose of expressing their opinions. \nBuilding administrators may designate the time and place", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "content": "Superintendent\u2019s Circular LGL-14 \nPage 2 of 4 \n \nfor such demonstrations to avoid disruption of classes and \ndisorder in the school. \n4. All other gatherings or demonstrations which are not \nplanned by students shall be restricted to areas off school \nproperty and in such areas as not to restrict the flow of \ntraffic and school buses. The building administrator may \ndesignate such areas. \n5. All gatherings or demonstrations shall be reported to the \nBoston Police Department (at 911), the operational leader, \nand the Department of Safety Services as soon as possible \nafter the gathering and/or demonstration is organized. \n6. Gatherings in school buildings may be limited if school is \nbeing conducted remotely. Any in-person gatherings or \ndemonstrations will comply with public health guidelines \nincluding those that mandate group size limits, physical \ndistancing, and the wearing of masks, as well as BPS policies \nregarding access to buildings.", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "content": "including those that mandate group size limits, physical \ndistancing, and the wearing of masks, as well as BPS policies \nregarding access to buildings. \n7. Materials and/or announcements of a public interest nature \nmust be submitted to the administrator in charge two \nschool days (at least 48 hours) prior to distribution for review \nand approval in order to be distributed in a school or a \nschool-sponsored forum. In addition, there should be no \ncost accrued by the BPS in the distribution of \nmaterials/announcements requested by external \norganizations. The following materials shall be prohibited \nfrom circulation in schools or school-sponsored forums: \n\u2022 Advertisements of for-profit and political organizations \nand/or events sponsored by said organizations (including \npolitical and commercial flyers)", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "content": "Superintendent\u2019s Circular LGL-14 \nPage 3 of 4 \n \n\u2022 Materials including those promoting anything illegal or \nimmoral and/or are otherwise pervasively indecent or \nvulgar \n\u2022 Materials which include false and/or misleading \ninformation and/or which interfere with the proper and \norderly operation and discipline of the school \n8. Requests for collections and donations, which do not have \nthe authorization of the School Department, shall be \nprohibited. \n9. The sale of merchandise, products, etc. by a recognized \nschool/parent organization may be authorized with the prior \napproval of a building administrator. \n10. The sale and/or promotion of merchandise, products, etc. by \nan external organization/agency will not be authorized \nunless the proceeds are used for the support of educational \nprograms and prior approval has been given. \n11. The sale of lottery tickets and/or other games of chance \nshall be prohibited. \n12. Distribution process:", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "content": "programs and prior approval has been given. \n11. The sale of lottery tickets and/or other games of chance \nshall be prohibited. \n12. Distribution process: \n\u2022 Outside groups\u2019 literature should not be distributed to \nstudents during instructional time and, if possible, should \nnot be intermingled with official school notices, but may \nbe posted on a bulletin board used for such materials. \n\u2022 Students should not be compelled to take home or read \nany outside group\u2019s literature. \n\u2022 School newsletters and notices to parents may not recruit \nmembers for outside groups.", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "content": "Superintendent\u2019s Circular LGL-14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-15 Student Surveys.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-15 \nVersion 01 \n \nSTUDENT SURVEYS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. \u00a71232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the \nfollowing policy. Additionally, a student survey that is not \ndeveloped or administered through the use of funds received \nfrom the United States Department of Education also does not \nneed to comply with this policy. \nFor those student surveys that are developed or administered \nthrough the use of federal education funds and in which a", + "source_link": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-15 Student Surveys.pdf", + "content": "need to comply with this policy. \nFor those student surveys that are developed or administered \nthrough the use of federal education funds and in which a \nstudent is required to participate, the following policy applies. \nThis policy applies to those surveys that ask a student to reveal \nany of the following information: political affiliation; mental \nillness or psychological problems; sexual behavior and/or \nattitudes; illegal, self-incriminating, and demeaning behavior; \ncritical appraisals of close family members; relationships to which \na privilege is recognized, such as clergy, medical doctors, or", + "source_link": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-15 Student Surveys.pdf", + "content": "Superintendent\u2019s Circular LGL-15, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nattorneys; religious affiliations or beliefs; and income, other than \nfor eligibility for participation in a program. Prior to \nadministering such a survey, the student\u2019s parent or guardian \nmust consent, in writing, to the student\u2019s participation in the \nsurvey. Also, a copy of the survey must be made available to the \nparent or guardian. Any such survey should also be brought to \nthe attention of the Office of Legal Advisor. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-08 Adherence to Court Orders.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-08 \nVersion 01 \n \nADHERENCE TO COURT ORDERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this memorandum is to remind Boston Public \nSchools staff of the need to continue to adhere to the court \norders entered against the District by courts of federal, state, and \nlocal jurisdiction. Such orders have the force of law and are \nbinding on the District. Therefore, it is the responsibility of \nadministrators and staff of the Boston Public Schools to comply \nwith the terms of such orders. \nAdditionally, an order by an arbitrator or state agency may also \nrequire compliance. Heads of school, principals, and other \nadministrators may contact the Office of Legal Advisor with \nquestions regarding adherence to court orders or the provisions \nof any order. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor", + "source_link": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-08 Adherence to Court Orders.pdf", + "content": "questions regarding adherence to court orders or the provisions \nof any order. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-08 Adherence to Court Orders.pdf", + "content": "Superintendent\u2019s Circular #LGL-08, 2019-2020 \n[Date] \nPage 2 of 2 \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-09 \nVersion 01 \n \nPOLITICAL ACTIVITY BY PUBLIC EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPublic employees have most of the same rights as other citizens \nto engage in private political activity. However, the conflict of \ninterest law, M.G.L. c. 268A, restricts some political activity of \npublic employees. In addition, the campaign finance law, M.G.L. \nc. 55, restricts public employees\u2019 political fundraising. \nPROHIBITED ACTIVITY \nThe following restrictions are imposed by law on public \nemployees and volunteers with respect to their participation in \npolitical activity whether on the local, state, or federal level. \n1. Participation in Political Activity \n\u2022 \u201cPolitical activity\u201d includes, but is not limited to, any activity \nthat is in support of or in opposition to a federal, state, or \nlocal candidate or political party or a state or local ballot \nquestion.", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "that is in support of or in opposition to a federal, state, or \nlocal candidate or political party or a state or local ballot \nquestion. \n\u2022 In general, a public employee may not use their public \nposition to engage in political activity. \n\u2022 Public employees may not participate in political activity: \no during their usual business hours \no while acting in an official capacity or while in official", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-09 \nPage 2 of 6 \n \nuniform \no with the use of other public facilities or property and \nresources, such as staff time, public office space and \nfacilities, public office equipment such as telephones \nand other communications equipment, computers, \ncopiers, public websites and links to public websites, or \npublic office supplies such as official stationery \n\u2022 Partisan political and campaign activity may be conducted \nby an employee only during non-business hours, including \nusual lunch hour, vacation time, personal time, or during a \nleave of absence without pay. \n2. Prohibitions Against Public Employees Soliciting Political \nContributions \nIt is a violation of state law for a public employee directly or \nindirectly to solicit or receive any contributions or anything of \nvalue for any political purpose, at any time \u2014 during both \nworking and non-working hours. \nNo person employed for compensation, other than an elected", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "value for any political purpose, at any time \u2014 during both \nworking and non-working hours. \nNo person employed for compensation, other than an elected \nofficer, by the commonwealth or any county, city or town shall \ndirectly or indirectly solicit or receive any gift, payment, \ncontribution, assessment, subscription, or promise of money or \nother thing of value for the political campaign purposes of any \ncandidate for public office or of any political committee, or for \nany political purpose whatever (Mass. G.L. c. 55, Section 13, \nemphasis added). \nThe principles supporting this prohibition \u2014 primarily to insulate \npublic employees from inappropriate political pressures and in \nturn to ensure that employees do not use their public positions", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-09 \nPage 3 of 6 \n \nfor personal or political gain \u2014 are important and must be \nstrongly protected. \nThis prohibition includes both direct and indirect solicitation: \n\u2022 A public employee may not ask any individual for a \ncontribution on behalf of a political candidate or committee. \n\u2022 A public employee may not encourage an individual to \ncontribute to a candidate for public or political office or to a \npolitical committee or sign a fundraising letter or \nadvertisement on behalf of a candidate or political \nfundraising event. \n\u2022 A public employee may not sponsor or allow the use of their \nname on an invitation to a fundraising event or on a political \nfundraising request. \n\u2022 A public employee may not serve as a host or sponsor of a \npolitical fundraising event. \n\u2022 A public employee may not distribute or sell tickets to \npolitical fundraising events. \nIt should be noted that Mass. G.L. c. 55, Section 7A, does permit", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "political fundraising event. \n\u2022 A public employee may not distribute or sell tickets to \npolitical fundraising events. \nIt should be noted that Mass. G.L. c. 55, Section 7A, does permit \npublic employees, as individuals, to make financial contributions \nto political campaigns. \n3. Solicitation In a Public Building \nNo one may solicit a political contribution in a public building. \nSolicitations include requests for, or receipt of, a contribution and \nthe distribution of fundraising letters or tickets. Any public \nemployee convicted of such solicitation of funds may be removed \nfrom employment without a hearing (Mass. G.L. c. 55, Section 14).", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-09 \nPage 4 of 6 \n \n4. Public Employees Seeking Elective Office \nPublic employees seeking elective office may not solicit political \ncontributions either directly or indirectly. \nAny of the prohibitions against solicitation, which apply to public \nemployees, in general also apply to a public employee who is \nthemself a candidate for political office. Moreover, there are \nother restrictions which apply: \n\u2022 A public employee seeking office may attend an event held \non their behalf by a non-elected committee, but may not \nencourage contributions, directly or indirectly. \n\u2022 A public employee seeking public office may not give \npermission to have their name appear on such invitation as \nthe one who encourages contributions by an individual. \nPERMITTED ACTIVITY \nIn general, public employees of all types may engage in private \npolitical activity, subject to the restrictions on political \nfundraising imposed by G.L. c. 55. The conflict of interest law", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "In general, public employees of all types may engage in private \npolitical activity, subject to the restrictions on political \nfundraising imposed by G.L. c. 55. The conflict of interest law \ndoes not prohibit a public employee from engaging in political \nactivity on their own time, using their own or other private \nresources, and when they are acting as an individual and not as \nan agent or representative of anyone else. \nINFORMATION \n\u2022 Elected and Policy-Making Officials: The restrictions on \npublic employee political activity are not the same for all \npublic positions. Elected officials may engage in more \npolitical activity than appointed officials and \nemployees. Public employees who hold policy-making", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-09 \nPage 5 of 6 \n \npositions have more leeway to make public statements and \nto take official action on political issues than do non-\npolicymakers. Employees are encouraged to contact the \nOffice of Legal Advisor with questions. \n\u2022 Campaign Finance: Employees seeking information on \nparticular questions are encouraged to call the \nMassachusetts Office of Campaign and Political Finance \n(OCPF). \n\u2022 Conflict of Interest: Employees may refer to State Ethics \nCommission\u2019s Advisory No. 11-1, entitled \u201cPublic Employee \nPolitical Activity,\u201d a copy of which can be obtained by \nclicking this link: \nState Ethics Commission Advisory 11-1: Public Employee \nPolitical Activity | Mass.gov \nFor information on campaign contributions and expenditures, \nplease see G.L. c. 55. \nENFORCEMENT \nThe City intends to ensure that the legal restrictions on political \nactivity by public employees are fully enforced. This bulletin", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "please see G.L. c. 55. \nENFORCEMENT \nThe City intends to ensure that the legal restrictions on political \nactivity by public employees are fully enforced. This bulletin \nshould serve as notice to public employees of the City of such \nrestrictions and their implications.", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-09 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-01 \nVersion 01 \n \nHAZING LAW \nMassachusetts law makes it a crime to engage in hazing \nactivities. Hazing means any conduct or method of initiation into \nany student organization, whether on public or private property, \nwhich willfully or recklessly endangers the physical or mental \nhealth of any student or other person. A copy of the \nCommissioner of Elementary and Secondary Education\u2019s advisory \nis attached hereto as Attachment 1. \nMiddle school principals, heads of school, and principals of K-8 \nschools should treat hazing as a violation of Section 7.2.5 of the \nCode of Conduct with attendant sanctions. They are required by \nstate law to take the following steps: \n1. Distribute a copy of the amended law [Attachment 1] to \neach school-based student organization on or before \nSeptember 15. \n2. Obtain from each such student organization a statement, \nsigned by a designated officer of the organization, \nindicating that:", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "each school-based student organization on or before \nSeptember 15. \n2. Obtain from each such student organization a statement, \nsigned by a designated officer of the organization, \nindicating that: \na. the organization has received a copy of the law. \nb. each of its members, plebes, pledges, or applicants \nhas received a copy of the law. \nc. the organization understands and agrees to comply \nwith the law.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 2 of 11 \n \nThe designated officer's signature should be \nwitnessed by an adult (i.e., faculty advisor), who \nshould also sign the statement. These statements \nshould be retained in the main office. A sample \nacknowledgment is attached to this memorandum \nas Attachment 2 for your convenience. \n3. Distribute a copy of the law to all students in grades 7 \nthrough 12 at least annually. Middle school principals, \nheads of school, and principals of K-8 schools must certify \nthat the school complies with the anti-hazing law to the \nMassachusetts Department of Elementary and Secondary \nEducation on or before October 1, by logging into the \nanti-hazing application accessible via MassEdu Gateway. \n4. The law also requires anyone who knows that another \nperson is the victim of hazing to report such an incident \nto an appropriate law enforcement official as soon as \npossible and provides criminal penalties for failure to do \nso.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "person is the victim of hazing to report such an incident \nto an appropriate law enforcement official as soon as \npossible and provides criminal penalties for failure to do \nso. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nBy September 15 Building administrators distribute Attachment \n1 to all school-based student organizations. \nBy October 1 \nMiddle school principals, heads of school, and \nprincipals of K-8 schools certify compliance \nwith the anti-hazing law to DESE.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 3 of 11 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 4 of 11 \n \nATTACHMENT 1 \n \nREMINDER ABOUT MASSACHUSETTS LAW PROHIBITING THE \nPRACTICE OF HAZING \nSchool Year 2023-2024 Anti-Hazing Data Collection \n \nThe anti-hazing law, which was enacted in 1985, applies only to \nsecondary schools in Massachusetts. Please note that a middle \nschool that has been designated as a secondary school by the \nschool committee must comply with the anti-hazing law and \nregulations. \nUnder Massachusetts General Laws Chapter 269, Sections 17\u2013\n19 and 603 CMR 33.00, all secondary schools, both public and \nprivate, must: \n\u2022 Adopt anti-hazing policies as part of their disciplinary \npolicies. \n\u2022 Distribute copies of the anti-hazing law to all students \nenrolled full-time; to all student groups, teams, and \norganizations that are part of or are recognized by the \nschool or are permitted by the school to use its name and \nfacilities; and to all known unaffiliated student groups, \nteams, or organizations.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "school or are permitted by the school to use its name and \nfacilities; and to all known unaffiliated student groups, \nteams, or organizations. \nEvery year, secondary school principals/heads of school must: \n\u2022 Certify that you have read and understood the Anti-Hazing \nPolicy and that the school has complied with the law by \nlogging into the new Anti-Hazing application accessible via", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 5 of 11 \n \nMassEdu Gateway at https://gateway.edu.state.ma.us/ \n\u2022 High school principals/heads of school (or a designee) who \nneed access should be assigned their school\u2019s Anti-Hazing \nuser role by their district\u2019s directory administrator. If you \nhave questions about this, contact your directory \nadministrator. \n\u2022 If your school does not have a directory administrator, or if \nyou need help with your user ID and password, please \ncontact Nermina Peric at nperic@doe.ma.us. \n\u2022 The schools must certify with the department on or before \nOctober 1. By November 1, the department must notify the \nAttorney General of any school that has not filed a report. \n\u2022 Collect a signed acknowledgement from a contact person \nfor each student organization regarding distribution of \ninformation and agreement to comply with the law. The \nschools are not required to submit the Student Group Anti-\nHazing Form but should keep the form for their records.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "information and agreement to comply with the law. The \nschools are not required to submit the Student Group Anti-\nHazing Form but should keep the form for their records. \nThe guidance in this memorandum is intended to ensure that all \npublic and private secondary schools meet their obligations \nunder this important law and that students know the rules, \nexpectations, and consequences regarding hazing. If you need \nadditional information about the anti-hazing law and secondary \nschools' responsibilities, please contact Nermina Peric at 781-338-\n3708.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 6 of 11 \n \nMASSACHUSETTS GENERAL LAWS \u2014 CHAPTER 269 \nC. 269, S.17. Crime of Hazing: Definition: Penalty \nWhoever is a principal organizer or participant in the crime of \nhazing, as defined herein, shall be punished by a fine of not more \nthan three thousand dollars or by imprisonment in a house of \ncorrection for not more than one year, or both such fine and \nimprisonment. \nThe term \"hazing\" as used in this section and in sections eighteen \nand nineteen, shall mean any conduct or method of initiation \ninto any student organization, whether on public or private \nproperty, which willfully or recklessly endangers the physical or \nmental health of any student or any other person. Such conduct \nshall include whipping, beating, branding, forced calisthenics, \nexposure to the weather, forced consumption of any food, liquor, \nbeverage or drug or other substance, or any other brutal \ntreatment or forced physical activity which is likely to adversely", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "exposure to the weather, forced consumption of any food, liquor, \nbeverage or drug or other substance, or any other brutal \ntreatment or forced physical activity which is likely to adversely \naffect the physical health or safety of any such student or other \nperson, or which subjects such student or other person to \nextreme mental stress, including extended deprivation of sleep \nor rest or extended isolation. \nNotwithstanding any other provisions of this section to the \ncontrary, consent shall not be available as a defense to any \nprosecution under this action. Added by St.1985, c.536; amended \nby St.1987, c.665.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 7 of 11 \n \nC. 269, S.18. Duty to Report Hazing \nWhoever knows that another person is the victim of hazing as \ndefined in section seventeen and is at the scene of such crime \nshall, to the extent that such person can do so without danger or \nperil to himself or others, report such crime to an appropriate law \nenforcement official as soon as reasonably practicable. Whoever \nfails to report such crime shall be punished by a fine or not more \nthan one thousand dollars. Added by St.1985, c.536; amended by \nSt.1987, c.665. \nC. 269, S.19. Hazing Statutes To Be Provided; Statement of \nCompliance and Discipline Policy Required \nEach institution of secondary education and each public and \nprivate institution of post-secondary education shall issue to \nevery student group, student team or student organization which \nis part of such institution or is recognized by the institution or \npermitted by the institution to use its name or facilities or is", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "every student group, student team or student organization which \nis part of such institution or is recognized by the institution or \npermitted by the institution to use its name or facilities or is \nknown by the institution to exist as an unaffiliated student group, \nstudent team or student organization, a copy of this section and \nsections seventeen and eighteen; provided, however, that an \ninstitution\u2019s compliance with this section\u2019s requirements that an \ninstitution issue copies of this section and sections seventeen \nand eighteen to unaffiliated student groups, teams or \norganizations shall not constitute evidence of the institution\u2019s \nrecognition or endorsement of said unaffiliated student groups, \nteams or organizations. \nEach such group, team or organization shall distribute a copy of \nthis section and sections seventeen and eighteen to each of its \nmembers, plebes, pledges, or applicants for membership. It shall", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 8 of 11 \n \nbe the duty of each such group, team or organization, acting \nthrough its designated officer, to deliver annually, to the \ninstitution an attested acknowledgement stating that such \ngroup, team or organization has received a copy of this section \nand said sections seventeen and eighteen, that each of its \nmembers, plebes, pledges or applicants has received a copy of \nsections seventeen and eighteen, and that such group, team or \norganization understands and agrees to comply with the \nprovisions of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or \nprivate institution of post-secondary education shall, at least \nannually, before or at the start of enrollment, deliver to each \nperson who enrolls as a full-time student in such institution a \ncopy of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "person who enrolls as a full-time student in such institution a \ncopy of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or \nprivate institution of post-secondary education shall file, at least \nannually, a report with the board of higher education and in the \ncase of secondary schools, the board of education, certifying that \nsuch institution has complied with its responsibility to inform \nstudent groups, teams, or organizations and to notify each full \ntime student enrolled by it of the provisions of this section and \nsections seventeen and eighteen and also certifying that said \ninstitution has adopted a disciplinary policy with regard to the \norganizers and participants of hazing, and that such policy has \nbeen set forth with appropriate emphasis in the student \nhandbook or similar means of communicating the institution's \npolicies to its students. The board of higher education and, in the", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "been set forth with appropriate emphasis in the student \nhandbook or similar means of communicating the institution's \npolicies to its students. The board of higher education and, in the \ncase of secondary institution, the board of education shall \npromulgate regulations governing the content and frequency of \nsuch reports, and shall forthwith report to the attorney general", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 9 of 11 \n \nany such institution, which fails to make such report. Added by \nSt.1985, c.536; amended by St.1987, c.665; St.1998, c. 161 \u00a7\u00a7 557, 558.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 10 of 11 \n \n ATTACHMENT 2 \nSAMPLE ANNUAL STATEMENT OF ACKNOWLEDGEMENT FOR \nSTUDENT GROUPS, TEAMS, AND ORGANIZATIONS \nANTI-HAZING LAW, M.G.L. C. 269, \u00a7\u00a7 17-19 \n \n \nTo: Secondary School Principal or Head of School \n \nOn behalf of _____________________________________________________ \n(name of student group, team, or organization) \nI certify that the _________________________________________________ \n(name of student group, team, or organization) \nand its members, plebes, pledges, or applicants for membership \nhave received a copy of An Act Prohibiting the Practice of Hazing, \nM.G.L. c. 269, \u00a7\u00a7 17-19; and that the \n __________________________________________________________________ \n(name of student group, team, or organization) \nunderstands and agrees to comply with the law.", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-01 Anti-Hazing.pdf", + "content": "Superintendent\u2019s Circular LGL-01 \nPage 11 of 11 \n \nDate: ____________________________ \nSigned: __________________________________________________________ \n(Designated Officer) \n __________________________________________________________________ \n(Printed Name) \n \nFaculty Advisor or Leader: (for school affiliated group, team, or \norganization only) ________________________________________________ \n \nDate Received by Principal or Designee: __________________________ \n \n \nC: School Files \n Central Office Files", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-19 \nVersion 01 \n \nCONFLICT OF INTEREST LAW \u2013 CITY EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAttached you will find a copy of the \"Summary of the Conflict of \nInterest Law for Municipal Employees,\" which outlines the \nstandards of ethics and conduct for all city employees. This \nsummary was prepared and issued by the State Ethics \nCommission, the state entity charged with enforcing \nMassachusetts\u2019 conflict of interest law, M.G.L. c. 268A. \nCopies of this summary should be distributed to all staff and \nSchool Site Council members on an annual basis. It may also be \nfound at this link: Summary of the Conflict of Interest law. \nAll staff should be encouraged to read and be familiar with the \nlaw so that we all carry out our obligations honestly and fairly, \nand so that our actions are above reproach. Please use the \nattachment to this circular to make copies for your staff and", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "law so that we all carry out our obligations honestly and fairly, \nand so that our actions are above reproach. Please use the \nattachment to this circular to make copies for your staff and \nSchool Site Council. \nAnnually, every City employee is required by law to sign the \nacknowledgment of receipt of the attached summary via The \nHub. Alternatively, the employee may return the signed \nacknowledgement to their supervisor for submission to the \nOffice of Human Resources.", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 2 of 21 \n \nFurthermore, every two years, all current state, county, and \nmunicipal employees must complete online ethics training \nthrough the State Ethics Commission. New public employees \nmust complete this training within 30 days of beginning public \nservice, and every two years thereafter. Upon completing the \nprogram, employees should print out the completion certificate, \nkeep a copy for themselves, and provide a copy of the completion \ncertificate to Human Resources. The online training can be found \nat: \nComplete the Online Training Program for Municipal Employees | \nMass.gov \nFor specific questions regarding employment and/or individual \nactivity under the conflict of interest laws should be directed to \nthe Office of Legal Advisor. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "For more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 3 of 21 \n \nSUMMARY OF THE CONFLICT OF INTEREST LAW FOR \nMUNICIPAL EMPLOYEES \nAll municipal employees must be provided with this summary of \nthe conflict of interest law annually. \nAll city and town employees must be provided with this \nSummary of the Conflict of Interest Law for Municipal Employees \nwithin 30 days of hire or election, and then annually. All city and \ntown employees are then required to acknowledge in writing \nthat they received the summary. \nThis summary of the conflict of interest law, General Laws \nchapter 268A, is intended to help municipal employees \nunderstand how that law applies to them. \nThis summary is not a substitute for legal advice, nor does it \nmention every aspect of the law that may apply in a particular \nsituation. Municipal employees can obtain free confidential \nadvice about the conflict of interest law from the Commission's \nLegal Division at our website, phone number, and address above.", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "situation. Municipal employees can obtain free confidential \nadvice about the conflict of interest law from the Commission's \nLegal Division at our website, phone number, and address above. \nMunicipal counsel may also provide advice. \nThe conflict of interest law seeks to prevent conflicts between \nprivate interests and public duties, foster integrity in public \nservice, and promote the public's trust and confidence in that \nservice by placing restrictions on what municipal employees may \ndo on the job, after hours, and after leaving public service, as \ndescribed below. The sections referenced below are sections of \nG.L. c. 268A. \nWhen the Commission determines that the conflict of interest \nlaw has been violated, it can impose a civil penalty of up to", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 4 of 21 \n \n$10,000 ($25,000 for bribery cases) for each violation. In addition, \nthe Commission can order the violator to repay any economic \nadvantage he gained by the violation, and to make restitution to \ninjured third parties. Violations of the conflict of interest law can \nalso be prosecuted criminally. \n1. Are you a municipal employee for conflict of interest law \npurposes? \nYou do not have to be a full-time, paid municipal employee \nto be considered a municipal employee for conflict of \ninterest purposes. Anyone performing services for a city or \ntown or holding a municipal position, whether paid or \nunpaid, including full- and part-time municipal employees, \nelected officials, volunteers, and consultants, is a municipal \nemployee under the conflict of interest law. An employee of \na private firm can also be a municipal employee, if the \nprivate firm has a contract with the city or town and the", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "employee under the conflict of interest law. An employee of \na private firm can also be a municipal employee, if the \nprivate firm has a contract with the city or town and the \nemployee is a \"key employee\" under the contract, meaning \nthe town has specifically contracted for her services. The law \nalso covers private parties who engage in impermissible \ndealings with municipal employees, such as offering bribes \nor illegal gifts. Town meeting members and charter \ncommission members are not municipal employees under \nthe conflict of interest law.", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 5 of 21 \n \n2. On-the-job restrictions. \na. Bribes. Asking for and taking bribes is prohibited. (See \nSection 2) \nA bribe is anything of value corruptly received by a \nmunicipal employee in exchange for the employee being \ninfluenced in his official actions. Giving, offering, \nreceiving, or asking for a bribe is illegal. \nBribes are more serious than illegal gifts because they \ninvolve corrupt intent. In other words, the municipal \nemployee intends to sell his office by agreeing to do or \nnot do some official act, and the giver intends to influence \nhim to do so. Bribes of any value are illegal. \nb. Gifts and gratuities. Asking for or accepting a gift \nbecause of your official position, or because of \nsomething you can do or have done in your official \nposition, is prohibited. (See Sections 3, 23(b)(2), and 26). \nMunicipal employees may not accept gifts and gratuities \nvalued at $50 or more given to influence their official", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "position, is prohibited. (See Sections 3, 23(b)(2), and 26). \nMunicipal employees may not accept gifts and gratuities \nvalued at $50 or more given to influence their official \nactions or because of their official position. Accepting a \ngift intended to reward past official action or to bring \nabout future official action is illegal, as is giving such gifts. \nAccepting a gift given to you because of the municipal \nposition you hold is also illegal. Meals, entertainment \nevent tickets, golf, gift baskets, and payment of travel \nexpenses can all be illegal gifts if given in connection with \nofficial action or position, as can anything worth $50 or \nmore. A number of smaller gifts together worth $50 or \nmore may also violate these sections.", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 6 of 21 \n \nExample of violation: A town administrator accepts \nreduced rental payments from developers. \nExample of violation: A developer offers a ski trip to a \nschool district employee who oversees the developer's \nwork for the school district. \nRegulatory exemptions. There are situations in which a \nmunicipal employee's receipt of a gift does not present a \ngenuine risk of a conflict of interest and may in fact \nadvance the public interest. The Commission has created \nexemptions permitting giving and receiving gifts in these \nsituations. One commonly used exemption permits \nmunicipal employees to accept payment of travel-related \nexpenses when doing so advances a public purpose. \nAnother commonly used exemption permits municipal \nemployees to accept payment of costs involved in \nattendance at educational and training programs. Other \nexemptions are listed on the Commission's website. \nExample where there is no violation: A fire truck", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "attendance at educational and training programs. Other \nexemptions are listed on the Commission's website. \nExample where there is no violation: A fire truck \nmanufacturer offers to pay the travel expenses of a fire \nchief to a trade show where the chief can examine \nvarious kinds of fire-fighting equipment that the town \nmay purchase. The chief fills out a disclosure form and \nobtains prior approval from his appointing authority. \nExample where there is no violation: A town treasurer \nattends a two-day annual school featuring multiple \nsubstantive seminars on issues relevant to treasurers. The \nannual school is paid for in part by banks that do business \nwith town treasurers. The treasurer is only required to \nmake a disclosure if one of the sponsoring banks has \nofficial business before her in the six months before or", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 7 of 21 \n \nafter the annual school. \nc. Misuse of position. Using your official position to get \nsomething you are not entitled to, or to get someone \nelse something they are not entitled to, is prohibited. \nCausing someone else to do these things is also \nprohibited. (See Sections 23(b)(2) and 26) \nA municipal employee may not use her official position to \nget something worth $50 or more that would not be \nproperly available to other similarly situated individuals. \nSimilarly, a municipal employee may not use her official \nposition to get something worth $50 or more for \nsomeone else that would not be properly available to \nother similarly situated individuals. Causing someone else \nto do these things is also prohibited. \nExample of violation: A full-time town employee writes a \nnovel on work time, using her office computer, and \ndirecting her secretary to proofread the draft. \nExample of violation: A city councilor directs", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "novel on work time, using her office computer, and \ndirecting her secretary to proofread the draft. \nExample of violation: A city councilor directs \nsubordinates to drive the councilor's wife to and from the \ngrocery store. \nExample of violation: A mayor avoids a speeding ticket by \nasking the police officer who stops him, \"Do you know \nwho I am?\" and showing his municipal I.D. \nd. Self-dealing and nepotism. Participating as a municipal \nemployee in a matter in which you, your immediate \nfamily, your business organization, or your future \nemployer has a financial interest is prohibited. (See \nSection 19)", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 8 of 21 \n \nA municipal employee may not participate in any \nparticular matter in which he or a member of his \nimmediate family (parents, children, siblings, spouse, and \nspouse's parents, children, and siblings) has a financial \ninterest. He also may not participate in any particular \nmatter in which a prospective employer, or a business \norganization of which he is a director, officer, trustee, or \nemployee has a financial interest. Participation includes \ndiscussing as well as voting on a matter and delegating a \nmatter to someone else. \nA financial interest may create a conflict of interest \nwhether it is large or small, and positive or negative. In \nother words, it does not matter if a lot of money is \ninvolved or only a little. It also does not matter if you are \nputting money into your pocket or taking it out. If you, \nyour immediate family, your business, or your employer \nhave or has a financial interest in a matter, you may not", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "putting money into your pocket or taking it out. If you, \nyour immediate family, your business, or your employer \nhave or has a financial interest in a matter, you may not \nparticipate. The financial interest must be direct and \nimmediate or reasonably foreseeable to create a conflict. \nFinancial interests which are remote, speculative, or not \nsufficiently identifiable do not create conflicts. \nExample of violation: A school committee member's wife \nis a teacher in the town's public schools. The school \ncommittee member votes on the budget line item for \nteachers' salaries. \nExample of violation: A member of a town affordable \nhousing committee is also the director of a non-profit \nhousing development corporation. The non-profit makes \nan application to the committee, and the", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 9 of 21 \n \nmember/director participates in the discussion. \nExample: A planning board member lives next door to \nproperty where a developer plans to construct a new \nbuilding. Because the planning board member owns \nabutting property, he is presumed to have a financial \ninterest in the matter. He cannot participate unless he \nprovides the State Ethics Commission with an opinion \nfrom a qualified independent appraiser that the new \nconstruction will not affect his financial interest. \nIn many cases, where not otherwise required to \nparticipate, a municipal employee may comply with the \nlaw by simply not participating in the particular matter in \nwhich she has a financial interest. She need not give a \nreason for not participating. \nThere are several exemptions to this section of the law. An \nappointed municipal employee may file a written \ndisclosure about the financial interest with his appointing \nauthority and seek permission to participate", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "appointed municipal employee may file a written \ndisclosure about the financial interest with his appointing \nauthority and seek permission to participate \nnotwithstanding the conflict. The appointing authority \nmay grant written permission if she determines that the \nfinancial interest in question is not so substantial that it is \nlikely to affect the integrity of his services to the \nmunicipality. Participating without disclosing the \nfinancial interest is a violation. Elected employees cannot \nuse the disclosure procedure because they have no \nappointing authority. \nExample where there is no violation : An appointed \nmember of the town zoning advisory committee, which", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 10 of 21 \n \nwill review and recommend changes to the town's by-\nlaws with regard to a commercial district, is a partner at a \ncompany that owns commercial property in the district. \nPrior to participating in any committee discussions, the \nmember files a disclosure with the zoning board of \nappeals that appointed him to his position, and that \nboard gives him a written determination authorizing his \nparticipation, despite his company's financial interest. \nThere is no violation. \nThere is also an exemption for both appointed and \nelected employees where the employee's task is to \naddress a matter of general policy and the employee's \nfinancial interest is shared with a substantial portion \n(generally 10% or more) of the town's population, such as, \nfor instance, a financial interest in real estate tax rates or \nmunicipal utility rates. \nRegulatory exemptions. In addition to the statutory \nexemptions just mentioned, the Commission has created", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "for instance, a financial interest in real estate tax rates or \nmunicipal utility rates. \nRegulatory exemptions. In addition to the statutory \nexemptions just mentioned, the Commission has created \nseveral regulatory exemptions permitting municipal \nemployees to participate in particular matters \nnotwithstanding the presence of a financial interest in \ncertain very specific situations when permitting them to \ndo so advances a public purpose. There is an exemption \npermitting school committee members to participate in \nsetting school fees that will affect their own children if \nthey make a prior written disclosure. There is an \nexemption permitting town clerks to perform election-\nrelated functions even when they, or their immediate \nfamily members, are on the ballot, because clerks\u2019 \nelection-related functions are extensively regulated by", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 11 of 21 \n \nother laws. There is also an exemption permitting a \nperson serving as a member of a municipal board \npursuant to a legal requirement that the board have \nmembers with a specified affiliation to participate fully in \ndeterminations of general policy by the board, even if the \nentity with which he is affiliated has a financial interest in \nthe matter. Other exemptions are listed in the \nCommission's regulations, available on the Commission\u2019s \nwebsite. \nExample where there is no violation: A municipal \nShellfish Advisory Board has been created to provide \nadvice to the Board of Selectmen on policy issues related \nto shellfishing. The Advisory Board is required to have \nmembers who are currently commercial fishermen. A \nboard member who is a commercial fisherman may \nparticipate in determinations of general policy in which \nhe has a financial interest common to all commercial \nfishermen but may not participate in determinations in", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "participate in determinations of general policy in which \nhe has a financial interest common to all commercial \nfishermen but may not participate in determinations in \nwhich he alone has a financial interest, such as the \nextension of his own individual permits or leases. \ne. False claims. Presenting a false claim to your employer \nfor a payment or benefit is prohibited, and causing \nsomeone else to do so is also prohibited. (See Sections \n23(b)(4) and 26) \nA municipal employee may not present a false or \nfraudulent claim to his employer for any payment or \nbenefit worth $50 or more or cause another person to do \nso.", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 12 of 21 \n \nExample of violation : A public works director directs his \nsecretary to fill out time sheets to show him as present at \nwork on days when he was skiing. \nf. Appearance of conflict. Acting in a manner that would \nmake a reasonable person think you can be improperly \ninfluenced is prohibited. (See Section 23(b)(3)) \nA municipal employee may not act in a manner that \nwould cause a reasonable person to think that she would \nshow favor toward someone or that she can be \nimproperly influenced. Section 23(b)(3) requires a \nmunicipal employee to consider whether her \nrelationships and affiliations could prevent her from \nacting fairly and objectively when she performs her duties \nfor a city or town. If she cannot be fair and objective \nbecause of a relationship or affiliation, she should not \nperform her duties. However, a municipal employee, \nwhether elected or appointed, can avoid violating this", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "because of a relationship or affiliation, she should not \nperform her duties. However, a municipal employee, \nwhether elected or appointed, can avoid violating this \nprovision by making a public disclosure of the facts. An \nappointed employee must make the disclosure in writing \nto his appointing official. \nExample where there is no violation: A developer who is \nthe cousin of the chair of the conservation commission \nhas filed an application with the commission. A \nreasonable person could conclude that the chair might \nfavor her cousin. The chair files a written disclosure with \nher appointing authority explaining her relationship with \nher cousin prior to the meeting at which the application \nwill be considered. There is no violation of Sec. 23(b)(3). \ng. Confidential information. Improperly disclosing or", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 13 of 21 \n \npersonally using confidential information obtained \nthrough your job is prohibited. (See Section 23(c)) \nMunicipal employees may not improperly disclose \nconfidential information, or make personal use of non-\npublic information they acquired in the course of their \nofficial duties to further their personal interests. \n3. After-hours restrictions. \na. Taking a second paid job that conflicts with the duties of \nyour municipal job is prohibited. (See Section 23(b)(1)) \nA municipal employee may not accept other paid \nemployment if the responsibilities of the second job are \nincompatible with his or her municipal job. \nExample: A police officer may not work as a paid private \nsecurity guard in the town where he serves because the \ndemands of his private employment would conflict with \nhis duties as a police officer. \nDivided loyalties. Receiving pay from anyone other than \nthe city or town to work on a matter involving the city or", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "his duties as a police officer. \nDivided loyalties. Receiving pay from anyone other than \nthe city or town to work on a matter involving the city or \ntown is prohibited. Acting as agent or attorney for anyone \nother than the city or town in a matter involving the city \nor town is also prohibited whether or not you are paid. \n(See Sec. 17) \nBecause cities and towns are entitled to the undivided \nloyalty of their employees, a municipal employee may not \nbe paid by other people and organizations in relation to a \nmatter if the city or town has an interest in the matter. In \naddition, a municipal employee may not act on behalf of", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 14 of 21 \n \nother people and organizations or act as an attorney for \nother people and organizations in which the town has an \ninterest. Acting as agent includes contacting the \nmunicipality in person, by phone, or in writing; acting as a \nliaison; providing documents to the city or town; and \nserving as spokesman. \nA municipal employee may always represent his own \npersonal interests, even before his own municipal agency \nor board, on the same terms and conditions that other \nsimilarly situated members of the public would be \nallowed to do so. A municipal employee may also apply \nfor building and related permits on behalf of someone \nelse and be paid for doing so, unless he works for the \npermitting agency, or an agency which regulates the \npermitting agency. \nExample of violation: A full-time health agent submits a \nseptic system plan that she has prepared for a private \nclient to the town's board of health.", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "permitting agency. \nExample of violation: A full-time health agent submits a \nseptic system plan that she has prepared for a private \nclient to the town's board of health. \nExample of violation: A planning board member \nrepresents a private client before the board of selectmen \non a request that town meeting consider rezoning the \nclient's property. \nWhile many municipal employees earn their livelihood in \nmunicipal jobs, some municipal employees volunteer \ntheir time to provide services to the town or receive small \nstipends. Others, such as a private attorney who provides \nlegal services to a town as needed, may serve in a position \nin which they may have other personal or private", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 15 of 21 \n \nemployment during normal working hours. In recognition \nof the need not to unduly restrict the ability of town \nvolunteers and part-time employees to earn a living, the \nlaw is less restrictive for \"special\" municipal employees \nthan for other municipal employees. \nThe status of \"special\" municipal employee has to be \nassigned to a municipal position by vote of the board of \nselectmen, city council, or similar body. A position is \neligible to be designated as \"special\" if it is unpaid, or if it \nis part-time and the employee is allowed to have another \njob during normal working hours, or if the employee was \nnot paid for working more than 800 hours during the \npreceding 365 days. It is the position that is designated as \n\"special\" and not the person or persons holding the \nposition. Selectmen in towns of 10,000 or fewer are \nautomatically \"special\"; selectman in larger towns cannot \nbe \"specials.\"", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "\"special\" and not the person or persons holding the \nposition. Selectmen in towns of 10,000 or fewer are \nautomatically \"special\"; selectman in larger towns cannot \nbe \"specials.\" \nIf a municipal position has been designated as \"special,\" \nan employee holding that position may be paid by others, \nact on behalf of others, and act as attorney for others with \nrespect to matters before municipal boards other than his \nown, provided that he has not officially participated in the \nmatter, and the matter is not now, and has not within the \npast year been, under his official responsibility. \nExample: A school committee member who has been \ndesignated as a special municipal employee appears \nbefore the board of health on behalf of a client of his \nprivate law practice, on a matter that he has not \nparticipated in or had responsibility for as a school", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 16 of 21 \n \ncommittee member. There is no conflict. However, he \nmay not appear before the school committee, or the \nschool department, on behalf of a client because he has \nofficial responsibility for any matter that comes before the \nschool committee. This is still the case even if he has \nrecused himself from participating in the matter in his \nofficial capacity. \nExample: A member who sits as an alternate on the \nconservation commission is a special municipal \nemployee. Under town by-laws, he only has official \nresponsibility for matters assigned to him. He may \nrepresent a resident who wants to file an application with \nthe conservation commission as long as the matter is not \nassigned to him and he will not participate in it. \nb. Inside track. Being paid by your city or town, directly or \nindirectly, under some second arrangement in addition \nto your job is prohibited, unless an exemption applies. \n(See Section 20)", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "b. Inside track. Being paid by your city or town, directly or \nindirectly, under some second arrangement in addition \nto your job is prohibited, unless an exemption applies. \n(See Section 20) \nA municipal employee generally may not have a financial \ninterest in a municipal contract, including a second \nmunicipal job. A municipal employee is also generally \nprohibited from having an indirect financial interest in a \ncontract that the city or town has with someone else. This \nprovision is intended to prevent municipal employees \nfrom having an \"inside track\" to further financial \nopportunities. \nExample of violation: Legal counsel to the town housing \nauthority becomes the acting executive director of the", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 17 of 21 \n \nauthority, and is paid in both positions. \nExample of violation: A selectman buys a surplus truck \nfrom the town DPW. \nExample of violation: A full-time secretary for the board \nof health wants to have a second paid job working part-\ntime for the town library. She will violate Section 20 unless \nshe can meet the requirements of an exemption. \nExample of violation: A city councilor wants to work for a \nnon-profit that receives funding under a contract with her \ncity. Unless she can satisfy the requirements of an \nexemption under Section 20, she cannot take the job. \nThere are numerous exemptions. A municipal employee \nmay hold multiple unpaid or elected positions. Some \nexemptions apply only to special municipal employees. \nSpecific exemptions may cover serving as an unpaid \nvolunteer in a second town position, housing-related \nbenefits, public safety positions, certain elected positions,", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Specific exemptions may cover serving as an unpaid \nvolunteer in a second town position, housing-related \nbenefits, public safety positions, certain elected positions, \nsmall towns, and other specific situations. Please call the \nEthics Commission's Legal Division for advice about a \nspecific situation. \n4. After you leave municipal employment. (See Section 18) \na. Forever ban. After you leave your municipal job, you may \nnever work for anyone other than the municipality on a \nmatter that you worked on as a municipal employee. \nIf you participated in a matter as a municipal employee, \nyou cannot ever be paid to work on that same matter for \nanyone other than the municipality, nor may you act for", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 18 of 21 \n \nsomeone else, whether paid or not. The purpose of this \nrestriction is to bar former employees from selling to \nprivate interests their familiarity with the facts of \nparticular matters that are of continuing concern to their \nformer municipal employer. The restriction does not \nprohibit former municipal employees from using the \nexpertise acquired in government service in their \nsubsequent private activities. \nExample of violation: A former school department \nemployee works for a contractor under a contract that \nshe helped to draft and oversee for the school \ndepartment. \nb. One year cooling-off period. For one year after you leave \nyour municipal job you may not participate in any matter \nover which you had official responsibility during your last \ntwo years of public service. \nFormer municipal employees are barred for one year after \nthey leave municipal employment from personally", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "over which you had official responsibility during your last \ntwo years of public service. \nFormer municipal employees are barred for one year after \nthey leave municipal employment from personally \nappearing before any agency of the municipality in \nconnection with matters that were under their authority \nin their prior municipal positions during the two years \nbefore they left. \nExample: An assistant town manager negotiates a three-\nyear contract with a company. The town manager who \nsupervised the assistant and had official responsibility for \nthe contract, but did not participate in negotiating it, \nleaves her job to work for the company to which the \ncontract was awarded. The former manager may not call", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 19 of 21 \n \nor write the town in connection with the company's work \non the contract for one year after leaving the town. \nA former municipal employee who participated as such in \ngeneral legislation on expanded gaming and related \nmatters may not become an officer or employee of, or \nacquire a financial interest in, an applicant for a gaming \nlicense, or a gaming licensee, for one year after his public \nemployment ceases. \nc. Partners. Your partners will be subject to restrictions \nwhile you serve as a municipal employee and after your \nmunicipal service ends. \nPartners of municipal employees and former municipal \nemployees are also subject to restrictions under the \nconflict of interest law. If a municipal employee \nparticipated in a matter, or if he has official responsibility \nfor a matter, then his partner may not act on behalf of \nanyone other than the municipality or provide services as", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "participated in a matter, or if he has official responsibility \nfor a matter, then his partner may not act on behalf of \nanyone other than the municipality or provide services as \nan attorney to anyone but the city or town in relation to \nthe matter. \nExample: While serving on a city's historic district \ncommission, an architect reviewed an application to get \nlandmark status for a building. His partners at his \narchitecture firm may not prepare and sign plans for the \nowner of the building or otherwise act on the owner's \nbehalf in relation to the application for landmark status. \nIn addition, because the architect has official \nresponsibility as a commissioner for every matter that \ncomes before the commission, his partners may not", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 20 of 21 \n \ncommunicate with the commission or otherwise act on \nbehalf of any client on any matter that comes before the \ncommission during the time that the architect serves on \nthe commission. \nExample: A former town counsel joins a law firm as a \npartner. Because she litigated a lawsuit for the town, her \nnew partners cannot represent any private clients in the \nlawsuit for one year after her job with the town ended. \n \n \nThis summary is not intended to be legal advice and, because it is \na summary, it does not mention every provision of the conflict \nlaw that may apply in a particular situation. Our website, \nhttp://www.mass.gov/ethics contains further information about \nhow the law applies in many situations. You can also contact the \nCommission's Legal Division via our website, by telephone, or by \nletter. Our contact information is at the top of this document. \n \nVersion 7: Revised May 20, 2022", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "content": "Superintendent\u2019s Circular LGL-19 \nPage 21 of 21 \n \nACKNOWLEDGEMENT OF RECEIPT OF SUMMARY OF THE \nCONFLICT OF INTEREST LAW FOR MUNICIPAL EMPLOYEES \nI, (print your first and last name): \n _________________________________________________________________ , \nan employee at (name of your municipal agency or department): \n _________________________________________________________________ , \n \nhereby acknowledge that I received a copy of the summary of \nthe Conflict Of Interest Law for municipal employees, revised May \n20, 2022. \n \nSignature_____________________________________Date ______________ \nMunicipal employees should complete the acknowledgment of \nreceipt and return it to the individual who provided them with a \ncopy of the summary. Alternatively, municipal employees may \nsend an email acknowledging receipt of the summary to the \nindividual who provided them with a copy of it.", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSUP-20 \nVersion 01 \n \n \nCHILD ABUSE AND NEGLECT \n \nTHIS CIRCULAR WILL REMAIN IN EFFECT UNLESS RESCINDED OR \nSUPERSEDED BY A SUBSEQUENT VERSION \nGENERAL INFORMATION \nMassachusetts General Law (Chapter 119, Section 51A) requires \nthat certain persons who in their professional capacity have \nreasonable cause to believe that a child under the age of \neighteen (18) years is suffering serious physical or emotional \ninjury resulting from abuse, including sexual abuse, or neglect, \nincluding malnutrition, inflicted upon them SHALL \nIMMEDIATELY, VIA TELEPHONE, REPORT THIS ABUSE OR \nNEGLECT TO THE DEPARTMENT OF CHILDREN AND FAMILIES, \neither via the attached Area Offices Telephone Directory or via \nthe 24-hour reporting hotline: 1-800-792-5200. \n \nWithin forty-eight (48) hours of the initial oral report, these \nprofessionals are required under Massachusetts law to notify the \nDepartment of Children and Families (DCF) in writing using the", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Within forty-eight (48) hours of the initial oral report, these \nprofessionals are required under Massachusetts law to notify the \nDepartment of Children and Families (DCF) in writing using the \nattached Report Form. The Report Form should be sent by \nregistered mail, with return receipt requested, to the appropriate \nDCF Area Office. A new Report Form must be completed for \neach new injury or re-injury.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 2 of 15 \n \nWHO MUST REPORT? \nBy law, the following professionals, among others, are \u201cmandated \nreporters\u201d and must report cases of child abuse or neglect to \nDCF: physicians, medical interns, medical examiners, dentists, \nnurses, teachers, educational administrators, guidance \ncounselors, family counselors, probation officers, school \nattendance officers, social workers, psychologists, and police \nofficers. When these professionals are employed at a school, they \nmust either notify DCF directly or, alternatively, notify the person \nin charge of the school or that person\u2019s designated agent. Out of \nan abundance of caution, however, all school professional staff in \nthe Boston Public Schools are required to report to DCF any \ninstance of neglect or abuse that they observe or which is \nbrought to their attention. \n \nPlease note that all employees are required to report any \nsuspected or alleged bias-based conduct toward a student", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "brought to their attention. \n \nPlease note that all employees are required to report any \nsuspected or alleged bias-based conduct toward a student \nor sexual misconduct toward a student under circulars EQT-\n02 and EQT-03. This report must be made to a school \nadministrator and/or directly to the Office of Equity. A \ndetermination will then be made whether it meets the \nstandard for a report to the Department of Children and \nFamilies under SUP-20. Please see Attachment 1, Procedures \nfor Reporting Suspected Child Abuse and Neglect Cases. \n \nNothing in this policy prohibits a school professional from \nnotifying DCF directly when such school professional has \nreasonable cause to believe abuse or neglect occurred. In the \nevent that a school professional notifies the building \nadministrator in charge of an incident of suspected abuse or", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 3 of 15 \n \nneglect, that building administrator must make a report to DCF \nfollowing the procedures outlined in this circular. \n \nAny other person may report a case of child abuse or neglect \nwhen there is reasonable cause to believe that a child\u2019s health or \nwelfare is being harmed, or is at substantial risk of being harmed, \nas a result of abuse or neglect. \nWHAT TO REPORT? \nAny incident in which there is reasonable cause to believe that a \nchild\u2019s physical or mental health or welfare is harmed or is \nthreatened with substantial risk of harm through abuse or \nneglect must be reported. Truancy by itself is not a reportable \nmatter. This means that a child missing school is not, on its own, \na reason to report. \nABUSE. Abuse includes: \n\u2022 Physical, mental, or emotional injury by other than \naccidental means, i.e., beatings, cuttings, burns, broken \nbones, multiple bruises \n\u2022 Physical dependency on an addictive drug at birth", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "\u2022 Physical, mental, or emotional injury by other than \naccidental means, i.e., beatings, cuttings, burns, broken \nbones, multiple bruises \n\u2022 Physical dependency on an addictive drug at birth \n\u2022 Any sexual act against another person either by force, or by \nthreat of force or bodily injury, or against the person\u2019s will. \nThis includes a sexual act against another person who is \nincapable of giving consent either because of their \ntemporary or permanent mental or physical incapacity or \nbecause s/he is a minor. Such crimes as indecent assault \nand battery, rape, rape with force, rape and abuse, assault \nwith intent to rape and unnatural and lascivious acts \nconstitute a sexual assault.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 4 of 15 \n \nIndecent assault and battery includes, but is not limited to, \ninappropriate and unwanted touching of private body parts. \nA person under the age of 14 is legally unable to consent to \nthis type of sexual activity. \nNEGLECT. Neglect is deemed to exist when the person or persons \nresponsible for a child\u2019s care, although financially able to do so, \nfail to provide the child with: \n\u2022 Adequate food, clothing, shelter, education, or medical care \n\u2022 Proper supervision and/or guardianship. \n \nThe attached Procedures for Reporting Suspected Child Abuse or \nNeglect detail the relevant reporting procedures to be followed \nby Boston Public School employees. \n \nIMMUNITY \nAll reports will be held in strict confidence. A person required to \nreport who does in fact make a report, including a report of \nabuse or neglect by personnel in the public school system, shall \nnot be held liable in any civil or criminal action by reason of that", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "report who does in fact make a report, including a report of \nabuse or neglect by personnel in the public school system, shall \nnot be held liable in any civil or criminal action by reason of that \nreport. In addition, a person who, although not required to do so \nby statute, voluntarily makes a report shall not be liable in any \ncivil or criminal action by reason of that report if it was made in \ngood faith and that person did not perpetuate, inflict, or cause \nthe reported abuse or neglect. \nIn accordance with Massachusetts law (Massachusetts General \nLaws Chapter 119, Section 51B), persons who are mandatory \nreporters of child abuse shall share any relevant information \nrequested by the Department of Children and Families during \nthe investigation of a specific 51A child abuse report. Those \npersons who are required to share information are protected", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 5 of 15 \n \nfrom civil or criminal liability for providing such information \nwithout parental consent. \nCONSEQUENCES FOR VIOLATIONS OF THE REPORTING \nREQUIREMENT \nUnder Massachusetts law, any person required to make oral and \nwritten reports of suspected child abuse or neglect who fails to \ndo so and any person who knowingly files a frivolous report will \nbe subject to penalties as prescribed by law. \nBoston Public School employees required by law to report \nsuspected child abuse or neglect who fail to do so in accordance \nwith the attached procedures will be subject to discipline. \nPROHIBITION OF RETALIATION \nRetaliation against any Boston Public School student or \nemployee for filing a complaint of abuse or neglect, including a \nreport of abuse or neglect against personnel in the public school \nsystem, is strictly prohibited. \nIn accordance with both Massachusetts law and the attached \nProcedures, any Boston Public School employees who", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "system, is strictly prohibited. \nIn accordance with both Massachusetts law and the attached \nProcedures, any Boston Public School employees who \nthemselves perpetuate, inflict, or cause the abuse of any child will \nbe subject to discipline as outlined in the attached Procedures. \nATTACHMENTS: \n\u2022 Procedures for Reporting Suspected Child Abuse and \nNeglect Cases \n\u2022 Area Offices and Telephone Directory Guide for Reporting \nPurposes \n\u2022 DCF 51A Reporting Form", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 6 of 15 \n \nFor more information about this circular, contact: \nOwner: Chief of Student Support \nMailing \nAddress: 2300 Washington Street, Boston MA, 02119 \nPhone: 617-635-9000 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 7 of 15 \n \nATTACHMENT 1 \n (p. 1 of 6) \n \nPROCEDURES FOR REPORTING SUSPECTED \nCHILD ABUSE AND NEGLECT CASES \n \n1. Pursuant to Massachusetts General Law Chapter 119, Section \n51A, a mandated reporter is required to report when they has \n\u201creasonable cause to believe\u201d that a child under the age of \neighteen (18) years is suffering from abuse or neglect. Out of \nan abundance of caution, however, all school professional \nstaff in the Boston Public Schools are required to report to \nDCF any instance of neglect or abuse that they observe or \nwhich is brought to their attention. \n \n2. Upon such suspicion of abuse or neglect of a child under 18 \nyears of age, a teacher, or any other mandated reporter, will \nimmediately report their concerns to the building \nadministrator and will confer with the school nurse. Such \nabuse includes but is not limited to physical, mental, or \nemotional injury by other than accidental means (e.g.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "administrator and will confer with the school nurse. Such \nabuse includes but is not limited to physical, mental, or \nemotional injury by other than accidental means (e.g. \nbeatings, cuttings, burns, broken bones, multiple bruises). In \nthe event of suspected physical abuse, a school nurse should \nbe contacted to immediately examine and document the \nchild\u2019s physical condition. Appropriate Special Education and \nSupport Services staff should be notified of the situation \nconcerning the suspected abuse or neglect.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 8 of 15 \n \nATTACHMENT 1 \n (p. 2 of 6) \n \n3. Upon suspicion of sexual assault, please refer immediately \nto the Equity Circular on Sexual Misconduct Toward Students \n(EQT-03) and follow the reporting procedures outlined in that \ncircular. School personnel responding to sexual assault \nconcerns will obtain only basic minimal facts of the alleged \nincident. These basic facts should include: (1) when the \nincident occurred; (2) where the incident occurred; (3) who \nassaulted the student, if known; (4) the nature of the \nincident; and (5) whether there are known witnesses and/or \nother victims. In an attempt to minimize the emotional \nstress victims of abuse experience and to preserve the \nintegrity and reliability of the required DCF and law \nenforcement investigations, additional interviews and more \ndetailed probing questioning are not to be conducted by \nschool officials. A student who reports being a victim of a", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "enforcement investigations, additional interviews and more \ndetailed probing questioning are not to be conducted by \nschool officials. A student who reports being a victim of a \nsexual assault should never be asked to submit a written \nreport detailing the incident nor be asked to discuss the \nincident with the alleged perpetrator present at any time \nand under any circumstances. School personnel are \nmandated reporters but should not investigate the \nallegations or prepare a probing and/or detailed incident \nreport. \n \n4. The building administrator or designee shall compile any and \nall relevant information from school professionals with \nknowledge of the incident and student. They shall also \ncompile any and all relevant information from school records \nto be used when reporting the case to the appropriate DCF", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 9 of 15 \n \nArea Office and have all such information and records \navailable for DCF. \n \n5. The building administrator must report to DCF even if they \nbelieve that the teacher, nurse, or other mandated reporter is \nmistaken in suspecting abuse or neglect. The building \nadministrator may not substitute their judgment for that of \nany mandated reporter within the school. The failure to file \na report as mandated by law will subject the building \nadministrator (or other mandated reporter who fails to \nmeet their statutory obligations) to discipline in \naccordance with BPS employee discipline procedures. \n \n6. The building administrator or designee must immediately \ncall the DCF Screening Area Office to report the case. If the \nreport must be made after 5:00 PM, the building \nadministrator or designee must immediately call the DCF \nHotline number at 1-800-792-5200. \n \n7. The child must not be sent home from school before the", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "administrator or designee must immediately call the DCF \nHotline number at 1-800-792-5200. \n \n7. The child must not be sent home from school before the \nverbal 51A report is filed with DCF. A written report must be \nforwarded within 48 hours. \n \n8. Within 48 hours of the initial oral report, the building \nadministrator or designee will send written notification to the \nDCF Area Office via fax or via the Virtual Gateway Portal at \nMass.gov. A confidential copy of the written notification form \n(copy attached) should be retained in the office of the \nprincipal or headmaster.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 10 of 15 \n \nATTACHMENT 1 \n (p. 4 of 6) \n \n \n9. If the alleged abuser is an employee of the Boston School \nDepartment, a copy of the notification should also be \nforwarded to the BPS Office of the Labor Relations. If an \ninvestigation confirms the allegations, the offending \nemployee will be subject to discipline in accordance with \nBPS employee discipline procedures. \n \n10. The building administrator, in consultation with others as \nnecessary, will decide how, when, and by whom the family, \nincluding the child who is suspected of being abused or \nneglected, will be notified of this report. Although the school \nis not required by law to notify the family, such notification is \nrecommended. In deciding whether to notify, the building \nadministrator and others should consider whether \nnotification will create a substantial risk to the student\u2019s \nhealth, safety, or welfare. DCF and the police and the", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "administrator and others should consider whether \nnotification will create a substantial risk to the student\u2019s \nhealth, safety, or welfare. DCF and the police and the \nDepartment of Social Work can provide consultation in \nmaking this determination to ensure the child\u2019s safety and \nwell-being. \n \n11. DCF investigators, who report to the school in order to \nconduct one phase of their investigation, should be required \nto identify themselves and to verify their assignment to the \ncase. School-based staff should encourage them to interview \nthe child at home in the presence of the parent or caregiver, \nunless the 51A has been filed against the parent. In this latter \ncase, the interview of the child may be conducted in school \nin the presence of the building administrator or designee.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 11 of 15 \n \nATTACHMENT 1 \n (p. 5 of 6) \n \n \n12. Within sixty (60) days of filing a report, the building \nadministrator should receive a feedback report from DCF \ndetailing the department\u2019s findings and specifying the social \nservices that the department intends to offer the child. This \nfeedback report may be used to plan further collaboration \nwith other professionals assisting the family. \n \n13. Certain cases that the schools report to DCF (sexual abuse \nand exploitation, serious physical abuse, and some others) \nwill also be referred by DCF to the local police and the District \nAttorney\u2019s Office for investigation. In these circumstances, \nthese agencies will typically conduct a multidisciplinary team \ninvestigation. This investigation will typically include an \ninterview with the alleged victim(s), alleged perpetrators(s), \nand witness(es). Relevant investigative information will be \nprovided to the school when appropriate, and as permitted", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "interview with the alleged victim(s), alleged perpetrators(s), \nand witness(es). Relevant investigative information will be \nprovided to the school when appropriate, and as permitted \nby law. \n \n14. Throughout the reporting, investigation, and follow-up \nprocess, school documentation must be done in a way that \nensures confidentiality. Accordingly, reports of suspected \nabuse or neglect will not be part of a child\u2019s educational \nrecord, but will instead be kept separately. The school will \nmaintain files of the 51A reports of suspected abuse or \nneglect for no more than five years.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 12 of 15 \n \nATTACHMENT 1 \n (p. 6 of 6) \n \n15. When a building administrator seeks to remove a child from \nschool because of, for example, a disciplinary emergency \nremoval or illness, a parent may not always be available to \npick the child up. Other childcare, eldercare, school or work \nresponsibilities, or lack of transportation may delay or \nprevent a parent from being able to immediately pick up the \nchild from school. This is not, on its own, a reportable matter. \nMaintaining the child\u2019s safety at school or ensuring that the \nchild has a safe way to return home is the building \nadministrator\u2019s responsibility. \n \n16. Importantly, a special education dispute is not, on its own, a \nreportable matter. A parent disagreeing with school staff\u2019s \nopinions that a child needs a particular special education \nplacement, service, or evaluation is not a reportable matter. \nIn such situations, school staff should contact the assigned", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "opinions that a child needs a particular special education \nplacement, service, or evaluation is not a reportable matter. \nIn such situations, school staff should contact the assigned \nspecial education district assistant program director. \n \n17. Each school building will designate a representative who will \nensure that, in the event of the building administrator\u2019s \nabsence, the above reporting procedures are followed as \nrequired by law. School Health will make arrangements for \nemergency nursing staff coverage so that the required \ninvestigation, discussed above, will begin before the end of \nthe day.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 13 of 15 \n \nEMERGENCY PROTOCOL \n \nIn the event of a clear emergency where the life or safety of a child \nis in imminent danger, the building administrator, designee, or \nother mandated reporter should immediately notify the \nappropriate DCF Area Office and file the required 51A Report. \nAfter 5:00 PM, the school official should use the Massachusetts \nChild Abuse Emergency Hotline, at 1-800-792-5200. A written \nreport must be filed within forty-eight hours. \n \nMassachusetts General Laws Chapter 119, Section 51B(3) authorizes \nthe Department of Children and Families to take a child into \nimmediate temporary custody, without parental permission or \nprior notice, if the department has reasonable cause to believe \nthat this action is necessary to protect the child from further \nabuse or neglect. Emergency responses by the Department of \nChildren and Families may include law enforcement, \ndepending upon the nature of the incident reported. If DCF", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "abuse or neglect. Emergency responses by the Department of \nChildren and Families may include law enforcement, \ndepending upon the nature of the incident reported. If DCF \nseeks to exercise this authority in the school setting, the building \nadministrator shall: \n \n1. Verify the DCF representative\u2019s identification and retain a copy \nof the identification in the student record \n \n2. Contact the DCF representative\u2019s immediate supervisor to verify \nthe need for the DCF action \n \n3. Maintain a log, which should be filed with the office copy of \nthe 51A report, of the action, the DCF employee(s) involved, and \nthe DCF Area Office involved; and provide any other pertinent \ninformation related to the suspected abuse or neglect.", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 14 of 15 \n \n \nATTACHMENT 2 \n \n \nDEPARTMENT OF CHILDREN AND FAMILIES \nBoston-Brookline Region Area Directory \n \nBoston Regional Office \n1785 Columbus Ave. Fifth Floor \nRoxbury, MA 02119-1041Local Number: (617) 989-9200 \nFax Number: (617) 989-9250 \n \nHyde Park Area Office \n1530 River Street \nHyde Park, MA 02136 \nLocal Number: (617) 363-5000 \nFax Number: (617) 363-5175 \n \nDimock Street Area Office \n30 Dimock Street \nRoxbury, MA 02119 \nLocal Number: (617) 989-2800 \nFax Number: (617) 445-9147 \n \nPark Street Area Office \n50 Park Street \nDorchester, MA 02122 \nLocal Number: (617) 822-4700 \nFax Number: (617) 282-1019", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "content": "Superintendent\u2019s Circular SUP-20 \nPage 15 of 15 \n \nHarbor Area Office \n80 Everett Avenue, Suite 100Chelsea, MA 01250 \nLocal Number: (617) 660-3400 \nFax Number: (617) 884-0215 \n \n \nBOSTON POLICE DEPARTMENT \u2013 FAMILY JUSTICE CENTER \n(Formerly the Sexual Assault Unit) \n \nMain Number: (617) 343-4400 \n \nSUFFOLK COUNTY DISTRICT ATTORNEY\u2019S OFFICE \n \nMain Number: (617) 619-4000 \nChild Abuse Unit: (617) 619-4300 \n \n \n \n \nATTACHMENT 3 \n \nDCF 51A Reporting Form", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019sCircular\nNUMBER:SUP-19Version01\nDE-ESCALATION, PHYSICALRESTRAINT,SECLUSIONANDTIME-OUTPOLICY\nThisCircularwillremainineffectunlessrescindedorsupersededbyasubsequentversion.\nI. INTRODUCTIONThepurposeof this circular is toensurethat every studentparticipatinginaBostonPublic Schools programis freefromtheuseof physical restraint inconsistent withstatelawanddistrictpolicy andtoensurethat physical restraint is usedonly inemergency situations of last resort, after other lawful andlessintrusivealternatives havefailedor beendeemedinappropriate,andwithextremecaution. Thepurposeof thecircular is alsotostatethat theuseof seclusionis prohibitedby lawandintheBostonPublic Schools. This circular is consistent withregulationsestablishedby theMassachusetts Department of Elementary andSecondary Education, 603 CMR46.00andwithschool districtpolicy.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "TheMassachusetts Department of Elementary andSecondaryEducationestablishedregulations governingtheuseof physicalrestraints onstudents. Theseregulations supersedeall previouslyestablishedprocedures. TheBostonPublic Schools must followtheprovisions of 603 CMR46.00, whichregulates physicalrestraint onstudents inMassachusetts public school districts,charter schools, andcollaborativeandspecial educationschools.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page2 of 35", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Physical restraint shouldbeadministeredonly whenneededtoprotect astudent or other students andstaff fromassault orimminent danger of serious physical harm. Physical restraintshouldbeadministeredintheleast intrusivemanner possibleandshouldbeusedtoprevent or minimizeharmtothestudent.BostonPublic Schools does not useSeclusion. Seclusionshallmeantheinvoluntary con\ufb01nement of astudent aloneinaroomor areafromwhichthestudent is physically preventedfromleaving. Seclusiondoes not includeatime-out, whichshall meanabehavioral support strategy developedpursuant to603 CMR46.04(1) inwhichastudent temporarily separates fromthelearningactivity or theclassroom, either by choiceor by directionfromstaff, for thepurposeof calming. Duringtime-out, astudentmust becontinuously observedby astaff member. Staff shall bewiththestudent or immediately availabletothestudent at alltimes. Thespaceusedfor time-out must beclean, safe, sanitary,andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "shall bewiththestudent or immediately availabletothestudent at alltimes. Thespaceusedfor time-out must beclean, safe, sanitary,andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas thestudent has calmedandnotime-out canexceed30minutes without theexpress approval of theSchool Leader ortheir designee.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "II. DEFINITIONS\nMechanical restraint shall meantheuseof any physical deviceorequipment torestrict astudent's freedomof movement.Mechanical restraint does not includedevices implementedbytrainedschool personnel, or utilizedby astudent that havebeenprescribedby anappropriatemedical or relatedservicesprofessional, andareusedfor thespeci\ufb01c andapproved", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page3 of 35\npositioningor protectivepurposes for whichsuchdevices weredesigned. Examples of suchdevices include: adaptivedevices ormechanical supports usedtoachieveproper body position,balance, or alignment toallowgreater freedomof mobility thanwouldbepossiblewithout theuseof suchdevices or mechanicalsupports; vehiclesafety restraints whenusedas intendedduringthetransport of astudent inamovingvehicle; restraints formedical immobilization; or orthopedically prescribeddevices thatpermit astudent toparticipateinactivities without riskof harm.*BPSprohibits this typeof restraint*\nMedicationrestraint shall meantheadministrationofmedicationfor thepurposeof temporarily controllingbehavior.Medicationprescribedby alicensedphysicianandauthorizedbytheparent/guardianfor administrationintheschool settingis notmedicationrestraint. *BPSprohibits this typeof restraint*", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Physical escort shall meanatemporary touchingor holding,without theuseof force, of thehand, wrist, arm, shoulder, orbackfor thepurposeof inducingastudent whois agitatedtowalktoasafelocation.\nPhysical restraint shall meandirect physical contact thatprevents or signi\ufb01cantly restricts astudent's freedomofmovement. Physical restraint does not include: brief physicalcontact topromotestudent safety, providingphysical guidanceor promptingwhenteachingaskill, redirectingattention,providingcomfort, or aphysical escort.\nPronerestraint shall meanaphysical restraint inwhichastudentis placedfacedownonthe\ufb02oor or another surface, andphysical", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page4of 35\npressureis appliedtothestudent's body tokeepthestudent intheface-downposition. *BPSprohibits this typeof restraint*\nSeclusionshall meantheinvoluntary con\ufb01nement of astudentaloneinaroomor areafromwhichthestudent is physicallypreventedfromleaving. Seclusiondoes not includeatime-out asde\ufb01nedin603 CMR46.02. *Seclusionis prohibitedinpublicschools andinBPS*", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Time-out shall meanabehavioral support strategy developedpursuant to603 CMR46.04(1) inwhichastudent temporarilyseparates fromthelearningactivity or theclassroom, either bychoiceor by directionfromstaff, for thepurposeof calming.Duringtime-out, astudent must becontinuously observedby astaff member. Staff shall bewiththestudent or immediatelyavailabletothestudent at all times. Thespaceusedfor time-outmust beclean, safe, sanitary, andappropriatefor thepurposeofcalming. Time-out shall ceaseas soonas thestudent has calmedandnotime-out canexceed20minutes without theexpressapproval of theSchool Leader or their designee.\nIII. PHYSICALRESTRAINTPROCEDURES\nA. METHODSFORPREVENTINGVIOLENCEANDENGAGINGPARENTS/GUARDIANS\nTheBPSBehavioral HealthServices department has schoolpsychologists assignedtoall BPSschools andhas socialworkers that providedistrict-wideservices. TheBehavioral", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page5 of 35\nHealthServices department provides awidecontinuumofbehavioral healthservices includingprevention, at-riskandintensiveservices. Inaddition, theBehavioral HealthServicesteamis themental healthcrisis responseteamfor thedistrict andworks witheducational staff toidentify andrespondtounsafesituations.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Inaddition, BPShas developedamulti-tieredsystemofsupports for preventingstudent violence, self-injuriousbehavior, andsuicide, includingindividual crisis planningandde-escalationof potentially dangerous behavioroccurringamonggroups of students or withanindividualstudent. TheComprehensiveBehavioral HealthModel(CBHM) is amulti-tieredsystemof supports (MTSS) designedtopromotestudents' social, emotional, andbehavioralwellbeing. MTSSis athree-tier model of servicedelivery foreducational andbehavioral services inaschool setting. Thismodel is alsooftencalledResponsetoIntervention(RtI). InBPS, theAcademic Achievement Framework(AAF) is aversionof RtI focusedonstudents' social andbehaviorallearning. CBHMis focusedonstudents' social andbehaviorallearning. Thegoal of theCBHMLighthousemodel is tocreatesafeandsupportivelearningenvironments inwhichstudents may growandthriveacademically, personally, andsocially. This includes providingtheright amount of servicesandsupports at theright timewhenastudent", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "inwhichstudents may growandthriveacademically, personally, andsocially. This includes providingtheright amount of servicesandsupports at theright timewhenastudent absolutelyneeds them.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Thesemodels arebasedonthelogic that themajority ofstudents canandwill besuccessful whenprovidedwithevidence-informedinstructionandpreventative", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page6of 35\ninterventions. Appropriateinterventions andtheuseof datatoassess progress helpensurethat students whobene\ufb01tfromprogressively moreintensiveservices will not needthemover thelong-term.\nBPSengages withparents andcaregivers at aschool level,throughtheGuidefor Families andStudents andthroughtheSpecial EducationParent Advisory Council (or SEPAC) toengageparents andcaregivers indiscussions about restraintpreventionandtheuseof restraint solely as anemergencyprocedure.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "B. USEOFRESTRAINTPhysical restraint shouldbeadministeredonly whenneededtoprotect astudent or other students andstaff fromassaultor imminent serious physical harm. Physical restraint canonly beusedas alast resort inanemergency whenastudent\u2019s behavior poses athreat of imminent, seriousphysical harmtohimself or herself or others, andthestudent does not respondtoverbal directives or other lawfulandless intrusivebehavior interventions, or suchinterventions aredeemedinappropriateunder thecircumstances. Physical restraint shall belimitedtotheuseof suchreasonableforceas is necessary, for theleastamount of timenecessary, toprotect astudent or anothermember of theschool community fromassault or imminent,serious, physical harm. Aphysical restraint may only be", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page7of 35\nadministeredby school personnel whohavebeenproperlytrainedintheuseof physical restraint.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "C. USEOFTIME-OUTSeclusiondoes not includeatime-out. Atime-out is not arestraint. Atime-out is abehavioral support strategy inwhichastudent temporarily separates fromthelearningactivity or theclassroom, either by choiceor by directionfromstaff, for thepurposeof calming. Time-outs arepermittedas abehavioral strategy if thestudent is withastaff member or is continuously observedby astaff memberwhois immediately availabletothestudent at all times. Thespaceusedfor time-out must beclean, safe, sanitary, andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas thestudent has calmed. Time-out may not beusedfor disciplineor punishment. Thepreferenceis fortime-out tobeimplementedwithinaclassroomtothegreatest extent possible. Staff must document inAspentheantecedent behavior prior tothetime-out, any otherbehavioral support strategies attempted, andthetime, date,durationandlocationof any time-out usedas abehavioralsupport strategy. Theschool leader must giveanddocument approval for", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "any otherbehavioral support strategies attempted, andthetime, date,durationandlocationof any time-out usedas abehavioralsupport strategy. Theschool leader must giveanddocument approval for any time-out tocontinuemorethan30minutes basedontheindividual student's continuingagitation.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page8of 35\nD. OTHERLIMITATIONSONUSEOFRESTRAINTPhysical restraint shall belimitedtousingsuchreasonableforceas is necessary toprotect astudent or anothermember of theschool community fromassault or imminent,serious, physical harm. 603 CMR46.03(3).\nInstances whenrestraint is not tobeused:\n1. Physical restraint is not tobeusedas ameans ofdisciplineor punishment. 603 CMR46.03(2)(a).\n2. Physical restraint is not tobeusedwhenthestudentcannot besafely restrainedbecauseit is medicallycontraindicatedfor reasons includingbut not limitedtoasthma, seizures, cardiac condition, obesity, bronchitis,communication-relateddisabilities, or riskof vomiting.603 CMR46.03(2)(b).", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "3. Physical restraint is not tobeusedas aresponsetothedestructionof property, school disruption, refusal of thestudent tocomply withpublic educationprogramrulesor staff directive, or verbal threats whenthoseactionsdonot constituteathreat of assault, or imminent,serious, physical harm. 603 CMR46.03(2)(c).\n4. Physical restraint shouldnot beusedas astandardresponsefor any individual student. Nowrittenindividual behavior planor individualizededucationprogram(IEP) may includetheuseof physical restraint", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page9of 35\nas astandardresponsetoany behavior. 603 CMR46.03(2)(d).\n5. BostonPublic Schools prohibits thefollowingforms ofrestraint: mechanical, medication, seclusion, prone, andpronerestraints.\nNothinginthis document, or in603 CMR46.00, prohibits:\n1. theright of anindividual toreport toappropriateauthorities acrimecommittedby astudent or anotherindividual.\n2. lawenforcement, judicial authorities, or school securitypersonnel fromexercisingtheir responsibilities,includingthephysical detainment of astudent or otherpersons allegedtohavecommittedacrimeor posingasecurity risk.\n3. theexerciseof anindividual\u2019s responsibilities as amandatedreporter of childabuse/neglect accordingtoMGLc. 119, s 51Atotheappropriatestateagency.\n4. theprotectionaffordedpublicly fundedstudents underother stateor federal laws, includingthoselaws thatprovidefor therights of students whohavebeenfoundeligibletoreceivespecial educationor relatedservices.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page10of 35", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "E. PROPERADMINISTRATIONOFPHYSICALRESTRAINT\u25cf Restraint must beimplementedonly by trainedandactively certi\ufb01edpersonnel. Whenever possible, therestraint shall bewitnessedby at least onepersonwhodidnot engageintherestraint. As anexception, intheevent of anemergency situationwherenotrainedstaffareavailabletoprotect students andstaff fromimminentharm, therestraint may beimplementeduntil properlytrainedstaff havearrived.\u25cf Restraints must beimplementedinaway that does notprevent astudent frombreathingor speaking.\u25cf Theuseof unnecessary forceinadministeringphysicalrestraint is expressly prohibited. Interveningstaff canuseonly theamount of forcenecessary toprotect thestudents or others fromphysical injury. Staff shall selectthesafest andleast intrusivemethodthat is likely tobeeffectivefor thestudent.\u25cf If astudent indicates or is observedtobeinsigni\ufb01cantphysical distress (dif\ufb01culty breathing, signs or indicatorsof painor discomfort, changeincolor or alertness, etc.),thestudent shall", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "thestudent.\u25cf If astudent indicates or is observedtobeinsigni\ufb01cantphysical distress (dif\ufb01culty breathing, signs or indicatorsof painor discomfort, changeincolor or alertness, etc.),thestudent shall bereleasedimmediately, andmedicalassistanceshouldbesought.\u25cf Students shall bereleasedfromphysical restraint as soonas it is safetodoso, meaningthat thestudent is nolonger adanger tothemselves or others and/or aplanhasbeenmadetomanagethestudent safely without havingtousephysical management.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page11 of 35\n\u25cf Intherareevent that astudent is incrisis for morethan20minutes, restraints over 20minutes must haveapproval fromtheschool leader. Theschool leader mustdocument that approval was grantedfor anyrestraintover 20minutes.\u25cf Followupprocedures followingrestraint must beimplemented. Theseincludeadebrief withthestudent (ifappropriate), areviewof theincident withstaff, andanyneededfollowupwithstudent witnesses.\u25cf Theschool nurseshouldassess thestudent\u2019s physicalconditionafter any restraint.\nF. SAFETYREQUIREMENTSPursuant to603 CMR46.05(5), thefollowingis required:\n1. Arestraint shall not beadministeredinamanner thatprevents thestudent fromspeakingor breathing.\n2. Arestraint shall beadministeredinsuchaway toprevent or minimizephysical harm.\n3. Duringarestraint, astaff member shall continuouslymonitor thephysical status of thestudent includingskintemperatureandcolor, andrespiration.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "3. Duringarestraint, astaff member shall continuouslymonitor thephysical status of thestudent includingskintemperatureandcolor, andrespiration.\n4. If at any timeduringtherestraint thestudentexpresses or demonstrates signi\ufb01cant physical distressincluding, but not limitedto, dif\ufb01culty breathing, therestraint will immediately terminate, andmedicalassistancewill besought.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page12 of 35\n5. Programstaff will reviewandconsider any knownmedical or psychological limitations, knownorsuspectedtraumahistory, and/or behavioralinterventionplans regardingtheuseof physicalrestraint onanindividual student.\n6. Duringarestraint, staff will continuously talktoandengagethestudent inanattempt tode-escalatebehavior andtoendtherestraint as soonas possible.\n7. Staff administeringphysical restraint will usethesafestmethodavailablethat is appropriatetothesituation.\n8. If astudent is restrainedfor aperiodlonger than20minutes, programstaff shall obtainapproval fromtheschool leader. Theapproval shall bebaseduponthestudent\u2019s continuedagitationduringtherestraintjustifyingtheneedfor continuedrestraint.\n9. After thereleaseof astudent fromrestraint, theincident, whenapplicable, will bereviewedwiththestudent andthebehavior that leduptotherestraintwill beaddressed.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "9. After thereleaseof astudent fromrestraint, theincident, whenapplicable, will bereviewedwiththestudent andthebehavior that leduptotherestraintwill beaddressed.\n10. Thestaff person(s) whoadministeredtherestraintwill alsohaveareviewtodiscuss whether properrestraint procedures werefollowedandconsiderwhether any follow-upis appropriatefor students whowitnessedtheincident.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page13 of 35\nIV. REPORTINGREQUIREMENTS\nA. FOLLOWINGEACHRESTRAINT\nFollowingtheuseof any physical interventionof anydurationthat meets thede\ufb01nitionof physical restraint underDESEregulations, several steps must betakentonotifyappropriateparties andreport therestraint inbothBPSandDESEsystems:\n\u25cf NotifySchool Administration: Notify schooladministrationverbally as soonas possible, andprovidewrittenreport by thenext school workingday. Intheevent that theschool leader was involvedintherestraint, therestraint must bereportedtotheSchoolSuperintendent or Operational Leader withinthesametimeline.\n\u25cf NotifyParents/Guardians: Theschool leader ordirector of theprogramnoti\ufb01es theparent/guardianverbally as soonas possible(by theendof theday ofincident), andby writtenreport inthelanguageof thehometoanemail providedby theparent/guardianorby regular mail postmarkedwithin3 workingdays oftheincident. Thewrittenreport shall include:", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "\u25cb Student information, thenames of thoseinvolvedintherestraint, andobserver names (if any). Thereport will alsoincludethenameof theadministrator noti\ufb01edif theevent went beyond20minutes.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page14of 35\n\u25cb Dateandtimeof therestraint, includingbeginningandendingtimesAbrief summary oftheevent inprogress at thetimeof restraint, theimmediateantecedent tothechallengingbehavior, efforts/attempts at de-escalation, anyalternatives torestraint tried, anddocumentationof any injuries tostaff or students. Thesummaryshouldalsoincludedescriptionof theholds usedandwhy they werenecessary, any reactionof thestudent totherestraint, howtherestraint ended.\n\u25cb Any further actions takenby theschool,opportunities for theparent/guardiantodiscusstherestraint, any consequences that may beimposedonthestudent, or any other relatedmatter.\nImportant note: Theschool leader will print acopyofthesamereport submittedtoDESE(see\u201cReport toDESE\u201d below) as writtendocumentationof therestraint andemail or mail it totheparent/guardian.Thereport toDESEshouldcontaintherequiredinformationlistedabove.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "\u25cf RecordinAspen: aconduct incident must berecordedinAspenwithin24hours, detailingattempts tode-escalate, providelimits, typeof restraint usedandduration. Theuseof restraint shouldbeaddedas aconduct actionof \u201cRestraint-Physical.\u201d\n\u25cf Report toDESE: all restraints must alsobereportedtoDESEviatheDESESecurity Portal", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page15 of 35\n(https://gateway.edu.state.ma.us/edu/myportal/meoe)withinthreebusiness days. Theschool leader isresponsiblefor ensuringthat all reportingtimelines areadheredtoandthat therestraint is uploadedtotheportal inatimely manner.\n\u25cb Intheevent of aninjury duringrestraint, acopy ofthewrittenreport must besent toDESEwithinthreeschool workingdays. Inaddition, theschoolmust alsosendthecopy of therecordof restraintsmaintainedby theschool leader for the30-dayperiodbeforethedateof thereportedincident.Theprogramwill benoti\ufb01edof any additionalsteps neededwithin30calendar days of receipt ofthereports.\nB. DATAREVIEW\n1. Individual Student Review\nTheschool leader shall conduct aweekly reviewof thedatatoidentify any students whohavebeenrestrainedmultipletimes that week. If students areidenti\ufb01edashavingbeeninvolvedinmultiplerestraints inaweek, theschool leader will conveneasupport teamto:", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "(a) reviewanddiscussionof thewrittenreportssubmittedinaccordancewith603 CMR46.06andanycomments providedby thestudent andparent/guardianabout suchreports andtheuseof therestraints;", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page16of 35\n(b) ananalysis of thecircumstances leadinguptoeachrestraint, includingfactors suchas timeof day, day oftheweek, antecedent events, andindividuals involved;\n(c) considerationof factors that may havecontributedtoescalationof behaviors, considerationof alternativestorestraint, includingde-escalationtechniques andpossibleinterventions, andsuchother strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture;\n \n(d) agreement onawrittenplanof actionby theprogram.\n*Iftheschoolleaderdirectlyparticipatedintherestraint,adulyquali\ufb01edindividualdesignatedbythesuperintendentorboardoftrusteesshallleadthereviewteam'sdiscussion.TheschoolleadershallensurethatarecordofeachindividualstudentreviewismaintainedandmadeavailableforreviewbytheDepartmentortheparent/guardian,uponrequest.\n2. MonthlySchool-WideReview", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "2. MonthlySchool-WideReview\nTheschool leader will completeamonthly reviewof allschool-widerestraint data. Thereviewshouldlookforpatterns liketimeof day or day of week, individualsinvolved, types of restraints or durations for speci\ufb01cstudents, durationof restraints, andthenumber andtypes of injuries. Basedonthis review, theschool leadermay decidethat updates or retrainingareneededor anyother actions neededwiththegoal of reducingor", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page17of 35\neliminatingrestraints\nV. TRAININGREQUIREMENTS\nA. FORALLSTAFF\nThelaws of MArequirethat all school district staff thatinteract withstudents receiveanannual PreventionofRestraint andSeclusionandDe-EscalationTraining. Torespondtothis requirement BPShas createdanasynchronous onlinelearningmoduleconsistent with603CMR46.04(2). Thetrainingmust becompletedwithinthemonthof September of every school year. For employeeshiredafter thebeginningof theschool year, thetrainingmust becompletedwithinthe\ufb01rst monthof their hire.\nEachschool leader shall determineatimeandmethodtoprovideall programstaff withtrainingregardingtheprogram's restraint preventionandbehavior support policyandrequirements whenrestraint is used.\nTrainingshall includeinformationonthefollowing:\n(a) Theroleof thestudent, family, andstaff inpreventingrestraint;", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Trainingshall includeinformationonthefollowing:\n(a) Theroleof thestudent, family, andstaff inpreventingrestraint;\n(b) Theprogram's restraint preventionandbehaviorsupport policy andprocedures, includinguseoftime-out as abehavior support strategy distinct fromseclusion;\n(c) Interventions that may precludetheneedfor", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page18of 35\nrestraint, includingde-escalationof problematicbehaviors andother alternatives torestraint inemergency circumstances;\n(d) Whenbehavior presents anemergency thatrequires physical restraint, thetypes of permittedphysical restraints andrelatedsafety considerations,includinginformationregardingtheincreasedriskofinjury toastudent whenany restraint is used, inparticular arestrainof extendedduration;\n(e) Administeringphysical restraint inaccordancewithmedical or psychological limitations, knownorsuspectedtraumahistory, and/or behavioralinterventionplans applicabletoanindividual student;and\n(f) Identi\ufb01cationof programstaff whohavereceivedin-depthtrainingpursuant to603 CMR46.04(3) intheuseof physical restraint\nBelowis thelinktothetraining.\nDe-escalationtraininglink\nB. FORALLSTAFFAUTHORIZEDTOSERVEASASCHOOL-WIDERESOURCEONTHEPROPERADMINISTRATIONOFPHYSICALRESTRAINT", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Belowis thelinktothetraining.\nDe-escalationtraininglink\nB. FORALLSTAFFAUTHORIZEDTOSERVEASASCHOOL-WIDERESOURCEONTHEPROPERADMINISTRATIONOFPHYSICALRESTRAINT\nAt thebeginningof eachschool year, school leaders arerequiredtoidentify programstaff whoareauthorizedtoserveas aschool-wideresourcetoassist inensuringproperadministrationof physical restraint. Theseindividuals will", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page19of 35\nparticipateinin-depthtrainingintheuseof physicalrestraint. Suchtrainingwill includethecontent describedin603 CMR46.04(4) andbecompetency-basedandbeat leastsixteen(16) hours inlengthwithat least onerefreshertrainingoccurringannually thereafter. This trainingwill beintheSafety CareProgramandprovidedby theOf\ufb01ceof SocialWorkDepartment or Special Education. Staff canregister forSafety CaretrainingonVector.\nOnly public educationprogrampersonnel whohavereceivedSafety Caretrainingshall administer physicalrestraint onstudents. Whenever possible, theadministrationof restraint shall bewitnessedby at least oneadult whodoes not participateintherestraint. However, thetrainingrequirements shall not precludeateacher, employee, oragent of thepubliceducationprogramfromusingreasonableforcetoprotect students, other persons, orthemselves fromassault or imminent, serious physicalharm. 603CMR46.05(1)", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "C. PROPERADMINISTRATIONOFRESTRAINTPleasereviewtheProperAdministrationofRestraintinSectionIIIabove.Thissectiongivesadditionaldetailsdirectlyfromthestateregulations.\n1. TrainedPersonnel. Only public educationprogrampersonnel whohavereceivedtrainingpursuant to603CMR46.03(2) or (3) shall administer physical restraintonstudents. Whenever possible, theadministrationof", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page20of 35\narestraint shall bewitnessedby at least oneadult whodoes not participateintherestraint. Thetrainingrequirements shall not precludeateacher, employeeoragent of apublic educationprogramfromusingreasonableforcetoprotect students, other persons orthemselves fromassault or imminent, serious, physicalharm.\n2. Useof Force. Apersonadministeringaphysicalrestraint shall useonly theamount of forcenecessarytoprotect thestudent or others fromserious physicalinjury or harm.\n3. Safest Method. Apersonadministeringphysicalrestraint shall usethesafest methodavailableandappropriatetothesituationsubject tothesafetyrequirements set forthin603 CMR46.05(5). Floorrestraints, includingpronerestraints otherwisepermittedunder 603 CMR46.03(1)(b), shall beprohibitedinBostonPublic Schools.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "4. Durationof Restraint. All physical restraint must beterminatedas soonas thestudent is nolonger animmediatedanger tohimself or others, or thestudentindicates that heor shecannot breathe, or if thestudent is observedtobeinseveredistress, suchashavingdif\ufb01culty breathing, or sustainedor prolongedcryingor coughing.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page21 of 35\n5. SafetyRequirements. Additional requirements for theuseof physical restraint:\n(a) Norestraint shall beadministeredinsuchawaythat thestudent is preventedfrombreathingorspeaking. Duringtheadministrationof arestraint,astaff member shall continuously monitor thephysical status of thestudent, includingskintemperatureandcolor, andrespiration.\n(b) Restraint shall beadministeredinsuchaway soas toprevent or minimizephysical harm. If, at anytimeduringaphysical restraint, thestudentexpresses or demonstrates signi\ufb01cant physicaldistress including, but not limitedto, dif\ufb01cultybreathing, thestudent shall bereleasedfromtherestraint immediately, andschool staff shall takesteps toseekmedical assistance.\n(c) If astudent is restrainedfor aperiodlonger than20minutes, programstaff shall obtaintheapproval of theprincipal. Theapproval shall bebaseduponthestudent's continuedagitationduringtherestraint justifyingtheneedforcontinuedrestraint.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "(d) Programstaff shall reviewandconsider anyknownmedical or psychological limitations,knownor suspectedtraumahistory, and/orbehavioral interventionplans regardingtheuseofphysical restraint onanindividual student.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page22 of 35\n(e) After thereleaseof astudent fromarestraint, thepublic educationprogramshall implementfollow-upprocedures. Theseprocedures shallincludereviewingtheincident withthestudent toaddress thebehavior that precipitatedtherestraint, reviewingtheincident withthestaffperson(s) whoadministeredtherestraint todiscuss whether proper restraint procedures werefollowed, andconsiderationof whether anyfollow-upis appropriatefor students whowitnessedtheincident.\nD. REPORTINGREQUIREMENTS\nPleasereviewtheReportingRequirementsinSectionIVabove.Thissectiongivesadditionaldetailsdirectlyfromthestateregulations.\n1. Circumstances under whichaphysical restraint mustbereported. Programstaff shall report theuseof anyphysical restraint as speci\ufb01edin603 CMR46.06(2).", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "1. Circumstances under whichaphysical restraint mustbereported. Programstaff shall report theuseof anyphysical restraint as speci\ufb01edin603 CMR46.06(2).\n2. InformingthePrincipal. Theprogramstaff memberwhoadministeredtherestraint shall verbally informtheSchool Leader of therestraint as soonas possible, andby writtenreport nolater thanthenext school workingday. Thewrittenreport shall beprovidedtotheSchoolLeaderfor reviewof theuseof therestraint. If theSchool Leaderhas administeredtherestraint, theSchool Leadershall preparethereport andsubmit it to", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page23 of 35\nanindividual or teamdesignatedby thesuperintendent or boardof trustees for review. TheSchool Leadershall maintainanon-goingrecordof allreportedinstances of physical restraint, whichshall bemadeavailablefor reviewby theDepartment or thestudent's parent/guardian, uponrequest.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "3. InformingParents/Guardians. TheSchool Leadershallmakereasonableefforts toverbally informthestudent's parent/guardianof therestraint within24hours of theevent, andshall notify theparent/guardianby writtenreport sent either withinthreeschoolworkingdays of therestraint toanemail addressprovidedby theparent/guardianfor communicationsabout thestudent, or by regular mail postmarkednolater thanthreeschool workingdays of therestraint. Iftheprogramcustomarily provides aparent/guardianofastudent withreport cards andother necessaryschool-relatedinformationinalanguageother thanEnglish, thewrittenrestraint report shall beprovidedtotheparent/guardianinthat language. TheSchoolLeader shall providethestudent andtheparent/guardiananopportunity tocomment orally andinwritingontheuseof therestraint andoninformationinthewrittenreport.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "4. Contents of Report. Thewrittenreport requiredby 603CMR46.06(2) and(3) shall include: (a) Thenameof thestudent; thenames andjobtitles of thestaff whoadministeredtherestraint, andobservers, if any; thedateof therestraint; thetimetherestraint beganand", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page24of 35", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "ended; thenameof theSchool Leader or designeewhowas verbally informedfollowingtherestraint; and, asapplicable, thenameof theSchool Leader or designeewhoapprovedcontinuationof arestraint beyond20minutes pursuant to603 CMR46.05(5)(c). (b) Adescriptionof theactivity inwhichtherestrainedstudent andother students andstaff inthesameroomor vicinity wereengagedimmediately precedingtheuseof physical restraint; thebehavior that promptedtherestraint; theefforts madetoprevent escalationofbehavior, includingthespeci\ufb01c de-escalationstrategiesused; alternatives torestraint that wereattempted; andthejusti\ufb01cationfor initiatingphysical restraint. (c) Adescriptionof theadministrationof therestraintincludingtheholds usedandreasons suchholds werenecessary; thestudent's behavior andreactions duringtherestraint; howtherestraint ended; anddocumentationof injury tothestudent and/or staff, ifany, duringtherestraint andany medical careprovided. (d) Informationregardingany furtheraction(s) that theschool has", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "howtherestraint ended; anddocumentationof injury tothestudent and/or staff, ifany, duringtherestraint andany medical careprovided. (d) Informationregardingany furtheraction(s) that theschool has takenor may take,includingany consequences that may beimposedonthestudent. (e) Informationregardingopportunities forthestudent's parent/guardiantodiscuss withschoolof\ufb01cials theadministrationof therestraint, anyconsequences that may beimposedonthestudent,andany other relatedmatter.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "5. Individual Student Review. TheSchool Leader shallconduct aweekly reviewof restraint datatoidentify", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page25 of 35", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "students whohavebeenrestrainedmultipletimesduringtheweek. If suchstudents areidenti\ufb01ed, theSchool Leadershall conveneoneor morereviewteamsas theSchool Leader deems appropriatetoassess eachstudent's progress andneeds. Theassessment shallincludeat least thefollowing: (a) reviewanddiscussionof thewrittenreports submittedinaccordancewith603 CMR46.06andany comments providedby thestudent andparent/guardianabout suchreports andtheuseof therestraints; (b) ananalysis of thecircumstances leadinguptoeachrestraint, includingfactors suchas timeof day, day of theweek,antecedent events, andindividuals involved; (c)considerationof factors that may havecontributedtoescalationof behaviors, considerationof alternatives torestraint, includingde-escalationtechniques andpossibleinterventions, andsuchother strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture; (d) anagreement onawrittenplanof actionby theprogram.If theSchool Leader directly", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture; (d) anagreement onawrittenplanof actionby theprogram.If theSchool Leader directly participatedintherestraint, aduly quali\ufb01edindividual designatedbythesuperintendent or boardof trustees shall leadthereviewteam's discussion. TheSchool Leader shallensurethat arecordof eachindividual student reviewis maintainedandmadeavailablefor reviewby theDepartment or theparent/guardian, uponrequest.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "6. AdministrativeReview. TheSchool Leader shallconduct amonthly reviewof school-widerestraint data.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page26of 35\nThis reviewshall consider patterns of useof restraintsby similarities inthetimeof day, day of theweek, orindividuals involved; thenumber anddurationofphysical restraints school-wideandfor individualstudents; thedurationof restraints; andthenumberandtypeof injuries, if any, resultingfromtheuseofrestraint. TheSchool Leader shall determinewhether itis necessary or appropriatetomodify theschool'srestraint preventionandmanagement policy, conductadditional staff trainingonrestraint reductionorpreventionstrategies, suchas trainingonpositivebehavioral interventions andsupports, or takesuchother actionas necessary or appropriatetoreduceoreliminaterestraints.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "7. Report All Restraint-relatedInjuries totheDepartment.Whenaphysical restraint has resultedinaninjury toastudent or programstaff member, theprogramshallsendacopy of thewrittenreport requiredby 603 CMR46.06(4) totheDepartment postmarkednolater thanthreeschool workingdays of theadministrationof therestraint. Theprogramshall alsosendtheDepartmentacopy of therecordof physical restraints maintainedby theSchool Leader pursuant to603 CMR46.06(2) forthe30-day periodprior tothedateof thereportedrestraint.\n8. Report All Physical Restraints totheDepartment. Everyprogramshall collect andannually report datatotheDepartment regardingtheuseof physical restraints.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page27of 35\nSuchdatashall bereportedinamanner andformdirectedby theDepartment.\nVI. COMPLAINTPROCEDURE\nA. INFORMALCOMPLAINTSParents/guardians or students will notify theschool leader ordesigneeof any concerns regardingrestraint practices andprocedures. If adesigneereceives thecomplaint or aconcern, that designeeshall notify theschool leader withintheschool day. Theschool leader shall attempt, withintheirauthority, toworkwiththeparent/guardiantoresolvethecomplaint fairly andexpeditiously. If theparent/guardianisnot satis\ufb01edwiththeresolutionor does not chooseaninformal resolution, thentheparent/guardianmay proceedwiththeformal complaint process.\nB. FORMALCOMPLAINTSAcomplaint may besubmittedtotheRegional SchoolSuperintendent regardingany restraint.\nAcomplaint may besubmittedtotheProblemResolutionSystemat theMassachusetts Department of ElementaryandSecondary Educationathttps://www.doe.mass.edu/prs/intake/default.html.\nFor moreinformationor questions on:", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page28of 35\nTopic Department &Contact Email\nGeneral RestraintPolicy, DESERequirements andDocumentation\nOf\ufb01ceof SpecializedServices\nKay Seale, ChiefofSpecializedServices\nChristineTrevisone,SeniorAdvisorofSpecializedServices\nkseale@bostonpublicschools.org\nctrevisone@bostonpublicschools.org\nSafety-Care(De-EscalationandPhysical RestraintTraining) \u2013 ABAStrand\nOf\ufb01ceof SpecializedServices\nZachary Houston,AssistantDirectorABA\nzhouston@bostonpublicschools.org\nSafety-Care(De-EscalationandPhysical RestraintTraining) \u2013 non-ABAschools\nOf\ufb01ceof StudentSupport\nJennaPara\ufb01nczuk,DirectorofSocialWork\njpara\ufb01nczuk@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page29of 35\nDe-EscalationTraining\nOf\ufb01ceof BehavioralHealth\nAndriaAmador, SeniorDirectorofBehavioralHealthServices\naamador@bostonpublicschools.org\nReporting\nSchools Department\nDrewEchelson, ChiefofSchoolsandAccountability,or\nOperational Leader forRegion\ndechelson@bostonpublicschools.org\n\u25cf\nRegion1: JeichaelHenderson:jhenderson@bostonpublicschools.org\n\u25cf\nRegion2: CourtneyKinney:cmaginnis@bostonpublicschools.org\n\u25cf\nRegion3: MichelleJordan:mjordan2@bostonpublicschools.org\n\u25cf\nRegion4: NaimaAbdal-Khallaq:", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page30of 35\nnabdalkhallaq@bostonpublicschools.org\n\u25cf\nRegion5: KristenWeeks:kweeks@bostonpublicschools.org\n\u25cf\nRegion6: MoniqueCarter:mcarter3@bostonpublicschools.org\n\u25cf\nRegion7: NelsonMiranda:nmiranda@bostonpublicschools.org\n\u25cf\nRegion8: ZachSolis:zsolis@bostonpublicschools.org\n\u25cf\nRegion9: Rui Gomes:rgomes2@bostonpublicschools.org\nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page31 of 35\nATTACHMENT\nA: QUICK\nREFERENCE\nDO\n\u2019S AND\nDON\n\u2019TSFOR\nCRISIS\nINTERVENTION IN\nBOSTON\nPUBLIC\nSCHOOLS\nInMassachusetts, theuseof physical restraint inpublic schools ishighly regulated, andit shouldonly beemployedas alast resorttoensurethesafety of students andstaff. It is essential for teachersandschool staff tofollowspeci\ufb01c guidelines andbest practiceswhenusingphysical restraint. Here's alist of Do's andDon'ts forstaff usingphysical restraint inpublic schools inBoston:\nDo's:\n\u25cf UsetheLeast RestrictiveMethod: Usetheleast restrictivemeans of intervention. Alternatives torestraint, includingbutnot limitedtoverbal or other de-escalationtechniques,shouldbeattemptedbeforeresortingtophysical restraint.\n\u25cf SafetyFirst: Physical restraint shouldonly beusedwhenthereis athreat of assault or imminent serious physical harm.It shouldnever beusedas aformof punishment or discipline.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "\u25cf SafetyFirst: Physical restraint shouldonly beusedwhenthereis athreat of assault or imminent serious physical harm.It shouldnever beusedas aformof punishment or discipline.\n\u25cf Training: Teachers andstaff shouldreceiveproper traininginsafeandeffectiverestraint techniques, includingannualrefresher training.\n\u25cf Documentation: Document theincident thoroughly,includingthereasonfor restraint, theduration, andanyinjuries sustained. This documentationshouldbecompletedas soonas possibleafter theincident. Thedocumentationshouldcontainthefacts of theincident andrestraint ratherthanconclusions.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page32 of 35\n\u25cf Documentationof Time-Outs: Staff shoulddocument inAspentheantecedent behavior andthetime, date, durationandlocationof any time-out usedas abehavioral supportstrategy. Theschool leader must giveapproval for anytime-out tocontinuemorethan30minutes basedontheindividual student's continuingagitation.\n\u25cf Communication: Maintainopenandeffectivecommunicationwithother staff members duringarestrainttoensureacoordinatedandsaferesponse.Intherareeventthat astudent is incrisis for morethan20minutes,restraints over 20minutes must haveapproval fromtheschool leader. Theschool leader must document thatapproval was grantedfor anyrestraint over 20minutes.\n\u25cf NotifyParents/Guardians: Theprincipal or director of theprogramnoti\ufb01es theparent/guardian, verbally as soonaspossible(within24hours), andby writtenreport within3school workingdays byprovidingacopyof thephysicalrestraint report submittedtoDESE.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "\u25cf Monitoring: Continuously monitor thestudent's physical andemotional well-beingduringtherestraint. All physicalrestraint must beterminatedas soonas thestudent is nolonger animmediatedanger tothemself or others, or thestudent indicates that they cannot breathe, or if thestudentis observedtobeinseveredistress, suchas havingdif\ufb01cultybreathing, or sustainedor prolongedcryingor coughing.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page33 of 35\n\u25cf Legal Compliance: Beawareof andfollowall relevant laws,regulations, andschool policies regardingtheuseof physicalrestraint inschools.\n\u25cf SeekMedical Attention: If thereareany injuries or signs ofdistress duringtherestraint, seekimmediatemedicalattentionfor thestudent or impactedindividual.\n\u25cf School NurseAssessment: Whenever possible, theschoolnurseshouldassess thestudent\u2019s physical conditionfollowingarestraint.\nDonots:\n\u25cf DON\u2019TImplement UnnecessaryRestraint: Donot usephysical restraint unless thereis athreat of assault or animminent serious physical harm. It shouldnot beusedforminor infractions or as aconveniencefor staff.\n\u25cf DON\u2019TSeclude: Always maintainvisibility andensurecontinuedcommunicationwiththestudent. Alsoensurethepresenceof another staff member if possible. Under nocircumstances may astudent beleft aloneinaroomor areafromwhichthestudent is physically preventedfromleaving.Doors cannot belockedduringany time-out.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "\u25cf DON\u2019TUseProtractedRestraint: Donot continuetherestraint oncethestudent is nolonger animmediatedangertothemself or others, or if thestudent indicates they cannotbreatheor is observedtobeinseveredistress.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page34of 35\n\u25cf DON\u2019TRestraintheHeador Neck: Donot useany formofrestraint that puts pressureonastudent's head, neck, orthroat, as it canbedangerous andpotentially lethal.\n\u25cf DON\u2019TUseUntrainedStaff: Donot allowuntrainedorunauthorizedstaff toengageinphysical restraint. Onlytrainedpersonnel shouldbeinvolvedintheprocess.\n\u25cf DON\u2019TUseMechanical Restraints: Donot usemechanicalrestraints, suchas handcuffs, onstudents inpublic schools.\n\u25cf DON\u2019TUseRestraints for Revengeor Punishment: Donotusephysical restraint as ameans of revenge, discipline, orpunishment. Restraint shouldalways bealast resort toprotect thesafety of all involved.\n\u25cf DON\u2019TFail toReport: Donot neglect toreport theuseofphysical restraint toschool administration, parents/guardians,andrelevant authorities as requiredby lawandschool policy.Reports shouldbecarefully writtentorecordthefacts of theincident andrestraint.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Remember that theuseof physical restraint inpublicschools isasensitiveandpotentiallyriskyactionthat shouldonlybeusedwhenall other means of ensuringsafetyhavebeenexhausted.CompliancewithMassachusetts laws andregulations isessential toprotect thewell-beingandrights of all studentsinvolved.", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "content": "Superintendent\u2019s Circular SUP-19Page35 of 35\nATTACHMENTB: NOTIFICATIONPROCESS", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-03 \nVersion 01 \n \n \nASSIGNMENT OF DEPARTMENT OF YOUTH SERVICES \n(DYS) COMMITTED STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe attached procedures for the assignment of Department of \nYouth Services (DYS) committed students new to the Boston \nPublic Schools or re-entering the Boston Public Schools after \nprevious discharges have been developed to ensure the efficient \nand appropriate assignment of DYS committed students to the \nBoston Public Schools. \nThese procedures are the result of a collaborative effort between \nstaff of the Boston Public Schools and the Department of Youth \nServices and should be adhered to in all cases pertaining to DYS \nstudents. \nI. PROCEDURES FOR ASSIGNMENT OF DYS-COMMITTED \nSTUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR \nRE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER \nPREVIOUS DISCHARGES \nTo initiate and successfully implement the assignment of DYS", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "STUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR \nRE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER \nPREVIOUS DISCHARGES \nTo initiate and successfully implement the assignment of DYS \ncommitted students to the Boston Public Schools, the \nprocedures listed below shall apply: \n(Please refer to Section II below for additional requirements for \nstudents recommended for special education.)", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 2 of 10 \n \n \n1. Prior to the student's re-entering BPS, DYS shall write a \nletter on its stationery including the following: \na. Verification of parent's address \nb. Verification of the student\u2019s address if different from \nthe address the student will live at once in a BPS \nprogram \nc. Purpose of re-enrollment, i.e., to start school or \nrequest an evaluation by special education \nd. Name, address, and telephone number of DYS \neducation liaison and caseworker \ne. Reason, if any, why the student should not be re-\nassigned to the previous school. \n2. This letter shall be attached to the application and \nforwarded by a DYS caseworker, educational liaison, or \nrepresentative to the student assignment specialist in the \nappropriate Welcome Center at the time of application for \na school assignment, along with any other documents \nneeded to enroll the student in a Boston Public Schools \nprogram. Documents should be provided if a student has", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "a school assignment, along with any other documents \nneeded to enroll the student in a Boston Public Schools \nprogram. Documents should be provided if a student has \nbeen in an educational setting that would change the \nprevious grade. \n3. A DYS caseworker or educational liaison or representative \nshall assist the student in the entry/re-entry process and \ncontact the school administrator in order to prepare \neveryone for a successful return. \n4. The returning student must be accompanied by a DYS \ncaseworker or educational liaison or representative when \nreturning to a Boston public school.", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 3 of 10 \n \n \nUpon application, Welcome Center staff shall: \n1. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a student registration form. \n2. Explain and assist the parent/guardian/student and DYS \ncaseworker/liaison in the completion of the student \nregistration form. \n3. Complete the appropriate information on the student \nregistration form. \n4. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a Home Language Survey form in \nthe language of their preference and assist them in the \ncompletion of the form. \nAttach to the student registration form: \na. The completed Home Language Survey form. \nb. The DYS letter cited on page 2, (a) and (b). If no \naddress is stated in the letter, attach the proof of \nresidency required by Welcome Services (i.e., social \nservice agency ID or letter, preprinted, most recent \nutility bills, bank statement, mortgage with address).", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "residency required by Welcome Services (i.e., social \nservice agency ID or letter, preprinted, most recent \nutility bills, bank statement, mortgage with address). \nc. Proof of grade if available (i.e., a transcript \ndocumenting courses and credits earned while in \nDYS facilities or private placement). If proof of grade \nis not available, the question of appropriate grade \nlevel placement shall be addressed in the same way \nit is done with non-DYS committed students. \nd. Copies of immunization records for new enrollees. \n5. Sign and specify the date on the bottom of the student \nregistration and Home Language Survey forms. \n6. Provide the DYS caseworker/liaison with a copy of the", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 4 of 10 \n \n \nassignment form given to the parent/guardian or student. \nNOTES: \n1. DYS is responsible for notifying the school of assignment \nwhen a student is committed to DYS. Please note the \ndistinction between DYS detained and DYS committed \nstudents. Notification for committed students will come in \nthe form of a request for records. \n2. The Office of Welcome Services is responsible for \ncontacting the appropriate special education assistant \nprogram director in those cases where the DYS student \nre-entering the BPS has a current/signed IEP to determine \nthe status of the student. \nII. PROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED \nSTUDENTS RECOMMENDED FOR SPECIAL EDUCATION \nPROGRAM \nIf a DYS committed student is in a detention center, secure \nfacility, or private special education school and is recommended \nfor a BPS special education program, a special education \nevaluation shall take place. The private school coordinator or", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "facility, or private special education school and is recommended \nfor a BPS special education program, a special education \nevaluation shall take place. The private school coordinator or \nsupervisor for contracted services is responsible for the \nevaluation procedures as follows: \n1. If the DYS student is in a secure facility or detention center, \nthe private school coordinator assigned to DYS is responsible \nfor the evaluation. \n2. If the DYS student is in a Chapter 766-approved private \nschool, the private school coordinator assigned to that \nprivate school is responsible for the evaluation. \n3. If the DYS student is out of school but last attended a \nChapter 766-approved private school with Regional", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 5 of 10 \n \n \nReview Board approval within the previous school year, \nthe private school coordinator assigned to the previously \nattended private school is responsible for the evaluation. \nIf greater than one school year, or a private program is not \n766-approved, the assigned school\u2019s coordinator is \nresponsible for the evaluation. \n4. If the DYS student is out of school and has no current \nschool assignment, the private school coordinator is \nresponsible for the evaluation. The DYS caseworker/liaison \nis responsible for submitting all current assessments of \nthe student. \nThe DYS caseworker/educational liaison or representative shall \ndetermine the student's assigned school by calling the Office of \nEnrollment Services at 617-635-7750. \nDYS shall refer the student to the special education program \ndirector or SESS coordinator at the assigned school for an \nevaluation. For a reevaluation, a request letter will be sufficient", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "DYS shall refer the student to the special education program \ndirector or SESS coordinator at the assigned school for an \nevaluation. For a reevaluation, a request letter will be sufficient \ncontaining the student's current address, telephone number and \ncontact person if other than parent. Special education program \ndirectors or SESS coordinators are responsible for providing these \nforms and assisting in their coding, and for the evaluation \nprocedures. \nThe supervisor of contracted services, special education program \ndirector, SESS coordinator, or private school coordinator and the \nDYS caseworker/liaison shall work jointly to obtain \nparent/guardian signature on a Consent for Evaluation or \nReevaluation and Release of Information forms. The supervisor, \nprogram director, or coordinator shall complete the evaluation or \nreevaluation within the prescribed timelines and, based on the \nTEAM findings and the recommendation written on the", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 6 of 10 \n \n \nIndividualized Education Program (IEP), request placement in a \nspecial education setting, as follows: \n1. If the TEAM recommends that the student be assigned to \na full or partial inclusion setting other than a sub-separate \nsetting, the supervisor, program director, or coordinator \nand the DYS caseworker/liaison shall work jointly to obtain \nwritten parental approval of the IEP. \n2. Upon receipt of the signed first page of the IEP, the \nsupervisor, program director, or coordinator shall give a \ncopy of the signed approved IEP to the DYS. \n3. If the TEAM recommends that the student be assigned to \na substantially separate setting, the supervisor, program \ndirector, or coordinator shall submit copies of the required \nassessments and IEP to the assignment coordinator for a \ndecision regarding the student's placement in \ncollaboration with the level assistant director prior to \nrequesting or recommending a specific school \nassignment.", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "decision regarding the student's placement in \ncollaboration with the level assistant director prior to \nrequesting or recommending a specific school \nassignment. \n4. The supervisor, program director, or coordinator shall \npresent DYS and the parent/guardian/student over 18 \nyears of age the recommended placement option. \n5. The supervisor, program director, or coordinator and DYS \nshall work jointly to obtain written approval of the IEP. \n6. Upon receipt of the signed IEP, the supervisor, program \ndirector, or coordinator shall forward a copy of it to the \nappropriate level assistant director and give a copy to the \nDYS caseworker/liaison, who will then attach such copy to \nthe DYS letter referred to in Section I.A. and present both \ndocuments at the time of application for a school \nassignment, along with any other documents needed.", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 7 of 10 \n \n \n7. The level assistant director shall complete the DI5 form \nand forward it to the Enrollment Planning and Support \nUnit to finalize the assignment. \nIt is important to note that the TEAM may also determine that \nthe student needs no special education services. In these cases, \nthe program director or coordinator will provide a letter \nindicating the TEAM decision of no eligibility and provide it to the \nDYS caseworker. \nIII. PROCEDURES FOR MAINTAINING COMMUNICATION \nBETWEEN DYS AND BPS AFTER A DYS COMMITTED \nSTUDENT IS ASSIGNED TO A BOSTON PUBLIC SCHOOL \nContact Person in School of Assignment \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, DYS staff shall contact the head \nof school or principal, who may delegate the ongoing liaison \nfunction to any of the following school-based staff: \n1. For regular education students, the guidance \ncounselor/advisor designated by the head of school or", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "function to any of the following school-based staff: \n1. For regular education students, the guidance \ncounselor/advisor designated by the head of school or \nprincipal (for secondary schools) or the principal or \ndesignee (for elementary schools). \n2. For special education students, the special education \nprogram director or SESS coordinator. At the middle \nand high school levels, the program director or SESS \ncoordinator shall keep the guidance staff informed of \nall DYS contacts made.", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 8 of 10 \n \n \nNOTE: In the case of both regular and special education DYS \nstudents, the school's contact person(s) is responsible for keeping \nthe building administrator fully informed relative to the status of \nDYS students assigned to the building. \nContact Persons at DYS \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, school-based staff may contact \nthe following DYS personnel. (Because names may change, only \ntitles are given; school staff may need to ask for specific names.) \n1. Director of caseworker services, 617-727-7575 \n2. Educational liaisons, 617-727-7575 \nThe following steps should be taken in case of emergency: \n1. The head of school/principal who is having an emergency \nwith a DYS student should contact the director of casework \nservices, 617-727-7575, who will refer the case to the \nappropriate DYS staff. \n2. In non-emergency situations, the head of school/principal or", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "services, 617-727-7575, who will refer the case to the \nappropriate DYS staff. \n2. In non-emergency situations, the head of school/principal or \ndesignee should maintain the usual ongoing \ncommunication with the assigned caseworker or other DYS \nstaff. When in doubt, the director of casework services, 617-\n727-7575, may be contacted. \n\u2022 If a student committed to a DYS facility enrolls in the Boston \nPublic Schools at any time during the school year or in the \nsummer, DYS shall advise the respective head of \nschool/principal that the student was assigned and provide \nthe name of the DYS contact person. \n\u2022 If a DYS student who enrolled in a designated BPS school \ntransfers to another BPS school during the year, the head of", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 9 of 10 \n \n \nschool/principal or designee of the sending school shall \ncontact the head of school/ principal of the receiving school \nand inform them about the transfer. \n\u2022 By September 1st of each year, DYS shall generate a list of \nDYS students assigned to Boston Public Schools, indicating \nthe school to which the student is assigned and the DYS \ncontact person for each student. This list should be updated \nbi-weekly until December and monthly thereafter and sent \nto the Office of Welcome Services for verification. \n\u2022 DYS shall designate a liaison to meet periodically with staff \nfrom the Office of Welcome Services or designee to follow up \non the status of DYS students who have been assigned to \nBPS schools. \nPrincipals/heads of school interested in annual in-service sessions \nfor their staff with participation of DYS staff should contact the \ndirector of casework services, 617-727-7575. \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "for their staff with participation of DYS staff should contact the \ndirector of casework services, 617-727-7575. \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and Selective \nAdmissions \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-7698 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-03 DYS Committed Students.pdf", + "content": "Superintendent\u2019s Circular AMT-03 \nPage 10 of 10", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-01 \nVersion 01 \n \n \nEXAM SCHOOL ADMISSIONS: APPLICATION AND \nADMISSIONS PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools has three exam schools: Boston Latin \nAcademy, Boston Latin School, and the John D. O'Bryant School \nof Mathematics and Science. All three schools accept new \nstudents for grades 7 and 9. John D. O\u2019Bryant School accepts a \nsmall number of new students in grade 10. This circular outlines \noperational details regarding the application process, GPA \ncalculation, test administration, and invitations. \n \nELIGIBILITY \nStudents currently enrolled in grades 6, 8, or 9 and residing in the \nCity of Boston are eligible to apply to one of our exam schools for \nthe 2025-2026 school year. The application process to the three \nexam schools includes an admissions test, student GPA, and \nBoston residency. The GPA will account for 70% and the test score", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "the 2025-2026 school year. The application process to the three \nexam schools includes an admissions test, student GPA, and \nBoston residency. The GPA will account for 70% and the test score \nwill account for 30% of the application. Students may be eligible \nfor additional points if they meet specific criteria. \nStudents enrolled in a program for limited or interrupted formal \neducation (SLIFE) or enrolled in non-credit bearing courses, and \nstudents that are not completing grade-level curriculum are not \neligible to apply for exam school admissions.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 2 of 14 \n \nRESIDENCY REQUIREMENTS \nStudents seeking admission to an exam school must be enrolled \nin grades 6, 8, or 9 and live in the City of Boston to be eligible to \napply for admission for the 2025-2026 school year. The residence \nof a minor child is presumed to be the legal, primary residence of \nthe parent(s) or guardian(s) who have physical custody of the child. \n Students actively enrolled in a BPS school have previously \nestablished residency during their initial registration process, and \ndo not need to resubmit documentation. Non-BPS families are \nrequired to verify their residency in the City of Boston with a BPS \nWelcome Center between October 15, 2024, and November 15, \n2024. Families planning to participate in the Fall 2024 test \nadministration, must complete the residency verification process \nand register for the test by November 8, 2024. \nStudents who must complete the residency verification process \ninclude:", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "administration, must complete the residency verification process \nand register for the test by November 8, 2024. \nStudents who must complete the residency verification process \ninclude: \n\u25cf Students attending a private school \n\u25cf Students attending a parochial school \n\u25cf Students attending METCO program schools \n\u25cf Students attending Commonwealth Charter schools \n(excludes UP Academy, Boston Green Academy, and \nother \u201cin-district\u201d BPS charter schools) \n\u25cf Students attending schools outside the City of Boston \n\u25cf Students being home-schooled \nThe residency verification must be completed even if a family has \nother children enrolled in the Boston Public Schools; the student is \nreceiving special education services from BPS; the parent/guardian \nis a current City of Boston employee; or if the student was \npreviously enrolled in the BPS.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 3 of 14 \n \nAs part of the verification process, parents are required to provide \ntwo approved proofs of residency that list the Boston home \naddress, the child\u2019s original birth certificate, the child\u2019s \nimmunization record, and the parent\u2019s photo identification. In \naddition, an authorization form for the release of student \ninformation will be provided during the appointment. Refer to \nthe BPS Registration Document Checklist for details. \nThere are two ways to apply: \n1. In-person: Schedule an appointment on this form and visit \none of the four BPS Welcome Centers to work directly with \na registration specialist. \n2. By computer: Pre-register here and schedule an \nappointment on this form to complete the application with \na registration specialist. A follow-up appointment either in- \nperson or over the phone is required. Please select \u2019Pre- \nRegister for BPS\u2019 from the side menu. Click the first option if", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "a registration specialist. A follow-up appointment either in- \nperson or over the phone is required. Please select \u2019Pre- \nRegister for BPS\u2019 from the side menu. Click the first option if \nyou have never registered any child for Boston Public \nSchools. Select the second option if you already have an \nAspen account. \nA list of required and approved documents for the registration \napplication can be found in the BPS Registration Document \nChecklist. \n \nGRADE POINT AVERAGE \nThe Exam Schools policy establishes baseline criteria for eligibility \nbeyond residency. Students must have a grade point average of B \nor higher to be eligible to apply. The GPA will include prior year \nmarks in English Language Arts (ELA) and Math and the current \nyear marks in ELA, Math, Science, and Social Studies.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 4 of 14 \n \nSchool leaders are expected to ensure that all marks and course \nnumbers are processed before grade point averages are calculated \nby the Boston Public Schools. All applicants\u2019 course marks must be \nsubmitted along with school certification that they represent \nperformance against the Massachusetts curriculum framework \ngrade-level standards by February 7, 2025. Changes in the \ntranscription or computation of grade point averages will not be \naccepted thereafter. \nThe table below outlines which subject areas and grading terms \nare included for the next admission cycle. \nApplying for: SY25-26 Entrance Year \n7th Grade \u2022 5th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 6th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies \n9th Grade \u2022 7th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Trimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies \n9th Grade \u2022 7th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 8th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, Math, \nScience, and Social Studies \n10th Grade \u2022 8th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 9th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 5 of 14 \n \nFor SY25-26 admissions, both prior year and current year marks will \nbe considered to calculate the GPA. Prior year marks will be \nweighted 50%, and current year marks will be weighted 50%. For \nstudents with previous year international school records, only \ncurrent-year marks will be considered. Students must have marks \nin each subject for the GPA to be calculated. Applications with \nmissing course marks, Incomplete (INC), or Pass (P) marks cannot \nbe processed and will be classified as ineligible. \nThe July 2021 update to the Exam School Admission Policy \nstipulates that the district \u201cdevelop and publish a coherent \ndistrict equitable grading policy using an A-F scale wherein an A+ \nis treated like an A.\u201d To address this requirement, the 12-point \ngrade scale will be rescaled from 0-12 to 0-11, where 0 points \nrepresent an F and 11 points represent both A+ and A. This will", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "is treated like an A.\u201d To address this requirement, the 12-point \ngrade scale will be rescaled from 0-12 to 0-11, where 0 points \nrepresent an F and 11 points represent both A+ and A. This will \nresult in the following crosswalk from letter marks to point values \nused in the GPA calculation. \n \nLetter \nMark \nA+ A A- B+ B B- C+ C C- D+ D D- F \nPoint \nValue \n11 11 10 9 8 7 6 5 4 3 2 1 0 \n \nStudents with grade 5 transcripts from Boston Public Schools \nreceive marks on multiple standards for each subject area using a \n1-4 grading scale. The marks in Reading, Writing, and Math will be \nconverted to a 12-point scale for the purpose of calculating an \n\u201coverall\u201d mark in the subject area (ELA and Math). If the \u201coverall\u201d \nmark in either subject is above 11, the number will be rounded \ndown to 11 to align with the 1\u201311 point scale.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 6 of 14 \n \nStandard-Base Marks 4 3 2 1 \nPoint Value 12 9 6 3 \n* Students participating in advanced courses (honors, AWC, AP, etc.) do not \nreceive additional points. \nFor more information regarding the conversion of marks and \ncalculating composite scores, please review the fact sheet. All non-\nBPS schools are responsible for determining their own practices for \ngrade conversions. \nTEST ADMINISTRATION \nFor SY25-26 admissions, completion of the NWEA MAP Growth \nassessment will be required for admissions. Students will have \ntwo opportunities to take the assessment, with the first in the \nspring of 2024. For students who would like to improve their \nscore, or those who do not take the test in the spring, there will \nbe a second opportunity in the fall of 2024. Students are not \nrequired to take the MAP assessment two times, but in the case \nwhere there are two complete testing events (twice in Reading,", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "be a second opportunity in the fall of 2024. Students are not \nrequired to take the MAP assessment two times, but in the case \nwhere there are two complete testing events (twice in Reading, \ntwice in Math), BPS will use the highest Math Score and the \nhighest Reading score, from either test event, for the invitation \nprocess.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 7 of 14 \n \nFor 6th and 8th grade students currently attending a BPS school, \nthe test will be offered during the school day at their school. No \nregistration or action is necessary. However, for students in grade \n9 at a BPS school; and students in grade 8 already attending a BPS \nexam school, the test will be offered on the weekend. Registration \nis required and is detailed below. \nFor students not currently attending a BPS school, the test will \nalso be offered on the weekend. Registration for the weekend \ntest is required and can be completed online or via a paper form. \nBoth will be posted on the exam schools BPS website. \nADDITIONAL POINTS \nIn addition to GPA and test scores, students may be eligible to \nreceive additional points towards their application. Students living \nin housing owned by the Boston Housing Authority, are in the \ncare of the Department of Children and Families, or are", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "receive additional points towards their application. Students living \nin housing owned by the Boston Housing Authority, are in the \ncare of the Department of Children and Families, or are \nexperiencing homelessness at any time during the time period in \nwhich BPS collects grades (March 2024-February 2025) will \nreceive an additional fifteen (15) points. \nStudents attending a school in the spring of grade 5 (if applying \nfor 7th grade at an exam school), grade 7 (if applying for 9th \ngrade at an exam school), or grade 8 (if applying for 10th grade at \nthe O\u2019Bryant) where 40% or more of the students enrolled come \nfrom economically disadvantaged families over a 5-year average \nwill receive between two (2) and ten (10) additional points, \ndepending on the student's socioeconomic tier. (See below for \nmore information about the socioeconomic tiers). \nThe district will determine the list of schools eligible for these \nadditional points, as defined by the Department of Elementary", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "more information about the socioeconomic tiers). \nThe district will determine the list of schools eligible for these \nadditional points, as defined by the Department of Elementary \nand Secondary Education (DESE). \n To learn more about how the additional points are calculated, \nyou can view the Superintendent\u2019s memorandum.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 8 of 14 \n \nIn the situation where a student has attended more than one \nschool in the spring of the 2023-2024 school year, the school that \nsubmits the student's final marking period course marks will be \nused to determine eligibility for the additional points. \nIn the situation where the student is a new resident of the City of \nBoston, the school that submits course marks for the first \nmarking period of the 2024-2025 school year will be used to \ndetermine eligibility for the additional points. \nAdditional points are not additive, so students receiving fifteen \npoints will not receive any additional points, even if they also \nattend a school where 40% or more of the students enrolled \ncome from economically disadvantaged families. \n \nCOMPOSITE SCORE CALCULATION \nAdmissions to exam schools will use a composite score \ncalculation that combines GPA, test scores, and additional points", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "COMPOSITE SCORE CALCULATION \nAdmissions to exam schools will use a composite score \ncalculation that combines GPA, test scores, and additional points \n(if eligible) into one number. The GPA and test score component \nwill be on a 0-100 scale. Students receiving additional points (as \ndescribed below) may receive a maximum score of 110 or 115. \nFor SY25-26 admissions and beyond, grades will make up 70% of \nthe composite score, and the test score will make up 30% of the \ncomposite score. The GPA will be divided by 11 (based on the 11-\npoint scale explained above) and multiplied by 70. Similarly, the \ntest score will be scaled to a possible total of 30. The GPA \ncomponent and the test score component will be added together. \nAny additional points that the student receives will be added to \nthe total score. For more detail on how BPS calculates students\u2019 \ncomposite scores, please review the Composite Score Calculation \nFact Sheet.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 9 of 14 \n \nTIERS \nApplicants will be placed into one of eight socioeconomic status \n(SES) tiers based on their home address. Families can visit \nbostonpublicschools.org/exam and use the interactive SES Tier \nmap to learn what SES tier their child will be considered within. \nThe socioeconomic status tiers are based on a socioeconomic \nscore for each census tract in the city and are updated each year \nas annual data becomes available, typically in late winter of each \nyear. The socioeconomic score is a composite of five measures \nfrom the American Community Survey and indicates economic \nneed relative to the other census tracts in the city. \n\u2022 Percentage of persons below poverty \n\u2022 Percent of households not occupied by the owner \n\u2022 Percent of families headed by a single parent \n\u2022 Percent of households where limited English is spoken \n\u2022 Educational attainment \nThe tiers are proportionally sized based on the number of school-", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "\u2022 Percent of families headed by a single parent \n\u2022 Percent of households where limited English is spoken \n\u2022 Educational attainment \nThe tiers are proportionally sized based on the number of school- \naged children in grades 5-8 living in each census tract. Each tier \nwill have approximately the same number of seats available. \nWithin each tier, students will be ranked from the highest to the \nlowest based on their composite score. If students have the same \ncomposite score, a random number will be used to determine their \nrank order. The student with the higher random number will be \nranked higher than the other(s).", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 10 of 14 \n \n \nINVITATIONS \nInvitations will be awarded through ten (10) invitation cycles, with \n10% of seats available to each tier distributed in each cycle. Tier 1, \nwhich is the tier with the lowest SES score will go first in each \ncycle, and Tier 8, which is the tier with the highest SES score will go \nlast in each cycle. \nStudents will be invited to their highest-ranked exam school with \nan available seat. If all the seats at a student\u2019s first-choice school \nare already allocated, the student will receive an invitation to \ntheir second-choice school. If all those seats are already allocated, \nthe student will receive an invitation to their third-choice school \nuntil all seats are filled. \nSCHOOL CHOICE \n Students must rank at least one exam school to be considered for \nan invitation. However, a student may list up to three exam \nschools and rank those choices by preference. Students will not", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Students must rank at least one exam school to be considered for \nan invitation. However, a student may list up to three exam \nschools and rank those choices by preference. Students will not \nbe considered for a school they did not list. For example, if a \nstudent only ranks Boston Latin School and O\u2019Bryant, they will \nonly be considered for invitations to those two schools. If a \nstudent does not submit choice rankings for any exam schools, \nthey will not be considered for any exam school for an invitation. \nBPS grade 6 and 8 students (during the fall of 2024) will receive a \ncontinuous choice form in January 2025, through email and their \nBPS school, where they will be asked to submit their school \npreferences for the 2025-2026 school year. The continuous choice \nform for BPS students is due by February 7, 2025. \nBPS grade 9 students, and BPS grade 8 students already enrolled \nin an exam school (during the fall of 2024), will be required to visit", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "form for BPS students is due by February 7, 2025. \nBPS grade 9 students, and BPS grade 8 students already enrolled \nin an exam school (during the fall of 2024), will be required to visit \na BPS Welcome Center to submit ranked school choices through", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 11 of 14 \n \na transfer request in January 2025. This group of students will not \nreceive a continuous choice form automatically through their BPS \nschool. \nNon-BPS students will rank schools during the residency \nverification process, which ends on the third Friday of November \nor November 15, 2024. \nAll submitted applications with ranked schools will be processed \nat the same time. \n \nWAITLISTS \nBoston Public Schools will create waitlists for the three exam \nschools for all entry grade levels. \nStudents invited to an exam school for SY 2025-2026 will have \neight days from the first day of school to accept or decline their \ninvitation with the BPS Office of Welcome Services. We \nencourage all families to respond to the invitation by the end of \nMay to ensure all students are assigned in a timely manner. \nStudents who met the minimum eligibility criteria but did not \nreceive an invitation to their top-ranked exam school will be", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "May to ensure all students are assigned in a timely manner. \nStudents who met the minimum eligibility criteria but did not \nreceive an invitation to their top-ranked exam school will be \neligible to be placed on a waitlist for any exam school to which \nthey did not get invited. For all three exam schools, admissions \nwill only be open for students entering grade 7 and grade 9, as \nwell as grade 10 only for the O\u2019Bryant school, and waitlists will \nonly be created for those grades. \nStudents must have ranked the exam school in order to be \nconsidered for an invitation and be eligible to be placed on the \nwaitlist. Students who receive an exam school invitation to their \nfirst-choice school will not be eligible to be placed on any waitlist. \nPlease note that BPS builds in some expected attrition into the \nnumber of students invited to each exam school every year by", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 12 of 14 \n \nassigning more students than seats. As a result, students may \nnot be called from the waitlist until that expected attrition is \naccounted for. \nWaitlists will be capped at 100 students for each school and \ngrade. The ordering of the waitlist will function as a continuation \nof the exam school invitation policy. Students will be ordered by \ntheir composite score and random number within their SES Tier. \nFor students with the same composite score, the random \nnumber will be used as the tiebreaker. \nDuring the invitation process, students are invited to exam \nschools through 10 invitation cycles, with approximately the \nsame number of seats being given out to students from each SES \nTier in each cycle. Once all the invitations have been distributed \nfor a given school and grade, we will continue to follow the same \nprocess for the purpose of adding students to the waitlist. \nThe exam school waitlists will be handled separately from the", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "for a given school and grade, we will continue to follow the same \nprocess for the purpose of adding students to the waitlist. \nThe exam school waitlists will be handled separately from the \nwaitlist process for open-enrollment BPS schools. In other words, \na student can be on an exam school waitlist as well as other BPS \nschools. Accepting a seat off a waitlist at a different school will \nnot affect a student\u2019s place on the exam school waitlist. \nBPS will contact families via phone and email as seats become \navailable at the three exam schools. Families will have up to 24 \nhours to accept or decline the exam school waitlist. Please \nensure your contact information is up to date by visiting a BPS \nWelcome Center. No exceptions to the 24-hour acceptance \ndeadline will be made. \nThe SY25-26 waitlists will remain in effect until November 30, \n2025. After that date, the waitlists will expire. Waitlists do not roll \nover to future years.", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 13 of 14 \n \nTRANSFERS \nTransfers between the three exam schools are no longer permitted. \nStudents are not allowed to change their invitation to a different \nexam school, or transfer between the exam schools after \nmatriculation. If a student is interested in moving to a different \nexam school for grades 9 or 10, they must reapply through the \nformal application process. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES: \nOctober 15 - \nNovember 8, 2024 \nPriority residency verification period for non-\nBPS families & registration period for the \nMAP Growth weekend test \nNovember 11-\nNovember 15, 2024 \nFinal week of residency verification for non-\nBPS families registered for the MAP Growth \nweekend test administration \nDecember 2-13 In-school test administration period \nDecember 7, 2024 Weekend test administration of MAP \nGrowth \nJanuary 2 - \nFebruary 7, 2025 \nMarks submitted and certified by sending \nschool", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "December 2-13 In-school test administration period \nDecember 7, 2024 Weekend test administration of MAP \nGrowth \nJanuary 2 - \nFebruary 7, 2025 \nMarks submitted and certified by sending \nschool \nMarch 2025 Application status update sent to all \napplicants \nApril or May 2025 Admission decision notifications sent to all \napplicants", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "content": "Superintendent\u2019s Circular ATM-01 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and \nSelective Admissions \nDepartment: Welcome Services \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9085 \nEmail: exam@bostonpublicschools.org \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nAMT-06 \nVersion 01 \n \n \n \nVOLUNTARY TRANSFER POLICY. \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThis updated policy provides clear guidance regarding the \nallowances and restrictions on school transfers, including an \nexplanation of the types of transfers that would be considered \nvoluntary or involuntary and the restrictions on the numbers of \ntransfers allowed for different grade levels. This policy has \nevolved over time beginning with the 1992 Operating Guidelines \nfor Implementing Changes in the Controlled Choice Student \nAssignment Plan and the1999 Interim Report on Streamlining the \nBoston Controlled Choice Student Assignment Plan. This circular \ndoes not appreciably shift policy or practice, but rather clarifies \nand updates language to reflect the current Home-Based \nAssignment Plan. \nIn June 1999, the School Committee amended the policy of the", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "content": "and updates language to reflect the current Home-Based \nAssignment Plan. \nIn June 1999, the School Committee amended the policy of the \nBoston Public Schools covering voluntary transfers of students. \nThe amendments provide for the following: \nElementary school students (PK-6) may receive ONE (1) school \ntransfer during an academic year. \nMiddle school level students (grades 7 & 8) may receive ONE (1) \nschool transfer during their middle school careers. \nHigh school students (9-12) may receive ONE (1) school transfer \nduring their high school careers.", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "content": "Superintendent\u2019s Circular #AMT-6 \nPage 2 of 2 \n \nChange to school assignments due to change of address, safety, \nprogrammatic, moving off a waitlist, and disciplinary reasons are \nnot considered voluntary transfers with respect to the number of \ntransfers allowed. \nStudents who permanently move out of their original home base \nare required to attend a school in their new home base; however, \nthey may be allowed to continue in their current schools if their \nparent(s) request(s) continuation in the current schools in writing \nwith Welcome Services and agrees to arrange and provide \ntransportation. Students who move after April 1 will not be \nrequired to change schools until the following school year. \n \nFor more information about this circular, contact: \n \nOwner: Director of Student Assignment and Selective \nAdmissions \nDepartment: Welcome Services \nMailing \nAddress: \n2300 Washington Street, 2nd Floor, Roxbury, MA \n02119 \nPhone: 617-635-6058 \nEmail: ofca-staff@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "content": "Admissions \nDepartment: Welcome Services \nMailing \nAddress: \n2300 Washington Street, 2nd Floor, Roxbury, MA \n02119 \nPhone: 617-635-6058 \nEmail: ofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-07 \nVersion 01 \n \n \nSAFETY TRANSFER REQUEST PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nFrom time to time, it becomes necessary to make a change in a \nstudent\u2019s school assignment. One reason for such an assignment \nchange may be motivated by the need to ensure a safe and \nsecure learning environment for that student. For this reason, a \nsafety transfer process has been established. \nCRITERIA \n1. All students who are victims or intended victims of a serious \nphysical, emotional, and/or electronically transmitted assault \nor who are victims of a violent criminal offense, as determined \nby state law, while in or on school grounds, or out of school \nthat impacts school climate, shall be eligible for a safety \ntransfer. All such request forms must have attached BPS \nIncident Reports and/or BPD Reports to document the \nincident. The transfer should be processed by the building", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "transfer. All such request forms must have attached BPS \nIncident Reports and/or BPD Reports to document the \nincident. The transfer should be processed by the building \nadministrator within ten (10) school days of the receipt of the \nSafety Transfer Request Form. \nStudents who are perpetrators are subject to the Code of \nConduct and not eligible for a safety transfer. \n2. Students attending a school designated as \u201cunsafe or \npersistently dangerous\u201d in accordance with Massachusetts", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 2 of 12 \n \n \nDepartment of Education criteria, upon receipt of a parent \nrequest, shall be transferred to a safe school in compliance \nwith the Every Student Succeeds Act (\u201cESSA\u201d). The purpose of \nthe ESSA is to provide all children a significant opportunity to \nreceive a fair, equitable, and high-quality education, and to \nclose educational achievement gaps.\" \n3. Students with an Individualized Education Program (IEP) are \nsubject to this transfer procedure provided the building \nadministrator has consulted with the OSESS coordinator. \nResource Room students shall be dealt with in the same \nmanner as regular education students. Students with IEPs \nproviding a specialized program and/or requiring a restrictive \nsetting shall be reassigned after consultation between the \ncoordinator and OSESS assistant program director (APD). \n4. Court orders requiring a transfer of a student shall be honored", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "setting shall be reassigned after consultation between the \ncoordinator and OSESS assistant program director (APD). \n4. Court orders requiring a transfer of a student shall be honored \nand coded as a safety transfer. A copy of the court order \nshould be forwarded to the operational leader as a part of the \ndocumentation packet in all cases. \n5. In all cases, student assignments shall be made by Welcome \nServices. Requests for specific school assignments will not be \nhonored, but rather they shall be based on criteria established \nby Welcome Services, as well as on the need to ensure a safe \nlearning environment and on the needs of the student. \nPROCEDURES \nThe following procedures must be followed in all safety transfer \ncases: \n1. All safety transfer requests must be initiated by the \nparent/guardian/caregiver of the impacted student.", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 3 of 12 \n \n \n2. The parent/guardian/caregiver should schedule a meeting \nwith the head of school/principal/program director of the \nschool to which the student is assigned in order to discuss the \ncircumstances surrounding the need for a safety transfer. \n3. The parent/guardian/caregiver must complete and sign the \n\u201cSafety Transfer Request Form\u201d (attached). All requests for \nsafety transfers must be referred to the head of \nschool/principal/program director for review and \nrecommendation. \n4. The head of school/principal/program director shall conduct a \nthorough investigation in response to the \nparent/guardian/caregiver\u2019s request and must gather all \npertinent information and documentation. If the student has \nan IEP, the building administrator shall consult with the \ncoordinator. The building administrator will provide a rationale \nfor support or rejection of the transfer request on the reverse", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "an IEP, the building administrator shall consult with the \ncoordinator. The building administrator will provide a rationale \nfor support or rejection of the transfer request on the reverse \nside of the Safety Transfer Form. The form must be signed by \nthe principal/head of school. Please note: this responsibility \nmay not be delegated. If the problem is gang-related, the \nnames of the gangs involved should be noted. If the incident \nhas occurred off school grounds, a copy of the Boston Police \nDepartment report should be obtained; if the incident \noccurred on school grounds, a copy of the Boston Public \nSchool Incident Report should be attached to the \ndocumentation packet. \n \n5. If the head of school/principal supports the safety transfer \nrequest, they must indicate and sign the Safety Transfer Form. \nThe completed transfer packet should be sent to the \noperational leader for approval and processing.", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 4 of 12 \n \n \nThe complete safety transfer packet must include: \na. Completed and signed English version as well as a copy of \nthe parent\u2019s safety transfer request form, including the \nbuilding administrator\u2019s rationale for support or rejection \nof request on page 2. If the language of the home is other \nthan English, the parent/guardian/caregiver should \ncomplete the appropriate language form which should \nbe attached to the English version in the packet. \nb. All pertinent supporting documentation (i.e., court orders, \nrestraining orders, police reports, reports of investigation \nby school staff or safety services, etc.) If the student has \nbeen the victim of an assault. \nc. If attending an \u201cunsafe or persistently dangerous school,\u201d \ndocumentation supporting the school designation as \nsuch. \n6. If the building administrator does not support the safety \ntransfer, a rationale indicating specific reasons for rejecting the", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "documentation supporting the school designation as \nsuch. \n6. If the building administrator does not support the safety \ntransfer, a rationale indicating specific reasons for rejecting the \ntransfer, including appropriate documentation, must be \nforwarded with the safety transfer packet to the operational \nleader. \n7. The packet must be submitted as soon as possible to the \noperational leader for review of completeness and \nappropriateness. The operational leader is authorized to \napprove or reject the request. \n8. Before forwarding a copy of the approved packet to Welcome \nServices, the operational leader shall consult with the \nDepartment of Safety Services to discuss potential restrictions \nto school assignments (e.g., gang-related issues, \u201cpersistently \ndangerous\u201d schools, etc.). If the student is assigned to a", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 5 of 12 \n \n \nsubstantially separate class, the operational leader shall \nconsult with the OSE coordinator and the OSE assistant \ndirector. \n9. The operational leader will forward the complete safety \ntransfer packet of the approved safety transfer request to \nWelcome Services for processing an assignment. If safety \nissues were raised in discussions with Safety Services (c.f. item \n8 above), the operational leader shall call these issues to the \nattention of Welcome Services. Requests which are not \napproved will be returned to the citing the reasons for \nrejection. If the student requires a substantially separate \nassignment, Welcome Services and appropriate APD shall \nconsult. \n10. Welcome Services shall assign the student to the new school \nand notify the receiving and sending schools and the \nappropriate operational leader by email. The head of \nschool/principal/program director of the sending school shall", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "and notify the receiving and sending schools and the \nappropriate operational leader by email. The head of \nschool/principal/program director of the sending school shall \nnotify the parent/guardian/caretaker of the student\u2019s new \nschool assignment. If the safety transfer is not approved, the \n\u201csending\u201d building administrator shall notify the parent that \nthe request has been rejected. \n11. If the transfer is approved, the operational leader shall send a \ncopy of the Transfer Form with copies of all attached \ndocumentation to the new school principal/head of school. If \nthe new building administrator has any further questions, the \nsending school building administrator shall respond to those \nquestions. The sending school shall forward a copy of the \nstudent record to the new school. \n12. Any appeal of a decision at the school level may be made to \nthe District Safety Transfer Appeal Committee. An appeal", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 6 of 12 \n \n \nmust be made by the parent/guardian/caregiver, in writing, \nwithin ten (10) days of the receipt of the decision. An appeal \ncan either be submitted in writing and mailed to the attention \nof the Superintendent\u2019s Office, Attn: Ombudsperson, Bruce C. \nBolling Municipal Building, 2300 Washington Street, Roxbury \nMA 02119 or electronically by submitting the Safety Transfer \nAppeal Form. \nPlease Note: \n1. During the summer months, no safety transfers will be \nprocessed. Any family seeking a change in school assignment \ndue to safety concerns must follow the voluntary transfer \nprocess by visiting a BPS Welcome Center. \n2. The family has the right to refuse the new school assignment. \nIf so, the parent/guardian/caretaker should contact the \nprincipal/head of school and operational leader that they are \nrescinding the safety transfer request. In this case, the student \nwill be returned to their original school and will not be", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "principal/head of school and operational leader that they are \nrescinding the safety transfer request. In this case, the student \nwill be returned to their original school and will not be \npermitted to submit an additional safety transfer request \nregarding the incident that initiated the original safety transfer \nrequest. \nTranslations of the required documentation are available here.", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 7 of 12 \n \n \nFor more information about this circular, contact: \nOwner: Chief of Operations \nDepartment: Operations \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9057 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \nSafety Transfer Request form on following page.", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 8 of 12 \n \n \nSAFETY TRANSFER REQUEST \nPrincipal/Head of School Page \n \nStudent\u2019s Name: _______________________________________________________________ \nStudent ID #: _________________________ \nGrade: ____________ \nCurrent School: __________________________________________________ \nSpecial Education Program (if applicable): _______________________ \nEnglish Learner Program (if applicable): _________________________ \nParent/Guardian/Caregiver Conference: \nDate:_____________________________ Time: __________________________ \nI \uf06f support \uf06f reject (check one) this Safety Transfer Request \nfor the following reason(s): \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 9 of 12 \n \n \nIf approved, please list the names and ID numbers of the other \nstudents involved that led to this request. \nName 1 _____________________________ ID _________________________ \nName 2 ______________________________ ID _________________________ \nName 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nIf you know of other students that this student should not be \nplaced with, please note their names and ID numbers. \nName 1 _____________________________ ID _________________________ \nName 2 ______________________________ ID _________________________ \nName 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nPlease check: \n\uf06f I have explained to the parent that, if approved, the student \ncan be assigned to any school where there is an available seat,", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Please check: \n\uf06f I have explained to the parent that, if approved, the student \ncan be assigned to any school where there is an available seat, \nand that requests for specific school assignments will not be \nhonored. \n __________________________________________________ _______________ \n Head of School/Principal Date \nAttach documentation. \ncc: School File", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 10 of 12 \n \n \nSAFETY TRANSFER REQUEST \nFamily Page \n \nStudent\u2019s Name: _________________________________________________ \nI request a Safety Transfer for my son/daughter for the following \nreasons: \n*Please be specific. If there have been incidents at the school, \ndescribe who was involved, when they occurred, what happened \nand other details (including the names of any gangs involved). \nAttach additional documentation (e.g., copy of incident report, \ncopy of Boston Police Report, report of medical provider, etc.) as \nnecessary. If there is any school that your child cannot attend \ndue to similar safety concerns, then you must list them here. \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \nTranslated versions of this form can be found here.", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 11 of 12 \n \n \nSAFETY TRANSFER REQUEST COVER PAGE \nCompleted by Operational Leader \n \nOperational Leader: __________________________Date: ______________ \nStudent Name: ________________________________ID: _______________ \nThe safety transfer has been: \n\u2610 Approved \u2610 Not Approved \nPlease check: \n\u2610 The school has informed me that they explained to the parent \nthat the child will be placed wherever there is an available, \nappropriate seat, and that requests for specific school \nassignments will not be honored. \nPlease check one: \n\u2610 The child can be placed into any school with an available seat. \n\u2610 The child should not be placed at the following school(s) \n(please explain why): \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nSchool: ___________________________________________________________", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "_______________________________________________________________ \nSchool: ___________________________________________________________ \n _______________________________________________________________", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "content": "Superintendent\u2019s Circular AMT-07 \nPage 12 of 12 \n \n \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nAdditional notes for consideration prior to assignment: \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \n \n __________________________________________________ _______________ \n Operational Leader Signature Date", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-05 \nVersion 01 \n \n \nREVISED MAXIMUM AGE ASSIGNMENT AND \nENROLLMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn July 1999, the Boston School Committee adopted a new policy \nof the Boston Public Schools (BPS) covering the maximum age \nfor school attendance. In 2019, the School Committee updated \nthe maximum age assignment and enrollment policy to include \nthe current options available within the network of BPS \nalternative education schools and new opportunities for students \nto continue their education in the district. The revision to the \noriginal maximum assignment policy clarifies the process and \nstreamlines the enrollment and placement of overage students, \nminimizes the risk of students transitioning to adult school \nprogramming in the middle of a semester when they turn 22 \nyears old, and expands the range of program options in Boston", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "minimizes the risk of students transitioning to adult school \nprogramming in the middle of a semester when they turn 22 \nyears old, and expands the range of program options in Boston \nCentral Adult High School (BCAHS) to meet the needs of overage \nstudents in an adult education setting. \nENROLLMENT OF OVERAGE STUDENTS (19 YEARS OLD OR \nOLDER) \n\u2022 Requires the Re-Engagement Center to assess needs and \nmake recommendations for the school/program \nassignments of students new to BPS who are age 19 or \nolder. \n\u2022 For students 19 years old or older who are more than a year \nfrom graduation (based on the Re-Engagement Center", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Superintendent\u2019s Circular AMT-05 \nPage 2 of 6 \n \ntranscript review), enrollment options will be presented for \nBPS alternative education programs designed to support \noverage, under-credited students. \n\u2022 For students 19 years old or older who are less than a year \nfrom graduation (based on the Re-Engagement Center \ntranscript review), enrollment options will be presented for \ntraditional high school programs and/or BPS alternative \neducation programs designed to support overage students, \nbased on availability and student needs. \nEXISTING OVERAGE BPS STUDENTS (19 YEARS OLD OR OLDER) \n\u2022 Establishes a systematic proactive review process through \nthe Re-Engagement Center whereby the district will \nmonitor the progress and counsel currently enrolled \noverage students on an annual basis. \n\u2022 Establishes that if a student without special needs (without \nan Individualized Education Plan) will turn 21 years old on or \nbefore August 31st they will be ineligible for enrollment in a", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "\u2022 Establishes that if a student without special needs (without \nan Individualized Education Plan) will turn 21 years old on or \nbefore August 31st they will be ineligible for enrollment in a \nBPS traditional or alternative education school for the \nupcoming school year, and will be referred to BCAHS (day \nprogram, evening program, or a satellite adult education \nprogram authorized by BCAHS) or an external adult \neducation program by the Re-Engagement Center. \n\u2022 Establishes that students turning 21 years of age on or after \nSeptember 1st are eligible for enrollment for that school \nyear. \n\u2022 Clarifies that services for eligible students with disabilities \nwill continue to be governed by the Individuals with \nDisabilities Education Act (IDEA) and Massachusetts General \nLaw c. 71B up to and through that student\u2019s 22nd birthday,", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Superintendent\u2019s Circular AMT-05 \nPage 3 of 6 \n \nwhen deemed appropriate by an IEP team. \n\u2022 Provides guidelines for how the district will support \nstudents who turn 21 years old on September 1st or later \nthrough the Re-Engagement Center as they transition into \nprograms including: BCAHS (day program, evening \nprogram, or a satellite adult education program authorized \nby BCAHS) if space is available, or an external adult \neducation program. \nTHE MAXIMUM AGE ASSIGNMENT POLICY \nAll students who are seeking a BPS school assignment, including \nnew students, re-enrolling students, and students already \nenrolled in the BPS will be provided enrollment options that will \nbest meet their needs in providing a path forward to meeting the \nrequirements of a BPS high school diploma. The revised \nmaximum age assignment and enrollment policy acknowledges \nthat some students may benefit from the alternative education \nsetting to ensure they can earn the credits required for", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "maximum age assignment and enrollment policy acknowledges \nthat some students may benefit from the alternative education \nsetting to ensure they can earn the credits required for \ngraduation prior to the end of the school year in which they turn \n21 years old. Students transitioning to alternative education \nschools and programs designed to serve the overage population \nwill retain any and all rights and privileges accrued change \n\u201caccrued\u201d to \u201cafforded to students\u2026\u201d to students admitted to or \nenrolled in traditional day school programs as required by \nMassachusetts law. \nNew BPS students and re-enrolling students who are age 19 and \nolder will be directly referred to the Re-Engagement Center by \nregistration specialists at the Welcome Center to determine the \nmost appropriate placement. As with all enrollment applications, \nif applicable, the Office of Special Education will review each \nstudent\u2019s Individualized Education Plan (IEP) and any reports", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Superintendent\u2019s Circular AMT-05 \nPage 4 of 6 \n \npresented by the student and/or family to determine how to \nmove forward with options for the student. \nOnce referred to the Re-Engagement Center, specialists will \nreview each overage student\u2019s transcript, enrollment history, \nstate assessment results, and Early Warning Indicators to \ndetermine the most appropriate placement for the student to \nattain a high school diploma prior to turning 21 years old. \nEnrollment options at traditional high school programs and/or \nalternative education programs will be presented based on \navailability and student need. BPS Welcome Services will \nmanage the technical aspects of the enrollment and assignment \nprocess after the Re-Engagement Center assesses student needs \nand makes recommendations for placement. Current alternative \nschools and programs for SY23 that meet the criteria to serve \noverage students include Boston Adult Technical Academy", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "and makes recommendations for placement. Current alternative \nschools and programs for SY23 that meet the criteria to serve \noverage students include Boston Adult Technical Academy \n(BATA), Accelerated Diploma Program (ADP), LogOn Academy at \nBoston Collaborative High School, and ABCD\u2019s University High \nSchool. This list of options for overage students will be updated \nannually as needed. \nCurrently enrolled BPS students who will reach the age of 19 \nbefore September 1st of the following school year will be \nprovided an option to enroll at an alternative education school or \nprogram designed for overage and/or under-credited students. In \nthe revised policy, the responsibility of these recommendations \nwill be designated to Re-Engagement Center specialists. The Re-\nEngagement Center will notify headmasters of students who are \neligible for a transfer based on age during the spring semester. \nRe-Engagement Center specialists will recommend the most", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Engagement Center will notify headmasters of students who are \neligible for a transfer based on age during the spring semester. \nRe-Engagement Center specialists will recommend the most \nappropriate placement in an alternative education setting or \ncontinued enrollment at their current school after a review of \neach overage student\u2019s transcript, state assessment results,", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Superintendent\u2019s Circular AMT-05 \nPage 5 of 6 \n \nenrollment history, and assessment of Early Warning Indicators. \nAdditionally, if determined that a transfer is in the student\u2019s best \ninterest, the Re-Engagement Center will meet with students and \ntheir parents, provide multiple alternative education options that \nare appropriate for overage students, and work with students \nand parents through the process of the transfer to the alternative \neducation program selected prior to the start of the school year. \nBPS Welcome Services will continue to manage the technical \naspects of enrollment and assignment process based on these \nrecommendations. \nThe revised maximum age assignment and enrollment policy \nclarifies that if a student will turn 21 years old on or before August \n31st, the school based-administration team will meet with the \nstudent, and the student will be required to transition to a \nprogram designed for adults (e.g. Boston Central Adult High", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "31st, the school based-administration team will meet with the \nstudent, and the student will be required to transition to a \nprogram designed for adults (e.g. Boston Central Adult High \nSchool, Department of Developmental Services, or other adult \nschool program). Students who will turn 21 years old during the \nschool year will be allowed to remain enrolled through the end of \nthe school year in June and, if necessary, through the end of \nsummer session in August. Once referred to the adult school \nprogram, the process of this transition will be managed by the \nRe-Engagement Center. \nStudents who are unable to earn a high school diploma by the \nend of the school year in which they turn 21 years old will be \nreferred to BCAHS (day program, evening program, or a satellite \nadult education program authorized by BCAHS) or an external \nadult education program by Re-Engagement Center specialists \nand the headmaster. The referral will be made prior to the start of", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "adult education program authorized by BCAHS) or an external \nadult education program by Re-Engagement Center specialists \nand the headmaster. The referral will be made prior to the start of \nthe final spring semester in which a student is 21 years old to \nsupport an appropriately timed transition. Prior to the student \nexiting their school and transitioning to an adult school option,", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Superintendent\u2019s Circular AMT-05 \nPage 6 of 6 \n \nthe headmaster and/or academic counselor will provide an exit \nsurvey and counseling opportunity to share potential placement \nin the Boston area. Upon exiting a BPS traditional or alternative \nhigh school, the student will be presented with options to \ncontinue their education toward a high school diploma or HiSET \ncertificate (graduation equivalent) through the exit survey and \nmeeting offered by the headmaster and/or academic counselor. \nServices for eligible students with disabilities will continue to be \ngoverned by the Individuals with Disabilities Education Act \n(IDEA) and Massachusetts General Law c. 71B up to and through \ntheir 22nd birthday, when deemed appropriate by an IEP team. \nFor more information about this circular, contact: \nOwner: Director of the Re-Engagement Center \nDepartment: Office of Secondary Schools, Re-\nEngagement Center \nMailing Address: 2300 Washington Street, 4th Floor, Roxbury \nMA 02119", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "content": "Owner: Director of the Re-Engagement Center \nDepartment: Office of Secondary Schools, Re-\nEngagement Center \nMailing Address: 2300 Washington Street, 4th Floor, Roxbury \nMA 02119 \nPhone: 617-635-2273 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-04 \nVersion 01 \n \nGRADE LEVEL PLACEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Boston Public Schools has established grade level placement \nrequirements for Grades K-12, which are detailed herein. \nGRADES K0 - 1 \nThe Boston Public Schools has established the following age \nrequirements for entrance to kindergarten programs and grade 1: \nGrade Level Age as of \nSeptember 1 \nK0 3 \nK1 4 \nK2 5 \n1 6 \n \nStudents who will be 6 years old by September 1, but after June 30, \nmay, if they believe appropriate, request a waiver to register for K2 \ninstead of grade 1. This request must take place prior to registration \nand must be accompanied by an early education provider\u2019s \nrecommendation. Requests should be made to the interim executive \ndirector of Early Childhood at tdias@bostonpublicschools.org, 617-\n635-9701. \nThere are no other exceptions to this policy.", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s Circular AMT-04 \nPage 2 of 8 \n \nGRADES 2 - 8 \nThe following requirements will be in effect for grades 2-8 at all \nschools, including Early Education Centers and Early Learning \nCenters: \nGrade Age as of \nSeptember 1 \n2 7 \n3 8 \n4 9 \n5 10 \n6 11 \n7 12 \n8 13 \n \nIn cases where a student is registering into Boston Public Schools \nwith documented proof of successful completion of the current \ngrade, the student must also present documentation to their \nassigned school within 30 days of reporting. If the school \nrecommends a change in the student\u2019s grade placement, the school \nleader must submit a \u201cGrade Level Change\u201d request form (below) to \ntheir school superintendent or operational leader for approval and \nprocessing by Welcome Services. \nGrade-age assignment in the Boston Public Schools is structured to \nprovide a supportive environment in which each student is able to \ngrow both academically and socially. BPS understands students may", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "provide a supportive environment in which each student is able to \ngrow both academically and socially. BPS understands students may \nlearn differently and need appropriate adjustments to their \ncurriculum to ensure they are learning at a pace that fosters success. \nTherefore, teachers are trained to adjust", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s Circular AMT-04 \nPage 3 of 8 \n \ncurriculum and make additional recommendations for students \nwithin their classrooms. \nGRADES 9 - 12 \nStudents who are new to BPS will be assigned to a grade based on \ntheir age. Students should be aware that schools may shift their \ngrade level upon enrollment in their assigned school after a \ntranscript review with their school counselor. \nStudents with disabilities will be placed in accordance with the grade \nlevel indicated by their IEP. \nIf the student has not recently attended school in the U.S., a U.S. \nterritory, or does not have a current transcript, Welcome Services will \nassign students as indicated below: \nAge as of \nSeptember 1* \nGeneral Education, Never LEP, or \nELD 1-5 \n14-16 Grade 9 \n15-17 Grade 10 \n16-18 Grade 11 \n17-18 Grade 12** \n19-21 Referred to Re-Engagement \nCenter \n22 Students will be recommended \nto Adult Education \n* The age range is dependent on minimum age and takes into", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "16-18 Grade 11 \n17-18 Grade 12** \n19-21 Referred to Re-Engagement \nCenter \n22 Students will be recommended \nto Adult Education \n* The age range is dependent on minimum age and takes into \naccount consideration of students who may have been retained \nor started their academic journey at an older age from their home \ncountry. \n** Students with sufficient documentation, clearly displaying the \ncompletion of grade 11, will be placed in grade 12.", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s Circular AMT-04 \nPage 4 of 8 \n \nStudents who are entering high school are to present prior school \nrecords to their assigned school within 30 days of reporting. \nFor more information regarding the Maximum Age Policy, see the \nRevised Maximum Age Assignment And Enrollment Policy. \nGRADE LEVEL ADVANCEMENT OR REGRESSION \nIf a family/emancipated student is contesting their grade level \nplacement due to the grade-age assignment process followed while \nin a Welcome Center or the Newcomers Assessment & Counseling \nCenter (NACC), the student must be assessed by the school. If the \nschool recommends a change in the student\u2019s grade placement, the \nschool leader must submit a \u201cGrade Level Change\u201d request form to \ntheir school superintendent or operational leader for approval and \nprocessing by Welcome Services within 30 days of student reporting \nto school. \nIf after a period of at least one academic term/semester, a school", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "processing by Welcome Services within 30 days of student reporting \nto school. \nIf after a period of at least one academic term/semester, a school \nteam1 determines that a particular student may benefit from a grade \nlevel change due to exceptional advancement or regression based \non other conditions not present during the registration period, a \nschool leader may request a grade level change by completing the \n\u201cGrade Level Change\u201d request form and submitting to their school \nsuperintendent or operational leader for approval and processing by \nWelcome Services. All changes must be completed by the end of the \nfirst marking period. \n \n \n1 School-based teams must be composed of content teachers, \nEnglish Learner, and Special Education faculty based on the \nstudent\u2019s instructional program.", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s Circular AMT-04 \nPage 5 of 8 \n \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and Special \nAdmissions \nDepartment: Welcome Services \nMailing Address: 2300 Washington Street, 2nd Floor, Boston, MA \n02119 \nPhone: 617-635-9010 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s Circular AMT-04 \nPage 6 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM - DIRECTIONS \nFind below the description of criteria and evidences that you will \nneed to fill out the form on page 8. \nCriteria for Grade Level Change: Documentation and rationale are \nrequired for all recommendations. \n1. A grade level placement is contested due to a grade-age \nassignment process followed during registration. This form \nmust be completed within 30 days of student reporting to \nschool. \n2. A school recommends a grade level change for a student due \nto exceptional advancement or regression based on other \nconditions not present during the registration period. This \nform must be completed by the end of the first marking \nperiod. \n3. A Grade Level Change Request Form must be approved by a \nschool superintendent or operational leader. After approval, \nWelcome Services will process the request. \n4. Students may not be retained more than once at any level", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "school superintendent or operational leader. After approval, \nWelcome Services will process the request. \n4. Students may not be retained more than once at any level \n(elementary, middle, or high school). \n5. In a grade level change that requires a new school \nassignment, the sending administrator must contact and \nupdate the receiving administrator. \n6. If an English Learner is being recommended for a grade level \nchange, evidence must be provided that this is not due to \nlanguage proficiency, and student/family have been informed \nand are in agreement with the change.", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s Circular AMT-04 \nPage 7 of 8 \n \nEvidence\u2019s Options \n1. The request meets BPS district guidance in terms of \nattendance, academic achievements, OR interventions \ndemonstrated through student work, grades, and \nassessments. A school narrative must be attached. \n2. If the student is in a Special Education program: The student \nhas an IEP that specifically and in writing exempts them from \ncertain provisions of the promotion policy. IEP attached. \n3. If the student is an English Learner: There is evidence of a \ntranscript review and parent communication that shows an \nagreement with the recommendation. All documents must \nbe filed in the student\u2019s ELD Folder.", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Superintendent\u2019s Circular AMT-04 \nPage 8 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM (*) \n \nName of Student: ________________________________________________ \nSchool: ___________________________________________________________ \nStudent ID: __________________Current Program: __________________ \nELD Level: __________________ SN Code: ___________________________ \nPurpose of Request: \n\uf0a8 Grade Progression: ______________ to ______________ \n\uf0a8 Grade Regression: _______________ to ______________ \nWhen/how was the parent/guardian informed of this request? \n __________________________________________________________________ \n __________________________________________________________________ \n \nOPTIONS (**) Evidence meets requested change \nYES NO \nOption 1 \nOption 2 \nOption 3 \n \nSignature of sending school leader: \n___________________________________________ Date _________________ \nSignature of school superintendent/operational leader:", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "AMT-04 Grade Requirements.pdf", + "content": "Option 2 \nOption 3 \n \nSignature of sending school leader: \n___________________________________________ Date _________________ \nSignature of school superintendent/operational leader: \n___________________________________________ Date: ________________ \nReview/Approval, Welcome Services: Space available? YES \u2610 NO \u2610 \n(*) Directions on pages 6 & 7; (**) Options descriptions are listed on page 7", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-08 \nVersion 01 \n \n \n \nBOSTON PUBLIC SCHOOLS RECYCLING AND ZERO \nWASTE GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nThe Commonwealth of Massachusetts and City of Boston seek to \nminimize waste by reducing, reusing, and recycling. State policies \nand programs such as the Environmentally Preferable \nPurchasing Policy, MassDEP\u2019s Waste Ban Regulations, and \nExecutive Order 484 \u2013 Leading by Example, and the City of \nBoston Zero Waste Plan are helping state agencies and \nmunicipalities create healthier buildings and cleaner \ncommunities while simultaneously reducing costs. Boston Public \nSchools (BPS) has been actively recycling for over a decade. By \nreducing the amount of resources we use and waste we produce, \nwe are creating a healthier and more sustainable Boston Public \nSchools. \nBPS is committed to Zero Waste because:", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "reducing the amount of resources we use and waste we produce, \nwe are creating a healthier and more sustainable Boston Public \nSchools. \nBPS is committed to Zero Waste because: \n\u2022 Recycling is a core component of the City of Boston's \ncommitment to zero waste. \n\u2022 Recycling is free for BPS, while trash is an operational cost \nfor BPS. School recycling is picked up curbside for free by \nBoston Public Works Department (PWD) as part of the PWD", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 2 of 10 \n \n \n \nResidential Recycling program. School trash is picked up at \na cost by a contracted waste hauler. Increasing recycling \nwhile reducing trash decreases BPS operating costs, funds \nwhich could otherwise be directed to teaching and learning. \n\u2022 School zero waste programs mitigate clutter. Clutter \nattracts pests, creates asthma triggers like dust, and takes \nup valuable school space that could otherwise be used for \nteaching, learning, and organized storage. \n\u2022 School zero waste programs create hands-on learning and \nengagement opportunities for students and staff. A \nsuccessful zero waste program incorporates education and \ncollaboration. \n\u2022 The principles of zero waste \u2013 redesign/rethink, refuse, \nreduce, repurpose, reuse, recycle \u2013 teach us responsibility for \nour schools and our waste. \n POLICY \nThe intent of this BPS Zero Waste Policy is to reduce the amount \nof waste generated by building occupants and reduce the", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "our schools and our waste. \n POLICY \nThe intent of this BPS Zero Waste Policy is to reduce the amount \nof waste generated by building occupants and reduce the \namount of non-recyclable waste that is hauled to and disposed of \nin landfills or incineration facilities. Boston Public Schools has \ncreated this policy which aligns with the City of Boston\u2019s Zero \nWaste Plan. \nBoston Public Schools is responsible for providing recycling \nequipment, education, and cardboard hauling services to all \nbuildings operated by BPS, and for ensuring that banned \nmaterials are separated from trash at the school and other \nbuilding sites, according to MassDEP\u2019s Waste Ban Regulations \n(310 CMR 19.017). The City of Boston Public Works Department is", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 3 of 10 \n \n \n \nresponsible for providing curbside hauling services for all BPS \nsingle-stream recycling. \nSchool principals/heads of schools, and custodians must ensure \nsingle stream recycling equipment and signage are displayed to \ncollect applicable materials (cardboard, glass, metals, paper, \nplastics) and that other materials are collected and recycled \nand/or disposed of properly, including but not limited to: office \nsupplies, books, textiles, yard waste, batteries, ink/toner, \nelectronics, and furniture. \nEach school is responsible for identifying a zero waste champion \nwho serves as the liaison to BPS Facilities Management and \nwhose duties can include educating the school on recycling \npractices, advising a student recycling team, and ensuring the \nschool has recycling equipment and signage provided by \nFacilities Management. The zero waste champion and custodial \nstaff are encouraged to participate in the school\u2019s Wellness", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "school has recycling equipment and signage provided by \nFacilities Management. The zero waste champion and custodial \nstaff are encouraged to participate in the school\u2019s Wellness \nCouncil to ensure that waste management is prioritized and that \nthe school\u2019s indoor environment is upheld as a healthy and clean \nplace to learn and work. \nIMPLEMENTATION PLAN \nBoston Public Schools recycling and zero waste guidance and \nresources can be found at bostongreenschools.org/zero-waste. \nPlease use the BPS Zero Waste Guide and BPS recycling signage. \nBPS provides the following recycling services: single stream \n(paper, metal, glass, plastic, paperboard), corrugated cardboard, \nelectronic waste, furniture, books, yard waste, construction \nwaste, hazardous waste, and universal waste.", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 4 of 10 \n \n \n \nRecycling is a collaborative effort and will require support from \nthe principal/head of school, custodians, cafeteria staff, teachers, \nstudents, zero waste champions, and Facilities Management. \nSchools are encouraged to form a student-led Zero Waste Team \nto help manage the single stream recycling program and keep it \nrunning smoothly throughout the school year. Schools are \nencouraged to host an annual recycling event to educate the \nschool community about recycling best practices and announce \nany new recycling or waste management initiatives. \nFor recycling to be successful across BPS, each school must: \n\u2022 Identify a zero waste champion (teacher, staff, active \nvolunteer, or a staff-advised student team) to be a liaison to \nthe Facilities Department and a recycling advocate in the \nschool. \n\u2022 Incorporate recycling tasks into the custodial work plan. \n\u2022 Allow time for the zero waste champion and the senior", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "the Facilities Department and a recycling advocate in the \nschool. \n\u2022 Incorporate recycling tasks into the custodial work plan. \n\u2022 Allow time for the zero waste champion and the senior \ncustodian to attend any recycling training with Facilities \nManagement. \n\u2022 Commit to providing ongoing education to the school \ncommunity about recycling best practices to divert as much \nrecycling material from the waste stream as possible. \n\u2022 If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), complete and submit the \nZero Waste Equipment Request form to request free \nequipment from Facilities Management. BPS warehouse \nstaff will deliver the equipment. \n\u2022 Place recycling signage and equipment in appropriate \nplaces and implement updates to the program per", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 5 of 10 \n \n \n \ninstruction from Facilities Management. \n\u2022 Equipment must be placed in a 1:1 ratio \u2013 one recycling bin \nnext to one trash bin. \n\u2022 Classrooms and offices must have small recycling bins or \nboxes and trash bins (one of each per room). These small \nbins should be emptied into the larger recycling barrels or \ncarts and trash barrels, respectively. \n\u2022 Hallways, common areas, food service areas, and \ngymnasiums should have recycling barrels or carts and \ntrash barrels. Recycling barrels should be emptied into carts, \nand carts should be rolled outside to the curb before 6am on \nthe day of your school recycling pick-up. You can find your \nrecycling pick-up day by school address at \nhttps://www.boston.gov/trash-and-recycling-day-schedule-\nand-search. Trash barrels should be emptied into the trash \ndumpster, which is serviced by BPS\u2019s contracted waste \nhauler. \nRECYCLING PROCEDURES AND CONTACTS \nZero Waste Program and Education", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "and-search. Trash barrels should be emptied into the trash \ndumpster, which is serviced by BPS\u2019s contracted waste \nhauler. \nRECYCLING PROCEDURES AND CONTACTS \nZero Waste Program and Education \n\u2022 Sustainability, Energy, and Environment Program Director, \nOperations-Department-Heads@bostonpublicschools.org or \n617-635-9576, or visit bostongreenschools.org/zero-waste if \nyou have questions about the BPS Zero Waste Program or \nneed educational materials and support.", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 6 of 10 \n \n \n \nRecycling Equipment \n\u2022 If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), please complete the Zero \nWaste Equipment Request form to request free equipment \nfrom Facilities Management. BPS warehouse staff will \ndeliver the equipment. Get the form at \nbostongreenschools.org/zero-waste. \nSingle-stream Recycling \n\u2022 Paper, and most plastic, glass, and metal containers can be \nrecycled and picked up curbside by the Public Works \nDepartment (PWD). Learn more at \nhttps://www.boston.gov/trash-and-recycling. \n\u2022 Question about a particular item? Visit the state\u2019s \nRecycleSmartMA.org and use the Recyclopedia tool. \n\u2022 Was your curbside recycling not picked up? Call the City of \nBoston 311 or report through the 311 App. PWD will be \nnotified immediately of your missed pick-up. Indicate your \nschool, your address, and the issue you had with a missed \npick-up. \n\u2022 Contact Area Manager, Operations-Department-", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "notified immediately of your missed pick-up. Indicate your \nschool, your address, and the issue you had with a missed \npick-up. \n\u2022 Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, if you have \nquestions or concerns related to the trash and recycling \ndumpsters. \nCardboard Recycling \n\u2022 All corrugated cardboard must be separated from the \nsingle-stream recycling, flattened, and stacked into \nhampers for pickup, because BPS receives income for", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 7 of 10 \n \n \n \ncardboard that is put back into the recycling program. \nCardboard is regularly collected by BPS warehouse staff, \nseparately from PWD\u2019s curbside pick-up. \n\u2022 Contact Sustainability, Energy, and Environment Program \nDirector if your school needs an additional cardboard pickup \nor there were issues with the collection. \nFood Waste \n\u2022 At this time, BPS does not compost food waste. Therefore, \nall food waste should be placed into the large trash barrels. \nFood waste should never be put into any type of recycling \nbin, barrel, or cart, nor should it be put into classroom trash \nbins. By putting food waste into the large trash barrels, you \nare helping to prevent pests, spills, and odors in the \nclassrooms. \n\u2022 BPS will begin implementing food waste collection and \ncomposting services at some schools in 2022-2023, with \nplans to add services at additional schools each subsequent \nyear.", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "classrooms. \n\u2022 BPS will begin implementing food waste collection and \ncomposting services at some schools in 2022-2023, with \nplans to add services at additional schools each subsequent \nyear. \n\u2022 Contact your Food & Nutrition Services representative with \nquestions about food waste. \nReuse: Books, School and Art Materials, Sports Equipment, \nClothing, etc. \n\u2022 Consider setting-up a \u201creuse station\u201d in your school for \nunwanted school supplies that could be used by another \nperson in the school. \n\u2022 Contact the Office of Academics and Professional Learning, \nbostonpublicschools.org/Domain/2439, for anything related", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 8 of 10 \n \n \n \nto unwanted books or curriculum. \n\u2022 Clothing and textiles can be placed in the Bay State Textiles \nor Helpsy boxes, which can be found at multiple school \nlocations. Learn more at bostongreenschools.org/zero-\nwaste, including how your school can add a textiles \nrecycling box to your schoolyard. \nFurniture \n\u2022 All furniture waste must be reviewed by BPS Facilities \nManagement for reuse, redistribution, or proper disposal. \n\u2022 Contact Assistant Director, Building Services, Operations-\nDepartment-Heads@bostonpublicschools.org for any \nfurniture related questions. \nElectronic (anything with a plug or cord) and Toner/Ink \nCartridge Recycling \n\u2022 BPS OIIT manages the collection of old and recyclable IT \nequipment such as printers, monitors, computers, and TVs, \nand ink and toner cartridges. \n\u2022 Complete Form 57 and submit to OIIT. OIIT will schedule a \nvendor to pick up the items. Get the form at \nbostongreenschools.org/zero-waste.", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "and ink and toner cartridges. \n\u2022 Complete Form 57 and submit to OIIT. OIIT will schedule a \nvendor to pick up the items. Get the form at \nbostongreenschools.org/zero-waste. \nUniversal Waste/Hazardous Waste \n\u2022 All universal waste (lamps, batteries, mercury-containing \ndevices, and pesticides) and hazardous waste must be \nproperly labeled and stored in the school\u2019s accumulation \nlocation. \n\u2022 Contact Sr. Environmental Supervisor, Operations-\nDepartment-Heads@bostonpublicschools.org or 617-828-", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 9 of 10 \n \n \n \n0695, to schedule a pick-up. \nMetal Recycling \n\u2022 Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, to recycle \nmetal furniture or scrap items. \nYard Waste \n\u2022 Prior to accumulating yard waste, contact Head \nGroundskeeper, Operations-Department-\nHeads@bostonpublicschools.org or 617-293-3889 to \nschedule a pick-up. All schoolyard waste must be bagged in \ncompostable brown bags or in plastic barrels. All branches \nneed to be cut into small pieces and bundled. \nFacility Alterations, Additions, Construction, and Demolition \n\u2022 Base building elements permanently or semi-permanently \nattached to the building itself, including all studs, insulation, \ndoors, windows, panels, drywall, trim, ceiling panels, carpet, \nflooring material, adhesives, sealants, paints, and coatings \nshould be reused or recycled to the greatest extent possible. \nMassachusetts law bans clean gypsum wallboard, concrete,", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "flooring material, adhesives, sealants, paints, and coatings \nshould be reused or recycled to the greatest extent possible. \nMassachusetts law bans clean gypsum wallboard, concrete, \nasphalt, brick, and wood from disposal in the trash. \n\u2022 BPS Facilities Management shall coordinate with \ncontractors and Public Facilities Department, when \napplicable, to ensure building repair projects are complying \nwith all waste removal laws. \n \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-08 \nPage 10 of 10 \n \n \n \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9576 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-12 \nVersion 01 \n \n \n \nLOSS OR DAMAGE RESULTING FROM FIRE, THEFT, \nVANDALISM OR UNLAWFUL ACTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn all cases of loss or damage to Boston School Department \nbuildings, grounds, or other property, heads of school, principals, \nand responsibility center managers must complete Form A \n(attached) and follow prescribed procedures upon the discovery \nof such incidents. Form A is to be used to report all acts of fire, \ntheft, vandalism, destruction of property, graffiti, breaking and \nentering, and attempts to break and enter. Vandalism is \nconsidered to be all willful acts causing damage to school \ndepartment property. \nHeads of school, principals, and other responsibility center \nmanagers must also contact the Boston Police or Safety Services \nand request that an official Police Department incident report", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "content": "Heads of school, principals, and other responsibility center \nmanagers must also contact the Boston Police or Safety Services \nand request that an official Police Department incident report \n(commonly referred to as a \u201c1-1\u201d) be prepared. This report serves \nas documentation that the incident has been reported to and \nlogged by the Police Department. Heads of school, principals, \nand responsibility center managers should keep a copy of both \nForm A and the official police report for their records. \nThe original Form A and a copy of the police report are to be sent \nto the Department of Safety Services, 213 Townsend Street, \nDorchester, MA 02121.", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "content": "Superintendent\u2019s Circular FMT-12 \nPage 2 of 4 \n \n \n \nAdditional copies are to be forwarded to the following \ndepartments: \n\u25cf Facilities Management \n\u25cf Academic Superintendents \n\u25cf Others, as necessary \n\uf075 In the event of emergency or hazardous conditions, notify \nFacilities Management immediately. \nRefer to Superintendent\u2019s Circular FSE-01 School Safety / \nContingency Plans for additional information. \nFor more information about this circular, contact: \nOwner: Sr. Supervisor Electrical/Security \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Boston, MA 02125 \nPhone: 617-635-8300 \nFax: 617-635-7855 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "content": "Superintendent\u2019s Circular FMT-12 \nPage 3 of 4 \n \n \n \nFORM A \nREPORT OF LOSS OR DAMAGE RESULTING FROM \nFIRE, THEFT, VANDALISM OR UNLAWFUL ACTS \nThis form is to be used to report all acts of fire, theft, vandalism, \ndestruction of property, graffiti, breaking and entering, or attempts to \nbreak and enter. Vandalism shall be considered to be all willful acts \ncausing damage to school property. \nSchool or other facility: ________________________________________________ \nDate of report: ________________________________________________________ \nSpecific location of incident: __________________________________________ \nPoint of entry: ________________________________________________________ \nName of person who discovered the incident: _________________________ \nDate/time of incident: _________________________________________________ \nDescription of damage or loss. Identify property by manufacturer, \nmodel, serial number, and school department identification number:", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "content": "Superintendent\u2019s Circular FMT-12 \nPage 4 of 4 \n \n \n \nPlease complete the following information if this report is the result of \nloss, theft, or damage to a laptop/desktop. Once completed, forward a \ncopy to your Technical Support Teacher (TST). \n \nProduct Model Serial # Asset Tag # \n\u2610 Laptop \n\u2610 Laptop case \n\u2610 Cables \n\u2610 Lock \n\u2610 Desktop Monitor \n\u2610 Desktop CPU \n \n________________________________________________ ______________________ \n Name of responding Police Officer CC Number \n_______________________________________________ _______________________ \n Name of Facilities Mgt. personnel notified Date/Time \n_______________________________________________ _______________________ \n Signature Title \ncc: \u2610 Facilities Management Copy \n\u2610 Safety Services Copy \n\u2610 Office of Instructional and Information Technology", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-10 \n Version 01 \n \nINTEGRATED PEST MANAGEMENT (IPM) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMISSION STATEMENT \nTo further ensure a healthy and safe learning and work \nenvironment at all Boston Public School (BPS) buildings, BPS will \nbe implementing a systemwide IPM program. IPM is a holistic \napproach to control pest activity and to reduce pesticide usage in \nthe building and surrounding landscape. \nIMPLEMENTATION PLAN \nA key component of an effective IPM plan is the selection of an \nIPM coordinator. The IPM coordinator should be someone with \nadministrative authority to adequately enforce and implement \nthe program. The IPM coordinator acts as a representative of the \nprincipal. The IPM coordinator is required to establish an IPM \nCommittee, which will include interested stockholders (e.g., \ncustodian(s), after school program, community school (as", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "principal. The IPM coordinator is required to establish an IPM \nCommittee, which will include interested stockholders (e.g., \ncustodian(s), after school program, community school (as \napplicable), food service manager, teacher, etc.). \nState laws and regulations require all school buildings and \nlicensed daycares to register an indoor and outdoor IPM plan \nwith the Massachusetts Department of Agricultural Resources \n(MDAR). The law requires the IPM plans to be updated and \nregistered annually. The pest control contractor (PCC) is \nresponsible to annually update the indoor and outdoor plan.", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "Superintendent\u2019s Circular FMT-10 \nPage 2 of 7 \n \nAll IPM plans must be updated annually by the pest control \ncontractor by December 1. The PCC will meet with the \nprincipal/head of school or designee to update the plan. The \nupdates will include but not be limited to technical components, \npest treatment products, and devices of the IPM plan. The \nprincipal/head of school or designated representative (i.e., IPM \ncoordinator) will provide the PCC with the school's information, \nincluding but not limited to school name and address, name of \nprincipal/head of school, IPM coordinator\u2019s name, IPM Committee \nmembers, etc. \nThe logbook must contain the following sections: \n\u2022 A copy of the MDAR approved indoor and outdoor IPM \nplan \n\u2022 Complaint/sighting forms \n\u2022 Pest control contractor inspection and treatment reports \n\u2022 Treatment product health and safety information (similar \nto a material safety data sheet) \n\u2022 Pest control contractor (PCC) information (name and", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "\u2022 Treatment product health and safety information (similar \nto a material safety data sheet) \n\u2022 Pest control contractor (PCC) information (name and \naddress of company, contact person, telephone number, \netc.) \nNOTE: It\u2019s very important that all pest problems/issues be \nentered into the logbook to ensure problem areas are treated \nduring monthly inspections. \nMONTHLY INSPECTION \n1. All PCCs working in BPS facilities will be familiar with \nthe BPS IPM protocol. \n2. Prior to the start of any service, the PCC will report to \nthe main office and review the IPM logbook for recent", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "Superintendent\u2019s Circular FMT-10 \nPage 3 of 7 \n \nentries. \n3. The PCC will conduct a monthly inspection of all school \nbuildings. The minimum inspection will include a \nphysical inspection and assessment of the following \nareas, noting IPM related deficiencies: \na. Food prep and storage areas \nb. Dumpster and waste storage areas \nc. Loading and receiving areas \nd. Building grounds \ne. Teacher\u2019s lounge \nf. Entry points or connections from a mechanical \nspace or crawl space \ng. Boiler room area, mechanical rooms, and \nmoveable storage areas \nh. Storage rooms, sinks, and custodial storerooms \ni. Noted rooms with recent complaints (those \nareas/rooms marked with a complaint after the \nlast service call) \nj. Other suspected areas \n4. Temporarily seal all potential rodent access holes or \nvoids (< 3 in. diameter), including voids around pipes \nand duct penetrations or any other penetrations. The \nPCC will only use approved sealants. The PCC will", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "voids (< 3 in. diameter), including voids around pipes \nand duct penetrations or any other penetrations. The \nPCC will only use approved sealants. The PCC will \nprovide product specifications for sealants prior to any \nuse in BPS facilities. The Alterations and Repairs \nsupervisor will be contacted to permanently seal any \npenetrations. \n5. The PCC will vacuum any rodent droppings around any \narea where traps, glue boards, monitoring stations, etc. \nhave been placed. \n6. The PCC will inspect the above noted areas and make \nrecommendations for enhanced treatment as", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "Superintendent\u2019s Circular FMT-10 \nPage 4 of 7 \n \nnecessary. \n7. The PCC will provide electronic copies of any IPM \ninspection, treatment, or service via email to the \nschool\u2019s email address, to the environmental supervisor \nor specialist with BPS and Food Services. \nThe pest control contractor or the school will notify and seek \napproval from BPS Environmental Division for any additional IPM \ntreatments, service calls, or inspections beyond the monthly \ntreatment. This request must be made through or verified by \nemail confirmation. \nA quality IPM program must effectively control the following \nconditions: \n\u2022 Rodent entry points and access \n\u2022 Harborage and clutter \n\u2022 Food source and sanitation \n\u2022 Moisture \nThe IPM coordinator must review the IPM logbook immediately \nfollowing each inspection. The coordinator will create a work \norder request addressed to the environmental supervisor for \ntreatment or necessary repairs.", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "Superintendent\u2019s Circular FMT-10 \nPage 5 of 7 \n \nClutter is a major issue that needs to be addressed for an \neffective IPM program. Clutter creates harborage for pests \nand limits full treatment. Clutter is defined as storage \nwhich: \n1. Impedes egresses \n2. Limits safe movement throughout the area \n3. Blocks and limits access to essential mechanical, utility, \nand emergency equipment \n4. Becomes stagnant: boxes or materials left on the floor \nthat show signs of deterioration, water damage, or pest \nactivity \nAll unnecessary unwanted or contaminated materials must be \nremoved. \nBED BUG PROTOCOL FOR BOSTON PUBLIC SCHOOLS \nBed bugs are becoming a more common pest problem that \ncould impact the general quality of life but are not known to \ntransmit any diseases. Bed bugs are small (less than \u00bc inch in \ndiameter), brownish, flattened insects that are known to bite \npeople when they are asleep. The bites often may not be felt but", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "transmit any diseases. Bed bugs are small (less than \u00bc inch in \ndiameter), brownish, flattened insects that are known to bite \npeople when they are asleep. The bites often may not be felt but \ncan cause itchiness and swelling. Unlike some other insects (e.g., \nhead lice), bed bugs do not live on people but may hitchhike on \none\u2019s personal items (backpacks, clothing, books, etc.) to get into \na school building. Bed bug infestations are uncommon in \nschools, but since they may get in by other means, schools need \nto be proactive. \nSchool\u2019s Response Actions: \n1. The school\u2019s IPM coordinator, principal, or head of \nschool must be notified. \n2. Write the complaint in your school\u2019s IPM logbook", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "Superintendent\u2019s Circular FMT-10 \nPage 6 of 7 \n \nwhich is kept in your main office. Please provide details \nin your complaint without divulging anyone\u2019s personal \ninformation. A complaint should be logged for any \nsuspect bed bugs. \n3. Contact the Facilities Management, Environmental \nDivision at 617-635-8300. \n4. If you can capture the insect, place it in a sealed clear \nplastic bag (Ziploc) for identification. The pest control \ncontractor (PCC) will come by to identify the insect as \nsoon as possible. \n5. If a student has been identified with a bed bug, the \npersonal belongings of all students in the room should \nbe bagged and sealed tightly. \n6. A student who has suspect bite marks should see the \nschool nurse as soon as possible. \n7. The school nurse will contact the student\u2019s parent or \nguardian to provide them with contact information for \nthe Boston Public Health Commission to arrange a bed \nbug inspection. \nFor more information, please visit the link below:", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "guardian to provide them with contact information for \nthe Boston Public Health Commission to arrange a bed \nbug inspection. \nFor more information, please visit the link below: \nhttps://bphc.org/whatwedo/healthy-homes-\nenvironment/Documents/bedbug_fact_sheet.", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "content": "Superintendent\u2019s Circular FMT-10 \nPage 7 of 7 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nACTIVITY TIMELINE \nCopy of this year\u2019s Superintendent\u2019s \nCircular included in IPM book \nAnnually by October 1 \nPest control contractors will annually \nreview and update indoor and outdoor \nIPM plans, register with \nMassachusetts Department of \nAgricultural Resources, and submit to \nFacilities Management. \nAnnually by December 1 \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester MA, 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-11 \nVersion 01 \n \n \n \nGREEN CLEANERS\u2019 POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nHigh-performance schools that have superior indoor air quality \nand are healthy and well maintained have been shown to reduce \nabsenteeism and improve student performance. Many Boston \nschool children suffer from allergies and asthma, which can be \ntriggered by poor air quality and chemical, biological, and \nparticulate contaminants. Long or short-term exposure to toxic \nchemicals or harmful particles, gasses, or vapors can have serious \nconsequences, especially for children, such as asthma, allergies, \ndepression, hormonal changes, or even cancer. To ensure the \nbest quality learning environment for our students and working \nenvironment for our staff, it is the responsibility of the Boston \nPublic Schools (BPS) to minimize the negative impacts that", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "best quality learning environment for our students and working \nenvironment for our staff, it is the responsibility of the Boston \nPublic Schools (BPS) to minimize the negative impacts that \ncleaning products have on occupant health and the \nenvironment. \nPOLICY \nThe BPS is committed to providing and maintaining high-\nperforming buildings and grounds in an environmentally friendly \nand sustainable manner. The Green Cleaners Policy is in \naccordance with the City of Boston\u2019s executive order relative to", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-11 \nPage 2 of 5 \n \n \n \ngreening city building maintenance and operations and \nexecutive order relative to climate action. This policy applies to all \nBPS buildings and grounds, including offices, classrooms, \nrestrooms, cafeterias, gymnasiums, hallways, pathways, \nkitchenettes, stairwells, etc. \nUnder this green cleaning policy, BPS departments, school sites, \nand partner programs taking place in schools must comply with \nthe following: \n\u25cf Purchase, provide, and use only environmentally friendly \ncleaning products that comply with the Green Seal \nEnvironmental Standard (GS-37), including but not limited \nto glass, bathroom, carpet, and general-purpose cleaners \nused for industrial and institutional purposes. \n\u25cf All other non-approved cleaning products are prohibited \nfrom being used in BPS buildings and grounds by any staff, \nvolunteer, vendor, or partner. \n\u25cf Use of disinfectants for cleaning shall be limited to food", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "from being used in BPS buildings and grounds by any staff, \nvolunteer, vendor, or partner. \n\u25cf Use of disinfectants for cleaning shall be limited to food \nservice areas and the clean-up of biological and bodily \nwastes and \u201chigh touch areas\u201d (when directed). All \ndisinfectants must be premixed, registered by the U.S. \nEnvironmental Protection Agency, and have a Hazardous \nMaterials Identification System (HMIS) rating of 2 or less. \n\u25cf Pre-approved or least toxic and asthma friendly \nsanitizer/disinfectants must be used in early learning \ncenters in accordance with the National Association of \nEducation for Young Children accreditation standards.", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-11 \nPage 3 of 5 \n \n \n \nIMPLEMENTATION PLAN \nBPS Facilities Management and custodial staff will maintain this \npolicy through these implementation steps: \n\u25cf Ensure vendors can provide proof that their products meet \nthe criteria for Green Seal Environmental Standard for \nCleaning Products for Industrial and Institutional Use, GS-37. \nThe Green Seal program is a North American multi-attribute, \nlifecycle environmental standard and certification. \n\u25cf Burnish floor surfaces where applicable to reduce the use of \npotentially irritating cleaning and stripping compounds. Any \nnecessary floor stripping and waxing will be performed \nduring non-occupied hours. \n\u25cf Automatic mixing stations will be installed for custodial use \nthat dispense pre-mixed products to ensure the active \ningredient concentration required by the EPA, limit \nemployee contact with chemicals for enhanced safety, and \nminimize waste.", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "that dispense pre-mixed products to ensure the active \ningredient concentration required by the EPA, limit \nemployee contact with chemicals for enhanced safety, and \nminimize waste. \n\u25cf Upon request, school custodians will provide teachers and \nother BPS staff with OSHA-compliant pre-labeled spray \nbottles of mixed green cleaning compounds (desktop and \nglass cleaners) that meet the Green Cleaning Policy \nstandards. \n\u25cf Train and update BPS custodial staff and others who use \nchemicals on the Green Cleaners Policy, including but not \nlimited to hazard communications (Right to Know law, \nMSDS, etc.), worker safety and personal protective \nequipment use, safe and proper product and equipment \nuse, etc.", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-11 \nPage 4 of 5 \n \n \n \n\u25cf Custodians will participate on the school\u2019s Wellness Council \nto ensure compliance with this policy as well as other \nHealthy School Environment policies and initiatives \n(recycling, integrated pest management, etc.). \n\u25cf To the greatest extent possible, cleaning materials and \nassociated packaging will be reused and/or recycled to \nminimize waste. \n\u25cf Protocols governing safe handling and storage of cleaning \nchemicals shall be adopted. Quality control checks will be \nused to ensure adoption. \nRESPONSIBLE PARTIES \nThis policy is overseen by the BPS Facilities Management \nDepartment and is updated annually to help ensure cleaning \npractices, products, and technologies specified in this policy \nmeet industry standards and best practices. \nBPS staff, contractors, and vendors shall review this policy and \nmay request additional information and training as required.", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-11 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9576 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-02 \nVersion 01 \n \n \nWORK ORDER REQUESTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll work requests are to be submitted through Asset Essentials. \nThe following procedures are to be followed when originating \nwork requests. \nASSET ESSENTIALS \nYou will be able to login through your Google App launcher, \nwhich is the icon at the top of your Gmail (3 by 3 box.) Scroll down \nuntil you see the \"SchoolDude - Asset Essentials\" icon. \nREQUEST FORMAT \nEach request begins by selecting the school from the drop-down \nmenu. Please provide a detailed description of the work needed, \nincluding the floor, room number, and room name (if there is \none). Please note the system will automatically collect your email \naddress for return messages. \nEMERGENCIES \nCall emergencies into the Planning and Engineering Office \nimmediately at 617-635-8300 or 617-635-9135. You may also call", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "address for return messages. \nEMERGENCIES \nCall emergencies into the Planning and Engineering Office \nimmediately at 617-635-8300 or 617-635-9135. You may also call \nthe appropriate Planning and Engineering supervisor to report", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "Superintendent\u2019s Circular FMT-02 \nPage 2 of 6 \n \n \nany emergency. After calling in the emergency, enter the \nemergency Work Order Request into the system by the end of \nthe day, indicating that it was an emergency, and the request is a \nconfirming order. \nEXTERNAL FUNDS \nIf the costs are to be charged to an external funding source, \nindicate in the request to what account the costs should be \ncharged. Refer to Superintendent\u2019s Circular \u2014 External Funding \nof Renovations to School Buildings and Yards. \nSTATUS OF WORK ORDER REQUESTS \nOnce a Work Order Request has been submitted for initial \nreview, you will be able to view the status and actions taken by \nPlanning and Engineering staff on the initial request. \nStatus codes are as follows: \n\u25cf In Progress - We have decided to move forward with \nobtaining an estimate from a contractor. Once we have \nobtained an estimate from a contractor, we will assess and \nmake a final decision.", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "\u25cf In Progress - We have decided to move forward with \nobtaining an estimate from a contractor. Once we have \nobtained an estimate from a contractor, we will assess and \nmake a final decision. \n\u25cf On Hold - The decision has been made to put this on hold \nfor right now. You will be able to view the status and actions \ntaken by Planning and Engineering staff on the initial \nrequest. There will be a detailed note explaining this \ndecision. \n\u25cf Denied - The decision has been made to not proceed with \nthis work order. You will be able to view the status and \nactions taken by Planning and Engineering staff on the", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "Superintendent\u2019s Circular FMT-02 \nPage 3 of 6 \n \n \ninitial request. There will be a detailed note explaining this \ndecision. \n\u25cf Capital Project - This has been deemed to be a capital \nproject and so it has been forwarded to the Capital Project \nteam. \n\u25cf Completed - Once a supervisor has provided estimated \ncosts, contractors to complete the work, and estimated \ncompletion date, and a final decision has been rendered, \nyou will be able to review the status and actions taken by \nPlanning and Engineering staff. \n\u25ba Please note that, for most approved work orders, you \ngenerally will not receive a note. If your request is put On \nHold, Denied, or Capital Project, you will generally receive a \nnote explaining the reason for the decision. \nSUBDIVISION OF CLASSROOMS/CHANGE IN \nOCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS \nFOR OFFICE SPACE \nRequests for subdivision for expanding classroom space must: \n\u25cf be submitted on the attached Request for Space", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "OCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS \nFOR OFFICE SPACE \nRequests for subdivision for expanding classroom space must: \n\u25cf be submitted on the attached Request for Space \nModification Form (Attachment A) with location and \npurpose. \n\u25cf be approved by the director of Student Assignment and \ndirector of Facilities Management. \n\u25cf meet building codes for safety. \n \nPartitioning of non-educational spaces such as cafeterias, \ngymnasiums, or corridors is prohibited.", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "Superintendent\u2019s Circular FMT-02 \nPage 4 of 6 \n \n \n\u25ba PLEASE NOTE, ALL APPROVALS ARE SUBJECT TO THE \nAVAILABILITY OF FUNDING \n \nFor more information about this circular, contact: \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Boston, MA 02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "Superintendent\u2019s Circular FMT-02 \nPage 5 of 6 \n \n \nATTACHMENT A \nREQUEST FOR SPACE MODIFICATION \nRequest for any programmatic plan that changes existing space \nin a school building must be done in writing. Please complete \nthe Request Form below and submit to the director of the \nStudent Assignment Unit. \nA. Request: \nSchool: _______________________________________Date: \nDetail of Space Modification: \n \n \nRationale for Modification: \n \n \nSource of Funding: \n\u2610 Requested from Facilities Management \n\u2610 School Funds Available \u2610 Grant Funds Available \nPrincipal/Head of School signature:", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-02 Work Order Requests.pdf", + "content": "Superintendent\u2019s Circular FMT-02 \nPage 6 of 6 \n \n \nB. Approval / Non-Approval: \nDirector of Student Assignment: \n\u25a1 Approved / supports enrollment capacity needs. \n\u25a1 Not approved / negatively impacts enrollment capacity \nneeds. \n\u25a1 No impact on enrollment capacity needs / move to Facilities \nManagement for decision. \n \nSignature: ___________________________________Date: \nDirector of Facilities Management: \n\u25a1 Approved / supports enrollment capacity needs. Funding \nwill be allocated. \n\u25a1 Approved / no impact on enrollment and funding identified \nby principal/head of school. \n\u25a1 Not approved / no funding available. \n\u25a1 Not approved / building code violation. \n \nSignature: ___________________________________Date: \n \nUpon final decision regarding Approval / Non-Approval, a copy of \nsame will be forwarded to the principal/head of school initiating \nthe request for space modification.", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-20 \nVersion 01 \n \nDRINKING WATER ACCESS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Drinking Water Access Policy is for all water units used for \ndrinking and food preparation. \nSTATEMENT OF COMMITMENT \nBoston Public Schools (BPS) will safely bring online and maintain \nall school building water units used for drinking and food \npreparation. \nBACKGROUND \nBy law, all students must have access to water during meals and \nthroughout the school day, at no cost. BPS follows the Healthy, \nHunger-Free Kids Act of 2010, Massachusetts Legislation (H 4459) \n223(g), and Massachusetts Uniform State Plumbing Code (248 \nMASS. CODE REGS. \u00a7 10.10, Table 1 (2011). \nBoston Water & Sewer Commission (http://www.bwsc.org/) is the \nPublic Water System (PWS) that supplies potable water to BPS. \nBPS also upholds a bottled water contract.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Boston Water & Sewer Commission (http://www.bwsc.org/) is the \nPublic Water System (PWS) that supplies potable water to BPS. \nBPS also upholds a bottled water contract. \n \nBPS, like all school districts, is responsible for following the \nguidance of the US Lead Contamination Control Act (LCCA). The", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 2 of 21 \n \n \nLCCA directs the United States Environmental Protection Agency \n(EPA) and its state designees to assist school system \nadministrators, schools, and programs, to identify and reduce or \neliminate lead contamination in their facilities\u2019 drinking water. \nThe LCCA is an assistance-based, non-regulatory program. \n \nAs a federal designee and the responsible Massachusetts agency, \nMassachusetts Department of Environmental Protection \n(MassDEP) is responsible for educating school/facility officials \nabout the LCCA and coordinating statewide efforts to reduce or \neliminate lead in drinking water at schools and childcare \nfacilities. The Massachusetts program includes both lead and \ncopper because the same mechanism that leaches lead from \nplumbing into drinking can also leach copper. Additional \ninformation on the MassDEP Drinking Water Program is available \nat https://www.mass.gov/lead-in-drinking-water. \nPOLICY", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "plumbing into drinking can also leach copper. Additional \ninformation on the MassDEP Drinking Water Program is available \nat https://www.mass.gov/lead-in-drinking-water. \nPOLICY \nIn accordance with the EPA\u2019s revised 3Ts for Reducing Lead in \nDrinking Water in Schools and Child Care Facilities Toolkit \n(https://www.epa.gov/ground-water-and-drinking-water/3ts-\nreducing-lead-drinking-water-toolkit), and the subsequent \nrecommendations from MassDEP, BPS is committed to the \nfollowing drinking water access policy: \n1. Annually test all water units used for drinking and food \npreparation. \n2. Deactivate any unit with test results above or equal to 15 \nparts per billion (ppb) for lead and or 1,300 ppb for copper \nand implement remediation actions to reduce those levels \nto the lowest possible concentrations. Remediation actions", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 3 of 21 \n \n \nmay include, but not be limited to, daily flushing, installation \nof filtration systems, and/or replacement of drinking water \nfixtures, plumbing fixtures, and/or piping. \n3. Continue to use units with test results between 1 ppb and 15 \nppb for lead, while implementing short and long-term \nremediation actions to reduce those levels to the lowest \npossible concentrations. \n4. Communicate all test results and subsequent actions. \n5. Provide bottled water and cups for any deactivated, offline \nschools and any online schools that lack access to fountains \nin food service and medical areas. \n6. Provide drinking water access training for relevant BPS staff \nin accordance with this policy. \nDEFINITIONS \n\u2022 EPA\u2019s 3 T\u2019s for Reducing Lead in Drinking Water: Training, \nTesting, and Taking Action, 3Ts for Reducing Lead in \nDrinking Water | US EPA. \n\u2022 Deactivation Level, Copper: \u22651,300 ppb \n\u2022 Deactivation Level, Lead: \u226515 ppb", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Testing, and Taking Action, 3Ts for Reducing Lead in \nDrinking Water | US EPA. \n\u2022 Deactivation Level, Copper: \u22651,300 ppb \n\u2022 Deactivation Level, Lead: \u226515 ppb \n\u2022 Water Unit: Any water fountain or food service \nequipment/fixture (e.g., food preparation sink faucets, \nkettles, tilt skillets, etc.) \n\u2022 Online School: A school building supplied by online water \nunits as its primary source of drinking water. (see definition: \nOnline Water Unit) \n\u2022 Online Water Unit: An active water unit, with verified lead \nand copper concentrations below deactivation levels, for", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 4 of 21 \n \n \ndrinking and/or food preparation. Concentrations are \nverified by the required testing. \n\u2022 Offline School: A school building provided with a \ncommercial bottled water supply as its only source of \ndrinking water. \n\u2022 Offline Water Unit: A deactivated water unit supplied by the \nPWS for drinking and/or food preparation with verified lead \nand or copper concentrations above deactivation levels. \n\u2022 Activation: A change in a water unit\u2019s (e.g., water fountain or \nfood service equipment and fixtures) status from offline to \nonline due to initial installation or remediation action(s) and \nsubsequent testing demonstrating the lowest possible \nconcentrations for lead and copper. \n\u2022 Deactivation: A change in a water unit\u2019s (e.g., water fountain \nor food service equipment and fixtures) status from online \nto offline. Any online water unit with elevated lead or copper \nlevels above deactivation levels will be deactivated.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "or food service equipment and fixtures) status from online \nto offline. Any online water unit with elevated lead or copper \nlevels above deactivation levels will be deactivated. \nDeactivated units will remain deactivated until remediation \naction(s) have been completed and the remediated unit has \nbeen re-tested with subsequent test levels at the lowest \npossible concentrations for lead and copper. \n\u2022 Flushing: Turning on a plumbing cold water fixture(s) and \nletting the cold water run continuously for a specified time \nframe in accordance with MassDEP protocols. \n\u2022 Daily Flushing: For high use areas, such as fixtures used for \nfood preparation (e.g., food preparation sink faucets, kettles, \ntilt skillets, etc.), BPS will adhere to MassDEP\u2019s flushing \nguidance for schools, available at Fact Sheet \u2013 Flushing: A \nShort-Term Solution to Reduce Lead and Copper. For any", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 5 of 21 \n \n \nonline water fountain, it is recommended that the drinker \nfirst let the water run for 5-10 seconds before drinking, and \nthis is only for precautionary measures as lead and copper \nconcentrations were already verified to be below \ndeactivation levels. For directly plumbed water units where \nflushing is not feasible (e.g., combination ovens, steamers, \nice makers, etc.), filters have already been or will be \ninstalled. \n\u2022 Activation Flushing: BPS will adhere to a minimum flushing \ntime of 20 minutes for activation of offline water units, per \nthe activation protocol. \n\u2022 Remediation Action(s): Shall include, but are not limited to \nreplacement, repair, maintenance, filtration, and/or flushing \nto reduce the concentration of lead and copper to the \nlowest possible concentrations. \n \nREQUIREMENTS \nPer the Annual Testing Protocol (pg. 8), BPS Facilities \nManagement Environmental Division will annually test all online", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "lowest possible concentrations. \n \nREQUIREMENTS \nPer the Annual Testing Protocol (pg. 8), BPS Facilities \nManagement Environmental Division will annually test all online \nwater units used for drinking and food preparation for lead and \ncopper concentrations. BPS annual testing will adhere to \nMassDEP\u2019s guidance for sample collection procedures for schools \nand early education childcare facilities, available at the following \nlink: Sampling for Lead and Copper at Schools and Childcare \nFacilities | Mass.gov. This testing protocol does not include any \nsinks used for facility cleaning or handwashing, including but not \nlimited to those found in utility rooms, bathrooms, locker rooms, \nkitchens, science labs, prep rooms, and classrooms. These sinks \nare not to be used for drinking or any other consumptive purpose", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 6 of 21 \n \n \nsuch as food preparation, and signage shall be posted as such. \n\u2022 In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: BPS Water / Boston School Water Quality. Units \nwith results between 1 ppb and 15 ppb for lead will continue \nto be used, while BPS Facilities Management implements \nshort or long-term remediation actions to reduce those \nlevels to the lowest possible concentrations. \n\u2022 In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed \nthe lead/copper deactivation levels, BPS Facilities \nManagement and BPS Communications will enact the \nDeactivation Protocol (pg. 10), which requires BPS Facilities \nManagement Plumbing Division to immediately deactivate \nonly the impacted online water unit(s), and place signage", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Deactivation Protocol (pg. 10), which requires BPS Facilities \nManagement Plumbing Division to immediately deactivate \nonly the impacted online water unit(s), and place signage \nthat says \u201cWater Shut Off. Do NOT turn on without Facilities \nManagement or FNS (Food and Nutrition Services) \nApproval.\u201d For water units used for drinking, the units will \nalso be tagged with a \u201cDO NOT DRINK\u201d. \n\u2022 In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking \nor food preparation), signage has been conspicuously \nplaced (as of September 1, 2016) near that source stating: \n\u201cWATER FROM SINKS WILL BE USED FOR WASHING ONLY.\u201d \nPictures will be used in locations as needed. BPS \nprincipals/heads of school will designate a responsible \nperson to check and ensure this signage is posted in \nbathrooms and classrooms on a regular basis. BPS Facilities \nManagement will provide the signage and can be contacted", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 7 of 21 \n \n \nfor additional or replacement signage. \n\u2022 BPS will follow the Activation Protocol (pg. 12) to safely bring \nonline school building water units used for drinking, food \npreparation, or medical services. \n\u2022 BPS will follow the Flushing Protocol (pg. 13) as one \nremediation practice for reducing lead levels to the lowest \npossible concentrations. \n\u2022 BPS Facilities Management will follow the Filter and Filtered \nWater Fountain Standard Operating Procedure and \nMaintenance Protocol (pg. 13) to manage all filtered water \nfountains and filters. \n\u2022 BPS Facilities Management will follow the Bottled Water \nProtocol (pg. 16), which includes providing bottled water, \nbottled water units, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online school. BPS Facilities Management \nwill manage and track all bottled water accounts.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "any medical or food service areas that lack access to tap \nwater units in any online school. BPS Facilities Management \nwill manage and track all bottled water accounts. \n\u2022 BPS Facilities Management will provide water testing results \nand any recent water-related information to BPS \nCommunications for the BPS water webpage, \nhttp://www.bostonpublicschools.org/water and annual \nnotices to the BPS community. \n\u2022 Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available \ncontinuously, without disruption, on all water coolers \nthroughout the entire school day, including during \nmealtimes. Schools are responsible for calling Facilities \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 8 of 21 \n \n \n\u2022 BPS Department of Health & Wellness will educate, \npromote, and communicate the importance and benefits of \ndrinking water and collaborate with Facilities Management \nand Food and Nutrition Services to communicate all aspects \nof this policy to school leaders, staff, students, and school \ncommunity. \n\u2022 In alignment with BuildBPS, BPS will integrate water \ninfrastructure improvements into routine renovations and \ncapital planning and develop a water infrastructure plan for \nschools that are offline with a goal of bringing all BPS \nschools online. \nIMPLEMENTATION PROTOCOLS: TESTING, MAINTENANCE, & \nACCESS \nAnnual Testing Protocol \nBPS annual testing will adhere to MassDEP\u2019s guidance for \nSample Collection Procedures for schools and early education \nchildcare facilities, available at the following link: Sampling for \nLead and Copper at Schools and Childcare Facilities | Mass.gov. \nHow to Collect a First Draw Sample", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "childcare facilities, available at the following link: Sampling for \nLead and Copper at Schools and Childcare Facilities | Mass.gov. \nHow to Collect a First Draw Sample \n1. Collect the sample before any water has been used. Water \nunits must be unused for at least eight (8) hours, but not \nmore than eighteen (18) hours, before testing. \n2. Sampler must wear chemical resistant Nitrile gloves while \nsampling. \n3. Complete the sample collection form during all sampling \n(Sample Custody Log - MA DEP LCCA Program or \nequivalent).", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 9 of 21 \n \n \n4. Only use containers (250 milliliter/wide mouth) supplied by \na certified laboratory. \n5. Containers should not be opened until you are ready to \ncollect the sample. \n6. Sampling containers that have been compromised in any \nway (e.g., by being touched on the threads or the interior \nsurfaces) must not be used. \n7. Keep any food and drink away from the sample and its \ncontainer. \n8. If the fixture/faucet has an aerator at the end of the fixture, it \nshould not be removed before taking samples. The sampler \nshould not remove or clean any aerators prior to or during \nthe collection of tap samples. Make sure no water has been \nwithdrawn from the tap or water fountain, as well as from \nany adjacent taps, before the sample has been collected. \n9. Place the container under the water unit that is being \ntested and collect 250 milliliters (mL) of water. \n10. For all water units being tested, make sure you turn on the", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "9. Place the container under the water unit that is being \ntested and collect 250 milliliters (mL) of water. \n10. For all water units being tested, make sure you turn on the \ncold water tap. Open the cold water tap and run it as you \nwould when filling a glass of water. \n11. Turn on the water and fill the container without allowing \nany water to run down the drain or the outsides of the \ncontainer. \n12. Close the container according to the instructions from your \ncertified lab. Tightly cap the sample bottle and place in the \nsample (shipping) kit provided. \n13. Make sure the container is labeled with the same \ninformation from your sample collection form (Sample", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 10 of 21 \n \n \nCustody Log - MA DEP LCCA Program or equivalent). \n14. Prepare the container for shipping according to the certified \nlab's instructions. Ship containers according to the certified \nlab's instructions. \n15. Samples must be delivered and relinquished to a certified \nlab within 14 (fourteen) days of collection for proper testing. \nDeactivation Protocol \n1. In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: https://www.bostonpublicschools.org/water. \nUnits with results between 1 ppb and 15 ppb for lead will \ncontinue to be used, while BPS Facilities Management \nimplements short or long-term remediation actions to \nreduce those levels to the lowest possible concentrations. \n2. In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed the", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "reduce those levels to the lowest possible concentrations. \n2. In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed the \nlead/copper deactivation levels: \na. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately \ndeactivate only the impacted online water unit(s), \nunless otherwise specifically directed. These units will \nbe made offline and tagged \u201cWater Shut Off. Do NOT \nturn on without Facilities Management or FNS (Food \nand Nutrition Services) Approval.\u201d For water units used \nfor drinking, the units will be tagged with a \u201cDO NOT \nDRINK\u201d. If required, a bottled water unit will be placed", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 11 of 21 \n \n \nas near as possible to the deactivated unit. \nb. BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups. One bottled water \ncooler will be provided for each deactivated water unit \n(e.g. water fountain) or as necessary to meet 248 CMR \n10.00: Uniform State Plumbing Code requirements \n(See: Table 1: Minimum Facilities For Building \nOccupancy, available at the following link: 248 CMR \n10.00: Uniform state plumbing code). . \nc. BPS Communications and Facilities Management will \nimmediately implement the Deactivation \nCommunications Protocol (pg. 18). \nd. BPS Facilities Management Environmental and \nPlumbing Divisions will inspect the impacted water \nunit to identify any source or cause of elevation and \nschedule any remediation action(s). \ne. The impacted water unit will remain deactivated until \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "schedule any remediation action(s). \ne. The impacted water unit will remain deactivated until \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has \ntested and received three (3) consecutive lead and \ncopper sample results at the lowest possible \nconcentrations. \n3. In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking \nor consumption) or levels of lead in water units exceed the \nlead/copper action level, signage has been conspicuously \nplaced near that source stating: \u201cWATER FROM SINKS WILL \nBE USED FOR WASHING ONLY.\u201d \n4. The Boston Public Health Commission (BPHC) does not", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 12 of 21 \n \n \nrecommend that BPS screen children for lead. If a child is \nexposed to water containing elevated lead levels, the BPHC \nrecommends that parents consult their child's medical \nprovider to assess whether their child's individual risk \nwarrants blood lead testing. Many healthcare providers, \nsuch as MassHealth, cover the cost of lead testing. Families \nwith questions or concerns about costs may contact BPS \nHealth Services at 617-635-6788. \nActivation Protocol \n1. Upon completion of any water unit\u2019s remediation action \n(e.g., replacement, repair, etc.), Facilities Management \nEnvironmental Division will flush each water unit for \napproximately 20 minutes or more as needed to remove any \nvisual signs of sediment, debris, and rust. BPS will adhere to \na minimum flushing time of 20 minutes for activation of \noffline water units. \n2. Eight to eighteen (8-18) hours post flushing, a sample from", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "a minimum flushing time of 20 minutes for activation of \noffline water units. \n2. Eight to eighteen (8-18) hours post flushing, a sample from \neach water unit will be collected for confirmatory analysis of \nlead and copper. \n3. Repeat step #2 two additional times to conclude three (3) \nrounds of testing. For the initial activation of a filtered water \nunit, a sample for coliform will be collected during one of \nthe three rounds of testing (see New England States\u2019 \nSample Collection & Preservation Guidance Manual For \nDrinking Water, p. 36, New England States' Sample \nCollection & Preservation Guidance Manual for Drinking \nWater, Revision 5.0, January 2015). \n4. Upon receiving three (3) consecutive sets of sample results \nat the lowest possible concentrations and one negative fecal", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 13 of 21 \n \n \nbacteria test per filtered water unit, BPS Communications \nand Facilities Management will immediately implement the \nActivation Communications Protocol (pg. 18). \n5. Facilities Management and the head of school/principal will \nselect a date for activating the water unit(s) to go online. \n6. Once a date has been selected, the Facilities Management \nPlumbing Division will work on logistics for turning the \nwater unit(s) online. Logistics will include an activation flush. \nFlushing Protocol \n1. Food services equipment and fixtures (i.e., food preparation \nsink faucets, kettles, tilt skillets, ice makers, etc.) shall be \nflushed every morning for two (2) minutes prior to the \npreparation of any food by the food service manager or \ndesignated food services employee. Only cold water shall be \nused for the flush and for the preparation of any food and or \nbeverage. The food services manager will be responsible for", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "designated food services employee. Only cold water shall be \nused for the flush and for the preparation of any food and or \nbeverage. The food services manager will be responsible for \nkeeping a daily log of all flushing activities. \n2. When drinking from an online fountain, it is recommended \nthat the drinker first let the water run for 5-10 seconds \nbefore drinking. This will be communicated to the BPS \ncommunity through the Implementation Protocols: \nEducation and Training (pg. 20). \n3. Following an extended school vacation (e.g., summer \nvacation, February vacation), custodians will flush all online \nfountains prior to the restart of school. \n4. Before watering a school garden with tap water, all \ngardeners must first flush the water for 2 minutes.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 14 of 21 \n \n \nFilter and Filtered Water Fountain Standard Operating \nProcedure and Maintenance Protocol \nIn addition to the Annual Testing Protocol (pg. 8), BPS will collect \nsamples for coliform testing of filtered online water units. \nIn cases where coliform is present within filtered online water \nunits: \n1. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately deactivate \nonly the impacted online water unit(s), unless otherwise \nspecifically directed. These units will be made offline and \ntagged \u201cWater Shut Off. Do NOT turn on without Facilities \nManagement or FNS (Food and Nutrition Services) \nApproval.\u201d \n2. BPS Facilities Management will provide bottled water, \nbottled water units, and cups. One bottled water cooler will \nbe provided for each deactivated water unit (e.g. water \nfountain) or as necessary to meet 248 CMR 10.00: Uniform", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "bottled water units, and cups. One bottled water cooler will \nbe provided for each deactivated water unit (e.g. water \nfountain) or as necessary to meet 248 CMR 10.00: Uniform \nState Plumbing Code requirements (See: Table 1: Minimum \nFacilities For Building Occupancy, available at the following \nlink: 248 CMR 10.00: Uniform state plumbing code). \n3. BPS Communications and BPS Facilities Management will \nimmediately implement the Deactivation Communications \nProtocol (pg. 18). \n4. BPS Facilities Management Environmental and Plumbing \nDivisions will inspect the impacted water unit and schedule \nremediation action(s) (e.g., replacement of the filter). \n5. The impacted water unit will remain deactivated until", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 15 of 21 \n \n \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has received \none (1) sample result absent of coliform per affected water \nunit. \nBPS Facilities Management will initiate and uphold a vendor \ncontract to replace and maintain water fountain filters once per \nyear or more as needed. \nDaily Use/Maintenance \n\u2022 Only water should be put down the drains. Anything else \ncan cause clogging and lead to permanent damage of the \nunit and plumbing. \n\u2022 Custodians are responsible for wiping down the units daily. \nThe units shall be cleaned using the procedures outlined for \nall high touch surfaces using food grade cleaning products. \n \nFilter Status Indicator Light \n\u2022 When the light turns yellow, the school should put in a work \norder via Asset Essentials, and select \u201cFilter Replacement\u201d. \n\u2022 The yellow light is just an indicator that the filter is", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "\u2022 When the light turns yellow, the school should put in a work \norder via Asset Essentials, and select \u201cFilter Replacement\u201d. \n\u2022 The yellow light is just an indicator that the filter is \napproaching the end of its life and will need to be changed \nsoon. The light does not indicate that the filter or water \nquality is compromised. \n\u2022 If a light turns red, please place one of the signs provided in \nyour Drinking Water Binder on the unit and encourage \noccupants to utilize another unit until the filter can be \nreplaced.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 16 of 21 \n \n \nLeaking/broken Unit \n\u2022 If the unit has been newly installed within the last year, the \nschool should reach out to Audrey Ng, the Water & \nSustainability Project Manager to have the contractor \naddress the issue under warranty. \n\u2022 If the unit is not newly installed, the school should put in a \nwork order via Asset Essentials to be addressed by your \nplumbing supervisor. \n\u2022 The school\u2019s operations staff may choose to use the tools \nprovided in the Water Bottle Refill Station Repair Kit to open \nand turn off the unit to stop the leaking until the contractor \narrives. \nBottled Water Protocol \n\u2022 BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online schools. \n\u2022 BPS Facilities Management will cease bottled water \naccounts for schools that are activated online. Bottled water", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "water units in any online schools. \n\u2022 BPS Facilities Management will cease bottled water \naccounts for schools that are activated online. Bottled water \ncoolers will only remain in an online school in medical or \nfood service areas if those areas lack access to tap water \nunits. \n\u2022 BPS Facilities Management will manage and track all \nbottled water accounts. \n\u2022 Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available \ncontinuously, without disruption, on all water coolers \nthroughout the entire school day, including during meal \ntimes. Schools are responsible for calling Facilities", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 17 of 21 \n \n \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule. \nIMPLEMENTATION PROTOCOLS: COMMUNICATIONS & \nREPORTING \nBPS Communications is responsible for updating and \nmaintaining the BPS water website at BPS Water / Boston School \nWater Quality with content support from BPS Facilities \nManagement and BPS Department of Health and Wellness. BPS \nCommunications will update the BPS water website to include a \ncurrent list of online schools and the most recent annual test \nresults, and a current list of offline schools. These lists must be \nupdated every time a school is activated or deactivated. \nDeactivation Communications Protocol \nIn cases where coliform is present or concentrations of lead and \nor copper in water units used for drinking or food preparation \nexceed the lead/copper action levels, BPS Communications and \nFacilities Management will promptly implement the Deactivation", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "or copper in water units used for drinking or food preparation \nexceed the lead/copper action levels, BPS Communications and \nFacilities Management will promptly implement the Deactivation \nCommunications Protocol: \n1. The school\u2019s principal/head of school will be notified of the \ndeactivation protocol and test results by email with the test \nresults and a standardized letter for the school community. \n2. The letter will include the water testing results and a link to \nthe BPS water website, which provides resources related to \nlead in the water. A letter template will be provided by BPS \nCommunications and BPS Facilities Management, and the \ntesting results will be provided by BPS Facilities \nManagement.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 18 of 21 \n \n \n3. Any media statements will be managed by BPS \nCommunications. \nActivation Communications Protocol \nUpon receiving three (3) consecutive sets of sample results below \nlead and copper action levels, and one negative fecal bacteria \ntest result for filtered water units, BPS Communications and \nFacilities Management will immediately implement the \nActivation Communications Protocol: \n1. The school\u2019s principal/head of school will be notified of the \nactivation protocol and test results. \n2. The letter will include the water testing results, a link to the \nBPS water website, and details regarding any water \ninfrastructure improvements (e.g., new fountains, filters, \npipes). A letter template will be provided by BPS \nCommunications and BPS Facilities Management, and the \ntest results will be provided by BPS Facilities Management. \nThe principal/head of school will share this information with \nthe school community.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "test results will be provided by BPS Facilities Management. \nThe principal/head of school will share this information with \nthe school community. \n3. BPS Facilities Management and the principal/head of school \nwill select a date for activating the water unit(s) online. \n4. Once a date has been selected, BPS Facilities Management \nPlumbing Division will implement the logistics for turning \nthe water unit(s) online. \nANNUAL REPORTING \nBPS Facilities Management will provide water testing results and \nany recent water-related information to BPS Communications for \nthe BPS water webpage and annual notices to the BPS", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 19 of 21 \n \n \ncommunity. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will provide annual updates to the \u201cBPS Drinking \nWater Access Policy\u201d, if needed. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will annually report on the implementation of the \nWater Policy to the District Wellness Council and subsequently \nthe BPS School Committee. Following BPS School Committee \nreview, this information will be shared with MassDEP. \n \nIMPLEMENTATION PROTOCOLS: EDUCATION & TRAINING \nThe following BPS staff will receive annual training and \nprofessional development about this policy and its protocols: \n\u2022 Principals/heads of school will receive training at the Annual \nLeadership Institute as a part of Operations and/or wellness-\nrelated sessions. \n\u2022 Food service managers and staff will receive training at the \nsummer training provided by Food and Nutrition Services.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "related sessions. \n\u2022 Food service managers and staff will receive training at the \nsummer training provided by Food and Nutrition Services. \n\u2022 Custodians will receive training at summer training \nprovided by BPS Facilities Management. \n\u2022 School-based staff will be trained by principals/heads of \nschool at the beginning of the school year, as part of the \nschool policies and procedures overview. \n\u2022 Any new Facilities Management Environmental and \nPlumbing Division staff will receive training as part of their \nonboarding process. \nBPS Department of Health and Wellness will educate, promote,", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 20 of 21 \n \n \nand communicate the importance and benefits of drinking \nwater, and collaborate with Facilities Management and Food and \nNutrition Services to communicate all aspects of this policy to \nschool leaders, staff, students, and school community. \nBPS School Wellness Councils will include water-policy related \ngoals as part of their annual Wellness Action Plans.", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "content": "Superintendent\u2019s Circular FMT-20 \nPage 21 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: 617-635-9576 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Executive Director \nDepartment: Health & Wellness \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-1631 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-05 \nVersion 01 \n \n \n \nPERMIT ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPERMIT REQUEST PROCESS FOR ALL BPS BUILDINGS \nAny activity taking place in a school building after school hours \nrequires a permit, including activities during school vacation \nweeks, holidays, and summer months. \nALL PERSONS WILL BE DENIED ACCESS TO BPS BUILDINGS IF \nNO PERMIT HAS BEEN REQUESTED AND APPROVED BY THE \nSCHOOL AND FACILITIES MANAGEMENT. \nPermits are to be electronically submitted through SchoolDude \nat least two weeks (minimum) before the event, so it is advisable \nto submit your request when the activity/event is scheduled and \nconfirmed. \nFor external (non-BPS) users: \n\u2022 Access link: Facilities Mgt. Community Use Monthly \nCalendar \n\u2022 Please see the CommunityUse Requester Guide for more \ninformation about how an outside organization accesses the \nsystem and submits requests.", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Calendar \n\u2022 Please see the CommunityUse Requester Guide for more \ninformation about how an outside organization accesses the \nsystem and submits requests. \n\u2022 Please see the FSRequester Guide, which includes video and", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 2 of 9 \n \n \n \npicture how-to guides for submitting requests once you are \nlogged in. \nFor internal (BPS) users: \n\u2022 Single Sign On: From the nine-dot grid in the top right of \nyour Gmail screen, click \u201cMore,\u201d then click the SchoolDude \nicon (looks like a cartoon face). \n\u2022 SchoolDude log in screen \n\u2022 Please see How to Submit a Schedule Request, which \nincludes video and picture how-to guides for submitting \nrequests once you are logged in. \n\u2022 Once an organization or BPS staff member has submitted a \nrequest, it will be routed to the school leader or their \ndesignee for approval. Please see Processing Schedules for \nmore information about how to manage approvals. \nIf an independent third party (NOT a BPS or BPS partner \norganization) submits a permit request form to use or \noccupy school property for an event at which attendance is \nexpected to exceed 60 people, or at which there is a charge", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "organization) submits a permit request form to use or \noccupy school property for an event at which attendance is \nexpected to exceed 60 people, or at which there is a charge \nfor admission, the party shall be required to hire a School \nPolice detail, at the third party\u2019s own expense, to be present \nfor the duration of their use of the property. \nPlease Note: The routing process for summer will be different \nfrom the school year process. [See page 4 of this circular.] For \nsummer programs, requests will go first to BPS Facilities, then \nthe school leader will receive notification of the approval of \nbuilding use.", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 3 of 9 \n \n \n \nCUSTODIAL HOURS AND OVERTIME \nThe applicant is responsible for custodial overtime, utilities fees, \nand building usage fees, if applicable. Schools and other \napplicants may also be responsible for overtime if the event \noccurs before or after a building is closed, on a weekend, holiday, \nor school vacation, and/or when the building is open if additional \ncustodial coverage is required, as determined by Facilities \nManagement. Payment in the form of a certified check or money \norder made out to Boston Public Schools is required prior to the \npermit activity occurring. \nFor all activities and events that occur when the building is \nclosed, the custodian(s) will open the building one-half hour prior \nto the entrance of the applicant to the building and will close the \nbuilding one-half hour after the applicant exits the building. \nGroups requesting building space must abide by their requested \npermit hours.", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "building one-half hour after the applicant exits the building. \nGroups requesting building space must abide by their requested \npermit hours. \nREQUEST FOR BUILDING USE BY COMMUNITY USERS \nAll the above conditions apply, with the addition that outside \ngroups must pay a building usage fee. A fee is charged per \nspace. \nAn invoice for all Facilities Management permit fees will be sent \nby the Facilities Management Department via the SchoolDude \nbuilding permitting system with the actual fees that the \nrequester will be charged. Custodial coverage is determined by \nthe number of people and the amount of space used by the \napplicant. \nStaffing Minimum", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 4 of 9 \n \n \n \nUp to 150 people = 1 Senior Custodian \nUp to 350 people = 1 Senior Custodian and 1 Junior Custodian \nUp to 450 people = 1 Senior Custodian and 2 Junior Custodians \n \nAn additional hour is added to the permit hours (one-half hour to \nopen and one-half to close). \nIf a custodian works overtime, principals/heads of schools should \nwork with their area managers to ensure that the custodian has \nmeaningful work to do (a predetermined work schedule) during \novertime hours. Custodians are expected to remain on the school \npremises while on overtime and perform the scheduled work. \nCustodial opening and closing times (one-half hour before and \nafter) are figured into the permit hours. Requesters DO NOT need \nto include this time in the request. \nGENERAL TERMS AND CONDITIONS \nResponsibility for Use: \n\u2022 It is expressly understood and agreed that the regulations of \nthe School Committee are to be strictly complied with. The", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "GENERAL TERMS AND CONDITIONS \nResponsibility for Use: \n\u2022 It is expressly understood and agreed that the regulations of \nthe School Committee are to be strictly complied with. The \nrequester/organization may refer to the BPS Superintendent \nCirculars for BPS Policies and Procedures. \n\u2022 The requester/organization assumes full responsibility for \nany injury to or loss of city property as a consequence of \nsuch use of the above-described accommodations and \nengages to make the same good without the expense to the \ncity. The requester/organization further agrees to pay the \ncharge for the light, heat, custodians, security, and other \nservice as required. \n\u2022 BPS gymnasiums: Requester/organization assumes all", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 5 of 9 \n \n \n \nresponsibility for the proper use and protection of the \nfacilities provided in the school. Requester/organization \nmust not allow persons to use these facilities over whom \nthey have no control. \nThe organization, their participants, and spectators are \nprohibited from any part of the building other than the \ngymnasium. Organization shall enter the school through \none entrance. Entry doors are NOT to be propped open to \nallow unauthorized individuals to enter the building. It will \nbe the responsibility of the organization to station an \nindividual at the designated entrance to ensure only \nparticipants of that program are allowed in. Once all \nparticipants are allowed in, all doors should be closed and \nsecured. \nSupervision: The applicant/organization must provide sufficient \nsupervisory personnel to ensure proper supervision for the safety \nof members/guests and regulate responsible usage. The", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "secured. \nSupervision: The applicant/organization must provide sufficient \nsupervisory personnel to ensure proper supervision for the safety \nof members/guests and regulate responsible usage. The \norganization will be responsible for all costs incurred to repair any \ndamage done to the premises. Custodial employees are not \navailable for supervising the premises but do have obligations \nconnected with cleaning and maintenance of the building. \nLicenses: In addition to the permit required by the regulations of \nthe School Committee, for any exhibition or entertainment where \nan admission fee will be required, a license under the provisions \nof Chapter 348 of the Special Acts of 1915 must be obtained. This \nlicense can be obtained by applying to the Mayor of the City of \nBoston and paying the required fee. No such license is required \nfor entertainment in school buildings by or for the benefit of the \npupils thereof, and under the supervision of the principal/head of \nschool.", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 6 of 9 \n \n \n \nPolice Attendance: If admission is charged, the person to whom \nthe permit is issued must make provisions for BPS School Police \nattendance. If a school building is occupied outside of school \nhours by third-party programs, sufficient BPS School Police \nattendance is necessary if there are sixty (60) or more persons \noccupying the facility. A BPS School Police detail is the sole \nresponsibility of the renter(s). If BPS School Police are not in \nattendance, BPS Facilities Management may cancel the permit \nand exclude all persons from the building. \nTime for Filing Permit Requests: Building permit requests during \nthe school year must be submitted. No definite and final \nreservations are made until (1) the request is approved by the \nprincipal/head of school and (2) Facilities Management has given \nfinal approval and activated the permit. \nGymnasium Permit Start and End Date: Gymnasium permits will", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "principal/head of school and (2) Facilities Management has given \nfinal approval and activated the permit. \nGymnasium Permit Start and End Date: Gymnasium permits will \nbegin the last week of September and end two (2) weeks prior to \nthe closing of school. \nAlcohol, Smoking, and Food Regulations: According to state law, \nalcoholic beverages are not allowed in public school buildings. \nConsumption of food and/or beverages is not permitted in the \nauditorium or conference rooms. Smoking is not permitted in any \nschool building. \nPayment: Personal/company checks; certified bank checks, \nand/or money orders will be accepted as forms of payment. Cash, \ncredit cards, and money transfers are not accepted forms of \npayment. Any check returned for insufficient funds will be \ncharged an additional $25.00. \nRight to Cancel: Heads of schools/principals reserve the right to", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 7 of 9 \n \n \n \nrequest cancellation of any requested permit activity occurring at \ntheir facility. BPS Central Administration will make final \ndeterminations regarding principal/head of school cancellation \nrequests. BPS Central Administration has the right to cancel any \npermit in violation of BPS building usage and/or safety policies. \nObligation to Clean: Requester is obligated to clean and organize \nany used building space and return the building space to the \nstate it was found it. If the space is not suitably cleaned and/or \nreturned to the state it was in prior to use, the requester may be \ncharged additional custodial and/or other fees and may lose the \nprivilege of using any BPS facility in the future. \nSchool Closures: If schools are closed due to inclement weather \nor other emergencies, all permits are automatically \ncanceled/suspended for the duration of the inclement weather or", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "School Closures: If schools are closed due to inclement weather \nor other emergencies, all permits are automatically \ncanceled/suspended for the duration of the inclement weather or \nother emergency. Gymnasiums are not available for rental during \nholidays and Christmas, February, April, and summer vacations. \nWeekend Use: If snow is forecast, Facilities Management cannot \nguarantee that parking lots will be cleared for scheduled events. \nOrganizations are urged to contact Facilities Management to \ncancel when necessary. You may contact the area manager on \nduty through Municipal Protective Services at 617-635-4844 to \ncancel. \nPERMITS DURING SUMMER TERMS \nPermit Approval: Summer permit requests will be routed first to \nBPS Facilities. The school leader will then receive notification of \nthe approval of building use. \nPermit Start and End Date: Summer programs may operate in", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 8 of 9 \n \n \n \nBPS buildings between July 8 and August 9, 2024, with one day \nof setup to be arranged with the school leader prior to July 1, \n2024. Gymnasium permits will begin one week after the opening \nof school and end one week prior to the closing of school. \nStudent and Employee Attendance: Programs operating in BPS \nbuildings must record daily student and staff attendance to be \navailable upon request. \nIdentification: During the summer, all adults working in any BPS \nbuilding must wear an identifying name badge indicating at \nminimum their full name and organization/program name. \nSpecifications for employees working in BPS buildings during \nsummer staff are as follows: \n\u2022 BPS summer staff: All BPS employees must wear their BPS \nissued ID. \n\u2022 Non-BPS summer staff hired via OHC external hiring \nprocess: All non-BPS summer staff must wear their BPS \nSummer ID issued by OHC at their Welcome Session.", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "issued ID. \n\u2022 Non-BPS summer staff hired via OHC external hiring \nprocess: All non-BPS summer staff must wear their BPS \nSummer ID issued by OHC at their Welcome Session. \n\u2022 Community-based program staff: Must wear a visible \norganizational ID badge every day during the program. \nBOSTON PUBLIC SCHOOLS FACILITIES RENTAL FEES \nAll events and functions to be held in Boston Public School \nbuildings will be implemented in accordance with the following \nfee schedule. \nOne Time Event \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $515.00/event \nContinuous Usage \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $2,575.00 per 10 events \nUtilities \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $95.00/hour \nSenior Custodian \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $49.00/hour", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "content": "Superintendent\u2019s Circular FMT-05 \nPage 9 of 9 \n \n \n \nJunior Custodian \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $37.00/hour \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-03 \nVersion 01 \n \nRENOVATIONS TO SCHOOL BUILDINGS AND YARDS \u2013 \nEXTERNAL FUNDING \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo guarantee that all work performed on School Department \nproperty conforms to district standards, building and life safety \ncodes, and other requirements, the following procedure has been \nestablished for external funding sources, particularly those that \nare not processed through the PeopleSoft Financial System, i.e., \nBoston Educational Development Foundation (BEDF). \nRENOVATIONS VS. REPAIRS \nThe following table lists projects that fall under the category of a \nrenovation or a repair or maintenance, as well as the sequence to \nfollow for each:", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 2 of 9 \n \nRenovations Repairs & Maintenance \nType Process Type Process \nMajor renovations \nor improvements \nAlterations that \nare required due \nto programmatic \nchanges \nAlterations of \nexisting spaces \n(wall up/wall \ndown) \nToilet room \nrenovations \n \nSubmit a \nREQUEST FOR \nSPACE MODIFI-\nCATIONS \nGeneral \nrepairs (i.e., \nbroken glass, \nbroken \nlocks/hardw\nare, graffiti, \nleaks from \nplumbing or \nroof) \nSubmit a \nWORK \nREQUEST \n \nTo properly plan resources and budget, requests for renovations \nfor the coming school year must be initiated by the requester by \nno later than December 1 of the previous school year. Requests \nreceived after this deadline may not be approved.", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 3 of 9 \n \nRequests for renovations or alterations to school buildings and \nyards must follow the sequence outlined below: \n1. Complete the form. \n2. Submit a request through Asset Essentials; choose \n\u2018Modification of Space\u2019 as the work type and attach the form \nto the work order. \n3. A confirmation of receipt is sent to the person submitting \nthe request. \n4. Form and Asset Essentials request are reviewed by a cross-\nfunctional team to determine next steps: \na. Planning and Analysis verifies that the request is in \nalignment with current and future space requirements. \nb. Finance determines that there are not financial issues \nor challenges for the request. \nc. Facilities Management determines feasibility of \nrequests only after steps 1 and 2 have been completed. \n5. After the request has been reviewed, it will determine if and \nwhen the work can be completed. \n6. A follow-up email will be sent to the school leader,", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "5. After the request has been reviewed, it will determine if and \nwhen the work can be completed. \n6. A follow-up email will be sent to the school leader, \nrequester, and school superintendent to provide status and \ntimeline of request. Please note: Not all projects will be \napproved. \n7. Once approved, Facilities Management will engage to \nestablish a plan within the timeline identified. \nProject requests that do not comply with this process will not be \nconsidered.", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 4 of 9 \n \nThe Office of Facilities Management / Planning & Engineering \nmust review and approve all plans for improvements to any \nschool buildings and yards. \nEXTERNAL FUNDING \nIt also strongly recommended that a school communicate with \nthe Director of Facilities Management prior to submitting grant \nfunding applications, or seeking any other material support that \nmay require alterations and/or additions to a schools\u2019 facilities. \nApplicants should first receive acceptance from the director of \nFacilities Management of Facilities Management\u2019s willingness to \nparticipate in implementation contingent on the school\u2019s \nsuccessful grant application/funding etc. Principals/heads of \nschool, and community school directors must include the \ndirector of Facilities Management in the drafting of plans that \nwould require any form of alteration, addition, repair, and/or \nconnections to any building services or location on the property", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "director of Facilities Management in the drafting of plans that \nwould require any form of alteration, addition, repair, and/or \nconnections to any building services or location on the property \nof the school. The director of Facilities Management will submit \nthe plans, specifications, and/or product data to the appropriate \nPlanning and Engineering staff for review and approval of all \nproposed plans, specifications, product data, warranties, and/or \nmaintenance agreements. \nThis process will ensure that there is a thorough review of the \nproposed renovation, alteration, addition, repair, and/or \nconnection to existing building systems, including the materials \nused, quality of workmanship, fairness in pricing, and contractors \nability to complete the proposed project; and that the contractor \nperforming the work has the proper insurance coverage \n(including but not limited to Worker\u2019s Compensation, General \nLiability, and Property Damage).", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 5 of 9 \n \nA Request for Facilities Improvement Form (Attachment A) \nshould be filled out and forwarded to Planning & Engineering, \n1216 Dorchester Avenue, Boston, MA 02125. No work will proceed \nwithout the final approval of the Office of Facilities \nManagement/Planning and Engineering Division. \nRequest for Space Modification Form \n \nFor more information about this circular, contact: \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 6 of 9 \n \nATTACHMENT A \nOFFICE OF FACILITIES MANAGEMENT \nREQUEST FOR FACILITIES IMPROVEMENT \n \nDate: _____________________________________________________________ \nSchool: ___________________________________________________________ \nAddress: __________________________________________________________ \nContact: __________________________________________________________ \nTelephone: _______________________________________________________ \nProject Title: _____________________________________________________ \nFunding Sources: _________________________________________________ \nBudget Year _____________Org. __________ Fund Code _____________ \nProgram Account ________ Sub Class _______ Proj./Grant __________ \nExpense Object __________ \nProposed Implementation Date: _________________________________ \nProject Description and Justification (attach a sketch):", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 7 of 9 \n \nPlease return this form to: \nBrian Forde, Executive Director \nOffice of Facilities Management \n1216 Dorchester Avenue \nDorchester, MA 02125 \n \n----------------------------------------------------------------------------------------------------------------------", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 8 of 9 \n \n(For Planning & Engineering Use Only) \nPROJECT COST ESTIMATES: \nA. OPM Fee (projects over $1,500,000): ____________________ \nB. Design Fee (if needed): _________________________________ \nC. Construction Costs: ____________________________________ \nD. Contingency (A+B+C x 15%): ____________________________ \nTOTAL COST (A+B+C+D): __________________________________ \nESTIMATED PROJECT TIMELINE: \nOwner's Project Manager Selection: ______________________ \nSubmit CB-04 __________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________ \nInterviews: _____________________________________________ \nAward: _________________________________________________ \nDesigner Selection: _______________________________________ \nSubmit CB-04: _________________________________________ \nAdvertise RFP: _________________________________________", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Designer Selection: _______________________________________ \nSubmit CB-04: _________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________ \nInterviews: _____________________________________________ \nAward: _________________________________________________", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "content": "Superintendent\u2019s Circular FMT-03 \nPage 9 of 9 \n \nBidding & Construction: \nAdvertise Filed Sub Bids: _______________________________ \nAdvertise General Bids: _________________________________ \nFiled Sub Bids Due: ____________________________________ \nGeneral Bids Due: ______________________________________ \nAward Contract: ________________________________________ \nConstruction Start: _____________________________________ \nCompletion Date: ______________________________________ \nMAINTENANCE PLAN: \nRequired Annual Maintenance: ___________________________ \n ___________________________________________________________ \n ___________________________________________________________ \nCosts: _____________________________________________________ \nMaintenance Schedule: ___________________________________ \n \nPrepared by: ________________________________Date: _______________ \nApproved by: _______________________________Date: ________________", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-04 \nVersion 01 \n \n \n \nCUSTODIAL PAY ADJUSTMENTS \u2013 CALL-IN \nPROCEDURE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nSo the Office of Facilities Management (Building Services) may \nproperly adjust a custodian's pay in a timely manner, it is \nessential that you follow the payroll procedure outlined below: \nWhen a senior custodian is absent, you must notify Facilities \nManagement (Building Services), by telephone 617-635-9162 or e-\nmail (emalone2@bostonpublicschools.org) with: the name of the \nabsent senior custodian; the name of the custodian covering; the \nreason for the absence; and all dates of absence, if known. \nWhen the absent senior custodian returns to work, Facilities \nManagement (Building Services) must be notified to ensure that \nthe person covering is paid for the correct number of days. \nThe custodial pay period begins on Saturday and ends on Friday.", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "content": "Management (Building Services) must be notified to ensure that \nthe person covering is paid for the correct number of days. \nThe custodial pay period begins on Saturday and ends on Friday. \nIt is a weekly payroll. If the absentee is to be out on a long-term \nbasis, Facilities Management (Building Services) must be notified \nif the current acting senior should be carried forward to the next \npay period.", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "content": "Superintendent\u2019s Circular FMT-04 \nPage 2 of 3 \n \n \n \n\uf075 If a custodian is being docked for all or any part of a day, \nyou must notify Beth Malone to ensure the dock is \nproperly recorded. You must also notify Facilities with the \nreason for the dock (i.e., late, no show/no call, left early). \nIf a custodian is at \"0\" balance (out of sick, personal, or vacation \nleave), they must be coded. Select Absence Name - Leave \nWithout Pay, then select Absence Reason. Additional information \nshould be entered in the \u201ccomments\u201d panel. \nAll docks and acting senior coverage must be reported in a timely \nmanner. \nTo ensure coverage in a single-person building, prior notice \nshould be given to the Office of Facilities Management (Building \nServices) whenever possible. Forty-eight (48) hours\u2019 notice is \nrequired for personal and compensatory days. Two weeks\u2019 notice \nis required for vacation. \nCalls for acting senior coverage while school is in session will only", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "content": "required for personal and compensatory days. Two weeks\u2019 notice \nis required for vacation. \nCalls for acting senior coverage while school is in session will only \nbe taken from the head of school/principal, secretary, or \nprincipal's designee. Custodians should call in any acting senior \ncoverage during school vacations and summer months.", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "content": "Superintendent\u2019s Circular FMT-04 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-01 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF CUSTODIANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to set forth the individuals \nresponsible for custodian evaluations and to outline the \nphilosophy, objectives, guidelines, and procedures applicable to \nthe process. \nThe contract between the School Committee and the Custodians \nUnion provides for the annual evaluation of the performance of \ncustodians by principals and heads of school. To assist in the \nimplementation of the performance evaluation process, the \nDepartment of Facilities Management (Building Services) has \ndeveloped a handbook for custodians, principals, and heads of \nschools. The evaluation process relates to the job duties and \nresponsibilities of the position as contained in the handbook. \nIt is the supervisor's responsibility to clearly communicate the", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "schools. The evaluation process relates to the job duties and \nresponsibilities of the position as contained in the handbook. \nIt is the supervisor's responsibility to clearly communicate the \nspecific duties associated with the position, in writing, to the \ncustodial employee. Therefore, principals and heads of school \nshould take all steps to become familiar with the contents of the \nhandbook and should ensure that each custodian understands \nthe content of the manual. \nHeads of school, principals, and other administrative heads are \nresponsible for the evaluation of the performance of all custodial", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 2 of 14 \n \n \n \nemployees under their supervision. However, the actual \nevaluation must be done by the immediate supervisor, i.e., the \nprincipal/head of school is responsible for the evaluation of both \nsenior and junior custodians. During the school year, all custodial \nemployees, with input by the senior custodian and Facilities \nManagement, will be evaluated using the diagnostic-prescriptive \napproach and the procedures and forms developed for the \nimplementation thereof. \nTraining on the performance evaluation process will be provided \nduring the school year. Principals and heads of schools are \nencouraged to consult with the Department of Facilities \nManagement (Building Services) on all performance issues \naffecting custodial employees. The evaluation process itself is \nmodeled on the teacher evaluation procedures. \nPHILOSOPHY \nThe Boston Public Schools recognizes that the quality of", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "affecting custodial employees. The evaluation process itself is \nmodeled on the teacher evaluation procedures. \nPHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service provided depends upon the professional \nperformance and total job effectiveness of all employees in the \nsystem. Thus, since custodial employees can and should be held \naccountable for the quality of their performance, a just and \neffective process for evaluating that performance is essential. \nTrue performance evaluations involve analyses of an individual's \nstrengths and weaknesses, resulting in diagnoses and \nprescriptions. This in turn leads to the desired improvement of \nskills and improved performance of the custodial employee. \nAn effective performance evaluation program is one that is \ncontinuous rather than periodic, and organized to:", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 3 of 14 \n \n \n \n\u25cf Develop in the support staff a clearer understanding of the \ngoals of the department or school. \n\u25cf Assist employees to address more effectively the needs of \neach school or department. \n\u25cf Encourage cooperative staff relations through mutual trust \nand respect for each employee's individual role. \nThe contract with the Custodians Association further provides for \nthe principal/head of school and the senior custodian to establish \na mutually supportive relationship, and to cooperate in the \nresolution of all plant maintenance and operation problems. \nFurther, the contract clearly provides that the principal/head of \nschool of a school building will oversee all staff and has the \nresponsibility to ensure the cleanliness and maintenance of the \nschool building at all times. Each custodian in a school is \nmanaged by the principal/head of school of that building. \nA diagnostic-prescriptive evaluation program is positively", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "school building at all times. Each custodian in a school is \nmanaged by the principal/head of school of that building. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages staff to maximize unique strengths and \nskills. This evaluation program encourages staff to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication and supervision of employees. \nROLES AND RESPONSIBILITIES \nHeads of schools, principals, and other administrative heads have \nprimary responsibility for the evaluation of all staff in their \nresponsibility centers. After the evaluation has been presented to \nthe employee, the evaluation form must be signed by the", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 4 of 14 \n \n \n \nemployee (refer to the evaluation instrument) prior to submission \nto the Office of Human Capital and Office of Facilities \nManagement (Building Services). Performance evaluation \nactivities may include but are not limited to: 1) preliminary \nplanning conferences, 2) daily observations, 3) notations, 4) \nformal interim evaluations, 5) follow-up conferences, and 6) \nrecommendations to the staff member by the evaluator. \nPrincipals/heads of school must evaluate both senior and junior \ncustodians, in writing, and sign the completed written \nevaluations. \nPROCEDURAL STEPS \nPreliminary Procedures \nPrior to the implementation of the process, the principal/head of \nschool must prepare the work schedule in cooperation with the \nsenior custodian(s). They should then meet with the senior \ncustodian to provide an orientation to the performance \nevaluation process and to specific roles and responsibilities", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "senior custodian(s). They should then meet with the senior \ncustodian to provide an orientation to the performance \nevaluation process and to specific roles and responsibilities \nwithin that process for the upcoming year as contained in the \nwork schedule. Principals and heads of school should seek \ntechnical assistance from area managers and the Department of \nFacilities Management (Building Services). \nThe evaluator shall meet with the staff member for the purpose \nof explaining the diagnostic-prescriptive evaluation process, \nincluding a description of all components of the evaluation \nprocess.", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 5 of 14 \n \n \n \nDiagnosis and Prescription \nThe performance evaluation process should provide each \ncustodial staff member with an appraisal of the individual's \nstrengths and identify areas in need of improvement. The \nemployee will be evaluated on each standard within the various \ncategories: \n\u25cf U - UNSATISFACTORY: The employee fails to meet the job \ndescription and their performance needs improvement. \n\u25cf S - SATISFACTORY: The employee meets the job description \nand their performance, as measured against this standard, is \nsatisfactory. \n\u25cf G - GOOD: The employee meets and/or generally exceeds \nthe standards and their performance, as measured against \nthis standard, is good. \n\u25cf E - EXCELLENT: The employee exceeds standards and their \nperformance as measured against this standard, is excellent. \nEvery formal evaluation must result in a mark for each \nappropriate item on the performance evaluation form. In any", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "performance as measured against this standard, is excellent. \nEvery formal evaluation must result in a mark for each \nappropriate item on the performance evaluation form. In any \narea where the supervisor indicates a need for improvement, \nthey will provide the employee with a written prescription. The \ndiagnosis and subsequent prescription should be fully descriptive \nand instructive, suggesting specific remedies or \nrecommendations for adoption by the employee. During the \nentire evaluation process, continuous administrative assistance, \nsupport, and encouragement should be extended to assist the \nemployee in meeting established objectives. The employee may \nsuggest additional or alternative prescriptions.", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 6 of 14 \n \n \n \nEvaluation Conference \nThe employee's supervisor shall meet with the staff member for \nthe purpose of discussing the evaluation. During the conference, \nthe staff member will be shown the written evaluation and will \nsign it to indicate that it has been seen but not to indicate \nagreement or disagreement with its contents. The staff member \nwill be allowed to attach comments to the evaluation. One copy \nof the written evaluation must be given to the employee, and a \nsecond signed copy must be retained and filed with the assistant \ndirector of Facilities Management (Building Services). In any area \nthat has been identified as being unsatisfactory, the \nprincipal/head of school should consult with the appropriate \noperational leader. \nINTERIM REPORTS \nIf an unsatisfactory evaluation is issued for any item, the \nimmediate supervisor must evaluate the staff member at least", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "operational leader. \nINTERIM REPORTS \nIf an unsatisfactory evaluation is issued for any item, the \nimmediate supervisor must evaluate the staff member at least \nonce a month until the individual's performance is judged to be \nsatisfactory (see Section V). \nPrincipals/heads of school must submit a copy of the written \nevaluation of any employee who has received a mark of \nunsatisfactory in any item indicated on the form to the assistant \ndirector of Facilities Management (Building Services). \nAdministrators must submit the evaluations directly to the \nassistant director of Facilities Management (Building Services). \nAny subsequent unsatisfactory evaluation must also be \nforwarded. \n\u27a4 All evaluations must be completed by August 31 of each year.", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 7 of 14 \n \n \n \nSUMMATIVE REPORTS \n\u25cf At the end of each evaluation period, the principal/head of school and other administrators \nshould retain copies of all evaluations and send copies to the team leader/Human Resources \nand assistant director of Facilities Management (Building Services). \n\u25cf If, at the conclusion of a prescriptive period (normally at the end of an evaluation period, but in \nany event at most one month after the last evaluation), the supervisor judges an employee's \noverall performance as unsatisfactory, the supervisor shall submit to the superintendent or \ndesignee and to the assistant director of Facilities Management (Building Services) a written \nreport based on the series of evaluations. \n\u25cf Continued failure on the part of an employee to meet a standard will result in possible \ndisciplinary action. \nPROCEDURES FOR DISCIPLINE \nIf a principal/head of school determines that an employee has", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "disciplinary action. \nPROCEDURES FOR DISCIPLINE \nIf a principal/head of school determines that an employee has \ncommitted an infraction of work rules such as excessive \ntardiness, absences, etc., the supervisor should follow procedures \noutlined in Superintendent's Circular: Procedures Relating to the \nDiscipline of Employees. Additionally, the supervisor should \nconsider the infraction in evaluating the employee's overall \nperformance. Principals and heads of school may issue discipline \nonly up to and including letters of reprimand. The director of \nFacilities Management or other designees of the superintendent \nissue discipline beyond this level. \nFailure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of the supervisor. This \nproblem is further compounded when \"problem staff\u201d is given a \nsatisfactory rating by the supervisor and encouraged to transfer", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "unacceptable performance on the part of the supervisor. This \nproblem is further compounded when \"problem staff\u201d is given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 8 of 14 \n \n \n \nperformance on the part of that person, who may be held \naccountable by the appropriate supervisor. \nPlease refer in advance to Superintendent's Circular: Procedures \nrelating to the Discipline of Employees. \nFORMS \nPerformance Evaluation Report may be obtained from the Office \nof Facilities Management. Summary of significant dates and \ndeadlines: \nDate Activity \nAugust 31 Deadline for completing custodian evaluations \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 9 of 14 \n \n \n \nCUSTODIANS ASSOCIATION CONTRACT LANGUAGE \nARTICLE XXIII \nPERFORMANCE EVALUATION \n \nSection 1 - A diagnostic-prescriptive evaluation procedure shall \nbe maintained which is reasonably related to the custodian's job \nperformance using the procedure and form currently in use. \nEvaluation shall be from June 1 to May 31 for each custodian. \nSection 1A - Interim Performance Evaluation may be performed \nat the discretion of the principal/head of school and/or senior \ncustodian between annual bid. \nSection 2 - Custodian Association members shall be evaluated by \ntheir immediate supervisors as follows: \nEvaluatee Evaluator \nJunior Custodian Principal/head of school with input by \nsenior custodian and Facilities \nManagement. \nSenior Custodian Principal/head of school with input by \nFacilities Management. \nSection 3 - No later than thirty (30) days after the start of the \nrating year, the evaluator will meet with the evaluatee for the", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Facilities Management. \nSection 3 - No later than thirty (30) days after the start of the \nrating year, the evaluator will meet with the evaluatee for the \npurpose of explaining the diagnostic-prescriptive evaluation \nprogram, answering questions, and determining additional job-\nrelated responsibilities which will be covered in the evaluation.", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 10 of 14 \n \n \n \nWithin five (5) days after the meeting, the evaluatee will receive a \ncopy of a list of job-related functions for which they are \nresponsible and on which their performance will be evaluated. \nSection 4 - Within ten (10) days following the completion of the \nevaluation, the evaluator will meet with the evaluatee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluatee will be shown their written evaluation and will sign it to \nindicate having seen it, but not to indicate agreement or \ndisagreement. A copy of the evaluation will be provided to the \nevaluatee. The evaluatee shall be allowed to attach their \ncomments to the evaluation. The evaluatee whose overall \nperformance has been judged unsatisfactory will be so notified in \nwriting and will meet directly with the evaluator. There will be a \nspace for the principal/head of school to sign the evaluation and \nattach comments to it, if any.", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "writing and will meet directly with the evaluator. There will be a \nspace for the principal/head of school to sign the evaluation and \nattach comments to it, if any. \nSection 5 - In any area where the evaluator indicates a need for \nprofessional improvement, they will provide the evaluatee with a \nspecific written prescription. \nSection 6 - Continued failure to meet a standard will result in \nwarnings, additional evaluations, and further action. \nSection 7 - An overall evaluation of unsatisfactory shall be subject \nto the grievance and arbitration procedure. \nSection 8 - The committee will comply with state and federal \nlaws concerning confidentiality and privacy of evaluations.", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 11 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION \u2014 CUSTODIAL \nDATE: _____/_____/__________ \nNAME: ___________________________________________________________ \nSCHOOL: ________________________________________________________ \n(Building staffed according to formula): Yes _______ No _______ \nSenior ______ Junior ______ Days ______ Nights ______ Grade _______ \n \nE - Excellent \nG - Good \nS - Satisfactory \nU - Unsatisfactory \nQUALITY \n1. Work performed is of an acceptable nature and level. \n E \u2610 G \u2610 S \u2610 U \u2610 \nQUANTITY \n2. Completes work in a reasonable time. \n E \u2610 G \u2610 S \u2610 U \u2610", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 12 of 14 \n \n \n \nATTITUDES \n3. Knows the tasks to be completed and organizes them. \n E \u2610 G \u2610 S \u2610 U \u2610 \n4. Learns and applies new ideas and techniques. \n E \u2610 G \u2610 S \u2610 U \u2610 \n5. Shows interest in work. \n E \u2610 G \u2610 S \u2610 U \u2610 \n6. Accepts responsibility related to work performed. \n E \u2610 G \u2610 S \u2610 U \u2610 \nDEPENDABILITY \n7. Continues to work in absence of supervision. \n E \u2610 G \u2610 S \u2610 U \u2610 \n8. Complies with reasonable written and oral instructions. \n E \u2610 G \u2610 S \u2610 U \u2610 \nATTENDANCE \n9. Maintains good attendance. \n E \u2610 G \u2610 S \u2610 U \u2610 \n10. Maintains contracted hours of work. \n E \u2610 G \u2610 S \u2610 U \u2610", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 13 of 14 \n \n \n \nSUPERVISORY SKILLS (APPLIES TO SENIORS ONLY) \n11. Plans and directs work to others. \nE \u2610 G \u2610 S \u2610 U \u2610 \n12. Guides the group to reasonable effectiveness. \n E \u2610 G \u2610 S \u2610 U \u2610 \n13. Provides evaluation reports. \n E \u2610 G \u2610 S \u2610 U \u2610 \n14. Trains subordinates. \n E \u2610 G \u2610 S \u2610 U \u2610 \n15. Attempts to settle disputes at lower level. \n E \u2610 G \u2610 S \u2610 U \u2610 \nSignatures: \n \nPrincipal/Head of School/Admin Date Comments \n \nSenior Custodian Date Comments \n \nJunior Custodian Date Comments", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "content": "Superintendent\u2019s Circular FMT-01 \nPage 14 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION \u2014 CUSTODIAL \n \nDIAGNOSIS AND PRESCRIPTION", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-18 \nVersion 01 \n \nSCIENCE SAFETY IN SCHOOL LABORATORIES AND \nCLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has developed a Science Safety Plan \nto promote a safer and more effective learning environment for \nstudents and a healthier workplace for teachers and other \nemployees within science classrooms and laboratories in Boston \nPublic Schools. The Science Safety Plan is a comprehensive effort \nto address chemical use, storage, and disposal procedures, as \nwell as the prevention and/or minimization of and response to \nchemical spills and other accidents. \nThe districtwide plan addresses the needs of all BPS science \nclasses and is consistent with the requirements of the U.S. \nDepartment of Labor, Occupational Safety and Health \nAdministration\u2019s (OSHA) 29 CFR 1910.1450 Occupational \nExposures to Hazardous Chemicals in Laboratories for the", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Department of Labor, Occupational Safety and Health \nAdministration\u2019s (OSHA) 29 CFR 1910.1450 Occupational \nExposures to Hazardous Chemicals in Laboratories for the \nprotection of our students and employees, as well as guidance \nmaterials from the National Fire Protection Association (NFPA), \nthe National Institute for Occupational Safety and Health \n(NIOSH), and the Boston Fire Department. The Science Safety \nPlan promotes a culture of safety in science and the safe \noperation of all science laboratories for students, faculty, and \nstaff. \nTo ensure that all students and their teachers work in an \nenvironment which is safe, it is necessary to formulate standard \nprocedures and requirements for all schools and their personnel.", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s Circular FMT-18 \nPage 2 of 8 \n \nThe Science Safety Plan and this circular will be reviewed \nannually. \nYour performance of these procedures is required. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOLS \n1. Ensure that all science classes and laboratories are \nassigned to and conducted in appropriately equipped \nScience Rooms. \n2. Provide a list of all science teachers/teachers of science to \nthe Science Department by October 1st each year using \nthe form provided in Appendix R of the BPS Science \nSafety Plan. \n3. Appoint a Science Safety Coordinator (SSC) and ensure \nthey: \na) Attend the mandatory Chemical Safety Training \nsession co-hosted by the Science Department and \nFlinn Scientific. \nb) Conduct an annual chemical inventory. \nc) Complete the required safety checks as stated in \nSections J and O of the BPS Science Safety Plan. \n4. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear \neye protection devices.", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Sections J and O of the BPS Science Safety Plan. \n4. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear \neye protection devices. \n5. Ensure that workable fire extinguishers, blankets, safety \nshowers, and eyewash equipment are readily available \nand that appropriate personnel receive training in the use \nof each. \n6. Ensure staff review and implement the BPS Science \nSafety Plan.", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s Circular FMT-18 \nPage 3 of 8 \n \n7. Ensure that staff has instructed all students in safety \nstandards and procedures, including the BPS Science \nSafety Plan and the School Safety Plan. \n8. Post building evacuation procedures in classrooms, \nlaboratories, and chemical storage rooms. \n9. Conduct quarterly fire drills. \n10. Maintain adequate lighting and proper ventilation in \nlaboratories and classrooms, and report problems to \nFacilities Management immediately. \n11. Be sure that teacher evaluations reflect the \nimplementation of safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted \nin the school's Science Rooms pursuant to Mass. Gen. \nLaws c. 111F. \n13. Ensure a copy of all safety data sheets (SDSs) is \nmaintained in the main office and chemical storage areas. \n14. Ensure that all instructors working with toxic or \nhazardous substances receive training as specified in \nChapter 111F of the Massachusetts General Laws through", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "14. Ensure that all instructors working with toxic or \nhazardous substances receive training as specified in \nChapter 111F of the Massachusetts General Laws through \nthe Science Department. \n15. Notify the Science Department of any accident or injury in \na Science Area. \n16. Submit the Annual Hazardous Material Permit \nApplication to Boston Fire Department and post the \ncurrent permit in the main office.", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s Circular FMT-18 \nPage 4 of 8 \n \nRESPONSIBILITIES OF TEACHERS \n1. Review and implement the Science Safety Plan, including \nSOPs for general laboratories, chemical use and storage, \nchemistry laboratories, biology laboratories, physics \nlaboratories, and waste management. \n2. Attend annual safety training(s) including science safety \nand first aid. \n3. Practice safety procedures and serve as the model for \ngood safety conduct for students. \n4. Establish a Student Safety Contract with each student \nprior to any laboratory activities. \n5. Require the use of appropriate personal protective \nequipment. \n6. Avoid accidents by insisting that students dress properly \nfor the laboratory. \n7. Supervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a \nlaboratory or chemical storage room. If an instructor must \nleave the laboratory in an emergency, they must: \na) Arrange for a qualified teacher as a replacement, OR", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "laboratory or chemical storage room. If an instructor must \nleave the laboratory in an emergency, they must: \na) Arrange for a qualified teacher as a replacement, OR \nb) Relocate students to a properly supervised area, \nc) Lock the laboratory, and \nd) Shut off equipment. \n8. Inspect fire extinguishers monthly and safety showers \nand eyewash stations weekly (SSC or science teacher in \ncharge). \n9. Maintain first aid kit in an easily accessible area (SSC or \nscience teacher in charge).", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s Circular FMT-18 \nPage 5 of 8 \n \n10. Maintain a chemical inventory using the online \nChemVentory system, update at least annually, and \nsubmit an electronic copy to the Science Department and \nFacilities Management by October 1st each year (SSC or \nscience teacher in charge). \n11. Ensure SDSs for all chemicals are accessible and copies \nare kept in the chemical storage room or school\u2019s Science \nDepartment and in the administrative main office (SSC or \nscience teacher in charge). \n12. Store all chemicals in their compatible chemical families. \n13. Keep all chemical storage rooms or cabinets locked at all \ntimes when not in use. \n14. Label all chemical storage rooms/cabinets and laboratory \ndoors with the appropriate NFPA Diamond (SSC or \nscience teacher in charge). \n15. Ensure all chemical and waste containers are labeled \nappropriately and stored safely until they can be \nremoved. Contact Facilities Management for removal.", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "science teacher in charge). \n15. Ensure all chemical and waste containers are labeled \nappropriately and stored safely until they can be \nremoved. Contact Facilities Management for removal. \n16. Implement the appropriate emergency procedure, waste \ndisposal, spill cleanup, evacuation routes, and fire \nemergency notification when needed. \n17. Consult with the Science and/or Facilities Management \nDepartment staff as appropriate regarding the use of \nClass 1A flammables, compressed gasses, donated \nchemicals, and the implementation of any laboratory \nexperiment that may be more hazardous than those \ncontained in the district-identified curriculum. \n18. Report all accidents and injuries to the principal/head of \nschool and direct supervisor.", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s Circular FMT-18 \nPage 6 of 8 \n \n19. Report lighting, ventilation, safety equipment, and \nlaboratory disrepair to principal/head ofschool, direct \nsupervisor, and Facilities Management. \nRESPONSIBILITIES OF STUDENTS \n1. Practice good chemical hygiene habits. \n2. Maintain an awareness of health and safety hazards and \nreport unsafe practices and conditions to the teacher. \n3. Report all accidents and injuries to the teacher \nimmediately. \n4. Know and follow emergency procedures. \n5. Notify the teacher of any sensitivity or allergy to \nchemicals. \n6. Wear appropriate apparel and personal protective \nequipment, including goggles, during laboratory \nactivities. \n7. Conduct all activities according to teacher instructions to \nensure the Science Safety Plan is followed. \nTECHNICAL ASSISTANCE \nFacilities Management and BPS district Science Department will \nprovide all schools with technical assistance in improving and", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "ensure the Science Safety Plan is followed. \nTECHNICAL ASSISTANCE \nFacilities Management and BPS district Science Department will \nprovide all schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building and safety equipment inspections.", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s Circular FMT-18 \nPage 7 of 8 \n \nContact: \n\u2022 Chief Environmental Technician, Facilities Management \n617-635-8300 \n\u2022 Assistant Superintendent, Office of Teaching and Learning \n617-635-8079 \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Boston, MA 02108 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Science, Technology, and Engineering \nDepartment \nDepartment: Office of Teaching and Learning \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Boston, MA 02125 \nPhone: 617-635-8750 \nEmail: bpssciencematerials@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "content": "Superintendent\u2019s Circular FMT-18 \nPage 8 of 8 \n \nAdditional contacts in the Office of Teaching and Learning: \nChief of Teaching and \nLearning \nOPL@bostonpublicschools.org \nExecutive Director of STEM OPL@bostonpublicschools.org \nProgram Director, High \nSchool Science \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-09 \nVersion 01 \n \n \n \nMATERIAL DISTRIBUTION PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINDIVIDUAL OR SPECIAL PURCHASE ORDERS FOR DELIVERY TO \nTHE MATERIAL DISTRIBUTION CENTER \nIndividual or special orders are delivered to users as requested by \ndepartment heads. Copies of the purchase order must be \nforwarded to the Distribution Center before the material arrives \nor it may be refused; if accepted, it may be confused with other \nindividual orders and sent to the wrong department. Freight \ncarriers are required to schedule their deliveries with the \nDistribution Center. Failure to notify the Distribution Center \nbefore making a delivery may result in your order being refused, \nespecially during the period between August 1 and November 15 \nwhen storage space is at a minimum. All orders shipped to the \nDistribution Center should have an \u201cAttention To:\u201d block which", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "content": "especially during the period between August 1 and November 15 \nwhen storage space is at a minimum. All orders shipped to the \nDistribution Center should have an \u201cAttention To:\u201d block which \nindicates a person or department to which the material is being \nshipped; this is very important. You can stipulate an \u201cAttention \nTo:\u201d address on your original requisition entered on PeopleSoft. \nCUSTODIAL ORDERS \nCustodial requisitions are submitted on two forms developed by \nDistribution and the Facilities Management Department. The first \nform is an annual order form which lists all custodial items", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "content": "Superintendent\u2019s Circular FMT-09 \nPage 2 of 3 \n \n \n \nauthorized for delivery to schools. This form is delivered to each \nschool on an annual basis in June/July. The second form is a bi-\nmonthly (every 2 months) \u201cshort\u201d form which is delivered to \nschools each bi-monthly except those months when the large \nannual form is used. Custodians are required to complete these \nforms and return them to the Distribution Center. All forms \nshould be emailed to warehouse@bostonpublicschools.org or \nfaxed to the Distribution Center at 617-635-8581. All orders which \nare not a part of regular bi-monthly cycles must be submitted \nand approved by Facilities Department custodial area managers. \nREQUIRED DATA \nDepartment head signatures, shipping location, and \u201cAttention \nTo\u201d are required on all requests; if any of these items are missing, \nyour requests could be delayed or may ship to the wrong \ndepartment. \nPlease call the Distribution Center at 617-635-8745 if you have", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "content": "your requests could be delayed or may ship to the wrong \ndepartment. \nPlease call the Distribution Center at 617-635-8745 if you have \nspecial requirements or problems, or fax us at 617-635-8581, or \nemail warehouse@bostonpublicschools.org.", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "content": "Superintendent\u2019s Circular FMT-09 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \n \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-19 \nVersion 01 \n \nBPS STANDARD OPERATING PROCEDURE FOR \nCLEANING AND DISINFECTING BODY FLUID SPILLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThis standard operating procedure (SOP) will be implemented to \nensure BPS custodians safely and properly respond to all \nincidents requiring cleaning and disinfecting of body fluid spills. \nBody fluids \u2013 including vomit, diarrhea, and blood \u2013 are \nconsidered potentially infectious. Employees should always treat \nany body fluid response action as potentially infectious and \nalways wear proper personal protective equipment when \ncleaning and disinfecting body fluid spills. \nPROCEDURES \n1. Contain the affected area. \n\u25cf Discontinue food service operations if a spill occurred \nin food preparation or service areas. \n\u25cf Remove students and staff from the affected area or \nclassroom. \n\u25cf Block off the area of the spill from staff and students", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "in food preparation or service areas. \n\u25cf Remove students and staff from the affected area or \nclassroom. \n\u25cf Block off the area of the spill from staff and students \nuntil cleanup and disinfection are complete. For \nincidents involving vomit, contain all areas within 25 \nfeet of the spill.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 2 of 10 \n \n \n \n\u25cf Send sick students and staff to the school nurse. \n\u25cf Excuse (e.g., send home) food service employees with \nsymptoms of vomiting or diarrhea from food service \noperations. Refer to the TFER Exclusions and \nRestrictions for Ill or Infected Food Service Employees \nfor guidance. Please refer to the food service employee \nreporting agreement. \n\u25cf Allow only food service employees and/or custodial \nstaff designated to clean and disinfect body fluid spills \nin the affected area. \n2. Put on personal protective equipment (PPE), including: \n\u25cf Wear disposable, non-latex gloves. Gloves should be \nvinyl or nitrile (rubber), and non-powdered. \n\u25cf Consider double-gloving (wearing two gloves on each \nhand). Replace gloves if they tear or become visibly \nsoiled. Keep hands away from the face while wearing \ngloves. \n\u25cf Wear a face mask and eye protection (goggles or \nprotective glasses). \n3. Remove visible body fluid.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "soiled. Keep hands away from the face while wearing \ngloves. \n\u25cf Wear a face mask and eye protection (goggles or \nprotective glasses). \n3. Remove visible body fluid. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Clean the affected area with soap and water, and paper \ntowels and/or a disposable mop head. This includes \nsurfaces that came into direct contact with body fluids \nand surfaces that may have been contaminated with \nbody fluids. Before disinfecting, all surfaces should be \nthoroughly cleaned (i.e., not visibly soiled).", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 3 of 10 \n \n \n \n\u25cf Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n\u25cf Remove gloves and discard in a plastic garbage bag. \n\u25cf Wash hands. \nFood contact surfaces: \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Clean the affected area with soap and water. \n\u25cf Rinse thoroughly with plain water. \n\u25cf Wipe dry with paper towels. \n\u25cf Dispose of paper towels in a plastic garbage bag. \n\u25cf Disinfect surfaces. \n\u25cf Prepare and apply a solution of \u00be cup concentrated \nbleach + 1 gallon of water. \n\u25cf Leave the surface wet for at least 5 minutes. \n\u25cf Rinse all surfaces intended for food or mouth contact \nwith plain water before use. \n\u25cf Wipe down with sanitizing solution concentration for \nfood contact surfaces to air dry. \n\u25cf Wash your hands thoroughly with soap and water.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 4 of 10 \n \n \n \nNon-absorbent surfaces (i.e., tile, stainless steel): \n\u25cf Prepare a disinfecting solution. The disinfecting \nsolution shall be an EPA registered hospital grade \ndisinfectant.* \n\u25cf Wear all PPE, including the face mask and eye \nprotection or goggles. Ensure that area is well \nventilated (mix solution outdoors if necessary). \n\u25cf Prepare a disinfecting solution per manufacturer\u2019s \nrecommendations immediately before applying it to \nsurfaces. It is recommended that this solution be used \non surfaces that have had any direct contact with body \nfluids. \n\u25cf Transfer solution to a spray bottle. \n\u25cf Using the spray bottle, generously apply the \ndisinfecting solution to affected surfaces, including \nsurfaces that came into direct contact with body fluids, \nand surfaces that may have been contaminated with \nbody fluids. \n\u25cf For incidents involving vomit, disinfect all areas and \nsurfaces within 25 feet of the spill.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "and surfaces that may have been contaminated with \nbody fluids. \n\u25cf For incidents involving vomit, disinfect all areas and \nsurfaces within 25 feet of the spill. \n\u25cf Use in a well-ventilated area. \n\u25cf Disinfect high touch areas (e.g., door handles, toilets, \ndispensers, carts, sink faucets, telephones, etc.) \nthroughout the food service area, cafeteria dining \nareas, break rooms, and restrooms using disinfecting \nsolution and paper towels. \n\u25cf Leave the disinfecting solution on affected surfaces for \na minimum of 5 minutes. If another EPA-approved", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 5 of 10 \n \n \n \ndisinfectant is used, follow the manufacturer\u2019s \ninstructions. \n\u25cf Rinse surfaces with clean water and paper towels \nand/or a disposable mop head. \n\u25cf Allow surfaces to air dry. \n\u25cf Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n\u25cf Remove gloves and dispose of them in a plastic \ngarbage bag. \n\u25cf Wash hands. \n* EPA-approved disinfectants may be used instead of \nchlorine bleach solutions. EPA-approved disinfectants \nappropriate for vomit and diarrhea may be found at \nwww.osha.gov/sites/default/files/publications/norovirus\n-factsheet.pdf. CDC guidelines on norovirus outbreak \nmanagement and disease prevention recommend \nusing chlorine bleach solutions on hard surfaces when \npossible. EPA-approved disinfectants appropriate for \nblood may be found www.epa.gov/pesticide-\nregistration/selected-epa-registered-disinfectants. \nAbsorbent surfaces (i.e., carpet, upholstery, cloth):", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "blood may be found www.epa.gov/pesticide-\nregistration/selected-epa-registered-disinfectants. \nAbsorbent surfaces (i.e., carpet, upholstery, cloth): \n\u25cf Disinfect with a chemical disinfectant when possible or \nremove and dispose of the affected material. The \nmaterial will be double-bagged and disposed of \nthrough mainstream waste disposal. \n\u25cf Steam clean for a minimum of 5 minutes at 1700F.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 6 of 10 \n \n \n \n\u25cf Launder in a mechanical washing machine on the \nhottest water setting, and dry in a mechanical dryer on \na high heat setting. \n\u25cf Dispose of disinfecting materials in a plastic garbage \nbag, as appropriate. \n\u25cf Remove gloves and dispose of them in a plastic \ngarbage bag. \n\u25cf Wash hands. \n4. Discard potentially contaminated food. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Dispose of exposed food and food in containers that \nmay have been contaminated by body fluid in a \ngarbage bag. \n\u25cf For incidents involving vomit, discard all food within 25 \nfeet of the spill. Food stored in intact, sealed containers \n(i.e., cans) may be salvaged if adequately cleaned and \ndisinfected. \n\u25cf Remove gloves. Dispose of gloves in a plastic garbage \nbag. \n\u25cf Wash hands. \n5. Dispose of PPE and cleaning and disinfecting materials. \n\u25cf Put on new disposable gloves. Consider double \ngloving.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "bag. \n\u25cf Wash hands. \n5. Dispose of PPE and cleaning and disinfecting materials. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Securely tie garbage bags containing all of the \ndisposed of materials.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 7 of 10 \n \n \n \n\u25cf Place garbage bags in a second garbage bag (double \nbag). \n\u25cf Clean all non-disposable items (bucket, mop handle, \netc) with soap and water; then disinfect. Allow these \nitems to air dry. \n\u25cf Remove PPE, including disposable gloves, and place in \na second garbage bag. \n\u25cf Securely tie the second garbage bag. \n\u25cf Discard the bag(s) in the dumpster. \n\u25cf Remove soiled clothes, if necessary, and place clothes \nin a separate garbage bag. Securely tie the garbage \nbag. Keep clothes in the tied garbage bag until they \ncan be adequately laundered. \n6. Wash hands, arms, and face with soap and water in a \nrestroom sink or hand sink. Put on clean clothing, if \nnecessary. Apply ethanol-based hand sanitizer to hands. \n7. Wash, rinse, and sanitize potentially contaminated food \ncontact surfaces. Include food contact surfaces that were \ndisinfected in step 5 of this SOP, and food contact surfaces", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "7. Wash, rinse, and sanitize potentially contaminated food \ncontact surfaces. Include food contact surfaces that were \ndisinfected in step 5 of this SOP, and food contact surfaces \nthat contained food discarded in step 6 of this SOP. \n8. Restock supplies for cleanup.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 8 of 10 \n \n \n \nMONITORING \nStandard daily cleaning of food services areas shall include: \n\u25cf Custodial Staff: Sweep and clean the cafeteria floors with a \nneutral cleaner. Cafeteria walls and ceilings shall be cleaned \non an \u201cas needed\u201d basis. \n\u25cf Food Service Staff: Clean and disinfect cafeteria tables with \na solution of bleach and water. \nNOTE: Cleaning of body fluid spills in food services areas will be \ndone by the school\u2019s custodial staff. This will include any bodily \nfluid spill on the cafeteria tables. In this case, only the affected \ntable(s) will be cleaned by the custodial staff. All other cafeteria \ntables will be cleaned by the food service staff. \n1. The senior custodian is designated and trained to \nimplement this SOP and trained in the use of necessary \nsupplies. They will ensure that: \n\u25cf Necessary supplies are available at all times. \n\u25cf Custodians are: \n\u25cb Educated on illnesses and symptoms that must be", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "supplies. They will ensure that: \n\u25cf Necessary supplies are available at all times. \n\u25cf Custodians are: \n\u25cb Educated on illnesses and symptoms that must be \nreported to their building service area manager or \n617-635-9162. \n\u25cb Monitored for signs and symptoms of illness. \n2. The food service manager will ensure that food service \nemployees are: \n\u25cf Educated on illnesses and symptoms that must be \nreported to managers. \n\u25cf Monitored for signs and symptoms of illness.", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 9 of 10 \n \n \n \nAdapted from USDA document Cleaning and \nDisinfecting Body Fluid Spills (Miami County Public \nHealth website). \nFor more information about this circular, contact: \nOwner: Senior Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: 617-635-8300 \nFax: 617-635-7855 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nName: Equipment Coordinator \nDepartment: Food and Nutritional Services \nMailing Address: Food & Nutrition/Wellness Building, 370 \nColumbia Road, Dorchester, MA 02125 \nPhone: 617-635-9296 \nFax: 617-635-9305 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "content": "Superintendent\u2019s Circular FMT-19 \nPage 10 of 10 \n \n \n \n \nName: Sr. Manager, Building Services \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: 617-635-9165 \nFax: 617-6359306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFMT-15 \nVersion 01 \n \n \n \nANNUAL ENVIRONMENTAL INSPECTION/AUDIT \nPROGRAM \nCONDUCTED BY BOSTON PUBLIC SCHOOLS & BOSTON \nPUBLIC HEALTH COMMISSION \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPOLICY \nTo fully meet the intent and requirements of the City of Boston\u2019s \nIndoor Air Quality Ordinance (7.12.1-4), Boston Public Schools \n(BPS) and the Boston Public Health Commission (BPHC) have \ndesignated an Indoor Air Quality Unit which shall ensure that a \nminimum of two facility inspections per occupied school building \nare completed on an annual basis. A report with an assessment \nof conditions at each site will be developed by BPS and BPHC \nand presented to school principals/heads of schools and \npublished on the BPS website annually. \nIMPLEMENTATION PLAN \nThe Indoor Air Quality (IAQ) Unit responsible for completing the \nannual BPS environmental inspections/audit (inspection) will be", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "content": "Superintendent\u2019s Circular FMT-15 \nPage 2 of 3 \n \n \ncomprised of representatives from BPS Facilities Management\u2019s \nEnvironmental Division and the BPHC\u2019s Office of Environmental \nHealth. \nThe IAQ Unit will conduct two inspections of each occupied BPS \nowned or operated building during the academic school year. \nThe inspections will begin after the beginning of the academic \nschool year and will be completed by the end of the academic \nyear of the following year. An environmental audit will be done by \nthe BPS and the BPHC. \nThe inspection report will investigate and note environmental \nconditions in each report. The inspectors will test and look for \nhealth and safety conditions throughout the interior and exterior \nof each building including but not be limited to: general \nsanitation and housekeeping; water-staining, leaks, and mold; \ngeneral building repair; signs of pest infestation and activity; \ngeneral life safety; unobstructed means of egress; bathroom", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "content": "sanitation and housekeeping; water-staining, leaks, and mold; \ngeneral building repair; signs of pest infestation and activity; \ngeneral life safety; unobstructed means of egress; bathroom \nsanitation, hygiene, and operability; general ventilation, etc. \nUpon completion of the annual environmental inspection, \nFacilities Management will immediately address critical health \nand safety deficiencies by filing a work order with the appropriate \ndivision. They will incorporate other needed work at the school \nsites into the annual budgeting process. On an ongoing basis, \nFacilities Management will provide technical assistance to \nprincipals/heads of schools on environmental problems and \nother building-related issues.", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "content": "Superintendent\u2019s Circular FMT-15 \nPage 3 of 3 \n \n \nSIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember Environmental inspections will begin after the \nbeginning of the academic school year. \nOngoing \nPrincipals/heads of schools will receive a detailed \ninspection report following completion of the \nbuilding inspection. \nJune Environmental inspections of all school buildings \nwill be completed by the end of the academic year. \nAugust 31 \n \nEnvironmental inspection reports to be posted on \nthe BPS website (linked from \nhttps://www.bostonpublicschools.org/domain/175) \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing \nAddress: 1216 Dorchester Avenue, Dorchester, MA, 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-03 \nVersion 01 \n \nFIELD TRIP TRANSPORTATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThis circular outlines the steps that must be followed when \ntransporting students to field trips where BPS transportation or \nan approved outside supplier is used. Additionally, this circular \noutline general rules regarding transporting students in the \nBoston Public Schools with other approved transportation \nsuppliers. \nSchool buses or approved transportation suppliers\u2019 \nvehicles should be used to transport students to and \nfrom field trips. Privately owned vehicles from non-\napproved suppliers or leased vans are not to be \nutilized to transport students to and from field trips, \nexcept in the case of a genuine emergency. Staff who \nutilize their own vehicles risk being legally liable if \nstudents are injured while riding in their automobiles.", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "except in the case of a genuine emergency. Staff who \nutilize their own vehicles risk being legally liable if \nstudents are injured while riding in their automobiles. \n \nTransdev is the supplier currently under contract with the Boston \nPublic Schools (BPS) to provide transportation services on BPS \nyellow school buses, including field trips. All field trip \ntransportation must utilize BPS school buses, unless the request \ncannot be accommodated based on capacity limitations, or an \napproved transportation supplier.", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 2 of 12 \n \nArrangements with other suppliers are subject to the designation \nof that supplier as approved by Nate Kuder, the Chief Financial \nOfficer, and may be made by individual schools/departments \nsubject to purchasing regulations. The approved supplier list can \nbe found at the end of this circular. \nStaff should be aware of their responsibility to consult with and \nobtain the approval of their respective school leader or \ndepartment head, using school/BPS letterhead, to make \nagreements or exchange money with parents, outside \ntransportation companies, travel agencies, etc. \nWhen requesting buses for field trips, school leaders should be \naware that BPS has the greatest bus availability between 9:30 \na.m. and 12:30 p.m. However, we encourage and welcome schools \nto submit all of their field trip requests as outlined in this circular. \nIn the event that a request cannot be met, school leaders should", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "to submit all of their field trip requests as outlined in this circular. \nIn the event that a request cannot be met, school leaders should \nexplore the opportunity to order buses from approved suppliers \nwho are not restricted to the use of the BPS school bus fleet. A \nlist of approved suppliers is attached at the end of this circular. If \nthe Transportation Department is unable to provide service at \nthe time requested, Transportation will aim to provide notice to \nthe school leader via email at least one week in advance of the \nrequested trip date. The Transportation Department does not \nrecommend particular suppliers for field trips and does \nrecommend the use of our primary supplier, Transdev, whenever \npossible. \n \nAll field trips must be budgeted on account 52811, regardless of \nthe supplier. If you do not have a field trip account (account", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 3 of 12 \n \n52811), you must submit a budget transfer within your \norganization code to create the appropriate budget line. \nIf students in 7th through 12th grade will be utilizing the MBTA \nfor a field trip, schools can email schooltrips@mbta.com and/or \nsubmit a request through the School Field Trip Submission Form \nshould they need to acquire MBTA passes for students who do \nnot already have a pass because they live within the school\u2019s walk \nzone. \n \nPlease refer to the following circulars for guidelines and \nprocedures for the planning and implementation of BPS field \ntrips: CAO-22 General Guidelines for All Field Trips, CAO-23 Day \nField Trip Guidelines, CAO-24 Overnight Field Trips Guidelines, \nand CAO-25 International Field Trip Guidelines. \n \nI. FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus \nFleet \n \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "I. FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus \nFleet \n \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any \nplanned field trip, as outlined in the field trips circulars \nreferenced above. \n \n2. Submit your request via the Supplemental Transportation \nRequest Form to arrange for booking yellow bus \ntransportation with Transdev at least two (2) weeks in \nadvance of the field trip. If you would prefer to use a \ntransportation supplier from the attached approved", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 4 of 12 \n \ntransportation suppliers list, please use the requisition \nprocess in the BAIS FN system. \n \n3. Once your field trip request through BPS has been \nprocessed, you will receive an invoice from the BPS DOT \nSupplemental Transportation Manager, Kyle Lewis. This \ninvoice will detail payment options. Please continue reading \nfor general payment information. \n \n4. Field trip transportation requests funded through external \ngrants must include the appropriate grant ID and program \ncodes. In the event that funds for an external grant have not \nbeen activated in BAIS FN, you will need to use general \nfunds (fund 100) for the trip. After the grant funds are loaded \ninto BAIS FN, please email Kyle Lewis, the Supplemental \nTransportation Manager, requesting that they submit an \nexpenditure transfer on your behalf to move field trip \nexpenses from fund 100 to your grant. \ni. As a reminder, all schools planning to have field", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "expenditure transfer on your behalf to move field trip \nexpenses from fund 100 to your grant. \ni. As a reminder, all schools planning to have field \ntrips should budget for them using account code \n52811 \nb. Please note that in cases where a school has indicated \nthat they would like to use ESSER or Title I META, the \nschool will need to provide confirmation that this \nspending has been approved by their ESSER Liaison or \nthe district\u2019s Title I Coordinator, Imani Penn \n(ipenn@bostonpublicschools.org). \n \n5. The Transportation Department will only order those field \ntrips utilizing the district\u2019s yellow bus fleet, managed by", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 5 of 12 \n \nTransdev. If you will be using a different vendor for your field \ntrip, please see section II. \n6. Payments should be made through a budget transfer or \ncheck. Field trip transportation will not be scheduled unless \nthe transfer is submitted, or the check is mailed at least five \n(5) school days prior to the date of the trip. \na. Fund 100/general funds: Transfers should be made to \nthe following chartfield in the BPS Transportation \nbudget: \ni. Org: 101081 \nii. Fund: 100 \niii. Account: 52805 \niv. Program: 2695 \nv. Class: 0000 \nvi. Bud Ref/Year: 2024 \nb. Fund 200/grants: BPS Transportation will submit an \nexpenditure transfer to the Grants Office on your \nbehalf. Please confirm the necessary approvals and the \nbudget line you would like to use to fund your field trip \nvia email to the Supplemental Transportation Manager, \nKyle Lewis, at least five (5) days before your scheduled \nfield trip", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "budget line you would like to use to fund your field trip \nvia email to the Supplemental Transportation Manager, \nKyle Lewis, at least five (5) days before your scheduled \nfield trip \nc. Check: Please confirm the check was mailed via email \nto the Supplemental Transportation Manager, Kyle \nLewis, at least five (5) school days prior to the planned \ntrip. Checks should be made out to the Boston Public \nSchools Transportation Department and mailed to: \nKyle Lewis, BPS Transportation Department \nBruce C. Bolling Building \n2300 Washington Street \nRoxbury, MA 02119", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 6 of 12 \n \nNote: Full bus capacity for the BPS yellow bus fleet is \napproximately seventy (70) elementary school students, sixty (60) \nmiddle school students and forty-five (45) adults/high school \nstudents. An adult MUST ride with students on any and all field \ntrips on BPS buses. \n \n7. Final confirmation for any transportation services provided \nby Transdev should be made three (3) school days before \nthe scheduled trip by contacting Kyle Lewis, the \nSupplemental Transportation Manager at Operations-\nDepartment-Heads@bostonpublicschools.org or 617-635-\n9418. Notice of any changes or canceled trips must be \nprovided to the Transportation Department at least three (3) \nschool days in advance, except in case of emergency. \n \nThe bus price schedule for the BPS fleet (Transdev) is as follows: \nInside Route 128 Discounted Rate: \n$132.50 each way if your trip is between 9:30 a.m. \nand 12:30 p.m. (Buses must be back to your school", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Inside Route 128 Discounted Rate: \n$132.50 each way if your trip is between 9:30 a.m. \nand 12:30 p.m. (Buses must be back to your school \nby 12:30 p.m., or the trip will be billed at the regular \nrate). \n \nRegular Rate: \n$190.00 each way or $380.00 for a round trip \nOutside Route 128 Regular Rate: \n$540.00 (in-state), $1,050.00 (out-of-state)", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 7 of 12 \n \nLayover Charges In some cases, if a school requires the bus to stay \non-site, it will cost $42.00 per hour for layover time. \n \n \nII. FIELD TRIP TRANSPORTATION CHECKLIST - Approved Private \nTransportation Supplier \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any planned field trip, as \noutlined in the field trips circulars referenced above. A \nRequest for Waiver form (attached) must be used if \nrequesting the use of suppliers not under contract with the \nBoston Public Schools; supplier options are limited to those \non the attached Approved Field Trip Transportation \nSuppliers list. Assurances are required for the use of all non-\nBPS carriers, as noted on the waiver form. This form must be \nattached to the field trip request form appropriate for the \ntype of trip you are conducting (based on the Field Trips \ncirculars referred to above) and forwarded to the Office of", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "attached to the field trip request form appropriate for the \ntype of trip you are conducting (based on the Field Trips \ncirculars referred to above) and forwarded to the Office of \nthe Chief Financial Officer (do not send to theTransportation \nDepartment). \n2. All trips booked with approved private transportation \nsuppliers (this does not include Transdev) must be organized \nutilizing the requisition procedures in PeopleSoft BAIS FN. \nPlease complete the requisition for an approved \ntransportation supplier at least ten (10) school days prior to \nthe date of the trip to ensure that a purchase order (PO) can \nbe dispatched to the bus company ahead of the field trip. \n3. Please note that requisitions with incorrect account codes \ncannot be processed, therefore you will need to confirm that \nfunds for your field trip are in account 52811. If you do not", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 8 of 12 \n \nhave a field trip account in your budget (account 52811), you \nmust submit a budget transfer within your organization \ncode to create the appropriate budget line. Transportation \nrequests funded through external grants must include the \nappropriate grant ID and expense codes. \n4. The details of the requested field trip must be entered on \nthe requisition in the header details panel using the \ncomment section. The details must include the following \ninformation: \na. Contact person \nb. Phone number \nc. Email \nd. Pick-up location \ne. Site to be visited \nf. Address \ng. Site telephone number \nh. Site contact person \ni. Purpose of trip \nj. Date of trip \nk. Departure time \nl. Time back at school \nm. Number of students \nn. Number of buses needed \no. Adults riding along \n5. For requisitions to post, a valid budget check must be done. \nRequisitions that do not pass a budget check will not be", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "m. Number of students \nn. Number of buses needed \no. Adults riding along \n5. For requisitions to post, a valid budget check must be done. \nRequisitions that do not pass a budget check will not be \nprocessed. It is the responsibility of the school ordering the \ntrip to ensure that all budget checks have passed and that a \npurchase order has been dispatched. Refer to the BAIS FN \nPeopleSoft training material titled \u201cCreating a Requisition\u201d if \nyou need assistance in this procedure.", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 10 of 12 \n \nREQUEST FOR WAIVER FORM TO USE SCHOOL BUS SUPPLIERS \nNOT CURRENTLY APPROVED AND UNDER CONTRACT \n \nThis form must be used when utilizing suppliers that are not already under \ncontract with the Boston Public Schools. \n \n \nI am hereby requesting a waiver to use non-Boston Public School \ntransportation for the field trip \nrequested on the attached Field Trip Request Form (based on the Field Trips \ncirculars referenced above). \n \nSCHOOL: \n \nDATE OF TRIP: \n \nDESTINATION: \n \nBUS COMPANY (CARRIER): \n \nRENTAL COMPANY CARRIER: \n \nThe building administrator must check each of the following to indicate \ndocumentation on file in the school providing assurances noted: \n \n\u25cf Three informal quotes received from potential non-BPS transportation \ncarriers.", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 11 of 12 \n \n\u25cf Carrier selected is licensed by the Commonwealth to provide charter \nservice. \n\u25cf Carrier drivers are properly licensed to provide charter service. \n\u25cf Carrier drivers are all CORI & SORI checked. \n\u25cf Carrier maintains a minimum bodily liability insurance policy of $1 \nmillion per occurrence. \n \n \nAPPROVALS: \n \n \n___________________________________________ ________________________ \nSignature of Principal/Head of School Date \n \n \n___________________________________________ ________________________ \nSchool Superintendent Date \n \n \n___________________________________________ ________________________ \nChief Financial Officer Date \n \nTHIS FORM SHOULD BE SUBMITTED TO THE PARTIES LISTED ABOVE. \nALLOW AT LEAST TEN SCHOOL DAYS FOR APPROVAL", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "content": "Superintendent\u2019s Circular TRN-03 \nPage 12 of 12 \n \nAPPROVED FIELD TRIP TRANSPORTATION SUPPLIERS \nSupplier Name Supplier ID Phone \nNumber \nAddress \nAdams Motor \nTransportation Inc. \n0000003388 617-296-1930 631 Walk Hill Street, \nMattapan, MA 02126 \nChantals, Inc. 0000053323 617-293-0754 35 Nikisch Avenue, Boston, \nMA 02131 \nCrystal Transport, \nInc. \n0000001421 617-787-1544 1616 Hyde Park Ave, \nBoston, MA 02136 \nDollar Ride ECO \nRide LLC/ ECO \nRide Group \nTransportation \n0000071239 62 Huntington Street, \nBrockton, MA 02301 \nEastern Bus \nCompany \n0000000396 617-628-6868 PO Box 514, Somerville, MA \n02143 \nLocal Motion, Inc. 0000022242 781-535-6344 66B Rocsam Park Road, \nBraintree, MA 02184 \nPeople Care-iers, \nInc. \n0000003949 617-361-1515 270 Islington Road, \nNewton, MA 02466 \nTony\u2019s \nTransportation, \nInc. \n0000055218 617-719-3777 66 Glendale Street, PO Box \n220815, Boston, MA 02125 \nVocell Bus \nCompany, Inc. \n0000000385 781-393-0220 378 Commercial Street, \nMalden, MA 02148", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-01 \nVersion 01 \n \n \nSCHEDULE OF SCHOOL HOURS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAttached is an alphabetical listing of opening and closing hours \nfor each school for the school year. This listing includes an AM \nbus drop-off time for each school when staff must be available to \naccept students, an AM bell, a PM bell, and an early dismissal \ntime and day of week. \nPlease pay special attention to the AM and PM bell times for your \nschool. No changes may be made to these schedules \u2014 including \nto early dismissals \u2014 without the written permission of the chief \noperating officer. All requests for changes to bell times for the \nsubsequent school year must be made in writing to the chief \noperating officer before the end of October. \nPlease note the following regarding any requested changes: \n\u25cf Any requested bell time changes must be for either", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "content": "operating officer before the end of October. \nPlease note the following regarding any requested changes: \n\u25cf Any requested bell time changes must be for either \n7:30am, 8:30am, or 9:30am AM bell times in order to align \nwith the District\u2019s 3-tier bell schedule \n\u25cf No requested bell time changes for an 8:30am start can be \naccommodated at this time, as the transportation \noperation is at capacity during the 2nd tier. \nIMPORTANT NOTES ON TRANSPORTATION: \n\u25cf All BPS buses are scheduled to arrive at schools 15 minutes", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "content": "Superintendent\u2019s Circular TRN-01 \nPage 2 of 3 \n \n \nbefore the scheduled AM bell time to give students time \nto settle in and have breakfast before instruction starts. \nAdequate staff assistance is needed to make sure buses \nare unloaded as they arrive, as efficiently and safely as \npossible, so that these buses can get to the next \nscheduled location on time. Buses are expected to depart \nthe school for their next trip no more than 10 minutes after \ntheir arrival. In some cases, with agreement from the \nschool, buses are scheduled to arrive more than 15 \nminutes before the scheduled AM bell time \n\u25cf PM buses are scheduled to arrive at each schools\u2019 PM bell \ntime. Adequate staff assistance and the appropriate \ndismissal procedure are needed to make sure buses are \nloaded as they arrive. Buses are expected to depart 10 \nminutes after the PM bell to get to their next scheduled \nlocation on time. \n\u25cf On the day before Thanksgiving and the last two days of", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "content": "loaded as they arrive. Buses are expected to depart 10 \nminutes after the PM bell to get to their next scheduled \nlocation on time. \n\u25cf On the day before Thanksgiving and the last two days of \nschool in June, all schools will dismiss pupils a uniform \ntwo (2) hours and thirty (30) minutes earlier than their full-\nday PM bell time, unless operationally there is a need to \nmodify dismissal. The uniform two hour and thirty-minute \nearly release will apply to all schools, regardless of any \nregularly scheduled early release or past practice. \n\u25cf Certain specialized programs/schools have hours that are \nsubject to determination by the superintendent or \ndesignee.", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "content": "Superintendent\u2019s Circular TRN-01 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Executive Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-Heads@bostonpublicschools.org \nMary Skipper, Superintendent \n \nATTACHMENT: \n BOSTON PUBLIC SCHOOLS SCHEDULE OF SCHOOL HOURS", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-02 \nVersion 01 \n \n \n \nSTUDENT TRANSPORTATION SAFETY & DISCIPLINE \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nHEAD OF SCHOOL/PRINCIPAL EXPECTATIONS \nThe school bus is considered an \"extension of the classroom\" in \nterms of expected student behavior. The school is responsible for \nworking with students and parents/guardians to address \nbehaviors of students and parents/guardians that take place on \nor are related to bus service that are not consistent with school \nand district policies. This policy reinforces the Standards of \nBehavior for Boston Public School students. The head of \nschool/principal is responsible for implementing the Code of \nConduct and Standards of Behavior as they apply to students and \nparents/guardians while utilizing school transportation and the \nMBTA. The head of school/principal will also communicate \nstudent/parent/guardian obligations at the start of the school", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "parents/guardians while utilizing school transportation and the \nMBTA. The head of school/principal will also communicate \nstudent/parent/guardian obligations at the start of the school \nyear via student presentations and notification to \nparents/guardians through School-Based Rules. Please note that \nthe Code of Conduct includes procedures for the denial of \ntransportation. \nThe head of school/principal will apply all approved Boston Public \nSchools policies and procedures to matters of regular \ntransportation service and field trips, athletics, and late bus runs.", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 2 of 10 \n \n \n \nINCIDENT REPORTING AND RESPONSE \nThe head of school/principal will report all incidents, maintain all \nrecords, and take appropriate action as prescribed in applicable \nSuperintendent's Circulars, including but not limited to any state \nor federal reporting (e.g., mandated reporting to DCF or the SSDR \nreport for DESE, etc.). In the event of a school transportation \nincident resulting in student injury, the school administrator will \ncontact the parent(s)/guardian(s) and provide appropriate \ninformation in accordance with Superintendent's Circular FSE-05, \nMedical Emergency Management. The head of school/principal \nwill maintain copies of all incident reports filed by drivers and \nutilize reports for remedial actions. \nBPS school buses are equipped with two cameras. One camera \nfaces out from the bus forward to record oncoming traffic. The \nsecond camera is focused inward on the bus from the front of the", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "BPS school buses are equipped with two cameras. One camera \nfaces out from the bus forward to record oncoming traffic. The \nsecond camera is focused inward on the bus from the front of the \nbus. Cameras do not record sound. Only in emergency situations \n(e.g. active missing student investigation) may camera footage \nbe accessed in real time and only by Department of \nTransportation personnel. When an incident is reported, \ndepending on the nature of the incident, a review of video \nfootage of the reported incident may be requested by a school, a \nparent/guardian, or a member of the district transportation team. \nIn most situations, student conduct investigations will rely on \nincident reports from students and adults on board the bus, \nrather than camera footage. Any requests for bus footage must \nrun through the BPS Transportation Department. Cameras have \nlimited video storage capacity that typically store 7 (seven) to 10", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "rather than camera footage. Any requests for bus footage must \nrun through the BPS Transportation Department. Cameras have \nlimited video storage capacity that typically store 7 (seven) to 10 \n(ten) days of footage, depending on bus usage. Cameras are not \nactively monitored. Neither BPS DOT nor the bus vendor will use \ncameras for any purpose other than investigating specific", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 3 of 10 \n \n \n \nallegations. \nWhen incidents occur that are related to bus transportation, BPS \nDOT can work with schools on implementing solutions to \nsupport successful student transportation on BPS buses. Some \nstrategies that have been effective in the past include but are not \nlimited to school-led mediations with parents/guardians, \nstudents, bus drivers, bus monitors, and school staff; school-led in \ndepth training for drivers and/or monitors; school assigned bus \nseating plans; addition of a bus attendant by the school to the \nbus. In very limited circumstances, requiring approval of the \nDirector of BPS DOT, a student, driver, or monitor may be \nreassigned. Such reassignment will be a last resort only after \nother strategies have been exhausted. This helps ensure that \nstudents are fully supported in learning how to successfully \nnavigate yellow bus transportation. \nRELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "students are fully supported in learning how to successfully \nnavigate yellow bus transportation. \nRELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING \nBUS ARRIVALS AND DISMISSALS \nThe head of school/principal or their designee is responsible for \nmonitoring transportation service and the performance of school \nbus drivers and monitors. This includes daily one-on-one contact \nby school staff with a driver upon their arrival and departure from \na school. Heads of school/principals are advised and encouraged \nto make all efforts to maintain a positive relationship with all \ndrivers and bus monitors and to also endeavor to work \nconstructively with all BPS and Transdev staff with whom they \ncome in contact throughout the school year. \nSchool administrative staff are responsible for managing safe and \nefficient bus arrival and dismissal processes. All buses assigned to", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 4 of 10 \n \n \n \na school are together scheduled to be fully loaded or unloaded \nwithin a ten-minute window. To be on time for all subsequent \ntrips, in the morning all buses must be unloaded and depart the \nschool by the school\u2019s bell time. In the afternoon, all buses \nassigned to a school must load and depart the school by 10 \nminutes after the bell time. \nWhen arriving at schools, buses may not allow students to unload \nuntil a member of the school staff is present to meet students. \nThis ensures that a school staff member is present to take \nresponsibility for students before students exit the bus. Schools \nare responsible for maintaining up-to-date bus rosters and \nensuring students are placed on their assigned bus during bus \ndismissal. BPS Transportation Department operations support is \navailable to review bus loading and unloading procedures upon \nrequest. \nHeads of school/principals are encouraged to make time", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "dismissal. BPS Transportation Department operations support is \navailable to review bus loading and unloading procedures upon \nrequest. \nHeads of school/principals are encouraged to make time \navailable to meet with drivers who wish to confer with them on a \nvoluntary basis throughout the school year for the purpose of \nmaintaining their transportation safety/discipline program. \nHeads of school/principals may provide drivers with a seating \nplan for each bus, but they should work constructively with \ndrivers and monitors in the implementation of such a plan. If a \nseating plan is put in place, students should be instructed to \nremain in their assigned seats throughout the trip. \nThe head of school/principal or their designee should regularly \ninterview students to make assessments of the quality of \ntransportation service and are also asked to monitor ridership \nand notify BPS Transportation if any bus assignments are not", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "interview students to make assessments of the quality of \ntransportation service and are also asked to monitor ridership \nand notify BPS Transportation if any bus assignments are not \nbeing utilized. Schools can provide student opt out information in", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 5 of 10 \n \n \n \nour Support Portal. This link provides a walkthrough. We ask \nschools to utilize our Support Portal to ensure accountability \nwithin our team and support our effort to reduce follow-up times. \nThe head of school/principal or their designee may occasionally \nride school buses for first-hand observation of operations, but \nnotification to the Transportation Department must be made in \nadvance to ensure that buses are within capacity requirements \nfor ridership. \nMonitors assigned through the special education process are \nessential members of a student\u2019s support team. Schools are \nresponsible for training bus monitors on IEP required student \nspecific supports. Monitors must be included in students\u2019 \nsupport teams for training on an ongoing basis to be prepared to \nbest meet the needs of our students who ride the bus and to help \nensure students can succeed in the least restrictive environment.", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "support teams for training on an ongoing basis to be prepared to \nbest meet the needs of our students who ride the bus and to help \nensure students can succeed in the least restrictive environment. \nSchools may contact the BPS DOT Monitors Unit to arrange \nmeetings with monitors throughout the school year. \nPlease remember that bus drivers and bus monitors are \nimportant members of our school community. When they are at \nyour school, per district policy, they are permitted to use \nrestroom facilities. Bus drivers and bus monitors are expected to \npresent identification to enter any building. Just like for all other \nmembers of our school and district staff, please ensure that these \nteam members have access to bathroom facilities in your \nbuilding as needed. \nSAFETY EDUCATION AND EVACUATION DRILLS \nThe head of school/principal will support all safety education \nefforts relative to transportation and initiate programs within the", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 6 of 10 \n \n \n \nfirst week of the school year and throughout the school year. \nSchool bus evacuation drills are to be conducted in accordance \nwith M.G.L., Chapter 90, Section 9B, which mandates school bus \nevacuation instruction and drills. Evidence of completed \ninstruction and drills must be kept on file by the head of \nschool/principal. BPS Transportation, Transdev Safety, and BPS \nSafety Services personnel will assist school administrators in \nconducting bus evacuation drills as required by M.G.L. Chapter \n90, section 9B. \nROLE OF THE BPS TRANSPORTATION DEPARTMENT \n\u2022 The Transportation Department acts as the liaison between \nthe bus company, school personnel, parents/guardians, BPS \nSafety Services, and Boston Police Department. \n\u2022 The Transportation Department monitors contractual \ncompliance by vendors relative to the employment of \ndrivers and driver conduct. \n\u2022 The Transportation Department records all complaints", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "\u2022 The Transportation Department monitors contractual \ncompliance by vendors relative to the employment of \ndrivers and driver conduct. \n\u2022 The Transportation Department records all complaints \nregarding driver behavior and forwards them to the \ncompany for remedial action by the bus company. The \nDirector of Transportation may, in extreme circumstances, \norder suspension or reassignment of drivers subject to \nconsultation with the bus vendor and the collective \nbargaining agreement between drivers and bus company. \n\u2022 The Transportation Department completes bus routing and \nplanning to create efficient bus schedules that minimize \nride time for students and optimize deployment of drivers, \nmonitors, and buses. Where necessary, the Transportation \nDepartment will revise routes or pick-up points to reduce", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 7 of 10 \n \n \n \npotential safety problems. \n\u2022 The Transportation Department provides parents/guardians \nwith advice relative to procedures to assist in the resolution \nof transportation issues. \n\u2022 The Transportation Department notifies the head of \nschool/principal of any school bus accident, including a list \nof the students onboard the bus and any other relevant \ninformation. In the event an accident occurs after school \nhours, the Transportation Department will attempt to notify \nthe Head of School/Principal at home. \n\u2022 In the event of a school transportation accident or incident \nresulting in student injury, BPS Transportation implements \nthe following procedures: \no Ensures Transdev Safety staff has properly followed \nprocedures and notified police or emergency medical \nservices as necessary. \no Notifies the school building administrator, principal \nleader, assistant superintendent of operations, and", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "procedures and notified police or emergency medical \nservices as necessary. \no Notifies the school building administrator, principal \nleader, assistant superintendent of operations, and \noperational leader, relaying all available information. \nBuilding administrators are then responsible for \nnotifying parents/guardians. \n\u2022 If the building administrator or other school-based staff is \nnot available, BPS Transportation Department staff will \nnotify parents/guardians or emergency contact person. \nROLE OF THE BUS COMPANY \u2013 TRANSDEV TRANSPORTATION \nThe bus company will comply with all requirements contained in \nits contract with the School Committee, its collective bargaining \nagreements with its staff, and all Massachusetts laws and", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 8 of 10 \n \n \n \nregulations as they pertain to school bus safety and reporting. \nThe bus company will adhere to the Incident Response & Report \nProcess as outlined below: \n1. The Transdev Safety Desk will log all calls and deployment \nrequests sent into the Safety Desk by drivers or safety staff, \nBPS Transportation, or others and will submit those along \nwith any incident reports generated after an incident. \n2. In an emergency, Transdev Safety Desk will call BPS or EMS \nand deploy Transdev road safety supervisors to all serious \nincidents and accidents. Transdev Safety Desk will notify \nBPS Transportation staff immediately upon learning of any \nserious incident and will continue to supply timely details \nfrom the scene as they become available. In the event of a \nschool transportation incident resulting in student injury \nafter normal operating hours, Transdev Safety Desk staff and \nBPS Transportation Call Center staff will assist school", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "school transportation incident resulting in student injury \nafter normal operating hours, Transdev Safety Desk staff and \nBPS Transportation Call Center staff will assist school \nadministrators in the parent/guardian notification process. \n3. Transdev drivers will provide as much specific information \nas possible over the radio to Safety Desk and in their written \nreports, mainly the names and student numbers of involved \nstudents. Drivers should also fill out incident reports and \ngive copies to school administrators and their branch \nsupervisors daily. All incident reports are logged on a \ncomputer database at the bus company. \n4. Transdev safety staff and BPS Transportation work together \nto communicate with heads of school/principals and police \nwhere necessary to assist in the resolution of incidents. \nHeads of school/principals are required to contact \nparents/guardians and discipline students when necessary.", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 9 of 10 \n \n \n \nThe bus company will instruct drivers to meet with heads of \nschool/principals after the \"dry runs\" of bus routes before the \nopening of school. Heads of school/principals should be prepared \nto discuss their student transportation safety/discipline program \nwith drivers at that time and throughout the year. Drivers may \nalso be made available to meet with the head of school/principal \non an ongoing basis. Arrangements for meetings can be made by \ncontacting the BPS Transportation Department. \nTransdev road safety supervisors and driver trainers will inspect \nthe safety and accessibility of pick-up and drop-off locations \nthroughout the city as requested.", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "content": "Superintendent\u2019s Circular TRN-02 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Chief of Student Support \nDepartment: Student Support Office \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-08 \nVersion 01 \n \n \n \nSAFE MODE AND INTERNAL THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMandatory SAFE MODE drills are to be planned, conducted and \nreviewed during September and January of each school year. Each \nschool should conduct two SAFE MODE drills every year. These \nexercises are to be coordinated through your school superintendents. \nA report on each safe mode drill must be documented on the Google \nform, which can be found at the BPS Fire & Safety Drill Report . If you \nhave any questions, please contact the BPS Office of Emergency \nManagement. \n \nThese drills will help prepare the school community for any real life \nsituation that may occur. \n \nDuring any real-life situation: \n\u25cf Call 911 as soon as you can do so safely. \n\u25cf Call the Department of Safety Services at 617 -635-8000, after \ncalling 911, if you can do so safely.", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "During any real-life situation: \n\u25cf Call 911 as soon as you can do so safely. \n\u25cf Call the Department of Safety Services at 617 -635-8000, after \ncalling 911, if you can do so safely. \n \nObjectives of SAFE MODE drills: \n\u25cf Staff will be able to describe what SAFE MODE is and their \nresponsibilities during a SAFE MODE event. \n\u25cf Staff will have the opportunity to have their questions \nconcerning SAFE MODE heard and answered.", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 2 of 13 \n \n\u25cf Staff will have the opportunity to raise potential concerns that \nhave not yet been addressed to assist in better anticipating \nissues during SAFE MODE situations. \n \nDEFINITIONS AND PROTOCOL FOR ACTUAL EVENTS \n \nSAFE MODE (External Threat) \nSAFE MODE is a protective action used to safeguard faculty, staff, \nand students from an external threat as a result of law enforcement \nactivity near the school or a potentially dangerous situation near the \nschool. Schools will typically be placed into SAFE MODE by the \nBoston Police Department or BPS Safety Services, but each school \ncan enter SAFE MODE on its own. \n \nExamples of reasons why schools go into SAFE MODE: \n\u25cf Police activity around or near your building \n\u25cf Shooting outside your building \n\u25cf Fire or accident near your building \n \nHow will you know when you are in SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "\u25cf Shooting outside your building \n\u25cf Fire or accident near your building \n \nHow will you know when you are in SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\"", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 3 of 13 \n \nNOTE: The Principal/Head of School, Site Coordinator or designee \nwill also be alerting Safety Services and calling 911 to alert them \nthat they are in SAFE MODE if not a drill, as mentioned above. \n \nWhat should faculty and staff do upon notification of SAFE MODE? \n1. If you see, hear, or observe a potential threat outside your \nbuilding, bring all students and staff back into the building \nimmediately and initiate SAFE MODE and notifications. \n2. Depending on the circumstances and the direction of the \nPrincipal/Head of School, Site Coordinator or their designee, \nlearning activities may continue during a SAFE MODE. If \ncontinuing learning activities, be sure the volume in the room \nis low enough to hear further announcements. \n3. Check the hallways for people nearby and bring them into the \nclassroom. \n4. Check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom door.", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "3. Check the hallways for people nearby and bring them into the \nclassroom. \n4. Check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom door. \n6. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and close \nthe windows and shades (if you have them). Turn the lights off \nand silence cell phones, radios, Tv and any other source of noise \nas necessary. \n7. Be prepared to m ove students away from windows and doors \nand stay in your safe location. \n8. Take attendance. Verify the missing and extra people in your \nroom. Write the names on a sheet of paper and wait for \nsomeone to contact you for that list (may be by intercom or in \nperson).", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 4 of 13 \n \n9. Ramain with your students in the classroom until further \ninstructions are given. \n10. Only use the intercom to notify the main office of emergencies \nor special needs. \n11. SAFE MODE ends only when the principal/head of school , site \ncoordinator or designee announces it via intercom or through \ndoor to door notifications. \n \nWhat will the safety team be doing during SAFE MODE? \n1. Administration will make sure exterior doors are locked. \n2. Floor captains will check classrooms and lock bathrooms. \n3. Administration will notify all staff via the public address system \nof the situation. \n4. Administration will notify Safety Services and their school \nsuperintendent if they are in an actual SAFE MODE. They will \nnotify their school superintendent if they will be conducting a \nSAFE MODE drill. \n5. Administration or police will monitor cameras. \n6. Administration or police will monitor the entire school to make", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "SAFE MODE drill. \n5. Administration or police will monitor cameras. \n6. Administration or police will monitor the entire school to make \nsure no one is in the hallways or leaving or entering the \nbuilding. \n7. Administration will work with BPS Communications to send a \nnotice to all families within a short time after the incident when \nthe situation is clear. \n \nPreventative Safe Mode: This version of SAFE MODE can be used to \nstop motion in the building under certain circumstances to resolve \nan internal issue (e.g., lost children, student/adult behavior, K9 \nsearch, etc.).", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 5 of 13 \n \nHow will you know when you are in PREVENTATIVE SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE \nMODE. Remain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\" \n \nIf schools want to conduct internal threats drills, they should only do \nso with staff. No students should be involved in an internal threat \ndrill. If there are concerns about these drills or procedures, they \nshould only be discussed with staff. \n \nINTERNAL THREAT (Interior) \nINTERNAL THREAT will be announced if there is any person in the \nbuilding who is looking to cause harm to people. If an internal threat \nis in the building, all occupants should use the AVOID, DENY,", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "building who is looking to cause harm to people. If an internal threat \nis in the building, all occupants should use the AVOID, DENY, \nDEFEND (formerly RUN, HIDE, FIGHT) model to protect themse lves \nand anyone in their care. During this situation, occupants should use \ntheir own judgment to determine what they will do. \n \nExamples of an INTERNAL THREAT are: \n\u25cf Unknown or unidentified people in your building wandering \naround \n\u25cf Out of control parent/family member \n\u25cf Person with a weapon in the building \n\u25cf Person shooting in your building", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 6 of 13 \n \n \nHow will I know when we have an INTERNAL THREAT? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via the school intercom (and call 911 if not a \ndrill): \n \n\u201cAttention faculty and students: there is an INTERNAL THREAT \n(AVOID, DENY, DEFEND).\u201d \n \nWhat will be happening on campus during an INTERNAL THREAT \nsituation? \n1. No one will be in hallways. \n2. Anyone with information on the threat should be calling 911 to \nalert police of the situation. \n3. Occupants will be using the AVOID, DENY, DEFEND protocol \nto decide their actions: \n\u25cf AVOID (RUN) pay attention to your surroundings, know \nyour exits if you know it is safe to do so: get as far away \nfrom the building or source of threat as you can (you should \nnot be able to see the building/threat from where you have \nrun to). If it is safe to do, call 911, call the School Leader and \nSafety Services at 617-635-8000. Cautiously alert people", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "not be able to see the building/threat from where you have \nrun to). If it is safe to do, call 911, call the School Leader and \nSafety Services at 617-635-8000. Cautiously alert people \naround you if possible. \n\u25cf DENY (HIDE) if you cannot run: barricade where you are (if \nyou can) and stay out of sight of the threat,lock the door, \nturn off the light. Silence your phone, radios, tv and/or any \nother source of noise. \n\u25cf DEFEND (FIGHT) If you cannot Avoid or Deny be prepared \nto defend yourself. If fighting is your last resort and the \nthreat is in your space and is going to hurt you or people", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 7 of 13 \n \nyou are with, find something to fight (laptop, chair, fire \nextinguisher or any other available resources). \nAll staff should consider what to do during an internal threat on a \nregular basis. HAVE A PLAN! \n \nHELPFUL HINTS: \u201cKNOW YOUR SPACE\u201d \n\u25cf Know all available egress (EXIT) points if you ever need to \nAVOID (RUN). \n\u25cf Know what you can use to barricade your door(s) and conceal \nyourself from sight if you ever need to DENY (HIDE). \n\u25cf Know what you can use to DEFEND (FIGHT) if fighting is your \nonly option (fire extinguisher, chair, laptop, etc.). \n\u25cf The goal of both SAFE MODE and INTERNAL THREAT is to take \ncover and conceal yourself and your students from the active \nassailant. Covering glass (with large paper, shades, etc), \nshutting off lights, staying quiet (silence your phone, radios, \nTV or any other source of noise) and moving into a position of \nconcealment is key. \n \n \nPOLICE RESPONSE: \u201cKNOW WHAT TO EXPECT\u201d", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "shutting off lights, staying quiet (silence your phone, radios, \nTV or any other source of noise) and moving into a position of \nconcealment is key. \n \n \nPOLICE RESPONSE: \u201cKNOW WHAT TO EXPECT\u201d \n\u25cf Law enforcement priorities: \n1. Neutralize the shooter \n2. Stop the bleed of the first critical victim they encounter \n(only if the shooter is not in the immediate location. This is \na new protocol.) \n\u25cf When police arrive, follow their commands, show the palms of \nyour hands, don\u2019t move quickly. \n\u25cf BPD policy is that plainclothes officers can respond to an active \nassailant, help may not be in uniform.", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 8 of 13 \n \n \n \nDEFINITIONS AND PROTOCOL FOR SAFE MODE DRILLS \n \nHow to conduct a Safe Mode Drill at your school? \n \nIdentify a Safety Team if you have not already done so (Refer to \nSafety Contingency Plan FSE-01). This Safety Team should include \nthe School Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designees. Please review FSE-01 page 24 \nfor guidance. \n \nThe Principal/School Leader, Site Coordinator or designee must \nensure that staff receive and understand proper instructions on \nthe safe mode drill procedure. Students should also be informed \nof the procedure in order to align expectations prior to the dril l. \nThe drill must be recorded on this form. \n \nPrior to the Drill: \nConfirm the Plan: School Leader/Site Coordinators or designee \nwill review the Safe Mode and Internal Threat Procedures, \nincluding the various situations and levels of Safe Mode (ie", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Confirm the Plan: School Leader/Site Coordinators or designee \nwill review the Safe Mode and Internal Threat Procedures, \nincluding the various situations and levels of Safe Mode (ie \nexternal threat/ medical issue/ internal threat) with staff. Select \nthe dat e of the drill and coordinate roles and responsibilities \nduring and after the drill. \n \nDay of the drill: \nJust in Time Training: School Leaders/Site Coordinators or \ndesignee will instruct staff to review Safe Mode and Internal \nThreat Procedures ensuring everyone knows their roles", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 9 of 13 \n \n(Students/Staff). Also staff should confirm window covers are \navailable (shades/blinds/paper/boards, etc) and classroom doors \ncan lock properly from the exterior. Familiarize yourself with the \nsystem used to warn you to go into Safe Mode, this may be the \npublic address system, if available, an intercom system, phones \nor radios. If the only method to communicate within the school \nis the bell system, note the warning bell system used to warn \neveryone to Safe Mode. \n*Listen carefully for instructions* \nConducting Safe Mode Drill: \n1. Inject: Safe Mode ANNOUNCEMENT is made via the PA, with \nthe support of radios to areas where the PA does not reach. \n2. Staff and students go inside the building into the nearest \nclassroom immediately if they are not already. \n3. Staff check the hallways for other staff/students nearby and \nbring them into the classroom. \n4. Staff check adjacent classrooms through interior doors for", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "3. Staff check the hallways for other staff/students nearby and \nbring them into the classroom. \n4. Staff check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom doors. \n6. Close and lock the windows. \n7. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and \nclose the windows and shades (if you have them). \n8. Move students away from windows and doors and stay in your \ncurrent location. \n9. CONDUCT AN ACCOUNTABILITY SURVEY Verify the missing \nand extra people in your room. Write the names on a sheet of \npaper and wait for someone to contact you for that list (may \nbe by intercom or in person).", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 10 of 13 \n \n10. Stay with your students in the classroom until further \ninstructions are given. \n11. Only use the intercom to notify the main office of emergencies \nor special needs. \n12. Silence all cellular devices. \n13. Shut off the lights. \n \nIF THE FIRE ALARM SYSTEM SOUNDS: \n\u25cf Evacuate if there are visible signs of fire. \n\u25cf Await instructions if there are no signs of fire. \n \n14. ALL CLEAR/ RETURN TO SCHOOL \nSchool Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designee announces ALL CLEAR via \nintercom or through door to door notifications. \nAction: Staff return to normal classroom activities. \n15. School Leader, Site Coordinator or designee reports the drill \non this form . If you have any problem with this link, please \ncontact the OEM Team for assistance. \n \nNote: Learning activities may continue during a SAFE MODE drill, \nunless you are instructed otherwise by the Principal/School Leader,", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "contact the OEM Team for assistance. \n \nNote: Learning activities may continue during a SAFE MODE drill, \nunless you are instructed otherwise by the Principal/School Leader, \nSite Coordinator or designee. If continuing learning activities, be \nsure the volume in the room is low enough to hear furth er \nannouncements. \n \nIMPORTANT REMINDER: The BPS Office of Emergency \nManagement is available to support schools drills as well as \nfacilitating tabletop exercises or functional tests of school buildings \nplans and protocol. Please contact us for more information.", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 11 of 13 \n \nAll staff should view the following video from the Ohio State \nUniversity, to obtain important additional information that will be \nhelpful in the event that an incident occurs at the school or another \nlocation. \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.29.2024)", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 12 of 13 \n \nBPS Safe Mode Announcement Scripts (English) \nSafe Mode (External Threat/ Danger Outside of the School) \nAnnouncement: \n\"Attention faculty and students: We are now in SAFE MODE. Remain in your classroom. \nIf you are in the hallway, stairs, or lavatory, move into the nearest classroom. \nDo not leave the room until told to do so, even if an alarm sounds.\" \n \nPreventative Safe Mode (ex. Missing Student/ Medical Emergency) \nAnnouncement: \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or lavatory, move into the nearest classroom. \nDo not leave the room until told to do so, even if an alarm sounds.\" \n \nInternal Threat (Active Shooter/ Armed Intruder Inside) \nAnnouncement: \n\u201cAttention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).\u201d \n \nKnow Your Space. Get Safe Before You Call 911. \nCover versus Concealment.", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Announcement: \n\u201cAttention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).\u201d \n \nKnow Your Space. Get Safe Before You Call 911. \nCover versus Concealment. \nSilence is Golden. \nBPS Office of Emergency Management updated 7/2024", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Superintendent\u2019s Circular FSE-08 \nPage 13 of 13 \n \nBPS Gu\u00eda para anunciar el \u201cmodo seguro\u201d(Spanish) \nModo seguro (amenaza externa/peligro fuera de la escuela) \nAnuncio: \n\"Atenci\u00f3n profesores y estudiantes: ahora estamos en MODO SEGURO. Permanezcan en su sal\u00f3n de \nclases. Si est\u00e1 en el pasillo, las escaleras o el ba\u00f1o, dir\u00edjase al sal\u00f3n de clases m\u00e1s cercano. No salga \ndel sal\u00f3n hasta que se le indique, incluso si suena una alarma\". \n \nModo seguro preventivo (por ejemplo, estudiante desaparecido/emergencia m\u00e9dica) \nAnuncio: \n\"Atenci\u00f3n profesores y estudiantes: Ahora estamos en MODO SEGURO PREVENTIVO. Permanezca \nen su sal\u00f3n de clases. Si est\u00e1 en el pasillo, las escaleras o el ba\u00f1o, dir\u00edjase al sal\u00f3n de clases m\u00e1s \ncercano. No salga del sal\u00f3n hasta que se le indique, incluso si suena una alarma\". \n \nAmenaza interna (tirador activo/intruso armado en el interior) \nAnuncio: \n\u201cAtenci\u00f3n profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).\u201d \nConozca su espacio.", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "content": "Amenaza interna (tirador activo/intruso armado en el interior) \nAnuncio: \n\u201cAtenci\u00f3n profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).\u201d \nConozca su espacio. \nAntes de llamar al 911, aseg\u00farese de no estar en peligro (busque un lugar seguro con precauci\u00f3n) \nEl silencio es oro. \n \nOficina de Manejo de Emergencia de BPS 7/2024", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-05 \nVersion 01 \n \n \n \nMEDICAL EMERGENCY MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe following guidelines relate to a medical emergency of an \nindividual student, which is different from episodes where the \nentire School Safety Contingency Plan (please refer to \nSuperintendent\u2019s Circular FSE-01 School Safety Contingency \nPlans) is activated. However, the guidelines are complementary. \nThe school nurse assigned to each school should assist in the \ndevelopment and implementation of medical emergency \nprotocols. The elements to be included in the protocol are \ndescribed below. \nEMERGENCY INFORMATION \nPrevention of medical emergencies begins with knowledge of \nunderlying medical issues. Therefore, Emergency Information \nCards (Form 460 or electronic equivalent), containing the basic \npertinent data to activate an emergency medical plan for the", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "underlying medical issues. Therefore, Emergency Information \nCards (Form 460 or electronic equivalent), containing the basic \npertinent data to activate an emergency medical plan for the \nstudent, must be on file at each school. This information should \nbe completed upon the opening of school in September and \nupdated by January 1 and again by April 1 each school year. \nIn addition to parental contact phone numbers, alternate \nemergency contacts, primary language spoken at home and", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 2 of 12 \n \n \n \ncustody issue documentation, the card or electronic equivalent \nshould contain: \n\u25cf Insurance company \n\u25cf Policy number \n\u25cf Clinician name and phone \n\u25cf Hospital where the child is taken in an emergency \n\u25cf Listing of health problems \n\u25cf Listing of medications taken at home as well as in school \n\u25cf Allergies \n\u25cf Vision or hearing problems \n\u25cf History of surgery or serious illness in the last year \nEach building administrator may practice the most expeditious \nmeans of securing necessary information. \nROUTINE ILLNESS / MINOR INJURY \nIt is the responsibility of the principal/head of school, in \nconsultation with the school nurse, to decide whether routinely ill \nor slightly injured students should remain in school or be \nreleased to their home. When it is necessary for a student to \nleave the school for home, the following procedures must be \nfollowed. \n\u25cf The parent/guardian, or in those cases where they cannot", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "released to their home. When it is necessary for a student to \nleave the school for home, the following procedures must be \nfollowed. \n\u25cf The parent/guardian, or in those cases where they cannot \nbe contacted, the individual designated on the Emergency \nInformation Card, should make necessary arrangements for \nthe student to be picked up at school by a responsible adult. \n(Please refer to Superintendent\u2019s Circular SAF-08 Release of \nStudents to Authorized Persons.)", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 3 of 12 \n \n \n \n\u25cf The parent/guardian should be informed of any emergency \naid administered at the school and advised to seek further \nmedical attention, if necessary. \n\u25cf If the parent/guardian of a student who has sustained a \nminor injury or illness cannot be located, the child must \nremain in school until the regular dismissal time. \n\u25cf Under no circumstances should a student be released \nwithout adequate adult supervision. All instances where a \nstudent is released should be properly documented in a log \nin the office of the principal/head of school. The log must \nindicate all pertinent information, including the time the \nchild arrived home. \n\u25cf No child is to be released to anyone other than a \nparent/guardian without the parent/guardian\u2019s consent \nand proper identification as the parent/guardian\u2019s \ndesignee. \nMEDICAL EMERGENCIES \nThe principal/head of school has administrative and", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "parent/guardian without the parent/guardian\u2019s consent \nand proper identification as the parent/guardian\u2019s \ndesignee. \nMEDICAL EMERGENCIES \nThe principal/head of school has administrative and \nprogrammatic responsibility for all activities that occur in their \nschool. However, in those cases where a medical emergency \nexists, principals/heads of school should consult with and follow \nthe advice of the assigned nursing staff. \n\u25cf A medical emergency is defined generally as a potentially \nlife-limiting or life-threatening situation requiring \nimmediate medical attention, as well as cases of indecent \nassault/rape. Protocols for the management of specific \nmedical emergencies are available to nurses and are to be \nkept on file in the nurse's office.", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 4 of 12 \n \n \n \n\u25cf In the beginning of each school year, school nurses should \ncommunicate to relevant staff the known potential health \nemergencies of individual students. This meeting should be \ndocumented on the student\u2019s Individual Health Plan. \n\u25cf The principal/head of school is responsible for responding to \nmedical emergencies when a school nurse is not available. \n\u25cf Principals/heads of school should compile a list of staff with \nCPR, AED, first aid, and first responder training who can \nprovide immediate lifesaving measures until EMS arrives. \nThese staff members should be members of the School \nSafety Team. \n\u25cf Immediate phone support is also available through the \nHealth Services office at 617-635-6788. \n\u25cf Each school nurse should complete a list of staff trained in \nthe administration of Epinephrine in the event of a life-\nthreatening allergic reaction. This list must remain on the", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "\u25cf Each school nurse should complete a list of staff trained in \nthe administration of Epinephrine in the event of a life-\nthreatening allergic reaction. This list must remain on the \nfile with the school administrator. Epinephrine should not \nbe locked away but should be available to school staff in a \nsecure location. \n\u25cf It is recommended that the school nurse, school leader, and \nother staff involved in a medical emergency hold a debrief \nmeeting following the incident. \nSERIOUS INJURY / ILLNESS PROTOCOL \n\u25cf Stabilize the student using the most qualified school staff. \n\u25cf Activate the Emergency Medical System (EMS) by calling 911. \nCases of indecent assault/rape require Boston Police \nnotification via 911.*", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 5 of 12 \n \n \n \n\u25cf Call the Superintendent\u2019s Office at 617-635-9057. \n\u25cf Notify School Safety Services at 617-635-8000. \n\u25cf The responding ambulance crew of emergency medical \ntechnicians (EMTs) or paramedics will consult with the \nqualified school officials and assess the need for \ntransportation to a medical facility. EMS assumes medical \nmanagement of the child. \n\u25cf School personnel designated by the principal/head of school \nmust accompany the student in the ambulance and remain \nwith the child until a) the parent/guardian arrives or, b) the \nchild is attended to by appropriate and qualified medical \npersonnel who have taken over the custody of the child, \nwhichever occurs first. \n\u25cf Accompanying staff are not required to have medical \nexperience and are present solely for the comfort of the \nchild. It is not recommended that the school nurse \naccompany the student as the school will be without", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "experience and are present solely for the comfort of the \nchild. It is not recommended that the school nurse \naccompany the student as the school will be without \nnursing support for other students requiring nursing care \nduring the school day and other first aid/emergency care. \n\u25cf The school\u2019s representative should bring the student\u2019s \nEmergency Information Card, the Individual Collaborative \nHealth Plan (if the student has identified chronic health \nneeds), emergency action plan (if available), and all other \npertinent medical information to the hospital. \n\u25cf If the emergency occurs on the school bus, the driver \n(and/or monitor, if present) will provide for the safety of the \nchild and call the dispatcher, who notifies 911. When EMS \narrives, the dispatcher will be called with the name of the \nchild and the hospital that the child will be transported to.", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 6 of 12 \n \n \n \nThe dispatcher then calls the Department of Safety Services \nat 617-635- 8000, who will notify the family. A safety officer \nwill proceed to the emergency room to meet with the \nstudent and family. \n\u27a2 Release of a student who is a victim of indecent \nassault/rape must comply with procedures outlined in \nboth this memorandum and Superintendent\u2019s Circular \nSAF-08 Release of Students to Authorized Persons. \nCOMMUNICABLE DISEASES \nMassachusetts General Law and public health regulations govern \nthe reporting and control of communicable diseases in public \nschools. All suspected cases of a communicable disease require \nconfirmation from local health authorities before a plan of action \nis developed. When a student is suspected of having a reportable \ncommunicable disease: \n\u25cf The principal/head of school or designee will contact the \nschool nurse. \n\u25cf The nurse or principal/head of school will contact the Health \nServices administration.", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "communicable disease: \n\u25cf The principal/head of school or designee will contact the \nschool nurse. \n\u25cf The nurse or principal/head of school will contact the Health \nServices administration. \n\u25cf Health Services will contact and collaborate with the Public \nHealth Commission to confirm the diagnosis. \n\u25cf The school nurse, in conjunction with principal/head of \nschool or designee, Health Services, and local health \nauthorities, will assess the health risks and develop a plan of \naction to address the issues. \nQuestions or concerns may be directed to Health Services at 617-\n635-6788.", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 7 of 12 \n \n \n \nDEPARTMENT OF SAFETY SERVICES \nThe Department of Safety Services/Boston School Police is \nlocated at 213 Townsend Street (rear of Boston Latin Academy), \nDorchester, MA 02121, phone 617-635-8000. \n\u25cf A school administrator must notify the Dept. of Safety \nServices by telephone of any serious illness or injury after \nnotifying Emergency Medical Services via 911. \n\u25cf Dept. of Safety Services personnel have received various \nlevels of first aid training and may initiate assistance \nappropriate to their level of training. \n\u25cf A Dept. of Safety Services administrator will respond to the \nscene if practical. \n\u25cf The Dept. of Safety Services may be used as a resource to \nassist in making parent/guardian notification. \nNOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS \nINCIDENTS \n\u25cf The principal/head of school should follow the guidelines \nestablished in the Superintendent's Circular FSE-01 School", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "NOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS \nINCIDENTS \n\u25cf The principal/head of school should follow the guidelines \nestablished in the Superintendent's Circular FSE-01 School \nSafety Contingency Plans, providing feedback to staff. \n\u25cf Should an incident become generally known and be a \nmatter of concern to parents, the administrator should meet \nwith the School Parent Council to advise them of the \nprecautionary measures taken to prevent the recurrence of \nsuch an incident. \n\u25cf In the event of a serious illness/injury involving a student, \nthe parent/guardian must be notified as soon as possible. \nThis notification should include all available information,", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 8 of 12 \n \n \n \nincluding hospital destination if the child is transported to a \nmedical facility. \n\u25cf If a student is a witness to a medical emergency, their \nparent/guardian should be notified prior to that student \nbeing removed from the school for interviewing by police or \nany other member of an emergency response agency. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember Complete Emergency Information Cards (Form 460) \nJanuary Update Form 460 \nApril Update Form 460 \n \nEMERGENCY PLAN \nIf an emergency occurs: \n1. Stay with the student. \n2. Call or designate an adult to call the nurse or designee. \na. State who you are. \nb. State where you are. \nc. State the problem. \n3. An administrator or designee is responsible to institute the \nEmergency Plan. \nEmergency Telephone Procedure: \n1. Dial 911.", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 9 of 12 \n \n \n \n2. State who you are. \"I am _______________, a \nteacher/paraprofessional in the Boston Public Schools.\" \n3. State where you are. \"I am at the ________________School, \naddress __________________. The telephone number is \n______________________.\" [NOTE: a number that is not the \noffice number should also be provided to EMS.] \n4. State the problem. \"There is a _______ year old child here that \nis _____________. We need an ambulance now.\" \n5. Give specific directions. \"_________________ will meet you at \n________________ to direct you.\" (address) \n6. Don't hang up. Ask for the information to be repeated back \nto you and answer any questions the dispatcher may have. \nHang up the telephone when all information is correct and \nverified. \nEmergency Procedures: \n1. Notify the principal/head of school or administrator and \ninform them of the nature of the emergency and the \nlocation of the student. \n2. The administrator or designee will:", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "1. Notify the principal/head of school or administrator and \ninform them of the nature of the emergency and the \nlocation of the student. \n2. The administrator or designee will: \na. Meet and direct the EMTs \nb. Call parent/guardian \nc. Call the Superintendent\u2019s Office at 617-635-9057 \nd. Call School Safety at 617-635-8000 \n3. The school nurse or designee will accompany the student to \nthe hospital. \n4. Paramedics will decide which hospital is appropriate.", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 10 of 12 \n \n \n \n5. Copy emergency and health care information. \n6. School personnel (not necessarily the nurse) designated by \nthe principal/head of school must accompany the student in \nthe ambulance and remain with the student until the \nparent/guardian arrives or the child is being taken care of by \nappropriate and qualified medical personnel who have \ntaken over the responsibility of the child\u2019s care, whichever \noccurs first. Paramedics will take over care of the student \nwhen they arrive. \n7. The school representative should bring copies of the \nstudent's emergency information card, health card, and all \navailable information pertinent to the student and the \nincident/illness to the hospital. \n8. The Department of Safety Services may be used as a \nresource to assist in notification to the parent/guardian. \nTelephone 617-635-8000. \n9. School Department personnel must not in any case", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "8. The Department of Safety Services may be used as a \nresource to assist in notification to the parent/guardian. \nTelephone 617-635-8000. \n9. School Department personnel must not in any case \ntransport a sick or injured child in a privately owned motor \nvehicle. \n10. Under no circumstances should a student be sent to any \nlocation via taxi based solely on notification received by \ntelephone. \n11. It is strongly recommended that the student emergency \ninformation card (Form 460) be regularly updated. \nFor more information about this circular, contact: \nOwner: Djenny Lobo Lopes", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 11 of 12 \n \n \n \nDepartment: Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOR \nOwner: Director of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOR \n \nOwner: Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "content": "Superintendent\u2019s Circular FSE-05 \nPage 12 of 12 \n \n \n \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-07 \nVersion 01 \n \n \n \nPUBLIC HEALTH AND WORKPLACE SAFETY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nIn the past, concerns have been raised over the potential use of \nthe U.S. Postal Service to conduct bioterrorist activity. In both \nNew York and in Washington D.C., contents of three or four \nenvelopes were tested positive for anthrax. In those cases where \npositive results were recorded, public health authorities dealt \nwith this issue. \nThe purpose of this memorandum is to provide guidelines for the \nhandling of mail in the Boston Public Schools. In providing these \nguidelines, it is important to note that we have been informed by \nthe Boston Public Health Commission that there have been no \nconfirmed anthrax cases reported in either the Boston Public \nSchools or in the City of Boston. \nYour School Emergency Operations Guide (flip chart) will serve as", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "confirmed anthrax cases reported in either the Boston Public \nSchools or in the City of Boston. \nYour School Emergency Operations Guide (flip chart) will serve as \nan action reference on this subject. \nGUIDELINES \nThe following guidelines are effective immediately and shall", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 2 of 9 \n \n \nremain in place until otherwise ordered: \n1. Every responsibility center should assign one person and a \nbackup person to sort and distribute mail. That person shall \nbe supplied with rubber gloves and plastic bags to be used \nat their discretion. Training in the safe handling of mail will \nbe provided. \n2. Techniques for safe handling of routine mail include the \nfollowing: \na. Examine all mail before opening to determine if it is \nsuspicious. \nb. Isolate suspicious mail in a plastic bag. \nc. Open mail with a letter opener over a hard cleanable \nsurface, holding the envelope upright so that the \ncontents will not spill out. \nd. Examine the inside contents prior to removal. \ne. Never shake or wave any mail or contents of \nletters/packages. \nf. Ensure that food or drinks are not in the area while \nmail is handled. \n3. All mail and packages sent to internal offices/departments \nthrough the courier service should be sealed by the sender", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "f. Ensure that food or drinks are not in the area while \nmail is handled. \n3. All mail and packages sent to internal offices/departments \nthrough the courier service should be sealed by the sender \nand the name and return address of the sending office \nclearly marked on the envelope/package. \n4. Characteristics of suspicious letters and packages include \nthe following: \na. No return address. \nb. Return address not matching city/state on the \npostmark. \nc. Stained, discolored mail or mail with an odor. \nd. Excessive postage/excessive weight. \ne. Lopsided or uneven envelope/packaging.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 3 of 9 \n \n \nf. Improper address, illegible or poorly written address. \ng. Mail with visual threats on packaging materials. \nh. Unexpected mail with an international postmark. \ni. Ticking sound. \nj. Any combination of the aforementioned \ncharacteristics. \n5. Suspicious mail or packages should NOT be opened or \njostled. It should be placed in a plastic bag and isolated for \ninspection by the responsibility center manager. \n6. If suspicious mail is already opened, it should be left on the \ndesk/table and should NOT be handled further. It is \nsuggested that it be covered with a plastic trash bag and \nthe immediate area closed off. Refer to items 8 and 9 and \nfollow the procedures outlined. \n7. If any powder or suspicious substance spills out of the \nenvelope, cover it, close off and leave the immediate area, \nwash your hands with soap and water and notify your \nresponsibility center manager.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "envelope, cover it, close off and leave the immediate area, \nwash your hands with soap and water and notify your \nresponsibility center manager. \n8. When suspicious mail has been received, the responsibility \ncenter manager should call 911 and notify the \nSuperintendent's Office. Our protocol does not call for \nevacuation of the building unless so directed by public \nsafety officials. \n9. All persons who handled suspicious letters/packages should \nwash their hands with soap and water. \nAttached for informational and review purposes are public health \nfact sheets prepared by the Boston Public Health Commission. \nPlease keep this memorandum available for reference.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 4 of 9 \n \n \nATTACHMENT A \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \nANTHRAX \nWhat is anthrax? \nAnthrax is a disease caused by a bacterium called Bacillus \nanthracis. Anthrax most commonly occurs in animals, but it can \nalso infect people. Anthrax has the potential to be used as a \nbiological weapon. In late 2001, terrorism related Anthrax cases \nwere found in Connecticut, New York City, New Jersey, Florida, \nand Washington DC. \nHow is anthrax spread? \nAnthrax can be spread by touching it (when there\u2019s a cut on the \nskin), breathing it in, or eating meat contaminated with Anthrax. \nIt is not contagious. An infected person cannot give it to others. \nWhat are the symptoms of anthrax? \nSymptoms of the disease vary depending on how the disease \nwas contracted, and usually occur within 7 days, but can take up \nto 60 days to appear.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 5 of 9 \n \n \n\u2022 Cutaneous (skin form): Most anthrax infections occur when \nbacteria enter the skin. The infection begins as a raised itchy \nbump that resembles an insect bite, but within several days \ndevelops into a blister. The blister ulcerates and forms a \nblack area in the center. With prompt treatment, the vast \nmajority of people recover fully. \n\u2022 Inhalation: Initial symptoms may resemble the flu with \nfever, chills, and muscle aches. After several days, the \nsymptoms progress to severe breathing problems and \nshock. In the past, death occurred 1-2 days after the onset of \nsymptoms. However, during the recent outbreak of anthrax \nin the United States, with prompt treatment more than half \nof the people who developed inhalation anthrax survived. \n\u2022 Intestinal: This form of anthrax occurs from eating \ncontaminated meat. Symptoms include nausea, loss of \nappetite, vomiting, fever, and are followed by abdominal", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "\u2022 Intestinal: This form of anthrax occurs from eating \ncontaminated meat. Symptoms include nausea, loss of \nappetite, vomiting, fever, and are followed by abdominal \npain, vomiting of blood, and severe diarrhea. \nCan I acquire anthrax from another person? \nPerson-to-person spread of anthrax is not known to occur. Only \npeople directly exposed to anthrax spores could develop disease. \nIs there an anthrax vaccine? \nThere is a limited amount of anthrax vaccine available in the \nUnited States; however, most people are not routinely vaccinated \nagainst anthrax unless they fall into a high-risk group such as \nmilitary personnel. The anthrax vaccine requires 6 shots over a \nperiod of 18 months with follow-up shots. Anthrax vaccines \nintended for animals should not be used in humans.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 6 of 9 \n \n \nIs there a treatment for anthrax? \nDoctors can prescribe antibiotics that work against anthrax. To \nbe effective, treatment should be initiated early. If left untreated, \nthe disease can be fatal. In Massachusetts, all cases of suspected \nanthrax are required to be reported immediately to local health \ndepartments. In Boston, suspected cases should be reported to \nBoston Public Health Commission at 617-534-5611. \nFor more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit http://www.bphc.org", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 7 of 9 \n \n \nATTACHMENT B \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \n \nBIOTERRORISM \nWhat is Bioterrorism? \nBioterrorism is a form of terrorism in which infectious biological \nagents, such as bacteria, viruses, or toxins are used (or are \nthreatened to be used) against another person to create fear and \ndisrupt normal daily activities. Use or threatened use of such \nagents is a Federal crime and is thoroughly investigated by the \nBoston Police Department, FBI, and other agencies. \nWhat is the Boston Public Health Commission doing to prepare \nfor a possible bioterrorist event? \nThe Boston Public Health Commission (BPHC) has been \npreparing for potential bioterrorism for several years. BPHC has \nbeen working with health care providers and others in the city to \ndevelop an early warning system for possible bioterrorist attacks.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "been working with health care providers and others in the city to \ndevelop an early warning system for possible bioterrorist attacks. \nThis system will allow city officials time to implement steps to \nprevent further illness.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 8 of 9 \n \n \nHow will I know if I have been exposed to an infectious \nbiological agent? \nMost bioterrorist threats to date have been hoaxes, so often \npeople only think they have been exposed to a bioterrorist agent. \nIf you suspect you have been exposed to a biological agent, notify \nemergency personnel immediately by calling 911. Boston Police, \nFire, Emergency Medical Services, and Public Health Commission \nwill work together to collect and identify the suspect material. \nIf I actually were exposed to an infectious biological agent, what \nsymptoms should I look for? \nDifferent viruses, bacteria, and toxins may be used as \nbioterrorism agents, and each may cause different symptoms. \nOften however, they resemble either the flu or food poisoning. \nPeople who are exposed may experience fever, chills, headache, \nbody aches, and muscle weakness. Others may experience \ncoughing, diarrhea, abdominal cramping, nausea, and vomiting.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "People who are exposed may experience fever, chills, headache, \nbody aches, and muscle weakness. Others may experience \ncoughing, diarrhea, abdominal cramping, nausea, and vomiting. \nIt is important to remember that these symptoms are common \nof many illnesses and are not usually the result of bioterrorist \nevents. \nHow long would it take for symptoms to appear? \nThe length of time it takes for symptoms to appear can vary \ngreatly depending on the type of agent used. Symptoms can \nappear between several hours to several weeks after exposure.", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "content": "Superintendent\u2019s Circular FSE-07 \nPage 9 of 9 \n \n \nWhat can be done if I am exposed to a biological agent? \nFor many of these agents, treatment is available. However, it is \nvery important for treatment to begin early. Therefore, if you \nsuspect you may have been exposed to one of these agents, see a \nhealth care provider as soon as possible. \n For more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit the Boston Public Health \nCommission, http://www.bphc.org. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS02 \nVersion 01 \n \nJOB SHARING FOR PERMANENT TEACHERS AND \nPARAPROFESSIONALS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Office of Human Resources accepts job-sharing applications \nthrough the online forms included in this circular. Please note \nthat employees will be required to sign in with their Boston \nPublic Schools Gmail account. These links will also be made \navailable through BTU and paraprofessional representatives, the \nBoston Public Schools website, and the Superintendent\u2019s \nBulletin. \nBoston Public Schools has agreed to provide job-sharing \nopportunities to permanent educators (1) and paraprofessionals \nwho desire to split a position with another staff member in their \nbuilding. \nCONDITIONS FOR JOB SHARING \nThe following are the conditions under which employees are \npermitted to share jobs: \n \n1() This includes nurses, COSE, and other BTU educators with", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "building. \nCONDITIONS FOR JOB SHARING \nThe following are the conditions under which employees are \npermitted to share jobs: \n \n1() This includes nurses, COSE, and other BTU educators with \npermanent status.", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 2 of 5 \n \n \n \n1. Participation in job sharing requires approval by the \nprincipal//head of school. The principal/head of school \nshould submit their approval to the Office of Human \nResources via the online form below. \n2. All participants in the job-sharing program will be required \nto jointly plan their program so as to provide programmatic \nintegrity and continuity. The principal/head of school must \napprove such plans. \nWith the approval of the principal/head of school, teachers \nor paraprofessionals may structure their program in the \nfollowing two options: \na. Both teach for one-half day \nb. Both teach for one-half week \n\u25ba Job share participants may not split the school year \nwith their job share partner in order to work for only \nhalf of the school year. Job share participants also \nmay not split the teaching bimonthly or biweekly. \n3. All participants in the job-sharing program will be required", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "half of the school year. Job share participants also \nmay not split the teaching bimonthly or biweekly. \n3. All participants in the job-sharing program will be required \nto attend all \"Early Release Time\" in-service meetings, all \nprofessional days, and parent conferences. If the job share \ntakes place in a designated Extended Learning Time school, \nboth teachers/paraprofessionals are expected to participate \nin ELT. \n4. The two teachers participating in a joint assignment/job \nsharing will meet with one another once each marking \nperiod, at the discretion of the principal/head of school, to \nassess and improve the job sharing program. These", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 3 of 5 \n \n \n \nmeetings may be held on early release or professional \ndevelopment days. \nAll parties recognize that at times it may be necessary for \nthe two teachers and the principal/head of school to meet \nfor the purpose of addressing problems which may arise in \nthe implementation of job sharing at an individual school. \nSuch meetings, if necessary, shall be scheduled at a time \nthat is mutually agreeable to all parties. \n5. Teachers and paraprofessionals participating in the job-\nsharing program will receive the following compensation \nand benefits: \na. Compensation shall be one-half of salary entitlement. \nb. Sick leave shall be one-half of annual entitlement. \nc. Personal days shall be one-half of annual entitlement. \nd. Health insurance premium and health and welfare fund: \nfull contribution \ne. Seniority accrual: full credit \nf. Attachment rights for one-year to former position", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "d. Health insurance premium and health and welfare fund: \nfull contribution \ne. Seniority accrual: full credit \nf. Attachment rights for one-year to former position \n6. Teachers participating in job-sharing must hold a valid DESE \nlicense for the position. No exceptions will be made. \n7. Each participant in the job-sharing program will be asked to \nenter into a binding agreement committing to the year-long \nassignment. \n8. Participants must submit new job-sharing applications each \nyear. Continuation of a job-sharing pairing for the next \nacademic school year will be subject to a favorable review \nby all parties.", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 4 of 5 \n \n \n \nTO INDICATE INTEREST IN JOB SHARING \nPermanent teachers or paraprofessionals who wish to indicate \ntheir interest in job sharing should submit a request using the \nonline form shown below. The submission of an application only \nserves an indication of interest and is not binding. The application \nmust be submitted via the online form no later than 5:00 p.m. on \nMarch 25, 2025. \nPlease note: Applicants are responsible for making all job-sharing \narrangements, including finding a colleague with whom to job-\nshare. The Office of Human Resources does not assist with \nmaking job-sharing arrangements. If you are unable to find a \npartner, your request to job share will be denied. \n2024-25 ONLINE FORMS \nThe Office of Human Resources now accepts job-sharing \napplications online. Candidate applications for job share as well \nas principal/head of school approval can be submitted through", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "The Office of Human Resources now accepts job-sharing \napplications online. Candidate applications for job share as well \nas principal/head of school approval can be submitted through \nthe links below. Please note that employees will be required to \nsign in with their Boston Public Schools Gmail account. These \nlinks will also be made available through BTU and \nparaprofessional representatives, the Boston Public Schools \nwebsite, and the Superintendent\u2019s Bulletin. \nJob Sharing Request: \nApplicant Form \nEach applicant interested in Job Sharing \nmust submit their own form by March \n25, 2025. Principals/heads of schools \nmust submit the form below for \napproval.", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 5 of 5 \n \n \n \nJob Sharing Request: \nPrincipal Approval \nForm \nPrincipals/heads of schools must submit \nthis form to approve a job share request \nby April 15, 2025. \n \nFOR MORE INFORMATION ABOUT JOB SHARING \nThere will be an informal meeting at the Boston Teachers Union \nin Winter 2025 for teachers and paraprofessionals who are \ninterested in obtaining more information about job sharing. \nFor more information about this circular, contact: \nOwner: School-Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9600 \nAdditional \nQuestions: \nPlease submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access \nBoston. \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-03 \nVersion 01 \n \n \n \nBUILDING CODES AND FIRE REGULATIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll school buildings are required to comply with Massachusetts \nState Building Codes and Fire Regulations. Adherence to these \nregulations helps to ensure a safe, secure, and accessible learning \nand work environment for students and staff. \nAs the person responsible for the school building, the head of \nschool/principal/program director shall have responsibility for \nmonitoring and maintaining compliance with building codes and \nfire regulations at all times. Staff assigned to the Department of \nFacilities Management and the fire safety director are available \nand should be called upon to assist and support the school \nbuilding administrator in this effort. \nThe Inspectional Services Department (ISD) of the City of Boston \nwill conduct annual egress inspections, and the Boston Fire", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "building administrator in this effort. \nThe Inspectional Services Department (ISD) of the City of Boston \nwill conduct annual egress inspections, and the Boston Fire \nDepartment (BFD) will conduct quarterly inspections to assure \ncompliance with the state codes and fire regulations. ISD shall \nissue certificates of inspection for occupancy annually to schools \nwhich comply. Schools in noncompliance will not be allowed to \nopen until the deficiencies are corrected and a certificate \ngranted. During every school year, ISD building inspections will \nbe conducted annually. However, special inspections can be", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "Superintendent\u2019s Circular FSE-03 \nPage 2 of 5 \n \n \n \nmade at any time to assure continued compliance. \nThe following guidelines have been mutually agreed upon by the \nISD and the Boston Public Schools and should assist your efforts \nand those of your staff in maintaining compliance. They must be \nadhered to throughout the year, not just at the time of \ninspection. They are as follows: \n1. All paths of egress must be clear of any furniture and \nmaterials. \n2. Materials or equipment cannot be stored under/near \nstairwells or in corridors. \n3. Broken furniture must be discarded and not abandoned in \nthe corridor. \n4. Teaching and learning is NOT permitted in hallways and \nstairwells. \n5. All doors must be clear of artwork/decorations and \nfunctional in case of an emergency. \n6. All fire doors must be kept closed at all times, except when \nstudents are passing between classes or when they have \nbeen modified as part of a new fire alarm system.", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "6. All fire doors must be kept closed at all times, except when \nstudents are passing between classes or when they have \nbeen modified as part of a new fire alarm system. \n7. NO CHAINS OR PADLOCKS ON ANY DOORS IN ANY \nBUILDING. \n8. Bars, chains, or other restricted operations of doors are not \nauthorized at any time. \n9. Deadbolts or locks may not be used on connecting \nclassroom doors. \n10. Classroom connecting doors can not be blocked (essential \negress).", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "Superintendent\u2019s Circular FSE-03 \nPage 3 of 5 \n \n \n \n11. Papers and art work hanging from light fixtures must be \nremoved. \n12. Using auditorium stages as classrooms is prohibited. \n13. Covering classroom heating systems with combustibles \n(books and papers) is a fire hazard and is NOT permitted. \n14. All electrical and boiler rooms must be locked at all times \nand must not be used for storage. \n15. All fire extinguishers must be charged and have a current \ninspectional tag attached. \n16. All gasoline and flammable liquids must be stored in \nfireproof cabinets. \n17. Corridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total \ncorridor wall space and 20% of classroom wall space. \n18. Stairwells and exit doors shall be clear of all flammable \nmaterials. \n19. Paper materials displayed shall be attached directly to the \nwalls and shall not be permitted to cover an egress door or", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "materials. \n19. Paper materials displayed shall be attached directly to the \nwalls and shall not be permitted to cover an egress door or \nbe placed within five feet of an egress door, unless approved \nby the AHJ. The ONLY things permitted to be posted on or \nwithin 5 feet of a door are (1) evacuation routes and (2) the \nclassroom\u2019s emergency folder/kit (3) the SafeMode window \ncover the classroom utilizes. \n20. All rugs, curtains, and furniture must be certified as fire \nretardant and code compliant. \n21. Only electrical appliances authorized by Facilities \nManagement are permitted.", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "Superintendent\u2019s Circular FSE-03 \nPage 4 of 5 \n \n \n \n22. Snow blowers and lawn mowers are to be run dry of fuel \nafter each use and before being brought into the building. \n23. Classrooms must be kept clean and orderly. \nYour cooperation in maintaining the standards outlined above \nwill ensure a quick and successful certification process.", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "content": "Superintendent\u2019s Circular FSE-03 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management & \nPreparedness \nDepartment: \nOffice of Emergency Management, Safety \nServices \nMailing Address: 21 Deckard St - Room B28, Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOR \nName: Executive Director of Facilities Management \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9135 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-02 \nVersion 01 \n \nFIRE SAFETY PRACTICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAs we begin another school year, it is essential that we review and \nupdate fire prevention, life safety, and evacuation \nplans/procedures in all our schools. Accordingly, appropriate \ncommunications and cooperation with Fire Department \nauthorities is imperat ive. The Boston Fire Department and The \nOffice of Emergency Management and Preparedness cite specific \nareas of concern and responsibility in this directive, which must be \nbrought to your attention. \nThe following fire safety practices should be incorporated into \nthe fire safety section of your school safety/contingency plan: \nA fire safety checklist (Attachment A) must be completed and \nreadily available in the main office along with appropriate \ndocuments including: fire drill reports, fire alarm tests, * fire", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "A fire safety checklist (Attachment A) must be completed and \nreadily available in the main office along with appropriate \ndocuments including: fire drill reports, fire alarm tests, * fire \nsprinkler system test, fire extinguisher location document, * fire \npump test, AED location, a copy of most recent BFD quarterly \ninspection report, and Certificate of Occupancy. \nNOTE (*) if applicable: \nThe Boston Fire Department has directed that school officials \ndesignate a member of their school safety team to report to the", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 2 of 15 \n \nmain entrance of the school to meet and direct arriving fire \ndepartment and other public safety personnel in an emergency. \nThis individual is identified as the building coordinator position in \nyour school safety plan and is usually the school custodian. \nThe building coordinator should be familiar with this circular, your \nbuilding and fire safety reports, and your fire safety checklist; know \nthe location of fire notification and extinguishing systems; and \nhave access to all areas. Your plan must also ident ify an alternate \nperson to perform this role in the event your custodian is not \navailable. \nFIRE ALARMS \nAll fire alarm systems must be maintained in working order at all \ntimes. It is important to remember that the sounding of any fire \nalarm box automatically transmits a signal to the Fire Alarm Office, \nwhich simultaneously dispatches fire apparatus to the school.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "times. It is important to remember that the sounding of any fire \nalarm box automatically transmits a signal to the Fire Alarm Office, \nwhich simultaneously dispatches fire apparatus to the school. \nFire Department regulations and Mass. General Law Chapter 268, \nSection 32 prohibits the shutting off or tampering with any fire \nalarm system unless directed to do so by the Fire Department. Any \ndeficiency or trouble noted with the fire alarm system must be \nreported immediately to Facilities Management/Fire Alarm \nDivision at 617-635-8300. \nUpon the evacuation of a school building because of an alarm, no \nperson or persons shall re -enter the building without the \nauthorization of the fire officer in charge. The principal/head of \nschool, site coordinator or designee must, as a part of their fire drill \nprocedures, establish a command procedure for such evacuations. \nUpon the sounding of a fire alarm, approved evacuation", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 3 of 15 \n \nprocedures for all building occupants are to be followed \nimmediately, as well as a verification call made to the Fire \nDepartment at 911 or 617-343-2880. \nUpon arrival, the Boston Fire Department will exercise its authority \nto order all measures that are deemed necessary for the protection \nof persons and property. This authority includes building \nevacuation and reentry. \nDOOR LABELS, NUMBERS OR LETTERING SHALL NOT BE \nREMOVED OR CHANGED \nThe interior and exterior doors that are numbered within Boston \nPublic Schools should not be removed or changed by anyone \nexcept for members of the BPS Facilities Management Team. The \nnumbers and letterings are crucial to Boston Police, Boston Fire \nand Boston EMS that will need to respond to your school building \nfor an emergency. \nAny changes to the numbering or lettering within your school \nbuilding could disrupt any evacuation or safety plans that already \nexist within the school.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "for an emergency. \nAny changes to the numbering or lettering within your school \nbuilding could disrupt any evacuation or safety plans that already \nexist within the school. \nThe existing room numbers are also associated with the school\u2019s \nAsbestos Hazard Emergency Response Act (AHERA) Management \nPlan and the Indoor Air Quality (IAQ) sensors. \nIf your school is missing any room numbers or lettering, please \nsubmit a work order to the Facilities Management Team to ensure \nany issues are resolved before the start of the school year. \n \nMEANS OF EGRESS \nDesignated exits in every school must be maintained as means of", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 4 of 15 \n \negress. \na. Means of egress must be kept free and clear at all times. \nb. The use of chains, ropes, bars, so-called \"dutch locks,\" or any \nother unauthorized device that would impede egress is \nprohibited during times when school buildings are occupied. \nc. No exit door which is intended to be kept closed shall be \nblocked open, and no device or arrangement shall be used to \nprevent a door designed to be self -closing or automatic -\nclosing from functioning as intended. Use of wedges to hold \ncorridor and stairwell doors open is prohibited. \nd. Interconnecting doors between rooms must be clear and free \nof any locks. Fire and smoke doors are not to be propped \nopen with wooden wedges or any other means. This is an \nillegal practice and prohibited in all schools. \nFIRE DRILLS \nAll schools shall conform to the following fire drill regulations: \na. The responsible school administrator in charge of the school", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "illegal practice and prohibited in all schools. \nFIRE DRILLS \nAll schools shall conform to the following fire drill regulations: \na. The responsible school administrator in charge of the school \nshall formulate a plan for the protection and evacuation of all \npersons in the event of fire or other emergency and shall \ninclude alternate means of egress for all persons involved. \nSuch a plan is to be developed in consultation with \nappropriate representatives of the Boston Fire Department \nand BPS Director of Emergency Management and \nPreparedness. \nb. The principal/head of school, site coordinator or designee \nshall see that each staff member receives and understands \nproper instructions on the fire drill procedure specified for \nthe room or area in which that person carries out their duties", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 5 of 15 \n \nbefore they assume such duties. A log or sign-off list must be \nmaintained at the school which documents staff receipt of \nprocedures and familiarization with fire safety practices. \nc. A fire drill must be conducted quarterly (September/first \nweek of school, December, March, and June) involving all \nstudents and staff and in accordance with Mass Fire Code, \n527 CMR 1.00: 20.2.4.2. A record of each drill is to be \ndocumented on the google form available in the BPS Fire & \nSafety Drill Report under Central Office Support with The BPS \nOffice of Emergency Management and Preparedness (Safety \nServices). If you have any questions, please contact The BPS \nOffice of Emergency Management and Preparedness. \nd. Every student in all schools shall be advised of the fire drill \nprocedure and shall take part in a fire drill within three days \nafter school begins in September. Fire drill procedures for", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "d. Every student in all schools shall be advised of the fire drill \nprocedure and shall take part in a fire drill within three days \nafter school begins in September. Fire drill procedures for \nparticular rooms shall be posted within those rooms. \nAlternate and o bstructed drills shall be exercised; and every \nother quarter, alternate routes shall be used. \ne. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.4, \nthe head of the Fire Department, or person designated by \nthem, shall visit each school four times each year for the \npurpose of quarterly inspections, reviewing Building Fire \nSafety Plans and que stioning the administrators. The Fire \nDepartment may also conduct a fire drill for your building if \nthey feel your building is not in compliance with this law. \nDrills may be conducted without advance warning to the \nschool personnel other than the person in charge of the \nschool at the time. \nf. Fire drill plans must ensure adequate procedures for the", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Drills may be conducted without advance warning to the \nschool personnel other than the person in charge of the \nschool at the time. \nf. Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 6 of 15 \n \nThese procedures must also be incorporated in the School \nSafety/Contingency Plan for your school building. Fire drill \nprocedures must address student and staff accountability in \nan evacuation. This element of the plan should identify the \nperson(s) in charge, ensure accurate class attendance rosters \nare available, and identify specific locations for evacuees to \nassemble. \ng. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.6 \nEvacuation: Fire exit drills shall include the complete \nevacuation of all persons from the building. \nSTORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS \nFlammables shall be stored in an approved locked metal cabinet \nsuitably vented. If the amount being stored warrants, a locked \nstorage vault should be provided. The storage facility must be \nunder the control of a school official, with only the authorized \npersonnel allowed access. \nFaculty members should not allow students to fuel individual", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "under the control of a school official, with only the authorized \npersonnel allowed access. \nFaculty members should not allow students to fuel individual \ndevices or transport any fuel container from one location to \nanother. \nAll school personnel should be thoroughly instructed as to the \nhazard involved in a particular flammable liquid, chemical, or gas; \nand in its safe and proper handling prior to intended use. Material \nSafety Data sheets should be on file in the main office. No fuel \ncontainer should be allowed to remain in any classroom but \nshould be immediately returned to its permanent storage facility. \nThe above procedures should be incorporated in the School \nSafety/Contingency Plan for each school building. Materials used \nin school science laboratory experiments are to be stored in", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 7 of 15 \n \ncompliance with related laws, codes, and ordinances. Quarterly \nschool fire inspections are complemented by specialized \ninspections conducted by Boston Fire Department Special \nOccupancies\u2019 Officers. \n*Hazardous storage areas must be secured and identified with the \nappropriate warning label. The appropriate chemical storage \nroom door identification is the National Fire Protection \nAssociation\u2019s 704 Diamond. \n*Reference Superintendent\u2019s Circular FSE -06 Student Safety / \nHealth in School Shops, and / or Laboratories and Classrooms; \nand the chemical inventory sheet in Superintendent\u2019s Circular \nFMT-7 Right to Know Law. \nREPORTING OF FIRE INCIDENTS \nThe Boston Fire Prevention Code requires the following: \na. Upon any person's discovery of a fire or smoke in a building \nor premises, they shall immediately notify the Fire Alarm \nOffice of the Boston Fire Department of the location of the", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "a. Upon any person's discovery of a fire or smoke in a building \nor premises, they shall immediately notify the Fire Alarm \nOffice of the Boston Fire Department of the location of the \ndiscovery and of the circumstances they have observed. The \nBoston Fire Department must be notified both by sounding \nthe nearest fire alarm box (pull station) and by telephone (911 \nor 617-343-2880) in the event of a fire. \nb. Any discovery or evidence of a fire or attempt to burn shall be \nreported to the Boston Fire Department by calling either 911 \nor 617 -343-2880 and the BPS Director of Emergency \nManagement and Preparedness (857) 701-9404 to begin an \narson investigation. BFD considers any fire started by a \nstudent as a potentially serious mental health issue that, if \naddressed early enough, may prevent more serious problems", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 8 of 15 \n \nin the future. \nc. This section shall not be construed to forbid any person who \ndiscovers a fire, or the owner, lessee, person in charge of the \nbuilding or premises, any occupant, or any of their agents, \nafter notifying the Fire Department, from using all means \nnecessary to extinguish or control the fire prior to the arrival \nof the Fire Department. \nd. No person shall require, make, issue, post, or maintain any \norder, direction, or regulation, written or verbal, that would \nrequire or direct anyone to delay reporting a fire to the Fire \nDepartment. \ne. All personnel must be familiar with fire reporting procedures. \nf. The Boston Fire Department and then Facilities \nManagement, The Office of Emergency Management and \nPreparedness are to be notified of all fire-related incidents. \nThese include but are not limited to following: \nFire or explosion \nGood intent calls \nOverpressure rupture \nFalse alarm/false call \nMedical emergency", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "These include but are not limited to following: \nFire or explosion \nGood intent calls \nOverpressure rupture \nFalse alarm/false call \nMedical emergency \n \nHazardous materials (i.e. fuel \nspills or chemical leaks) \nHazardous conditions \nService calls \nFire extinguished by occupant\ng. Any fire (including paper towels or tissues, even if \nextinguished), must be reported to the Boston Fire \nDepartment in accordance with procedure delineated in \nsections a. and b. above. \nh. The principal shall submit a written report available with \nthis_link: https://www.mass.gov/doc/fp-200-school-fire-", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 9 of 15 \n \nreporting-form/download of any fire within the school \nbuilding or on the school grounds to BPS Director of \nEmergency Management and Preparedness , (857) 701 -9404 \nwho will then forward it to the Boston Fire Department \nwithin 24 hours. This is in compliance with Mass General Law, \nChapter 148, Sec. 2A, which went into effect September 2006. \nThis information is also essential for arson prevention action. \nFIRE EXTINGUISHERS/KITCHEN SYSTEMS \na. Portable fire extinguishers must be serviced annually and \nlocated in accordance with the building\u2019s Fire Safety Plan. \nb. Kitchen extinguishing systems must be serviced twice a year. \nc. It is the responsibility of senior custodians to ensure \nextinguishers are visually inspected weekly and \nrecharged/inspected annually to ensure they are ready for \nemergency use. \nd. Requests for fire extinguisher servicing should be made to \nFacilities Management at 617-635-9122.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "recharged/inspected annually to ensure they are ready for \nemergency use. \nd. Requests for fire extinguisher servicing should be made to \nFacilities Management at 617-635-9122. \ne. If extinguishers are not hanging in corridors, they must be \nreadily accessible. A list of fire extinguisher locations shall be \nposted in the office and maintained in the Fire Safety section \nof your building\u2019s School Safety/Contingency Plan. \nFLAMMABLE DECORATIONS \na. Flammable decorations, including examples of students' \nwork, must not be displayed in paths of egress, including \ndoorways and stairwells. \nb. The Boston Fire Department expects us to display reasonable \namounts of student work. This is to be in accordance with the", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 10 of 15 \n \nNational Fire Protection Association, Life Safety Code and 527 \nCMR 20.2.4.4.3: \n\u201cPaper materials displayed in educational use occupancies \nshall be permitted on walls only in accordance with the \nfollowing: (1) In classrooms, paper materials displayed shall \nnot exceed 20% of the total wall area. (2) Paper materials \ndisplayed shall be attached directly to the walls and shall not \nbe permitted to cover an egress door or be placed within five \nfeet of an egress door, unless approved by the AHJ. When \ndetermining wall areas, the door and window openings shall \nbe included unless: (a) Paper materials are displayed in fully \nenclosed viewing cabinets with glass or polycarbonate \nviewing panels or covered with glass or polycarbonate sheet \nmaterial in accordance with the Building Code; (b) Flame \nretardant paper material is used for display. (3) Paper \nmaterial displays shall be permitted to cover up to 50% of the", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "material in accordance with the Building Code; (b) Flame \nretardant paper material is used for display. (3) Paper \nmaterial displays shall be permitted to cover up to 50% of the \ntotal wall area in classrooms that are fully sprinklered in \naccordance with Chapter 13. \nCorridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total \ncorridor wall space. \n \nc. Certain buildings have more fire protection features than \nothers. This may be considered when displaying student \nwork. \nd. Please refer to Superintendent\u2019s Circular FSE -03 Building \nCodes and Fire Regulations.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 11 of 15 \n \nRIGHT TO KNOW \u2013 CHEMICAL INVENTORY \nEach school / facility must maintain an accurate inventory of toxic \nand hazardous substances stored and used in the building. Please \nrefer to Superintendent\u2018s Circular FMT -07 \u201cRight to Know\u201d Law \u2013 \nChemical Inventory. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember (First \nWeek of School) Quarterly Fire Drill Report Due \nDecember Quarterly Fire Drill Report Due \nMarch Quarterly Fire Drill Report Due \nJune Quarterly Fire Drill Report Due \n \nFor more information about this circular, contact: \nOwner: Director of Emergency Management & \nPreparedness \nDepartment: Office of Emergency Management, Safety \nServices \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-6082 or (857) 701-9404 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 12 of 15 \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.31.2024)", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 13 of 15 \n \nATTACHMENT A \nSCHOOL BUILDING FIRE SAFETY PLANS \nSchool: \nPrincipal/Head of School: \n \n1. Does school have a Fire Safety Plan as part of School Safety/Contingency \nPlan? Y N \n2. Is the plan readily available in the main office? Y N \n3. (School Safety/Contingency Plan, Section 6) \n4. Is the plan current for this school year? Y N \n5. Does plan include following elements: \na. Description of building (type, height, occupancy) Y N \nb. Types of fire protection systems (sprinkler system, standpipes) Y N \nc. Fire alarms (locations of pull stations, smoke detectors, heat \ndetectors) Y N \nd. Location of exits (primary and alternate) Y N \ne. Evacuation routes (primary and alternate) Y N \nf. Stairwell designations Y N \ng. Smoke control (are corridor doors closed or held open by magnetic \ndevices that release when an alarm is activated?) Y N \nh. Location of extinguishers Y N", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "f. Stairwell designations Y N \ng. Smoke control (are corridor doors closed or held open by magnetic \ndevices that release when an alarm is activated?) Y N \nh. Location of extinguishers Y N \ni. Identity and location of any occupants with disabilities Y N \nj. Floor plans Y N \nk. Record of staff training Y N \nl. Fire drill reports Y N \nm. Fire alarm system test records Y N \nn. Copy of building occupancy permit Y N \no. Incident Control Team members identified by name and title with \ndefined responsibilities in an emergency (including back-ups)Y N \nA follow-up phone call must always be made to the Fire Alarm Office \n(911 or 617-343-2880) by a designated staff member. \np. AED device location: Y N \n \n \nDate: ________________________________________", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 14 of 15 \n \nATTACHMENT B \nBOSTON FIRE DEPARTMENT \u2014 FIRE PREVENTION DIVISION \nSCHOOL DISPLAY MATERIALS: 527 CMR 1.05 \nAREA WITH NO SPRINKLERS WITH SPRINKLERS \n \n \n \n \n \nClassroom \n20% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the \negress door. \n \nNo limit if in viewing cabinet, \ncovered with polycarbonate, or \nmaterials are flame retardant* \n50% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the egress \ndoor. \n \nNo limit if in the viewing \ncabinet, covered with \npolycarbonate, or materials are \nflame retardant.* \n \n \n \n \n \n \n \nExit passageway, \ncorridors, and \nassembly area. \n10% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Groups to be separated by at \nleast the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \n50% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast \u00bd the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \nExits and enclosed \nstairs \nNothing permitted. Nothing permitted.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "content": "Superintendent\u2019s Circular FSE-02 \nPage 15 of 15 \n \nNOTES: \n(1) Door and window openings are to be included when \ncalculating wall areas. \n(2) Documentation must show compliance with NFPA 701 or \nCA 13115 to be flame retardant. \n(3) Plexiglas is not allowed; the covering must be glass or \npolycarbonate. \n(4) The posting of exit signage or evacuation plans shall not \nbe prohibited by this regulation. \n(5) 527 CMR 1.05 shall not be applicable to any election \nmaterials required by law to be posted during any local, \nstate, or federal election. \n \nThis regulation is effective September 19, 2003.", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-06 \nVersion 01 \n \n \n \nSTUDENT SAFETY / HEALTH IN SCHOOL SHOPS, \nLABORATORIES, AND CLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEach day, thousands of Boston Public School students perform a \nvariety of activities within shops and laboratories. To ensure that \nall students and their teachers work in an environment which is \nsafe, it is necessary to formulate standard procedures and \nrequirements for all schools and their personnel. \nYour performance of these procedures will ensure that you and \nyour students are safe. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL \n1. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear eye \nprotection devices. \n2. Ensure that workable fire extinguishers, blankets, and eye \nwash equipment are readily available (custodians are \nresponsible for recharging fire extinguishers).", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "protection devices. \n2. Ensure that workable fire extinguishers, blankets, and eye \nwash equipment are readily available (custodians are \nresponsible for recharging fire extinguishers). \n3. Make sure that appropriate personnel receive training in use \nof portable fire extinguishers and blankets. \n4. Ensure that staff has instructed all students in safety \nstandards and procedures, including School Safety Plan.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 2 of 23 \n \n \n \n5. Post building evacuation procedures in classrooms, offices, \nand corridors. \n6. Review and evaluate safety procedures in shops and \nlaboratories (refer to Safety Check List attached). \n7. Conduct quarterly fire drills (refer to Superintendent's \nCircular FSE-2 Fire Safety Practices). \n8. Develop emergency procedures in case of a serious accident \n(refer to Superintendent's Circular FSE-05 Medical \nEmergency Management). \n9. Maintain adequate lighting and proper ventilation in shops, \nlaboratories, and classrooms. Report problems to Facilities \nManagement. \n10. Ensure that food service training programs and/or student-\nrun restaurants comply with current sanitation code \nregulations. \n11. Be sure that teacher evaluations reflect the implementation \nof safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted in \nthe school's shops/laboratories.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "of safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted in \nthe school's shops/laboratories. \n13. Ensure that all instructors working with toxic or hazardous \nsubstances receive training as specified in Chapter 111F of \nthe Massachusetts General Laws. \n14. State safety regulations within your school-based rules. \n15. Make Material Safety Data Sheets available. \nRESPONSIBILITIES OF TEACHERS \n1. Practice safety procedures; the teacher serves as the \nmodel for the students). \n2. Set up and maintain shop or laboratory to permit free, \nunobstructed movement of students at benches, around \nequipment and machines, and to allow egress from the", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 3 of 23 \n \n \n \narea. \n3. Report all lighting and ventilation problems to the head \nof school/principal. \n4. Develop emergency procedures to follow in case of an \naccident (refer to Superintendent\u2019s Circular FSE-5 Medical \nEmergency Management). \n5. Post safety rules and safety hazards conspicuously in \nappropriate areas; contact the Department of Vocational \nTechnical Education for translation of safety rules into \nappropriate language(s). \n6. ENFORCE SCHOOL-BASED RULES WHICH ADDRESS \nSAFETY. \n7. Supervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a \nlaboratory or shop area. If an instructor must leave the \nshop in an emergency, they must: \na. Arrange for a qualified teacher as replacement OR \nb. Relocate students to a properly supervised area. \nc. Lock laboratory/shop area. \nd. Shut off equipment. \n8. Check fire protection equipment weekly.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "b. Relocate students to a properly supervised area. \nc. Lock laboratory/shop area. \nd. Shut off equipment. \n8. Check fire protection equipment weekly. \n9. Know the location of the closest fire extinguisher. \n10. Maintain a first aid kit in an easily accessible area. \n11. Check machinery/equipment weekly to make sure safety \nguards are in place and working properly. \n12. Check any gas-burning equipment daily for gas leaks. \n13. If anyone detects the smell of gas, shut off the gas source \nbefore reporting the problem to your supervisor. \n14. Maintain a dated, self-evaluation safety inspection \nchecklist. Safety program checklist forms are available \nfrom the Department of Career and Technical Education.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 4 of 23 \n \n \n \n15. Use the building safety committee as a resource for \nstudent safety plans. \n16. Present each student with a copy of the shop's safety \nrules and procedures. \n17. Teach safety as an integral part of each job or lesson by: \na. Testing students on their knowledge of safety rules \nand procedures. \nb. Using objective tests to emphasize shop safety. \nc. Checking student mastery of safe methods and safe \npractices. \nd. Testing students\u2019 handling of tools, operation of \nmachines, use of equipment, and trade practices, all \nwith a focus on safety. \ne. Having a student sign their written test as indication \nthey understand safety rules and procedures. \nf. Filing signed written tests in the student's folder as a \npermanent record. \n18. Know location of AED and qualified operations. \n19. Avoid shop accidents by insisting that students dress \nproperly for the laboratory/shop. Each student shall:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "permanent record. \n18. Know location of AED and qualified operations. \n19. Avoid shop accidents by insisting that students dress \nproperly for the laboratory/shop. Each student shall: \na. Wear shoes with low or flat heels and substantial \nsoles, or wear work shoes where mandated. \nb. Wear head covering, pin up hair, or tie hair back. \nc. Wear eye protection devices as per M.G.L. c.71, s.55C. \nd. NOT wear loose-fitting clothes which could get \ncaught in moving equipment. \ne. NOT wear rings, bracelets, or necklaces which could \nget caught in moving machinery parts. \n20. Supervise students at all times. Under no circumstances \nshould an unsafe piece of equipment be operated. \nDisconnect or remove the fuse to ensure that an", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 5 of 23 \n \n \n \naccident will not occur. \n21. Insist that visitors to your area wear safety equipment \n(eye protection, etc.). \n22. Shut off all machines, store all equipment, and shut off \nlights before closing the laboratory/shop for the day. \n23. Make sure that soap and towels are replenished as \nneeded. \n24. Establish a foolproof system for dispensing and securing \ntools. \n25. Designate storage for tools to prevent accidents. \n26. Lock up hazardous materials and equipment in \napproved containers when not in use. \n27. Keep machinery and equipment in good condition; \nconduct monthly inspections. \n28. Submit appropriate requisition(s) to paint hazardous \nmachinery parts and safety switches in conspicuous \ncolors. \n29. Submit appropriate requisition(s) to secure safety mats \nto the floor around machines to prevent slipping. \n30. Check the emergency disconnect switch (PANIC \nBUTTON) to ensure proper operation.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "29. Submit appropriate requisition(s) to secure safety mats \nto the floor around machines to prevent slipping. \n30. Check the emergency disconnect switch (PANIC \nBUTTON) to ensure proper operation. \n31. Dispose of oily waste and rags in designated containers. \n32. Ensure that food service training programs and/or \nstudent-run restaurants comply with current sanitation \ncode regulations. \nRESPONSIBILITIES OF NURSES \n1. Help students and teachers obtain necessary health \nscreening, where required, for admission to occupational \nprograms (e.g., food service/restaurant programs). \n2. Administer first aid.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 6 of 23 \n \n \n \n3. Evaluate the injury. \n4. Notify student's parent/guardian. \n5. Complete nurse's section of accident report. \n6. If an accident is serious, in addition to above, implement \nprocedures documented in Superintendent's Circular \nFSE-5 Medical Emergency Management. \nACCIDENT REPORTS \n1. The instructor, nurse, and/or witness will fill out or assist in \nfilling out two separate accident reports: Occupational \nEducation Accident Report Form EE 111 (attached) and Pupil \nAccident Report Form 201 (attached). \n2. The principal/head of school will retain original Form EE 111 \nin the school file and send a copy to the director of Career \nand Technical Education, 75 Malcolm X Blvd., Boston, MA \n02119. \n3. The principal/head of school will retain Form 201 in the \nschool file and send a copy to the Department of Safety \nServices, 213 Townsend Street, Dorchester, MA 02121. \nTECHNICAL ASSISTANCE", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "3. The principal/head of school will retain Form 201 in the \nschool file and send a copy to the Department of Safety \nServices, 213 Townsend Street, Dorchester, MA 02121. \nTECHNICAL ASSISTANCE \nThe Department of Career and Technical Education will provide \nall schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building inspections. Career and Technical Education staff \nwill perform continual safety inspections for \nshops/laboratories/classrooms. \nContact:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 7 of 23 \n \n \n \nDirector of Career and Technical Education, 617-635-8970 \nDirector Safety / Emergency Preparedness, 617-635-8300 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent \n \nATTACHMENTS: \nForm EEE 111 \u2013 Occupational Education Accident Report \nForm 201 \u2013 Pupil Accident Report \nOccupational Safety and Health: Safety Inspection Checklist", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 8 of 23 \n \n \n \nFORM EE 111 \nOCCUPATIONAL EDUCATION ACCIDENT REPORT \n \nName of injured: _________________________________________________ \nGrade: ________ Age: ________ \nParent's/guardian's name: ________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDate of accident: ______________Time of accident: _________________ \nLocation of accident: _____________________________________________ \nDescription of accident: __________________________________________ \n __________________________________________________________________ \nState exact part of person injured and extent of injury: ___________ \n __________________________________________________________________ \nEmergency care was given by: ___________________________________ \nFollow-up (check statements which apply): \n\u2610 Pupil remained in school", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Emergency care was given by: ___________________________________ \nFollow-up (check statements which apply): \n\u2610 Pupil remained in school \n\u2610 Parent/guardian notified \n\u2610 Taken to nurse's office by _____________________________________ .", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 9 of 23 \n \n \n \n\u2610 Taken to hospital by ___________________________________________ \nName of doctor, if any ___________________________________________ \nWitness to accident: ______________________________________________ \nPerson reporting accident: _______________________________________ \nSignatures: \nPerson making this report: _______________________________________ \nPerson supervising activity/program _____________________________ \nSchool nurse _____________________________________________________ \nPrincipal/head of school _________________________________________ \n \nReport #: ___________________________ (to be filled in by the \nbuilding principal/headmaster) \n \nReviewed by: _____________________________________________________ \n Director of Career and Technical Education \n \nNOTE: Retain original in principal\u2019s/head of school\u2019s office. Send \ncopy to the director of Career and Technical Education, 75", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Director of Career and Technical Education \n \nNOTE: Retain original in principal\u2019s/head of school\u2019s office. Send \ncopy to the director of Career and Technical Education, 75 \nMalcolm X Blvd., Boston, MA 02120.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 10 of 23 \n \n \n \nFORM 201 \nPUPIL ACCIDENT REPORT \n(Section 225 of the Rules and Regulations) \nAll accidents involving injury to pupils on school premises or \nwhile going to or from school must be reported on Form 201 to \nthe Department of School Safety Services, 213 Townsend Street, \nDorchester, MA 02121 no later than the day following the day of \nthe accident. This report is to be filled out in its entirety. A \nduplicate copy of the Pupil Accident Report is to be retained by \nthe school principal. If possible, this report should be typewritten. \n1. Student\u2019s Last Name ___________________________________________ \nFirst Name ____________________________Middle Initial ___________ \n2. Address _______________________________________________________ \n __________________________________________________________________ \n3. School ________________________________________________________", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "__________________________________________________________________ \n3. School ________________________________________________________ \n4. Student\u2019s Age _________Sex ________Grade_____Room___________ \n5. Name of Parent or Guardian (in full) ___________________________ \n __________________________________________________________________ \n6. Date of accident _________Time _______ A.M. ______ P.M. ________ \n \n7. Nature and extent of injury ____________________________________", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 11 of 23 \n \n \n \n8. In case of dog bite, has a report been made to the Boston \nHealth Department? \u2610 Yes \u2610 No \n8. Specific location of accident ___________________________________ \n9. Teacher(s) in charge of location when accident occurred \n __________________________________________________________________ \n9. Teacher(s) in charge present at scene of accident? \u2610 Yes \u2610 No \n10. Description of accident, including cause ______________________ \n __________________________________________________________________ \n __________________________________________________________________ \n11. In the case of a shop accident, were all guards required by law \nin use? ________________________________________________________ \n If not, why not? _______________________________________________ \n ________________________________________________________________ \n12. In case of shop or laboratory accident, is the statement", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "If not, why not? _______________________________________________ \n ________________________________________________________________ \n12. In case of shop or laboratory accident, is the statement \nrequired by Section 225 of the Rules and Regulations \nattached? \u2610 Yes \u2610 No \nIf answer is no, state reason: ___________________________________ \n13. To whom was the accident first reported? _____________________ \nWhat action was taken by this person? ________________________ \n ________________________________________________________________ \n14. Were first aid supplies available? \u2610 Yes \u2610 No \n15. Was any treatment administered? \u2610 Yes \u2610 No", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 12 of 23 \n \n \n \nWhere? _______________________________________________________ \n16. Did the pupil leave school (or place of accident)? \u2610 Yes \u2610 No \nIf so, to what destination? _____________________________________ \n17. If transported by ambulance, attendant names, and unit #: \n __________________________________________________________________ \n18. Escorted to destination by whom? (An injured pupil should be \nescorted by a responsible person) _____________________________ \n __________________________________________________________________ \n19. Names and addresses of witnesses: ___________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nThe accident report has been investigated and will be carefully \nfollowed up.", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "__________________________________________________________________ \nThe accident report has been investigated and will be carefully \nfollowed up. \n __________________________________________________________________ \nSignature of Safety Counselor \n __________________________________________________________________ \nSignature of Principal \nDate of Report ___________________________________________________ \nSchool ___________________________________________________________ \nBOSTON PUBLIC SCHOOLS \u2014 VOCATIONAL, ADULT,", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 13 of 23 \n \n \n \nAND ALTERNATIVE EDUCATION \nOCCUPATIONAL SAFETY AND HEALTH: SAFETY INSPECTION \nCHECKLIST \nSchool ______________________________________Level _______________ \nDepartment ___________________Area __________Date _____________ \nInspection by __________________________Position _________________ \nSTUDENTS YES NO N/A \n1. Are they wearing proper eye protection? \u2610 \u2610 \u2610 \n Comment: \n2. Are they wearing proper footwear? \u2610 \u2610 \u2610 \n Comment: \n3. Are they properly dressed? \u2610 \u2610 \u2610 \n Comment: \n4. Are they trained in safety procedures? \u2610 \u2610 \u2610 \n Comment: \n5. Do they have safe work habits? \u2610 \u2610 \u2610 \n Comment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 14 of 23 \n \n \n \nSTUDENTS (continued) YES NO N/A \n6. Are they wearing proper hearing protection? \u2610 \u2610 \u2610 \n Comment: \n7. Are hard hats provided and worn where any \ndanger of falling objects? \u2610 \u2610 \u2610 \nComment: \n8. Do they know how to properly and safely \nuse the tools? \u2610 \u2610 \u2610 \n Comment: \n9. Are they trained in safety procedures? \u2610 \u2610 \u2610 \nComment: \n10. Do students know what to do in emergencies? \u2610 \u2610 \u2610 \n Comment: \nWORK AREA YES NO N/A \n1. Is it clean and orderly? \u2610 \u2610 \u2610 \n Comment: \n2. Are exit lanes clear and marked? \u2610 \u2610 \u2610 \n Comment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 15 of 23 \n \n \n \n3. Are materials neatly stored? \u2610 \u2610 \u2610 \n Comment: \nWORK AREA YES NO N/A \n1. Are tools safely stored? \u2610 \u2610 \u2610 \n Comment: \n2. Are floors clean and dry? \u2610 \u2610 \u2610 \n Comment: \n3. Are hazard signs properly posted? \u2610 \u2610 \u2610 \n Comment: \n4. Are floors non-skid? \u2610 \u2610 \u2610 \n Comment: \n5. Are compressed gas cylinders properly \n secured? \u2610 \u2610 \u2610 \n Comment: \nDOORS YES NO N/A \n1. Are there an adequate number of exits? \u2610 \u2610 \u2610 \n Comment: \n2. Are exits properly marked with signs? \u2610 \u2610 \u2610 \n Comment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 16 of 23 \n \n \n \n3. Is there an unobstructed and clear way to \n all doors? \u2610 \u2610 \u2610 \n Comment: \nAre fire doors (automatic/self-closing) in \n operable condition? \u2610 \u2610 \u2610 \n Comment: \n \nEYEWASH - EMERGENCY SHOWERS YES NO N/A \n1. Are there washing facilities available where \nstudents are exposed to corrosive materials, \nflying chips, or dust? \u2610 \u2610 \u2610 \n Comment: \nELECTRIC DEVICES YES NO N/A \n1. Are all outlets and switches in good condition? \u2610 \u2610 \u2610 \n Comment: \n2. Are there any loose wires? \u2610 \u2610 \u2610 \n Comment: \n3. Are all outlets properly grounded? \u2610 \u2610 \u2610 \n Comment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 17 of 23 \n \n \n \nFIRE DRILLS YES NO N/A \n1. Are fire drill instructions (exit routes) posted? \u2610 \u2610 \u2610 \n Comment: \n2. Do alarms work properly? \u2610 \u2610 \u2610 \nComment: \n3. Are fire drill practices held frequently? \u2610 \u2610 \u2610 \nComment: \n4. Are staff members instructed in the use of \n extinguishers and fire protection procedures? \u2610 \u2610 \u2610 \n Comment: \nFIRE EXTINGUISHERS YES NO N/A \n1. Are extinguishers mounted in a readily \naccessible/visible location? \u2610 \u2610 \u2610 \n Comment: \n2. Was the extinguisher inspected during the \n past year (check inspection tag)? \u2610 \u2610 \u2610 \n Comment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 18 of 23 \n \n \n \nFLAMMABLE ITEMS YES NO N/A \n1. Is there more than one (1) shift or a one (1) day \nsupply of flammable liquid in the school shop \n area? \u2610 \u2610 \u2610 \nComment: \n2. Are all flammable liquids (one day's supply \nof oil, previously opened paint, gasoline, etc.) \nsealed in fireproof containers away from \npossible sources of ignition? \u2610 \u2610 \u2610 \nComment: \n4. Is there an excess of flammables kept on the \npremises? \u2610 \u2610 \u2610 \nComment: \n4. Are rags and other flammable items stored in a \nsafe location? \u2610 \u2610 \u2610 \n Comment: \n5. Are waste receptacles provided and are they \nemptied regularly? \u2610 \u2610 \u2610 \nComment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 19 of 23 \n \n \n \nFIRST AID YES NO N/A \n1. Is a fire blanket and container mounted in a \nreadily accessible/visible location? \u2610 \u2610 \u2610 \nComment: \n2. Are first aid boxes in an accessible location? \u2610 \u2610 \u2610 \nComment: \n3. Are the supplies adequate for the type of \npotential injuries in the shop? \u2610 \u2610 \u2610 \nComment: \n4. Are all items sterile? \u2610 \u2610 \u2610 \nComment: \n5. Is there a staff member trained in first aid? \u2610 \u2610 \u2610 \nComment: \n6. Are emergency numbers posted? \u2610 \u2610 \u2610 \nComment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 20 of 23 \n \n \n \nHEATING YES NO N/A \n1. Are all heat dispersing units free from \nobstruction and flammable materials? \u2610 \u2610 \u2610 \nComment: \n2. Is the heat in the shop adequate? \u2610 \u2610 \u2610 \nComment: \nLIGHTS YES NO N/A \n1. Is lighting suitable for work being done? \u2610 \u2610 \u2610 \nComment: \n2. Is there a back-up light in case of emergency \n(battery-operated)? \u2610 \u2610 \u2610 \nComment: \nMACHINERY AND TOOLS YES NO N/A \n1. Are safety guards in place? \u2610 \u2610 \u2610 \nComment: \n2. Are they properly cleaned and lubricated? \u2610 \u2610 \u2610 \nComment: \n3. Are there any dangerously worn parts? \u2610 \u2610 \u2610 \nComment: \n4. Is there adequate space between machines for", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 21 of 23 \n \n \n \nworking safely? \u2610 \u2610 \u2610 \nComment: \n5. Are there any electrical hazards? \u2610 \u2610 \u2610 \nComment: \n6. Are hand tools and other equipment regularly \ninspected for safe conditions? \u2610 \u2610 \u2610 \nComment: \nPOWER SHUT-OFFS YES NO N/A \n1. Are there emergency shut-offs? \u2610 \u2610 \u2610 \nComment: \n2. Do they work? \u2610 \u2610 \u2610 \nComment: \n3. Are they checked each month? \u2610 \u2610 \u2610 \nComment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 22 of 23 \n \n \n \nVENTILATION YES NO N/A \n1. Do all exhaust ducts terminate outside the \nbuilding? \u2610 \u2610 \u2610 \nComment: \n2. Does tailpipe exhaust exit outside the building? \u2610 \u2610 \u2610 \nComment: \n3. Does this shop (welding, auto body, etc.) \nrequire exhaust fans? \u2610 \u2610 \u2610 \nComment: \n4. Does this shop have exhaust fans, and do they \nexhaust to the outside? \u2610 \u2610 \u2610 \nComment: \n5. Is the system sufficient with shop at full capacity? \u2610 \u2610 \u2610 \nComment: \nRIGHT TO KNOW LAW YES NO N/A \n1. Is a workplace notice posted? \u2610 \u2610 \u2610 \nComment: \n2. Are containers labeled that contain toxic or \nhazardous substances? \u2610 \u2610 \u2610 \nComment: \n3. Have the instructors been taught about the", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "content": "Superintendent\u2019s Circular FSE-06 \nPage 23 of 23 \n \n \n \nnature and effects of the MSL substances to \nwhich they may be exposed in the workplace? \u2610 \u2610 \u2610 \nComment: \n4. Other: \u2610 \u2610 \u2610 \nComment:", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-01 \nVersion 01 \n \n \n \nSCHOOL SAFETY CONTINGENCY PLANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEmergencies happen randomly in time and place, but they can be \nhandled efficiently if you have an adequate school action plan and \nan informed staff. A plan without a crisis is better than a crisis \nwithout a plan. School administrators and staff routinely manage \ncrises efficiently, and a well thought out plan will ensure guidance \nin a major emergency. \nBoston Public Schools is a NIMS (National Incident Management \nSystem) compliance district. NIMS uses a core set of concepts, \nprincipals, procedures, processes, standards, and terminology that \nmay all be integrated with school emergency management \npractices. This in part means that we use straight language and \nnot codes when emergencies happen. \nWhen developing safety plans, school administrators must", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "practices. This in part means that we use straight language and \nnot codes when emergencies happen. \nWhen developing safety plans, school administrators must \nconsider mitigation/prevention, response and aftermath, and \ncomponents which apply to all emergency preparedness. \nPrevention/mitigation strategies are delineated in related \nSuperintendent\u2019s Circulars. Appropriate response will be detailed \nin your School Safety Contingency Plan. Dealing with recovery will \nbe addressed via Special Education and Student Services policies \nand procedures and support from other BPS departments.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 2 of 42 \n \n \nIt is essential that there be a consistent approach to school safety \nplanning throughout the district. This will ensure that each school \nimplements standard procedures in the event of an incident. A \ndefined course of action will also complement the effor ts of \nresponding public safety agencies. \nThe issue of school safety planning is regularly assessed. Ongoing \nrisk analyses are conducted, and lessons learned from actual and \nmost probable school incidents are integrated with BPS safety \nprotocols. Although every possible contingency may not be \nidentified in BPS School Safety contingency plan guidelines, your \nplan should serve as a multi-hazard approach for handling school \nincidents. \nIt is the responsibility of each school administrative head to \nupdate, review with staff and submit their School Safety \nContingency Plan no later than the last week of August each \nschool year.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "It is the responsibility of each school administrative head to \nupdate, review with staff and submit their School Safety \nContingency Plan no later than the last week of August each \nschool year. \nThe names of those schools which fail to comply with this directive \nare forwarded to the Superintendent\u2019s Office for appropriate \naction. \nYour School Safety Contingency Plan is to be completed in the \nGoogle doc shared with the school principal/head of school. Please \nuse the original doc to complete your plan. Do not copy and \nshare. It will be automatically saved. You are allowed continuous \naccess to maintain its currency. It is also accessible to the \nSuperintendent\u2019s Office staff and other appropriate BPS central \ndepartments. Boston public safety agencies \u2014 police, fire, EMS \nand B OEM \u2014 have access to these plans in an emergency. The \nOffice of Emergency Management and Preparedness is available \nas a resource to assist principals/schools leaders, heads of school", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "and B OEM \u2014 have access to these plans in an emergency. The \nOffice of Emergency Management and Preparedness is available \nas a resource to assist principals/schools leaders, heads of school \nand other administrative heads with access information and", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 3 of 42 \n \n \ntechnical advice in order to complete their plans. \nINSTRUCTIONS FOR UPDATING AND EDITING SCHOOL SAFETY \nCONTINGENCY PLANS AND FIRE SAFETY PLANS \nThe following is information on how to access and edit your \nbuilding\u2019s School Safety Contingency Plan and the building\u2019s Fire \nSafety Plan. The actual School Safety Contingency Plan for your \nbuilding was shared with you by the Director of the Office of \nEmergency Management and Preparedness or Director of \nTechnology in a Google Doc. Use this Google Doc for all changes \nand updates. Please make all changes in the original doc. Do not \nsave and make changes. \n\u25ba If you cannot locate your plan, please contact The Office of \nEmergency Management and Preparedness Operations-\nDepartment-Heads@bostonpublicschools.org. \n \nSummary of significant dates and deadlines: \nDate Activity \nLast Week in August \nDeadline for completion and submission on Google", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Department-Heads@bostonpublicschools.org. \n \nSummary of significant dates and deadlines: \nDate Activity \nLast Week in August \nDeadline for completion and submission on Google \nDoc to The Director of the Office of Emergency \nManagement and Preparedness of revised School \nSafety Contingency Plan and review same with \nstaff for this school year. \n \nSECTION I: INTRODUCTION \nThe Boston Public Schools continues efforts to simplify and", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 4 of 42 \n \n \nstandardize school safety plans throughout the system. It is \nunderstood that each school has its own \u201csafety personality\u201d based \non its construction design, location, number of staff, number and \ngrade level of students, as well as many other characteristic s. \nHowever, there are common elements, policies, and procedures \nfor all schools to follow in the event of an incident/crisis. \nThere are five phases of emergency management for school \nadministrators to consider when developing safety plans: \n\u25cf Mitigation \n\u25cf Prevention \n\u25cf Preparedness \n\u25cf Response \n\u25cf Recovery \nAlthough special emphasis is placed on spectacular and unusual \nincidents by the media, there are many routine types of school \nrelated occurrences that can also be extremely disruptive to a \nschool. \nSchool administrators are called upon to deal with these \nemergencies on a regular basis. In every type of school incident,", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "related occurrences that can also be extremely disruptive to a \nschool. \nSchool administrators are called upon to deal with these \nemergencies on a regular basis. In every type of school incident, \nthe first responders and decision makers are school -based staff. \nWhen the scope of an incident escalates beyond the resources \navailable at the school, initial actions taken or not taken by those \nclosest to the event can help or hinder those who will arrive later \nand assume responsibility for resolving the situation. \nThe intent of these guidelines is to assist school administrators in \ncreating an appropriate working plan that will direct them \nthrough a crisis and expedite the return of their school to its \nnormal operation following that crisis. It is a multi -hazard \napproach to school incident management.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 5 of 42 \n \n \nBPS guidelines are based on concepts utilized in an Incident \nCommand System developed by public safety agencies across the \nnation. The following is a brief overview of the Incident Command \nSystem. \nINCIDENT COMMAND SYSTEM \nICS has been modified for our application on the school level to \nmanage any incident/crisis within our capacity and maintain \ncompatibility with supplementary public safety agency\u2019s \nemergency plans. \nIn managing any incident/crisis, the paramount objectives for all \nschool staff are to: \n\u25cf Ensure safety of all occupants \n\u25cf Follow BPS Safety Plan, Safe Mode and/or Fire protocol \n\u25cf Stabilize and resolve the incident when possible \n\u25cf Provide support for responding public safety agencies (911 \nand BPS Dispatch 617-635-8000) \n\u25cf Protect school property \nThe Incident Command System (ICS) is based on a team concept, \nwhere each team member has specific responsibilities. BPS will", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "and BPS Dispatch 617-635-8000) \n\u25cf Protect school property \nThe Incident Command System (ICS) is based on a team concept, \nwhere each team member has specific responsibilities. BPS will \nutilize an on -site team and an off -site team that will focus on \nsecuring the necessary support from internal departments and \nexternal agencies. The information flow is illustrated on the next \npage. \nThe on-site BPS Incident Control team (ICT) team model calls for \nthe following positions: \nSite Incident Control Team \n\u25cf Site Incident Control manager (SICM) \n\u25cf Risk analyst", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 6 of 42 \n \n \n\u25cf Safety coordinator \n\u25cf Building coordinator \n\u25cf Incident scribe \nThe roles, responsibilities and required skills for a successful Site \nIncident Control Team follow: \nSite Incident Control Manager \nGenerally, the site incident control manager (SICM) should be the \nhead of school/principal/director, the individual who has ultimate \nresponsibility for his/her school\u2019s operation. The SICM must have \na clear understanding of the school system\u2019s policies and \nprocedures. The SICM must also be able to make quality \nassessments, communicate well and command others. These are \nnormal functions for a school\u2019s administrator to perform. \nDepending on the severity and tier level of the incident, the SICM \nwill establish a command post at a designated location and \nactivate the school\u2019s internal team. The nature of the incident \ndetermines the configuration of the team. In a large -scale", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "will establish a command post at a designated location and \nactivate the school\u2019s internal team. The nature of the incident \ndetermines the configuration of the team. In a large -scale \nincident, the team can be expanded or collapsed as conditions \nwarrant. In a smaller school, one person may perform several tasks. \nIt must be understood that, initially, the SICM may be any member \nof your staff who discovers or is alerted to an incident prior to \nnotification of the head of school/principal/director. \nRisk Analyst \nThe risk analyst will be relied on to assess incurred injuries and \nevaluate medical risks associated with developing and occurring \nincidents. Recommended personnel for this role include the \nschool nurse, school psychologist, and student support \ncoordinator. Consideratio n of a school\u2019s language requirements", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 7 of 42 \n \n \nshould also be included in selection of the risk analyst. \nSafety Coordinator \nThe safety coordinator will be called upon to gather occupancy \ninformation and to support efforts to establish control at the \nincident site. Recommended personnel for this role include \nSchool Registrar, School Police Officer, Safety Paraprofessional, \nDean of Discipline, and Transportation Coordinator. Since schools \nvary in size and range of staff, Principals and Headmasters are \nurged to explore their building\u2019s total resources to assist in \nidentifying this team member. \nBuilding Coordinator \nThe building coordinator will meet and direct responding \nagencies to appropriate locations. The building coordinator will \nalso assess building security. Due to familiarity and knowledge of \nthe assigned school and its systems, the senior building custodian \nis the suggested primary designee for this role. \nIncident Scribe", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "the assigned school and its systems, the senior building custodian \nis the suggested primary designee for this role. \nIncident Scribe \nThe incident scribe will be responsible for documenting the \nchronology of events. This position will require good \norganizational skills and willingness to support the rest of the on -\nsite Incident Control Team members. Suggested staff includes the \nschool secretary or the pe rson in your building responsible for \norganizing student arrival and dismissal. \nSmaller schools with limited numbers of administrators or support \nstaff may find it necessary to have team members perform more \nthan one role. \nClassroom teachers are not recommended as potential members", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 8 of 42 \n \n \nof the on -site team. Experience indicates it is best for classroom \nteachers to remain with their assigned classes during critical \nevents. A resource guide for classroom teachers is included in the \nEmergency Response Guidelines. \nCENTRAL INCIDENT MANAGEMENT \nThe BPS adaptation of the Incident Command Structure will \ninclude the establishment of an off-site team that will support the \nefforts of the on -site team. The components of this off -site Crisis \nCommand Team will include Facilities Management, Emergency \nManagement, Transportation, Superintendent\u2019s Office, Student \nSupport Services, Safety Services, and other areas that might be \nrequired as incidents evolve. The external team will provide liaison \nsupport to any agency required by a situation.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 9 of 42 \n \n \nCentral Incident Management Team \nGroup Primary Phone \nFacilities Management Executive Director of \nFacilities \n(617) 635-9126 \nBPS Emergency \nManagement \nDirector of \nEmergency \nManagement \n(857) 701-9404 \n(617) 635-6082 \nTransportation Chief of \nTransportation \n(617) 635-9520 \nBehavioral Health \nServices (BHS) \nChief of Student \nServices \n(617) 635-9676 \nSafety Services Chief of Safety \nServices \n(617) 635-8000 \n \nSuperintendent\u2019s \nOffice \nDeputy Supt of \nOperations \n(617) 635-9643 \n \nOffice of Technology CIO/Director (617) 635-9200 \nCommunications \nDepartment \nChief of \nCommunications \n(617) 635-9265 \n \nIn many instances, this sophisticated level of staffing may not be \nrequired. However, considering identified functions requiring \nperformance in a crisis, the model ICS structure can be modified \nfor a specific application to ensure completion of critical \ncommunications and data sharing tasks. It is important to", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "performance in a crisis, the model ICS structure can be modified \nfor a specific application to ensure completion of critical \ncommunications and data sharing tasks. It is important to \nunderstand that the incident command system is driven by \nfunctions being performed and not simply staffing positions.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 10 of 42 \n \n \nPUBLIC SAFETY RESPONSE \nShould an incident necessitate a response by non -school \ndepartment public safety resources based on the assessment of \nthe school SICM, they will be met by the building coordinator and \ninformed of the nature of the incident and location of the school \ncommand post. \nShould conditions warrant, public safety personnel might assume \nprimary responsibility and command. The responding public \nsafety officials may activate their own command post, at which \ntime an official from the impacted school may be requested to \ntake a position at that location. \nINCIDENT TYPE AND RESPONSE \nThe BPS adaptation of the Incident Command System calls for \nclassification of an event or developing situations to be \ncategorized by the following tier level concepts . The initial \nassessment must quickly determine if the best response is safe \nmode or evacuation.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "categorized by the following tier level concepts . The initial \nassessment must quickly determine if the best response is safe \nmode or evacuation. \nSchool related incidents will be classified according to a level of \nseriousness (Tiers I, II, III). Appropriate school response to these \ntiers would be to initiate emergency procedures, standby or \nmonitor the situation, or introduce proactive measures wit h \ncareful monitoring of developing situations. The appropriate \nresponse or modes required by the SICM\u2019s evaluation are defined \nas follows: \nTier I \u2013 Any Situation That Requires Immediate 911 Response \nTier II \u2013 Stand By and Response Planning Mode \nTier III \u2013 Proactive Prevention and Monitoring Mode", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 11 of 42 \n \n \nDEFINING INCIDENT RESPONSES BY TIER LEVEL \nSituations will be categorized by the Site Incident Control \nmanager (SICM) as a Tier I, Tier II, or Tier III issue. \nTier I \u2013 Presents Imminent Danger to Students, Staff, and \nProperty beyond the School\u2019s Ability to Control\n\u25cf Bomb threat \n\u25cf Fire alarm \n\u25cf Armed person on or near \nsite \n\u25cf Hostage situation \n\u25cf School bus accidents \n\u25cf Medical emergencies \n\u25cf Hazardous materials \nincident \n\u25cf Gas leak \n\u25cf Suicide threats \n\u25cf Fire \n\u25cf Explosion \n\u25cf Kidnapping \n\u25cf Sexual assault \n\u25cf Lost or missing children \n\u25cf Violent behavior \n\u25cf Psychiatric emergency \n\u25cf Chemical spills \n\u25cf Natural disasters\nTier II \u2013 Presents Potential Danger to Students, Staff and \nProperty \n\u25cf Suicide warnings / signs of depression \n\u25cf Weather warnings \n\u25cf Environmental issues \n\u25cf Facilities failures \n\u25cf Increased gang activities \n\u25cf Communicable diseases \n\u25cf Custody issues \nTier III \u2013 Conditions Indicate a Threatening Situation is in", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "\u25cf Environmental issues \n\u25cf Facilities failures \n\u25cf Increased gang activities \n\u25cf Communicable diseases \n\u25cf Custody issues \nTier III \u2013 Conditions Indicate a Threatening Situation is in \nFormative Stage \n\u25cf Sexual harassment \n\u25cf Intimidating behavior", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 12 of 42 \n \n \n\u25cf Increasing levels of vandalism \n\u25cf Inappropriate communications \n\u25cf Inappropriate internet use \n\u25cf Rumors \n\u25cf Other incidents that warrant further monitoring \nCRITERIA FOR DEFINING TIER LEVELS \nTier I \nTier I situations present imminent danger to students, staff, \nand property beyond the school\u2019s ability to control and \ntypically involve a 911 emergency response. \nTier I situations require an immediate SICM assessment to \ndetermine the scope of response required, i.e., some \nsituations requiring 911 response may be contained by the \narrival of the appropriate responding 911 unit. For example, a \nrelatively small lacerat ion requiring sutures by EMS would \nnot require the same scope of response as a bomb scare that \nrequires evacuation of the building. \nThe traditional response to emergencies that have school -\nwide impact is often limited to school evacuation. These \nguidelines, in response to new dimensions in school safety,", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "The traditional response to emergencies that have school -\nwide impact is often limited to school evacuation. These \nguidelines, in response to new dimensions in school safety, \ncall for a determination by the SICM to identify if evacuation \nor safe mode is a component of the response for the situation \nat hand. \nIn the Emergency Guidelines portion of this document, the \nterms Tier I \u2013 Red (Safe Mode) and Tier I \u2013 Green (Evacuation) \nare introduced to signal the SICM\u2019s assessment to the specific \nsituation at hand. \nTier I \u2013 (Safe Mode): students and staff staying in place within", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 13 of 42 \n \n \nthe building is appropriate. The safe mode may entail locking \nin place or relocation to another part of the building. \nTier I \u2013 (Evacuation): evacuation from the building has been \ndetermined as the appropriate response. \nThe use of the terms Tier I \u2013 Safe Mode and Tier I \u2013 Evacuation \nis limited to Tier I events. \nPlease note that some Tier I (911) situations will not require \nuse of the Red or Green designations; the laceration versus \nbomb scare example illustrates the distinctions that must be \nmade regarding the scope of required response. The location \nof an armed person outside versus inside a building, or a \nhazardous material release near or in the school, illustrates \nthe need for evaluating whether evacuation or a safe mode \nprocess should be implemented. \nThe range of response required must be determined by the \nSICM. The SICM determines if additional resources need to", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "process should be implemented. \nThe range of response required must be determined by the \nSICM. The SICM determines if additional resources need to \nbe activated. The SICM also indicates if a Tier I \u2013 Evacuation \nor Tier I \u2013 Safe Mode situation exists.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 14 of 42 \n \n \nTier II \nTier II situations present potential danger to students, staff, \nand property. \nTier II situations indicate that a standby and response -\nplanning mode is required. This entails gathering \ninformation, developing plans, and notifying appropriate \nagencies. \nTier II major situations could include neighborhood fires that \npotentially threaten nearby schools, or transportation \naccidents involving the transport of hazardous materials. A \nless dramatic situation would be a power failure that might \neventually require early dismissal or relocation of students. \nAs in Tier I, the SICM determines the scope of response \nrequired. \nTier III \nTier III conditions indicate a threatening situation is \ndeveloping. Collaboration and communication within and \nbeyond the BPS support structure is required to ensure \nappropriate resources are engaged early to minimize further \ndevelopment of the threat.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "beyond the BPS support structure is required to ensure \nappropriate resources are engaged early to minimize further \ndevelopment of the threat. \nPreventative measures, including proactive engagement by \nrequired support functions or intervention by appropriate \nagencies during formative phases, will decrease the \noccurrence of critical incidents within our schools. \nTier III situations are occurring daily throughout BPS schools. \nTier III conditions encompass a broad spectrum of behavioral \nissues and involve both individuals and groups. Many serious", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 15 of 42 \n \n \nsafety incidents are preceded by actions that should raise \nflags. For example, the appearance of gang related clothing \namong students indicates the need for conversations with \ngang intervention personnel. Suspicion of abuse or neglect, \nor the observance of depression warning signs in individuals, \nrequires follow up by Student Support staff and possibly the \nengagement of external support providers. \nTier III conditions are likely to be first observed by classroom \nteachers who become aware of behavior that warrants \nfurther monitoring. \nObservation and communication of Tier III situations, which \nreceive prompt application of Safety Services and Student \nSupport Services prevention practices and our expanded \nsupport resources, offer the greatest area for positive impact \nto our school safety environment. \nWhen members of the onsite Incident Control Team are", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "support resources, offer the greatest area for positive impact \nto our school safety environment. \nWhen members of the onsite Incident Control Team are \ninformed or observe a Tier III situation, the SICM will identify \nand contact the appropriate resources. \nSECTION II: GUIDELINES \nInitial School Actions \nAn individual discovering or receiving information about an \nincident will make a quick assessment and determine if an \nimmediate 911 contact is required. If the assessment indicates that \n911 supports are required, that individual should contact 911 and \nthen proceed to notify the Site Incident Control manager (SICM). \nFor all other situations, the SICM will make the initial assessment \nand then notify the onsite Incident Control Team (ICT) of the \nsituation. The SICM will also initiate contact with other required", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 16 of 42 \n \n \nsupport groups as required. While awaiting the arrival of \nrequested support, the SICM and ICT will use those critical minutes \nto initiate the following eight steps: \n1. Classify the tier level and determine the appropriate response \nmode: \na. Contact 911 \nb. Stand-by and response planning \nc. Proactive prevention and monitoring \n2. Implement evacuation or safe mode decision \n3. Establish communications \n4. Identify the danger zone \n5. Identify and request needed resources \n6. Open a command post \n7. Activate staging areas \n8. Compile occupancy data \nFurther details for Steps 1-8 above are as follows: \n1. Classify the Tier level. \n\u25cf Tier I: Any situation that requires a 911 - assistance mode \nalso requires that the need for an evacuation or \ncontainment response be assessed. \n\u25cf Tier II: Standby and appropriate response planning mode. \n\u25cf Tier III: Proactive / prevention and monitoring mode.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "containment response be assessed. \n\u25cf Tier II: Standby and appropriate response planning mode. \n\u25cf Tier III: Proactive / prevention and monitoring mode. \nExamples of specific tier incidents are included in the \nintroduction section. \n2. Implement Evacuation or Safe Mode Procedures. \nEvacuation \u2014 Based upon assessment and policy, the SICM \nwill determine the need for evacuation. If evacuation is \nwarranted, it will begin upon the communication of a \npredetermined signal (fire alarm, intercom, bell, buzzer,", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 17 of 42 \n \n \nother). All building occupants will respond to this signal and \nimmediately evacuate according to prescribed routes. \nNotification procedures for Tier I \u2013 (Evacuation) should be \nentered in the computerized School Submittal Section of \nyour (Step I, section d) school safety plan. \nEach school must have established primary and secondary \nevacuation routes to be followed during drills and \nemergencies. Evacuation routes, which are also an element \nof your Fire Safety Plan , should be inspected prior to \nutilization and the appropriate one determined during \nassessment of the situation. \nAssembly areas must also be predetermined for all school -\nbuilding occupants upon their exiting the school. This is a \ncritical time during an emergency, and student / staff \naccountability measures must be accomplished at this \npoint. Evacuation may be to a primary, secondary, or to your \noff-site (alternate) location(s). These locations require", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "accountability measures must be accomplished at this \npoint. Evacuation may be to a primary, secondary, or to your \noff-site (alternate) location(s). These locations require \nassessment during plan development, and at the time of the \nincident, to ensure adequacy. This information will be \nentered in the computerized School Submittal Section (Step \nI, Section B) of your school safety plan. \nSafe Mode \u2014 Safe Mode is an alternative response to \nevacuation procedures. Notification procedures (Safe Mode) \nshould be entered in the computerized School Submittal \nSection (Step I, Section D) of your school\u2019s safety plan. \nGenerally, evacuation to the outside has been our immediate \nresponse to an emergency signal. Post incident analyses of \nserious incidents that have occurred across the country \nindicate that evacuation is not always the safest response to \na situation. Again, based upon assessment and policy the", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 18 of 42 \n \n \nSICM will determine the need for safe mode. \nSafe Mode would commence upon a predetermined \nnotification procedure. Those contained or relocated will be \ndirected to that identified site (a room number, common \narea, floor, other) and securing the location where you find \nyourself (and those for whom you are responsible) or securing \nthe place to which you may be relocated in an emergency. \nThis may simply require locking a door. Again, these are \ncritical times in an emergency and student/staff \naccountability measures must be accomplished at this point \nby SICM in accordance with school safety plans. \n3. Establish communications. Each school will have in place a \nmeans and procedures for communicating in an emergency \nwithin their school and to outside public safety agencies. All \ncomponents of this process are required as part of your \nschool submission. This would also identify tho se assigned", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "within their school and to outside public safety agencies. All \ncomponents of this process are required as part of your \nschool submission. This would also identify tho se assigned \ntelephones or radios and individuals tasked with making \nnecessary notifications. \nThe individual discovering or receiving initial information \nabout an incident is responsible to make a quick assessment \nand take the following steps: \na. Life threatening situation(s) require immediate 911 \nnotification. To notify public safety (police, fire, EMS) call \n911 via any available telephone. A Fire Alarm pull station \nis to be used in the event of a fire related incident with a \nback-up telephone c all to 911 or (617) 343 -2880. \nRemember that activating a pull station will summon \nemergency assistance but will also initiate an \nevacuation that may not be appropriate for the \nsituation.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 19 of 42 \n \n \nb. The discoverer will then inform the SICM or an on -site \nIncident Control Team member of the situation. \nc. The SICM or available ICT member will classify the \nincident Tier level and assume management of the \nsituation. \n4. Identify the danger zone. In the assessment phase the best \nmeans of separating students/staff from any threat must be \ndetermined. This may be accomplished by building \nevacuation or implementing containment/lockdown \nprocedures. A perimeter should be established and secured \nto keep students/staff away from the danger zone and in a \nsafe area. Moving people away from the threat, isolating and \nsecuring the affected area, and restricting access to non -\nemergency personnel are techniques to separate the threat \nfrom students and staff. \n5. Identify and request needed resources. As early as possible, \nthe SICM must try to assess what resources are needed to", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "from students and staff. \n5. Identify and request needed resources. As early as possible, \nthe SICM must try to assess what resources are needed to \nmitigate the crisis and request those resources be made \navailable. Support may come from the Central Incident \nManagement Team or from outside sources. The extent of \nrequired resources will be initially ident ified during the \nincident tier classification phase. Supplementary resources \nmay be requested by follow-on agencies. \n6. Open command post. The SICM should open a command \npost as soon as possible in the event of an incident. It should \nbe in a spot outside the danger zone from which the SICM \ncan effectively manage the incident. The command post \nmust have communications capability in order that the SICM \nhas access to internal team members as well as public safety \nofficials and the Central Incident Management Team. There \nshould be a level of security for the command post to prevent", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 20 of 42 \n \n \nunnecessary interruptions by people not involved in the \nresponse, such as the media, parents, and onlookers. Safety \nplans and school records must be available at this location. \nLocating primary and secondary command posts ahead of \ntime allows you to quic kly open a command post whenever \nit is needed. You can predetermine sites because generally it \nis not important that you have a view of the danger zone. \nMany managers want to manage what they can see, but in a \nmajor critical incident the SICM must manage the entire \nscene, not just the source of the event. It is suggested that \nprimary and secondary sites be at opposite ends of the \nbuilding. Just because you have predetermined sites does \nnot mean you are locked into using them. As the SICM, you \nmay be dealing directly on location at the source of the issue. \n7. Activate staging areas. As with the command post, the", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "not mean you are locked into using them. As the SICM, you \nmay be dealing directly on location at the source of the issue. \n7. Activate staging areas. As with the command post, the \nstaging areas should be predetermined and located outside \nthe danger zone in an area that can be secured. In the event \nof a major school incident, separate staging areas should be \navailable for injured and ill persons, parent s, and media \nrepresentatives. Directing members of these groups will be \na function of the Incident Control Team building coordinator. \n8. Compile occupancy data. As stated throughout these \nguidelines, student/staff accountability is essential in an \nemergency. The following can be used to compile occupancy \ndata in an emergency: \n\u25cf Daily class/student rosters \n\u25cf Daily staff/ employee/visitor sign-in sheets \n\u25cf Absentee list (students, staff, employee) \n\u25cf Field trip rosters \n\u25cf Current emergency information cards \n\u25cf Locker assignment list", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 21 of 42 \n \n \n\u25cf Known restraining orders \n\u25cf Photo identification \n\u25cf Schedules \n\u25cf School bus assignments \nAny roster should be completed, as early as possible each day, \nin a form that can be readily taken from the building during an \nemergency. Special attention should be given to document \nnames of any student/staff member who is transported from \nthe school or released to a parent. Particular attention should \nbe paid to ensure the location(s) of any student(s) or staff \nmember that is (are) physically or visually impaired is known. \nSECTION II: OVERVIEW \nThe above 8 steps are tailored to directly address Tier I situations. \nHowever, several of the steps are relevant to Tier II and Tier III \nincidents when applied to longer timelines. Tier II, requiring \nstandby and response planning, might utilize steps 3, 4 and 5 \ninitially, and depending on the situation may entail use of the \nremaining steps.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "standby and response planning, might utilize steps 3, 4 and 5 \ninitially, and depending on the situation may entail use of the \nremaining steps. \nTier III events that occur over longer time periods would still \nrequire that communication and identification of appropriate \nproactive preventative measures be developed. \nCommon sense prevails throughout these guidelines. Those of us \nin the schools understand that it is better to have a plan and no \ncrisis than to have a crisis and no plan. \nThese basic guidelines are not expected to cover every \ncontingency. However, application of these simple steps will \nprovide a consistent approach to handling any school incident. As \npreviously stated, the severity and your professional assessment of \nthe incident will determine the scope of response.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 22 of 42 \n \n \nSchool administrators and staff routinely implement some form of \ncrisis response management during the discharge of their duties. \nThe intent of the guidelines is to provide a flexible structure that \nwill assist you in managing your response. \nThe following pages contain an Emergency Response Guide to \nassist your handling of various situations. It is designed for use as \na handout for your Site Incident Control Team. Included in the \nGuide is a section designed specifically for classroom teachers. \nThe final section of this booklet is a hardcopy of information that \nyou will be asked to compile. The actual method of collection will \nutilize a Google document developed by the Office of Information \nServices. The information submitted by your school will be stored \nin a consolidated database that will be reviewed and updated on \nan annual basis. \nSECTION III: EMERGENCY RESPONSE GUIDE \n1. ASSESSING THE EMERGENCY RESPONSE", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "in a consolidated database that will be reviewed and updated on \nan annual basis. \nSECTION III: EMERGENCY RESPONSE GUIDE \n1. ASSESSING THE EMERGENCY RESPONSE \nThe site incident control manager must identify and \nimplement appropriate response.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 23 of 42 \n \n \nSAFE MODE IF: EVACUATION IF: \nThe situation presents a threat of \nillness, injury or death to persons \nmoving in, around, or about the campus \nand it is determined that Safe Mode \nwill provide a greater level of safety for \nthose persons. \n\u25cf Riot \n\u25cf Shooting \n\u25cf Hazardous Material Spill \n(Outside) \n\u25cf Hostage Situation \n\u25cf Suicide \nThe situation presents a threat of \nillness, injury or death to persons \nremaining inside a building and it is \ndetermined that evacuation will provide \na greater level of safety for those \npersons. \n\u25cf Fire \n\u25cf Explosion \n\u25cf Hazardous Material Spill (Inside) \n\u25cf Hostage Situation \n\u25cf Bomb Threat \n\u25cf Gas Leak \n \n2. SAFE MODE \u2014 PERSONNEL ASSIGNMENTS \nAll students are to remain contained until emergency \nresponders advise otherwise. \nThe following is a list of recommended assignments for \nfaculty/staff members during a crisis requiring containment. \n* Asterisks denote Site Incident Control Team members. *", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "The following is a list of recommended assignments for \nfaculty/staff members during a crisis requiring containment. \n* Asterisks denote Site Incident Control Team members. * \n \n* Principal/Assistant Principal (Site Incident Control Manager \n- SICM): I nitiate safe mode. Safely monitor situations with \navailable resources. Identify and contact appropriate \nemergency responders and BPS support staff.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 24 of 42 \n \n \n* Nurse (Risk Analyst): Set up staging area for ill and injured \npersons and administer initial first aid. Keep ill people \n(overcome with stress and excitement) separate from the \ninjured. \n* Registrar (Safety Coordinator): Gather occupancy \ninformation, present occupancy information to Emergency \nResponders. Use an alternative if school does not have a \nregistrar. \n* Secretary (Incident Scribe): Continue 911 contact and remain \non the telephone. It is imperative that emergency \nresponders maintain communication with someone inside \nthe school. Use an alternative if necessary. \n* Custodian (Building Coordinator): Close and lock all \nentry/exit points. Stand by to assist emergency responders \nwith accessibility to mechanical rooms. \nClassroom Teachers: Contain students. Keep classroom \nrosters. Teachers in possession of cell phones should activate \ntheir phones. Teachers should prepare students to follow", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Classroom Teachers: Contain students. Keep classroom \nrosters. Teachers in possession of cell phones should activate \ntheir phones. Teachers should prepare students to follow \nfurther instructions. \nAssistants: Teachers on administrative duty or P&D periods \nshould assist Incident Control Team (ICT) by checking the \nbuilding for unattended students and moving them to \nsupervised locations. Assistants should be posted at \nentry/exit points to ensure that no one leav es the building \nand that only Emergency Responders enter the building. \nVolunteers: Report to office and be available to follow \ninstruction. \nCafeteria Staff: Close and contain cafeteria and kitchen. Shut \noff appliances and remain in kitchen.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 25 of 42 \n \n \n3. SAFE MODE PROCEDURES \nIncident Control Team: \n1. Call 911 \u2013 Advise reason for safe mode and stay on the line. Do \nnot hang up. 911 dispatchers will route the call to the \nappropriate agencies. \n2. Communicate to all staff that a Safe Mode situation exists and \nbegin safe mode process. \n3. All school personnel will assume their specific assignments \nlisted herein, exercising flexibility where needed to promote \nthe safety of all persons. \n4. Staging areas should be set up separately for 1.) injured and \n2.) ill persons. \n5. During safe mode, no one except emergency responders or \ntheir designees will be permitted to enter, exit, or move about \nthe campus. \n6. As additional emergency responders become available, they \nwill assume some of the posted assignments to relieve school \npersonnel. \n7. Ending the Safe Mode Status: When it has been determined \nby the emergency responders and the principal that", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "will assume some of the posted assignments to relieve school \npersonnel. \n7. Ending the Safe Mode Status: When it has been determined \nby the emergency responders and the principal that \nconditions are safe to resume normal activities, the principal \nshall make an announcement via the P.A. system or send a \nmessenger to advise each classroom. \n4. EVACUATION PROCEDURES \n1. Call 911. \na. Advise reasons for evacuation and stay on the line if safe \nto do so. Do not hang up. \nb. 911 dispatchers will route the call to the appropriate \nagencies. \n2. Start evacuation procedures according to normal fire drill", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 26 of 42 \n \n \nprocedures. Communicate to staff that a TIER I \u2013 GREEN \nsituation exists and begin the evacuation process. \n3. If the threat of an explosion is present, or a hazardous \nmaterial spill has occurred, it may be necessary to move \nthe students farther than a normal evacuation distance. \n4. Teachers: Bring roll book. It will be necessary to keep a \nroster of all students moved. Each teacher will be \nresponsible for his/her class. The ICT safety coordinator will \norganize any dismissal of students. The release of each \nstudent must be documented. \n5. Staging areas should be setup separately for: \na. injured \nb. ill persons \nc. parents \nd. media \n6. Students and employees with special needs may require \nassistance. Paraprofessionals assigned to students and", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "a. injured \nb. ill persons \nc. parents \nd. media \n6. Students and employees with special needs may require \nassistance. Paraprofessionals assigned to students and \nstaff will remain with their assignments throughout the \nduration of the incident. \n7. Ending the Evacuation Status: When it has been \ndetermined by the emergency responders and the SICM \nthat conditions are safe to resume normal activities, the \nSICM shall inform staff that it is safe to reenter the building. \nSECTION IV: SCHOOL SUBMITTAL SECTION \nThis is a mockup of the information you will submit via the BPS \nIntranet. Please note the Intranet version will have a different \nappearance. \nSTEP I: Please input the following information. \n\u25aa School Name: \n\u25aa Building Name:", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 27 of 42 \n \n \n\u25aa Address: \n\u25aa Principal/Head of School: \n\u25aa Telephone Number: \n\u25aa Fax Number: \n \na. Identify primary and secondary command post locations: \n Primary Location Secondary Location \nRoom Name \nRoom Number \nPhone Number \n \nb. Identify primary and secondary external assembly areas: \nPrimary Location Secondary Location \n \n \nc. Identify primary and secondary alternate school-site \nlocations: \nPrimary Phone Secondary Phone \n \nd. Identify your internal communications method(s) that your \nsite will use to alert staff to the implementation of a Tier I \n(Evacuation) and a Tier I (Safe Mode) response:", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 28 of 42 \n \n \nTier I \u2013 Evacuation \nTier I \u2013 Safe Mode \nSTEP II: Identify members of your on-site incident control team. \nTitle Primary Alternate Responsibility Suggested \nStaff \nSite Incident \nControl \nManager \n(SICM) \n \nEnter Private \nPhone Line, \nCell Phone #, \nOther Phones \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nDetermine Tier level \nof event and contact \nresources required to \naddress the situation, \noverall management \nof school students \nand staff, and \nensures that \nsuperseding agencies \ndirectives are \nfollowed \nPrincipal as \nPrimary; \nAP or other \ndesignee as \nAlternate \nRisk Analyst Name: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nAssess injuries and \nmedical risk analysis \nNurse \u2013 Primary; \nStudent Support \nCoordinator or \nLanguage \nAppropriate \nIndividual \u2013 \nAlternate", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 29 of 42 \n \n \nTitle Primary Alternate Responsibility Suggested \nStaff \nSafety \nCoordinator \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nGather occupancy \ninformation, support \nefforts to establish \ncontrol \n \nBuilding Registrar \nor equivalent \nBuilding \nCoordinator(s) \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nAssess building \nsecurity, meet \nresponding agencies, \nand direct them to \nappropriate \nlocation(s) \nSchool Custodian \nand School Police \nOfficer (if \navailable) \nIncident \nScribe \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nLog chronology of \nincident \nSchool Secretary \u2013 \nPrimary \nTransportation \nCoordinator \n \nSTEP III: Building Characteristics \nPlease indicate if your site includes any of the areas listed below", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 30 of 42 \n \n \nin the second column. The third column should identify the \nlocation of the respective areas, as well as any other information \nrequested in the third column. \nCommon Areas \nDescription Yes/No If Yes, List Location \nAuditorium \nBoiler Room Also identify if gas or oil is used. \nCafeteria \nComputer Lab(s) \nFire Escapes \nGymnasium \nHazardous Materials \nHealth Center \nLibrary \nLoading Dock \nNurses Office \nOut Buildings \nPlayground \nRamps \nUtility room \nList Others", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 31 of 42", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 32 of 42 \n \n \nDoes your building have the following? \nDescription Yes/No If Yes, List Location \nAttic/Penthouse Indicate entry points on floor plans \nBasement or crawlspace access Indicate entry points on floor plans \nCommunity Center \nElevators \nFire Safety Systems \nGrounds Maintenance Identify chemical storage area(s) \nKitchen Area Describe type of kitchen facility: \nsatellite, full service, other \nMotion Detectors \nPull Stations \nSecurity Systems \nSwimming Pool \nVocational Shop Area \nCompressed gasses present? (1) \nLiquid fuels present? (2) \n(1) List \nhere \n \n \n(2) List \nhere \n \n \n \nIf the school has a vocational area, please \nindicate location on floor plans.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 33 of 42 \n \n \nSTEP IV: Occupancy Information \nThe purpose of this section is to assist authorities in determining \nif a building evacuation is complete or to provide information \nregarding numbers of persons within the building. \nDescription Numbers Additional Information / Comments \nTotal Enrollment \nTotal Staff \nFor students/staff with disabilities (visual, hearing, mobility, \nmedical, other) please provide all pertinent information required \nfor assistance in an emergency. (Please use the space below.) \n \nPLEASE NOTE: Information in the blocks below should be \nsupplied to authorities when emergency events occur. Please \ndevelop appropriate measures to ensure that accurate and \ntimely headcount information is available. \nDescription Number \nVisitors \nStudents off site (field trips, etc.) \nStaff off site (training, etc.) \nOther (list)", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 34 of 42 \n \n \nSTEP V: List Communications Equipment \nPlease fill in categories as appropriate. \n1. Mobile Communication Devices \nDescription Yes / \nNo \nQuantity Assignee List Appropriate \nNumbers \nStatus: \nO=Operational \nN=Non-operational \nNextel \nCell Phone \n2 Way Radio \n \nAT & T Ericsson \nCell Phone \n \nOther Cell Phones \nBeepers/Pagers \n2. Portable Radios \nDescription Yes / \nNo \nQuantity Assignee List \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-operational \nSafety Staff Two-\nWay Radios \n \nIn-House \nTwo Way Radios \n \n \n3. Stationary Communications", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 35 of 42 \n \n \nDescription Yes / \nNo \nQuantity Assignee List \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-\noperational \nIntercom System \nPA System \nHouse Phones \nList Others \n \n4. Telephone Information \nDescription Assignee Room \nNumber \nPhone # \nMain Phone \nPrincipal\u2019s Office \nGuidance Office \nCustodian\u2019s Office \nNurse\u2019s Office \nETF\u2019s Office \nStudent Support \nCoordinator\u2019s Office \n \nSwimming Pool \nSafety Officer/Para", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 36 of 42 \n \n \nDescription Assignee Room \nNumber \nPhone # \nPay Phone(s) \nPhone System - Extension \nPhone System - Extension \nE-Mail Address \nFax Machine(s) \nList All Direct Lines \n \nSTEP VI: Floor Plans / Specific Site Information \nThe following areas should be indicated on floor plans. Facilities \nManagement personnel will complete this section as noted in \nSuperintendent\u2019s Circular FSE-01 School Safety Contingency Plan. \n\u25cf Electrical Control Rooms And Panels \n\u25cf Utility Access/Controls \n\u25cf Classrooms/Labs \n\u25cf Interior Maintenance Areas \n\u25cf Engineering And Boiler Room Areas \n\u25cf Vocational Shop Areas \n\u25cf Swimming Pools \n\u25cf Grounds Maintenance Storage Areas \n\u25cf Kitchens And Food Storage Areas \n\u25cf Fire Standpipes And Sprinkler Connections \n\u25cf Roof Access, Include Skylights And Indicate Whether Or Not \nOperable \n\u25cf Domestic Water Controls \n\u25cf Basement Or Crawlspace Access", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 37 of 42 \n \n \n\u25cf Indicate Which Walls Are Solid Masonry \n\u25cf Indicate Which Walls Are Framed Drywall \n \nFor building systems, assess and indicate on the floor plans, the \nfollowing: \n\u25cf Heating, ventilation, and air conditioning (HVAC) systems \n\u25cf Location and accessibility of air intakes \n\u25cf Filtration media location and accessibility \n\u25cf Shutdown procedures \n\u25cf Plumbing drainage \n\u25cf Fire sprinkler systems \u2013 emergency chemical \ndecontamination use \n\u25cf Natural gas \u2013 use locations and shutoff(s) \n\u25cf Potable water \u2013 access to water supply \n\u25cf Electrical access/shutoff \nSCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST \nThe following is a list of items which should serve as a guide and \nchecklist as you review and revise your School Safety / \nContingency Plan. These steps are essential to finalize your plan \nas complete, current, and ready in the event of an emergency. \nPlease insert this checklist in your School Safety Plan book for \nreference.", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "as complete, current, and ready in the event of an emergency. \nPlease insert this checklist in your School Safety Plan book for \nreference. \n\u25cf Command Post Locations: Are they located too close \ntogether as opposed to being appropriately separate for \nindependent operations? \n\u25cf Assembly Areas: Are they separate and distinct with your \nsecondary location at a further distance away from the \nschool? \n\u25cf Alternate Sites: Are they realistic with accommodations to", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 38 of 42 \n \n \nhouse all students expected to be relocated? Have prior \nagreements been made with the Alternate Site host if these \nlocations are not BPS properties? Will transportation be \nrequired to relocate? Will dismissal of students in \naccordance with School Department policy be a more \npractical option on the high school level? \n\u25cf Internal Communications: Has consideration been given to \nthe use of a system (examples: public address, intercom, \nbell, messenger, school phones, portable radios), rather than \nthe fire alarm for evacuation? Keep in mind that sounding \nthe fire alarm without other instructions will initiate a \nroutine evacuation. This may take building occupants \nthrough or to an unsafe area. Safe Mode notification would \nbe made via one of the examples given above. \n\u25cf Incident Control Team: Have responsible members of your \nschool-based staff been identified for all", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "be made via one of the examples given above. \n\u25cf Incident Control Team: Have responsible members of your \nschool-based staff been identified for all \npositions/functions? Have these designated staff members \nbeen briefed on their duties? \n\u25cf Facility Components: There may be a need for a more \ndetailed explanation rather than simply some specifics (e.g., \nliquid fuel \u2013 gasoline for snow blowers is kept in an \napproved cabinet in the custodian's office, and security \nsystem \u2013 motion detectors in corridors and stairwells. \n\u25cf Disability Information: Have all persons in your building \nneeding assistance during an evacuation been identified? \nHave accommodations been made for safe refuge/ \nevacuation of students/staff requiring assistance in your \nschool\u2019s evacuation plan? \n\u25cf Communications Equipment and Telephone Information: \nHave all available means of communication between \nidentified and portable telephones and radios been", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 39 of 42 \n \n \nassigned to staff in accordance with your plan? Has school \nemail address been included? Have you included Nextel \ndirect radio numbers? \nFIRE SAFETY PLAN SECTION \n\u25cf Primary Entry for Fire Department: Is this the location of \nyour fire alarm control panel (annunciator)? Is this your \nstreet address? \n\u25cf Egress: Are exit doors unlocked from the inside during \noperating hours? \n\u25cf Records/Documentation: Suppression system test \ncertification applies to kitchen hood extinguishing system. \n\u25cf Evacuation Matrix: Is there an exit identified for each \nclassroom, office, and common area? Do you have a \u201chard \ncopy\u201d of your evacuation plan included with your school \nplan? Are prescribed evacuation routes posted for all \nbuilding occupants? \n\u25cf Primary/Secondary Refuge: These are approved locations \ninside the building where mobility impaired occupants \ncould safely await evacuation. Are they identified for each \nfloor?", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "\u25cf Primary/Secondary Refuge: These are approved locations \ninside the building where mobility impaired occupants \ncould safely await evacuation. Are they identified for each \nfloor? \n\u25cf Training/Orientation: Are all members of the school staff \nfamiliar with details and operation of your school plan? Has \nthe school plan been practiced? Is the plan updated as \nneeded? Have staff signed off on their training? Is this \ndocumentation maintained with your plan? \nACKNOWLEDGEMENTS \nThe following is a list of publications and agencies that assisted in \nthe development of the Boston Public Schools Safety", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 40 of 42 \n \n \nContingency Plans: \n\u25cf Emergency Response Guides, San Antonio Independent \nSchool District \n\u25cf Massachusetts Emergency Management Agency (MEMA) \n\u25cf Bristol County Sheriff\u2019s Office, \u201cSafe To Learn\u201d \n\u25cf Federal Emergency Management Agency (FEMA) \n\u25cf Massachusetts Executive Office of Public Safety, School \nEmergencies; Community Pre-Planning Guide \n\u25cf Laboratory at Brown University, Crisis Planning \nManagement \n\u25cf Massachusetts Office of the Attorney General, Guidelines for \na Crisis Management Plan \n\u25cf U.S. Department of Education \n \n \n \n \n \n \n \n \n \n \n \n \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 41 of 42 \n \n \nOwner: Director of Emergency Management & Preparedness \nDepartment: Office of Emergency Management, Safety Services \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-6082 or (857) 701-9404 \nEmail: Operations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \nSee template below to be used in classrooms to post evacuation routes \n \n(Updated 7.16.2024)", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "content": "Superintendent\u2019s Circular FSE-01 \nPage 42 of 42 \n \n \nEMERGENCY EVACUATION \n \nROOM ______ \nLEAVE ROOM, GO ______ \nUSE STAIRWAY ______ \nEXIT # ______", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-04 \nVersion 01 \n \n \n \nBOMB THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA bomb threat falsely reporting the existence of an incendiary or \nexplosive device (simulated or real) is an offense punishable by \nimprisonment for up to twenty (20) years and/or a fine of not \nmore than $10,000. In the event of a bomb threat, a building \nadministrator must exercise responsible judgment and authority, \nkeeping in mind their responsibility for the safety and well-being \nof the students and staff. To do this, one must (1) get all the facts \nand (2) follow the procedures outlined herein, developed in \naccordance with the policies of the Boston Public Schools and \nthe Boston Police Department. \nBOMB THREAT PROCEDURES \nUpon the receipt of a bomb threat, principals/heads of school and \nbuilding administrators are instructed to act in accordance with \nthe following procedures:", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "BOMB THREAT PROCEDURES \nUpon the receipt of a bomb threat, principals/heads of school and \nbuilding administrators are instructed to act in accordance with \nthe following procedures: \nTelephoned Bomb Threats: \n1. When taking the call, use the attached Bomb Threat Report \nForm (Attachment A) to record all information. This form \nmust be available at the main telephone(s) in the school and \nshould be completed immediately after reporting the threat", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 2 of 11 \n \n \n \nto the building administrator. A copy of the Bomb Threat \nReport Form is also to be submitted with the incident \nreport. \n2. Call the Boston Police Department at 911 and report the \nincident. If the bomb threat is a 2nd or 3rd call, please note \nthis in your conversation with the 911 operator. \n3. Call the Department of Safety Services/Boston School Police \nat (617) 635-8000. \n4. Call your operational superintendent. \n5. Alert staff via the school\u2019s internal communication method \n(ref. Superintendent\u2019s Circular FSE-1 School \nSafety/Contingency Plans, Tier I, Containment Procedures) \nto visually survey their room/office for suspicious packages. \nIf anything unusual is observed, immediately report this \ninformation to the building administrator and update \nBoston Police via 911 that something unusual has actually \nbeen found. \nDesignated members of the School\u2019s Safety Team will be", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "information to the building administrator and update \nBoston Police via 911 that something unusual has actually \nbeen found. \nDesignated members of the School\u2019s Safety Team will be \nresponsible to survey unsupervised common areas, both \ninternal and external. During this survey, all bells/classes will \nbe held until the search is completed. \n6. In the event a suspicious package or device is found: \na. Report the sighting to the building administrator \nimmediately. \nb. Do not move, touch, or handle objects. \nc. Do not use two-way radios. \nd. Do not turn off lights or touch switches. \ne. Keep loud noise to a minimum.", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 3 of 11 \n \n \n \nf. Restrict use of telephone to urgent business only. \ng. Move people from the area. \nh. EVACUATE the school building. \nThe Police Department will be fully in charge. This action \nis to be preceded by an announcement which provides \nspecific evacuation routes to be followed for the incident \nand manner in which the evacuation signal will be given \n(fire alarm, bell, intercom, and runner). \n7. If no suspicious package or device is found, appropriate safe \nmode procedures are to be followed. However, classes \nshould not be changed until the BPD Bomb Squad has \narrived and evaluated the situation. IF YOU HAVE ANY \nDOUBTS, EVACUATE. \n8. The Police Department will assist the person in charge of \nthe building when searching for bombs or other incendiary \ndevices. Appropriate school personnel should assist, as \nnecessary. \n9. The Police Department will assist and advise the person in", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "the building when searching for bombs or other incendiary \ndevices. Appropriate school personnel should assist, as \nnecessary. \n9. The Police Department will assist and advise the person in \ncharge of the building regarding resumption of regular \nschool schedule and activities. The operational leader and \nSafety Office must be notified once a decision is made. \n10. Send a complete incident report within 24 hours of the \nincident to the Department of Safety Services. Attach a copy \nof the Bomb Threat Report Form noted above to the \nIncident Reporting Form (attached for your reference).", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 4 of 11 \n \n \n \nELECTRONIC (RECEIVED VIA EMAIL AND WEBSITE): \nThe person accessing the threat shall: \n1. Save the message on the system. DO NOT DELETE THE \nMESSAGE. \n2. Call 911. \n3. Notify the Department of Safety Services/Boston School \nPolice at (617) 635-8000. \n4. Notify your operational superintendent. \n5. Print copies of the message to turn over to the police and \nany others who may require them. \nEVACUATION AND RE-ENTRY PROCEDURES \nThe principal/head of school or building administrator must \ndevelop specific evacuation and re-entry plans for their individual \nbuildings (c.f. Superintendent\u2019s Circular FSE-01 School \nSafety/Contingency Plan). A copy of these plans should be \nincluded in each school\u2019s Contingency Plans. Such procedural \nplans should include the following: \n1. Instruction of office staff regarding proper procedures for \nanswering, documenting, and reporting of such \ntelephone calls.", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "plans should include the following: \n1. Instruction of office staff regarding proper procedures for \nanswering, documenting, and reporting of such \ntelephone calls. \n2. Method of notifying staff and students of emergency \nconditions. \n3. Method of leaving the building (fire drill procedures may \nbe followed). Special attention should be given to identify \nassembly points, which are recommended to be located \n300 yards from the building when evacuating for a", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 5 of 11 \n \n \n \nsuspected bomb. Any area that is being used as a \nstaging or assembly area must be searched by a \ndesignated staff member prior to sending people to that \narea. \n4. Specific plans for special needs and physically impaired \nstudents. \n5. Supervision of students by classroom teachers at all times \nwhile outside the building (prior planning should be done \nwith local police authorities in schools that would require \nextra police surveillance and supervision outside that \nschool). \n6. Controlled re-entry of the building to include supervision \nof students re-entering to insure that no potentially \ndangerous objects are brought into the building. \nThese procedures should be utilized in conjunction with your \nSchool Safety / Contingency Plans.", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 6 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: Director \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \nA. Bomb Threat Report Form \nB. Bomb Threat Procedures \nC. Suspicious Package/Device \nD. Warning Notice: Please Post", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 7 of 11 \n \n \n \nATTACHMENT A \nBOMB THREAT REPORT FORM \n \nDescribe caller\u2019s voice: \n\uf06f Male \n\uf06f Female \n\uf06f Angry \n\uf06f Excited \n\uf06f Calm \n\uf06f Well spoken \n(educated) \n\uf06f Stutter \n\uf06f Lisp \n\uf06f Rapid \n\uf06f Slow \n\uf06f Raspy \n\uf06f Deep \n\uf06f Soft \n\uf06f Loud \n\uf06f Incoherent \n\uf06f Irrational \n\uf06f Foul \n\uf06f Crying \n\uf06f Disguised \n\uf06f Nasal \n\uf06f Distinct \n\uf06f Slurred \n\uf06f Accent \n\uf06f Taped \n\uf06f Familiar \n\uf06f Message \nread by caller\nIf the voice is familiar, who did it sound like? \nExact wording of threat: \n \n \nQuestions to ask: \n1. When is the bomb going to explode? \n2. Where is it right now? \n3. What does it look like? \n4. What kind of bomb is it?", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 8 of 11 \n \n \n \n5. What will cause it to explode? \n6. Did you place the bomb? \n7. Why did you put it in the building? \n8. What is your address? \n9. What is your name? \n \nBackground sounds: \n\uf06f Street \n\uf06f Animal \nsounds \n\uf06f PA system \n\uf06f Static \n \n\uf06f Voices \n\uf06f Music \n\uf06f Motor \n\uf06f House \nNoises \n\uf06f Local \n\uf06f Long distance \n\uf06f Office \nmachinery \n\uf06f Phone booth\n \nTime: ____________Date: ___________Length of Call: _________________ \nNumber at which call was received: ______________________________ \nREMARKS: _______________________________________________________ \n __________________________________________________________________ \nReceiver of Call: \n __________________________________________________________________ \n(Name and Title) \nATTACHMENT B \nBOMB THREAT PROCEDURES", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 9 of 11 \n \n \n \n \n1. STAY CALM. \n2. Obtain information from the caller and record on Bomb \nThreat Form. \n3. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n4. Activate your school\u2019s Site Incident Control Team. \n5. Call the Superintendent's Office at 617-635-9057. \n6. Administrator will determine if evacuation or containment is \nappropriate. \n7. If evacuating, determine appropriate evacuation routes and \nadvise staff in accordance with your School \nSafety/Contingency Plan (internal communication method). \n8. Do not announce Bomb Scare; use a known code to \ncommunicate the situation to staff. \n9. Take the Bomb Threat Report Form with you if you \nevacuate. \n10. It is recommended that students and staff assembly point(s) \nbe at least 300 yards from the building when evacuating for \na bomb threat. \n11. WHEN IN DOUBT, EVACUATE. \n \n(Ref. Suspicious Package/Device) \nATTACHMENT C \nSUSPICIOUS PACKAGE/DEVICE", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 10 of 11 \n \n \n \n1. STAY CALM. \n2. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n3. Do not move, touch, or handle the object. \n4. Do not use two-way radios. \n5. Do not turn off lights or touch switches. \n6. Keep loud noise to a minimum. \n7. Restrict use of telephone to only urgent business. \n8. Secure the location. \n9. Activate school\u2019s Site Incident Control Team. \n10. Evacuate after determining the safest routes for all building \noccupants. \n11. Communicate the situation and procedures to be followed \nfor evacuation to staff in accordance with your School \nSafety/Contingency Plan (internal communications \nmethod). \n \n(Ref. Bomb Threat Procedures) \n \n \n \nATTACHMENT D", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "content": "Superintendent\u2019s Circular FSE-04 \nPage 11 of 11 \n \n \n \nPLEASE POST \nBOSTON PUBLIC SCHOOLS \n\u2022 WARNING \u2022 \nIt is a crime, as well as disruptive to the \neducational process, to pull a false fire alarm or to \nmake a bomb threat. In addition, accidental injury \nor death of a firefighter, student, or staff member \ncould result. \nPENALTY FOR FALSE ALARM \nImprisonment for up to one year or a fine of not \nless than $100 but not more than $500. \n(M.G.L., C. 269, S. 13) \nPENALTY FOR BOMB THREAT \nImprisonment for up to twenty years and/or a fine \nof up to $10,000. (M.G.L., C. 269, S. 14)", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + }, + { + "file_name": "HRS-PM01 Performance Evaluation of Teachers.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM01 \nVersion 01 \n \n \n \nPERFORMANCE EVALUATION OF TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nComprehensive information pertaining to the performance \nevaluation of BTU under the 2011 education regulation \namendments (603 CMR 35.00) is now located at the Office of \nHuman ResourcesEvaluations webpage. \nA summary of BTU dates and deadlines can be found on Page \n73 of the BTU-BPS Collective Bargaining Agreement. \nLong-Term Substitute Teachers are considered Teachers for \nthe purposes of performance evaluation if they have been in \nposition continuously for more than fifteen (15) consecutive \ndays. \nGeneral inquiries regarding performance evaluation of DESE-\nlicensed educators may be directed to: \neval@bostonpublicschools.org \nInformation regarding performance-related dismissal of \nteachers may be found in Superintendent\u2019s Circular #HRS-\nPP19.", + "source_link": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM01 Performance Evaluation of Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-PM01 \nPage 2 of 2 \n \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nPhone: 617-635-9627 \nE-mail: eval@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP05 \nVersion 01 \n \nEMPLOYEE ATTENDANCE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPoor attendance adversely affects the work we can accomplish \nand the morale of all Boston Public Schools employees. \nAttendance will be monitored throughout the year at all levels. \nAny excessive absences, tardiness, or perceived abuse of time \noff/leave benefits will be investigated and may subject the \nemployee to discipline. The procedures described herein may not \noccur if the superintendent exercises their statutory authority to \ndismiss, demote, or suspend. \nATTENDANCE MONITORING PROCESS \n1. Sign in/out: Managers1 must establish and supervise a paper \nsign in/out procedure that provides an accurate record of \nthe date and time of arrival and departure of all employees \n \n1 The term \"manager\" refers to positions such as academic \nsuperintendent, senior officer, headmaster, principal, senior", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "the date and time of arrival and departure of all employees \n \n1 The term \"manager\" refers to positions such as academic \nsuperintendent, senior officer, headmaster, principal, senior \nprogram director, and director. A manager may in some cases \ndelegate authority to carry out these procedures to supervisory \npersonnel reporting to them.", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 2 of 5 \n \nassigned to them. Employees must comply with the sign \nin/out process. An employee who fails to comply with the \nprocedure, falsifies such a record, and/or fraudulently \nreports their or another\u2019s time will be subject to discipline \nup to and including termination. \n2. Report your absence/early departure: Managers must \nestablish a process to report an absence/early departure due \nto illness. Employees must follow the process created and \nimplemented by their manager for each absence/early \ndeparture. If the employee fails to follow the protocol \nestablished by the manager, the employee\u2019s absence/early \ndeparture will be unexcused, and the employee will not be \npaid for the day(s)/hour(s) of absence(s). The employee may \nalso be subject to discipline up to and including termination. \na. Employees not serving in schools must follow the \nprotocol set by their manager. In the case of early", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "also be subject to discipline up to and including termination. \na. Employees not serving in schools must follow the \nprotocol set by their manager. In the case of early \ndeparture, the employee must notify their manager \nbefore leaving the building. \nb. If the employee\u2019s absence is for more than five (5) \nconsecutive days, refer to the Absence and Leaves \ncircular. Regardless of the duration of the time off due \nto illness, managers may at any time request medical \ndocumentation from the employee to substantiate \ntheir absence. \n3. Reasonable accommodations: An employee seeking \nreasonable accommodations for a disability may contact the \nOffice of Equity (617-635-9650) to begin an interactive \ndialogue process. Employees who inform their managers \nabout a disability will be referred to the Office of Equity by \nthe manager. The district will attempt to provide reasonable", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 3 of 5 \n \naccommodations unless it would cause an undue hardship \nor fundamentally alter the district\u2019s programs. Medical \ninformation concerning any employee will be maintained in \nstrict confidence. \nChapter 151B and the ADA define a person with a disability \nas someone who: (1) has a physical or mental impairment \nthat substantially limits one or more major life activities; (2) \nhas a record of such an impairment; or (3) is regarded as \nhaving such an impairment. Major life activities include, but \nare not limited to: caring for one\u2019s self, performing manual \ntasks, seeing, hearing, speaking, breathing, or learning. \nThe person may also qualify for an extended or intermittent \nleave of absence. Please refer to the Absence and Leave \nPolicy circular and your collective bargaining agreement or \nconditions of employment for more information. \nFor more information about the reasonable \naccommodations process, please see Superintendent\u2019s", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "conditions of employment for more information. \nFor more information about the reasonable \naccommodations process, please see Superintendent\u2019s \nCircular EQT-07. \nPATTERNS OF ABUSE \nWhen a manager determines that an employee\u2019s absences \nand/or tardiness exhibits a pattern of abuse and/or raises \nconcern, the manager will address it directly with the employee \nin the way the manager deems appropriate (i.e., informal \nmeeting versus investigatory meeting). The employee will have \nthe right to union representation at all types of meetings. \nIn the past, the following scenarios have been deemed as \npatterns of abuse (the list is not exhaustive/exclusive):", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 4 of 5 \n \n1. Four (4) or more separate absences before or after the \nweekend or holiday/vacation \n2. Sick absences lasting six (6) or more consecutive days \nwithout a physician\u2019s certificate \n3. Scattered sick days/leave throughout the school year \nexceeding or projected to exceed fifteen (15) or more days \n4. Two (2) or more absences, consecutive or closely \npatterned, following layoff notification \n5. Two (2) or more absences, consecutive or closely \npatterned, following contract non-renewal notification \n6. Two (2) or more absences immediately following poor \nperformance evaluation \n7. Absence during a previously scheduled investigatory \nmeeting \n8. Absence after receiving a notice of an investigatory \nmeeting \n9. Absence on day of release or scheduled release of poor \nperformance evaluation \n10. Patterns of two (2) days out, two in, one out, etc. \n11. Tardiness: two (2) or more days within a one-week period", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "performance evaluation \n10. Patterns of two (2) days out, two in, one out, etc. \n11. Tardiness: two (2) or more days within a one-week period \n12. Tardiness: two (2) or more days within a two-week period \nCONSEQUENCES FOR ABUSE AND/OR EXCESSIVE \nABSENTEEISM/TARDINESS: \nThe following are the consequences an employee will face when \nthey have been deemed to engage in a pattern of abuse and/or \nexcessive absenteeism/tardiness. These consequences can be \napplied individually or in conjunction with one another. \n1. Discipline up to and including termination", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 5 of 5 \n \n2. Requirement to provide medical documentation \nsubstantiating each absence (past, present, and future) \n3. No pay for time out of work if the employee fails to \nprovide requested medical documentation for absences; \nthe absences will be unexcused. \n4. Issuance of an \u201cunsatisfactory/does not meet standards\u201d \nrating on the employee's performance evaluation \nattendance/punctuality standard. \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nE-mail: OHCLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP12 \nVersion 01 \n \nDOMESTIC VIOLENCE LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools is committed to the health and safety of \nour employees and their families. This circular is intended to \ncomply with applicable state laws (1 ) that are designed to protect \nvictims of domestic violence. Should you or your family member \nbe a victim of domestic violence or abusive behavior, you are \nencouraged to communicate with the Office of Human resources \nabout the situation. \nBoston Public Schools must provide employees with up to 15 \ndays of time off in a 12-month period, if: \n\u2022 the employee or their family member is the victim of \nabusive behavior (such as domestic violence, stalking, sexual \nassault, or kidnapping); and \n\u2022 the purpose of the leave is to seek medical attention, \ncounseling, secure housing, or obtain legal or other victim", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "content": "assault, or kidnapping); and \n\u2022 the purpose of the leave is to seek medical attention, \ncounseling, secure housing, or obtain legal or other victim \nservices directly related to the abusive behavior against the \nemployee or family member of the employee. \n \n(1) Section 52E of Chapter 149 of the Massachusetts General Laws \n(Section 10 of Chapter 260 of the Acts of 2014)", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP12 \nPage 2 of 3 \n \nFor purposes of this policy, a family member includes: \n\u2022 Married spouses \n\u2022 Persons \"in a substantive dating or engagement \nrelationship\" AND who reside together \n\u2022 Persons having a child in common regardless of whether \nthey have ever married or resided together \n\u2022 A parent, step-parent, child, step-child, sibling, grandparent, \nor grandchild \n\u2022 Persons in a guardianship relationship \nYou are immediately eligible for this leave upon the beginning of \nyour employment. Employees may use accrued sick, personal, \nand vacation time to remain in paid status during a covered leave \nunder this policy. If no accrued time is available, leave under this \npolicy will be unpaid. \nWe request that you provide appropriate advance notice of this \nleave (as required by the current leave policy), unless there is an \nimminent danger to your immediate health and safety (in which \ncase, we must receive notification within 3 workdays that the", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "content": "leave (as required by the current leave policy), unless there is an \nimminent danger to your immediate health and safety (in which \ncase, we must receive notification within 3 workdays that the \nleave was taken or is being taken for reasons covered by this \npolicy). If you take this leave, please provide documentation \nevidencing that you or your family member has been a victim of \ndomestic violence or abusive behavior within 30 days of the leave \nrequest. Such forms of documentation may include: \n\u2022 A court issued protective order \n\u2022 An official document from a court, provider, or public \nagency \n\u2022 A police report or statement of a victim or witness provided \nto the police", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP12 \nPage 3 of 3 \n \n\u2022 Official legal documentation attesting to perpetrator\u2019s guilt \n\u2022 Medical documentation of treatment for the abusive \nbehavior \n\u2022 A sworn statement from the employee attesting to being a \nvictim of abusive behavior \n\u2022 A sworn statement from a professional who has assisted the \nemployee or the employee's family, e.g., a counselor, social \nworker, health care worker, or member of the clergy. \nPerpetrators of domestic violence are not entitled to leave under \nthis statute. \nProvided you have submitted proper documentation, your \nemployment is protected for leave taken under this policy. If you \nhave questions at any time as to how this policy applies to you, \nplease do not hesitate to contact the Office of Human resources. \nFor more information about this circular, contact: \nName: Employee Services \u2013 Leave of Absence Team \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "content": "Name: Employee Services \u2013 Leave of Absence Team \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM02 \nVersion 01 \n \nPERFORMANCE EVALUATION OF INSTRUCTIONAL \nBASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \nHeads of school, principals, and other administrative heads are \nresponsible for evaluating the performance of administrators \nunder their direct supervision. This employee group is school-\nbased, requires DESE licensure, and is represented as part of the \nBASAS bargaining unit. Instructional BASAS administrators will \nbe evaluated using the VectorEvals platform as the evaluation \ninstrument. As of September 2023, non-instructional BASAS \nadministrators in roles that do not require DESE-licensure will be \nevaluated using Superintendent Circular HRS-PM02A \nPerformance Evaluation of Non-Instructional BASAS \nAdministrators. \nThe purpose of this memorandum is to explain who is \nresponsible for evaluation and to outline the philosophy,", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Performance Evaluation of Non-Instructional BASAS \nAdministrators. \nThe purpose of this memorandum is to explain who is \nresponsible for evaluation and to outline the philosophy, \nobjectives, guidelines, and procedures applicable to that process. \nPHILOSOPHY \nThe Boston Public Schools and the BASAS bargaining unit \nrecognize that the quality of education provided depends upon \nthe professional performance and the total job effectiveness of \nthe teachers and administrators in the system. Thus, since the \nsystem's professionals can and should be held accountable for", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 2 of 10 \n \nthe quality of their performance, a just and effective process for \nevaluating that performance is essential. Such a process must be \norganized to: \n\u2022 foster effective leadership in promoting improvements of \nschools and educational programs \n\u2022 develop in the professional staff a clearer understanding of \nthe goals of education \n\u2022 promote sound organizational and management \nprocedures \n\u2022 demonstrate active support of the policies of the School \nCommittee and superintendent. \nThe performance evaluation program to be implemented to \nsatisfy this philosophy for administrators is diagnostic and \nprescriptive, is generally positively directed, and encourages \nprofessionals to maximize unique strengths and skills. \nAll instructional BASAS administrators whose evaluations are \nsubject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles \nrequire DESE licensure) shall be evaluated on a cycle consistent", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "All instructional BASAS administrators whose evaluations are \nsubject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles \nrequire DESE licensure) shall be evaluated on a cycle consistent \nwith those regulations. Evaluees not subject to 603 CMR 35.00 et. \nseq. shall be evaluated annually, except that such employees \nneed not be evaluated in the following year if they remain in the \nsame job title and position unless the evaluator determines a \nneed to do so. \nINSTRUMENTS/EVALUATORS \nA. Instructional BASAS members shall be evaluated by a \ndesignee of the superintendent outside the BASAS \nbargaining unit. \nB. The evaluation instrument to be used for instructional \nBASAS administrators in DESE-licensed roles as of", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 3 of 10 \n \nSeptember 2019 is known as VectorEvals. It is accessible via \nthe employee\u2019s BPS Google account. Comprehensive \ninformation pertaining to the performance evaluation of \ninstructional BASAS administrators under the 2011 education \nregulation amendments (603 CMR 35.00) is now located at \nthe Office of Human Resources website: \nhttps://www.bostonpublicschools.org/Page/8586. \n \nPROCEDURAL STEPS \nA. Preparation - No later than 30 days after the start of a rating \nyear, and no later than 45 days after a change in a person\u2019s \nevaluator, the person\u2019s evaluator shall meet with the \nevaluee(s) for the purpose of explaining the diagnostic \nprescriptive evaluation program, reviewing the evaluation \ninstrument and which parts of it may not be applicable, \nanswering questions, and determining additional job \nrelated responsibilities which will be covered in the \nevaluation. Within 5 days after said meeting, the evaluee will", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "answering questions, and determining additional job \nrelated responsibilities which will be covered in the \nevaluation. Within 5 days after said meeting, the evaluee will \nreceive a copy of a list of job related functions for which they \nare responsible and on which their performance will be \nevaluated. \nThe evaluee may propose a professional practice goal as \nwell as a student learning goal. All goals are subject to the \napproval of the evaluator. \nB. Data Gathering - It should be clearly understood by the \nevaluee that the data gathering process is ongoing and \ncumulative. Evaluation data includes information gathered \nby observation or other means. Data should be collected \nover a sufficient period and should be accessible to the \nevaluee in compliance with applicable state and federal", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 4 of 10 \n \nlaws. All complaints or derogatory comments obtained from \nparents, community, etc., shall be promptly provided to the \ninstructional BASAS member, or they may not be used as a \nbasis for evaluation. \nThe evaluator must provide feedback within five school days \nto the evaluee (via email or in person) after any observation \nor collection of evidence that results in the evaluator having \na concern that one or more standards may be rated as \nunsatisfactory or needs improvement on a formative or \nsummative evaluation for the first time. \nC. Post-Evaluation Conference - Evaluation reports may be \nfilled out periodically throughout the school year whenever \nan evaluator determines that assistance, supervision, or \nintervention is deemed appropriate. Within ten (10) school \ndays during which the BASAS member is present following \nthe completion of each evaluation, the evaluator shall meet \nwith the evaluee for the purpose of discussing the", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "days during which the BASAS member is present following \nthe completion of each evaluation, the evaluator shall meet \nwith the evaluee for the purpose of discussing the \nevaluation, providing an appraisal of professional strengths \nand areas in need of improvement. \nIn any area where the evaluator indicates a need for \nimprovement, or that the evaluee is \u201cUnsatisfactory\u201d, the \nevaluator will provide the evaluee with a written \nprescription. The prescription must be fully descriptive, \ninstructive, reasonable, attainable, and educationally sound \nas to the specific remedy sought by the evaluator. \nAt the post-evaluation conference, the evaluee will be \nshown their written evaluation by the evaluator and will sign \nit to indicate they have seen it and acknowledge that it will \nbe placed in their personnel file, but not to indicate \nagreement or disagreement. A copy of the evaluation will be", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 5 of 10 \n \nprovided to the evaluee, and the evaluee will be allowed to \nattach comments to the evaluation. \nD. Follow-Up - In general, the number and scope of the \nsubsequent conferences can be gauged at the first post-\nevaluation conference and should be communicated to and \ndiscussed with the evaluee at the end of that conference. \nFORMATIVE ASSESSMENT/EVALUATION AND OBSERVATIONAL \nFEEDBACK \nA. A formative assessment shall be a part of the process used \nto assess progress towards attaining goals set forth in \nadministrator plans, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may \nbe used to inform employment decisions. This process may \ntake place at any time during the cycle of evaluation, but \ntypically takes place at mid-cycle. \nB. A formative evaluation shall be an evaluation conducted at \nthe end of Year 1 for an administrator on a two-year self-", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "typically takes place at mid-cycle. \nB. A formative evaluation shall be an evaluation conducted at \nthe end of Year 1 for an administrator on a two-year self-\ndirected growth plan. This evaluation is to be used to arrive \nat a rating on progress towards attaining the goals set forth \nin the evaluee\u2019s plan, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may \nbe used to inform employment decisions. \nC. If an evaluee\u2019s performance results in a rating of \u201cNeeds \nImprovement,\u201d or \u201cUnsatisfactory\u201d on a formative \nassessment or evaluation, the evaluation prescription may \ncontain a requirement that an administrator take advantage \nof additional professional development training or other \nopportunities.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 6 of 10 \n \nSUMMATIVE EVALUATION AND REPORTS \nA. A summative evaluation is an evaluation used to arrive at a \nrating on each standard, an overall rating, and as a basis to \nmake personnel decisions. The summative evaluation \nincludes the evaluator\u2019s judgments of the evaluee\u2019s \nperformance against performance standards and the \nevaluee\u2019s attainment of goals set forth in the evaluee\u2019s plan. \nB. During the entire evaluation process, continuous assistance, \nsupport, and encouragement should be extended to assist \nthe evaluee in meeting established objectives. \nC. Continued failure to achieve an overall rating of \u201cProficient\u201d \nwill result in additional prescriptions, warnings, additional \nevaluations, and further personnel action, including \nevaluation visits from other School Department \nadministrators. \nD. An evaluee whose overall performance has been judged as \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d shall be notified in", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "evaluation visits from other School Department \nadministrators. \nD. An evaluee whose overall performance has been judged as \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d shall be notified in \nwriting and shall meet directly with the evaluator. \nDISPUTE RESOLUTION \nA. An overall rating of \u201cUnsatisfactory\u201d on a summative \nevaluation for BASAS members shall be subject to the \ngrievance and arbitration procedure. An administrator may \ngrieve a summative rating of \u201cProficient\u201d evaluation up to \nand including the level of the responsible administrator \nabove the level of the evaluator. Any evaluation that is used \nor referred to as any part of the rationale for removal, \nreassignment, or any other negative action against an \nemployee shall be subject to the grievance and arbitration \nprocedures.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 7 of 10 \n \nB. Any evaluation of an instructional BASAS administrator \nwhich is overall \u201cUnsatisfactory\u201d shall be promptly \nforwarded to BASAS along with any other recommended \nprofessional development or corrective action plan, \nprovided that the BASAS member has so requested in \nwriting. The superintendent\u2019s designee and BASAS agree to \nmeet to discuss the plan, when requested by the BASAS \nmember. \nC. Alleged violations of the performance evaluation process are \nsubject to the grievance and arbitration procedures if the \nemployee has been dismissed. \nPROCEDURES FOR DISMISSAL/DEMOTION \nIf the performance evaluation of an evaluee results in a \nrecommendation for dismissal/demotion by the evaluator \n(confirmed by the head of school or other senior administrator), \nthe following procedures will be followed: \nA. The superintendent's designee shall discuss each \nrecommendation for dismissal with the appropriate", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "the following procedures will be followed: \nA. The superintendent's designee shall discuss each \nrecommendation for dismissal with the appropriate \nevaluator and/or other senior administrator. The \nsuperintendent's designee shall then undertake the \nnecessary investigation to substantiate the evaluation of the \nadministrator. \nBased on the above, the superintendent or their designee \nshall decide on the appropriateness of the recommendation \nfor dismissal/demotion. The evaluator and/or other senior \nadministrator must present supporting documents to the \nSuperintendent or their designee when presenting a \nrecommendation for dismissal. \nB. The superintendent or their designee or senior", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 8 of 10 \n \nadministrator shall submit all processed recommendations \nfor dismissal to the Office of Labor Relations. \nC. The decisions of the superintendent or their designee shall \nbe confined to the following: \n1. Retention - This is a rejection of the recommendation \nof the evaluator based on the evidence presented on \nan individual administrator. \n2. Notice - The superintendent's designee, having \nreviewed the materials, decides that the case does not \nwarrant a recommendation for dismissal/demotion, \nbut instead warrants placing the administrator on \nnotice that their performance is highly unacceptable. \nThis status stands as a final warning that the \nadministrator will be subject to additional evaluation \nduring the academic year and, if performance is not \nimproved, may be subject to dismissal/demotion. \n3. Dismissal/Demotion - This recommendation is the \naffirmation of the evidence presented by the evaluator.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "improved, may be subject to dismissal/demotion. \n3. Dismissal/Demotion - This recommendation is the \naffirmation of the evidence presented by the evaluator. \nThe evaluee may call for a hearing before the \nsuperintendent or designee thirty days after written \nnotification to the administrator of the \nrecommendation for dismissal/demotion. \nD. The Office of Labor Relations shall: (1) evaluate the evidence \nfor dismissal/demotion; (2) review the recommendation, if \nnecessary, with the evaluator and/or superintendent or their \ndesignee; and (3) determine that relevant procedures for \nevaluations were substantially complied with and that the \nevaluations warrant dismissal of the employee. \nE. The Office of Labor Relations shall forward its analysis to the", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 9 of 10 \n \nsuperintendent of schools with copies to the principal leader \nor other senior administrator. \nF. The superintendent shall review the materials, make a \ndecision, and give notice to the employee in accordance \nwith G.L. c.71, Section 42. \nPROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or supervisor determines that an \nadministrator has violated work rules, the supervisor should \nfollow procedures outlined in Superintendent's Circular HRS-\nPP10 Employee Discipline Procedures. Additionally, the principal, \nhead of school, or supervisor may consider the infraction in \nevaluating the administrator's overall performance. \nFailure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of a supervisor. This \nproblem is further compounded when \"problem staff\" are given a \nsatisfactory rating by the supervisor and encouraged to transfer", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "unacceptable performance on the part of a supervisor. This \nproblem is further compounded when \"problem staff\" are given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative \nperformance on the part of that person and they will be held \naccountable by the appropriate senior administrator and \nsuperintendent.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 10 of 10 \n \nPlease refer in advance to Superintendent's Circular HRS-PP10 \nEmployee Discipline Procedures. \nSummary of significant dates and deadlines: \nDate Activity \nJune 15 \nDeadline for evaluators to submit \nevaluation to Instructional BASAS \nAdministrators via VectorEvals \nplatform. \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-9627 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP14 \nVersion 01 \n \nPAID LEAVE FOR CANCER SCREENING AND/OR LIVING \nORGAN DONATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nTwo additional paid leave benefits are available to City of Boston \nemployees for annual cancer screenings and living organ \ndonations. \nANNUAL CANCER SCREENING \nThe mayor has signed an executive order that allows all City of \nBoston employees to use up to four (4) hours of leave per \ncalendar year for various types of cancer screening. (Types of \ncancer screening that fall under the four hours off per year policy \nare as follows: breast, prostate, colon, skin, thyroid, oral cavity, \nlymph nodes, reproductive organs, and lungs). \nThe following procedure is in effect in the Boston Public Schools: \n\u2022 Employees will be allowed up to four (4) hours of leave, per \ncalendar year, that can be used intermittently or in one (1) \nfour-hour period.", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "content": "\u2022 Employees will be allowed up to four (4) hours of leave, per \ncalendar year, that can be used intermittently or in one (1) \nfour-hour period. \n\u2022 Employees must make a request through their \nResponsibility Center manager.", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "content": "Superintendent\u2019s Circular HRS-PP14 \nPage 2 of 4 \n \n\u2022 A signed copy of a medical document verifying the date that \nthe employee was given a cancer screening must be filed \nwith the Responsibility Center manager. \n\u2022 This time is not charged to any accumulated sick leave; and \ntime in position, creditable service, pay, leave and health \nbenefits are all protected while on this type of leave. \nTo report time for an annual cancer screening, please add an \nabsence event on the timesheet using the absence name \u201cPre-\nCancer Screening.\u201d \nLIVING ORGAN DONATION \nEffective October 3, 2006, the mayor has issued an executive \norder adopting An Act Relative to Living Organ Donation which \ngrants leave of absence without loss of pay for living organ \ndonation. It applies to leave taken by an employee to provide live \norgan donation to be transplanted into another individual. Live \norgan donation includes donation of kidney, liver, pancreas, lung, \nintestine, or heart (domino transplants).", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "content": "organ donation to be transplanted into another individual. Live \norgan donation includes donation of kidney, liver, pancreas, lung, \nintestine, or heart (domino transplants). \nAll City of Boston employees are eligible for this leave, which \nincludes full-time, part-time, seasonal, and temporary employees \neligible for paid leave benefits. It does not include independent \ncontractors, substitutes, cab monitors, transportation attendants, \nintermittent, or any other employees who are not eligible for paid \nleave benefits. \nThe following procedure is in effect in the Boston Public Schools: \n\u2022 Employees will be allowed a maximum total of 30 days of \npaid leave in a calendar year to donate an organ. \n\u2022 This time only covers days taken for the medical procedure", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "content": "Superintendent\u2019s Circular HRS-PP14 \nPage 3 of 4 \n \nand the recovery from it. \n\u2022 Part-time employees will receive a prorated portion of the \n30 days based on their part-time schedule. \n\u2022 Leave can be used intermittently. \n\u2022 Employee must obtain a letter on a physician\u2019s letterhead \ndisclosing that the employee is approved to be a live organ \ndonor and the type of organ being donated. \n\u2022 A signed copy of a medical document verifying the date of \nthe living organ donation procedure that the employee has \nundergone must be submitted to Human Resources \nthrough their Responsibility Center manager (e.g., principal \nor department head). \n\u2022 This time is not charged to any accumulated sick leave; time \nin position, creditable service, pay, leave, and health benefits \nare protected while on this type of leave. \nTo report time for a living organ donation, please add an \nabsence event on the timesheet using the absence name \n\u201cOrgan Donation.\u201d", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "content": "are protected while on this type of leave. \nTo report time for a living organ donation, please add an \nabsence event on the timesheet using the absence name \n\u201cOrgan Donation.\u201d \nQuestions on specific health insurance coverage should be \ndirected to Health Benefits and Insurance at 617-635-4570 or to \nyour health insurance provider. More information about live \norgan donation may be found at the following link: \nhttps://optn.transplant.hrsa.gov/resources/living-donation", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "content": "Superintendent\u2019s Circular HRS-PP14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP20 \nVersion 01 \n \n \n \nCHANGES IN PAY FREQUENCY FOR \nPARAPROFESSIONALS AND COMMUNITY FIELD \nCOORDINATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPursuant to the Memorandum of Agreement between the School \nCommittee of the City of Boston and The Boston Teachers Union, \nLocal 66, AFT, AFL-CIO (\u2018Union\u2019), Article III, Compensation and \nBenefits Section A: \u201cAdd \u2013 If 200 paraprofessionals choose the \noption, a paraprofessional shall have the option of being paid \nbiweekly over 26 paychecks\u201d. \n1. Paraprofessionals and community field coordinators may \nelect to be paid biweekly over 26 paychecks. \n2. An employee must be active or on paid leave at the \nbeginning of the school year. \n3. Applications can be submitted to the Payroll Unit via fax to \n617-635-9003, via Google form \nhttps://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq-\ni9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "content": "617-635-9003, via Google form \nhttps://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq-\ni9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or \nUS postal service to 2300 Washington Street, Roxbury MA \n02119, Attn: Payroll, only during the open enrollment period \nwhich begins on April 1 and ends on June 1. \n4. Applicants who wish to change their pay frequency from 10", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "content": "Superintendent\u2019s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 2 of 3 \n \n \n \nmonths to 12 months or 12 months to 10 months must notify \nPayroll by submitting the Para Pay Frequency application or \ncompleting the Google form prior to the June 1 deadline to \nbe effective September of the next school year. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nApril 1 Para pay frequency open enrollment period begins. \nJune 1 Para pay frequency open enrollment period closes. \n \nFor more information about this circular, contact: \nDepartment: Office of Human Capital \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-9003 \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "content": "Superintendent\u2019s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 3 of 3 \n \n \n \nAPPLICATION FOR CHANGE IN PAY FREQUENCY FOR ALL \nPARAPROFESSIONALS & COMMUNITY FIELD COORDINATORS \n\uf06f Change from 21 to 26 payments (paid 12 months): \nI am electing to change my paycheck frequency to 26 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \n\uf06f Change from 26 to 21 payments (paid 10 months): \nI am electing to change my paycheck frequency to 21 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \nName: ___________________________________________________________ \nEmployee I.D.: ____________________________________________________ \nSchool/Department: ______________________________________________ \nSignature: _______________________________________________________ \nDate: __________________________ \nPlease submit your completed form on or before June 1. The \nchange will become effective in September of the new school", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "content": "Date: __________________________ \nPlease submit your completed form on or before June 1. The \nchange will become effective in September of the new school \nyear. If you have any questions regarding this matter, please \ncontact the Office of Human Capital at 617-635-9600.", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM05 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nLUNCH HOUR MONITORS ASSOCIATION \nThe contract between the School Committee and the Lunch \nMonitors Association provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Association. The evaluation process relates to the duties and \nresponsibilities of the employee\u2019s position, as set forth in the \nemployee\u2019s job description. \nI. ROLES AND RESPONSIBILITIES \nThe principal/head or school or assistant principal shall be \nresponsible for the evaluation of the performance of all lunch \nhour monitors. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "represents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an \nunderperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nAt the end of each evaluation year, the Evaluator should retain \ncopies of all evaluations and send the originals of all evaluations", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 2 of 10 \n \nto the Office of Human Resources. \nII. EVALUATION \nPreliminary Procedures \nAt a reasonable time period after the start of the school year, the \nprincipal/assistant principal shall meet with the lunch hour \nmonitors for the purpose of explaining the evaluation program \nand answering questions. The evaluation instrument will be \nreviewed during this meeting. \nAfter the evaluation has been presented to the employee, the \nsigned evaluation form must be submitted to the Office of \nHuman Resources. \nInterim Evaluations \nAll lunch hour monitors shall receive an Interim evaluation at \nleast once, or as required for the efficient running of the school. \nAll interim evaluations should be conducted no earlier than \nFebruary 1st each year. \nAnnual Evaluations \nAnnual evaluations must be completed no later than the last day \nof school each year. \nEvaluation Completion \nEvery interim and annual evaluation must result in a mark for", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Annual Evaluations \nAnnual evaluations must be completed no later than the last day \nof school each year. \nEvaluation Completion \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the evaluee with a written prescription. The diagnosis \nand subsequent prescription should be fully descriptive and", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 3 of 10 \n \ninstructive, suggesting specific remedies or recommendations \nfor adoption by the evaluee. \nEvaluation Conference \nWithin ten (10) school days following the completion of an \nevaluation, the evaluator shall meet with the evaluee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluee will be shown their written evaluation and will sign it to \nindicate having seen it and to acknowledge that it will be placed \nin their personnel file, but not to indicate agreement or \ndisagreement with the evaluation results. \nA copy of the evaluation shall be provided to the evaluee. The \nevaluee will be allowed to attach their comments to the \nevaluation. An evaluee whose overall performance has been \njudged unsatisfactory shall be notified in writing and shall meet \ndirectly with the evaluator.1 \nIII. RATINGS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "directly with the evaluator.1 \nIII. RATINGS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are three possible \nratings: \n \nE - EXCELLENT: The employee\u2019s performance of the duties and \nresponsibilities of their position exceeds \n \n1 See Section V: Procedures for Unsatisfactory Evaluations for \nmore information on this process.", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 4 of 10 \n \nexpectations. \nS - SATISFACTORY: The employee\u2019s performance of the duties and \nresponsibilities of their position meets expectations. \nU - UNSATISFACTORY: The employee has failed to meet expectations and \ntheir performance of the duties and responsibilities of \ntheir position needs improvement. \nIV. PROCEDURES FOR UNSATISFACTORY EVALUATIONS \nIf an evaluee receives an annual overall Unsatisfactory evaluation, \nplus an interim Unsatisfactory evaluation, the supervisor may \ninitiate termination by recommending to the Superintendent \nthat such employee be terminated. \nIf the first evaluation is Unsatisfactory, it will be followed by a \nsecond evaluation no less than twenty-five (25) days in which the \nlunch monitor is present and no more than fifty (50) days in \nwhich the lunch monitor is present. \nIf the second evaluation is Unsatisfactory, the lunch monitor will \nbe given ten (10) school days to improve their performance.", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "which the lunch monitor is present. \nIf the second evaluation is Unsatisfactory, the lunch monitor will \nbe given ten (10) school days to improve their performance. \nDuring these ten (10) school days following the second \nevaluation, the evaluator must informally evaluate the lunch \nmonitor, but is not required to formally observe the employee or \nmake any record of this evaluation. \nShould the lunch monitor\u2019s performance not improve within the \nten (10) days following an Unsatisfactory second evaluation, the \nmonitor may be recommended for dismissal to the \nsuperintendent.", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 5 of 10 \n \n V. PROCEDURES FOR DISCIPLINE \nIf an Evaluator determines that an employee has committed an \ninfraction of work rules such as excessive tardiness, absences, \netc., the supervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures.2 \nAdditionally, the supervisor should consider the infraction in \nevaluating the evaluee\u2019s overall performance. \n \n \n2 Also refer to Superintendent Circular (HRS-PP10) Employee \nDiscipline Procedures. at this link: \nwww.bostonpublicschools.org/domain/1884", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 6 of 10 \n \nVI. Summary of significant dates and deadlines: \nDate Activity \nShortly after the start of a \nschool year \nReview job description and evaluation instrument. \nSign cover page to acknowledge meeting \nNo later than Feb. 1 \nComplete first Interim evaluation; to be conducted \nno earlier than 15 school days after the start of the \nschool year. \nNo later than the last day of \nschool \nDeadline to complete annual evaluation. Send \nsigned, original copies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: HRFront Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 7 of 10 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA 02119 \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 8 of 10 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FOR LUNCH HOUR MONITORS \nName _______________________________ Empl ID# \nSchool ___________________________________________________________ \nEvaluator ________________________________________________________ \n Permanent Provisional Substitute \n \nLast Overall Rating ______ \n E= Excellent S= Satisfactory U= Unsatisfactory \n \n \nEvaluation procedure and form reviewed on (Date): ______________ \nAcknowledged (Evaluator): ______________________________________ \nAcknowledged (Lunch Monitor): _________________________________ \nCategory (check the applicable rating box for each \ncategory) \nE S U \nMaintains safety and order during lunch and recess. \nMaintains appropriate schedule for lunch and recess. \nPerforms ordinary school tasks as directed and performs the work \naccurately.", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 9 of 10 \n \nCategory (check the applicable rating box for each \ncategory) \nE S U \nComes to work on time and maintains good attendance. \nWorks productively during all scheduled work hours and continues \nwork in the absence of supervision. \n \nKnows the work and organizes appropriately. \nUses good judgment. \nAbides by rules and regulations and complies with oral and written \ninstructions. \n \nCommunicates effectively and in a constructive way with students \nand the school's staff. \n \nWorks harmoniously with others and maintains a high level of \nprofessionalism. \n \nTreats students with respect, fairness, and consistency. \nAccepts constructive criticism. \nOverall Rating: \n \n_______________________________________________ _________________ \n Evaluator\u2019s Signature Date \n \n_______________________________________________ _________________ \n Lunch Hour Monitor\u2019s Signature Date \n \nEvaluator\u2019s Comments:", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 10 of 10 \n \n \n \n \n \n \n \n \n \n \n \nEvaluee\u2019s Comments:", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS07.1 \nVersion 01 \n \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nThis circular will remain in effect unless rescinded by a \nsubsequent version. \nPermanent teachers in Boston Public Schools may choose to \napply for additional program areas. These are non-primary \nsubject area(s) in which a teacher currently holds license(s). \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nTo be deemed qualified in program areas other than the \n\"primary\" subject area in which a teacher is currently teaching, a \nteacher must hold a valid license in the subject area. The Office of \nHuman Resources will verify licensure with the Massachusetts \nDepartment of Education. Re-licensure does not meet this \ncriterion. \nIn addition to holding a valid license in the subject area, the \nemployee must satisfy at least one of the criteria below: \n1. The Massachusetts State license is not more than five (5) \nyears old.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "content": "In addition to holding a valid license in the subject area, the \nemployee must satisfy at least one of the criteria below: \n1. The Massachusetts State license is not more than five (5) \nyears old. \n2. A mean score on the Praxis Exam, not more than ten (10) \nyears old. \n3. Fifteen (15) course credits, graduate or undergraduate, \napproved as relevant to the program area qualification. All", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 2 of 4 \n \ncoursework must have been completed within the past five \n(5) years. Original transcripts are required if claiming an area \nunder this provision. When submitting transcripts, please \nindicate the fifteen (15) course credits relevant to the \nprogram area qualification. If transcripts are not submitted \nby the deadline, the application can be denied. \n4. Two (2) years of teaching experience within Boston Public \nSchools in the subject area in the last ten (10) years. A \ncreditable year is one in which at least 50% of the weekly \nschedule is in the subject area. A letter from the head of \nschool or principal stating that you taught at least 50% of \nthe weekly schedule in that area and designation of the \nspecific year(s) will be required in the area you are claiming \nunder this provision. If a letter is not submitted by the \ndeadline, the application can be denied. \n \nPermanent teachers who wish to apply for additional program", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "content": "under this provision. If a letter is not submitted by the \ndeadline, the application can be denied. \n \nPermanent teachers who wish to apply for additional program \nareas must submit their request via the Additional Program Area \nRequest form. Supplemental materials must be submitted to the \nOffice of Human Resources by mail or in person. \n\uf075 Applications and complete documentation must be \nsubmitted to the Office of Human Resources by January \n15, 2024. Applications received after this date will not be \nreviewed. \nThe Office of Human Resources has transitioned to using online \nforms. The link to the Additional Program Area Request form can \nbe found below. Employees will be required to sign in with their \nBoston Public Schools Gmail account. Supplemental materials", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 3 of 4 \n \nsuch as transcripts can be submitted via mail or in person to the \nOffice of Human Resources. \nLINK TO APPLY \n\u2022 Additional Program Area Request form \n\u2022 Or copy this URL: \nhttps://docs.google.com/forms/d/e/1FAIpQLSdD7uA5nLZH\nuEKE5pP4uD-gYtf74RCtzEcYZrgeauvwmNBB-\ng/viewform \nSUPPLEMENTAL DOCUMENTATION \nApplication approval is contingent on submission of one of the \nfollowing documents: \n\u25cf Official transcript(s) indicating the completion of fifteen \n(15) graduate or undergraduate course credits relevant to \nthe program area qualification \n\u25cf A signed letter from the head of school/principal \nconfirming the following information: \n\u25cb The subject area you taught (relevant to your \napplication) \n\u25cb The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \n\u25cb Confirmation that you taught at least 50% of the \nweekly schedule in that area.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "content": "\u25cb The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \n\u25cb Confirmation that you taught at least 50% of the \nweekly schedule in that area. \n \nPlease submit supplemental documents to the contact listed \nbelow. \nFor more information about this circular, please contact:", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 4 of 4 \n \nOwner: School Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nEmail: For additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston \n(access.boston.gov). \n \nMary Skipper, Superintendent", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-L01 \nVersion 01 \n \n \n \nSTATE LICENSURE AND REQUIREMENTS FOR \nTEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAccording to Massachusetts General Law, all teachers must hold \na valid license issued by the Massachusetts Department of \nElementary and Secondary Education (DESE) in the most \nappropriate subject and grade level corresponding to their \nteaching assignment(s). Teachers are not hired by BPS unless \nthey qualify for the appropriate license or license waiver. A waiver \npermits the district to employ an unlicensed teacher for one \nschool year only and does not count as a license. Waivers are \nrequested only by the BPS Office of Human Resources in rare \ncircumstances where there are no licensed candidates available \nto fill a position. \nThis Superintendent\u2019s Circular provides guidance for meeting \nMassachusetts state licensure requirements.", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "circumstances where there are no licensed candidates available \nto fill a position. \nThis Superintendent\u2019s Circular provides guidance for meeting \nMassachusetts state licensure requirements. \nI. DATA COLLECTION AND TRACKING PROCEDURES \nTo collect and track data about the licensure of BPS teachers and \nparaprofessionals, the BPS Office of Human Resources requires \nonline reporting of critical information, including Massachusetts \nTests for Educator Licensure (MTEL) results, licensure status,", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 2 of 8 \n \n \n \ncoursework, and degree information of teachers. All teachers and \ntheir administrators must comply with these data collection \nprocedures. Furthermore, it is every educator\u2019s professional \nresponsibility to know their personal licensure status and take \nthe necessary steps to maintain their license validity. \nII. MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nA. Know what license is required by your teaching position: \no The license required for your position should be made \nclear to you upon hire, but when in doubt, ask your \nprincipal/head of school, Human Resources \ncoordinator, or Human Resources manager. \no The fundamental requirement is that teachers must \npossess the license that affords the most appropriate \nfit for their teaching assignment. For example, while it \nmay seem acceptable for a teacher of 6th grade math \nand science to work under an Elementary (1-6) license, \nthe MA DESE offers a Middle School Math/Science (5-8)", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "may seem acceptable for a teacher of 6th grade math \nand science to work under an Elementary (1-6) license, \nthe MA DESE offers a Middle School Math/Science (5-8) \nlicense which is a more appropriate license for this \nteaching assignment. \no For more information about currently offered licenses \nand specific requirements, visit \nwww.doe.mass.edu/licensurehelp. \no Individual\u2019s official state licensure records and history \ncan be accessed securely through the MA DESE\u2019s ELAR \nportal at https://www.doe.mass.edu/licensure/elar/. If \nyou do not know your username and/or password, click \non \"Forgot username/password\" and it will walk you \nthrough some steps to retrieve the username and reset", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 3 of 8 \n \n \n \nthe password. If you still have difficulty, you can call the \nDESE Licensure Help Desk at 781-338-6600 and they \nshould be able to reset it for you. \no See Attachment A for guidance on which \u201ctype\u201d of \nlicense (Provisional, Initial, Professional, Temporary) \nsuits your level of preparation and/or experience. \nB. Apply for the appropriate license. \no When interested in obtaining a new license, or \nadvancing your non-professional license, the best first \nstep is to apply for the license you plan to pursue. Even \nif you have not yet met all of the requirements, this is \nDESE's opportunity to evaluate your standing with \nregard to the current requirements and give you \nwritten instructions on what remains to be done. They \nleave all applications open until you are granted the \nlicense. \no Online applications can be submitted through the MA \nDESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/, where you", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "leave all applications open until you are granted the \nlicense. \no Online applications can be submitted through the MA \nDESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/, where you \nindicate which license you are interested in obtaining \nand pay the application fees. Applications cost $100 for \nthe first submission and $25 for each additional. \no Submit official transcripts (undergraduate and \ngraduate) to the MA DESE by mail or in person. The \naddress is: \nOffice of Educator Licensure \nMass. Dept. of Education \n75 Pleasant Street", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 4 of 8 \n \n \n \nMalden, MA 02148 \no Additional documentation, such as out-of-state \nteaching licenses and letters verifying applicable \nteaching experience or preparation, may also need to \nbe submitted. \no Upon review of your application and transcripts, the \nMA DESE will notify you in writing if additional \ndocumentation or clarification is necessary, or if you \nstill have additional requirements to complete. This is \ncalled the evaluation letter. It will give you instructions \non your next steps. \no Make sure your social security number appears on all \ndocuments sent to MA DESE. \nC. Take and pass all relevant MTELs. \no The test(s) you are required to take will be dictated by \nthe DESE, based on the application that you submitted. \nGeneral information about which tests are required for \nwhich license can be found online at \nwww.doe.mass.edu/licensurehelp. If you still aren\u2019t \ncertain which tests you need, and you do not have time", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "which license can be found online at \nwww.doe.mass.edu/licensurehelp. If you still aren\u2019t \ncertain which tests you need, and you do not have time \nto wait for the DESE\u2019s evaluation letter, you may call \nthe Office of Human Resources at 617-635-9600. \nD. Advance or renew your license. \no Teachers who hold a temporary, provisional, or initial \nlicense are required to be working to advance toward a \nprofessional license. See attachment A for guidance on \nthe progression of licenses.", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 5 of 8 \n \n \n \no Teachers who hold a professional license must renew it \nevery five calendar years. There is an expiration date \nassociated with each individual\u2019s professional license \nindicating when it needs to be renewed. \no Renewal of a professional license requires the \ncompletion of 150 Professional Development Points \n(PDPs) within the five-year renewal period. At least 15 of \nthese points must be in the content of the license (i.e., \nwhat you teach). The next 15 points must be in \npedagogy (i.e., how you teach). Fifteen points must be \nin Sheltered English Immersion or English as a Second \nLanguage (SEI or ESL), 15 points must relate to training \nin schooling methods for students with disabilities \nand/or diverse learning styles, and the remaining 90 \npoints can be in \u201celective activities\u201d that address other \neducational issues or improve student learning, \ncontent knowledge, or pedagogy.", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "and/or diverse learning styles, and the remaining 90 \npoints can be in \u201celective activities\u201d that address other \neducational issues or improve student learning, \ncontent knowledge, or pedagogy. \no The activities that teachers participate in to earn PDPs \nshould be dictated by their Individualized Professional \nDevelopment Plan (IPDP), which must be reviewed \nand signed for approval by their principal/head of \nschool every two years. Signed copies of the approved \nIPDP must be maintained in the school building. \no Visit https://www.doe.mass.edu/pd/ipdp.docx to view \nor print an IPDP template. \no Online applications for renewal can be submitted \nthrough the MA DESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/ after all PDP \nrequirements have been completed.", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 6 of 8 \n \n \n \no All educators and other employees seeking licensure \nrelated verifications must complete this form. \n \nFor more information about this circular, contact: \nOwner: Licensure Manager \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9212 \nEmail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 7 of 8 \n \n \n \nATTACHMENT A \nMassachusetts Teacher Licensure \u2013 At a Glance \nMASSACHUSETTS EDUCATOR LICENSURE \nLicenses granted by the Massachusetts Department of \nElementary & Secondary Education \n75 Pleasant Street, Malden, MA 02148 \n781-338-6600 \nwww.doe.mass.edu/licensurehelp \n \nYOU MAY START HERE\u2026 \nPROVISIONAL LICENSE TEMPORARY LICENSE \n\u2022 Valid for 5 years of employment \n\u2022 For people who have not \ncompleted an approved \neducator preparation program \nRequires: \n\u2022 A bachelor's degree \n\u2022 Passing score(s) on MTEL \nwww.mtel.nesinc.com \n\u2022 Additional coursework required \nfor elementary, early childhood, \nmoderate disabilities, severe \ndisabilities, library, and/or \ninstructional technology \n\u2022 Valid for 1 calendar year \n\u2022 For experienced teachers \nfrom another state \nRequires: \n\u2022 Possession of a valid \neducator license/certificate \nfrom another state that is \ncomparable to at least an \ninitial license in \nMassachusetts", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "from another state \nRequires: \n\u2022 Possession of a valid \neducator license/certificate \nfrom another state that is \ncomparable to at least an \ninitial license in \nMassachusetts \n\u2022 3 years teaching under a \nvalid out-of-state \nlicense/certificate", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 8 of 8 \n \n \n \n\u2026OR YOU MAY START HERE: \nINITIAL LICENSE PROFESSIONAL LICENSE \n\u2022 Valid for 5 years of employment \n\u2022 (May be extended one time for 5 \nadditional years of employment) \nRequires: \n\u2022 A bachelor's degree \n\u2022 Passing score(s) on MTEL, \nwww.mtel.nesinc.com \n\u2022 Completion of an approved \neducator preparation program \n \n\u2022 Valid for 5 calendar years \nRequires: \n\u2022 3 years of employment \nunder the Initial license \n\u2022 Completion of a beginning \nteacher induction program \n\u2022 One of the capstone \noptions for the Professional \nlicense (i.e., master\u2019s degree \nincluding or in addition to \n12 graduate credits in \ncontent) \n\u2022 Continuing professional \ndevelopment required to \nrenew Professional licenses \nevery 5 calendar years", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM02A \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF \nNON-INSTRUCTIONAL BASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment \nStep 5: Summative Evaluation (June 15) \nUpward Feedback \nEvaluation Platform and Documentation \nTimeline and Tools", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 2 of 11 \n \n \n \nAppendix A: Core Competencies \nAppendix B: Rating Levels \nAppendix C: Goal Status Scale \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for Non-Instructional BASAS Administrators \nassigned to schools and central office departments. The purpose \nof this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. Please refer to Circular HRS-PM02 - Performance \nEvaluation of Instructional BASAS Administrators for \nInstructional BASAS staff evaluation procedures. \nPURPOSE OF PERFORMANCE MANAGEMENT \nBoston Public Schools (BPS) students are the citizens, leaders, \nscholars, entrepreneurs, advocates, and innovators of tomorrow. \nAs a city and district, we must ensure that 100 percent of our \nstudents are prepared for college, career, and life in the 21st \ncentury. We must model our district and Central Office on the", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "As a city and district, we must ensure that 100 percent of our \nstudents are prepared for college, career, and life in the 21st \ncentury. We must model our district and Central Office on the \nclassroom we want to see. We have established a system of \nperformance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 3 of 11 \n \n \n \nThe fundamental purpose of performance management in BPS \nschools and Central Office is to maximize the productivity and \nimpact of our employees by enabling them to perform at their \nfullest potential. Our approach is designed to provide high-\nquality support to schools, students, and families in BPS to \nensure our graduates are college, career, and life ready. To do so, \nour performance management system will: \n \n1. Establish a consistent set of competencies to clearly set and \ncommunicate expectations for employee performance. \n2. Align employee efforts with department and organizational \ngoals. \n3. Create systems and structures that gather and monitor \nperformance to support employee feedback, growth, and \ndevelopment. \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support. \n5. Provide accountability for individuals and enable them to", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "development. \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support. \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals. \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nNon-instructional BASAS members may be evaluated by the \nteam leader, responsibility center manager, supervisor, or their", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 4 of 11 \n \n \n \ndesignee. The criteria for effective practice for non-instructional \nBASAS administrators are identified in the Core Competencies, \nwhich defines six categories listed below. See Appendix A for \ngreater detail on the Core Competencies. \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \n \nEvaluations will result in goal \nratings, competency ratings, \nand an overall performance \nrating, which will be based on \nthe supervisor\u2019s judgment on \nevidence of performance \nagainst the standards and \nprogress toward goals. \nProgress toward goals will be \nrated as \u201cGoal Achieved,\u201d \u201cGoal \nSignificantly Met,\u201d \u201cActive \nGoal,\u201d \u201cGoal Not Met,\u201d and \u201cGoal Deferred.\u201d Greater details \non these rating levels can be found in Appendix B (at the \nend of this document).", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Significantly Met,\u201d \u201cActive \nGoal,\u201d \u201cGoal Not Met,\u201d and \u201cGoal Deferred.\u201d Greater details \non these rating levels can be found in Appendix B (at the \nend of this document).", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 5 of 11 \n \n \n \nThe five levels of performance which apply to performance on \neach competency and the overall performance rating shall be: \n\u201cHighly Effective,\u201d \u201cEffective,\u201d \u201cDeveloping,\u201d \u201cMinimally Effective,\u201d \nand \u201cIneffective.\u201d Greater details on these rating levels can be \nfound in Appendix B (at the end of this document). \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by the employee and their supervisor. \n \nStep 1: Self-Assessment (by September 1) \nThe employee reviews available evidence of work performance, \nprior feedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The \nSelf-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nStep 2: Analysis, Goal Setting, and Analysis (by October 1)", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Self-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nStep 2: Analysis, Goal Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand their supervisor establish 2-4 goals, related to professional \npractice or performance: \n\u25cf A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, the", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 6 of 11 \n \n \n \nemployee and their supervisor should both look at past \nperformance and feedback, as well as the employee\u2019s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies. \n\u25cf A performance goal is a measurable target or outcome \nrelated to an employee\u2019s work. Goals should align with an \nemployee\u2019s team and/or departmental goal(s). \nStep 3: Implementation of the Plan (ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nStep 4: Formative Assessment (optional by February 1)", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "feedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nStep 4: Formative Assessment (optional by February 1) \nEach employee should receive a formative assessment to provide \nthe employee with formal feedback on their performance against \nthe Core Competencies and their progress toward goals. \nTypically, the formative will occur midway through the \nassessment year, though may take place earlier for individuals in \nneed of additional support.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 7 of 11 \n \n \n \nStep 5: Summative Evaluation (June 15) \nEach employee shall receive a summative evaluation to provide \nthe employee with formal feedback and ratings of their \nperformance, and progress toward goals. \nUpward Feedback \nIn this process, upward feedback from direct reports and school \nleaders (when applicable), as well as peer feedback, should be \nincorporated into an employee\u2019s performance evaluation. \nEVALUATION PLATFORM AND DOCUMENTATION \nBeginning September 2023, non-instructional BASAS \nadministrators\u2019 evaluations and related documentation will be \ngenerated and stored in the BPS online performance \nmanagement platform, VectorEvals. Employees and supervisors \nwill receive training in accessing, navigating, and using the \nplatform prior to the start of their evaluation cycle. Training \nmodules will be available in an online, on-demand format to the \nemployee and their supervisor for reference, as well.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 8 of 11 \n \n \n \nTIMELINE \nDate Activity \nJuly - August Office, team, and individual goal setting begins. \nSupervisors review of standards and expectations with \nemployees. \nSeptember 1 Employee self-assessments due. \nEmployee goals & action plans draft due. \nOctober 1 Finalized employee goals & action plans due. \nOngoing Employee check-ins, at the discretion of individual. \nProvide feedback (verbal and written) to employees on \nprogress toward goals, observed performance, and \nwork products/artifacts. \nImplementation also includes peer feedback. \nJanuary 1 - \nFebruary 1 \nFormative assessment meetings with employees. \nFebruary 1 Formative assessments (optional) finalized and \nsubmitted. \nJune 1 Last day to submit artifacts for review prior to \nsummative evaluation. \nJune 15 Summative evaluations finalized and submitted. \nAPPENDIX A: THE CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 9 of 11 \n \n \n \nAPPENDIX B: RATING LEVELS \nEffectiveness \nLevel \nDescription \nHighly Effective Performance far exceeded expectations due to \nexceptionally high quality of work performed in all essential \nareas of responsibility, resulting in an overall quality of work \nthat was superior; and either \nincluded the completion of a major goal or project or \nmade an exceptional or unique contribution in support of \nteam, department, or district objectives. \nThis level is achievable by any employee though given \ninfrequently (<10% of employees). \nEffective Performance met expectations in all essential areas of \nresponsibility, and the quality of work overall was excellent. \nAnnual goals were met. \nDeveloping Performance consistently met expectations in all essential \nareas of responsibility, at times possibly exceeding \nexpectations, and the quality of work overall was very good. \nThe most critical annual goals were met.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "areas of responsibility, at times possibly exceeding \nexpectations, and the quality of work overall was very good. \nThe most critical annual goals were met. \nThis level is expected for individuals who are new to the \norganization or to a role.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 10 of 11 \n \n \n \nMinimally \nEffective \nPerformance did not consistently meet expectations \u2013 \nperformance failed to meet expectations in one or more \nessential areas of responsibility, and/or one or more of the \nmost critical goals were not met. A professional \ndevelopment plan to improve performance must be \nattached, including timelines, and monitored to measure \nprogress. \nIneffective Performance was consistently below expectations in most \nessential areas of responsibility, and/or reasonable progress \ntoward critical goals was not made. Significant \nimprovement is needed in one or more important areas. A \nplan to correct performance, including timelines, must be \noutlined and monitored to measure progress. \n \n \nAPPENDIX C: GOAL STATUS SCALE \nGoal Status Description \nGoal Achieved All goal milestones and success measures have \nbeen achieved for 100% of goals. \nGoal Significantly \nMet \nAll goal milestones and success measures have", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Goal Status Description \nGoal Achieved All goal milestones and success measures have \nbeen achieved for 100% of goals. \nGoal Significantly \nMet \nAll goal milestones and success measures have \nbeen achieved for at least 85% of goal. \nActive Goal The goal is still in progress, though some \nmilestones may have been achieved.", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 11 of 11 \n \n \n \nGoal Not Met For this goal, some or all milestones and success \nmeasures have not been met. \nGoal Deferred For timing or organizational reasons, this goal has \nbeen deferred. \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-9627 \nE-mail: eval@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM04 \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-DESE-\nLICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \n \nBelow is the evaluation instrument for BTU employees in roles \nwhich do not require licensure by the Massachusetts Department \nof Elementary and Secondary Education, in accordance with 603 \nCMR 35.00, et seq, or where otherwise agreed upon by BPS and \nBTU. \nSummary of significant dates and deadlines: \nDate Activity \nJune 1 Deadline for completion of annual \nevaluations. \nJune 15 \nDeadline for signed, original copies of \nevaluation form (below/attached) to be \nsubmitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119 \nJuly 1 to June 30 The evaluation year of non-DESE-\nlicensed BTU Employees.", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 2 of 8 \n \nFor more information about this circular, contact: \nName: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 3 of 8 \n \n \nBOSTON PUBLIC SCHOOLS PERFORMANCE EVALUATION FORM \nNON-DESE-LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \nName of Employee ________________________ Empl No. ___________ \nPosition _______________________________ Dept./Level \nEvaluator ________________________________ Prior Rating \nCheck One: Interim Year end \n \nThe administrator/professional will be rated on each standard \nwithin the various categories. There are two possible ratings: \nSatisfactory (S): The performance of the administrator/ \nprofessional meets the standards and expectations of the school \ndepartment. \nUnsatisfactory (U): The administrator/professional fails to meet \nthe standards and their performance, as measured against these \nstandards, is unsatisfactory. \nThe evaluator will place a check or an X in the box under the \nrating that describes the administrator/professional\u2019s", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "standards, is unsatisfactory. \nThe evaluator will place a check or an X in the box under the \nrating that describes the administrator/professional\u2019s \nperformance on that standard. Any rating of \u201cUnsatisfactory\u201d \nmust be accompanied by a description of the problem and \nprescription for improvement on the attached sheet. In the event \na particular standard does not apply, record \u201cNA\u201d for not \napplicable. An overall evaluation of \u201cUnsatisfactory\u201d or \n\u201cSatisfactory\u201d must be given and recorded below.", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 4 of 8 \n \nOverall Rating: Satisfactory Unsatisfactory \nSignature of Evaluator_______________________Date ____ /____/ \nSignature of Employee _______________________Date ____/____/____ \nThe employee's signature indicates that they have received the \nevaluation and acknowledges it will be placed in their personnel \nfile, but it does not denote agreement with its contents. \n \n1. INSTRUCTIONAL LEADERSHIP ROLE S U \nDevelop plans for the effective delivery of services. \nMonitors the quality and/or quantity of services provided. \nAssesses operations and recommends or makes changes as \nnecessary. \n \nCompletes all required reports thoroughly, clearly, accurately, \nand on time. \n \nWorks cooperatively with Central Office, Cluster Office, and \nschool personnel \n \nCollaborates with external agencies as necessary. \nCommunicates, implements, and monitors compliance with \npolicies and procedures of the School Department and", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "school personnel \n \nCollaborates with external agencies as necessary. \nCommunicates, implements, and monitors compliance with \npolicies and procedures of the School Department and \nexternal agencies as appropriate. \n \nDemonstrates sound fiscal judgment in budgetary decisions. \nProvides staff with leadership, orientation and training as \nrequired. \n \nActs in accordance with prescribed organizational structure. \nOrganizes and coordinates own activities and those of staff. \nEnsures compliance in area of responsibility with policies, \nprocedures, and contractual obligations of the School", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 5 of 8 \n \nDepartment, and all legal mandates. \nDemonstrates ability to analyze and use information in \ndecision-making process. \n \nExplains performance standards, duties and responsibilities \nand evaluates staff in accordance with School Department \npolicies. \n \nMaintains all appropriate records required for the operation of \nthe unit. \n \nExercises sound judgment in the performance of one\u2019s duties \nExercises sound judgment in the performance of one\u2019s duties. \nCommunicates accurately and effectively. \n2. PROFESSIONAL ROLE S U \nCarries out responsibilities in a professional manner. \nMaintains regular attendance and punctuality. \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development.", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "contribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nUtilizes appropriate resources to effectively carry out \nprofessional responsibilities. \n \nDemonstrates receptivity to constructive suggestions related to \nprofessional role and responds appropriately. \n \nMaintains professional demeanor. \nPerforms additional job-related tasks and functions assigned to \nthem.", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 6 of 8 \n \nList additional mutually agreed upon standards or objectives, if \nany.", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 7 of 8 \n \nNOTES OF OBSERVATION \n(Use additional pages if necessary) \n \n \n \n \n \n \n \n______________________________________________________________________ \nDESCRIPTION OF THE PROBLEM AND PRESCRIPTION FOR \nIMPROVEMENT \n(Use additional pages if necessary) \n \n1. Description of the problem: \n \nPrescription: \n \n \n2. Description of the problem: \n \nPrescription: \n \n \n3. Description of the problem:", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 8 of 8 \n \n \nPrescription: \n \n \nGeneral Comments (use additional pages if necessary): \n \n \n \n \n \n \n \n \nEmployee\u2019s Comments (use additional pages if necessary):", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP11 \nVersion 01 \n \nDRUG FREE WORKPLACE POLICY AND PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIt is the policy of the Boston Public Schools to maintain a \nworkplace free from all unlawful drugs and substances and to \ninsist that all staff, students, contracted providers, and others \nwho work, attend, and/or visit facilities under the jurisdiction of \nthe School Department avoid unlawful drug and substance use \nand abuse at all times. In compliance with the federal Drug-Free \nWorkplace Act of 1988 (P.L. 100-690) and its implementing \nregulations, all employees of the Boston Public Schools, \ncontracted providers, students, and visitors to facilities under the \njurisdiction of the School Committee are hereby notified that the \nunlawful manufacture, distribution, dispensation, possession, or \nuse of a controlled substance (as listed in schedules I-V of Section", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "content": "unlawful manufacture, distribution, dispensation, possession, or \nuse of a controlled substance (as listed in schedules I-V of Section \n202 of the Controlled Substances Act) is prohibited. Violations of \nthis policy shall be subject to the provisions of federal and state \nlaw, to procedures relative to the discipline of employees, and to \nthe provisions of the Code of Conduct of the Boston Public \nSchools. \nAll employees must abide by this policy as a condition of \nemployment. Employees must notify their immediate supervisor \nwithin forty-eight (48) hours of any conviction (including a plea of \nnolo contendre) of a violation of any federal or state criminal drug \nlaw by an action committed in the workplace. The employee\u2019s \nimmediate supervisor will notify the Office of Human Capital.", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "content": "Superintendent\u2019s Circular HRS-PP11 \nPage 2 of 2 \n \nWithin ten (10) days of receiving notice of such a conviction, it will \nbe the responsibility of the superintendent or designee to notify \nthe funding agency in those cases where the employee is directly \nengaged in the performance of work and is paid through a direct \nfederal grant. The Development Office will prepare, annually for \nthe Office of Human Capital, a list of employees covered by this \nprovision of the regulations. \nWithin thirty (30) days of receiving notice of such conviction, an \ninvestigation will be initiated. It will be the responsibility of the \nsuperintendent to recommend disciplinary action, including but \nnot limited to suspension or dismissal. \nBoston Public Schools staff should be made aware of the services \navailable through the City of Boston Employee Assistance \nProgram (B.E.A.P.). Responsibility Center managers and directors \nare urged to refer to the B.E.A.P. any employee who", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "content": "available through the City of Boston Employee Assistance \nProgram (B.E.A.P.). Responsibility Center managers and directors \nare urged to refer to the B.E.A.P. any employee who \ndemonstrates symptoms of drug or alcohol abuse at 617-635-\n2200 or eap@boston.gov. The program is located at 43 Hawkins \nSt., Boston. \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7956 \nPhone: 617-635-9600 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP06 \nVersion 01 \n \n \nCONFIDENTIALITY OF PERSONNEL RECORDS AND \nEMPLOYMENT VERIFICATIONS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nState laws and regulations regulate disclosure of information \ncollected about personnel by the Boston Public Schools. These \nlaws and regulations provide that, with some exceptions such as \npersonnel and medical records, the School Department's records \nmust be available for public inspection. State law further provides \nthat individuals may review and challenge information in the files \nconcerning them. \nPERSONNEL RECORDS \nThe Office of Human resources maintains both publicly available \nand confidential files about each employee. The Office of Human \nresources will disclose allowable information when requested to \ndo so in writing. \nPlease note that the following are public records, which will be \nreleased upon receipt of a written request: \n\u25cf Names", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "content": "do so in writing. \nPlease note that the following are public records, which will be \nreleased upon receipt of a written request: \n\u25cf Names \n\u25cf Other materials or data relating to a specifically named \nindividual, the release of which would not publicize intimate \ndetails of a highly personal nature.", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "content": "Superintendent\u2019s Circular HRS-PP06 \nPage 2 of 4 \n \n \n \nConfidential information is not released, such as social security \nnumbers, home addresses and phone numbers, transcripts, \nmedical forms, and evaluations. \nOnly an employee may view their entire file unless a court order \nor other legal mandates require otherwise. An employee may \nview their file in the Office of Human resources by appointment \nonly. To schedule an appointment, place an HR Inquiry request \nvia the Beacon. This can be found for internal employees by \nnavigating to Access.Boston.gov. \nTo obtain a copy of your personnel card for the City of Boston \nRetirement Board, please place an HR inquiry request via the \nBeacon. This can be found for internal employees by navigating \nto Access.Boston.gov. Any former employee will need to submit a \nrequest via email at ohr@bostonpublicschools.org. \nEMPLOYMENT VERIFICATION \nAll inquiries regarding employees, employment status, and other", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "content": "request via email at ohr@bostonpublicschools.org. \nEMPLOYMENT VERIFICATION \nAll inquiries regarding employees, employment status, and other \nsuch information must be directed to the Office of Human \nresources, where official personnel records are maintained. \nIf an employee is seeking employment verification (mortgage, \nhousing, substitute time, standard verification, etc.), they should \ncreate an HR Inquiry request via Beacon. An employee must scan \nand attach the verification to the HR Inquiry submission. If an \nemployee needs an email address to submit to their potential \nmortgage company, housing office or any other loan provider, \nthey should provide the OHR email ohr@bostonpublicschools.org \nor fax a request to 617-635-7957. Please note that requests for", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "content": "Superintendent\u2019s Circular HRS-PP06 \nPage 3 of 4 \n \n \nemployment verification are processed in the order they are \nreceived and take between 5 and 10 business days to complete. If \nsalary/payroll information is needed, it can take longer than 5-10 \nbusiness days. Please plan accordingly. \nAny subpoenas for records should be directed to the Office of the \nLegal Advisor, 2300 Washington Street, Roxbury, MA 02119. \nLICENSURE RELATED EMPLOYMENT VERIFICATIONS \nAll educators and other employees seeking licensure related \nverification must complete the BPS Educator Licensure \nVerification Requests form. \nFor loan forgiveness requests, please submit an HR Inquiry with \nforms attached on the Beacon via Access.Boston.gov. All former \nemployees must email ohr@bostonpublicschools.org and include \nany supporting documentation.", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "content": "Superintendent\u2019s Circular HRS-PP06 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nOwner: Shared Services \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP03 \nVersion 01 \n \nTUITION REIMBURSEMENT BTU AND ADMINISTRATIVE \nGUILD MEMBERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston School Committee (BSC) has agreed to several \nprograms that allow for reimbursement of tuition costs to eligible \ncollective bargaining unit members in exchange for a \ncommitment of continued employment. \nBOSTON TEACHERS UNION MEMBER ELIGIBILITY \nPermanent teachers who are not eligible for a career award and \nwho commit to three years of continuous employment in the \nBoston Public Schools will be reimbursed for tuition expenses \naccrued in a given school year. Payment will not exceed $1,000 \nper teacher per school year. \nPer agreement between BSC and BTU, provisional teachers who \nhave completed at least one year of service in the Boston Public \nSchools will be eligible for a tuition reimbursement payment not \nto exceed $500 per school year.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "have completed at least one year of service in the Boston Public \nSchools will be eligible for a tuition reimbursement payment not \nto exceed $500 per school year. \nThis definition of eligibility is explicitly meant to include those \nemployees who are in job titles that are compensated based on \nGroup I or Group II of the BTU salary schedules.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 2 of 11 \n \nABA SPECIALISTS ELIGIBILITY \nPer agreement between BSC and BTU, ABA specialists who have \ncompleted at least one year of service shall be eligible for tuition \nreimbursement of up to $500 per year for approved college or \ngraduate credits. \nAt three years of successful employment, ABA specialists will be \neligible for tuition reimbursements of up to $1,000 for approved \ncollege courses until they become eligible to receive their career \naward. \nPARAPROFESSIONALS ELIGIBILITY \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed five or more years of full-time service as of the \nend of the prior school year will be entitled to tuition \nreimbursement of up to $1,000 a year for approved college \ncourses. \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed more than three years of full-time service as of \nthe end of the prior school year will be entitled to tuition", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "courses. \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed more than three years of full-time service as of \nthe end of the prior school year will be entitled to tuition \nreimbursement of up to $500 a year for approved college \ncourses. \nADMINISTRATIVE GUILD MEMBERS ELIGIBILITY \nTo be eligible to receive tuition reimbursement, members of the \nAdministrative Guild must have served at least one full school \nyear commencing on September 1 prior to the year in which the \ntuition reimbursement application is filed. \nTuition reimbursement for members of the Administrative Guild", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 3 of 11 \n \nis capped at $1,000 per member, per year. \nELIGIBLE COURSES \nAll coursework must be approved by the assistant \nsuperintendent of Human Capital (or designee), consistent with \nthe current policy. Further, eligible courses for school year 2023-\n2024 are courses that begin anytime from September 1, 2023 \nthrough August 31, 2024. Courses that meet the criteria \nestablished for salary lane advancement as articulated in \nSuperintendent\u2019s Circular HRS-PP01 will be considered eligible \nfor tuition reimbursement. \nThe Boston Public Schools will only reimburse employees for the \ncost of the class itself and does include consultant or facilitator \nfees. Please send receipts of out-of-pocket payment directly from \nthe institution in which your transcript was issued. \nGUILD: All courses, certificate programs and job-related training \nmust be approved by the assistant superintendent of Human \nCapital, consistent with current policy.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 4 of 11 \n \nAPPLICATION PROCESS \nTo receive tuition reimbursement payments, eligible employees \nmust submit: \n\u25cf A signed Form PS-03 (Personnel Action Request Form). In \nthe \u201cPay Adjustment\u201d category, place a check mark in the \ntuition reimbursement block. \n\u25cb The PS03 form can be downloaded here: \nhttps://drive.google.com/file/d/0B9Pn1K0-\nQB_FWTRJV2JaSDdNbEU/view?resourcekey=0-\ny7E5QNx7B_HmLeFHKLJauQ \n\u25cb Employees must sign and date the form in the \n\u201cOriginator\u2019s Signature / Date\u201d block. \n\u25cf BTU: A signed affidavit agreeing to three continuous years \nof employment with the Boston Public Schools. A copy of \nthe affidavit is attached to this circular. An affidavit is not \nrequired for paraprofessionals or members of the \nAdministrative Guild. \n\u25cf Official original transcripts clearly indicating a passing \ngrade and graduate credit was awarded from an accredited \ninstitution. Undergraduate course work is accepted for", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Administrative Guild. \n\u25cf Official original transcripts clearly indicating a passing \ngrade and graduate credit was awarded from an accredited \ninstitution. Undergraduate course work is accepted for \nparaprofessionals and Administrative Guild members. \nElectronic transcripts must be sent directly to the Office of \nHuman Capital. Please send to \nEmployeeServices@BostonPublicSchools.org \n* Guild members are also eligible for completion of \ncertificate programs.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 5 of 11 \n \n\u25cf Documentation of tuition payment. This documentation \nshould be in the form of receipt for an out-of-pocket \npayment or a credit card statement indicating that payment \nwas made to the institution from which courses were taken \nand credit was granted. \nSubmit all materials to: \nEmployee Services Department \nBoston Public Schools \n2300 Washington Street \nRoxbury, MA 02119 \n \nPAYMENT OF TUITION REIMBURSEMENTS \nThe Office of Human Capital will make every effort to issue tuition \nreimbursements within 60 days of receipt of all required \napplication documentation as listed above. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 1 Start of reimbursement year \nAugust 31 \n \nDeadline for submitting tuition reimbursement \ndocumentation to be processed for the \nprevious academic year \nAugust 31 End of reimbursement year", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 6 of 11 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 7 of 11 \n \nAFFIDAVIT FOR BTU (TEACHER) MEMBERS \nI hereby agree to continue my employment with the Boston \nPublic Schools for three continuous years from the date of receipt \nof tuition reimbursement payment in the qualifying amount of \n$500 or $1,000.00. All course work must be approved by the \nassistant superintendent of Human Capital, consistent with \ncurrent policy, prior to my reimbursement of monies. If I fail to \ncontinue my employment for three continuous years, I agree to \nreimburse the Boston Public Schools for the entire amount of \n$500 or $1,000.00 within one month of my discontinuance of \nservice with the Boston Public Schools. Failure to do so will result \nin initiation of legal action by the Boston Public Schools to \nreceive said monies. \nCheck one: \n____I am a Permanent Teacher entitled to $1,000. \n____I am a Provisional Teacher entitled to $500. \nSigned under the pains and penalties of perjury.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "receive said monies. \nCheck one: \n____I am a Permanent Teacher entitled to $1,000. \n____I am a Provisional Teacher entitled to $500. \nSigned under the pains and penalties of perjury. \n _________________________________________________________________ \nSignature \n \n______________________________________________ __________________ \n Print Name Date \n \nWitness signature: ______________________________________________ \nBPS: BTU DUAL LICENSE REIMBURSEMENT FOR BTU", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 8 of 11 \n \nTEACHERS \nPer the most recent Collective Bargaining Agreement effective \nfrom September 1, 2022, through August 31, 2024, (the \u201cCBA\u201d) \nwhere a position requires two licenses and the incumbent does \nnot possess the same, educators will be required to obtain a \nsecond license. Teachers will be reimbursed for up to $3,000 in \nexpenses incurred to obtain the required second license. \nBOSTON TEACHER UNION MEMBER ELIGIBILITY \nTeachers who are required by BPS to obtain another license to \nteach in their existing position and do not currently hold the \nrequired license. \nPer the CBA, BPS will reimburse teachers up to $3,000 during \ntheir employment with BPS for the cost of obtaining another \nlicense required by BPS for the teacher\u2019s position, including but \nnot limited to those working under a waiver or emergency \nlicense. \nELIGIBLE COURSES \nTeachers shall be reimbursed for the following expenses incurred \nto obtain the required license:", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "not limited to those working under a waiver or emergency \nlicense. \nELIGIBLE COURSES \nTeachers shall be reimbursed for the following expenses incurred \nto obtain the required license: \n\u25cf MTEL prep courses from a provider on a list established by \nthe Office of Human Capital \n\u25cf MTEL tests \n\u25cf Graduate coursework1 \n \n1 Credit equivalency is not considered graduate course work", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 9 of 11 \n \n\u25cf License Fees \n\u25cf BPS Pathway Programs \nReimbursements will be considered provided teachers submit \nreceipts to the Office of Human Capital within the fiscal year that \nexpenses were incurred. \nThis definition of eligibility is explicitly meant to include those \nemployees who are in job titles that are compensated based on \nGroup I or Group II of the BTU salary schedules. \nAPPLICATION PROCESS \nTo receive the Dual License reimbursement payments, eligible \nemployees must submit: \n\u25cf A Google form response \n\u25cb The Google form can be found here: \nhttps://docs.google.com/forms/d/e/1FAIpQLSf35H7BTyp\nO0rLPZKgzRgKTi3lQfbyRycfy0sgFaNi5IvHlfA/viewform \n\u25cb All submissions must include proof of payment. \n\u25cf A copy of the Dual Licensure Notice informing the \nincumbent that their position will require two licenses going \nforward. \n\u25cf Documentation of expenses payment. This documentation \nshould be in the form of receipt for an out-of-pocket", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "incumbent that their position will require two licenses going \nforward. \n\u25cf Documentation of expenses payment. This documentation \nshould be in the form of receipt for an out-of-pocket \npayment, or a credit card statement indicating that \npayment was made to the institution from which courses \nwere taken and credit was granted. Documentation should \nbe clearly dated. \nSubmit all materials via Google form.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 10 of 11 \n \nPAYMENT OF DUAL LICENSE REIMBURSEMENTS \nThe Office of Human Capital will make every effort to issue Dual \nLicense reimbursements within 60 days of receipt of all required \napplication documentation as listed above. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 1 Start of reimbursement year \nAugust 31 \n \nDeadline for submitting Dual License \nreimbursement documentation to be \nprocessed for the previous academic year \nAugust 31 End of reimbursement year", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 11 of 11 \n \nFor more information about this circular, contact: \nOwner: School Based Staffing \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-9600 \nEmail: \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can be \nfound on Access Boston. \n \nMary Skipper, Superintendent", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM08 \nVersion 01 \n \n2024BUS MONITOR PERFORMANCE EVALUATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAccording to the collective bargaining agreement between the \nBoston School Committee and the United Steelworkers of \nAmerica, Local 2936, a principal or head of school (or designee) is \nresponsible for completing a performance evaluation for each \ntransportation monitor assigned to the school. This includes both \nSPED cab monitors and transportation attendants hired by the \nschool to ride the regular buses. The purpose of this evaluation is \nto assess the performance of monitors assigned to schools. \nSPED CAB MONITORS \nA performance evaluation form will be sent to principals/heads of \nschool (or designee) along with a list of monitors who are \nassigned to their school. Principals must submit a form for each \nof their assigned monitors via email to", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "school (or designee) along with a list of monitors who are \nassigned to their school. Principals must submit a form for each \nof their assigned monitors via email to \nbpsdot@bostonpublicschools.org by May 23, 2025 for all assigned \n(not standby) bus monitors that monitor their students. Using the \nevaluation form, the principal/head of school or designee will \nassess the monitor\u2019s performance. To assist school leaders in \ncompleting this form, information about the monitors' duties and \nresponsibilities is included in this circular.", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 2 of 8 \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the assistant director of the Monitors \nUnit, Transportation Department at 617-230-3561. \nTRANSPORTATION ATTENDANTS \nThe principal/head of school of any school with a transportation \nattendant assigned to a regular bus must complete (or designate \nsomeone to complete) an evaluation form and send it as a PDF \nattachment via email to bpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org by May 23. \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the Director of Evaluation and \nPerformance Management, at 617-635-9627. \nDUTIES AND RESPONSIBILITIES FOR SPECIAL EDUCATION BUS \nMONITORS \nSpecial Education bus monitors have been assigned to monitor \nand assist students with special needs while they are being \ntransported to and from school. Their primary responsibilities \ninclude:", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Special Education bus monitors have been assigned to monitor \nand assist students with special needs while they are being \ntransported to and from school. Their primary responsibilities \ninclude: \n\u25cf Boarding the vehicle before or at the same time as the first \nmonitor-required student on the route and remaining on the \nvehicle at all times until every monitor-required student has \nreached their stop \n\u25cf Attending to the special needs of monitor-required students, \nalthough monitors are also responsible for the general \nsupervision of all students on the vehicle \n\u25cf Riding with the students in the back of the vehicle and not in \nthe front seat unless only the front seat is available", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 3 of 8 \n \n\u25cf Assisting students in and out of the vehicle if necessary. This \nincludes setting up and collapsing wheelchairs or other \nequipment when necessary \n\u25cf Exhibiting proper behavior at all times \n\u25cf Ensuring that all students wear seat belts \n\u25cf Ensuring that students not leave the vehicle anywhere other \nthan their assigned stops. If a student leaves the vehicle \nwithout authorization, the driver must be instructed to contact \nthe dispatcher immediately \n\u25cf Prohibiting the consumption of food or beverages, smoking, or \nbringing radios on the vehicle \n\u25cf Notifying the school to which the monitor is assigned and the \noperations coordinator at the yard if the monitor will be absent \nfrom work. Notification must take place by 4:30 am for the \nmorning or at least two hours prior to the scheduled reporting \ntime for the afternoon \n\u25cf Performing other related duties as directed by the supervisors. \n \nSummary of significant dates and deadlines:", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "time for the afternoon \n\u25cf Performing other related duties as directed by the supervisors. \n \nSummary of significant dates and deadlines: \nDate Activity \nMay 23 \nDeadline for principals/heads of school to submit signed copies \nas PDF attachments via email to \nbpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org.", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 4 of 8 \n \nFor more information about this circular, contact: \nOwner: Assistant Director of the Monitors Unit \nDepartment: Transportation Department \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-230-3561 \nFax: 617-635-7705 \nEmail: bpsdot@bostonpublicschools.org \n \nName: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \n \nEmail eval@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 5 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nBUS MONITOR \u2013 SCHOOL YEAR 2024-2025 \n \nNAME OF MONITOR _________________________DATE \n \nEMPLOYEE # ___________NAME OF SCHOOL \nA.M.______ P.M._______ BUS NUMBER \n \nPlease review the position overview and complete the form. The \nfollowing scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee\u2019s performance of this \nposition\u2019s duties and responsibilities needs improvement. \nS MEETS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \n \nQuality of Work: performs assigned tasks as per job", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "E EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \n \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. U N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. U N S E", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 6 of 8 \n \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to \npeople at all levels of the School Department and \nthe public. U N S E \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n Evaluator\u2019s Signature Date \n_____________________________________________ \n Principal/Head of School Date \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 7 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nTRANSPORTATION ATTENDANT \u2013 SUMMER 2025 \n \nNAME OF TRANSPORTATION \nATTENDANT: _______________________________ DATE \nEMPLOYEE # ____________NAME OF SCHOOL \n \n \nThe following scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee\u2019s performance of this \nposition\u2019s duties and responsibilities needs improvement. \nS MEETS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Quality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. U N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. U N S E \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 8 of 8 \n \npeople at all levels of the School Department and \nthe public. U N S E \n \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n Evaluator\u2019s Signature Date \n_____________________________________________ \n Principal/Head of School Date \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM10 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF ABA SPECIALISTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nThe following sets forth the coverage, philosophy, roles and \nresponsibilities and procedures applicable to the evaluation \nprocess of Applied Behavior Analysis (ABA) specialists. \nI. COVERAGE \nThe performance management process covers all ABA specialists. \nThe evaluation process relates to the duties and responsibilities \nof the employee\u2019s position, as set forth in the employee\u2019s job \ndescription. \nII. PHILOSOPHY \nPerformance management is one of the key processes driving \nthe comprehensive reform of the Boston Public Schools. The \nperformance management process for ABA specialists is \ndesigned to: (a) align the work of ABA specialists with the \nsuperintendent\u2019s district wide priorities and with team goals and \n(b) improve the work performance of ABA specialists.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "designed to: (a) align the work of ABA specialists with the \nsuperintendent\u2019s district wide priorities and with team goals and \n(b) improve the work performance of ABA specialists. \nIII. ROLES AND RESPONSIBILITIES \nThe performance management process for ABA specialists will \nbe led by the assistant superintendent of special education,", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 2 of 25 \n \n \nassistant director for ABA, and program directors for ABA. ABA \nspecialists will be evaluated by their immediate supervisors \nunless the assistant director designates another person to \nconduct the evaluation. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. Further, a supervisor will also be \nperforming unsatisfactorily if an underperforming staff member \nis given a \u201cProficient\u201d rating and then the staff member is \nencouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "performance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. \nThere are four possible ratings: 1) Unsatisfactory; 2) Needs \nImprovement; 3) Proficient; and 4) Exemplary. \nV. PERFORMANCE MANAGEMENT PROCESS \nSupervisors will conduct evaluations of their ABA specialists every \nyear. The period for the performance evaluation for ABA \nspecialists will cover September 1 \u2013 August 30 of the school year \nin which the employee is being evaluated. A supervisor may \nevaluate staff members more frequently if they choose to do so \nbut must complete no fewer than 5 (five) direct observations over", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 3 of 25 \n \n \nthe course of the school year. \nSupervisors are expected to provide timely written feedback to \ntheir staff members, especially for employees who, upon \nobservation, are not meeting the expectations of the supervisor. \nAn employee who is not meeting their supervisor\u2019s expectations \nshould have been informed of the supervisor\u2019s concerns and \nprovided recommendations for improvement through written \nfeedback before the performance evaluation meeting and should \nbe given a reasonable amount of time to address the observed \ndeficient performance. \nStep 1 \u2013 REVIEW GOALS AND PROFESSIONAL DEVELOPMENT \nPLAN FOR THE COMING SCHOOL YEAR (September-October) \nSupervisors will meet individually with each of their ABA \nspecialists to jointly review the employee\u2019s goals and professional \ndevelopment plan for the September 1 - August 30 period. When \npossible, goal development should be done during the prior", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "specialists to jointly review the employee\u2019s goals and professional \ndevelopment plan for the September 1 - August 30 period. When \npossible, goal development should be done during the prior \nyear\u2019s performance evaluation meeting. \nDuring this meeting, the employee and their supervisor should \nreview the employee\u2019s job description to ensure the employee\u2019s \ngoals and professional development plans are in alignment with \nthe job description. \nIf there is a change in the employee\u2019s goals and professional \ndevelopment plan after the prior year\u2019s performance evaluation \nmeeting, the revised goals and professional development plan \nmust be documented.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 4 of 25 \n \n \nStep 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (as \nneeded) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation and make recommendations for improvement. \nThe supervisor must share their written feedback with the \nemployee within a reasonable amount of time, and thereafter \nshould meet at least monthly with the employee to discuss their \njob performance. These meetings must be held until the \nemployee\u2019s job performance meets the supervisor\u2019s expectations. \nIf the employee\u2019s job performance does not improve sufficiently, \nthe employee may be separated from employment. \nStep 3 \u2013 COMPLETE STAFF OBSERVATIONS AND DATA CHECKS \n(September-May) \nAs outlined in the ABA specialist evaluation, at least 5 (five)", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "the employee may be separated from employment. \nStep 3 \u2013 COMPLETE STAFF OBSERVATIONS AND DATA CHECKS \n(September-May) \nAs outlined in the ABA specialist evaluation, at least 5 (five) \nobservations must be completed prior to the final performance \nevaluation in May. These observations must include direct \nobservation of the ABA specialist performing essential job \nfunctions and working with students. The observations may or \nmay not be announced and can occur at any time throughout \nthe year. Following each observation session, the program \ndirector for ABA will provide written and vocal feedback to the \nABA specialist outlining the strengths and areas of growth seen \nduring the observation. \nAs part of each observation, data checks and programming \nanalyses will be conducted. These data checks will assess the", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 5 of 25 \n \n \nperformance with programming and data entry for some portion \nof the time between observations. \nStep 4 \u2013 HOLD INTERIM EVALUATION MEETING (February-\nMarch). \nABA specialists will submit a formative self-assessment no later \nthan February 10. This self-assessment will include the ABA \nspecialist\u2019s assessment of their work performance and feedback \nfrom previous observations to be incorporated into the interim \nevaluation. \nSupervisors will hold an interim evaluation meeting with each of \ntheir ABA specialists no later than March 1. During this meeting, \nthe supervisor must give oral feedback on (1) the employee\u2019s \nprogress in achieving their goals, and (2) the employee\u2019s overall \njob performance, especially with reference to the employee\u2019s job \ndescription and customer focus. In addition, a written interim \nevaluation will be provided in a timely manner after the interim \nevaluation meeting.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "description and customer focus. In addition, a written interim \nevaluation will be provided in a timely manner after the interim \nevaluation meeting. \nStep 5 \u2013 COMPLETE PERFORMANCE EVALUATION FORMS (May). \nThe supervisor will prepare a performance evaluation on each \nABA specialist each school year by filling out the Performance \nEvaluation Form \u2013 ABA Specialists attached at the end of this \ncircular.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 6 of 25 \n \n \nStep 6 \u2013 CONDUCT PERFORMANCE EVALUATION MEETING \n(June) \n \nThe supervisor will meet with the employee to discuss their \nperformance evaluation. The meeting will cover the employee\u2019s \njob performance, their progress toward their annual goals, and \ntheir overall performance. \nDuring this meeting, based on the employee\u2019s performance \nevaluation, the supervisor and employee should establish the \nemployee\u2019s goals for the coming school year. These goals should \nbe tentative if the department\u2019s (and team\u2019s) goals have not been \nset. Similarly, the supervisor and employee should also discuss \nthe employee\u2019s professional development plan for the coming \nschool year, with particular reference to the areas of growth or \nchallenge identified in the performance evaluation. \nStep 7 \u2013 EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE \nThe employee\u2019s signature on the evaluation instrument \nacknowledges receipt, and not necessarily agreement with the", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Step 7 \u2013 EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE \nThe employee\u2019s signature on the evaluation instrument \nacknowledges receipt, and not necessarily agreement with the \ncontent of the evaluation. The employee may provide a written \nresponse to the evaluation within 10 (ten) days of receiving the \nperformance evaluation form. \nStep 8 \u2013 SUBMIT PERFORMANCE EVALUATION FORMS TO \nHUMAN RESOURCES (June) \nThe supervisor will submit completed performance evaluation \nforms to Human Resources no later than June 1. Step increases \nare automatic.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 7 of 25 \n \n \nStep 9 \u2013 FOLLOW UP FOR AN EMPLOYEE WHO RECEIVES AN \n\u201cUNSATISFACTORY\u201d RATING \nIf an ABA specialist receives an \u201cUnsatisfactory'' rating on their \nperformance evaluation, the supervisor should meet with the \nemployee at least monthly to discuss their job performance. \nThese meetings must be held until the employee\u2019s job \nperformance meets the supervisor\u2019s expectations. If the \nemployee\u2019s job performance does not improve sufficiently, the \nemployee may be separated from employment. \nVII. PROCEDURES FOR DISCIPLINE \nIf a supervisor determines that an ABA specialist has committed \nan infraction of work rules, the supervisor should follow the \nprocedures outlined in Superintendent\u2019s Circular \u2013 Employee \nDiscipline Procedures (see footnote below)1. Additionally, the \nsupervisor may consider the infraction in evaluating the \nemployee\u2019s overall performance. \nVIII. FORMS \nThe Performance Evaluation Form \u2013 ABA Specialists is attached.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "supervisor may consider the infraction in evaluating the \nemployee\u2019s overall performance. \nVIII. FORMS \nThe Performance Evaluation Form \u2013 ABA Specialists is attached. \n \n \n(Footnote) Refer to Superintendent\u2019s Circular HRS-PP10 \n\u201cEmployee Discipline Procedures\u201d under the category \u201cHuman \nResources\u201d on the Superintendent\u2019s Circulars page of the BPS \nwebsite for more information.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 8 of 25 \n \n \nIX. SUMMARY OF SIGNIFICANT DATES AND DEADLINES \nSTEP INCREASES ARE AUTOMATIC. Please adhere to the given \ndeadlines for submission. \n \nDate Activity \nSeptember 1 - \nOctober 15 \nFinalize goals and professional \ndevelopment plan for the coming year \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nPrepare diagnosis and \nrecommendations \nNo later than \nFebruary 10 Request self-assessment \nFebruary 1 - March 1 Hold Formative Evaluation meeting \nNo later than May 31 Complete Performance Evaluation forms \nNo later than May 31 Conduct Summative Performance \nEvaluation meeting \nNo later than June 1 Submit Performance Evaluation forms to \nHuman Resources \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nFollow up for an employee who receives \nan \u201cUnsatisfactory\u201d rating", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 9 of 25 \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director for Applied Behavior \nAnalysis \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-8599 \nEmail: ohc@bostonpublicschools.org \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 10 of 25 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nABA SPECIALISTS \n \nName of Employee: ______________________________________________ \nEmployee Identification #:________________________________________ \nDepartment: ABA \nSchool: ___________________________________________________________ \nPosition: ABA specialist \nEvaluator: ________________________________________________________ \n \nSECTION I: JOB PERFORMANCE \nPlease rate the employee\u2019s performance according to the \nfollowing competencies, as measured by documented \nopportunities. A documented opportunity will consist of written \nfeedback from a program director as a result of a direct \nobservation or data analysis from work products. Documented \nopportunities will include no fewer than 5 measured \nopportunities for each subcategory listed below. \nEach objective was rated in one of four categories: \n \n1 Unsatisfactory \nEmployee meets the objective for 65% or less", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "opportunities for each subcategory listed below. \nEach objective was rated in one of four categories: \n \n1 Unsatisfactory \nEmployee meets the objective for 65% or less \nof documented opportunities.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 11 of 25 \n \n \n2 Needs \nImprovement \nEmployee meets the objective for 66% to 75% \nof documented opportunities. \n3 Proficient \nEmployee meets the objective for 76 to 85% \nof documented opportunities. \n4 Exemplary \nEmployee meets the objective for 86% or \ngreater of documented opportunities. \n*The numbers listed above will be what is indicated in the rating \nbox for each area in the evaluation below. \n \nA. Data Collection \nA-1: Accurately conducts and implements \nall required assessments, including \npreference assessments, Skills \nAssessments, and Core Skills Assessments. \nSelf Rating \n \nSupervisor Rating \n \n \nA-2: Accurately updates targets as needed, \nand proactively implements any \nprogrammatic changes given by the \nprogram director or strand specialist. \nSelf Rating \n \nSupervisor Rating \n \n \nA-3: Accurately takes programmatic data (both behavior and \nacquisition) in a timely manner.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 12 of 25 \n \n \nSelf Sup \n \nUnsatisfactory \nRuns less than 24 ACE sessions per \nweek across all programs and \nstudents per week across 5 or more \nmeasured opportunities for the year. \n \nNeeds \nImprovement \nRuns between 25 and 49 ACE \nsessions per week across all \nprograms and students per week \nacross 5 or more measured \nopportunities for the year. \n \nProficient \nRuns between 50 and 74 sessions \nper week across all ACE programs \nand students across 5 or more \nmeasured opportunities for the year. \n \nExemplary \nRuns at least 75 sessions per week \nacross all ACE programs and \nstudents across 5 or more measured \nopportunities for the year.", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 13 of 25 \n \n \n \nA-4: Follows prompting hierarchies and \nerror correction procedures as prescribed by \nACE and/or Program Director. \nSelf Rating \n \nSupervisor Rating \n \n \nA-5: Ensures that challenging behavior data \ncollection sheets are updated as necessary, \nand that challenging behavior data \ncollection sheets are filed in the correct \nplace. \nSelf Rating \n \nSupervisor Rating \n \n \nA-6: Identifies when there is a problem with \ndata/data collection, and appropriately \nbrings to the attention of the Program \nDirector. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Data Collection:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 14 of 25 \n \n \nB. Behavior Support \nB-1: Develops, maintains, and shares any \nnecessary materials to follow through with \nbehavior plans (token boards, timers, visuals, \netc.) as written. \nSelf Rating \n \nSupervisor Rating \n \n \nB-2: Follows each Behavior Support Plan as \nwritten for student, including effective \nantecedent strategies, reinforcement \nprocedures, following crisis procedures, and \nseeking help when needed. \nSelf Rating \n \nSupervisor Rating \n \n \nB-3: Responds to any behaviors not outlined \nin the behavior support plan using standard \nABA techniques. \n \n \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Behavior Support:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 15 of 25 \n \n \nC. Professionalism \nC-1: Participates in feedback sessions and \naccepts feedback given by Program Director. \nEngages in consultation with Program \nDirector and/or Strand Specialist. \nCommunicates with the Strand Specialist, \nProgram Director, and other school-based \nstaff, including keeping student schedules \nup to date, sharing with all necessary parties, \nand following the set schedule. Is flexible \nwhen caseloads or school assignment \nrequires change, due to caseload demands \nor due to specific needs of a student or \nstudents. If there is a concern regarding \ncaseload and/or programmatic changes, \nprofessionally communicates the concern to \nthe Program Director. \n*This language does not constitute \nexpansion of caseloads beyond the contract \nlimits \nSelf Rating \n \nSupervisor Rating \n \n \nC-2: Follows Office of Special Education \nadministrative procedures, such as signing \nin/out, requesting absences (sick or personal", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "limits \nSelf Rating \n \nSupervisor Rating \n \n \nC-2: Follows Office of Special Education \nadministrative procedures, such as signing \nin/out, requesting absences (sick or personal \ndays) on ESS in a timely manner, using \nplanning time effectively, following cell \nphone use policy, and arriving to \nwork/meetings on time. \nSelf Rating \n \nSupervisor Rating", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 16 of 25 \n \n \nC-3: Consistently exudes a professional \ndisposition towards Special Education, \nApplied Behavior Analysis, students, and \nfamilies, as well as other school personnel; \nand maintains student confidentiality. \nSelf Rating \n \nSupervisor Rating \n \n \nC-4: Demonstrates fluent use of technology \nnecessary to complete job requirements, \nsuch as Google Drive, EdPlan, ACE, Teach \nNow, etc. Ensures that all appropriate \ntechnology is up to date. \nSelf Rating \n \nSupervisor Rating \n \n \nC-5: Engages in and attends all professional \ndevelopment activities as scheduled, \nincluding all that were described in the prior \nyear\u2019s professional development plan. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Professionalism:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 17 of 25 \n \n \nD. Direct Service \nD-1: Ensures that tasks are prepared and \nready for instruction on time and efficiently. \nDemonstrates fluency with materials \nnecessary to conduct direct service sessions, \nsuch as token boards, first/then boards, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-2: Activates appropriate programs as \noutlined in the IEP within 2 weeks of \nnotification of a signed IEP, and implements \nall programs as written on the curriculum \nsheet across multiple settings including \ninclusion, specials, lunch/recess, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-3: Establishes attending and reinforcers \nbefore beginning the session. Prompts \nfunctional communication as necessary. \nCompletes the prescribed number of trials for \neach program according to the prescription \nsheet. Keeps student break time to a \nreasonable duration. \nSelf Rating \n \nSupervisor Rating", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 18 of 25 \n \n \n \nD-4: Ensures that the student is clear on \nhow and when reinforcement is delivered, \nand delivers reinforcement on prescribed \nschedules. \nSelf Rating \n \nSupervisor Rating \n \n \nD-5: Builds rapport with the students and is \nalways engaging and energetic when \nworking with students. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Direct Service:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 19 of 25 \n \n \nE. Communication/Written Skills \nE-1: Completes progress reports and annual \nreviews at least 1 week before the due date, \nby referencing the ABA specialist Task Due \nGoogle Calendar when applicable and using \nplanning time effectively. Ensures that each \ndocument is complete with proper spelling, \ngrammar, and data, following the most \nrecent format provided by the program \ndirectors. \nSelf Rating \n \nSupervisor Rating \n \n \nE-2: Completes EdPlan session notes within \n24 hours of each session and takes no more \nthan 10 minutes per 60-minute session to do \nso. \nSelf Rating \n \nSupervisor Rating \n \n \nE-3: Ensures that written communications \nare clear, concise, and free of error, utilizing \nappropriate professional language. \nSelf Rating \n \nSupervisor Rating", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 20 of 25 \n \n \nE-4: Communicates questions and concerns \nin a professional manner with teachers, ABA \nspecialists, strand specialists, program \ndirectors, and paraprofessionals, as \ndemonstrated by initiation and response to \nemails within 48 hours. \nSelf Rating \n \nSupervisor Rating \n \n \nE-5: Responds to emails within 2 working \ndays and completes RMTS (Random Moment \nTime Study) moments within the 48 hour \ntimeline as required by state agencies. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Communication/Written Skills:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 21 of 25 \n \n \nSECTION II: PERFORMANCE AGAINST PAST YEAR\u2019S GOALS \nProvide a concise description of each of the employee\u2019s goals for \nthe past year. Mark whether the employee achieved the goal. \nProvide specific data supporting your assessment that the goal \nwas or was not achieved. \n \nGoal 1: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments: \n \n \nGoal 2: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments: \n \n \nGoal 3: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 22 of 25 \n \n \nSECTION III: GOALS FOR NEXT YEAR \nPlease list the employee\u2019s goals for next year. Goals are to be set \nby supervisor and agreed to by employee. These goals should \nalign with the department\u2019s goals and priorities and include key \nperformance indicators. \nGoal 1: \n \nGoal 2: \n \nGoal 3:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 23 of 25 \n \n \nSECTION IV: OVERALL PERFORMANCE \nPlease rate the employee\u2019s overall performance this year. If the \nemployee receives a \u201cDoes Not Meet Expectations\u201d rating, their \nsupervisor must provide a diagnosis and recommendations for \nhow the employee must improve their performance in the \nfollowing Additional Comments section. The supervisor may also \nuse this section to provide other additional comments on the \nemployee\u2019s performance. \n \n\uf0a8 Unsatisfactory \n\uf0a8 Proficient \n\uf0a8 Needs Improvement \n\uf0a8 Exemplary \n \nComments:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 24 of 25 \n \n \nSECTION V: PROFESSIONAL DEVELOPMENT PLAN \nDescribe the employee\u2019s Professional Development Plan for the \ncoming year. This plan should help the employee build skills \nand/or knowledge to accomplish their goals for the year. Please \ndescribe the specific areas that the employee is trying to develop, \nand the related activities that they will take part in this year. \n \n1. Skill/Knowledge Development Area 1: \n \nRelated activities to help develop skill: \n \n \n \n2. Skill/Knowledge Development Area 2: \n \nRelated activities to help develop skill: \n \n \n \n3. Skill/Knowledge Development Area 3: \n \nRelated activities to help develop skill:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 25 of 25 \n \n \nSECTION VI: ACKNOWLEDGEMENTS \n \n ____________________________________________ ____________________ \n Evaluator\u2019s Signature Date \n \n \n ____________________________________________ ____________________ \n Employee\u2019s Signature Date \n \nThe employee\u2019s signature indicates that they have seen the \nevaluation and acknowledge that it will be placed in their \npersonnel file, but it does not denote agreement with the \nevaluation. \n \n \n \nThe employee may provide a written response to the evaluation \nin the space provided below, and/or in attached pages. \n \nEmployee Comments:", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP08 \nVersion 01 \n \nINCENTIVE FOR EARLY NOTIFICATION OF TERMINATION \nFOR BOSTON TEACHERS UNION \u2014 TEACHERS UNIT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo assist hiring for the 2024-2025 school year, the Boston Public \nSchools is offering a one-time incentive for early notification of \ntermination to members of the BTU Teachers Union. \n1. An individual must be a permanent BTU teacher, have a \nminimum of ten (10) years of continuous service in the \nBoston Public Schools, and must meet the minimum age \nrequirement of fifty-five (55) years. \n2. Eligible employees presently on paid or unpaid leave of \nabsence can apply by completing the online application for \nIncentive for Early Notification of Termination and \nsubmitting it to the Office of Human Resources (application \nlink located below). \n3. A Separation Agreement must be completed in order for the", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "content": "Incentive for Early Notification of Termination and \nsubmitting it to the Office of Human Resources (application \nlink located below). \n3. A Separation Agreement must be completed in order for the \nOffice of Human Resources to accept the application in full. \nOnce the application is accepted in full, it is binding on both \nparties and irrevocable. \n4. Applicants understand that the termination must be \neffective between June 30, 2025 and August 31, 2025.", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "content": "Superintendent\u2019s Circular HRS-PP08 \nPage 2 of 3 \n \n5. Applicants will be ineligible for hire into full-time positions \nat Boston Public Schools for the school year 2024-2025. \n6. Applicants further understand that: \na. They will not be eligible for unemployment \ncompensation, and \nb. Acceptance of this incentive shall not affect any rights \nof a member under the Teacher Retirement Law. \n7. Applications must be filed with the Office of Human \nResources by the close of business on Friday, January 10, \n2025. If accepted, a one-time payment of $1,500 will be \nmade by Friday, February 28, 2025. \n8. Individuals planning to retire must also file an \u201cIntent to \nRetire\u201d form with the City of Boston Retirement Board. The \nincentive application does not replace this process. Please \nnote that pursuant to Retirement Board policy, an individual \ncannot file an \u201cIntent to Retire\u201d more than forty-five (45) \ndays before the retirement date. \n9. BTU/Teachers Unit employees wishing to apply for this", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "content": "cannot file an \u201cIntent to Retire\u201d more than forty-five (45) \ndays before the retirement date. \n9. BTU/Teachers Unit employees wishing to apply for this \nincentive for early notification of termination must submit \nthe following Google form to the Office of Human \nResources: \nApplication for Incentive for Early Notification of Termination \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nApplication Deadline Payment \nFriday, January 10 Friday, February 28", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "content": "Superintendent\u2019s Circular HRS-PP08 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Employee Information \nDepartment: Office of Human Resources \nMailing \nAddress: 2300 Washington Street, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeinformation@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP13A \nVersion 01 \n \nFAMILY AND MEDICAL LEAVE ACT AND SMALL \nNECESSITIES LEAVE ACT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEligible employees are entitled to take up to 12 weeks of leave for \nfamily or medical leave under federal law and up to 24 hours of \nleave for family obligations under state law during a fiscal year \n(July 1 through June 30). School-based employees who report to a \nprincipal/head of school (except custodians, cafeteria workers, \nand itinerants) may submit their leave requests via the Hub. \nFEDERAL FAMILY AND MEDICAL LEAVE ACT \n1. Eligibility \nEmployees who have been employed in the Boston Public \nSchools for at least 12 months at the BPS and who have \nworked at least 1,250 hours in the prior 12-month period are \neligible. \n2. Purpose \n\u25cf For incapacity due to pregnancy, prenatal medical care, \nor childbirth", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 2 of 11 \n \n\u25cf To care for a son or daughter within the first 12 months \nafter birth, adoption or placement for adoption or foster \ncare \n\u25cf Because the employee is needed to care for a spouse, son, \ndaughter, or parent who has a serious health condition. \n\u25cb Son or daughter means a biological, adopted, or foster \nchild, a stepchild, a legal ward, or a child of a person \nstanding in loco parentis, who is either under age 18, or \nage 18 or older and incapable of self-care because of a \nmental or physical disability. Parent does not include \nin-laws. \n\u25cf Because of the employee's own serious health condition \nwhich makes the employee unable to perform their job. \nA serious health condition means an illness, injury, \nimpairment or physical or mental condition that involves: \n\u25cb a period of incapacity or treatment connected with \ninpatient care \n\u25cb a period of incapacity requiring absence of more than 3 \ncalendar days from work or daily activities also", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "\u25cb a period of incapacity or treatment connected with \ninpatient care \n\u25cb a period of incapacity requiring absence of more than 3 \ncalendar days from work or daily activities also \ninvolving continuing treatment by a health care \nprovider \n\u25cb any period of incapacity due to pregnancy or for \nprenatal care \n\u25cb any period of incapacity due to a chronic serious health \ncondition (e.g., asthma, diabetes, epilepsy) \n\u25cb any period of incapacity that is permanent or long term \ndue to a condition for which treatment may not be \neffective (e.g., Alzheimer\u2019s, stroke, terminal diseases) \n\u25cb a period of absence to receive multiple treatments for \nan injury or condition which would result in incapacity", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 3 of 11 \n \nfor more than three days if not treated (e.g., \nchemotherapy, physical therapy, dialysis). \n3. Length of Leave \nSubject to FMLA qualification, up to 12 weeks of leave may \nbe taken in any fiscal year. For qualifying exigencies arising \nout of the fact that the employee\u2019s spouse, son, daughter, or \nparent is on active duty or call to active duty status as a \nmember of the National Guard or Reserves in support of a \ncontingency operation to permit a \"spouse, son, daughter, \nparent, or next of kin\" to take up to 26 work weeks of leave \nto care for a \"member of the Armed Forces, including a \nmember of the National Guard or Reserves, who is \nundergoing medical treatment, recuperation, or therapy, is \notherwise in outpatient status, or is otherwise on temporary \ndisability retired list, for a serious injury or illness.\" \nQualifying exigencies include: \n\u25cf Issues arising from a covered military member\u2019s short", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "disability retired list, for a serious injury or illness.\" \nQualifying exigencies include: \n\u25cf Issues arising from a covered military member\u2019s short \nnotice deployment (i.e., deployment on seven or less days \nof notice) for a period of seven days from the date of \nnotification \n\u25cf Military events and related activities such as official \nceremonies, programs, or events sponsored by the \nmilitary or family support or assistance programs and \ninformational briefings sponsored or promoted by the \nmilitary, military service organizations, or the American \nRed Cross that are related to the active duty or call to \nactive duty status of a covered military member;", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 4 of 11 \n \n\u25cf Certain childcare and related activities arising from the \nactive duty or call to active duty status of a covered \nmilitary member, such as arranging for alternative \nchildcare, providing childcare on a non-routine, urgent, \nimmediate need basis, enrolling, or transferring a child in \na new school or day care facility, and attending certain \nmeetings at a school or a day care facility if they are \nnecessary due to circumstances arising from the active \nduty or call to active duty of the covered military member \n\u25cf Making or updating financial and legal arrangements to \naddress a covered military member\u2019s absence \n\u25cf Attending counseling provided by someone other than a \nhealth care provider for oneself, the covered military \nmember, or the child of the covered military member, the \nneed for which arises from the active duty or call to active \nduty status of a covered military member", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "member, or the child of the covered military member, the \nneed for which arises from the active duty or call to active \nduty status of a covered military member \n\u25cf Taking up to five days of leave to spend time with a \ncovered military member who is on short-term \ntemporary, rest and recuperation leave during \ndeployment \n\u25cf Attending to certain post-deployment activities, \nincluding attending arrival ceremonies, reintegration \nbriefings and events, and other official ceremonies or \nprograms sponsored by the military for a period of 90 \ndays following the termination of the covered military \nmember\u2019s active duty status, and addressing issues \narising from the death of a covered military member \n\u25cf Any other event that the employee and employer agree is \na qualifying exigency", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 5 of 11 \n \nSpecial restrictions apply to teachers requesting leaves, \ndepending on the length and timing of the leave(s). Please \ncall the Office of Human Resources for advice regarding \nspecial rules that apply to teachers in these situations. \n4. Requesting a Leave of Absence: Notice Requirement \nIf the need for leave is foreseeable, an employee must \nprovide BPS with at least 30 days notice. If 30 days notice is \nnot practicable, notice must be given as soon as possible, \ngenerally the same or next business day. All employees \nmust submit their leave request through the online Request \nfor Leave of Absence application (instructions and more \ninformation below in Section 8). \nEmployees requesting absences of 5 days or less to fulfill \nNational Guard or Military Reserve responsibilities must \nsubmit a request on ess.boston.gov and provide supporting \ndocumentation to the Responsibility Center manager.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "National Guard or Military Reserve responsibilities must \nsubmit a request on ess.boston.gov and provide supporting \ndocumentation to the Responsibility Center manager. \nAbsences of 6 days or more must be submitted through the \nonline application. \n5. Certification(s)/Documentation \nWH-380-E/F form or medical certification/documentation \non official letterhead from a health care provider is required \nfor leave because of a serious health condition. Second or \nthird opinions may be required, as well as a fitness for duty \nreport to return to work. \n6. Paid or Unpaid Leave and Benefits \nLeave is unpaid except to the extent that accrued sick leave, \npersonal leave, or vacation leave applies, as provided in", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 6 of 11 \n \napplicable collective bargaining agreements or school \ndepartment policy. Employees who are taking leave for their \nown serious health condition will be required to use their \naccrued paid sick leave and vacation leave during their \nFMLA leave until such paid leave has been exhausted. \nEmployees who are taking FMLA leave to care for their \nspouse, child, or parent will be required to use all accrued \npaid vacation leave during their FMLA leave until such paid \nleave has been exhausted. After an employee\u2019s accrued paid \nleave has been exhausted, any remaining FMLA leave will be \nunpaid. \nMedical insurance as part of a group health plan must be \nmaintained. However, benefits do not accrue during unpaid \nleave unless otherwise provided by the terms of an \napplicable collective bargaining agreement. \n7. Relationship to Other Leaves Provided by Collective \nBargaining Agreements or Policy", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "leave unless otherwise provided by the terms of an \napplicable collective bargaining agreement. \n7. Relationship to Other Leaves Provided by Collective \nBargaining Agreements or Policy \nThis leave neither diminishes nor augments any greater \nleave for the same purpose which may be provided for in a \ncollective bargaining agreement or other law or policy.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 7 of 11 \n \n8. Requesting Leave of Absence \nAll employees must submit a request for leave electronically \nvia the online application. Once the leave request is \nsubmitted electronically, it is automatically sent to the \nprincipal/head of school of the employee\u2019s school for \nnotification and to the Office of Human Resources for \nreview. Employees and supervisors will automatically be \nnotified whether the leave was approved, denied, or is \npending due to documentation, through their BPS email. To \nrequest a leave: \n\u25cf Access the Office of Human Resources Workspace. \n\u25cb Click on \u201cOffice of Human Resources Workspace.\u201d \n\u25cb Click on \u201cForms\u201d tab. \n\u25cb From the drop-down menu, select \u201cLeave \nRequest.\u201d \n\u25cb Read through the instructions and complete \napplication. \n\u25cf Access the application to request a leave of absence \nonline. \nSMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR \nFAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] \n1. Eligibility", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "\u25cf Access the application to request a leave of absence \nonline. \nSMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR \nFAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] \n1. Eligibility \nEmployees who have been employed for at least 12 months \nat the BPS and who have worked at least 1,250 hours in the \nprior 12-month period are eligible (same as for federal family \nand medical leave).", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 8 of 11 \n \n2. Purpose \n\u25cf To participate in school activities directly related to the \nadvancement of the employee's son or daughter, such as \na parent-teacher conference or interview for a new \nschool. \n\u25cb A son or daughter includes foster child, a legal \nward or a child of a person standing in loco \nparentis, under 18 years of age or older but \nincapable of self-care. \n\u25cb School includes Head Start or a licensed day care \nfacility. \n\u25cf To accompany a son or daughter to a routine medical or \ndental appointment, such as a routine check-up or \nvaccination. \n\u25cf Accompany an elderly relative (60 years or more) to a \nroutine medical or dental appointment or for other \nprofessional services, such as interviewing at a nursing \nhome. \n3. Length of Leave and Increments \nLeave may be taken in increments of at least one hour for \nup to 24 hours in any fiscal year. \nThis leave augments leave taken under the federal Family", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "home. \n3. Length of Leave and Increments \nLeave may be taken in increments of at least one hour for \nup to 24 hours in any fiscal year. \nThis leave augments leave taken under the federal Family \nand Medical Leave Act, as it is for a different purpose. It \ndoes not diminish any greater leave which may be provided \nfor in a collective bargaining agreement or other school \npolicy. \nREQUEST FOR LEAVE: NOTICE REQUIREMENTS", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 9 of 11 \n \nIf the need for leave is foreseeable, employees must give the \nOffice of Human Resources at least seven (7) days prior notice. If \nthe need is not foreseeable, the employee must notify their \nResponsibility Center manager as soon as practicable given the \ncircumstances of the case. To the extent possible, employees \nmust provide written notice of the need for leave. \n1. Certification/Documentation \nAll employees must use the attached certification (page 7) \nto request a SNLA leave. Applying for this leave cannot be \ndone through the Hub. The original copy must be submitted \nto the Responsibility Center manager, who will forward it to \nthe Office of Human Resources. \n2. Paid or Unpaid Leave \nLeave for family obligations is unpaid unless an employee \nchooses to substitute accrued vacation or personal time for \nthe unpaid leave, as provided in the applicable collective \nbargaining agreement, school department policy, and", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "chooses to substitute accrued vacation or personal time for \nthe unpaid leave, as provided in the applicable collective \nbargaining agreement, school department policy, and \nexcept as may be provided for in state law or city ordinance.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 10 of 11 \n \nFor more information about this circular, contact: \n \nOwner: Leave of Absence Team \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 11 of 11 \n \nSMALL NECESSITIES LEAVE ACT \nEMPLOYEE LEAVE FOR FAMILY OBLIGATIONS UP TO \nTWENTY-FOUR (24) HOURS \nEMPLOYEE'S CERTIFICATION \nI certify that on ________________________I will/did take _____________ \n hours of leave for the following purpose: \n\uf06f to participate in school activities directly related to the \neducational advancement of a son or daughter. \n\uf06f to accompany a son or daughter to routine medical or \ndental appointments, such as check-ups or \nvaccinations. \n\uf06f to accompany an elderly relative to routine medical or \ndental appointment or appointment for other \nprofessional services related to the elder's care. \nFurthermore, I understand that this absence will be recorded \nwith the use of my (please select one): \n\uf06f Sick Time \uf06f Comp. Time \n\uf06f Floating Holiday \uf06f Vacation Time \n\uf06f Personal Time \nEmployee\u2019s Signature: ____________________________________________", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "content": "with the use of my (please select one): \n\uf06f Sick Time \uf06f Comp. Time \n\uf06f Floating Holiday \uf06f Vacation Time \n\uf06f Personal Time \nEmployee\u2019s Signature: ____________________________________________ \nEmployee\u2019s Name (print): _________________________________________ \nEmployee\u2019s ID Number: _____________________ \nDate: ________________________________________ \nSubmit original copy to Responsibility Center Manager.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-L02 \nVersion 01 \n \nREQUIREMENTS FOR PARAPROFESSIONALS \nUNDER ESSA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe US Department of Education Every Student Succeeds Act \n(ESSA) requires that all instructional paraprofessionals meet \nspecific employment requirements in order to be designated \n\u201cHighly Qualified\u201d. These requirements apply to all schoolwide \nprograms without regard to whether the positions are funded \nwith federal, state, or local funds. To be considered Highly \nQualified, paraprofessionals will need to possess specific skills in \nreading, writing, math, and instruction (as outlined in \nAttachment A of this Superintendent\u2019s Circular). \nI. ESSA REQUIREMENTS FOR PARAPROFESSIONALS \nThere are currently two available options for paraprofessionals to \nbe deemed Highly Qualified: \n\u25cf Pathway 1: Associate\u2019s Degree or 48 Credit Hours of \nCoursework", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "There are currently two available options for paraprofessionals to \nbe deemed Highly Qualified: \n\u25cf Pathway 1: Associate\u2019s Degree or 48 Credit Hours of \nCoursework \nThe paraprofessional obtained an Associate\u2019s (or higher) \ndegree OR completed at least 48 credit hours of \ncoursework at an institution of higher education (IHE). If \nthis pathway was selected the paraprofessional should \nsubmit to the Principal/Headmaster all relevant transcripts.", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 2 of 12 \n \n\u25cf Pathway 2: Formal Standardized Assessment \nThe paraprofessional passed a formal standardized \nassessment. The Massachusetts ESE has selected both the \nParaPro Assessment and the WorkKeys Certificate of \nProficiency for Teacher Assistants as the formal state-\nendorsed assessments. Either of these assessments will \nenable instructional paraprofessionals to meet this \nrequirement. If this pathway is selected the \nparaprofessional should submit to the \nPrincipal/Headmaster an official score report confirming a \npassing score. \nII. RESOURCES FOR PATHWAY 2 \nInformation about the ParaPro Assessment, including content \noverview, and registration can be accessed on-line at \nhttp://www.ets.org/parapro. The test is generally offered as a \npaper/pencil test given four times per year at Roxbury \nCommunity College. BPS does not currently administer the \nInternet-based ParaPro test. A scaled score of 464 must be", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "paper/pencil test given four times per year at Roxbury \nCommunity College. BPS does not currently administer the \nInternet-based ParaPro test. A scaled score of 464 must be \nachieved in order to pass and be deemed \u201cHighly Qualified\u201d. \nInformation about the WorkKeys Proficiency Certificate for \nTeacher Assistants can be accessed on-line at \nhttp://www.act.org/workkeys/. It consists of a three-part \nassessment as well as an observation-based tool known as the \nInstructional Support Inventory (ISI). It is administered by \nWorkSource Partners, Inc., One Harvard Street, Ste 200, \nBrookline, MA 02445 (phone: 617-232-0330). To meet the \nrequirements of ESSA, paraprofessionals must achieve at the \nfollowing skill levels on the three-part assessment: \n\u25cf Reading for Information: Skill Level 5", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 3 of 12 \n \n\u25cf Applied Mathematics: Skill Level 4 \n\u25cf Business Writing: Skill Level 3 \nIII. FEDERAL DEFINITIONS \nDefinition of Instructional Paraprofessional \nAn instructional paraprofessional is an individual who provides \ninstruction and support for classroom teachers. Aides, assistants, \nor tutors who engage in instructional support are considered to \nbe instructional paraprofessionals as defined by ESSA. Individuals \nwho work solely in non-instructional roles, such as food service, \ncafeteria or playground supervision, personal care services, and \nnon-instructional computer assistance are not considered to be \ninstructional paraprofessionals. \nResponsibilities of Instructional Paraprofessionals \nESEA specifies that instructional paraprofessionals may engage \nin the following activities: \n\u25cf Provide one-on-one tutoring for eligible students, if the \ntutoring is scheduled at a time when a student would not", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "in the following activities: \n\u25cf Provide one-on-one tutoring for eligible students, if the \ntutoring is scheduled at a time when a student would not \notherwise receive instruction from a teacher. \n\u25cf Assist with classroom management, such as organizing \ninstructional and other materials. \n\u25cf Assist in a computer laboratory. \n\u25cf Provide instructional support in a library or media center. \n\u25cf Provide instructional services to students under the direct \nsupervision of a teacher.", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 4 of 12 \n \nAll instructional paraprofessionals must be supervised directly by \nteachers. Instructional paraprofessionals cannot be supervised by \na peer or group of peers. \nThe following two categories of paraprofessionals need only \npossess a high school diploma or equivalent and are not required \nto meet the additional requirements listed above: \n\u25cf Paraprofessionals in Title I programs who serve primarily as \ntranslators (as long as these paraprofessionals are proficient \nin English and a language other than English); and \n\u25cf Paraprofessionals working solely on parental involvement \nactivities. \nVisit the Mass. DESE website for additional details. \n \nFor more information about this circular, contact: \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Boston MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 5 of 12 \n \nATTACHMENT A \nMassachusetts Department of Education Learning Guidelines \nfor Title I Instructional Paraprofessionals \nThe Department of Education strongly encourages districts and \ncharter schools to use these guidelines as a model for all \nparaprofessionals who provide instructional support to students. \nBASIC ASSUMPTIONS \n\u25cf Instructional paraprofessionals are respected team \nmembers responsible for assisting in the delivery of \ninstruction and other student-related activities. As valued \nmembers of the faculty, they are essential partners in the \nwork of Title I programs. \n\u25cf Given their responsibilities, instructional paraprofessionals \nmust be skilled in reading, writing, and mathematics, and \nfamiliar with instructional practices that ensure and \nsupport the achievement of all students. \n\u25cf To enhance the continuity and quality of services for \nstudents, paraprofessionals must be encouraged and", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "support the achievement of all students. \n\u25cf To enhance the continuity and quality of services for \nstudents, paraprofessionals must be encouraged and \nsupported in their efforts to participate in ongoing \nprofessional development programs. \n\u25cf Programs for instructional paraprofessionals are best when \nthey are comprehensive, acknowledge the diverse roles \nparaprofessionals play in schools and provide pathways to \nfurther education and teacher licensure, if desired.", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 6 of 12 \n \n1. LITERACY DOMAIN \n01 Language \nA paraprofessional will know how and be able to: \n\u25cf Use agreed-upon rules for informal and formal discussions \nin small and large groups \n\u25cf Pose questions, listen to the ideas of others, and contribute \ntheir own information or ideas in group discussions or \ninterviews in order to acquire new knowledge \n\u25cf Understand new vocabulary and use it correctly in reading \nand writing \n\u25cf Analyze and use Standard English grammar \n\u25cf Describe, analyze, and use appropriately formal and \ninformal English \n\u25cf Identify and use the correct meaning of words and phrases \n\u25cf Recognize and use words with multiple meanings \n\u25cf Use a paragraph or passage as the context for determining \nthe meaning of an unfamiliar or uncommon word or phrase \n\u25cf Use dictionaries, thesauruses, and other related references \n02 Literature \nA paraprofessional will know how and be able to: \n\u25cf Identify the basic facts and main ideas in a text and use", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "\u25cf Use dictionaries, thesauruses, and other related references \n02 Literature \nA paraprofessional will know how and be able to: \n\u25cf Identify the basic facts and main ideas in a text and use \nthem as the basis for interpretation \n\u25cf Identify and paraphrase the main idea of a passage \n\u25cf Identify supporting evidence", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 7 of 12 \n \n\u25cf Identify, organize, and draw conclusions using the \nrelationship(s) among the ideas in written material \n\u25cf Identify, analyze, and apply knowledge of the theme, \nstructure and elements of fiction and provide evidence \nfrom the text to support their understanding \n\u25cf Identify, analyze, and apply knowledge of the purposes, \nstructure, and elements of nonfiction or informational \nmaterials and provide evidence from the text to support \ntheir understanding \n\u25cf Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of poetry and provide evidence \nfrom the text to support their understanding \n\u25cf Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of drama and provide evidence \nfrom the text to support their understanding \n\u25cf Identify and analyze how an author\u2019s words appeal to the \nsenses, create imagery, suggest mood, and set tone and \nprovide evidence from the text to support their", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "\u25cf Identify and analyze how an author\u2019s words appeal to the \nsenses, create imagery, suggest mood, and set tone and \nprovide evidence from the text to support their \nunderstanding \n03 Composition \nA paraprofessional will know how and be able to: \n\u25cf Write with a clear focus, coherent organization, and \nsufficient detail \n\u25cf Write for different audiences and purposes \n\u25cf Demonstrate adequate paragraph development and \nappropriate style, tone, and word choice in their \ncompositions", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 8 of 12 \n \n\u25cf Use standard English conventions in their writing, revising, \nand editing \n\u25cf Organize ideas in writing in a way that makes sense for \ntheir purpose \n\u25cf Gather information from a variety of sources, analyze, and \nevaluate the quality of the information they obtain, and use \nit to answer their own questions \n\u25cf Outline, summarize, and take notes \n\u25cf Interpret information presented in graphic form \n2. NUMERACY DOMAIN \n01 Number Sense \nA paraprofessional will know how and be able to: \n\u25cf Understand numbers, ways of representing numbers, \nrelationships among numbers, and number systems \n\u25cf Understand principles and operations related to integers, \nfractions, decimals, percents, ratios, and proportions \n\u25cf Understand and solve problems involving integers, \nfractions, decimals, percents, ratios, and proportions \n\u25cf Understand meanings of mathematical operations and how \nthey relate to one another. \n\u25cf Compute fluently and make reasonable estimates", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "fractions, decimals, percents, ratios, and proportions \n\u25cf Understand meanings of mathematical operations and how \nthey relate to one another. \n\u25cf Compute fluently and make reasonable estimates \n\u25cf Know how to use standard arithmetical algorithms", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 9 of 12 \n \n02 Algebra \nA paraprofessional will know how and be able to: \n\u25cf Understand and use patterns to model and solve problems \n\u25cf Understand how to manipulate and simplify algebraic \nexpressions and translate problems into algebraic notation \n\u25cf Understand the properties of different types of functions \nand relations \n03 Geometry \nA paraprofessional will know how and be able to: \n\u25cf Analyze characteristics and properties of two- and three-\ndimensional geometric shapes \n\u25cf Specify locations and describe spatial relationships using \ncoordinate geometry and other representational systems \n\u25cf Understand the principles and properties of coordinate and \ntransformational geometry, apply transformations, and use \nsymmetry to analyze mathematical situations \n\u25cf Use visualization, spatial reasoning, and geometric \nmodeling to solve problems. \n04 Measurement and Data Analysis \nA paraprofessional will know how and be able to:", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "\u25cf Use visualization, spatial reasoning, and geometric \nmodeling to solve problems. \n04 Measurement and Data Analysis \nA paraprofessional will know how and be able to: \n\u25cf Identify measurable attributes of objects and use the \nstandard units, systems, and processes of measurement \n\u25cf Formulate questions that can be addressed with data; and \ncollect, organize, and display relevant data to answer them", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 10 of 12 \n \n\u25cf Select and use appropriate statistical methods to analyze \ndata \n\u25cf Develop and evaluate inferences and predictions that are \nbased on data \n3. INSTRUCTION DOMAIN \n01 Curriculum Planning \nA paraprofessional will know how and be able to: \n\u25cf Assist with activities addressing standards that will advance \nstudents\u2019 level of content knowledge \n\u25cf Assist with activities appropriate for the full range of \nstudents within a classroom and appropriate to the specific \ndiscipline, age, and level of proficiency with the English \nlanguage and Individualized Education Programs (IEP) \n02 Effective Instruction \nA paraprofessional will know how and be able to: \n\u25cf Communicate lesson objectives clearly \n\u25cf Build on students\u2019 prior knowledge and experience \n\u25cf Provide support under the guidance of a classroom teacher \nto address student needs \n\u25cf Help students use appropriate instructional resources to", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "\u25cf Build on students\u2019 prior knowledge and experience \n\u25cf Provide support under the guidance of a classroom teacher \nto address student needs \n\u25cf Help students use appropriate instructional resources to \nsupport learning in reading, writing, and mathematics \n\u25cf Help students use a variety of approaches to understand \nwhat they read \n\u25cf Help students focus their writing \n\u25cf Help students relate mathematics to everyday situations", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 11 of 12 \n \n\u25cf Employ a variety and range of instructional techniques \nfrom direct instruction to cooperative learning groups \n\u25cf Use instructional technology appropriately \n\u25cf Provide regular feedback to students on their progress \n\u25cf Provide formal and informal assessment of student \nprogress \n03 Classroom Climate and Equity \nA paraprofessional will know how and be able to: \n\u25cf Maintain appropriate standards of behavior, mutual \nrespect, and safety in the classroom \n\u25cf Promote achievement for all students, including those with \ndisabilities, those with limited English proficiency, and \nthose who are gifted and talented, without exception \n\u25cf Promote civic and self-responsibility in the classroom, \nschool, and community \n04 Professional Responsibilities \nA paraprofessional will know how and be able to: \n\u25cf Carry out their legal and ethical responsibilities. \n\u25cf Carry out health, safety, and emergency procedures of the \nlearning environment.", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "A paraprofessional will know how and be able to: \n\u25cf Carry out their legal and ethical responsibilities. \n\u25cf Carry out health, safety, and emergency procedures of the \nlearning environment. \n\u25cf Maintain high standards and expectations for all students. \n05 Professional Skills \nA paraprofessional will understand how and be able to:", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 12 of 12 \n \n\u25cf Accept supervision to reflect critically upon their classroom \nexperience and identify areas for further skill and \nprofessional development. \n\u25cf Work collaboratively with school personnel. \n\u25cf Confer with supervisor(s) and/or content specialist(s) when \nassistance is needed in supporting students\u2019 learning \nprocess.", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS- L03 \nVersion 01 \n \n \nLICENSURE REQUIREMENTS FOR PRINCIPALS/HEADS \nOF SCHOOL AND BASAS EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll principals and heads of school as well as most BASAS \nemployees are required to hold one of five administrative licenses \nissued by the State of Massachusetts Department of Elementary \nand Secondary Education (DESE). \nTYPES OF ADMINISTRATOR LICENSES \nThe DESE issues the following five administrator licenses: \n\u2022 Superintendent/Assistant Superintendent \n\u2022 Principal/Assistant Principal \n\u2022 Supervisor/Director \n\u2022 Special Education Administrator \n\u2022 School Business Administrator \nREQUIREMENTS BY ADMINISTRATOR POSITION \nThe BPS positions/titles below require the following licenses in \nthe appropriate grade level(s):", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 2 of 7 \n \n \nBPS Position/Title Required License \nPrincipal / Head of School Principal/Assistant Principal \nAssistant Principal / Head of \nSchool \nPrincipal/Assistant Principal \nAcademy Director Supervisor/Director OR \nPrincipal/Assistant Principal \nAcademy Leader Supervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Instruction Supervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Alternative \nEducation \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSmall Learning Community \nLeader \nSupervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Curriculum, \nAssessment and Placement \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSenior Curriculum Access \nSpecialist \nSpecial Education Administrator \nlicense OR Moderate/Severe \nDisabilities teaching license in \ncombination with Principal/ \nAssistant Principal license. \nSenior Curriculum Manager \nPrincipal/Assistant Principal OR", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "license OR Moderate/Severe \nDisabilities teaching license in \ncombination with Principal/ \nAssistant Principal license. \nSenior Curriculum Manager \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSenior Program Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nProgram Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSome BASAS classifications may require licensure depending", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 3 of 7 \n \n \nupon the types of duties performed. If a BASAS member is \nresponsible for the \u201cPlanning, Implementing, or Developing of \nCurriculum and Instruction\u201d (for 50% or more of their time), they \nmust hold an administrator license. Additionally, if the BASAS \nadministrator is responsible for the \u201cEvaluation of Employees,'' \nthey must hold an administrator license. \nIf they are responsible for the planning, implementing, or \ndeveloping of Curriculum and Instruction, or the evaluation of \nemployees, the following BPS employees must hold these \nlicenses: \nBPS Position/Title Required License \nSenior Coordinator \nPrincipal/Assistant Principal or \nSupervisor/Director or Special \nEducation Administrator license \nCoordinator \nJunior Coordinator \nDirector \nAssistant Director \nBilingual Program Specialist \nSenior Program Coordinator \nMEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nThe following information outlines general guidelines that", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Director \nAssistant Director \nBilingual Program Specialist \nSenior Program Coordinator \nMEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nThe following information outlines general guidelines that \nprincipals, heads of school, and relevant BASAS employees \nshould follow to meet Massachusetts state licensure \nrequirements. The DESE will determine individual licensure \nrequirements upon review of the administrator\u2019s application. \n1. Pass the Massachusetts Test for Educator Licensure (MTEL)", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 4 of 7 \n \n \nin Communication and Literacy Skills. To register for the \nMTEL, go to: http://www.doe.mass.edu/mtel/. \n2. Complete the licensure requirements for the administrator \nrole sought through one of the available routes: \na. Complete an Approved Program of Study. DESE \napproves educator preparation programs sponsored by \nhigher education, professional associations, \ncollaboratives, school districts, charter schools, and \nother organizations. Approved programs are designed \nto meet the requirements for a specific administrator \nlicense. The DESE website, \nhttp://www.doe.mass.edu/edprep, contains a list of \napproved administrator preparation programs. \nb. Complete an Administrative \nApprenticeship/Internship. This route to licensure is \nprimarily a field-based experience requiring a \nminimum of 300-500 hours depending on the license \nbeing pursued in the role of the license sought. \nCandidates completing this route must be guided by a", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "minimum of 300-500 hours depending on the license \nbeing pursued in the role of the license sought. \nCandidates completing this route must be guided by a \ntrained mentor (who has held a professional license in \nthe same role for at least three years) and participate in \nseminars, workshops, and other opportunities that will \nassist the candidates in adequately addressing the \nProfessional Standards for Administrators. \nc. Be recommended for licensure through the Panel \nReview process. This route is only available for \nadministrator licensure candidates who have specific \nprerequisite experiences and for all superintendent \ncandidates. \n3. Apply for licensure and make payment through the online", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 5 of 7 \n \n \nprocess: (https://www.doe.mass.edu/licensure/apply-check-\nstatus-license.html). \n4. Submit the following supporting documentation and \ninformation to the DESE: \na. One of the following: \ni. Approved program endorsement \nii. Administrative Apprenticeship/Internship \nEndorsement Form. This form is accessible \nthrough the Guidelines for Administrator Routes \nto Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-\nadministrator-routes.pdf \nb. A letter written on official letterhead by the \nsuperintendent/designee, principal, or previous \nemployer that documents the candidate has \ncompleted three years of employment in the role of the \ncurrent license or other required experience. \nc. Successful completion of the Performance Assessment \nfor Initial License. Applicants for the Principal/Assistant \nPrincipal license are required to successfully complete", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "c. Successful completion of the Performance Assessment \nfor Initial License. Applicants for the Principal/Assistant \nPrincipal license are required to successfully complete \nthe Performance Assessment for Initial Licensure \n(MA_PAL). This requirement is currently under \ndevelopment for all other administrative licenses. \nLicensure can be granted to those who satisfy all other \nlicensure requirements prior to this requirement \nbecoming available. \n \nd. Official transcripts of undergraduate/graduate studies \nif required for specific license.", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 6 of 7 \n \n \n \nMore information about the requirements for the administrator \nlicenses is available through the Guidelines for Administrator \nRoutes to Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-administrator-\nroutes.pdf \nPROCESS FOR REPORTING LICENSURE TO THE OFFICE OF \nHUMAN RESOURCES \nIt is the responsibility of principals, heads of school, and relevant \nBASAS employees, as well as their supervisors, to ensure proper \nlicensure is in place and recorded in the \u201cBPS Licenses\u201d section of \nPeopleSoft (found under \u201cWorkforce Development\u201d) which is \nmaintained by the Office of Human Resources via an electronic \ndownload from the Department of Elementary and Secondary \nEducation. \nPROCESS FOR LICENSURE RELATED VERIFICATIONS \nAll educators and other employees seeking licensure related \nverifications and/or loan forgiveness must complete the BPS", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Education. \nPROCESS FOR LICENSURE RELATED VERIFICATIONS \nAll educators and other employees seeking licensure related \nverifications and/or loan forgiveness must complete the BPS \nEducator Licensure-Related Verification Requests form.", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 7 of 7 \n \n \nFor more Information about this circular, contact: \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS04 \nVersion 01 \n \nSCHOOL LEADER SCREENING PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe process for recruiting, screening and hiring for school leader \nvacancies requires collaboration among many offices, including \nthe Superintendent, Regional School Superintendents, the Office \nof Human Resources, the Office of Engagement, the Division of \nSchools, and the schools with vacant leadership positions. \nSchool leader vacancies may be filled either through this process, \nor through the appointment of an existing employee or an \nexternal candidate by the Superintendent. The latter would not \nrequire the position be posted in the manner described in this \ncircular. \n \nPOSITION POSTING \nA job posting for school leader positions will be available by \nNovember 1, 2024. The application can be found by searching \n'school leader'. The selection process will yield qualified", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "A job posting for school leader positions will be available by \nNovember 1, 2024. The application can be found by searching \n'school leader'. The selection process will yield qualified \ncandidates for the entire district and for autonomous schools. \n\u25ba Please note: Autonomous schools have the right to create \nand advertise their own job postings in order to recruit", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 2 of 10 \n \ncandidates who align with the specific vision and values of \ntheir communities. See \u201cAUTONOMOUS SCHOOLS\u201d, page 8. \n \nMINIMUM QUALIFICATIONS \nMinimum qualifications are as follows: \n\u25cf Master\u2019s degree in education or related field. \n\u25cf Evidence of submission or successful completion of all MA-\nPAL tasks (Massachusetts Performance Assessment for \nLeaders) or \n\u25cf Principal/Assistant Principal licensure or equivalent by time \nof appointment. \nPREFERRED QUALIFICATIONS \nPreferred qualifications are as follows: \n\u25cf Fluency in one or more non-English languages. \n\u25cf 5+ years of experience as a school leader in a large, urban \nschool district. \nPRE-SCREENING AND SELECTION PROCESS \nThe selection process consists of the following phases: \n\u25cf Phase I: Application and Resume Review (Nov 2024 - Feb \n2025). \n\u25cf Phase II: Performance Tasks (Nov 2024 - Feb 2025). \n\u25cf Phase III: School-Based Interview (Jan - April 2025).", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "\u25cf Phase I: Application and Resume Review (Nov 2024 - Feb \n2025). \n\u25cf Phase II: Performance Tasks (Nov 2024 - Feb 2025). \n\u25cf Phase III: School-Based Interview (Jan - April 2025). \n\u25cf Phase IV: Interview with Superintendent or Superintendent \nDesignee (March - April 2025).", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 3 of 10 \n \n \nCandidates who successfully advance through the first two \nphases of the process will be eligible to interview with school-\nbased hiring teams The school-based hiring process is led by the \nRegional School Superintendent or their designee. The Regional \nSchool Superintendent or designee will convene the School \nScreening Committee and serve as the Chairperson. As \nChairperson they shall decide which of the approved candidates \nshall interview with the Committee, based on the characteristics \nand needs of that school community. \nSCHOOL SCREENING COMMITTEE GUIDELINES \nThe Regional School Superintendent or designee shall chair the \nSchool Screening Committee for all school leader positions, \nincluding those for autonomous schools. The Office of \nEngagement will provide support to the Chairperson of the \nSchool Screening Committee by coordinating the vote to \ndetermine who will serve on the School Screening Committee as", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Engagement will provide support to the Chairperson of the \nSchool Screening Committee by coordinating the vote to \ndetermine who will serve on the School Screening Committee as \nwell as by leading those committee members through a bias \ntraining. \nMembers: \nThe membership of the School Screening Committee shall \ninclude the following: \n\u25cf The Regional School Superintendent and/or \nsuperintendent\u2019s designee, who serves as Chairperson. \n\u25cf Three teacher members of the Boston Teachers Union (BTU) \nrepresenting the racial and ethnic diversity of the school\u2019s", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 4 of 10 \n \nstudent population, selected by BTU members on the \nSchool Site Council. \n\u25cf One member of the Boston Association of School \nAdministrators and Supervisors (BASAS), as selected by the \nChairperson, with special consideration for any BASAS \nmembers working at the school. \n\u25cf Three parents from the school, selected by parent members \nof the School Site Council, and representing the racial and \nethnic diversity of the school\u2019s student population. At least \none must be an elected member of the School Site Council \nor School Parent Council. \n\u25cb Among the three parent members selected, one must \nbe a parent of a special education student or a student \nin a program for Multilingual Learners if a special \neducation program or program for English Learners is \nin place at the school. Parent members of the School \nSite Council shall select this parent. \n\u25cf Optional: At the discretion of the School Screening", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "in place at the school. Parent members of the School \nSite Council shall select this parent. \n\u25cf Optional: At the discretion of the School Screening \nCommittee Chairperson, one representative from a partner \norganization that works closely with the school, such as a \ncommunity, business or higher education partner. \n\u25cf Secondary only: One student from the School Site Council or \na student from the Student Advisory Council. \n\u25cf School mergers only: In the event two schools are scheduled \nto merge and, as a result must complete a screening \nprocess for a new School Leader, the School Screening \nCommittee shall be comprised of the same members as \nlisted above, with the following adjustments: \n\u25cb Two BTU members from each school from different \nracial groups, selected by BTU members on the School \nSite Council", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 5 of 10 \n \n\u25cb Two parents from each school, selected by parent \nmembers of the School Site Council, and representing \nthe racial and ethnic diversity of the school\u2019s student \npopulation. At least one must be an elected member of \nthe School Site Council or School Parent Council. \n\u25cb The Operational Leader for the region, who shall serve \nas the BASAS representative. \nAll Committee members shall adhere to norms of respect, \ncollaboration and confidentiality throughout the screening \nprocess. In the event any committee member fails to conduct \nthemselves according to these norms, that member may be \nremoved from the process, per the discretion of the Chairperson. \nProcess: \nUpon creation of the School Screening Committee, the \nChairperson shall give written notice to each committee member \nat least five working days prior to the first meeting. Screening \nCommittee members shall also receive from the Chairperson a", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Chairperson shall give written notice to each committee member \nat least five working days prior to the first meeting. Screening \nCommittee members shall also receive from the Chairperson a \ncopy of each candidate\u2019s application materials and a screening \npacket, which will include guidelines for interviewing and scoring \ncandidates and a list of all committee members. \nSchool mergers only: In the event two schools are scheduled to \nmerge, both sitting school leaders shall have the opportunity to \nbe interviewed by the School Screening Committee. \n \nUpon convening, the Committee will:", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 6 of 10 \n \n\u25cf Review the responsibilities and functions of the committee, \nincluding this Superintendent\u2019s Circular. \n\u25cf Review the job description, including the qualifications \nneeded for the position. \n\u25cf Review the School Leader Rubric & Scoring Guide for \ncandidate interviews, which shall be based on candidates\u2019 \nproficiency in the standards for school-level administrators \nas enumerated by DESE: \n\u25cb Instructional Leadership \n\u25cb Management and Operations \n\u25cb Family & Community Engagement \n\u25cb Professional Culture \n\u25cf Committees shall use the School Leader Rubric & Scoring \nGuide as the basis for their scoring. \n\u25cb Per the Guide, School Screening Committee members \nshall score candidate responses in private. The \nChairperson shall then aggregate scores and \nrecommend the top three candidates based on these \nscores (See \u201cReports\u201d below). \n\u25cf Establish an interview schedule. \n\u25cb Set dates and times for candidate interviews and \nfuture meetings.", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "recommend the top three candidates based on these \nscores (See \u201cReports\u201d below). \n\u25cf Establish an interview schedule. \n\u25cb Set dates and times for candidate interviews and \nfuture meetings. \nQuorum for the meetings shall be a majority of the members and \nmust include the Chairperson and at least one parent and one \nteacher. At least one member present must be a person of color. \nIf any of these groups is not represented, the remaining \ncommittee members may, by unanimous vote, decide to proceed \nwith meetings. Decisions of the Screening Committee must be \nmade with a quorum present and shall be carried by a majority of \nthe members present at the meetings. Voting shall be done by", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 7 of 10 \n \nsecret ballot unless the committee decides otherwise. All \nmembers of the Screening Committee are equal in status and \nhave one vote. \nRepresentatives from the Office of Human Capital, the Office of \nEquity, the Office of Engagement or the Office of Leadership \nDevelopment may attend meetings. \nTIMELINE \nIn order to ensure the placement of strong candidates as early as \npossible, School Screening Committees shall make every attempt \nto move efficiently through the above-listed steps, while still \nmaintaining the integrity of the process. Specifically, School \nScreening Committees shall aim to convene, establish an \ninterview schedule and determine the three highest-scoring \ncandidates within one month from the date a vacancy becomes \npublic. Should the Committee not be on pace to accomplish this, \nthe Chairperson reserves the right to waive the quorum \nrequirements listed above in order to convene meetings and \nconduct interviews.", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "the Chairperson reserves the right to waive the quorum \nrequirements listed above in order to convene meetings and \nconduct interviews. \nINTERIM APPOINTMENTS \nAny schools which have Interim School Leaders shall convene the \nSchool Screening Committee in January and shall conclude their \nsearch by March 1, 2025. \nAny schools with vacancies which emerge following May 1, 2025 \nmay, at the discretion of the Regional School Superintendent, \nforgo the above-listed steps and the Superintendent shall instead \nappoint an Interim School Leader for the following year.", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 8 of 10 \n \nSCREENING COMMITTEE MEETING NOTES \nThe Chairperson shall ensure that Screening Committee meeting \nnotes are taken at each meeting and that the following \ninformation is accurately noted: \n\u25cf Name, race, and affiliation of each Screening Committee \nmember. \n\u25cf Dates and times of meetings. \n\u25cf Attendance at each meeting. \n\u25cf All votes taken. \nAll members may have copies of the meeting notes. After the \nscreening process is complete, the members of the Screening \nCommittee will return all resumes and meeting notes to the \nOffice of Leadership Development. All information disclosed at all \nScreening Committee meetings is assumed confidential, both to \nensure the integrity of the hiring process and to protect \napplicants whose employers may not be aware they are applying \nfor a position. \nThe Chairperson is responsible for working with the Department \nof Schools to improve and/or increase the pool of applicants. \nREPORTS", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "for a position. \nThe Chairperson is responsible for working with the Department \nof Schools to improve and/or increase the pool of applicants. \nREPORTS \nPer the School Leader Rubric & Scoring Guide, the Chairperson of \nthe Screening Committee will ensure that the scores from the \nCommittee\u2019s resume screening and interviews are accurately \ntracked and recorded. The Chairperson will tally the candidate \nscores from the Committee and will identify the top three \nrecommended candidates based on these scores. The \nChairperson will then complete a School Leader Nomination", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 9 of 10 \n \nForm which lists these three candidates. The form will be \nsubmitted to the Chief of Schools, the Chief of Staff and the \nExecutive Director of Leadership Development for next steps \nwith the Superintendent, who will make the final determination. \n\u25cf At least one of these three candidates must be a person of \ncolor. \n\u25cf The Chairperson of the Committee may add additional \ncandidate(s) to the nomination form, above and beyond the \nthree required, per their discretion. \nFINAL INTERVIEWS AND DECISION \n\u25cf Upon receipt of the Screening Committee\u2019s \nrecommendations, the Superintendent and/or the Regional \nSchool Superintendent will interview recommended \ncandidates. \n\u25cf The Regional School Superintendent and/or designee will \ncheck references and report back information to the \nSuperintendent, who will determine the final appointments. \nThe Superintendent retains the authority to appoint the \nschool leader recommended by the School Screening", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent, who will determine the final appointments. \nThe Superintendent retains the authority to appoint the \nschool leader recommended by the School Screening \nCommittee or may choose to appoint another candidate. \n\u25cf The Superintendent will notify the Screening Committee of \nthe final decision of the selected candidate. \n\u25cf The Office of Human Resources will send offer letters to new \nhires.", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 10 of 10 \n \nAUTONOMOUS SCHOOLS \nAll elements of this circular shall apply to autonomous schools \n(Pilot, Horace Mann Charters, Innovation and In-District Charter \nSchools) in the same manner they apply to non-autonomous \nschools. The School Screening Committee Chairperson shall \ncollaborate closely with the governing boards of autonomous \nschools to ensure an efficient and effective process that aligns \nwith the vision of the school community. \nUniquely, the governing boards of autonomous schools have the \nright to create and advertise their own job postings in order to \nrecruit candidates who align with the specific vision and values of \ntheir communities. Such candidates must still be vetted and \napproved through Phase 1 & Phase 2 of the district-wide process \noutlined above (\u201cPre-Screening and Selection Process,\u201d pg.1). \n \nFor more information about this circular, contact: \nDepartment: Division of Schools", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "content": "outlined above (\u201cPre-Screening and Selection Process,\u201d pg.1). \n \nFor more information about this circular, contact: \nDepartment: Division of Schools \nMailing Address: Bruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PP09 \n \n \nCRIMINAL HISTORY SCREENING \nThis policy circular shall remain in effect unless rescinded or \nreplaced by a subsequent version. \nThe Boston School Committee and superintendent are \ncommitted to providing a safe learning and work environment \nfor Boston Public Schools students and employees. Following all \napplicable federal and state laws and regulations regarding \nCriminal Offender Record Information (CORI), including \nfingerprinting and Sex Offender Registry Information (SORI), it is \nthe policy of the Boston Public Schools to conduct a criminal \nbackground check (\u201cCORI check\u201d) at least once every three (3) \nyears on current and prospective employees, contracted service \nproviders, volunteers, school transportation providers, and other \nindividuals who may have direct and unmonitored contact with \nchildren.1 The Boston Public Schools criminal history screening \npolicy applies to all current and prospective:", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "individuals who may have direct and unmonitored contact with \nchildren.1 The Boston Public Schools criminal history screening \npolicy applies to all current and prospective: \na. full-time or part-time employees and candidates for \nemployment, including promotions \nb. substitute employees \nc. student teachers, apprentices, and interns \n \n1 See also the Boston Public Schools Sexual Offender Registry \nInformation (SORI) Policy.", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 2 of 32 \n \nd. employees of educational programs \ne. individuals who regularly provide school-related \ntransportation to children \nf. contractors \ng. volunteers, subcontractors, and laborers who perform work \nin school buildings or on school grounds 2 \nThe Department of Criminal Justice Information Services (DCJIS) \nprovides Boston Public Schools with \u201cRequired 2\u201d access to CORI. \nRequired 2 access produces a CORI record that includes all \nadult/youthful offender convictions, non-convictions, and \npending offenses but does not list any sealed, juvenile, civil, or \nnon-incarcerable crimes. The following practices and procedures \nare applicable when CORI and other criminal history checks, \nincluding fingerprint screening, are part of a general background \ncheck for employment or volunteer work in BPS. \nCONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) \nSCREENING \nCriminal history checks, including CORI checks and fingerprint", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "check for employment or volunteer work in BPS. \nCONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) \nSCREENING \nCriminal history checks, including CORI checks and fingerprint \nscreenings, will only be conducted as authorized by the \nDepartment of Criminal Justice Information Services (DCJIS) \nunder Mass. Gen. Laws c. 6, \u00a7\u00a7 172 and 172B \u00bd, c. 71, \u00a7 38R, 28 CFR \n20.33(a)(3), and Public Law 92\u2010544. Boston Public Schools will only \nperform a criminal history check after receiving a completed \n \n2 Volunteers, subcontractors, and laborers will not be subject to \nfingerprinting.", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 3 of 32 \n \nCORI/Fingerprinting Acknowledgement Form and confirming \nthe individual\u2019s identity. \nNOTE: BPS policy and procedures for criminal history checks \nincluding fingerprint screening are also subject to the \nregulations, policies, and procedures promulgated by the DCJIS \nand state board of elementary and secondary education. In \naccordance with those procedures, all candidates\u2019 fingerprints \nwill be searched against the Automated Fingerprint \nIdentification System (AFIS) fingerprint database which is \nmaintained by the Massachusetts State Police and the Federal \nBureau of Investigation\u2019s (FBI) Integrated Automated Fingerprint \nIdentification System (IAFIS) fingerprint database. A fee will be \nrequired to conduct a fingerprint screen. \nIn the instance that the Boston Public Schools requests an \nadditional CORI Check from the DCJIS on an individual whose \nCORI has already been obtained within a year of signing the", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "In the instance that the Boston Public Schools requests an \nadditional CORI Check from the DCJIS on an individual whose \nCORI has already been obtained within a year of signing the \noriginal CORI/Fingerprinting Acknowledgement Form, the \nindividual will receive notice within 72 hours that it intends to \nconduct an additional CORI check. A current employee being \nconsidered for promotion must submit to a CORI check, \nregardless of whether a CORI check has been conducted within \nthat year. \nACCESS TO CRIMINAL HISTORY INFORMATION (CORI AND \nFINGERPRINT SCREENING) \nAll criminal history information obtained from the DCJIS is \nconfidential, and access to the information must be limited to \nthose individuals who have a \u201cneed to know.\u201d This may include, \nbut is not limited to, staff submitting the CORI requests and staff", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 4 of 32 \n \nmembers of the CORI/Criminal History Review Panel. The Boston \nPublic Schools maintains and keeps a current list of each \nindividual authorized to have access to, or view, a CORI and the \nresults of a fingerprint screen. This list must be updated every six \n(6) months and is subject to inspection at any time only upon \nrequest by the DCJIS. \nCORI TRAINING \nThe Boston Public Schools is an agency required to maintain a \nCORI Policy under Mass. Gen. Laws c. 6, \u00a7171A. Accordingly, all \npersonnel authorized to conduct criminal history background \nchecks or inspect CORI information will review and familiarize \nthemselves with the educational and relevant training materials \nregarding CORI laws and regulations made available by the \nDCJIS. \nUSE OF CRIMINAL HISTORY IN BACKGROUND SCREENING \nThe Boston Public Schools shall only access, for employment \npurposes, the CORI and fingerprinting information for candidates", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "DCJIS. \nUSE OF CRIMINAL HISTORY IN BACKGROUND SCREENING \nThe Boston Public Schools shall only access, for employment \npurposes, the CORI and fingerprinting information for candidates \nwho are otherwise qualified for the position for which they have \napplied and for current employees during periodic criminal \nbackground checks. \nUnless otherwise provided by law, a criminal record will not \nautomatically disqualify an individual for employment, contract \nwork, subcontract work, volunteering, or interning. Suitability \ndeterminations based on criminal background checks will be \nconsistent with this policy and applicable laws or regulations. \nI. Verifying a Subject\u2019s Identity", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 5 of 32 \n \nIf a criminal record is received from the DCJIS, the information is \nto be closely compared with the information on the \nCORI/Fingerprinting Acknowledgement Form and any other \nidentifying information provided by an individual to ensure the \nrecord belongs to the individual. \nIf the information in the CORI record provided does not precisely \nmatch the identification information provided by the individual, a \ndetermination is to be made by a Boston Public Schools \nemployee(s) authorized to make such determinations based on a \ncomparison of the CORI record and documents provided by the \nindividual. \nII. Inquiring About Criminal History \nIn connection with any decision regarding employment, \ninternships, or volunteer opportunities within the Boston Public \nSchools, the individual shall be provided with a copy of their \ncriminal history record, whether obtained from the DCJIS or any", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "internships, or volunteer opportunities within the Boston Public \nSchools, the individual shall be provided with a copy of their \ncriminal history record, whether obtained from the DCJIS or any \nother source, before asking the subject questions about their \ncriminal history. The source(s) of the criminal history record is \nalso to be disclosed to the subject.", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 6 of 32 \n \nIII. Determining Suitability \nWhen an individual\u2019s CORI record or fingerprint screen lists one \nor more offenses, the first step is to convene the CORI/Criminal \nHistory Review Panel. The panel will verify that the criminal \nrecord belongs to the individual and that the individual has not \ndisputed the criminal record\u2019s accuracy based on the procedure \ndescribed in Section V of this policy. \nFindings from CORI Investigations \u2013 No Further Review \u2013 \nOutstanding Warrants \n1) If the CORI investigation reveals a conviction of a Table B \ncrime that is a felony more than ten years old or a Table B \ncrime that is a misdemeanor more than five years old, and \nthere are no subsequent convictions or pending cases of \nany kind, the CORI/Criminal History Review Panel will not \nconsider such crime. For purposes of computing the five- \nand ten-year periods, the period will run from the date any", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "any kind, the CORI/Criminal History Review Panel will not \nconsider such crime. For purposes of computing the five- \nand ten-year periods, the period will run from the date any \ncourt supervision, probation, or sentence was terminated. \n2) If the CORI investigation reveals an outstanding warrant for \nany offense, the CORI/Criminal History Review Panel will \ninform the candidate that they are ineligible for \nemployment unless the warrant is removed. \n3) Storage, retention, and destruction of all CORI reports, \nincluding those with a finding of \u201cno record,\u201d shall follow \nDCJIS regulations at 803 CMR 2.00: Criminal Offender \nRecord Information (CORI).", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 7 of 32 \n \nFindings from CORI Investigation - Crimes Subject to Review \n1) If the CORI investigation reveals a conviction of a Table A \ncrime, regardless of when it occurred, or a pending Table A \ncrime, or a conviction of a Table B crime within the five- and \nten-year periods or a pending Table B crime, the \nCORI/Criminal History Review Panel will carefully consider \nthe following factors in its decision to hire or not hire the \ncandidate: \na. time since the conviction or pending offense \nb. age of the candidate at the time of the offense \nc. nature and specific circumstances of the offense \nd. the sentence imposed and the length of any period of \nincarceration \ne. relationship of the criminal act to the nature of the \nwork to be performed \nf. number of offenses \ng. whether offenses were committed in association with a \ndependence on drugs or alcohol, from which the \ncandidate has since recovered", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "work to be performed \nf. number of offenses \ng. whether offenses were committed in association with a \ndependence on drugs or alcohol, from which the \ncandidate has since recovered \nh. any relevant evidence of rehabilitation or lack thereof, \nsuch as information about compliance with conditions \nof parole or probation, including orders of no contact \nwith victims and witnesses; and the individual\u2019s \nconduct and experience since the time of the offense, \nincluding but not limited to educational or professional \ncertifications obtained; and", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 8 of 32 \n \ni. any other relevant information, including information \nsubmitted by the candidate or requested by the \nCORI/Criminal History Review Panel. \n2) The CORI/Criminal History Review Panel, using a form \nprescribed by BPS, will also make a written determination of \nits decision to hire or not hire such candidate. This form will \ndocument the factors and rationale for the decision of the \nCORI/Criminal History Review Panel. A copy of such written \ndetermination will be maintained by the CORI/Criminal \nHistory Review Panel in a secure location, together with the \nCORI and criminal record disclosure information that may \nhave been requested under this policy. \nCompletion of the written determination form will serve to \nconfirm that the CORI/Criminal History Review Panel has \ncarefully reviewed the CORI and other relevant information, \nincluding information provided by the candidate, so that the", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "confirm that the CORI/Criminal History Review Panel has \ncarefully reviewed the CORI and other relevant information, \nincluding information provided by the candidate, so that the \nvulnerable populations served by BPS are protected, and \ncandidates with criminal histories are given a fair \nopportunity to be employed and to reintegrate successfully \ninto the workforce. \n3) If the CORI/Criminal History Review Panel decides to hire a \ncandidate with a CORI showing a conviction of or pending \nTable A crime, the CORI/Criminal History Review Panel will \nsubmit the prescribed form to the Chief Human Resources \nOfficer, the Superintendent of Schools, or their designees. \nThe CORI/Criminal History Review Panel will not proceed to \nhire the candidate for ten business days from the date the \nChief Human Resources Officer or the Superintendent of \nSchools, or their designees receive the form. During such \ntime, the Chief Human Resources Officer, the", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 9 of 32 \n \nSuperintendent of Schools, or their designees may \ndisapprove the hire or request additional information. \nNotwithstanding the foregoing, a CORI/Criminal History \nReview Panel may proceed to hire the candidate before the \nexpiration of the five days if the Chief Human Resources \nOfficer or the Superintendent of Schools or their designees, \nafter receiving the prescribed form, informs the \nCORI/Criminal History Review Panel that they do not intend \nto disapprove the hire or request additional information. \n4) If the CORI/Criminal History Review Panel does not wish to \nhire a candidate with a Table A crime or a Table B crime \nwithin the five- and ten-year period, the prescribed form will \nbe completed and maintained on file in a secure location. \nADVERSE DECISIONS BASED ON CRIMINAL HISTORY \nINFORMATION (CORI AND FINGERPRINT SCREENING) \nIf the Boston Public Schools is inclined to make an adverse", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "ADVERSE DECISIONS BASED ON CRIMINAL HISTORY \nINFORMATION (CORI AND FINGERPRINT SCREENING) \nIf the Boston Public Schools is inclined to make an adverse \ndecision based on criminal history background check results, the \ncandidate will be notified immediately. The candidate shall be \nprovided with a copy of the Boston Public Schools Criminal \nHistory Screening policy and their criminal history. The source(s) \nof the criminal history will also be revealed. The individual will \nthen be provided with an opportunity to dispute the accuracy of \nthe information. Individuals shall also be provided a copy of \nDCJIS\u2019 Information Concerning the Process for Correcting a \nCriminal Record. The Boston Public Schools will stay the decision \nfor a brief time and document the steps taken to comply with \nthis procedure. \nSECONDARY DISSEMINATION LOGS", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 10 of 32 \n \nAll CORIs obtained from the DCJIS are confidential and can only \nbe disseminated as authorized under the applicable law and \nregulations. A central secondary dissemination log shall be used \nto record any dissemination of a CORI outside this organization, \nincluding dissemination at the individual\u2019s request. \nCORI/CRIMINAL HISTORY REVIEW PANEL \nThe Boston Public Schools CORI/Criminal History Review Panel \nshall consist of four or more of the following individuals: the \nDeputy Superintendent of Operations, the Chief Human \nResources Officer, the Director of Transportation, the Director of \nFacilities, the Director of Labor Relations, the Director of Equity, \nor their designees. The panel, as well as the Superintendent, \nLegal Advisor, and Chief Operations Officer, shall all have access \nto criminal history information on a case-by-case basis as is \nnecessary to perform their job functions. When reviewing an", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Legal Advisor, and Chief Operations Officer, shall all have access \nto criminal history information on a case-by-case basis as is \nnecessary to perform their job functions. When reviewing an \nindividual\u2019s criminal history information to determine whether an \nindividual is qualified for employment as a BPS employee or is \nqualified to work as a contractor, subcontractor, laborer, intern, or \nvolunteer, the panel will review such factors as outlined in \nSection VII. The panel will determine whether an individual \nqualifies for employment or will commence work as a contractor, \nsubcontractor, laborer, intern, or volunteer. The decision made by \nthe CORI/Criminal History Review Panel shall be recorded and \nshall be made by a majority of members present. A minimum of \nfour panel members must be present for a decision to be made. \nIn the interests of confidentiality and the furtherance of the \nprotection of school children, the identity of the panel reviewing", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "four panel members must be present for a decision to be made. \nIn the interests of confidentiality and the furtherance of the \nprotection of school children, the identity of the panel reviewing \na particular subject\u2019s confidential criminal history will not be \ndisclosed.", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 11 of 32 \n \nREGISTRATION PROCESS FOR FINGERPRINTING \nYou must submit to fingerprinting as part of your criminal \nbackground screening to work for Boston Public Schools. Please \nfollow the steps below to register for an appointment to get \nfingerprinted at the nearest site (most likely Dorchester) \noperated by MorphoTrust USA. \nThe below summarizes the procedure to register and get your \nfingerprints taken. For further information and details, please see \nthe state\u2019s guide, \u201cStatewide Applicant Fingerprint Identification \nServices (SAFIS) Program: Registration Guide,\u201d available at the \nfollowing link: https://www.mass.gov/files/2017-06/safis-\nregistration-guide-dcf-fv1-0_0.pdf \nStep 1: Sign up for an appointment online or over the phone. \n https://ma.ibtfingerprint.com/ \n 866-349-8130 \nStep 2: Give the Provider ID for Boston Public Schools. \n Enter the following number as the district Provider ID: \n00350000", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "https://ma.ibtfingerprint.com/ \n 866-349-8130 \nStep 2: Give the Provider ID for Boston Public Schools. \n Enter the following number as the district Provider ID: \n00350000 \nStep 3: Pay a fee for the FBI and state government agencies \nto process your fingerprints. \nLicensed educators: $55 \nNon-licensed staffers: $35 \nStep 4: Make an appointment and get a Registration \nConfirmation Number. You will need to bring the \nRegistration Confirmation Number with you to your \nappointment. \nStep 5: Go to your appointment and bring a proper ID. \n Your ID must contain a photo, your full name, and \ndate of birth and be unexpired.", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 12 of 32 \n \nStep 6: Obtain a receipt from MorphoTrust showing your \nfingerprints were taken. \n Keep your receipt and make a copy of it. \nStep 7: Mail the copy of your receipt to: \nBPS Office of Human Capital \n2300 Washington Street, 4th Floor \nBoston MA 02119 \nMISCELLANEOUS \na) All individuals covered by the Boston Public Schools CORI \nPolicy must submit an annual CORI Acknowledgment Form \nwithin ten days or following a request from the Office of \nHuman Capital. \nb) A CORI Acknowledgment Form is valid for one year from the \ndate the individual signs the form or until the conclusion of \na subject\u2019s employment, whichever comes first, and must be \nmaintained for a minimum of one year from the date of \nexecution. Within the year, the Boston Public Schools may \nsubmit an additional request for CORI but will first provide a \n72-hour written notice. If the individual objects to an \nadditional CORI, the CORI Acknowledgment Form becomes", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "submit an additional request for CORI but will first provide a \n72-hour written notice. If the individual objects to an \nadditional CORI, the CORI Acknowledgment Form becomes \ninvalid. However, the Boston Public Schools may make an \nadverse employment decision based on an individual\u2019s \nobjection to a request for CORI. Criminal history information \nwill be maintained confidentially, on a need-to-know basis \nonly, by the Office of Human Capital. A limited number of \ndesignated individuals will routinely review criminal history \ninformation. The Office of Human resourcesdesignee(s) will \nreceive and maintain all properly obtained criminal history", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 13 of 32 \n \ninformation and will keep the assistant superintendent of \nHuman resourcesinformed. \nc) CORI information will remain segregated and secured from \nall personnel files or other personnel information. Hard \ncopies will be stored in a locked, secured location. If the \nBoston Public Schools retains electronic copies of CORI \nreports, then the Boston Public Schools will password \nprotect and encrypt the reports. The reports will not be \nmaintained for more than seven (7) years after the \nemployee\u2019s last date of employment or after the final \ndecision not to hire the candidate. \nd) For any adverse decision based on the criminal background \ncheck results, the individual will be notified immediately, \neither in person or by telephone, fax, email, or letter. \ne) CORI information may be used only to further the protection \nof children and for no other purpose. Access to such \ninformation shall be obtained in accordance with Mass. Gen", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "e) CORI information may be used only to further the protection \nof children and for no other purpose. Access to such \ninformation shall be obtained in accordance with Mass. Gen \nLaws c. 6, \u00a7\u00a7167 to 168, inclusive. Improper use of CORI \ninformation is both a civil and a criminal offense and may \nsubject an employee to discipline.", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 14 of 32 \n \nFor more information about this circular, contact: \nOwner: Director of Labor Relations \nDepartment: Office of Labor Relations \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-1576 \nEmail: OLR@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 15 of 32 \n \nTABLE A \nCrime Name MGL \nABANDON CHILD UNDER 10, RESULTING IN DEATH c. 119, \u00a7 39 \nABUSE OF PATIENT IN LONG TERM CARE FACILITY c. 265, \u00a7 38 \nANIMALS, CRUELTY TO c. 272, \u00a7 77 \nARMED CAREER CRIMINAL c. 269, \u00a7 10G \nARSON OF DWELLING HOUSE c. 266, \u00a7 1 \nASSAULT, AGGRAVATED c. 265, \u00a7 13A(b) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nAGGRAVATED \nc. 265, \u00a7 15A(c) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nVICTIM 60 AND OLDER \nc. 265, \u00a7 15A(a) \nASSAULT & BATTERY ON CHILD c. 265, \u00a7 13J \nASSAULT & BATTERY ON ELDER OR PERSON WITH \nDISABILITY \nc. 265, \u00a7 13K \nASSAULT & BATTERY, INTIMIDATION, \nRACE/COLOR/RELIGION \nc. 265, \u00a7\u00a7 39(a) and \n39(b) \nASSAULT & BATTERY ON PERSON WITH \nINTELLECTUAL DISABILTY \nc. 265, \u00a7 13F \nASSAULT WITH INTENT TO MURDER OR ROB, \nARMED \nc. 265, \u00a7 18(b) \nASSAULT WITH INTENT TO MURDER OR ROB, \nVICTIM 60 AND OLDER, ARMED \nc. 265, \u00a7 18(a) \nASSAULT IN DWELLING, ARMED c. 265, \u00a7 18A \nASSAULT BY DANGEROUS WEAPON, VICTIM 60 \nAND OLDER", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "c. 265, \u00a7 18(b) \nASSAULT WITH INTENT TO MURDER OR ROB, \nVICTIM 60 AND OLDER, ARMED \nc. 265, \u00a7 18(a) \nASSAULT IN DWELLING, ARMED c. 265, \u00a7 18A \nASSAULT BY DANGEROUS WEAPON, VICTIM 60 \nAND OLDER \nc. 265, \u00a7 15B(a)", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 16 of 32 \n \nASSAULT WITH INTENT TO MURDER OR MAIM c. 265, \u00a7 15 \nASSAULT WITH INTENT TO RAPE c. 265, \u00a7 24 \nASSAULT WITH INTENT TO RAPE CHILD UNDER 16 c. 265, \u00a7 24B \nBREAKING AND ENTERING NIGHT, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO COMMIT \nFELONY \n \nc. 266, \u00a7 16 \nCARJACKING, ARMED c. 265, \u00a7 21A \nCHILD IN NUDE OR SEXUAL ACT, POSE/EXHIBIT OR \nDISTRIBUTE MATERIAL \nc. 272, \u00a7\u00a7 29A and 29B \nCHILD ENTICEMENT c. 265, \u00a7 26C \nCIVIL RIGHTS VIOLATION, BODILY INJURY c. 265, \u00a7 37 \nCRIMINAL HARASSMENT, SUBSEQUENT OFFENSE c. 265, \u00a7 43A(B) \nDRUGS, DISTRIBUTE TO MINOR c. 94C, \u00a7 32F \nDRUGS, TRAFFICKING IN COCAINE c. 94C, \u00a7 32E(b)(1)-(4) \nDRUGS, TRAFFICKING IN HEROIN c. 94C, \u00a7 32E(c)(4) \nDRUGS, TRAFFICKING IN MARIJUANA c. 94C, \u00a7 32E(a)(4) \nELDER/DISABLED, PERMIT ABUSE ON c. 265, \u00a7 13K(a \u00bd) \nEXPLOSION, MALICIOUS c. 266, \u00a7 102B \n(c. 266, \u00a7101 prior to \nJuly 15, 2010) \n \nEXTORTION c. 265, \u00a7 25 \nFIREARM, ARMED CAREER CRIMNAL c. 269, \u00a7 10G \nHOME INVASION c. 265, \u00a7 18C", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "EXPLOSION, MALICIOUS c. 266, \u00a7 102B \n(c. 266, \u00a7101 prior to \nJuly 15, 2010) \n \nEXTORTION c. 265, \u00a7 25 \nFIREARM, ARMED CAREER CRIMNAL c. 269, \u00a7 10G \nHOME INVASION c. 265, \u00a7 18C \nIDENTITY FRAUD c. 266, \u00a7 37E", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 17 of 32 \n \nINCEST c. 272, \u00a7 17 \nINDECENT ASSAULT & BATTERY ON PERSON 14 OR \nOVER \nc. 265, \u00a7 13H \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14 \nc. 265, \u00a7 13B \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED \nc. 265, \u00a7 13B\u00bd \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED, SUBSEQUENT EVENT \nc. 265, \u00a7 13B\u00be \nINDECENT ASSAULT & BATTERY ON \nDIABLED/PERSON OVER 60 \nc. 265, \u00a7 13K \nINDECENT ASSAULT & BATTERY ON RETARDED \nPERSON \nc. 265, \u00a7 13F \nKIDNAPPING c. 265, \u00a7 26 \nKIDNAPPING MINOR BY RELATIVE, ENDANGER \nSAFETY \nc. 265, \u00a7 26A \nMANSLAUGHTER (Voluntary or Involuntary) c. 265, \u00a7 13 \nMAYHEM c. 265, \u00a7 14 \nMURDER c. 265, \u00a7\u00a7 1 and 2 \nOBSCENE PICTURES, DISTRIBUTING c. 272, \u00a7\u00a7 28 and 29 \nOBSCENE MATERIALS HARMFUL TO MINOR, \nDISTRIBUTE OR POSSESS WITH INTENT TO \nDISTRIBUTE \nc. 272, \u00a7 28 \nPHOTOGRAPH UNSUSPECTING NUDE PERSON/ \nPHOTOGRAPH OF UNSUSPECTING NUDE PERSON, \nDISSEMINATE \nc. 272, \u00a7\u00a7 105(b) and (c) \nc.272, \u00a7\u00a7104(b) and (c)", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "DISTRIBUTE \nc. 272, \u00a7 28 \nPHOTOGRAPH UNSUSPECTING NUDE PERSON/ \nPHOTOGRAPH OF UNSUSPECTING NUDE PERSON, \nDISSEMINATE \nc. 272, \u00a7\u00a7 105(b) and (c) \nc.272, \u00a7\u00a7104(b) and (c) \nprior to March 7, 2014 \nPRESCRIPTION; FORGERY, ALTER, SUBSEQUENT \nOFFENSE \nc. 94C, \u00a7 33(c)", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 18 of 32 \n \nPROSTITUTION, DERIVE SUPPORT FROM c. 272, \u00a7 7 \nPROSTITUTION, DERIVE SUPPORT FROM CHILD c. 272, \u00a7 4B \nPROSTITUTION, INDUCE MINOR TO c. 272, \u00a7 4A \nPROSTITUTION, MAINTAIN HOUSE OF c. 272, \u00a7 6 \nPROSTITUTION/UNLAWFUL SEX/ABDUCT PERSON \nFOR \nc. 272, \u00a7 2 \nPROSTITUTION/SOLICITATION (With Person under \n18); \nPROSTITUTION/SOLICITATION (With person under \n14); Prior to February 19, 2012 \nc. 272, \u00a7 53A(b) \nRAPE c. 265, \u00a7 22(b) \nRAPE, AGGRAVATED c. 265, \u00a7 22(a) \nRAPE & ABUSE OF A CHILD, AGGRAVATED c. 265, \u00a7 23A \nRAPE & ABUSE OF A CHILD, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, \u00a7 23B \nRAPE OF CHILD WITH FORCE c. 265, \u00a7 22A \nRAPE OF CHILD WITH FORCE, AGGRAVATED c. 265, \u00a7 22B \nRAPE OF CHILD WITH FORCE, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, \u00a7 22C \nRAPE OF CHILD (STATUTORY) c. 265, \u00a7 23 \nRECKLESS ENDANGERMENT TO CHILDREN c. 265, \u00a7 13L \nROBBERY, ARMED c. 265, \u00a7 17 \nSEX OFFENDER, FAILURE TO REGISTER c. 6, \u00a7 178H(a)", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "c. 265, \u00a7 22C \nRAPE OF CHILD (STATUTORY) c. 265, \u00a7 23 \nRECKLESS ENDANGERMENT TO CHILDREN c. 265, \u00a7 13L \nROBBERY, ARMED c. 265, \u00a7 17 \nSEX OFFENDER, FAILURE TO REGISTER c. 6, \u00a7 178H(a) \nSEXUAL CONDUCT WITH CHILD UNDER 18, PAY \nFOR OR FOR FEE; SEXUAL CONDUCT WITH CHILD \nUNDER 14, PAY FOR OR FOR A FEE; Prior to \nFebruary 19, 2012 \nc. 272, \u00a7 53A(b) \nSEXUAL INTERCOURSE, ADMINISTER DRUGS FOR c. 272, \u00a7 3", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 19 of 32 \n \nSEXUAL INTERCOURSE, INDUCE MINOR c. 272, \u00a7 4 \nSTALKING c. 265, \u00a7 43(a) \nSTALKING IN VIOLATION OF RESTRAINING ORDER c. 265, \u00a7 43(b) \nUNNATURAL ACTS WITH CHILD UNDER 16 c. 272, \u00a7 35A \nVIOLATE DOMESTIC PROTECTIVE ORDER c. 208, \u00a7 34C \nVIOLATION OF PROTECTIVE ORDER (209A) c. 209A, \u00a7 7 \nWEAPON OF MASS DESTRUCTION c. 266, \u00a7 102C \nCONSPIRACY TO COMMIT ANY OF THE ABOVE \nTABLE A CRIMES \nc. 274, \u00a7 7", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 20 of 32 \n \nACCESSORY BEFORE THE FACT OF ANY OF THE \nABOVE TABLE A CRIMES \nc. 274, \u00a7 2 \nATTEMPT TO COMMIT ANY OF THE ABOVE TABLE A \nCRIMES \nc. 274, \u00a7 6", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 21 of 32 \n \nTABLE B \n \nCrime Name \n \nMGL \nFelony or \nMis-demeanor \nABANDON CHILD UNDER 10 c. 119, \u00a7 39 M \nACCESSORY AFTER FACT (VARIABLE) c. 274, \u00a7 4 F \nACCOSTING; LEWD & LASCIVIOUS \nCONDUCT; INDECENT EXPOSURE \nc. 272, \u00a7 53 M \nAFFRAY, SUBSEQUENT OFFENSE AFFRAY \n(Prior to August 1, 2009) \nc. 272, \u00a7 53 M \nAID ESCAPE FROM CUSTODY c. 268, \u00a7 17 M \nALCOHOLIC BEVERAGES, SELL/DELIVER \nTO PERSON UNDER 21 \nc. 138, \u00a7 34 M \nALIEN IN POSSESS OF FIREARM c. 140, \u00a7 131H M \nASSAULT c. 265, \u00a7 13A(a) M \nASSAULT WITH INTENT TO ROB, \nUNARMED \nc. 265, \u00a7 20 F \nASSAULT & BATTERY c. 265, \u00a7 13A(a) M \nASSAULT & BATTERY ON PUBLIC \nSERVANT/POLICE OFFICER \nc. 265, \u00a7 13D M \nASSAULT & BATTERY ON CORRECTIONAL \nOFFICER \nc. 127, \u00a7 38B F \nASSAULT & BATTERY DANGEROUS \nWEAPON \nc. 265, \u00a7 15A(b) F \nASSAULT BY DANGEROUS WEAPON c. 265, \u00a7 15B(b) F \nASSAULT WITH HYPODERMIC NEEDLE, \nSYRINGE \nc. 265, \u00a7 15C(a) F", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 22 of 32 \n \nASSAULT & BATTERY WITH HYPODERMIC \nNEEDLE, SYRINGE \nc. 265, \u00a7 15C(b) F \nATTEMPT TO INJURE DEPOSITORY OF \nVALUABLES \nc. 266, \u00a7 16 F \nBETTING; TAKING, ALLOWING c. 271, \u00a7 17 M \nBODY ARMOR, USE OF IN COMMISSION \nOF FELONY \nc. 269, \u00a7 10D F \nBOMB SCARE /HIJACK THREAT c. 269, \u00a7 14 F \nBOMB/EXPLOSIVES, UNLAWFUL \nPOSSESSION \n \n \nc. 266, \u00a7102. \nc. 148, \u00a7 35 prior \nto July 15, 2010 \nF \n(M prior to July \n15, 2010) \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY, PERSON IN FEAR \nc. 266, \u00a7 17 \nF \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY \nc. 266, \u00a7 18 F \nBREAKING AND ENTERING RAILROAD \nCAR \nc. 266, \u00a7 19 F \nBREAKING AND ENTERING TRUCK, \nINTENT TO COMMIT FELONY \nc. 266, \u00a7 20A F \nBREAKING AND ENTERING, INTENT TO \nCOMMIT MISDEMEANOR \nc. 266, \u00a7 16A M \nBRIBERY OF A POLICE OFFICER \n(state/local official or member of the \njudiciary) \nc. 268A, \u00a7 2 F \nBRIBERY/GIFTS TO INFLUENCE \nBUSINESS AFFAIRS \nc. 271, \u00a7 39 F \nBURGLARIOUS TOOLS, MAKE OR", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "BRIBERY OF A POLICE OFFICER \n(state/local official or member of the \njudiciary) \nc. 268A, \u00a7 2 F \nBRIBERY/GIFTS TO INFLUENCE \nBUSINESS AFFAIRS \nc. 271, \u00a7 39 F \nBURGLARIOUS TOOLS, MAKE OR \nPOSSESS \nc. 266, \u00a7 49 F", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 23 of 32 \n \nBURGLARIOUS TOOLS, MOTOR VEHICLE \nMASTER KEY, MAKE OR POSSESS \nc. 266, \u00a7 49 F \nBURGLARY, ARMED c. 266, \u00a7 14 F \nBURGLARY, UNARMED c. 266, \u00a7 15 F \nBURNING BUILDING c. 266, \u00a7 2 F \nBURNING MOTOR VEHICLE OR \nPERSONAL PROPERTY \nc. 266, \u00a7 5 F \nBURNING TO DEFRAUD INSURANCE CO. c. 266, \u00a7 10 F \nBURN MOTOR VEHICLE, WILLFUL & \nMALICIOUS \nc. 266, \u00a7 127 F \nCIVIL RIGHTS VIOLATION, NO BODILY \nINJURY \nc. 265, \u00a7 37 M \nCOMPOUNDING OR CONCEALING \nFELONY \nc. 268, \u00a7 36 F \nCONTRIBUTE TO DELINQUENCY OF \nCHILD \nc. 119, \u00a7 63 M \nCONFINE OR PUT IN FEAR TO STEAL OR \nATTEMPT TO STEAL \nc. 265, \u00a7 21 F \nCREDIT CARD, LARCENY OR MISUSE OF c. 266, \u00a7 37B M \nCREDIT CARD, UNAUTHORIZED USE, \nOVER $250 \nc. 266, \u00a7 37C F \nCRIMINAL HARASSMENT c. 265, \u00a7 43A(a) M \nDANGEROUS WEAPON, CARRYING c. 269, \u00a7\u00a7 10(b) \nand 10(d) \n \nF \nDANGEROUS WEAPON, UNLAWFUL \nPOSSESSION \nc. 269, \u00a7 10(b) F \nDEFACEMENT OF REAL OR PERSONAL \nPROPERTY \nc. 266, \u00a7 126A F", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 24 of 32 \n \nDESTRUCTION OF PROPERTY OVER $250, \nMALICIOUS \nc. 266, \u00a7 127 F \nDISORDERLY CONDUCT c. 272, \u00a7 53 M \nDRUGS, LARCENY FROM AUTHORIZED \nPERSON \nc. 94C, \u00a7 37 F \nDRUGS, FAILURE TO KEEP RECORDS c. 94C, \u00a7 15 M \nDRUGS, ILLEGAL POSSESSION CLASS C \nSUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, ILLEGAL POSSESSION CLASS D \nSUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, ILLEGAL POSSESSESSION CLASS \nE SUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, DISPENSE WITHOUT \nPRESCRIPTION OR WHEN NOT \nREGISTERED \nc. 94C, \u00a7 25 M \nDRUG PARAPHENELIA, DISTRIBUTE OR \nINTEND TO DISTRIBUTE \nc. 94C, \u00a7 32I(a) M \nDRUG PARAPHENELIA, SELL TO MINOR c. 94C, \u00a7 32I(B) F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS A SUBSTANCE \nc. 94C, \u00a7 32 F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS B SUBSTANCE \nc. 94C, \u00a7 32A F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS C SUBSTANCE \nc. 94C, \u00a7 32B F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS D SUBSTANCE \nc. 94C, \u00a7 32C F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS E SUBSTANCE \nc. 94C, \u00a7 32D(a) M", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 25 of 32 \n \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE \nc. 94C, \u00a7 32A F \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS A SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, MOTOR VEHICLE HOMICIDE, \nNEGLIGENT OPERATION \nc. 90, \u00a7 24G(b) F \nDRUGS, POSSESS CLASS A SUBSTANCE c. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS A SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32(a) F \nDRUGS, POSSESS CLASS B SUBSTANCE c. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS B SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32A(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32B(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32C(a) M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "SUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32C(a) M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS E SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32D M", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 26 of 32 \n \nDRUGS, POSSESS CONTROLLED \nSUBSTANCE WITH INTENT TO \nDISTRIBUTE, SUBSEQUENT OFFENSE \n \nc. 94C, \u00a7 32(b) \n \nF \nDRUGS, POSSESS COUNTERFEIT \nSUBSTANCES WITH INTENT TO \nDISTRIBUTE \n \nc. 94C, \u00a7 32G \n \nM \nDRUGS, POSSESS CLASS A SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, POSSESS CLASS B SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, POSSESS CLASS D SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, TRAFFICKING IN COCAINE IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, TRAFFICKING IN HEROIN IN, ON, \nOR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, TRAFFICKING IN MARIJUANA IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, UNLAWFULLY OBTAINING \nCONTROLLED SUBSTANCE, FALSE \nPRESCRIPTION, FRAUD, FALSE \nREGISTRATION \nc. 94C, \u00a7 33 F \nEMBEZZLEMENT c. 266, \u00a7\u00a7 51-52, \n55-59 \nF", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 27 of 32 \n \nENTER WITHOUT BREAKING, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO \nCOMMIT A FELONY, PERSON IN FEAR \nc. 266, \u00a7 17 F \nENTER WITHOUT BREAKING A \nDWELLING IN NIGHT, INTENT TO COMMIT \nFELONY \nc. 266, \u00a7 18 F \nENTER WITHOUT BREAKING, TRUCK, \nWITH INTENT TO COMMIT FELONY \nc. 266, \u00a7 20A F \nESCAPE BY PRISONER c. 268, \u00a7 16 F \nESCAPE, FURLOUGH c. 268, \u00a7 16 F \nEXPLOSIVES, THROWING c. 266, \u00a7 102 F \nEXPLOSIVES, THROW/PLACE/EXPLODE \nOR POSSESS WITH INTENT TO INJURE \n \nc. 266, \u00a7 102 \n \nF \nFIREARM, CARRYING LOADED \nRIFLE/SHOTGUN \nc. 269, \u00a7 12D(a) M \nFIREARM, CARRYING LOADED OR \nUNLOADED FIREARM ON A PUBLIC WAY; \nUNENCLOSED CASE \n \nc. 269, \u00a7 12D(b) \n \nF \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A BUILDING \nc. 269, \u00a7 12E M \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A DWELLING OR NEAR HIGHWAY \n \nc. 131, \u00a7 58 \n \nM \nFIREARM LICENSE/ID CARD, FALSE c. 140, \u00a7 131I F \nFIREARM, POSSESS WITHOUT FIREARMS \nID \nc. 269, \u00a7 10(h) M \nFIREARM, POSSESS OF, SERIAL/ID", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "OF A DWELLING OR NEAR HIGHWAY \n \nc. 131, \u00a7 58 \n \nM \nFIREARM LICENSE/ID CARD, FALSE c. 140, \u00a7 131I F \nFIREARM, POSSESS WITHOUT FIREARMS \nID \nc. 269, \u00a7 10(h) M \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED \nc. 269, \u00a7 11C F", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 28 of 32 \n \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED, USED IN \nCOMMISION OR ATTEMPTED \nCOMMISION OF A FELONY \n \nc. 269, \u00a7 11B \n \nF \nFIREARM, SELL WITHOUT LICENSE c. 140, \u00a7 128 F \nFIREARM, SHOTGUN, BARREL UND 18 \n\u201cSAWED OFF\u201d, POSSESS, SUBSEQUENT \nOFFENSE \nc. 269, \u00a7 10(d) F \nFIREARM, SHOTGUN, BARREL UND 18 \n\u201cSAWED OFF\u201d, POSSESS \nc. 269, \u00a7 10(c) F \nFIREARM UNATTENDED c. 269, \u00a7 10(h) F \nFIREARM, UNLAWFUL POSSESSION, \nCOMMISSION FELONY \nc. 265, \u00a7 18B F \nFIREARM, SHOTGUN, UNLAWFUL \nPOSSESSION \nc. 140, \u00a7 129C M \nFIREARM VIOLATION, CARRY WITH \nAMMUNITION \nc. 269, \u00a7 10(n) M \nFORGED INSTRUMENT, UTTER c. 267, \u00a7 5 F \nFUGITIVE FROM JUSTICE c. 276, \u00a7 19 M \nGUN PERMIT, FALSE INFORMATION FOR c. 140, \u00a7 129 M \nHOAX DEVICE/SUBSTANCE, \nPOSSESS/TRANSPORT/USE \nc. 266, \u00a7 102A \u00bd; \nc. 266, \u00a7102 \nprior to July 15, \n2010 \n \nF \nINDECENT EXPOSURE c. 272, \u00a7 53 M \nINFERNAL MACHINE, POSSESS c. 266, \u00a7 102A \nc. 266, \u00a7102 \nprior to July 15, \n2010 \nF", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 29 of 32 \n \nKIDNAPPING MINOR BY RELATIVE c. 265, \u00a7 26A M \nKILL BEAST, WILLFUL & MALICIOUS c. 266, \u00a7 112 F \nLARCENY, MOTOR VEHICLE OR TRAILER c. 266, \u00a7 28 F \nLARCENY, PERSON c. 266, \u00a7 25 F \nLARCENY, PERSON 65+ c. 266, \u00a7 25 F \nLARCENY BY CHECK UNDER $250 c. 266, \u00a7 37 M \nLARCENY BY CHECK OVER $250 c. 266, \u00a7 37 F \nLARCENY FIREARM c. 266, \u00a7 30 F \nLARCENY IN BLDG, SHIP, VESSEL, OR RR \nCAR \nc. 266, \u00a7 20 F \nLARCENY IN TRUCK/TRAILER c. 266, \u00a7 20B F \nLARCENY OVER $250 c. 266, \u00a7 30 F \nLARCENY UNDER $250 c. 266, \u00a730 M \nLARCENY, BANK EMPLOYEE OR OFFICER c. 266, \u00a7 52 F \nLEAVE SCENE AFTER PERSONAL INJURY, \nMOTOR VEHICLE \nc. 90, \u00a7 \n24(2)(a1/2)(1) \nM \nLEWD & LASCIVIOUS CONDUCT c. 272, \u00a7 53 M \nLEWDNESS, OPEN & GROSS c. 272, \u00a7 16 F \nLIQUOR, PROCURE FOR MINOR c. 138, \u00a7 34 M \nMACHINE OR SAWED OFF SHOT GUN, \nPOSSESSION OF \nc. 269, \u00a7 10(c) F \nMACHINE GUN, POSSESSION OF \nWITHOUT LICENSE \nc. 269, \u00a7 10(c) F \nMANSLAUGHTER BY OPERATING UNDER \nTHE INFLUENCE", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "MACHINE OR SAWED OFF SHOT GUN, \nPOSSESSION OF \nc. 269, \u00a7 10(c) F \nMACHINE GUN, POSSESSION OF \nWITHOUT LICENSE \nc. 269, \u00a7 10(c) F \nMANSLAUGHTER BY OPERATING UNDER \nTHE INFLUENCE \nc. 265, \u00a7 13 \u00bd F \nMEDICAL ASSISTANCE (MEDICAID) \nFRAUD \nc. 118E, \u00a7 40 F", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 30 of 32 \n \nMEDICAL ASSISTANCE (MEDICAID) \nKICKBACK \nc. 118E, \u00a7 41 F \nMOTOR VEHICLE HOMICIDE, RECKLESS \nOPERATION \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE DRUGS, NEGLIGENT OR \nRECKLESS \nc. 90, \u00a7 24G(a) F \nMOTOR VEHICLE, USE OF IN \nCOMMISSION OF FELONY \nc. 90, \u00a7 24(2)(a) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR, NEGLIGENT OR \nRECKLESS \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE, OPERATING AFTER \nLICENSE REVOKED FOR DRUNK DRIVING \nc. 90, \u00a7 23 M \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL \nc. 90, \u00a7 \n24(1)(a)(1) \nM \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL, 3rd \nAND SUBSEQUENT OFFENSE \nc. 90, \u00a7 \n24(1)(a)(1) \n \nF \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, LIQUOR, 3rd AND \nSUBSEQUENT OFFENSE \nc. 90, \u00a7 24 F \nMOTOR VEHICLE, TAKE WITHOUT \nAUTHORITY, STEAL PARTS \nc. 266, \u00a7 28 F \nOBSCENE MATERIALS, POSSESS WITH", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "INFLUENCE OF DRUGS, LIQUOR, 3rd AND \nSUBSEQUENT OFFENSE \nc. 90, \u00a7 24 F \nMOTOR VEHICLE, TAKE WITHOUT \nAUTHORITY, STEAL PARTS \nc. 266, \u00a7 28 F \nOBSCENE MATERIALS, POSSESS WITH \nINTENT TO DISTRIBUTE \nc. 272, \u00a7 29 F \nOBSCENE LITERATURE, SELL TO MINOR c. 272, \u00a7 28 F", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 31 of 32 \n \nOBSTRUCTION OF JUSTICE Common law M [See c. 279, \u00a7 5 \nre: penalty for \nCommon Law \nCrimes.] \nPERJURY c. 268, \u00a7 1 F \nPRESCRIPTION; FORGERY, ALTER c. 94C, \u00a7 33(b) F \nPRESCRIPTION, UTTER FALSE c. 94C, \u00a7 33 F \nPRISONER, DELIVER ARTICLES TO OR \nFROM INMATE \nc. 268, \u00a7 31 F \nPRISONER, DELIVER DRUGS TO c. 268, \u00a7 28 F \nPROSTITUTION/SOLICITATION c. 272, \u00a7 53A M \nPROSTITUTION, ENGAGING IN SEX \n\u201cJOHN\u201d \nc. 272, \u00a7 53A M \nPROSTITUTION, KEEP HOUSE OF c. 272, \u00a7 24 M \nPROSTITUTE, SOLICIT FOR c. 272, \u00a7 8 M \nRESISTING ARREST c. 268, \u00a7 32B M \nRIOT c. 269, \u00a7 1 M \nROBBERY, UNARMED c. 265, \u00a7 19(b) F \nROBBERY, UNARMED, VICTIM 60+ c. 265, \u00a7 19(a) F \nSHOPLIFTING, 3rd OR SUBSEQUENT \nOFFENSE \nc. 266, \u00a7 30A M \nSTOLEN PROPERTY, RECEIVE, OVER $250 c. 266, \u00a7 60 F \nSTOLEN MOTOR VEHICLE, RECEIVE/BUY c. 266, \u00a7 28(a) F \nTELECOMMUNICATIONS FRAUD c. 166, \u00a7 42A M \nTELEPHONE CALLS, ANNOYING OR \nOBSCENE \nc. 269, \u00a7 14A M \nUNNATURAL ACTS c. 272, \u00a7 35 F", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 32 of 32 \n \nVANDALIZE \nCHURCH/SYNAGOGUE/CEMETERY \nc. 266, \u00a7 127A F \nVANDALIZE \nSCHOOL/CHURCH/EDUCATIONAL BLDG \nc. 266, \u00a7 98 F \nWITNESS, INTIMIDATE OR RETALIATE \nAGAINST \nc. 268, \u00a7 13B F \nCONSPIRACY TO COMMIT ANY OF \nABOVE TABLE B CRIMES \n \nATTEMPTS TO COMMIT ANY OF THE \nABOVE TABLE B CRIMES \n \nACCESSORY BEFORE ANY OF THE \nABOVE TABLE B CRIMES", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM09 \nVersion 01 \n \nCLUSTER SUBSTITUTE PERFORMANCE EVALUATION \nCluster Substitute Teachers are: \nThose teachers who are assigned to a school for a full year to \nrotate into the various teacher absence positions in the school, as \nneeded, on a daily basis. \nA cluster substitute teacher shall be given two (2) overall \nperformance evaluations for the academic year by the \nappropriate building administrator or their designee outside of \nthe bargaining unit. The evaluation instrument for use with \nCluster Substitutes is attached to this Circular. \nEVALUATION CRITERIA (RATING OPTIONS: YES, NO, N/A) \n1. Teaching Ability: Conveys clear and concise instruction. \nFocuses on student achievement and content meaningful to \nstudents. Accommodates the varied needs of students. \n2. Classroom Management: Accountable for classroom \nenvironment and culture. Ability to effectively deal with \nnegative student behavior. Focused and productive when", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "content": "2. Classroom Management: Accountable for classroom \nenvironment and culture. Ability to effectively deal with \nnegative student behavior. Focused and productive when \nfaced with challenges and a willingness to adapt classroom \ninstruction to meet the need/culture of the school. \n3. School Fit: Respects the opinion of others. Creates a positive \nrelationship with administrators, teachers, school staff and \nstudents. Demonstrates interest and skills that match the", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 2 of 5 \n \nschool\u2019s culture and needs. Interacts appropriately with \nsupervisors, colleagues, parents, and students. \n4. Summary Question: \u201cWould you use this substitute teacher at \nyour school going forward?\u201d (\u201cYes\u201d constitutes a rating of \n\u201cMeets Expectations.\u201d) \nThe evaluator may provide written comments in addition to \nratings. \nDate Activity \nJanuary 15 (recommended) Meet with cluster substitute teachers to discuss \nperformance. Completion of evaluation form. \nMay 15 Complete and submit final evaluation form of all Cluster \nSubstitutes within the school. \nJune 1 Deadline for signed, original copies of evaluation form \n(below/attached) to be submitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources (Attn: Performance \nManagement Team) \n2300 Washington Street, 4th floor \nRoxbury, MA 02119", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 3 of 5 \n \nFor more information about this circular, contact: \nName: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 4 of 5 \n \nBOSTON PUBLIC SCHOOLS \nSUBSTITUTE MANAGEMENT DEPARTMENT EVALUATION FORM \nSubstitute Name \nBPS ID: ________________ \nSchool Name: ________________________________Date: \n \nEvaluator Name: ____________________________ Title: \n \nSUMMARY QUESTION: Would you use this substitute teacher at \nyour school going forward? \u25fb Yes \u25fb No \n(YES constitutes a rating of \u201cMeets Expectations\u201d) \nTEACHING ABILITY: Demonstrates an appropriate knowledge of \ncontent. \nConveys ideas and Information clearly. Yes / No / NA \nMakes content meaningful to students. Yes / No / NA \nAddresses the multiple and varied needs of \nclassroom students. Yes / No / NA \nFocuses on achieving results with students. Yes / No / NA", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 5 of 5 \n \nCLASSROOM MANAGEMENT: Demonstrates ability to deal \neffectively with negative student behavior. \nAssumes accountability for classroom environment \nand culture. Yes / No / NA \nDemonstrates ability to deal effectively with \nnegative student behavior. Yes / No / NA \nRemains productive and focused when faced \nwith challenges. Yes / No / NA \nDisplays a willingness to adapt classroom \nmanagement style to meet a particular need/ \nculture of school. Yes / No / NA \nSCHOOL FIT: Demonstrates skills and needs for development \nthat can be a good fit for the school. \nRespects the opinion of others. Yes / No / NA \nCreate positive relationships with administrators, \nteachers, school staff and students. Yes / No / NA \nDemonstrates interest and skills that match the \nschool\u2019s culture and needs. Yes / No / NA \nInteracts appropriately with supervisors, \ncolleagues, parents, and students. Yes / No / NA \nCOMMENTS:", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP16 \nVersion 01 \n \n \nEMPLOYEE SAVINGS AND INVESTMENT BENEFITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nFLEXIBLE SPENDING ACCOUNT \nThe City of Boston\u2019s Flexible Spending Accounts are administered \nby Cafeteria Plan Advisors, Inc. Flex spending lets you deduct pre-\ntax money for out-of-pocket medical expenses, dependent care, \nand transportation. Annual enrollment for flex spending occurs in \nNovember for the plan year beginning January 1. Participants of \nthis program will receive a Benny Card at the start of the new \nyear that they can begin using immediately for eligible expenses. \n\u25cf Read more about Flexible Spending \n\u25cf Download the Flexible Spending Application \n\u25cf Cafeteria Plan Advisors, Inc. website \n \nTo contact Cafeteria Plan Advisors directly with questions: \nMailing Address: 420 Washington Street, Suite 100, Braintree, \nMA 02184 \nPhone: 1-800-544-2340", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "content": "To contact Cafeteria Plan Advisors directly with questions: \nMailing Address: 420 Washington Street, Suite 100, Braintree, \nMA 02184 \nPhone: 1-800-544-2340 \nFAX: 1-781-848-8477 \nEmail: info@cpa125.com", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP16 \nPage 2 of 4 \n \n \nRETIREMENT PLANNING \nState-Boston Retirement System \nAll employees are eligible to participate in the State Boston \nRetirement System. For more information, visit the Retirement \nBoard website. \nVoluntary Retirement Plans \nEmployees are eligible to participate in two types of voluntary \ndeferred compensation retirement plans: \n\u2022 Massachusetts Deferred Comp 457 SMART Plan \n\u2022 403(b) tax-sheltered annuities \nSee information below on these two types of voluntary deferred \ncompensation plans. \nDEFERRED COMPENSATION \n1. 457 SMART Plan \nEmployees are eligible to participate in the \nCommonwealth\u2019s Deferred Compensation Plan (also known \nas a Section 457 Plan). This allows an employee to shelter \nincome from federal and state income tax through a payroll \ndeduction. Additional information is available at the \nMassachusetts Deferred Compensation Smart Plan website. \nClick here for more information Deferred Compensation (IRS \n457).", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "content": "deduction. Additional information is available at the \nMassachusetts Deferred Compensation Smart Plan website. \nClick here for more information Deferred Compensation (IRS \n457). \n2. 403(b) Plans \nEmployees are eligible to participate, at no cost, in tax-\nsheltered annuities (also known as 403(b) plans). An annuity \nis a tax-saving retirement planning device that allows an", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP16 \nPage 3 of 4 \n \n \nemployee to shelter income from federal and state income \ntax through a payroll deduction. A representative at a \nparticipating company will provide a payroll deduction form, \nwhich you may also download and print out here. This form \nmust be filled out and submitted according to BPS 403(b) \nprocedures. \no AIG/VALIC (Variable Annuity Life Insurance Co.), \nNashua, NH. (603) 594-8340 \no American United Life Insurance Company \no Ameriprise Financial Services, Inc., Minneapolis, MN \n(800) 862-7919 \no Ameritas Life Insurance Corporation, Lincoln, NE (800) \n745-1112 \no ASPire Financial Services, Tampa, FL (866) 634-5873 \no AXA Equitable Life Insurance Company, Wellesley, MA \n(781) 237-8264 \no Commonwealth Annuity and Life Ins. Co., Topeka, KS \n(800) 457-9047 \no Fidelity Investments Mutual Funds \no Great American Advisors, Inc., Cincinnati, OH (800) 216-\n3354 \no Great American Financial Resources, Inc., Cincinnati, \nOH (888) 497-8556", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "content": "(800) 457-9047 \no Fidelity Investments Mutual Funds \no Great American Advisors, Inc., Cincinnati, OH (800) 216-\n3354 \no Great American Financial Resources, Inc., Cincinnati, \nOH (888) 497-8556 \no Horace Mann, Springfield, IL (866) 999-1945 \no Kemper Annuity and Life Ins. Co., Topeka, KS (800) 457-\n9047 \no Lincoln Investment Planning Mutual Funds, Waltham, \nMA (781) 647-3050 \no Lincoln National Life Insurance Company, Fort Wayne, \nIN (800) 454-6265 \no MetLife, Bloomfield, CT (860) 768-0139", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP16 \nPage 4 of 4 \n \n \no MetLife of CT, Bloomfield, CT (860) 768-0139 \no Midland National Life \no North American Company for Life and Health \no New York Life Insurance Company, Sleepy Hollow, NY \n(914) 846-5608 \no Protective Life, Topeka, KS (800) 457-9047 \no The Union Central Life Ins. Co., Cincinnati, OH (800) \n825-1551 \nVOLUNTARY INSURANCE \nOther insurance providers offer short and long-term disability. \nThey also offer optional life insurance and critical illness coverage. \nThese are voluntary insurance programs. Please be advised that \nthese benefits are not administered by the Health Benefits Office. \nFor more information about this circular, contact: \nOwner: Employee Services, Office Human Resources \nPhone: 617-635-9600 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP15 \nVersion 01 \nSICK LEAVE DONATION PROGRAM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools will be continuing the Sick Leave Donation \nProgram with Administrative Guild, BASAS, BTU, managerial, and \nSchool Police Patrolmen's Association. \nPURPOSE \nThe Sick Leave Donation Program is a voluntary program where \neligible employees can donate sick leave hours to help a seriously \nill or injured colleague who has exhausted their sick, personal, \nvacation, and/or compensatory leave entitlements. An eligible \nemployee who wants to withdraw hours from the Sick Leave \nBank must be on an approved leave of absence. Please refer to \nSuperintendent\u2019s Circular HRS-PP13 for more information \nregarding the process to apply for a leave of absence. If time is \nawarded by the Sick Leave Donation Committee, recipients can \nwithdraw sick leave hours from the leave bank and maintain", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "regarding the process to apply for a leave of absence. If time is \nawarded by the Sick Leave Donation Committee, recipients can \nwithdraw sick leave hours from the leave bank and maintain \nactive pay status. \nMembership and eligibility requirements by unit are detailed in \nthe attachment. \nTHE DONATION PROCESS \nWhen the sick leave bank for a union/group becomes depleted,", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 2 of 12 \n \nan email notification will be sent to all members requesting the \ndonation of an additional day(s). All employees who wish to enroll \nwill be required to complete an online form during the \naforementioned period. All donations are irrevocable. \nSICK LEAVE COMMITTEE \nThe leave committee for each union/group will consist of six \nmembers: three administrative members from the union/group \nand three administrative members from the Boston Public \nSchools district (appointed by the superintendent or their \ndesignee). A majority vote (4 of 6) is required to grant awards of \nsick leave time. All decisions are made on a case-by-case basis. \nAPPLICATION PROCESS FOR SICK BANK MEMBERS \n1. Complete a Sick Leave Bank Donation Withdrawal Request \nform, including submission of medical documentation and a \nletter stating the reason for the request in accordance with \nthe application deadline listed on the form.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "form, including submission of medical documentation and a \nletter stating the reason for the request in accordance with \nthe application deadline listed on the form. \n2. The Leave Bank Committee will meet and review all \npertinent information. Committee will render a decision and \nHuman Capital will inform the employee and supervisor of \nthe decision. \n3. If approved, the Office of Human Capital representative will \nadd donated hours to the recipient\u2019s leave accrual balance \nin PeopleSoft. \n4. Withdrawals from the leave bank cease when the recipient \nhas either returned to work or withdrawn the maximum \nnumber of hours allotted from their union or conditions of \nemployment. \nThere is no appeal procedure. The decision of the Sick Leave", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 3 of 12 \n \nBank Committee is final. \nAPPLICATION DEADLINE \nThe Sick Bank Oversight Committee meets on the first \nWednesday of each month. \nTo be included on the agenda, your application, along with all \nsupporting documentation, must be submitted by the close of \nbusiness on the preceding Friday. \n \nFor more information about this circular, contact: \nOwner: Manager of Employee Information Systems \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9649 \nFax: 617-635-7957 \nEmail: ohr@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 4 of 12 \n \nATTACHMENT A: \nSICK LEAVE DONATION PROGRAM: MEMBERSHIP \nREQUIREMENTS AND ELIGIBILITY BY UNIT \nBASAS \nMembership Requirements: \n\u2022 To establish this program, there must be at least 50 eligible \nBASAS employees who participate in it. \n\u2022 A BASAS employee must be permanent or entering their \nthird consecutive year of Boston Public Schools service to be \neligible to participate. \n\u2022 A BASAS employee must donate one sick day (eight hours) \nto enroll in the program. \n\u2022 Donation days (hours) will be deducted from the donor\u2019s \naccumulated sick leave balance. \nEligibility for Recipient: \n\u2022 Only BASAS employees who have donated to the sick leave \ndonation program are eligible to apply for sick leave time. \n\u2022 Applicants for sick leave time must have exhausted all \naccumulated sick and personal leave to be eligible to \nreceive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "accumulated sick and personal leave to be eligible to \nreceive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n\u2022 The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 5 of 12 \n \n\u2022 For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day-to-day basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 For employees receiving workers\u2019 compensation benefits, \nthe combination of workers\u2019 compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient per school year. In exceptional \ncircumstances, the committee may also grant additional 30-\nday increments, up to a maximum of 90 days (including the \noriginal 30 days). \n\u2022 Requests for sick leave time may not be made retroactively. \n\u2022 Days that have been granted but are not used will revert to \nthe sick leave bank. \nBOSTON TEACHERS UNION (BTU) \nMembership Requirements:", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "\u2022 Days that have been granted but are not used will revert to \nthe sick leave bank. \nBOSTON TEACHERS UNION (BTU) \nMembership Requirements: \n\u2022 To establish this program, there must be at least 500 \nteacher unit members and 100 paraprofessional unit \nmembers. \n\u2022 Must be a BTU member to participate in the program. \n\u2022 Teacher unit members must be permanent or entering their \nfourth consecutive year of service. Paraprofessional \nmembers must have at least three consecutive years of \nservice. \n\u2022 Must donate one sick day for inclusion in the program. \n\u2022 Donations will be deducted from the donor\u2019s accumulated", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 6 of 12 \n \nsick leave balance. \n\u2022 Donations and withdrawals can only be in the same BTU \nunit (e.g., teachers cannot donate to or withdraw from the \nparaprofessional unit; paraprofessionals cannot donate to or \nwithdraw from the teacher unit). \nEligibility for Recipient: \n\u2022 Must have exhausted all accumulated sick leave and other \npaid leaves (e.g., personal days, etc.). \n\u2022 Application for the BTU sick bank withdrawal must be \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness, which prevents the employee\u2019s \nimmediate return to work. \n\u2022 For those individuals who have a disability plan, the \ncombination of disability payment and sick bank days do \nnot, on a day-to-day basis, equal more than the daily rate of \npay. \n\u2022 For those individuals who are receiving worker\u2019s \ncompensation, the combination of workers\u2019 compensation", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "not, on a day-to-day basis, equal more than the daily rate of \npay. \n\u2022 For those individuals who are receiving worker\u2019s \ncompensation, the combination of workers\u2019 compensation \npayment and sick bank days do not, on a daily basis, equal \nmore than the daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the \nCommittee may also grant additional 30-day increments, up \nto a maximum of 90 days (including the original 30 days). \n\u2022 Requests/withdrawals cannot be made retroactively. \n\u2022 Days requested and granted but not used will revert to the \nsick leave bank. \n\u2022 This program is for employees only and cannot be used for", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 7 of 12 \n \nthe illness of family members. \n\u2022 This program does not meet for the months of June \u2013 \nSeptember for the following reasons: \no June: The bank only issues donations in 30-day \nincrements and the month of June does not have 30 \nschool days. \no July \u2013 August: Employees do not work these months \nand therefore would not be eligible to use \nsick/personal time. \no September: Employees receive sick/personal \nentitlements up front and therefore, would have time \nto use at the beginning of the school year. \nCUSTODIAN \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 \nCustodian Bank members. \n\u2022 Must be a custodian to participate. \n\u2022 Must have completed three or more years of continuous \nservice with the union to be eligible. \n\u2022 Must donate two sick days for the first year, and thereafter \none sick day annually during enrollment period. \n\u2022 Donation days will be deducted from an employee\u2019s sick \nleave balance.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "\u2022 Must donate two sick days for the first year, and thereafter \none sick day annually during enrollment period. \n\u2022 Donation days will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time. \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 8 of 12 \n \n\u2022 The bank is for employees\u2019 illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving worker\u2019s \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nADMINISTRATIVE GUILD \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 Guild \nbank members. \n\u2022 Must be Administrative Guild members to participate.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "bank. \nADMINISTRATIVE GUILD \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 Guild \nbank members. \n\u2022 Must be Administrative Guild members to participate. \n\u2022 Must have completed three or more years of continuous \nservice to be eligible to participate. \n\u2022 Must donate one sick day to enroll in the program. \n\u2022 Donation day will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 9 of 12 \n \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time. \n\u2022 The bank is for employee\u2019s illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers\u2019 \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nMANAGEMENT \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 eligible", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "a maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nMANAGEMENT \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 eligible \nManagerial employees who participate in it. \n\u2022 A Managerial employee must be permanent or entering \ntheir fourth consecutive year of Boston Public Schools \nservice to be eligible to participate. \n\u2022 A Managerial employee must donate one sick day (eight \nhours) to enroll in the program. \n\u2022 Donation days (hours) will be deducted from the donor\u2019s \naccumulated sick leave balance.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 10 of 12 \n \nEligibility for Recipient: \n\u2022 Only Managerial employees who have donated to the sick \nleave donation program are eligible to apply for sick leave \ntime. \n\u2022 Applicants for sick leave time must have exhausted all \naccumulated sick, personal, and vacation leave to be eligible \nto receive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n\u2022 The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness. \n\u2022 For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day- to-day basis, equal more than \nthe employee\u2019s daily rate of pay.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "plan, the combination of disability payments and donated \nsick days may not, on a day- to-day basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 For employees receiving worker\u2019s compensation benefits, \nthe combination of worker\u2019s compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the \ncommittee may also grant additional 30-day increments, up \nto a maximum of ninety 90 days (including the original 30 \ndays). \n\u2022 Requests for sick leave time may not be made retroactively. \n\u2022 Days that have been granted but are not used will revert to", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 11 of 12 \n \nthe sick leave bank. \nSCHOOL POLICE PATROLMEN ASSOCIATION \nMembership Requirements: \n\u2022 To establish this program, there must be at least 25 \nAssociation bank members. \n\u2022 Must be association members to participate. \n\u2022 Must have completed three or more years of continuous \nservice to be eligible to participate. \n\u2022 Must donate one sick day to enroll in the program. \n\u2022 Donation day will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time. \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time. \n\u2022 The bank is for employee\u2019s illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers\u2019 \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 12 of 12 \n \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank.", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM06 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MANAGERIAL EMPLOYEES \n \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal-Setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment (Optional) \nStep 5: Summative Evaluation (June 1) \n \nEvaluation Platform and Documentation \nTimeline and Tools \nAppendix A: The Core Competencies \nAppendix B: Rating Levels \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for managerial employees of Boston Public \nSchools (BPS), both Central Office and school-based. The", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 2 of 10 \n \npurpose of this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. This document was created as part of a cross-\ndepartmental working group on central office performance \nmanagement. \n \nPURPOSE OF PERFORMANCE MANAGEMENT \nBPS students are the citizens, leaders, scholars, entrepreneurs, \nadvocates, and innovators of tomorrow. As a district, we must \nensure that 100 percent of our students are prepared for college, \ncareer, and life in the 21st century. We must model the district on \nthe classroom we want to see. We have established a system of \nperformance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors. \nThe fundamental purpose of performance management in the \nBPS Central Office is to maximize the productivity and impact of", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "endeavors. \nThe fundamental purpose of performance management in the \nBPS Central Office is to maximize the productivity and impact of \nour employees by enabling them to perform at their fullest \npotential. Our approach is designed to provide high-quality \nsupport to schools, students, and families in BPS to ensure our \ngraduates are college, career, and life ready. To do so, our \nperformance management system will: \n1. Establish a consistent set of competencies to clearly set and \ncommunicate expectations for employee performance \n2. Align employee efforts with department and organizational \ngoals \n3. Create systems and structures that gather and monitor \nperformance in order to support employee feedback, \ngrowth, and development", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 3 of 10 \n \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nThe criteria for effective practice for Central Office managerial \nemployees are identified in the Core Competencies, which \ndefines six categories: \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \nSee Appendix A for greater detail on the set of core \ncompetencies. \nEvaluations will result in ratings on an employee\u2019s goals, on the", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "projects] \nSee Appendix A for greater detail on the set of core \ncompetencies. \nEvaluations will result in ratings on an employee\u2019s goals, on the \nsix Core Competencies, and on overall performance, which will be \nbased on the supervisor\u2019s judgment of performance against the \nstandards and progress toward goals. Progress toward goals will \nbe rated as Goal Achieved, Goal Significantly Met, Active Goal, \nGoal Not Met, and Goal Deferred. Greater details on these rating \nlevels can be found in Appendix B. \nThe five levels of performance, which apply to performance on \neach competency and the Overall performance rating shall be:", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 4 of 10 \n \n\u201cHighly Effective\u201d, \u201cEffective\u201d, \u201cDeveloping,\u201d \u201cMinimally Effective,\u201d \nand \u201cIneffective.\u201d Greater details on these rating levels can be \nfound in Appendix B. \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by employees and supervisors. \nFive-Step Process Overview \n \nSTEP 1: Self-Assessment (by September 1) \nEmployee reviews available evidence of work performance, prior \nfeedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The \nSelf-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nSTEP 2: Analysis, Goal-Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "STEP 2: Analysis, Goal-Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand supervisor establish 2-4 goals, related to professional", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 5 of 10 \n \npractice or performance: \n\u25cf A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, \nemployees and supervisors should both look at past \nperformance and feedback, as well as the employee\u2019s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies \n\u25cf A performance goal is a measurable target or outcome \nrelated to an employee\u2019s work. Goals should align with an \nemployee\u2019s team and/or departmental goal(s). \nSTEP 3: Implementation of the Plan (Ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "supporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nSTEP 4: Formative Assessment (Optional or By February 1) \nEach employee should receive a Formative Assessment to \nprovide the employee with written feedback on their \nperformance against the Core Competencies and their progress \ntoward goals. Typically, the formative will occur midway through \nthe assessment year, though it may take place at other times for \nindividuals in need of additional support. \nProfessional Development Plans are implemented when an", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 6 of 10 \n \nemployee\u2019s performance is rated Minimally Effective under one \nor more competencies, or overall. They are meant to include \nincreased supervision and support for improvement in specific \nareas identified by the supervisor. \nPerformance Improvement Plans (PIPs) are implemented when \nan employee\u2019s performance is rated Ineffective under one or \nmore competencies, or overall. They are more highly directed \nplans that are typically followed by another evaluation and may \nresult in employment action if performance is not sufficiently \nimproved. \nSTEP 5: Summative Evaluation (June 1) \nEach employee shall receive a Summative Evaluation to provide \nthe employee with written feedback and ratings of their \nperformance and progress toward goals. \n \nEVALUATION PLATFORM AND DOCUMENTATION \nManagerial employee performance evaluations and related \ndocumentation are generated and stored in the BPS online", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "performance and progress toward goals. \n \nEVALUATION PLATFORM AND DOCUMENTATION \nManagerial employee performance evaluations and related \ndocumentation are generated and stored in the BPS online \nperformance management platform, VectorEvals. Employees \nand supervisors will receive training in accessing, navigating, and \nusing the platform prior to the start of their evaluation cycle. \nTraining modules will be available in an online, on-demand \nformat to employees and supervisors for reference, as well.", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 7 of 10 \n \nTIMELINE \nDate Activity \nJuly - August \u25cf Office, team, and individual goal-setting begins \n\u25cf Supervisors review of standards and expectations with employees \nSeptember 1 \u25cf Employee Self-Assessments due \n\u25cf Employee Goals & Action Plans draft due \nOctober 1 \u25cf Finalized Employee Goals & Action Plans due \nOngoing \u25cf Employee check-ins, at the discretion of supervisor \n\u25cf Provide feedback (verbal and written) to employees on progress toward \ngoals, observed performance, and work products/artifacts. \n\u25cf Implementation also includes peer feedback. \nJanuary \u25cf Formative Assessment meetings with employees (Optional) \nFebruary 1 \u25cf Formative Assessments finalized and submitted (Optional) \nMay 21 - 25 \u25cf Last day to submit artifacts for review prior to Summative Evaluation \nJune 1 \u25cf Summative Evaluations finalized and submitted \n \nAPPENDIX A: CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 8 of 10 \n \nAPPENDIX B: OVERALL EFFECTIVENESS LEVELS (BELOW) \nEffectiveness \nLevel Description \nHighly Effective Performance far exceeded expectations due to exceptionally high \nquality of work performed in all essential areas of responsibility, \nresulting in an overall quality of work that was superior; and either \nincluded the completion of a major goal or project, or \nmade an exceptional or unique contribution in support of team, \ndepartment, or district objectives. \nThis level is achievable by any employee though given infrequently \n(<10% of employees) \nEffective Performance met expectations in all essential areas of responsibility, \nand the quality of work overall was excellent. Annual goals were met. \nDeveloping Performance consistently met expectations in all essential areas of \nresponsibility, at times possibly exceeding expectations, and the quality \nof work overall was very good. The most critical annual goals were \nmet.", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "responsibility, at times possibly exceeding expectations, and the quality \nof work overall was very good. The most critical annual goals were \nmet. \nThis level is expected for individuals who are new to the organization \nor to a role. \nMinimally Effective Performance did not consistently meet expectations \u2013 performance \nfailed to meet expectations in one or more essential areas of \nresponsibility, and/or one or more of the most critical goals were not \nmet. A professional development plan (not necessarily a PIP) to \nimprove performance must be implemented, including timelines, and \nmonitored to measure progress. \nIneffective Performance was consistently below expectations in most essential \nareas of responsibility, and/or reasonable progress toward critical goals \nwas not made. Significant improvement is needed in one or more", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 9 of 10 \n \nEffectiveness \nLevel Description \nimportant areas. A Performance Improvement Plan (PIP) to correct \nperformance, including timelines, must be outlined and monitored to \nmeasure progress. \n \nGoal Status Scale \nGoal Status Description \nGoal Achieved: All goal milestones and success measures have been achieved for \n100% of goals. \nGoal Significantly \nMet: \nAll goal milestones and success measures have been achieved for at \nleast 85% of goal. \nActive Goal: The goal is still in progress, though some milestones may have been \nachieved. \nGoal Not Met: For this goal, some or all milestones and success measures have not \nbeen met. \nGoal Deferred: For timing or organizational reasons, this goal has been deferred.", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA 02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP07 \nVersion 01 \n \n \nWORKERS\u2019 COMPENSATION PROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOBJECTIVE \nThe Boston Public Schools Workers\u2019 Compensation Service is \nlocated within Boston City Hall, 6th Floor, Room 613. Workers\u2019 \nCompensation Service administers benefits for city workers, \nincluding Boston Public Schools employees. The Workers\u2019 \nCompensation Service strives to ensure effective and efficient \ndelivery of benefits and collects injury data for state and federal \nreporting requirements. \nADMINISTERING WORKERS\u2019 COMPENSATION BENEFITS \nFor the City of Boston Workers\u2019 Compensation Service to provide \nadequate service, it is imperative that all work-related injuries be \nreported as soon as possible, preferably within twenty-four hours \nof the occurrence. \nFor the Workers\u2019 Compensation Service to provide timely \nbenefits, your cooperation in obtaining medical documentation is", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "of the occurrence. \nFor the Workers\u2019 Compensation Service to provide timely \nbenefits, your cooperation in obtaining medical documentation is \ncritical. If a case is reported late, or if the Workers\u2019 Compensation \nService does not have sufficient medical documentation, the \nemployee\u2019s receipt of benefits may be delayed.", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 2 of 7 \n \n \n\u25ba It is the employee\u2019s responsibility to request complete \nmedical treatment records for the work-related injury \nand provide them or have them sent to the Workers\u2019 \nCompensation Service. Out-of-work notes are NOT \nsufficient to maintain workers\u2019 compensation benefits. \nIncomplete or late reports of injury could also subject Boston \nPublic Schools to financial penalties. \n\u25cf To find the City\u2019s accident report form, as well as a \ncomplete guide to the city\u2019s workers\u2019 compensation \nprocess, please see the City of Boston Workers\u2019 \nCompensation Service employee guide at \nhttps://www.boston.gov/departments/human-\nresources/workers-compensation-process. \n\u25cf The accident report can be accessed directly at \nhttps://www.boston.gov/sites/default/files/file/2022/02/\naccident-report-form_2-7-2022.pdf. \nSTEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF \nYOUR EMPLOYMENT \nIf emergency services (i.e., life threatening, bleeding, head", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "accident-report-form_2-7-2022.pdf. \nSTEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF \nYOUR EMPLOYMENT \nIf emergency services (i.e., life threatening, bleeding, head \ninjuries, severe fractures, etc.) are necessary: \n1. Seek out emergency care (via ambulance if necessary) at \nthe closest emergency care facility to where you were \ninjured. \n2. Fill out and sign the accident report form. Submit it to the \nworkers\u2019 compensation office and your supervisor or human \nresources representative in your department. If you are \nunable to fill it out, you can have someone else fill it out for \nyou.", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 3 of 7 \n \n \n3. Medical documentation must be sent to Workers\u2019 \nCompensation Services (Room 613). \n4. A supervisor\u2019s signature is requested solely for the purpose \nof notification that an injury occurred. A supervisor\u2019s \nsignature does not indicate that the supervisor \nagrees/disagrees with the report, nor does it indicate the \nsupervisor witnessed the accident. \n5. Reasonable and necessary medical expenses for accepted \nwork-related injuries will be covered by Workers\u2019 \nCompensation Service, regardless of whether time has been \nlost due to the injury. However, salary replacement benefits \nfor accepted work-related injuries are given only if the \nemployee lost 5 days or more. Substantial medical \ndocumentation is required for employees who have lost 5 \ndays or more. \n6. A representative from Workers\u2019 Compensation will contact \nyou to follow up on your injury. They will also explain your", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "documentation is required for employees who have lost 5 \ndays or more. \n6. A representative from Workers\u2019 Compensation will contact \nyou to follow up on your injury. They will also explain your \nbenefits and discuss your medical treatment. If you haven\u2019t \nheard back within seven (7) days of reporting your injury, \nyou can speak with a case manager by calling 617-635-3193 \nor emailing workerscompstaff@boston.gov. \n WHILE ON WORKERS\u2019 COMPENSATION \nWhile on workers\u2019 compensation, the employee must maintain \nan approved leave of absence status with the Office of Human \nresources by applying for a leave of absence on the HUB and \nproviding a WH-380-E form or medical \ncertification/documentation on official letterhead from a health \ncare provider. For more information on leaves of absence, please \nsee Superintendent\u2019s Circular HRS-PP13.", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 4 of 7 \n \n \nWhile on workers\u2019 compensation, the employee is permitted to \nuse available sick, personal, or vacation time to supplement the \ndifference in workers\u2019 compensation earnings to continue to \nreceive 100% of their normal earnings. This applies to employees \nwho have available time and have completed the Workers' \nCompensation Earnings Consent Form, allowing the use of \nearned time. Without consent, the Office of Human resources will \nnot supplement your workers\u2019 compensation earnings. The \nconsent form can be accessed directly at: \nhttps://docs.google.com/forms/d/e/1FAIpQLSf0E_fnOzpBy2kNdqn\nHyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform. \nSupplementing your WC earnings allows employees to maintain \ntheir normal deductions (retirement, union dues, health \ninsurance, etc.). For some unions, it also minimizes the impact of \nearnings that are normally paid over the summer. To be sure of", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "their normal deductions (retirement, union dues, health \ninsurance, etc.). For some unions, it also minimizes the impact of \nearnings that are normally paid over the summer. To be sure of \nthe financial impact that supplementing (or not supplementing) \nyour WC earnings will have your pay once you return to work, \nplease reach out to the BPS Payroll team at 617-635-9460. \nEmployees are permitted up to 1 year of leave for an injury related \nto an approved Workers\u2019 Compensation injury. Employees who \nare absent more than 1 year may have an essential functions \nmeeting held to determine whether they are able to continue \ntheir employment with BPS. \nEMPLOYEE RETURNING TO WORK \nAn employee who is ready to return to work after having been \nout due to a work-related injury must have medical clearance \nfrom their doctor. Before returning to work, the employee must \nprovide copies of the medical clearance note to both OHR and", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 5 of 7 \n \n \nthe Workers\u2019 Compensation Service and inform both offices of \ntheir intent to return and the intended date. The clearance note \nshould be emailed to OHRLeaves@bostonpublicschools.org as \nwell as workerscompstaff@boston.gov. \nTransitional modified work may be offered by the Boston Public \nSchools to employees who have been injured on the job and can \nreturn to work on a modified basis. The Boston Public Schools \nmakes reasonable accommodations in compliance with the ADA \nand M.G.L. c. 151B for employees with handicaps or disabilities, as \noutlined in Superintendent's Circular EQT-01. If you wish to seek \nreasonable accommodations, please contact the Office of Equity \nat 617-635-9650 or accommodations@bostonpublicschools.org to \nengage in an interactive dialogue prior to your return. \nThe goals of the Workers\u2019 Compensation office are to ensure that \neligible injured employees receive quality and timely medical", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "engage in an interactive dialogue prior to your return. \nThe goals of the Workers\u2019 Compensation office are to ensure that \neligible injured employees receive quality and timely medical \nservices, receive timely benefits, and return to the job as quickly \nas possible. Your case manager will remain in constant contact \nwith you, and you will be required to maintain contact and \nprovide the necessary medical information to your case manager \nso that these goals can be achieved. \nAll accident reports regarding an employee\u2019s injury should be \nforwarded to Workers\u2019 Compensation Services (address at the \nbottom of this circular). \nAny additional information or questions can be forwarded to the \nemployee\u2019s case manager. Case managers are assigned based on \nthe employee\u2019s last name.", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 6 of 7 \n \n \nMEDICAL TREATMENT INFORMATION FOR ALL EMPLOYEES \nREGARDING WORKERS\u2019 COMPENSATION \nIf you need medical care for your work injury or illness, contact a \nmedical provider. Let them know that you are seeking workers\u2019 \ncompensation coverage for the treatment. The city currently \ndoes not have any preferred medical providers. \nWORKERS\u2019 COMPENSATION CHECKLIST \nAs this circular is comprehensive, and to prevent delays in \nprocessing, please ensure that you have completed the following \naction items when applying for/returning from workers' \ncompensation. \nAPPLYING FOR WORKERS\u2019 COMPENSATION \n\u25cf Complete and submit the Report of Occupational Injury or \nAccident. This report should be verified and signed by your \nsupervisor. \n\u25cf Review Superintendent\u2019s Circular HRS-PP13 Absence and \nLeave Policy. \n\u25cf Complete a leave of absence application form and submit \nWH-380-E form or physician\u2019s certificate.", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "supervisor. \n\u25cf Review Superintendent\u2019s Circular HRS-PP13 Absence and \nLeave Policy. \n\u25cf Complete a leave of absence application form and submit \nWH-380-E form or physician\u2019s certificate. \n\u25cf Send medical updates to both the City of Boston Workers\u2019 \nCompensation Unit and the Office of Human resources to \nmaintain your leave of absence and workers' compensation \nbenefits. \n\u25cf If applicable, complete the workers' compensation \nsupplemental earnings consent form if you wish to \nsupplement your benefit with accrued time.", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 7 of 7 \n \n \nRETURNING FROM WORKERS\u2019 COMPENSATION \n\u25cf Send both Human resources and City of Boston Workers' \nCompensation Unit medical documentation certifying the \nability to return to work with/without restrictions. \nFor more information about this circular, contact: \nDepartment: Workers\u2019 Compensation Service \nMailing Address: Boston City Hall, Room 613, Boston, MA 02201 \nPhone: 617-635-3193 \nFax: 617-635-3119 \n \nFor submitting forms to the Office of Human resources: \nOwner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: OHRleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM07A \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-CLASSROOM \nPARAPROFESSIONALS \nINCLUDED EMPLOYEES IN THIS CIRCULAR: \n\u25cf Community Field Coordinator (CFC) \n\u25cf Health Para \n\u25cf Library Para \n\u25cf Physical Ed Para \n\u25cf Security Para \n\u25cf Sign Language Interpreter \n\u25cf Swim Para \n\u25cf Cota Para \n\u25cf Family Liaison \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be: \u201cExemplary,\u201d \u201cProficient,\u201d \u201cNeeds \nImprovement,\u201d and \u201cUnsatisfactory,\u201d and shall be transmitted to \nParaprofessionals by the last business day prior to May 15 via the \nVectorEvals platform. If the para has access to a BPS-issued \ncomputer, they may sign digitally. If the para does not, the form \nmust be printed from VectorEvals for them to sign and then \nuploaded as a PDF attachment to the digital form.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "computer, they may sign digitally. If the para does not, the form \nmust be printed from VectorEvals for them to sign and then \nuploaded as a PDF attachment to the digital form. \nParaprofessionals will generally be evaluated formally every two", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 2 of 8 \n \nyears, except as set forth in section 7 below. During each school \nyear, each principal/head of school or director will identify \napproximately one-half of the staff for which that administrator is \nresponsible for evaluating during that year. The process of \nidentifying the evaluees will be determined by the responsible \nadministrator. An administrator may also evaluate a staff \nmember not originally identified, if assistance, supervision, or \nintervention is deemed appropriate based on informal \nobservation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative. \n2. The head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department \nSCHEDULE, MEETINGS, AND PROCEDURES", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "evaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nadministrator or their designee shall meet with \nParaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of \nannounced and unannounced visits. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional\u2019s practice, the \nresponsible supervisor shall provide such written feedback", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 3 of 8 \n \nto the paraprofessional before releasing the next Formative \nor Summative Evaluation. \n2. Within ten (10) school days during which the \nparaprofessional is present following the last observation to \nbe used as the basis of the evaluation, regardless of the \nrating mark, the responsible administrator or designee shall \nmeet with the paraprofessional for the purpose of \ndiscussing the evaluation. At this meeting, the \nparaprofessional will be given two (2) copies of the written \nevaluation, signed, and dated by the responsible \nadministrator. \nThe paraprofessional shall sign and return one (1) copy to \nindicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance has", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "incomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance has \nbeen judged as less than proficient at any point during the \nschool year shall be so notified in writing and shall meet \ndirectly with the responsible administrator. \n3. In any area where the responsible administrator or designee \nindicates a need for improvement, they will provide the \nparaprofessional with a written prescription. The \nparaprofessional may attach comments to the prescription. \nIf a paraprofessional\u2019s performance results in an overall \nformative evaluation or summative evaluation rating of \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d, the evaluation \nprescription may contain a requirement that a \nparaprofessional takes advantage of additional professional", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 4 of 8 \n \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. For \npurposes of this contract, \u201cformative\u201d means evaluations \nthat at a minimum are twenty (20) school days apart. \nIf, after allowing adequate time to improve, the \nparaprofessional continues to need improvement, the \nresponsible administrator may include in the evaluation \nprescription that the paraprofessional may voluntarily take \nadvantage of training or in-service training to correct a \ndeficiency. \n4. If the responsible administrator had adjudged a \nparaprofessional\u2019s practice with an overall rating of \n\u201cUnsatisfactory\u201d on at least four (4) formative evaluations \nwithin a twelve (12) month period in which the \nParaprofessional reported to work or on at least (2) \nformative evaluations plus a summative evaluation, the", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "within a twelve (12) month period in which the \nParaprofessional reported to work or on at least (2) \nformative evaluations plus a summative evaluation, the \nresponsible administrator may initiate termination by \nrecommending to the Superintendent that such \nparaprofessional be terminated. If the Superintendent \napproves the principal\u2019s recommendation, the principal shall \nnotify the paraprofessional, in writing, of their intent to \ndismiss the paraprofessional. The paraprofessional may then \nrequest a meeting with the principal to discuss their intent \nto dismiss. This request must be made in writing within ten \n(10) days of the paraprofessional\u2019s receipt of the intent to \ndismiss notice. Overall \u201cUnsatisfactory\u201d evaluation ratings \nneed not occur in consecutive months. \nAn overall rating of \u201cUnsatisfactory\u201d on a summative", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 5 of 8 \n \nevaluation rating must be preceded by at least two \nformative overall \u201cUnsatisfactory\u201d ratings during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph. \n5. After each of the first three (3) formative evaluation overall \n\u201cUnsatisfactory\u201d ratings that are based in whole or in part \nupon observed performance, the responsible administrator \nshall conduct a follow-up evaluation. This evaluation shall \ninclude observation of performance and take place no \nsooner than twenty (20) school days and no later than fifty \n(50) school days after the previous \u201cUnsatisfactory\u201d \nevaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon other than performance, then the responsible \nadministrator must clearly convey the reasons in writing to", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "evaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon other than performance, then the responsible \nadministrator must clearly convey the reasons in writing to \nthe paraprofessional and follow prescribed procedures for \nprogressive discipline. \n6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved \nand arbitrated. an employee may grieve a summative \nevaluation with an overall rating other than \u201cUnsatisfactory\u201d \nup to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 6 of 8 \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually prior to \nNovember 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as \u201cUnsatisfactory\u201d overall or in a \nparticular area. \nb. All paraprofessionals who are new to the building.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate Activity \nBy the last business day \nprior to November 15 \n\u25cf Evaluation of Paraprofessionals who \nreceived an \u201cUnsatisfactory\u201d in their \nevaluation from the prior school year. \n\u25cf Evaluation of Paraprofessionals who are \nnew to the school building. \nBy the last business day \nprior to May 15 \n\u25cf Deadline to submit evaluation on \nVectorEvals platform. \n* If the para has access to a BPS-issued \ncomputer, they may sign digitally. If \npara does not, the form must be \nprinted from VectorEvals for them to \nsign and then uploaded as a PDF \nattachment to the digital form. \n\u25cf Evaluation of paraprofessionals due \nevery 2 years except for \nparaprofessionals new to the building \nor who received a \u201cDoes Not Meet \nStandards\u201d rating the previous school \nyear.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 8 of 8 \n \nFor more information about this circular, contact: \n \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\u25ba Click to view a SAMPLE Non-Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM03 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nADMINISTRATIVE GUILD \nThe following sets forth the philosophy, roles, responsibilities, and \nprocedures applicable to the evaluation process for members of \nthe Administrative Guild. \nI. COVERAGE \nThe contract between the School Committee and the \nAdministrative Guild provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Guild. The evaluation process relates to the duties and \nresponsibilities of the employee\u2019s position, as set forth in the \nemployee\u2019s job description. \nThe job descriptions are general in nature and are not intended \nto change any employee\u2019s existing responsibilities. The format of \nthe job descriptions allows supervisors to determine the specific \njob duties associated with the position\u2019s classification. \nThe supervisor should obtain a copy of the appropriate job", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "the job descriptions allows supervisors to determine the specific \njob duties associated with the position\u2019s classification. \nThe supervisor should obtain a copy of the appropriate job \ndescription and provide it to each employee under their \njurisdiction. The supervisor should also communicate clearly to \nthe employee the specific duties associated with the position as \nwell as any additional information pertaining to the position. \nMembers of the Administrative Guild can also contact their OHC \nStaffing Manager to access job descriptions.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 2 of 21 \n \nII. PHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service depends upon the professional performance \nand total job effectiveness of all employees. Since clerical and \ntechnical employees can and should be held accountable for the \nquality of their performance, a just and effective process for \nevaluating that performance is essential. True performance \nevaluation involves an analysis of an employee's strengths and \nweaknesses, resulting in diagnoses and prescriptions that lead to \nthe desired improvement of skills and performance. \nAll clerical and technical employees will be evaluated using the \ndiagnostic-prescriptive approach, and the procedures and forms \ndeveloped for the implementation of this approach. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages employees to maximize their unique \nstrengths and skills. It encourages employees to participate in", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "A diagnostic-prescriptive evaluation program is positively \ndirected and encourages employees to maximize their unique \nstrengths and skills. It encourages employees to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication with and supervision of employees. \nAn effective performance evaluation program is one that is \ncontinuous rather than periodic and organized to: \n\u25cf develop a clear understanding of the goals of the \ndepartment or school; \n\u25cf assist employees in addressing more effectively the needs \nof each school or department; and \n\u25cf encourage cooperative staff relations through mutual trust \nand respect for each employee's role.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 3 of 21 \n \nIII. ROLES AND RESPONSIBILITIES \nHeads of school, principals, and other administrative heads have \nchief responsibility for the evaluation of all staff in their \nresponsibility centers. Performance evaluations must be \nconducted by the employee's most immediate supervisor who is \nnot a member of the Guild bargaining unit. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an \nunderperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "supervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are four possible \nratings: \n \nE \u2013 EXEMPLARY: The employee\u2019s performance of the duties and \nresponsibilities of their position exceeds \nexpectations. \nP \u2013 PROFICIENT: The employee\u2019s performance of the duties and \nresponsibilities of their position meets \nexpectations.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 4 of 21 \n \nN \u2013 NEEDS \nIMPROVEMENT: \nThe employee\u2019s performance of the duties and \nresponsibilities of their position needs \nimprovement. \nU \u2013 UNSATISFACTORY: The employee has failed to meet expectations \nand their performance of the duties and \nresponsibilities of their position needs \nimprovement. \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the employee with a written prescription within the \nevaluation document. The diagnosis and subsequent \nprescription should be fully descriptive and instructive, \nsuggesting specific remedies or recommendations for adoption \nby the employee. The employee may suggest additional or \nalternative prescriptions. \nV. PERFORMANCE MANAGEMENT PROCESS \nThe performance of employees represented by the Guild", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "by the employee. The employee may suggest additional or \nalternative prescriptions. \nV. PERFORMANCE MANAGEMENT PROCESS \nThe performance of employees represented by the Guild \nbargaining unit is evaluated annually. The evaluation year is from \nJuly 1 to June 30 for each employee. \nPerformance evaluation activities may include, but are not \nlimited to, preliminary planning conferences, daily observations, \nnotations, formal interim evaluations, follow-up conferences, and \nrecommendations to the employee by the evaluator. \nDuring the entire evaluation process, continuous administrative \nassistance, support, and encouragement should be extended to \nassist the employee in meeting established objectives.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 5 of 21 \n \nSTEP 1 \u2013 PRELIMINARY PROCEDURES \nAt the beginning of each evaluation year, the head of school, \nprincipal, or other administrative head should meet with their \nsupervisory staff to orient them to the performance evaluation \nprocess and to their roles and responsibilities within that process \nfor the upcoming year. Guild members will be evaluated by their \nmost direct supervisor or designee who is not a member of the \nGuild bargaining unit. \nFor all new employees or after a change in supervision, the \nevaluator must meet with the employee no later than 30 days \nafter the start of the evaluation year to discuss and explain the \nevaluation process, the evaluation instrument, and to clarify the \nresponsibilities and objectives of the position. \nThe evaluator and the Guild member will sign the evaluation \ninstrument indicating the date of such meeting. \nSTEP 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS \nNEEDED)", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "The evaluator and the Guild member will sign the evaluation \ninstrument indicating the date of such meeting. \nSTEP 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS \nNEEDED) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation, recommendations for improvement, and will share this \nfeedback with the employee within a reasonable amount of time. \nSTEP 3 \u2013 INTERIM EVALUATION PROCEDURES \nAll new employees or employees under new supervision should \nreceive an interim evaluation no later than November 15, if \nreasonably possible. All other employees will be evaluated a \nminimum of one time during the school year. However, to \nreceive a rating of \u201cUnsatisfactory\u201d in any category on an annual", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 6 of 21 \n \nevaluation, an interim evaluation must have been previously \nconducted. \nIf an interim evaluation includes a rating(s) of Unsatisfactory \nand/or Needs Improvement in any category, then the supervisor \nwill communicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. A follow-up \nevaluation or evaluations for an interim overall unsatisfactory \nevaluation must be done after a minimum of 20 school days and \nno later than 50 school days from the last evaluation during \nwhich a member is present. All initial \u201cUnsatisfactory\u201d interim \nevaluations should have a follow-up evaluation no less than 20 \nschool days during which the employee is present. \nThe same form is used for interim and annual evaluations. \nSTEP 4 \u2013 POST INTERIM MEETING EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "The same form is used for interim and annual evaluations. \nSTEP 4 \u2013 POST INTERIM MEETING EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of an interim evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but \nnot to indicate agreement or disagreement with its contents. The \nsupervisor must retain the signed copy. The employee has a right \nto attach a written response to the evaluation. \nIf an employee receives a mark of Needs Improvement or \nUnsatisfactory on any item on their performance evaluation form, \nthe principal, head of school, or other administrative head must \nimmediately submit this evaluation form to the Office of Human \nResources.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 7 of 21 \n \nInterim evaluations will not be placed in the employee\u2019s \npermanent file. \nSTEP 5 \u2013 ANNUAL EVALUATION PROCEDURES \nAnnual evaluations must be completed no later than June 1 of \neach year. \nIf an evaluation includes a rating(s) of Unsatisfactory and/or \nNeeds Improvement in any category, then the supervisor will \ncommunicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. However, to \nreceive a rating of \u201cUnsatisfactory\u201d in any category on an annual \nevaluation, an interim evaluation must have been previously \nconducted. If an employee received a Needs Improvement or \nUnsatisfactory rating on any item on the form, the Principal, \nHead of School, other Administrative Head must immediately \nsubmit this evaluation form to The Office of Human Resources. \nSTEP 6 \u2013 POST ANNUAL EVALUATION CONFERENCE", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Head of School, other Administrative Head must immediately \nsubmit this evaluation form to The Office of Human Resources. \nSTEP 6 \u2013 POST ANNUAL EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of any evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but \nnot to indicate agreement or disagreement with its contents. The \nemployee has the right to attach a written response to the \nevaluation form. \nIf an employee receives an annual overall Unsatisfactory \nevaluation, the supervisor may initiate termination by \nrecommending to the Superintendent that such employee be", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 8 of 21 \n \nterminated. \nSTEP 7 \u2013 SUBMIT PERFORMANCE EVALUATION FORMS TO THE \nOFFICE OF HUMAN RESOURCES \nAt the end of each evaluation year, the principal, head of school, \nor other administrative head should retain the copies of all \nevaluations and send/deliver the originals of all evaluations to the \nOffice of Human Resources front desk. If the performance \nevaluation is overall Unsatisfactory, a copy should also be sent to \nthe director of evaluation and performance management, Office \nof Human Resources. \nNote: An employee with an \u201cUnsatisfactory\u201d performance \nevaluation has no bidding rights until that employee receives a \nsubsequent \u201csatisfactory\u201d performance evaluation. For the \npurposes of this section, an \u201cUnsatisfactory\u201d evaluation means an \nunsatisfactory rating in any two areas on an interim or annual \nevaluation. \nVI. PROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or other administrative head", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "unsatisfactory rating in any two areas on an interim or annual \nevaluation. \nVI. PROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or other administrative head \ndetermines that an employee has committed an infraction of \nwork rules such as excessive tardiness, absences, etc., the \nsupervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures. \nAdditionally, the supervisor should consider the infraction in \nevaluating the employee's overall performance.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 9 of 21 \n \nVII. FORMS \nThe Performance Evaluation Form for Members of the \nAdministrative Guild is attached. \nSummary of significant dates and deadlines: \nDATE ACTIVITY \nWithin the first 30 days \nof Evaluation Year \nFor new employees/employees under \nnew supervision only: Review job \ndescription and evaluation instrument. \nSign cover page to acknowledge \nmeeting. \nNo later than \nNovember 15 \nFor new employees/employees under \nnew supervision only: Complete first \nInterim Evaluation \nJune 15 Deadline to send signed, original \ncopies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, Massachusetts 02119 \nJuly 1 to June 30 The evaluation year of an \nAdministrative Guild employee", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 10 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \n \nPage 11 of 21 \n \nBOSTON PUBLIC SCHOOLS ADMINISTRATIVE GUILD \nPERFORMANCE EVALUATION FORM \nName: _________________________________Employee ID: ____________ \nCurrent Position and Grade: ___________________ Date: ____________ \nPermanent Position and Grade: __________________________________ \nDepartment/School: _____________________________________________ \nEvaluator: ________________________________________________________ \nCheck One: Interim Evaluation: \u2610 Annual Evaluation: \u2610 \nEvaluator's Signature: _________________________ Date: \n_____________ \nEmployee's Signature: _________________________ Date: ____________ \nThe employee's signature indicates that they have seen and \ndiscussed the evaluation. It does not denote agreement with it. \nEvaluator's Supervisor \nSignature: ____________________________________ Date: _____________ \nInitial Pre-Evaluation Conference: \n Evaluator\u2019s Signature:__________________________Date:____________", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Evaluator's Supervisor \nSignature: ____________________________________ Date: _____________ \nInitial Pre-Evaluation Conference: \n Evaluator\u2019s Signature:__________________________Date:____________ \n \nEmployee\u2019s Signature___________________________Date:", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 12 of 21 \n \nReview the employee\u2019s job description and then complete the \nform. The following scale will be used for ranking performance: \nE - EXEMPLARY The employee\u2019s performance of the \nduties and responsibilities of their \nposition exceeds expectations. \nP - PROFICIENT The employee\u2019s performance of the \nduties and responsibilities of their \nposition meets expectations. \nN - NEEDS \nIMPROVEMENT \nThe employee\u2019s performance of the \nduties and responsibilities of their \nposition needs improvement. \nU - UNSATISFACTORY The employee has failed to meet \nexpectations and their performance of \nthe duties and responsibilities of their \nposition needs improvement. \nThe evaluator will circle the letter that applies, or if the form is \nbeing completed electronically, the evaluator should underline or \nbold the letter that applies. Any rating of \"U\" or \u201cN\u201d must be \naccompanied by a supporting diagnosis and prescription. The", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "being completed electronically, the evaluator should underline or \nbold the letter that applies. Any rating of \"U\" or \u201cN\u201d must be \naccompanied by a supporting diagnosis and prescription. The \nevaluator may add comments to ratings of \"P\" and \"E\" at their \ndiscretion.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 13 of 21 \n \nPerformance Ratings (see Performance Standards descriptions \nbelow): \n(Place an X in the appropriate box for each \nstandard and overall) E P N U \nStandard I: Job Functions \nStandard II: Collaboration and Initiative \nStandard III: Communication \nStandard IV: Professionalism and Growth \nOverall Rating \n \nSupervisor's Comments \n1. How long has this employee been under your supervision? \n \n2. General comments, significant other achievements, \nappraisal of potentialities.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 14 of 21 \n \n3. This diagnosis and prescription section must be completed \nfor each category evaluated as U \u2013 Unsatisfactory. Identify \nthe item number, the observable need for improvement, the \nrecommendation, and the target date for improvement. \n \n \n \n \n \nEmployee's Comments:", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \n \nPage 15 of 21 \n \nADMINISTRATIVE GUILD PERFORMANCE STANDARDS \nStandard I: Job Functions. The employee effectively supports the district's and department/school\u2019s \nmission through demonstrated job-specific skills, knowledge, and quality of work after proper \ninstruction. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nI-A. Skills and \nknowledge \nDemonstrates a \ncritical lack of \nnecessary skills \nand knowledge \nto perform one's \nown job, \nincluding the \nability to \neffectively use \nrelevant, position \nspecific \ntechnology. \nDemonstrates \nsome, but not all, of \nthe necessary skills \nand knowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nHas the necessary \ntechnical skills and \nknowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nDemonstrates \nproficiency AND", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "technical skills and \nknowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nDemonstrates \nproficiency AND \nserves as a resource \nfor other employees \nin similar or related \npositions.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 16 of 21 \n \nI-B. Quality of \nWork \nDemonstrates \neffectiveness at \nfew to none of \nthe \nresponsibilities \ndefined in the \nemployee's job \ndescription. \nDemonstrates \neffectiveness at \nsome, but not all, of \nthe responsibilities \ndefined in the \nemployee's job \ndescription. \nAccurately, \ncompetently, and in a \ntimely manner \nperforms assigned \ntasks as set forth in \nthe job description. \nDemonstrates \nproficiency AND \nmakes significant or \nnoteworthy \ncontributions \ntowards helping \naccomplish the \nschool/department \ngoals.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 17 of 21 \n \nStandard II: Collaboration and Initiative. The employee supports the district's and the \ndepartment/school\u2019s mission and goals by cultivating a shared vision, modeling responsibility, \naccountability, and cooperation. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nII-A. \nTeamwork \nDemonstrates a \npattern of refusal \nto support \nsupervisor and \nothers as \nidentified in the \njob description. \nDemonstrates \nlimited accuracy \nand support of \nsupervisor and \nothers as identified \nin the job \ndescription when \nasked. \nEstablishes and \nmaintains \nrelationships that \npromote the \nadvancement of \ncommon goals by \nproviding accurate \nand reliable support. \nDemonstrates \nproficiency \nAND takes initiative \nto identify and act \nupon new \nopportunities to \nsupport \nschool/department \nmissions. \nII-B. \nMotivation and \nInitiative \nRequires direct \nintervention and \ncontinual \noversight from \nsupervisor to \nRequires increased", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "upon new \nopportunities to \nsupport \nschool/department \nmissions. \nII-B. \nMotivation and \nInitiative \nRequires direct \nintervention and \ncontinual \noversight from \nsupervisor to \nRequires increased \noversight or \nreminders for \nroutine duties \ndespite receiving \nAccomplishes work \nafter proper \ninstruction; seeks \nclarification when \nneeded performs \nDemonstrates \nproficiency AND \nrecommends \nsolutions, as well as \ntakes initiative on", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 18 of 21 \n \nperform the \nduties outlined \nin job \ndescription. \nstandard support. tasks in anticipation \nof or extraneous to \nnormal \nresponsibilities, \neffectively copes with \nthe unexpected. \nstarting new tasks \nand projects, as \nappropriate, to \nsupport district and \nschool/department \ngoals. \n \nStandard III: Communication. Communicates effectively, professionally and with a customer-focused \napproach; speaking or writing originated by a Guild member. Cultural Proficiency: Actively creates \nand maintains an environment in which students and staff of diverse backgrounds, identities, \nstrengths, and challenges are respected \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nIII-A. Effective \nWritten and \nOral \nCommunicatio\nn \nDemonstrates a \npattern of \nineffectual \nwritten, oral, and \ninterpersonal \ncommunication. \nWritten, oral and \ninterpersonal \ncommunication \noccasionally lacks \nclarity, timeliness, \ncourtesy, or", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "n \nDemonstrates a \npattern of \nineffectual \nwritten, oral, and \ninterpersonal \ncommunication. \nWritten, oral and \ninterpersonal \ncommunication \noccasionally lacks \nclarity, timeliness, \ncourtesy, or \nAll written, oral, and \ninterpersonal \ncommunication \nproduced is accurate, \nclear, concise, \ncourteous, and timely. \nDemonstrates \nproficiency AND \nmodels effective \npublic demeanor \nand/or participation \nskills.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 19 of 21 \n \nprecision. \nIII-B. \nCulturally \nProficient \nCommunicatio\nn \nDemonstrates a \npattern of failure \nto ensure \ncommunications \nare always \nrespectful and \ndemonstrate \nunderstanding of \nand sensitivity to \ncultural and \nother \ndifferences. \nDemonstrates \ninconsistency in \nensuring all \ncommunication is \nrespectful and \ndemonstrates an \nunderstanding and \nsensitivity to \ncultural and other \ndifferences. \nEnsures that all \ncommunication is \nconsistently \nrespectful and \ndemonstrates an \nunderstanding of and \nsensitivity to different \nlanguages, cultures \nand values \nrepresented. \nDemonstrates \nproficiency AND \nserves as a \nmodel/resource for \nstaff regarding \nculturally proficient \ncommunication.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 20 of 21 \n \nStandard IV: Professionalism and Growth. The employee's conduct reflects good judgment and high \nstandards of performance, behavior, and a willingness to grow through ongoing professional \nlearning. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nIV-A. \nProfessional \nJudgment \nDemonstrates \npoor judgment \nand/or discloses \nconfidential \ninformation \ninappropriately. \nOccasionally \ndemonstrates \nquestionable \njudgment and \nsharing of \nconfidential \ninformation. \nDemonstrates sound \njudgment reflecting \nintegrity, honesty, \nfairness, and \ntrustworthiness and \nprotects \nconfidentiality \nappropriately. \nDemonstrates \nproficiency AND \nserves as a model for \nothers regarding \nprofessional \njudgment. \nIV-B. \nAttendance \nand \nPunctuality \nDemonstrates a \npattern of \nproblematic \nbehavior \nregarding \npunctuality, \nExhibits some \nnotable challenges \nwith punctuality, \nattendance, or \ngiving notice of \ntime off.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "and \nPunctuality \nDemonstrates a \npattern of \nproblematic \nbehavior \nregarding \npunctuality, \nExhibits some \nnotable challenges \nwith punctuality, \nattendance, or \ngiving notice of \ntime off. \nIs punctual; follows \nattendance policy \nnotice requirements. \nDemonstrates \nproficiency AND \nensures that vacation \nand personal leave is \ntaken at a time that \nminimally impacts", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 21 of 21 \n \nattendance or \ngiving notice of \ntime off. \nthe functioning of \nthe department \nand/or school. \nIV-C. \nFeedback and \nGrowth \nDemonstrates \nresistance to \nfeedback related \nto performance \nand/or fails to \nuse feedback to \nimprove \nperformance. \nHas notable \ndifficulty receiving \nfeedback related to \nperformance and/or \nusing feedback to \nimprove \nperformance. \nResponds receptively \nand constructively to \nfeedback related to \nperformance and \nuses feedback to \nimprove \nperformance. \nDemonstrates \nproficiency AND \nmodels the use of \nfeedback to \npersonally improve.", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP13 \nVersion 01 \n \nEMPLOYEE SICK LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston School Committee will not permit any abuse of sick \nleave privileges. Sick leave is a benefit only to be used for \nabsences caused by illness, injury, or exposure to contagious \ndiseases. Those employees who use sick leave for any other \npurpose do a disservice to our students, to their co-workers, and \nto the taxpayers. A public perception that School Department \nemployees abuse sick leave will undermine confidence in and \nsupport for public education in Boston. \nAccordingly, it is and shall be the policy of the Boston School \nCommittee to monitor the sick leave practices of all its \nemployees, to detect any sick leave abuse, and to discipline any \nemployee found to have abused the sick leave privileges. No \nlegitimate sick leave will be denied. No abuse will be tolerated.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "employees, to detect any sick leave abuse, and to discipline any \nemployee found to have abused the sick leave privileges. No \nlegitimate sick leave will be denied. No abuse will be tolerated. \nThe Superintendent shall develop and promulgate appropriate \nrules and procedures to implement this sick leave policy. Copies \nof this policy shall be prominently posted at all work locations. \nAttached you will find a document entitled Employee Sick Leave \nPolicy Guidelines. The document provides specific details \nregarding (1) the responsibility of each manager with regard to \nsick leave, (2) managerial intervention required, and (3)", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 2 of 10 \n \nprocedures mandated to ensure the effective implementation of \nthe Employee Sick Leave Policy. A copy of these guidelines \nshould be posted in the school office, and a copy should be made \navailable in teachers' rooms for review by staff. \nThe School Committee\u2019s Employee Sick Leave Policy and \nGuidelines cover all employees of the Boston Public Schools. In \naccordance with the guidelines, employees absent for six (6) or \nmore consecutive working days must apply for a leave of absence \nthrough the online application and provide a WH-380-E/F form or \nmedical certification/documentation on official letterhead from a \nhealth care provider as determined by their Collective Bargaining \nAgreement, as well as a fitness for duty report to return to work. \nThe medical certification should be on the physician's letterhead \nand should include: \n1. A statement that the physician understands the nature of", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "The medical certification should be on the physician's letterhead \nand should include: \n1. A statement that the physician understands the nature of \nthe employee's duties and that the employee is incapable of \nperforming the duties and responsibilities of their position. \n2. A statement of anticipated duration of the absence or the \nexpected date of the return to work (if the duration is \nunknown, the letter should indicate when the employee will \nbe seeing a physician again and an updated letter would be \nrequired after that visit). \n\u25ba Failure to provide the proper physician's certificate \nwhen required may lead to loss of pay. \nAbsences interrupted by weekends and/or holidays are \nconsidered consecutive. \nAll managers are directed to discuss the guidelines with all staff \nmembers at the beginning of the school year to ensure mutual", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 3 of 10 \n \nunderstanding. Please note the guidelines are consistent with \nthe BTU and BASAS contracts. \nThe Office of Human Resources has information readily available \non an employee's accumulated benefits such as vacation, sick \nleave, and personal days. It is also able to monitor the attendance \nof the entire School Department workforce. Principals, heads of \nschool, and other administrative heads will be provided with \nperiodic attendance data for employees under their jurisdiction. \nThese reports are expected to assist managers in providing \nappropriate supervision for individuals who exhibit problematic \nattendance patterns. \nFor more information about this circular, contact: \nOwner: Leave of Absence Team \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: OHRLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 4 of 10 \n \n \nEMPLOYEE SICK LEAVE POLICY GUIDELINES \nSTATEMENT \nThe term \u201cmanager,\u201d as used in these guidelines, refers to \npositions such as academic superintendent, senior officer, head \nof school, principal, program director, and director. It is expected \nthat managers may in some cases delegate authority to carry out \nthese procedures to supervisory personnel reporting to them. \nPURPOSE \nThe purpose of these guidelines is to improve employee \nattendance and eliminate any abuse of sick leave benefits. Their \nconsistent application by managers, and compliance by all \nemployees, will make a substantial contribution toward our \nultimate goal of providing an effective and high-quality \neducation for the students in the Boston Public Schools. \nTHE MANAGER HAS PRIMARY RESPONSIBILITY FOR \nEFFECTIVELY IMPLEMENTING THESE GUIDELINES: \n1. Managerial Responsibility: Absenteeism is one of the \nprimary reasons for a manager's inability to accomplish", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "EFFECTIVELY IMPLEMENTING THESE GUIDELINES: \n1. Managerial Responsibility: Absenteeism is one of the \nprimary reasons for a manager's inability to accomplish \nexpected results, since it results in less than optimal student \nprogress, missed deadlines, low quality of work due to \ninexperienced replacements, scheduling and coverage \nproblems, and low morale of employees who must assume \nthe absentee's workload. Employee motivation and \nattendance are key factors affecting the productivity of each", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 5 of 10 \n \nunit in the school system. A good attendance practice \nwithin a school or department is indicative of a well-\nmotivated and supervised workforce. Therefore, managers \nshould realize that it is in their own best interest to develop \nand to maintain good attendance practices, since their \neffectiveness is measured by the accomplishments of their \nschools and departments. \n \n2. Managerial Judgment: Managers will be expected to \nimplement these procedures, to counsel employees, and to \ntake remedial action when a patterned abuse occurs. Each \nsupervisor should analyze each situation based on its merits, \nconsidering such factors as length of service, total sick leave \naccumulation, number of occurrences (frequency), patterns \nof absenteeism, such as before and after weekends, holidays \nand vacations, severity rate (the duration of absence), and \nthe employee's medical history that is previously known to", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "of absenteeism, such as before and after weekends, holidays \nand vacations, severity rate (the duration of absence), and \nthe employee's medical history that is previously known to \nthe manager and/or from information that may be required \nto be on file with the School Department. \n \nMajor attendance problems facing managers are: \na. \"Pre-retirement illness\" \u2014 attempts by long-time \nemployees to exhaust their sick leave benefits before \nretirement \nb. \"Pre-layoff illness\" \u2014 attempts by employees who \nreceived a notice for layoff to exhaust their sick leave \nbenefits before the layoff becomes effective \n \nc. \"Post contract non-renewal illness\" \u2014attempts by \nemployees whose contract has not been renewed \nprior to exhausting sick leave.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 6 of 10 \n \n3. Managerial Intervention: It is important that the manager \nintervene as soon as an absence pattern is detectable. The \nmanager can discuss the reasons for the pattern or the \nabsences and can prevent the pattern of absences from \nbecoming worse. \nEach manager must review the attendance records of each \nemployee in their organization at least on a quarterly basis \nto monitor attendance practices and to determine if there \nare patterns of sick leave abuse. Each employee whose \nnumber of days or the number of occurrences exceed five \nconsecutive days absent, and there is reasonable cause to \nbelieve that the absence is not an appropriate use of sick \nleave, must be interviewed by the manager. The purpose of \nthis interview is to determine whether there is any \npossibility of sick leave abuse. A written record must be kept \nconcerning the nature of the supervisory discussion or \ninterview.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 7 of 10 \n \nPROCEDURAL REQUIREMENTS \nTo ensure the effective implementation of the Employee Sick \nLeave Policy, employees must adhere to the following \nprocedures: \n1. Notification \na. Employees Serving in Schools: These employees are \nnot entitled to sick leave without loss of pay unless \nthey have notified their head of school or principal, in \naccordance with the schedule established by the \nappropriate head of school/principal. Each employee \nmust indicate the nature of the illness and the period \nof anticipated absence. If, at the expiration of the \nanticipated period, the employee is not recovered, the \nemployee must again notify the head of \nschool/principal of the reason for the additional period \nof anticipated absence in accordance with established \npractice at their school. Each school must maintain and \npost in appropriate locations a standard policy for \nnotice of absence. \nb. Employees Not Serving in Schools: These employees", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "practice at their school. Each school must maintain and \npost in appropriate locations a standard policy for \nnotice of absence. \nb. Employees Not Serving in Schools: These employees \nare not entitled to sick leave without loss of pay unless \nthey have notified their manager of the absence, its \ncause, and anticipated duration before the expiration \nof the first fifteen (15) minutes after their normal \nreporting time or as soon as practical. If, at the \nexpiration of the anticipated duration, the employee is \nnot recovered, the employee must again notify the \nmanager of the reason for the additional period of", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 8 of 10 \n \nanticipated absence the day before the employee is \nexpected to return to work. \nc. Illness During Work Hours: When an employee \nbecomes ill during regular work hours, the employee \nmust notify the manager. The manager will record the \nlength of absence. \nd. Failure to Notify: Employees failing to give proper \nnotice in the absence of extenuating circumstances \nshall be considered without authorization and are \nsubject to progressive disciplinary action. \ne. Reporting time: All managers must ensure that all \ntime reporting is entered into the system consistent \nwith established procedures in order that employee\u2019s \nabsences are correctly charged and leave balances \nmaintained. As usual, Department Time Summary \nReports must be submitted to the BPS Payroll Office in \naccordance with the payroll schedule. \n2. Physician's Certificate: If the absence is of six (6) or more \nconsecutive working days' duration, a physician's certificate", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "accordance with the payroll schedule. \n2. Physician's Certificate: If the absence is of six (6) or more \nconsecutive working days' duration, a physician's certificate \nwill be required upon return to work, or prior to return if \nrequested. When the record of repeated absences reflects a \nclear pattern of abuse \u2014 such as consistent three (3) days \npresent, two (2) days absent \u2014 the manager should request \na physician's certificate, even though it may not be required \nunder the relevant collective bargaining contract. In such \ncircumstances, the employee should be advised that a \nphysician's certificate may be the only adequate refutation", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 9 of 10 \n \nto the charge of sick leave abuse. The physician's certificate \nshould include the following: \na. A statement that the physician understands the nature \nof the employee's duties and that the employee is \nincapable of performing the duties and responsibilities \nof their position. \nb. A statement of anticipated duration of the absence or \nthe expected date of return to work (if the duration is \nunknown, the letter should indicate when the \nemployee will be seeing the physician again, and an \nupdated letter would be required after that visit). \nIf the physician's certificate does not include these \nstatements, the manager must notify the employee to \nobtain the omitted information before authorizing sick \nleave. \nALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A \nCONFIDENTIAL BASIS. \nIf, during the interview, the supervisor learns that an employee \nhas a chronic or disabling condition which may qualify that", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "ALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A \nCONFIDENTIAL BASIS. \nIf, during the interview, the supervisor learns that an employee \nhas a chronic or disabling condition which may qualify that \nperson for consideration as a handicapped individual, (1) you \nshould contact the Office of Equity at 617-635-9650. \n \n(1) 1A handicapped individual includes someone who has, has \nhad, or is thought of as having a physical or mental condition \nthat substantially limits a major life activity, including working. \nThe condition may be permanent or temporary.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 10 of 10 \n \nA handicapped individual is defined as any person who has a \nphysical or mental impairment which substantially limits one or \nmore major life activities, such as: caring for oneself, performing \nmanual tasks, seeing, hearing, speaking, breathing, or learning. \nThe Office of Human Resources and Office of the Legal Advisor \nare available for advice and counsel. \nWhile the managers are the central figures in managing \nattendance, the Office of Human Resources and Office of the \nLegal Advisor are prepared to provide them with the following \ntechnical support: \n1. Advise managers in their effort to change unacceptable \nabsence patterns. \n2. Provide an early referral system for health, emotional, \nalcoholic, or drug-related matters. \n3. Provide an effective mechanism for a centralized sick leave \nand vacation reporting system. \n4. Interpret policy and procedures and assist in the resolution \nof operating problems.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "content": "3. Provide an effective mechanism for a centralized sick leave \nand vacation reporting system. \n4. Interpret policy and procedures and assist in the resolution \nof operating problems. \n5. Provide advice concerning the implementation of \nprogressive disciplinary action.", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "Superintendent\u2019s \nCircular \nSchool Year 2023-2024 \nNUMBER: \nHRS-HS06 \nVersion 01 \n \n \nSUBSTITUTE TEACHERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis superintendent\u2019s circular sets forth information regarding \nthe employment and professional development of substitute \nteachers. \nUSE OF THE AUTOMATED BPS SMARTFIND EXPRESS SYSTEM \n(SUBCENTRAL) \n\u25ba All schools are required to use BPS SubCentral for substitute \nneeds. This will allow the school's central administration to \nunderstand and better manage operations. This will also \nallow OHC to monitor and accurately report fill rates as well \nas recruit for hard-to-fill vacancies. \nThe Office of Human Resources is committed to ensuring the \nactive substitute pool consists of high-quality substitute teachers. \nBPS SubCentral allows principals and heads of schools to view \nand coordinate substitute activities and view past, current, and", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "active substitute pool consists of high-quality substitute teachers. \nBPS SubCentral allows principals and heads of schools to view \nand coordinate substitute activities and view past, current, and \nfuture jobs for the school, helping them to better understand and \nmanage absenteeism. \nBPS SubCentral is available via the Internet and mobile app 24 \nhours a day, 7 days a week, from any Internet-enabled computer \nor mobile device with an Access ID and PIN. BPS SubCentral can", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 2 of 7 \n \n \nbe accessed at https://bostonps.eschoolsolutions.com, or by \ntelephone at 857- 254-1707. \nWith BPS SubCentral, schools can create and manage their own \npreferred substitute list, create absences and vacancies, and pull \nindividual reports unique to their school. Preferred substitutes \nwill be contacted first about a substitute teaching opportunity. If \nthe vacancy still exists after all a school\u2019s preferred substitutes \nhave been contacted, the SubCentral platform will then begin \ncontacting other substitutes registered within the system. Those \nsubstitutes on a particular school\u2019s \u2018Do Not Use\u2019 list will not be \ncalled, nor will they be able to view open substitute opportunities \nfor that school. \nFor more information on BPS SubCentral, please contact \nSubCentral via email at bpsSubCentral@bostonpublicschools.org. \nTYPES OF SUBSTITUTE TEACHERS \n\u25cf Degree per diem substitute teachers work day-to-day", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "SubCentral via email at bpsSubCentral@bostonpublicschools.org. \nTYPES OF SUBSTITUTE TEACHERS \n\u25cf Degree per diem substitute teachers work day-to-day \nassignments to temporarily fill positions. Those with at least \na bachelor's degree who are assigned to fill a position \nanticipated to be vacant for more than 20 consecutive \nworkdays, but less than a full year, or who serve \ncontinuously for more than 20 consecutive workdays in the \nsame assignment, are considered per diem substitute \nteachers covering a long-term assignment. \no A qualified and properly licensed long-term substitute will \nbe granted a provisional teacher contract on or before \nDecember 1st if the assignment in which they is serving \nbecomes vacant for the remainder of the school year.", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 3 of 7 \n \n \n\u25cf Non-degree per diem substitute teachers do not hold a \nbachelor's degree. The non-degree per diem substitute \nteachers work day-to-day assignments to fill positions on an \ninterim basis and may not take on long-term assignments. \n\u25cf Cluster substitute teachers are assigned to a school for a full \nyear to cover various teacher absences in the school, as \nneeded, on a daily basis. The cluster substitute positions are \ntypically created during the budget season and charged to \nthe school\u2019s budget. If schools are interested in having a \ncluster substitute for the school year, please contact your \nbudget analyst and Human Resources staffing manager. \n \nMINIMUM QUALIFICATIONS \nPer Diem Substitutes: \nAre required to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org; you must complete the course with at \nleast an 85% average and submit a Sub Diploma from the course. \nLong-term Substitutes:", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "online at www.STEDI.org; you must complete the course with at \nleast an 85% average and submit a Sub Diploma from the course. \nLong-term Substitutes: \nMust have a bachelor\u2019s degree and at least one of the following \nrequirements: \n\u25cf A Mass. Teaching License (out of state licenses will be \nconsidered with teaching experience) \n\u25cf Complete the Sub Skills Basic Training Course online at \nwww.STEDI.org; you must complete the course with at least \nan 85% average.", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 4 of 7 \n \n \n\u25cf Two years\u2019 teaching experience. You may additionally be \nasked to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org. \n\u25cf If you were successfully hired for a substitute teaching \nposition and you do not hold an initial teaching license from \nthe Massachusetts Department of Elementary and \nSecondary Education, you must take and pass the Utah \nSubstitute Assessment test with a score of 85 or above. \n\u25cf All candidates must be fingerprinted and pass a criminal \noffender (CORI) and sexual offender (SORI) records check. \nThe criminal offender/sexual offender record check \nrequirement cannot be waived. \nThe Substitute Teaching Institute (STEDI) of Utah State University \ncreated and oversees the Substitute Teacher Training Program. It \nprovides 6\u201313 hours of sub instructor training, either online or via \nCDs, and an assessment at the completion of the program. The", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "created and oversees the Substitute Teacher Training Program. It \nprovides 6\u201313 hours of sub instructor training, either online or via \nCDs, and an assessment at the completion of the program. The \ncost of the program, which will be borne by the candidate, is \n$39.95 plus shipping and includes the interactive SubInstructor \ntraining (included as a CD), a substitute teacher handbook, and \nthe online sub assessment and SubDiploma. Information for the \ncandidates is posted on the BPS website. \nSUBSTITUTE HIRING \nAll hiring for substitutes will take place through the online BPS \nCareer Center (TalentEd). Applicants must create a profile and \napply to the district-wide substitute teacher job posting through \nthe BPS Career Center (TalentEd). Applicants will be hired as a \nBPS per diem substitute teacher after review of their application \nin its entirety, submission of all required documentation, and", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 5 of 7 \n \n \nsuccessful completion and passing of a background check, which \nincludes fingerprinting and CORI/SORI checks. \nSUBSTITUTE TEACHER REQUEST & RECOMMENDATIONS \nPrincipals and heads of schools can either request or recommend \nan individual for a per diem or long-term substitute appointment \nat their specific school. To submit a per diem and long-term \nsubstitute, the school leader or hiring manager will need to \nsubmit the candidate for hire via the BPS Career Center \n(TalentEd). All school leaders and hiring managers will have \naccess to the districtwide substitute job posting. Please note: \nonce the substitute has been hired, it is the responsibility of the \nschool to post the absence and vacancy in SubCentral and assign \nit to the substitute as required. \nPROFESSIONAL DEVELOPMENT \nLong-term and cluster substitute teachers are required to \nparticipate in up to 18 hours of professional development with", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "it to the substitute as required. \nPROFESSIONAL DEVELOPMENT \nLong-term and cluster substitute teachers are required to \nparticipate in up to 18 hours of professional development with \nregular teachers. If this professional development is scheduled \nbeyond the school day, long-term and cluster substitute teachers \nare paid for this time and are compensated through stipend \npayments provided by the school. \nNew substitute teachers may also be required to attend up to \nthree days of training to prepare them to teach in the Boston \nPublic Schools. \n \nADMINISTRATIVE RESPONSIBILITY \nHeads of schools and principals are responsible for establishing \npractices and procedures that enable substitute teachers to", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 6 of 7 \n \n \nprovide students with educationally meaningful work and allow \nfor the maximum educational use of the school day. As part of \nthis responsibility, heads of schools and principals or their \ndesignees should consider providing substitute teachers with the \nfollowing items: \n\u25cf A daily plan book, lesson plan, or other academic activity for \nall classes of the absent teacher. Heads of schools and \nprincipals are responsible for ensuring that all teachers \nprepare appropriately, and continually update plan books \nand lesson plans so that the lesson taught by the substitute \nteacher is consistent with the subject matter being taught \nto the class. \n\u25cf A copy of the absent teacher\u2019s schedule, including subjects \nand levels of instruction, room assignments, administrative \nassignments, lunch, and common planning time. \n\u25cf Homeroom and class lists and seating plans. \n\u25cf A bell schedule.", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "and levels of instruction, room assignments, administrative \nassignments, lunch, and common planning time. \n\u25cf Homeroom and class lists and seating plans. \n\u25cf A bell schedule. \n\u25cf A concise statement of school policies and procedures \nregarding the taking of attendance, modes of disciplinary \nreferral, referral for illness, emergency procedures, and any \nother pertinent information a substitute teacher may need. \n\u25cf Name and location of the administrator responsible for the \nschool's substitute teachers. \n \nThese materials may be kept in the school office or distributed to \nsubstitute teachers in some other manner that is effective.", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nName: BPS SubCentral \nDepartment: Office of Human Resources \u2013 Sub Central \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP17 \nVersion 01 \n \nEMPLOYEE RESIGNATION, RETIREMENT, AND \nSEPARATION PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA resignation is a voluntary action taken by an employee who \nwishes to terminate their employment with the Boston Public \nSchools. \nRESIGNATION/SEPARATION \nAn employee shall notify their immediate supervisor regarding \ntermination of employment with Boston Public Schools. This \nnotice must be in writing, state the employee\u2019s last day of work, \nand be signed by the employee. A sample resignation letter \n(found on page 7) may be used to provide written notice. \nTo submit a resignation letter: \n1. Complete the resignation termination form by clicking on \nthe link Termination/Retirement/Resignation Notification \nForm. Complete the form and upload a signed letter of \nresignation. Please enter a personal email address on the", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "the link Termination/Retirement/Resignation Notification \nForm. Complete the form and upload a signed letter of \nresignation. Please enter a personal email address on the \nresignation/termination form to receive the final email \nnotification acknowledging your resignation from the Office \nof Human Resources.", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 2 of 7 \n \n2. The resignation form will send an email notification to your \nsupervisor. \n3. Supervisors will approve/process, and notification will then \nbe sent to the Office of Human Resources to process. \n4. An email notification finalizing the process will be emailed \nto your personal email address that you provide on the \nresignation/termination form. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please \nprovide your personal email address to receive the final \nemail notification acknowledging your resignation from the \nOffice of Human Resources. \nRETIREMENTS \n1. An employee who is planning to retire must first file an \n\u201cIntent to Retire\u201d with the City of Boston Retirement Board. \nPlease note that pursuant to Retirement Board policy, an", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "RETIREMENTS \n1. An employee who is planning to retire must first file an \n\u201cIntent to Retire\u201d with the City of Boston Retirement Board. \nPlease note that pursuant to Retirement Board policy, an \nemployee cannot file the Intent to Retire more than four (4) \nmonths prior to their intended retirement date. \n2. After you submit your signed Intent to Retire form to the \nBoston State Retirement Board, please complete the \nResignation/Retirement form by clicking on the link \nTermination/Retirement/Resignation Notification Form. \n3. Upload a signed letter resigning for the purpose of retiring \nalong with your signed Intent To Retire form that you \nsubmitted to the Retirement Board. Please enter a personal \nemail address on the retirement/resignation form to receive", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 3 of 7 \n \nan email notification acknowledging your \nretirement/resignation when finalized by the Office of \nHuman Resources. \n4. Resignation/Retirement form will send an email notification \nto your supervisor who will sign off on the notification of \nyour resignation/retirement and submit notification to the \nOffice of Human Resources to finalize the retirement \ntermination process. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please \nprovide your personal email address to receive the final \nemail notification acknowledging your \nretirement/resignation. \nFor more information on the retirement process, employees \nshould contact the Boston Retirement Board for an appointment \nby telephone at 617-635-4311 or via email at", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "retirement/resignation. \nFor more information on the retirement process, employees \nshould contact the Boston Retirement Board for an appointment \nby telephone at 617-635-4311 or via email at \nretirementboard@boston.gov. The Retirement Board is located \nat 1 City Hall Square, Room 816, Boston, MA 02201-2038. \nCANCELLATION OF RESIGNATION/RETIREMENT \nResignations and retirements may be canceled before an \nemployee\u2019s effective date of termination. A signed letter must be \nreceived by the Office of Human Resources and Retirement \nBoard if canceling retirement prior to the close of business on the \noriginal resignation/retirement date. \nOnce the resignation effective date has passed, an employee may \nreturn to the Boston Public Schools only through the", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 4 of 7 \n \nreemployment process by applying for a position. \nEMPLOYEE SEPARATION CHECKLIST (EMPLOYEE PORTION): \nTerminating employees are advised to complete the following \nprior to exiting Boston Public Schools: \n1. Complete the resignation/retirement termination \nnotification form and upload a signed letter of resignation to \nyour school/dept or OHC over the summer months by \nclicking on the link Termination/Retirement/Resignation \nNotification Form. See sample resignation letter on page 4 \nof this circular. \n2. Please return any Boston Public Schools property that you \nstill have in your possession, e.g., keys, cell phone, laptop, \netc., on or before your last day of employment. For keys and \nschool building materials, please contact your school leader \nto arrange to return those items. \n3. L4L Laptop (Laptops for Learning), please call the OIIT \nService Desk, 617-635-9200 to schedule an appointment to", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "to arrange to return those items. \n3. L4L Laptop (Laptops for Learning), please call the OIIT \nService Desk, 617-635-9200 to schedule an appointment to \nreturn the laptop, bag, and peripherals. \n4. Enter all Absence Requests on Employee Self Service (ESS). \n5. Cancel any meetings or out of district activities that are \nscheduled prior to the last day of employment and work \nwith your supervisor to achieve a smooth transfer of duties. \n6. Update your home address for future correspondence (i.e., \nfinal paycheck, W2, benefit information, severance etc.); \nremove mailing address if home address is same as mailing \naddress. \n7. Remove all personal files from district servers and", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 5 of 7 \n \ncomputers. \n8. Inform your supervisor of the location of job-related files and \nmake those files accessible to the supervisor. \nEMPLOYEE SEPARATION CHECKLIST (SUPERVISOR PORTION): \nAn employee\u2019s supervisor is responsible for collecting the \nfollowing applicable items and/or addressing the following \nissues: \n1. Have the employee enter the resignation/retirement letter \non the electronic termination form at this link \nTermination/Retirement/Resignation Notification Form, or \nyou or your secretary can complete the form and upload the \nemployee\u2019s signed letter of resignation on the employee\u2019s \nbehalf. A sample letter is located on page 4 of this circular. \n2. Process all absences on Employee Self Service in a timely \nmanner. \n3. Obtain the following items (all that apply): \na. Keys (office, building, cabinet, desk, vehicles, other). \nb. Badge/ID (office, building, other). \nc. Department issued equipment (computers, laptops", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "a. Keys (office, building, cabinet, desk, vehicles, other). \nb. Badge/ID (office, building, other). \nc. Department issued equipment (computers, laptops \n(except L4L laptops), printers, modems, etc.) See above \nfor L4L laptop returns to OIIT. \nd. Cell phone and accessories, pager, radios. \ne. Department issued uniforms. \nf. Department issued property.", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 6 of 7 \n \nBENEFITS \nAn employee may be eligible to continue to purchase certain \nbenefits after they leave. Upon loss of coverage for an employee \nand/or their eligible dependent(s), a COBRA notification packet \nwill be mailed to the employee and/or their eligible dependent(s). \nThe law requires that this packet be sent by mail to the last \nknown address of the employee and/or the employee's eligible \ndependent(s). For additional information on COBRA, see COBRA \nQuestions and Answers. \nPlease contact the City of Boston Health Benefits Office at 617-\n635-4570 for further information. \nThe Office of Human Resources provides this FAQ Retirements, \nResigning, Non-Renewal, Lay Off. \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Owner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 7 of 7 \n \nSAMPLE EMPLOYEE RESIGNATION LETTER \nEmployee Name: \nEmployee Address: \nDate: \n \nDear (Principal/Head of School/Supervisor), \nThis letter is to inform you that I will be resigning from my \nposition as [name of position] at [name of school or department] \neffective [date]. \nOptional: May include reasons for resigning in the body of the \nform. \nI certify that this resignation is executed by me voluntarily and of \nmy own free will. \n \nEmployee Name: \nEmployee Signature: \nDate:", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-HS07 \nVersion 01 \n \n \nSTAFFING, REASSIGNMENT AND HIRING OF \nPERMANENT AND PROVISIONAL TEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular outlines important dates and procedures regarding \nthe staffing of schools for the 2023-2024 school year. Reflected in \nthis circular are policies from the BPS-BTU Collective Bargaining \nAgreement, as well as information regarding the accelerated \nhiring timeline and hiring autonomy framework designed to \nenable all BPS schools to attract and hire the most diverse, \nqualified, and effective teachers as early as possible. \nBoston Public Schools and our school leaders are committed to \nbuilding excellent schools that prepare our students to compete \nand succeed in the 21st century. To cultivate world-class, global \ncitizens, we commit to recruiting, retaining, and promoting a \ndiverse, highly qualified, and effective workforce.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "and succeed in the 21st century. To cultivate world-class, global \ncitizens, we commit to recruiting, retaining, and promoting a \ndiverse, highly qualified, and effective workforce. \nAs an urban district with an increasingly diverse student body, it \nis also imperative that schools fully comply with the Final \nJudgment of the Federal Court dated July 1994 that requires \ndistrict and examination schools to employ a minimum of 25% \nBlack teachers and staff and 10% other minority teachers.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 2 of 27 \n \n \nIn addition, one of our continuous hiring goals is to increase our \nnumber of bilingual teachers and staff to support our English \nLanguage Learner populations. We urge school leaders to take \nevery possible step to help each school, and the district as a \nwhole, to meet these mandates and goals. \nCONTENTS: links below jump to the section named. \nI. Determination of School Staffing Needs \nII. Posting of Teaching Positions \nIII. Excessing \nIV. Staffing of Provisional Teachers \nV. Leaves of Absence \nVI. Hiring of International Teachers \n \nAttachments: \nATTACHMENT 1: Application for Voluntary Excessing for Teachers \nand Paraprofessionals \nATTACHMENT 2: Application for Additional Program Areas (APA) \nATTACHMENT 3: Application Process for Job Sharing \nATTACHMENT 4: SY 2023-24 Staffing Calendar", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 3 of 27 \n \n \nI. DETERMINATION OF SCHOOL STAFFING NEEDS \nTimeframe: November to February \nEvery fall, schools develop budget and staffing plans for the \nfollowing year based on each school\u2019s projected enrollment. \nOnce a school\u2019s estimated budget is established, the process \nknown as Probable Organization (\u201cProbable Org\u201d) begins, in \nwhich schools, together with representatives from the Office of \nHuman Resources, identify their staffing plans for the upcoming \nschool year. \nSeveral components make up the Probable Organization process: \nANNUAL BUDGET COLLABORATIVE AND PROBABLE \nORGANIZATION PROCESS \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \nFinance Office sends schools \ntheir enrollment projections for \nthe following year \nReview projections \nand report back to \nFinance and school \nsuperintendent if \ndiscrepancies exist \nMid-to-late \nNovember \nFinance Office calculates each \nschool\u2019s budget based on", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Review projections \nand report back to \nFinance and school \nsuperintendent if \ndiscrepancies exist \nMid-to-late \nNovember \nFinance Office calculates each \nschool\u2019s budget based on \nWeighted Student Funding \n(WSF), in which specific student \ncharacteristics (e.g., special \nneeds, early childhood, etc.) are \nassigned weights that \ndetermine school funding above \nReview budget and \ncomplete \nFutureForce Version \n1, in consultation \nwith Budget, OHC, \nOEL, and Special \nEducation, as \nneeded \nDecember", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 4 of 27 \n \n \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \nthe school\u2019s foundation amount \nplus base per-pupil amounts. \nBudget Collaboratives: \nrepresentatives of Budget, OHC, \nOEL, Special Education, \nPlanning & Analysis, school \nsuperintendents and school \nleaders meet to map the school \nstructure for the following \nschool year in FutureForce \nVersion 2, including discussion \nof position reductions and \nadditions to ensure \nprogrammatic, enrollment, or \nbudget changes meet projected \nstudent needs \nEnsure all formative \nassessments are \nentered into \nTeachPoint for all \neducators on plans \nof one-year or less \nby January 15. This is \na contractual \ndeadline for all \nschools. \nEarly-mid \nJanuary \n\u2022 Office of Human Resources \nprepares staffing-related \ndata reports for schools, \nincluding relevant personnel \ninformation including: \n\u2022 Leaves of absence for SY \n2023-24 and SY 2024-25 \n\u2022 Licensure and Sheltered", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "prepares staffing-related \ndata reports for schools, \nincluding relevant personnel \ninformation including: \n\u2022 Leaves of absence for SY \n2023-24 and SY 2024-25 \n\u2022 Licensure and Sheltered \nEnglish Immersion (SEI) \nendorsement \nReview staffing-\nrelated data and \nbegin planning for \nimplications of \npersonnel changes. \nDetermine which \nprovisional teachers \n(if any) can/will \nreceive letters of \nreasonable \nassurance. \nMid-January", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 5 of 27 \n \n \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \n\u2022 Additional program area \nrequests \n\u2022 Voluntary requests for \nreassignment \n\u2022 Reasonable \nassurance/permanency \ndecisions for provisional \nteachers \n \nProbable Organization: OHC, \nBudget, OEL, Special Education, \nschool superintendents and \nschool leaders meet to map the \nstaffing for the following school \nyear in FutureForce Version 3. \nProvide BTU \nrepresentative with \nlist of provisional \nteachers \nrecommended to \nreceive Reasonable \nAssurance \nLate \nJanuary-\nearly \nFebruary \nPosting Positions: School \nleaders, OHC, and Budget \nrepresentatives confirm \nvacancies and newly created \npositions, then post positions for \nthe upcoming staffing cycle. \nSubmit job \ndescriptions for \nvacant and newly \ncreated positions to \nOHC \nLate \nFebruary", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 6 of 27 \n \n \nII. POSTING OF TEACHING POSITIONS \nThe staffing process for the 2023-2024 school year includes a \nhiring timeline designed to facilitate attracting and hiring the \nmost diverse, qualified, and effective teachers as early as possible. \nPersonnel Subcommittee \nSchools must ensure that the Personnel Subcommittee of the \nSchool Site Council is formed and ready to begin the hiring \nprocess by March 1. Schools must submit a complete roster of \nPersonnel Subcommittee members to the Office of Family and \nStudent Engagement by the end of October. Training related to \npersonnel subcommittees are offered by the Office of Family and \nStudent Engagement, the BTU, and the Office of Human \nResources. Details about the personnel subcommittee can be \nfound in Superintendent\u2019s Circular FAM-04. \nProcess \nHiring early will ensure that schools are able to secure the most \nqualified candidates. Positions will be posted on TalentEd in early", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "found in Superintendent\u2019s Circular FAM-04. \nProcess \nHiring early will ensure that schools are able to secure the most \nqualified candidates. Positions will be posted on TalentEd in early \nMarch once Probable Org and determination of vacancies have \nbeen concluded. Teachers who wish to apply for a position \neffective the first day of school for the upcoming school year \nmust apply for postings online through TalentEd. Current BPS \nteachers may apply for any position for which they are qualified. \nApplicants who wish to be considered for inclusion in the district \npriority pool must submit their applications for the priority pool \nthrough TalentEd by March 1, 2024. Candidates for the priority \npool will undergo a competency-based phone and resume \nscreening process coordinated by the Office of Recruitment, \nCultivation, and Diversity.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 7 of 27 \n \n \nAll approved hires will become effective on the first day of work \nfor the upcoming school year. Any teacher who accepts a new \nposition is not eligible to apply for any additional teaching jobs \nfor the 2024-2025 school year. Beginning July 1, 2023, OHC will no \nlonger approve lateral hires to prevent unanticipated vacancies \nlate in the hiring season. \nHiring Approval \nThe Boston Public Schools is committed to recruiting, retaining, \nand promoting a highly qualified, culturally, and linguistically \ndiverse workforce that reflects the rich diversity of our students \nand positively impacts both academic and non-academic student \nlearning outcomes. The Office of Equity, Office of Human \nResources, and school superintendents will establish an \naccountability process to ensure that reasonable efforts have \nbeen made to hire teachers that move schools and the district \ntoward meeting our workforce diversity goals.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "accountability process to ensure that reasonable efforts have \nbeen made to hire teachers that move schools and the district \ntoward meeting our workforce diversity goals. \nCandidates hired must be qualified and meet diversity hiring \nrequirements: \n\u2022 Teachers hired must hold valid licensure for the position. \n\u2022 Teachers hired must move the school toward meeting or \nmaintaining district diversity goals. \n\u2022 School hiring teams must complete reference checks. \nHeads of school or principals and School Site Council Personnel \nSubcommittees should also be sure to interview qualified \nexcessed permanent teachers. \nQualifications for Additional Program Areas \nDeadline: January 1, 2024", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 8 of 27 \n \n \nPermanent teachers may apply for additional program area(s) to \nidentify a non-primary subject area(s) in which they are licensed. \nPermanent teachers who wish to apply for additional program \nareas must submit their request via this online form to the online \nApplication for Additional Program Areas. Supplemental \nmaterials must be submitted to the Office of Human Resources \nby mail or in person. Applications and complete documentation \nmust be submitted to the Office of Human Resources by January \n15, 2024. \nFor additional information about applying for additional program \nareas, please refer to Superintendent\u2019s Circular HRS-HS07.1, \nQualifications for Additional Program Areas. \nJob Sharing for Permanent Teachers and Paraprofessionals \n1) Eligibility: All teachers requesting participation in job-\nsharing must hold the appropriate license for the position. \n2) Process: Permanent teachers or paraprofessionals who wish", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "1) Eligibility: All teachers requesting participation in job-\nsharing must hold the appropriate license for the position. \n2) Process: Permanent teachers or paraprofessionals who wish \nto indicate their interest in job sharing should submit an \napplication via the Application for Job Sharing form by \nMonday, March 25, 2024. Each candidate must submit their \nown application. This submission of the application is an \nindication of interest only and is not binding. \nParticipation in job-sharing requires approval by the \nprincipal/head of school. The principal/head of school should \nsubmit their approval via the Job Sharing Principal Approval form \nby Monday, March 25, 2024. \nFor additional information about job sharing please refer to \nSuperintendent\u2019s Circular HRS-HS02, Job Sharing for Permanent \nTeachers and Paraprofessionals for School Year 2023-2024. The \nBoston Teachers Union also holds an informational meeting", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 9 of 27 \n \n \nevery spring. Information on the specific date and time will be \nshared in the BTU bulletin. \nIII. EXCESSING \nVoluntary and Involuntary Reassignment/Excess \nA. Voluntary Excessing \u2013 Teachers and Paraprofessionals \nDeadline: February 1, 2024 \nAll permanent teachers or paraprofessionals who meet the \nVoluntary Excessing eligibility criteria as outlined in the \nCollective Bargaining Agreement (1) including those on \nleave of absence, may voluntarily request excessing \nregardless of whether there is a reduction in the number of \npositions. Teachers and paraprofessionals who voluntarily \nexcess themselves forfeit their rights to the position they \nhave left. \nVoluntary Excessing Requirements for Teachers: \n\u25cf The teacher must hold permanent status. \n\u25cf The request must be submitted to OHC by February 1, 2024 \n(see instructions below). \n\u25cf The teacher must possess an overall rating of Proficient or", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "\u25cf The teacher must hold permanent status. \n\u25cf The request must be submitted to OHC by February 1, 2024 \n(see instructions below). \n\u25cf The teacher must possess an overall rating of Proficient or \nhigher on their most recent evaluation, which includes the \nFormative Assessment. \n \n(1) Refer to the Collective Bargaining Agreement (September 1, \n2018 \u2013 August 31, 2021) pp. 76-77 for a list of requirements for \nteachers and pp. 136 for paraprofessionals.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 10 of 27 \n \n \n\u25cf The teacher may not have voluntarily excessed themselves \nwithin the prior two years. \n \nTeachers and paraprofessionals who wish to request \nexcessing should submit their Application for Reassignment \nor complete ATTACHMENT 1, Application for Reassignment, \nand submit it to their head of school or principal as well as \nthe Office of Human Resources by February 1, 2024. The \nOffice of Human Resources will review all applications and \ninform teachers or paraprofessionals and the school of the \nresults of the request. Teachers and paraprofessionals who \ndo not meet the above criteria will not be approved for \nvoluntary excessing. Requests for voluntary excessing can \nbe rescinded up until February 9, 2024. Approved requests \nare considered binding after that date. \nB. Involuntary Reassignment/Excessing \nDeadline: All involuntarily excessed teachers and nurses will \nbe notified on or before April 15, 2024.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "are considered binding after that date. \nB. Involuntary Reassignment/Excessing \nDeadline: All involuntarily excessed teachers and nurses will \nbe notified on or before April 15, 2024. \nTo stay in a current position, permanent educators must \nhold the appropriate license(s) for the role to which they are \nassigned; otherwise, the educator will be excessed. \n \nAdditionally, it may be necessary to excess permanent \nteachers if there is a reduction in the number of teaching \npositions for the following school year, a school is identified \nfor closure, or the Massachusetts Department of Education \ndesignates it as Level 4 school. When a reduction in the \nnumber of positions occurs, involuntary excessing will be", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 11 of 27 \n \n \nfirst by volunteers in a program area, then by reverse \nseniority within a program area unless: \na. A teacher with more seniority voluntarily requests to be \nexcessed; or, \nb. The excessing of the least junior teacher would prohibit \ncompliance with U.S. District Court Order dated July \n1994. \nSchools with specific types of staffing autonomy may also \ninvoluntarily excess teachers. The school\u2019s ability to \ninvoluntarily excess teachers must be included in the \nschool\u2019s governing document. \nPlacement in Positions of Suitable Professional Capacity \nPermanent teachers who are not hired into vacant positions \nwill be assigned in a suitable professional capacity in \naccordance with the BPS/BTU contract. \nIV. STAFFING FOR PROVISIONAL TEACHERS \nA. Reasonable Assurance for Provisional Teachers \nFirst and second-year provisional teachers may be eligible to \nreceive reasonable assurance that they will continue in their", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "A. Reasonable Assurance for Provisional Teachers \nFirst and second-year provisional teachers may be eligible to \nreceive reasonable assurance that they will continue in their \ncurrent position for the following school year. Provisional \nteachers must hold a valid DESE license(s) for the position in \nwhich they are teaching in order for a Letter of Reasonable \nAssurance to be granted. No exceptions will be made. \nIn addition to budgetary and licensure concerns, a teacher\u2019s \nperformance, as measured through the Massachusetts \nRegulations on Evaluation of Educators (603 CMR 35.00), is a \nmajor factor in determining whether a provisional teacher \nreceives a Letter of Reasonable Assurance. Principals and", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 12 of 27 \n \n \nheads of school will be held accountable for ensuring that all \nprovisional teachers receive a Formative Assessment, which \nincludes an overall rating, by February 1, 2024. Provisional \nteachers who have not been evaluated will not be eligible to \nreceive a Letter of Reasonable Assurance. \nDuring Probable Organization, school leaders will work with \nOHC to identify all provisional teachers who are eligible to \nreceive reasonable assurance, listing them in their Probable \nOrganization template. OHC will send letters of Reasonable \nAssurance by April 15 to provisional teachers. \nRequests for permanent appointment for current \nProvisional 1 and Provisional 2 teachers will not be granted. \nSee section IV.A below for information regarding Provisional \n3 teachers and the awarding of permanent status. \nB. Permanent Appointment of Provisional Teachers \nEligibility \nThe Massachusetts Regulations on Evaluation of Educators", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "3 teachers and the awarding of permanent status. \nB. Permanent Appointment of Provisional Teachers \nEligibility \nThe Massachusetts Regulations on Evaluation of Educators \nstipulate that achievement of Professional Teaching Status \n(being made a permanent teacher in BPS) is dependent \nupon receiving a rating of Proficient or above on all four of \nthe Standards of Effective Teaching Practice, as well as an \noverall rating of Proficient or Exemplary. See below for \nadditional criteria required for permanent status.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 13 of 27 \n \n \nA school leader may recommend an educator (2) for \npermanent appointment (3) if they meet all the following \ncriteria: \n\u25cf The teacher is provisional, and in their third year at BPS. \n\u25cf The teacher received a rating of Proficient or Exemplary \noverall and on all four Standards of Effective Teaching on \na Formative Assessment, released by February 1, 2024. \n\u25cf The teacher will remain in the same position in their \ncurrent school for the 2023-24 school year. \n\u25cf The teacher holds a valid DESE license(s) for the content \narea in which they are teaching. \n\u25cf The teacher holds either an ESL license or SEI \nEndorsement (Core content teachers of ELLs as required \nby DESE) or a Bilingual Educator Endorsement (BEE), \nshould the BEE be requirement by their position. \nPlease note: While the head of school or principal may \nrecommend a Provisional 3 teacher for permanent status \nbased upon fulfillment of the criteria above, the teacher may", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Please note: While the head of school or principal may \nrecommend a Provisional 3 teacher for permanent status \nbased upon fulfillment of the criteria above, the teacher may \nnot be granted permanent status until a Summative \n \n(2) Educators considered teachers and eligible for Professional \nTeacher Status as defined by M.G.L. c.71 \u00a7 41 include teachers, \nschool librarians, school adjustment counselors, school nurses, \nschool social workers, or school psychologists. \n(3) A school leader may make the recommendation for \npermanent appointment when the educator is still in their third \nyear to take effect on the first day of their fourth year.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 14 of 27 \n \n \nEvaluation is released which indicates Proficient or \nExemplary practice overall in all four standards. \nIf a Provisional 3 teacher does not achieve a rating of \nProficient or Exemplary overall on all four standards on their \nFormative Assessment, they may be required to take a one-\nyear break in service. During the break in service, the \nteacher would not be eligible for employment as a teacher \nor substitute within Boston Public Schools. After the year-\nlong break in service, the teacher would once again be \neligible for vacant teaching positions, and, if hired, would \nreturn to Provisional 1 status. \nProcess \nTo recommend a Provisional 3 teacher for Permanent \nAppointment during Probable Organization, the head of \nschool or principal must take the following steps: \n1) Release the teacher\u2019s Formative Assessment by January \n12, 2024 \n2) Identify the position that the teacher will hold for the \n2023-24 school year", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "1) Release the teacher\u2019s Formative Assessment by January \n12, 2024 \n2) Identify the position that the teacher will hold for the \n2023-24 school year \n3) Record the recommendation for Permanent \nAppointment on the Provisional Review Process page in \nFutureForce Version 2 \n \nIf, upon the principal or head of school\u2019s release of the end-\nof-year Summative Evaluation, the provisional teacher has \nsuccessfully demonstrated effective teaching practice(s) by \nachieving a rating of Proficient or Exemplary overall and on", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 15 of 27 \n \n \nall four standards of effective teaching, they will become \npermanent as of September 2023. \nV. LEAVES OF ABSENCE \nA. Planning to Take a Leave of Absence in 2024-2025 \nDeadline: January 15, 2024 \nPermanent teachers who are not currently on leave but \nare planning to take a Leave of Absence during the 2024-\n2025 school year (e.g., personal reasons, education), must \nsubmit a leave application by January 15, 2024. \nEmployees must submit a request for leave electronically \nvia Employee Self-Service. Employees should submit \napplications even if they have not officially been accepted \nfor a job and educational program but are in the \napplication process. If a teacher is not accepted into a \ngraduate program or job, the leave request can be \nrescinded, so long as the Office of Human Resources is \nnotified by April 1. \nFor further information regarding leaves of absences, \nincluding how to apply, please refer to Superintendent\u2019s", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "rescinded, so long as the Office of Human Resources is \nnotified by April 1. \nFor further information regarding leaves of absences, \nincluding how to apply, please refer to Superintendent\u2019s \nCircular HRS-HS-PP13.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 16 of 27 \n \n \nB. Currently on a Leave of Absence \nDeadline: January 15, 2024 \nIn November 2023, teachers currently on non-medical leave \nwill be sent a letter informing them about the expiration of \ntheir leave. The teacher must submit the response form that \naccompanies the letter to the Office of Human Resources, \nstating their request to extend their leave/intent to remain \non their leave or return from leave by January 15, 2024. If the \nteacher does not respond by the deadline, they will forfeit \nrights to their position. \nThe leave letters are sent to the address listed on the Hub. \nEmployees are responsible for ensuring that this address is \ncorrect. For further information regarding leaves of \nabsences, please refer to Superintendent\u2019s Circular HRS-\nPP13, Absence and Leave Policy. \nVI. HIRING OF INTERNATIONAL TEACHERS \nInternational teachers are not legally permitted to work or", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "absences, please refer to Superintendent\u2019s Circular HRS-\nPP13, Absence and Leave Policy. \nVI. HIRING OF INTERNATIONAL TEACHERS \nInternational teachers are not legally permitted to work or \nto be paid without proof of official United States Citizenship \n& Immigration Services (USCIS) work authorization. Heads of \nschool, principals, or RC managers should make it a \ncommon practice to inquire about the work authorization \nstatus of all their potential new hires.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 17 of 27 \n \n \nFor more information about this circular, contact: \nOwner: Chief Human Resources Officer \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Ave. Roxbury, MA 02119 \nPhone: 617-635-9600 \nEmail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 18 of 27 \n \n \nATTACHMENT 1 \nAPPLICATION FOR REASSIGNMENT FOR TEACHERS AND \nPARAPROFESSIONALS \n \nSCHOOL: ________________________________________________________ \nLast Name__________________ First Name_______________Initial _____ \nMaiden Name [if any} _____________________________________________ \nEmployee I.D. # __________________________________________________ \nSELECT ONE: \uf06f Permanent Teacher \uf06f Paraprofessional \n \nTHIS SECTION TO BE COMPLETED BY PERMANENT TEACHERS \nONLY: \nI am requesting reassignment for the coming 2023-2024 \nacademic year, because (please check one) \n\uf06f I am a permanent teacher. \n\uf06f I am a permanent school nurse. \n\uf06f I am a permanent student support services coordinator \n(COSESS). \n\uf06f I am a paraprofessional. \n\uf06f There is a reduction in my program area. My program area \nis_________________________and my seniority date is __________ .", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 19 of 27 \n \n \nI understand that with this declaration this decision cannot be \nrescinded after February 14, 2024, and that I will be reassigned in \nthe coming school year in accordance with the provisions of the \nBoston Teachers Union Contract. \n \n______________________________________________ ___________________ \n Signature Date \nPLEASE RETURN THIS FORM TO YOUR HEAD OF SCHOOL OR \nPRINCIPAL AND OFFICE OF HUMAN RESOURCES. \nHEADS OF SCHOOL, PRINCIPALS, AND OTHER ADMINISTRATIVE \nHEADS MUST FORWARD THIS APPLICATION TO THE OFFICE OF \nHUMAN RESOURCES NO LATER THAN FEBRUARY 1, 2024. \nPlease mail, fax, or email this form to: \nName: School and Central Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-9326 \nEmail: ohc@bostonpublicschools.org \n \nFor additional questions, please submit an HR Inquiry Ticket via", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Phone: 617-635-9600 \nFax: 617-635-9326 \nEmail: ohc@bostonpublicschools.org \n \nFor additional questions, please submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access Boston. \nAn electronic version of this form can be found at: \nhttp://www.bostonpublicschools.org/Page/1019", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 20 of 27 \n \n \nATTACHMENT 2: \nAPPLICATION FOR ADDITIONAL PROGRAM AREAS (APA) \n2023-2024 ONLINE FORMS \n \nThe Office of Human Resources has transitioned to using online \nforms. The Application for Additional Program Areas can now be \nfound at the link below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. Supplemental materials such as transcripts can be \nsubmitted via mail or in person to the Office of Human \nResources. \nLink to Apply: \n\u2022 Click Here for Additional Program Area Application \n\u2022 Or copy this URL: http://goo.gl/forms/JqftW4IOx1 \nSupplemental Documentation \nApplication approval is contingent on submission of one of the \nfollowing documents: \n\u2022 Official transcript(s) indicating the completion of fifteen (15) \ngraduate or undergraduate course credits relevant to the \nprogram area qualification \nOR \n\u25cf A signed letter from the head of school or principal,", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "graduate or undergraduate course credits relevant to the \nprogram area qualification \nOR \n\u25cf A signed letter from the head of school or principal, \nconfirming the following information: \no The subject area you taught (relevant to your \napplication)", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 21 of 27 \n \n \no The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \no Confirmation that you taught at least 50% of the \nweekly schedule in that area. \nPlease fill out the application form and submit supplemental \ndocuments to the contact listed below by January 12, 2024. \n \nFor more information about this circular, please contact: \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9240 \nEmail: fcanty@bostonpublicschools.org", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 22 of 27 \n \n \nATTACHMENT 3: \nAPPLICATION FOR JOB SHARING \nTo Indicate Interest in Job Sharing \nPermanent teachers or paraprofessionals who wish to \nindicate their interest in job sharing should submit a request \nusing the online form shown below. The submission of an \napplication only serves an indication of interest and is not \nbinding. The job sharing application and principal/head of \nschool approval forms must be submitted via the online \nform no later than 5:00 p.m. Monday March 25, 2024. \nOnline Forms \nThe Office of Human Resources now accepts job sharing \napplications online. Candidate applications for job share as \nwell as principal/head of school approval can be submitted \nthrough the links below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. These links will also be made available through \nBTU and Paraprofessional representatives, the Boston", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "required to sign in with their Boston Public Schools Gmail \naccount. These links will also be made available through \nBTU and Paraprofessional representatives, the Boston \nPublic Schools website, and the Superintendent\u2019s Bulletin. \nClick Here for Job Sharing Request\u2014Applicant Form \nEach applicant interested in job sharing must submit their \nown form. Principals must submit the form below for \napproval. \nClick Here for Job Sharing Request\u2014Principal Approval Form \nPrincipals/heads of school must submit this form to approve \na job share request.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 23 of 27 \n \n \nFor more information about job sharing, please see \nSuperintendent\u2019s Circular HRS-HS02, or contact: \nOwner: Director of School-Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury MA, 02119 \nPhone: 617-635-9240 \nEmail: ohr@bostonpublicschools.org \n \n \n \n \n \n \n \n \n \n \n \n \n \nATTACHMENT 4: \nSTAFFING CALENDAR", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 24 of 27 \n \n \nDecember 2023 \nDecember 18 Deadline for teachers to submit Leave of Absence \nintent letters to OHC \nJanuary 2024 \nJanuary 10 \u2013 February 4 Budget Collaborative and Probable \nOrganization meetings \nJanuary 15 Deadline for: \nPermanent teachers to request Personal Reasons, \nor Educational Leaves, to commence at the \nbeginning of the next teacher work year \nPermanent teachers on approved year-long leaves \nto return November letter indicating intent to \nreturn at the start of next teacher work year or \nrequest an extension \n Teachers to submit Alternate Program Area \nrequests to OHC \nJanuary 17 Deadline for teachers to submit application for \nEarly Notification Incentive of Termination to \nreceive $1,500 \nDeadline for submission of Formative Assessments \nfor all educators on 1-year plans \n \nFebruary 2024 \nFebruary 1 (contractual deadlines) \nDeadline for teachers or paraprofessionals to \nsubmit reassignment requests (Voluntary Excess)", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 25 of 27 \n \n \n Deadline to notify permanent teachers of excess in \nLevel 4, Innovation and Pilot Schools (Involuntary \nExcess) \n Deadline to notify paraprofessionals of excess in \nLevel 5 Schools (Involuntary Excess) \nFebruary 11 Deadline for teachers or paraprofessionals to \nrescind reassignment requests (Voluntary Excess) \nMarch 2024 \nBeginning \nMarch 1 Teacher positions posted \nMarch 18 OHC sends excess and layoff notices to \nparaprofessionals (tentative) \nMarch 25 Deadline for job share applications \nApril 2024 \nApril 1 - April 15 Paraprofessional transfer process (tentative) \nApril 15 (contractual deadline) Deadline to OHC to \nnotify all Permanent teachers of excess \n deadline to notify Provisional teachers of \nreasonable assurance \nApril 27 Excess notification to Guild members (tentative) \nMay 2024 \nMay 6 Deadline for recommended paraprofessional \ntransfer applicant decisions to TalentEd (tentative)", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "reasonable assurance \nApril 27 Excess notification to Guild members (tentative) \nMay 2024 \nMay 6 Deadline for recommended paraprofessional \ntransfer applicant decisions to TalentEd (tentative) \nMay 9 OHC sends assignment letters for paraprofessional \ntransfers (tentative)", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 26 of 27 \n \n \n Paraprofessional Excess Pool participant and \nposition lists available \nMay 15 (contractual deadline) All evaluations due for \nlicensed educators on 1-year plans \n Guild Layoff notices issued \nMay 19 Paraprofessional excess pool (tentative) \nJune 2024 \nJune 1 (contractual deadline) Deadline for OHC to notify \nPermanent teachers, BASAS, and managerial of \nlayoff \nJune 3 Deadline for principals to submit paraprofessional \nexcess pool rankings to OHC \nJune 6 OHC finalizes paraprofessional excess pool \nassignments (tentative) \nJune 13 Guild Excess Pool (tentative) \nJune 15 (contractual deadline) Deadline for OHC to notify \nProvisional teachers of non-renewal \nJuly 2024 \nJuly 1 Deadline for the approval of internal lateral \ntransfers (hires). \nAugust 2024 \nAugust 15 OHC sends initial Suitable Professional Capacity \nassignment letters to Permanent teachers without \npositions (tentative)", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 27 of 27 \n \n \nPlease Note: Dates not subject to contractual requirements may \nchange.", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP19 \nVersion 01 \n \n \n \nPERFORMANCE-RELATED DISMISSAL PROCESS \nFOR TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIn the event the performance evaluation of a teacher results in a \nrecommendation for dismissal by a Principal or Head of School, \nthe following procedures will be followed: (1) the Superintendent \nshall review all processed recommendations for dismissal and (2) \nif the Superintendent approves the recommendation to dismiss \nthe teacher, the Principal or Head of School may institute \ndismissal proceedings set forth in M.G.L. c. 71, section 42. \nNote: A teacher may be removed from the classroom, dismissed, \nor suspended for just cause prior to the completion of the \nevaluation-related process specified in this Circular. \nTERMINATION REQUIREMENTS \nThe minimum requirements to proceed with a teacher \ntermination can be met in one of two ways, both in cases where", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "content": "evaluation-related process specified in this Circular. \nTERMINATION REQUIREMENTS \nThe minimum requirements to proceed with a teacher \ntermination can be met in one of two ways, both in cases where \nthe teacher was placed on an Improvement Plan: \nIf the Evaluator determines that the Educator is not making \nsubstantial progress toward proficiency, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed.", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \nIf the evaluator determines that the Educator\u2019s practice \nremains at the level of unsatisfactory, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed. \n \nCopies of the following information will be submitted to the \nSuperintendent via the Office of Labor Relations in order to move \nforward with a recommendation for termination: \n1. All less-than-proficient performance evaluations you are \nrelying on for potential termination. \n2. All other performance evaluations within the last two years. \n3. All written feedback to the teacher following an observation \nin which you saw a need for improvement. \n4. All correspondence regarding pre-evaluation and post-\nevaluation meetings. \n5. All written notes from pre-evaluation or post-evaluation \nmeetings. \n6. A log documenting all artifacts (e.g., syllabus, lesson plan, \nevidence of planning, etc.) submitted to you by the teacher.", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "content": "5. All written notes from pre-evaluation or post-evaluation \nmeetings. \n6. A log documenting all artifacts (e.g., syllabus, lesson plan, \nevidence of planning, etc.) submitted to you by the teacher. \n7. All notes and correspondence from the teacher concerning \nevaluations, classroom observations, and other matters \nrelating to their performance. \n8. Correspondence from teachers, parents, or other individuals \nregarding a teacher\u2019s performance, complimentary or \ncritical. \n9. Attendance and tardiness records and correspondence if \nattendance and/or tardiness is an issue or if the teacher\u2019s \nabsences have affected contractually required timelines.", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \n10. A log documenting any allegations of discrimination brought \nby the teacher to the BPS Office of Equity or the \nMassachusetts Commission Against Discrimination (MCAD), \ne.g., race, age, gender, disability. \n11. All documentation about any disciplinary action taken \nagainst the teacher, only if relevant to performance issues. \n12. A draft letter from the principal notifying the teacher of BPS\u2019 \nintent to dismiss based on unsatisfactory performance. \n \nSteps of the termination procedure: \n1. The principal/head of school recommends to the \nSuperintendent that a teacher be terminated. \n2. If the Superintendent approves the recommendation, the \nteacher receives a letter from the principal/head of school \nnotifying them of BPS\u2019 intent to dismiss. \n3. The teacher has 10 school days after receiving the notice \nof intent to dismiss to meet with the principal/head of \nschool to review the decision.", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "content": "notifying them of BPS\u2019 intent to dismiss. \n3. The teacher has 10 school days after receiving the notice \nof intent to dismiss to meet with the principal/head of \nschool to review the decision. \n4. After the meeting, if the termination decision remains \nunchanged, the principal/head of school sends the \nteacher a letter communicating the termination decision. \n5. The teacher with professional teacher status may seek \nreview of the termination decision within 30 days by filing \na petition for arbitration with the Commissioner of \nEducation. \n \n \nFor more information about this circular, contact:", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \nOwner: Director of Labor Relations \nDepartment: Office of Labor Relations \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-1576 \nFax: 617-635-7959 \nE-mail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP01 \nVersion 01 \n \nCONTRACTUAL BENEFITS: CAREER AWARDS, SALARY \nLANES, SALARY STEPS, ACADEMIC LADDER CREDITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools offer numerous contractual benefits such \nas career awards and salary lane increases based on the \ncompletion of accredited coursework, degrees, academic ladder \ncredits, and continuing education units. To receive these benefits, \nemployees must submit the appropriate documentation \n(described below) to the Office of Human Capital. Once their \ndocumentation is submitted, employees will receive confirmation \nvia email, within 4 to 6 weeks, except during peak seasons. \n1. CAREER AWARDS \nCareer awards are issued monthly by anniversary date, based on \na monthly reporting cycle in the Office of Human Capital, and \nvary by union affiliation. PS03s are no longer needed to initiate", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Career awards are issued monthly by anniversary date, based on \na monthly reporting cycle in the Office of Human Capital, and \nvary by union affiliation. PS03s are no longer needed to initiate \nthis process, except for BASAS members, who are required to \nsubmit a request via PS03. If an award is not received, the \nemployee should then submit a PS03 to the Office of Human \nCapital to address the issue: \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \ncareer award block and specify the career award requested. \n\u2022 Indicate initial date of employment. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 2 of 12 \n \nCareer awards are effective on an employee's anniversary date. \nEmployees will see their career award reflected within 2-3 pay \nperiods. Denied applicants will receive an email from the Office of \nHuman Capital (to the employee\u2019s bostonpublicschools.org email \naddress) providing the reason for the denial. \nParaprofessionals: Career awards are awarded by the number of \nworking days completed, not (wholly) by academic year \ncompleted. The schedule of awards is as follows: \nStep Length of Service \n2 3 Years \n3 6 Years \n4 9 Years \n5 12 Years \nCareer Award 1,800 Paraprofessional Seniority Days \nCareer Award 2,800 Paraprofessional Seniority Days \nCareer Award 3,800 Paraprofessional Seniority Days \nCareer Award 4,800 Paraprofessional Seniority Days \nCareer Award 5,800 Paraprofessional Seniority Days \n \nBTU: Career Awards are awarded at the completion of the \nthreshold year, for the start of the next academic year.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Career Award 5,800 Paraprofessional Seniority Days \n \nBTU: Career Awards are awarded at the completion of the \nthreshold year, for the start of the next academic year. \nAll other collective bargaining units: Career awards are awarded \non an employee\u2019s anniversary date based on a monthly reporting \ncycle. \n2. SALARY LANES \nEmployees who qualify by contract for a change in salary lane as", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 3 of 12 \n \na result of the completion of accredited course work and degrees \nmust submit a PS-03 to receive this benefit. Lane changes are \nnot made automatically. \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \nsalary lane block and specify the salary lane requested. \n\u2022 Attach official original transcripts documenting accredited \ncourses and/or degree completion. Transcripts for \naccredited graduate coursework must include a passing \ngrade and/or a degree conferred date for acceptance. \nElectronic transcripts must be sent directly from the \ninstitution to EmployeeServices@BostonPublicSchools.org. \nBoston Public Schools In-Service and Academic Ladder \ncertificate(s) must be printed. An In-service/Academic \nLadder transcript summary is not acceptable. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \n\u27a2 Employees should only submit credits/degrees when \napplying for salary lane advancement; employees", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \n\u27a2 Employees should only submit credits/degrees when \napplying for salary lane advancement; employees \nshould not submit single or multiple credits below the \nthreshold for lane advancement. \nApproved applicants can expect to see a change in their salary \nwithin 3-4 pay periods following submission of a salary lane \napplication. Denied applicants will receive an email from the \nOffice of Human Capital (to the employee\u2019s \nbostonpublicschools.org email address) providing the reason for \nthe denial. Please note that this process will take longer in the \nsummer months (June \u2013 September). \nSalary lane changes will be processed retroactively to September \n1 if the application is received in the Office of Human Capital by \nthe close of business on September 30. Otherwise, the change \nwill be effective on the first day of the month following complete", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 4 of 12 \n \nsubmission of all documentation during the school year. \nSubmissions after May 31 will be effective for the start of the \nfollowing school year. \nNote: Boston Public Schools reserves the right to approve salary \nlane advancement for only those courses that are related to the \nfield of education or enhance advancement up the educational \ncareer ladder. Requests for pre-approval of any courses shall be \nresponded to by the Office of Human Capital promptly. Courses \nmust meet the following criteria: \nAccredited College or University Courses \n1. Courses must be granted by an accredited college or \nuniversity listed on the Accredited Institutions of Post-\nSecondary Education registry and deemed acceptable by \nthe American Council on Education. \n2. Courses must award graduate credit. If the transcript does \nnot clearly state the course is at graduate level, then the \napplicant must supply a letter from the institution verifying", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "2. Courses must award graduate credit. If the transcript does \nnot clearly state the course is at graduate level, then the \napplicant must supply a letter from the institution verifying \nthe course is offered for graduate credit. Note: for \nparaprofessionals, undergraduate credit and in-service \ncredits are acceptable for salary lane advancement, up to a \nbachelor\u2019s degree. \n3. Courses are evaluated by the semester hour only. Courses \ntaken by the quarter credit hour will be converted by the \nmetric specified by the respective institution. If a conversion \nrate is not specified, Boston Public Schools will use a .75 to \n1.0 ratio. \n4. Courses must clearly relate to the field of education in the \nBoston Public Schools.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 5 of 12 \n \nAcademic Ladder Credit \nAn Academic Ladder Credit, also known as an \u201cALC\u201d, is a new \n\u201ccredit\u201d for academic lane advancement. ALCs are equal in value \nto in-service credits, with no cap on the amount one can earn. \nEach ALC course has a clearly articulated target competency and \na range of options for demonstrating this competency through \nartifacts or reflections. ALCs require approximately 12 hours of \n\u201cseat time\u201d per credit. Credit will not be awarded until the \neducator submits a final product demonstrating successful \nimplementation of a specific instructional practice. Options for \ndemonstrating may include lesson or unit plans, videos, student \nwork analyses, reflections, or some combination of these. \nEmployees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, employees \nshould submit the actual ALC completion certificate from Vector.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Employees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, employees \nshould submit the actual ALC completion certificate from Vector. \nOnly ALCs approved by the Boston Public Schools will be \nawarded credit for salary. \nAvailable ALC courses can be found on Vector. Additionally, a list \nof frequently asked questions can be found in APPENDIX A. \nIn-Service Courses \nCourse credit may be granted for courses previously offered by \nthe Boston Public Schools. Only courses approved by the Boston \nPublic Schools will be awarded credit for salary purposes. \nEmployees should submit the actual in-service completion \ncertificate, available on Vector. The transcript summary is not \naccepted. Please note that no more than 30 in-service credits \nmay be used for lane advancement during each employee\u2019s \nlifetime career with Boston Public Schools.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 6 of 12 \n \nContinuing Education Units (CEUs) \nCEUs, also known as contact hours, are accepted at the rate of 15 \ncontact hours for 1 graduate credit, not to exceed 30 graduate \ncredits. Please note that .1 CEU is the equivalent of 1 contact hour. \nThis applies to nurses, speech and language pathologists, school \npsychologists, social workers, adjustment counselors, guidance \ncounselors, occupational and physical therapists, vision teachers, \nand lead sign language interpreters only. CEUs are only accepted \nfrom approved CEU providers. The Boston Public Schools is not \nan approved CEU provider. \nProfessional Development Points (PDPs) \nAlthough professional development points may be awarded for \nthe completion of in-service courses, they are not applicable for \nsalary lane advancement. PDPs are most used as evidence \ntoward maintaining professional licensure. \n3. SALARY STEPS \nSalary step increases are automatically awarded based on the", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "salary lane advancement. PDPs are most used as evidence \ntoward maintaining professional licensure. \n3. SALARY STEPS \nSalary step increases are automatically awarded based on the \ndate specified in the applicable collective bargaining agreement. \nAn employee who believes that they are being compensated on \nan incorrect step of the salary schedule should submit a PS-03 to \nthe Office of Human Capital, as follows:", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 7 of 12 \n \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \nsalary step block and specify the salary step requested. \n\u2022 Include a brief explanation for the request in the \u201cAdditional \nExplanation\u201d section. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \nSalary Steps as Related to Inside and Outside Service \nThere is no longer a cap on the amount of Inside Service credits \navailable for salary step adjustments/placement. Instead, the \ncredit is based on prior eligible years of service. To qualify, an \nemployee must have worked a minimum of 120 days in a \nqualifying academic year. \nA maximum of three years is awarded for an outside service \nsalary step adjustment. To qualify, an employee must provide \noriginal documentation from a previous employer, specifically \ncertifying the named employee has completed a minimum of 160 \ndays in the appropriate licensed capacity for each year.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "original documentation from a previous employer, specifically \ncertifying the named employee has completed a minimum of 160 \ndays in the appropriate licensed capacity for each year. \nIndividuals should not knowingly falsify information and should \nunderstand that applications are signed under the pains and \npenalties of perjury. \nAs salary lane and salary step advancements are contractual \nentitlements, employees should forward these PS-03 requests \ndirectly to the Office of Human Capital. No further signatures are \nnecessary.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 8 of 12 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nMay 31 Academic year deadline for salary lane changes \nto be processed effective in the same year. \nJune, July & \nAugust \nSubmissions effective for the start of the next \nschool year. \nSeptember 30 \n \nDeadline for submitting salary lane changes to \nbe processed retroactively to September 1. \n \n4. NATIONAL BOARD-CERTIFIED TEACHERS \nWhen you achieve or renew National Board Certification, please \nsubmit the official notification letter and a PS03 Form. The Office \nof Human Capital will review and verify the candidate's successful \ncompletion of board certification, inception and expiration dates \nvia the NBPTS website. The National Board differential is \neffective on the 1st of the month following an eligible \nsubmission. Recertifications will be effective on the renewal date \nas long as the request is received prior to the expiration date. If", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "effective on the 1st of the month following an eligible \nsubmission. Recertifications will be effective on the renewal date \nas long as the request is received prior to the expiration date. If \nrecertification received after the original expiration date the \nrenewal will be dated for the first of the month following receipt.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 10 of 12 \n \nAPPENDIX A \nAcademic Ladder Credits: Frequently Asked Questions \n\u2022 What is an Academic Ladder Credit (ALC), and how does it \ndiffer from an in-service credit? \nAn Academic Ladder Credit, also known as ALC, is a new \n\u201ccredit\u201d for academic lane advancement. ALCs are equal in \nvalue to in-service credits, with no cap on the amount one \ncan earn. ALCs require approximately 12 hours of \u201cseat time\u201d \nper credit, but credit is not awarded until the educator \nsubmits a final product demonstrating successful \nimplementation of a specific instructional practice. \n\u2022 What do I need to do to earn ALCs? \nALCs are earned by demonstrating competence in the \npractices learned in the course. While courses are \napproximately 12 hours of instruction (in person or online), \ncredits are not awarded simply for attendance and \nparticipation. Each ALC course will have a clearly articulated \ntarget competency and a range of options for", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "credits are not awarded simply for attendance and \nparticipation. Each ALC course will have a clearly articulated \ntarget competency and a range of options for \ndemonstrating it through artifacts or reflections. \n\u2022 What kinds of options might be available for \ndemonstrating competencies? \nEach course will be different, but options include: lesson or \nunit plans, videos, student work analyses, reflections, or \nsome combination of these. \n\u2022 Who determines whether I have demonstrated a \ncompetency? \nA team of BTU educators and central office administrators", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 11 of 12 \n \nwill review product submissions and award credits using a \nrubric made available to all course participants. Those who \ndo not earn credits on their first submission will receive \nfeedback and an opportunity to resubmit. \n\u2022 Am I eligible to take any ALC course I want? \nWhile any educator is technically able to apply for any ALC \ncourse, because earning an ALC requires demonstrating \ncompetence in a skill, it will be difficult to complete courses \nthat are not relevant to your context. OHC or APL reserves \nthe right to refuse admittance to those educators for whom \nthe content may not be relevant. \n\u2022 Is there a limit to the number of ALCs I can receive in a year \nor over my career? \nNo. ALCs are not subject to the same cap as in-service \ncredits. \n\u2022 Can you use ALCs in combination with graduate credits, \netc. towards advancement? \nYes. Employees may use combinations of graduate credits,", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "credits. \n\u2022 Can you use ALCs in combination with graduate credits, \netc. towards advancement? \nYes. Employees may use combinations of graduate credits, \nin-service credits and ALCs for lane advancement. However, \na teacher must possess a master\u2019s degree to advance to the \nmaster\u2019s lanes and must possess a doctorate degree to \nadvance to the doctorate lane. \n\u2022 How do I submit my ALC credits to the Office of Human \nCapital for credit toward lane advancement? \nEmployees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, \nemployees should submit the actual ALC completion", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 12 of 12 \n \ncertificate from TeachPoint, along with any other graduate \nor in-service credits, and a completed PS03 to the Office of \nHuman Capital (4th Floor, Bolling Building). Only ALCs \napproved by the Boston Public Schools will be awarded \ncredit for salary. \n\u2022 Are ALC courses portable outside BPS? \nNo. \n\u2022 Are non-BTU members eligible to earn ALCs? \nWhile non-BTU members may participate in ALC courses, \nonly BTU members are eligible to receive credits. \n\u2022 Are paraprofessionals eligible to receive ALCs? \nYes. Please note that because earning an ALC requires \ndemonstrating competence in a skill, it will be difficult to \ncomplete courses that are not relevant to your role or \ncontext. OHC or APL reserves the right to refuse admittance \nto those educators for whom the content may not be \nrelevant. \n\u2022 I have an idea for an ALC course. How can I make that \nhappen? \nContact the Office of Academics and Professional Learning.", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM07 \nVersion 01 \n \nPERFORMANCE EVALUATION OF CLASSROOM \nPARAPROFESSIONALS \nEMPLOYEES COVERED BY THIS CIRCULAR: \n\u25cf Coverage Paraprofessional \n\u25cf Instructional Paraprofessional \n\u25cf One-to-One Paraprofessional \n\u25cf Surround Care Paraprofessional \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be \u201cExemplary,\u201d \u201cProficient,\u201d \u201cNeeds Improvement,\u201d \nand \u201cUnsatisfactory,\u201d and shall be transmitted to \nparaprofessionals by the last business day prior to May 15 via the \nVectorEvals platform. A paraprofessional may sign the evaluation \ndigitally only if the paraprofessional does so on a BPS-issued \ncomputer. If the paraprofessional does not have access to a BPS-\nissued computer, the form must be printed from VectorEvals for", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "digitally only if the paraprofessional does so on a BPS-issued \ncomputer. If the paraprofessional does not have access to a BPS-\nissued computer, the form must be printed from VectorEvals for \ntheir signature and then uploaded as a PDF attachment to the \ndigital form. \nParaprofessionals will generally be evaluated formally every two \nyears, except as set forth in section (7) of Schedule, Meetings, and \nProcedures below. During each school year, each principal/head \nof school or their designee will identify approximately one-half of", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 2 of 8 \n \nthe staff for which that administrator is responsible for evaluating \nduring that year. The process of identifying the evaluees will be \ndetermined by the responsible administrator. An administrator \nmay also evaluate a staff member not originally identified if \nassistance, supervision, or intervention is deemed appropriate \nbased on informal observation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative. \n2. the head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department. \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nbuilding administrator or their designee shall meet with \nparaprofessionals for the purpose of explaining the", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "1. At the beginning of each school year, the responsible \nbuilding administrator or their designee shall meet with \nparaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of \nannounced and unannounced observations. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional\u2019s practice, the \nresponsible supervisor shall provide such written feedback \nto the paraprofessional before releasing the next formative \nor summative evaluation. \n2. If a paraprofessional\u2019s performance results in an overall", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 3 of 8 \n \nFormative Evaluation or Summative Evaluation rating of \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory,\u201d the evaluation \nprescription may contain a requirement that the \nparaprofessional take advantage of additional professional \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. \nFormative refers to evaluations that at a minimum are \ntwenty (20) school days apart. \nRegardless of the rating mark, within ten (10) school days \nfollowing the last observation used as the basis of the \nevaluation, the responsible building administrator (or \ndesignee) shall meet with the paraprofessional to discuss \nthe evaluation. At this meeting, the paraprofessional will be \ngiven two (2) copies of the written evaluation, signed, and \ndated by the responsible building administrator. \nThe paraprofessional shall sign and return one (1) copy to", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "given two (2) copies of the written evaluation, signed, and \ndated by the responsible building administrator. \nThe paraprofessional shall sign and return one (1) copy to \nindicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance is \ndetermined less than \u201cProficient\u201d at any point during the \nschool year shall be notified in writing and shall meet \ndirectly with the responsible building administrator. \n \n3. In any area where the responsible building administrator or \ntheir designee indicates a need for improvement, they will \nprovide the paraprofessional with a written prescription. \nThe paraprofessional may attach comments to the", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 4 of 8 \n \nprescription. \nIf the paraprofessional continues to need improvement after \nallowing adequate time to improve, the responsible \nadministrator may include a prescription in the evaluation \nthat the paraprofessional may voluntarily take the \nopportunity of additional training or in-service training to \ncorrect a deficiency. \n4. If a paraprofessional receives an \u201cUnsatisfactory\u201d on at least \nfour (4) formative evaluations within a twelve (12) month \nperiod in which the paraprofessional reported to work, or on \nat least two (2) formative evaluations plus a summative \nevaluation, the principal/head of school may initiate \ntermination by recommending to the superintendent that \nthe paraprofessional be terminated. If the superintendent \napproves the head of school\u2019s/principal\u2019s recommendation, \nthe principal/head of school shall notify the paraprofessional \nin writing of their intent to dismiss the paraprofessional. The", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "approves the head of school\u2019s/principal\u2019s recommendation, \nthe principal/head of school shall notify the paraprofessional \nin writing of their intent to dismiss the paraprofessional. The \nparaprofessional may then request a meeting with the \nprincipal/head of school to discuss their intent to dismiss. \nThis request must be made in writing within ten (10) days of \nthe paraprofessional\u2019s receipt of the intent to dismiss notice. \nOverall \u201cUnsatisfactory\u201d evaluation ratings need not occur in \nconsecutive months. \nAn overall rating of \u201cUnsatisfactory\u201d on a summative \nevaluation must be preceded by a rating of \u201cUnsatisfactory\u201d \non at least two (2) formative evaluations during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 5 of 8 \n \n5. After each of the first three (3) formative evaluation overall \n\u201cUnsatisfactory\u201d ratings that are based in whole or in part \nupon classroom performance, the responsible building \nadministrator shall conduct a follow-up evaluation. This \nevaluation shall include observation of classroom \nperformance and take place no sooner than twenty (20) \nschool days and no later than fifty (50) school days after the \nprevious \u201cUnsatisfactory\u201d evaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon grounds other than classroom performance, \nthen the responsible administrator must clearly convey the \nreasons in writing to the paraprofessional and follow \nprescribed procedures for progressive discipline. \n6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved \nand arbitrated. An employee may grieve a summative \nevaluation with an overall rating other than \u201cUnsatisfactory\u201d \nup to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance. \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 6 of 8 \n \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually by the \nlast business day prior to November 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as \u201cUnsatisfactory\u201d overall or in a \nparticular area. \nb. All paraprofessionals who are new to the building.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate Activity \nBy the last business day \nprior to November 15 \n\u25cf Evaluation of paraprofessionals who \nreceived an \u201cUnsatisfactory\u201d in their \nevaluation from the prior school year. \n\u25cf Evaluation p who are new to the school \nbuilding. \nBy the last business day \nprior to May 15 \n\u25cf Deadline to submit evaluation on \nVectorEvals platform. \nA paraprofessional may sign the \nevaluation digitally only if the \nparaprofessional does so on a BPS-\nissued computer. If the \nparaprofessional does not, the form \nmust be printed from VectorEvals for \nthem to sign and then uploaded as a \nPDF attachment to the digital form. \n\u25cf Evaluation of paraprofessionals due \nevery 2 years (except for \nparaprofessionals new to the building \nor who received an \u201cUnsatisfactory\u201d \nrating the previous school year).", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 8 of 8 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, \nMA 02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\u25ba Click to view a SAMPLE Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations.", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSPE-14 \nVersion 01 \n \n \n \nNON-IEP COUNSELING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nINTRODUCTION \nCounseling services are provided to Boston Public School \nstudents in myriad formats and modalities. Students with and \nwithout disabilities may receive counseling services within \nBoston Public Schools. Students with disabilities may have IEPs \nthat contain counseling as a related service mandating the \nfrequency and duration of counseling. Non-disabled students \nwithout IEPs may be participating in counseling sessions \nformulated as a result of a recommendation of the Student \nSupport Team in collaboration with staff from the Behavioral \nHealth Services department. As a result of partnerships with \nexternal agencies, counseling also may be provided to BPS \nstudents by mental health providers who are not BPS employees.", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Health Services department. As a result of partnerships with \nexternal agencies, counseling also may be provided to BPS \nstudents by mental health providers who are not BPS employees. \nWith this document, the Boston Public Schools seeks to ensure a \nstandard level of practice for the provision of counseling services \nso that consistent practices may be implemented in assisting \nstudents to overcome school-based issues which may be \nhindering their achievement. \nAll mental health providers must conform with the Standards for \nSchool-based Mental Health Services developed in partnership \nbetween BPS and members of the Boston School-Based", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 2 of 9 \n \n \n \nBehavioral Health Collaborative. These standards can be \nobtained on the Boston Public Schools website at \nhttps://www.bostonpublicschools.org/domain/2443. \nBACKGROUND \nThe American Psychological Association has defined counseling \nas a process to help individuals towards overcoming obstacles to \ntheir personal growth, wherever these may be encountered and \ntowards achieving development of their personal growth. \nMassachusetts Department of Mental Health states further that \nmental health counselors render professional services to \nindividuals, families, or groups. They apply principles, methods, \nand theories of counseling and psychotherapeutic techniques to \ndefine goals and develop a treatment plan of action aimed \ntowards the prevention, treatment, and resolution of mental and \nemotional dysfunction. \nThe American Counseling Association states that \u201ccounselors \nencourage client growth and development in ways that foster", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "emotional dysfunction. \nThe American Counseling Association states that \u201ccounselors \nencourage client growth and development in ways that foster \nthe client\u2019s interest and welfare; counselors avoid fostering \ndependent counseling relationships. The ACA states further that \n\u201ccounselors practice in specialty areas new to them only after \nappropriate education, training, and supervised experience. \nWhile developing new skills in specialty areas, counselors take \nsteps to ensure the competence of their work and to protect \nothers from possible harm.\u201d \nBoston Public Schools Counseling Work \nIn addition to these standard definitions and professional ethics \nof practice, all BPS and non-BPS providers should understand", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 3 of 9 \n \n \n \nand demonstrate that their counseling work should support \nteaching and learning goals and effective teaching practices. \nUltimately, the goal of counseling is to support success within the \nclassroom. \nPRIOR TO COUNSELING \n1. The Student Support Team serves as the hub of student \nservices within the school. The Student Support Team \nfacilitator should have knowledge of the referral for \ncounseling, and the recommendation for counseling should \nemerge from the Student Support Team. When necessary, \ncounseling referrals can also be made outside of the SST \nprocess. \n2. The direct service provider designated to be the counseling \nprovider should be clear about (1) the scope of the work \nrequested in counseling, (2) the reason for the referral, and \n(3) the expected outcome in counseling. If unclear regarding \nthe reason for counseling, a meeting should be scheduled \nbetween the counselor provider and the referring agent to", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "(3) the expected outcome in counseling. If unclear regarding \nthe reason for counseling, a meeting should be scheduled \nbetween the counselor provider and the referring agent to \ndiscuss these concerns. \n3. The direct service provider should counsel students \nregarding behaviors that impact teaching and learning, \nacademic achievement, and daily school functioning. \n4. Specific issues that are trauma related, i.e., physical and/or \nsexual abuse (onset being past or present), death and dying, \nand behaviors that may need psychiatric intervention and \nmay necessitate a 51A Report, should be brought to the \nattention of the principal/head of school or the designated \nadministrator and the direct service provider\u2019s supervisor. \nThese issues should be referred to the appropriate", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 4 of 9 \n \n \n \ncommunity counseling agency/mental health facility. \n5. Written consent must be obtained from the student, parent, \nor legal guardian before beginning counseling (see attached \nconsent form). If a student is receiving counseling through \nan outside provider, but in a BPS building, parent/guardian \nshould also sign the agency specific consent form. \n6. The direct service provider must outline goals and objectives \nfor the individual student (see attached form). Furthermore, \nit is recommended that the direct service provider \nformulate the goals and objectives with input from the \nparent/legal guardian. \n7. Parents/legal guardians should be informed that pertinent \ninformation regarding specific students may be discussed at \nthe Student Support Team meetings. All ethical professional \nstandards of confidentiality will be maintained regarding \nthe specific nature of the counseling sessions(s).", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "the Student Support Team meetings. All ethical professional \nstandards of confidentiality will be maintained regarding \nthe specific nature of the counseling sessions(s). \n8. All direct service providers should maintain professional, \nproper, safe, and appropriate safeguards for the student(s) \nand themselves. \nCOUNSELING PRACTICE \nAll direct service providers who are counseling students should: \n\u25cf Have a consistent counseling schedule which is \ndocumented and provided to their principal/head of school, \nsupervisor, and the needed personnel in the individual \nschools (i.e., teacher, OSS coordinator, Student Support \ncoordinator, guidance counselor, and other school \nadministrators).", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 5 of 9 \n \n \n \n\u25cf Meet in rooms that provide appropriate space and levels of \nconfidentiality. \n\u25cf Guarantee a measure of safety and protection for the \nstudent and provider, including consideration of the \ndistance between a counselor and student and leaving the \ndoor ajar at all times. \n\u25cf Not engage in any physical contact with the student(s) due \nto the possible risk of psychological harm to the student as a \nresult of the physical contact (i.e., cradling, \u201ctouch therapy,\u201d \ncaressing, massaging, and petting). This requirement of no \nphysical contact is due to the possibility of psychological \nand/or physical harm to the student as a result of such \ncontact. \n\u25cf Document each session held and keep progress notes on \neach student. Provisions should be made for sharing themes \nof concern and critical information with the parent/legal \nguardian. \n\u25cf Share specific information that relates to the student\u2019s \nacademic progress with appropriate staff.", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "of concern and critical information with the parent/legal \nguardian. \n\u25cf Share specific information that relates to the student\u2019s \nacademic progress with appropriate staff. \n\u25cf Respond to inquiries from the principal/head of school \nregarding the student\u2019s progress in counseling. \nTERMINATING COUNSELING SERVICES \nWhen counseling goals and objectives have been reached and/or \nthere have been several documented absences and/or instances \nof resistance by the student, as well as several documented \nattempts to provide counseling services, termination of \ncounseling services may be appropriate. The direct service \nprovider should:", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 6 of 9 \n \n \n \n1. Notify the student\u2019s parent or legal guardian. \n2. Notify (in writing) appropriate school personnel \n(principal/head of school, Student Support coordinator, OSS \ncoordinator, supervisor, teacher, or other school \nadministrator). \n3. Summarize progress and recommendation and follow-up as \nneeded (this could be facilitated during the Student Support \nTeam meeting, discussions within small learning \ncommunities, common planning time, and/or teacher \nparent conferences). \nSUMMARY \nDirect service providers, both BPS and non-BPS staff, are an \nintegral component of helping students reach their fullest \nacademic achievement. Lack of knowledge or misunderstanding \nof ethical and professional practice standards are not a defense \nagainst charges of unethical and/or inappropriate practice \nconduct. It is important that these practice standards are \nmaintained and adhered to for the safety of students and the", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "against charges of unethical and/or inappropriate practice \nconduct. It is important that these practice standards are \nmaintained and adhered to for the safety of students and the \ndirect service provider. These practice standards ensure a safe, \nprotected, and ethical delivery of service for both students and \nthe staff members who serve them. If it is determined that these \nguidelines have not been followed and/or that inappropriate, \nunethical and/or unprofessional conduct has occurred, Boston \nPublic Schools will take any such action as is appropriate under \nthe circumstances. Such action may range from discipline to \ntermination from employment or termination of any contract \nwith Boston Public Schools as BPS deems appropriate under the \ncircumstances.", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 7 of 9 \n \n \n \n \nFor more information about this circular, contact: \nName: Director of Social Work \nDepartment: Social Work \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-8294 \nEmail: socialwork@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 8 of 9 \n \n \n \nCONSENT FOR SCHOOL-BASED NON-IEP \nCOUNSELING SERVICES \nI, _________________________________________________________________ \n(Print Name of Parent/Legal Guardian) \nhave been provided with the reason (s) my child, \n__________________________________________________________________ \n(Print Child\u2019s Name) \nhas been recommended for school-based counseling services. \nThe reason (s) for the recommended school-based counseling \nservices are: \n \nI give consent for __________________________________________ \n(school name) to refer my child for the following school-based \ncounseling services (check all that are applied). I understand that \nthese services may be provided by a community mental health \nagency in partnership with the school. \n\u25a1 Individual Counseling \n\u25a1 Group Counseling \n \nBPS Staff Member: _______________________________________________ \n(Insert staff name) \nOutside Agency staff:", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "\u25a1 Individual Counseling \n\u25a1 Group Counseling \n \nBPS Staff Member: _______________________________________________ \n(Insert staff name) \nOutside Agency staff: \n__________________________________________________________________ \n (Insert staff name)", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "content": "Superintendent\u2019s Circular SPE-14 \nPage 9 of 9 \n \n \n \nI also give consent for the school to release my child\u2019s student \nrecord, health, and other confidential information to the school-\nbased counseling service provider and for my child to participate \nin these school-based counseling services. \nI understand that my participation in my child\u2019s school-based \ncounseling services will be appreciated and strongly encouraged. \nI have read this Consent for School-Based Counseling Services \nand understand its terms. I sign it voluntarily and with full \nknowledge of its significance. \n \n___________________________________________ __________________ \nParent/Legal Guardian Signature Date", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSPE-20 \nVersion 01 \n \n \nSPECIAL EDUCATION SCREENING PROGRAM FOR \nTHREE- AND FOUR-YEAR-OLD CHILDREN \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nMassachusetts state law mandates that each school system in the \nstate locate, identify, and provide special educational services for \nchildren ages three and four who may either have a substantial \ndisability or possibly experience challenges in a regular preschool or \nkindergarten program. \nThe Boston Public Schools will continue its ongoing screening \nprogram for three- and four-year-olds who are not attending a \nBPS school, to take place on the following dates: \nSCREENING DATES: \n\u25cf Thursday, October 17, 2024 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston \n\u25cf Thursday, March 6, 2025 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, March 26, 2025 Mario Umana Academy, East Boston", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "content": "\u25cf Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston \n\u25cf Thursday, March 6, 2025 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, March 26, 2025 Mario Umana Academy, East Boston \n\u25cf Thursday, April 17, 2025 @ CASH High School Annex, Dorchester \n \n \nThis screening is available to any child, ages three and four, who \nresides in the City of Boston. The screening program, coordinated", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "content": "Superintendent\u2019s Circular SPE-20 \nPage 2 of 3 \n \nby the Office of Special Education, includes screening in the areas \nof readiness skills and language. A parent interview is conducted \nas well. \nNotices will be available in the language of the home, when \nindicated as necessary by the family. Efforts will be made to \ndisseminate notices at community centers, day care centers, and \ncommunity preschools. \nSummary of significant dates and deadlines: \nDate Location \nThursday, October 17, 2024 CASH High School Annex, Dorchester \nWednesday, December 4, 2024 Mario Umana Academy, East Boston \nThursday, March 6, 2025 CASH High School Annex, Dorchester \nWednesday, March 26, 2025 Mario Umana Academy, East Boston \nThursday, April 17, 2025 CASH High School Annex, Dorchester", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "content": "Superintendent\u2019s Circular SPE-20 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: Assistant Director for Early Childhood \nDepartment: Office of Special Education \nMailing Address: 2300 Washington Street 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-8599 \nFax: 617-635-6834 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-07 \nVersion 01 \n \n \nHOME-SCHOOL COMPACT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThe Home-School Compact is a document that clarifies what \nschool staff and families, working in collaboration, can do to help \nchildren reach high specific academic goals in core content \nareas. At their best, compacts link family engagement to school-\nwide and grade level instructional goals and help ground the \nrelationships between teachers and families in student learning. \nAdditionally, the compact serves as a clear reminder of the \nshared responsibility of the school and home to ensure that \nchildren can learn what is required of them. It is a written \ncommitment indicating how all members of a school community \n\u2014 families, teachers, principals, students, and concerned \ncommunity members \u2014 agree to share responsibility for student \nlearning.", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "commitment indicating how all members of a school community \n\u2014 families, teachers, principals, students, and concerned \ncommunity members \u2014 agree to share responsibility for student \nlearning. \nAll schools receiving Title I funds are required to develop a \nhome-school compact annually. \nWHAT IS INCLUDED IN A HOME-SCHOOL COMPACT? \nThe compact should clearly communicate the following:", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "Superintendent\u2019s Circular FAM-07 \nPage 2 of 6 \n \n \n1. Schoolwide instructional goals in core content areas and \nculturally and linguistically sustaining practices \n2. Specific learning goals for each grade level \n3. Key instructional strategies that the school plans to employ \n4. Specific strategies for families to support student learning at \nhome \n5. How stakeholders, especially families, are involved in \ndeveloping and revising the compact. \nAdditionally, the compact provides a vehicle for clearly defining \nthe expectations and shared responsibility for educating \nstudents. \nThe compact must describe how the school and teacher agree to \nbe responsible for: \n\u25cf Providing high-quality instruction for all students \n\u25cf Creating a supportive learning environment \n\u25cf Describing how school/teacher will build student agency in \ntheir learning \n\u25cf Showing respect for students and their families \n\u25cf Communicating with families and students about student \nprogress.", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "\u25cf Describing how school/teacher will build student agency in \ntheir learning \n\u25cf Showing respect for students and their families \n\u25cf Communicating with families and students about student \nprogress. \nThe compact must describe how families agree to be responsible \nfor: \n\u25cf Supporting their children\u2019s learning in school and out of \nschool \n\u25cf Seeing that their children attend school regularly and on \ntime", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "Superintendent\u2019s Circular FAM-07 \nPage 3 of 6 \n \n \n\u25cf Participating in decisions relating to the education of their \nchild and the school \n\u25cf Communicating with teachers on a regular basis. \nThe compact must describe specific ways students agree to be \nresponsible learners with the support of their parent(s) and \nteacher(s) by: \n\u25cf Attending school regularly and on time \n\u25cf Showing respect for themselves, their school, and other \npeople \n\u25cf Believing they can and will learn \n\u25cf Trying to do their best in their work. \nThe compact must emphasize the importance of ongoing, two-\nway communication between home and school through the \nfollowing minimum requirements: \n\u25cf Annual parent-teacher conference(s) to discuss the \nrelationship between the compact agreements and the \nstudent\u2019s achievement \n\u25cf Frequent, timely progress reports to families \n\u25cf Reasonable access to school staff in a variety of ways \n\u25cf Opportunities to participate in and observe class activities.", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "student\u2019s achievement \n\u25cf Frequent, timely progress reports to families \n\u25cf Reasonable access to school staff in a variety of ways \n\u25cf Opportunities to participate in and observe class activities. \nDEVELOPING AND REVIEWING THE HOME-SCHOOL COMPACT \nThe following are key considerations for developing your home-\nschool compact: \n1. The compact must be developed by a committee consisting \nof administrators, school staff, families, students, and", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "Superintendent\u2019s Circular FAM-07 \nPage 4 of 6 \n \n \nteachers. Existing school-based family engagement action \nteams or a subcommittee of the School Site Council are \noptions for the development of this document. \n2. The process for developing a compact should be open and \ninclusive, soliciting the input and contributions of a wide \nrange of stakeholders. \n3. The compact provides an opportunity for each stakeholder \nto articulate their expectations regarding the delivery of \nteaching and learning and what they agree to be held \naccountable for regarding student achievement. \n4. The compact should be written in clear, family-friendly \nlanguage, and translated into the languages spoken at the \nschool. \n5. The compact should be written using the Racial Equity \nPlanning Tool. \n6. Once a draft of the compact has been developed, families, \nteachers, and students should be given an opportunity to \nprovide feedback and input. \n7. The final version of the document must be approved by the", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "teachers, and students should be given an opportunity to \nprovide feedback and input. \n7. The final version of the document must be approved by the \nSchool Site Council annually in the spring in preparation for \nthe upcoming school year. \n8. A final version of the compact must be submitted to the \nOffice of Family and Community Advancement by \nOctober 31, 2024.", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "Superintendent\u2019s Circular FAM-07 \nPage 5 of 6 \n \n \nUSING THE HOME-SCHOOL COMPACT \nSchools must also develop a process for utilizing the compact to \nframe the relationships between teachers and families. Examples \ninclude: \n\u25cf The compact is reviewed at the beginning of parent-teacher \nconferences to frame the conversation about student \nprogress and mutual accountability. \n\u25cf The compact is used throughout the year to frame \nconversations between teachers and families related to \nmonitoring student progress toward specific learning goals. \n\u25cf The compact is used to frame school-based workshops \ndesigned to help families understand schoolwide and \ngrade-level learning goals and how to support learning at \nhome. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe compact, if it is developed and used effectively and \nconsistently, can be used as evidence of reaching the proficiency \ntargets for the elements and indicators of Standard III in both the \nadministrator and teacher evaluation rubrics.", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "consistently, can be used as evidence of reaching the proficiency \ntargets for the elements and indicators of Standard III in both the \nadministrator and teacher evaluation rubrics. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on home-school compacts, please see: \n\u25cf ESEA Title I, Part A, Section 1118(d) \n\u25cf www.ctsschoolparentcompact.org \n\u25cf Title I Toolkit", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-07 Home-School Compact.pdf", + "content": "Superintendent\u2019s Circular FAM-07 \nPage 6 of 6 \n \n \nThe Office of Family and Community Advancement is responsible \nfor supporting schools with the development and \nimplementation of the compacts. \nIMPORTANT DATES \nDate Activity \nOctober 31 \nDeadline for submitting current year Home-School \nCompact to Office of Family and Community \nAdvancement \nMay 31 \nDeadline for School Site Council to review and \napprove the Home School Compact for the \nfollowing school year \n \nFor more information about this circular, contact: \nOwner: Director, Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-03 \nVersion 01 \n \nMIDDLE AND HIGH SCHOOL STUDENT GOVERNMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n\u201cAs we continue to work at improving the quality of education \nfor all students, it is important that the voice of students be \nheard at the local, state and national levels.\u201d \nMassachusetts Dept. of Elementary and Secondary Education \n \nEvery Boston public middle and high school (including district \nschools, exam schools, and all alternative, pilot, and in-district \ncharter schools) must have a written student engagement policy \ndocumenting opportunities for students to assume leadership \nroles within classrooms and the broader school community, in \nalignment with the 2016 BPS Opportunity and Achievement Gaps \nPolicy. As part of this policy, each high school must also have a \nfunctioning and engaged student government. Middle schools", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "alignment with the 2016 BPS Opportunity and Achievement Gaps \nPolicy. As part of this policy, each high school must also have a \nfunctioning and engaged student government. Middle schools \nare encouraged to have a student government. Student leaders \nin this body will represent their peers by serving as advisors, \nresearchers, and participants in the decision-making process at \nthe school and district level. Student government serves to \nengage students in learning about democracy and leadership. \nStudent government bodies are essential to ensuring equity in all \naspects of schooling. With faculty and administrative support, \nstudent government members should: \n\u25cf Ensure student voices are heard and incorporated in school", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "Superintendent\u2019s Circular FAM-03 \nPage 2 of 7 \n \ndecision making through the School Site Council, \n(SSC)/Governing Board, and meetings with the \nadministration. \n\u25cf Develop and grow a body of student leaders by working \nclosely with the faculty advisor(s) and the head of school. \n\u25cf Organize the student body and advocate for policies, \npractices, and opportunities that will close opportunity gaps \nat the school and district level. \nThrough student government and SSC, students can assist in \nfulfilling the school\u2019s mission and design and improve the culture \nand climate of the school. \nSTUDENT GOVERNMENT COMPOSITION \nSchools will strive to form a student government that reflects the \ndiversity of the student population in terms of race/ethnicity, \ngender, grade level, educational program (e.g., general, special, \nand bilingual education), and other factors. The number of \nparticipants should depend on the size of the school and what is", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "gender, grade level, educational program (e.g., general, special, \nand bilingual education), and other factors. The number of \nparticipants should depend on the size of the school and what is \nmanageable for the advisor. The recommendation is to have 10-15 \nstudents serve in student government. \nIt is recommended that student government members be \nconnected to other school-based groups such as the School-\nBased Wellness Council and student clubs. These positions can \nbe dual roles with other positions on Student Government or can \nbe stand alone. The faculty advisor should help students think \nabout their time and commitments and what it would mean to \ntake on dual roles in the student government. \nROLE OF THE FACULTY ADVISOR \nThe principal/head of school, with student input, should appoint", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "Superintendent\u2019s Circular FAM-03 \nPage 3 of 7 \n \none or more faculty advisors to support and oversee each student \ngovernment. The principal/head of school will include students in \nthe selection process. Student governments can be considered \nschool clubs, and as such principals/heads of school are strongly \nencouraged to pay a stipend to the faculty advisor(s). \nThe faculty advisor(s) will: \n\u25cf Facilitate youth leadership in all aspects of student \ngovernance. \n\u25cf Meet with the student government at least twice per month \nand provide support in organizing quarterly meetings each \nschool year. \n\u25cf Assist student government leaders in the development of \naction plans for the school and obtain the appropriate \napprovals before a plan is implemented. \n\u25cf Assist student government leaders in planning and \nmanaging their events/activities, supporting with logistics \nand approval. \n\u25cf Act as a liaison between the student government, School Site", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "\u25cf Assist student government leaders in planning and \nmanaging their events/activities, supporting with logistics \nand approval. \n\u25cf Act as a liaison between the student government, School Site \nCouncil/Governing Board, and the Instructional Leadership \nTeam (ILT). \n\u25cf Ensure the tracking of data and support members as they \ncomplete reporting on activities. \n\u25cf Provide the principal/head of school with regular updates on \nhow the action plans are being carried out. \n\u25cf Advise student government leaders on their leadership and \nscholar-activism. \n\u25cf Monitor and record all student work and approvals for \nproposals and dates. \n\u25cf Develop student leaders by providing or facilitating training \nand support as necessary.", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "Superintendent\u2019s Circular FAM-03 \nPage 4 of 7 \n \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nPlease refer to the Massachusetts Department of Elementary and \nSecondary Education Educator Evaluation: Appendix B: School-\nLevel Administrator Rubric. \n\u25cf Indicator III-A1. Family Engagement. \no Engages SG in activities, events, and opportunities to \ncreate a welcoming environment. \no Students contribute to the design by sharing their \nknowledge of family and culture. \no Students evaluate and problem solve with staff and \nleadership challenges/barriers to including families in the \nschool community. \n\u25cf Indicator IV-B1. Policies and Practices. \no Students participate in an activity identifying the makeup \nof the school. \no Cultural Sharing day. \no Students participate in SSC and/or other groups that \ndevelop culturally sensitive policies. \n\u25cf Indicator IV-E-1. Shared Vision Development. \no Students are part of the visioning process through focus", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "develop culturally sensitive policies. \n\u25cf Indicator IV-E-1. Shared Vision Development. \no Students are part of the visioning process through focus \ngroups, surveys, community meetings, etc. \no Students share in the developing messaging for the \nstudent body. \n\u25cf Indicator IV-F-3. Consensus Building. \no Conflict resolution. \no Restorative justice practices. \no Student involvement in SSC and decision-making body.", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "Superintendent\u2019s Circular FAM-03 \nPage 5 of 7 \n \nELECTIONS \nIt is the responsibility of every principal/head of school to ensure \nthat elections are held and the student government is \nestablished no later than October 15. The recommendation is that \nall student elections be held as one process by April 15 of the \ncurrent school year to roll out the following school year. See the \nStudent Elections Toolkit for guidance on facilitating student \nelections and all the necessary reporting forms. \nREPORTING \nOnce the student government is established, each school must \nsend the student government roster to the Office of Youth \nLeadership, which must include: \n1. Student information for all elected positions. \n2. Student information for the two (2) students who are \nelected to serve on SSC or Governing Board (these \nstudents shall also serve on the Personnel \nSubcommittee). \n3. Student information for the BSAC representative (see \nSuperintendent Circular FAM-06).", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "students shall also serve on the Personnel \nSubcommittee). \n3. Student information for the BSAC representative (see \nSuperintendent Circular FAM-06). \n4. Student information for the Greater Boston Regional \nStudent Advisory Council (GBRSAC) representatives. \nPlease note the Department of Elementary and \nSecondary Education requires secondary schools to host \ntheir student elections for GBRSAC representatives and \nthose names be submitted no later than mid-April for the \nrepresentatives serving the following school year.", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "Superintendent\u2019s Circular FAM-03 \nPage 6 of 7 \n \nMIDDLE SCHOOL LEVEL OVERVIEW \nMiddle school student governments serve the same functions as \nhigh school student governments. During middle school, \nstudents are building their self-advocacy skills to develop their \nvoices, identities, and agency in the school community. Learning \nabout leadership is a key activity for many middle school student \ngovernments. Student government members learn how to \nresearch, plan, organize, and execute programs and activities for \nmany students. The student government advisor leads student \ngovernment members in developing their leadership skills. \nPracticing Democracy: Governing democratically is a skill \nstudents learn during student government. Student government \ngives students hands-on experience in the workings of a \ndemocracy and teaches them how to work cooperatively with \nothers. Meetings should be run to promote students' working \ntogether for the common good and learning how to put", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "democracy and teaches them how to work cooperatively with \nothers. Meetings should be run to promote students' working \ntogether for the common good and learning how to put \nleadership into action. \nPlanning and Implementing School Spirit Activities : Building \nschool spirit and culture that is linguistically sustaining and \naffirming can be one of the projects of the student government. \nThrough school events such as talent shows, fundraisers, and \nassemblies, students, teachers, faculty members and parents \ncome together to help plan these activities throughout the \nschool year and appoint various people to run these functions. \nAddressing Cares, Concerns, and Restorative Justice: Students \nwill raise school concerns that can best be addressed in student \ngovernment. Whether it is more nutritious foods served in the \ncafeteria or issues regarding school spirit days, student \ngovernment meetings give students a forum for sharing their", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "government. Whether it is more nutritious foods served in the \ncafeteria or issues regarding school spirit days, student \ngovernment meetings give students a forum for sharing their \ngrievances and analyzing possible solutions to these problems. \nWith the support of the Office of Restorative Justice, students", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-03 Student Government.pdf", + "content": "Superintendent\u2019s Circular FAM-03 \nPage 7 of 7 \n \ncan be trained as circle keepers and can implement restorative \njustice to build community, repair harm, and promote collective \nhealing. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nOctober 15 Deadline for student government elections to be \nheld \nOctober 15 \nDeadline for reporting the student government \nroster, including all student and faculty \ninformation listed above, to the Office of Youth \nLeadership at BSAC@bostonpublicschools.org \nOctober 31 Deadline for the first student government meeting \nto be held \n \nFor more information about this circular, contact: \nOwner: Senior Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-02 \nVersion 01 \n \n \n SCHOOL SITE COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEngaging families and students as equal partners has been \nidentified as a core strategy for improving student performance \nin the Boston School Committee goals and the BPS Engagement \nPolicy. Family and student engagement is also a significant \ncomponent of the Massachusetts School-Level Administrator \nRubric. \nThis circular has been developed to help principals/heads of \nschool effectively implement School Site Councils (SSC) as a \nfoundational structure for engaging parents and students in \nschool-based decision-making and school improvement. The \nOffice of Family and Community Advancement (OFCA) \ncollaborates with the Boston Teachers Union (BTU) to provide \noversight and support for SSCs. \nFor the purposes of this circular, the term \u201cparent\u201d includes a", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "collaborates with the Boston Teachers Union (BTU) to provide \noversight and support for SSCs. \nFor the purposes of this circular, the term \u201cparent\u201d includes a \nlegal guardian or other person standing in loco parentis (such as \na grandparent or stepparent with whom the child lives, or a \nperson who is legally responsible for the child's welfare). Sect. \n9101(31) ESEA.", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 2 of 14 \n \nROLE AND PURPOSE \nThe role of the School Site Council is to engage parents and \nteachers to serve with the principal/head of school as the central \ndecision-making body of the school. SSCs are required by the \nMassachusetts Education Reform Act of 1993 and by the \ncollective bargaining agreement between the Boston Teachers \nUnion (BTU) and the Boston School Committee. \nUnder the school-based management/shared decision-making \nmodel described in the collective bargaining agreement \nbetween BPS and the BTU, the role of the SSC is to: \n\u25cf Review and approve the Quality School Plan within \nguidelines established by the superintendent. \n\u25cf Review and approve the recommendations of the \nInstructional Leadership Team (ILT) that have been \nendorsed by the principal/head of school and that will have \na major effect on the school community. \n\u25cf Review and comment on the entire school budget,", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "endorsed by the principal/head of school and that will have \na major effect on the school community. \n\u25cf Review and comment on the entire school budget, \nincluding the general funds and external funds budgets, in a \ntimely fashion. \n\u25cf Approve the budget for discretionary school materials, \nsupplies, textbooks, and equipment, including the use of \nschool improvement award funds. \n\u25cf Review and approve recommendations from any other \ncommittee or group that is established to recommend \nchanges that will have a major effect on the school \ncommunity. \n\u25cf Develop and approve plans for increasing parent \nengagement in the school.", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 3 of 14 \n \n\u25cf Develop, review annually, and approve the School-Parent \nCompact as required by Title I. \n\u25cf Receive information about all outside programs or outside \nprofessionals that come into the school. \n\u25cf Approve waivers. \nAs the central governing body at the school, the SSC oversees all \nschool-based committees, including the ILT and the Personnel \nSubcommittee. \nThe role of the ILT is to: \n\u25cf Serve as an advisory body to the principal/head of school on \nissues related to teaching and learning, assessment, and \nprofessional development. \n\u25cf Give a report each month to the SSC on ILT activities. \n\u25cf Seek and receive SSC approval for any ILT recommendation \nthat alters the Quality School Plan or may have a major \neffect on the school community. \nEach school must elect a Personnel Subcommittee, whose \ncomposition must include two teachers, one parent, and the \nprincipal/head of school. The responsibilities of the Personnel \nSubcommittee are to:", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "composition must include two teachers, one parent, and the \nprincipal/head of school. The responsibilities of the Personnel \nSubcommittee are to: \n\u25cf Approve the hiring of new BTU teacher bargaining unit staff \nand in-transfer of BTU teachers\u2019 bargaining unit staff from \nother schools in the system and the choice of teachers from \nthe excess pools. \n\u25cf Approve the selection of lead teachers, mentor teachers, \nand new athletic coaches. \n\u25cf Determine the schedule and procedures for reviewing", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 4 of 14 \n \ncandidates for positions. \nSchools must submit the names of the members of the \nPersonnel Subcommittee to the Office of Family and Community \nAdvancement by October 31. For additional information on the \nPersonnel Subcommittee, see Superintendent\u2019s Circular FAM-04 \nPersonnel Subcommittee. \nSSC GOVERNANCE AND OPERATIONS \nThe following provisions describe how effective SSCs should \noperate. \n1. SSC operations are governed by a BPS/BTU Joint Steering \nCommittee, which includes parents and students. Any \nmember of the SSC may file a complaint with the Steering \nCommittee concerning the operation of the SSC at their \nschool. \n2. The SSC is expected to operate as a single decision-making \nteam, working together to reach consensus, as opposed to \nbeing individual representatives of specific constituent \ngroups. \n3. Formally, decisions made by the SSC will be made by \nmajority vote, with the principal/head of school voting with", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "being individual representatives of specific constituent \ngroups. \n3. Formally, decisions made by the SSC will be made by \nmajority vote, with the principal/head of school voting with \nthe majority. \n4. The principal/head of school is required to account in writing \nand in person (at a subsequent meeting) for any vote in \ncontravention of a majority of the council. \n5. A quorum must be present to vote on issues. To constitute a \nquorum, the principal/head of school must be present as \nwell as at least two teachers and two parents for SSCs with 9-\n12 members and three teachers and three parents for SSCs \nwith 13 or more members.", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 5 of 14 \n \n6. The principal/head of school shall serve as SSC co-chair and \nat the first meeting of the school year; the elected members \nof the SSC are encouraged to select one member (preferably \na parent) to serve as the other co-chair. \n7. Other roles, such as note taker and any subcommittees, shall \nalso be selected at the first SSC meeting of the school year. \n8. At the first SSC meeting of the year, a calendar of meetings \nfor the entire school year shall be established, ensuring that \nthe times and dates are convenient for all members. \n9. The agenda for the meetings shall be developed by the SSC \nco-chairs with input from other members of the SSC and the \nschool community at large. \n10. Each SSC is required to pass by-laws to govern its operations. \nThe by-laws must be approved or amended by two-thirds of \nthe members of the bargaining unit in the school eligible to \nvote for the SSC and by two-thirds of the parents who come", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "The by-laws must be approved or amended by two-thirds of \nthe members of the bargaining unit in the school eligible to \nvote for the SSC and by two-thirds of the parents who come \nto a parent meeting. There must be at least two weeks\u2019 \nnotice for the parent meeting. \n11. All SSC meetings are subject to DESE regulations regarding \nspecific law, including publicizing meeting dates in advance \nand sharing meeting minutes with the school community. \n12. On March 29, 2023, Governor Healey signed into law a \nsupplemental budget bill which, among other things, \nextends the temporary provisions pertaining to the Open \nMeeting Law to March 31, 2025. These provisions allow for \nSchool Site Councils to meet remotely, provided that \nadequate access to the meetings is still available to the \npublic. Please see https://www.mass.gov/the-open-meeting-\nlaw for more information or current updates. Decisions \nabout hosting in- person or virtual school-based meetings", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 6 of 14 \n \nwith families for SY 24-25 should be a shared decision with \ncommunity members. \nFor additional information on SSC governance and operations, \nplease contact the Office of Family and Community \nAdvancement or refer to the Shared Decision-Making section of \nthe collective bargaining agreement between BPS and the BTU. \nCOMPOSITION OF THE SSC \nThe SSC shall be composed of: \n\u25cf The principal/head of school \n\u25cf Elected members of the BTU who work more than 50% of \ntheir work week at that school \n\u25cf Parents of children enrolled in that school elected by the \nSchool Parent Council \n\u25cf Two students (high school only) enrolled in that school \nelected by the Student Government. \nThe specific number of parent and teacher representatives on \nthe SSC is determined by the number of BTU members employed \nat the school. The number of parent representatives on the SSC \nmust be equal to the number of BTU representatives, plus the", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "the SSC is determined by the number of BTU members employed \nat the school. The number of parent representatives on the SSC \nmust be equal to the number of BTU representatives, plus the \nprincipal/head of school. The table below demonstrates how the \nnumber of teacher and parent representatives are calculated.", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 7 of 14 \n \nSchool Site Council Representation* \n# of BTU members \nin school # of BTU SSC Reps # of Parent SSC Reps \n30 or fewer BTU 4 4 \n31 \u2013 60 BTU 5 5 \n61 or more BTU 6 6 \n \n*Plus, the principal/head of school and, as applicable, two \nstudents, as outlined above. \nSchools may also select associate (non-voting) SSC members \nfrom community-based organizations, higher education, or \nbusinesses that partner closely with the school. \nEach school shall also elect each year alternate parent, teacher, \nand student members of the SSC to substitute for absent \nmembers of their group. Alternate members who are elected by \nBTU bargaining unit members or parents to substitute for absent \nmembers may also fill vacancies created by the resignation or \nremoval of SSC members. \nParents elected as SSC representatives must reflect the racial and \nethnic diversity of the student population at the school and", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "removal of SSC members. \nParents elected as SSC representatives must reflect the racial and \nethnic diversity of the student population at the school and \ninclude parents of students participating in a range of \neducational programs, such as special education and related \nservices and programming for English Language Learners. \nFor specific information on the election process of BTU \nrepresentatives, please refer to the Shared Decision-Making \nsection of the collective bargaining agreement between BPS and \nthe BTU.", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 8 of 14 \n \nSSC ELECTION PROCEDURES FOR SELECTING PARENT AND \nSTUDENT REPRESENTATIVES \nThe following are key points for conducting successful elections. \n\u25cf Principals/heads of school should designate an impartial \nstaff person as the school\u2019s Election Facilitator. Elections \nshould not be facilitated by the principal/head of school or \nby a parent currently serving on the SPC Executive \nCommittee or SSC. The Office of Family and Community \nAdvancement provides training, support, and materials for \nall election facilitators, and can facilitate elections provided \nthat (a) a facilitator cannot be identified from within the \nschool community, and (b) the school contacts Office of \nFamily and Community Advancement with the election \ndate, time, and location at least two weeks in advance. \n\u25cf OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election.", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "date, time, and location at least two weeks in advance. \n\u25cf OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n\u25cf Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n\u25cf Elections should be held at the first School Parent Council \n(SPC) meeting of the year and conducted at a time that is \nconvenient for parents. The SPC consists of all parents in the \nschool community. See Superintendent\u2019s Circular FAM-01 for \nadditional details. \n\u25cf Election of student SSC representatives at high schools \nshould be incorporated into schools\u2019 student government \nelection process. \n\u25cf Schools should be prepared to provide translation and", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 9 of 14 \n \ninterpretation, as well as childcare, at the parent election \nand at the meetings as needed. \n\u25cf Parent elections typically take between 30 and 60 minutes. \nThe election facilitator should be prepared to explain the \nrole and purpose of the SPC and SSC, as well as provide an \noverview of each position and requirements of the election. \n\u25cf Parents or legal guardians of students currently enrolled at \nthe school are eligible to be elected to the SSC. Note: \nparents/legal guardians who work at their child\u2019s school \ncannot serve as the parent representative on the SSC. \n\u25cf Parents may be nominated and elected to serve on both the \nSSC and the SPC executive committee/team. \n\u25cf All families who are present at the election are allowed one \nvote per family per elected position. No absentee ballots will \nbe accepted. \n\u25cf Voting may be conducted by secret ballot or by majority \nvote. \n\u25cf Upon completion of voting, each newly elected parent", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "be accepted. \n\u25cf Voting may be conducted by secret ballot or by majority \nvote. \n\u25cf Upon completion of voting, each newly elected parent \nshould complete an Elected Member Information Form and \nreturn it to the election facilitator. \n\u25cf After the election, the school is responsible for submitting all \nelection results to the Office of Family and Community \nAdvancement \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council elects parent members to represent \nthe parent voice on the School Site Council. The SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 10 of 14 \n \nthe SSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSSC REPORTING \nAll BPS schools are required to submit their SSC rosters and \nmaterials listed below directly to the Office of Family, Student \nand Community Advancement by October 31. Additionally, \nschools are required to submit the following documents for the \npurposes of demonstrating compliance with MA Open Meeting \nLaw and BPS policy: \n\u25cf SPC roster \n\u25cf SSC roster \n\u25cf Personnel Subcommittee roster \n\u25cf SSC meeting calendar for the year \n\u25cf SSC meeting agendas, monthly \n\u25cf SSC meeting notes, monthly \n\u25cf SSC by-laws \n\u25cf Family Engagement Plan \n\u25cf Home-School Compact \nThe first deadline for submitting this documentation is October", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "\u25cf SSC meeting agendas, monthly \n\u25cf SSC meeting notes, monthly \n\u25cf SSC by-laws \n\u25cf Family Engagement Plan \n\u25cf Home-School Compact \nThe first deadline for submitting this documentation is October \n31, at which time every school will be assigned one of the \nfollowing statuses: \n\u25cf Full Compliance: School has uploaded SSC and SPC roster, \nas well as all other SSC documentation. \n\u25cf Reporting: School has uploaded SSC and SPC roster, with \nincomplete additional SSC documentation. \n\u25cf No Data: School has not uploaded SSC and SPC roster.", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 11 of 14 \n \n \nSSC meeting agendas and notes should be submitted on request \nfor updated SSC status to be maintained and/or updated. \nSUPPORT AND TRAINING \nThe Office of Family, Student and Community Advancement \nprovides the following supports to schools to help them \neffectively conduct elections, provide the required \ndocumentation, and implement effective SSCs throughout the \nschool year: \n\u25cf Required election materials \n\u25cf Election facilitation training \n\u25cf Election facilitation, in the event that the school is not able \nto identify a facilitator and is able to request an election \nfacilitator at least ten school days in advance \n\u25cf SSC trainings, in collaboration with the BTU, on topics \nincluding SSC Basics, SSC Budget Basics, and Shared \nDecision-Making \n\u25cf SSC manuals, including specific tools to support SSC \noperations and answers to frequently asked questions \n\u25cf SSC trainings for high school students and adult allies", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Decision-Making \n\u25cf SSC manuals, including specific tools to support SSC \noperations and answers to frequently asked questions \n\u25cf SSC trainings for high school students and adult allies \n\u25cf Ongoing support, coaching, and technical assistance. \nOPEN MEETING LAW REQUIREMENT \nSSCs serve as the decision-making body of the school and are \nsubject to certain aspects of the Massachusetts Open Meeting \nLaw, per DESE Regulations. According to these laws, SSCs must \nadhere to the following requirements:", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 12 of 14 \n \n\u25cf Meeting dates and agendas must be posted publicly, with \n48 hours advance notice. \n\u25cf All SSC meetings must be open to the public. \n\u25cf Meeting minutes and notes must be shared, posted, and \nkept in a place at the school where they are accessible. \nFor more complete information on the MA Open Meeting Law, go \nto www.mass.gov/ago/government-resources/open-meeting-\nlaw/ \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts School Level Administrator \nRubric: \n\u25cf Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n\u25cf Indicator IV-A-3. Professional Culture \no Plans and leads well-run and engaging meetings that \nhave a clear purpose, focus on matters of consequence,", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "responsibility engagement. \n\u25cf Indicator IV-A-3. Professional Culture \no Plans and leads well-run and engaging meetings that \nhave a clear purpose, focus on matters of consequence, \nand engage participants in a thoughtful and \nproductive series of conversations and deliberations \nabout important school matters. \n\u25cf Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n\u25cf Indicator IV-E-1. Shared Vision Development", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 13 of 14 \n \no Parents, students, and teachers have an opportunity to \nshape the vision for the school as it pertains to \ninstruction and school climate. \n\u25cf Indicator IV-F-3. Consensus Building \no Decisions are made using a consensus model, in which \nall members of the SSC have an equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate Activity \nSeptember 15 \nElection dates submitted to the Family-School \nEngagement Practices Team, Office of Family \nand Community Advancement \nOctober 15 \nDeadline for completing elections of all parent, \nstudent, and teacher SSC representatives and \nsubmission of rosters \nOctober 31 Deadline for conducting first SSC meeting \nOctober 31 \nDeadline for submitting all required \ndocumentation to the Office of Family and \nCommunity Advancement \nTBA Districtwide SSC trainings", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-02 School Site Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-02 \nPage 14 of 14 \n \nFor more information about this circular, contact: \nOwner: Director, Family-School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-05 \nVersion 01 \n \n \nTITLE I FAMILY ENGAGEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Strong family and home-\nschool connection focused on student academic learning has \nconsistently been shown to be associated with improved student \nachievement and school improvement. The shared responsibility \nthat results from partnerships has the potential to improve \nrelationships, strengthen schools, and ensure students are \nprepared to reach their educational potential in school and \nbeyond. \nThe BPS Five Core Elements of Engagement provide clear \nguidance for schools to develop and implement the Title I Family \nEngagement Requirements. Title I, Part A, Section 1118, of the", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "beyond. \nThe BPS Five Core Elements of Engagement provide clear \nguidance for schools to develop and implement the Title I Family \nEngagement Requirements. Title I, Part A, Section 1118, of the \nElementary and Secondary Education Act (ESEA) identifies \nspecific family engagement practices required of all schools that \nreceive Title I funds. The Office of Engagement provides oversight \nand support to ensure all schools that receive Title I funds meet \nthe engagement requirements of Sec. 1118.", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "Superintendent\u2019s Circular FAM-05 \nPage 2 of 7 \n \n \nREQUIREMENTS OF SCHOOLS RECEIVING TITLE I FUNDS \nAll schools receiving Title I Funds are required to do the following: \n1. Have a written Family Engagement Plan/Policy, developed \nin collaboration with parents and approved by the School \nParent Council and School Site Council or Governing Board. \n2. Have a Home-School Compact, developed in collaboration \nwith parents and approved by the School Parent Council \nand School Site Council or Governing Board. \n3. Set aside a minimum of 1% of Title I allocation in the school\u2019s \nbudget for family engagement. Decisions on how to allocate \nthe 1% for family engagement must comply with federal \nguidelines and be made by the School Site Council or \nGoverning Board. \n4. Host an annual parent meeting to discuss school priorities \nand programs under Title I by October 31. \n5. Build capacity of both families and teachers to effectively \nengage with one another to improve student learning", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "and programs under Title I by October 31. \n5. Build capacity of both families and teachers to effectively \nengage with one another to improve student learning \noutcomes. with an emphasis on the use of CRIOP, Pillar II. \nFAMILY ENGAGEMENT POLICY/PLAN \nThe family engagement policy/plan is jointly designed by families \nand school stakeholders to describe how the school will carry out \nparent engagement to meet the changing needs of families, \nstudents, and the school.", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "Superintendent\u2019s Circular FAM-05 \nPage 3 of 7 \n \n \nThe Family Engagement Policy/Plan must: \n\u25cf Describe how parents will be engaged as equal partners in \nschool-based decision-making, including tools they will use, \nsuch tools as School-based Equity Roundtables. \n\u25cf Describe how parents will be engaged in school \nimprovement and student learning. \n\u25cf Identify strategies that the school will employ to build both \nparent and teacher capacity for partnering to support \nstudent learning. \n\u25cf Be shared with the school community in a format that is \nfamily friendly. \n\u25cf Be translated into families\u2019 home languages. \n\u25cf Be updated annually to reflect the changing concerns of \nfamilies\u2019 and school priorities related to school climate and \nstudent learning. \nFor additional information on the family engagement policy/plan, \nsee ESEA Title I, Part A, Section 1118(b). \nHOME-SCHOOL COMPACT \nThe purpose of the Home-School Compact is to establish shared \nresponsibility for student academic achievement.", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "see ESEA Title I, Part A, Section 1118(b). \nHOME-SCHOOL COMPACT \nThe purpose of the Home-School Compact is to establish shared \nresponsibility for student academic achievement. \nFor additional information on Home-School Compacts: \n\u25cf ESEA Title I, Part A, Section 1118(d) \n\u25cf BPS Circular FAM-7 Home-School Compacts \n\u25cf www.schoolparentcompact.org \n\u25cf Title I Toolkit", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "Superintendent\u2019s Circular FAM-05 \nPage 4 of 7 \n \n \n1% MINIMUM FAMILY ENGAGEMENT ALLOCATION \nAll schools receiving Title I funds are required to set aside a \nminimum of 1% of the Title I allocation in the school's budget for \nfamily engagement. As needed, the Family School Engagement \nPractice team can provide guidance in allowable expenditures to \nschools. Decisions on how to allocate the 1% for family \nengagement should be made by the School Site Council or \nGoverning Board in consultation with the parent body. \nFor additional information on the use of Title I funds for family \nengagement, please see ESEA Title 1, Part A, Section1118(a)(3)(C) \nand Section 1118(e)(8), (9), and (10). \nANNUAL MEETING \nSchools receiving Title I funds must convene an annual meeting \nwith families in which: \n\u25cf All families are invited and encouraged to attend. \n\u25cf Families are informed of the school\u2019s status as a Title I \nschool. \n\u25cf The requirements of Title I are explained to families.", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "\u25cf All families are invited and encouraged to attend. \n\u25cf Families are informed of the school\u2019s status as a Title I \nschool. \n\u25cf The requirements of Title I are explained to families. \n\u25cf The school\u2019s use and allocation of Title I funds is shared with \nfamilies. \n\u25cf Families are informed of the different opportunities to be \ninvolved in school-based decision-making, school \nimprovement, and supporting student learning. \n \nFor additional information on the Annual Meeting as required \nunder Title I, please see ESEA Title I, Part A, Section 1118(C)(1). \nCAPACITY BUILDING", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "Superintendent\u2019s Circular FAM-05 \nPage 5 of 7 \n \n \nSchools that receive Title I funds are required to provide capacity \nbuilding opportunities for both families and educators designed \nto: \n\u25cf Help families understand learning standards, assessment of \nstudent learning, and how to effectively monitor student \nprogress. \n\u25cf Strengthen families\u2019 ability to support student learning at \nhome. \n\u25cf Help principals/heads of school, teachers, and other school \nstaff develop the mindsets, beliefs, skills, and strategies to \neffectively build relationships and maintain ongoing, two-\nway, culturally appropriate communication with students\u2019 \nfamilies. \n\u25cf Collaborate with community-based organizations that work \nwith school staff and/or parents to strengthen student \nlearning outcomes. \n\u25cf Translate communications and provide interpretation from \nthe school to families who speak a language other than \nEnglish into the appropriate language.", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "learning outcomes. \n\u25cf Translate communications and provide interpretation from \nthe school to families who speak a language other than \nEnglish into the appropriate language. \nFor additional information on the Title I requirements related to \nparent and teacher capacity building, please see ESEA, Title I, \nPart A, Section 1118(e). \nREPORTING \nTo be considered in compliance with the family engagement \nrequirements of Title I and the requirements of the BPS Core \nElements of Engagement, schools must submit the following \ndocuments to the Office of Family and Community \nAdvancement, or submit to their engagement folder:", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "Superintendent\u2019s Circular FAM-05 \nPage 6 of 7 \n \n \n\u25cf School-based Family Engagement Plan/Policy \n\u25cf Home-School Compact \n\u25cf Agenda, meeting minutes, election documents, meetings \ndates, roster, and bylaws of School Site Council \n\u25cf A self-assessment of the school\u2019s engagement practices. \n \nThe Office of Family and Community Advancement will be \nresponsible for tracking parent participation in BPS Parent \nUniversity, which builds the capacity of parents to effectively \nsupport student learning and advocate for student needs. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Title I Family Engagement requirements align with the \neducator evaluation Standard III: Family and Community \nEngagement addressing the continuum of supports that reflect \nshared expectations, responsibility, and opportunities for active \nparticipation and collaborative partnerships between schools, \nfamilies, and community. Further, Title 1 requirements align with \nCulturally and Linguistically Sustaining Practices (CLSP),", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "participation and collaborative partnerships between schools, \nfamilies, and community. Further, Title 1 requirements align with \nCulturally and Linguistically Sustaining Practices (CLSP), \nincluding the Culturally Responsive Instructional Observation \nProtocol (CRIOP).", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "content": "Superintendent\u2019s Circular FAM-05 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nOwner: Director of Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 445 Warren Street, Roxbury, MA 02121 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-01 \nVersion 01 \n \n \n \nSCHOOL PARENT COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools values the voices of families and seeks to \nengage families in both school governance and in an advisory \ncapacity at all levels throughout the district. School Parent \nCouncils (SPCs) serve as advocates and advisors to \nprincipals/heads of school, school superintendents, the \nsuperintendent, and the School Committee. \nSPCs provide an opportunity for families to be more deeply \nengaged at the school level, partnering with the principal/head of \nschool to improve school culture and outcomes for all students. \nIn addition to the school-based SPC, there are districtwide parent \nadvisory councils that bring together parents across schools to \nserve as advisors to district leadership. The Citywide Parent \nCouncil (CPC) serves as the districtwide voice for parents and is", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "advisory councils that bring together parents across schools to \nserve as advisors to district leadership. The Citywide Parent \nCouncil (CPC) serves as the districtwide voice for parents and is \ncomposed of representatives from each school. The Special \nEducation Parent Advisory Council (SPED PAC) represents the \nfamilies of students with disabilities who receive special \neducation services. The District English Learner Advisory \nCommittee (DELAC) works to ensure that parents are informed \nabout all aspects of BPS that affect English learners and provide \nrecommendations to the Office of English Learners. These groups \nserve to empower parents and partner with BPS to improve", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 2 of 10 \n \n \noutcomes for all students. This circular focuses on the role and \nfunction of the SPC. \nSCHOOL PARENT COUNCILS \nThe SPC is the independently established \"voice\" of all parents in \nthe school community. The SPC advocates for students and the \nschool, meets frequently and consistently, elects representatives \nto sit on the School Site Council (SSC), and promotes an \nenvironment of understanding and common purpose among \nparents, students, and school staff, with a focus on student \nlearning and school improvement. For the purposes of this \ncircular, the term \u201cparent\u201d includes a legal guardian or other \nperson standing in loco parentis (such as a grandparent or \nstepparent with whom the child lives, or a person who is legally \nresponsible for the child's welfare).\" Sect. 9101(31) ESEA. \nThe roles and responsibilities of the SPC are as follows: \nRoles: \n\u2022 Collaborate with school staff to create a welcoming school", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "responsible for the child's welfare).\" Sect. 9101(31) ESEA. \nThe roles and responsibilities of the SPC are as follows: \nRoles: \n\u2022 Collaborate with school staff to create a welcoming school \nclimate for all students and families. \n\u2022 Coordinate school-wide activities and events that engage \nfamilies in student learning. \n\u2022 Raise funds to support school-based initiatives, activities, \nand events. \nResponsibilities: \n\u2022 Provide a safe forum for families to express concerns. \n\u2022 Contribute to school-based initiatives related to school \nimprovement, school climate, and student learning. \n \nAll parents or legal guardians of a child attending a particular", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 3 of 10 \n \n \nschool are automatically members of that school\u2019s SPC. \nThe SPC Executive Committee is the elected leadership of the \nSPC. Schools must adhere to the following guidelines for the \nelection of the Executive Committee: \n\u2022 OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n\u2022 Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n\u2022 Elections for the 2024-2025 school year may be conducted \nin person, virtually, or through a hybrid system, providing for \nequitable access to voting. \n\u2022 Parents/legal guardians who wish to become members of \nthe Executive Committee must have a child enrolled at the \nschool in which they are running. \n\u2022 Co-chairs and officers should be representative of the school \ncommunity.", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "the Executive Committee must have a child enrolled at the \nschool in which they are running. \n\u2022 Co-chairs and officers should be representative of the school \ncommunity. \n\u2022 Any parent/legal guardian who is present at an SPC election \n(held in person or virtually) may be nominated for the SPC \nExecutive Committee (a parent may nominate themself). \n\u2022 Within one school, elected members can serve more than \none role only if there is an insufficient number of candidates \nto fill all roles. \n\u2022 Parents/legal guardians who are not present (in-person or \nvirtually) at the time of the election may not be nominated. \n\u2022 Parents/legal guardians who work at their child\u2019s school \nmay not be elected to the SPC Executive Committee, except \nfor extenuating circumstances. \n\u2022 Each family is allowed one vote per family.", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 4 of 10 \n \n \n\u2022 Each candidate should be allowed one minute to introduce \nthemself. \n\u2022 Elections may be carried out by secret ballot or can be \napproved by a majority vote of the present group. \n\u2022 Nominations and elections are held during the same \nmeeting; therefore, voters must be present, virtually or in \nperson, to participate in the election. \n \nSPC EXECUTIVE COMMITTEE \nThe role of the SPC Executive Committee is to: \n\u2022 Provide leadership and to organize the work of the SPC . \n\u2022 Maintain ongoing communication with all parents to ensure \nthat they are connected to what is happening at school. \n\u2022 Maintain ongoing communication and a collaborative \nworking relationship with the principal/head of school, \nteachers, school staff, and community partners. \n\u2022 Create an inclusive environment on the SPC and in the \nwhole school community that welcomes the active \nparticipation of all parents. \n\u2022 Set a schedule and format of meetings that invites", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "\u2022 Create an inclusive environment on the SPC and in the \nwhole school community that welcomes the active \nparticipation of all parents. \n\u2022 Set a schedule and format of meetings that invites \nmaximum participation of families. \n \nThe composition of the SPC Executive Committee should: \n\u2022 Reflect the racial and ethnic diversity of the student body. \n\u2022 Include parents of students who are English Learners \n\u2022 Include parents of students who receive special education \nservices. \n\u2022 Include parents of students in a range of grade levels. \n\u2022 Include a mix of newly elected and experienced parent \nleaders.", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 5 of 10 \n \n \n \nParents may serve in more than one SPC Executive Committee \nrole simultaneously at the same school if no other candidates \ncome forward. However, SPCs are encouraged to elect as many \nparents as possible for the various roles for the purposes of \nsharing responsibility and building leadership capacity. The SPC \nExecutive Committee consists of the following roles: \nCo-Chair \n\u2022 Number elected: 2 \n\u2022 Schedule and facilitate SPC meetings \n\u2022 Create agendas \n\u2022 Maintain ongoing two-way communication with \nprincipal/head of school \nTreasurer \n\u2022 Number elected: 1-2 \n\u2022 Maintain clear and accurate financial records for the SPC \n\u2022 Provide monthly expense reports \n\u2022 Lead or manage SPC fundraising efforts \nSecretary \n\u2022 Number elected: 1-2 \n\u2022 Conduct outreach to the parent community \n\u2022 Record and share meeting notes with the school \ncommunity \nSchool Site Council Reps \n\u2022 Number elected: 5-8 (based on the number of staff in the", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "\u2022 Conduct outreach to the parent community \n\u2022 Record and share meeting notes with the school \ncommunity \nSchool Site Council Reps \n\u2022 Number elected: 5-8 (based on the number of staff in the \nBTU bargaining unit) \n\u2022 Represent the parent community as a member of the SPC \n\u2022 Participate in school-based decision-making", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 6 of 10 \n \n \n\u2022 Attend SPC meetings to report out on SSC business and \nreceive information to bring back to the SSC \n\u2022 Facilitate communication between the SPC and SSC \nCitywide Parent Council Rep \n\u2022 Number elected: 1-2* \n\u2022 Participate in a districtwide parent group designed to \nadvocate for BPS families and students and influence BPS \npolicy \nSpecial Education Parent Advisory Council Rep \n\u2022 Number elected: 1-2* \n\u2022 Participate in a citywide parent organization designed to \nprovide information and resources to families of students \nwith disabilities who receive special education services \nDistrict English Learners Advisory Committee \n\u2022 Number elected: 1-2* \n\u2022 Participate in a citywide committee tasked with providing \nrecommendations to school and district officials regarding \nprograms and services provided to EL students \nTotal # of Parents Elected to SPC Executive Committee: 12-20", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "recommendations to school and district officials regarding \nprograms and services provided to EL students \nTotal # of Parents Elected to SPC Executive Committee: 12-20 \n \n*If vacant, this position should be revisited throughout the school \nyear, and families should be reminded of the opportunity and \nthe benefit of representation on these citywide councils.", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 7 of 10 \n \n \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council (SPC) elects parent members to \nrepresent the parent voice on the School Site Council (SSC). SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on \nSSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSCHOOL PARENT COUNCIL BY-LAWS \nAll SPCs must develop by-laws for their council to provide \nstructure and guidance for SPC operations. SPCs must annually \nreview and approve their by-laws at their first meeting following \nthe election. The by-laws are a public document and should be \nmade available to all parents and members of the school", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "review and approve their by-laws at their first meeting following \nthe election. The by-laws are a public document and should be \nmade available to all parents and members of the school \ncommunity, upon request. The SPC by-laws should be submitted \nto the Office of Family and Community Advancement (OFCA) \nupon approval by the SPC. \nSCHOOL PARENT COUNCIL MEETINGS \nThe SPC should meet at least once monthly. The first meeting of \nthe year should include a presentation from the principal/head of \nschool on the school\u2019s goals for the year and election of \nrepresentatives to the Executive Committee and School Site \nCouncil (see Superintendent\u2019s Circular FAM-02 for more details). \nThe following meeting should focus on sharing the work that the \nSPC is doing and provide the opportunity for feedback from \nparents. SPCs are encouraged to meet monthly, in keeping with \nthe SSC frequency, to ensure that the parent body is kept", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 8 of 10 \n \n \nabreast of SSC activity. Meeting frequency and purpose should \nbe detailed in the SPC By-laws. \nSPC GUIDELINES FOR PRINCIPALS, HEADS OF SCHOOL, AND \nADMINISTRATORS \n\u2022 The principal/head of school must work with the SPC to host \nan annual Title I meeting to share with families (1) how the \nschool is investing its Title I allocation, (2) rights and \nresponsibilities of Title I parents, and (3) to seek feedback \nand/or input from parents on the Home-School Compact \nand Family Engagement Plan. \n\u2022 The principal/head of school should meet with the SPC on a \nregular basis to provide updates on school policies, the \ninstructional focus, school data, other pertinent information, \nand to address school-wide parent concerns. \n\u2022 The principal/head of school should provide families with \nperiodic updates on overall student/school progress, sharing \ndata at SPC meetings. \n\u2022 The principal/head of school should meet with the SPC co-", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "periodic updates on overall student/school progress, sharing \ndata at SPC meetings. \n\u2022 The principal/head of school should meet with the SPC co-\nchairs for ongoing communication regarding family and \nstudent engagement practices, student learning, and school \nimprovement. \n\u2022 The principal/head of school should work with the SPC co-\nchairs to have information translated into the home \nlanguages represented at their school and ensure that \narrangements for translation and interpretation have been \nnegotiated and agreed upon by the SPC and school staff \n(this includes election night). \n\u2022 The principal/head of school or designee should assist the \nSPC in notifying families of all SPC and/or Executive", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 9 of 10 \n \n \nCommittee meetings, by providing access to a computer, \npaper, copying machine, and postage; and by working with \nthe SPC for timely dissemination of notices for the entire \ncommunity using a range of communication methods, \nincluding School Messenger, email, the school\u2019s website, \nand school media. \nThe SPC works collaboratively with the principal/head of school \nand school staff to solve problems and develop plans to improve \nthe engagement of families and students. The commitment to \npartnering with families reflects the value that BPS has placed on \nthe engagement of families and is grounded in decades of family \nengagement research. \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts Administrator Evaluation rubric: \n\u2022 Indicator III-A1. Family Engagement", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "parent, teacher, and student voice align with the following \nstandards of the Massachusetts Administrator Evaluation rubric: \n\u2022 Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n\u2022 Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n\u2022 Indicator IV-E-1. Shared Vision Development \no Parents, students, and teachers have an opportunity to \nshape the vision for the school as it pertains to \ninstruction and school climate. \n\u2022 Indicator IV-F-3. Consensus Building", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-01 School Parent Councils.pdf", + "content": "Superintendent\u2019s Circular FAM-01 \nPage 10 of 10 \n \n \no Decisions are made using a consensus model, in which \nall members of the SSC (including SPC members) have \nan equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate Activity \nSeptember 15 Election dates submitted to OFCA \nOctober 31 Deadline for completing SPC elections of all \nparent reps, including SSC representatives; and \nsubmitting rosters to OFCA. \n \n \nFor more information about this circular, contact: \nOwner: Director, Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFAM-06 \n \n \nBOSTON STUDENT ADVISORY COUNCIL \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMassachusetts State Law Chapter 71: Section 38M. Student \nAdvisory Committee states: School committees of cities, towns \nand regional school districts shall meet at least once every other \nmonth, during the months school is in session, with a student \nadvisory committee to consist of five members to be composed \nof students elected by the student body of the high school or \nhigh schools in each city, town, or regional school district. \nMISSION STATEMENT \nThe Boston Student Advisory Council advocates for and protects \nthe voices of students in the Boston Public School system, \nempowers the student body to express their opinions regarding \neducational policy changes, and ensures that students are \nincluded in decision and policy making which impacts their lives \nand educational experiences.", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "content": "educational policy changes, and ensures that students are \nincluded in decision and policy making which impacts their lives \nand educational experiences. \nIn the Boston Public Schools, students can apply to their school \nto serve on the Boston Student Advisory Council. The Boston \nStudent Advisory Council (BSAC), a citywide body of student \nleaders representing their respective high schools, serves as the \nvoice of students to the Boston School Committee, the \nsuperintendent, and central office departments. BSAC offers \nstudent perspectives on policies, initiatives, and reform efforts, \nand inform their respective schools about relevant citywide", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "content": "Superintendent\u2019s Circular FAM-06 \nPage 2 of 4 \n \n \nschool issues. They also address student issues by developing \ndistrict-wide policies and working with student governments and \nheads of schools on school level policies and practices. \nBSAC is made up of a Full Council and Executive Committee. The \nFull Council is the think tank which generates the ideas for \nprojects, and the Executive Committee is the leadership team of \nsix (6) to twelve (12) students who serve as the advising body to \nthe Boston School Committee and superintendent. The Executive \nCommittee also plans and facilitates meetings with the support \nof the BSAC manager, facilitates youth engagement in district \ninitiatives and departments, develops BSAC priorities, and \nmonitors progress. \nEach Boston public high school (including district, exam, all high \nschool-level alternative, pilot, and in-district charter schools) is \nrequired to have at least one and up to two BSAC representatives", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "content": "school-level alternative, pilot, and in-district charter schools) is \nrequired to have at least one and up to two BSAC representatives \nfrom their school. The BSAC representative is a part of the \nstudent government and must regularly attend student \ngovernment meetings to share BSAC\u2019s work, receive feedback, \nand gather input on projects/policies. Where possible, it is helpful \nto have a student representative who is on the School Site \nCouncil serve on BSAC as well. There are two ways students may \nbecome a BSAC member: (1) through student elections at the \nschool level, or (2) through the BSAC application managed by the \nOffice of Youth Leadership. \nROLE OF BSAC MEMBERS \n1. To elect a leadership team that will serve in advisory to the \nSchool Committee as part of its decision-making process. \n2. To keep their Student Government and school community \ninformed about relevant district initiatives and decisions, \nand actively seek and collect feedback to inform district", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "content": "Superintendent\u2019s Circular FAM-06 \nPage 3 of 4 \n \n \ndecision making through regular attendance and \nparticipation in Student Government meetings. \n3. To work on BSAC projects and initiatives. \nBSAC representatives will: \n\u2022 Represent their schools at BSAC meetings. \n\u2022 Assist in decision making for their schools by advising the \nadministration on student-centered citywide issues and \npolicies. \n\u2022 Work on policies that BSAC develops. \n\u2022 Perform tasks necessary to advance project work, such as \nsurveys, meetings with heads of schools and Student \nGovernment advisors, peer interviews, etc. \n\u2022 Ensure representation of student voice for their school \nthrough continuous engagement with the Student \nGovernment and their broader student body. \nThe Office of Youth Leadership is responsible for oversight and \nsupport of BSAC.", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "content": "Superintendent\u2019s Circular FAM-06 \nPage 4 of 4 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember 29 First BSAC meeting for returning representatives \nOctober 15 Deadline to hold Student Government Elections \nOctober 15 \n \nEmail names of Student Government \nrepresentative(s) and BSAC member to Office of \nYouth Leadership, \nBSAC@bostonpublicschools.org \nOctober 28 \nDeadline for youth to apply to City of Boston\u2019s \nSuccess Link to qualify for a youth job slot. When \npossible, the Office of Youth Leadership partners \nwith the City of Boston\u2019s Department of Youth \nEngagement and Employment to provide paid \nyouth jobs to BSAC members. \n \nFor more information about this circular, contact: \nOwner Senior Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFAM-08 \nVersion 01 \n \n \n \n\u2022 TRANSLATION AND INTERPRETATION SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nto a subsequent version. \n \nHISTORICAL CONTEXT \nThe \u201cParent Communications\u201d section of the Successor \nSettlement Agreement between the Boston Public Schools (BPS) \nand the Department of Justice (DOJ) outlines the services that \nmust be provided to ensure meaningful language access for our \nBPS families. The Office of Language Access, formerly the \nTranslation and Interpretation Unit (T&I), was established to \nimplement and coordinate interpretation and translation services \nthroughout BPS to centralize and standardize language access \nacross the district. The Office of Language Access strives to \nprovide meaningful language access to limited and non-English \nproficient constituents via qualified, trained, and professional \ninterpreters and translators. \nREQUEST PARAMETERS", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "provide meaningful language access to limited and non-English \nproficient constituents via qualified, trained, and professional \ninterpreters and translators. \nREQUEST PARAMETERS \nThe Office of Language Access handles translation and \ninterpretation services for essential information. The following list \nprovides examples of essential information requiring translation \nand interpretation:", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Superintendent\u2019s Circular FAM-08 \nPage 2 of 7 \n \n \n \n \n\u2022 IEP/504 meetings \n\u2022 Report cards for students \n\u2022 Academic progress reports for students \n\u2022 Enrollment/registration documents \n\u2022 Disciplinary process information \n\u2022 Permission slips/forms for district and school activities and \nprograms \n\u2022 Applications for activities requiring parental consent \n\u2022 Parent-teacher conferences \n\u2022 Open houses \n\u2022 Parent handbooks \n\u2022 Public health and safety information \n\u2022 Documents on academic planning/options \n\u2022 Screening procedures needing students\u2019/parents\u2019 language \nbackgrounds, the process for refusing all/some ELL services \n\u2022 Written information on parents\u2019/students\u2019 rights and \nresponsibilities \n\u2022 Written information on services and benefits available to \nparents and students \nWith every request, the Office of Language Access will determine \nwhether the services sought are the most appropriate to fulfill \nthe specific language access need and may tailor the request", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "With every request, the Office of Language Access will determine \nwhether the services sought are the most appropriate to fulfill \nthe specific language access need and may tailor the request \naccordingly. Fulfilling requests for translation and interpretation \nof non-essential information is at the discretion of the Office of \nLanguage Access and is contingent on availability.", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Superintendent\u2019s Circular FAM-08 \nPage 3 of 7 \n \n \n \nSERVICES PROVIDED BY QUALIFIED AND BILINGUAL STAFF \nThe district is charged with providing qualified and trained \ntranslators and interpreters to ensure families have meaningful \naccess to information. As such, the Office of Language Access \ndiscourages the use of non-approved professionals with \nbi/multilingual skills, save for in exceptional circumstances. In \naddition, the use of computers/machines to translate is strongly \ndiscouraged. \nREQUESTING TRANSLATION AND INTERPRETATION SERVICES \nAll services are requested and managed through the district's \nonline translation and interpretation request platform. Please be \naware that the Office of Language Access can only support \nBoston Public Schools' requests placed through the Office of \nLanguage Access online platform to comply with the City of \nBoston's procurement regulations and processes. To that end, \nany language access work performed outside of the district's", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Language Access online platform to comply with the City of \nBoston's procurement regulations and processes. To that end, \nany language access work performed outside of the district's \nestablished translation and interpretation protocol will be at the \nrequester's expense. \nSchools should designate one primary and one alternate point of \ncontact for submitting their translation and interpretation \nrequests. In addition, the point of contact (1) is responsible for \nanswering logistic questions about events, (2) will serve as the \ncontact for interpreters, (3) will provide informational materials \nfor interpreters before scheduled events, and (4) will clarify \nwritten content and receive the written translations. Lastly, this \nperson must also promptly fill out the post-service survey. \nFor district staff, designated central office employees may \nrequest translation and interpretation services. Similarly, the", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Superintendent\u2019s Circular FAM-08 \nPage 4 of 7 \n \n \n \ncentral office requester serves as the point of contact for that \nservice. This could entail (1) answering logistics questions about \nevents, (2) contacting on-site/virtual interpreters, (3) providing \ninformational materials for interpreters prior to the event, (4) \nclarifying written content/materials, and (5) receiving the written \ntranslations. This person must also promptly fill out the post-\nservice survey. \nFULFILLING REQUESTS FOR TRANSLATIONS AND \nINTERPRETATIONS \nFor translations, requesters should allow a minimum of 2 weeks, \nbearing in mind that larger jobs will, correspondingly, take longer \nto complete. As rush/short notice jobs do occur, please specify on \nthe request form if the translation needs expediting. Expediting \nis at the discretion of the Office of Language Access. \nFor in-person interpretations, the more advance notice given, the \neasier it is to secure interpreter services. Please submit a request", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "is at the discretion of the Office of Language Access. \nFor in-person interpretations, the more advance notice given, the \neasier it is to secure interpreter services. Please submit a request \na minimum of 2 weeks before the service date. For American Sign \nLanguage (ASL), a minimum of 3 weeks is recommended to \nsecure services. As rush/short notice jobs do occur, please specify \non the request form if the service needs to be expedited. \nInterpreter assignment is based on availability and not \nguaranteed. \nEmergent requests outside of the Superintendent\u2019s and \nCommunications offices that need to be expedited will be \ncompleted in a timeframe at the discretion of the Office of \nLanguage Access.", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Superintendent\u2019s Circular FAM-08 \nPage 5 of 7 \n \n \n \nCANCELLATIONS OF SERVICES \nThe Office of Language Access must be notified immediately of \nany appointment cancellation in which an interpreter (i.e., oral, \nASL) has been scheduled. A 48-hour notice of cancellation is \nrequired for ASL. For oral interpreter services, we require a 24-\nhour notice of notice of cancellation. Please be aware that if you \nfail to cancel within the designated timeframes, the district will \nbe charged for the services you requested. This can lead to \ninefficient utilization of our limited funds and resources, which \nwe strive to avoid. To cancel interpreter services, please submit \nvia interpretations@bostonpublicschools.org. If you are canceling \ntranslation requests, please do so as early as possible via \ntranslations@bostonpublicschools.org. \nTELEPHONIC INTERPRETATION SERVICES \nSchools have the option to utilize the on-demand LionBridge", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "translation requests, please do so as early as possible via \ntranslations@bostonpublicschools.org. \nTELEPHONIC INTERPRETATION SERVICES \nSchools have the option to utilize the on-demand LionBridge \nTelephonic Interpretation service that is available 24 hours a day, \n7 days a week, 365 days a year, in more than 350 languages. \nTelephonic interpretation is the oral transmission of a message \nfrom one language to another via telephone. It is typically \nconducted in consecutive mode, meaning the interpreter will \ntranslate the message after the speaker has stopped speaking. \nThis service should be used for instances when parent \ncommunication is not pre-scheduled, e.g., a parent stops by a \nschool, a school must contact the parent of a sick/injured \nstudent, etc. When essential information is discussed, please \nensure that an interpreter or translation of relevant documents is \nrequested in advance. \nThe Office of Language Access will monitor calls and usage to", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Superintendent\u2019s Circular FAM-08 \nPage 6 of 7 \n \n \n \nensure adherence to district protocols. Schools and/or central \noffice departments will be notified of usage restrictions due to \nnon-adherence, which will be at the discretion of the Office of \nLanguage Access. \nTALKING POINTS \nSchools have access to TalkingPoints, which is a two-way \nmultilingual family engagement platform allowing educators and \nadministrators the opportunity to communicate with families in \ntheir native language (including English speakers) via the web, \nmobile, or text messages. \n\u2022 TalkingPoints equips educators and administrators with a \nplatform for collaborative communication and analytics \naround family engagement and student progress to \nincrease student potential for long-term success. \n\u2022 The service is available 24 hours a day, 7 days a week, 365 \ndays a year, in more than 100 languages.1 \n\u2022 It removes the need for educators to provide parents with \ntheir personal cell phone numbers. \nASSISTANCE", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "days a year, in more than 100 languages.1 \n\u2022 It removes the need for educators to provide parents with \ntheir personal cell phone numbers. \nASSISTANCE \nFor further information, including but not limited to detailed \n \n1 At present, the platform doesn't support Caboverdiano; \nhowever, a simplified version is currently being piloted at the \nOrchard Gardens Elementary School. The simplified version \nsupports outgoing one-way messaging/announcements to \nfamilies only. Additional functionality will be considered based on \npilot results.", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "content": "Superintendent\u2019s Circular FAM-08 \nPage 7 of 7 \n \n \n \ntranslation and interpretation policy and procedures, tutorials \n(i.e., How to Submit a Request, Request Platform User Guide, \nSchool-Based Administrator Training Webinar), and school and \nparent resources/materials to support your school-specific \nlanguage access efforts, please refer to the Office of Language \nAccess website at \nhttps://www.bostonpublicschools.org/translation-interpretation. \n \nFor more information about this circular, contact: \nOwner: Director of Language Access Services \nDepartment: Family and Community Advancement \n(Office of Language Access) \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7967 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-04 \nVersion 01 \n \n \nSCHOOL SITE COUNCIL PERSONNEL SUBCOMMITTEE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Consistent with the principles \nof school-based management, the School Site Council engages \nparents and students in shared decision-making as a lever for \nschool improvement. The intention of the Personnel \nSubcommittee is to actively involve members of the school \ncommunity in the teacher hiring process, as these decisions will \nhave a significant impact on instructional practice and the lives of \nstudents. \nRESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE \nThe responsibilities of the Personnel Subcommittee of the School \nSite Council are to: \n\u2022 Approve the hiring of new Boston Teachers Union (BTU)", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "RESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE \nThe responsibilities of the Personnel Subcommittee of the School \nSite Council are to: \n\u2022 Approve the hiring of new Boston Teachers Union (BTU) \nteachers\u2019 bargaining unit staff and in-transfer of BTU \nteachers\u2019 bargaining unit staff from other schools in the \nsystem and the choice of teachers from the excess pool. \n\u2022 Approve the selection of lead teachers, new teacher \ndevelopers, mentor teachers, and new athletic coaches. \n\u2022 Determine the schedule and procedures for reviewing", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "Superintendent\u2019s Circular FAM-04 \nPage 2 of 5 \n \ncandidates for positions. \n \nThe decisions of the Personnel Subcommittee are not subject to \nthe approval of the School Site Council. \nPERSONNEL SUB-COMMITTEE MEMBERSHIP \n1. The Personnel Subcommittee shall consist of two teachers, \none parent, one student in high schools, and the \nprincipal/head of school or their designee. \n2. BTU members on the School Site Council shall select the BTU \nrepresentatives to serve on the Personnel Subcommittee. \n3. The parent members of the School Site Council shall select \nthe parent representative. \n4. The student members of the School Site Council at high \nschools shall select the student representative. \n5. The composition of the Personnel Subcommittee should \nreflect the racial and ethnic diversity of the school \ncommunity to the extent possible. \n6. Teacher, parent, and student representatives on the \nPersonnel Subcommittee may designate temporary", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "reflect the racial and ethnic diversity of the school \ncommunity to the extent possible. \n6. Teacher, parent, and student representatives on the \nPersonnel Subcommittee may designate temporary \nreplacement representatives to the subcommittee for \nspecific positions. \nSCHOOL STAFFING \nThe Personnel Subcommittee interviews and decides on the \nselection of permanent teachers who voluntarily apply for \ntransfer into the school and the hiring of new teachers for \nvacancies, consistent with the terms of the current collective \nbargaining agreement between Boston Public Schools (BPS) and \nthe BTU.", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "Superintendent\u2019s Circular FAM-04 \nPage 3 of 5 \n \n \nOPEN POSTING \nIn accordance with circular HRS-HS-07, schools must adhere to \nthe requirements to open post. Therefore, schools must ensure \nthat the Personnel Subcommittee of the School Site Council is \nformed and ready to begin the hiring process by March 1. \nTraining related to personnel subcommittees is offered by the \nOffice of Family and Community Advancement, the BTU, and the \nOffice of Human Capital. \nPERMANENT AND PROVISIONAL TEACHERS \nIn addition to permanent teachers who apply for transfer, a \nPersonnel Subcommittee may consider a provisional teacher \nwith a letter of reasonable assurance for a position which appears \non the transfer list and that the provisional currently holds within \nthe school. \nAfter interviewing candidates for a vacancy at a school that \nresults from the transfer process, or if a vacancy at a school \noccurs after the completion of the regular transfer process, a", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "After interviewing candidates for a vacancy at a school that \nresults from the transfer process, or if a vacancy at a school \noccurs after the completion of the regular transfer process, a \nschool may choose to advertise or re-advertise the position. \nTIME COMMITMENT \nThe Personnel Subcommittee is a standing committee of the \nSchool Site Council for the duration of the school year. As such, \nthe Personnel Subcommittee must be formed by October 31 and \nshould meet as vacancies occur. The Personnel Subcommittee is \nnot required to meet between the end of one school year and the \nbeginning of the succeeding school year. Before the summer \nrecess, members of the Personnel Subcommittee should leave", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "Superintendent\u2019s Circular FAM-04 \nPage 4 of 5 \n \ncontact information with the principal/head of school, who will \ncontact members prior to the interviewing or hiring of any \nteacher applicants. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Massachusetts School-Level Administrator Rubric includes \nFamily and Community Engagement (Standard III) as one of four \nstandards for effective principals/head of school practice. \nEngaging parents and students in shared decision-making as \nmembers of the Personnel Subcommittee aligns with Standard \nIII, Indicator A, Family Engagement of the rubric. Sharing \nevidence of effective implementation of the Personnel \nSubcommittee may be a valuable way for principals/heads of \nschool to demonstrate proficient practice in Standard III. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on the role and purpose of the School \nSite Council, shared decision-making, and school-based \nmanagement, please refer to circular FAM-01 School Site Council", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "For additional information on the role and purpose of the School \nSite Council, shared decision-making, and school-based \nmanagement, please refer to circular FAM-01 School Site Council \nand the School Site Council Manual. \nFor additional information on school staffing and hiring, please \nrefer to circular HRS-HS-07 School Staffing, Reassignment, and \nHiring. \nEngagement staff from the Office of Family and Community \nAdvancement (OFCA) are available to provide support, coaching, \nand technical assistance related to shared decision-making and \nschool-based management to all BPS schools.", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "content": "Superintendent\u2019s Circular FAM-04 \nPage 5 of 5 \n \nAdditionally, OFCA and the BTU collaborate to provide training \nfor schools on all aspects of the School Site Council, including the \nPersonnel Subcommittee. \n \nFor more information about this circular, contact: \nOwner: Director of Family School Engagement \nPractice Team \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 443 Warren Street Boston, MA 02121 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + }, + { + "file_name": "COM-02 Media Relations Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nCOM-02 \nVersion 01 \n \n MEDIA RELATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to cultivating and \nmaintaining an open and productive relationship with the news \nmedia. The district recognizes that the media provides a public \nservice, are viewed as a reliable source of news about the Boston \nPublic Schools and seeks to provide timely and accurate \ninformation toward that end. \nThe district maintains that the top priority of schools is to \neducate students and ensure the safety and privacy of all \nstudents, staff, and families. \n To balance the responsibilities of schools and the need to provide \ninformation to the media, all press inquiries about the Boston \nPublic Schools or any individual school, student, staff member, \nprogram, or initiative are to be directed first to the \nCommunications Office.", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-02 Media Relations Policy.pdf", + "content": "Public Schools or any individual school, student, staff member, \nprogram, or initiative are to be directed first to the \nCommunications Office. \n Any staff member contacted directly by a member of the news \nmedia must refer the reporter to the Communications Office, \nwho will work with staff and the media outlet to respond \nappropriately to the inquiry. \n District officials, schools, and staff must cooperate with the news \nmedia to the extent required and appropriate by law while \nensuring that media coverage does not interfere with teaching \nand learning.", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-02 Media Relations Policy.pdf", + "content": "Superintendent\u2019s Circular COM-02 \nPage 2 of 2 \n \n It is critically important to protect the privacy of students and \nstaff while fulfilling the requirements of public records laws. The \nCommunications Office works closely with the Legal Advisor to \ndetermine what information is a matter of public record and \nwhat must remain confidential. Only a student whose parent or \nguardian has signed and returned a Media Appearances form \nmay be recorded, filmed, photographed, or interviewed. Students \nfor whom no such consent is on file in the school office may not \nparticipate in any media-related activities, and their name and \nimage are not to be released to the media or anyone else outside \nof the school. For more information, see the Guide to the Boston \nPublic Schools for Families and Students. \nFor more information about this circular, contact: \nOwner: Chief of Communications \nDepartment: Chief of Communications \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-02 Media Relations Policy.pdf", + "content": "For more information about this circular, contact: \nOwner: Chief of Communications \nDepartment: Chief of Communications \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9265 \nEmail: communications@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-01 Communications Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCOM-01 \nVersion 01 \n \n \nCOMMUNICATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS), Boston School Committee, \nsuperintendent, and all central and school-based staff are \nresponsible for communicating accurately and effectively with \nfamilies, students, colleagues, partners, and the community. \nOngoing communication with all stakeholders is essential to \ndeveloping and sustaining effective home/school/community \npartnerships for improving student achievement. \nThe Boston School Committee affirms the following principles: \n\u25cf Families and citizens have a right to know what is occurring \nin their public schools. \n\u25cf All BPS employees have an obligation to ensure the public is \nkept systematically and adequately informed. \n\u25cf Boston Public Schools staff and families benefit from \nimproved sharing of information \u2013 positive and negative.", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-01 Communications Policy.pdf", + "content": "kept systematically and adequately informed. \n\u25cf Boston Public Schools staff and families benefit from \nimproved sharing of information \u2013 positive and negative. \n\u25cf Written and verbal communication from schools and \nemployees should reflect the BPS commitment to \nsupporting all children and families, focusing on student \nachievement through high-quality teaching and learning. \n\u25cf Effective communication requires an ongoing two-way \nexchange between schools and constituents, including", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-01 Communications Policy.pdf", + "content": "Superintendent\u2019s Circular COM-01 \nPage 2 of 4 \n \n \nthoughtful mechanisms at the school and district levels for \nseeking family, student, and community perspectives on \ncritical issues and decisions. \n\u25cf Language used to communicate with families and the \ncommunity must be free of educational jargon, acronyms, \nand other terminology unfamiliar to non-educators. \n\u25cf All communication must reflect and be sensitive to the \ndiversity of BPS families and staff, free of bias with respect \nto race, ethnicity, language, education, income, gender, \nreligion, sexual orientation, or disability. \nIn keeping with these principles, the superintendent shall issue \ndistrict-wide procedures and guidelines to foster effective \ncommunication in crucial areas such as media relations, \nemergency communications, customer service, publications, \npresentations, photography, events, and \ntranslation/interpretation. \nTo ensure brand consistency and help families identify official", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-01 Communications Policy.pdf", + "content": "emergency communications, customer service, publications, \npresentations, photography, events, and \ntranslation/interpretation. \nTo ensure brand consistency and help families identify official \nBPS publications and properties, schools and departments must \ndisplay the BPS logo on websites and publications. School and \ndepartment stationery and signage should incorporate the BPS \nlogo, the Boston city seal, or both. The BPS logo may not be \naltered and must be reproduced in its correct aspect ratio. The \nlogo digital and printable files are available at the BPS-LOGO \nfolder. \nIt is the responsibility of every school, office, and program in the \nBoston Public Schools to adhere to these procedures and \nexecute additional effective communication strategies. The BPS \nCommunications Office shall provide leadership, resources, \nguidance, and technical assistance to support the district and \nschools in these efforts.", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-01 Communications Policy.pdf", + "content": "Superintendent\u2019s Circular COM-01 \nPage 3 of 4", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "COM-01 Communications Policy.pdf", + "content": "Superintendent\u2019s Circular COM-01 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nowner: Chief of Communications \nDepartment: Chief of Communications \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9265 \nEmail: communications@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEL-06 \nVersion 01 \n \n \n \n1 \nINITIAL IDENTIFICATION AND ASSESSMENT OF \nMULTILINGUAL LEARNERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to bring clarity and guidance \nregarding the initial identification and assessment of Multilingual \nLearners (MLs) in BPS. The district is obligated to appropriately \nassess and identify MLs as outlined in several key documents, \nincluding by the Massachusetts Department of Elementary and \nSecondary Education\u2019s Guidance1, the Successor Settlement \nAgreement and META Consent Decree. To meet our obligations \nto our MLs and their families, we must ensure that all BPS \nstudents are correctly assessed, identified, placed, and receive \nappropriate services. \n \n \n1 https://www.doe.mass.edu/ele/resources/id-assess-place-\nreclass.html", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 2 of 20 \n \nTABLE OF CONTENTS \n1. Assessment requirements \n2. Reason to suspect a student may be a Multilingual Learner \n3. Process to assess Students for Multilingual Learner status \nwho have an HLS of EEE \n4. K1 School-Based English Language Proficiency Assessment \nCalendar SY 2024 \n \n1. ASSESSMENT REQUIREMENTS \nUnder federal2 and state3 law, the Boston Public Schools (BPS) \nmust take appropriate steps to identify potential Multilingual \n \n2 Paragraph 28 of The Successor Agreement between the United \nStates of America and the Boston Public Schools and U.S. \nDepartment of Education (USDOE) and U.S. Department of \nJustice (USDOJ) EL policy document entitled Dear Colleague \nLetter, English Learner Students and Limited English Proficient \nparents/guardians (01/7/2015) (referred to as \u201cDear Colleague \nletter\u201d hereafter) at \nhttp://www2.ed.gov/about/offices/list/ocr/letters/colleague-el-\n201501.pdf. \n3 Guidance on Placement, Progress Monitoring and", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "letter\u201d hereafter) at \nhttp://www2.ed.gov/about/offices/list/ocr/letters/colleague-el-\n201501.pdf. \n3 Guidance on Placement, Progress Monitoring and \nReclassification Procedures of English Learners, Massachusetts \nDepartment of Elementary and Secondary Education, and G. L. C. \n71A; 603 CMR 14.02.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 3 of 20 \n \nLearners (MLs) in K2 through grade 12 and provide them with the \nappropriate English Learner services and supports. The initial \nidentification and assessment of Multilingual Learners follows the \nrequirements outlined in paragraphs 28-31 of the Successor \nSettlement Agreement: \nSuccessor Settlement Agreement Paragraph 28: \nA student must be referred for an English language proficiency \nassessment when the results of the Home Language Survey \n(HLS) indicate that a language other than English is: \n\u2022 The primary language used in the home, regardless of the \nlanguage spoken by the student \n\u2022 The language most often spoken by the student, and/or \n\u2022 The language that the student first acquired. \nIf the parent/guardian answered \u201cyes\u201d to one or more of the \nabove questions, the student is required to be assessed using the \ngrade-level, state-required language screening assessment. \nPlease refer to the MA Department of Elementary and Secondary", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "above questions, the student is required to be assessed using the \ngrade-level, state-required language screening assessment. \nPlease refer to the MA Department of Elementary and Secondary \nEducation Guidance on the Initial Identification of English \nLearners for more information on identifying and evaluating ELs. \nThe Successor Agreement obligates the district to ensure that \nEnglish language proficiency (ELP) assessments shall be \naccomplished as soon as possible, but no later than 20 days from \nthe student\u2019s enrollment during the school year, or within 20 \ndays or by the first day of the new school year, whichever comes \nlater, if the student enrolls during the summer. During peak \nseasons, January 1 through March 15 and August 1 through \nOctober 31, ELP assessments shall be accomplished as soon as \npossible, but no later than 25 days. Parents/guardians shall be", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 4 of 20 \n \ninformed in writing of assessment results and student \nassignment options no later than 2 school days after the \ncompletion of the assessments. The Newcomers Assessment and \nCounseling Center provides written notice of the assessment \nscores and school choice options to the parent/guardian at the \nend of the assessment appointment. \nTABLE 1: The following table delineates the process of \nMultilingual Learner identification at the time of enrollment. It \nhighlights the departments\u2019 roles and responsibilities and their \norder in Multilingual Learner identification. \nPlease note: Bolded action steps relate directly to English \nLearner identification and placement.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 5 of 20 \n \nDepartment Action Steps \nWelcome \nCenter \n1. Collect and verify documents (medical forms, \nresidency, birth date). \n2. Administer Home Language Survey (HLS) to all \nfamilies to identify potential Els. \n3. Score HLS and inform families of the result. \n4. Schedule an appointment at NACC if the HLS score is \nanything other than EEE. \n5. Assign an initial case number to the student. \nNewcomers \nAssessment \nand \nCounseling \nCenter \n(NACC) \n1. Interview families and collect information about \nstudents\u2019 academic background. \n2. Assess K-12 students in English and determine the \ninitial ELD level. \n3. Administer Native Language test to newcomer \nstudents in grades 3-12 in the major languages spoken \nin BPS if students indicate interrupted learning or \nlimited formal education. \n4. Inform families of their program options so that they \nfeel equipped to make the best choice for their child. \n5. Enter families' choices in SIS so BPS can begin the", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "limited formal education. \n4. Inform families of their program options so that they \nfeel equipped to make the best choice for their child. \n5. Enter families' choices in SIS so BPS can begin the \nassignment process. \nEnrollment \nPlanning \nServices \n1. Approve case for assignment. \n2. Assign a BPS identification number to the case. \n3. Review the school choices and use the NACC \nplacement recommendations to assign the student to \na school. \n4. Maintain student assignment data. \n5. Notify families by letter of their final assignment.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 6 of 20 \n \nPARENT NOTIFICATION AND COUNSELING \nAfter scoring the assessment, assessment specialists review all \navailable information (e.g., transcripts, IEP, 504 plans) collected \nfrom the parent/guardian during the intake interview to propose \na program recommendation. \nNext, testers sit with the parent/guardian to inform them, in the \nlanguage of their preference, of the results of the assessment. \nTesters use all available information collected during the \nlanguage testing appointment to counsel the parent/guardian \nabout EL programs and services (e.g., SEI, SLIFE, Dual Language, \netc.) that are appropriate for their child's proficiency level. After \ncounseling the families, testers enter scores into the student's \ncase record in Aspen SIS, which generates a list of schools with \nthe appropriate programs and services. The parent/guardian \nthen ranks schools on their choice list and signs the school", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "case record in Aspen SIS, which generates a list of schools with \nthe appropriate programs and services. The parent/guardian \nthen ranks schools on their choice list and signs the school \nselection form. The tester enters the parent/guardian\u2019s rank order \nchoices into SIS, and the case is forwarded to the Welcome \nServices student assignment team. At the end of the visit, the \nfamily receives a copy of the documents (e.g. Notification of Initial \nAssessment Form they signed. \n2. REASON TO SUSPECT A STUDENT MAY BE AN ENGLISH \nLEARNER \nParagraph 28 of the Successor Settlement Agreement requires \nthe district to assess enrolling students whose Home Language \nSurvey does not indicate a language other than English in the \ncase that \u201cthere is any other reason to believe the student is not \nproficient in English.\u201d The district has operationalized this \nrequirement as detailed in the tables in section 3.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 7 of 20 \n \n3. PROCESS TO ASSESS STUDENTS FOR ENGLISH LEARNER \nSTATUS WHO HAVE AN HLS OF EEE \nSome students may be suspected of being MLs but may not have \nbeen identified during enrollment because of an HLS score of \nEEE. The following table outlines the action steps necessary to \ndetermine if such a student is an ML. \nTABLE 2: Please see Table 2 for the process to assess students \nwho have an HLS of EEE and are suspected of being Multilingual \nLearners. \nDepartment Action Steps \nSchool 1. Obtain written parent permission that they would \nlike to amend their HLS results in Aspen to indicate \nanother language is spoken at home and that they \nwould like their student tested for ELE services \nbefore administering testing. Parents must include \nthe updated home language on their request. \nParents must be informed that this change will \nresult in testing. \n2. Submit this request to the EL-CCR with a copy of the", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "the updated home language on their request. \nParents must be informed that this change will \nresult in testing. \n2. Submit this request to the EL-CCR with a copy of the \nupdated letter of the home language survey to \nupload, or, if it is an email, please make sure the \nemail is one that is stored in Aspen in the contact \nsection. \n3. Attach the documentation to the EL-CCR form and \nforward these items to the Office of Multilingual and \nMulticultural Education at \nommeequityteam@bostonpublicschools.org.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 8 of 20 \n \nDepartment Action Steps \nOMME Equity \nand \nAccountability \n4. Review EL-CCR submission for a first language \nchange request and either approve or deny based \non meeting requirements for submission. \n5. Inform school of EL-CCR decision. \nSchool 6. Wait for an approval email and for the HLS results to \nbe changed in Aspen. Please do not test the student \nuntil you have received approval from OMME. \n7. Test the student with the WIDA Screener. You must \nadminister the test to the student in person with a \ntrained test administrator. \n8. Enter the test results in Aspen under the language \ntab. \n9. Submit another request to the EL-CCR for the \nstudent to have an ELD level and include the results \nof the test in the upload of documentation. \nOMME Equity \nand \nAccountability \n10. Review EL-CCR submission for a NEL to EL request \nand either approve or deny based on meeting \nrequirements for submission. \n11. Inform school of EL-CCR decision.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "and \nAccountability \n10. Review EL-CCR submission for a NEL to EL request \nand either approve or deny based on meeting \nrequirements for submission. \n11. Inform school of EL-CCR decision. \nSchool 12. Schedule student for ELE services appropriate to \ntheir ELP. \n \nTABLE 3: The following table outlines the steps that must be \ntaken before assessing a student\u2019s potential Multilingual Learner \nStatus based on their Home Language Survey Score.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 9 of 20 \n \nHLS Result Procedure \nOEE/EOE/E\nEO \nParent/ \nGuardian \nPermission \nRequired? \nYES: Welcome Center explains testing \nimplications of Home Language Survey results \nduring the enrollment process. \nAction \nSteps \n1. Student is identified as a potential ML \nupon registration via the Home Language \nSurvey at the Welcome Center. \n2. Student case is transferred to NACC \nwhere the family is interviewed and \nstudent is assessed. \n3. Student is assigned. \n4. Student receives ACCESS testing annually \nuntil they meet exit criteria. \nOEE/EOE/E\nEO \n \nBut \nstudent \ntested \nproficient \nduring \ntesting at \nthe time of \nenrollment \nParent/ \nGuardian \nPermission \nRequired? \nYES: Schools must contact the parent/guardian \nand inform them they have concerns based on \nevidence (i.e., academic performance, test \nresults) and want to assess their student. The \nschool must document all meetings and \ninformation shared with parents and include", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "evidence (i.e., academic performance, test \nresults) and want to assess their student. The \nschool must document all meetings and \ninformation shared with parents and include \nthem in the ELD folder. \nAction \nSteps \n1. Parent/guardian(s) must put in writing \nthat they would like to have their student \nreassessed. Please inform the parent that \nthis may lead to their student being \nidentified as a Multilingual Learner (ML) \nwhich will result in EL services being \nrequired and an annual ACCESS", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 10 of 20 \n \nHLS Result Procedure \nassessment. \n2. If the parent/guardian(s) agree, test the \nstudent with the appropriate WIDA \nassessment. You must administer the test \nto the student in person with a trained \ntest administrator. \n3. Enter the test results in Aspen under the \nLEP Testing Template. Contact NACC with \nquestions about the LEP Testing \nTemplate. \n4. Submit a request to the EL-CCR for the \nstudent to have a NEL to EL change, and \ninclude the parent\u2019s documentation, \nschool documentation, and results of the \ntest in the upload of documentation. \n \nTABLE 4: The following table outlines which test a trained test \nadministrator should administer to a student who may be a \npotential Multilingual Learner. \nPlease note: A grade level begins on July 1st of the summer \nbefore entering a grade and ends on June 30th of the year of \ncompleting that grade.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 11 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nK1 WIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nCurrently enrolled K1 students are \ntested annually beginning April 15 for \nK2 seats in the upcoming school year. \nK2 \nFirst half of \nthe school \nyear \n \nWIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \nK2 \nSecond half \nof the school \nyear (from \nTuesday \nafter MLK \nday) \nWIDA Screener \nfor Kindergarten \n(4 domains) \n \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \n1 \nFirst half of \nthe school \nyear (until", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Screener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \n1 \nFirst half of \nthe school \nyear (until \nFriday \nBefore MLK \nWIDA Screener \nfor Kindergarten \n(4 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 12 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nDay) \n1 \nSecond half \nof the school \nyear \n(from \nTuesday \nafter MLK \nDay) \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR \nNACC by request and with appointment \n3-12 \nWith 1 or 2 \nyears in \ndistrict \nWIDA Screener \nOnline & Native \nLanguage \nAssessment \nNACC only \n3-12 \nWith 3 or \nmore years \nin district \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR \nNACC by request and with appointment", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 13 of 20 \n \nTABLE 5: The following table outlines when ACCESS Testing is \nappropriate for Multilingual Learners. \nStudent Details Administer ACCESS Test? \nA student is a suspected ML but has not \nbeen confirmed as a Multilingual \nLearner. \nNo. Do not administer ACCESS. \nInstead, follow the steps to \nconfirm a suspected EL outlined \nin Table 1. \nA student is a confirmed ML based on \nthe correct screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nYes. Administer ACCESS. \nA student is a confirmed ML based on \nthe correct screener test BUT has opted \nout of some or all English Learner \nservices. (Steps for identifying correct \nscreener test outlined in Table 2). \nYes. Administer ACCESS. \nA student scored Proficient on the \ncorrect screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nNo. Do not administer ACCESS. \n A student scored Proficient on ACCESS \nthe previous year", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "correct screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nNo. Do not administer ACCESS. \n A student scored Proficient on ACCESS \nthe previous year \nNo. Do not administer ACCESS.", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 14 of 20 \n \n4. K1 SCHOOL-BASED ENGLISH LANGUAGE PROFICIENCY \nASSESSMENT CALENDAR SY 2024 \nEvery year, school-based designated testers assess approximately \n1,300 K1 students under the training and guidance of NACC. To \nensure that all K1 students identified as Multilingual Learners \n(MLs) receive the related services and programs in SY 2023-2024, \nwe ask schools to carefully review, prepare for, and adhere to the \nassessment calendar below. \nTABLE 6: \nAction Steps Instructions Date(s) \nSTEP 1 \nConvene Language \nAssessment Team \nSchool staff should review their K1 roster \nto start developing their assessment \nschedule: \nFollowing NACC training, schools will \nreceive a list of students that need to be \nassessed. Schools should carefully review \nthis list. \nIf a school suspects a student should be \non the list to be assessed because a \nlanguage other than English is spoken in \nthe home, the LAT should convene to", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "this list. \nIf a school suspects a student should be \non the list to be assessed because a \nlanguage other than English is spoken in \nthe home, the LAT should convene to \ndetermine if the student is eligible for \ntesting. Contact NACC and the OMME \nInstruction Team if you have any \nquestions about this. \nAlthough explicit parental consent is not \n03/01/24", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 15 of 20 \n \nAction Steps Instructions Date(s) \nrequired, schools should meet with \nparents/guardians to discuss concerns \nand inform them of the plan to assess \nstudents with the grade level required \nlanguage screener (WIDA screener for \nK1). This communication allows the \nfamilies to have meaningful access to \ntheir child\u2019s education. \nSTEP 2 \nIdentify designated \ntesters \nThe principal identifies the staff \nmembers who will administer the \nEnglish language proficiency \nassessment. School leader should submit \nthe name of the school-based \ndesignated tester on this form. \nThe designated testers should be \nlicensed teachers or licensed staff \nmembers who are experienced EL \neducators. \nIt is recommended that schools select \ntheir Language Acquisition Team \nfacilitators (LAT-F), ESL teachers, and K1 \nteachers familiar with the students as the \ndesignated testers. \nBeginning April 15th, school leaders \nprovide 3 hours for K1 designated testers", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "facilitators (LAT-F), ESL teachers, and K1 \nteachers familiar with the students as the \ndesignated testers. \nBeginning April 15th, school leaders \nprovide 3 hours for K1 designated testers \nto watch the WIDA Screener for \n03/01/24", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 16 of 20 \n \nAction Steps Instructions Date(s) \nKindergarten training course and take all \nthe required Quizzes on the WIDA Secure \nPortal before they come to overview \nsessions. (3 hours could be during their \ncommon planning time, school-based PD \ntime, etc.) Designated testers should use \nthe following Google Form link to submit \ntheir SY 2024 WIDA Certificates: Google \nForm. \nSchools with K1 programs should \ndesignate testers for a test \nadministration overview session. \nDesignated testers will receive a \nregistration link for an overview session \nno later than Tuesday, April 2, 2024. \nSTEP 3 \nAttend training \nsession \nSchools must allocate time for the \ndesignated testers to attend one of the \nK1 test administration overview sessions. \nAll test administration overview sessions \nwill take place online. \nTraining is designed to support new and \nexperienced testers. \n04/2/24 & \n04/03/23", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 17 of 20 \n \nAction Steps Instructions Date(s) \nSTEP 4 \nPick up materials \nDesignated testers should pick up the \ntesting materials after the overview \nsession at NACC in the Bolling Building. \n04/04/24-\n04/09/23 \n \nSTEP 5 \nAssess identified K1 \nstudents \nDesignated testers assess all identified K1 \nstudents with the corresponding English \nlanguage proficiency assessment. \nOnly testers who attend the training \nsessions in April can administer the \nEnglish language proficiency \nassessments. \nTo ensure appropriate test \nadministration, designated testers \ncannot transfer assessment \nresponsibilities or \u201cdeputize\u201d educators \nwho have not attended a SY 2024 \ntraining session. \nStudents with disabilities should be \ntested according to their IEP \naccommodations. Copies of the IEP \naccommodations should be attached to \nthe students\u2019 test booklets and \nforwarded to NACC no later than Friday, \nMay 10, 2024. \nTo ensure that students receive the", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "accommodations should be attached to \nthe students\u2019 test booklets and \nforwarded to NACC no later than Friday, \nMay 10, 2024. \nTo ensure that students receive the \n05/10/24", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 18 of 20 \n \nAction Steps Instructions Date(s) \nappropriate placements for the 2024-\n2025 school year, K1 English language \nproficiency assessments must be \ncompleted no later than Friday, May 10, \n2024. \nSTEP 6 \nLAT-F input test \nresults, return test \nanswer booklets and \nrequested \ndocuments \nLAT-F input results of English language \nproficiency assessments into Aspen SIS \nto ensure the initial ELD level and test \nresults become a part of the student\u2019s \nassessment record. All test results must \nbe entered into Aspen SIS by Friday, May \n10, 2024. \nSchools must keep copies of the test \nanswer sheets and a hard copy of the \nWIDA Score Report in the students\u2019 ELD \nfolders. \nIf a student was screened and found NOT \nto be an EL, the school should keep the \ntest answer sheet and the WIDA Score \nReport in the student\u2019s cumulative folder. \nSchools must return all original test \nanswer booklets and all requested \ndocuments to NACC no later than Friday,", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "test answer sheet and the WIDA Score \nReport in the student\u2019s cumulative folder. \nSchools must return all original test \nanswer booklets and all requested \ndocuments to NACC no later than Friday, \nMay 10, 2024 so that OMME can review \nthe data before submitting final test \n05/10/24", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 19 of 20 \n \nAction Steps Instructions Date(s) \nscores to OIIT. \nSTEP 7 \n \nData Validation \nOMME will review assessment samples \nfor data validation. \nOMME will inform LATFs of any errors in \nassessment scoring. Schools will be able \nto see any updates to their data in Aspen \nSIS after May 17, 2024. \n05/17/24 \nSTEP 8 \n \nParent Notification \nLetter \nLAT-Fs will inform the parent/guardian of \ntheir student\u2019s assessment results via the \nParent Notification Letter in the parent\u2019s \npreferred language within two weeks \nafter the assessment data is confirmed in \nAspen SIS. \nFile a signed copy of the letter in the \nstudent\u2019s ELD folder. \n05/31/2024 \nSTEP 9 \n \nK1 students \nassigned after \n05/10/24 \n \nAfter the testing window closes on May \n10, 2024, schools must continue to assess \nall newly assigned K1 students whose \nHLS indicates any language other than \nEnglish. \nThe designated tester must borrow a \ncopy of the Kindergarten Screener for", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "all newly assigned K1 students whose \nHLS indicates any language other than \nEnglish. \nThe designated tester must borrow a \ncopy of the Kindergarten Screener for \ntesting K1 students from NACC. \n06/14/24", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-06 \nPage 20 of 20 \n \nAction Steps Instructions Date(s) \nDesignated testers should follow the \ninstructions in Step 4 and Step 5. \n \n \nFor more information about this circular, contact: \nOwner: NACC Director \nDepartment: Office of Multilingual and Multicultural \nEducation \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-1565 \nEmail: nacc@bostonpublicschools.org \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEL-07 \nVersion 01 \n \nBPS INSTRUCTIONAL SYSTEM AND MONITORING FOR \nMULTILINGUAL LEARNERS \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis superintendent\u2019s circular outlines the district\u2019s instructional \nsystem and monitoring for multilingual learners, including: \n1. Instructional Expectations and Resources: \na. Defining high-quality instructional expectations and \nmaterials for our multilingual learners and multilingual \nlearners with disabilities (MLWD) \nb. Curating and outlining resources for schools, classroom \nstaff, and school leaders to change and improve \ncurrent practices in classrooms serving Multilingual \nlearners and those with disabilities \n2. Monitoring of Multilingual Learners\u2019 Instruction: \na. Monitoring Individualized Learning Plans (ILPs) for \nmultilingual learners who have not met ACCESS \nprogress benchmarks", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 2 of 18 \n \nb. Conducting classroom observations by school leaders \nand district regional support teams or ESL and content \ninstruction across programs serving Multilingual \nlearners \nIn accordance with the DOJ agreement for ELE services, an \noverview of ELE services, compliance monitoring, accountability, \nand DOJ reporting schedule is outlined here. \n \nINSTRUCTIONAL EXPECTATIONS \nThe circular provides foundational information on practices and \nexpectations regarding high-quality instruction and grade-level \ncontent instruction for our MLs aligned to MA-DESE frameworks \nand grade-level standards. Included are resources for classroom \nstaff and school leaders to align and improve current classroom \npractices. The research-based resources and strategies will \nprovide consistent, high-quality educational practices across the \nDistrict to develop a systemwide understanding of expectations", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "practices. The research-based resources and strategies will \nprovide consistent, high-quality educational practices across the \nDistrict to develop a systemwide understanding of expectations \nfor instructing our multilingual learners and those with \ndisabilities. \nOne priority of the Office of Multilingual and Multicultural \nEducation (OMME) is to outline instructional expectations with \nguidance and resources for multilingual learner (ML) educators to \naccelerate MLs\u2019 language acquisition and support their growth \nacross content. All MLs are entitled to meaningful access to \ngrade-level content learning and English language development \n(ELD) instruction to build their English language skills in all four \nlanguage domains (reading, writing, listening, and speaking). All", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 3 of 18 \n \nMLs regardless of program or placement are entitled to receive \nsheltered content with an SEI teacher and ESL services with an \nESL-certified teacher1. To that end, OMME is committed to \nproviding all ESL and SEI content teachers with tools that best \nsupport MLs. \n \nGROUNDING THE INSTRUCTIONAL CORE IN WIDA AND MA \nCURRICULUM FRAMEWORKS \nTo maintain high-quality content and language learning for MLs, \nit is paramount to center all ML instruction for Fall 2023 and \nbeyond on research-based standards for language development \nas well as grade-level content. OMME expects that the MA \nCurriculum Frameworks and WIDA 2020 Standards Framework \nare the foundations for all effective delivery of English as a \nSecond Language (ESL) instruction and English Learner \nEducation programs. \nOMME has created clear and explicit guidance around what \ndefines English as a Second Language (ESL) instruction in Boston", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Education programs. \nOMME has created clear and explicit guidance around what \ndefines English as a Second Language (ESL) instruction in Boston \nPublic Schools (BPS) and the varied programmatic structures it \nmay take. ESL is its own subject matter and provides explicit, \nsystematic, and sustained language instruction to promote MLs\u2019 \nsuccess at school and beyond. ESL is: \n \n1 Any core academic teacher of an Multilingual Learner (providing instruction in English): teachers of \nMLs with moderate disabilities; teachers of MLs with severe disabilities; teachers in English, reading or \nlanguage arts; mathematics, science; civics and government, economics, history, and geography; early \nchildhood and elementary teachers who teach MLs such subjects; and any career vocational technical \nteacher who instructs a ML.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 4 of 18 \n \n \n\u2022 Asset-based and culturally sustaining \n\u2022 Language driven \n\u2022 Balanced, focused on both meaning and form \n\u2022 Standards-based (i.e. ELA, History, Math, Science), rigorous, \nand integrated \n\u2022 Designed for authentic language interactions, dialogue, and \ncollaboration \n\u2022 Planned and dynamic \n\u2022 Differentiated and scaffolded \n\u2022 Grounded in effective assessment practices \n \nSuccessful pedagogy is grounded in these frameworks and \napproaches: \n\u25cf MA Curriculum Frameworks: The frameworks establish clear \nacademic expectations for what students should know and \nbe able to do at the end of each school year. They \nemphasize the development of 21st-century skills with \ncollege and career readiness. Current curriculum \nframeworks for each content area can be found here. \n\u25cb English Language Arts & Literacy \n\u25cb Social Studies / Humanities \n\u25cb Science Technology & Engineering \n\u25cb World Language Standards", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "frameworks for each content area can be found here. \n\u25cb English Language Arts & Literacy \n\u25cb Social Studies / Humanities \n\u25cb Science Technology & Engineering \n\u25cb World Language Standards \n\u25cf WIDA: A research-based, comprehensive approach to", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 5 of 18 \n \nsupporting, teaching, and assessing multilingual learners. \nThe WIDA 2020 Framework and Standards prioritize equity \nof opportunity and access, integration of content and \nlanguage, collaboration among stakeholders, and a \nfunctional approach to language development. \n \nKey components to effective ML teaching in the BPS: \n\u25cf Native Language : Research shows that using native \nlanguage instruction and resources has a positive effect on \nEnglish language development. Teachers should leverage \nstudents\u2019 native-language literacy skills whenever possible \nand use that knowledge to facilitate metalinguistic \nawareness and cross-linguistic transfer. When teachers have \na basic knowledge of students\u2019 native language structure, \nthey can better identify students\u2019 positive and negative \nlinguistic transfers. Furthermore, teachers should consider \nusing native language materials to build background", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "they can better identify students\u2019 positive and negative \nlinguistic transfers. Furthermore, teachers should consider \nusing native language materials to build background \nknowledge and help students transfer content-area skills \nand understandings from one language to another. \n\u25cf Collaboration Among ML Educators: BPS prioritizes teacher \ncollaboration to support MLs\u2019 success in content area \nclasses and programs. \u201cCo-Teaching ESL is a unique form of \nteacher collaboration where two teachers (an ESL and a \ngrade level/content area teacher) fully share teaching \nresponsibilities for a common group of students. The co-\nteachers jointly plan for, deliver, and assess dedicated, \nsystematic, explicit, and sustained standards-based and \nlanguage-focused ESL instruction that connects to content", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 6 of 18 \n \narea topics and analytical practices.\u201d (DESE\u2019s Quick \nReference Guide Co-Teaching Co-Teaching ESL) \n \nMATERIALS GUIDANCE \nOMME will continue to work across academic departments to \nensure that all materials provide scaffolding and supports for \nmultilingual learners. To support this initiative, OMME has \ndeveloped an ELD Look-For Tool that illustrates effective \nculturally and linguistically sustaining practices that are key \ninstructional components for all classrooms serving Multilingual \nLearners. This tool is aligned with research-based best practices \nfor MLs and to the BPS Equitable Literacy Look-Fors, and the \nCulturally Responsive Instruction Observation Protocol (CRIOP). \nIn order to support the integration of content and language, \nOMME created an integrated Language Objectives writing tool \nand a series of professional development to support this initiative.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "In order to support the integration of content and language, \nOMME created an integrated Language Objectives writing tool \nand a series of professional development to support this initiative. \n \nMultilingual Instructional Coaches (MICs) worked throughout SY \n2022/23 to analyze district-approved tier 1 curriculum, thoroughly \nexamine the WIDA 2020 Standards Framework to create a scope \nand sequence and unit maps for ESL instruction for grades K-12: \nFocus in Grades K0-2, EL Education for Grades 3-5, and StudySync \nand core content in Grades 6-12. All curriculum and support \ndocuments will be housed in this Boston Public Schools ESL \nCurriculum Digital Notebook.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 7 of 18 \n \nThe work was grounded in: \n\u2022 Massachusetts Department of Elementary and Secondary \n(DESE) Next Generation ESL Curriculum Guidance, \n\u2022 7 Forms of Bias, \n\u2022 Culturally Responsive Teaching, \n\u2022 Systemic Functional Linguistics, \n\u2022 Equitable Literacy and Culturally and Linguistically \nSustaining Practices, \n\u2022 the 3Ls, \n\u2022 WIDA 2020 Standards Framework, and \n\u2022 Understanding by Design (UbD). \n \nDual Language schools have adopted a variety of authentic texts \nor trans-adapted texts / materials in the native language. OMME \nrecommends usage of native language text sets aligned to grade \nlevel standards and units of study that meet the rigor and \nexpectations for quality materials using CURATE. Additionally, the \ndistrict recommends the following Spanish and English \ncomplimentary materials for dual language: \n1. Focus Transadapted Spanish Texts \n2. American Reading Company \nOther Dual Language and bilingual programs in majority BPS", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "complimentary materials for dual language: \n1. Focus Transadapted Spanish Texts \n2. American Reading Company \nOther Dual Language and bilingual programs in majority BPS \nlanguages are provided materials in the form of authentic texts \nor transadapted texts thematically aligned to the biliteracy \nframework for the target languages that must meet grade level \nstandards.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 8 of 18 \n \n \nIn setting expectations for high-quality instruction, the District \nhas a responsibility to provide district level and individualized \ncoaching support for school and classroom staff. The following is \na list of instructional recommendations with critical resources for \nteachers and school leaders serving multilingual learners and \nEnglish learners with disabilities (ELD). \n \nSEI PROGRAMS VS. SEI CLASSROOMS \nBoston Public Schools has the highest number of MLs across the \nstate. Therefore, it is expected that every BPS classroom is an SEI \nclassroom (if there is at least one multilingual learner enrolled) \nwith a qualified SEI teacher. Additionally, BPS offers SEI programs \nto students at ELD levels 1-3 with some language specific \nprograms at specified schools to better meet the needs of \nstudents at ELD levels 1-3 and provide language support if the \neducator has the same language. All MLs across ELD levels and", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "programs at specified schools to better meet the needs of \nstudents at ELD levels 1-3 and provide language support if the \neducator has the same language. All MLs across ELD levels and \nplacement settings are expected to receive ESL instruction in \naccordance with their level, grouping per the Department of \nJustice (DOJ) and the Massachusetts Department of Elementary \n& Secondary Education (MA DESE). \n \nESL: English as a Second Language SCI: Sheltered Content Instruction \nNLI: Native Language Instruction NLS: Native Language Support", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 9 of 18 \n \nProgram Type & \nTarget \nInstructi\non Type \nBPS Instructional Expectations Resources \nSEI Multilingual \nProgram - targeted \nfor ML ELD 1-3 with \nlow incidence \nlanguages \n\u2713 ESL \n\u2713 SCI \n\u25cf Grade level aligned instruction \nusing district materials or \ncurriculum meets MA frameworks. \n\u25cf Adapting or differentiation for lower \nELD levels and/or low levels of \nliteracy to accelerate learning. \n\u25cf Educators teach academic \nlanguage and align to MA \nFramework content grade level \nstandards and WIDA standards. \n\u25cf Classroom teachers collaborate and \nplan with ESL teachers. \n\u25cf Educators are bilingual and believe \nthat the native language of \nstudents and families is an asset \nand promotes bilingual education. \n\u25cf Classroom environments are \nmulticultural, engage diverse \nperspectives and experiences and \nvalue all students' cultural and \nlinguistic backgrounds. \n\u25cf Student ILP (if needed) is aligned to \nWIDA Can Do and language \ndomains.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "perspectives and experiences and \nvalue all students' cultural and \nlinguistic backgrounds. \n\u25cf Student ILP (if needed) is aligned to \nWIDA Can Do and language \ndomains. \n\u25cf ESL instructional pedagogy is \nconnected thematically with a \nfocus on academic language. \n\u25cf MASS \nLiteracy \nGuide \n\u25cf MA DESE \nCollaboration \nTool \n\u25cf Incorporating \nNative \nLanguage \ninto Learning \n\u25cf BPS \nEquitable \nLiteracy Look-\nFors \n\u25cf MA DESE ESL \nModel \nCurriculum \nUnits \n\u25cf CGCS 3Ls: \nLearning, \nLanguage \nand Literacy \n\u25cf SFL Writing \nPedagogy \n\u25cf UDL \nGuidelines \n\u25cf MA DESE\u2019s \nDefining ESL \nGuidance \nSEI Language \nSpecific Program - \ntargeted for ML ELD \n1-3 with high \nincidence languages \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Inclusion \nProgram - targeted \nfor dually \nidentified ML with \nELD levels 1-3 and \nMLs with Disabilities \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Classrooms \nwithout district ELE \nPrograms - targeted \nto ELD 4 and ELD 5 \nand at all schools \nwithout an SEI \nMultilingual, \nLanguage Specific", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "MLs with Disabilities \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Classrooms \nwithout district ELE \nPrograms - targeted \nto ELD 4 and ELD 5 \nand at all schools \nwithout an SEI \nMultilingual, \nLanguage Specific \nor SEI Inclusion \nProgram \n \n\u2713 ESL \n\u2713 SCI", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 10 of 18 \n \n \n \nDual Language - \ntargeted for MLs in \nELD levels 1-3 and \nEnglish monolingual \nstudents \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u25cf Biliteracy skills that support each \nlanguage and build metalinguistic \nawareness, such as teaching \ncognates. \n\u25cf Educators are bilingual and hold \nthe belief that the native language \nof students and families is an asset. \n\u25cf Materials reflect authentic texts or \nare \n\u25cf transadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n\u25cf The curriculum includes a \nstandards-based scope and \nsequence for language and literacy \ndevelopment in English and the \npartner language for all students. \n \n\u25cf Dual \nLanguage \nCAL \nGuidance \nSLIFE - targeted for \nnewcomer students \nwith low native \nliteracy \nassessments and \ngaps of education \n(Newcomer \nProgram) \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u2713 NLS * \n\u25cf Native language literacy and \nnumeracy skills that develop \nstudents academically.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "literacy \nassessments and \ngaps of education \n(Newcomer \nProgram) \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u2713 NLS * \n\u25cf Native language literacy and \nnumeracy skills that develop \nstudents academically. \n\u25cf Appropriate developmental \nstrategies and pedagogy that build \non students\u2019 schema and life \nexperiences. \n\u25cf Educators are bilingual and hold \nthe belief that the native language \n\u25cf SLIFE DESE \nGuidance", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 11 of 18 \n \nof students and families is an asset. \n\u25cf Materials reflect authentic texts or \nare \n\u25cf transadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n\u25cf Drawing on students\u2019 cultures and \nidentities with projects and life skills \nthat connect to their communities \nand assets. \nHeritage Program - \ntargeted for \nstudents with \ncommon ethnic and \nnative language \n\u2713 NLI \n\u2713 ESL \n\u25cf Students from heritage \nbackgrounds are taught target \nlanguage across modalities aligned \nto World Language Standards. \n\u25cf Identity is often a major factor in \nheritage speakers/signers\u2019 \nmotivations for language learning, \nand educators must discuss identity \nissues to effectively support \nstudents in making the cultural \nconnections described in world \nlanguage content standards. \n\u25cf World \nLanguage \nStandards \n\u25cf Heritage \nSpeakers' \nGuide \n \n \nMONITORING OF MULTILINGUAL LEARNERS INSTRUCTION", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "connections described in world \nlanguage content standards. \n\u25cf World \nLanguage \nStandards \n\u25cf Heritage \nSpeakers' \nGuide \n \n \nMONITORING OF MULTILINGUAL LEARNERS INSTRUCTION \nIn addition, this circular outlines the District's expectations for \nCentral Office and school leaders regarding a quality monitoring \nsystem for ESL and content instruction for multilingual learners \nacross English Learner Education (ELE) programs and general \neducation settings. This system facilitates the District's \nidentification of classrooms, programs, and schools of excellence \nso BPS can share these practices, trends and teaching pedagogy", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 12 of 18 \n \ndistrict-wide. In addition, routine observations will allow the \nDistrict to identify schools and classrooms that need support for \ninstructional improvement and, in some cases, intervention at a \nschool, program, or classroom. The BPS monitoring system will \nensure that students with an ILP are attended to with specific \nlanguage goals. \n \nMONITORING OF ML INDIVIDUALIZED LEARNING PLANS (ILPS) \nMultilingual Learners that are not meeting targeted ACCESS \nprogress benchmarks indicated by MA DESE are required to have \nIndividual Learning Plans (ILP) (also known as a student success \nplan) that track their language growth and academic progress. \nEach year, OMME will share guidance, the list of students who \nneed an ILP per DESE\u2019s criteria, and the template document. \nLATFs will support the dissemination of information and these \nmaterials to teachers for completion. The ILPs should be", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "need an ILP per DESE\u2019s criteria, and the template document. \nLATFs will support the dissemination of information and these \nmaterials to teachers for completion. The ILPs should be \ncompleted by the student\u2019s team of teachers, integrating how \nthe student will grow across content areas. The use of the WIDA \nframework and Can Do descriptors guide the BPS ILP document \nso that the goals within each language domain of where a \nstudent needs to grow to move to the next level on the English \nlanguage proficiency continuum are aligned with WIDA. A BPS \nILP sample template can be found here. \n \nWith the continued implementation of this policy, school leaders, \nLATFs and teachers are expected to: \n\u2022 Identify the areas in which identified MLs need", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 13 of 18 \n \nimprovement and establish personalized goals for \nattaining English proficiency; \n\u2022 Assess and track the progress of MLs who did not meet \nbenchmarks in the identified areas in need of \nimprovement; \n\u2022 Review resources and services available to assist MLs in \nthe identified areas in need of improvement; and \n\u2022 Incorporate input from the parents or legal guardian of \nthe identified ML. \n \nOMME is developing a systemic approach to monitoring ILPs for \nML who have not met WIDA ACCESS Benchmarks as outlined \nbelow: \n\u2022 School leaders and LATFs will be notified and updated on \nthe percentage of ILP completion, and OMME will \nmonitor progress towards 100% completion of ILP plan; \n\u2022 ILPs should be finalized for students by October 15, 2023; \n\u2022 Schools principals and LATFs with incomplete ILPs will be \nnotified by late October to follow-up; \n\u2022 Any remaining incomplete ILPs will be reflected on school \nEL plans;", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "\u2022 Schools principals and LATFs with incomplete ILPs will be \nnotified by late October to follow-up; \n\u2022 Any remaining incomplete ILPs will be reflected on school \nEL plans; \n\u2022 OMME Equity and Accountability regional liaisons will \nwork with school superintendents to ensure ILP \ncompletion for ML identified in need of a plan. \n \nMONITORING OF INSTRUCTION \nBPS recognizes that rigorous, standards-based, culturally \naffirming instruction is critical to student outcomes in our", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 14 of 18 \n \nhighest needs schools. The district will implement a consistent \nmonitoring system to ensure ESL and content instruction for \nMultilingual learners and those with Disabilities receive high-\nquality instruction and opportunities for accelerated learning \nacross Equitable MTSS tiers. \n\u25cf The Office of Multilingual and Multicultural Education \n(OMME) is increasing staffing and instructional support in \nSY23/24 to support school leaders and educators in meeting \nconsistent expectations for instructional practices for \nMultilingual Learners and those with disabilities. OMME \nmultilingual instructional coaches will work to align \ninstructional expectations from the district to classroom \nlevel with materials, role expectations, instructional \npractices, and coaching cycles. \n\u25cf OMME has adopted an updated MLs observation tool using \nthe Equitable Literacy Self Reflection Tool and Learning,", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "practices, and coaching cycles. \n\u25cf OMME has adopted an updated MLs observation tool using \nthe Equitable Literacy Self Reflection Tool and Learning, \nLanguage and Literacy observation tool with embedded \npractices that meet grade level content expectations for \nMLs. The updated MLs observation tool will be utilized \ndistrict-wide to perform learning walks and observations \nacross all ESL and content classrooms where MLs are placed \nin order to assess the quality of teaching and learning for \nMultilingual learners with a focus on Culturally and \nLinguistically Sustaining Practices (CLSP). \n\u25cf BPS district teams and schools will use the updated MLs \nobservation tool replicated in Bullseye online platform for \nobservers to input observation records in order to collect \ndata, assess outcomes and monitor trends towards", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 15 of 18 \n \nincreased instructional improvements. \n\u25cf All district staff, school leaders and other classroom \nobservers will be trained on the updated MLs observation \ntool via Bullseye online platform in order to implement \nacross the system and leverage as a consistent routine \nclassroom observation and monitoring tool. \n \nSCHOOL ACCOUNTABILITY \nThe following outlines the District\u2019s expectations for school \nleaders and central office regarding a quality monitoring system \nfor ESL and content instruction for multilingual learners \nregardless of program or placement. It will ensure that we \nmonitor schools for high-quality ML teaching practices and \ncoherence across the district. OMME will add training for school \nleaders on ML instruction expectations and observation look-fors \nto better prepare them for appropriately evaluating and growing \neducators towards meeting proficient or exemplary status", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "leaders on ML instruction expectations and observation look-fors \nto better prepare them for appropriately evaluating and growing \neducators towards meeting proficient or exemplary status \nfollowing the MA DESE Classroom Teacher Rubric.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 16 of 18 \n \nSchool leaders or assigned evaluators: \na) Once every two weeks, school leaders are expected to \ndo short observations (10-15 minutes) of all classrooms \nserving Multilingual Learners in the school. The school \nleaders should use the updated MLs observation tool to \ncollect observation notes and align to district \ninstructional vision. \nb) Within 48 hours of observations, school leaders should \nprovide the classroom leaders with a quick note \nincluding a positive practice observed and a noticing or \nwondering to improve instructional practices. \nResources aligned to expectations or improving \ninstructional practices should be included with the \nnoticings or wonderings. \nc) If any concerns arise from the short observation, the \nschool leader should schedule an observation, \nincluding a one-on-one discussion with the teacher \nthat offers resources, support, or coaching if available.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "school leader should schedule an observation, \nincluding a one-on-one discussion with the teacher \nthat offers resources, support, or coaching if available. \nd) When a school leader observes consistent classroom \ninstruction below the expectations for teaching and \nlearning, the school leader must have a conversation \nwith the teacher and start the teacher improvement \nevaluation process. This should include expectations \nfor improvement and resources to support the growth \nof the classroom staff.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 17 of 18 \n \nDISTRICT ACCOUNTABILITY \nRegional School Superintendents and District Regional Support \nStaff (District Team): \na) Once a quarter, starting at the end of September, \nregional school superintendents and other district \nregional support staff will join school leaders to observe \nclassroom practices in classrooms serving Multilingual \nLearners. The team will use the updated MLs \nobservation tool to observe, record, and provide \nfeedback on classroom instructional practices to \nidentify trends and growth areas and monitor progress. \nb) Regional support staff conducting walkthroughs will \nbe expected to record their observations in the \ncentrally maintained Bullseye online platform. This will \nallow for district-wide analysis and monitoring of data \ntrends. Additionally, school leaders and district staff will \nbe able to monitor progress and share evidence to \nnorm and validate observations.", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "trends. Additionally, school leaders and district staff will \nbe able to monitor progress and share evidence to \nnorm and validate observations. \nc) Regional school superintendents and regional support \nstaff will debrief with school leaders on the day of the \nobservations and discuss highlights of classroom \ninstruction, how to grow pedagogically appropriate \ninstructional practices, identify which instructional \npractices need support, and support is provided. \nd) Every quarter, the district team will monitor trends for \nevidence of improvement and areas of growth. The \ndistrict team will be expected to coordinate central", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "content": "Superintendent\u2019s Circular EL-07 \nPage 18 of 18 \n \noffice resources, including OMME coaches, and utilize \ndata to support the classroom and school\u2019s needs \neffectively. \ne) School superintendents will work with school leaders \nwho have not demonstrated progress to develop an \naction plan for improving instruction with clear metrics \nthat include district support and will be reflected in \nfuture QSP and on school leader evaluation. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Superintendent of Academics and Interim \nAssistant Superintendent of OMME \nDepartme\nnt: \nOffice of Multilingual and Multicultural Education \n(OMME) \nMailing \nAddress: \nBolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: 617-635-9435 \nEmail: OMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEL-04 \nVersion 01 \n \n \nTITLE I EXPENDITURES FOR ENGLISH LEARNERS \nAMENDED ORDER BETWEEN LATINO PARENTS ET AL \nAND BOSTON PUBLIC SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \n1. General Information \n2. English Learner Equity Requirement \n3. General Guidelines \n4. Sample Acceptable Uses \n5. Annual Reporting of Title I Services \n \n1. GENERAL INFORMATION \nIn 1992, the Boston Public Schools (BPS) and parents of English \nLearner students (ELs), who were represented by attorneys with \nMulticultural Education, Training and Advocacy, Inc. (META), \nentered into a binding consent decree that is enforceable by use \nof the federal court\u2019s power to hold violators in contempt of court", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 2 of 19 \n \n \nto compel compliance. A copy of this consent decree can be \nfound on the Office of English Learners website. \nThis Superintendent\u2019s Circular outlines the basic components of \nthe consent decree regarding appropriate Title I expenditures for \nELs and provides guidelines to comply with the edict. The \nconsent decree defines many requirements of BPS, which \nincludes the equitable allocation of Title I funds to service the \nneeds of ELs. \nThe federal consent decree enforced by META commits BPS to: \n\u2022 Improve and provide equal access to programs for EL \nstudents \n\u2022 Refrain from discriminating against EL students relative to \nnon-ELs, in the provision of Title I services \n\u2022 Ensure proportionality in the provision of services; the \npercentage of Title I eligible but unserved EL students must \nnot exceed the percentage non-ELs who are not benefiting \nfrom Title I funds \n\u2022 Adjust Title I school budgets for staff and services annually", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "not exceed the percentage non-ELs who are not benefiting \nfrom Title I funds \n\u2022 Adjust Title I school budgets for staff and services annually \nand periodically in light of changing student needs \n\u2022 Provide literacy (HILT) programs for EL students ages 8-22 \nwith limited or interrupted formal education (SLIFE) \n\u2022 Consult with and involve EL parents in each school \n(additional guidance on how to document this consultation \nwill follow) \n\u2022 Report annually on the status of Title I services to EL \nstudents.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 3 of 19 \n \n \nNote: \n\u2022 All other district purchasing guidelines still apply. For \ngeneral information regarding purchasing, please refer to \nSuperintendent\u2019s Circular FIN-07. \n\u2022 For state guidance on the use of Title I Part A funds in \ngeneral (not specific to the additional requirements \npursuant to the consent decree), visit \nhttps://www.doe.mass.edu/federalgrants/titlei-a/ or contact \nthe BPS Grants Department. \n2. ENGLISH LEARNER EQUITY REQUIREMENT \nThe portion of Title 1 resources for EL students is based on the \npercentage of EL population in that school. \nEL Equity Amount example: If School-A receives $100,000 in Title \nI funding with a school population consisting of 25% ELs, $25,000 \nmust be spent to benefit ELs. In this example, $25,000 is the \u201cEL \nEquity amount\u201d that must be spent on supplemental services \ndirectly and solely benefitting ELs. \nAs part of the BPS annual Budget Collaborative process, the", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Equity amount\u201d that must be spent on supplemental services \ndirectly and solely benefitting ELs. \nAs part of the BPS annual Budget Collaborative process, the \nFinance Department provides each school their Title I allocation \nand identifies for schools the EL Equity Amount subject to the \nspending guidelines outlined in this circular. \n\u2022 A school\u2019s Title I allocation is determined based on the \nschool\u2019s percentage of direct certified students and \nprojected enrollment, multiplied by a per pupil amount. \nDirect certification, in compliance with USED and DESE, \nincludes data from the Supplemental Nutrition Assistance", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 4 of 19 \n \n \nProgram (SNAP), Temporary Assistance for Needy Families \n(TANF), and Medicaid enrollment. \n\u2022 Within the school\u2019s Title I allocation, the EL Equity Amount is \nseparately identified. This is calculated based on the \nprojected enrollment of English Learner students as a \npercentage of the overall enrollment of projected students \nat each school. \n3. GENERAL GUIDELINES \nThe META Consent Decree requires the following: \n1) Each individual school must determine the additional \nservices for EL students that will supplement their \ninstruction, either for academic language in English and/or \nthrough native language supports. \n2) This determination must be conducted prior to spending \nTitle I funds for ELs at a school. \n3) These services must be supplemental, solely benefit ELs, \nand be tailored to meet the specific needs of EL students. \n4) The district, through the Office of English Learners, as part of", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "3) These services must be supplemental, solely benefit ELs, \nand be tailored to meet the specific needs of EL students. \n4) The district, through the Office of English Learners, as part of \nits monitoring duties under the META Consent Decree, is \nobliged to ensure compliance with these legal \nrequirements, including working with schools to make \nappropriate revisions to any budget that does not reflect \ncompliance with Title I and META Consent Decree \nrequirements. \n5) Each school must annually submit both a plan for spending \nprior to any expenditures as well as an annual checklist that \nreports the use of Title I for ELs funds. \nServices Tailored to Meet the Specific Needs of ELs", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 5 of 19 \n \n \nServices provided with the use of Title I EL funds need to be \ntailored to meet the specific linguistic, cultural, socio-emotional \nand academic needs of ELs. These needs should be identified as \npart of the needs assessment process required by the consent \ndecree. \nServices Solely Benefitting ELs \nTitle I expenditures for ELs are also required to solely benefit ELs. \nThis means, for instance, if a school desires to fund a position, the \nresponsibilities for that position must be solely dedicated to ELs. \nThere is an expectation that the services provided by the staff \nshould focus on EL students with the highest needs such as \nthose with English language development (ELD) levels 1 and 2, as \nthey are the most vulnerable group of students requiring \nsupplemental services. \n4. SAMPLE ACCEPTABLE USES \nSupplement and Not Supplant Rule \nTitle I for ELs funds must be used to supplement, and not", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "supplemental services. \n4. SAMPLE ACCEPTABLE USES \nSupplement and Not Supplant Rule \nTitle I for ELs funds must be used to supplement, and not \nsupplant, local, state or federal resources available or required \nunder state or federal law to meet the educational needs of ELs. \nIn other words, these Title I funds should not take the place of\u2014\nsupplant\u2014public education services that are to be provided by \nlaw to English Learner students. Instead, these funds must be \nused to supplement requisite education services, to provide \nservices that go above and beyond what is otherwise required. \nHere are a few examples:", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 6 of 19 \n \n \n\u2022 Funding lunch monitors is an inappropriate use for which \nBPS was previously cited, since maintaining order in the \nlunchroom is a basic function that is not above and beyond \nwhat the district would do without Title I dollars and is also a \nfunction that does not solely benefit ELs. \n\u2022 General classroom supplies needed for everyday classroom \ninstruction (e.g., paper, notebooks, white boards) would not \nconstitute an allowable use of these funds, even if they only \nare used by ESL or other EL program classrooms, as the \nsupplies are not supplemental in nature. \n\u2022 It would not be allowable to use these funds to purchase \ncore curriculum materials \u2014 including core ESL materials \u2014 \nfor English Learner students. \n\u2022 Equally important is that even if an expenditure is \nsupplemental by nature, it would be a violation of the \n\u201csupplement, not supplant\u201d rule to fund a service or activity", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "\u2022 Equally important is that even if an expenditure is \nsupplemental by nature, it would be a violation of the \n\u201csupplement, not supplant\u201d rule to fund a service or activity \nfor ELs out of the TItle I for ELs funds while also funding the \nsame service or activity with general funds for other \nstudents at the school. For example, if a school purchases \ntechnology with general funds for general education \nclassrooms, it would generally not be allowable to use the \nTitle I EL funds to purchase the same technology for English \nLearner program classrooms. Potential allowances may be \nmade if the technology is provided on a 1:1 basis for ELs only, \nand not for students as a whole. \nNote: The consent decree allows for an important exception to \nthe \u201csupplement, not supplant\u201d rule: generally, expenditures \nrelated to the High Intensity for Literacy Training for Students", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 7 of 19 \n \n \nwith Limited or Interrupted Formal Education (HILT for SLIFE) \nprogram constitute an allowable use of these Title I EL funds. \nThe following table provides a list of sample acceptable uses of \nTitle I for ELs funds. \n\u2022 It is important to note that this list is not exhaustive, and \nthat the \u201csupplement, not supplant\u201d provision still applies. \nAdditional examples are posted on the Office of English \nLearners Title I for ELs website. \n\u2022 School leaders are advised to discuss their ideas for the use \nof these funds with the Title I EL coordinator \n(Title1EL@bostonpublicschools.org) to ensure compliance. \n \nSample Acceptable Uses of Title I Funds for English Learners \n\u2022 High Intensive Literacy Training for Students with Limited or \nInterrupted Formal Education (HILT for SLIFE) programs: \nstrongly recommended to be funded through Title I for ELs \nfunds. \n\u2022 Extra learning time outside of the school day: materials and", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Interrupted Formal Education (HILT for SLIFE) programs: \nstrongly recommended to be funded through Title I for ELs \nfunds. \n\u2022 Extra learning time outside of the school day: materials and \nstipends for after-school, summer, and Saturday programs \ntailored specifically to meet the needs of ELs. \n\u2022 Supplementary enrichment and accelerated curriculum \nmaterials for ELs. \n\u2022 Supplementary materials, including native language \nresources, that strengthen the core academic program for \nELs in the school. \n\u2022 Supplementary counseling, pupil services, and mentoring \nservices for ELs that is above and beyond what is offered to \nall students at the school.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 8 of 19 \n \n \n\u2022 College and career awareness programs solely for ELs that \nare above and beyond what is offered to all students at the \nschool. \n\u2022 Methods to assess the efficacy of all implemented strategies \n(such as stipends for after-school monitoring and planning \nmeetings) for ELs. \n\u2022 High-quality ongoing professional development for \nteachers, administrators, paraprofessionals, parents, and/or \npupil services personnel that is not otherwise required and \nis geared specifically towards meeting the needs of ELs. \n\u2022 Increasing EL parental involvement through literacy \nservices. \n\u2022 Consulting to strengthen the core academic standards or \nthe school improvement plan to meet the specific needs of \nELs. \n\u2022 Assessment fees associated with an EL student obtaining \nthe Seal of Biliteracy. \n\u2022 A supplemental bilingual paraprofessional (not for class size \nreasons) to assist former SLIFE students who exit SLIFE into", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "the Seal of Biliteracy. \n\u2022 A supplemental bilingual paraprofessional (not for class size \nreasons) to assist former SLIFE students who exit SLIFE into \nSEI content classes but who need continuing native \nlanguage support. \n \nPrevious Findings of Non-compliance \nThe following are examples of inappropriate usages of Title I to \ncount towards the EL equity percentage: \n\u2022 Since ESL instruction is considered core, funding of a sole \nESL teacher to provide ESL for all ELs in the school is \nconsidered supplanting. However, it is acceptable for this", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 9 of 19 \n \n \npurpose if it is used to supplement the core ESL \nrequirements by providing additional ESL support or \nproviding smaller group instruction to students targeting \nELs with ELD levels 1 and 2. \n\u2022 Funding instructional or other basic supplies (copy paper, \nclassroom supplies, notebooks, chart paper, printer \ncartridges, etc.) are basic classroom supplies needed for any \nclassroom and would therefore be a clear example of \nsupplanting. Similarly, Title I EL monies may neither be used \nto satisfy the district\u2019s minimum $1,000 supply budget per \nschool nor the minimum supply to be budgeted per \nstudent. \n\u2022 Funding lunch monitors is an illegal use for which BPS was \npreviously cited, since maintaining order in the lunchroom is \na basic function and not above and beyond what the district \nwould do without Title I dollars. \n\u2022 Title I EL funds may not be applied to the salaries of general \nadministrative personnel.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "a basic function and not above and beyond what the district \nwould do without Title I dollars. \n\u2022 Title I EL funds may not be applied to the salaries of general \nadministrative personnel. \n\u2022 Shifting a position from general funds that is a core position \nto Title I is a clear indication of supplanting and not an \nappropriate Title I EL expenditure. \n\u2022 Funding positions that serve the whole school, such as \nfamily and community outreach coordinator, physical \neducation, computer, music/art teacher, school wide \ncounselors, school wide literacy coordinators, school wide \nparaprofessionals, and parent coordinators/liaisons would \nbe considered supplanting and therefore would not be an \nallowable use of these funds.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 10 of 19 \n \n \n5. ANNUAL REPORTING OF TITLE I SERVICES \nTitle I funding for ELs is reported annually to META by the Office \nof English Learners (OEL). School leaders must submit a Title I EL \nBudget Plan (1) during their Budget Collaborative during January \nand a Title I for ELs Budget Monitoring Checklist by June of the \ncurrent school year to OEL. Using this Title I checklist, school \nleaders will be asked to verify and report what services the Title I \nfunded staff have provided, number of students serviced, and \nadditional resources/supplies purchased within the year. \nTitle I EL Budget Plan (future year budget): Each school will \nreceive a Title I EL Budget Plan that is pre-populated with the \nschools\u2019 Title I EL allocation for the upcoming fiscal year. The Title \nI EL Budget Plan requires school leaders to identify the needs \nassessment that undergirds their planned spending, and to \nidentify categories of planned spending (e.g., staffing,", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "I EL Budget Plan requires school leaders to identify the needs \nassessment that undergirds their planned spending, and to \nidentify categories of planned spending (e.g., staffing, \nsupplemental instructional supplies, contractual services, \nstipends, etc.). \nDuring a school\u2019s budget collaborative, each school leader is to \nsubmit their EL Budget Plan. A school\u2019s budget collaborative will \nnot be considered approved until the school\u2019s Title I EL Budget \nPlan is finalized and the budget lines can be structured \naccordingly in FutureForce. School leaders are encouraged to \nschedule appointments with their EL school support liaison for \nsupport. \n \n(1) Template. May be updated with feedback from stakeholders.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 11 of 19 \n \n \nThe following represents general considerations for school \nleaders to aid them in preparing sufficient plans: \nNeeds Assessment \n\u25cf The META consent decree specifies that, prior to spending \nTitle I for ELs funds at schools, the determination of the \nservices most needed by the school\u2019s ELs must be \nconducted first to ensure that the funds will be used to \nsupport the language development needs of English \nLearner students. \n\u25cf Schools should review multiple data points to identify the \nneeds of their English Learner student population, keeping \nin mind that English Learners do not constitute a monolithic \ngroup. \n\u25cf At a minimum, English Learner students\u2019 ACCESS \nperformance and progress data should be reviewed. \nAdditional data to be reviewed may include: MCAS and \ninterim/formative assessment data; attendance data; \nstudent/parent surveys; school Equity Roundtable notes; \nstudents\u2019 Individual Learning Plans for SLIFE or ELs who", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "interim/formative assessment data; attendance data; \nstudent/parent surveys; school Equity Roundtable notes; \nstudents\u2019 Individual Learning Plans for SLIFE or ELs who \nhave not met ACCESS benchmarks; etc. \n\u25cb Schools should disaggregate the data for different EL \nsubgroups; e.g., EL students with disabilities, Students \nwith Limited or Interrupted Formal Education, \nnewcomers, long-term English Learners, etc. \n\u25cf School leaders should consult the LATF and other EL \nteachers as well as with English Learner parents when \ndeveloping their Title I EL Budget Plan. School leaders may \nalso consider consulting with English Learner students.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 12 of 19 \n \n \n\u25cf When considering the types of goods and services to \ninclude in their Title I EL Budget Plan, school leaders should \nalso consider the effectiveness of purchases made with prior \nTitle I EL funds on improving EL student achievement. \nBudgeting for an FTE \n\u25cf If requesting an ESL FTE, make sure the minimum ESL FTE \nrequirement is met within your general funds before \nsubmitting an additional request on your EL Title 1 \nallocation. This should only be a supplemental position. This \nFTE cannot deliver core ESL instruction to meet minimum \nESL instructional compliance. \n\u25cf Identify how the position primarily serves ELD 1 and 2 \nstudents if applicable. \n\u25cf Both salary and benefits need to be accounted for. \n\u25cf It will be the school leader\u2019s responsibility to ensure that this \nFTE does not perform job responsibilities other than those \napproved with the use of the Title I EL funds.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 13 of 19 \n \n \nBudgeting for Stipends \n\u25cf If requesting stipends for supplemental EL instructional \nsupport outside of school hours, make sure that staff are \nappropriately qualified (e.g., ESL license, SEI endorsement, \nbilingual endorsement) to instruct ELs. Specify the nature of \nthe services provided to demonstrate that core ESL \ninstruction is not being delivered through these stipends. \n\u25cf Additionally, LATF duties are not permitted to be \ncompensated through these stipends. Ensure that all \nstipend requests adhere to district policy. \nBudgeting for Contractual Services \n\u25cf If requesting contractual services for professional \ndevelopment, make sure to demonstrate that the PD \nprovider is appropriately qualified to provide training on \nEnglish Learner instruction and that the PD is specific to \nEnglish Learner instruction or supports. \n\u25cf Schools can review the OEL website to identify other", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "English Learner instruction and that the PD is specific to \nEnglish Learner instruction or supports. \n\u25cf Schools can review the OEL website to identify other \napproved professional development that can be targeted for \nstudents or parents to integrate native language and \ncultural learning opportunities as part of the school PD \nofferings. \nBudgeting for Supplies/Materials/Technology \n\u25cf If requesting technology, make sure the technology is not \nalready in the school being used by non-ELs and that it is \nnot used for mandated assessments (e.g., ACCESS, MCAS). \n\u25cf If you\u2019re requesting books/instructional materials, make sure \nto indicate how this supplements the requisite or core", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 14 of 19 \n \n \ncurriculum and how it is specifically designed for English \nLearners. \nThe following provides a sample exemplar for the type of \nrationale that needs to be included in the Title I EL Budget Plan. \nQUESTION: How is this supplemental? \n\u25cf Weak Rationale: This text is supplemental because it is in \naddition to the core work. \n\u25cf Strong Rationale: This text provides a brief, accessible guide \nto this textbook to make the content comprehensible to \nELs, especially EL 1 and 2 students. This is a supplement to \ntraditional textbook and primary source materials for \nteaching this class. Newcomer students often haven't been \ntaught this curriculum, so it is even more important to \ncommunicate the essentials of this work (which many \ngeneral education students might already have learned). \n\u25cb Difference: This differs from the weak example because \nit includes detail on how the text will be used in the", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "general education students might already have learned). \n\u25cb Difference: This differs from the weak example because \nit includes detail on how the text will be used in the \nclassroom and demonstrates supplemental use. \nQUESTION: How will this solely benefit ELs? \n\u25cf Weak: This will only be used for ELs. ELDs 1-3. \n\u25cf Strong: This text has allowed me to make the content \naccessible, especially for ELs with ELD levels 1-3. Newcomer \nstudents often haven't been taught this curriculum, so it is \neven more important to communicate the essentials of this \nwork (which many general education students might \nalready have learned). \n\u25cb Difference: This differs from the weak example because \nit shows that non-EL students would not benefit from", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 15 of 19 \n \n \nthis book and that the ELs would need the book to help \nthem access the content and narrative. \nQUESTION: How is this tailored to meet the needs of your EL \nstudents? \n\u25cf Weak: This text is only used in ESL specific classrooms. \n\u25cf Strong: The visual and shorter, chunked text provides \ncomprehensible input for students to master the concepts \nin the traditional reading. This topic is especially important \nfor this time period both because my newcomer students \nconsistently express interest in learning about these two \nevents and because there are so many events within this \ntime period that a supplemental text would help students \nfollow the narrative. \n\u25cb Difference: This differs from the weak example because \nit demonstrates how the text is tailored to meet the \nlanguage needs of the EL students by stating it has \nvisuals and shorter texts. \nTitle I EL Budget Monitoring Checklist (current year actual", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "it demonstrates how the text is tailored to meet the \nlanguage needs of the EL students by stating it has \nvisuals and shorter texts. \nTitle I EL Budget Monitoring Checklist (current year actual \nspending): Whereas the Title I EL Budget Plan identifies the \nintended use of the funds, the Title I EL Budget Monitoring \nChecklist identifies how the funds were actually spent and \nprovides the rationale to demonstrate how the identified goals \nwithin the Title I EL Budget Plan from the previous year were \nmet. Once the district\u2019s spending deadline has passed, the Title I \nEL coordinator provides each school leader with their own \nchecklist document that is pre-populated with each line item of \nrequisitions and stipends. Prior to the close of the school year, \nschool leaders review the rationale they provided at the time of \nthe purchase request, sign the document, and return it to the \nTitle I EL coordinator.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 16 of 19 \n \n \nMONITORING COMPLIANCE \nThe district submits each school\u2019s Title I EL Budget Plan and Title \nI EL Budget Monitoring Checklist to META attorneys. Note: In the \nevent a school leader fails to comply with the submission \ndeadlines, the district may not process purchase requests that \nfall under the school\u2019s Title I EL budget lines until such \ncompliance is met. \nThe Title I EL funds are denoted in a school or department\u2019s Fund \n200 budget with a program code of 24xx. For instance, for FY23, \nthe budget line would include BPS23150 (Title I) and a program \ncode of 24xx (e.g., 2401). The use of these funds is subject to the \nterms of the META consent decree and this circular. \nThroughout the school year, the Title I EL coordinator \n(title1EL@bostonpublicschools.org) will review each requisition \nfor purchase (e.g., requisitions, stipends, EAEs, FTEs, budget \ntransfers, etc.) to ensure that the given request meets Title I EL", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "(title1EL@bostonpublicschools.org) will review each requisition \nfor purchase (e.g., requisitions, stipends, EAEs, FTEs, budget \ntransfers, etc.) to ensure that the given request meets Title I EL \nspending guidelines and aligns to the school\u2019s approved Title I EL \nBudget Plan. The Title I EL coordinator tracks each purchase and \nits rationale for annual reporting purposes. \n\u25cf When a given request has not been included in a school\u2019s \nTitle I EL Budget Plan, the Title I EL coordinator will request \nadditional information from the school to ensure \ncompliance. \n\u25cf The Budget and Finance departments will not process any \nrequests without prior written approval from the Title I EL \ncoordinator. \nThe Title I EL coordinator may also request additional information \nthroughout the school year when necessary to ensure that \nspending remains in compliance. The district reserves the right to", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 17 of 19 \n \n \nimplement additional monitoring requirements throughout the \nschool year. \nTimely spending: Responsibility Centers receive monthly BAIS \nFinancials output reports that identify the balance of available \nTitle I EL funds. It is the responsibility of school leaders and \ndepartment heads to ensure that funds are spent appropriately \nand in a timely manner to support the unique needs of English \nLearner students most effectively. \n\u25cf To ensure appropriate spending, all unspent Title I EL funds \nat the school level will be re-allocated to the Office of \nEnglish Learners at the close of the fiscal year for \nappropriate spend- down. \nMETA visits and requests for information: META monitors \ncompliance by way of reviewing the Title I EL Budget Plans and \nthe end-of-year Title I EL Budget Monitoring Checklists, as well as \nconducting school visits. During the visit, META will meet with \nthe school team and may review the school\u2019s current and", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "the end-of-year Title I EL Budget Monitoring Checklists, as well as \nconducting school visits. During the visit, META will meet with \nthe school team and may review the school\u2019s current and \nprojected budget, Title I checklist, staff qualifications, and other \ninformation deemed necessary to comply with the Consent \nDecree. \n\u25cf Schools will be supported by the Office of English Learners \nand Grants Department prior to any such visits. \n\u25cf School personnel who receive direct contact from META \nattorneys with requests for information outside the context \nof a scheduled visit are directed to contact the BPS Office of \nLegal Advisor at legal@bostonpublicschools.org for \nguidance.", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 18 of 19 \n \n \nKEY DATES \nResponsible Activity Date \nSchool Leader Submit FY25 Title I EL \nBudget Plan (planned \nexpenditures for the \nfollowing school year) to \nTitle I EL Coordinator for \napproval \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOEL Review and approve \nsubmitted FY25 Title I \nEL Budget Plan \n(planned expenditures \nfor the following school \nyear) \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOffice of Legal \nAdvisor \nSubmit annual Title I \nreport to META \nJanuary 2024 \nSchool Leader Submit FY24 Title I EL \nChecklist to OEL/Grants \n(accounting of \nexpenditures from the \ncurrent school year) \nJune 2024 (after \nspending deadline) \nSeptember 2024 (if \napplicable, for any \n2024 summer \nspending) \nOEL Review and analyze \nsubmitted FY24 Title I \nEL Checklist to \nOEL/Grants \nJuly 2024", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "content": "Superintendent\u2019s Circular EL-04 \nPage 19 of 19 \n \n \nRESOURCES \nTitle I for English Learners website: \nhttps://www.bostonpublicschools.org/title1el. \nGuidance is also included annually in the district\u2019s Budget \nCollaborative and Probable Organization guidance document for \nschool leaders. \nFor more information about this circular, contact: \nOwner: Executive Director, or \nDirector of Grants and External Funds \nDepartment: Office of English Learners or Finance \nDepartment \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9435 or 617-635-6995 \nEmail: all-acad-division@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-03 \nVersion 01 \n \n \n \n \nCOMPREHENSIVE HEALTH EDUCATION POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nHealth education, as defined by the CDC, helps students \u201cacquire \nfunctional health knowledge, strengthen attitudes and beliefs, \nand practice skills needed to adopt and maintain healthy \nbehaviors throughout their lives.\u201d Health education curricula \nshould address the National Health Education Standards (NHES), \nincorporate the characteristics of an effective health education \ncurriculum, and be taught by qualified, trained teachers. In \naddition, the American Cancer Society, the American Diabetes \nAssociation, and the American Heart Association believe that \nschool health education programs can reduce health risk \nbehaviors such as tobacco use, poor nutrition, lack of physical \nactivity, drug and alcohol use, as well as actions that increase", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "school health education programs can reduce health risk \nbehaviors such as tobacco use, poor nutrition, lack of physical \nactivity, drug and alcohol use, as well as actions that increase \nstress and risk of injury and violence. Because these behaviors are \namenable to change, quality school health education taught by \ntrained and licensed health educators provides the best \nopportunity to promote positive health behavior among children \nand adolescents.What Works in Schools (Facts: Learning for Life \nHealth Education in School)", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 2 of 11 \n \n \n \nHealth education is an integral component of quality school \nprogramming. Schools have direct contact with a significant \nnumber of Boston\u2019s youth and for the critical years of students\u2019 \nsocial, psychological, physical, and intellectual development. As a \nresult, schools play an important role in improving students\u2019 \nhealth and social outcomes as well as promoting academic \nsuccess (CDC Healthy Schools). Healthy students are more ready \nand able to learn and are less likely to experience negative \nacademic impact (e.g., academic failure, lower test scores, \ntruancy, absenteeism) than students who engage in risky health \nbehaviors. According to the CDC, schools cannot achieve their \nprimary mission of education if students are not healthy, and \nschools can address the health needs of students in part through \neffective comprehensive health education. Research supports \nthat school health programs and policies may be one of the most", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "schools can address the health needs of students in part through \neffective comprehensive health education. Research supports \nthat school health programs and policies may be one of the most \nefficient ways to reduce risky behaviors in students, prevent \nhealth problems, and address the achievement gap. \nBoston Public Schools (BPS) believes, in accordance with the \nNHES, health education should empower students to practice \nbehaviors that protect and promote their health while \nminimizing risks. Therefore, health education in BPS includes \nteaching health skills and essential concepts such as health \nliteracy, health promotion, and health equity, with a strong focus \non understanding the social determinants of health. \nIn line with the NHES, BPS emphasizes a holistic approach to \nhealth by shifting the focus from specific health behaviors to \noverall well-being. This approach leverages the strengths and \nresources within students, their families, schools, and", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "health by shifting the focus from specific health behaviors to \noverall well-being. This approach leverages the strengths and \nresources within students, their families, schools, and \ncommunities. It prioritizes equipping students with the health \nskills and essential knowledge needed to assist them in living", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 3 of 11 \n \n \n \nhealthier lives and to enable them to actively support their own \nhealth and the health of others within a broader societal context. \nThe policy and implementation guidelines presented here \nexplain how we, at Boston Public Schools, will create effective \nhealth education programming. \n \nPOLICY \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public \nSchools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, substance misuse and harm \nreduction, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "topics, such as tobacco, alcohol, substance misuse and harm \nreduction, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health \neducation curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth and Physical Education Framework and National Health", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 4 of 11 \n \n \n \nEducation Standards, as well as the National Sexuality Education \nStandards. Qualified and trained teachers will implement the \ncurricula. \n \nAll schools will follow relevant promotion and graduation \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one-semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course \nrequirements, health education topics will be integrated into \nother subject areas where possible, to reinforce their importance, \nprovide additional skill practice, and demonstrate the \nconnections of health concepts to many other content areas. \n \nIMPLEMENTATION GUIDELINES \nBoston Public Schools are committed to addressing the health", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "connections of health concepts to many other content areas. \n \nIMPLEMENTATION GUIDELINES \nBoston Public Schools are committed to addressing the health \nand wellness of all students, in part, through effective health \neducation programming. Therefore, BPS will require \ncomprehensive pre-K-12 health education to be taught to all \nstudents throughout the district. The Boston Public Schools take \na comprehensive approach to review and incorporate changes in \npolicy, curricula, and implementation. This effort will result in a \nskills-based approach to teaching health education that \npromotes healthy lifestyle habits, healthy relationships, and \nhealth literacy for all students.", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 5 of 11 \n \n \n \nSchools will adhere to the following implementation guidelines: \nA. School leaders or their designees are responsible for \nimplementing and enforcing this policy. Grade-level teams, \nlead health education teacher, or other instructional lead \nwill determine, in collaboration with the school leader, how \ntheir school will meet the policy requirements relating to \ntime, staffing, and implementation. School leaders may \nconsult with the Director of Health Education in the Office of \nHealth and Wellness on how their school can meet the \npolicy requirements. \n \nB. BPS Policy requires that all students in PreK-12 should \nreceive health education in line with promotion and \ngraduation requirements that include a minimum of: \na. The BPS Healthy and Safe Body Unit in elementary \nschool \nb. Two semesters of health education in total grades 6 to \n8 \nc. A one-semester course of health education in total in \ngrades 9 to 12. \nC.", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "school \nb. Two semesters of health education in total grades 6 to \n8 \nc. A one-semester course of health education in total in \ngrades 9 to 12. \nC. \n The National Health Education Standards recommend \ni. Pre-K to grade 2 receive a minimum of 40 hours of \nHE each year. \nii. Grades 3 to 12 receive a minimum of 80 hours of", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 6 of 11 \n \n \n \nHE each year. \nD. Staffing requirements: \na. BPS supports a learning environment in which all \nteachers are highly qualified in the subject areas they \nteach. Therefore: \ni. In grades K-5, HE instruction must be \nimplemented by trained teachers who hold an \nactive and valid teaching license. \nii. In grades 6-12, HE instruction must be \nimplemented by trained teachers with an active \nand valid health education teaching license. \nb. If a school is unable to provide students with HE \ninstruction from licensed teachers, they should contact \nthe Office of Health and Wellness for support with \nidentifying district-approved staffing alternatives. All \nHE staffing alternatives should be approved by the \nOffice of Human Capital, the Office of Health and \nWellness, and the school\u2019s respective instructional \nsuperintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Office of Human Capital, the Office of Health and \nWellness, and the school\u2019s respective instructional \nsuperintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in \nsituations that increase opportunities for students. \nE. The BPS HE curriculum must meet the following criteria. \nThe district-endorsed curriculum is: \na. Aligned with the 2023 Massachusetts Comprehensive \nHealth and Physical Education Framework and 2024 \nNational Health Education Standards, as well as the \n2020 National Sex Education Standards", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 7 of 11 \n \n \n \nb. Comprehensive, standards-based, and sequential; \nteaching a variety of skills and topics in such a way that \nstudent learning and skill development is built upon \nwith each unit and each year \nc. Inclusive of a variety of topics, such as tobacco, alcohol, \nand other drug misuse; healthy eating/nutrition; \nmental and emotional health; personal health and \nwellness; physical activity; safety and injury prevention; \nviolence and bullying prevention; and comprehensive \nsexual health education that is LGBTQ-inclusive \nd. Medically accurate and age and developmentally-\nappropriate \ne. Culturally and linguistically sustaining, including but \nnot limited to race, gender, sexual orientation, and \ncultural identity \nf. Modified as needed for students with disabilities and \nstudents who are English Learners \ng. \nF. District endorsed high quality instructional materials \ninclude the following curricula: CATCH K-8 HE Journeys,", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "students who are English Learners \ng. \nF. District endorsed high quality instructional materials \ninclude the following curricula: CATCH K-8 HE Journeys, \nGoodheart-Wilcox Grades 6-12 Essential Health Skills and the \nPreK-Grade 12 Rights, Respect, Responsibility curriculum. \nG. Student assessments in HE must include graded \ncompetency (i.e. knowledge, skills, practice) and \nparticipation assessments that are reflected on all students\u2019 \nreport cards.", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 8 of 11 \n \n \n \nH. Implemented in safe and supportive learning environments \nin which all students feel acknowledged, respected, and \nvalued. \nI. Schools should include cross-curricular, interdepartmental \ncollaborations to enhance the value and meaning of health \neducation programming, including opportunities for \nstudents to think critically, globally, and inclusively to \ndevelop health literacy to enhance health equity. \na. For example, the school recognizes World Health Day \nby organizing a student-led Wellness Day. In \npreparation, health education classes explore the social \ndeterminants of health and identify Boston-based \ncommunity health resources to enhance personal, \nfamily, and community well-being. Meanwhile, in social \nstudies, students research global health issues and \ncreate maps or infographics to illustrate how different \nregions are impacted by various health challenges, as \nwell as the role of international organizations in", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "create maps or infographics to illustrate how different \nregions are impacted by various health challenges, as \nwell as the role of international organizations in \naddressing these issues. In math, students analyze and \ncompare data from the National YRBS and the Boston \nYRBS creating graphs, and interpreting trends using a \nstrengths-based approach. In computer science, \nstudents design a simple app or website to promote \nhealthy habits, such as a sleep tracker, a nutrition diary, \nor a mental health check-in tool. This interdisciplinary \napproach encourages and motivates healthy behaviors \nby focusing on positive outcomes. \nJ. Professional development is an essential component of \neffective policy implementation. Therefore, HE teachers will", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 9 of 11 \n \n \n \nattend relevant professional development opportunities. \na. Schools will support and encourage school personnel \nin their professional development. \nb. Teachers are expected to stay current in the fields of \nhealth and health education through the review, \nanalysis, and implementation (when appropriate) of \nnational, state, and local health policies, procedures \nand standards, research in best practice, guidelines \nfrom international, national, and state organizations, \netc. \nK. Schools should monitor (or assign another individual to \nmonitor) relevant student and community information that \ncan assist in identifying priority areas for health education. \nThis should include, but not be limited to, district- level \nYouth Risk Behavior Survey data, School Health Profiles \ndata, school-level Health Services Data, and community \npublic health trends. Data should be used to review and", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Youth Risk Behavior Survey data, School Health Profiles \ndata, school-level Health Services Data, and community \npublic health trends. Data should be used to review and \nmodify health education programming in order to ensure \nthat it is meeting the needs of the students. \nL. Schools are required by the state to notify \nparents/guardians about any curriculum that primarily \ninvolves human sexual education or human sexuality issues, \nand permit parents/guardians to exempt their children \nwithout penalty from any portion of that curriculum (see \nSuperintendent Circular HWD-05: Human Sexual Education \nEducation - Parent Notification). Schools will engage \nfamilies in their child\u2019s health education by providing access \nto curricular materials and health-related information.", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 10 of 11 \n \n \n \nSchools will also encourage students to actively engage \nparents/caregivers and other family members in promoting \nhealthy behaviors. \nM. Should schools decide to utilize community partners to \nsupport their health education program, they will refer to \nPartnerBPS and consult with the Office of Health and \nWellness to identify the most appropriate community \npartners to meet their needs. Community partners can \nprovide an important aspect of quality health education and \ncan meaningfully support and enhance programming in \nBPS. If a school is using a community partner and/or \nsupplementary materials and curriculum to teach sexual \nhealth education, the school must consult the Office of \nHealth and Wellness for vetting and recommendations. \nN. The Office of Health and Wellness leads health education for \nthe district and will support schools by: \na. Vetting health education curriculum, materials, and \nresources", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "N. The Office of Health and Wellness leads health education for \nthe district and will support schools by: \na. Vetting health education curriculum, materials, and \nresources \nb. Providing curriculum training and materials, \nprofessional development, instructional coaching, and \ntechnical assistance \nc. Maintaining and enhancing the BPS health education \ndigital learning library \nd. Vetting and managing partnerships to ensure \nequitable support of HE education across the district \ne. Collaborating to offer family health education \ninformational workshops and events", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "content": "Superintendent\u2019s Circular HWD-03 \nPage 11 of 11 \n \n \n \nf. Coordinate with other central office department to \ndevelop health promotions and family events on \nspecific health topics when applicable and align with \ntier II and tier III services and programs provided by \nthose departments \n \nWe recognize that effectively implementing a comprehensive \nskills-based health education program can be challenging. The \nOffice of Health and Wellness is committed to providing training, \nsupport, and resources to schools and school personnel to help in \nthe implementation of this policy. \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & Wellness \nDepartment: Health & Wellness \nMailing \nAddress: 370 Columbia Rd, Dorchester, MA 02125 \nPhone: 617-635-8709 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHWD-01 \nVersion 01 \n \n \n \n \nDISTRICT WELLNESS POLICY \n \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND 2 \nI. POLICY 5 \nA. Wellness Councils 6 \nB. Cultural Proficiency 13 \nC. School Food and Nutrition Promotion 16 \nD. Comprehensive Physical Activity and Physical Education 20 \nE. Comprehensive Health Education 25 \nF. Healthy School Environment 26 \nG. Safe and Supportive Schools 28 \nH. Health Services 30 \nI. Staff Wellness 33 \nII. IMPLEMENTATION GUIDELINES 33 \nA. District Wellness Council: 33", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 2 of 102 \n \n \n \nB. School-based Wellness Councils: 34 \nC. Implementation Guidelines for Monitoring and Evaluation 38 \nIII. DEFINITIONS 86 \nIV. INDEX OF FEDERAL, STATE, AND BOSTON PUBLIC SCHOOL \nWELLNESS-RELATED \nPOLICIES & GUIDELINES 91 \n \n \nBACKGROUND \n \nUnderstanding that physical and mental health, emotional well-\nbeing, and positive development are inextricably linked with \nacademic success, Boston Public Schools (BPS or the District) has \nworked to transform the District\u2019s capacity to meet the health \nneeds of Boston children. Improving overall student health is a \nkey factor in reaching the ambitious academic targets set forth in \nthe Superintendent\u2019s Strategic Implementation Plan. Beyond the \nacademic imperative however, school, civic and community \nleaders have a responsibility to help Boston\u2019s children overcome \nhealth barriers that may prevent them from successfully meeting", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "academic imperative however, school, civic and community \nleaders have a responsibility to help Boston\u2019s children overcome \nhealth barriers that may prevent them from successfully meeting \nthe challenges of reaching adulthood and assuming their roles as \nthe eventual leaders and stewards of our community. Our vision \nfor the BPS graduate challenges us to develop young people who \nare more than scholars. It calls for graduates who are healthy in", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 3 of 102 \n \n \n \nboth mind and body, prepared to make wise choices to ensure \ntheir own physical, mental, and emotional well-being. \n \nTo create a healthy school environment where the healthy choice \nis the easy choice, we have developed this policy regarding \nwellness initiatives in Boston Public Schools. This policy took \neffect September 1, 2017. \n \nFirst passed on June 30, 2006, the District Wellness Policy was \nimplemented in September 2006. It was updated in June 2013, \nand again in June 2017 taking into consideration the needs and \nperspectives expressed by members of the Boston School \ncommunity, and responding to both the Healthy, Hunger-Free \nKids Act1 and Massachusetts Standards for School Wellness \nAdvisory Committees.2 This document is intended to assist \nadministrators and Wellness Council members in implementing \nthese guidelines in their schools. \n \nThis District Wellness Policy reflects the comprehensive", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "administrators and Wellness Council members in implementing \nthese guidelines in their schools. \n \nThis District Wellness Policy reflects the comprehensive \napproach stated in the District\u2019s Strategic Plan for Health and \nWellness, Healthy Connections: Strengthening Coordination and \n \n1 P.L. 111\u2013296\u2014DEC. 13, 2010 \n2 105 CMR 215", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 4 of 102 \n \n \n \nCapacity in the Boston Public Schools to Advance Student \nHealth and Wellness and brings together content areas \nrecommended in the Centers for Disease Control and \nPrevention\u2019s Whole School Whole Community Whole Child \nApproach. A subcommittee of the District Wellness Council \nformed into seven work groups, representing these topic areas: \n1. Cultural Proficiency \n2. School Food and Nutrition Promotion \n3. Comprehensive Physical Activity \n4. Comprehensive Health Education \n5. Healthy School Environment \n6. Health Services \n7. Safe and Supportive Schools \n8. Staff Wellness \n \nThese work groups consulted the perspectives of the Boston \nSchool community as well as evidence-based national \nrecommendations and wrote specific policy language and \nimplementation guidelines that reference other relevant District \npolicies and further develop policy language regarding wellness", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "recommendations and wrote specific policy language and \nimplementation guidelines that reference other relevant District \npolicies and further develop policy language regarding wellness \nfor all students. This comprehensive approach seeks to advance \nBoston Public Schools\u2019 strategic aims to: improve coordination \nacross programs and departments; improve and integrate data", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 5 of 102 \n \n \n \ncollection; establish guidelines for accountability appropriate to \nthe group\u2019s location within the organization; support building \nnoncompeting partnerships internally and externally; and build \nsustainability. \n \nI. POLICY \n \nThe Boston Public Schools (BPS or the District) aims to actively \npromote the social, emotional and physical health and wellness \nof all students to advance both their healthy development and \nreadiness to learn. Student and staff wellness is a core value of \nthe District and a key strategy to address health inequities and to \nclose opportunity and achievement gaps that impact BPS \nstudents. Thus, BPS strives to be one of the healthiest school \ndistricts in the country. BPS will ensure that the healthy choice is \nthe easy choice and that students learn the skills and knowledge \nneeded to make those choices. BPS is committed to \nimplementing a Whole School Whole Community Whole Child", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "the easy choice and that students learn the skills and knowledge \nneeded to make those choices. BPS is committed to \nimplementing a Whole School Whole Community Whole Child \n(WSCC) approach to wellness, as recommended by the Centers \nfor Disease Control and Prevention (CDC) and ASCD (Association \nof Supervisors and Curriculum Development). As a part of this \napproach, BPS will meet the health and wellness needs of all \nstudents through prevention, intervention and intensive \nresponse. As a result, all BPS students will be challenged, \nsupported, engaged, safe and healthy.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 6 of 102 \n \n \n \nThe District Wellness Policy is intended to link new and existing \nwellness-related policies and convey a framework for creating \nsafe, healthy and welcoming school environments. BPS shall take \na comprehensive approach to reviewing and incorporating \nchanges in policy, curriculum, and operating procedures to \npromote healthy lifestyles and sustainable wellness practices for \nall students and staff. The work of implementing this policy relies \non the work and collaboration of instructional, operational, \nclinical \nand administrative staff at schools and central office \ndepartments. BPS shall develop the capacity of schools to \nimplement the policy and improve the quality and equity of \nprograms, services, and supports. This policy is inclusive of all \nstudents, staff, and families. \n \nA. WELLNESS COUNCILS \n \n1.) District Wellness Council \nThe BPS shall maintain a superintendent-appointed District", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "students, staff, and families. \n \nA. WELLNESS COUNCILS \n \n1.) District Wellness Council \nThe BPS shall maintain a superintendent-appointed District \nWellness Council. This advisory group will develop, recommend, \nreview and advise on implementation of school District policies \nthat address student and staff wellness. The District Wellness \nPolicy shall be reviewed once yearly by the District Wellness \nCouncil and considered for updates based on other model school \nwellness policies and best practices, annual report findings and \nrecommendations, input from schools and the community,", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 7 of 102 \n \n \n \nresearch evidence, and regulations. The District Wellness Council \nshall seek ongoing feedback from BPS community stakeholders. \nAdditionally, the District Wellness Council will develop an annual \nWellness Action Plan with goals and SMART objectives for the \ncoming school year. \n \nThis council shall include at a minimum representatives from: \nfamilies, students, school and District instructional and \noperational administrators, relevant central department heads, \nschool food and nutrition services staff, physical education and \nhealth education teachers, school nurses and other school health \nprofessionals (e.g. psychologists, guidance counselors, social \nworkers) a school committee member, community youth serving \nagencies, Boston Public Health Commission representatives, \nhealthcare providers and the general public. Appointees to the \nmaximum extent possible shall reflect the cultural, linguistic, and", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "agencies, Boston Public Health Commission representatives, \nhealthcare providers and the general public. Appointees to the \nmaximum extent possible shall reflect the cultural, linguistic, and \nethnic composition of BPS schools. General membership and \nattendance at the District Wellness Council is open to all \nstakeholders and the general public. The District Wellness \nCouncil will implement a plan for involving and engaging all of \nthese stakeholders. \n \n2.) School-based Wellness Councils \nAll BPS schools shall establish and maintain a school-based \nwellness council. School-based wellness councils shall act as a \nshared leadership team to implement wellness-related District", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 8 of 102 \n \n \n \npolicies. Councils must assess their school\u2019s implementation of \nthe Wellness Policy and create and implement an annual \nWellness Action Plan as a part of the Quality School Plan. \nPrincipals shall name a wellness council chair(s) to coordinate the \nwellness council and act as a liaison to the District, community, \nand families. Wellness council chairs will attend District training. \nThe council shall include at a minimum a school administrator, \nfamily representatives, students (where feasible), representatives \nof a wide range of school health and health-related disciplines, \nincluding school nurses, school food service staff, health \neducation and physical education teachers and other school \nhealth professionals, such as psychologists, guidance counselors, \nand social workers. To the extent feasible, members will include \noperations and custodial staff, community partners and the", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "health professionals, such as psychologists, guidance counselors, \nand social workers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible shall \nreflect the cultural, linguistic and ethnic composition of the \nschool community. \n \n3.) Stakeholder Participation in Councils / Informing and \nUpdating the Public \nThe District will develop a district-level communication strategy \nand communication guidance for schools to increase awareness \nof the policy and its importance for creating a safe, healthy, and \nwelcoming school. a. The following are responsibilities for \ninforming stakeholders about policy: \n1. BPS will post the District Wellness Policy on the BPS \nwebsite.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 9 of 102 \n \n \n \n2. Schools must share a link to the District Wellness Policy on \ntheir school\u2019s website and send a message to families \nnotifying them of how they may obtain a copy or otherwise \naccess the policy. \n3. School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy requirements. \n4. BPS and schools shall notify families and the public about \nthe content of the District Wellness Policy and any updates \nto the policy on an annual basis. \n5. BPS will ensure that the District Wellness Policy and any \npublic announcement related to the policy are available in \nthe languages that represent the school community. \n \nb. The following are responsibilities for informing stakeholders \nabout the District Wellness Council and school-based councils: \n1. BPS will make available to the public and school \ncommunity, on the BPS website and through other regular", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "about the District Wellness Council and school-based councils: \n1. BPS will make available to the public and school \ncommunity, on the BPS website and through other regular \nchannels of communication that BPS utilizes, a list of names \nand position titles (or relationship to the school) of \nindividuals who are a part of the District Wellness Council, \nincluding the name, position title, and school- based contact \ninformation of the council leadership and subcommittee co-\nchairs. \n2. BPS will post the District Wellness Action Plan on the BPS", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 10 of 102 \n \n \n \nwebsite to share District goals and objectives for the school \nyear. \n3. Schools must make available to the public and school \ncommunity on their website a list of names and position \ntitles (or relationship to the school) of individuals who are a \npart of their school-based wellness councils and include the \nname, position title, and school-based contact information \nof the council chairs(s). \n4. Schools must post their Wellness Action Plans on their \nschool\u2019s website to share local school goals and activities to \nimplement the policy. \n5. BPS shall make available to the public and the schools the \nresults of the annual assessment, which is detailed in the \nnext section, and actively notify families of the availability of \nthe assessment results. \n \nc. The following are responsibilities for engaging stakeholders: \n1. The District Wellness Council and school-based councils will \nencourage diverse membership on councils and", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "c. The following are responsibilities for engaging stakeholders: \n1. The District Wellness Council and school-based councils will \nencourage diverse membership on councils and \nsubcommittees, attendance at meetings, and participation \nof all BPS stakeholders through public comment and \nfeedback. \n2. BPS will share information on the District website about \nhow the public can get involved with the District and \nschool-based wellness councils.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 11 of 102 \n \n \n \n3. Schools must share information on their school\u2019s website \nabout how the public can get involved with the school \nwellness councils. \n4. BPS will develop methods to educate students about \nwellness policies and ways they can be involved in the \nwellness councils when developmentally appropriate. \n \n4.) Monitoring, Assessment and Reporting \nBPS shall develop and implement an evaluation plan designed to \nmeasure school-level implementation and student level \noutcomes of all policy components of the District Wellness Policy. \nWhere possible the metrics will align with other District \nindicators and be measurable using existing evaluation tools and \nsystems and be sustainable over time. This plan will be made \navailable to the public as a part of the District Wellness Policy \ncircular.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "systems and be sustainable over time. This plan will be made \navailable to the public as a part of the District Wellness Policy \ncircular. \n \nBPS shall annually assess compliance with the District Wellness \nPolicy, alternating between qualitative and quantitative annual \nassessments. The annual assessment will measure the extent to \nwhich schools are in compliance with the BPS policy and the \nprogress made in attaining the goals of the previous year\u2019s \nWellness Action Plan. The District Wellness Council will write an \nannual report that will include: the results of assessment, the \nextent to which the Boston Public School District Wellness Policy \ncompares to model local school wellness policies, a summary of", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 12 of 102 \n \n \n \nthe District activities and accomplishments related to wellness \npolicy implementation of the previous year, and goals and \nobjectives for the upcoming year. This annual report shall be \npresented to the superintendent, the School Committee and the \nMassachusetts Department of Education. The District will \ndevelop a strategy for reporting on compliance of each school. \n \nBPS shall maintain records to document compliance with \nWellness Policy including: the written District Wellness Policy; \ndocumentation demonstrating compliance with community \ninvolvement requirements; documentation of the annual \nassessment of the District Wellness Policy; and documentation to \ndemonstrate compliance with the annual public notification \nrequirements. \n \n5.) Wellness Policy Leadership \nSchool principals are responsible for ensuring their school \ncomplies with the Wellness Policy. At the District level, the", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "requirements. \n \n5.) Wellness Policy Leadership \nSchool principals are responsible for ensuring their school \ncomplies with the Wellness Policy. At the District level, the \nexecutive director of the Office of Health and Wellness is \nresponsible for overseeing monitoring, reporting, and \ncommunication of the BPS Wellness Policy. The following District \ndepartments are responsible for supporting implementation and \nmonitoring of specific components of the policy: \na. Behavioral Health Services \nb. Facilities & Capital Management", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 13 of 102 \n \n \n \nc. Food and Nutrition Services \nd. Health and Wellness \ne. Health Services \nf. Office of Engagement \ng. Office of Equity \nh. Office of Opportunity Gaps \ni. Safe and Welcoming Schools \nj. Transportation \n \nThe compiled department information will be reported to \ninstructional superintendents and operational superintendents \nwho are granted the authority and responsibility by the \nsuperintendent to ensure each school complies with the policy. \nBPS will provide a means of contacting the District or school \nofficial(s) responsible for oversight by designating District or \nschool-based phone(s) number and/or email address for this \npurpose. \n \nB. CULTURAL PROFICIENCY \n \nThe Boston Public Schools is committed to creating a culturally", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 14 of 102 \n \n \n \nproficient District that embraces at its fundamental core the \nculturally sustaining and affirming beliefs and practices that \nhonor differences while mitigating the effects of concentrated \npoverty and institutional racism in the effort to eliminate gaps \nand promote health and wellness for all. The District is \ncommitted to providing authentic learning opportunities for \nevery child in every classroom in every school to ensure they \ndevelop into healthy, engaged, self-determined, and \nindependent learners that are college and career ready. The \nDistrict recognizes that Culturally and Linguistically Sustaining \nPractices (CLSP) helps to create a safe, healthy and welcoming \nenvironment that supports all students\u2019 social, emotional, \nphysical and academic learning as well as their health and \nwellness. Cultural Proficiency is an approach that raises \nawareness of individual and institutional culture and bias,", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "physical and academic learning as well as their health and \nwellness. Cultural Proficiency is an approach that raises \nawareness of individual and institutional culture and bias, \nencourages cultural learning and relationship building, and \nimplements CLSP, to respect, celebrate and build on cultural \nstrengths and diversity. Cultural diversity includes but is not \nlimited to group and/or individual identities based on race, \nethnicity, nationality, immigration status, religion, language, \ngender, sexual orientation, gender identity, ability, social class, \nand home life or family structure. Cultural Proficiency should be \nintegrated into the implementation of other areas of the District \nWellness Policy and is called out here to establish specific actions \nto be taken by the District and the schools. \n \nThe District will support the development of staff and \nadministrators\u2019 competencies to build cultural proficiency in", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 15 of 102 \n \n \n \nschools, classrooms and central office departments. Schools shall \ncollectively assess their organizational structure, policies and \nschool-wide practices for bias(es) as well as examine their \nphysical environment, classroom curricula, instructional materials \nand wellness promotions. Schools will use this assessment to \ninform their annual Wellness Action Plan. The District and the \nschools shall include student, family and community \nparticipation in decision-making bodies and create structures for \nfeedback from students, families and communities and increased \nengagement of all families in wellness-related policies and \ncommittees. This includes recognizing specific barriers faced by \nfamilies of ELL students and ELL students with disabilities by \ntargeting outreach to these groups and using the Translation and \nInterpretation Unit to translate family-focused communications", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "families of ELL students and ELL students with disabilities by \ntargeting outreach to these groups and using the Translation and \nInterpretation Unit to translate family-focused communications \nand to provide interpretation as requested during meetings. \n \nSchools will follow other cultural proficiency-related policies, \nincluding those regarding race, ethnicity, immigration status, \nreligion, language, gender, sexual orientation, gender identity, \nand disabilities and policies that promote family and student \nengagement. The work of creating a culturally proficient District \nrequires the participation of departments and staff across the \nDistrict and requires engagement in interdepartmental \ncollaboration.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 16 of 102 \n \n \n \nC. SCHOOL FOOD AND NUTRITION PROMOTION \n \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthful foods and sugary drinks, and \nmaking water available to students throughout the day are some \nof the ways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the \ncafeteria meets high nutritional standards. \n \nBoston Public Schools believes the cafeteria is an essential \nsetting to educate and promote healthy eating habits. Boston \nPublic Schools is committed to serving students nutritious and \ndelicious food that is less processed, more locally sourced, and", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "setting to educate and promote healthy eating habits. Boston \nPublic Schools is committed to serving students nutritious and \ndelicious food that is less processed, more locally sourced, and \nculturally responsive to reflect the diverse student population. As \nan effective way to improve the nutritional quality of both foods \nserved in schools and consumed by students, BPS will create and \nimplement School Meals Nutrition Standards, going beyond \nfederal requirements. BPS shall undertake a constant review of \nschool food and the food environment to ensure safety, quality, \nmenu equity, and innovation. Boston Public Schools shall be an \ninnovator with school food, serving foods that are new and \nexciting for the students. We believe that students deserve meals \nreflective of their culture and tastes. We believe eating well is not", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 17 of 102 \n \n \n \na privilege; it is a right. Therefore, BPS is committed to ensuring \nall students are food secure. \n \nKey requirements of creating a healthy school food environment \nare: \n \n1.) School Meals Program \na. Ensure all menus meet USDA-mandated requirements, as \nwell as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow Bronze \nstatus standards for the Alliance for a Healthier Generation, \nand work toward Bronze status standards for the Healthier \nUS School Challenge. \nb. Ensure all menus offer variety and are well presented in an \nappealing way, and meals and menu items are labeled to \ncommunicate deliciousness, as well as specific ingredients. \nc. Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing children \nwho participate.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "c. Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing children \nwho participate. \nd. Provide foods that are free of unwanted ingredients \nincluding, trans fats, high fructose corn syrup, artificial \ncolors, artificial sweeteners, additives (azodicarbonamide, \nbromated flour), and artificial preservatives (nitrates, nitrites,", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 18 of 102 \n \n \n \nsulfates, sulfites, MSG, BHA, BHT, TBHQ). Menus follow the \nBPS Menu and Ingredient Guidelines. The guidelines are \nupdated annually. \ne. Reduce material used for packaging, sourcing recyclable or \ncompostable materials when possible and working to \npromote best practices around recycling and composting. \nf. Water must be available at no cost during mealtimes \nwherever meals are served. \n \n2.) Food Safety \na. Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department). \nb. Implement a stringent and detailed internal Hazard Analysis \nand Control Points (HACCP) plan that provides regulations \nin following safety procedures for food recalls, emergency \npreparedness to avoid foodborne illnesses, and the spread \nof infectious diseases. \nc. Ensure all employees who work 5+ hours are certified in \nfood safety.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "preparedness to avoid foodborne illnesses, and the spread \nof infectious diseases. \nc. Ensure all employees who work 5+ hours are certified in \nfood safety. \nd. Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 19 of 102 \n \n \n \n3.) Nutrition Education, Promotion and Food & Beverage \nMarketing \na. Promote health and nutrition messages that encourage the \nconsumption of fruits and vegetables, whole grains, healthy \nfats, low-fat dairy products, and water and other messages \nconsistent with research-based findings that indicate a \npositive impact on health. \nb. Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \nc. Identify opportunities to support teachers, school staff, and \nparents around modeling healthy eating habits and \nfollowing appropriate nutritional standards at school \ncelebrations and staff meetings. \nd. Allow only food and beverage marketing on school grounds, \nincluding items shared with students, that promote foods \nand/or beverages that meet the BPS nutritional standards. \n \n4.) Competitive Food & Beverages", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "including items shared with students, that promote foods \nand/or beverages that meet the BPS nutritional standards. \n \n4.) Competitive Food & Beverages \na. All schools shall follow federal, state, and local laws and \nregulations for competitive foods and beverages (i.e. foods \nsold, provided, or served within school buildings or on \nschool grounds outside of the school meals program) as \noutlined in this circular.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 20 of 102 \n \n \n \nb. Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines \nduring the school day. \nc. The Food and Nutrition Services Department is solely \nresponsible for food and beverages sold to children during \nthe school day; consequently, the sale of food and beverages \nby others is expressly forbidden. \nd. Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations. \ne. Prohibit the use of food and beverage as a reward or means \nof discipline. \n \nAll Boston Public Schools shall follow Food and Nutrition Services \npolicies and circulars. \n \nD. COMPREHENSIVE PHYSICAL ACTIVITY AND PHYSICAL \nEDUCATION \n \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and \nfitness by bringing more physical education and physical activity", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "The Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and \nfitness by bringing more physical education and physical activity \nto schools; improving the quality of physical education and \nrecess; and increasing the equity of physical activity programs \nand resources across our schools. Activities will be inclusive to", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 21 of 102 \n \n \n \nmeet the needs, interests, abilities and cultural diversity of all \nstudents, including students of all gender identities, students \nwith disabilities, and students with special healthcare needs. \n \nNumerous studies indicate that regularly engaging in moderate-\nto-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children\u2019s cognitive function, \nability to concentrate in class, and academic performance. Thus, \nas a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Physical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \n \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a \nphysically active lifestyle. Additionally, by establishing a safe, \nsupportive and engaging school environment, athletic programs \nencourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 22 of 102 \n \n \n \nschool. In this way, athletics contributes to the academic success \nof students. \n \nIn accordance with state law, all schools must provide all \nstudents in all grades with opportunities for physical activity. \nSchools must offer at least 150 minutes of in-school physical \nactivity weekly in grades PreK-8, including required physical \neducation, movement breaks, recess, or lessons involving \nmovement structured to support moderate-to-vigorous physical \nactivity (MVPA). In grades PreK-8, students are expected to have \nat least 20 minutes of daily recess. \n \nTeachers and other school and community personnel shall not \nuse physical activity (e.g., running laps, pushups) as punishment \nnor withhold opportunities for physical activity during the school \nday (including but not limited to recess, classroom physical \nactivity breaks, or physical education) as punishment for any", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "nor withhold opportunities for physical activity during the school \nday (including but not limited to recess, classroom physical \nactivity breaks, or physical education) as punishment for any \nreason other than illness or safety or as approved by the school \nleader. This includes denying a student physical activity time in \norder to make up work unless under unusual circumstances. The \ndistrict will provide teachers and other school staff with a list of \nideas for alternative ways to discipline students. \n \nAll schools must offer standards-based physical education (PE) \nfor all students in all grades. Schools are required to offer at least \n45 minutes of weekly PE in grades PreK-8 and at least one", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 23 of 102 \n \n \n \nsemester (equivalent of a half school year) of PE each year in \ngrades 9-12. We recommend that schools provide at least 80 \nminutes of weekly PE in grades PreK-8. In order to help schools \nwork toward this recommendation, Boston Public Schools will \ndevelop an implementation plan with input from current \nprincipals and headmasters. This implementation plan will be \nshared with the School Committee. \n \nTeachers and other school and community personnel shall not \nuse physical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity \nbreaks or physical education) as punishment for any reason; or \ndeny a student physical activity time in order to make up work \nunless under unusual circumstances. \n \nExtended day programs and out of school time, which includes", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "deny a student physical activity time in order to make up work \nunless under unusual circumstances. \n \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array \nof physical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day, \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after \nschool programs, intramurals and interscholastic sports, and in \ntheir school commute.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 24 of 102 \n \n \n \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and \neasier trip to and from school when students and staff are \nwalking, bicycling, using public transit or other means of \nphysically active transport. The District will encourage 7-12th \ngrade students to use public transportation when available and \nappropriate for travel to school, and will work with the local \ntransit agency to provide transit passes for eligible 7-12th grade \nstudents. The District will provide resources to schools, students \nand families regarding walking, riding a bicycle, using public", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "transit agency to provide transit passes for eligible 7-12th grade \nstudents. The District will provide resources to schools, students \nand families regarding walking, riding a bicycle, using public \ntransit or other forms of active transportation. The District will \nencourage wellness councils, school administrators and students, \nstaff, families and community partners to assist the District in \npromoting safe, physically active travel to and from school. \nSchools are encouraged to designate a transportation liaison to \nfacilitate communication regarding District efforts to promote \nsafe, physically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 25 of 102 \n \n \n \nE. COMPREHENSIVE HEALTH EDUCATION \n \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public \nSchools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, and substance misuse and harm \nreducation, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "health education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health \neducation curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth Curriculum Framework and National Health Education \nStandards, as well as the National Sexuality Education Standards. \nQualified and trained teachers will implement the curricula. \n \nAll schools will follow relevant promotion and graduation", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 26 of 102 \n \n \n \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course \nrequirements, health education topics will be integrated into \nother subject areas where possible, so as to reinforce their \nimportance, provide additional skill practice, and demonstrate \nthe connections of health concepts to many other content areas. \n \nF. HEALTHY SCHOOL ENVIRONMENT \n \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "environments are critical to the prevention of asthma and other \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact productivity, health, and wellness of all students \nand staff. To address environmental risk factors for chronic and \ninfectious disease, each school will receive an Annual \nEnvironmental Audit to evaluate health and safety conditions \nsuch as leaks, mold, pests, chemical storage and cleanliness. The", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 27 of 102 \n \n \n \nDistrict shall maintain a Healthy Schools Taskforce (HST) to \npromote and raise awareness of the health of the built \nenvironment and ensure continuous improvement of BPS \nhealthy school environment policies and programs. \n \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, shall comply with \nexisting federal and state regulations, city ordinances and District \npolicies related to promoting and managing healthy school \nenvironments, including but not limited to: \n\u25cb Green Cleaners \n\u25cb Integrated Pest Management \n\u25cb Trash and Recycling \n\u25cb Infection Prevention & Control \n\u25cb Tobacco Free Environmental Policy \n\u25cb Environmental Inspection/Audit \n\u25cb Student Safety/Health in School Shops \n\u25cb BPS Water Policy \n\u25cb Laboratories and Chemical Inventory \u201cRight to Know\u201d Law \n\u25cb Idling of buses and other motor vehicles on school property", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 28 of 102 \n \n \n \nSchools shall regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \n \nG. SAFE AND SUPPORTIVE SCHOOLS \n \nThe Boston Public Schools shall create a safe and supportive \nschool environment for all students that is culturally proficient, \nengaging, and inclusive and one that provides skills-based \neducation to promote healthy relationships and development \nand provides access to support services. Prevention, promotion \nand intervention-based work will address and integrate social \nemotional health and behavioral health. BPS will continue to \nfoster a variety of integrated community partnerships to \nmaximize support to students, families and schools. Partnerships \nin this area include allied city and state agencies, universities,", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "foster a variety of integrated community partnerships to \nmaximize support to students, families and schools. Partnerships \nin this area include allied city and state agencies, universities, \nhospitals and other community-based organizations. Schools will \nbetter meet the needs of students by creating safe and inclusive \nclimates that are responsive to all forms of bullying and violence, \nincluding bias-based conduct, suicide, intimate partner violence, \nand sexual harassment and assault, and using screening and \npromotion efforts, including mental health and substance use \nscreening. Special attention will be given to vulnerable student \npopulations, including but not limited to LGBTQ students, \nrefugee, asylee, documented and undocumented immigrant \nstudents, ELL students and ELL students with disabilities,", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 29 of 102 \n \n \n \nexpectant and parenting students, court-involved students, \nstudents experiencing homelessness, and students experiencing \ntrauma. These efforts will create a safe and supportive learning \nenvironment that optimizes academic outcomes for all students. \nImplementation of these efforts requires school psychologists, \nsocial workers, guidance counselors, school nurses, community \npartners and trained classroom teachers working together on an \neffective student support team. Boston Public Schools shall \ndevelop and implement a plan for K-12 SEL standards. \n \nBoston Public Schools shall put in place systems that align to the \ndistrict-accepted Multi-tiered System of Supports (MTSS) \nframework to ensure that all students have access to key \nresources and services in a safe and supportive environment. \nSchools shall adopt a MTSS Framework to support the \ndevelopment of a continuum of behavioral health supports and", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "resources and services in a safe and supportive environment. \nSchools shall adopt a MTSS Framework to support the \ndevelopment of a continuum of behavioral health supports and \ninterventions falling across three tiers: Tier 1: Prevention and \npromotion, Tier 2: At-risk interventions and services and Tier 3: \nIntensive interventions and services. Embedded into MTSS is the \nuse of positive behavioral interventions and supports and social \nemotional learning instruction designed to create safe and \nsupportive school climates and build the skills of staff and \nstudents. The Comprehensive Behavioral Health Model (CBHM) \nis an example of an evidence-based MTSS-Behavioral framework \ndesigned to meet the behavioral health needs of students and \nincludes evidence-based practices interventions and data to \ndetermine effectiveness. CBHM is used in many BPS schools and \nwill be made available to all schools. CBHM has been proven to", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 30 of 102 \n \n \n \npromote positive behavioral health and reduce barriers to \nlearning for students in participating schools. MTSS framework, \nincluding CBHM, incorporates the following key elements: \n\u25cb Assessment including universal behavioral health screening \n\u25cb Instruction including social emotional learning curriculum \nand delivery of services \n\u25cb Data based decision making \n\u25cb Building staff leadership and capacity \n\u25cb Effective District and school structures and procedures (e.g. \nstudent support teams) \n \nIn addition, schools shall follow all BPS policies that address \nspecific areas of school safety and climate including the Code of \nConduct and other related policies such as those related to crisis \nmanagement, expectant and parenting students, sexual \nharassment, discrimination, and assault. \n \nH. HEALTH SERVICES \n \nThe Boston Public School Health Services support students to be \nhealthy, engaged, safe, and academically challenged by", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "harassment, discrimination, and assault. \n \nH. HEALTH SERVICES \n \nThe Boston Public School Health Services support students to be \nhealthy, engaged, safe, and academically challenged by \nproviding high quality, cost-effective in-school health care. BPS \nnurses are responsible for evaluating and managing the health", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 31 of 102 \n \n \n \nneeds of all students. That includes the following: \n\u25cb Case management students with special health needs, \nincluding chronic or acute illnesses \n\u25cb Monitoring and administering medications and medical \nprocedures as prescribed by a student\u2019s primary care \nprovider or medical specialist \n\u25cb Providing first aid and emergency care \n\u25cb Screening students for height, weight, Body Mass Index, \nvision, hearing, scoliosis, substance use (screening, brief \nintervention and referral to treatment) \n\u25cb Managing student medical records and immunization \nrecords \n\u25cb Managing the control of communicable diseases \n\u25cb Coordinating medical transportation for students \n\u25cb Coordinating special dietary accommodations for students \nwith food allergies \n\u25cb Working with other school-based groups to provide safe \nand healthy environments \n \nIn addition, school nurses engage in one-on-one education, small", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "with food allergies \n\u25cb Working with other school-based groups to provide safe \nand healthy environments \n \nIn addition, school nurses engage in one-on-one education, small \ngroup health counseling, wellness promotion, and preventive \nservices as part of the provision of care coordination services. BPS \nschool nurses ensure access and/or referrals to the medical home", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 32 of 102 \n \n \n \nor private health care provider. Where lawful, Boston Public \nSchools encourages positive communication and involvement \nwith family regarding health services. Health Services actively \ncollaborates with school and community support services to \nincrease the ability of students and families to adapt to health \nand social stressors, such as chronic health conditions, adverse \nchildhood experiences (ACE) and other social, emotional and \neconomic determinants of health. BPS Health Services is \ncommitted to building partnerships with city agencies, medical \nproviders, and community partners to leverage additional \nresources and health services. \n \nUnder Massachusetts Adolescent Confidentiality laws, adolescent \nstudents may receive confidential services for diagnosis, \ntreatment and/or referral for drug addiction, family planning \nservices, sexually transmitted diseases, and mental health. In", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "students may receive confidential services for diagnosis, \ntreatment and/or referral for drug addiction, family planning \nservices, sexually transmitted diseases, and mental health. In \naccordance with the BPS Condom Accessibility Circular, BPS \nHigh Schools shall provide access to condoms, with appropriate \nreproductive health counseling for students. Each high school \nwill have a Condom Accessibility Team (CAT) which will consist of \na minimum of at least three school staff members. Condoms will \nbe made available through the CAT at each school. Condoms will \nalso be accessible from community health service partners and \nthe Boston Public Health Commission (BPHC). Parents and legal \nguardians may exempt their children from receiving condoms by \nnotifying the school when they complete the family information \nforms at the beginning of the school year. This exemption to not \nreceive condoms does not apply to other confidential health", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 33 of 102 \n \n \n \nservices. \n \nI. STAFF WELLNESS \n \nThe Boston Public Schools cares about the well-being of staff \nmembers and understands the influence that staff actions have \non all student health behaviors. All staff shall promote a school \nenvironment supportive of healthy behaviors. Adults are \nencouraged to model healthy behaviors, especially on school \nproperty and at school-sponsored meetings and events. Schools \nare encouraged to support staff wellness initiatives. \n \n \nII. IMPLEMENTATION GUIDELINES \n \nThe following guidelines will ensure the implementation of the \nBoston Public Schools Wellness Policy: \n \nA. DISTRICT WELLNESS COUNCIL: \n \nThe superintendent will appoint members to serve on the District", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 34 of 102 \n \n \n \nWellness Council. The council will: \n \na. Follow bylaws that are aligned with Massachusetts \nStandards for School Wellness Advisory Committees.3 \nb. Annually review, and if needed recommend, District-wide \npolicies to promote student wellness \nc. Annually set Council goals and objectives \nd. Annually report progress on Council goals, objectives, \npolicies, and monitoring & evaluation of Wellness Policy \nimplementation \n \nB. SCHOOL-BASED WELLNESS COUNCILS: \n \nSchools will establish and maintain a school-based wellness \ncouncil. Principals shall name a wellness council chair(s) to \ncoordinate the wellness council and act as a liaison to the District, \ncommunity, and families. Wellness council chairs will attend \nDistrict training. School-based Wellness Councils on an annual \nbasis shall: \n \n3 M.G.L. 105 CMR 215", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 35 of 102 \n \n \n \n \na. Convene at least 4 times per school year. \nb. The council shall include at a minimum a school \nadministrator, family representatives, students (where \nfeasible), representatives of a wide range of school health \nand health-related disciplines, including school nurses, \nschool food service staff, health education and physical \neducation teachers and other school health professionals, \nsuch as psychologists, guidance counselors, and social \nworkers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible \nshall reflect the cultural, linguistic and ethnic composition of \nthe school community \nc. Implement District-level policies related to wellness. School \nWellness Councils will annually review District policies \nrelated to wellness. If applicable, the school wellness council", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "c. Implement District-level policies related to wellness. School \nWellness Councils will annually review District policies \nrelated to wellness. If applicable, the school wellness council \nwill apply strategies to implement these policies. See the \nIndex of Federal, State, and Boston Public School wellness-\nrelated Policies & Guidelines section on page 17. \nd. Assess the school\u2019s wellness status. Schools will use the \nfollowing surveys and audits to assess the wellness status of \nschool: \n\u25cb Healthy Schools Program Inventory, Alliance for a \nHealthier Generation. \n\u25cb Environmental Health Inspection Audit", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 36 of 102 \n \n \n \n\u25cb School Health Profiles, Centers for Disease Control and \nPrevention \n\u25cb District data, such as the Youth Risk Behavior Survey \n\u25cb Other District priorities \nThe Health and Wellness Department will determine on an \nannual basis the exact timeline and process for completing \nthese assessments. \ne. Create and Implement a Wellness Action Plan. Schools will \ncomplete a BPS Wellness Action Plan template and include \na link to their plan in the Wellness section of their Quality \nSchool Plan (QSP) by Fall due date. The Wellness Council \ncoordinator(s) name and contact information should also be \nincluded on the QSP. Principals are ultimately responsible \nfor the implementation of the Wellness Action Plan. The \nHealth and Wellness Department, in collaboration with the \ninstructional and operational superintendents will \ndetermine on an annual basis the exact timeline and \nprocess. The school will complete this Plan as a Quality", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "instructional and operational superintendents will \ndetermine on an annual basis the exact timeline and \nprocess. The school will complete this Plan as a Quality \nSchool Plan, or other academic improvement plans. \nWellness Action Plans must include goals and school-based \nactivities designed to promote student wellness based on \nthe results of the school\u2019s Healthy Schools Program \nInventory, Environmental Health Inspection/Audit, annual \nDistrict priorities, and other appropriate assessment tools. A \nRoster of each school\u2019s Wellness Council will be submitted \nas a part of the Wellness Action Plan template. Instructions \nand a template for the Wellness Action Plan can be found", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 37 of 102 \n \n \n \nonline at: http://www.bostonpublicschools.org/hwd \nf. Engaging stakeholders: \n\u25cb Schools must make available to the public and school \ncommunity on their website a list of names and \nposition titles (or relationship to the school) of \nindividuals who are a part of their school-based \nwellness councils and include the name, position title, \nand school-based contact information of the council \nchairs(s). \n\u25cb Schools must share information on their school\u2019s \nwebsite about how the public can get involved with \nthe school wellness councils. \n\u25cb Schools must post their Wellness Action Plans on their \nschool\u2019s website to share local school goals and \nactivities to implement the policy. \n\u25cb Schools must share a link to the District Wellness \nPolicy on their school\u2019s website and send a message to \nfamilies notifying them of how they may obtain a copy \nor otherwise access the policy. \n\u25cb School-based Wellness Councils shall annually", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Policy on their school\u2019s website and send a message to \nfamilies notifying them of how they may obtain a copy \nor otherwise access the policy. \n\u25cb School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy \nrequirements.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 38 of 102 \n \n \n \nAssociated Boston Public Schools District departments will \nprovide professional development, toolkits, resources, and \ntechnical assistance to support the implementation of District-\nlevel policies related to wellness. Schools will be able to access \nprofessional development using the District-supported My \nLearning Plan. Wellness related trainings will be culturally \nproficient by addressing race, ethnicity, and nationality; sexual \norientation and gender identity; special needs; language and \ndialect; and practical skills in mediating intercultural conflict. \n \nC. IMPLEMENTATION GUIDELINES FOR MONITORING AND \nEVALUATION \n \nThe Boston Public Schools Health and Wellness Department, in \ncollaboration with appropriate District Departments, will be \ndesignated to ensure that each school, including out of school", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "The Boston Public Schools Health and Wellness Department, in \ncollaboration with appropriate District Departments, will be \ndesignated to ensure that each school, including out of school \ntime programs, complies with this policy. Other wellness-related \npolicies will be monitored, evaluated, and supported by the \nDistrict departments that currently oversee these policies. The \nDistrict will collect additional data than listed in this section to \nmonitor compliance. \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District \ndepartments will facilitate school-based surveys and audits \nmeasuring changes in school environments over time. Such", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 39 of 102 \n \n \n \nsurveys include: \na. Healthy Schools Program Assessment, Alliance for a \nHealthier Generation. \nb. School Health Profiles, Centers for Disease Control and \nPrevention \n\u25cb Principal Survey (all school levels) \n\u25cb Lead Health Ed. Teacher Survey (schools with grades 6-\n12) \n\u25cb Lead Phys. Ed. Teacher Survey (all school levels) \nc. District staffing reports from the Office of Human Capital \nd. Essential School Health Services Monthly Activities Report \ne. School Environmental Audit \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District \ndepartments will facilitate anonymous student surveys \nmeasuring changes in student outcomes over time. Where \npossible, data must be reported by vulnerable subgroups (e.g. \nrace/ethnicity, gender, sexual identity) Such surveys include, but \nare not limited to: \na. Youth Risk Behavior Survey (YRBS):", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "possible, data must be reported by vulnerable subgroups (e.g. \nrace/ethnicity, gender, sexual identity) Such surveys include, but \nare not limited to: \na. Youth Risk Behavior Survey (YRBS): \n\u25cb Middle School YRBS (conducted biennially in", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 40 of 102 \n \n \n \nrandomized sample of schools serving students in \ngrades 6-8 during the Fall semester of even numbered \nschool years, i.e., Fall 2013, 2015, 2017, etc.). \n\u25cb High School YRBS (conducted biennially in randomized \nsample of schools serving students in grades 9-12 \nduring the Spring semester of odd numbered school \nyears, i.e., Spring 2015, 2017, 2019, etc.) \nb. School Climate Survey (conducted annually by the Office of \nData & Accountability) \nc. FITNESSGRAM (grades 3-12) \nd. Health Services SNAPNurse system \n \nAs stated above, the annual report shall be presented to the \nDWC, superintendent, the School Committee, and the \nMassachusetts Department of Education, and shared with BPS \nstakeholders. \n \nDistrict Wellness Policy Monitoring & Evaluation Plan \n \nTable Abbreviations: \nPO = Process Outcome; IMO = Intermediate Outcome; LTO =", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 41 of 102 \n \n \n \nLong-term Outcomes \nGeneral Policy/Council (GEN) Metrics \nGEN Process Outcomes (PO)", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 42 of 102 \n \n \n \nPO1: DWC and Subcommittee Meetings [DWC Records] \nPO1.1: # of Meetings (DWC & by subcommittee) \nPO1.2: # of attendees \nPO1.3: Action Plan completion (yes/no) \nPO1.4: Review Policy (yes/no) \nPO1.5: Hear Stakeholder Feedback through public comment \n(yes/no) \nPO1.6: Update policy (yes/no/not applicable) \nPO2: Policy Communication/Public Notification (yes/no) \n[DWC Records] \nPO2.1: Policy Translation \nPO2.2: Post to BPS website: Policy, meeting times, action \nplan, membership, contact information \nPO2.3: Policy in Parent Guidebook \nPO2.4: Policy update presentations to School Committee \nPO2.5: Policy update presentations to: BSAC, CPC, DELAC, \nSPEDPAC \nPO3: Policy Evaluation [DWC Records/Profiles] \nPO3.1: Evaluation Plan (in place)", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 43 of 102 \n \n \n \nPO3.2: Annual Report (yes/no) \nPO3.2.1: Alternating Qualitative & Quantitative Reports \nPO3.2.2: Post to website \nPO3.2.3: Share with Superintendent, School Committee, \nDESE \nPO3.2.4: Sent to parent councils \nPO3.3: Biennial School Wellness Reports [Profiles] \nPO4: Policy Trainings \nPO4.1: PDs for school wellness council and teachers [HWD \nRecords] \nPO4.2: Training materials for Principals, Superintendents, \nCentral Office Leaders \nPO5: School-based Wellness Councils \nPO5.1: % of schools submitting WAPs [HWD Records] \nGEN Short-term Outcome (STO) 1: Increase awareness and \nknowledge of the District Wellness Policy among BPS \nfamilies, District staff, and school leadership and staff \nSTO1.1: % of schools that post WAP, council members, and \ncouncil chair(s) contact information to their website [Profiles \nSY19-20]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 44 of 102 \n \n \n \nSTO1.2: % of schools that send a communication about the \npolicy home to parents [Profiles] \nSTO1.3: % of schools that communicate policy to school staff \n[Profiles] \nGEN STO 2: Improve diverse stakeholder involvement on the \nDistrict Wellness Council, the DWC subcommittees & \nschool-based wellness councils \nSTO2.1: DWC membership includes representatives from \nfamilies, students, school and District instructional and \noperational administrators, relevant central department \nheads, school food and nutrition services staff, physical \neducation and health education teachers, school nurses and \nother school health professionals (e.g. psychologists, \nguidance counselors, social workers) a school committee \nmember, community youth serving agencies, Boston Public \nHealth Commission representatives, healthcare providers \nand the general public [DWC Records] \nSTO2.2: # of public comments made during DWC meetings \n[DWC Records]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Health Commission representatives, healthcare providers \nand the general public [DWC Records] \nSTO2.2: # of public comments made during DWC meetings \n[DWC Records] \nSTO2.2: #(%) of school wellness councils with 2 or more \nfamily reps on the wellness council [WAPs] \nSTO2.3: #(%) of school wellness councils with 2 or more \nstudents on the wellness council [WAPs]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 45 of 102 \n \n \n \nGEN STO 3: Improve policy to align with model school \nwellness policies and best practices, annual report findings \nand recommendations, input from schools and the \ncommunity, research evidence, and government \nregulations. [DWC records] \nSTO3.1: Policy updates by area \nGEN STO 4: Increase the number of schools with quality \nwellness councils [HWD Records] \nSTO4.1: #(%) of schools with wellness councils that meet \nquarterly \nSTO4.2: #(%) of schools with identified wellness council \nchair(s) \nGEN IMO 1: Improve the functionality of the school-based \nwellness councils [WAPs] \nIMO1.1: % of WAPs with SMART Goals \nIMO1.2: % of WAPs goals in each policy area \nIMO1.3: % of wellness council with \nIMO1.3.1: Minimum representation of member roles \nIMO1.3.2: Addition representation of member roles", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 46 of 102 \n \n \n \nIMO1.4: % of schools with trained wellness council co-chairs \nCultural Proficiency (CP) Metrics \nCP Process Outcomes: \nPO1: # of trainings on Equity policy and practices (e.g. Equity \nProtocol, Welcoming Schools, EQT-4) [Equity Office] \nPO2: # (%) of schools that have staff trained on CLSP \nPO3: # (%) of central office departments that have at least \n70% staff trained on CLSP \nPO4: # (%) of staff by school trained on CLSP \nCP STO 1: Increased # of schools assessing organizational \nstructure, policies, and school-wide practices for cultural \nproficiency \nSTO1.1: # (%) of schools with CLSP goal on their WAP \nCP STO 2: Increased # of schools engaging families, \nstudents, and community members in decision-making \n[WAPS]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 47 of 102 \n \n \n \nSTO2.1: # of family members on school-based wellness \ncouncil \nSTO2.2.: # of students on school-based wellness council \nSTO2.3: # of community orgs on school-based wellness \ncouncil \nSTO2.4: # (%) of schools that engage these groups in \nwellness council \nCP IMO 1: Positive perceived climate around cultural \nproficiency \nIMO1.1: District score on Community Involvement Scale \n[Climate Survey/ODA] \nIMO1.2: District score on Appreciation for Diversity Scale \n[Climate Survey/ODA] \nIMO1.3: District score on Family/School Relationship Scale \n[Climate Survey/ODA] \nIMO1.4: District score on Cultural Responsiveness Scale \n[Climate Survey/ODA] \nIMO1.5: District score on Student/Teacher Relationships Scale \n[Climate Survey/ODA] \nIMO1.6: Parent perception of school climate as safe and \nwelcoming [Climate Survey/ODA]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 48 of 102 \n \n \n \nIMO1.7: % of middle and high school students that report \nhaving an adult at school that they can talk about issues in \ntheir life [2017 MS & HS YRBS] \nSchool Food & Nutrition Promotion (SFNP) Metrics \nSFNP Process Outcomes (PO) \nPO1: # (%) of schools participating in the School Breakfast \nProgram [FNS Records] \nPO1.1: # (%) of schools using different models of the School \nBreakfast program \nPO2: % (#) of schools participating in School Lunch Program \n[FNS Records] \nPO2.1: % (#) of school using different models of the School \nLunch Program \nPO3: # (%) of schools with cafeteria staff trained on food \nsafety [FNS Records] \nPO4: # (%) of schools with completed kitchen inspection \n[FNS records] \nPO5: # of Healthy Food Environment Wellness Champions \n[HWD records] \nPO6: # (%) of school leaders aware of the competitive sales", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 49 of 102 \n \n \n \npolicy [HWD Records] \nPO7: # of nutrition education PDs [HWD Records] \nPO8: # of staff trained at nutrition education PDs [HWD \nRecords] \nSFNP STO 1: Increase variety of foods that are local, culturally \ninfluenced, and clean label [FNS Records] \nSTO1.1: % of food items procured by the District that are local \nSTO1.2: % of menu items that are culturally influenced to \nreflect the student population \nCafeteria Schools \nVended Meals \nSFNP STO 2: Increase support of BIC from school \nadministration \nSTO2.1: #(%) of schools implementing BIC [FNS Records] \nSFNP STO 3: Increase awareness of competitive sales policy \nSTO3.1: #(%) of school leaders that inform their staff of the \ncompetitive sales policy [Profiles]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 50 of 102 \n \n \n \nSFNP STO 4: Maintain 100% of schools with cafeteria staff \nwith all required certifications, inspected kitchen, and a \nHazard Analysis and Control Points plan \nSTO4.1: % of schools with cafeteria staff with all required \ncertifications, compliant kitchen, and a Hazard Analysis and \nControl Points plan [FNS Records] \nSFNP STO 5: Increase in schools teaching healthy eating \nhabits in health education, physical education, and other \nsubjects \nSTO5.1: # (%) of schools teaching nutrition education through \nComprehensive Health Education [Profiles] \nSFNP STO 6: Increase in the number of satellite schools able \nto provide bulk, freshly prepared, on-site meal service [FNS \nRecords] \nSTO6.1: % of schools receiving vended meals \nSTO6.2: % of satellite schools that are converted to be able to \nprovide bulk, freshly prepared, on-site meal service (In three \nyears, all schools implementing My Way Cafe model)", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "STO6.2: % of satellite schools that are converted to be able to \nprovide bulk, freshly prepared, on-site meal service (In three \nyears, all schools implementing My Way Cafe model) \nSFNP IMO 1: Increased participation in all school meal \nprograms", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 51 of 102 \n \n \n \nIMO1.1: Number or percent of schools with at least XX% of \nstudents participating in SBP, NSLP, CACFP, and Summer \nMeals Program [FNS Records] \nSFNP IMO 2: Reduced food waste \nIMO2.1: Difference in weight between food served and food \nuneaten (thrown away) [BOSfoodlove] \nSFNP IMO 3: Increase in schools that do not sell, serve or \nprovide food and beverages outside of the school meal plan \nthat do not meet BPS nutritional guidelines [Profiles] \nIMO3.1: #(%) of schools where students cannot purchase \nsnacks, meals or beverages from school vending machines \nor at a school store, fundraisers, canteen, or snack bar during \nlunch \nIMO3.2: #(%) of schools that sell food and/or beverages from \nschool vending machines or at a school store, fundraisers, \ncanteen, or snack bar that met BPS nutritional guidelines \nSFNP IMO 4: Increase in student practicing healthy eating \nhabits [FNS Records] \nIMO4.1: # of breakfast provided", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "canteen, or snack bar that met BPS nutritional guidelines \nSFNP IMO 4: Increase in student practicing healthy eating \nhabits [FNS Records] \nIMO4.1: # of breakfast provided \nIMO4.2: # of milk provided", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 52 of 102 \n \n \n \nIMO4.3: # of students choosing/served a fruit \nIMO4.4: # of students choosing/served a vegetable \nPhysical Activity & Physical Education (PE/PA) Metrics \nPE/PA Process Outcomes [HWD Records] \nPO1: # of PD opportunities for PE, PA and SRTS \nPO2: # of teachers in attendance at PDs \nPO3: # of IC sessions for PE, PA and SRTS \nPO4: Tools developed for school-based staff (Qual) \nPO5: # of TA sessions \nPO6: # of active PA community partnerships \nPO7: # of PE curricula distributed \nPO8: # of PE equipment distributed \nPO9: # of MS Athletic programs \nPO10: # of HS Athletic programs \nPE/PA STO1: Improve the staffing capacity of schools to \nprovide PE according to Policy \nSTO1.1: #(%) of schools with PE staff FTE to provide PE", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 53 of 102 \n \n \n \naccording to policy. \nPE/PA STO 2: Increase capacity of school-based staff to \ndeliver high quality PE/PA programs \nSchool day: PE, Recess, Before/After school programming \n(including sports), SRTS [HWD Records] \nSTO2.1: #(%) of schools with PE teachers completed IC during \nlast 2 years \nSTO2.2: #(%) of schools implementing standards-based PE \ncurricula \nSTO2.3: #(%) of schools with PE teachers that have \ncompleted PD for PE \nSTO2.4: #(%) of schools with teachers that have completed \nPD for PA \nSTO2.5: #(%) of schools with teachers that have completed \nPD for SRTS \nSTO2.6: #(%) of schools receiving training on active recess \nPE/PA STO 3: Increase % of schools offering any PE \nSTO3.1: # (%) of schools offering any amount of PE classes \n[Profiles]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 54 of 102 \n \n \n \nPE/PA STO 4: Increase % of schools offering recess to grades \nPreK-8 [Profiles] \nSTO4.1: #(%) of schools offering at least 20 min of recess for \ngrades PreK-5 \nSTO4.2: #(%) of schools offering at least 20 min of recess for \ngrades 6-8 \nPE/PA STO 5: Increase % of schools offering before- and \nafter-school physical activity opportunities \nSTO5.1: #(%) of schools in SRTS program [HWD Records] \nSTO5.2: #(%) of schools with MS Athletic programs [Athletics \nDept] \nSTO5.3: #(%) of schools with HS Athletic programs [Athletics \nDept] \nSTO5.5: #(%) of schools offering opportunities for students to \nparticipate in intramural sports programs or physical activity \nclubs [Profiles] \nPE/PA STO 6: Increase % of schools not withholding physical \nactivity as punishment \nSTO6.1: # (%) of schools not withholding physical activity as \npunishment [Profiles]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 55 of 102 \n \n \n \nPE/PA STO 7: Increase number of schools that access \nresources, partnerships and supports \nSTO7.1: #(%) of schools with partnerships by PA/PE type \n[Partnership Portal] \nSTO7.2: #(%) of schools with resources/supports by PA/PE \ntype [HWD Records] \nPE/PA STO 8: Improve collaborations between the District, \ncity agencies, schools, families and schools around safe, \nactive transportation \nSTO8.1: # (%) of schools with identified priority walking \nroutes [HWD records] \nSTO8.2: # (%) of schools participating in Walk to School Day \n[HWD Records] \nSTO8.3: # (%) of schools that provide pedestrian safety \neducation programming [HWD Records] \nSTO8.4: # (%) of schools that provide support for families \nrelated to walking, rolling or transit [2019 Profiles] \nSTO8.5: # (%) of schools represented in requested \ntransportation surveys \nPE/PA IMO 1: Increase % of students reporting having PE", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 56 of 102 \n \n \n \n[YRBS] \nIMO1.1: # (%) MS and HS students reporting PE one or more \ntimes per week \nIMO1.2: # of students who receive physical education classes \n(enrollment in PE course; grade on their report card) \nPE/PA IMO 2: Increase % of schools providing PE according \nto BPS policy [Profiles] \nIMO2.1: # (%) of schools (which contain grades PreK-8) that \nare providing 45 minutes of weekly PE for students in grades \nPreK-8 \nIMO2.2: # (%) of schools (which contain grades PreK-8) that \nare providing recommended 80 min of weekly PE for \nstudents in grades PreK-8 \nIMO2.3: # (%) of schools (which contain grades 9-12) that are \nproviding 1 semester of PE each year for students grades 9-\n12 \nPE/PA IMO 3: Increase % of students reporting active \ntransportation to and from school \nIMO3.1: % of students that report walking or biking to school \n[YRBS]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 57 of 102 \n \n \n \nPE/PA IMO 4: Increase % of schools with grades PreK- 8 \nmeeting policy for 150 minutes of weekly PA \nIMO4.1: # (%) of schools providing students (PreK-8) with 150 \nminutes of physical activity, including at least 45 minutes of \nPE per week and 20 minutes of recess daily [Profiles] \nPE/PA IMO 5: Improve the equity of access to athletic \nprogramming [Athletics] \nIMO5.1: #(%) students participating in a school sports \nprogram \nIMO5.2: #(%) of schools offering access to Athletics Programs \naccording to the BPS Athletics Criteria for Equity \nIMO5.3: # (%) of schools with equal number of boys\u2019 and girls\u2019 \nathletic teams \nComprehensive Health Education (CHE) Metrics \nCHE Process Outcomes: [HWD records] \nPO1: # of HE PD opportunities \nPO2: # of teachers/staff in attendance at PDs \nPO4: Tools developed for school-based staff (Qual)", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 58 of 102 \n \n \n \nPO5: # of TA sessions \nPO6: # of HE related community partnerships \nPO7: # of resources provided to schools (curriculum, \ninstructional supplies) \nCHE STO 1: Increase capacity of school-based staff to deliver \nhigh-quality, skills-based comprehensive health education \n[HWD Records] \nSTO1.1: #(%) of HE teachers trained on CHE curricula \nSTO1.2: #(%) of teachers/staff trained on CHE curricula \nSTO1.3: #(%) of teachers/staff trained on Sexual Health Ed \ncurriculum \nSTO1.4: #(%) of teachers/staff reporting an increase in \nknowledge and skills post PD \n#(%) of schools with teachers who received IC \nCHE STO2: Increase number of qualified and trained \nteachers in elementary school and licensed health education \nteachers in middle and high schools \nSTO2.1: # of qualified and trained teachers delivering health \neducation in Elementary schools \nSTO2.3: # of Licensed health education teachers delivering", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 59 of 102 \n \n \n \nhealth education in Middle and High Schools \nCHE STO 3: Increased number of schools implementing \ncomprehensive health education curricula for all grades \n[HWD Records/Profiles] \nSTO3.1: # (%) of schools with PreK-3 grades that use \napproved curriculum \nSTO3.2: # (%) of schools with 4-5 grades that use Healthy & \nSafe Body Unit \nSTO3.3: # (%) of schools with 6-8 grades that use approved \ncurriculum \nSTO3.4: # (%) of schools with 9-12 grades that use approved \ncurriculum \nCHE STO 4: Increase the number of schools providing Health \nEducation [HWD Records/Profiles] \nSTO4.1: # (%) of schools providing HE in 2+ elementary \ngrades \nSTO4.2: # (%) of schools offering 2 semesters of HE in MS \nSTO4.3: # (%) of schools offering 1 semester of HE in HS \nCHE STO 5: Increase number of schools that leverage", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 60 of 102 \n \n \n \nresources, partnerships and supports to improve the quality \nof HE [Profiles/HWD] \nSTO5.1: # (%) of schools with partnerships to support HE \nteaching [Profiles] \nSTO5.2: # (%) of school with partnerships to promote health \nliteracy among student and families \nSTO5.3: # (%) of schools accessing District \nresources/supports [Profiles] \nCHE IMO 1: Increase in number of schools providing HE \naccording to BPS policy [Profiles, HWD records, OHC Staffing \nData] \nIMO1.1: # (%) of schools with trained BPS teachers teaching \ngrades 4-5 Healthy and Safe Body Unit in all classes \nIMO1.2: # (%) of schools with grades 6-8 offering at least two \nsemesters of skills-based health education for all students \ntaught by a licensed health education teacher \nIM1.3: # (%) of schools with grades 9-12 offering at least one \nsemester of skills-based health education for all students \ntaught by a licensed health education teacher", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "IM1.3: # (%) of schools with grades 9-12 offering at least one \nsemester of skills-based health education for all students \ntaught by a licensed health education teacher \nCHE IMO 2: Increased number of students who received \ndedicated health education time [ASPEN/SIS]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 61 of 102 \n \n \n \nIMO2.1: # of students who receive dedicated health \neducation time \nCHE IMO 3: Increase Comprehensiveness and Accessibility of \nHealth Education Content [Profiles] \nHealthy School Environment (HSE) Metrics \nHSE Process Outcomes: \nPO1: School Environmental Audits [Environmental \nDivision/BPHC records] \nPO1.1: #(%) of schools with SEA \nPO2: Green Cleaner Policy \nPO2.1: # of safer sanitizer bottles distributed [Facilities Mgmt] \nPO2.2: #(%) of programs trained to properly use Oxivir \nPO3: Rapid Response [Facilities Mgmt] \nPO3.1: # of custodians trained to properly clean/treat \noutbreaks \nPO3.2: Updated/Improved system for tracking \nillness/outbreak responses \nPO4: Integrated Pest Management Program [Facilities \nMgmt/IPM contractors\u2019 records]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 62 of 102 \n \n \n \nPO4.1: #(%) of Schools assigned IPM Contractors \nPO4.2: #(%) of Schools with IPM Plans \nPO5: Decluttering Initiative [Facilities Mgmt/Profiles (SY19-\n20)] \nPO5.1: Creation of a BPS Declutter Guide \nPO6: Water Policy [Facilities Mgmt] \nPO6.1: # (%) online and offline schools \nPO6.2: # of drinking water units by type \nPO7: Zero Waste Policy [Facilities Mgmt] \nPO7.1: #(%) of Schools with Zero Waste Coordinators \nPO7.2: #(%) of schools with zero waste equipment/bins \npresent \nPO7.3: #(%) of schools with book recycling bins \nPO7.4: #(%) of schools with textile recycling bins \nPO8: Communication of HSE Policies [Facilities \nMgmt/HWD/MassCOSH records] \nPO8.1: Plan/strategy to communicate the Healthy School \nEnvironment-related policies \nPO8.2: #(%) of school leaders trained on the Healthy School", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 63 of 102 \n \n \n \nEnvironment-related policies \nPO9: HSE Wellness Champion Program [Facilities \nMgmt/HWD/MassCOSH records] \nPO9.1: # of training sessions \nPO9.2: # of schools participating in the HSE Wellness \nChampions Program \nHSE STO 1: Increase in use of SEAs to identify and address \nHSE improvements \nSTO1.1: Track requests generated from SEAs [Facilities Mgmt] \nSTO1.1.1: #(%) of repair requested as a result of SEA \nSTO1.1.2: #(%) of repair requests completed as a result of SEA \nSTO1.2: # of Principals reported reviewing results of SEA \n[Profiles] \nSTO1.3: # (# of schools with) WAP goals identified using SEA", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 64 of 102 \n \n \n \n[Profiles/WAP] \nHSE STO 2: Increase in the schools with staff using green \ncleaners in classrooms and offices \nSTO2.1: #(%) of schools with staff aware of green cleaning \npolicy [Profiles] \nSTO2.2: % of schools with staff using green cleaners in \nclassrooms and offices [Profiles] \nSTO2.3: #(%) of BPS Early Ed Programs, after-school \nprograms that serve food, and YMCA school-based programs \nreceiving and using Oxivir [Facilities] \nHSE STO 3: Increase school capacity to address IPM incidents \n[Profiles] \nSTO3.1: #(%) of schools that identified an IPM Coordinator \nSTO3.2: #(%) of schools with staff that know how to use IPM \nlog \nHSE STO 4: Increase schools implementing systems to \nreduce, reuse, and recycle to decrease waste and clutter \n[Facilities Mgmt]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 65 of 102 \n \n \n \nSTO4.1: # of schools who complete declutter initiatives \n# of tons recycled \nSTO4.2: #(%) of schools with complete and functioning Zero \nWaste Programs [Facilities Mgmt] \nSTO4.1.1: #(%) of schools properly disposing of waste by type \nSTO4.1.2: # of tons of waste removed from schools \nSTO4.1.3: # of OIIT e-waste requests submitted in one year \nSTO4.1.4: # of universal and hazardous waste pick-ups in one \nyear \nHSE STO5: Decrease in bottled water needs [Facilities Mgmt] \nSTO5.1: #(%) of offline schools returning to online \nSTO5.2: #(%) of schools undergoing water infrastructure \nimprovements \nHSE STO 6: Decrease in causes of poor outdoor air quality \naround school buildings \nSTO6.1: #(%) of schools where staff are aware/promote \nTobacco Free Policy [Profiles] \nSTO6.2: #(%) of schools that limit busing idling to no more \nthan 5 minutes [Profiles]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 66 of 102 \n \n \n \nHSE STO 7: Improved building infrastructure to support \nactive transportation and active play \nSTO7.1: # (%) of playground assessment issues addressed \n[Profiles] \nSTO7.2: # (%) of schools that have bike racks or other storage \nsystems for students and staff [Facilities Mgmt] \nHSE STO 8: Increase Wellness Champion projects and \ninitiatives at schools [HWD Records] \nSTO8.1: #(%) of HSE WAP goals \nSTO8.2: #(%) of HSE WAP goals completed \nHSE IMO 1: Decrease in infection and illness outbreaks \n[Facilities Mgmt/Health Services] \nIMO1.1: # of infection and illness outbreaks \nHSE IMO 2: Decrease in pest-related incidents \nIMO2.1: #(%) of pest incidents logged, reported, and treated \n[Facilities Mgmt/IPM contractors\u2019 records] \nHSE IMO 3: Ensure water quality, maintenance, and \npromotion", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 67 of 102 \n \n \n \nIMO3.1: #(%) of schools getting annual water system testing \nIMO3.2: #(%) schools with coolers cleaned \nIMO3.4: #(%) of schools that reviewed water policy with staff \nHSE LTO 1: Increase the number of high-performing school \nbuildings with grounds that are clean and in good repair \nLTO1.1: SEA Trends [Facilities Mgmt] \nSafe & Supportive Schools (SSS) Metrics \nSSS Process Outcomes: \nPO1: # of Behavioral Health community partnerships [BPS \nPartnership Portal] \nPO2: #(%) of schools using universal screening for mental \nhealth [BHS Records] \nPO3: # of PDs/ # of attendees \nPO3.1: Bullying/Violence Prevention [Succeed Boston] \nPO3.2: Restorative Justice [Succeed Boston] \nPO3.3: K-12 SEL Standards [SEL-I & SAWS Records] \nPO3.4: Targeted interventions for vulnerable populations", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 68 of 102 \n \n \n \n[BHS/Succeed Boston/Opportunity Youth Records] \nPO3.5: MTSS/CBHM [BHS Records] \nPO4: #(%) of schools with Student Support Team [Profiles] \nPO5: #(%) of middle and high schools with EPS liaisons \n[Profiles] \nPO6: #(%) of schools with a Homelessness Liaison \n[Opportunity Youth] \nPO7: #(%) of schools with trained Bullying Prevention \nLiaisons [Profiles] \nSSS STO 1: Increased # of schools trained in BPS K-12 SEL \nstandards \nSTO1.1: # (%) of schools that have all staff trained in BPS K-12 \nSEL standards [Profiles] \nSSS STO 2: Increased implementation of Multi-tiered System \nof Supports (MTSS-B) to improve school and classroom \nclimate [Profiles] \nSTO2.1: % (#) of schools that offer tier 1 supports \nSTO2.2: % (#) of schools that offer tier 2 supports \nSTO2.3: % (#) of schools that offer tier 3 supports", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 69 of 102 \n \n \n \nSTO2.4: % (#) of schools that implement Restorative Justice \nSSS STO 3: Increased targeted interventions for vulnerable \npopulations [Profiles] \nSTO3.1: #(%) of schools with gay straight alliances \nSTO3.2: #(%) of schools providing additional supports to \nvulnerable populations \nSSS STO 4: Increased CBHM implementation fidelity [BHS \nRecords] \nSTO4.1: Tiered fidelity inventory (measure normed) schools in \nCBHM model use \nSTO4.2: # of students screened in CBHM schools, fall and \nspring screening \nSSS STO 5: Increased # of schools with all staff trained on \nbullying prevention \nSTO5.1: #(%) of schools with staff trained on bullying \nprevention [Profiles] \nSSS STO 6: Increase in the number of schools with behavioral \nhealth partner supports", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 70 of 102 \n \n \n \nSTO6.1: #(%) of schools with a minimum of 3 behavioral \nsupports partners [BHS Records] \nSSS STO 7: Increase in schools appropriately staffed to meet \nthe mental, emotional, and behavioral health needs of \nstudents as determined by the BPS staffing criteria for \nschool psychologists, social workers, and guidance \ncounselors \nSTO7.1: #(%) school appropriately staffed according to BPS \ncriteria [BHS/OHC Records] \nSSS STO 8: Increased quality of Student Support Teams \nSTO8.1: % of schools indicating a \u201cyes\u201d on the following \nProfiles question: \u201cInclude the following positions on their \nSST: school psychologists, social workers, guidance \ncounselors (for only HS), school nurses, community partners \nand trained classroom teachers\u201d [Profiles] \nSTO8.1: % of schools achieving Quality Index TBD \nSSS STO 9: Increased awareness of EPS policy and resources \nfor students \nSTO9.1: % of schools with an Expectant & Parenting Student", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "STO8.1: % of schools achieving Quality Index TBD \nSSS STO 9: Increased awareness of EPS policy and resources \nfor students \nSTO9.1: % of schools with an Expectant & Parenting Student \nliaison [Profiles]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 71 of 102 \n \n \n \nSSS IMO 1: Improved system for handling bullying incidents \nin schools \nIMO1.1: TBD \nIMO1.3: # of bullying incidents reported \nSSS IMO 2: Increased # schools with all teachers \nimplementing explicit SEL instruction \nIMO2.1: # (%) of CBHM schools with all teachers teaching \nexplicit SEL Instruction with fidelity. [BHS Records (SEL \nInstruction tool: fidelity measure)] \nIMO2.2: # (%) of all schools implementing [Profiles] \nSSS IMO 3: Decrease incidents of violence at schools \nIMO3.1: # of students with Code of Conduct Violations \n(violence)/Suspensions [SIS] \nIMO3.2: # of school referrals to Succeed Boston for violent \noffenses [Succeed Boston] \nSSS IMO 4: Increase number of schools with safe school \nclimate [School Climate Survey/ODA]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 72 of 102 \n \n \n \nIMO4.1: District score on Sense of Belonging Scale \nIMO4.2: District score on Student Emotional Safety Scale \nIMO4.3: District score on Staff Support Scale \nIMO4.4: District score on Student Physical Safety Scale \nSSS IMO 5: Decrease in crisis/behavioral response requests \nfrom schools [Health Services/BHS] \nIMO5.1: # of incidents where ambulance or police has been \ncalled for behavioral health needs \nSSS IMO 6: Increase SEL Skills in students \nIMO6.1: BIMAS adaptive scales (CBHM schools) \nIMO6.2: TBD-District-wide \nSSS IMO 7: Increase in expectant and parenting students \naccessing resources \nIMO7.1: # (%) of schools with EPS liaisons \nusing/communicating liaison supports [Profiles] \nHealth Services Metrics \nHS Process Outcomes:", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 73 of 102 \n \n \n \nPO1: Quality Improvement [HS Records] \nPO1.1: Electronic Medical Record Protocols written \nPO1.2: Formula for staffing school nurses developed \nPO1.3: System for creating a universal scorecard for nursing \npractice \nPO1.4: Nurse support system established \nPO2: Professional Development for Nurses [HS Records] \nPO2.1: #(%) of nurses trained \nPO2.3: #(%) of schools with nurses trained \nPO2.4: # of Nursing PD opportunities by type \nPO3: Nurse Liaison Technical Assistance [HS records] \nPO3.1: # of TA sessions \nPO3.2: # of schools receiving TA \nPO4: School Nurse Direct Services [SNAPNurse] \nPO4.1: # of injury visits \nPO4.2: # of acute disease management visits \nPO4.3: # of chronic disease management visits \nPO4.4: # of visit for treatments and medications", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 74 of 102 \n \n \n \nPO4.5: Case management (school nurse/PCP/parent) \nPO4.6: # of screenings/referral/completed referrals \nPO4.7: School Nurse Referrals \nPO4.7.1: # of referrals to HRCs \nPO4.7.2: # of referrals to SBHCs \nPO4.7.3: # of referrals for acute medical management \nPO4.7.4: # of referrals for chronic disease management \nPO5: # of nurse-led school staff training sessions \nPO6: # of Individual and group sessions with students \nPO7: # of health promotions \nPO8: Community partner services \nPO8.1: HRCs \nPO8.2: SBHCs \nPO8.3: # of schools receiving community partnerships by \ntype \nPO9: Condom Accessibility [HWD records] \nPO9.1: % of high schools with CATs \nPO9.3: % of CAT members trained on how to make referrals", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 75 of 102 \n \n \n \nand provide condoms \nHS STO 1: Increase schools appropriately staffed to meet the \nmedical needs of students as determined by the BPS Health \nServices staffing criteria \nSTO1.1: # (%) school appropriately staffed according to BPS \ncriteria [OHC]", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 76 of 102 \n \n \n \nHS STO 2: Increase capacity of school-based staff to deliver \nhigh quality nursing services \nSTO2.1: #(%) of schools with nurses receiving required Health \nService Professional Develop (18 hour and/or monthly \nexemplar practice) \nSTO2.2: # of nurses reviewed using the Health Services \nScorecard \nSTO2.3: # of schools with 90% or greater of immunization \ncompliance \nSTO2.4: % of Individual Health Care Plans (IHCP) \nSTO2.5: % of schools with 90% or greater compliance with \nDistrict physical exam policy \nSTO2.6: # One-on-one counseling \nSTO2.7: # of nurses receiving National Asthma Certification \nHS STO 3: Improve school-wide awareness for students with \nchronic disease \nSTO3.1: % of schools that have all Individual Health Care \nPlans (IHCP) for students with Individual Education Plans \nwith required signatures [SNAPNurse] \nHS STO 4: Increase the % of students receiving state-", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 77 of 102 \n \n \n \nmandated screenings [SNAPNurse] \nSTO4.1: # (%) of schools with XX% of students screened \nSTO4.1.1: Hearing screening \nSTO4.1.2: Vision screening \nSTO4.1.3: SBIRT screening \nSTO4.1.4: Height & Weight (Body Mass Index) \nSTO4.2: # (%) of students with referrals for failed screening \nSTO4.3: # (%) of students with completed referrals for failed \nscreenings \nHS STO 5: Increase % of students visiting the nurse that are \nable to return to the classroom for continued learning \nSTO5.1: % of students returning to their classroom \n[SNAPNurse] \nHS STO 6: Increase the schools with nurse-lead health \npromotions campaigns \nSTO6.1: #(%) schools conducting nurse-lead health \npromotions campaigns [ESHS Data] \nHS STO 7: Increase in the % of CATs making referrals and", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 78 of 102 \n \n \n \nproviding condoms [ESHS Data] \nSTO7.1: # of condoms distributed by CATs \nSTO7.2: # of sexual health referrals by CATs \nSTO7.3: % of schools with functioning CATs \nHS STO 8: Increase the provision of sexual health referrals \n[Profiles] \nSTO8.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS STO 9: Increase in the provision sexual health services \n[Profiles] \nSTO9.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS IMO 1: Improved school-wide management for students \nwith chronic disease \nIMO1.1: # of dismissals from school related to chronic disease \n[SNAPNurse/TBD] \nStaff Wellness (SW) Metrics", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 79 of 102 \n \n \n \nSW Process Outcomes: \nPO1: # of District communications on staff wellness related \ntopics [External Affairs/TBD] \nPO2: DWC Staff Wellness Subcommittee co-chairs identified \n[DWC Records] \nPO3: # Subcommittee meetings held [DWC Records] \nSW STO 1: Increased staff physical activity \nSTO1.1: % of staff reporting at least 30 minutes of physical \nactivity a day [TBD] \nSW STO 2: Increased staff healthy eating \nSTO2.1: % of staff reporting eating 5 servings of fruits and \nvegetables in a day [TBD] \nSW STO 3: Increased % of schools with staff wellness \nactivities and initiatives [Profiles] \nSTO3.1: % of schools with staff wellness as a goal on their \nWellness Action Plan \nSTO3.2: % of schools that answered yes to \u201cIn the past school \nyear, did your school offer any staff wellness initiatives?\u201d", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 80 of 102 \n \n \n \nSW IMO 1: Increase in teachers\u2019 school climate \nIMO1.1: Improve professional community \nIMO1.2: Improve support for teacher development and \ngrowth \nSW IMO 2: Increased % of schools with an institutionalized \nStaff Wellness Program \nIMO2.1: % of schools with a staff wellness promotion or \nprogram that took place for an extended duration across the \nyear. [Profiles/WAP] \nWELLNESS POLICY LONG-TERM STUDENT IMPACTS \n1. Improve student physical fitness \na. % of students achieving health fitness levels (Source: \nFitnessgram) \ni. Health Fitness Zone in \u2157 assessments \nii. Health Fitness Zone for aerobic capacity \n2. Reduce prevalence of health-risk behaviors among \nstudents (Source: YRBS) \na. % of students who have ever had sexual intercourse", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 81 of 102 \n \n \n \nb. % of students who had sexual intercourse in the last 3 \nmonths (i.e sexually active) \nc. % of students who had sexual intercourse with four or \nmore persons during their life \nd. % of students who have ever been pregnant or gotten \nsomeone pregnant \ne. % of students who did not go to school because they \nfelt unsafe at school or on their way to or from school \n(in the last 30 days) \nf. % of students who carried a weapon on school \nproperty (in the last 30 days) \ng. % of students who were threatened or injured with a \nweapon on school property (in the past 12 months) \nh. % of students who were in a physical fight on school \nproperty (in the past 12 months) \ni. % of students who were bullied on school property (in \nthe past 12 months) \nj. % of students who were electronically bullied (in the \npast 12 months) \nk. % of students who experienced physical dating \nviolence (in the past 12 months)", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "the past 12 months) \nj. % of students who were electronically bullied (in the \npast 12 months) \nk. % of students who experienced physical dating \nviolence (in the past 12 months) \nl. % of students who experienced sexual dating violence", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 82 of 102 \n \n \n \n(in the past 12 months) \nm.% of students who were ever physically forced to have \nsexual intercourse (when they did not want to) \n3. Increase in protective health behaviors among students \n(Source: YRBS) \na. % of students who used a condom during last sexual \nintercourse (among students who were currently \nsexually active) \nb. % of students who used effective hormonal birth \ncontrol\u2020 to prevent pregnancy (during last sexual \nintercourse among students who were currently \nsexually active) \nc. % of students who used a condom and effective \nhormonal birth control during last sexual intercourse \n(among students who were currently sexually active) \nd. % of students who were ever tested for HIV (not \nincluding tests done when donating blood) \ne. % of students who were physically active at least 60 \nminutes per day on all 7 days \nf. % of students who did not watch 3+ hours of TV (on an \naverage school day)", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "e. % of students who were physically active at least 60 \nminutes per day on all 7 days \nf. % of students who did not watch 3+ hours of TV (on an \naverage school day) \ng. % of students who did not play video or computer \ngames or used a computer for 3+ hours per day (for", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 83 of 102 \n \n \n \nsomething that was not school work, on an average \nschool day) \nh. % of students who ate breakfast daily (in the past \nweek) \ni. % of students who ate fruit or drank 100% fruit juices 2+ \ntimes per day (in the past week) \nj. % of students who ate vegetables 2+ times daily (in the \npast week) \nk. % of students who drank 3+ glasses of water daily (in \nthe past week) \nl. % of students who drank 1+ glasses of milk daily (in the \npast week) \nm.% of students who did not drink a soda (in the past \nweek) \nn. % of students who did not drink a sugar-sweetened \nbeverage\u2020 (in the past week) \n4. Improve feeling of school connectedness among students \n(Source: YRBS & Climate Survey) \na. % of students who have at least one teacher or other \nadult in their school that they can talk to if they have a \nproblem", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 84 of 102 \n \n \n \nb. District score on student engagement in school scale \nc. District score on appreciation for diversity scale \nd. District score on student civic participation scale \n5. Improve student social-emotional wellbeing \na. District score on student social emotional health scale \nb. District score on student growth mindset scale \nc. District score on student perseverance and \ndetermination scale \n6. Improve student mental health outcomes (Source: YRBS) \na. % of students who felt depressed (sad or hopeless \nalmost every day for two weeks or more in a row that \nstopped them from doing some usual activities) \nb. % of students who did something to purposely hurt \nthemselves without wanting to die \nc. % of students who seriously considered attempting \nsuicide \nd. % of students who attempted suicide \n7. Reduce prevalence of substance use among students \na. % of students who currently used tobacco products", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "suicide \nd. % of students who attempted suicide \n7. Reduce prevalence of substance use among students \na. % of students who currently used tobacco products \n(cigarettes, cigars, smokeless tobacco, electronic vapor", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 85 of 102 \n \n \n \nproducts) \nb. % of students who currently smoked cigarettes or \ncigars \nc. % of students who currently used electronic vapor \nproducts \nd. % of students who currently drank alcohol \ne. % of students who currently binge drank (males 5+ \ndrinks; females 4+ drinks in a row) \nf. % of students who currently used marijuana \ng. % of students who ever took prescription pain \nmedication without a doctor\u2019s prescription or \ndifferently from how a doctor told them to use it \n8. Increase prevalence of students with health weight status \na. % of students with health MI status (Source: \nSNAPNurse) \n9. Reduce in prevalence of asthma among students \na. % of students with asthma diagnosis \n(Source:SNAPNurse) \n10. Reduce the prevalence of sexually transmitted diseases, \nHIV, and adolescent pregnancy among students (Source:", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 86 of 102 \n \n \n \nBPHC) \na. Incidence rate for chlamydia among Boston youth \nb. Incidence rate for gonorrhea among Boston youth \nc. Incidence rate for Incidence rate for gonorrhea among \nBoston youth among Boston youth \nd. Prevalence of Boston youth living with HIV \ne. Birth rate among adolescent females \n11. Decrease number of medically-related absences among \nstudents (Source: ODA) \na. # of medically-related absences among students \n12. Improve school climate for staff (Source: School Climate \nSurvey) \n \nIII. DEFINITIONS \n \nAll students attend a Boston Public School and include but are \nnot limited to students with identities that are related to culture, \nrace, ethnicity, sexual orientation, gender, gender identity, and \nability.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 87 of 102 \n \n \n \nBullying is a form of emotional or physical abuse that has three \ndefining characteristics*: \n\u25cf Deliberate: A bully\u2019s intention is to hurt someone. \n\u25cf Repeated: A bully often targets the same victim again and \nagain. \n\u25cf Power imbalanced: A bully chooses victims he or she \nperceives as vulnerable. \n*Bullying is different from conflict, fights, or disagreements. It \nmust meet the above criteria. \n \nBoston Public Schools Property includes all properties where \nstudents and Boston Public School staff work or attend class. \n \nComprehensive Health Education is medically accurate, age and \ndevelopmentally appropriate, culturally inclusive, implemented \nin safe and supportive learning environments where all students \nfeel valued, and includes nutrition education. \n \nComprehensive School Physical Activity Program (CSPAP) is an \napproach by which school Districts and schools utilize all", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "feel valued, and includes nutrition education. \n \nComprehensive School Physical Activity Program (CSPAP) is an \napproach by which school Districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 88 of 102 \n \n \n \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and \ninvolvement; and family and community involvement. \n \nComprehensive Sexual Health Education is a planned, \nsequential, Pre-K \u2013 12 curriculum that is part of a comprehensive \nschool health approach which addresses age-appropriate \nphysical, mental, emotional and social dimensions of human \nsexuality. It should allow students to develop and demonstrate \ndevelopmentally appropriate sexual health-related knowledge, \nattitudes, skills and practices. The curriculum should be designed \nto motivate and assist students to maintain and improve their \nsexual health by delaying sexual initiation, preventing disease \nand too-early pregnancy and reducing sexual health-related risk \nbehaviors. It should be medically accurate, developmentally", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "sexual health by delaying sexual initiation, preventing disease \nand too-early pregnancy and reducing sexual health-related risk \nbehaviors. It should be medically accurate, developmentally \nappropriate, culturally, including LGBTQ inclusive, and be \nprovided by qualified, trained, and certified teachers (Future of \nSex Education). \n \nCultural Proficiency: esteeming culture, interacting effectively in \na variety of cultural groups, using inclusive language, committing \nto continuous learning. \n \nCyber bullying is bullying that takes place using electronic \ntechnology. Examples of cyber bullying include mean text", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 89 of 102 \n \n \n \nmessages or emails, rumors sent by email or posted on social \nnetworking sites, and embarrassing pictures, videos, websites, or \nfake profiles. \n \nFederally Funded Child Nutrition Programs include the National \nSchool Lunch Program, National School Breakfast Program, After \nSchool Snack Program, and the Child & Adult Care Food Program. \n \nLGBTQ is an acronym for individuals who identify as Lesbian, Gay, \nBisexual, Transgender, Queer or Questioning. \n \nHealth Literacy is the capacity of an individual to obtain, \ninterpret, and understand basic health information and services \nand the competence to use such information and services in \nways that are health enhancing (National Health Education \nStandards). \n \nHealth Services represents the component of a comprehensive \nschool health program that directly services the individual child \nand monitors health trends within the District. It includes both", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Health Services represents the component of a comprehensive \nschool health program that directly services the individual child \nand monitors health trends within the District. It includes both \nthe school nurse programs and the school-based health center \nprograms. The goal of health services is to remove the \neducationally relevant health obstacles to learning by ensuring \naccess and/or referral to primary health care services, managing", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 90 of 102 \n \n \n \nchronic disease conditions during school hours, preventing and \ncontrolling communicable disease and other health problems, \nproviding emergency care for illness or injury, promoting and \nproviding optimum sanitary conditions for a safe school facility \nand school environment and providing educational and \ncounseling opportunities for promoting and maintaining \nindividual family and community health. \n \nNutrition Promotions are strategies, social marketing, materials, \nand oral & written communications that provide methods to shift \ncultural norms toward healthier foods and beverages. \n \nParent engagement occurs when schools are actively involving \nparents in an authentic partnership with aims of improving \nindividual student\u2019s outcomes and school wide initiatives. \n \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "individual student\u2019s outcomes and school wide initiatives. \n \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE frameworks. \nPE activities that focus on a single activity, such as swimming \nand dance, count as PE only if it is part of a CSPAP and aligned \nwith BPS PE Frameworks.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 91 of 102 \n \n \n \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school \nday. Recess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should \nNOT be counted as PE; PA is not PE and it cannot be allocated as \nPE. \n \nSafe and Supportive Schools create a positive school climate that \nactively teaches positive behavior and engaging in prevention \nactivities to promote feelings of security and connectedness for \nstudents and adults. \n \nWellness is a process by which individuals move toward optimal \nphysical and mental health, regardless of current health status or \ndisability, by practicing healthy choices within an enabling \nenvironment that encourages healthy decision-making.", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "physical and mental health, regardless of current health status or \ndisability, by practicing healthy choices within an enabling \nenvironment that encourages healthy decision-making. \n \n \n IV. INDEX OF FEDERAL, STATE, AND BOSTON \nPUBLIC SCHOOL WELLNESS-RELATED POLICIES & \nGUIDELINES \n \nRelevant and existing school policies, for which school-based", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 92 of 102 \n \n \n \nWellness Councils and school staff must comply, are referenced \nbelow. \n \nA. School Food and Nutrition Promotion-related policies shall be \nfollowed by all Boston Public Schools: \n\u25cb Meals served in Boston Public Schools are in accordance \nwith the National School Meals Programs. Federally funded \nchild nutrition programs must comply with the nutrition \nstandards for school meals, outlined in the Healthy Hunger-\nFree Kids Act of 2010. \n\u25cb 105 CMR 225: Nutrition Standards for Competitive Foods and \nBeverages in Public Schools \n\u25cb Mayor Menino\u2019s Executive Order for Healthy Beverages \n\u25cb FNS-01: Food Nutrition Services \n\u25cb FNS-02: Emergency Meal Procedures \n\u25cb FNS-03: Nutrition Policy \n\u25cb FNS-04: Responsibilities Regarding School Food Services \n \nB. Comprehensive Physical Activity and Physical Education-\nrelated policies shall be followed by all Boston Public Schools: \na. Massachusetts Legislation", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 93 of 102 \n \n \n \n\u25cb MGL c. 71, s. 3: Physical Education \nb. District Circulars \n\u25cb HWD-02: Physical Education and Physical Activity Policy \n\u25cb ATH-01: Prevention & Management of Sports-Related \nHead Injuries \n \nC. Comprehensive Health Education-related policies shall be \nfollowed by all Boston Public Schools: \n\u25cb HWD-03: Comprehensive Health Education Policy \n\u25cb HWD-05: Human Sexuality Education-Parental Notification \n \nD. Healthy School Environment-related policies shall be followed \nby all Boston Public Schools: \na. Massachusetts Legislation \n\u25cb MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nb. District Circulars \n\u25cb BPS Water Access Policy \n\u25cb FMT-07: Chemical Inventory \u201cRight to Know\u201d Law \n\u25cb FMT-08: System-wide Zero Waste Policy", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 94 of 102 \n \n \n \n\u25cb FMT-10: Integrated Pest Management (IPM) \n\u25cb FMT-11: Green Cleaners Policy \n\u25cb FMT-14 Hearing Conservation Program \n\u25cb FMT-15: BPS/Boston Public Health Commission \nEnvironmental Inspection/Audit Program (City \nOrdinance 7.12.1-4) \n\u25cb FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \n\u25cb HWD-04: Whole School Health & Wellness: Healthy \nSchool Environment Policy \n\u25cb HWD-06: Tobacco Free Environment Policy \n\u25cb SHS-04: Infection Prevention and Control in School \nSettings \n\u25cb SHS-20: Asthma in Schools \n \nE. Safe and Supportive Schools-related policies shall be followed \nby all Boston Public Schools: \na. Federal Legislation \n\u25cb Elementary and Secondary Education Act of 1965, as \namended, Title IV, Part A, Subpart 2, Section 4121 - \nFEDERAL ACTIVITIES; 20 U.S.C. 7131", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 95 of 102 \n \n \n \nb. Federal Regulations \n\u25cb Education Department General Administrative \nRegulations (EDGAR) - 34 CFR Parts 75, 77, 79, 80, 81, 82, \n84, 85, 86, 97, 98, 99 (b) The regulation in 34 CFR part 299 \n\u25cb Title VI of the Civil Rights Act of 19641 (Title VI), which \nprohibits discrimination on the basis of race, color, or \nnational origin; \n\u25cb Section 504 of the Rehabilitation Act of 19733 (Section \n504); and Title II of the Americans with Disabilities Act of \n19904 (Title II). Section 504 and Title II prohibit \ndiscrimination on the basis of disability,5 as referenced \nin the Office of the Assistant Secretary\u2019s \u201cDear \nColleague\u201d letter of October 2010. \n\u25cb Title IX, Education Amendments of 1972 which prohibits \ndiscrimination on the basis of sex, including individuals \nwho are pregnant or parenting. \n\u25a0 Title 20 U.S.C. Sections 1681-1688 \nc. Massachusetts Legislation \n\u25cb SL 2010, c.92: Bullying in Schools", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "discrimination on the basis of sex, including individuals \nwho are pregnant or parenting. \n\u25a0 Title 20 U.S.C. Sections 1681-1688 \nc. Massachusetts Legislation \n\u25cb SL 2010, c.92: Bullying in Schools \n\u25cb MGL c.12, s.11H: Violation of Constitutional Rights \n\u25cb MGL c.265 s.43: Stalking \n\u25cb MGL c.265, s.43A: Criminal Harassment \n\u25cb MGL c.266, s.37E: Identity Fraud", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 96 of 102 \n \n \n \n\u25cb MGL c.269, s.17: Hazing \n\u25cb MGL c.269, s.18: Failure to Report Hazing \n\u25cb MGL c.269, s.19: Schools to provide copy of hazing law to \nstudents \n\u25cb MGL c.119, s.21: Mandated Reporters defined. \n\u25cb MGL c.119, s.51A: Mandated Reporting explained \n\u25cb MGL c.76, s. 5 An Act Relative to Gender Identity \n\u25cb CHAPTER 188 An Act Improving the Public Schools of \nthe Commonwealth \nd. Massachusetts Regulations \n\u25cb 610 CMR 5 Hazing Reporting- Secondary Schools \n\u25cb 603 CMR 33 Hazing Reporting- Higher Educations \n\u25cb 603 CMR 49 Notification of Bullying or Retaliation \ne. District Circulars \n\u25cb ACA-18: Attendance Policies \n\u25cb ACA18A: Attendance Procedures \n\u25cb ACA-18B: Procedures for Referral to Supervisors of \nAttendance \n\u25cb EQT-07: Accommodating Employees with Disabilities", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 97 of 102 \n \n \n \n\u25cb EQT-05: Employee Reports of Bias \n\u25cb EQT-02: Student, Family or Other Third Party Reports of \nBias \n\u25cb EQT-01: Non-Discrimination Policy and Statement \n\u25cb EQT-06: Sexual Misconduct Toward Employees \n\u25cb EQT-03: Sexual Misconduct Toward Students \n\u25cb EQT-04: Students and Gender Identity \n\u25cb LGL-11: Sexual Orientation \u2013 Protection of Students \nAgainst Discrimination \n\u25cb FAM-01: School Site Councils \n\u25cb FAM-02: School Parent Council \n\u25cb FAM-03: Middle and High School Student Government \n\u25cb FAM-05: Title I Family Engagement Requirements \n\u25cb FSE-01: School Safety Contingency Plans \n\u25cb FSE-02 Fire Safety Practices \n\u25cb FSE-04 Bomb Threat Procedures \n\u25cb FSE-05 Medical Emergency Management \n\u25cb FSE-06 Student Safety / Health in School Shops, \nLaboratories and Classrooms", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 98 of 102 \n \n \n \n\u25cb FSE-07 Public Health and Workplace Safety \n\u25cb FSE-08 Teaching Students the Containment Protocol \nMini-Session \n\u25cb LGL-01 Hazing Law \n\u25cb LGL-04 School Visitors Guidelines \n\u25cb LGL-05 Racial or Ethnic Discrimination/Harassment of \nStudents \n\u25cb LGL-06 Religious Holy Days \n\u25cb LGL-13 Sexual Assault Policy \n\u25cb LGL-15 Student Surveys \n\u25cb LGL-17 Religious Expression in Public Schools \n\u25cb LGL-20 Corporal Punishment \n\u25cb SAF-01 Student Search Procedures \n\u25cb SAF-02 Weapons and Objects of No Reasonable Use \n\u25cb SAF-04 Incident Data Reporting and Release \n\u25cb SAF-07 Metal Detectors \n\u25cb SAF-09 Lost Children Procedures \n\u25cb SAF-11 Sexual Offender Registry Information (SORI) \n\u25cb SAF-12: School Access Control", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 99 of 102 \n \n \n \n\u25cb SHS-01: Drug and Alcohol Abuse \n\u25cb SHS-16: Suicide Prevention and Intervention \n\u25cb SPE-03: Physical Restraint Policy \n\u25cb SPE-14: Counseling Guidelines \n\u25cb SPE-15: Discipline of Students with Disabilities \n\u25cb SSS-02: Homeless Students - Guidelines and Procedures \n\u25cb SSS-07: Persistently Dangerous Schools \n\u25cb SSS-18: Bullying Prevention and Intervention Plan \n\u25cb SUP-20: Child Abuse and Neglect \n\u25cb SUP-21: Expectant & Parenting Students \n\u25cb SUP-05: Code of Discipline \n \nF. Health Services-related policies shall be followed by all Boston \nPublic Schools \n\u25cb ATH-01: Prevention & Management of Sports-Related Head \nInjuries \n\u25cb FSE-05 Medical Emergencies \n\u25cb SHS-23: Condom Accessibility \n\u25cb LGL-16: Student Health Information", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 100 of 102 \n \n \n \n\u25cb SHS-04: Infection Prevention and Control in School Settings \n\u25cb SHS-05: Tuberculosis Program \n\u25cb SHS-06: Immunization Law \n\u25cb SHS-08: Medication Dispensation \n\u25cb SHS-11: Life Threatening Allergies (LTA or Anaphylaxis) Policy \nand Implementation \n\u25cb SHS-12: HIV/AID Policy and Guidelines \n\u25cb SHS-13: Medical Transportation \n\u25cb SHS-20: Asthma in Schools \n\u25cb SHS-21: Diabetes Policy \n\u25cb SHS-22: Automatic External Defibrillator (AED) Use and \nAccess Policy \n \nG. Cultural Proficiency-related policies shall be followed by all \nBoston Public Schools \n\u25cb CAO-05: Services to Limited English Proficient Students \n\u25cb ELL-04: Title I Expenditures for English Language Learners \n\u25cb EQT-01: Non-Discrimination Policy and Statement \n\u25cb EQT-02: Student, Family or Other Third Party Reports of Bias", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 101 of 102 \n \n \n \n\u25cb EQT-03: Sexual Misconduct Toward Students \n\u25cb EQT-05: Employee Reports of Bias \n\u25cb EQT-06: Sexual Misconduct Toward Employees \n\u25cb EQT-07: Accommodating Employees with Disabilities \n\u25cb FAM-02: School Site Councils \n\u25cb FAM-01: School Parent Council \n\u25cb FAM-03: Middle and High School Student Government \n\u25cb FAM-05: Title I Family Engagement Requirements \n\u25cb FAM-06: Boston Student Advisory Council \n\u25cb LGL-05: Racial or Ethnic Discrimination/Harassment of \nStudents \n\u25cb LGL-11: Sexual Orientation - Protection of Students Against \nDiscrimination", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-01 Wellness Policy .pdf", + "content": "Superintendent\u2019s Circular HWD-01 \nPage 102 of 102 \n \n \n \n \nFor more information about this circular, contact: \n \nOwner: Senior Executive Director of Health & Wellness \nDepartmen\nt: Health & Wellness \nMailing \nAddress: 370 Columbia Rd, Dorchester, MA 02125 \nPhone: 617-635-9698 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHWD-02 \nVersion 01 \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nRegular physical activity is one of the most important factors \naffecting health. It helps control weight, reduces the risk of \ndeveloping cardiovascular disease and diabetes, improves mental \nhealth and mood, and increases longevity. Most Boston Public \nSchool (BPS) students are not physically active for the 60 minutes \nper day recommended by the Center for Disease Control. Only 16% \nof BPS high school students reported being physically active for \nthe recommended time, and only 40% reported having weekly \nphysical education, according to the 2015 Boston High School \nYouth Risk Behavior Survey (YRBS). Twenty-three percent of \nmiddle school students reported being physically active for the \nrecommended time and 80% reported having weekly physical", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Youth Risk Behavior Survey (YRBS). Twenty-three percent of \nmiddle school students reported being physically active for the \nrecommended time and 80% reported having weekly physical \neducation, according to the 2013 Boston Middle School YRBS. This \nlack of physical activity is contributing to an epidemic of \noverweight and obesity in BPS students. Measurement of \nstudents\u2019 Body Mass Index in 1st, 4th, 7th and 10th grades revealed \nthat 39% of BPS students are at an unhealthy weight (2015).", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 2 of 18 \n \nRecent national, cumulative evidence shows clear links between \nschool-based physical activity, including physical education, and \nacademic success. Most of the studies report that physical activity \nwas positively related to academic performance, including \nacademic achievement (grades, standardized test scores); \nacademic behavior (on-task behavior, attendance); and factors \nthat can positively influence academic achievement \n(concentration, attention, improved classroom behavior). Most \nimportantly, adding time during the school day for physical \nactivity does not appear to take away from academic \nperformance. Given these findings, the BPS recommends that \nschools increase the amount of time spent in physical education \nand/or increase the quality of their physical education program, \nprovide recess and physical activity breaks in the classroom, \npromote walk/ bike to school programs, and offer non-competitive", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "and/or increase the quality of their physical education program, \nprovide recess and physical activity breaks in the classroom, \npromote walk/ bike to school programs, and offer non-competitive \nintramural and interscholastic sports. \nTo improve health and academic outcomes, BPS is implementing \nstrategies to increase the frequency and quality of physical \neducation (PE) and physical activity (PA) for BPS students. A PE & \nPA Task Force was formed in November 2010 to align the district\u2019s \nPE-related policies and bring the district into compliance with MA \nGeneral Laws Chapter 71, Section 3 that states: \n\u201cPhysical education shall be taught as a required subject in all \ngrades for all students in the public schools for the purpose of \npromoting the physical well-being of students.\u201d \nWith input from BPS principals, physical education teachers, BPS \nWellness Council members, BPS department heads, Academic \nSuperintendents, Labor Relations, and other district-leaders, the", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 3 of 18 \n \nPE & PA Taskforce created the PE & PA Policy to align the former \nBPS policies. \n \nDEFINITIONS \nComprehensive School Physical Activity Program (CSPAP): An \napproach by which school districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and \ninvolvement; and family and community involvement. \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "curricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE Frameworks. PE \nis comprehensive and includes student learning competencies \nthat cross all four strands of the BPS PE Frameworks 1) Movement \n2) Health-Related Fitness 3) Personal and Social 4) Lifelong \nPhysical Activity. PE activities that focus on a single activity, such \nas swimming and dance, count as PE only if it is part of a CSPAP \nand align with the BPS PE Frameworks. \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school day.", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 4 of 18 \n \nRecess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should NOT \nbe counted as PE; PA is not PE and it cannot be allocated as PE. \nModerate-to-Vigorous Physical Activity (MVPA) is measured by an \nincrease in heart rate, breathing, and body temperature. \nModerate physical activity refers to activities equivalent in \nintensity to brisk walking or bicycling. Vigorous physical activity \nproduces large increases in breathing or heart rate, such as \njogging, aerobic dance or bicycling uphill. \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and fitness \nby bringing more physical education and physical activity to \nschools; improving the quality of physical education and recess; \nand increasing the equity of physical activity programs and", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "by bringing more physical education and physical activity to \nschools; improving the quality of physical education and recess; \nand increasing the equity of physical activity programs and \nresources across our schools. Activities will be inclusive to meet \nthe needs, interests, abilities and cultural diversity of all students, \nincluding students of all gender identities, students with \ndisabilities, and students with special healthcare needs. \nNumerous studies indicate that regularly engaging in moderate-\nto-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children\u2019s cognitive function, \nability to concentrate in class, and academic performance. Thus, \nas a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 5 of 18 \n \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a \nphysically active lifestyle. Additionally, by establishing a safe, \nsupportive and engaging school environment, athletic programs \nencourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "healthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in \nschool. In this way, athletics contributes to the academic success \nof students. \nIn accordance with state law, all schools must provide all students \nin all grades with opportunities for physical activity. Schools must \noffer at least 150 minutes of in-school physical activity weekly in \ngrades PreK-8, including required physical education, movement \nbreaks, recess, or lessons involving movement structured to \nsupport moderate-to-vigorous physical activity (MVPA). In grades \nPreK-8, students are expected to have at least 20 minutes of daily \nrecess. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment nor \nwithhold opportunities for physical activity during the school day", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Teachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment nor \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 6 of 18 \n \nbreaks, or physical education) as punishment for any reason other \nthan illness or safety or as approved by the school leader. This \nincludes denying a student physical activity time in order to make \nup work unless under unusual circumstances. The district will \nprovide teachers and other school staff with a list of ideas for \nalternative ways to discipline students. \nAll schools must offer standards-based physical education (PE) for \nall students in all grades. Schools are required to offer at least 45 \nminutes of weekly PE in grades PreK-8 and at least one semester \n(equivalent of a half school year) of PE each year in grades 9-12. \nWe recommend that schools provide at least 80 minutes of \nweekly PE in grades PreK-8. In order to help schools work toward \nthis recommendation, Boston Public Schools will develop an \nimplementation plan with input from current principals and", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "weekly PE in grades PreK-8. In order to help schools work toward \nthis recommendation, Boston Public Schools will develop an \nimplementation plan with input from current principals and \nheadmasters. This implementation plan will be shared with the \nSchool Committee. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity \nbreaks or physical education) as punishment for any reason; or \ndeny a student physical activity time in order to make up work \nunless under unusual circumstances. \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array of \nphysical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "physical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day,", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 7 of 18 \n \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after \nschool programs, intramurals and interscholastic sports, and in \ntheir school commute. \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and \neasier trip to and from school when students and staff are walking, \nbicycling, using public transit or other means of physically active \ntransport. The District will encourage 7-12th grade students to use \npublic transportation when available and appropriate for travel to \nschool, and will work with the local transit agency to provide", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "public transportation when available and appropriate for travel to \nschool, and will work with the local transit agency to provide \ntransit passes for eligible 7-12th grade students. The District will \nprovide resources to schools, students and families regarding \nwalking, riding a bicycle, using public transit or other forms of \nactive transportation. The District will encourage wellness \ncouncils, school administrators and students, staff, families and \ncommunity partners to assist the District in promoting safe, \nphysically active travel to and from school. Schools are \nencouraged to designate a transportation liaison to facilitate \ncommunication regarding District efforts to promote safe, \nphysically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "participate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport.", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 8 of 18 \n \nIMPLEMENTATION GUIDELINES \nA. State law requires that all students in grade K-12 receive \nphysical education. \n \n1.) The BPS PE Curriculum must meet the following criteria: \na. The curriculum is standards-based and it aligns with BPS \nPE Curriculum Frameworks. \nb. The curriculum provides moderate-to-vigorous physical \nactivity (MVPA) during at least 50% of PE class time. \nc. The PE scope and sequence for each grade level must \ninclude district-sponsored PE curriculum, such as SPARK \nin K-12th grades and Project Adventure in K-12th grades. \n \n2.) Student assessments in PE must include the following: \na. Graded competency (i.e. knowledge, skills, practice) and \nparticipation (i.e. effort, proper attire, teamwork) \nassessments that are reflected on all students\u2019 report \ncards. \n \n3.) BPS PE classes have the following requirements for scheduling: \na. Reflected on all schools\u2019 master schedules and on all \nstudents\u2019 report cards.", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 9 of 18 \n \n4.) Staffing requirements include: \na. BPS supports a learning environment in which all teachers \nare highly qualified in the subject areas they teach. \nTherefore, PE class must be taught by a teacher that holds \nan active and valid PE teaching license from the MA \nDepartment of Elementary and Secondary Education. \nb. If a school is unable to provide all students in all grades \nwith PE instruction from licensed PE teachers, they should \ncontact the Office of Health and Wellness for support with \nidentifying district-approved staffing alternatives. All PE \nstaffing alternatives must be approved by HR, the Office of \nHealth and Wellness, and the school\u2019s respective \ninstructional superintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in situations \nthat increase opportunities for students. \n \n5.). School Wellness Councils are required to develop a school-", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "considered in extenuating circumstances or in situations \nthat increase opportunities for students. \n \n5.). School Wellness Councils are required to develop a school-\nbased Comprehensive School Physical Activity Plan (CSPAP) as a \npart of the Wellness Action Plan that includes: \na. A school-based CSPAP Policy that documents the CSPAP \nImplementation Guidelines. \nb. The CSPAP Implementation Guidelines must outline how \nall students in grades K-8 are to receive at least 45 minutes \nof PE per week, and how all students in grades 9-12 receive \nat least 1 semester of PE per grade. \nc. The CSPAP Implementation Guidelines also include a plan \nthat outlines how the school aims to provide 150 minutes \nof in-school physical activity in grades k-8, including", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 10 of 18 \n \nrequired physical education, movement breaks, recess, or \nlessons involving movement. In grades PreK-8, students \nare expected to have a minimum of 20 minutes of daily \nrecess; this must be included in the CSPAP. \nd. School staff shall be provided resources to integrate \nphysical activity into their academic lessons. Contact the \nOffice of Health and Wellness for resources. \ne. School wellness councils will work with building principals \nand Facilities Management/ Planning to identify safe and \nappropriate indoor and outdoor space for group physical \nactivity and physical education. The lack of identified \nsingle-use physical activity spaces (i.e., gymnasiums) will \nnot hinder schools from offering an environment \nconducive to physical activity and implementation of a \nCSPAP plan. Examples include: \n\u25cb Shared classroom space (mobile physical education \nclasses conducted in classrooms) \n\u25cb Schoolyard", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "conducive to physical activity and implementation of a \nCSPAP plan. Examples include: \n\u25cb Shared classroom space (mobile physical education \nclasses conducted in classrooms) \n\u25cb Schoolyard \n\u25cb Creative use of hallway space or other shared spaces \nin buildings \n\u25cb Repurposing classroom or other building spaces for \nphysical activity \n\u25cb Co-teaching with other content areas \n \nB. Schools shall offer daily physical activity opportunities during \nthe school day. \nTo that end principals/heads of school can: \na. Integrate daily physical activity into the classroom", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 11 of 18 \n \nsetting with kinesthetic learning, cross-curricular \nlessons, and team teaching \nb. Encourage short physical activity breaks between \nlessons or classes, as appropriate \nc. Encourage school-wide physical activity promotions like \npedometer challenges, field day, dance-a-thon, walk-a-\nthon, active transport, etc. \nd. Provide opportunities for daily recess with at least 20 \nminutes a day of supervised recess, preferably outdoors, \nduring which time staff encourage moderate to \nvigorous activity and provide appropriate space and \nequipment. In grades K-8, daily recess is required. \ne. Schedule recess before lunch so that students will come \nto lunch less distracted and ready to eat. \n \nC. Schools shall offer daily physical activity opportunities during \nextended day programs and out of school time which includes \nbefore and after school programs. \nTo that end principals/headmasters can:", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "extended day programs and out of school time which includes \nbefore and after school programs. \nTo that end principals/headmasters can: \na. Allow school spaces and facilities to be available for school-\nsponsored activities that promote fitness for its students \nduring extended and non-school hours, as circumstances \npermit. \nb. Remain in alignment with best practices and \nrequirements for licensed school-age care programs \npartnering with schools (606 CMR 7). Specifically \n\u25cb Providing daily indoor and outdoor time periods, \nweather permitting, which include both small and", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 12 of 18 \n \nlarge muscle activities; \n\u25cb Each school shall dedicate at least 30-60 minutes of \nmorning or afterschool program time to physical \nactivity for all students; \nc. Partner with local government and community-based \nagencies to support active transport to school by \nreducing/eliminating hazards and increasing accessibility \n(i.e., bicycle parking). \n \nD. Safe Routes to School Boston \nThe District will encourage students to be physically active before \nand after school by promoting walking/ biking/rolling to school \nthrough a comprehensive Safe Routes to School Boston program, \nincluding encouragement, education, evaluation, \nengineering/environment, enforcement, and equity strategies. \nSchools should include Safe Routes to School in their Annual \nWellness Action Plans. \n \na. Equity strategies: Consider the barriers and concerns, and \nopportunities that face families and ensure equitable", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Wellness Action Plans. \n \na. Equity strategies: Consider the barriers and concerns, and \nopportunities that face families and ensure equitable \nopportunities in each strategy of this initiative. \nb. Encouragement strategies: \n\u25cb Walking Promotions (e.g. Walk to School Days, \nWalking Challenges, School-wide Promotions) \n\u25cb Establishing a school Park and Walk site \n\u25cb Walking School Buses \nc. Education strategies:", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 13 of 18 \n \n\u25cb Implementing an active transportation safety \ncurriculum in health or physical education. \n\u25cb Developing and disseminating preferred Walking \nRoute Maps that provide students and parents with \nthe additional tools to travel safely to and from \nschool. \n\u25cb Disseminating walking tips and simple pedestrian \nsafety information and promotional materials. \nd. Evaluation of Need strategies: \n\u25cb Conduct a walk audit to identify concerns regarding \nthe physical/environmental conditions that surround \nyour school. \n\u25cb Conduct a travel hand tally to understand the impact \nand number of students that will benefit. \ne. Engineering/Environment strategies: \n\u25cb Alert proper authorities regarding environmental \nsafety concerns. Engineering or other environmental \nissues should be reported through BOS: 311, other \npressing concerns should be reported to BPS \nTransportation. \n\u25cb Increase accessibility and support for those choosing", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "issues should be reported through BOS: 311, other \npressing concerns should be reported to BPS \nTransportation. \n\u25cb Increase accessibility and support for those choosing \nto ride by installing secure bicycle storage and \ndesignating facilities for storing other wheeled \ndevices like scooters. \nf. Enforcement strategies: Share Preferred Walking Routes \nwith local police stations for proper crossing guard \nassignment and heightened awareness on popular routes.", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 14 of 18 \n \nE. Community Partnerships \nProviding students and families with access to safe, affordable, \nand convenient places to be physically active is an important \nstrategy for promoting health and reducing risk for obesity. \nCommunity partners are a vital, valuable aspect of quality physical \nactivity programs and can meaningfully support PE and PA in \nBPS. School officials are encouraged to work with partners to \ndevelop a written joint use agreement that delineates the terms \nand conditions for joint use and the responsibilities of all parties. \nCommunity partners must follow the BPS Community Partner \nPolicy. To that end, principals/heads of school can work with \ncommunity partners to: \na. Secure mini-grant funding \nb. Use of facilities on and off-campus \nc. Training/professional development \nd. Assist with program implementation \ne. Work with community partners to create additional", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "b. Use of facilities on and off-campus \nc. Training/professional development \nd. Assist with program implementation \ne. Work with community partners to create additional \nopportunities that meet the unique needs of their school \n \nF. Physical Activity and Punishment \nTeachers and other school and community personnel shall not: \na. Use physical activity (e.g., running laps, pushups) as \npunishment \nb. Withhold opportunities for physical activity during the \nschool day (including but not limited to recess, \nclassroom physical activity breaks or physical education) \nas punishment for any reason", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 15 of 18 \n \nc. Deny a student physical activity time in order to make \nup work unless under unusual circumstances \nThe district will provide teachers and other school staff with a list \nof ideas for alternative ways to discipline students. \n \nMONITORING, COMPLIANCE & SUPPORT \n \n1. Monitoring Curriculum \na. Scope and Sequence: Each school must annually \nsubmit a PE scope and sequence for each grade level to \nthe School Wellness Councils; the scope and sequences \nmust align with BPS PE Curriculum Frameworks. The \nOffice of Health and Wellness can support schools in \naligning their PE scope and sequence with the BPS PE \nCurriculum Frameworks. If necessary, the School \nWellness Councils may be asked to submit the school\u2019s \nPE scope and sequence. \n \n2. Monitoring Assessments \na. Report Cards: All students\u2019 report cards must include a \ngrade for taking PE class. \n \n3. Monitoring school-based Comprehensive School Physical \nActivity Plan (CSPAP)", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "2. Monitoring Assessments \na. Report Cards: All students\u2019 report cards must include a \ngrade for taking PE class. \n \n3. Monitoring school-based Comprehensive School Physical \nActivity Plan (CSPAP) \na. Wellness Actions Plans: School Wellness Councils\u2019", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 16 of 18 \n \nCSPAP will include their school-based CSPAP Policy \nthat outlines how all students in all grades will receive \nweekly physical activity. \nb. The Office of Health and Wellness will monitor School \nWellness Councils\u2019 CSPAP. \nc. The Office of Health and Wellness will monitor the \ncommunity partner\u2019s compliance with the BPS \nCommunity Partner Policy.. \n \n4. Monitoring Scheduling and Graduation Requirements \na. Master Schedules: All schools must reflect adequate PE \non their master schedule. \nb. Student Report Cards: All students\u2019 report cards must \ninclude PE to determine compliance with the PE & PA \nPolicy and to determine students\u2019 graduation eligibility. \n \n5. Monitoring Staffing: \na. Staffing Reports: The Office of Human Capital will \nannually conduct PE staffing reports for each school. \nThe PE staffing reports will be monitored to determine \ncompliance with the PE Staffing Policy for BPS.", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "annually conduct PE staffing reports for each school. \nThe PE staffing reports will be monitored to determine \ncompliance with the PE Staffing Policy for BPS. \n \n6. The Office of Health and Wellness will support schools in \ntheir efforts by providing: \na. Yearly professional development opportunities for both \nphysical education teachers and school-based \npersonnel", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 17 of 18 \n \nb. Professional development opportunities for recess-\nbased personnel \nc. Schools shall be provided resources to integrate \nphysical activity into their academic lessons \nd. Resources available for school staff include: \n\u25cb Field-day guides \n\u25cb Physical Activity Curriculum \n\u25cb Physical Activity Breaks \n\u25cb Recess temperature recommendations \n\u25cb Active Recess materials \n\u25cb Guide to Before and After School Activities \n\u25cb A list of physical activity community partners and \ncontact information \n7. Schools Non-Compliant with PE & PA Policy: \nThe principal and relevant school superintendent will be notified \nby the Office of Health and Wellness if a school is found not to be \ncompliant. The Office of Health and Wellness will work directly \nwith the school to support the development of a CSPAP \nImprovement Plan that puts the school on track for compliance \nwith the PE & PA Policy. \nSchool administration, teachers, families, students, community-", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Improvement Plan that puts the school on track for compliance \nwith the PE & PA Policy. \nSchool administration, teachers, families, students, community-\nbased organizations, and wellness councils will be provided \ninformation about the policy to engage and support \nimplementation, monitoring, and compliance. The BPS Office of \nHealth and Wellness will provide an implementation guide that \nwill include strategies and support for professional development, \ncurriculum, partnership development, instructional materials, \nschool-based PA strategies, and other resources.", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "content": "Superintendent\u2019s Circular HWD-02 \nPage 18 of 18 \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & Wellness \nDepartment: Health and Wellness \nMailing \nAddress: \n370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-6643 \nEmail: healthandwellness@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-06 \nVersion 01 \n \n \n \nTOBACCO AND NICOTINE-FREE ENVIRONMENT \nPOLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nA Tobacco Policy Task Force met during the 2010-2011 school year \nto review the BPS smoking policy and develop recommendations \nfor a comprehensive tobacco policy that addressed all tobacco \nproducts, including e-cigarettes or electronic vapor products for \nthe Boston Public Schools. Task force members included \nrepresentatives from Health Services, Facilities, Health & Wellness \nDepartment, School Safety, teachers, students, parents, and a \nhigh school head of school. The policy was updated again in the \nfall of 2019 to remain current with language around electronic \ncigarettes and best practices for vaping prevention. \nThe Tobacco and Nicotine-Free Environment Policy is motivated \nby the philosophy that every staff person, student, and visitor", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "cigarettes and best practices for vaping prevention. \nThe Tobacco and Nicotine-Free Environment Policy is motivated \nby the philosophy that every staff person, student, and visitor \nshould have the right to breathe clean air in their school and \nwork environment and that BPS is acutely aware of the serious \nhealth risks associated with the use of tobacco or nicotine \nproducts, both to users and non-users. The policy recognizes that \nthe use or promotion of tobacco or nicotine products on school", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 2 of 14 \n \n \n \ngrounds and at off-campus school-sponsored events is \ndetrimental to the health and safety of students, staff, and \nvisitors. BPS acknowledges that adult staff and visitors serve as \nrole models for students and embraces its obligation to promote \npositive role models in schools, and to provide an environment \nfor learning and working that is safe, healthy, and free from \nunwanted smoke and tobacco or nicotine product use, including \nvaping, for students, staff, and visitors. Therefore, a \ncomprehensive policy was adopted to prohibit the use of any \ntobacco or nicotine products. The Boston Public Schools have \nprohibited smoking on school property since 1987 when the \nSchool Committee of the City of Boston first adopted a Smoking \nPolicy. \nA Tobacco-Free Environment Policy has been developed to \ncomply with and extend beyond the Massachusetts Smoke-Free \nWorkplace Law (M.G.L. c. 270, \u00a7 22) and Boston\u2019s Clean Air Works", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Policy. \nA Tobacco-Free Environment Policy has been developed to \ncomply with and extend beyond the Massachusetts Smoke-Free \nWorkplace Law (M.G.L. c. 270, \u00a7 22) and Boston\u2019s Clean Air Works \nWorkplace Smoking Restrictions Regulation. Furthermore, this \npolicy has been reinforced by the Education Reform Act of 1993 \nand M.G.L. c.71 \u00a7 2A. This policy is a part of the District Wellness \nPolicy (HWD-01) and Healthy School Environment Policy (HWD-\n04) and is linked to the Drug and Alcohol Abuse Policy (SHS-01) \nand the Boston Public Schools Code of Conduct. Substance use \nintervention should be a part of a tiered approach that includes \nsubstance use prevention education for all students as a part of \nthe comprehensive health education required in HWD-01. \nDEFINITIONS \nSchool property: Includes inside and outside both administrative \nand school buildings, sidewalks/walkways, parking lots, \nplaygrounds, fields, school buses and other official vehicles,", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 3 of 14 \n \n \n \nloading docks, and any other facility under BPS jurisdiction. \nTobacco and nicotine products: Include but are not limited to \ncigarettes, cigars, cigarillos (or little cigars), clove cigarettes, loose \ntobacco, blunt wrappers, chewing tobacco (chew, dip), or any \nother product not mentioned that contains tobacco of any kind. \nIt also includes any products containing nicotine such as \ndissolvable nicotine, electronic cigarettes, nicotine gel, nicotine \nwater, or any other preparation of tobacco and any product or \nformulation of matter containing biologically active amounts of \nnicotine that is manufactured, sold, or offered for sale, or \notherwise distributed, with the expectation that the product or \nmatter will be introduced into the human body. \nTobacco or nicotine paraphernalia: Any device used to aid, \ningest, light, burn, or consume tobacco products, including but", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "matter will be introduced into the human body. \nTobacco or nicotine paraphernalia: Any device used to aid, \ningest, light, burn, or consume tobacco products, including but \nnot limited to pipes, rolling papers, lighters, and matches. This \nalso includes the use of all electronic nicotine delivery systems or \nelectronic smoking devices, such as e-cigarettes, e-cigars, e-\nhookahs, e-pipes, vape pens, and advanced personal vaporizers. \nNicotine replacement products (NRP): Products containing \nnicotine as an active ingredient that are intended to help a \nperson quit smoking and are regulated through the FDA\u2019s Center \nfor Drug Evaluation and Research. Over-the-counter NRPs are \napproved for sale to people 18 years and older. The US Public \nHealth Service Clinical Practice Guideline on Treating Tobacco \nUse and Dependence does not recommend NRP as a component \nof pediatric tobacco use interventions. NRPs include skin \npatches, chewing gum, and lozenges. Prescription nicotine", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Use and Dependence does not recommend NRP as a component \nof pediatric tobacco use interventions. NRPs include skin \npatches, chewing gum, and lozenges. Prescription nicotine \nreplacement therapy is also available; the products are FDA-\napproved only for use by adults. Electronic vapor products are", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 4 of 14 \n \n \n \nnot considered FDA-approved nicotine replacement products. \nPOLICY \nBPS students shall not possess, use, consume, display, distribute, \nor sell any tobacco or nicotine products or tobacco or nicotine \nparaphernalia at any time on school property, at off-campus, \nschool-sponsored events and extra-curricular activities, within \nvehicles located on school property, and within 50 feet of school \nproperty. \nBPS staff, administrators, or visitors to BPS shall not use, \nconsume, display, or sell any tobacco or nicotine products or any \ntobacco or nicotine paraphernalia at any time on school property, \nat off-campus, school-sponsored events, and extra-curricular \nactivities, within vehicles located on school property, and within \n50 feet of school property. \n BPS staff and administrators shall not promote or allow the \npromotion of tobacco or nicotine products, tobacco brands, \nnicotine brands, or any tobacco or nicotine paraphernalia on", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "BPS staff and administrators shall not promote or allow the \npromotion of tobacco or nicotine products, tobacco brands, \nnicotine brands, or any tobacco or nicotine paraphernalia on \nschool property, at off-campus, school-sponsored events, and \nextra-curricular activities, or within 50 feet of school property. \nThis includes promotion of any corporate name, trademark, logo, \nsymbol, motto, selling message, recognizable pattern of colors, or \nany other indication of product identification identical or similar \nto those used for any brand of tobacco or nicotine product \ncompany, or manufacturer of tobacco or nicotine products \nthrough the use of any gear, bags, clothing, any personal articles, \nsigns, structures, vehicles, flyers, or any other materials. \nBPS will act to enforce this policy and to take appropriate action \nagainst any students, staff, administrators, or visitors who are", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 5 of 14 \n \n \n \nfound to have violated this policy. \nBPS staff and administrators will not solicit or accept any \ncontributions, gifts, money, curricula, or materials from the \nelectronic cigarette industry, tobacco industry, and tobacco or \nnicotine industry, or from any tobacco products shop. This \nincludes, but is not limited to, donations, monies for scholarships, \nadvertising, promotions, loans, or support for equipment, \nuniforms, and sports and/or training facilities. It shall also be a \nviolation of this policy to participate in any type of service funded \nby any of the industries listed above. \nExceptions/Exemptions: Tobacco and nicotine products, \nparaphernalia, devices, or imitation tobacco or nicotine products \nmay be used for the following: \n1. Instructional or work-related activities in Boston Public \nSchools if the activity is conducted by a staff member or an \napproved visitor and the activity does not include smoking,", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "1. Instructional or work-related activities in Boston Public \nSchools if the activity is conducted by a staff member or an \napproved visitor and the activity does not include smoking, \nvaping, chewing, or otherwise ingesting the product. \n2. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by the US \nFood & Drug Administration for sale as a tobacco or nicotine \ncessation product, tobacco dependence product, or other \nmedical purposes and is being marketed and sold solely for \nsuch an approved purpose. \n \nIIMPLEMENTATION GUIDELINES \nA. Policy Owner: The Office of Health & Wellness (Policy \nOwner) is responsible for the review and update of the", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 6 of 14 \n \n \n \nTobacco Policy. The policy owner will provide policy \ncommunication and implementation support and guidance, \nincluding community resources for cessation and \u201cTobacco-\nFree\u201d signage. \nB. Central Office Administration: School superintendents and \noperational leaders are responsible for informing school \nprincipals and heads of school about the Tobacco Policy. \n[Central office leader] is responsible for informing all central \noffice department heads, supervisors, and building \nadministrators about the Tobacco Policy. \nC. Building Administrators (i.e., School Principals and \nDepartment Heads): It is the responsibility of building \nadministrators to ensure compliance with the Tobacco \nPolicy at all BPS schools and buildings: \n1. Supervise the implementation and enforcement of the \npolicy at the school site. \n2. Ensure that \u201cTobacco-Free\u201d signs in accordance with \nthe Boston Public Health Commission are prominently", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "1. Supervise the implementation and enforcement of the \npolicy at the school site. \n2. Ensure that \u201cTobacco-Free\u201d signs in accordance with \nthe Boston Public Health Commission are prominently \nposted throughout the school property. Locations \nmust include all entrances/exits to buildings (including \nbasement and loading docks), athletic fields, \nplaygrounds, school buses/transportation vehicles, \nbathrooms, and teacher lounges. If signs are needed, \nplease contact the Office of Health & Wellness. \n3. Ensure that no marketing or promotion of tobacco or \nnicotine products, tobacco brands, nicotine brands, or \nany tobacco or nicotine paraphernalia occurs on \nschool property, at off-campus, school-sponsored \nevents and extra-curricular activities, or within 50 feet", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 7 of 14 \n \n \n \nof school property, including branding on gear, bags, \nclothing, any personal articles, signs, structures, \nvehicles, flyers, or any other materials. \n4. Ensure that any contributions, gifts, money, curricula, \nor materials from the electronic cigarette industry, \ntobacco industry, and tobacco or nicotine industry or \nfrom any tobacco products shop are neither solicited \nnor accepted. \n5. Inform all staff, students, parents, and visitors of their \nobligations with respect to the policy. \na. This policy must appear in all student, family, and \nstaff handbooks. \nb. Staff must sign that they have been informed of \nthe policy. \nc. Inform students and employees how to \nanonymously report a violation to the Boston \nPublic Health Commission: 617-534-4718. \nd. Communicate this policy to all visitors, which \nincludes vendors and those contracted to do \nwork, and those permitted to use the building and", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Public Health Commission: 617-534-4718. \nd. Communicate this policy to all visitors, which \nincludes vendors and those contracted to do \nwork, and those permitted to use the building and \nfacilities before school, after school, and on the \nweekends. \n6. Make available information regarding tobacco \nsmoking and nicotine cessation options for students, \nstaff, and families. \n7. Consider appointing a designee to support the \nimplementation and enforcement of this policy. \nD. Boston Public Health Commission (BPHC): The BPHC is", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 8 of 14 \n \n \n \nresponsible for the implementation of the Workplace \nSmoking Restrictions Regulation. The authority to enforce \nthis regulation is held by the BPHC, its subsidiary programs \nor designees; the City of Boston Inspectional Services \nDepartment; the City of Boston Police Department; and the \nCity of Boston Fire Department. Anyone may anonymously \nreport a violation to the BPHC. As a result, a school or \ndepartment may receive: \n1. In the case of a first violation a fine of two hundred \ndollars ($200.00). \n2. In the case of a second violation, within 24 months of \nthe first violation, a fine of seven hundred dollars \n($700.00). \n3. In the case of three or more violations within 24 \nmonths of the second or current violation, a fine of one \nthousand dollars ($1000.00) for each violation. \nE. School Principals and Heads of School: In accordance with \nthe Comprehensive Health Education Policy (HWD-03), the", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "thousand dollars ($1000.00) for each violation. \nE. School Principals and Heads of School: In accordance with \nthe Comprehensive Health Education Policy (HWD-03), the \nschool administration must ensure students are receiving \nthe minimum health education course requirements and \nreceiving substance use prevention education in line with \nBPS Health Education Frameworks and Student Learning \nOutcomes. \n \nF. BPS Staff: In accordance with state law and local regulation, \nall BPS staff are required to follow the Tobacco Policy. The \nsuccess of this policy will depend upon the thoughtfulness, \nconsideration, and cooperation of both tobacco or nicotine \nusers and non-users. All individuals on school properties", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 9 of 14 \n \n \n \nshare in the responsibility to and enforcement of this policy. \n1. Do not use, consume, display, or sell any tobacco or \nnicotine products or any tobacco or nicotine \nparaphernalia at any time on school property, at off-\ncampus, school-sponsored events, and extracurricular \nactivities, within vehicles located on school property, \nand within 50 feet of school property. Exemptions are \nmade for only the following instances: \na. Instructional or work-related activities in Boston \nPublic Schools if the activity is conducted by a \nstaff member or an approved visitor and the \nactivity does not include smoking, vaping, \nchewing, or otherwise ingesting the product. \nb. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by \nthe US Food & Drug Administration for sale as a \ntobacco or nicotine cessation product, tobacco \ndependence product, or other medical purposes", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "replacement product that has been approved by \nthe US Food & Drug Administration for sale as a \ntobacco or nicotine cessation product, tobacco \ndependence product, or other medical purposes \nand is being marketed and sold solely for such an \napproved purpose. \n2. No marketing or promotion of tobacco or nicotine \nproducts, tobacco brands, nicotine brands, or any \ntobacco or nicotine paraphernalia occurs on school \nproperty, at off-campus, school-sponsored events and \nextra-curricular activities, or within 50 feet of school \nproperty, including branding on gear, bags, clothing, \nany personal articles, signs, structures, vehicles, flyers, \nor any other materials. \n3. Do not solicit or accept any contributions, gifts, money,", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 10 of 14 \n \n \n \ncurricula, or materials from the electronic cigarette \nindustry, the tobacco industry, and tobacco or nicotine \nindustry or from any tobacco products shop. \n4. Complaints regarding Tobacco Policy violations should \nbe directed to building administrators who are \nresponsible for following recommended disciplinary \nguidelines. \n5. Anonymous complaints may also be directed to \nBoston Public Health Commission (617-534-4718) \nwhere school departments and schools may be \nsubject to a fine as listed above in section D. \n6. Consult the building administrator, school nurse, or \nthe Boston Public Health Commission for information \nregarding tobacco smoking and nicotine cessation. \n7. Substance use prevention education to discourage the \nuse of tobacco and nicotine products shall be included \nin comprehensive health education. Staff responsible \nfor teaching tobacco and nicotine-use prevention", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "use of tobacco and nicotine products shall be included \nin comprehensive health education. Staff responsible \nfor teaching tobacco and nicotine-use prevention \nmust have adequate training and will participate in \nongoing professional development activities to \neffectively deliver the education program as planned. \nG. School Nurses are responsible for working with the Health \nServices Department to provide local tobacco and nicotine-\nuse cessation resources at the school buildings. \nH. Central Office: Since youth substance use prevention and \nintervention must be a part of a multi-tiered approach, the \nfollowing central office departments are responsible for \nsupporting schools in these efforts: \n1. Office of Health and Wellness is responsible for", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 11 of 14 \n \n \n \nproviding training, instructional coaching, and \ninstructional materials for substance use prevention \neducation as a part of tier one comprehensive health \neducation. Additionally, the office is responsible for \nmaintaining health promotion materials and policy \nimplementation support. \n2. The Health Services Department is responsible for \ncommunicating cessation resource information to \nschool nurses and training on the referral process for \ncessation services. \n3. School Operations & Safety Division will communicate \nalternatives to suspension for students found in \nviolation of the tobacco policy, including available \nworkshops and other intervention programs. \nVIOLATIONS \nEnforcement of this policy will be by school principals/heads of \nschool, building administrators, and department heads. Penalties \nfor violation of the Smoke-Free Workplace Law will be enforced \nby school officials, the Boston Public Health Commission, and", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "school, building administrators, and department heads. Penalties \nfor violation of the Smoke-Free Workplace Law will be enforced \nby school officials, the Boston Public Health Commission, and \ntheir agents. It is recommended that building administrators, \nprincipals, and supervisors implement disciplinary measures \nconsistent with the progressive measures section of the BPS \nCode of Conduct: \nA. Students found in violation \n1. The first violation shall result in one or all of the \nfollowing: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 12 of 14 \n \n \n \nb. Notifying student\u2019s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions \nc. Meeting with appropriate school staff and the \nstudent\u2019s family \nd. Providing student referrals to available cessation \nprograms \n2. The second violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Notifying student\u2019s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions \nc. Providing student referrals to available cessation \nprograms \nd. One or more of the following: \ni. Meeting with appropriate school staff and \nthe student\u2019s family \nii. Participation in tobacco and nicotine \neducation program \n3. The third violation shall result in: \na. Confiscation of tobacco or nicotine", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "the student\u2019s family \nii. Participation in tobacco and nicotine \neducation program \n3. The third violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Meeting with appropriate school staff and the \nstudent\u2019s family \nc. Participation in tobacco or nicotine education \nprogram. Failure to participate in the education \nprogram may result in a suspension. \nd. One or more of the following:", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 13 of 14 \n \n \n \ni. Community service \nii. Suspension \nB. Staff found in violation \n1. Staff who are found to be in violation of this policy will \nbe subject to discipline up to and including \ntermination. \n2. Department heads and building administrators (such \nas principals) shall be responsible for any fines \nadministered by the Boston Public Health Commission \nto the school or department, as outlined in section D. \nC. Visitors found in violation \n1. Visitors who are observed violating this policy shall be \nasked to comply with the Tobacco and Nicotine-Free \nEnvironment Policy. If the visitor fails to comply with \nthe request, they will be referred to the building \nadministrator or another district supervisory personnel \navailable. The supervisor shall decide on further action \nthat may include a directive to leave school property. \n2. Repeated violations may result in a recommendation \nto the school principal or building administrator to", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "that may include a directive to leave school property. \n2. Repeated violations may result in a recommendation \nto the school principal or building administrator to \nprohibit the individual from entering school district \nproperty for a specified time. If they refuse to leave, \nschool police may be called to have the individual \nleave. \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & \nWellness", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-06 \nPage 14 of 14 \n \n \n \nDepartment: Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-9698 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-04 \nVersion 01 \n \n \n \nHEALTHY SCHOOL ENVIRONMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nApproximately 20% of Americans go to school every day, with \nmany students, teachers, staff, faculty, and administrators in \naging facilities with deteriorating conditions. Meanwhile, studies \nhave shown that the condition and health of the school building \nand grounds directly impacts the productivity and health of its \noccupants. High-performance green schools with healthy indoor \nair quality, acoustical controls, revitalized schoolyards, and \ndaylight produce healthier, higher-performing students. A robust \namount of literature is available for identifying best practices, \nguidelines, and recommendations for achieving healthy school \nenvironments. \u2014 from the Lawrence Berkeley National \nLaboratory, to the Environmental Protection Agency, to the", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "guidelines, and recommendations for achieving healthy school \nenvironments. \u2014 from the Lawrence Berkeley National \nLaboratory, to the Environmental Protection Agency, to the \nAmerican Federation of Teachers Union. \nIn addition, the Center for Disease Controls (CDC) Whole School, \nWhole Community, Whole Child (WSCC) model states a healthy \nand safe physical school environment promotes learning by \nensuring the health and safety of students and staff. \nAsthma is one of the leading causes of school absenteeism, and", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-04 \nPage 2 of 8 \n \n \n \nchildren with asthma are especially vulnerable in buildings that \nhave evidence of environmental hazards that affect indoor air \nquality. The Federal National Heart, Lung, and Blood Institutes \nevidence-based guidelines for effective asthma management \nrecommends reducing exposure to indoor environmental \nasthma triggers such as mold, dust mites, pests, pesticides, \nhazardous cleaners, and disinfectants, and exposure to \nenvironmental tobacco smoke in indoor environments. \nIn partnership with the Boston Healthy Homes and Schools \nCollaborative (BHHSC) and the Healthy School Environment \nTaskforce, Boston Public Schools has implemented many of \nthese evidence-based guidelines through district policies and \nprograms (see below). As a result of the revised District Wellness \nPolicy, school-based Wellness Councils, which are focused on \nimproving health and wellness of students and staff, will be more", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "programs (see below). As a result of the revised District Wellness \nPolicy, school-based Wellness Councils, which are focused on \nimproving health and wellness of students and staff, will be more \nclosely involved in maintaining the healthiest level of indoor air \nquality and environmental health of their school and school \ngrounds by working with Facilities Management, outside \npartners, and the school community. \nConsidering that Boston Public Schools is the oldest school \ndistrict in the country and home to existing buildings of all ages, \nit is critical that sustained resources, innovative programs, and an \nongoing focus be dedicated to designing, upgrading, and \nmaintaining our school buildings and grounds to fulfill whole-\nschool health and wellness goals. \nPOLICY \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-04 \nPage 3 of 8 \n \n \n \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact the productivity, health, and wellness of all \nstudents and staff. To address environmental risk factors for \nchronic and infectious diseases, each school will receive an \nAnnual Environmental Audit to evaluate health and safety \nconditions such as leaks, mold, pests, chemical storage, and \ncleanliness. The district shall maintain a Healthy Schools \nTaskforce (HST) to promote and raise awareness of the health of \nthe built environment and ensure continuous improvement of", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "cleanliness. The district shall maintain a Healthy Schools \nTaskforce (HST) to promote and raise awareness of the health of \nthe built environment and ensure continuous improvement of \nBPS healthy school environment policies and programs. \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, will comply with \nexisting federal and state regulations, city ordinances, and \nDistrict policies related to promoting and managing healthy \nschool environments, including but not limited to: \n\u2022 Indoor air quality \n\u2022 Green cleaners \n\u2022 Integrated pest management \n\u2022 Trash and recycling \n\u2022 Infection prevention & control \n\u2022 Tobacco-free environmental policy \n\u2022 Environmental inspection/audit \n\u2022 Student safety/health in school shops", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-04 \nPage 4 of 8 \n \n \n \n\u2022 BPS water policy \n\u2022 Laboratories and chemical Inventory \u201cRight to Know\u201d law \n\u2022 Idling of buses and other motor vehicles on school property \nSchools will regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \nIMPLEMENTATION, MONITORING & EVALUATION GUIDELINES \nThe Boston Public Schools and the Boston Public Health \nCommission must conduct annual Environmental \nInspection/Audits (audit) to evaluate the health and safety \nconditions of each school building and school grounds. The \nFacilities Management Department, in partnership with school \nleadership, will take action to mitigate critical issues such as \nunhealthy indoor air quality, signs of pests, leaks, clutter, mold, \nunsatisfactory chemical management, and critical health and", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "leadership, will take action to mitigate critical issues such as \nunhealthy indoor air quality, signs of pests, leaks, clutter, mold, \nunsatisfactory chemical management, and critical health and \nsafety repairs. In addition, the audit results, along with best \npractices in the Healthy School Environment Resource Toolkit, \nshall be used by school principals/heads of school and school-\nbased Wellness Councils to develop annual environmental health \npriorities and goals as part of the school\u2019s Wellness Action Plan. \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, shall comply with \nexisting city ordinances and District policies related to promoting \nand managing healthy school environments. Examples of \nrelevant and existing healthy school environment policies, for \nwhich school-based Wellness Councils and school staff must \ncomply, are referenced below:", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-04 \nPage 5 of 8 \n \n \n \nMassachusetts Legislation \no MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nDistrict Circulars \no BPS Water Access Policy and FMT- 20 Drinking Water \nAccess Circular \no FMT-07: Chemical Inventory \u201cRight to Know\u201d Law \no FMT-08: BPS Recycling & Zero Waste Policy \no FMT-10: Integrated Pest Management (IPM) \no FMT-11: Green Cleaners Policy \no FMT-13: Respiratory Protection Program \no FMT-14 Hearing Conservation Program \no FMT-15: Annual Environmental Inspection/Audit \nProgram Conducted by Boston Public Schools/Boston \nPublic Health Commission (City Ordinance 7.12.1-4) \no FMT-17 Volunteer Projects \no FMT-19 Cleaning and Disinfecting Body Fluid Spills \no FMT-18: Science Safety in Laboratories and Classrooms \no FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \no HWD-04: Healthy School Environments Policy \no HWD-06: Tobacco-Free Environment Policy", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "o FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \no HWD-04: Healthy School Environments Policy \no HWD-06: Tobacco-Free Environment Policy \no SHS-04: Infection Prevention and Control in School \nSettings \no SHS-20: Asthma in Schools \nBPS Facilities Department & Boston Public Health \nCommission \nBoston Public Schools will ensure all schools comply", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-04 \nPage 6 of 8 \n \n \n \nwith healthy school environment policies. \nThe Facilities Management Department and the \nBoston Public Health Commission will comply with City \nOrdinance (Boston, MA Ordinances, ch. 10 \u00a7\u00a7 7-14.1-14.4 \n(1996)) by conducting annual environmental \ninspection/audits of each school. They will \ncommunicate a school\u2019s results to each school leader, \nand publish all results on the BPS website, available for \nreview by the public. \nUpon completion of the audit, Facilities Management \nwill immediately address critical health and safety \ndeficiencies by filing a work order with the appropriate \ndivision, and they will incorporate other needed work \nat the school sites into the annual budgeting process. \nOn an ongoing basis, Facilities Management will \nprovide technical assistance to principals/heads of \nschool on environmental problems and other building-\nrelated issues. \nSchool leadership and school-based Wellness Councils", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "provide technical assistance to principals/heads of \nschool on environmental problems and other building-\nrelated issues. \nSchool leadership and school-based Wellness Councils \nSchool administration and staff must actively \nparticipate in ensuring the school is following district \npolicies and proactively manage environmental health \nissues for the sake of their students and staff. \nSchool principals/heads of school will be responsible for \nreviewing their school\u2019s annual Environmental \nAudit/Inspection results and other related building \ncondition resources to develop environmental health \npriorities for the school.", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-04 \nPage 7 of 8 \n \n \n \nAdministrators will engage in a collaborative planning effort \nwith their school-based Environmental Committee or \nWellness Council to finalize annual environmental health \npriorities, goals, action steps, and evaluation efforts. \nThe Health and Wellness Department, in partnership with \nthe Facilities Management Department, will annually assess \nall schools' Wellness Action Plans to ensure school leaders \nand school-based Wellness Councils are taking active steps \nto improve the health and cleanliness of their school \nbuilding environment. \nWellness Councils will track the progress of improved school \nconditions and evaluate annually what efforts worked best. \nWellness Champions will participate in their school Wellness \nCouncils.", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "content": "Superintendent\u2019s Circular HWD-04 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & \nWellness \nDepartment: Office of Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-9698 \nFax: 617-635-1502 \nEmail: healthandwellness@bostonpublicschools.or\ng \n \n \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Dorchester, MA 02125 \nPhone: 617-635-9576 \nFax: 617-635-9306 \nEmail: Operations-Department- \nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-03 \nVersion 01 \n \nTEXTBOOK MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nSchool Committee policy and state law recognize the student's \nright to use textbooks, on a loan basis, without charge. As a \npublic school system, we have a responsibility to supply our \nstudents with the textbooks and other materials they need for \nschool use. Accordingly, School Committee policy states that \"no \nstudent should be required to furnish or pay for any books or \nother materials for school use, with the exception of materials \nused for certain practical arts projects that result in items that \nbelong to the student after the project's completion.\" \nSchool Committee policy and state law also recognize the \nstudent's responsibility to use and not abuse or lose these same \ntextbooks and materials. School Committee policy states that \n\"students will be required to pay for textbooks and other school-", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "student's responsibility to use and not abuse or lose these same \ntextbooks and materials. School Committee policy states that \n\"students will be required to pay for textbooks and other school-\nowned materials that they lose or damage\" (ref. Student Fees, \nFines and Charges - Policy File). Under Massachusetts law, the \nsums recovered from pupils in the public schools for loss of \nschoolbooks \u2026 may be used by the School Committee for the \nreplacement of such books or materials ... (M.G.L. c.44, \u00a753). \nAs school leaders and teachers, we are concerned that resources \nbe maximized and not misused. Instructional material costs are \nsignificant. It is important that school leaders, teachers, students,", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 2 of 12 \n \nand parents understand and adhere to our policies and \nprocedures for the care of textbooks and other instructional \nmaterials. The following guidelines, based on long-standing \nSchool Committee policy, have been established and should be \nfollowed for the lending of books to pupils. \nPREPARATION, STORAGE, AND CONTROL OF TEXTBOOKS \n\u25cf All textbooks and library books shall be numbered and an \ninventory maintained by the school leader. School \nCommittee policy requires that \"Heads of school/principals \nwill be responsible for and will keep complete records of all \nbooks... and other instructional materials furnished to their \nschools.\" The inventory should include: \n\u25cb Title of book \n\u25cb Author \n\u25cb Publisher and year of publication \n\u25cb Date of purchase (for all books purchased for SY21 and \nbeyond) \n\u25cb Class subject for which it is used (textbooks) \n\u25cb Name of teachers to whom the textbooks are issued \n(textbooks)", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "\u25cb Date of purchase (for all books purchased for SY21 and \nbeyond) \n\u25cb Class subject for which it is used (textbooks) \n\u25cb Name of teachers to whom the textbooks are issued \n(textbooks) \n\u25cf All textbooks should be stamped with the school name on \nthe inside of the front cover. Each textbook should be \nnumbered and recorded on the inside of the front cover. \n\u25cf All textbooks shall be stored in secure rooms, lockers, or \ncabinets. Principals/heads of school or their designees shall \nensure that a record is maintained of every textbook that is \nremoved from storage. \n\u25cf Principals/heads of school shall ensure that teachers \nmaintain an inventory of textbooks that includes the", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 3 of 12 \n \ncondition of the text and who it is assigned to for each \nquarter, trimester, semester, or year. \n\u25cf Principals/heads of school should work with teachers, \nstudents, and parents to raise their awareness of the \nimportance of caring for and replacing textbooks. The Guide \nto the Boston Public Schools for Families and Students \nreferences this information. School-based rules should \noutline the rules and responsibilities for using textbooks and \nthe penalties for violations. \nTEACHER\u2019S RESPONSIBILITY \n\u25cf Teachers should maintain a record of the title, the textbook \nnumber, and the name of the pupil to whom each textbook \nis lent and should check periodically that students have the \ntextbook assigned. Librarians must establish and maintain \nan appropriate inventory control system and loan procedure \nfor all library books, materials and equipment assigned to \nthe school library. \n\u25cf Teachers should encourage students in the proper care,", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "an appropriate inventory control system and loan procedure \nfor all library books, materials and equipment assigned to \nthe school library. \n\u25cf Teachers should encourage students in the proper care, \nincluding covering, of loaned textbooks. \nSTUDENT\u2019S RESPONSIBILITY \n\u25cf The book is to be returned to the principal of the school or \nto the teacher authorized to receive it at any time required \nby them and in as good condition as when received, \nallowance being made for the wear and damage caused by \ncareful use. \n\u25cf If lost or damaged by carelessness or accident beyond what \nmay be reasonably allowed, the book is to be replaced by", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 4 of 12 \n \nthe pupil to whom it is loaned and as required by the School \nCommittee. \n\u25cf Written notice of any previous defacement is required when \nthe book is received. \n\u25cf Damage by marking, tearing, etc. is not allowed. \n\u25cf Students who transfer within the Boston Public Schools or \nwho leave the school system shall return all textbooks and \nlibrary books to the schools that loaned the books. \nPrincipals/heads of school should notify appropriate staff \n(e.g., registrars, guidance counselors) to make a note on the \nappropriate sign-out forms of any student leaving school \nwho has not paid the replacement costs of lost or damaged \nbooks. High school seniors should not be allowed to sign out \non the last day for seniors (i.e., day 170) without returning or \nmaking restitution for a lost or damaged book. A copy of \nany open account form should be retained in the temporary \nrecord of any student who does not pay the replacement", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "making restitution for a lost or damaged book. A copy of \nany open account form should be retained in the temporary \nrecord of any student who does not pay the replacement \ncost of a damaged or lost book. \n\u25cf Students who transfer within the Boston Public Schools \nshould not be loaned textbooks or library books in their \nreceiving schools until they have returned or arranged to \nreplace all their books from their sending school. \nPARENT RESPONSIBILITY \n\u25cf Parents should be informed of textbook loan and/or library \nbook loan conditions at the beginning of the school year. \nNotification should be made in the form of a letter to \nparents in the language of the home and in any newsletters \nsent home to parents at the start of the school year.", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 5 of 12 \n \n\u25cf Parents of students who lose or damage textbooks and/or \nlibrary books should be informed by the principal/head of \nschool, in writing, within 30 days of learning of the \nloss/damage and the cost of replacement. \nREPLACEMENT OF TEXTBOOKS \n\u25cf If a student damages or loses a textbook and/or a library \nbook and the student and parent refuses to make \nrestitution, a replacement book must be made available for \nclassroom or library use. However, restrictions may be \nimposed (e.g., students may use text only during class but \nmay not take the text out of the classroom). \n\u25cf If a student damages or loses a textbook or library book and \nthe student and parent continue to refuse to make \nrestitution by the start of the following school years, the \nstudent will be subject to penalties under school-based \nrules. \n\u25cf With respect to penalties for students who do not pay the \nreplacement costs of lost or damaged books,", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "student will be subject to penalties under school-based \nrules. \n\u25cf With respect to penalties for students who do not pay the \nreplacement costs of lost or damaged books, \nprincipals/heads of school should involve the School Site \nCouncil in establishing school-based rules and \ncorresponding penalties. These penalties might include but \nnot be limited to prohibiting the student from attending \ncertain school activities not related to the instructional \nprogram. Before any penalty is imposed, the principal/head \nof school must provide advance written notice to the \nstudent and their parents/guardians. The written notice \nmust provide the student and their parents/guardians with \nan opportunity to remedy the situation prior to actual \nimposition of the penalty.", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 6 of 12 \n \n\u25cf An appeals process should be provided to address issues \nsuch as claims of \u201chardship\u201d or improper assessment of \ndamages (e.g., the loss or damage of a book which is not the \nresult of the student\u2019s negligence, parent has proof that \npayment was made, etc.). All appeals should be heard by the \nprincipal/head of school, who should issue a written \ndecision, a copy of which should be forwarded to the parent \nand a copy of which should be filed in the student\u2019s \ntemporary record. In addition, flexibility in the method of \npayment should be offered (e.g., school service projects \nbeing performed by the student in lieu of dollar payment is \none possibility). \n\u25cf All funds collected for lost or damaged textbooks and/or \nlibrary books should be forwarded by principals/heads of \nschool to the business manager for deposit in a revolving \naccount for the purchase of replacement textbooks. The", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "library books should be forwarded by principals/heads of \nschool to the business manager for deposit in a revolving \naccount for the purchase of replacement textbooks. The \nbusiness manager will allocate the revolving account book \nfunds, giving priority to the schools that collected money for \nlost/damaged books. \nTEXTBOOK INVENTORY AND REPLACEMENT PLANS \n\u25cf Before budget collaborative, principals/heads of school shall \nestimate their textbook needs for the following school year, \nbased on textbooks checks and on projected student \nenrollment and shall develop a textbook replacement plan. \nInstructional Leadership Teams and School Site Councils \nshould be involved in the development of the replacement \nplan. Replacement books should be ordered by individual \nschools. Texts that are part of curriculum adoption of BPS-\nrecommended curricula or those that will be used in new \nclassrooms will be purchased by central office.", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 7 of 12 \n \n\u25cf In June, at the end of the school year, principals/heads of \nschool shall conduct a thorough inventory of textbooks. \n\u25cf Principals/heads of school shall maintain a record of every \nstudent who does not arrange to replace textbooks that are \nlost or damaged. The record should include the book receipt \nsigned by the student when the book was loaned. \nSummary of significant dates and deadlines: \nDate Activity \nBy the end of the 2nd \nweek of school \nPrincipals/heads of school send letters \nto families regarding district textbook \npolicy.", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 8 of 12 \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington St., Boston, MA 02119 \nPhone: 617-635-9000 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 9 of 12 \n \nATTACHMENT 1 \n \nDear Parent/Guardian: \nAs the new school year begins and we loan textbooks and other \nresource materials to our students, I would like to ask for the help \nof all parents. We need your help if we are to reduce the number \nof lost and damaged books. Textbooks are very expensive today, \nmany costing as much as $60.00 each. We have worked hard \nover the past two years to update and replace our books. As a \nresult, most of our textbooks are less than five years old and are \nin good condition. \nSome subjects or courses may not use a textbook; instead, they \nuse reference books, original source documents, and/or library \nresearch materials. \nPlease work with your child and with us to keep our books in \ngood condition. I ask that you remind your child of the following: \n\u25cf All textbooks and library books are the property of the \nBoston Public Schools and are loaned for the use of \nstudents while they are enrolled.", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "\u25cf All textbooks and library books are the property of the \nBoston Public Schools and are loaned for the use of \nstudents while they are enrolled. \n\u25cf All textbooks and library books used for classroom work and \nhomework should be respected and returned in good \ncondition. \n\u25cf Students/parents are accountable for books and must pay \nfor the replacement of lost or damaged books.", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 10 of 12 \n \n\u25cf All textbooks that are taken home by students should be \ncovered. \nAll materials used to support classroom instruction, all textbooks, \nlibrary books and resource materials should be cared for so that \nthey can be used by other students in the future. I appreciate \nyour assistance and cooperation in this effort and thank you for \nyour help. \nOur best wishes to you and your child for a successful school \nyear. \nSincerely yours, \n \nPrincipal/Head of School \n \nSchool", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 11 of 12 \n \nFile: EDB-R \n \nMAINTENANCE AND CONTROL OF MATERIALS AND \nEQUIPMENT \nHeads of school/principals will be responsible for and will keep \ncomplete records of all books, globes, maps, charts, apparatus \nand computers, and other state-of-the-art instructional materials \nfurnished to their schools. \n \nApproved prior to 1988. \nPolicy Manual, School Committee of the City of Boston", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-03 Textbook Management.pdf", + "content": "Superintendent\u2019s Circular CAO-03 \nPage 12 of 12 \n \n \nFORM 134 \nBoston Public Schools \nPUPIL'S BOOK RECEIPT \nDate: \nSubject: \nTeacher: \nReceived: \nNumber: \nI promise to return in good order or replace with a new one. \nRoom: _____________ \nPupil's Signature: \nForm 134 9/98", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-23 \nVersion 01 \n \nDAY FIELD TRIP GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance/guidance. \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \nThis circular should be read AFTER Superintendent\u2019s Circular \nCAO-22 General Guidelines and Procedures for All Field Trips, as \nadditional guidelines are outlined there. \nThe principal/head of school (and/or the district department \nsponsoring the trip) is responsible for ensuring that all field trip", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "additional guidelines are outlined there. \nThe principal/head of school (and/or the district department \nsponsoring the trip) is responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular and CAO-22 \nare adhered to. \nTogether, the principal/head of school (and/or the district \ndepartment lead sponsoring the trip) and the program leader \n(lead chaperone) must review and complete checklists for this \ncircular. The signed checklist must be kept on file at the school.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 2 of 36 \n \nA day field trip is any domestic trip off school grounds that is no \nmore than one day in duration. \n\uf0a8 Day field trip forms are submitted to the principal/head of \nschool AT LEAST 4 weeks in advance (or at the \nprincipal/head of school \u2019s discretion) and approved by the \nprincipal/head of school; school leaders reserve the right to \ncancel a trip for any reason and at any time for safety \npurposes. \n\uf0a8 Walking field trips are day field trips that require walking \nwithin a 1-mile radius of the school (e.g., local garden, park, \nfield, etc.) The Parent/Guardian Authorization and \nAcknowledgement of Risks for Walking Trips form will apply \nfor all walking field trips during the current school year. It \nmust be updated each school year or as student/family \ninformation changes. The school is still required to inform \nfamilies in advance of each walking field trip and obtain \napproval from the principal/head of school. All forms,", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "information changes. The school is still required to inform \nfamilies in advance of each walking field trip and obtain \napproval from the principal/head of school. All forms, \nincluding signed CAO-23 checklist form, are filed at the \nschool. \nApplications: Schools shall communicate with families in \nadvance when students leave school grounds and ensure written \npermission is received. \nWater Activities: Organizers of trips that involve activities in or \non the water as part of the curriculum must immediately contact \nthe Department of Global Education for additional approval. \nThere is a separate and mandatory procedure for all trips \ninvolving water. See Superintendent\u2019s Circular CAO-27 for water \nactivity guidelines.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 3 of 36 \n \nDAY FIELD TRIP CHECKLIST \n(Checklist and request form must be completed for each day \nfield trip.) \n\uf0a8 Review Superintendent\u2019s Circular CAO-22 General \nGuidelines and Procedures for All Field Trips. \n\uf0a8 Review Superintendent\u2019s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Safety Services (617-635-8000) must be \nnotified in the event of a serious emergency and should be \nused as a resource for questions regarding safety on field \ntrips. \n\uf0a8 Select a site and investigate the appropriateness of the site \nin relation to the category of field trip. \nField Trip Category(s) (see CAO-22): _______________________ \nSite(s): ________________________________ ____________________ \n\uf0a8 Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Site(s): ________________________________ ____________________ \n\uf0a8 Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \nDate: ________________________________ _____________________ \nAlternate Date: ________________________________ ___________ \n\uf0a8 All program leaders (the BPS employee organizing and \nleading the trip) must be approved by the principal/head of \nschool or district department sponsoring the trip. \n\uf0a8 All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 4 of 36 \n \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to any fundraising or \nother detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. Consult \nwith the principal/head of school on potential chaperones \nand student recruitment. \n\uf0a8 Planning, organization, and preparation are critical to a \nsuccessful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security \nhave been addressed with due diligence. Program leaders \nmust be able to articulate what decisions were made, why \nthey were made, and the sources that informed that \ndecision making. If you have questions about the \nappropriateness of an activity, please consult with your \nprincipal/head of school.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "they were made, and the sources that informed that \ndecision making. If you have questions about the \nappropriateness of an activity, please consult with your \nprincipal/head of school. \n\uf0a8 School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult \nwith and, when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "with and, when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 5 of 36 \n \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips \nand medical forms. \nCHAPERONE REQUIREMENTS \n\uf0a8 Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school regarding potential \nchaperones and student recruitment. The program leader \n(lead chaperone) must be a BPS employee. Other \nauthorized chaperones may include parents and guardians \n21 years of age or older. Any parent on the trip must operate \nin the role of chaperone. All chaperones must be approved \nby the head of school/principal. Every effort should be made \nfor students to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "for students to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals\u2019 thorough knowledge of \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n\uf0a8 Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who are 21 years of age or \nolder. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form. Contact the BPS Office of \nHuman Capital (OHC) for CORI check and confirmation \nsupport. The principal/head of school and the lead \nchaperone are responsible for submitting authorization", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 6 of 36 \n \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. \n\uf0a8 BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\uf0a8 All chaperones must complete the Chaperone Agreement \nform.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "chaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\uf0a8 All chaperones must complete the Chaperone Agreement \nform. \nChaperone Ratios: \n\u2022 A minimum of two chaperones is required. \n\u2022 Student-to-chaperone ratios are: \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \n\u2022 For students with IEPs, the ratio of staff to students must be \nat least the same as the ratio mandated in their IEPs for \ntheir classes. \n\u2022 For water activities: The student-to-chaperone ratio must \nremain 10:1 at all times during instructional swimming for all \ngrade levels. This ratio does not include lifeguards on duty. If \nyour trip involves activities on or in the water, you must", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 7 of 36 \n \ncontact the Department of Global Education for approval \nimmediately. There is a separate, mandatory procedure for \nall trips involving water. See Superintendent\u2019s Circular CAO-\n27 for water activity guidelines. \nChaperone Team: \n\uf0a8 The program leader/lead chaperone will meet with the \nchaperone team to delegate responsibilities and review the \nstudent team. The program leader will record the names of \nthe chaperones and the students each chaperone is \nsupervising. Each chaperone must carry this list. \n\uf0a8 Chaperones will organize a \u201cbuddy system,\u201d pairing \nstudents with one another for safety purposes. \n\uf0a8 The lead chaperone will (1) review students\u2019 permission slips; \nand (2) prepare any questions for follow-up with families \nand the school nurse and counselor. \n\uf0a8 The lead chaperone will prepare a trip binder for all \nchaperones (See \u201cDuring the Trip\u201d section which lists all \nbinder contents).", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "and the school nurse and counselor. \n\uf0a8 The lead chaperone will prepare a trip binder for all \nchaperones (See \u201cDuring the Trip\u201d section which lists all \nbinder contents). \n\uf0a8 The lead chaperone must carry original, signed Parental \nAuthorization for Day Trip forms for all students; all other \nchaperones must carry copies. \nSTUDENT PARTICIPATION \n\uf0a8 Participation Criteria: The program leader and \nprincipal/head of school will work together to establish (1) \nessential participation criteria for the trip that informs \nstudents and parents of all activities and risks associated \nwith each itinerary activity; and (2) trip location, to \ndetermine what accommodations or modifications may", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 8 of 36 \n \nneed to be made for the student to successfully and safely \nparticipation in all, or portions of the trip. Discuss with \nstudents the trip\u2019s purpose and learning goals in the weeks \nprior to the trip; plan to engage students in activities before, \nduring, and after the trip so that the field trip learning \npotential is maximized. Set aside time to process student \nlearning on the trip. \n\uf0a8 Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Field trips must be advertised \nto all students (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip) \nregardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. \n\uf0a8 Accommodations: English Learners and students with 504 \nPlans and/or IEPs cannot be denied access to field trips due", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "affordable for all students. \n\uf0a8 Accommodations: English Learners and students with 504 \nPlans and/or IEPs cannot be denied access to field trips due \nto their status or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. To \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure, consult with, and when \nnecessary, receive training from (1) the school nurse \nregarding any students who have medical needs; and (2) the \nschool counselor regarding mental and behavioral health \nneeds. If any student has a serious medical condition, please \nbe sure that their doctor writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nEnsure the availability of a first aid kit. \n\uf0a8 Inclusivity: Program leaders must consider their student", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "child may safely attend and participate in trip activities. \nEnsure the availability of a first aid kit. \n\uf0a8 Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 9 of 36 \n \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for \nsensitive experiences and ensure that the program is safe \nand inclusive for all students. \n\uf0a8 Inclusive Accommodations: The program leader and \nprincipal/head of school will work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents reflect their legal names as", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "student\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents reflect their legal names as \nlisted on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent\u2019s preferred name. \n\uf0a8 The BPS Code of Conduct applies on all field trips. Review \nconduct expectations with students in advance. \nDOCUMENTATION \n\uf0a8 Consult with the principal/head of school and nurse \nregarding the medical needs of potential participating \nstudents before you receive field trip approval (at least six \nweeks beforehand). Document notes from this consultation. \n\uf0a8 Complete and submit a Day Field Trip Request form and \naccompanying documents to obtain official consent from \nthe principal/head of school to execute the trip.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 10 of 36 \n \n\uf0a8 Create a school file to house all important documents: Day \nField Trip Request form, student permission slips, and other \nsigned documents. These documents must be kept on file \nfor the current fiscal year plus three additional years after \nthe trip has occurred. \n\uf0a8 Distribute and collect the Parental Authorization for Day \nTrip form for each participating student. \n\uf0a8 Contact the field trip site and ensure that the necessary \narrangements are in place. \n\uf0a8 Share the trip details listed below with all teachers and \nother staff members so that they may plan accordingly: \no Trip overview (purpose); destination; date of trip; roster \no Chaperones\u2019 names and roles in school community \n\uf0a8 Inform the food service manager or attendant whether \nstudents will return to school for lunch, or whether brown \nbag lunches should be prepared. Be mindful of any student \nfood allergies. \nTRANSPORTATION", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "students will return to school for lunch, or whether brown \nbag lunches should be prepared. Be mindful of any student \nfood allergies. \nTRANSPORTATION \n\uf0a8 Develop transportation plans: mode of transportation, travel \ntime, cost, etc. If applicable, be sure to note how and with \nwhom the child will travel to and from field trip departure \nand pick-up locations. \n\uf0a8 Staff are not permitted to drive students. Privately owned \nvehicles from non-approved vendors, ride sharing services \nsuch as Lyft or Uber, or leased vehicles are not to be utilized \nexcept in the case of a bona fide emergency. Staff who \nutilize their own vehicles or a leased vehicle risk being \nlegally liable. Please refer to TRN-03 for regulations on field \ntrip transportation.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 11 of 36 \n \n\uf0a8 If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of \ninsurance on the Medical Information form. \nONE WEEK PRIOR TO TRIP \n\uf0a8 Verify all arrangements, including transportation and \nreception at the site. \n\uf0a8 Prepare name tags for younger students. \n\uf0a8 Provisions must be made in advance for any student not \nattending the trip and staying at school. If applicable, \nprovide alternative arrangements and/or comparable \nactivities for students not attending the trip or unable to \nparticipate in a portion of your trip. \n\uf0a8 If a student\u2019s family elects for their child not to attend a field \ntrip for any reason, the child may not be penalized through \ntheir grade or otherwise. \n\uf0a8 Remind students and chaperones of safety and behavior \nexpectations. \n\uf0a8 Notify/consult with the principal/head of school if trip plans", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "their grade or otherwise. \n\uf0a8 Remind students and chaperones of safety and behavior \nexpectations. \n\uf0a8 Notify/consult with the principal/head of school if trip plans \nhave changed from the original field trip request. Prepare \nand leave a field trip package for the principal/head of \nschool that includes CAO-23 checklist, Day Field Trip \nRequest form, and permission slip copies. \nDURING THE FIELD TRIP \n\uf0a8 Take attendance and leave the current list of students \nattending the trip with the principal/head of school. \n\uf0a8 Record specific bus number and driver\u2019s name and leave \ninformation with the principal/head of school, all", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 12 of 36 \n \nchaperones, and, if age appropriate, students. \n\uf0a8 Chaperones must supervise all assigned students. Conduct \nhead counts and buddy checks before embarking on your \ntrip, throughout your trip, and before departing the field trip \nsite for home. \n\uf0a8 Review standards for safety and behavior with students. \n\uf0a8 Chaperones must carry the trip binder at all times on the \ntrip which includes the following: permission slips (original, \nsigned permission slips must be carried by the lead \nchaperone), Emergency Action Plan, Day Field Trip Request \nform, and any accompanying itinerary details for this \nparticular trip. \n\uf0a8 All students must have the contact information of \nchaperones and other necessary emergency and contact \ninformation. \n\uf0a8 Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity of which parents have been informed and have", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "information. \n\uf0a8 Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity of which parents have been informed and have \napproved in writing in advance, and that is age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least pairs AND \nalways know how to reach an adult chaperone. \n\uf0a8 Review with everyone where they are to go if separated \nfrom the group. \n\uf0a8 Program leaders and chaperones have the responsibility to \nmodify the program to ensure the ongoing safety of \ntravelers. Consult with principal/head of school and \nDepartment of Safety Services if this becomes necessary.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 13 of 36 \n \nAFTER THE FIELD TRIP (MANDATORY) \n\uf0a8 Retain completed, original Day Field Trip Request form, \noriginal permission slips, and any other signed documents \nfor the field trip in the school office. These records must be \nkept for the current fiscal year plus three additional years \nafter the field trip occurs. \n\uf0a8 Remind students (and inform parents/guardians) to see a \ndoctor immediately if they are not feeling well after the trip \nand to inform the doctor of their experience. \n\uf0a8 If applicable, file and follow up with an Incident Report. \nAFTER THE FIELD TRIP (SUGGESTED) \n\uf0a8 Write thank you notes. \n\uf0a8 Present to the school and family community about the \nstudents\u2019 observations while on the trip. \n\uf0a8 Conduct related creative and/or analytical projects to \nshowcase student learning. \n\uf0a8 Write a news article about the trip for a local newspaper or \nwebsite. \n\uf0a8 Email stories, journals, and pictures of your trip to the", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "showcase student learning. \n\uf0a8 Write a news article about the trip for a local newspaper or \nwebsite. \n\uf0a8 Email stories, journals, and pictures of your trip to the \nDepartment of Global Education. \n\uf0a8 Evaluate the trip. \no Was the educational purpose of the trip served? \no What were the highlights of the trip? \no What might you do differently next time? \no Are there any incidents or accidents to report? \n \nPLEASE SIGN THIS CHECKLIST, RETAIN A COPY FOR YOUR FILE,", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 14 of 36 \n \nAND SUBMIT THE ORIGINAL TO THE SCHOOL OFFICE FOR \nFILING. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed, \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \nSchool Name: ___________________________________________________ \nSignature of Lead Chaperone: ___________________________________ \nDate: ____________________________________________________________ \nSignature of Principal/Head of School or Sponsoring District \nDepartment: ____________________________________________________ \nDate: ____________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 15 of 36 \n \nFor more information, questions, and support about this \ncircular, please contact: \n Owner: Chief of Teaching and Learning \nDepartment: Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \nATTACHMENTS: \nI. Day Field Trip Request Form \nII. Emergency Action Plan \nIII. Parental Authorization for Day Field Trip \nIV. Parent/Guardian Authorization and Acknowledgement of \nRisks for Walking Trips \nV. Chaperone Agreement Form", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 16 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART I) \nThis form is submitted to the principal/head of school for \napproval. This form and all original permission slips are kept on \nfile for the current fiscal year plus three additional years. \n \nSCHOOL INFORMATION \nSchool: __________________________________________________________ \nDate Submitted: _________________________________________________ \n \nOVERVIEW \nNumber of Students: ____________________________________________ \nNumber of Chaperones: (10:1 Ratio) _______________________________ \nDestination/s: ____________________________________________________ \n __________________________________________________________________ \nDate of Trip: _____________________________________________________ \nField Trip Category:_______________________________________________ \nOverview of Trip/ Educational Purpose: __________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Field Trip Category:_______________________________________________ \nOverview of Trip/ Educational Purpose: __________________________ \n __________________________________________________________________ \nItinerary: ________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 17 of 36 \n \n __________________________________________________________________ \nSITE/S CONTACT INFORMATION \n(If you are visiting multiple places, please list all.) \nSite/s: ____________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nAddress/s: _______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSite/s Contact Person: ___________________________________________ \n __________________________________________________________________ \nSite/s Telephone Number & Email(s):", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Site/s Contact Person: ___________________________________________ \n __________________________________________________________________ \nSite/s Telephone Number & Email(s): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 18 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART II) \nSUPERVISION \nProgram Leader (Lead Chaperone): \n __________________________________________________________________ \nPhone (during the trip): __________________________________________ \nEmail: ___________________________________________________________ \nNames and phone numbers of all chaperones: (attach a separate \ndocument if necessary): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 19 of 36 \n \nTRANSPORTATION \nPick-up Location: _______________________________________________ \nDrop-off Location: _______________________________________________ \nDeparture Time: _________________________________________________ \nTime Back at School: _____________________________________________ \nMethod of Transportation: _______________________________________ \nTransportation Provider: _________________________________________ \n __________________________________________________________________ \nContact Information: (phone number and address) \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nStaff may not drive students. Privately owned vehicles, ride \nsharing services, vehicles from non-approved vendors, or leased", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "__________________________________________________________________ \nStaff may not drive students. Privately owned vehicles, ride \nsharing services, vehicles from non-approved vendors, or leased \nvehicles are not to be utilized to transport students to and from \nfield trips, except in the case of a bona fide emergency. Staff who \nutilize their own vehicles risk being legally liable. Schools must \nuse BPS buses or approved bus vendors regardless of how the \ntrip is paid for. (See TRN-03) \nTotal Cost: _______________________________________________________ \nFunding Source: _________________________________________________ \nGrant Number: __________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 20 of 36 \n \nBEDF Account Code/Description: ________________________________ \nApproved by: ____________________________________________________ \nPrincipal/Head of School /Sponsoring District Department \nDate: ______________________________ \n \nYour signature indicates that all policies outlined in this circular \nregarding day trips will be followed.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 21 of 36 \n \n \nEMERGENCY ACTION PLAN (EAP) \nThe program leader and chaperones must have copies of this \nchecklist during the trip. \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP: \n\uf0a8 Do not leave the injured person alone or without an adult \npresent. \n\uf0a8 REMAIN CALM. This helps the operator receive your \ninformation. \n\uf0a8 DIAL 911. Remember, you may need to access an outside line \nfirst. \n\uf0a8 Answer the dispatcher\u2019s questions clearly and concisely. \nThey will ask for all the relevant facts. The dispatcher will \nend the call when all of the information is verified. \n\uf0a8 Wait with the person until EMS arrives. \n\uf0a8 Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \nNOTIFICATION OF INCIDENT \n\uf0a8 Call parent/guardian, principal/head of school, the \nSuperintendent\u2019s Office, and Department of Safety Services", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "parent/guardian arrives. \nNOTIFICATION OF INCIDENT \n\uf0a8 Call parent/guardian, principal/head of school, the \nSuperintendent\u2019s Office, and Department of Safety Services \nregarding the incident immediately. \n\uf0a8 File an Incident Report.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 22 of 36 \n \n \nPrincipal/Head of School Phone Numbers: \n __________________________________________________________________ \nDepartment of Safety Services: (617) 635-8000 \nAdditional Phone Numbers: ______________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 23 of 36 \n \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nBPS STAFF: \n\uf0a8 Use one form per trip, per student. \n\uf0a8 Complete the School Portion of form. \n\uf0a8 Send a copy home for parent/guardian and student \nsignatures. \n\uf0a8 During the field trip, the signed, original form must be \ncarried by the lead chaperone, copies by all other \nchaperones and a photocopy must be left on file in the \nschool office. \nSTUDENTS: \n\uf0a8 Complete the \u201cStudent Agreement\u201d section. \nPARENT / LEGAL GUARDIAN, IF STUDENT IS UNDER 18 YEARS OF \nAGE; OR STUDENT, IF AT LEAST 18 YEARS OLD: \n\uf0a8 Complete the Authorization & Acknowledgement of Risks \nsection. \n\uf0a8 Complete the \u201cMedical Authorization\u201d section.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 24 of 36 \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nTo be completed by the school \n \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nDestination: ______________________________________________________ \nPurpose(s): ______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nList of Activities: ________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSupervision: (Check one)", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "__________________________________________________________________ \n __________________________________________________________________ \nSupervision: (Check one) \n\uf0a8 Students will be directly supervised by adult chaperones on \nthis trip at all times.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 25 of 36 \n \nMode of Transportation (check all that apply): \n\u25a1 Walking \u25a1 School bus \u25a1 MBTA \n\u25a1 Other __________________________________________________________ \nStudents will leave from: \n_________________________________________ at ____________________. \n (location) (time) \n \nStudents will return to: (location) _________________________________ \nat about (time)__________________. \nChaperone(s) in Charge: _________________________________________ \n __________________________________________________________________ \nChaperone/Student Ratio: __________________________ (10:1 for all \ngrades; minimum of two chaperones) \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I am \nrepresenting BPS and my community. I understand that", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "grades; minimum of two chaperones) \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I am \nrepresenting BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abide by school-\nbased rules and the Boston Public Schools\u2019 Code of Conduct. \nStudent signature _________________________ Date _________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 26 of 36 \n \nTo be completed by the parent/guardian or student (if 18 or over): \nPARENT/GUARDIAN AUTHORIZATION AND \nACKNOWLEDGEMENT OF RISKS FOR BPS DAY TRIPS \nI understand that my/my child\u2019s participation in this field trip is \nvoluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the first \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. \nI assume full responsibility for any risk of personal or property \ndamages arising out of or related to my/my child\u2019s participation \nin this field trip, including any acts of negligence or otherwise \nfrom the moment that my student is under BPS supervision and \nthroughout the duration of the trip. I further agree to indemnify \nand to hold harmless BPS and any of the individuals and other \norganizations associated with BPS in this field trip from any claim", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "throughout the duration of the trip. I further agree to indemnify \nand to hold harmless BPS and any of the individuals and other \norganizations associated with BPS in this field trip from any claim \nor liability arising out of my/my child\u2019s participation in this field \ntrip. I also understand that participation in the field trip will \ninvolve activities off school property; therefore, neither the \nBoston Public Schools, nor its employees nor volunteers, will have \nany responsibility for the condition and use of any non-school \nproperty. \nI understand that BPS is not responsible for my/my child\u2019s \nsupervision during such periods of time when I/my child may be \nabsent from a BPS supervised activity. Such occasions are noted \nin the \u201cSupervision\u201d section in this agreement. I state that I \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "have/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child\u2019s participation in this", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 27 of 36 \n \nfield trip may at any time be terminated by BPS in the light of \nmy/my child\u2019s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense \nwith no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth, and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I \nagree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "should take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency \nmedical care, if in the opinion of attending medical personnel, \nsuch action is advisable. \nFurther, I authorize the chaperones listed to act on my behalf as \nparent/guardian of my child/ward while participating in the trip \ndescribed above, including the admittance to and release from a \nmedical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 28 of 36 \n \npage. \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: _____________________________________________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant,", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "must be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant, \nthat I have read and that I understand the above agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: \n____________________________________________________________ \n(student)", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 29 of 36 \n \nto participate in all aspects of this trip. \nParent/Guardian Signature/s _____________________________________ \nDate: _____________________________________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal \nguardian must complete the information below: \nPrint parent/guardian/s first and last name(s): \n __________________________________________________________________ \nAddress: _________________________________________________________ \n __________________________________________________________________ \nTelephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency contact\u2019s first and last name (other than \nparent/guardians): _______________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "__________________________________________________________________ \nEmergency contact\u2019s first and last name (other than \nparent/guardians): _______________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________ \n \n \nWALKING TRIPS", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 30 of 36 \n \nParent/Guardian Authorization and Acknowledgement of Risks \nfor Walking Trips \nInstructions: This form is to be completed by parents/guardians \nto authorize BPS to engage students in day field trips that \nrequire walking within a 1-mile radius of the school. This form will \napply for all walking field trips during the current school year, \nand will need to be updated each school year, or as \nstudent/family information changes. The school is still required \nto inform families in advance of walking field trips, and obtain \nprincipal/head of school approval. \nI understand that my/my child\u2019s participation in this field trip is \nvoluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the front \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. I assume full", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "read and understand the description of the field trip (on the front \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. I assume full \nresponsibility for any risk of personal or property damages arising \nout of or related to my/my child\u2019s participation in this field trip, \nincluding any acts of negligence or otherwise from the moment \nthat my student is under BPS supervision and throughout the \nduration of the trip. I further agree to indemnify and to hold \nharmless BPS and any of the individuals and other organizations \nassociated with BPS in this field trip from any claim or liability \narising out of my/my child\u2019s participation in this field trip. I also \nunderstand that participation in the field trip will involve \nactivities off of school property; therefore, neither the Boston \nPublic Schools, nor its employees nor volunteers, will have any \nresponsibility for the condition and use of any non-school", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "activities off of school property; therefore, neither the Boston \nPublic Schools, nor its employees nor volunteers, will have any \nresponsibility for the condition and use of any non-school \nproperty. I understand that BPS is not responsible for my/my \nchild\u2019s supervision during such periods of time when I/my child \nmay be absent from a BPS supervised activity. Such occasions are \nnoted in the \u201cSupervision\u201d section in this agreement. I state that I", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 31 of 36 \n \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child\u2019s participation in this \nfield trip may at any time be terminated by BPS in the light of \nmy/my child\u2019s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense \nwith no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "I certify that I am/my child is in good physical and behavioral \nhealth and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I \nagree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency \nmedical care, if in the opinion of attending medical personnel, \nsuch action is advisable. Further, I authorize the chaperones \nlisted to act on my behalf as parent/guardian of my child/ward \nwhile participating in the trip described above, including the \nadmittance to and release from a medical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 32 of 36 \n \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional \npage.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 33 of 36 \n \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: ___________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant, \nthat I have read and that I understand the above Agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: _____________________________________________ \n(student) \nto participate in all aspects of this trip.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "own behalf and on behalf of the student. \n \nI give permission for: _____________________________________________ \n(student) \nto participate in all aspects of this trip. \nParent/Guardian Signature/s: _____________________________________ \n __________________________________________________________________ \nDate: ___________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 34 of 36 \n \nguardian must complete the information below: \nPrint Parent/Guardian/s First and Last Name/s: \n __________________________________________________________________ \nAddress: ________________________________________________________ \n __________________________________________________________________ \nTelephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency Contact\u2019s First and Last Name (other than \nparent/guardians): _______________________________________________ \n __________________________________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 35 of 36 \n \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: _________________ Return Date: ___________________ \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants, \nis extremely important during this field trip. I agree to make \nsafety my first priority. I agree to conduct myself in a manner that \npromotes my safety and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "promotes my safety and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake up calls for students, are part of my responsibility. \nI agree to follow BPS policies, protocols, and guidance of BPS \nstaff when in the field.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-23 \nPage 36 of 36 \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling, and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication; and selling of \nprescription drugs. \nThe Code also prohibits the use of tobacco products (including e-\ncigarettes, hookah paraphernalia, and vapor cigarettes). I \nunderstand that these prohibitions apply to all students, \nregardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip.", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "content": "of tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Signature: ___________________________________________ \nDate: _________________________", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-22 \nVersion 01 \n \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nALL FIELD TRIPS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance and guidance. \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the field trip policy passed by the Boston School \nCommittee on November 20, 2019. \nProgram leaders (chaperones) must read this circular in its \nentirety. Principals/heads of school (and/or the district \ndepartment sponsoring the trip) are responsible for ensuring that \nall field trip policies and procedures outlined in this circular and", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "entirety. Principals/heads of school (and/or the district \ndepartment sponsoring the trip) are responsible for ensuring that \nall field trip policies and procedures outlined in this circular and \nall the field trip circulars are adhered to. \nBPS SPONSORED FIELD TRIP: DEFINITION \nA BPS sponsored trip is any trip involving BPS students and \nemployees that: uses BPS funds in any way; takes place during \nregular school operating hours; is organized by BPS employee(s)", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 2 of 22 \n \nduring normal employment hours, either while on BPS property \nor while using BPS-issued technology; and/or is related directly to \nthe instructional program at the school. Cases where students \nelect to participate in a third-party travel program with the \nconsent of their family, whereby they will travel alone, and not \nwith a school group, are not considered BPS sponsored field trips, \neven if students receive funding support from their school or \ndistrict. \nTYPES OF FIELD TRIPS \nBPS has divided field trips into three types: \n\u25cf Day field trip \n\u25cf Overnight field trip \n\u25cf International field trip \nThis division ensures that permission forms and procedures are \ndirectly relevant to the type of trip and activities students will \nengage in. \nRefer to the circular appropriate for your type of trip for further \ndetails: \n\u25cf Day field trips \u2014 Superintendent Circular CAO-23 \n\u25cf Overnight field trips \u2014 Superintendent Circular CAO-24", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Refer to the circular appropriate for your type of trip for further \ndetails: \n\u25cf Day field trips \u2014 Superintendent Circular CAO-23 \n\u25cf Overnight field trips \u2014 Superintendent Circular CAO-24 \n\u25cf International field trips \u2014 Superintendent Circular CAO-25 \n\u25cf Water activities \u2014 Superintendent Circular CAO-27 \nPURPOSE OF FIELD TRIPS \nAll BPS sponsored field trips must serve the purpose of providing \neither instruction or enrichment. Instructional trips support the \ninstructional program and should be directly linked to the \ncurriculum and standards of that grade level or subject area.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 3 of 22 \n \nEnrichment trips contribute to students\u2019 academic, cultural, or \nsocial development, and aim to deepen their engagement with \nschool and learning. Sites for field trips should be carefully \nselected to enrich student learning and exposure to the \ncommunity, new people, places, and activities. Discuss with \nstudents and families the trip\u2019s purpose, learning goals, and \nbehavior expectations in advance, and engage students in \nactivities before, during, and after the trip. It is important to note \nthe serious obligations that BPS staff members undertake to \nensure that all field trips are not only educationally sound, but \nalso manage risk. \nFIELD TRIP CATEGORIES \nA trip often meets more than one category. \n\u25cf Instructional field trip: Enhances a specific curriculum unit \nor serves a broader educational purpose. \n\u25cf Cultural field trip: Engages students in cultural awareness or \nunderstanding experiences to learn more about their own", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "or serves a broader educational purpose. \n\u25cf Cultural field trip: Engages students in cultural awareness or \nunderstanding experiences to learn more about their own \ncultural identity, or that of others. \n\u25cf Community building field trip: May reinforce relationships \nin an existing group of students, prepare students for a \nsignificant transition into a new structure or community, \nhelp students work collaboratively, or assist in the \ndevelopment of leadership and decision-making skills. \n\u25cf Service learning field trip: Students learn the value of \nhelping others in their own community and beyond, while \nsimultaneously learning from the host community. These \ntrips show students how empowering service to others is \nwhile developing students\u2019 leadership skills.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 4 of 22 \n \n\u25cf Personal growth and development: Students are exposed \nto new group or individual activities whereby they learn new \nskills and new ideas, develop identity, build self-esteem, \ngrow strengths, and build camaraderie. \nFIELD TRIP TYPES AND TIMELINES FOR APPROVAL \nIt is necessary that the proper procedures are followed, and that \ncopies of all checklists, permission and medical forms are kept on \nfile in the school office and, when appropriate, filed with the \ndistrict. If the deadlines and details below are not met, a field trip \napplication may be rejected. Please note that trip planning \ntimelines (i.e., \u201ctwelve weeks (or more) prior to the field trip\u201d, etc.) \nin each circular chronicle the minimal amount of time for \nplanning. More time for pre-trip planning is strongly \nrecommended for all types of field trips. \n\u25cf Day Field Trip (CAO-23): Any domestic trip off school grounds \nthat is no more than one day in duration.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "recommended for all types of field trips. \n\u25cf Day Field Trip (CAO-23): Any domestic trip off school grounds \nthat is no more than one day in duration. \no Day Field Trip forms are submitted to the \nprincipal/head of school at least 4 weeks in advance \n(or at the principal/head of school\u2019s discretion) and \napproved by the principals/heads of school. \no Walking field trips are day field trips that require \nwalking within a one-mile radius of the school (i.e., \nlocal garden, park, field, etc.). The Parent/Guardian \nAuthorization and Acknowledgement of Risks for \nWalking Trips form will apply for all walking field trips \nduring the current school year and will need to be \nupdated each school year, or as student/family \ninformation changes. The school is still required to \ninform families in advance of each walking field trip", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 5 of 22 \n \nand obtain principal/head of school approval. \no All forms, including the signed CAO-23 checklist \nform, are filed at the school. \no The principal/head of school or designee is the \nemergency contact for day field trips. \n\u25cf Overnight Field Trip (CAO-24): Any domestic trip off school \ngrounds that involves students\u2019 participation overnight. \nTravel to U.S. territories, including Puerto Rico, the United \nStates Virgin Islands, Guam, American Samoa, and Northern \nMariana Islands are considered domestic, but are covered \nunder international travel insurance. Travel to these \nterritories is subject to some forms, requirements, and \nprotocols in the CAO-25 International Field Trip guidelines. \nConsult with the Department of Global Education for \nrequired forms for these destinations. \no Overnight Field Trip forms are submitted to the \nprincipal/head of school at least 12 weeks in advance \nand approved by the principals/head of school.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "required forms for these destinations. \no Overnight Field Trip forms are submitted to the \nprincipal/head of school at least 12 weeks in advance \nand approved by the principals/head of school. \no All forms, including the signed CAO-24 checklist \nform, are filed at the school. \no Overnight Field Trip Request forms, the list of \nstudent names, emergency contact name and \nnumber, grade, D.O.B, the list of chaperone names \nand their role in the school community, the itinerary, \nand if applicable, train and flight information are sent \nto the district to notify the district of trip plans at \nleast 6 weeks in advance. Scan and email the \nOvernight Field Trip Request form and information to \nthe appropriate operational leader as well as to the", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 6 of 22 \n \nDepartment of Global Education and follow up with \nboth to confirm receipt. \no The principal/head of school or designee is the \nemergency contact for overnight field trips. \n\u25cf International Field Trip (CAO-25): Any trip off school grounds \nthat involves travel to a location outside of the United States. \no International field trips should be planned at least a \nyear in advance, to maximize affordability and \nfundraising efforts, and when possible, scheduled \nduring non-school time (i.e., school vacations and \nsummer). \no As soon as a trip opportunity becomes known, or \nthere is interest in an international travel program, \nteachers must inform their principal/head of school \nand contact the Department of Global Education for \nsupport and guidance with the CAO-25 application, \nand planning process. No arrangements, payments, \nor deposits should be made without consultation \nwith the Department of Global Education and", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "support and guidance with the CAO-25 application, \nand planning process. No arrangements, payments, \nor deposits should be made without consultation \nwith the Department of Global Education and \nformal application approval from the \nsuperintendent. \no After consulting with the Department of Global \nEducation and head of school, CAO-25 applications \nshall be submitted no less than 9-12 months before \ndeparture. The application requires approval by the \nDepartment of Global Education, which will then \nseek approval from the appropriate district leaders \nbefore obtaining final approval from the \nsuperintendent. Again, no arrangements should be", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 7 of 22 \n \nmade or payments or deposits placed without \nconsultation with the Department of Global \nEducation and formal application approval from the \nsuperintendent. \no The principal/head of school or appointee and the \ndirector of Global Education or district designee are \nthe emergency contacts for international travel \nprograms. \nGENERAL GUIDELINES FOR ALL TYPES OF FIELD TRIPS \n\u25cf Principals/head of school or the district department \nsponsoring the trip have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparent internal \nprotocols for field trip requests and approvals at the school \nlevel. \n\u25cf All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "by the principal/head of school or district department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to fundraising efforts \nor other detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. \n\u25cf The program leader (the BPS employee and chaperone \norganizing and leading the trip) and supporting chaperones \nmust be approved by the principal/head of school, or district \ndepartment sponsoring the trip. \n\u25cf The principal/head of school and program leader must \nreview and complete the appropriate type of field trip \ncircular and checklist throughout the planning process.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 8 of 22 \n \n\u25cf Program leaders must consult with the principal/head of \nschool on potential chaperones and student recruitment. \nEvery effort should be made for students to have access to \nthe field experience, and for chaperones to be \nrepresentative of the student group and include males and \nfemales. The selection and approval of chaperones by the \nprincipal/head of school should be based on the individuals\u2019 \nthorough knowledge of, and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role. \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n\u25cf Students not enrolled in the Boston Public Schools may not \nparticipate. \n\u25cf Essential participation criteria: The program leader and \nprincipal/head of school shall work together to establish \nessential participation criteria for the trip. The criteria should", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "\u25cf Essential participation criteria: The program leader and \nprincipal/head of school shall work together to establish \nessential participation criteria for the trip. The criteria should \ninform students and parents of all activities and risks \nassociated with each itinerary activity and trip location to \ndetermine what accommodations or modifications may be \nneeded for the student to participate successfully and safely \nin all or portions of the trip. \n\u25cf Student recruitment: Field trips must be advertised to all \nstudents (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip), \nregardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. A student\u2019s ability to pay may not \nbe a criterion for field trip participation. If students are \ncharged individual fees for participation in a domestic", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 9 of 22 \n \ninstructional field trip that is directly linked to the \ncurriculum and standards, the school or district should \nmake every effort to provide scholarships where need is \nexpressed. \n\u25cf Student accessibility: Students with English Learner status, \n504 plans, and/or IEPs cannot be denied access to field trips \ndue to their status or ability. It is the responsibility of the \nschool to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent\u2019s Circular SHS-08 for information about \nmedical dispensation on field trips. \n\u25cf School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "approval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult \nwith, and when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "medical or mental health condition, be sure that their \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 10 of 22 \n \nand medical forms. \n\u25cf Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for \nsensitive experiences and ensure that the program is safe \nand inclusive for all students. Consult the Department of \nGlobal Education for resources if needed. \n\u25cf Inclusive accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "\u25cf Inclusive accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender-nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety for the \nstudent and group. Program leaders should work with \nstudents and families to make sure all travel documents \n(airline ticket, passport, etc.) reflect their legal names as \nlisted on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent\u2019s preferred name. Please view additional rooming \nguidelines from the Office of Equity. \n\u25cf Student conduct: The BPS Code of Conduct applies on all \nfield trips. BPS students and parents are required to sign a \nBPS Student Traveler & Family Agreement form regarding", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 11 of 22 \n \nstudent conduct while participating in a BPS sponsored \nfield trip. Participation in field trips may be denied to any \nstudent who has demonstrated disregard for the policies \nand rules of BPS or the school, immediately prior to or while \non the field trip. Parents/guardians and students must be \nmade aware of this policy in advance and communicated \nwith throughout any processes involving their child not \nparticipating in a field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school \nand central office staff, determines that a student\u2019s conduct \nwhile on an overnight trip poses a risk to themselves or the \nsafety of the group, or is no longer manageable by BPS staff \nin the field, the district reserves the right to request and \narrange for that student to return home. \nThe district also reserves the right to request that families", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "in the field, the district reserves the right to request and \narrange for that student to return home. \nThe district also reserves the right to request that families \nassume responsibility for all, or a portion of the costs \nassociated with their child\u2019s return. Students may be subject \nto further disciplinary action and will be provided the \nopportunity to have a formal hearing at the school level \nupon return. The school must document the \nparent/guardian\u2019s consent of this policy prior to the trip. \n\u25cf Student dismissal from field program: If a student is to be \ndismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon transportation destination. If the parent/guardian is \nnot reachable, the student\u2019s principal or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "not reachable, the student\u2019s principal or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 12 of 22 \n \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. NOTE: Age requirements are subject to specific \nairline/train/bus guidelines. \n\u25cf Provisions for students not attending the trip: If applicable, \nalternative arrangements and/or comparable activities for \nstudents not attending the trip, or unable to participate in a \nportion of your trip, must be provided. If a student\u2019s family \nelects for their child not to attend a field trip for any reason, \nthe student may not be penalized through their grade or \notherwise. \n\u25cf Attendance: Attendance forms should indicate when a \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times.) \nCHAPERONE REQUIREMENTS", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "field trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times.) \nCHAPERONE REQUIREMENTS \n\u25cf Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are 21 \nyears of age or older. Any parent on the trip must operate in \nthe role of chaperone. All chaperones must be approved by \nthe head of school/principal. Every effort should be made for \nstudents to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals\u2019 thorough knowledge of", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 13 of 22 \n \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n\u25cf Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the online eCORI form. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the \nlead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "employees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. Non-BPS employee \nchaperones (parents/guardians) are required to show proof \nof COVID vaccination, or a negative COVID-19 test within 72 \nhours of the field trip. \n\u25cf BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 14 of 22 \n \nAll chaperones must complete the Chaperone Agreement \nform. \n\u25cf Chaperone Ratios: The student-to-chaperone maximum \nratios must be: \no Day field trips: minimum of two chaperones \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \no Domestic Overnight field trips: 10:1 (minimum of \ntwo chaperones) \no International field trips: 7:1 (minimum of two \nchaperones) * Includes Puerto Rico \nNOTE: There should not be more chaperones than \nstudents, unless mandated by an educational plan or \nother circumstances approved by the principal/head \nof school and Department of Global Education. For \nstudents with disabilities, the ratio of staff to \nstudents must be at least the same as the ratio \nmandated in their IEPs for their classes. \no NEW: Tour guides and employees of third-party \nvendors contracted to help operate the trip are \nnot considered chaperones and do not factor into \nthe student to chaperone ratio. \nPERMISSION FORMS", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "vendors contracted to help operate the trip are \nnot considered chaperones and do not factor into \nthe student to chaperone ratio. \nPERMISSION FORMS \n\u25cf The student may not attend the field trip without a signed \npermission slip. Permission for field trips must be in written \nform only. Program leaders are responsible for seeing that \npermission slips are filled out completely and signed by the \nlegal parent(s)/guardian(s).", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 15 of 22 \n \n\u25cf Permission slips are legal documents and may not be \naltered. Permission slips must be used for any excursion that \nis school sponsored, including those scheduled after school \nand on weekends. \n\u25cf No staff member may solicit students for any privately \narranged field trip or excursion without the permission of \nthe principal/head of school. \n\u25cf \u201cBlanket\u201d authorization (i.e., parental/guardian approval \nusing a single form for multiple trips to be taken during the \nschool year) should never be allowed (except for the \nWalking Trips and Water Activities form if they are in the \nsame location). A separate parent/guardian permission slip \nmust be obtained and filed for each field trip. \n\u25cf Parental/guardian permission slips must be sent home in \nEnglish and in the language of the home. \n\u25cf Only parents/guardians are authorized to sign permission \nforms. For questions regarding legal guardianship, refer to", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "English and in the language of the home. \n\u25cf Only parents/guardians are authorized to sign permission \nforms. For questions regarding legal guardianship, refer to \nthe SIS site or the local Welcome Center. \n\u25cf Check that students and their parents/guardians have \nsigned the BPS Media Appearances release section of the \nParent/Student Agreement document so that the trip may \nbe showcased upon your return. (This document can be \nfound in the Guide to the Boston Public Schools for Families \nand Students.) \n\u25cf Review each student's Emergency Information Card (Form \n460 or electronic equivalent) to ensure/cross-check \naccuracy of all field trip permissions and forms. \n\u25cf Program leaders must be specific when completing the", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 16 of 22 \n \nschool portion of the Parental Authorization for Field Trip \nform. Parents/guardians must be given sufficient \ninformation to understand the nature and scope of the \nactivities on the itinerary. Additional customized waivers \nmay be developed for specific trips/itineraries. \nRECORD KEEPING FOR ALL TYPES OF TRIPS \n\u25cf Retain completed field trip request forms, original \npermission slips, medical forms, fire prevention and safety \nforms (if applicable), and all other signed documents for \nfield trips in the school office. Legally, these records must be \nkept for the current fiscal year plus three additional years \nafter all field trips have occurred.", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 17 of 22 \n \nTRANSPORTATION FOR FIELD TRIPS \n\u25cf School buses or BPS approved transportation vendors\u2019 \nvehicles (per BPS Transportation Department) MUST be \nused to transport students to and from field trips or athletic \nevents regardless of how the trip is paid for. Privately owned \nvehicles, vehicles from non-approved vendors are not \npermitted. \nRide sharing transportation services, such as Uber and Lyft, or \nleased vans are not to be utilized to transport students to \nand from field trips or athletic events, except in the case of a \nbona fide emergency. \n\u25cf Students are prohibited from driving vehicles, operating, or \nbeing a passenger on any motorbike during a field trip. \n\u25cf Staff are not permitted to transport students. Staff who \nutilize their own vehicles, or leased vehicles, risk being \nlegally liable if students are injured while riding in their \nautomobiles. \n\u25cf Please refer to Superintendent\u2019s Circular TRN-03 for", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "utilize their own vehicles, or leased vehicles, risk being \nlegally liable if students are injured while riding in their \nautomobiles. \n\u25cf Please refer to Superintendent\u2019s Circular TRN-03 for \ninformation and regulations regarding field trip \ntransportation. \nSAFETY GUIDELINES \nAs part of trip planning and itinerary development, ensuring the \nmajor aspects of health, safety, and security have been addressed \nwith appropriate due diligence. Program leaders should be able \nto articulate in an informed manner what decisions were made, \nwhy they were made, and the sources that informed their \ndecision making. If you are unsure as to whether an activity is \nappropriate in terms of safety or educational content for a \nschool-sponsored trip, please consult with your principal/head of", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 18 of 22 \n \nschool and the Department of Global Education. \n\u25cf Review Superintendent\u2019s Circular FSE-05, Medical \nEmergency Management, and SAF-04 Incident Data-\nReporting and Release for important safety protocols. \n\u25cf Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity in which parents have been informed of and \napproved in writing in advance, and age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should at least be in groups of \nthree, AND always know how to reach an adult chaperone. \n\u25cf Day and water field trips: The Department of Safety Services \n(617-635-8000) must be notified in the event of a serious \nmedical or other emergency and should be used as a \nresource for questions regarding safety on day field trips, \nincluding water activity day trips. \n\u25cf Domestic overnight trips: The principal/head of school is the", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "resource for questions regarding safety on day field trips, \nincluding water activity day trips. \n\u25cf Domestic overnight trips: The principal/head of school is the \nemergency contact and must be notified in the event of a \nserious medical or other emergency. Prior to departure, the \nDepartment of Global Education should be used as a \nresource for questions regarding safety on trips, and for \nsupport with insurance and claims. Prior to departure, \nprogram leaders will receive emergency contact \ninformation. \n\u25cf International trips: The principal/head of school or designee, \nfollowed by the Department of Global Education or district \nappointee, are the emergency contacts for international \ntrips. DGE must be notified in the event of a serious medical \nor other emergency and should be used as a resource for", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 19 of 22 \n \nquestions regarding safety on trips. Prior to departure, \nprogram leaders will receive emergency contact \ninformation. \n\u25cf Emergency Action Plan: At all times during the trip, all \nchaperones must carry with them a copy of the Emergency \nAction Plan (EAP) that outlines procedures for calling 911 in \nthe US or the foreign equivalent while abroad, as well as \nemergency protocols. The EAP can be found in the day, \novernight, and international circulars. \n\u25cf Personal Health: For overnight and international trips, \nstudents and staff must have had a recent doctor\u2019s visit, \nphysical exam, and any required vaccinations prior to \ndeparture. See CAO-24 and CAO-25 for details on healthy \ntravel requirements. \n\u25cf Training: The district reserves the right to require additional \ntraining and/or certifications such as CPR/AED, first aid, and \nprogram (chaperone) leader risk management training", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "\u25cf Training: The district reserves the right to require additional \ntraining and/or certifications such as CPR/AED, first aid, and \nprogram (chaperone) leader risk management training \ndepending on the type, location, and purpose of the trip. \nReview the specific circular for your trip type for certification \nrequirements. \n\u25cf Phone/Social Media Usage: Set expectations with students \nregarding phone and social media usage during any field \ntrip. This is especially critical during an emergency. \n\u25cf Insurance: The district provides medical insurance coverage \nfor BPS-sponsored international and domestic trips for BPS \nstudents and BPS staff participants. [Domestic is defined as \n100 driven miles away from home or place of study or \nemployment.] Trip cancellation and interruption coverage \nare not provided by the district. Program leaders must", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 20 of 22 \n \ninform families (and funders) of this fact, and that they have \nthe option to voluntarily purchase these additional \ncoverages on their own. For Level 2 CDC or State \nDepartment Warning international destinations, trip \ncancellation and interruption coverages are strongly \nrecommended. \n\u25cf Cancellation: The superintendent reserves the right to \ncancel any field trip up to and including the day of \ndeparture to manage risk. Upon advance review of \nitineraries, BPS reserves the right to deny schools \npermission to participate in the field trip activities on their \nitinerary where the risks of the activity outweigh the \nintended learning outcomes of the program. \n\u25cf Post Field Trip: After the trip, follow up and communicate \nwith the student and parent/guardian, as well as the \nprincipal/head of school, Department of Safety Services, or \nthe Department of Global Education if there are any student", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "with the student and parent/guardian, as well as the \nprincipal/head of school, Department of Safety Services, or \nthe Department of Global Education if there are any student \nsafety concerns (health or otherwise) during the trip that \nrequire further attention. \nHOMESTAYS IN BOSTON, NATIONALLY, AND ABROAD \n\u25cf For host family stays (both incoming and outgoing), review \nCAO-26 Guidelines for Homestays & International Student \nVisitors for more information. Please contact the \nDepartment of Global Education immediately for guidelines. \nAll BPS families (anyone in households 18 or over) who host \nnational or international guests must be CORI cleared by the \nBPS Office of Human Capital. \nINTERNATIONAL STUDENT VISITORS (CAO-26) \n\u25cf International/ students can register with BPS if they will be a", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 21 of 22 \n \nfull-time student at a BPS school, except the exam schools, \nfor one year. Students must be in their freshman, \nsophomore, or junior year. Please be advised that BPS does \nnot get involved with the J1 visa process. Review CAO-26 \nGuidelines for Homestays & International Student Visitors for \nmore information. Please contact the Department of Global \nEducation immediately for guidelines. \n\u25cf For visiting students, note immunization requirements for \nthose visiting us from abroad. Work with the program leader \n(lead chaperone) from visiting schools to ensure all health \nregulations are met. See attached letter for directives from \nthe Massachusetts Department of Public Health. \nhttp://www.mass.gov/eohhs/docs/dph/cdc/immunization/im\nmunization-requirements-exchange-and-visiting-\nstudents.pdf \nWATER ACTIVITIES (CAO-27) \n\u25cf If your trip involves activities in, or on the water, you must", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "munization-requirements-exchange-and-visiting-\nstudents.pdf \nWATER ACTIVITIES (CAO-27) \n\u25cf If your trip involves activities in, or on the water, you must \ncontact the Department of Global Education immediately to \nsubmit a mandatory Water Activity Request form and to \nensure that the site location for the water activity has up-to-\ndate insurance, liability, and certification documentation on \nfile with the district. Refer to CAO-27 for specific guidelines \nfor water activities. \nFor more information, questions, and support about this \ncircular, please contact: \n Owner: Chief of Teaching and Learning \nTitle: Director of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-22 \nPage 22 of 22 \n \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-05 \nVersion 01 \n \nSERVICES FOR MULTILINGUAL LEARNER STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Office of Multilingual and Multicultural Education has \ngenerated this circular to provide an overview of the operational \nand instructional expectations to effectively service the needs of \nMultilingual Learners (ML), Former English Learners FEL), and \nother subgroups within this student population. All BPS staff are \nexpected to be familiar with the information contained in this \ncircular and to meaningfully incorporate it into their day-to-day \nwork as part of the district\u2019s work to respect the rights of our \nstudents and families and comply with all related federal and \nstate regulatory requirements. \nThe following actions are recommended for school leaders and \ntheir team to review in this circular: \n1. Schedule a dialogue with members of your school\u2019s", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "state regulatory requirements. \nThe following actions are recommended for school leaders and \ntheir team to review in this circular: \n1. Schedule a dialogue with members of your school\u2019s \nInstructional Leadership Team (ILT) and Language \nAssessment Team (LATF) around the items shared in this \ndocument to ensure all key stakeholders are aware of their \nresponsibilities. \n2. Using the LATF calendar, identify relevant information to be \nreviewed monthly by the school leader and other leaders in \nyour school who can support this work.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 2 of 36 \n \n3. Work with your LATF to audit your school\u2019s scheduling data \nin Aspen SIS to assure that every EL is appropriately \nscheduled for all English Learner Education (ELE) services \nand special education services for MLs with disabilities. \nPlease Note: We will use the term \u201cMultilingual Learner\u201d to \ndescribe our students who enter BPS with or who are in the \nprocess of learning one or more languages. However, we will \ncontinue to use the terms \u201cEnglish Learner\u201d (EL) and \u201cFormer \nEnglish Learner\u201d when referring to state and federally defined \nlegal rights/services. \nTABLE OF CONTENTS \n1. Overview of Policies and Legal Responsibility \n2. ELE Service Compliance Reporting \n3. English Learner Education (ELE) Program Models \n3A. District-Wide ELE Program Requirements \n3B.BPS Formally Designated Program for ELs Descriptions \n3C. Special Notices about ELE Programs in BPS \n4. ESL Services and Teacher Qualifications Compliance \nInformation", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "3B.BPS Formally Designated Program for ELs Descriptions \n3C. Special Notices about ELE Programs in BPS \n4. ESL Services and Teacher Qualifications Compliance \nInformation \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \n4B. ESL Instructional Types, Requirements, and \nRecommendations \n4C. ESL Instructional Grouping Requirements \n4D. Educator Licensure and Endorsement Requirements \n5. SY23-24 ESL Service Delivery Determination Guidance", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 3 of 36 \n \n1. OVERVIEW OF POLICIES AND LEGAL RESPONSIBILITY \nUnder Massachusetts General Laws Chapter 71A, all Boston \nPublic Schools with an English Learner student assigned and \nenrolled are obligated to offer an English Learner Education (ELE) \nprogram. Under Massachusetts Department of Elementary and \nSecondary Education guidance, an ELE program consists of both \nSheltered English Immersion (SEI) core content and explicit ESL \ninstruction appropriate for the student\u2019s English Language \nDevelopment (ELD) level. Please note that under Section 6 of this \nChapter, \u201cany school district employee\u2026 may be held personally \nliable\u201d for not providing students with access to EL programming. \nThe following are additional legal regulations and guidelines that \npertain to Multilingual Learner Education offered in BPS and ELE \nservice requirements for students attending BPS: \n\u25ba Resource: The DOJ Successor Settlement Agreement", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "pertain to Multilingual Learner Education offered in BPS and ELE \nservice requirements for students attending BPS: \n\u25ba Resource: The DOJ Successor Settlement Agreement \n\u25ba Resource: The META Consent Decree \n\u25ba Resource: The LOOK Act \n\u25ba Resource: The BPS Systemic Improvement Plan (SIP) \n2. ELE SERVICE COMPLIANCE REPORTING \nThe Office of Multilingual and Multicultural Education submits a \nseries of reports each year on the compliance of Multilingual \nLearner Education offered in BPS and ELE service requirements \nfor students attending BPS in accordance with the DOJ \nSuccessor Settlement Agreement. Described below is the \nreporting cycle of Paragraph 54, one of the key reports that \nschools are accountable for throughout the school year.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 4 of 36 \n \nFor each cycle of this report (October, December, and March), \nBPS reviews the following quality indicators for ELE services in \naccordance with Paragraph 54 of The Successor\u2019s Agreement: \n1. Teacher Qualifications: Are teachers qualified to provide \nservices to ML students in their ESL and SEI or bilingual core \ncontent classes? \n2. ESL Instruction Type: Are ML students assigned to the right \ncourses per their program code and receiving daily ESL \nservices with the appropriate ESL instructional model/type \n(e.g., push in, pull out, or embedded ESL in grade-level \nEnglish Language Arts (ELS), etc.)? \n3. ESL Minutes: Are ML students receiving the right amount of \nESL instructional time for their ELD level? \n4. ESL Grouping: Are ML (ELD 1-5) students appropriately \ngrouped for ESL? \n \nTo support the district\u2019s compliance with the \nabove ELE service requirements and ensure \nthe accuracy of the reporting data, schools", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "grouped for ESL? \n \nTo support the district\u2019s compliance with the \nabove ELE service requirements and ensure \nthe accuracy of the reporting data, schools \nare expected to review and update ELE \nservice data in Aspen SIS at the beginning of \neach school year, and regularly thereafter in \npreparation for the reporting cycle deadlines \n(October, December, and March), as well as \nas needed upon changes in student enrollment or staffing \nchanges. \n\u25ba Resource: Consult The Aspen SIS Guide for Recording ESL \nMinutes, Instruction Type, and Teacher (Updated Nov 2023) \nfor detailed directions on entering ELE compliance data in \nAspen.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 5 of 36 \n \n\u25ba Resource: Consult The DOJ Reporting Schedule with \nDescription for a full list of required DOJ reports. \n\u25ba Resource: Consult CAO-5 Cheat Sheet for a quick and simple \noutline of ESL compliance. \n\u25ba Resource: Consult K-12 Sheltered English Immersion (SEI) \nScheduling and Service Delivery for detailed ESL scheduling \nsuggestions and guidance. COMING SOON \n\u25ba \n \n3. ENGLISH LEARNER EDUCATION (ELE) PROGRAM MODELS \n3A. District-Wide ELE Program Requirements \nRegardless of an EL student being placed in a formally \ndesignated program for ELs, all BPS schools must comply with \nthe following requirements for ELE service: \n1. Casta\u00f1eda\u2019s Three-Pronged Test for Educationally \nSound ELE Programs \n2. Providing an equitable curricular and educational \nexperience for MLs \n3. Access to a Sheltered English Immersion Program \nEach of these three requirements are described in detail below: \nCasta\u00f1eda\u2019s Three-Pronged Test for Educationally Sound ELE", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "experience for MLs \n3. Access to a Sheltered English Immersion Program \nEach of these three requirements are described in detail below: \nCasta\u00f1eda\u2019s Three-Pronged Test for Educationally Sound ELE \nPrograms \nAll ELE program models implemented in BPS are required by \nDESE to meet \u201cCasta\u00f1eda\u2019s Three-Pronged Test,\u201d as defined by \nthe following components: \n1. The program is based on a sound educational theory or on \nresearch \n2. The program is implemented with adequate and \nappropriate resources", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 6 of 36 \n \n3. The program has resulted in demonstrable academic \noutcomes for ELs. \n\u25ba Resource: DESE Guidance on The Integration of Casta\u00f1eda\u2019s \nThree-Pronged Test into ELE Program Development and \nReview Process \nProviding an Equitable Curricular and Educational Experience \nfor MLs \nAll ELE programs implemented in BPS are required to provide \nMLs (SDD 1-4) comparable access to the standard curriculum \nwithin a reasonable period of time and to the range and level of \nextracurricular activities and additional services as non-ML \nstudents. Additionally, all ELE programs should provide \nopportunities for MLs (SDD 1-4) to take classes and participate \nin school activities with their English-proficient peers (non-MLs). \nAdditionally, all BPS classrooms that serve MLs and non-MLs \ntogether and provide sheltered content instruction have \nhistorically been coded as \u201cgeneral education,\u201d but will now be", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Additionally, all BPS classrooms that serve MLs and non-MLs \ntogether and provide sheltered content instruction have \nhistorically been coded as \u201cgeneral education,\u201d but will now be \ncoded as State SEI classrooms to be in alignment with State \nregulations and the findings from the 2023 DESE Tiered Focus \nMonitoring report. And students, regardless of receiving \nfoundational level scores1 on the ACCESS or WIDA Screener \nassessments, have equal access to enroll in such classrooms \nwhere they will be exposed to English-proficient peers. \n \nAccess to a Sheltered English Immersion Program \nDESE (2019) SEI guidance offers this helpful framework for the SEI \nELE program model implemented in Massachusetts: \n \n \n1 Foundational level scores are scores of a 1-2.5 on the ACCESS \ntest, or scores of a 1-2 on a WIDA Screener.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 7 of 36 \n \nSHELTERED ENGLISH IMMERSION (SEI) PROGRAM (2) \nA two-component program model \n \nSheltered Content Instruction \n(SCI) \nEnglish as a Second Language \n(ESL) \n\u25cf Taught by content-area \nlicensed and SEI-endorsed \nteacher (or BEE-endorsed in an \nofficial BPS Dual Language \nprogram). \n\u25cf Access to grade-level content & \ndevelopment of discipline-\nspecific academic language. \n\u25cf Occurs throughout the day and \nis designed for optimum EL \nengagement in content. \n \n\u25cf Taught by ESL-licensed \nteacher. \n\u25cf Additional linguistic support \nELs need to be delivered \nthrough systematic, explicit, \nsustained focus on language \nand literacy in the context of \nthe Massachusetts Curriculum \nFrameworks. \n\u25cf Occurs for a specific amount of \ntime each day [in accordance \nwith DOJ requirements \nspecified in this Circular]. \n \n2Massachusetts law (G.L. c. 71A, \u00a7) defines SEI as \u201can English language \nacquisition process for young children in which nearly all classroom", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "with DOJ requirements \nspecified in this Circular]. \n \n2Massachusetts law (G.L. c. 71A, \u00a7) defines SEI as \u201can English language \nacquisition process for young children in which nearly all classroom \ninstruction is in English but with the curriculum and presentation designed \nfor children who are learning the language. Books and instruction materials \nare in English and all reading, writing, and subject matter are taught in \nEnglish. Although teachers may use a minimal amount of the child's native \nlanguage, when necessary, no subject matter shall be taught in any \nlanguage other than English, and children in this program learn to read and \nwrite solely in English.\u201d", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 8 of 36 \n \nThis means that ML (ELD 1-5) students with \u201cGeneral Education,\u201d \nvocational, Inclusion, Substantially Separate, AWC, IB, Montessori, \nand Alternative Education program seat assignments are \nconsidered to be served in an SEI ELE model \u2014 entitled to both \nsheltered core content instruction and ESL.2 \n3B. BPS Formally Designated Program for MLs Descriptions \nAs stated in section 3A, while schools are required to comply with \noffering all ML students the requirements for ELE programs \nregardless of student placement, BPS also offers ML students \nenrollment opportunities in one of BPS\u2019s formally designated \nprograms for MLs. These program models are: \n1. Sheltered English Immersion (SEI) Program \na. State SEI - Sheltered English Immersion (SEI) Program \nwith Grade-Level English Proficient Peers \nb. BPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nc. Sheltered English Immersion (SEI) Program in", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "with Grade-Level English Proficient Peers \nb. BPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nc. Sheltered English Immersion (SEI) Program in \nSubstantially Separate Setting \nd. Sheltered English Immersion (SEI) Program in High \nIntensity Literacy Training (HILT) for SLIFE Multilingual \n2. High Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \n3. Dual Language Education (DLE) or Two-Way Immersion \nProgram \n4. Newcomer Program \n \nPlease Note: Schools are expected to implement the ELE \nprogram model designated for their school. Any deviation from \nthe models outlined in this section must be approved by the \nOffice of Multilingual and Multicultural Education (OMME) so as \nnot to constitute a violation of the student/parent rights. \n \nThe specifics of each program model is described below:", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 9 of 36 \n \nSheltered English Immersion (SEI) Program3 \nAs described in section 3A, a Sheltered English Immersion \nProgram is a two component program. First, it incorporates \nstrategies to make content area instruction more \nunderstandable to MLs and to promote English language \ndevelopment in core-content classes throughout the day taught \nby SEI (or BEE as appropriate) endorsed teachers. Content area \ninstruction integrates sheltering strategies to make content \ncomprehensive and develop content area academic language in \nmathematics, English language arts (ELA), social studies, and/or \nscience. As the second component to a Sheltered English \nImmersion program, English learner students also receive explicit \nEnglish as a Second Language classes. \n \nBoston Public Schools offers various ways for English learner \nstudents to access a Sheltered English Immersion program as \noutlined below:", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "English as a Second Language classes. \n \nBoston Public Schools offers various ways for English learner \nstudents to access a Sheltered English Immersion program as \noutlined below: \n \nState SEI - Sheltered English Immersion (SEI) Program with \nGrade-Level English Proficient Peers \nSEI with grade-level English proficient peers offers MLs both \nSheltered Content Instruction from SEI endorsed teachers \nas well as explicit English as a Second Language classes. \nMLs in this SEI program type are not grouped according to \ntheir EL status, their first language, or their level of English \nproficiency in any way during core-content classes. They \n \n3 Massachusetts law (G.L. c. 71A, \u00a72) defines SEI as \u201can English \nlanguage acquisition process for young children in which nearly \nall classroom instruction is in English but with the curriculum and \npresentation designed for children who are learning the \nlanguage. Books and instruction materials are in English and all", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "all classroom instruction is in English but with the curriculum and \npresentation designed for children who are learning the \nlanguage. Books and instruction materials are in English and all \nreading, writing, and subject matter are taught in English. \nAlthough teachers may use a minimal amount of the child's \nnative language when necessary, no subject matter shall be \ntaught in any language other than English, and children in this \nprogram learn to read and write solely in English.\u201d", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 10 of 36 \n \nreceive core-content instruction with English proficient \npeers as well as other MLs. Only during English as a Second \nLanguage classes are MLs in this SEI program type \nseparated from their grade-level English proficient peers \nand grouped according to their ESL Service Delivery \nDetermination (SDD). \n \nBPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nThis is a BPS ELE program that incorporates English \nlanguage development throughout the day with strategies \nto make core academic content instruction more \ncomprehensible to MLs who are ELD 1-2.5 (scored 1-2.5 on \nWIDA ACCESS Overall score). BPS SEI Language Specific \nprograms serve students who all speak the same first \nlanguage; in BPS SEI Multilingual programs, a variety of \nlanguages are spoken by the students. Instruction is \nconducted in English, with native language clarification for", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "language; in BPS SEI Multilingual programs, a variety of \nlanguages are spoken by the students. Instruction is \nconducted in English, with native language clarification for \nstudents where available. ML Students in an SEI Language \nSpecific or SEI Multilingual Classroom in Grades K2-5/6 \nreceive ESL instruction within their classroom; for sheltered \ncontent instruction they may be scheduled with English \nProficient Peers for a portion of their day. Students in SEI \nLanguage Specific or Multilingual classrooms receive \ninstruction in smaller class sizes in comparison to General \nEducation classrooms. BPS SEI Language Specific or \nMultilingual programs in at the elementary level, English \nlearner students may receive their English as a Second \nLanguage instruction embedded within the content \ninstruction of the class if the homeroom teacher possesses \ntheir ESL license. For BPS SEI Language Specific or \nMultilingual programs at the secondary level, English", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "instruction of the class if the homeroom teacher possesses \ntheir ESL license. For BPS SEI Language Specific or \nMultilingual programs at the secondary level, English \nlearner students must receive their English as a Second \nLanguage instruction in a standalone setting from an \nappropriately licensed teacher.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 11 of 36 \n \nSheltered English Immersion (SEI) Program in Substantially \nSeparate Setting \nPer the Individualized Education Plan (IEP) and/or 504 plan, \nMLs in this SEI program type will receive core-content \ninstruction and ESL services in a self-contained special \neducation classroom with specialized instruction \nthroughout their day within a small-group structured \nsetting. Research-based practices, specific to disability, are \nutilized in the specialized classroom. MLs will continue to \nreceive sheltered content instruction where SEI-endorsed, \ncontent-licensed educators shelter instruction so that they \ncan meaningfully engage with grade-level content, and \ndevelop discipline-specific academic language.Depending \non the nature of an MLs disability in this program, they may \nhave modifications to their ESL services specified in their IEP \nand/or 504 plan. \n \nSheltered English Immersion (SEI) Program in High Intensity", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "have modifications to their ESL services specified in their IEP \nand/or 504 plan. \n \nSheltered English Immersion (SEI) Program in High Intensity \nLiteracy Training (HILT) for SLIFE Multilingual \nIn SLIFE multilingual classrooms, the language of \ninstruction is English, and teachers provide native language \nsupport when feasible. All students in this classroom are EL \nstudents who enter BPS with Limited or Interrupted Formal \nEducation (SLIFE); students in the classroom may speak \ndifferent native languages. Students in SLIFE classrooms \nreceive instruction from an ESL teacher as well as content \nand literacy from a teacher(s) who is qualified to provide \nsheltered content instruction. Please also see general HILT \nfor SLIFE requirements here. \n \nHigh Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \nIn language specific HILT for SLIFE programs, MLs receive High \nIntensity Literacy Training (HILT) in their native language. This", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Specific \nIn language specific HILT for SLIFE programs, MLs receive High \nIntensity Literacy Training (HILT) in their native language. This \nprogram enrolls EL students who enter BPS with Limited or \nInterrupted Formal Education (SLIFE) who all speak the same \nlanguage. Core academic content is taught in the native", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 12 of 36 \n \nlanguage of the student, and is increasingly taught in English as \nthe student develops English fluency. Students in SLIFE \nclassrooms receive instruction from an ESL teacher as well as \ncontent and literacy from a Native Literacy/Content teacher(s) \nwho is qualified to provide sheltered content instruction. SLIFE \nNative Literacy classrooms have smaller class sizes than State SEI, \nBPS SEI, and Dual Language programs. \n \nGeneral HILT for SLIFE Program Requirements \nBPS recommends this program for MLs ages 8 or older who \nare newcomers to the United States, who have little to no \nliteracy in their native language, or whose formal schooling \nwas limited or interrupted in their native country. Students \nin HILT for SLIFE programs are grouped across a grade span \n(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic \nEnglish language and literacy development, native \nlanguage instruction designed to help them learn reading,", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic \nEnglish language and literacy development, native \nlanguage instruction designed to help them learn reading, \nwriting, math, science, and history/social studies, when \navailable, and additional classes such as technology, arts, \nand physical education. \n \nIn accordance with the META Consent Decree, HILT for \nSLIFE programs must also comply with the following \nrequirements: \n \n1) Class size should not exceed 15 students; \n2) During related arts / specials / electives courses, lunch, \nrecess, and allotted intervention time, SLIFE students \nmust be integrated with other ML students and with \nEnglish-proficient students (Never ELs, Former ELs), \nwho serve as peer language models. \n3) \u201cDaily Common Planning Time\u201d must be allocated for \nESL teachers and Native Language Teachers for age \nand grade-appropriate lesson design and materials \ndevelopment. \n4) In language-specific programs such as Spanish, Haitian", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "ESL teachers and Native Language Teachers for age \nand grade-appropriate lesson design and materials \ndevelopment. \n4) In language-specific programs such as Spanish, Haitian \nCreole, and Cabo Verdean Creole, students must", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 13 of 36 \n \nreceive Native Language High-Intensity Literacy \nTraining (HILT) as they develop literacy in their native \nlanguage as well as English. \n5) In SLIFE multilingual classrooms, teachers must \nprovide native language supports when feasible. \n6) All SLIFE students at the beginning of every year or \nupon assignment to the program must have a HILT for \nSLIFE Individual Learning Plan (ILP) generated that \nqualifies the individual learning targets for the \nacademic year. This HILT for SLIFE ILP must be \ncompleted in full to document progress and determine \na student's eligibility to exit the program. \n7) No student can be recommended to exit the HILT for \nSLIFE program without meeting the exit criteria as per \nthe META Consent Decree. \n \nDual Language: Two-Way Immersion Programs \nIn this program, the classroom is made up of both native \nlanguage and English dominant students. All students learn to", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "the META Consent Decree. \n \nDual Language: Two-Way Immersion Programs \nIn this program, the classroom is made up of both native \nlanguage and English dominant students. All students learn to \nread, write, speak, and understand both languages either \nthrough core academic content instruction or explicit language \ninstruction, taught by qualified teachers in the two languages. \nThe goal of these programs is for students to become bilingual \nand biliterate. BPS seeks to increase more dual-language \nopportunities such as two-way immersion programs, heritage \nlanguage programs, and ethnic studies courses in students\u2019 \nnative language. Programs are currently offered in Spanish, \nHaitian Creole, ASL, Vietnamese, and Cape Verdean Creole. \n \nNewcomer Program \nThis program is available for secondary MLs at the early stages of \ntheir English language development. Only MLs who are ELD 1-2.5 \n(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "This program is available for secondary MLs at the early stages of \ntheir English language development. Only MLs who are ELD 1-2.5 \n(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this \nprogram. Instruction is conducted in English, with native \nlanguage clarification for students where available. English \nlearner students in this program receive ESL instruction in a", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 14 of 36 \n \nstandalone period and sheltered content instruction from core-\ncontent teachers. \no \n \n3C. Special Notices about ELE Programs in BPS \nMultilingual Learners with Disabilities \nMultilingual Learners with Disabilities (MLWD) are Multilingual \nLearners who receive disability-related, specialized instruction in \nan inclusion setting, resource room setting, or a substantially \nseparate Special Education classroom. Regardless of placement, \nBPS is obligated to provide Multilingual Learners with Disabilities \n(MLWD) with equal access to the same opportunities as other \nstudents; education, specialized instruction and related services, \nappropriate and effective ESL and content instruction by \naccessing grade-level curriculum while providing \naccommodations, modifications, and goals within the Individual \nEducation Plan (IEP). Schools are required to monitor students\u2019 \nprogress to ensure appropriate progress toward meeting their", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "accommodations, modifications, and goals within the Individual \nEducation Plan (IEP). Schools are required to monitor students\u2019 \nprogress to ensure appropriate progress toward meeting their \nEnglish language proficiency benchmarks and IEP goals. \nAll MLWD (ELD1-5) are entitled to receive both Special Education \n(SPED) and ELE services in a manner appropriate to the student\u2019s \nindividual needs by appropriately qualified staff; the District is \nrequired to provide these services. No ML shall be denied ELE \nservices solely due to the nature or severity of the student\u2019s \ndisability, and no ML shall be denied SPED services due to their \nML status. This means, for example: \n\u25cf No modifications to ESL service requirements may be \nimplemented unless such modifications are determined \nnecessary by the student\u2019s IEP or Section 504 team, through \na documented team process, and in accordance with the", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 15 of 36 \n \nnarrow exceptions contained in Paragraph 67 of the \nSuccessor Settlement Agreement. \n\u25cf Any approved modification to ESL minutes, grouping, \nand/or instruction must be reflected on the EL Grid, an \ninternal monitoring section in EdPlan, and will be reviewed \nby the BPS Office of Special Education/Office of Multilingual \nand Multicultural Education Supervisor(s) of Multilingual \nLearners with Disabilities. \n\u25cf ESL may not take the place of a student\u2019s special education \nservices. For instance, a student may not be taken out of \nspeech therapy or counseling in order to get ESL. \n\u25cf Core content instruction and ESL services must be provided \nwith all accommodations as outlined in the student\u2019s 504 \nplan or IEP. \nParent Right to Opt Out of the ELE Program \nParents / guardians have the right to opt out their child from \nsome or all components of the district\u2019s ELE program pursuant to", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "plan or IEP. \nParent Right to Opt Out of the ELE Program \nParents / guardians have the right to opt out their child from \nsome or all components of the district\u2019s ELE program pursuant to \nParagraphs 33 to 35 of the Successor Agreement. The district \nshall approve a parent\u2019s request to opt out of some or all ELE \nservices, only by following the relevant safeguards that are set in \nplace: \n1. The decision to opt out must be voluntary and informed, \nand not the product of district practices or influence, the \nresult of inadequate or inaccurate information, or \ninadequate district resources. \n2. If any parent/guardian of an EL communicates a refusal to \nhave their child enrolled in an EL program, and/or refuses \nall or only specific ELE services (e.g., EL-only SEI classes, \nlanguage-specific SEI classes, or HILT classes) at a \nWelcome Center, NACC, or school, then a meeting will be", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 16 of 36 \n \nconvened with a representative from OMME, the school \nleader, a representative of the LAT (typically the LAT-F), \nand the parent(s)/guardian(s) to explain the benefits of \nservices and address parent concerns AND encourage \nparents to allow their child to receive ELE services for at \nleast 30 days before deciding to refuse such services. \n3. If the parent continues to refuse ELE services after an \nexplanation of the benefits of the services, the Opt-Out \nform (documenting 1. Evidence of parent meeting and 2. \nParent request) must be submitted to OMME for review \nand approval and such documentation must \nsubsequently by submitted by OMME to the DOJ/OCR. \n4. Students approved as \u201copt-outs\u201d are still required to \nremain coded as an English Learner, required to \nparticipate in ACCESS, scheduled with an SEI-endorsed \nteacher(s) for core content, and have their English \nlanguage development monitored by the school.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "participate in ACCESS, scheduled with an SEI-endorsed \nteacher(s) for core content, and have their English \nlanguage development monitored by the school. \n5. Parents or legal guardians should revisit their decision to \nopt out every year and submit a new request for the \ncurrent academic year and parents may request to \nrestore ELE services at any point. \nFormer English Learners \nUpon exit (reclassification to Former EL status), schools must \nregularly monitor students\u2019 academic progress for 4 school years \nupon their reclassification as is required by DESE and federal \nregulations. It is recommended that schools continue to schedule \nFormer ELs with an SEI-endorsed content teacher(s) during their \nmonitoring period. If during this monitoring period it is \ndetermined that the student\u2019s EL status be restored (with ELE \nservices provided), the LATF must seek written permission from \nthe student\u2019s parent/guardian.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 17 of 36 \n \nPlease see: \no Section 5 of this circular for additional information on \nthe exit criteria for ELs \n \n4. ESL SERVICES AND TEACHER QUALIFICATIONS COMPLIANCE \nINFORMATION \nUnder the terms of the Department of Justice Successor \nAgreement and the policies of the Department of Elementary \nand Secondary Education, all BPS Multilingual Learner Education \nPrograms must comply with specific guidelines regarding ESL \nInstructional Minutes, Instructional Type, Instructional Grouping, \nand Educator Licensure and Endorsement. The following section \noutlines the specifics of each compliance measure as applicable \nfor each Multilingual / English Learner Education Program \ndescribed section 3. \nNote: Schools are advised to create their schedule for ELE \nservices first to ensure that the necessary qualified staff are \nscheduled to meet ML service needs. \nAll ML students, including Multilingual Learners with Disabilities", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "services first to ensure that the necessary qualified staff are \nscheduled to meet ML service needs. \nAll ML students, including Multilingual Learners with Disabilities \n(MLWD) and Students with Limited or Interrupted Formal \nEducation (SLIFE), must be scheduled for the requisite amount of \ndaily ESL instruction according to their SDD and must receive \nESL by an ESL licensed teacher. MLWD with severe disabilities for \nwhom compliant ESL instruction as described in the Successor\u2019s \nAgreement is not appropriate may have their services adjusted if \nreflected and recorded appropriately in the IEP through a team \nprocess.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 18 of 36 \n \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \nElementary (K2 to 5/6) \nConsistent with DESE\u2019s guidance, the table below provides the \nDOJ-approved ESL instructional time per ELD level that the \ndistrict shall provide, to the extent practicable: \nTABLE 2: MINIMUM REQUISITE ESL INSTRUCTIONAL TIME \nFOR MLS IN K2-5/6 \nELD \nLevel \nDaily ESL \nInstructional Time \nWeekly ESL Instructional \nTime \nELD 1 135 minutes (2 hours, \n15 minutes) \n675 minutes (11 hours, 15 \nminutes) \nELD 2 90 minutes (1 hour, 30 \nminutes) \n450 minutes (7 hours, 30 \nminutes) \nELD 3 60 minutes (1 hour) 300 minutes (5 hours) \nELD 4 45 minutes 225 minutes (3 hours, 45 \nminutes) \nELD 5 45 minutes 225 minutes (3 hours, 45 \nminutes) \n \nSecondary Grades (6-12) \nIn order to address the variety of scheduling at our Secondary \nSchools as well as to ensure that students can equitably access", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "minutes) \n \nSecondary Grades (6-12) \nIn order to address the variety of scheduling at our Secondary \nSchools as well as to ensure that students can equitably access \nESL along with other MassCore / graduation requirements and \nspecialty courses (e.g Advanced Placement courses, Dual \nEnrollment, Early College, and any vocational or technical", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 19 of 36 \n \ntraining / courses), OMME has shifted from a \u201cminutes\u201d \nframework at the Secondary level to a \u201cblocks required\u201d \nframework. \nTABLE 3: SECONDARY SCHOOL ESL SCHEDULING* \nSchool\u2019s Daily \nCourse Block \nLength \n(Minutes) \n# of Daily ESL Blocks Required: \n ELD 1 ELD 2 ELD 3 ELD 4/5** \n45-59 minutes 3 2 1 1 \n60-74 minutes 2 2 1 1 \n75+ minutes 2 1 1 1 \n*ESL for ELD 4-5 may be embedded into the ELA block by an ESL-\nlicensed teacher. This is only allowable for ELD levels 4 and 5. \n \nPlease note: \n\u25cf Schools may leverage this framework, but may still opt to \nschedule ESL instruction based on the daily minutes \nspecified in Table 2. \n\u25cf OMME recommends schools consider scheduling MLs for \nadditional support from an ESL licensed teacher during \nTargeted Advisory / Intervention / WIN / SEL blocks (if \navailable) based on the needs of their students and in the \nbalance of other opportunities for students to access grade-", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Targeted Advisory / Intervention / WIN / SEL blocks (if \navailable) based on the needs of their students and in the \nbalance of other opportunities for students to access grade-\nlevel core content, advanced learning, and specials \nalongside their English-proficient peers. Refer to the \nresource below for sample recommended schedules.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 20 of 36 \n \n\u25cf Part-time students (i.e., those attending for 1 or 2 remaining \ncredit requirements) who have fulfilled MassCore ELA \ngraduation requirements, and / or are only enrolled in BPS \nfor credit recovery or only online education (i.e., never \nphysically at a school building), will not be required to be \nscheduled for ESL. These students are typically over-age \nstudents who are balancing work and other adult \nresponsibilities. OMME highly recommends that these \nstudents have a direct connection with the Re-Engagement \nCenter and have a dedicated counselor that can assist them \nin creating an educational pathway that works best for their \nhome, family, and work obligations. Note: Schools may \nschedule these students for ESL if it will best support the \nstudent in meeting graduation requirements and their \nindividual needs. Regardless, schools should still be \nscheduling these students for core content classes with an", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "student in meeting graduation requirements and their \nindividual needs. Regardless, schools should still be \nscheduling these students for core content classes with an \nappropriately endorsed (SEI and/or Bilingual Endorsement) \nor ESL certified teacher.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 21 of 36 \n \n4B. ESL Instructional Types, Requirements, and \nRecommendations \nAll requisite ESL Instruction must occur during an ESL-Eligible \ncourse as designated by the BPS course catalog (e.g. reading, \nwriting, ELA, literacy / humanities). This is to ensure that ELs still \nhave equitable access to other grade-level core content and \nspecialty courses. \nRefer to the following tables for allowable types of ESL \ninstructional models. \n \nTABLE 4: ESL INSTRUCTIONAL MODELS FOR MLS IN K2-5/6 \nAll instructional models require an ESL licensed teacher during \nthe literacy/humanities block). \nStandalone ESL \u2014 For ELs in Gen Ed \n A standalone section is a scheduled class for ESL students \nwith an ESL licensed teacher. The student is not pulled out \nof classrooms to attend this class, it is a part of their student \nschedule (e.g., with an \u201cESL\u201d course title). An ESL licensed \nteacher must be the teacher of record of this classroom.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "of classrooms to attend this class, it is a part of their student \nschedule (e.g., with an \u201cESL\u201d course title). An ESL licensed \nteacher must be the teacher of record of this classroom. \nStandalone ESL is the recommended instructional model for \nML students with an ELD of 1-3 in grades K2-5 who are not \nassigned to an SEI language-specific or SEI Multilingual \nprogram. \nFor ELD 4-5: Standalone is an allowable option; however, \nrefer to the Embed ELA model as an alternative if the \nELA/homeroom teacher is ESL licensed.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 22 of 36 \n \nPush-In ESL \nPush-In ESL may be provided to ML students in Elementary \ngrades (K2 to 5) when the ESL teacher is coming into an \nELA/Humanities course (or via a co-teacher in the \nclassroom) to provide ESL services for a specific, small group \nof students within the same classroom while other students \ncontinue to receive content instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nAt a minimum, weekly common planning time for the ESL \nand classroom teachers should be provided. \nPull-Out ESL \nPull-Out ESL may be provided to ML students in Elementary \ngrades (K2 to 5) when a student is being taken out of an ELA \n/ Humanities course to receive ESL instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nEmbed Homeroom \u2014 ESL in formal SEI programs \nThis is an instructional type allowable ONLY for ML students", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "adhere to ESL grouping requirements when utilizing this \ninstructional method. \nEmbed Homeroom \u2014 ESL in formal SEI programs \nThis is an instructional type allowable ONLY for ML students \n(ELD 1-3) in SEI language-specific or SEI multilingual \nprograms at the Elementary grade level (K2 to 5/6). \nPlease see section 5 of this circular for additional \ninformation on the criteria for a BPS SEI eligible ELD 3. \nIn this model, students receive ESL instruction embedded \nduring their literacy time (course titles: Reading and \nWriting). Teachers providing this embedded ESL instruction \nmust be ESL licensed and are required to complete OMME \ndesignated PD on differentiation and lesson planning.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 23 of 36 \n \nEmbed ELA \u2014 ESL \nFor ML students with ELD levels 4 and 5 only, the \nrecommended instructional model for ESL is for ESL to be \nembedded in core ELA or literacy courses, only by an ESL \nlicensed teacher. Students at these ELD levels may be \ngrouped together. \n \n \nInclusion Teacher ESL Stipend per BTU CBA \nFor special education inclusion classrooms only that utilize a 1.0 \nteacher model, where the teacher is using 3 licenses (two of \nwhich are special education and ESL), this ESL-licensed teacher \nof record may agree to be stipended (45 minutes per day at the \nBTU contractual hourly rate) to provide ESL instruction for ELD 4-\n5 students that is embedded into the ELA or literacy block (ESL \nEmbed ELA). Alternatively, if the teacher does not agree to the \nstipend, ESL instruction for ELD 4-5 students must be provided \nby a separate ESL licensed teacher. All ML (ELD 1-5) students are", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Embed ELA). Alternatively, if the teacher does not agree to the \nstipend, ESL instruction for ELD 4-5 students must be provided \nby a separate ESL licensed teacher. All ML (ELD 1-5) students are \nentitled to receive ESL services regardless of the teacher/stipend \nmodel.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 24 of 36 \n \nTABLE 5: TYPES OF ESL INSTRUCTIONAL MODELS FOR MLS IN \nGRADES 6-12 \nESL \nInstruction \nType \nDescription (all instructional models require \nan ESL licensed teacher) \nStandalone \nESL \n \n\u25cf For ELD levels 1 to 3, this is the only \ncompliant instructional model for ESL service \ndelivery for students. \n\u25cf Standalone is an allowable option for which \nELD 4-5 students may be grouped together; \nhowever, refer to the Embed ELA mode \nbelow as the recommended instructional \ntype if the ELA teacher is ESL licensed. \nEmbed ELA \nESL in English \nLanguage Arts \n\u25cf For ML students with ELD levels 4 and 5 only, \nthe recommended instructional model for \nESL is for ESL to be embedded in core ELA or \nliteracy courses, only by an ESL licensed \nteacher. Students at these ELD levels may be \ngrouped together.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 25 of 36 \n \n4C. ESL Instructional Grouping Requirements \nThe following table represents allowable groupings of students \nfor ESL instruction. \nTABLE 6: ELEMENTARY AND SECONDARY ESL GROUPING \nACROSS ELD AND GRADE LEVELS \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nELD 1 \n\u25cf With fellow ELD 1 only \nacross two consecutive \ngrades; OR \n\u25cf With ELD 2 in one grade \nlevel \n\u25cf With fellow ELD 1 across \nmultiple grades; OR \n\u25cf With ELD 2 only in one \ngrade level \nELD 2 \n\u25cf With ELD 1 in one grade \nlevel; OR \n\u25cf With fellow ELD 2 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n\u25cf With ELD 3 only in one \ngrade level \n\u25cf With fellow ELD 2 only \nacross multiple grades; \nOR \n\u25cf With ELD 1 only in one \ngrade level; OR \n\u25cf With ELD 3 only in one \ngrade level \nELD 3 \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only, in \none grade level or across \nup to two consecutive \ngrades; OR", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "grade level \nELD 3 \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only \nacross multiple grades, \npreferably two \nconsecutive grade levels \n(e.g., in grades 9-10); OR", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 26 of 36 \n \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \n\u25cf With ELD 4 in one grade \nlevel \n\u25cf With ELD 4, in one grade \nlevel in a standalone \nsetting \nELD 4 \n\u25cf With ELD 3 in one grade \nlevel; OR \n\u25cf With ELD 5 in one grade \nlevel; OR \n\u25cf With fellow ELD 4 only \nacross two consecutive \ngrades \n\u25cf With ELD 3 in one grade \nlevel in a standalone \nsetting; OR \n\u25cf With ELD 5 in one grade \nlevel; OR \n\u25cf With fellow ELD 4 only \nacross multiple grades \nELD 5 \n\u25cf With ELD 4 in one grade \nlevel; OR \n\u25cf With fellow ELD 5 only \nacross two consecutive \ngrades \n\u25cf With ELD 4 in one grade \nlevel; OR \n\u25cf With fellow ELD 5 only \nacross multiple grades \nAllowable Exceptions: \nSEI Language \nSpecific or \nMultilingual \nProgram (ELD \n1-3) \n\u25cf ELD 1-3 of the same SEI \nprogram homeroom may \nbe grouped together for \nESL instruction* \n\u25cf This grouping is not \nallowable at the \nsecondary level. \nHILT for SLIFE \n\u25cf ELs, regardless of ELD", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "1-3) \n\u25cf ELD 1-3 of the same SEI \nprogram homeroom may \nbe grouped together for \nESL instruction* \n\u25cf This grouping is not \nallowable at the \nsecondary level. \nHILT for SLIFE \n\u25cf ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE \n\u25cf ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 27 of 36 \n \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nPrograms (4) program homeroom may \nbe grouped together for \nESL instruction. \nprogram homeroom may \nbe grouped together for \nESL instruction. \nMLWD (with \napproved ESL \nmodifications) \n\u25cf Refer to the ELSWD ESL \nModifications section for \nguidance. \n\u25cf Refer to the ELSWD ESL \nModifications section for \nguidance. \n*Subject to the terms of DOJ Paragraph 39e. \n \n \n \n4() The META Consent Decree defines BPS HILT for SLIFE \nprograms as \u201cself-contained, ungraded, elementary format \nclassroom with two teachers [Native Literacy Content teacher \nand ESL teacher] responsible for all instruction.\u201d Students in the \nprogram are typically ELD 1 but may be at an ELD 2 level as they \nprogress in their English language acquisition until meeting the \nexit criteria required by the consent decree. Therefore, students \nin this program model may receive ESL grouped in this manner.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 28 of 36 \n \n4D. Educator Licensure and Endorsement Requirements \nPlease Note: \nPer DESE (603 CMR 14.07 (3)), no EL student can be placed in \nclassrooms where the teachers lack the SEI Endorsement for two \nor more consecutive years. (5) \n\u25cf School Leaders are to keep detailed electronic records of all \nteachers who are in the process of obtaining the SEI or \nBilingual Education Endorsement and the pathway that \nthey are pursuing to meet this obligation. All ML (ELD 1-5) \nmust be assigned to core content (and vocational, if \napplicable) classrooms where the teachers are already \nendorsed or in a confirmed pathway. \n\u25cf When creating schedules, schools must take into \nconsideration teachers who are newly hired and who are \nreturning but lack the SEI endorsement. \n\u25cf It is recommended that students who have reclassified to \nFormer English Learner status be scheduled with SEI-\nendorsed teachers for their core content courses, especially", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "\u25cf It is recommended that students who have reclassified to \nFormer English Learner status be scheduled with SEI-\nendorsed teachers for their core content courses, especially \nat the start of their 4-year monitoring period. \n\u25cf For any SEI Language-Specific / Multilingual elementary \nteacher to provide embed HR ESL to students at ELD 1-3, \nthey must have both an ESL license and have completed \nOMME-approved training on differentiation of ESL and \nlesson planning, as part of the qualifications for this \nprogram, to ensure that the unique needs of students at \nELD levels 1-3 are met (DOJ Paragraph 39e). Please also \nreference the 2018-2021 BTU Collective Bargaining \n \n5The teacher in this instance would also be required to get the SEI \nendorsement.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 29 of 36 \n \nAgreement (p. 49 section 11) as it pertains to this \nrequirement. Teachers are expected to complete this \ntraining by the end of the school year. If the teacher has not \nsatisfied these requirements, the school must ensure an ESL \nlicensed teacher is scheduled to deliver the appropriate \nEnglish language development instruction to ML students \nfor the literacy portion of the day. \nThe following table outlines DESE educator licensure and \nendorsement requirements in order to instruct ML (ELD 1-5) \nstudents by job type.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 30 of 36 \n \nTABLE 7: TEACHER QUALIFICATION BY JOB TYPE \nJob Type Required \nQualification \nAdditional Information \nESL \nTeacher \nESL License Individuals who have completed and passed all \nrequisite coursework / requirements and are \nonly waiting for the state to administratively \ngrant the ESL license may also be assigned to \nteach ESL. \nCore \nContent or \nVocational \nTeacher \n(English) \nSEI \nEndorsement \n(Teacher) \n \nCore Content Teachers: \n\u25cf teachers of students with moderate or \nsevere disabilities; subject-area teachers in \nEnglish, reading or language arts; \nmathematics, science; civics and \ngovernment, economics, history, and \ngeography and early childhood and \nelementary teachers who teach such \ncontent. \nVocational (CVTE) Teachers: \n\u25cf For purposes of SEI, CVTE is defined as \nprograms approved under M.G.L. c. 74; \nprograms that meet the definition of career \nand technical education listed in the Carl D.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "\u25cf For purposes of SEI, CVTE is defined as \nprograms approved under M.G.L. c. 74; \nprograms that meet the definition of career \nand technical education listed in the Carl D. \nPerkins Career and Technical Education \nImprovement Act of 2006, 20 U.S.C. \u00a7 2302(5); \nand any other programs that may be \ndesignated by the DESE Commissioner such \nas automotive technology, carpentry, \nculinary arts, engineering, exploratory, \nmasonry, information technology, and any \nother subjects listed by DESE.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 31 of 36 \n \nCore \nContent or \nVocational \nTeacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \nCore Content and CVTE Teachers as defined \nabove who: \n\u25cf Instruct in the partner language of a formal \nBPS dual language program \n\u25cf Instruct in the partner language of a formal \nlanguage specific HILT for SLIFE program \n \nEvaluator \nof ML \nTeacher \n(English) \nSEI \nEndorsement \n(Administrator \nor Teacher) \nA principal, assistant principal, supervisor, or \ndirector (\"administrator\") who supervises or \nevaluates one or more core academic teachers \nof ML (ELD 1-5) students \nEvaluator \nof ML \nTeacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \n \nOR \n \nSEI \nEndorsement \n(Administrator \nor Teacher) \nEvaluators as defined above who supervise a \ncore academic teacher assigned to provide \ninstruction to an English Learner in a bilingual \nELE program \nSubstitute \nTeachers \nN/A If for any ESL or core content class, no teacher", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "core academic teacher assigned to provide \ninstruction to an English Learner in a bilingual \nELE program \nSubstitute \nTeachers \nN/A If for any ESL or core content class, no teacher \nis available who meets the qualifications to \ninstruct ML (ELD 1-5) students, school leaders \nshall, to the extent practicable, assign \nsubstitute teachers who are ESL-licensed for \nESL instruction or who are SEI or Bilingual \nEducation-endorsed (for core content classes). \n \nThe following table outlines DESE educator licensure and \nendorsement requirements in order to instruct ML (ELD 1-5) \nstudents by BPS ELE program model.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 32 of 36 \n \nTABLE 8: EXAMPLES OF LICENSURE REQUIREMENTS FOR \nPOSITIONS SERVING EL STUDENTS* \nProgram BPS \nTeacher \nTitle \nPosition \nDescription \nRequired \nLicensure \nPreferred \n \n \n \n \nBPS SEI \nSEI Multi-\nlingual \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 and varying \nnative languages \nContent area \nlicense & SEI \nendorsement \nESL License \nand SEI PD \nSEI + \n[Specific \nLanguage] \ne.g. SEI \nSpanish \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 of the same \nnative language \nContent area \nlicense & SEI \nendorsement \nESL \nLicense, SEI \nPD, and \nOral fluency \nin students\u2019 \nprimary \nlanguage \nESL ESL \nTeacher \n(incl. SLIFE \nESL) \nProvides ESL \ninstruction only \n(regardless of ELE \nprogram model) \nESL license \n \n \n \n \n \nBilingual \nTwo-Way + \n[Specific \nLanguage] \ne.g., \nBilingual \nServes multiple \nclassrooms to \nprovide periods of \ninstruction in a \nlanguage other", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "program model) \nESL license \n \n \n \n \n \nBilingual \nTwo-Way + \n[Specific \nLanguage] \ne.g., \nBilingual \nServes multiple \nclassrooms to \nprovide periods of \ninstruction in a \nlanguage other \nthan English \nContent area \nlicense & Bilingual \nEducation \nEndorsement (if \nteaching in native \nlanguage)", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 33 of 36 \n \nDual \nLang-\nuage/ \nTwo-way \nTwo-Way \nSpanish \n(complementary \nposition below) \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \nBilingual \nTwo-Way \nEnglish \nServes multiple \nclassrooms to \nprovide periods of \nEnglish \ninstruction to \nstudents \n(complementary \nposition above) \nContent area \nlicense & either SEI \nEndorsement or \nBilingual \nEducation \nEndorsement \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \n \n \nSLIFE \nSLIFE \nNative \nLiteracy \n(TBE) \nteacher \nProvides core \ncontent \ninstruction to \nSLIFE students in \nthe student\u2019s \nnative language \n(language other \nthan English) \nA Core Content \narea license & \nBilingual \nEducation \nEndorsement \n \n5. SY23-24 ELD AND ELP LEVELING GUIDANCE \nFor the 2023-2024 school year, the Office of Multilingual and \nMulticultural Education is continuing the transition of", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Bilingual \nEducation \nEndorsement \n \n5. SY23-24 ELD AND ELP LEVELING GUIDANCE \nFor the 2023-2024 school year, the Office of Multilingual and \nMulticultural Education is continuing the transition of \nMultilingual Learner students\u2019 English Language Development \nLevel (ELD Level) to Multilingual Learner students\u2019 English \nLanguage Proficiency Level (ELP Level). This shift aligns all", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 34 of 36 \n \nstudents\u2019 ELP levels with their WIDA ACCESS 2.0 scores and \naligns our guidance and policies for Multilingual Learner students \nand Multilingual Learner Education with the guidance and \npolicies of the Department of Elementary and Secondary \nEducation. The following table shows the updated ACCESS and \nAlt ACCESS score to ELP level crosswalk. \nTABLE 9: ACCESS SCORE CROSSWALK \n2022 ACCESS and Alt ACCESS \nScore Range \n \nSY 23-24 English Language \nDevelopment (ELD) / English \nLanguage Proficiency (ELP) \nLevels \nACCESS: 1.0 - 1.9 / ACCESS Alt: A1-P1 Level 1 (Foundational) \nACCESS: 2.0-2.9 / ACCESS Alt: P2 Level 2 (Foundational) \nACCESS: 3.0-3.4 / ACCESS Alt: P3 Level 3 (Foundational) \nACCESS: 3.5-3.9 / ACCESS Alt: P3 Level 3 (Transitional) \nACCESS: 4.0 - 4.9 Level 4 (Transitional) \nACCESS: 5.0-5.9 Level 5 (Transitional) \nACCESS: 4.2 with 3.9 literacy \n(i.e., meets state exit criteria) \nFormer EL \n \nPlease note:", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "ACCESS: 4.0 - 4.9 Level 4 (Transitional) \nACCESS: 5.0-5.9 Level 5 (Transitional) \nACCESS: 4.2 with 3.9 literacy \n(i.e., meets state exit criteria) \nFormer EL \n \nPlease note: \n\u25cf Annual program placement recommendations are based on \nstudents\u2019 ELP level, and OMME will assume the \nresponsibility of using the annual program notification form \nto notify parents of program placement.", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 35 of 36 \n \n\u25cf Consecutive year ELD 3 students will be automatically \nexited from BPS SEI Language Specific or Multilingual \nprogram placement if they currently occupy such a seat. \n\u25cb Per DOJ, consecutive year ELD 3 students may not be \ngrouped together with ELD 1-2 students for their ESL \ninstruction. \n\u25cf Transitional ELD 3 students (students who received an \nACCESS overall score of 3.5-3.9) will be automatically exited \nfrom BPS SEI Language Specific or Multilingual program \nplacement if they currently occupy such a seat. \n\u25cf Students who scored lower on their ACCESS test than their \nprevious ELD level will be held harmless. \n\u25cf Students who did not take the ACCESS or complete ACCESS \ndue to absence or other circumstance will retain their \nprevious ELD level. \n\u25cf Students who did not take all domains of ACCESS due to an \nSPD code will receive their appropriate levels and program \nplacements according to the policies listed above upon", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "previous ELD level. \n\u25cf Students who did not take all domains of ACCESS due to an \nSPD code will receive their appropriate levels and program \nplacements according to the policies listed above upon \nrelease of their ACCESS overall score by the state in early fall. \n\u25ba Resource: End of Year Leveling Guidance 22-23", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "content": "Superintendent\u2019s Circular CAO-05 \nPage 36 of 36 \n \nFor more information about this circular, contact: \nOwner: \nLinda Chen, Senior Deputy Superintendent of \nAcademics and Interim Assistant \nSuperintendent of OMME \nDepartment: Office of Multilingual and Multicultural \nEducation (OMME) \nMailing Address: Bolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: 617-635-9435 \nEmail: OMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-08 \nVersion 01 \n \n \n \nGRADING REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe spirit of this policy is to move away from the practice of \ngrading non-academic behavior and to the timely provision of \nmeaningful feedback to every family on every student\u2019s \nacademic progress. This policy is a critical part of propelling all \nstudents toward the Strategic Plan and School Committee goals \ncentered on college, career, and life readiness. As well, it will \nensure that grading practices are accurate, bias-resistant, \nmotivational, and coherent in the district, which will in turn \nensure the ability of our stakeholders to trust the district\u2019s \ncommitment to equity. This policy will provide accurate, \ndignifying feedback to every student about where they are \nacademically and what they need to be successful. As a vehicle \nfor closing opportunity and achievement gaps, the grading policy", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "dignifying feedback to every student about where they are \nacademically and what they need to be successful. As a vehicle \nfor closing opportunity and achievement gaps, the grading policy \nwill provide clear and comprehensive guidance that aligns to our \nteaching practices, family engagement, and student experience, \ngrounded in equity and research. With the School Committee's \napproval of this policy, the Academics and Schools divisions will \nwork in collaboration with our stakeholders this spring to finalize \nand enact an implementation plan that focuses on the adaptive \nwork ahead. \nThe Boston Public Schools will at all times maintain \nSuperintendent\u2019s Circulars that: (1) outline procedures for", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-08 \nPage 2 of 6 \n \n \nmaintenance of grades to ensure that they are accurate, timely, \nand aligned to DESE standards; (2) outline a common report card \nstructure and timeline for schools by grade span and program; \nand (3) outline allowable flexibilities. \nSeparately, as a companion to this policy, the district will develop \nand maintain detailed implementation processes in the form of \nSuperintendent\u2019s Circulars ensuring: \n1. Implementation of MassCore graduation requirements and \nwaivers \n2. Common GPA calculation and transcription processes \n3. A common process for promotion to the next grade level \n4. A common process for retention at the current grade level \n5. A common and public course catalog that details for \nstudents and families course of study options for all \nsecondary schools as well as course descriptions, credit, and \ngovernance \n6. An updated process and calendar for course creation. \nADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "secondary schools as well as course descriptions, credit, and \ngovernance \n6. An updated process and calendar for course creation. \nADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON \nPUBLIC SCHOOLS \nThe School Committee of the Boston Public Schools is \nresponsible for creating policies and practices that support the \npreparation of every student to be college, career, and life-ready \nand remove barriers that interfere with students graduating from \nBPS ready to succeed in the next stage of their lives. If we \nsupport BPS educators to effectively use culturally responsive \npractices, provide high levels of support, and adopt coherent \ngrading practices that are mathematically accurate, bias-\nresistant, and motivational for students, then we will see", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-08 \nPage 3 of 6 \n \n \nincreased student engagement, and grades that reflect student \nlearning. \nBPS will adopt the following policy for all students in the district. \nSpecifically, the following practices will be required of all \neducators in the district. \nPROPOSED: \nGrading Practice Why is it more equitable? \nAccuracy and timeliness Educators will ensure that term grades follow \nthe practices laid out in the BPS Grading Policy \nand are posted in Aspen by the closing date \naccording to the district grading calendar. \n\u201cNo Credit\u201d grades will \nno longer be given. \nAs an alternative, schools may mark a student \nwith an \u201cincomplete\u201d to enable equitable \nlearning recovery. \nIn all cases, a student not earning a passing \ngrade must be given the opportunity and \nresponsibility to equitably recover any learning \nloss or make up for the work missed within one \nmarking period. \nNo penalties will be \ngiven for late work.", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "grade must be given the opportunity and \nresponsibility to equitably recover any learning \nloss or make up for the work missed within one \nmarking period. \nNo penalties will be \ngiven for late work. \nDeadlines will be given for work, and we expect \nstudents to meet these expectations. Deadlines \nwill be explained to students. When a student \nturns in the assignment, it will be graded, and \nthe grade in ASPEN/SMS will reflect student \nmastery (not the tardiness of the work).", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-08 \nPage 4 of 6 \n \n \nGrading Practice Why is it more equitable? \nA minimum grading (50 \nfor an assignment on a \n0-100 scale) will be used. \n \nTeachers will determine minimum grades for \nassignments where the lowest possible grade is \nbalanced with the value of the highest grade. \nBest practices would include the \nimplementation of a consistent numerical \ngrading scale (0-4, 1-7, etc.) that aligns to GPA \nscale. \nDemonstration of \ncompetency in \nsummative tasks must \nmake up at least 80% of \nterm grades. \nGrades for assignments should be \nrepresentative of what students have \ndemonstrated in terms of their learning, and \nnot non-academic behaviors. \nStudents will receive \nconsistent feedback on \nassignments before \nstudents are formally \nassessed. \nTeachers are intentional about taking time to \ngive students clear and actionable feedback. \nStudents understand what the criteria for \nsuccess are for any given assignment and have", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "assessed. \nTeachers are intentional about taking time to \ngive students clear and actionable feedback. \nStudents understand what the criteria for \nsuccess are for any given assignment and have \nclear actions steps for getting there. We \nunderstand the importance of coherence in the \nways we provide feedback and are committed \nto making this an instructional focus for the \nupcoming school year to better support our \nstaff.", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-08 \nPage 5 of 6 \n \n \nGrading Practice Why is it more equitable? \nMiddle/High School: A \nconsistent, agreed-upon \nnumber of assignments \nper grade; and \nconsistent intervals for \ngrading updates in \nAspen/SMS. \nTeachers are expected to post at least one \nvisible grade on ASPEN/SMS every week for \nmiddle and high school students. \nElementary School: A \nconsistent approach \nacross all content areas \n(including speciality \nclasses) for providing \nstudents and families \nformative feedback \nroutinely. \nSchools serving elementary grades are required \nto have a consistent approach for providing \nstudents and families formative feedback \nweekly. Students are required to receive term \ngrades for Language Arts, Math, History/Social \nStudies, Science, and any specialty classes \noffered. \nAll grade levels Students may only receive a composite grade \nfor \u201cHumanities\u201d or \u201cSTEM\u201d or equivalent if the \ncourse is offered at the equivalent of a double", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "offered. \nAll grade levels Students may only receive a composite grade \nfor \u201cHumanities\u201d or \u201cSTEM\u201d or equivalent if the \ncourse is offered at the equivalent of a double \nblock. As well, students must receive formative \nand summative feedback on both grade level \nlanguage arts and history/social studies or math \nand science concepts and meet all the \nrequirements above.", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-08 Grading Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-08 \nPage 6 of 6 \n \n \nFor more information about this circular, contact: \nOwner: Elementary Superintendent \nDepartment: Academics and Professional Learning \nMailing Address: 2300 Washington St. Roxbury, MA 02119 \nPhone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-25 \nDATE: \nVersion 01 \n \nGUIDELINES FOR INTERNATIONAL FIELD TRIPS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that \ncould impact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(kdorseytwumasi2@bostonpublicschools.org) for \nassistance/guidance. \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \n\u25cf This circular should be read AFTER the Superintendent\u2019s \nCircular CAO-22, General Guidelines and Procedures for All \nField Trips, as additional guidelines are outlined there. \n\u25cf The principal/head of school (and/or the district", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Circular CAO-22, General Guidelines and Procedures for All \nField Trips, as additional guidelines are outlined there. \n\u25cf The principal/head of school (and/or the district \ndepartment lead sponsoring the trip) are responsible for \nensuring that all field trip policies and procedures as \noutlined in this circular and others are adhered to. \n\u25cf As soon as a trip opportunity becomes known, contact the \nDepartment of Global Education for support throughout \nthe planning process. The principal/head of school (and/or", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 2 of 104 \nthe district department sponsoring the trip) and the \nprogram leader (lead chaperone) must review and \ncomplete checklists for this circular throughout the \nplanning process. Signed checklists must be kept on file at \nthe school. \nPLANNING PROCESS \nInternational Field Trip Program: An international field trip \nprogram is any trip off school grounds that involves travel to a \nlocation outside of the United States. International field trips \nmust be planned at least a year in advance to maximize \naffordability and fundraising efforts, and when possible, \nscheduled during non-school time (i.e., school vacations, and \nsummer). NEW: BPS international field trip programs require \nexecution by a reputable travel vendor and will require a vetting \nprocess by the Department of Global Education and BPS legal. \nTravel to \u2018U. S. Territories, including Puerto Rico, the United States \nVirgin Islands, Guam, American Samoa, and Northern Mariana", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "process by the Department of Global Education and BPS legal. \nTravel to \u2018U. S. Territories, including Puerto Rico, the United States \nVirgin Islands, Guam, American Samoa, and Northern Mariana \nIslands are covered under international travel insurance. Travel to \nthese territories is subject to some forms and requirements in the \nCAO-25 International Field Trip guidelines, but only require \nPrincipal/Head of School approval. Consult with the Department \nof Global Education for required forms for these destinations. \nAPPROVAL PROCESS \n\u2022 STEP 1: Interest Form & Consultation: \nAs soon as a trip opportunity becomes known, or there is \ninterest in an international travel program, teachers must \ncomplete an Interest Form from the Department of Global \nEducation, and inform their principal/head of school.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 3 of 104 \nContact the Department of Global Education for support \nand guidance with the CAO-25 application, and throughout \nthe planning process. No arrangements should be made, \nmeetings held, payments, or deposits made without \nconsultation with the Department of Global Education and \nformal application approval from the Superintendent. \n\u2022 STEP 2: CAO-25 Application \nAfter consulting with the Department of Global Education \nand head of school, the CAO-25 application shall be \nsubmitted to the Director of Global Education no less than \n10-12 months before departure. The proposal and official \napplication must be completed, reviewed by the \nprincipal/head of school, and endorsed with an official letter \nfrom them. The application then requires approval by the \nDepartment of Global Education, which will then seek \napproval from the appropriate district leaders, before \nobtaining final approval from the Superintendent. Again, No", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Department of Global Education, which will then seek \napproval from the appropriate district leaders, before \nobtaining final approval from the Superintendent. Again, No \narrangements should be made, payments or deposits \nplaced without approval first from the Superintendent. You \ncannot gauge student interest or engage with families \nwithout program approval. District leadership and/or the \nSuperintendent may have questions about your application \nor ask that aspects of the proposal be changed or removed. \n\u2022 STEP 3: Approval \nOnce the CAO-25 application is approved by the \nSuperintendent, in consult with your principal/head of \nschool, you may begin to promote the international \nprogram to students, families, and your school community. \nShould your itinerary, roster, or any other aspect of your \napproved application package change, you must notify the", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 4 of 104 \nDepartment of Global Education in writing as soon as \npossible. \nSAFETY PREPAREDNESS \n\u2022 Travel Advisories/Warnings: Travel to countries cited as a \nLevel 3 or 4 in the United States Department of State Travel \nWarning Listing or the Center for Disease Control (CDC) are \nprohibited. For countries listed as a Level 2, consult the \nDepartment of Global Education in advance. The Boston \nPublic Health Commission and Department of Global \nEducation will continue to monitor country destinations for \nsafety. The program leader, principal/head of school are also \nresponsible for checking the State Department and CDC \nthroughout the trip planning process as levels change. \nPlease note: The Superintendent reserves the right to cancel \nany field trip up to and including the day of departure to \nmanage risk. \n\u2022 Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international BPS", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "any field trip up to and including the day of departure to \nmanage risk. \n\u2022 Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international BPS \nsponsored trips for BPS students, BPS staff participants, and \nchaperones. On Call will serve as the primary source for \nmedical insurance while abroad. However, in some cases, if \na hospital visit is required, students may be required to pay \nout of pocket, and be reimbursed by On Call later. Families \nwill want to budget for this just-in-case expense. \nThe On Call insurance policy does NOT include cancellation \nor trip interruption insurance should the trip be canceled or \ninterrupted for any reason other than medical. \nCancellation/interruption must be due to the traveler \ngetting sick, injured, or someone in the traveler\u2019s immediate", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 5 of 104 \nfamily being sick, injured, or death. Students/Families would \nneed to show proof of a sickness/injury and the \nsickness/injury must be so disabling as to cause them to \ncancel/interrupt their trip. If there is a sickness/death for \ntheir family member they would need to show proof of that \ntoo. Save all receipts for flights/lodging for reimbursement \npurposes and a claim form would need to be filled out. \nFamilies will need to know in advance that Trip Cancellation \nhas a $2,000 limit, and Trip Interruption has a $2,500 limit. \nAgain, the superintendent reserves the right to cancel a trip \nfor any reason and at any time for safety purposes\u2013Cancel \nfor Any Reason Insurance (CFAR) is NOT provided by the \ndistrict. Therefore, all trip participants are strongly \nencouraged to purchase their own (CFAR) insurance to \nprotect their trip investment. \nOn Call International provides overseas evacuation", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "district. Therefore, all trip participants are strongly \nencouraged to purchase their own (CFAR) insurance to \nprotect their trip investment. \nOn Call International provides overseas evacuation \ninsurance (enabling students who become seriously ill or for \nwhom there is some kind of emergency to be returned to \nthe United States). On Call International must coordinate, \napprove, and perform the evacuation. Emergency family \ntravel arrangements are covered up to a limit if the traveler \nis hospitalized for 2 or more days. \n\u2022 Informed Parental Consent, Associated Risks, and \nIndemnity: Families must sign the customized Informed \nParental Consent, Associated Risks, and Indemnity form \nexplicitly developed for their travel program by the director \nof Global Education and BPS Legal in collaboration with the \nprogram leader. The program leader is responsible for \ninitiating this form based on a template provided from the \nDepartment of Global Education.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 6 of 104 \n\u2022 District Training: Program leaders must attend training for \neffective in-field risk management and response practice. \nThis training is offered by the district once per year. Please \nemail the Department of Global Education for details. If you \nmiss the training, you must schedule a meeting with DGE to \nsupplement. \no While this training is mandatory for program leaders, it \nis recommended that one additional chaperone from \nthe team attend the training with the program leader. \nHowever, in cases where other chaperones (non-\nprogram leaders) are not able to attend the in-person \ntraining (due to budget, space, or scheduling), it is \nexpected that they will receive training and \ninformation from pre-travel meetings/virtual webinars, \nand guidance from the Department of Global \nEducation and program leader in preparation for their \nrole. All chaperones will be required to review this", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "and guidance from the Department of Global \nEducation and program leader in preparation for their \nrole. All chaperones will be required to review this \ndocument and participate in pre-travel meetings with \nthe Department of Global Education. \no CPR & First Aid: At least two chaperones (including the \nprogram leader) must hold valid CPR AND first aid \ncertification. The district will offer this training at least \nonce per year for program leaders. Please email the \nDepartment of Global Education for details. Ensure the \navailability of a first aid kit/supplies from the \nDepartment of Global Education. Verify emergency and \nmedical information and contact details. \n\u2022 STEP Program: Program leaders, or parents must register \nstudents and chaperones through the U.S. State \nDepartment\u2019s STEP (Smart Traveler Enrollment Program) \nprogram. If you have non-U.S. citizens traveling with your", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 7 of 104 \ngroup, contact their respective embassies to see what \nservices they would provide these individuals in the event of \nan emergency. U.S. embassies abroad do not necessarily \nassist non-U.S. citizens in emergencies overseas. \n\u2022 Transportation: School buses or BPS approved \ntransportation vendors\u2019 vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be \nutilized to transport students to and from field trips or \nathletic events, except in the case of a bona fide medical \nemergency. Refer to TRN-03 and CAO-22 for information \nand regulations on field trip transportation. \n\u2022 Itineraries: Upon advance review of itineraries, BPS reserves \nthe right to deny schools to participate in field trip activities", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "and regulations on field trip transportation. \n\u2022 Itineraries: Upon advance review of itineraries, BPS reserves \nthe right to deny schools to participate in field trip activities \non their itinerary where the risks of the activity outweighs \nthe intended learning outcomes of the program. The \nprogram leader, in collaboration with the chaperone team, \nare required to submit a risk analysis for each part of the \nprogram that identifies the top 5 risks/concerns associated \nwith the program. \nGOVERNMENT RESOURCES TO SUPPORT PREPARATION \n\u2022 U.S. State Dept. Travel: www.travel.state.gov \n\u2022 Overseas Security Council: \nhttps://www.osac.gov/Pages/Home.aspx \n\u2022 U.S. State Dept. Passport Application: \nhttp://travel.state.gov/passport/", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 8 of 104 \n\u2022 U.S. State Dept. Medical: \nhttp://travel.state.gov/content/passports/english/go/checklis\nt.html#checklist_parentitem_1 \n\u2022 U.S. Embassies Abroad: www.usembassy.state.gov \n\u2022 Visa Req. for U.S. Citizens Abroad: \nhttp://travel.state.gov/content/visas/english/general/america\nns-traveling-abroad.html \n\u2022 Center for Disease Control Traveler\u2019s Health: \nhttp://wwwnc.cdc.gov/travel/destinations/list.aspx \n\u2022 U.S. Customs & Border Protection: http://www.cbp.gov/ (877-\n227-5512) \nMEDICAL PREPARATION FOR SAFE TRAVEL \n\u2022 Doctor\u2019s Visit: Prior to the trip, all students and chaperones \nmust inform their primary care doctor/travel clinic doctor of \ntheir trip location and have had a recent doctor\u2019s visit and \nphysical exam prior to departure. If any student has a \nserious medical or mental health condition, please be sure \nthat their doctor writes a letter indicating that the child may \nsafely attend and participate in trip activities. There are", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "serious medical or mental health condition, please be sure \nthat their doctor writes a letter indicating that the child may \nsafely attend and participate in trip activities. There are \ncertain locations in the world where entry requires specific \nvaccinations, immunizations, and medications necessary for \nhealthy travel--in those cases--all participants will be \nrequired to obtain those vaccinations, immunizations, and \nmedications. \n\u2022 Medical Documentation: Chaperones must document and \ncarry all students\u2019 medical information, including any \nspecialized immunizations or medications required by their \ndoctors for travel. Participants are also required to list all", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 9 of 104 \nmedications that might be prescribed with this particular \nprogram in mind along with the other medications that \nthey may take regularly. Program leaders should send a \nfinal email to all participants to check on additional \nmedications added before departure. \n\u2022 School Nurse & Counselor Review: The program leader \nmust consult with the school leader to determine if, and \nwhat type of medical assistance is needed for participating \nstudents. To ensure accessibility, this step is crucial, and \nmust take place before the field trip is secured. For \nadditional questions, please consult the Health Services \nDepartment. Additionally, to thoroughly support a student's \nparticipation in a field trip, at least six weeks before \ndeparture (much longer for international and overnight field \ntrip programs), consult with and, when necessary, receive \ntraining from the school nurse regarding any students who", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "departure (much longer for international and overnight field \ntrip programs), consult with and, when necessary, receive \ntraining from the school nurse regarding any students who \nhave medical needs. Also consult with the school counselor \nregarding mental and behavioral health needs. If any \nstudent has a serious medical or mental health condition, be \nsure that their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip \nactivities. Keep this document on file with other key \npermissions slips and medical forms. \n\u2022 Nurse Verification Form: Review all students\u2019 medical forms \nwith the school nurse and guidance counselor to ensure all \ndocuments are completed and to be sure you are in the \nstrongest position to support each student\u2019s health while \nabroad. School nurses and counselors do not \u201cclear\u201d \nstudents for travel but will provide chaperones with", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "strongest position to support each student\u2019s health while \nabroad. School nurses and counselors do not \u201cclear\u201d \nstudents for travel but will provide chaperones with \nguidance in supporting students while traveling. Consult", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 10 of 104 \nwith, and when necessary, receive training from and obtain \nwritten comments from the school nurse regarding any \nstudents who have expressed medical needs. Complete and \nsubmit the Nurse Verification form to the Department of \nGlobal Education. \nCHAPERONE CRITERIA \n\u2022 Role of the Program Leader (Lead Chaperone): The \nselection and approval of all chaperones is conducted by the \nprincipal/head of school. The program leader is a BPS \nemployee and the lead chaperone organizing and leading \nthe trip. The program leader is required to have experience \nleading, or co-leading BPS students (or students from \nanother district) abroad previously and has the full support \nand approval of the principal/head of school to do so. The \nprogram leader leads the entire school team and is the main \nrepresentative of the group and district while abroad. The \nprogram leader is responsible for ensuring all guidelines in", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "program leader leads the entire school team and is the main \nrepresentative of the group and district while abroad. The \nprogram leader is responsible for ensuring all guidelines in \nCAO-22 and CAO-25 are followed and keeping the \nprincipal/head of school and the district informed of trip \ndevelopments. The program leader is responsible for \ncompleting the International Field Trip Request Form and \naccompanying documents that are submitted to the \nprincipal/head of school and Department of Global \nEducation for approval. The program leader is also \nresponsible for organizing the chaperone team, student \nteam, and pre-departure meetings. \n\u2022 Chaperone Selection: Every adult on the trip must be a \nchaperone and have a clear role.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 11 of 104 \no Diverse Strengths: Choose a chaperone team \npurposefully and wisely, considering strengths and \nwhat each chaperone can contribute to the overall \nexperience. The goal is to have a well-rounded team of \nchaperones from different areas. We recommend that \nat least one member of the chaperone team \u2014 if not \nthe program leader \u2014 speak the local language of the \ncountry visited. For example, consider chaperones who \nhave visited the country before, and one who speaks \nthe local language. Additionally, consider chaperones \nwho are subject matter experts in the topic being \nexplored, or who have professional medical/social \nemotional health experience. Efforts should be made \nfor chaperones to be representative of the student \ngroup and include males and females where relevant. \no Knowledge of Students: The selection and approval of \nchaperones by the principal/head of school should also", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "group and include males and females where relevant. \no Knowledge of Students: The selection and approval of \nchaperones by the principal/head of school should also \nbe based on the individuals\u2019 knowledge of, and rapport \nwith, most of the student participants. \n\u2022 Chaperone Ratios: For international programs, the student-\nto-chaperone ratio is 7:1, with a two-chaperone minimum. It \nis recommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to \nparticipate at the last minute or must leave the field. The \nreserve chaperone should have a valid passport and visa to \ntravel to the destination. Tour guides and employees of \nthird-party vendors contracted to help operate the trip are \nnot considered chaperones, and do not factor into the \nstudent to chaperone ratio. All BPS and non-BPS \nchaperones are required to sign the Chaperone Agreement \nform. Refer to CAO-22 for additional chaperone criteria.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 12 of 104 \n\u2022 Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form online. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the \nlead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. \n\u2022 BPS Employee Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL of the student \nparticipants. If a BPS chaperone\u2019s child who does not attend", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "parents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL of the student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild\u2019s participation. \nPASSPORTS & VISAS \n\u2022 Check Student & Chaperone Passports: During the \nrecruitment process, physically check all students\u2019 passports \nwell before your travel date to ensure that they are valid for \ntravel and will be valid at least six months after your return \ndate. Students must renew or apply for a first-time passport \nas soon as possible as the process can be lengthy.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 13 of 104 \n\u2022 Non-U.S. Passports: Determine who holds a non-U.S. \npassport. There are many countries that do not require U.S. \npassport holders to have a visa but require them for NON-\nU.S. passport holders. There are also countries that might \nrequire Americans to obtain a visa but do not require one for \na non-U.S. passport holder. Identify the countries from \nwhich your travelers hold passports, as they might be \nquestioned in customs or might have to contact other \nconsulates if they lose their passports abroad. *Also plan for \ndelays at border control at the airport for non-US passport \nholders. \n\u2022 Visa Requirements: Research if your destination requires a \nvisa. Every country has a different application and timeline \nfor obtaining a visa. \n\u2022 Parent Passports: Encourage parents to obtain valid \npassports and visas should they need to travel to the \ncountry for their child during an emergency.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "for obtaining a visa. \n\u2022 Parent Passports: Encourage parents to obtain valid \npassports and visas should they need to travel to the \ncountry for their child during an emergency. \n\u2022 Copy Passports: Copies of student and chaperone passports \nand visas must be left with families, and the principal/head \nof school.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 14 of 104 \nSTUDENT ACCESSIBILITY, PARTICIPATION, AND CONDUCT \nStudent Participation: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit friends, \nrelatives etc., and rejoin the group. Students must remain with \nthe group at all times. \n\u2022 Essential Participation Criteria: Before student recruitment \nbegins, the program leader and principal/head of school \nshall work together to establish essential participation \ncriteria for the trip that informs students and parents of the \nprogram objectives, all of the activities and risks associated \nwith each itinerary activity, and trip location, to determine \nwhat accommodations or modifications may need to be \nmade for students to successfully and safely participation in \nall or portions of the trip. \n\u2022 Student Recruitment: By default, any program is open to all", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "made for students to successfully and safely participation in \nall or portions of the trip. \n\u2022 Student Recruitment: By default, any program is open to all \nstudents. However, there may be programs that are specific \nto certain students (i.e., class, club, team, grade level specific \ntrips) with the consultation of the program leader and head \nof school that keeps in mind financial accessibility, diversity, \nand equity. The recruitment process must be transparent \nand fair. The chaperone team must create an environment \nand structures to support all students. Trips must be \nadvertised to all students (within the school, particular \ngrade, class, or program associated with the trip), regardless \nof their financial situation. If there is a formal process for \nbeing enrolled on your trip, such as an application, it must \nfirst be approved by the head of school and have a clear \nrubric that demonstrates the essential criteria for an", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "being enrolled on your trip, such as an application, it must \nfirst be approved by the head of school and have a clear \nrubric that demonstrates the essential criteria for an \napplicant. A student\u2019s ability to pay may not be a criterion", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 15 of 104 \nfor field trip participation. If a student is denied admission to \na trip, be prepared to speak to the student, administration, \nor family if there are questions about your selection process. \nKeep a record of all applications and decisions made. \nAccessibility \n\u2022 Field Trip Location Selection: Program leaders must \nconsider their student demographics when selecting field \ntrip locations, sites, and activities. The location of the trip \nmust tie directly to the objectives and learning outcomes of \nthe program. Specifically, determine the impact the \nlocations, sites, and activities that may have on diverse \npopulations such as students of color, ELL students, \nstudents who identify with the LGBTQIA+ community, \nstudents with disabilities, those who may be in the minority \nduring your field trip experience, and those students who \nbelong to groups that have experienced marginalization in", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "students with disabilities, those who may be in the minority \nduring your field trip experience, and those students who \nbelong to groups that have experienced marginalization in \nthe location being visited. Program leaders must work to \nprepare students for sensitive experiences and ensure that \nthe program is safe and inclusive for all students. Consult \nthe Department of Global Education for resources if needed. \n\u2022 Access and Inclusion: Students with English Language \nLearner status, 504 plans, and/or IEPs cannot be denied \naccess to field trips due to their ability. It is the responsibility \nof the school to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent\u2019s Circular SHS-08 Medication \nAdministration for information about medical dispensation \non field trips. Participating students\u2019 IEP or 504 plan shall be", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 16 of 104 \navailable to any staff coordinating and/or participating in \nthe field trip to meet the child\u2019s needs. \n\u2022 Student Health: If a student has a serious medical or mental \nhealth condition, please be sure that their doctor is \ninformed of the essential participation criteria and location \nof the trip and writes a signed letter on letterhead indicating \nthat the child may safely attend and participate in trip \nactivities. The program leader must keep this document on \nfile with other key permissions slips and medical forms. \nAgain, also consult with your school nurse at least 6 weeks \nin advance. \n\u2022 Inclusive Accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "gender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents (e.g., airline ticket, passport) \nreflect their legal names as listed on government issued \nidentification, while all unofficial documents and materials \nmay reflect the student\u2019s preferred name. Please view \nadditional rooming guidelines from the Office of Equity. \nCONDUCT \nThe BPS Code of Conduct applies on all field trips. BPS students \nand parents are required to sign a BPS Student Traveler & Family \nAgreement Form regarding student conduct while participating \nin a BPS sponsored field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school and", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 17 of 104 \nCentral Office staff, determines that a student\u2019s conduct while on \nan overnight trip poses a risk to themselves or the safety of the \ngroup, or is no longer manageable by BPS staff in the field, the \ndistrict reserves the right to request and arrange for that student \nto return home. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the costs \nassociated with their child\u2019s return. Students may be subject to \nfurther disciplinary action and will be provided the opportunity to \nhave a formal hearing at the school level upon return. The school \nmust document the parent/guardian\u2019s consent of this policy prior \nto the trip. \n\u2022 Dismissal Transportation Protocol: If a student is to be \ndismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "dismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal/head of school or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \nProgram leaders must inform families of this protocol at or \nbefore initial promotional meetings. \n\u2022 Pre-departure Program Dismissal: In the event a student is", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Program leaders must inform families of this protocol at or \nbefore initial promotional meetings. \n\u2022 Pre-departure Program Dismissal: In the event a student is \nto be dismissed from an international field trip program \nbefore departure, a Pre-departure Incident Report must be", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 18 of 104 \nsubmitted to the Department of Global Education (DGE). A \nchaperone cannot dismiss a student from a trip without \napproval from the principal/head of school. The \nprincipal/head of school must approve the recommendation \nfor dismissal by signing the pre-departure incident report. \nThe report should then be filed with the DGE, who will \nreview and file the report. Any loss of fees or deposits \nassociated with early dismissal will be absorbed by the \nfamily, which must be communicated before any deposits \nare made by families. Program leaders must inform families \nof this protocol at or before initial promotional meetings. \nPRE-DEPARTURE MEETINGS \n\u2022 Student Meetings: Program leaders must conduct at least \nthree (more are recommended) student meetings before \ndeparture. This does not include the mandatory parent \nmeeting; however, students should be encouraged to \nattend the parent meeting as well. Meetings should review", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "departure. This does not include the mandatory parent \nmeeting; however, students should be encouraged to \nattend the parent meeting as well. Meetings should review \nlogistics and prepare students to be mindful, healthy, \nresponsible, and safe travelers. Most programs hold many \nmore meetings to prepare students for the challenges and \nrewards of the travel experience. \n\u2022 Parent Meetings: Program leaders must conduct at least \none (more are recommended) parent/guardian meeting \n(with each family, or all families together). This does not \ninclude the initial meeting to promote the trip. Please note \nthat if traveling to a Level 2 destination issued by the Center \nfor Disease Control (CDC) or State Department, the program \nleader is required to inform parents of the medical or safety \nconcerns and precautionary plan. Please consult with the \nDepartment of Global Education before this meeting. For", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 19 of 104 \ninformation on staying healthy while traveling, go to the \nCDC page on Travelers\u2019 Health/Medical Tourism. Your entire \ngroup and their families must attend a mandatory \ninformation session. All chaperones should be present and \nplay a role in this meeting. \n\u2022 Meeting Topics: During pre-departure meetings, the \nfollowing topics must be reviewed (others may be discussed \nat the lead chaperone\u2019s discretion): \n\u25cb Trip\u2019s educational purpose \n\u25cb Behavior expectations \n\u25cb Detailed itinerary \n\u25cb Review of country landscape (health, cultural norms, \nsafety, and security) \n\u25cb Insurance coverage \n\u25cb Required travel documents \n\u25cb Packing list \n\u25cb Communication plan and emergency contact \ninformation \n\u25cb Transportation plans and logistics \n\u25cb Review and collect permission forms \n\u25cb Meals and accommodations \n\u25cb In-country transport (be specific, as modes of transport \nvary country to country) \n\u25cb Expectations for in-country expenses and procedures", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "\u25cb Meals and accommodations \n\u25cb In-country transport (be specific, as modes of transport \nvary country to country) \n\u25cb Expectations for in-country expenses and procedures \nto exchange money, if applicable \n\u25cb Passport and visa requirements, if applicable \n\u25cb Program provider documents. \nContact the Department of Global Education for sample meeting \nagendas and templates and support with meeting agendas. \nImportant Meeting Notes:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 20 of 104 \n\u25cf Document parent/family attendance. \n\u25cf Utilize zoom meetings when necessary. \n\u25cf Develop a plan for families who may need translation \nservices at the meeting; students should not serve as their \nparent/guardian\u2019s translator. \n\u25cf If a parent/guardian is unable to attend a meeting, at least \none trip chaperone (who is a BPS employee) must \nphysically meet with the parent/guardian about the trip \nbefore taking the student abroad. Document this private \nmeeting for your records. \nChaperone Team Meetings: \nProgram leaders must conduct at least three pre-departure \nchaperone team meetings. Meeting topics to include: \n\u25cb Assign chaperone roles for pre, during, and post trip; \n\u25cb Review Emergency Action Plan (EAP) and insurance \ncoverage; \n\u25cb Student paperwork (Binders) \n\u25cb Participants \n\u25cb Student Code of Conduct Agreement \n\u25cb The Pre-Departure Incident Report and the incident \nreport form for while on the trip", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "coverage; \n\u25cb Student paperwork (Binders) \n\u25cb Participants \n\u25cb Student Code of Conduct Agreement \n\u25cb The Pre-Departure Incident Report and the incident \nreport form for while on the trip \n\u25cb For non-BPS employee chaperones, review their \nknowledge of BPS policies and chaperone expectations \n\u25cb Review detailed itinerary \n\u25cb Distribute responsibilities \n\u25cb Map out plans that include movement from one place \nto another and program transitions. \n\u25cb Determine if there are any students who require extra \nsupport, or physical/medical accommodations", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 21 of 104 \n\u25cb Review with the team any recommendations, advice, \nor instructions that you have received from the school \nnurse, guidance counselor, parent, or primary care \ndoctor. \nNon-BPS Chaperones: \nAlong with CORI/SORI clearance they must schedule a \nconsult with the Department of Global Education at least 8 \nweeks prior to departure and attend at least one pre-trip \nparent meeting and at least one student meeting. \nAll non-BPS chaperones must know the details of the trip, \nthe Emergency Action Plan (EAP), the BPS Code of Conduct, \nand other district and school-based rules. The program \nleader must be sure all non-BPS chaperones understand \nBPS rules and schedule a consult with the Department of \nGlobal Education. \nCOMMUNICATION PLAN \n\u2022 International Phone Service Coverage: Program leaders \nmust have international cell phone coverage for the \nduration of the trip for communication with BPS and", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "COMMUNICATION PLAN \n\u2022 International Phone Service Coverage: Program leaders \nmust have international cell phone coverage for the \nduration of the trip for communication with BPS and \nfamilies in the event of an emergency. This cell phone must \nbe on at all times so you may be contacted in case of an \nemergency. If this is not possible due to your location, please \narrange a communication plan with your principal/head of \nschool and the Department of Global Education. If such \ninternational coverage requires you to purchase an \ninternational plan or to accrue additional costs due to the \ntrip, please submit your receipts to the BPS Finance Office \nfor reimbursement. Program leaders must also carry the \nphone numbers for the principal/head of school or", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 22 of 104 \nsponsoring district department, and the Department of \nGlobal Education. You are required to call your head of \nschool and the Department of Global Education anytime \nthere is an emergency. \n\u2022 District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment, and the Director of Global Education prior to \ndeparture. The director of Global Education will initiate a \ngroup chat with the program leader, and head of school on \nWhatsApp. You must check in with the Director of Global \nEducation via phone, text (download WhatsApp for free for \nmessaging), or email upon arrival, every 48 hours, whenever \nthe itinerary significantly changes, whenever you expect to \nlose cell/email coverage, upon departure, and upon safe \nreturn. You MUST check in via phone call to your Head of \nSchool and the Department of Global Education when there \nis an incident.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "lose cell/email coverage, upon departure, and upon safe \nreturn. You MUST check in via phone call to your Head of \nSchool and the Department of Global Education when there \nis an incident. \n\u2022 Definitions of communication types and expectations:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 23 of 104 \n \nGreen Communication: No immediate concern. \nProgram leader: Notifies head of school and on-call BPS \nstaff about arrival, departure, changes in itinerary, loss of \nconnectivity, highlights of programs, photos. *Check in daily \nvia text, phone call, email. \nYellow Communication: A Yellow Call is a reportable situation or \nevent, but no threat to life, limb, eyesight, or potential for severe \nemotional trauma. The incident is managed effectively in the \nfield by program leader, but could devolve to a serious or critical \nincident, and requires attention from BPS on-call staff. \nProgram leader: (1) Notifies Head of School and on-call BPS \nstaff; (2) Documents Incident SOAP Report (3) Monitors (4) \nUpdates on-call BPS staff \nRed Communication: Critical, violent time sensitive incident, \nillness, injury; or event that resulted in loss or potential loss of life, \nlimb, eyesight. Student disciplinary violations.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Red Communication: Critical, violent time sensitive incident, \nillness, injury; or event that resulted in loss or potential loss of life, \nlimb, eyesight. Student disciplinary violations. \nRequires IMMEDIATE RESPONSE of program leader: (1) \nAlerts appropriate local medical care, local law enforcement, \nand/or shelter, triggers insurance support if able to do so. (2) \nNotifies head of school and on-call BPS staff; (3) Documents \nIncident SOAP Report (4) Monitors (5) Updates head of \nschool and on-call BPS staff \nRefer to BPS International Field Trip Communication Plan for \nmore information. \n\u2022 Communication with Families: Set expectations regarding \ncommunication during travel between chaperones/student", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 24 of 104 \ntravelers and the principal/families. Families must know \nwhom to call 24/7 in case of an emergency. If you need \nsupport in family communication before, during, and after \nthe trip, contact the Department of Global Education. \n\u2022 Communication with Students: Set and remind students \nand families of the expectations for social media usage \nwhile abroad. Discuss what is, and is not acceptable for \nposting, recording, and sharing on social media. Make clear \nthe boundaries, confidentiality, and privacy of other \nstudents, staff members, and visiting communities as it \npertains to social media footage. These expectations should \nbe discussed several times during the pre-departure \nmeetings and while in the field. *Remember that the BPS \nCode of Conduct is applicable. \nDOCUMENTATION & FORMS \n\u25cf Documents for Students & Families: Prepare, distribute to, \nand collect from each participating student and chaperone \nthe following:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Code of Conduct is applicable. \nDOCUMENTATION & FORMS \n\u25cf Documents for Students & Families: Prepare, distribute to, \nand collect from each participating student and chaperone \nthe following: \n\u25cb Parental Authorization for International Field Trip form \n\u25cb Medical Information Form \n\u25cb Medication Administration Form \n\u25cb Chaperone Agreement Form \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Student Support for Field Trip Travel Form \n\u25cb Any Parental Waivers associated with your program. \n\u25cb If applicable, prepare, distribute, and collect the \nNotarized Parent/Guardian Airline Travel Consent \nForm. (Some countries, airlines, and travel companies", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 25 of 104 \nrequire this. Research your particular trip to see if this \napplies.) \n\u25cb If your program includes a homestay, refer to CAO-26 \nHomestay Guidelines for required forms. \n\u25cf Documents to Submit to Central Office Approval: The \nfollowing documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation for the program to be reviewed, and the \nnecessary signatures obtained for approval. You must send \nyour completed application to the Department of Global \nEducation for review and feedback prior to final submission. \nBelow is an overview of the required documents. A more \ndetailed list is included in the application section of this \ncircular. \n\u25cb CAO-25 International Field Trip Request Form (with \noriginal signature of the Headmaster/Principal or \nsponsoring District Department, and Program Leader) \n\u25cb Signed Cover Letter (on school letterhead) addressed", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "original signature of the Headmaster/Principal or \nsponsoring District Department, and Program Leader) \n\u25cb Signed Cover Letter (on school letterhead) addressed \nto the superintendent and Department of Education \nfrom the principal/head of school/district department \nlead stating support for the proposed trip. \n\u25cb International trip narrative: \n\u25a0 What was the student recruitment and selection \nprocess? \n\u25a0 What are the student learning outcomes of your \nprogram? \n\u25a0 How will this program build students\u2019 global \ncompetence (investigate the world, communicate \nideas, weigh perspective, take action: identify all \nthat apply and how they will be addressed \nthrough your program).", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 26 of 104 \n\u25a0 What specific standards are addressed in your \nprogram, and how will they be addressed? \n\u25a0 How and when will your students reflect on what \nthey learned from this experience? \n\u25cb Itinerary (detailed): Day-by-day and hour by hour (or \nmorning/afternoon/evening) format providing detailed \ninformation about program (i.e. \nhotels/accommodations, sites visited, activities \nplanned, meetings held, curfew set, and meals \nscheduled for the morning, afternoon, and evening) \n\u25cb Emergency Action Plan \n\u25cb Nurse Verification Form \n\u25cb CAO-25 Acknowledgment Form \n\u25cb Tentative Student Traveler Roster: [Prior to departure, \nthe program leader must submit a FINAL roster of all \nconfirmed student travelers that includes: BPS ID, their \nname, grade, age, D.O.B, the country in which their \npassport is issued, emergency contact name and \nnumber, and (NEW) if student is traveling abroad for \nthe first time.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "name, grade, age, D.O.B, the country in which their \npassport is issued, emergency contact name and \nnumber, and (NEW) if student is traveling abroad for \nthe first time. \nImportant Note: **Submit documents for Water Activities \n(CAO-27)) if applicable.* While you do not need to submit \nto the central office a copy of each Parental Authorization \nfor International Field Trip permission, this form must be \non file at your school when your trip request is submitted \nto the district office. \n\u25cf Documents to Leave with your principal/head of school: \n\u25cb CAO-25 circular with checklists \n\u25cb Permissions Slips (updated based on contact \nverification done with families)", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 27 of 104 \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Parental Waivers \n\u25cb Medical Information Form and Medical Administration \nForm \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP) \n\u25cb Insurance Information \n\u25cb Fire Prevention and Safety Information \n\u25cb International Program Incident Report (blank for \nreference) \n\u25cb Finalized Homestay List and other homestay \ndocuments (if applicable) \n\u25cb Water Activities Forms (if applicable) \n\u25cf Documents to Take Abroad: \n\u25cb Permissions Slips (updated based on contact \nverification done with families) \n\u25cb Medical Information Form and Medical Administration \nForm \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Parental Waivers \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP)", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "\u25cb Parental Waivers \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP) \n\u25cb Insurance Information \n\u25cb BPS Field Guide Protocols with Emergency Phone \nNumbers \n\u25cb Fire Prevention and Safety Information", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 28 of 104 \n\u25cb International Programs Incident Report (blank and/or \ncompleted) \n\u25cb International Witness Report Form (blank and/or \ncompleted) \n\u25cb Incident Investigation Log (blank and/or completed) \n\u25cb SOAP Note (blank and/or completed) \n\u25cb List of addresses and emergency contacts in country \nfor all travelers \n\u25cb Homestay documents, if applicable \n\u25cb Water activities form, if applicable \n\u25cb Program leader carries originals of permission slips and \nmedical forms; other chaperones carry copies. \nDURING THE FIELD TRIP PROGRAM \n\u25cf Team Safety: If you believe conditions are unsafe or \nunhealthy at any point on the trip, it is the program leader\u2019s \nresponsibility to make adjustments in the interest of \ngroup/individual safety. Consult the Department of Global \nEducation during the trip when you have questions \nregarding trip safety. \n\u25cf Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Education during the trip when you have questions \nregarding trip safety. \n\u25cf Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n\u25cb Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nthe assessment with the chaperone team and prepare \nfor orientation and fire drill. \n\u25cb Share evacuation plan and emergency plans. Discuss \nwhere students go during an emergency or otherwise.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 29 of 104 \nDiscuss where students go if they are separated from \nthe group during an activity. \n\u25cb Ensure students have a list of the key addresses \n(hotel/chaperone/host family contact information) and \nemergency information for the US and the \ninternational destination as well as copies of all travel \ndocuments. Share where you are staying (room \nnumber if applicable) and how to reach you on the trip. \n\u25cb Conduct in-country orientation for conduct and \ncultural expectations. Set expectations regarding social \nmedia. This is especially critical during an emergency. \n\u25cb Conduct safety orientations for service learning \nprojects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating \nand for agricultural projects; chaperones, with support \nof program providers, must conduct a safety \norientation at the beginning of each activity. \n\u25cf Student Debriefs/Reflections:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "and for agricultural projects; chaperones, with support \nof program providers, must conduct a safety \norientation at the beginning of each activity. \n\u25cf Student Debriefs/Reflections: \n\u25cb Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\u25cb Conduct afternoon and/or evening debriefings to \nreview the next day\u2019s itinerary, gather feedback, \nprocess the day\u2019s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them to \nreflect and break down stereotypes so that when they \nreturn, they have a deeper understanding of the \nculture and country they visited. Draw connections to \nhow they will take the experience home with them, \nand how the lessons they have learned will translate \nback home.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 30 of 104 \n\u25cf Check-Ins and Student Supervision: \n\u25cb Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n\u25cb Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n\u25cb Conduct nightly bed checks to ensure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel, be sure to request in advance for students \nto be placed near chaperones. If students are with host \nfamilies, share the BPS policy of nightly bed checks to \nensure students are safely in their rooms each night. \nStudents should know exactly how to get in touch with \na chaperone in case of an emergency (room number or \nphone number if staying with a host family). \n\u25cb Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "phone number if staying with a host family). \n\u25cb Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful \nabout romantic relationships among students. \n\u25cb Do not leave students alone! Students should be \naccompanied by chaperones (or if applicable, host \nfamilies and students) unless part of a scheduled \nactivity and age appropriate, as approved by their \nparent/guardian in advance. However, if \nunaccompanied as part of a scheduled and structured \nactivity, students should be in at least groups of three, \nAND always know how to reach an adult chaperone. \n\u25cb Conduct regular, frequent headcounts and buddy \nchecks throughout the day.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 31 of 104 \nINTERNATIONAL PROGRAM INCIDENT REPORTING AND \nSUPPORT \nContact your head of school and the Department of Global \nEducation for any emergency that results in the admittance of a \nstudent or chaperone to a hospital or clinic, or if you fear for the \nsafety of anyone on your trip at any time. When in doubt, call! \nEmergencies may be of a medical, environmental, political, \nbehavioral, legal, logistical, or other nature. You MUST check in \nvia phone call to the Department of Global Education when there \nis an incident. Refer to BPS International Field Trip \nCommunication Plan for more information. \n[NEW] Examples of incidents (this is not an exhaustive list): \nGreen Examples: Positive group gains, dynamic and culture, \nmedia coverage \nYellow Examples: Fever, loss of passport, diarrhea, \nconstipation, vomiting when prescription medication is \nadministered by BPS staff, lost/damaged/insufficient", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "media coverage \nYellow Examples: Fever, loss of passport, diarrhea, \nconstipation, vomiting when prescription medication is \nadministered by BPS staff, lost/damaged/insufficient \nprescription medication, tooth loss/ crack/chip, animal or \ninsect encounters that could potentially result in injury, any \ntime insurance is used or consulted, insect bites or stings \nout of the ordinary, lost or stolen luggage, challenges in \nCustoms. \nRed Examples: Sexual assault, terrorism, missing person, \ncrime/theft; head injury, loss of consciousness, contraction \nof parasite and/or infestation, animal bites, transportation \naccident, severe allergic reaction, exposure to any \ncommunicable diseases, eye injury, heat exhaustion/stroke, \nhyperthermia, significant violations of student/chaperone \nconduct contract (fighting, alcohol, drug use, possession of", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 32 of 104 \nweapons, bullying, harassment, persistent behavior from \nparticipant that is disruptive, poses a risk to team and the \nsuccess of the program), severe weather, exposure to any \ntoxic or potentially toxic chemical/irritant \n\u27a4 Note: This list is not exhaustive. Any additional incident not \nlisted but deemed unusual or potentially harmful by the program \nleader, should be reported. Yellow incidents have the potential to \nquickly progress to Red incidents. Thus, yellow incidents should \nbe monitored closely, and On-Call BPS staff should be kept \nabreast of any updates, and changes in status. \nFile an International Program Incident Report via email if possible \nOR as soon as circumstances permit. Utilize the SOAP note, \nwitness reports and incident investigation logs as necessary. Turn \nin the original reports to the Department of Global Education as \nsoon as you return to Boston. When incidents occur, it is critical", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "in the original reports to the Department of Global Education as \nsoon as you return to Boston. When incidents occur, it is critical \nthat everything is documented. \nAFTER THE FIELD TRIP (MANDATORY) \n\u25cf Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students \n(and inform parents/guardians) to see a doctor immediately \nif they are not feeling well after the trip and to inform the \ndoctor of their recent travels. \n\u25cf Incident Reports: If applicable, file and follow up with \nInternational Programs Incident Report, International \nPrograms Witness Report and International Programs \nIncident Log.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 33 of 104 \n\u25cf District Survey: Complete the BPS Post-International \nProgram Survey to provide feedback on your experience. \nAFTER THE FIELD TRIP (SUGGESTED) \n\u25cf Write thank you notes. \n\u25cf Present to school, family, and the community about the \nexperience. \n\u25cf Conduct related creative and/or analytical projects to \nshowcase student learning. \n\u25cf Write a news article about the trip for a local newspaper or \nwebsite. \n\u25cf Email stories, journals, and pictures of your trip to the \nDepartment of Global Education.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 34 of 104 \n \nFor more information, questions, and support about this \ncircular, please contact: \nOwner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 35 of 104 \nINTERNATIONAL FIELD TRIP CHECKLIST \nField Trip Category(s): ____________________________________________ \n(For category, see CAO-22.) \nSite: _____________________________________________________________ \n \nDate: __________________________________ \n \nAlternate Date: _________________________ \n \nItem Complete? \nReview Superintendent Circular No. CAO-22, \nGeneral Guidelines and Procedures for All Field \nTrips. \n \nReview Superintendent\u2019s Circular on Medical \nEmergency Management, FSE-05 and Incident \nData-Reporting and Release, SAF-04 for \nimportant safety protocols. While on the trip, the \nDepartment of Global Education must be notified \nin the event of a serious incident or emergency \nand should be used as a resource for questions \nregarding safety on international field trips. \n \nSelect a site and investigate the appropriateness \nof the site in relation to the category of field trip. \n \n \nCAO-25 ACKNOWLEDGEMENT FORM", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 36 of 104 \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \nSchool Name: ____________________________________________________ \n \n_______________________________________________ __________________ \n Signature of Program Leader Date \n_______________________________________________ __________________ \nSignature of Principal/Head of School or Date \n Sponsoring District Department", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 37 of 104 \nINTERNATIONAL FIELD TRIP REQUEST DOCUMENT CHECKLIST \nThe following documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation so that the trip may be reviewed and the necessary \nsignatures may be obtained. Complete this application with as \nmuch information and detail as you have available. Should \nadditional and final details become available later, please update \nthe Department of Global Education as soon as possible. It is \nrecommended that you send drafts of these documents to the \nDepartment of Global Education for review and feedback prior to \nfinal submission. Please type all documents and retain copies of \nall documents submitted. \nDocuments to Submit to the Department of Global Education \nfor Approval \n1. International Field Trip Request Form (with original \nsignature of the principal/head of school or sponsoring \ndistrict department, and program leader)", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "for Approval \n1. International Field Trip Request Form (with original \nsignature of the principal/head of school or sponsoring \ndistrict department, and program leader) \n2. Signed Cover letter (on school letterhead) addressed to the \nsuperintendent and Department of Education from the \nprincipal/head of school/district department lead stating \nsupport for the proposed trip. \n3. International Trip Narrative Educational Goals (please be \ndetailed): \na. What is the purpose of this international program? \nWhy is it necessary, and why is this specific location \nrelevant? \nb. What are the student learning outcomes of your \nprogram?", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 38 of 104 \nc. How will this program build students\u2019 global \ncompetence (investigate the world, communicate \nideas, weigh perspective, take action: identify all that \napply and how they will be addressed through your \nprogram). \nd. What specific standards are addressed in your \nprogram, and how will they be addressed? \ne. Describe the student recruitment and selection \nprocess? How did you ensure the process was \nequitable and inclusive? \nf. How and when will your students reflect on what they \nlearned from this experience? \n4. Itinerary \na. Day-by-day and hour by hour (or morning/afternoon/ \nevening) format providing detailed information about \nprogram (i.e., sites visited, activities planned, meetings \nheld, curfew set, and meals scheduled for the morning, \nafternoon, and evening) \n5. Emergency Action Plan \n6. Nurse Verification Form \n7. CAO-25 Acknowledgment Form \n8. Tentative Student Traveler Roster (Prior to departure, the", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "afternoon, and evening) \n5. Emergency Action Plan \n6. Nurse Verification Form \n7. CAO-25 Acknowledgment Form \n8. Tentative Student Traveler Roster (Prior to departure, the \nprogram leader must submit a FINAL roster of all confirmed \nstudent travelers that includes: BPS ID, their name, grade, \nage, D.O.B, the country in which their passport is issued, \nemergency contact name and number, and if student is \ntraveling abroad for the first time. \n\uf075\uf020Important Note: Submit documents for Water Activities \n(CAO-27) and/or Homestays (CAO-26) if applicable.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 39 of 104", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 40 of 104 \n \nINTERNATIONAL FIELD TRIP REQUEST FORM \n(This form along with all accompanying documents listed in this \ncircular must be completed by the lead chaperone in \nconsultation with the principal/head of school. It is submitted to \nthe Department of Global Education at least four months prior to \nthe trip.) \nSchool/District Department: _____________________________________ \n \nHead of School /Principal Information: \nName: ______________________________________________________ \nCell phone: __________________________________________________ \nEmail: _______________________________________________________ \nSelect Field Trip Category (See CAO-22 for descriptions): \n\u25cf Instructional \n\u25cf Cultural \n\u25cf Community Building \n\u25cf Service Learning \n\u25cf Personal Growth & Development \nProgram Destination(s): Include exact cities, or regions: \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "\u25cf Service Learning \n\u25cf Personal Growth & Development \nProgram Destination(s): Include exact cities, or regions: \n __________________________________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 41 of 104 \nDates of Trip: \nDeparture Date: ________________ Return Date: ___________________ \nStudent Data: Send complete student roster to Dept. of Global \nEducation before travel. Roster must include D.O.B, grade, \ncountry of passport issuance, emergency contact name and \nnumber. \nNumber of Students: ________________ \n \nNumber of First Time Student International Travelers: _______ \n \nChaperone Data: Chaperones: 7:1 ratio and minimum of 2 \nchaperones \nInformation Program Leader Chaperone Chaperone \nName \nCell Phone \nNumber \nBPS \nEmployee (Y/N) (Y/N) (Y/N) \nBack up #", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 42 of 104 \n \nInformation Chaperone Chaperone Chaperone \nName \nNumber \nBPS \nEmployee \n(Y/N) (Y/N) (Y/N) \nBack Up # \n \nInformation Chaperone Chaperone Chaperone \nName \nNumber \nBPS \nEmployee \n(Y/N) (Y/N) (Y/N) \nBack Up # \n \nFunding \nPlease note that: A criterion for participation, may not be the \nstudent and their family\u2019s ability to pay. Also \u201c100\u201d school funds \nmay not be used for international trips. \nCost Per Person: _________________________________ \n \nTotal Cost: $ _____________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 43 of 104 \nFunding Source(s): \n(List funding sources below. Please detail how the trip was paid \nfor and how students had access to this trip regardless of the \ntrip\u2019s cost.) \n \n \n \nGrant name/Grant Number (if applicable): _______________________ \n \nFundraise with Private Grants BEDF Account Code/Description (if \napplicable): _______________________________________________________ \n \nCountry/Site Information \nCountry(s) to be visited: \nIs this country(s) listed on the \nUnited States Department of \nState Travel warning list? \n \nIs this country(s) listed on the \nCenter for Disease Control \n(CDC) warning list? \n \nIn-Country/Site Contact Person \nand Title/Role: \n \nIn-Country/Site Telephone # \nIn-Country/Site Email Address", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 44 of 104 \nNative language of in-\ncountry/site contact person \n \nCan the in-country/site contact \nperson speak English? \n \n \nHas your travel vendor/partner been vetted by the Department of \nGlobal Education/BPS Legal? \uf06f Yes \uf06f No \nVendor Name: ______________________________________________ \nVendor Contact Name: ______________________________________ \nVendor Contact Number & Email: ___________________________ \nAIRLINE TRANSPORTATION TO INTERNATIONAL DESTINATION \n(Please note: You may include your flight reservation as an \nattachment; however, the following section must still be \ncompleted.) \nDeparting flight from US/Boston: \nDeparture Date \nDeparture Time \nDeparture Location \nDeparture Airlines \nFlight Number \nDeparting Flight \nArrival Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 45 of 104 \nArrival Time \nArrival Location \nReturn flight to US/Boston \nReturn Date \nReturn Time \nReturn Location \nReturn Airlines \nFlight Number \nReturn Flight Arrival \nDate \n \nArrival Time \nArrival Location \nAdditional Transportation in the U.S. (i.e., to and from airport): \nWill you be providing transportation for students to and from the \nairport? \u25a2 Yes \u25a2 No \nIf no, how will students get to and from the U.S. airport? \n __________________________________________________________________ \n __________________________________________________________________ \nIf yes, please complete the chart below.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 46 of 104 \nMode of \nTransportation \n \nTransportation Co. \nBPS Vendor # \nCompany Number \nPickup Location \nPickup time \n \nTransportation to International Destination (other than airplane): \nMode of \nTransportation \n \nTransportation Co. \nBPS Vendor # \nCompany Number \nPickup Location \nPickup time \nWhere will you be \ntransported to? \n(Address of hotel, or \ndrop off site) \n \n \nTransportation in Foreign Country \nAll modes of transportation arranged within the foreign country:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 47 of 104 \n \n \nIN-COUNTRY LODGING INFORMATION \nPrimary Lodging \nContact information if students will be staying in a hotel or \nhostel: Itinerary must provide detailed information regarding \nlodging each night. \nName of site \nAddress \nNumber \nDates \n \nName of site \nAddress \nNumber \nDates", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 48 of 104 \n \nName of site \nAddress \nNumber \nDates \n \nDoes your trip include water activities? \nYES \u25a2 NO \u25a2 \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? \nYES \u25a2 NO \u25a2 \nHome Stay \n*Note: The permissibility of Home Stay programs is currently \nunder review. \nWill this program include a home stay? YES \u25a2 NO \u25a2 \nIf yes, is this home stay facilitated by a third-party vendor? If yes, \nplease provide the company name and site contact info. \n __________________________________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 49 of 104 \nSafety is the highest priority in the Boston Public Schools. Have \nyou followed the Home Stay Guidelines CAO-26 and completed \nthe necessary forms? YES \u25a2 NO \u25a2 N/A \nHave parents/guardians signed the Home Stay Waiver form? \nYES \u25a2 NO \u25a2 N/A \nWater Activities \nDoes your program include water activities? \nYES \u25a2 NO \u25a2 N/A \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? YES \u25a2 NO \u25a2 N/A \nTRAVEL LOGISTICS \nHave you held (or will you hold prior to departure) at least three \npre-departure student meetings to prepare the student team for \nthe responsibilities of participating in an international trip as \noutlined in CAO-25? YES \u25a2 NO \u25a2 \nMeeting Date: Meeting Date: Meeting Date: \nHave you held (or will you hold prior to departure) at least three \nchaperone meetings to prepare the adult team for the \nresponsibilities of leading students on an international trip as", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Have you held (or will you hold prior to departure) at least three \nchaperone meetings to prepare the adult team for the \nresponsibilities of leading students on an international trip as \noutlined in CAO-25? YES \u25a2 NO \u25a2 \nMeeting Date: Meeting Date: Meeting Date:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 50 of 104 \nHave you conducted (or will you conduct prior to departure) at \nleast one parent meeting (in addition to the promotional \nmeeting) to review required topics outlined in CAO-25? \nYES \u25a2 NO \u25a2 \nMeeting Date: \nIf you are traveling to a destination with an alert from the CDC or \nState Department Level 2 country, will you provide families with \nthe respective Informed Parental Consent, Associated Risk, \nIndemnity Form? YES \u25a2 NO \u25a2 \nDo you have trip cancellation insurance? YES \u25a2 NO \u25a2 \nPlease describe the contingency plan should your departure \nand/or return travel be delayed: \n \n \nTRAVEL SAFETY AND RISK MANAGEMENT \nHave all travelers received (or will they all receive prior to \ndeparture) all travel immunizations, vaccinations, and relevant \nmedications recommended by the CDC and their primary care \ndoctors? YES \u25a2 NO \u25a2 \nComments: \n \nWho on your chaperone team speaks the local language?", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 51 of 104 \n __________________________________________________________________ \n __________________________________________________________________ \nHave the program leader and other chaperones reviewed the \nBPS Insurance Policy? YES \u25a2 NO \u25a2 \nDoes each traveler have health insurance coverage abroad, \nincluding medical and political evacuation coverage? (BPS has \nthis insurance for ALL BPS students and BPS chaperones.) \nYES \u25a2 NO \u25a2 \nHas the program leader and other chaperones reviewed the BPS \nCode of Conduct? YES \u25a2 NO \u25a2 \nHave all non-BPS employed chaperones scheduled a meeting \nwith the DGE? YES \u25a2 NO \u25a2 N/A \u25a2 \nHas the program leader attended (or will they have attended \nprior to departure) BPS Risk Management Training Abroad? \n YES \u25a2 NO \u25a2 \nTraining Date: _______________________________________________ \n (Training is valid for two school calendar years.)", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 52 of 104 \nHas the program leader led BPS students abroad before? \nYES \u25a2 NO \u25a2 \nWhen? Provide the most recent date: _______________________ \nIf not, what experience(s) have prepared you to lead BPS \nstudents abroad? \n \nDo at least two chaperones hold valid (duration of the trip) CPR \nand First Aid certification? YES \u25a2 NO \u25a2 \nNames of certified chaperones: ___________________________________ \n __________________________________________________________________ \nName of chaperones: ____________________________________________ \n __________________________________________________________________ \nHave you completed the Emergency Action Plan (EAP) for the \ncountry you are visiting? YES \u25a2 NO \u25a2 \nHave you (or will you prior to departure) set up a Pre-Departure \nRisk Management meeting with the Department of Global \nEducation? YES \u25a2 NO \u25a2 N/A \u25a2 \nHave you (or will you prior to departure) submitted the", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Risk Management meeting with the Department of Global \nEducation? YES \u25a2 NO \u25a2 N/A \u25a2 \nHave you (or will you prior to departure) submitted the \nEmergency Contact List for all travelers to the Department of \nGlobal Education? YES \u25a2 NO \u25a2 \nHave you completed the Nurse Verification form? YES \u25a2 NO \u25a2", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 53 of 104 \nAll CAO-25 \u201cChecklists\u201d MUST be followed by the program leader, \nother chaperones, and principal/head of school or district \ndepartment sponsoring the trip before, during, and after the trip. \nWill you complete all \u201cChecklists\u201d before, during, and after the \ntrip with the consult of your principal/head of school or district \ndepartment? YES \u25a2 NO \u25a2 \nSCHOOL/DISTRICT DEPARTMENT APPROVAL \n_________________________________________________ ________________ \n Program Leader/Lead Chaperone Date \n_________________________________________________ ________________ \n Head of School/Principal or Sponsoring Dept. Date \nSignatures above indicate approval for the trip and attest that \nthe CAO-25 checklist will be completed before, during, and after \nthe trip. \nDISTRICT APPROVALS \nInternational field trips require the District approvals below: \n_________________________________________________ ________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "the trip. \nDISTRICT APPROVALS \nInternational field trips require the District approvals below: \n_________________________________________________ ________________ \n Director of Global Education Date \n_________________________________________________ ________________ \n Chief of Teaching & Learning Date \n_________________________________________________ ________________ \n Chief Financial Officer Date \n_________________________________________________ ________________ \n Superintendent Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 54 of 104 \n \nEMERGENCY ACTION PLAN (EAP) \nInternational Field Trips \nDirections: \n\u25cf The lead chaperone must complete this form prior to \ndeparture. \n\u25cf All chaperones should carry this form throughout the trip. \n\u25cf Leave a copy of this form with the principal/head of school. \n\u25cf Submit this form as part of your package to the district. \n\u25cf Register your trip and student participants through the \nSafe Traveler Enrollment Program (STEP). program \nGeneral Guidelines: \n\u25cf In the event of an emergency, REMAIN CALM. \n\u25cf Do not leave the injured person alone or without an adult \npresent. \n\u25cf Call local EMS. \n\u25cf Accompany any injured student to the nearest medical \nfacility. An adult chaperone (or adult designee) must be \npresent with any injured student throughout the \nemergency.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 55 of 104 \nEmergency Contacts \n\u25cf Local EMS. \n\u25cf Insurance (See insurance card for the appropriate # for your \ndestination.) \n\u25cf Head of school or designee cell #_______________________and \ndirector of Global Education (315-601-0292) for emergencies. \nSee Emergency Communication and Protocols packet. \n\u25cf Parents/guardians must be informed and given updates \nthroughout the medical emergency. (Your Head of School \nand DGE will help coordinate communication with \nparents/family.) \nU.S. State Department, the Center for Disease Control and other \nreputable sources, please complete the information below: \nAddress and contact information for the nearest U.S. Embassy(s) \nwhile abroad: \n \n \nAddress and contact information for the nearest embassy(s) for \nnon-U.S. citizen travelers while abroad: \n \n \nName and address of the nearest medical hospital or facility/s:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 56 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nDirections: \nBPS Staff: \n\u25cf Use one form per trip. \n\u25cf Complete the School Portion of form. \n\u25cf Duplicate one form per student. \n\u25cf Send a copy home for parent and student signatures. \n\u25cf During the field trip, the signed, original form must be \ncarried by the program leader and copies by the other \nchaperones. A photocopy must be left on file in the school \noffice. \nStudent First & Last Name: _______________________________________ \nSchool: ___________________________________________________________ \nDestination (s): ___________________________________________________ \n __________________________________________________________________ \nPurpose of Trip: __________________________________________________ \nList of Activities: Parents must be informed of all activities.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 57 of 104 \nSupervision: (Check One.) \n\uf06f Students will be directly supervised by adult chaperones on \nthis trip at all times. \n\uf06f Students will be directly supervised by adult chaperones on \nthis trip with the following exceptions: \nMode of Transportation: (Check all that apply.) \n\uf06f walking \uf06f school bus \uf06f MBTA \uf06f Other _________________ \nStudents will leave from (where)_________________________at \n(time) ____________________. \nStudents will return to (where) ____________________________at \nabout (time) _______________. \n \nProgram Leader & Chaperone(s) in Charge: ______________________ \n __________________________________________________________________ \nChaperone/Student Ratio: ________________ (maximum ratio 7:1)", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 58 of 104 \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I will be a \nrepresentative of BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abiding by \nschool-based rules and the Boston Public Schools\u2019 Code of \nConduct. \n_____________________________________________ ____________________ \n Student Signature Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 59 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nAssumption of Risk, Waiver, Release, and Indemnity Hold \nHarmless Agreement \n \nProgram leaders: Access the required Assumption of Risk, \nWaiver, Release, and Indemnity Hold Harmless Agreement \ntemplate. Please make a copy of this template document before \nyou edit the text in RED, and then share it with the director of \nGlobal Education. This document is to be reviewed by the \ndirector of Global Education & BPS Legal BEFORE sharing with \nparents/guardians for signature** \nThis document is a requirement, and a binding legal document. \nShould you have any questions, please contact the Department \nof Global Education.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 60 of 104 \n \nMEDICAL INFORMATION FORM \nIMPORTANT NOTES: \nStudents may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly and \naccurately so we may be in the best position possible to support \nyou/your child. \nPlease indicate with an X ______ HERE if you would like to \nschedule a meeting with the program leader of the trip to discuss \nyour child\u2019s medical or mental health. \nAll students must visit their primary care doctor prior to traveling \non a BPS trip and be current on all immunizations and \nvaccinations for the U.S. in addition to the recommended \nimmunizations and vaccinations for the country(s) to be visited.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 61 of 104 \nSTUDENT INFORMATION \nStudent\u2019s Full Name \nDate of Birth \nCountry of Origin \nParent/ Guardian \nName(s) \n \nParent/Guardian \nAddress \n \nParent/Guardian \nContact \nCell: \nHome: \nWork:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 62 of 104 \nEmergency Contact # 1 Emergency Contact # 2 \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nSTUDENT HEALTH QUESTIONS \nPrimary care physician\u2019s name and contact information (in case \nof an emergency): \n \n \nHealth insurance provider\u2019s name, policy #, and contact \ninformation (in case of emergency): \n \n \nInsurance provider claim instructions/procedures (in case of \nemergency):", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 63 of 104 \nStudent has the following health conditions and/or allergies of \nwhich BPS should be aware: \n \n \nPhysical health conditions: \n \n \nBehavioral/mental health conditions: (e.g., depression, anxiety, \netc.) \n \n \nAllergies (food, medication, insects, plants, animals, etc.): \n \n \nStudent takes the following medications (including over-the-\ncounter/ herbal) and/or prescriptions of which BPS should be \naware. (Be sure to complete the Medical Administration Form): \n \n \nIf medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken and the \ntime at which it may be given again.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 64 of 104 \n \n \nIs there any factor that makes it advisable for your child to follow \na limited program of physical activity? (i.e., asthma, recent \nsurgery, heart condition, fear, etc.) If yes, specify the ways in \nwhich you wish their program limited. If the student has asthma, \nplease attach the asthma action plan to this medical form. \n \n \nAre there any activities on the itinerary that your child cannot or \nshould not do? \n \n \nOther than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 65 of 104 \nOther than a yearly physical, has the student been under a \nphysician\u2019s or other medical professional\u2019s (e.g., social worker, \ntherapist, etc.) care anytime in the last year. If yes, please detail \nthe reason and dates of treatment. \n \n \nPlease list any hospital, treatment center, surgical, psychiatric, or \nurgent care visits within the last year: (Please specify the date, \nthe reason, the physician or professional seen, and the length of \nstay.) \n \n \nAdditional information of which BPS should be aware concerning \nstudent\u2019s health:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 66 of 104 \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate services \nand understand that chaperones will consult with the school \nnurse about each student's health so they will be in the strongest \nposition to support you/your child on this program. \n \n________________________________________________ _________________ \n Student Signature, if at least 18 years of age Date \n \n________________________________________________ _________________ \n Parent/Guardian Signature, if student is Date \n under 18 years of age \n \n\u25aa If necessary, attach a doctor's letter to this form. \n\u25aa If necessary, attach the asthma action plan to this form. \n\u25aa If necessary, attach copies that document student\u2019s shots \nand immunizations to this form.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 67 of 104 \n \nMEDICAL FORM \u2014 OVERNIGHT TRIPS \nMedication Administration \nPlease send only essential medications with your student on this \ntrip and include over-the counter/herbal medications on this list. \nStudent Name: ___________________________________________________ \nName of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \nName of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Reason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \nName of Medication: _____________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 68 of 104 \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \n _____________________________________________________________ \nAdditional information/special Instructions: \n \nI authorize my child to take the above medications on this trip. \n \n________________________________________________ _________________ \n Student Signature, if at least 18 years of age Date \n \n________________________________________________ _________________ \n Parent/Guardian Signature, if student is Date \n under 18 years of age", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 69 of 104 \n \nNOTARIZED PARENT/GUARDIAN AIRLINE TRAVEL \nCONSENT FORM \nThe parties to this agreement are: \nParent/ Legal Guardian: \nFull Name and Surname: (hereinafter referred to as \u201cthe \nParent/ Guardian\u201d) __________________________________________ \nPhysical Address: ___________________________________________ \nContact Details: _____________________________________________ \n _____________________________________________________________ \nChild: (hereinafter referred to as \u201cthe Child\u201d) \nFull Name and Surname: ____________________________________ \n \nBirth Date: __________________________________________________ \n \nTraveling Guardian(s) and Contact Details: (hereinafter referred \nto as \u201cThe Traveling Guardians\u201d) \nFull Name and Address: _____________________________________ \n _____________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 70 of 104 \nI hereby authorize the Child to travel with the Traveling \nGuardians to the following destination: \nThe period of travel shall be from ____________ to ______________. \nShould it prove to be impossible to notify the Parent/ Guardian of \nany change in travel plans due to an emergency or unforeseen \ncircumstances arising, I authorize the Traveling Guardian to \nauthorize such travel plans. \nShould the Traveling Guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it advisable \nto make special travel arrangements for the Child to be returned \nhome due to unforeseen circumstances arising, I accept full \nresponsibility for the additional costs which shall be incurred \nthereby. \nI indemnify the Traveling Guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims arise \nfrom negligence, gross negligence, or willful intent during the", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "I indemnify the Traveling Guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims arise \nfrom negligence, gross negligence, or willful intent during the \nspecified period of this Travel Consent. \nI declare that I am the legal custodian of the Child and that I have \nlegal authority to grant travel consent to the Traveling Guardian \nof the Child. \nUnless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 71 of 104 \nSigned at ____________________________________ on the _______day \nof __________, 20____. \n \nSignature _____________________________________ (Parent/ Guardian) \n \nSignature _____________________________________________ (Witness 1) \n \nSignature ____________________________________________ (Witness 2) \nWitness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this _________ day of ___________________, 20___, before me, the \nundersigned authority, personally appeared and proved to me \nthrough satisfactory evidence of identity, to wit, to be the \nperson(s) whose name(s) is/are signed on the attached document \nand who signed in my presence. \nOfficial Notary Signature: _________________________________________ \n \nName of Notary Typed, Printed or Stamped: \n \n \nCommission Expires: _____________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 72 of 104 \n \nSTUDENT SUPPORT INTERNATIONAL PROGRAMS FORM \nNote: This form is to be completed by students who intend to \nparticipate in an international program. The information is \nconfidential, and will be used by Program Leaders to better \nunderstand, and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: _______________________________________ \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \nWhat are you nervous about? ____________________________________ \n __________________________________________________________________ \nWhat are you excited about? _____________________________________ \n __________________________________________________________________ \nWhat scares you about the trip location or activities on the", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "What are you excited about? _____________________________________ \n __________________________________________________________________ \nWhat scares you about the trip location or activities on the \nitinerary? _________________________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 73 of 104 \nWhen in a new environment, I get anxious when\u2026________________ \n __________________________________________________________________ \nWhen in a new environment, I get upset when\u2026.. _________________ \n __________________________________________________________________ \nIn order to get the most learning and benefits from this \nexperience, I will need ____________________________________________ \n \nGiven the laws, customs, and culture of the country that we are \nvisiting, what concerns do you have? ____________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n \nWould you prefer to speak in person with a member of the \nchaperone team to discuss this form, or share additional \ninformation? \uf06f Yes \uf06f No", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 74 of 104 \n \n \nINTERNATIONAL PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \nA. Complete all fields \nSchool/s: ____________________________________________________ \nDate of Report: _____________________________________________ \nCountry: ____________________________________________________ \nIncident Date and Time: ____________________________________ \nReporting Chaperone: _______________________________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 75 of 104 \nB. Complete all Applicable Fields \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress \n \n \nC. Nature of Incident (check all that apply) \n\u2610Injury \n\u2610Equipment Failure \n\u2610Behavioral/ \nPsychological \n\u2610Illness \n\u2610Missing/Separated \nPerson \n\u2610Natural Disaster \n\u2610Physical Assault \n\u2610Sexual Assault \n\u2610Theft \n\u2610Property Damage \n\u2610Sexual \nHarassment \n\u2610Fatality \n\u2610Crime \n\u2610Political Upheaval \n\u2610Disease Outbreak \n\u2610Other: _________ \n\u2610BPS Code of \nConduct violation \nInternational Programs Incident Report, continued", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 76 of 104 \nD. Narrative (Using facts, describe what happened): \n \n \n \nE. Activity at Time of Incident (check all that apply) \n\u2610Class time \u2610Service \u2610Homestay \n\u2610Traveling \u2610Fieldtrip \u2610Camping \n\u2610Hike/Jog/Walk \u2610Swimming \u2610Water Activity \n\u2610Other _____________ \nF. Contributing Factors (Check all that apply) \n\u2610Not disclosed in Medical Form \u2610Animal/Insect/Plant \n\u2610Pre-Existing Condition \u2610Alcohol/Drugs/Medication \n\u2610Weather/Terrain \u2610Motor Vehicle \n\u2610Political/Cultural/Language \u2610Pre-Course Info \n\u2610Sports/Recreation \u2610Orientation/Training \n\u2610Other", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 77 of 104 \nG. Action Taken Details \nFirst Aid \nWhen \nBy Whom \nType (ie. \nMedication, CPR, \netc.) \n \nEmergency \nEvacuation \n \n \nVisit Medical \nFacility \nName of Facility \nDoctor/PA/Nurse \nReported \nDiagnosis \nMedication \nPrescribed \n \n \nEmergency \nContact Person \nNotified? \n\u2610Yes \u2610 No Name: \nDate and Time Contacted: \nNotes:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 78 of 104 \nDepartment of \nGlobal Education \n(DGE) Contacted? \n\u2610Yes \u2610 No Name: \nDate and Time DGE Contacted: \nNotes: \n \n \nInsurance \nContacted? \n\u2610Yes \u2610 No Name: \nDate and Time Contacted: \nClaim #: \nNotes: \n \nLocal Authorities \nNotified? \n\u2610Yes \u2610No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes: \n \nFollow up Plan Details: \n \n_______________________________________________ __________________", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 79 of 104 \n Signature of Reporting Chaperone Date \nFile this International Incident Programs Report along with any \naccompanying reports/documents from local law enforcement, \nmedical professionals and/or International Programs Witness \nReport via email if possible OR as soon as circumstances permit. \nTurn in the original report to the DGE as soon as you return to \nBoston. Incident reports require at least one witness signature, \nand where possible the signatures of all impacted participants. \n \n_______________________________________________ __________________ \n Signature of Witness Date \n Signatures of those impacted: \n_______________________________________________ __________________ \n Date \n \n_______________________________________________ __________________ \n Date \n \n_______________________________________________ __________________ \n Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 80 of 104 \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health-\nrelated incidents requiring further monitoring and/or evacuation. \nSOAP Notes should be attached to the corresponding Incident \nReport. \nSubjective: What the patient tells you. Note the chief \ncomplaint(s): \n \n \n \n \nObjective: What you see; vital signs; general survey of patient:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 81 of 104 \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \nAnticipated Problems: \n \n \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n_______________________________________________ __________________ \n Signature of Reporting Chaperone Date \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 82 of 104 \n \nINTERNATIONAL PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \nWitness Statement of: ____________________________________________ \nPhone Number: __________________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDescription of Incident: \n \n \n \n \n \nI believe the contents in this statement are true. \n \n_______________________________________________ __________________ \n Witness Signature Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 83 of 104 \n \nINTERNATIONAL PROGRAMS INCIDENT INVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \nEvent Time Location Parties Involved Source of \nInformation", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 84 of 104 \nEvent Time Location Parties Involved Source of \nInformation \n \n \n \n \n \n \n \n \n \n \n \n_______________________________________________ __________________ \n Signature of Investigator Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 85 of 104 \n \nFIRE PREVENTION AND SAFETY PRACTICES \nInternational & Overnight Programs \nFire safety plans on overnight and international programs differ \nfrom the procedures set for our schools. The laws that regulate \nfire prevention may differ from what exists in Massachusetts. The \nsteps below must be followed on all overnight and international \nprograms: \n1. Conduct A Fire Prevention Assessment \nThe program leader must conduct a fire safety prevention \nassessment using the Fire Prevention and Safety Form \n(Attachment A) within 24 hours of arrival. Using the Fire \nPrevention and Safety Form, the program leader shall formulate \na plan for the evacuation of all persons on the trip in the event of \na fire or other emergency. This plan shall include alternate means \nof egress and should be created in consultation with an \naccommodation staff person, and if applicable, the third-party \nprovider.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "of egress and should be created in consultation with an \naccommodation staff person, and if applicable, the third-party \nprovider. \n \n2. Prepare Chaperone Team on Fire Prevention Strategy \nBased on the results from the Fire Prevention and Safety Form, \nthe program leader should ensure that each staff member \nreceives and understands the fire prevention landscape and has", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 86 of 104 \ninstructions on the fire drill procedure created for the \naccommodation. Questions to review include: \nA. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in \nand all places where the group may congregate. Use \nthe hotel\u2019s posted evacuation routes if applicable.) \nB. Where is the designated meeting point? (This meeting \npoint should be a safe distance from the building, but \neasy for the group to identify and locate.) \nC. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and \nshould serve as contact person for emergency \npersonnel.) \nD. What are some hazards that students and chaperones \nshould be aware of? \nE. What happens in the case of a missing person? \n3. Review Prevention Strategy with Students and Conduct a \nFire Drill", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "D. What are some hazards that students and chaperones \nshould be aware of? \nE. What happens in the case of a missing person? \n3. Review Prevention Strategy with Students and Conduct a \nFire Drill \nThe lead chaperone and the chaperone team will review the fire \nprevention strategy and conduct a fire drill (walkthrough) with \nthe students within the first 24 hours of the trip. Conducting a \nfire drill (walkthrough) is important as participants are unfamiliar \nwith the building.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 87 of 104 \nInstructions For Fire Drills \nSince each accommodation is different, each plan and drill will \nvary. Regardless of the accommodation, it is critical that a \nprocedure is in place for evacuating the building, each chaperone \nknows their responsibilities, every student participates in the fire \ndrill (walkthrough), and each person knows the meeting location \nwhen evacuated from the building. Please note: A fire drill as \ndefined here is a walkthrough of the route the group will take to \nexit the premises in the event of an emergency. \nA few general instructions: \n\u2022 Evacuate immediately. \n\u2022 Do not use elevators during a fire evacuation. \n\u2022 Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n\u2022 Make sure all students know all possible exits from their \narea and that students know where the meeting location is \noutside of the building.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "manner. \n\u2022 Make sure all students know all possible exits from their \narea and that students know where the meeting location is \noutside of the building. \n\u2022 Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities. \n(Have a staging location for students/staff with disabilities \nand make sure hotel/hostel personnel are also aware.) \n\u2022 Chaperones are responsible for students under their \nsupervision and must take attendance. \n\u2022 Upon the evacuation of a building, no person or persons \nshall re-enter the building without the authorization of the \nlead chaperone. The lead chaperone, as a part of their fire", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 88 of 104 \ndrill procedures, must establish a command procedure for \nsuch evacuations. \n4. Conduct a Post-Fire Drill Debrief \nAfter the fire drill, the chaperone team should set aside time to \ndebrief. Record response on Attachment A.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 89 of 104 \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nDirections: For each accommodation, please complete and upon \nyour return, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept on file \nfor the current fiscal year plus three additional years after the \nfield trip has occurred. \nBuilding: \nProgram Leader: ___________________________________________ \nDate of the Safety Prevention Assessment: _________________ \nName/s of Staff and Their Titles Consulted for Assessment \n(accommodation staff/ program provider staff): \n _____________________________________________________________ \n _____________________________________________________________ \nOutside the Building: \nList the possible hazards in the area: \n \nCan the accommodation be accessed by a fire department \nor emergency teams? \u25a2 YES \u25a2 NO", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 90 of 104 \nInside the Building: \nEquipment: \nDoes the building have fire alarms? \n \u25a2 YES \u25a2 NO \nAre there fire sprinklers? \u25a2 YES \u25a2 NO \nIf yes, where are they located? \n \nIs there adequate lighting in the corridors? \u25a2 YES \u25a2 NO \nAre there clear exit signs? \u25a2 YES \u25a2 NO \nAre there fire alarm pull stations? \u25a2 YES \u25a2 NO \nAre the fire alarm pull stations visible and \naccessible? \u25a2 YES \u25a2 NO \nAre there fire extinguishers? \u25a2 YES \u25a2 NO \nIf yes, where? \n \nAre there smoke detectors in the corridors and in every \nroom where participants are staying? \u25a2 YES \u25a2 NO", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 91 of 104 \nHazards: \nList the potential fire hazards at the site: \n \nAre there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, \nblocked stairways, burned out exit lights or missing/broken \nfire equipment? \u25a2 YES \u25a2 NO \nMeans of Evacuation/Egress \nDoes the facility have an evacuation plan for each room? (If \nnot, be sure that when you conduct a fire drill (walkthrough) \nthat you develop a plan for leaving the room.) \u25a2 YES \u25a2 NO \nWhat are the means of egress? \n \nAre there primary exits and alternate exits? \u25a2 YES \u25a2 NO \nNote locations:", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 92 of 104 \nFire Drill/Walkthrough Plan: (Please record notes below.) \n \n \nPost-Drill Debrief: \nDate and Time of the Fire Drill: ___________________________________ \n \nDid the students and chaperones follow the procedures of the \nfire drill? \u25a2 YES \u25a2 NO \nIf no, why not? \n \n \nBased on this debrief, either inform the students of your findings \nfor adjustments, or if necessary, conduct another fire drill. Once \nthe safety review and drill are completed, please sign below. \n \n________________________________________________ _________________ \n Signature of Program Leader Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 93 of 104 \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT FORM \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. Students: your signature on this contract \nseals your commitment to follow behavior expectations leading \nup to, and during your school trip. \n __________________________________________________________________ \nBEFORE I GO ON THE TRIP: (STUDENTS) \n\u25cf I understand that my acceptance to a trip prior to \ndeparture does not guarantee that I will be allowed to \nattend. \n\u25cf I have access to my school's handbook which includes all", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "\u25cf I understand that my acceptance to a trip prior to \ndeparture does not guarantee that I will be allowed to \nattend. \n\u25cf I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n\u25cf I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n\u25cf I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n\u25cf I will not violate the BPS Code of Conduct.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 94 of 104 \n\u25cf I will not distribute or consume alcohol or drugs (including \nedibles), and/or encourage actions that are against the BPS \nCode of Conduct or law. \n\u25cf I will not pack any illegal or inappropriate items (i.e., items \nin violation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n\u25cf I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as \ncompleted projects, journals, and service hours. \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWHILE I AM ON THE TRIP: (STUDENTS) \n\u25cf I will not violate the BPS Code of Conduct \n\u25cf I will ask for help from the adults when needed.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "allowed to participate in the international trip program. \nWHILE I AM ON THE TRIP: (STUDENTS) \n\u25cf I will not violate the BPS Code of Conduct \n\u25cf I will ask for help from the adults when needed. \n\u25cf I will treat my peers, all adults and all people with the \nutmost level of respect. \n\u25cf I will not purchase, distribute, or consume any illegal or \ninappropriate items; (i.e., items in violation of BPS Code of \nConduct, including, but not limited to: weapons, pepper \nspray, alcohol, edibles, drug paraphernalia) even if these \nsubstances are legal in the state or foreign country, or I am \nof legal age in the foreign country.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 95 of 104 \n\u25cf I will use social media responsibly during the trip, and will \nnot post or communicate any information regarding other \nstudents during an emergency situation. \n\u25cf I will abide by the established curfew, and sleep in my \nassigned bed, alone, and sleeping location each night. \n\u25cf I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n\u25cf I will obey the BPS dress code, as well as the suggested \nattire for the foreign country, and specific sites and \nlocations within the foreign country I will visit. \n\u25cf I will not share any medication with anyone on the trip. \n\u25cf I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (i.e., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "depression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and \nconsideration for others and their property. \n\u25cf I understand that I am responsible for keeping my passport, \nimportant belongings and other travel documents safe. \n\u25cf I understand that partaking in any illegal activity abroad \ncan result in my arrest. \n\u25cf I understand that if an issue of any kind arises, my \nchaperone will address the issue, and their decision is final. \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 96 of 104 \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n\u25cf The BPS Code of Conduct applies on all field trips. Following \nan investigation, if the program leader, in consult with the \nprincipal/head of school and central office staff, determines \nthat a student\u2019s conduct, while on an overnight trip, poses a \nrisk to themselves or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves \nthe right to request and arrange for that student to return \nhome. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "families assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n\u25cf If a student is to be dismissed from an \ninternational/overnight field trip due to behavior that \nviolates the BPS Code of Conduct while participating in a \ndomestic overnight or international trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 97 of 104 \nthe airport, or other agreed upon destination. Students \nunder the age of 16 must be accompanied on their flight by \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n\u25cf Parents or students who sign contracts, and or agreements \nwith third party company vendors, acknowledge that \noutside companies protocols and procedures might differ \nfrom BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS \nis not responsible for money paid to third party vendors. \n\u25cf BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "is not responsible for money paid to third party vendors. \n\u25cf BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances all families will be \nnotified immediately. \n \n(Families keep this page) \n \n \n \n \n(Program leaders keep this page.)", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 98 of 104 \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & Family \nAgreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \n \nPARENT/GUARDIAN (Print Name) ________________________________ \nPARENT/GUARDIAN (Signature) __________________________________ \nDATE: ____________________________ \nPHONE NUMBER: ________________________________ \nSTUDENT (Print Name) ___________________________________________ \nSTUDENT (Signature) _____________________________________________ \nDATE: ____________________________ \nPHONE NUMBER: ________________________________ \n \n \n(STUDENTS RETURN THIS PAGE TO YOUR PROGRAM LEADER)", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 99 of 104 \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS Sponsored \nfield trips and submitted to the program leader (lead chaperone). \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: __________________ Return Date __________________ \n \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants \nis extremely important during this field trip, and I agree to make \nsafety my first priority. I agree to conduct myself in a manner that \npromotes my safety, and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "promotes my safety, and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews, and room checks for students, as well as \nmorning wake up calls for students are part of my responsibility. I", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 100 of 104 \nagree to follow BPS policies, protocols, and guidance of BPS staff \nwhen in the field. \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication, and selling of \nprescription drugs. The Code also prohibits the use of tobacco \nproducts (including e-cigarettes, hookah paraphernalia, and \nvapor cigarettes). I understand that these prohibitions apply to all \nstudents, regardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "students, regardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Name (Signature): ___________________________________ \nDate: _____________________________ \n \nCAO-25: INTERNATIONAL TRIP REQUEST", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 101 of 104 \nAttachment: Nurse Verification Form \nOVERVIEW & INSTRUCTIONS \nThis is a mandatory risk management procedure. Please \ncomplete this form at least 10 weeks prior to departure. \nIt is BPS\u2019 goal that you are in the strongest position to support \neach student\u2019s health while abroad. Program leaders must review \nall students\u2019 medical forms and consult with the school nurse to \nensure all documents are accurately completed. \nPlease note: the school nurse does not \u201cclear\u201d students for travel \nbut will provide trip leaders/chaperones with guidance in \nsupporting students medically while traveling. Program leaders \nshall consult with, and when necessary, receive training from and \nobtain written comments from the school nurse regarding any \nstudents who have expressed medical needs (e.g., medication, \nasthma, allergies, etc.). \nIt is important for program leaders and chaperones to know that", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "students who have expressed medical needs (e.g., medication, \nasthma, allergies, etc.). \nIt is important for program leaders and chaperones to know that \nmany students and families omit medical information from \npermission slips for a variety of reasons, and in some cases \nProgram leaders discover medical conditions that the nurse was \nnot aware of. Therefore, it becomes a collective duty to ensure \nthat we have the most up to date medical information for all \nstudent travelers. Program leaders should actively discuss the \nimportance of honesty and full medical disclosure with students \nand families at one of the pre-departure meetings. \nSchool nurses can assist with the following (list is not limited to \nwhat is below):", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 102 of 104 \n\u25cf A student's current medical status/current immunization \nrecord \n\u25cf Background information regarding a particular medical \ncondition \n\u25cf Specific medication instructions and training for \nmedication application if necessary \n\u25cf Epi Pen instructions \n\u25cf Can help determine appropriate trip accommodations and \nconsiderations for the student traveler \n\u25cf Can further consult with outside medical professionals who \nare involved with the student\u2019s medical needs. i.e. social \nworkers, occupational therapist and the child\u2019s primary care \nphysician. \nProgram leaders must provide the nurse with the following \ninformation and a student traveler roster: Trip destination, dates, \nand draft itinerary. The Nurse Verification Form to follow must \nbe submitted 10 weeks prior to departure. It may be mailed or \nscanned to DGE. For additional questions please contact Kayla \nDorsey-Twumasi, Director of Global Educcation.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 103 of 104 \nCAO-25: INTERNATIONAL TRIP REQUEST \nATTACHMENT: NURSE VERIFICATION FORM \nSchool/trip Name: _______________________________________________ \nTrip Destination: _________________________________________________ \nDates of Travel: __________________________________________________ \nTrip Leader Name: ______________________________________________ \nSchool Nurse Name: _____________________________________________ \nSchool Nurse Phone Number: ____________________________________ \nSchool Nurse Email: ____________________ @Bostonpublicshools.org \nPROGRAM LEADER: \nPlease sign this form to verify that you have consulted with your \nschool nurse regarding your student traveler roster, retain a copy \nfor your file, and submit the original to the department of global \neducation. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed.", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "education. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed. \nAdditionally, your signature indicates that you have read and \nunderstand the nurse verification protocol. \n________________________________________________ _________________ \n Signature of Trip Leader Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "content": "Superintendent\u2019s Circular CAO-25 \nPage 104 of 104 \nSCHOOL NURSE \nYour signature indicates that the above trip leader has shared the \nproposed international trip, student traveler roster, and medical \nforms with you. If they have completed this mandatory step, \nplease sign below to verify that. \n \n________________________________________________ _________________ \n Signature of School Nurse Date", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-27 \nVersion 01 \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nWATER ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact OPL@bostonpublicschools.org for assistance/guidance. \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \nThis circular MUST be read in its entirety by program leaders \n(chaperones), principal/head of school and/or the district \ndepartment sponsoring a field trip that includes an IN the water \nor ON the water activity. These parties are responsible for", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "(chaperones), principal/head of school and/or the district \ndepartment sponsoring a field trip that includes an IN the water \nor ON the water activity. These parties are responsible for \nensuring that all field trip policies and procedures as outlined in \nthis circular AND all applicable field trip circulars (CAO-23, 24, \nand 25) are adhered to. \nWATER ACTIVITIES \n\u2022 If your trip involves ON or IN water activities, you must", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 2 of 13 \n \ncontact the Department of Global Education immediately \nto submit a mandatory Water Activity Request Form 16 \nweeks in advance to ensure that the site location for the \nwater activity has up-to-date insurance, a safety plan, and \ncertification documentation on file with the district. \n\u2022 For water activities: The student-to-chaperone ratio must \nremain 10:1 at all times during swimming for all grade \nlevels. (This ratio does not include the lifeguards on duty.) \nSWIMMING (IN THE WATER) \n\u2022 Instructional swimming is permitted only if proper \nswimmer-lifeguard ratios are maintained (20:1); the \nswimming teachers hold valid American Red Cross or \nYMCA Lifeguard Instruction/ Water Safety Instruction, \nCPR/AED, and First Aid certificates; the site is nationally \nrecognized for swim instruction (e.g., YMCA); and \nparents/guardians are informed in the appropriate \nParental Authorization for Field Trip form.", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "recognized for swim instruction (e.g., YMCA); and \nparents/guardians are informed in the appropriate \nParental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n\u2022 Principal/head of school is responsible for ensuring these \nrequirements are met and must receive written \ndocumentation of all listed guard and instructor \ncertifications. Copies of these certifications, along with \nstudents\u2019 permission slips, must be kept on file for the \ncurrent fiscal year plus three additional years. \n\u2022 Therapeutic/adaptive swimming for students with \ndisabilities is permitted only with individuals with \nTherapeutic/Adaptive Swim certification or licensure \nand proper swimmer-lifeguard ratios are maintained", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 3 of 13 \n \n(10:1); and parents/guardians are informed in the \nappropriate Parental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n\u2022 Recreational swimming is NOT permitted on BPS field \ntrips. \nWATER ACTIVITIES (ON THE WATER) \n\u2022 Water activities are permitted involving larger \ncommercial or passenger vessels which meet U.S. Coast \nGuard standards for safety and hold a valid Certification of \nCompliance for the state or its international equivalent \n(Please note: There must be one life jacket per \npassenger). In addition, be sure the water-related activity \nis clearly listed in the appropriate Parental Authorization \nfor Field Trip form. Parents/guardians must be given \nsufficient information to understand the nature and \nscope of the activity(s). \n\u2022 Water activities such as kayaking, rowing, and canoeing", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "for Field Trip form. Parents/guardians must be given \nsufficient information to understand the nature and \nscope of the activity(s). \n\u2022 Water activities such as kayaking, rowing, and canoeing \n(or the equivalent where the movement of a craft \ndepends on the physical endurance of its operator) and \ntravel in small watercraft are not permitted on a BPS field \ntrip unless a request is submitted and approved by the \ndistrict. (Please note: There must be one life jacket per \npassenger.) These requests are submitted to and \nreviewed by the Department of Global Education. \nSignificant lead time is needed (16 weeks or more) to \nallow for safety requirements to be met. \n\u2022 The sponsoring water venue/facility must provide the \nfollowing documents to the district annually: 1) Safety", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 4 of 13 \n \nPlan; 2) Liability Insurance; and 3) Lifeguard Certification. \nCHAPERONE REQUIREMENTS: \n\u2022 The program leader (lead chaperone) must be a BPS \nemployee. Other authorized chaperones may include \nparents and guardians 21 years of age or older. \n\u2022 Chaperones must be equipped with hand sanitizer and \nadditional masks if the need arises for staff and students. \n\u2022 All chaperones must complete the Chaperone Agreement \nForm. \n\u2022 All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of \nHuman Capital. Complete the eCORI form online at this \nlink. Contact the BPS Office of Human Capital (OHC) for \nCORI check and confirmation support. The \nprincipal/head of school and the lead chaperone are \nresponsible for submitting authorization forms to OHC \nand must not allow chaperones to take part in activities \nuntil they have been CORI/SORI cleared. Non-BPS \nemployee chaperones (parents/guardians) must show", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "and must not allow chaperones to take part in activities \nuntil they have been CORI/SORI cleared. Non-BPS \nemployee chaperones (parents/guardians) must show \nproof of vaccination or a negative COVID-19 test within 24 \nhours of the field trip. Non-BPS employees who \nchaperone on a field trip are not covered for liability by \nthe Boston Public Schools. \n\u2022 The program leader must be sure that all chaperones, \nincluding non-BPS chaperones, are informed of, adhere \nto, and uphold the BPS Code of Conduct and other \ndistrict and school-based rules. \n\u2022 Chaperones who are parents/guardians of BPS students", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 5 of 13 \n \non the trip must provide the same level of care and \nattention to ALL student participants. If a BPS \nchaperone\u2019s child who does not attend the participating \nschool must attend the program, the child must be a BPS \nstudent and in the same grade or age range as \nparticipating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild\u2019s participation. \n\u2022 Tour guides and employees of third-party vendors \ncontracted to help operate the trip are not considered \nchaperones and do not factor into the student-to-\nchaperone ratio. \n\u27a4 For Day & Water Field Trips, the Department of Safety Services \n(617-635-8000), must be notified in the event of a serious medical \nor other emergency and should be used as a resource for \nquestions regarding safety on day field trips, including WATER \nACTIVITY day trips.", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 6 of 13 \n \nFor more information about this circular, contact: \n Owner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 7 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY REQUEST FORM \n \nDIRECTIONS: \n1. This form must be submitted for water activities at least \n16 weeks in advance for the proposed water activity to be \nconsidered. Please email this form to \nOPL@bostonpublicschools.org and confirm its receipt. \n2. One form should be completed per field trip. However, if \nthere are multiple \u201cwater activities\u201d planned, each water \nexperience must be listed separately. For example, if you \nare taking students on a service-learning trip for one \nweek and would like students to participate in a water \nactivity on multiple days, each separate excursion should \nbe listed, even if the excursion is at the same location. \n3. Requests will be reviewed and schools will receive an \nanswer regarding their requests in 2-3 weeks. \n \nTO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "3. Requests will be reviewed and schools will receive an \nanswer regarding their requests in 2-3 weeks. \n \nTO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL \nDate request submitted: _________________________________________ \nDate(s) of field trip: _______________________________________________ \nSchool: ___________________________________________________________ \n \nPrincipal/Head of School /District Department Name:", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 8 of 13 \n \n __________________________________________________________________ \nTrip leader\u2019s name, role, and contact number: \n __________________________________________________________________ \n __________________________________________________________________ \nChaperones\u2019 names and roles in school: \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nVendor/Organization: ____________________________________________ \nWhat is the purpose of the water activity? How does the water \nactivity add to the overall trip experience?________________________ \n __________________________________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "__________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nNumber of students participating in the field trip: ________________ \nGrade level and ages of students: _________________________________", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 9 of 13 \n \n \nPlease complete the information below for each water activity \nplanned for students: \n \nWater Activity # ________ \nDate \nHours \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact\u2019s \nEmail & Phone # \n \n \nWater Activity # _______", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 10 of 13 \n \nDate \nHours \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact\u2019s \nEmail & Phone # \n \n \n \n \nPrincipal/Head of School /District Department\u2019s Signature \n \nDate: ________________________________", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 11 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY ADDENDUM TO PARENTAL AUTHORIZATION \nFIELD TRIP FORM FOR \u201cON\u201d WATER ACTIVITIES \nDirections: \n1. This form must be used if a water activity such as kayaking, \nrowing, or canoeing, or riding on a boat is listed as a possible \nactivity on the Attached Parental Authorization Field Trip \nform for this field trip. \n2. Complete the school portion of this form and attach it to the \nappropriate Parental Authorization Field Trip form for \nparent/guardian. \nParent/legal guardian, if student is under 18 years of age, or \nstudent, if at least 18 years old: Complete the Authorization & \nAcknowledgement of Risk Section. \n\u27a4 If a student does not wear a life jacket, the student may not \nparticipate in the water activity. \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "participate in the water activity. \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nWater Activity Location(s): ________________________________________ \nList of Water Activities: __________________________________________ \n __________________________________________________________________", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 12 of 13 \n \nAUTHORIZATION AND ACKNOWLEDGEMENT OF RISKS \nI understand that participation in this field trip may involve water \nactivities, including but not limited to boating. I understand that \nparticipation in these activities is voluntary and may expose \nme/my child to some risks(s). I assume responsibility for any risk \nof personal or property damages arising out of or related to \nmy/my child\u2019s participation in this boating and/or other water \nrelated activity, including acts of negligence or otherwise. I \nfurther agree to hold harmless BPS and any of the individuals \nand other organizations associated with BPS in this activity from \nany claim or liability arising out of my/my child\u2019s participation in \nthis activity. I authorize myself/my child to participate in the \nplanned components of the field trip to the extent indicated by \nmy signature below. \n\u27a4 If the applicant is at least 18 years of age, the following", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "planned components of the field trip to the extent indicated by \nmy signature below. \n\u27a4 If the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and \nunderstand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \n \n ________________________________________________________________ ____________________________ \nStudent Signature Date", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "content": "Superintendent\u2019s Circular CAO-27 \nPage 13 of 13 \n \n\u27a4 If the applicant is under 18 years of age, the following \nstatement must be read and signed by the student\u2019s parent or \nlegal guardian: \nI certify that I am the parent/legal guardian of the applicant, \nthat I have read and understand the above Agreement, and that \nI accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \n ________________________________________________________________ ____________________________ \nParent/Guardian Signature Date \n \nEmergency Contact\u2019s Name (other than parent/guardian): \n __________________________________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contact\u2019s Telephone Number: _______________________", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-07 \nVersion 01 \n \n \n \nMASSCORE GRADUATION REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has a priority to create policies and \npractices that support the preparation of every student to be \ncollege, career, and life ready while removing barriers that \nprevent students from graduating from BPS. Accordingly, it is \nimperative that BPS utilize standards-aligned graduation \nrequirements across the district that will promote and ensure \nrigor and excellence in our schools, resulting in the elimination of \nopportunity and achievement gaps and ensuring that every \nstudent graduates prepared for life after high school. \nApproved by the Boston School Committee in May of 2021, \nBoston Public Schools (BPS) adopted the MassCore Course of \nStudy as its graduation requirement for all students in the \ndistrict. The requirements will begin for students entering 9th", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "Boston Public Schools (BPS) adopted the MassCore Course of \nStudy as its graduation requirement for all students in the \ndistrict. The requirements will begin for students entering 9th \ngrade in School Year 2022-2023 (SY22-23), with full \nimplementation by the start of SY25-26. This circular outlines the \ndetails of graduation course requirements, alignment to DESE \nstandards and state graduation requirements, and the course \nwaiver process. \nGRADUATION REQUIREMENTS \nBeginning with grade 9 in SY23-24, the following credits in", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-07 \nPage 2 of 6 \n \n \nvarious content categories are required for graduation from BPS. \nThe table below visually represents the course requirements for \ngraduation: \nMassCore Framework \nMassachusetts High School Program of Studies \nContent \nCategory \nUnits Notes \nEnglish \nLanguage Arts \n4 Units ESL courses for students designated as ELD 1, 2 \nor 3 will count toward ELA credits \nMathematics 4 Units Including completion of Algebra II or \nIntegrated Mathematics III. A mathematics \ncourse during senior year is recommended for \nall students. \nScience 3 Units \nof lab-\nbased \nscience \nCoursework in technology/engineering courses \nmay also count for MassCore science credit. \nHistory and \nSocial Science \n3 Units Including U.S. History and World History and \none additional core or MassCore elective. \n \nInclusion of an Ethnic Studies course is strongly \nencouraged. \nForeign \nLanguage \n2 Units Both units must be in the same language.", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-07 \nPage 3 of 6 \n \n \nPhysical \nEducation \n1 unit, as \nrequired \nby law \nStudents will have one quarter course (or its \nequivalent) of PE per year or an equivalent. \n \nArts 1 Unit Students will have one quarter course (or its \nequivalent) of Art per year or a cumulative unit. \nAdditional \nCore Courses \n5 Units Inclusive of PE (1 credit) plus four additional \ncourses. Other additional coursework \n(including Health Education* & Career and \nTechnical Education) or any of the above. \n*Health Education: The BPS Wellness Policy requires 1 semester \n(at least \u00bc course equivalent) of Health Education in high \nschool. \nSTATE GRADUATION REQUIREMENTS \nThe policy does not and will not replace state laws and DESE \nregulations pertaining to high school graduation. These \nadditional requirements include, but are not limited to: \n\u2022 Action Civics Projects required by Chapter 296 of the Acts of \n2018, An Act to promote and enhance civic engagement.", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "additional requirements include, but are not limited to: \n\u2022 Action Civics Projects required by Chapter 296 of the Acts of \n2018, An Act to promote and enhance civic engagement. \n\u2022 Earning a \u201ccompetency determination\u201d [passing scores on \nthe Grade 10 English language arts and mathematics and \nhigh school level science and technology/engineering \nMassachusetts Comprehensive Assessment System (MCAS) \ntests]. For students who do not pass an MCAS test, \neducators develop an Educational Proficiency Plan (EPP) for \nthe subject(s). Students need to meet course requirements \nfor their EPP in addition to meeting MassCore requirements.", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-07 \nPage 4 of 6 \n \n \nSUBSTITUTIONS \nThe following substitutions may be used to meet graduation \nrequirements without an additional waiver: \nPhysical Education \nMassCore reflects the legal requirement that physical education \nbe taught as a required subject in all grades. The BPS Wellness \nPolicy requires all schools to offer high quality physical education \nfor students in all grades. Under some circumstances, students \ncan meet the requirement through an approved organized \nprogram of instructional physical activity, including but not \nlimited to: participation in interscholastic athletics, skating, \nhockey, dance, yoga, martial arts, capoeira, or swimming; and any \nphysical activity through school based or community programs, \nor independent study. Substitutions and independent study \nopportunities must be approved by the Office of Health and \nWellness. \nComputer Science \nStudents may substitute one unit of Computer Science (AP", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "opportunities must be approved by the Office of Health and \nWellness. \nComputer Science \nStudents may substitute one unit of Computer Science (AP \nComputer Science Principles, Computer Science Principles, or \nExploring Computer Science) that includes rigorous \nmathematical concepts and aligns with the Digital Literacy and \nComputer Science standards for a mathematics course. \nHumanities Course \nDouble-blocked Humanities courses may count toward 1 ELA \ncredit and 1 History credit. One period Humanities courses count \nas 1 History credit and cannot be used toward ELA credit.", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-07 \nPage 5 of 6 \n \n \nCareer and Technical Education \nStudents enrolled in a DESE approved Chapter 74 program can \nfulfill MassCore requirements without fulfilling arts and world \nlanguage requirements. While arts and world language \nrequirements may be waived, students are strongly encouraged \nto take these courses to comply with college admission \nrequirements. \nCredit for Courses in Grades 7 and 8 \nStudents will be able to apply high school credits for high school \nlevel courses completed successfully in 7th or 8th grade. \nWorld Language Competency \nMultilingual learners may earn up to two World Language credits \nfor demonstrated competency in their native language by \nachieving Intermediate Mid Level of language proficiency on the \nAVANT Stamp Assessment. The AVANT Stamp administration will \nbe administered at the BPS Welcome Center in the fall and \nspring of each year. Students scoring at the Intermediate High", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "AVANT Stamp Assessment. The AVANT Stamp administration will \nbe administered at the BPS Welcome Center in the fall and \nspring of each year. Students scoring at the Intermediate High \nLevel of language proficiency can utilize the assessment results \ntowards attainment of the MA State Seal of Biliteracy upon \ngraduation if they also meet the minimum criteria for English \nlanguage proficiency set forth by the Massachusetts Department \nof Elementary and Secondary Education. \nCourse Waiver Process \nSchools may seek additional waivers for individual students or \ncourses.", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-07 Graduation Requirements.pdf", + "content": "Superintendent\u2019s Circular CAO-07 \nPage 6 of 6 \n \n \nIMPLEMENTATION \n\u2022 Each school will collaborate with the Academics team on \nensuring alignment of its course schedule with MassCore \nrequirements. \n\u2022 All 9th grade students should follow the recommended \ncourse sequence and must take at least a quarter of physical \neducation in SY23-24. \n\u2022 Schools should work with districts on ensuring they have \nthe proper staffing model to meet MassCore requirements, \nespecially for students in grade 9. \n \nFor more information about this circular, contact: \nOwner: Elementary Superintendent \nDepartment: Academics and Professional Learning \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-24 \nVersion 01 \n \n \nOVERNIGHT FIELD TRIP GUIDELINES \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by COVID-19 \nrestrictions and are subject to change based on public health, \ninternational security, or other emergent issues that could impact travel. \nFor the most up-to-date information and guidance, contact \nOPL@bostonpublicschools.org for assistance/guidance. \n \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \nThis circular should be read AFTER the Superintendent\u2019s Circular \nNo. CAO-22, General Guidelines and Procedures for All Field Trips \nas additional guidelines are outlined there. \nThe principal/head of school and/or the district department \nsponsoring the trip are responsible for ensuring that all field trip", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "as additional guidelines are outlined there. \nThe principal/head of school and/or the district department \nsponsoring the trip are responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular are adhered \nto. \nTogether, the principal/head of school and/or the district \ndepartment lead sponsoring the trip and the program leader", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 2 of 80 \n \nmust review and complete checklists for this circular. Signed \nchecklists must be kept on file at the school/district department. \nOVERNIGHT FIELD TRIP: Any domestic trip off school grounds that \ninvolves students\u2019 participation overnight. \n\u25cf Overnight Field Trip forms are submitted to the \nprincipal/head of school AT LEAST 12 weeks in advance and \napproved by the principal/head of school. \n\u25cf All forms, including the signed CAO-24 checklist form, are \nfiled at the school. \n\u25cf Overnight Field Trip Request form, the list of student names, \nemergency contact name and number, grade, D.O.B, the list \nof chaperone names and their role in the school community, \nthe itinerary, and if applicable, train and flight information \nare sent to the district to notify the district of trip plans AT \nLEAST 4 weeks in advance. Scan and email the Overnight \nField Trip Request form and information to the appropriate", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "are sent to the district to notify the district of trip plans AT \nLEAST 4 weeks in advance. Scan and email the Overnight \nField Trip Request form and information to the appropriate \nprincipal/ leader as well as to the Department of Global \nEducation. Please follow up to ensure documentation has \nbeen received. \n \nOVERNIGHT FIELD TRIP CHECKLIST \n\uf06f Review Superintendent\u2019s Circular No. CAO-22, General \nGuidelines and Procedures for All Field Trips. \n\uf06f All field trip IDEAS must be preliminarily approved in writing \nby the principal/head of school or District Department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 3 of 80 \n \nand their parents/guardians and prior to any fundraising or \nother detailed preparations. Consult with the principal/head \nof school on potential chaperones and student recruitment. \n\uf06f Review Superintendent\u2019s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Global Education should be used as a \nresource for questions regarding risk management on \novernight field trips. \n\uf06f Select a site and investigate the appropriateness of the site \nin relation to the category of field trip. \n\uf06f Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \n \nPLANNING PROCESS \nFor thorough planning and to maximize affordability and \nfundraising efforts, it is recommended that overnight trips are", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "important tests, religious holidays, or class work. \n \nPLANNING PROCESS \nFor thorough planning and to maximize affordability and \nfundraising efforts, it is recommended that overnight trips are \nplanned at least six months in advance. \n \nROLE OF THE PROGRAM LEADER (LEAD CHAPERONE) \nProgram Leader Description: The program leader is a BPS \nemployee and the lead chaperone organizing and leading the \ntrip. All program leaders (lead chaperones and the BPS employee \norganizing and leading the trip) and chaperones must be \napproved by the principal/head of school or district department \nsponsoring the trip. The program leader is responsible for", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 4 of 80 \n \nensuring all guidelines in CAO-22 and CAO-24 are followed and \nkeeping the principal/head of school and the district informed of \ntrip developments. The program leader is responsible for \ncompleting the Overnight Field Trip Request form and \naccompanying documents that are submitted to the \nprincipal/head of school for approval. The program leader is also \nresponsible for organizing the chaperone team, student team, \nand pre-departure meetings. \n\uf06f School Nurse and Guidance Counselor Consultation: Before \napproval of a field trip, the program leader must consult \nwith the school leader to determine if, and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip,", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "before the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nconsult with and, when necessary, receive training from the \nschool nurse regarding any students who have medical \nneeds at least six weeks before departure (much longer for \ninternational and overnight field trip programs). Also consult \nwith the school counselor regarding mental and behavioral \nhealth needs. If any student has a serious medical or mental \nhealth condition, be sure that their doctor is aware of the \nessential participation criteria and location of the trip and \nwrites a letter indicating that the child may safely attend \nand participate in trip activities. Keep this document on file \nwith other key permissions slips and medical forms. \n\uf06f Overnight Field Trip Form: Complete and submit an \nOvernight Field Trip Request form and accompanying", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "with other key permissions slips and medical forms. \n\uf06f Overnight Field Trip Form: Complete and submit an \nOvernight Field Trip Request form and accompanying \ndocuments to obtain official consent from the", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 5 of 80 \n \nprincipal/head of school to execute the trip. Once the \nprincipal/head of school has approved the trip, you must \nsend a copy of the request, itinerary, and supporting \ndocuments to the Department of Global Education. \n\uf06f Mindset: Planning, organization, and preparation are critical \nto a successful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security \nhave been addressed with due diligence. Program leaders \nmust be able to articulate in an informed manner what \ndecisions were made, why they were made, and the sources \nthat informed that decision making. If you have questions \nabout the appropriateness of an activity, please consult with \nyour principal/head of school and the Department of Global \nEducation. \n\uf06f School File: Create a school file to house all important \ndocuments: Overnight Field Trip Request form and", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "your principal/head of school and the Department of Global \nEducation. \n\uf06f School File: Create a school file to house all important \ndocuments: Overnight Field Trip Request form and \nattachments, student roster, student permission slips, and \nmedical forms, and other signed documents including \nincident reports, incident log, and the fire safety plan. These \ndocuments must be kept on file for the current fiscal year \nplus three additional years after the trip has occurred. \n\uf06f Communication: Share the trip details listed below with all \nteachers, nurses, and other staff members so that they may \nplan accordingly. \no Trip overview (purpose) \no Destination \no Date of trip \no Students\u2019 names", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 6 of 80 \n \no Chaperones\u2019 names and roles in school community \n\uf06f Documentation: Prepare and distribute the Parental \nAuthorization for Overnight Field Trip form, Medical \nInformation form, Student Traveler Behavior Contract, \nStudent Support for Overnight Programs, and the \nMedication Administration form to each participating \nstudent and chaperone. For preparedness and safety, you \nalso must have these medical forms from chaperones. If \napplicable, prepare and distribute the Notarized \nParent/Guardian Airline Travel Consent form. (Some airlines \nand travel companies require this; some do not. Research \nyour particular trip to see if this applies.) \n\uf06f Meetings: Conduct AT LEAST TWO pre-departure student \nmeetings. Discuss the trip\u2019s educational purpose and goals, \nconduct expectations, itinerary, healthy travel, and all other \nlogistics of the program. (For lengthy overnight programs, \nsee CAO-25 for additional student meeting topics.) Conduct", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "conduct expectations, itinerary, healthy travel, and all other \nlogistics of the program. (For lengthy overnight programs, \nsee CAO-25 for additional student meeting topics.) Conduct \nAT LEAST ONE parent/guardian meeting (with each family \nor all families together) to review the purpose of the trip, \nitinerary, review/sign permission forms, review logistics of \ntravel, and share medical and safety information. \nPlease note: Plan for families who may need translation \nservices at the meeting; students should not serve as their \nparent/guardian\u2019s translator at this meeting. If a \nparent/guardian is unable to attend the meeting, a \nchaperone (a BPS employee) must be sure to speak to the \nparent/guardian via telephone or in-person about the trip \nprior to taking the student on an overnight trip. Document \nthis personal contact for your records.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 7 of 80 \n \nSAFETY PREPAREDNESS \n\uf06f Travel Advisories/Warnings: The head of school and \nsuperintendent reserve the right to cancel any field trip up \nto and including the day of departure to manage risk. \n\uf06f Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international and \ndomestic BPS-sponsored trips (domestic being 100 driven \nmiles away from home or place of study or employment) for \nBPS students, BPS staff participants, and chaperones. On \nCall will serve as the primary source for medical insurance. \nHowever, in some cases, if a hospital visit is required, \nstudents may be required to pay out of pocket, and be \nreimbursed by On Call later. Families will want to budget for \nthis just-in-case expense. The On Call insurance policy does \nNOT include cancellation or trip interruption insurance \nshould the trip be canceled or interrupted for any reason", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "this just-in-case expense. The On Call insurance policy does \nNOT include cancellation or trip interruption insurance \nshould the trip be canceled or interrupted for any reason \nother than medical. Cancellation/interruption must be due \nto the traveler getting sick, injured, or someone in the \ntraveler\u2019s immediate family being sick, injured, or death. \nStudents/families would need to show proof of a \nsickness/injury; and the sickness/injury must be so disabling \nas to cause them to cancel/interrupt their trip. If there is a \nsickness/death for their family member, they would need to \nshow proof of that, too. Save all receipts for flights/lodging \nfor reimbursement purposes and a claim form would need \nto be filled out. Families will need to know in advance that \nTrip Cancellation has a $2,000 limit, and Trip Interruption \nhas a $2,500 limit. Again, the superintendent reserves the \nright to cancel a trip for any reason and at any time for", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Trip Cancellation has a $2,000 limit, and Trip Interruption \nhas a $2,500 limit. Again, the superintendent reserves the \nright to cancel a trip for any reason and at any time for \nsafety purposes; Cancel for Any Reason Insurance (CFAR) is", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 8 of 80 \n \nNOT provided by the district. Therefore, all trip participants \nmust purchase their own (CFAR) insurance to protect their \ntrip investment. \n\uf06f Training: It is recommended that at least two chaperones \n(including the program leader) hold valid CPR AND first aid \ncertification. First Aid: Ensure the availability of a first aid kit. \nVerify emergency and medical information and contact \ndetails. \n\uf06f Chaperone Ratios: For overnight trips, the student-to- \nchaperone ratio is 7:1, with a two-chaperone minimum. It is \nrecommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to \nparticipate at the last minute or must leave the field. Tour \nguides, or employees of third-party vendors contracted to \nhelp operate the trip, are not considered chaperones, and \ndo not factor into the student to chaperone ratio. \n\uf06f Transportation: School buses or BPS-approved", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "help operate the trip, are not considered chaperones, and \ndo not factor into the student to chaperone ratio. \n\uf06f Transportation: School buses or BPS-approved \ntransportation vendors\u2019 vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride-sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be \nutilized to transport students to and from field trips or \nathletic events, except in the case of a bona fide emergency. \nRefer to TRN-03 and CAO-22 for information and regulations \non field trip transportation. \n\uf06f Water Activities: If your trip involves any activities in or on \nthe water, you must contact the Department of Global \nEducation for approval at least 16 weeks in advance. There is", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 9 of 80 \n \na separate and mandatory procedure for all trips involving \nwater. Please review CAO-27 and contact the Department of \nGlobal Education immediately. \n\uf06f Healthy Travelers: Be sure students have had a recent \n(current school year) doctor\u2019s visit and physical exam prior to \ndeparture. Students and staff should be current on all \nimmunizations and vaccinations, including those related to \nthe location they will be traveling to. Travelers should \nconsult with their primary care doctor and can also visit the \nCenter for Disease Control\u2019s website for information on \nstaying healthy while traveling at \nhttp://wwwnc.cdc.gov/travel/. If any student has a serious \nmedical condition, please be sure that their doctor writes a \nletter indicating that the child may safely attend and \nparticipate in trip activities. \n \nCHAPERONE CRITERIA \n\uf06f Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "participate in trip activities. \n \nCHAPERONE CRITERIA \n\uf06f Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are \nrequired to be 21 years of age or older. Any parent on the trip \nmust operate in the role of chaperone. All chaperones must \nbe approved by the head of school/principal. Every effort \nshould be made for students to have access to the field trip \nexperience, for chaperones to be representative of the \nstudent group, and for chaperones to include males and \nfemales. The selection and approval of chaperones by the", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 10 of 80 \n \nprincipal/head of school should be based on the individuals\u2019 \nthorough knowledge of and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role. \n\uf06f Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who are required to be 21 \nyears of age or older. All non-BPS employee chaperones \nmust submit a yearly CORI/SORI authorization form to the \nOffice of Human Capital. Complete the eCORI form online. \nContact the BPS Office of Human Capital (OHC) for CORI \ncheck and confirmation support. The principal/head of \nschool and the lead chaperone are responsible for \nsubmitting authorization forms to OHC and must not allow \nchaperones to take part in activities until they have been \nCORI/SORI cleared. Non-BPS employees who chaperone on", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "submitting authorization forms to OHC and must not allow \nchaperones to take part in activities until they have been \nCORI/SORI cleared. Non-BPS employees who chaperone on \na field trip are not covered for liability by the Boston Public \nSchools. The program leader must be sure that all \nchaperones, including non-BPS chaperones, are familiar \nwith the BPS Code of Conduct and other district and school- \nbased rules. \n\uf06f BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 11 of 80 \n \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\u25cf All chaperones must complete the Chaperone \nAgreement form. \n\u25cf Non-BPS employees who chaperone on a field trip are \nnot covered for liability by the Boston Public Schools. \n\u25cf Refer to CAO-22 for additional chaperone criteria. \n \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n\uf06f Essential Criteria: The program leader and principal/head of \nschool shall work together to establish essential \nparticipation criteria for the trip that informs students and \nparents of all activities and risks associated with each \nitinerary activity and trip location, to determine what \naccommodations or modifications may need to be made for \nthe student to successfully and safely participate in all or \nportions of the trip. \n\uf06f Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "portions of the trip. \n\uf06f Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit \nfriends, relatives etc., and rejoin the group. Students must \nremain with the group at all times. Field trips must be \nadvertised to all students (within the whole school, \nparticular grade, class/subject, club, or program associated \nwith the trip), regardless of their financial situation. Schools \nshall make every reasonable effort to make instructional \nfield trips affordable for all students. A student\u2019s ability to \npay may not be a criterion for field trip participation. Trips \nmust be advertised to all students (within the school,", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 12 of 80 \n \nparticular grade, class, or program associated with the trip), \nregardless of their financial situation. \n\uf06f Accommodations: Students with English Learner status, 504 \nplans, and/or IEPs cannot be denied access to field trips due \nto their status, or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. See \nSuperintendent\u2019s Circular SHS-8 for information about \nmedical dispensation on field trips. Participating students\u2019 \nIEP or 504 plan shall be available to any staff coordinating \nand/or participating in the field trip. If any student has a \nserious medical, or mental health condition, please be sure \nthat their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "serious medical, or mental health condition, please be sure \nthat their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip \nactivities. Keep this document on file with other key \npermissions slips and medical forms. \n\uf06f Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQ community, students with disabilities, those who \nmay be in the minority during your field trip experience, and \nthose students who belong to groups that have experienced \nmarginalization in the location being visited. Program \nleaders must (1) work to prepare students for sensitive \nexperiences, and (2) ensure that the program is safe and", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 13 of 80 \n \ninclusive for all students. Consult the Department of Global \nEducation for resources if needed. \n\uf06f Inclusive Rooming: The program leader and principal/head \nof school shall work with transgender and gender \nnonconforming students to provide accommodations \n(including rooming) that affirm the student\u2019s gender \nidentity while also ensuring safety. Program leaders should \nwork with students and families to make sure all travel \ndocuments (airline tickets, passport) reflect their legal \nnames as listed on government-issued identification, while \nall unofficial documents and materials may reflect the \nstudent\u2019s preferred name. Please view additional rooming \nguidelines from the Office of Equity here. BPS students and \nparents are required to sign a BPS Student Traveler & Family \nAgreement form regarding student conduct while \nparticipating in a BPS sponsored field trip. Participation in \nfield trips may be denied to any student who has", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Agreement form regarding student conduct while \nparticipating in a BPS sponsored field trip. Participation in \nfield trips may be denied to any student who has \ndemonstrated disregard for the policies and rules of BPS or \nthe school prior to the field trip. Parents/guardians and \nstudents must be made aware of this policy in advance and \ncommunicated with throughout any processes involving \ntheir child not participating in a field trip. \n\uf06f Student Dismissal: Following an investigation, if the \nprogram leader, in consultation with the principal/head of \nschool and Central Office staff, determines that a student\u2019s \nconduct while on an overnight trip, poses a risk to \nthemselves, or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves \nthe right to request, and make arrangements for that", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 14 of 80 \n \nstudent to return home. The district also reserves the right \nto request that families assume responsibility for all or a \nportion of the costs associated with their child\u2019s return. \nStudents may be subject to further disciplinary action and \nwill be provided the opportunity to have a formal hearing at \nthe school level upon return. The school must document the \nparent/guardian\u2019s consent of this policy prior to the trip. \nIf a student is to be dismissed from an overnight field trip, \nthe student\u2019s parent/guardian must be notified in advance \nand should agree to meet the student at the airport or other \nagreed-upon destination. If the parent/guardian is not \nreachable, the student\u2019s principal or appropriate school- \nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed-upon destination. \nStudents under the age of 16 must be accompanied on their", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "based point of contact must be notified and agree to meet \nthe student at the airport or other agreed-upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines.) Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n\uf06f Attendance: Provisions must be made in advance for any \nstudent not attending the trip and staying at school. If \napplicable, provide alternative arrangements and/or \ncomparable activities for students not attending the trip or \nunable to participate in a portion of your trip. If a student\u2019s \nfamily elects for their child not to attend a field trip for any \nreason, the child may not be penalized through their grade", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "unable to participate in a portion of your trip. If a student\u2019s \nfamily elects for their child not to attend a field trip for any \nreason, the child may not be penalized through their grade \nor otherwise. Attendance forms should indicate when a", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 15 of 80 \n \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times. \n \nPRE-DEPARTURE CONFIRMATION CHECK \n \nEight Weeks (or More) Prior to Your Trip: \n\uf06f Develop transportation plans: mode of transportation, travel \ntime, cost, etc. (If applicable, be sure to note how and with \nwhom the child will travel to and from a field trip\u2019s \ndeparture and pick-up locations.) \n\uf06f Review all students\u2019 medical forms with the school nurse \nand school counselor to ensure all documents are \ncompleted, to support each student\u2019s health during the trip. \n(Please note: nurses and counselors do not \u201cclear\u201d students \nfor travel but will provide chaperones with guidance in \nsupporting students while traveling.) Consult with and, \nwhen necessary, receive training from and obtain written", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "for travel but will provide chaperones with guidance in \nsupporting students while traveling.) Consult with and, \nwhen necessary, receive training from and obtain written \ncomments from the school nurse and counselor regarding \nany students who have expressed medical needs (e.g., \nmedication, asthma, allergies, etc.). \n\uf06f If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of \ninsurance on the Medical Information Form.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 16 of 80 \n \nFive Weeks (or More) Prior to the Field Trip: \n\uf06f Contact the field trip site and ensure that the necessary \narrangements are still in place. \n\uf06f Collect the completed and signed Parental Authorization for \nOvernight Trip, Medical Information, and Medication \nAdministration forms from each participating student and \nchaperone and ensure that copies of all forms (and the \nitinerary) are submitted to the principal/head of school. \n* Contact the Department of Global Education for the \nInformed Consent Template to be tailored for your trip and \nthen shared with families. \n\uf06f If necessary, collect the Notarized Parent/Guardian Airline \nTravel Consent form. \n\uf06f Hold a chaperone team meeting to distribute trip \nresponsibilities and to review the student team. \n\uf06f Review students\u2019 permission slips and medical forms; \nprepare any questions for follow-up with families and the \nschool nurse.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "responsibilities and to review the student team. \n\uf06f Review students\u2019 permission slips and medical forms; \nprepare any questions for follow-up with families and the \nschool nurse. \n\uf06f The lead chaperone will record the names of the chaperones \nand whom each chaperone is supervising; each chaperone \nmust carry this list. \n\uf06f Chaperones will organize a buddy system, pairing students \nwith one another for safety purposes.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 17 of 80 \n \n\uf06f The lead chaperone will prepare trip binder for all \nchaperones (see During the Trip section which lists all \nbinder contents). \n\uf06f Notify the appropriate principal leader and the Department \nof Global Education of your overnight travel plans by \nscanning and emailing the Overnight Field Trip Request \nForm at least four weeks in advance. \n \nTwo Weeks (or More) Prior to the Field Trip: \n\uf06f If applicable, inform the food service manager or attendant \nof the names of the students going on the trip and the date \nand time of the field trip. \n\uf06f Verify all arrangements, including transportation and \nreception at the site. \n\uf06f Contact parents/guardians via telephone or in-person to \nreview the final details of travel and verify emergency, \nmedical and safety information, and contact details. Be sure \nfamilies have copies of their child\u2019s permission and medical \nforms as well as the trip itinerary and contact details.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "medical and safety information, and contact details. Be sure \nfamilies have copies of their child\u2019s permission and medical \nforms as well as the trip itinerary and contact details. \n\uf06f Notify/consult with the principal/head of school (and \nDepartment of Global Education) if trip plans have changed \nfrom the original field trip request. \n \nCOMMUNICATION PLAN \n\uf06f For Domestic Overnight Trips: The principal/head of school \n(or designee) is the emergency contact for program leaders \nand must be notified in the event of a serious medical", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 18 of 80 \n \nemergency or other emergency event. The Department of \nGlobal Education should be used as a resource for questions \nregarding safety on trips, and for support with insurance \nsupport and claims. Prior to departure, program leaders will \nreceive emergency contact information. \n\uf06f Phone Service Coverage: Program leaders must have cell \nphone coverage for the duration of the trip for \ncommunication with BPS and families in the event of an \nemergency. This cell phone must be on at all times so you \nmay be contacted in case of an emergency. If this is not \npossible due to your location, please arrange a \ncommunication plan with the Department of Global \nEducation. Program leaders must carry the phone numbers \nfor the principal/head of school or sponsoring district \ndepartment and the Department of Global Education. You \nare required to call anytime there is an emergency. \n\uf06f District Communication: Codify a clear communication plan", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "department and the Department of Global Education. You \nare required to call anytime there is an emergency. \n\uf06f District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment prior to departure. You must check-in via phone \ncall, text, or email upon arrival, every 48 hours, whenever the \nitinerary significantly changes, whenever you expect to lose \ncell/email coverage, upon departure, and upon safe return. \nYou MUST check-in via phone when there is an incident.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 19 of 80 \n \nDefinitions of communication types and expectations: \nGreen Communication: No immediate concern. \nProgram leader: notifies principal about arrival, departure, \nchanges in itinerary, loss of connectivity, highlights of \nprograms, photos. *Check in daily via text, phone call, email. \nYellow Communication : A Yellow Call is a reportable \nsituation or event, but no threat to life, limb, eyesight, or \npotential for severe emotional trauma. The incident is \nmanaged effectively in the field by program leader, but \ncould devolve into a serious or critical incident, and requires \nattention from BPS on-call staff. \nProgram leader: (1) notifies principal; (2) documents Incident \nSOAP Report; (3) monitors; (4) updates on-call BPS staff. \nRed Communication: Critical, violent, time-sensitive \nincident, illness, injury; or event that resulted in the loss of \nOR potential loss of life, limb, eyesight. \nRequires IMMEDIATE RESPONSE of program leader:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "incident, illness, injury; or event that resulted in the loss of \nOR potential loss of life, limb, eyesight. \nRequires IMMEDIATE RESPONSE of program leader: \n(1) notifies principal; (2) alerts local medical assistance and/or \nlaw enforcement; (3) documents Incident SOAP Report; \n(4) monitors; (5) updates on-call BPS staff. \n\uf06f Communication with Families: Call students the night \nbefore travel to ensure transportation to the departure \nlocation is set, remind students to bring travel documents, \nand answer last-minute student and family questions. Set \nexpectations regarding communication during travel \nbetween chaperones/student travelers, and the", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 20 of 80 \n \nprincipal/families. Families must know who to call 24/7 in \ncase of an emergency. \n \nDURING THE FIELD TRIP PROGRAM \n\uf06f On the day of the trip, take attendance and leave the current \nlist of students attending the trip with the principal/head of \nschool. If applicable, record a specific bus number and \ndriver\u2019s name and leave this information with the \nprincipal/head of school and share with all chaperones and, if \nage-appropriate, students. \n\uf06f Team Safety: If you believe conditions are unsafe, or \nunhealthy at any point on the trip, it is the program leader\u2019s \nresponsibility to make adjustments in the interest of \ngroup/individual safety. Consult your principal/head of \nschool and the Department of Global Education during the \ntrip when you have questions regarding trip safety. \n\uf06f Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "trip when you have questions regarding trip safety. \n\uf06f Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n\uf06f Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nwith the chaperone team the \u201cAssessment\u201d and \nprepare for orientation and fire drill. \n\uf06f Share evacuation plan and emergency plans: Discuss \nwhere students go during an emergency or otherwise? \nDiscuss where students go if they are separated from \nthe group during an activity.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 21 of 80 \n \n\uf06f Ensure students have a list of the key addresses \n(hotel/chaperone information) and emergency \ninformation as well as copies of all travel documents. \nShare where you are staying (room number if \napplicable) and how to reach you on the trip. \n\uf06f Conduct in-country orientation for conduct and \ncultural expectations. Set expectations for phone usage \nand social media. This is especially critical during an \nemergency. \n\uf06f Conduct safety orientations for service learning \nprojects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating, \nand for agricultural projects, chaperones with the \nsupport of program providers, must conduct a safety \norientation at the beginning of each activity. \n \nStudent Debriefs/Reflections: \n\uf06f Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\uf06f Conduct afternoon and/or evening debriefings to", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Student Debriefs/Reflections: \n\uf06f Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\uf06f Conduct afternoon and/or evening debriefings to \nreview the next day\u2019s itinerary, gather feedback, and \nprocess the day\u2019s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them break \ndown stereotypes so that when they return, they have \na deeper understanding of the culture and country \nthey visited. Draw connections to how they will take", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 22 of 80 \n \nthe experience home with them and how the lessons \nthey have learned will translate back home. \n \nCheck-Ins & Student Supervision: \n\uf06f Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n\uf06f Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n\uf06f Conduct nightly bed checks to be sure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel be sure to request in advance for students \nto be placed near chaperones. \n\uf06f Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful of \nromantic relationships amongst students. \n\uf06f Conduct regular and frequent headcounts and buddy", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Adults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful of \nromantic relationships amongst students. \n\uf06f Conduct regular and frequent headcounts and buddy \nchecks throughout the day. Do not leave students \nalone. Students should be accompanied by chaperones \nunless part of a scheduled activity and age appropriate \nas approved by their parent/guardian in advance. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 23 of 80 \n \ngroups of three AND always know how to reach an \nadult chaperone. \n \nDOCUMENTS TO TAKE \nAll chaperones must carry a trip binder at all times (or have them \nvery close at hand) that includes the following documents. The \nprogram leader carries the original forms; all other chaperones \ncarry copies. \n\u25cf Permissions slips (updated based on contact \nverification done with families) \n\u25cf Medical Information Form and Medical Administration \nForm \n\u25cf Student & Family Conduct Agreement Form \n\u25cf Parental waivers (if applicable) \n\u25cf Notarized Airline Consent Form (if applicable) \n\u25cf Copies of passports, visas, resident cards, and other \ntravel-related documents \n\u25cf Emergency Action Plan (EAP) \n\u25cf Insurance information \n\u25cf BPS Field Guide protocols with emergency phone \nnumbers \n\u25cf Fire prevention and safety information \n\u25cf Incident Report (blank and/or completed) \n\u25cf Witness Report Form (blank and/or completed)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "\u25cf BPS Field Guide protocols with emergency phone \nnumbers \n\u25cf Fire prevention and safety information \n\u25cf Incident Report (blank and/or completed) \n\u25cf Witness Report Form (blank and/or completed) \n\u25cf Incident Investigation Log (blank and/or completed)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 24 of 80 \n \n\u25cf SOAP Note (blank and/or completed) \n\u25cf List of addresses and emergency contacts in-country \nfor all travelers \n\u25cf Water Activities Forms if applicable \n\u25cf Program leaders carry originals of permission slips and \nmedical forms; other chaperones carry copies. \n \nDOCUMENTS TO LEAVE FOR YOUR PRINCIPAL/HEAD OF \nSCHOOL \n\u25cf CAO-24 circular with checklists \n\u25cf Permissions slips (updated based on contact \nverification done with families) \n\u25cf Student & Family Conduct Agreement Form \n\u25cf Parental waivers (if applicable) \n\u25cf Medical Information Form and Medical Administration \nForm \n\u25cf Notarized Airline Consent Form (if applicable) \n\u25cf Copies of passports, visas, resident cards, and other \ntravel-related documents \n\u25cf Emergency Action Plan (EAP) \n\u25cf Insurance information \n\u25cf Fire prevention and safety information \n\u25cf International Program Incident Report (blank for \nreference) \n\u25cf Water Activities Forms (if applicable)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 25 of 80 \n \nAFTER THE FIELD TRIP (MANDATORY) \nEnsure all students safely return to their parents/families \nwhen you arrive back from the destination by following \nexpectations set prior to the trip for student pick-up from \narrival location. \n\uf06f Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students \n(inform parents/guardians) to see a doctor immediately if \nthey are not feeling well after the trip and to inform the \ndoctor of their recent travels. \n\uf06f Incident Reports: If applicable, file and follow up with an \nIncident Report. \n \nAFTER THE FIELD TRIP (SUGGESTED) \n\uf06f Write thank-you notes. \n\uf06f Present to school, family, and the community about the \nexperience. \n\uf06f Conduct related creative and/or analytical projects to \nshowcase student learning.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "\uf06f Write thank-you notes. \n\uf06f Present to school, family, and the community about the \nexperience. \n\uf06f Conduct related creative and/or analytical projects to \nshowcase student learning. \n\uf06f Write a news article about the trip for a local newspaper or \nwebsite. \n\uf06f Email stories, journals, and pictures of your trip to the \nDepartment of Global Education.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 26 of 80 \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \n1. Overnight Field Trip Request Form \n2. Emergency Action Plan \n3. Parental Authorization for Overnight Field Trip \n4. Medical Information Form \n5. Medication Administration Form \n6. Notarized Parent/Guardian Airline Consent Form \n7. Overnight Programs Incident Report \n8. Overnight Programs Witness Report \n9. Overnight Programs Incident Log \n10. Fire Prevention and Safety Instructions \n11. BPS Student Traveler & Family Agreement Form \n12. BPS Chaperone Agreement Form", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 27 of 80 \n \nOVERNIGHT FIELD TRIP CHECKLIST \nPlease sign this checklist, retain a copy for your file, and submit \nthe original to the school office for filing. \nYour signature indicates that you read and understand the \npolicies in this circular; that they have been/will be followed; and \nall checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \nProgram Leader: Date \n \n \nSignature of Principal/Head of School or Date \nSponsoring District Department", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 28 of 80 \n \nCAO- 24 ACKNOWLEDGEMENT FORM \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach it to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \n \n \n \nSignature of program leader Date \n \n \n \nSignature of Principal/Head of School Date \nor Sponsoring District Department", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 29 of 80 \n \nOVERNIGHT FIELD TRIP REQUEST FORM \nThis form is submitted to the principal/head of school and is kept \non file in the school office. In addition, notify the appropriate \nNetwork Superintendent and the Department of Global \nEducation of your plans (four weeks in advance) by faxing or \nemailing as a PDF the following documents: 1) Overnight field \nTrip Request Form signed by the principal/head of school , 2) \nDay- by-Day trip itinerary, 3) Student roster; D.O.B, grade, \nemergency contact name, and number and 4) if applicable, your \nflight or train itinerary. Please call or email to ensure these \ndocuments have been received by all parties. \n \nSCHOOL INFORMATION: \nSchool: \n \nDate Submitted: \n \n \nTRIP OVERVIEW: \nNumber of Students: Number of Chaperones: \n \n \n(Supervision: maximum ratio 10:1 with a two-chaperone \nminimum. For students with disabilities, the ratio of staff to", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "TRIP OVERVIEW: \nNumber of Students: Number of Chaperones: \n \n \n(Supervision: maximum ratio 10:1 with a two-chaperone \nminimum. For students with disabilities, the ratio of staff to \nstudents must be at least the same as the ratio mandated in \ntheir IEPs for their classes.)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 30 of 80 \n \nField Trip Category: \nDestination: \nDates of Trip: \n \nOverview of Trip (Educational Purpose): \n \n \n \n \n \nACCOMMODATION/LODGING INFORMATION \n \n \nAccommodation Name: \nAddress: \nPhone Number:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 31 of 80 \n \nPROGRAM PROVIDER INFORMATION \n(If working with a company, organization, or partner) \n \nProgram Provider: \nProgram Provider Contact Person: \nProgram Provider Telephone Number: \nProgram Email: \n \nITINERARY \nPlease attach the detailed day-by-day itinerary:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 32 of 80 \n \nPROGRAM LEADER: \n \nProgram Leader/Lead Chaperone: \n \nRole in School: \nProgram Leader Phone # (prior to the trip): \nProgram Leader Phone # (during the trip): \nProgram Leader Email: \nOther Chaperones/Roles in School/ Phone Numbers on Field Trip: \nAttach a separate sheet if necessary. \n \nName Role Phone # Email", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 33 of 80 \nStaff are not permitted to drive students. Privately owned \nvehicles, vehicles from non-approved vendors, or leased \nvehicles are not to be used to transport students to and from \nfield trips except in the case of a bona fide emergency. Staff \nwho use their own vehicles risk being legally liable. Please refer \nto TRN-03 for regulations regarding field trip transportation. \n \nSTUDENT PARTICIPANTS: \nPlease attach a student roster that includes: Legal and last \nname, D.O.B, grade, emergency contact name, and phone #. \n \nTRANSPORTATION INFORMATION: \n \n \nMethod of Transportation: \n \nTransportation Company: \n(For bus transportation, only BPS -approved vendors may be \nused regardless of how the trip is paid for. See TRN-3 for list.) \nContact Information (phone and address): \n \n \n \nDeparture Location and Time: \nReturn Location and Time: \n*If applicable, attach detailed train or flight information.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 34 of 80 \n \nFUNDING SOURCES: \nTotal Cost: $ \n \nFunding Source: \nGrant Number: \nBEDF Account Code/Description: \n \n \n \nApproved by: \nPrincipal/Head of School \nor Sponsoring District Department \nDate: \nYour signature indicates that all policies outlined in CAO-22 AND \nCAO-24 regarding overnight field trips will be followed.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 35 of 80 \n \nEMERGENCY ACTION PLAN (EAP) \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP \nDo not leave the injured person alone or without an adult \npresent. \n \n1. REMAIN CALM. This helps the operator receive your \ninformation. \n2. DIAL 911. Remember you may need to access an outside line \nfirst. \n3. My name is . I am a (your role) in the Boston \nPublic Schools. \n4. I need paramedics now. \n5. My exact address is . \n6. There is a person with a (state type/location of injury) injury. \n7. The person\u2019s name is and they are \nyears old. \n8. The person is located at which is on the \n(North/South/East/West) side of the facility. \n9. I am calling from (telephone number). \n10.(Name) will meet the ambulance. \n11. Don\u2019t hang up. Ask for the information to be repeated back \nto you and answer any questions the dispatcher may have. \nHang up the phone when all information is correct and \nverified.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 36 of 80 \n \n12. Wait with the person until EMS arrives. \n13. Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \n14. Call your head of school or appointee. The Department of \nGlobal Education can assist in contacting the necessary \ndistrict personnel and insurance providers. File an Overnight \nProgram Incident Report and Overnight Incident Log. \nPrincipal/Head of School: \n \nPhone Numbers: \nPrincipal Leader: \nDepartment of Safety Services: (617) 635-8000 \nDepartment of Global Education: \n \nAdditional Phone Numbers:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 37 of 80 \n \nPARENTAL AUTHORIZATION FOR DOMESTIC \nOVERNIGHT FIELD TRIP \nASSUMPTION OF RISK, WAIVER, RELEASE, AND INDEMNITY \nHOLD HARMLESS AGREEMENT \nProgram Leaders: \nAccess the required Assumption of Risk, Waiver, Release, and \nIndemnity Hold Harmless Agreement template here. Please \nmake a copy of this template document before you edit the text \nin RED, and then share it with the Director of Global Education. \nThis document is to be reviewed by the Director of Global \nEducation & BPS Legal BEFORE sharing with parents/guardians \nfor signature** \nThis document is a requirement, and a binding legal document. \nShould you have any questions, please contact the Department \nof Global Education.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 38 of 80 \n \nMEDICAL FORM OVERNIGHT TRIPS \nGENERAL INFORMATION \nIMPORTANT NOTES: \n\u2022 Students may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly \nand accurately so we may be in the best position possible to \nsupport you/your child. \n\u2022 Please indicate with an X HERE if you would like to \nschedule a meeting with the program leader of the trip to \ndiscuss your child\u2019s medical or mental health. \n\u2022 To participate in a domestic overnight trip, a copy of the \nstudent\u2019s current school year physical examination record \nmust be on file at the school in order to participate on an \novernight field trip. If traveling internationally, all students \nmust visit their primary care doctor prior to traveling and be \ncurrent on all immunizations and vaccinations for the U.S. in \naddition to the recommended immunizations and \nvaccinations for the locations/country(s) to be visited.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "current on all immunizations and vaccinations for the U.S. in \naddition to the recommended immunizations and \nvaccinations for the locations/country(s) to be visited. \n\u2022 To be completed by the parent/guardian of the BPS student.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 39 of 80 \n \nSTUDENT INFORMATION \n \nStudent\u2019s Full Name: \n \n \nDate of Birth: \n \n \nCountry of Origin: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 40 of 80 \n \nEmergency Contact # 1 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail: \nEmergency Contact # 2 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 41 of 80 \n \nMEDICAL FORM OVERNIGHT TRIPS \nSTUDENT HEALTH QUESTIONS \nIMPORTANT NOTES to be completed by the parent/guardian of \nthe BPS student at least two months in advance of trip: \n1. Primary care physician\u2019s name and contact information (in \ncase of an emergency): \n \n \n2. Health insurance provider\u2019s name, policy #, and contact \ninformation (in case of emergency): \n \n \n3. Insurance provider claim instructions/procedures (in case of \nemergency): \n \n \n4. The student has the following health conditions and/or \nallergies of which BPS should be \naware: \n \n \n5. Physical health conditions: \n \n \n6. Behavioral/mental health conditions: (e.g., depression, \nanxiety, etc.) \n \n \n7. Allergies (food, medication, insects, plants, animals, etc.):", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 42 of 80 \n \n8. The student takes the following medications (including \nover-the-counter and herbal) and/or prescriptions of which \nBPS should be aware. (Be sure to complete the Medical \nAdministration Form): \n \n \n9. If medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken \nand the time at which it may be given again. \n \n \n10. Is there any factor that makes it advisable for your child to \nfollow a limited program of physical activity? (i.e., asthma, \nrecent surgery, heart condition, fear, etc.) If yes, specify the \nways in which you wish their program limited. If the student \nhas asthma, please attach the asthma action plan to this \nmedical form. \n \n \n11. Are there any activities on the itinerary that your child \ncannot or should not do? \n \n \n12. Other than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "cannot or should not do? \n \n \n12. Other than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 43 of 80 \n \n13. Other than a yearly physical, has the student been under a \nphysician\u2019s or other medical professional\u2019s (e.g., social \nworker, therapist, etc.) care anytime in the last year. If yes, \nplease detail the reason and dates of treatment. \n \n \n14. Please list any hospital, treatment center, surgical, \npsychiatric, or urgent care visits within the last year: (Please \nspecify the date, the reason, the physician or professional \nseen, and the length of stay.) \n \n \n15. Additional information of which BPS should be aware \nconcerning student\u2019s health:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 44 of 80 \n \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate \nservices and understand that chaperones will consult with \nthe school nurse about each student's health so they will be \nin the strongest position to support you/your child on this \nprogram. \n \n \n \nStudent Signature, if at least 18 years of age Date \n \n \n \n \nParent/Guardian Signature, if the student Date \nis under 18 years of age \n \n \n\u25aa If necessary, attach the doctor\u2019s letter to this form. \n\u25aa If necessary, attach the asthma action plan to this form. \n\u25aa If necessary, attach the diabetes action plan to this form. \n\u25aa If necessary, attach copies that document student shots \nand immunizations to this form.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 45 of 80 \n \nMEDICAL FORM: OVERNIGHT TRIPS \nMEDICATION ADMINISTRATION \n \n*Please send only essential medications with your student \non this trip. \n \n \nStudent Name: \n1. Name of Medication: \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n2. Name of Medication: \n \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 46 of 80 \n \n3. Name of Medication: \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n4. Name of Medication: \n \nTime(s) to be taken: \n \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n \n \nAdditional information/special instructions:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 47 of 80 \n \nI authorize my child to take the above medications on this trip. \n \n \n \n \n \nStudent Signature, if at least 18 years of age Date \n \n \n \n \nParent/Guardian Signature, if student is Date \nunder 18 years of age", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 48 of 80 \n \nTRAVEL CONSENT FORM (PAGE 1) \n \nThe parties to this agreement are: \nParent/ Legal Guardian: (hereinafter referred to as \u201cthe \nparent/guardian\u201d) \n \nFirst and Last Name: \n \nPhysical Address: \n \nContact Details: \n \nChild: (hereinafter referred to as \u201cthe child\u201d) \n \n \nFirst and Last Name: \n \nBirthdate: \n \nTraveling Guardian(s) and Contact Details: (hereinafter referred \nto as \u201cThe Traveling Guardians\u201d) \n \n \nFull Name: \nAddress: \nContact Details:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 49 of 80 \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 2) \n \n1. I hereby authorize the child to travel with the traveling \nguardians to the following destination: \n2. The period of travel shall be from to \n . \n3. Should it prove to be impossible to notify the parent/ \nguardian of any change in travel plans due to an emergency \nor unforeseen circumstances arising, I authorize the \ntraveling guardian to authorize such travel plans. \n4. Should the traveling guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it \nadvisable to make special travel arrangements for the child \nto be returned home due to unforeseen circumstances \narising, I accept full responsibility for the additional costs \nwhich shall be incurred thereby. \n5. I indemnify the traveling guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "which shall be incurred thereby. \n5. I indemnify the traveling guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims \narise from negligence, gross negligence, or willful intent \nduring the specified period of this travel consent. \n6. I declare that I am the legal custodian of the child and that I \nhave the legal authority to grant travel consent to the \ntraveling guardian of the child. \n7. Unless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 50 of 80 \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 3) \n \n \nSigned at on the day of \n , 20 . \n \nSignature (Parent/ Guardian) \nSignature (Witness 1) \nSignature (Witness 2) \n*Witness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this day of , 20 , before me, \nthe undersigned authority, personally appeared and proved to \nme through satisfactory evidence of identity, to wit, to be the \nperson(s) whose name(s) is/are signed on the attached \ndocument and who signed in my presence. \n \n \nOfficial Notary Signature: \n \n \nName of Notary Typed, Printed or Stamped: \n \n \nCommission Expires:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 51 of 80 \n \nSTUDENT SUPPORT DURING DOMESTIC OVERNIGHT \nPROGRAMS FORM (RECOMMENDED) \n \n \nNote: This form is to be completed by students who intend to \nparticipate in an overnight program. The information is \nconfidential and will be used by program leaders to better \nunderstand and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: \n \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \n1. What are you nervous about? \n \n \n \n \n2. What are you excited about? \n \n \n \n \n3. What scares you about the trip location or activities \n(itinerary)?", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 52 of 80 \n \n4. When in a new environment, I get anxious when\u2026 \n \n \n \n \n5. When in a new environment, I get upset when\u2026 \n \n \n \n \n6. In order to get the most learning and benefits from \nthis experience, I will need\u2026", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 53 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \n \nA. Complete all Fields: \nSchool/s: \nDate of Report: \nCountry: \nIncident Date and Time: \nReporting Chaperone: \nB. Complete all Applicable Fields: \n \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 54 of 80 \n \nDomestic Overnight Programs Incident Report (page 2) \n \nC. Nature of Incident (check all that apply) \n \n\uf06f Injury \n\uf06f Equipment Fail \n\uf06f Behavioral/ \nPsychological \n\uf06f Illness \n\uf06f Missing/Separa- \nted Person \n\uf06f Natural Disaster \n\uf06f Physical Assault \n\uf06f Sexual \nAssault \n\uf06f Theft \n\uf06f Property \nDamage \n\uf06f Sexual \nHarassment \n\uf06f Fatality \n\uf06f Crime \n\uf06f Political \nUpheaval \n\uf06f Disease \nOutbreak \n\uf06f BPS Code \nof Conduct \nviolation \n\uf06f Other: \n \n \nD. Narrative (Using facts, describe what happened):", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 55 of 80 \n \nDomestic Overnight Programs Incident Report (page 3) \n \nE. Activity at Time of Incident (check all that apply) \n \n\uf06f Class time \n\uf06f Service \n\uf06f Homestay \n\uf06f Traveling \n\uf06f Fieldtrip \n\uf06f Camping \n\uf06f Hike/Jog/Walk \n\uf06f Swimming \n\uf06f Water Activity \n\uf06f Other: \n \n \nF. Contributing Factors (Check all that apply) \n \n\uf06f Not disclosed in \nmedical form \n\uf06f Sports/Recreation \n\uf06f Animal/Insect/Plant \n\uf06f Pre-Existing \nCondition \n\uf06f Alcohol/Drugs/ \nMedication \n\uf06f Motor Vehicle \n\uf06f Weather/Terrain \n\uf06f Pre-Course Info \n\uf06f Orientation/ \nTraining \n\uf06f Political/ \nCultural/ \nLanguage \n\uf06f Other", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 56 of 80 \n \nDomestic Overnight Programs Incident Report (page 3) \n \nG. Action Taken Details \nFirst Aid \nWhen \nBy Whom \n \nType (i.e., medication, CPR, \netc.) \n \nEmergency Evacuation \nVisit Medical Facility \nName of Facility \nDoctor/PA/Nurse \nReported Diagnosis \nMedication Prescribed \n \nEmergency Contact Person \nNotified? \n\u2610 Yes \u2610No Name: \nDate and Time Contacted: \nNotes:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 57 of 80 \n \nG. Action Taken Details \nDepartment of Global \nEducation (DGE) Contacted? \n\u2610 Yes \u2610No \nName: \nDate and Time DGE Contacted: \nNotes: \nInsurance Contacted? \u2610 Yes \u2610No \nName: \nDate and Time Contacted: \nClaim #: \nNotes: \nLocal Authorities Notified? \u2610 Yes \u2610No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 58 of 80 \n \nG. Action Taken Details \nFollow-up Plan Details: \n \n \n \nSignature of Reporting Chaperone: Date: \nFile this Overnight Incident Programs Report along with \nany accompanying reports/documents from local law \nenforcement, medical professionals, and/or International \nPrograms Witness Report via email if possible OR as soon \nas circumstances permit. Turn in the original report to the \nDGE as soon as you return to Boston. Incident reports \nrequire at least one witness signature, and where possible \nthe signatures of all impacted participants.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 59 of 80 \n \nDomestic Overnight Programs Incident Report (page 6) \n \n \nWitness Signature Date \nSignatures of those impacted: \n1. Date: \n2. Date: \n \n3. Date: \n4. Date:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 60 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \n \nWitness Statement of [Name]: \nPhone Number: \nAddress: \n \n \n \nDescription of Incident: \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nI believe the contents of this statement are true. \nSignature: Date:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 61 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS \nINVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \n \nEvent Time Location Parties \nInvolved \nSource of \nInformation", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 62 of 80 \n \nEvent Time Location Parties \nInvolved \nSource of \nInformation \n \n \n \n \n \n \n \n \nSignature of Investigator Date", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 63 of 80 \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health \nrelated incidents requiring further monitoring and/or \nevacuation. SOAP Notes should be attached to the \ncorresponding Incident Report. \n \nSubjective: What the patient tells you; note the chief \ncomplaint(s): \n \n \n \n \n \n \nObjective: What you see; vital signs; general survey of patient: \n \n \n \n \n \n \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \n \nAnticipated Problems:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 64 of 80 \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n \n \n \n \n \n \nReporting Chaperone Date \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 65 of 80 \n \nFIRE PREVENTION AND SAFETY PRACTICES \nOVERNIGHT PROGRAMS \nFire safety plans on overnight and international programs \ndiffer from the procedures set for our schools. The laws that \nregulate fire prevention may differ from what exists in \nMassachusetts. The steps below must be followed on all \novernight and international programs: \n1. Conduct a fire prevention assessment. \nThe program leader must conduct a fire safety \nprevention assessment using the Fire Prevention and \nSafety Form (Attachment A) within 24 hours of arrival. \nUsing the Fire Prevention and Safety Form, the \nprogram leader shall formulate a plan for the \nevacuation of all persons on the trip in the event of a \nfire or other emergency. This plan shall include \nalternate means of egress and should be created in \nconsultation with an accommodation staff person, and \nif applicable, the third-party provider. \n2. Prepare Chaperone Team on fire prevention strategy.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "consultation with an accommodation staff person, and \nif applicable, the third-party provider. \n2. Prepare Chaperone Team on fire prevention strategy. \nBased on the results from the Fire Prevention and \nSafety Form, the program leader should ensure that \neach staff member receives and understands the fire \nprevention landscape and has instructions on the fire \ndrill procedure created for the accommodation. \nQuestions to review include: \na. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 66 of 80 \n \nand all places where the group may congregate. Use \nthe hotel\u2019s posted evacuation routes if applicable.) \nb. Where is the designated meeting point? (This \nmeeting point should be a safe distance from the \nbuilding, but easy for the group to identify and \nlocate.) \nc. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and \nshould serve as the contact person for emergency \npersonnel.) \nd. What are some hazards that students and \nchaperones should be aware of? \ne. What happens in the case of a missing person? \n3. Review prevention strategy with students and conduct a \nfire drill. \nThe lead chaperone and the chaperone team will \nreview the fire prevention strategy and conduct a fire \ndrill (walkthrough) with the students within the first 24 \nhours of the trip. Conducting a fire drill (walkthrough)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "review the fire prevention strategy and conduct a fire \ndrill (walkthrough) with the students within the first 24 \nhours of the trip. Conducting a fire drill (walkthrough) \nis important as participants are unfamiliar with the \nbuilding. \nInstructions for fire drills: \nSince each accommodation is different, each plan and \ndrill will vary. Regardless of the accommodation, it is \ncritical that a procedure is in place for evacuating the \nbuilding, each chaperone knows their responsibilities, \nevery student participates in the fire drill", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 67 of 80 \n \n(walkthrough), and each person knows the meeting \nlocation when evacuated from the building. Please \nnote: A fire drill as defined here is a walkthrough of the \nroute the group will take to exit the premises in the \nevent of an emergency. \nA few general instructions: \n\u25cf Evacuate immediately. \n\u25cf Do not use elevators during a fire evacuation. \n\u25cf Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n\u25cf Make sure all students know all possible exits from \ntheir area and that students know where the meeting \nlocation is outside of the building. \n\u25cf Fire drill plans must ensure adequate procedures for \nthe emergency evacuation of students and staff with \ndisabilities. (Have a staging location for students/staff \nwith disabilities and make sure hotel/hostel personnel \nare also aware.) \n\u25cf Chaperones are responsible for students under their \nsupervision and must take attendance.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 68 of 80 \n \n\u25cf Upon the evacuation of a building, no person or \npersons shall re-enter the building without the \nauthorization of the lead chaperone. The lead \nchaperone, as a part of their fire drill procedures, must \nestablish a command procedure for such evacuations. \n4. Conduct a post-fire drill debrief. \nAfter the fire drill, the chaperone team should set aside \ntime to debrief. Record response on Attachment A.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 69 of 80 \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nFor each accommodation, please complete and, upon your \nreturn, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept \non file for the current fiscal year plus three additional years \nafter the field trip has occurred. \n \nBUILDING: \nProgram Leader: \nDate of the Safety Prevention Assessment: \nName/s and Titles of Staff Consulted for Assessment: \n \n \n(accommodation staff/ program provider staff) \n \n \nOUTSIDE THE BUILDING: \nList the possible hazards in the area: \n \n \n \n \nCan the accommodation be accessed by a fire department \nor emergency team? \uf06f YES \uf06f NO", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 70 of 80 \n \nINSIDE THE BUILDING \nEquipment: \nDoes the building have fire alarms? \u2610 YES \u2610 NO \nAre there fire sprinklers? \u2610 YES \u2610 NO \nIf yes, where are they located? \n \nIs there adequate lighting in the corridors? \n \n\u2610 YES \n \n\u2610 NO \nAre there clear exit signs? \u2610 YES \u2610 NO \nAre there fire alarm pull stations? \u2610 YES \u2610 NO \nAre the fire alarm pull stations visible and \naccessible? \n \n\u2610 YES \n \n\u2610 NO \nAre there fire extinguishers? \u2610 YES \u2610 NO \nIf yes, where? \n \nAre there smoke detectors in the corridors and in \n \nevery room where participants are staying? \u2610YES \u2610NO \n \n \nHazards: \nList the potential fire hazards at the site: \n \n \n \n \nAre there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, blocked", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 71 of 80 \n \nstairways, burned-out exit lights, or missing/broken fire \nequipment? \u2610 YES \u2610 NO \nMeans of Evacuation/Egress: \nDoes the facility have an evacuation plan for \neach room? (If not, be sure that when you \nconduct a fire drill (walkthrough) that you \ndevelop a plan for leaving the room.) \n \n \n \n\u2610 YES \n \n \n \n\u2610 NO \nWhat are the means of egress? \n \nAre there primary exits and alternate exits? \n \n\u2610 YES \n \n\u2610 NO \nNote locations: \n \nFIRE DRILL/WALKTHROUGH PLAN: \n \n(Please record notes below.)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 72 of 80 \n \nPOST-DRILL DEBRIEF: \nDate and time of the fire drill: \n \n \nDid the students and chaperones follow the procedures of the \nfire drill? If no, why not? \u2610YES \u2610NO \n \n \n \n \nBased on this debrief, either inform the students of your \nfindings for adjustments or, if necessary, conduct another \nfire drill. Once the safety review and drill are completed, \nplease sign below. \n \nSignature of Program Leader:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 73 of 80 \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT \nFOR DOMESTIC OVERNIGHT TRAVEL \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. \nStudents: your signature on this contract seals your commitment \nto follow behavior expectations leading up to, and during your \nschool trip. \n \nSTUDENTS: \nBefore I go on the trip: \n\u25cf I understand that my acceptance to a trip prior to departure \ndoes not guarantee that I will be allowed to attend. \n\u25cf I have access to my school's handbook which includes all", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "\u25cf I understand that my acceptance to a trip prior to departure \ndoes not guarantee that I will be allowed to attend. \n\u25cf I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n\u25cf I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n\u25cf I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n\u25cf I will not violate the BPS Code of Conduct.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 74 of 80 \n \n\u25cf I will not distribute or consume alcohol or drugs (including \nedibles) and/or encourage actions that are against the BPS \nCode of Conduct or law. \n\u25cf I will not pack any illegal or inappropriate items (i.e., items in \nviolation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n\u25cf I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as completed \nprojects, journals, and service hours. \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWhile I am on the trip: \n\u25cf I will not violate the BPS Code of Conduct. \n\u25cf I will ask for help from the adults when needed.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "allowed to participate in the international trip program. \nWhile I am on the trip: \n\u25cf I will not violate the BPS Code of Conduct. \n\u25cf I will ask for help from the adults when needed. \n\u25cf I will treat my peers, all adults, and all people with the \nutmost level of respect. \n\u25cf I will not purchase, distribute, or consume any illegal or \ninappropriate items (i.e., items in violation of BPS Code of \nConduct, including but not limited to: weapons, alcohol, \nedibles, drug paraphernalia), even if these substances are \nlegal in the state or foreign country, or I am of legal age in \nthe foreign country.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 75 of 80 \n \n\u25cf I will use social media responsibly during the trip and will \nnot post or communicate any information regarding other \nstudents during an emergency. \n\u25cf I will abide by the established curfew and sleep alone in my \nassigned bed and sleeping location each night. \n\u25cf I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n\u25cf I will obey the BPS dress code, as well as the suggested \nattire for the foreign country and specific sites and locations \nwithin the foreign country I will visit. \n\u25cf I will not share any medication with anyone on the trip. \n\u25cf I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (e.g., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "depression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and \nconsideration for others and their property. \n\u25cf I understand that I am responsible for keeping my passport, \nimportant belongings, and other travel documents safe. \n\u25cf I understand that partaking in any illegal activity abroad can \nresult in my arrest. \n\u25cf I understand that if an issue of any kind arises, my \nchaperone will address the issue, and their decision is final.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 76 of 80 \n \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n1. The BPS Code of Conduct applies to all field trips. Following \nan investigation, if the program leader, in consultation with \nthe principal/head of school and Central Office staff, \ndetermines that a student\u2019s conduct while on an overnight \ntrip poses a risk to themselves, or the safety of the group, or \nis no longer manageable by BPS staff in the field, the district \nreserves the right to request and arrange for that student to \nreturn home. The district also reserves the right to request \nthat families assume responsibility for all or a portion of the", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "reserves the right to request and arrange for that student to \nreturn home. The district also reserves the right to request \nthat families assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n2. If a student is to be dismissed from an overnight field trip \ndue to behavior that violates the BPS Code of Conduct while \nparticipating in a domestic overnight trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed- \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at \nthe airport or other agreed-upon destination. Students \nunder the age of 16 must be accompanied on their flight by", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 77 of 80 \n \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n3. Parents or students who sign contracts and/or agreements \nwith third-party company vendors acknowledge that \noutside companies\u2019 protocols and procedures might differ \nfrom BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS \nis not responsible for money paid to third-party vendors. \n4. BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances, all families will be \nnotified immediately. \n \n \n(Families: Keep this page.)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 78 of 80 \n \n(Program leaders: Keep this page.) \n \n \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & \nFamily Agreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \nPARENT/GUARDIAN (print name): \n \nPARENT/GUARDIAN (signature) \nDATE \nPHONE NUMBER: \nSTUDENT (print name): \n \nSTUDENT (signature): \nDATE: \nPHONE NUMBER: \n \n \n(Students: Return this page to your program leader.)", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 79 of 80 \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: \n \nDestination: \n \nDeparture Date: Return Date: \n \n \nAll chaperones must agree to abide by the following code of \nconduct in order to participate in a BPS-sponsored field trip. \n \nSAFETY & RESPONSIBILITY \nI understand that my safety and the safety of other \nparticipants are extremely important during this field trip, \nand I agree to make safety my first priority. I agree to \nconduct myself in a manner that promotes my safety and \nthe safety of others at all times. I understand that \nmaintaining students\u2019 safety requires that students must be \nsupervised by me and/or other chaperones at all times \nwhile students are engaged in field trip activities. For \novernight and international field trips, I understand that", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "supervised by me and/or other chaperones at all times \nwhile students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake-up calls for students, are part of my \nresponsibility. I agree to follow BPS policies, protocols, and \nguidance of BPS staff when in the field.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "Superintendent\u2019s Circular CAO-24 \nPage 80 of 80 \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits \nstudents from possessing, using, selling, and/or distributing \nany of the following on all domestic and international field \ntrips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, \nuse, or distribution of over-the-counter medication, and \nselling of prescription drugs. The Code also prohibits the use \nof tobacco products (including e-cigarettes, hookah \nparaphernalia, and vapor cigarettes). I understand that \nthese prohibitions apply to all students, regardless of age. \nI understand that I am forbidden to use or visibly be in \npossession of tobacco in the presence of students. I also \nunderstand that the use of all other drugs, including \nalcohol, and weapons are strictly prohibited on the field trip.", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "content": "possession of tobacco in the presence of students. I also \nunderstand that the use of all other drugs, including \nalcohol, and weapons are strictly prohibited on the field trip. \n \n \nChaperone Name (Printed): \n \nChaperone Name (Signature): \n \nDate:", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-01 \nVersion 01 \n \nPROMOTION POLICY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBoston Public Schools students are the leaders, scholars, \nentrepreneurs, advocates, and innovators of tomorrow. BPS will \nensure that 100% of those students are ready for college, career, \nand life. We will ensure that every graduate: \n\u25cf is a proficient reader, communicator, problem-solver, and \ncritical thinker; \n\u25cf demonstrates the habits of mind and work required for \nsuccess in school and the world of work; \n\u25cf knows how to acquire knowledge, connect it to familiar \nconcepts and prior knowledge, and apply it, using \nsophisticated technologies; \n\u25cf has mastered key skills and understands important \nconcepts from English Language Arts, Mathematics, Science \nand Technology, History and Social Science, at least one \nWorld Language, the Arts, Health, and Physical Education;", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "concepts from English Language Arts, Mathematics, Science \nand Technology, History and Social Science, at least one \nWorld Language, the Arts, Health, and Physical Education; \n\u25cf has applied these concepts in real-life contexts; and \n\u25cf has made a valued contribution to the school and \ncommunity.", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 2 of 10 \n \n \n \nThese expectations frame the teaching, learning, and assessment \nprocess. They are critical to lifelong learning and essential to \ngaining students\u2019 commitment to the learning process. \n \nRESPONSIBILITIES AND ACCOUNTABILITY \nEvery teacher, administrator, parent, and adult involved in the \nlives of our students share in the responsibility to ensure that all \nstudents meet these expectations. \nThe Boston Public Schools: \nSchools, and the adults who work in them, are accountable for \nensuring every student learns in an environment that is safe, \nwelcoming, and sustaining; receives quality instruction that is \nresponsive to their strengths and needs; and receives timely \ninformation about their progress. \nFamilies and Students: \nFamilies are responsible for ensuring their children come to \nschool each day, on time, ready to learn. Every student is also \nresponsible for coming to school and class prepared and on time,", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Families are responsible for ensuring their children come to \nschool each day, on time, ready to learn. Every student is also \nresponsible for coming to school and class prepared and on time, \nworking hard, and contributing to the school environment in a \npositive, responsible manner.", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 3 of 10 \n \n \n \nTHE BPS PROMOTION POLICY \nThis promotion policy has been developed in alignment with the \nBPS Opportunity and Achievement Gap Policy which states in its \npreamble: \u201cEvery child, in every classroom, in every school of the \nBoston Public School system has the same opportunity to \nachieve the greatness within them as anybody else. Every child \nhas the same unfettered access to every conceivable tool to \nunlock the greatness within them.\u201d The BPS Promotion Policy \noutlines the expectations for school teams that ensure that \nstudents have access to every conceivable tool that will support \nthem to meet grade-level learning expectations before \nconsidering the possibility of retention. \nBPS school teams and individual educators must provide all \nstudents with access to high-quality, differentiated, and relevant \ntier 1 instruction that is aligned with grade-level standards and", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "BPS school teams and individual educators must provide all \nstudents with access to high-quality, differentiated, and relevant \ntier 1 instruction that is aligned with grade-level standards and \nimplemented through high-quality materials. School teams and \nindividual educators must monitor student progress towards \ngrade-level expectations through formal and informal data \ncollection and make ongoing adjustments to instruction to \nrespond to evidence of student learning. School teams and \nindividual educators must ensure that all students have access to \ntiered supports that provide appropriate scaffolds and instruction \nso that students are able to develop grade-level knowledge and \nskills. \nIn cases where it is determined that a student may not, with all \navailable supports provided, develop the necessary grade-level \nknowledge and skills by the end of the school year, a school \nteam, including the student, family, teachers, and the school", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 4 of 10 \n \n \n \nleader, will collectively make decisions regarding student \npromotion. If the team is unable to come to a decision or any \nmember would like to dispute a decision, the Chief of Teaching \nand Learning may be brought in to support the decision-making \nprocess. Principals and heads of school have the final authority \nfor all promotion decisions. School teams must make decisions \nbased on the following principles: \n\u25cf ensure promotions are earned and based on academic \nachievement \n\u25cf diminish grade retentions to the greatest extent possible \n\u25cf ensure students will enter classrooms with the skill and \nknowledge necessary to do grade-level work or have the \nnecessary supports to accelerate learning \n\u25cf ensure students are prepared to demonstrate proficiency on \nthe Massachusetts Comprehensive Assessments \n\u25cf establish a process that supports students and demands \nhard work from them", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "\u25cf ensure students are prepared to demonstrate proficiency on \nthe Massachusetts Comprehensive Assessments \n\u25cf establish a process that supports students and demands \nhard work from them \n\u25cf recognize that students learn at different rates and call for \norganizational structures that respond to students\u2019 \ndifferences \n\u25cf define those inputs and outcomes for which teachers, \nadministrators, parents, and students are accountable.", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 5 of 10 \n \n \n \nPROMOTION REQUIREMENTS FOR ALL GRADES \nStudents must fulfill several requirements to be promoted to the \nnext grade. All students must earn passing grades in core \nacademic courses and maintain good attendance. Schools may \nestablish promotion requirements that exceed those listed. The \nSchool Site Council must approve these additional requirements. \nHigh school students must pass courses that align to the BPS \nGraduation Policy (CAO-07) in order to earn the credits necessary \nto graduate. \n \nENGLISH LEARNERS \nStudents in programs for English learners must meet promotion \nand graduation requirements. However, EL students may not be \nretained in grade if the only reason for not passing the required \ntests is a lack of language knowledge. \n \nSTUDENTS WITH DISABILITIES \nStudents with disabilities are expected to meet promotion and \ngraduation requirements. A student\u2019s Individualized Education", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "tests is a lack of language knowledge. \n \nSTUDENTS WITH DISABILITIES \nStudents with disabilities are expected to meet promotion and \ngraduation requirements. A student\u2019s Individualized Education \nProgram (IEP) or Section 504 plan will describe the conditions \nunder which the student will take standardized tests for each \nsubject scheduled for assessment or if the student requires an \nalternate assessment. Alternate assessments are intended for a \nminimal number of students with significant disabilities who are \nunable to take standard MCAS tests, even with accommodations.", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 6 of 10 \n \n \n \nA student\u2019s 504 plan will describe what, if any, testing \naccommodation will be needed. \n \nREQUIRED PROCESS \nPrincipals and heads of school are responsible for effectively \nimplementing the following process: \n1. Parents must be notified by the end of September of the name \nand phone number of the school staff member (in addition to \ntheir child\u2019s teachers) they should call about concerns related \nto their child\u2019s academic progress. Parents should also be \ninformed that if they ever have a concern about their child\u2019s \nacademic progress, they should notify the appropriate teacher \nand principal/head of school (or the designated administrative \nliaison to parents). \n \n2. If by mid-October, a teacher considers a student at-risk of not \nmeeting the subject or grade-level standards, the teacher will \nnotify the parent immediately, in writing, and refer the student \nto the appropriate administrator, guidance counselor, or", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "meeting the subject or grade-level standards, the teacher will \nnotify the parent immediately, in writing, and refer the student \nto the appropriate administrator, guidance counselor, or \nstudent support services personnel. \n \n3. When a student has been identified as at-risk of not meeting \nsubject or grade-level standards, the principal/head of school, \nteacher(s), and other designated staff will work with parents \nand the student to resolve any problems. They may consider a \nvariety of options, including:", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 7 of 10 \n \n \n \n\u25cf tiered academic or social emotional supports \n\u25cf examining and altering current instructional strategies or \nmaterials \n\u25cf tutoring (during or after school) \n\u25cf a change in schedule \n\u25cf a change in teacher \n\u25cf referral to other support, social service, or health-related \nservices \n\u25cf problem-solving with other students or individuals who may \nhave an impact on the students\u2019 achievement. \n \n4. If by the close of the first marking term, the problem persists \nand the student remains at-risk for retention, additional \noptions will be considered, including: \n\u25cf referral to the school\u2019s Student Success Team (SST) \n\u25cf referral to safety net or alternative programs for more \nintensive services \n\u25cf access to additional instructional time (during the day, \nextended day, or summer school) \n\u25cf referral to special education, where necessary and \nappropriate, to determine evidence of a disability (pre-", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "extended day, or summer school) \n\u25cf referral to special education, where necessary and \nappropriate, to determine evidence of a disability (pre-\nreferral documentation must provide evidence that other \ninterventions have been attempted).", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 8 of 10 \n \n \n \nParents will be engaged in consideration of additional \nintervention strategies and will be informed, in writing, of any \ndecisions that result. Parents may request a referral for special \neducation services in any case. The final determination of \nappropriate services will rest with the appropriate (IEP or \nSection 504) team. \n \n5. Only when all other interventions have been unsuccessful and \nthe student has not made sufficient academic progress during \nthe course of a school year will the student be considered for \nretention. All potential retentions will be reviewed by a \nPromotion Review Team, including the principal/head of \nschool (or designee), a guidance counselor or student support \nteam member, at least one of the student\u2019s teachers, and the \nchild\u2019s parent. \n \n6. The review team will include the liaison teacher for any \nstudent with an IEP, and a bilingual teacher, counselor, or", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "child\u2019s parent. \n \n6. The review team will include the liaison teacher for any \nstudent with an IEP, and a bilingual teacher, counselor, or \nadministrator for any student enrolled in a transitional \nbilingual program. \n \n7. By the end of January, formal, written notices must be sent to \nparents of students who remain at risk of being retained. The \nPromotion Review Team will meet in February and again \nbefore the end of the year to review and make decisions on \nstudents who are at risk of being retained. Principals and \nheads of school have the final authority for all promotion \ndecisions.", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 9 of 10 \n \n \n \n8. During the period from February through June, schools must \nmaintain written, bimonthly contact with parents who were \nsent formal, written notices to apprise them of their child\u2019s \nprogress. Copies of these notifications must be kept on file. \n \n9. Any student who is retained, or remains at-risk even though \nthey were promoted, will be provided with additional support, \nincluding tutoring during the subsequent school year. \n \nHOME-SCHOOL PARTNERSHIPS \nThe success of many students receiving transition support \ndepends on the engagement of their parent(s) in their education. \nSchools implement a variety of strategies to help parents \nbecome successful partners in their children's development. \nThese efforts are coordinated by the school\u2019s guidance and other \nsupport staff. \n \nCONNECTIONS TO COMMUNITY RESOURCES \nSchools will collaborate with community agencies, community", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "These efforts are coordinated by the school\u2019s guidance and other \nsupport staff. \n \nCONNECTIONS TO COMMUNITY RESOURCES \nSchools will collaborate with community agencies, community \nschools, and higher education institutions to support students' \noverall literacy and math development, increase volunteer \ninvolvement in schools, and diminish the many health, social, and \nemotional problems that undermine success in school. These \nefforts are supported by the school\u2019s guidance and other support \nstaff.", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "CAO-01 Promotion Policy.pdf", + "content": "Superintendent\u2019s Circular CAO-01 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington St., Boston, MA 02119 \nPhone: 617-635-9000 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-02 \nVersion 01 \n \n1 \nEMERGENCY MEAL PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n In the event of an unforeseen emergency, school staff must \nadhere to the following procedures to ensure meals are made \navailable to students in a safe and timely manner. \u201cEmergency\u201d is \ndefined as equipment breakdown, weather, facility issues, etc. or \na situation that prevents staff from serving safe meals during the \nallotted mealtimes scheduled. The procedures are: \n1. Principal or custodian should inform onsite food service \npersonnel that there is an emergency preventing the service \nof meals and approximately how long the emergency will \nlast. Often this is difficult to assess. However, if the \nemergency is anticipated to be longer than 60 to 90 \nminutes after the start of the school day, alternative meal \nservice plans need to be made to ensure students receive", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "emergency is anticipated to be longer than 60 to 90 \nminutes after the start of the school day, alternative meal \nservice plans need to be made to ensure students receive \nmeals in a safe and timely manner. \n2. The Food and Nutrition Services Department should be \ninformed immediately. The phone number is 617-635-9144. \nThe onsite Food Services Staff should also contact their \nrespective field coordinator. \n3. Once the Food and Nutrition Services Department is \nnotified about the emergency, a contingency plan that", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 2 of 9 \n \nincludes an alternate menu, mealtimes, or location will be \njointly decided upon. A substitute emergency meal (shelf-\nstable) which meets regulations may be provided if the \nemergency prevents access to the kitchen. \n4. If there is an emergency just before lunch, the onsite Food \nServices staff should be notified immediately. If needed, \nappropriate arrangements will be made to ensure students \nare fed quickly and efficiently. Food and Nutrition Services \nmay need to provide an alternative meal, depending on the \nemergency. Delays may be expected. All staff should be \nflexible and patient. \n5. When and if the administration makes the decision to send \nthe student body to another school or alternative location, \nthe Food and Nutrition Services Department needs to be \nnotified immediately to ensure food is available at the new \nlocation. \n6. This plan of action is dependent on cooperation from \neveryone.", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "the Food and Nutrition Services Department needs to be \nnotified immediately to ensure food is available at the new \nlocation. \n6. This plan of action is dependent on cooperation from \neveryone. \n7. During a declared state of emergency, the attached \ninstructions will be followed to issue USDA commodities.", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 3 of 9 \n \nFor more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9158 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 4 of 9 \n \nMASSACHUSETTS PLAN FOR UTILIZATION OF USDA DONATED \nFOODS FOR DISASTER RELIEF \n1. Purpose: The purpose of this plan is to establish the \nprocedure for obtaining the United States Department of \nAgriculture (USDA) donated commodities in Massachusetts \nduring a presidential disaster. \n2. Background: The Secretary of Agriculture is responsible for \nensuring that adequate stocks of food are available for \ngroup feeding or household distribution in any area \nsuffering from a major disaster or emergency. During a \ndisaster, food that has been purchased by the USDA for use \nin the state's food programs is made available to disaster \norganizations in that state. Food that is stored in school or \nstate warehouses can be used immediately. The USDA will \nreplace this food. \n3. General: \n\u2022 USDA donated foods will not be distributed to \nindividual families except when the Secretary of \nAgriculture determines that the commercial channels", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "replace this food. \n3. General: \n\u2022 USDA donated foods will not be distributed to \nindividual families except when the Secretary of \nAgriculture determines that the commercial channels \nof trade have been disrupted because of the \nemergency caused by a disaster. \n\u2022 In Massachusetts, USDA foods (which become the \nproperty of the Commonwealth) are distributed by the \nMassachusetts Department of Elementary and \nSecondary Education, Nutrition Programs and Services, \n75 Pleasant Street, Malden, MA 02148-4906. \n\u2022 Contact should be made with the local authorities to \nestablish a plan to procure these items. All foods are \nfree of charge to the Red Cross. There may be a small", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 5 of 9 \n \nservice charge for handling. \n\u2022 Food items are also stored in bulk in four warehouses \nthroughout the Commonwealth. In the event sufficient \nfoods are not available in the schools, they may be \nrequested by the school lunch personnel through their \nchannels or through the American Red Cross Mass Bay \nChapter office. \n\u2022 Transportation needed to move the food to the disaster \narea is not available from the Department of \nElementary and Secondary Education. It is \nrecommended that chapters develop local \ncontingency plans. The key to prompt and efficient \ntransportation of these foods is prior planning by the \nchapter. \n\u2022 Food will be released when the President has declared \na disaster area, or when the Commonwealth has \nrequested a declaration. They will also be released \nupon request of Red Cross or governmental authorities \nwhen a disaster appears to be imminent, people being \nevacuated, or mass feeding is needed for a substantial", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "upon request of Red Cross or governmental authorities \nwhen a disaster appears to be imminent, people being \nevacuated, or mass feeding is needed for a substantial \nnumber of dislocated families and individuals. \n4. Procedure for obtaining USDA donated foods for Red Cross \nmass feeding: \n\u2022 When the feeding is being done by school lunch \npersonnel: \no They will make food available from their supply. \no When additional foods are required, they will \nrequest them.", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 6 of 9 \n \n\u2022 When the feeding is being done by other than school \nlunch personnel, the Red Cross will make its request \nthrough the Mass Bay office of the Red Cross. It will \ninclude a synopsis of the disaster situation and the \nestimated amounts and kinds of food commodities \nrequired. \n\u2022 The nearest warehouse or other facility will be \ninstructed to release the food. \n\u2022 The Red Cross will dispatch the necessary \ntransportation to pick up the foods. \n\u2022 In all instances, temporary receipts will be signed, \nfollowed by more formal procedures. \n5. Procedures for returning used foods: \n\u2022 If a large amount of food is to be returned, the \nDepartment of Elementary and Secondary Education \nwill send an agent to the Red Cross to arrange the \ndetails of the return. If only a small amount is to be \nreturned, the Red Cross will be instructed to turn it \nover to the designated school in the area. In either", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "details of the return. If only a small amount is to be \nreturned, the Red Cross will be instructed to turn it \nover to the designated school in the area. In either \ncase, the Red Cross should obtain and file a receipt for \nthe returned food. \n6. Procedure for reporting on USDA donated foods: \n\u2022 After mass feeding is completed, the Red Cross will be \nadvised on the information necessary to enable the \nDepartment of Elementary and Secondary Education \nto report on commodities distributed for disaster relief, \nincluding certification that all food products were used \nin accordance with existing regulations and used for \nmass feeding.", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 7 of 9 \n \n\u2022 The program for use of USDA donated foods in the \ndisaster will be considered completed when all unused \nfood has been returned and the above report has been \nsubmitted. \nAmerican Red Cross: \nLiberty Black \nDirector of Disaster Services \nMass. DESE: \nRobert M. Leshin \nDirector, Office for Food and Nutrition Programs", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 8 of 9 \n \nMASSACHUSETTS DEPARTMENT OF ELEMENTARY AND \nSECONDARY EDUCATION \n75 Pleasant Street, Malden, Massachusetts 02148-4906 \n Telephone: (781) 338-3000 \nTTY: N.E.T. Relay 1-800-439-2370 \nMEMORANDUM \nTo: All School and Child and Adult Care Food Program \nSponsors \nFrom: Kathleen C. Millett \nFormer Executive Director, Office for Nutrition, Health \nand Safety Programs \nDate: January 26, 2015 \nSubject: Procedures for Using USDA Foods During an \nEmergency \nIn the case where a school or childcare setting is officially \ndesignated as an emergency shelter, USDA Foods may be \nreplaced. This memorandum serves to identify the process to use \nthe USDA Foods and request replacement. After approval from \nthis office, USDA donated foods will be made available to the \nAmerican Red Cross or public schools for feeding in a congregate \nsetting. The following steps are to be used to receive food \nassistance for food services during an emergency declaration.", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "American Red Cross or public schools for feeding in a congregate \nsetting. The following steps are to be used to receive food \nassistance for food services during an emergency declaration. \nFirst, contact Marion Browning of the food distribution section at \nmbrowning@doe.mass.edu or 781-338-6460, email is preferred, \nwith your immediate food needs, along with the estimated \nnumber of meals to be served. If you are unable to reach Ms.", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "content": "Superintendent\u2019s Circular FNS-02 \nPage 9 of 9 \n \nBrowning, please email me at kmillett@doe.mass.edu or 781-338-\n6479. Include the following information to the extent possible: \n\u2022 Description of major disaster or emergency situation. \n\u2022 Number of people requiring meals and congregate meal \nservice period. \n\u2022 Quantity and types of food needed for congregate meal \nservice. \n\u2022 Number and location of sites providing congregate meal \nservice. \nOnce the request for donated foods is approved, you may use any \nUSDA donated foods available at your school. After the crisis has \npassed, please report the following information to the \ncommodity distribution section: \n\u2022 Amount of USDA commodities actually utilized. \n\u2022 Number of days of the meal service and number of meals \nactually served (i.e., 2,000 persons, three meals per day for \nfive days). \nWe will make every effort to replace the value of USDA donated \nfoods used with inventory from our warehouse.", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-04 \nVersion 01 \n \n1 \nRESPONSIBILITIES REGARDING SCHOOL \nFOOD SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nFood and Nutrition services is a federally funded program. The \nprogram\u2019s operating revenue is supported by reimbursement \nfrom meals served to students. The department is audited \nannually, consisting of a review of the Community Eligibility \nProgram which includes point of service, accountability, fiscal \naccountability, and overall procedures. \nSchool leaders share responsibility with the executive director of \nFood and Nutrition Services in ensuring that all federal, state, and \nlocal regulations applicable to the school\u2019s food services are \nimplemented and administered daily. There are area field \ncoordinators who are assigned to oversee school-site foodservice \noperations. \nSCHOOL LUNCH AND BREAKFAST PROGRAMS \nBreakfast and Lunch Periods:", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "coordinators who are assigned to oversee school-site foodservice \noperations. \nSCHOOL LUNCH AND BREAKFAST PROGRAMS \nBreakfast and Lunch Periods: \n\u25cf The state mandates sufficient time must be allocated for \nthe students to eat lunch. At least a 30-minute lunch \nperiod is recommended, whenever possible. No less than \n20 minutes can be designated for a lunch period.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 2 of 10 \n \n\u25cf If there is a change to the meal service time, the school \nleader must notify the Food Services staff immediately. \nAny changes to service impacts staffing and must be \nreviewed and discussed before finalizing. \n\u25cf Breakfast programs should be scheduled at least 15 to 30 \nminutes before the start of school. This time is needed for \nFood Services staff to have the necessary capability for \naccurate meal counting and reporting. \n\u25cf Supervision is required at breakfast as well as lunch \nservice. The school leader can make an administrative \nassignment or arrange for volunteers to provide student \nsupervision. Food Service employees will not assume \nresponsibility for supervising students. \nBreakfast After the Bell: \nAs a continuation from SY2018-2019, the Massachusetts State \nBudget mandates public schools with at least 60 percent of their \nstudent population eligible for free or reduced-price meals to", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "As a continuation from SY2018-2019, the Massachusetts State \nBudget mandates public schools with at least 60 percent of their \nstudent population eligible for free or reduced-price meals to \nserve breakfast after the instructional day begins. All BPS schools \nmust comply with this regulation. \nFNS understands implementing a change in breakfast service \nstyle has its challenges and has several resources available \nincluding marketing, equipment, and programs to ensure proper \nimplementation of a comprehensive breakfast after the bell \nprogram that provides access to meals. FNS will keep cafeterias \nopen 30 minutes past the bell time to continue provision of \nbreakfast to all students.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 3 of 10 \n \nLunch Menu: \nFederal regulations mandate lunch to consist of the following: \n\u25cf Meat or meat alternates \n\u25cf Whole grains \n\u25cf Vegetables \n\u25cf Fruits \n\u25cf Milk \nBreakfast Menu: \nFederal regulations mandate breakfast to consist of the \nfollowing: \n\u25cf Meat or meat alternates \n\u25cf Whole grains \n\u25cf Fruits \n\u25cf Vegetables \n\u25cf Milk \nThe menu as printed must be followed by FNS staff unless onsite \nfood service staff receive approval from Food Services supervisory \nstaff to make adjustments. Menu planning is the sole \nresponsibility of the Department of Food and Nutrition Services. \nSchool administrators are encouraged to discuss their menu \ninterest with the executive director of food services, 617-635-9144. \nCOMMUNITY ELIGIBILITY PROGRAM \nThis school year (2023-2024), in conjunction with the United \nStates Department of Agriculture (USDA) and the Massachusetts \nDepartment of Elementary and Secondary Education, Boston", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "This school year (2023-2024), in conjunction with the United \nStates Department of Agriculture (USDA) and the Massachusetts \nDepartment of Elementary and Secondary Education, Boston \nPublic Schools (BPS) will continue to participate in the", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 4 of 10 \n \nCommunity Eligibility Provision (CEP), created by the Healthy, \nHunger-Free Kids Act of 2010. This is available for schools with \nhigh percentages of low-income children to provide breakfast \nand lunch to all students at no cost to them. The program \nincreases participation in school meals, reduces labor costs for \nschools, and brings additional revenue to the school district from \nthe USDA. In short, it allows for a healthier student body and a \nhealthier school meal budget. \nAll students in a Community Eligibility Provision (CEP) school are \ndeemed as economically disadvantaged, and students are \nprovided all meals \u2014 breakfast, lunch, after-school meals, and \nsummer meals \u2014 at no cost. In the event a student requests a \nsecond meal, the cost is $4.00 . Students must pay at the time of \nthe meal request. There are no credits or charges allowed. \nSchool administrators may establish a revolving fund to cover the", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "second meal, the cost is $4.00 . Students must pay at the time of \nthe meal request. There are no credits or charges allowed. \nSchool administrators may establish a revolving fund to cover the \ncost of second meals for students without means. Second meals \nwill not be provided without a source of payment. \nAFTER SCHOOL MEAL PROGRAM \nSupper meals are available at no charge to schools that have \nafter school enrichment programs. Program directors must \ncontact this office to arrange for student meals. There is a brief \napplication process that should be completed at least 2 weeks \nprior to program start-up. All program directors are required to \nattend one mandatory annual training session. Program \nadministrators are responsible for completing the daily tally \nsheets to document meals served. Tardy submission of these \nreports could result in the discontinuance of the program.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 5 of 10 \n \nSUMMER MEAL PROGRAM \nMeals are provided throughout the City of Boston to all children. \nMeals consist of breakfast and lunch and are free to all children \nthrough age 18. \nFRESH FRUIT AND VEGETABLE PROGRAM (FFVP) \nThe goal of the FFVP is to introduce children to fresh fruits and \nvegetables, to include new and different varieties, and to increase \noverall acceptance and consumption of fresh, unprocessed \nproduce among children. The FFVP also encourages healthier \nschool environments by promoting nutrition education. \nUSE OF SCHOOL LUNCH FOR DISCIPLINARY ACTION \n\u25cf The National School Lunch Act and the State Department \nof Elementary and Secondary Education prohibit the \ndenial of meals and milk as disciplinary action against \nschool children. \n\u25cf Students may not be denied any part of the meal. \n\u25cf Students may not have a portion of the breakfast or lunch \nperiod taken away. \n\u25cf Any action that interferes with the student\u2019s right to", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "\u25cf Students may not be denied any part of the meal. \n\u25cf Students may not have a portion of the breakfast or lunch \nperiod taken away. \n\u25cf Any action that interferes with the student\u2019s right to \naccess meals or that discriminates against students in \nany way in the provision of meals is prohibited. \nCOMPLIANCE WITH PROGRAM REGULATIONS \nWe ask that school administrators assist with the enforcement of \nprogram regulations (e.g., federal regulations do not permit free \nor reduced reimbursement to ineligible children. There is no \nreimbursement for adult meals.) School administration will be \ncharged for meals in which payment has not been received for", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 6 of 10 \n \nstudent second meals and adult meals. Outstanding charges will \nbe posted against individual school instructional supply \naccounts. \nMEAL SERVICE ACCOUNTABILITY OF SCHOOL \nADMINISTRATORS \nTo participate in the school lunch and breakfast programs, it is \nnecessary for a contract to be in effect between the \nCommonwealth of Massachusetts and the superintendent of \nschools. This agreement stipulates that state-approved controls \nare maintained to account for meals served. \n\u25cf School administrators are required to comply with the \napproved system in operation at the particular school site. \n\u25cf To assist with decreasing meal waste and improving \naccountability, it is recommended that elementary \nteachers ask students beforehand who will be eating \nlunch in the cafeteria or classroom and give that \ninformation to the food service staff one hour before \nlunch so they can have more accurate counts.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "lunch in the cafeteria or classroom and give that \ninformation to the food service staff one hour before \nlunch so they can have more accurate counts. \n\u25cf School leaders are to ensure that all students know their \nstudent ID numbers, required to be entered at the point \nof sale for accountability of each meal. \n\u25cf Milk cannot be served without payment. \n\u25cf Meal counts must be taken at the \u201cpoint of service\u201d (end \nof the line) when a student has received a reimbursable \nmeal. Five food components must be offered for lunch \nand three components for breakfast. \n\u25cf In schools with classroom meal service, it is necessary to \naccount for the meal served at the time of service.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 7 of 10 \n \nCOMPETITIVE FOOD SALES AND VENDING MACHINES \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding (see FNS 03 \nNutrition Policy). \nRegulatory Authority: \n\u25cf M.G.L. C.15, \u00a7 1G \n\u25cf Federal Register, 2013, 7 CFR Parts 210 and 220, National \nSchool Lunch Program and School Breakfast Program: \nNutrition Standards for All Foods Sold in Schools as \nRequired by the Healthy, Hunger-Free Kids Act of 2010; \nInterim Final Rule, U.S. Department of Agriculture, 78 (125) \n(June 28, 2013). \n\u25cf Federal Register, 2014, 7 CFR Parts 210 and 220, Local \nSchool Wellness Policy Implementation under the \nHealthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. \nDepartment of Agriculture, 79 (38) (February 26, 2014). \n\u25cf Massachusetts General Laws (2010). Chapter 111, Section \n223.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Healthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. \nDepartment of Agriculture, 79 (38) (February 26, 2014). \n\u25cf Massachusetts General Laws (2010). Chapter 111, Section \n223. \n\u25cf General Law - Part I, Title XVI, Chapter 111, Section 223. \n\u25cf State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law), Acts of 2012 Chapter 96 - \nSession Laws. \n\u25cf Massachusetts Department of Public Health (2010), \nNutrition Standards for Competitive Foods and Beverages \nin Public Schools,105 CMR 225.000 \n\u25cf Massachusetts Department of Public Health (2012). \n\u201cStudents, Healthy Schools: Revised Guidance for", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 8 of 10 \n \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages\u201d Healthy \nStudents, Healthy Schools: Revised GuIdance for \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages \nOnly Food Services is permitted to sell to students. \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nAll income must accrue to Food Services. \nThe income for the total food and beverage service regularly \nmaintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages and vending machines, \nmanaged by the Food and Nutrition Services Department. Food", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "improvement of such service. This shall include the income from \nthe sale of a la carte foods and beverages and vending machines, \nmanaged by the Food and Nutrition Services Department. Food \nsales operated for profit (this includes bake and candy sales) shall \nnot operate during the regular school day.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 9 of 10 \n \nFood items allowed for sale: \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of \nthe breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nVending machines: \n603 CMR 29.01 Non-Profit Lunch Program/Use of Vending \nMachines: Vending machines are not to be in use during school \nhours. \nCanteen services at school site locations: \n603 CMR 29.05 Competitive Foods: \nFederal regulations prevent the sale of candy, gum, and \ncarbonated beverages to students on school premises from the \nbeginning of the school day to the end of the last lunch period. \nThe sale of food items from canteen trucks, school stores or other \nareas that compete with school meals, time, and money is in \nviolation of federal regulations. These sales further divert income", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "The sale of food items from canteen trucks, school stores or other \nareas that compete with school meals, time, and money is in \nviolation of federal regulations. These sales further divert income \nessential to the financial wellbeing of the Food and Nutrition \nServices program. \n\u25ba Use of canteen services on school premises by students \nshould be prohibited.", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "Superintendent\u2019s Circular FNS-04 \nPage 10 of 10 \n \nCATERING SPECIAL FUNCTIONS AND FIELD TRIPS \nSpecial function considerations: \n\u25cf Schools planning special activities should contact the \ncafeteria manager/satellite attendant AND Office of Food \nand Nutrition Services with advance notice of the event. A \nwritten request for use of the cafeteria facility or hiring of \npersonnel must be made in writing at least 7 days before \nthe event. \n\u25cf Food and supplies or cooking utensils will not be \nprovided free of charge. Schools requesting such services \nwill be charged a fee to cover costs. \n\u25cf All evening and weekend functions will require hiring \nFood Services staff at an overtime rate. All costs must be \npaid prior to the date of the event. Credit will be given if \nthe event is canceled with 48 hours\u2019 notice. \n \nFor more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "content": "For more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9158 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-03 \nVersion 01 \n \nFOOD AND NUTRITION POLICY ON COMPETITIVE FOOD \nAND BEVERAGES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThese guidelines will cover food and beverages that are sold, \nprovided, or served to students within school buildings or on \nschool grounds, in the student stores, cafeterias, classrooms, \nhallways, and vending machines, all of which are sold outside of \n(i.e., in competition with) the federally funded School Meal \nProgram. These guidelines also apply to fundraisers, classroom \nactivities, and school events. This includes food and beverages \nsupplied by schools during official transportation to and from \nschool and district-sponsored activities, including but not limited \nto field trips and interscholastic sporting events where the school \nis the visiting team. See the Implementation Guidelines section \nfor details. \nINTRODUCTION", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "to field trips and interscholastic sporting events where the school \nis the visiting team. See the Implementation Guidelines section \nfor details. \nINTRODUCTION \nIn response to continuing concerns regarding childhood \noverweight and obesity as well as other diet-related diseases in \nour city\u2019s school-aged children, the Boston School Committee \nhas approved the following policy language regarding beverages \nand food in schools.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 2 of 21 \n \nThese guidelines were first adopted on July 1, 2004, and were \nimplemented with the start of school in September 2004. They \nwere updated in April 2011 and June 2015 to take into \nconsideration new federal and state nutrition guidelines that \nimpact the overall health and wellness of our students and staff, \nspecifically the Healthy Hunger-Free Kids Act, 2010. Most recently, \nthey were updated in August 2017 to reflect changes in the \nDistrict Wellness Policy. This document is intended to assist \nschool administrators in implementing these guidelines in their \nschools. \nAll such competitive foods shall meet the criteria outlined in the \nimplementation guidelines that follow. This includes food and \nbeverages sold, provided, or served to students in: \n\u25cf School cafeterias, specifically \u201ca la carte\u201d entrees and \nsnacks \n\u25cf Vending machines \n\u25cf School stores \n\u25cf School snack bars \n\u25cf Concession stands \n\u25cf Classrooms and hallways", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "\u25cf School cafeterias, specifically \u201ca la carte\u201d entrees and \nsnacks \n\u25cf Vending machines \n\u25cf School stores \n\u25cf School snack bars \n\u25cf Concession stands \n\u25cf Classrooms and hallways \n\u25cf Booster sales \n\u25cf Fundraising activities \n\u25cf School-sponsored or school-related events, including \nthose with school-sponsored transportation occurring off \nschool grounds, such as sporting events and field days \n\u25cf Food trucks on school grounds \n \nThese guidelines apply to entrees, snacks, side items, and \ndesserts offered or sold outside of the school meals program.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 3 of 21 \n \nItems that would be considered entr\u00e9es if sold in the \nreimbursable meal program, but are sold a la carte as \nCompetitive Foods, are not subject to these guidelines. This \npolicy will be reviewed once yearly by a sub-committee of the \nBoston Public Schools (BPS) District Wellness Council. \nBACKGROUND \nSchools across the city, state, and nation have been grappling \nwith developing meaningful and applicable guidelines on this \nissue of obesity for the past decade. Earlier \u201cCompetitive Food \nGuidelines,\u201d set forth by USDA and individual state departments \nof education, prohibited only the sale of foods of minimal \nnutritional value (Federal Register: 7 CFR Part 210.11). These \nstandards attempted to address types of foods and beverages \nsold, provided, or served to students within school buildings. \nWhile some state standards may have been useful thirty years \nago, most are outdated, as they do not address the growing", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "sold, provided, or served to students within school buildings. \nWhile some state standards may have been useful thirty years \nago, most are outdated, as they do not address the growing \navailability of vending machines, foods, candy, and soda sold \ninside and outside of the cafeteria at fundraisers or in student \nstores. Competitive foods are relatively low in nutrient density \nand high in fat, added sugar, and calories. Neither a la carte nor \ncompetitive foods are bound by dietary guidelines that the \nNational School Lunch (NSLP), National School Breakfast, and \nAfter School Snack Programs must adhere to. \nNational and state departments of education, school boards, food \npolicy advocacy organizations, the American Academy of \nPediatrics, the Center for Science in the Public Interest, state \ndietetic and school food service associations, and other \nrepresentative groups have met over the past several years to \nestablish or recommend nutrition standards to promote healthy", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 4 of 21 \n \neating habits among children. Massachusetts A La Carte Food \nStandards to Promote a Healthier School Environment is a \nguideline that has been established by the Massachusetts Action \nfor Healthy Kids, first adopted in January 2004 and updated in \nDecember 2009. These guidelines, along with the Institute of \nMedicine, the Alliance for a Healthier Generation Competitive \nFoods and School Beverage Guidelines, nutrition standards from \nthe School Nutrition Bill (H4459, S2322), and the HealthierUS \nSchool Challenge informed the latest revision to our policy. In \naccordance with Mayor Menino\u2019s Executive Order Relative to \nHealthy Beverage Options1, all beverages sold on school grounds \nshall meet the city\u2019s Healthy Options Beverage Standards. \nPOLICY \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "POLICY \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthy foods and sugary drinks, and making \nwater available to students throughout the day are some of the \nways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the \ncafeteria meets high nutritional standards. \nBPS believes the cafeteria is an essential setting to educate and \npromote healthy eating habits. BPS is committed to serving \nstudents nutritious and delicious food that is less processed, \nmore locally sourced, and culturally responsive to reflect the \ndiverse student population. As an effective way to improve the \nnutritional quality of foods served in schools and consumed by", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 5 of 21 \n \nstudents, the district created and implemented menu and \ningredient guidelines exceeding federal requirements. BPS will \ncontinue a constant review of school food and the food \nenvironment to ensure safety, quality, menu equity, and \ninnovation. The district will be an innovator with school food, \nserving foods that are new and exciting for the students. We \nbelieve that students deserve meals reflective of their culture and \ntastes. We believe eating well is not a privilege; it is a right. \nKey requirements of creating a healthy school food environment \nare: \nSchool Meals Program \n\u25cf Ensure all menus meet USDA-mandated requirements, as \nwell as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow \nBronze status standards for the Alliance for a Healthier \nGeneration2, and work toward Bronze status standards", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "eating practices. At a minimum, schools must follow \nBronze status standards for the Alliance for a Healthier \nGeneration2, and work toward Bronze status standards \nfor the HealthierUS School Challenge3. \n\u25cf Ensure all menus offer variety and are well presented in \nan appealing way, and meals and menu items are labeled \nto communicate deliciousness, as well as specific \ningredients. \n\u25cf Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing \nchildren who participate. \n\u25cf Provide food with \u201cclean\u201d labels that are free of unwanted \ningredients, including trans fats, high fructose corn syrup, \nartificial colors, artificial sweeteners, additives", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 6 of 21 \n \n(azodicarbonamide, bromated flour), and artificial \npreservatives (nitrates, nitrites, sulfates, sulfites, MSG, \nBHA, BHT, TBHQ). \n\u25cf Reduce material used for packaging, sourcing recyclable \nor compostable materials when possible, and working to \npromote best practices around recycling and \ncomposting. \n\u25cf Make water available at no cost during mealtimes \nwherever meals are served. \nFood Safety \n\u25cf Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department). \n\u25cf Implement a stringent and detailed internal Hazard \nAnalysis and Control Points (HACCP) plan that provides \nregulations in following safety procedures for food recalls, \nemergency preparedness to avoid foodborne illnesses, \nand the spread of infectious diseases. \n\u25cf Ensure all employees who work 5+ hours are Food Safety. \n\u25cf Ensure all lead employees are allergy awareness certified", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "and the spread of infectious diseases. \n\u25cf Ensure all employees who work 5+ hours are Food Safety. \n\u25cf Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification. \nNutrition Education, Promotion and Food & Beverage Marketing \n\u25cf Promote health and nutrition messages that encourage \nthe consumption of fruits and vegetables, whole grains, \nhealthy fats, low-fat dairy products, and water; and other", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 7 of 21 \n \nmessages consistent with research-based findings that \nindicate a positive impact on health. \n\u25cf Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \n\u25cf Identify opportunities to support teachers, school staff, \nand parents around modeling healthy eating habits and \nfollowing appropriate nutritional standards at school \ncelebrations and staff meetings. \n\u25cf Only allow food and beverage marketing on school \ngrounds, including items shared with students, that \npromote foods and/or beverages that meet the BPS \nnutritional standards. \nCompetitive Food & Beverages \n\u25cf Follow federal, state, and local laws and Forbid the sale of \nfood and beverages by anyone other than the Food and \nNutrition Services Department, which is solely responsible \nfor food and beverages sold to children during the school", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "food and beverages by anyone other than the Food and \nNutrition Services Department, which is solely responsible \nfor food and beverages sold to children during the school \nday. regulations for competitive foods and beverages (i.e., \nfoods sold, provided, or served within school buildings or \non school grounds outside of the school meals program) \nin all schools, as outlined in this circular. \n\u25cf Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines \nduring the school day. \n\u25cf Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 8 of 21 \n \n\u25cf Prohibit the use of food and beverage as a reward or \nmeans of discipline. \nAll BPS schools shall follow Food and Nutrition Services policies \nand circulars. \nIMPLEMENTATION GUIDELINES \nCompetitive Food and Beverages \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 9 of 21 \n \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding.1,2,3,4,5,6,7 \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \n \n1 Regulatory Authority M.G.L. C.15, \u00a7 1G \n2 Federal Register, 2013, 7 CFR Parts 210 and 220, National School \nLunch Program and School Breakfast Program: Nutrition \nStandards for All Foods Sold in Schools as Required by the \nHealthy, Hunger-Free Kids Act of 2010; Interim Final Rule, U.S. \nDepartment of Agriculture, 78 (125) (June 28, 2013). \n3 Federal Register, 2014, 7 CFR Parts 210 and 220, Local School \nWellness Policy Implementation under the Healthy, Hunger-Free \nKids Act of 2010: Proposed Rule, U.S. Department of Agriculture, \n79 (38) (February 26, 2014). \n4 Massachusetts General Laws (2010). Chapter 111, Section 223, \n5 State of Massachusetts, Chapter 96 of the Acts of 2012", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "79 (38) (February 26, 2014). \n4 Massachusetts General Laws (2010). Chapter 111, Section 223, \n5 State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law),. \n6 Massachusetts Department of Public Health (2010), Nutrition \nStandards for Competitive Foods and Beverages in Public \nSchools, 105 CMR 225.000 \n7 Massachusetts Department of Public Health (2012). \u201cStudents, \nHealthy Schools: Revised Guidance for Implementing the \nMassachusetts School Nutrition Standards for Competitive Foods \nand Beverages\u201d", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 10 of 21 \n \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nThe income for the total food and beverage service regularly \nmaintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages. Food sales operated for \nprofit (this includes bake and candy sales) shall not operate \nduring the regular school day. \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of \nthe breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nCanteen Services at School Site Locations \n7 CFR 210, 220 Competitive Foods: Federal regulations prevent", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "activities can only operate after school hours. \nCanteen Services at School Site Locations \n7 CFR 210, 220 Competitive Foods: Federal regulations prevent \nthe sale of candy, gum, and carbonated beverages to students on \nschool premises from the beginning of the school day to the end \nof the last lunch period. \nThe sale of food items from canteen trucks (with the exception of \nan open campus), school stores, or other areas that compete with \nschool meals, time, and money is in violation of federal \nregulations. These sales further divert income essential to the \nfinancial well-being of the Food and Nutrition Services program. \nUse of canteen services on school premises by students should \nbe prohibited.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 11 of 21 \n \nPreparation of all competitive foods and beverages must meet \nstate and federal food safety guidelines. \nIn accordance with 105 CMR 225.100, nutrition information must \nbe made available to students for non-prepackaged competitive \nfoods and beverages as of August 1, 2013. This requirement shall \nnot apply to the sale or provision of fresh fruits or fresh \nvegetables, and foods or beverages sold during the school day at \nbooster sales, concession stands and other school-sponsored or \nschool-related fundraisers and events. \nNo competitive food and beverages shall be sold, served, or \nprovided during school mealtimes. \nImplementation guidelines must comply with or exceed nutrition \nstandards delineated by 105 CMR 225.000: Nutrition Standards \nfor Competitive Foods and Beverages in Public Schools. \nAll foods sold, served, or provided at schools should meet the \nguidelines given in FNS-06. \nBeverages", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "for Competitive Foods and Beverages in Public Schools. \nAll foods sold, served, or provided at schools should meet the \nguidelines given in FNS-06. \nBeverages \nThe total beverage product line must meet the following criteria: \n\u25cf Schools may sell, provide, or serve only plain water and \njuice. All milk is unflavored. No flavored milk will be \noffered to students. Beverages such as soft drinks, fruit \ndrinks with the minimal nutritional value, and sports \ndrinks cannot be sold, provided, or served to students \nanywhere in school buildings or on the school campus. \n\u25cf Plain drinking water must be readily available during the \nschool day at no cost.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 12 of 21 \n \n\u25cf Drinking water must be caffeine-free, have 0 mg of \nsodium, and have no nutritive or non-nutritive \nsweeteners. Natural flavorings and carbonation are \nacceptable. \n\u25cf Beverages shall not contain added sugars, including high \nfructose corn syrup and non-nutritive sweeteners. \n\u25cf No beverages shall contain artificial sweeteners. \n\u25cf Competitive juice beverages will not be offered in \nelementary schools (i.e., grades PreK-5). Fruit and/or \nvegetable based drinks sold in middle and high schools \n(i.e., grades 6-12) must be composed of no less than 100% \nfruit/vegetable juices with no added sweeteners, not to \nexceed 4 ounces in middle schools (i.e. grades 6-8), and \nnot to exceed 8 ounces in high school (i.e., grades 9-12), \nwith 120 calories/8 oz. plus 10% Daily Value of 3 vitamins \nand nutrients, such as Vitamin A, C, D and calcium \n\u25cf All milk and milk substitute products shall be pasteurized", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "with 120 calories/8 oz. plus 10% Daily Value of 3 vitamins \nand nutrients, such as Vitamin A, C, D and calcium \n\u25cf All milk and milk substitute products shall be pasteurized \nfluid types of low fat (1%) or skim (fat free) milk which \nmeet USDA, state, and local standards for milk. All milk \nshall contain Vitamins A and D at levels specified by the \nFood and Drug Administration and shall be consistent \nwith the state and local standards for such milk. All milk, \nflavored milk, and milk substitute container sizes shall not \nexceed 8 ounces. \n\u25cf Soy, rice, and other milk-substitute drinks shall be \ncalcium and vitamin-fortified and shall contain no more \nthan 22 grams total sugars per 8 ounces. \n\u25cf No beverages shall contain more than trace amounts of \ncaffeine.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 13 of 21 \n \n\u25cf City of Boston agencies in BPS buildings may offer 8 oz. of \n100% juice or low-fat and nonfat milk products in vending \nmachines available only outside of the school day. \nFoods \nFresh fruits and/or non-fried vegetables must be offered \nwherever competitive foods are sold, provided, or served to \nstudents except in non-refrigerated vending machines and \nvending machines offering only beverages. Use of fryolators in \npreparing competitive foods is prohibited. \nIn addition, competitive foods must meet the following \nnutritional criteria per item: \n\u2022 Any other food that meets all the following criteria: \na. \u2264 35% of total calories from fat. \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nii. Fruit and nut combination products are exempt \nfrom the above limitation. \niii. If products are dairy, they must be non-fat or low \nfat dairy.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 14 of 21 \n \nb. \u2264 10% of calories from saturated fat OR \u22641g saturated \nfat \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nc. 0g trans fat \nd. \u2264 35% of weight from total sugars in foods \ni. Non-fat or low-fat yogurt with a maximum of 30g \nsugar per 8 ounces. \ne. \u2264 200 mg sodium \ni. A la carte entrees like cheese sandwiches, \nvegetables with sauce, and soups must be less \nthan 480 mg sodium if they contain one or more \nof the following: \n1. \u22652g fiber \n2. \u22655g protein \n3. \u226510% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron \nf. Meet 1 of the following calorie requirements: \ni. \u2264100 calories \nii. Vegetables with sauce and soups can have 150 \ncalories if they contain two or more of the \nfollowing: \u22652g fiber; or \u22655g protein; or \u226510% DV of \nVitamin A, C, E, folate, calcium, magnesium, \npotassium, or iron; or \u2265\u00bd serving (\u00bc cup) of fruit \nor vegetables.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "following: \u22652g fiber; or \u22655g protein; or \u226510% DV of \nVitamin A, C, E, folate, calcium, magnesium, \npotassium, or iron; or \u2265\u00bd serving (\u00bc cup) of fruit \nor vegetables. \niii. Other foods can have calorie limits per below if \nthey contain one or more of the following:", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 15 of 21 \n \n1. \u2265 2g fiber \n2. \u2265 5g protein \n3. \u2265 10% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron \n4. \u2265 \u00bd serving (1/4 cup) of fruit or vegetables: \na. \u2264 150 calories for elementary schools \nb. \u2264 180 calories for middle and \nc. \u2264 200 calories for high schools \n\u2022 Bread and other whole grain-based products shall have a \nwhole grain (such as whole wheat) listed as the first \ningredient or contain grains that are at least 51% whole \ngrains. \n\u2022 No more than trace amounts of caffeine are allowed in \nfoods. \n\u2022 Foods must contain no artificial sweeteners. \n\u2022 Foods must have limited added sweeteners as much as \npossible. \n\u2022 Fruits shall have no added sweeteners and have 0g total fat. \nSince fresh fruits and vegetables vary in size and calories \nnaturally, they have no calorie limit. \n\u2022 Fruits packaged in their own juices or dried will not exceed \nthe following calorie limits: 150 calories for elementary", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "naturally, they have no calorie limit. \n\u2022 Fruits packaged in their own juices or dried will not exceed \nthe following calorie limits: 150 calories for elementary \nschools, 180 calories for middle schools and 200 calories for \nhigh schools. \n\u2022 Dried fruit and nut combination products (commonly \nknown as trail mix) can be included within these guidelines \nif they meet the following standards: \na. The items found in the combination product include \nonly unsweetened dried fruit, nuts, and/or seeds.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 16 of 21 \n \nb. The product contains no added sweeteners. \nc. The combination product is exempt from the \u2264 35% of \ntotal calories from fat requirement, but must meet all \nrequirements around calories, saturated fat, trans fat, \nsodium, sugar, and positive nutrients. \n\u2022 Any one egg or equal amount of egg equivalent is allowable \nif it contains no added fat. \n\u2022 Any reduced-fat or part-skim cheese \u22641 oz. \nTime Of Day \nThe guidelines apply to all food and beverages (outside the USDA \nSchool Meals and After School Snack Program) provided to \nstudents on school grounds during the regular and extended \nschool day when events are primarily under the control of the \nschool or third parties on behalf of the school. \nThe extended school day is the time before or after the official \nschool day that includes activities such as clubs, yearbook, band \nand choir practice, student government, drama, sports practices,", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "The extended school day is the time before or after the official \nschool day that includes activities such as clubs, yearbook, band \nand choir practice, student government, drama, sports practices, \nintramural sports, and childcare/latchkey programs. \nVending machines, including those controlled by other entities in \nBPS buildings and grounds, shall comply with these guidelines at \nall times. Automatic timers will be used to limit access to \ncompetitive foods and beverages in vending machines during \nthe school day, including during school mealtimes. \nFundraisers, Classroom Parties, Food Rewards, and Meetings \nAll fundraisers must meet Boston Public Schools\u2019 \nimplementation guidelines for competitive food. No food-based", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 17 of 21 \n \nfundraisers are permitted during school meals. The building \nadministrator or designee is responsible for approving all \nfundraisers. Classroom parties must also comply with Boston \nPublic School\u2019s competitive food guidelines and notification of \nthe cafeteria manager is requested to help the cafeteria plan \nappropriately. Principals and staff will promote a school \nenvironment supportive of healthy eating. Adults are encouraged \nto model healthy eating by serving nutritious food and beverages \nat school meetings and events. \nTeachers and staff should refrain from providing candy and \nsnacks of minimal nutritional value as rewards for students and \ninstead integrate practices of non-food rewards. Food and \nbeverage cannot be used as a reward means of discipline. \nIf schools participate in fundraising involving food and beverages, \nthe fundraiser should support a healthy school environment and", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "beverage cannot be used as a reward means of discipline. \nIf schools participate in fundraising involving food and beverages, \nthe fundraiser should support a healthy school environment and \nbe free from solicitation of foods that do not meet the \nspecifications of the Dietary Guidelines for Americans. \nFundraisers should not include the sale of candy, beverages, and \nsnacks that do not meet the Boston Public Schools\u2019 \nimplementation guidelines for competitive foods. \n \nSchools should develop communication and tools to provide to \nPTA and other groups who are conducting fundraising, \ncelebrations, meetings, and rewards for the school so that non-\nfood activities are used. \nAllergies \nSchools should consider all students with food allergies and \nmake appropriate plans and accommodations in any food-based", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 18 of 21 \n \nfundraiser, celebration, and/or reward according to the guidance \nprovided in Superintendent\u2019s Circular SHS-11, which provides \nmore information on student allergies. \nSupport For Implementation \nThis is a citywide initiative, with the Boston Public Schools taking \nthe lead to implement healthy snack and beverage guidelines. \nThe Mayor\u2019s Office, the Boston Public Health Commission (BPHC), \nand the Boston Centers for Youth and Families (BCYF) are all in \nfull support of these policies. \nTo assist with this transition, Food and Nutrition Services will \ncontinue meeting with vendors and manufacturers to discuss \nproduct specifications that meet these guidelines. Language \nreferencing new policies is included in the Request for Bids for \nbeverages, dairy and ice cream, and snack food products. \nVendors who are awarded single-year or multiple-year contracts \nmust comply with the stated guidelines.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "beverages, dairy and ice cream, and snack food products. \nVendors who are awarded single-year or multiple-year contracts \nmust comply with the stated guidelines. \nWith assistance from the School Wellness Council, students, \nteachers, parents, and administrators will be informed and \neducated about the new guidelines. Technical support will be \nprovided to help schools and agency partners adjust to the \nrevised standards, including providing resources on healthful \nforms of fundraising and meeting guidelines. The \nCommonwealth of Massachusetts passed a School Nutrition Bill \n(H4459, S2322). The BPS implementation guidelines have been \nrevised to include state nutritional standards. \nMONITORING AND COMPLIANCE \nSchools will monitor compliance in the following ways:", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 19 of 21 \n \n\u25cf School wellness councils should assess and track their \nschool\u2019s compliance with this policy and include \nimplementing goals on their Wellness Action Plan to \nensure compliance with the policy. \n\u25cf All schools will biennially complete the School Health \nProfiles Surveys (Profiles), including questions on \ncompetitive foods and beverages. Individual school \nreports will be shared back with schools after completing \nProfiles, stating whether the school is complying with the \npolicy. \nThe principal and relevant operational leaders will be notified by \nFNS and the Office of Health & Wellness if a school is found to not \nbe compliant. School administration, families, students, and \nWellness Council will be provided information about the policy to \nengage and support monitoring, enforcement, and compliance.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 20 of 21 \n \nDEFINITIONS \nFood of Minimal Nutritional Value: Food that provides less than \nfive percent of the Reference Daily Intakes (RDI) for each of eight \nspecified nutrients per serving. \nA La Carte Foods: Sold typically in the cafeteria by the school \nfood service department. They are separately and individually \npriced and are not usually part of the NSLP. \nCompetitive Foods: Competitive foods or beverages means all \nfoods or beverages sold or provided in public schools, other than \nnon-sweetened carbonated water and those items sold or \nprovided as part of federal nutrition programs such as the School \nBreakfast Program, School Lunch Program, and the Child and \nAdult Care including those offered in: School cafeterias; school \nstores; school snack bars; concession stands, booster sales, \nvending machines; fundraising activities; school-sponsored or \nschool-related events; food trucks, and any other location in \npublic schools.", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "vending machines; fundraising activities; school-sponsored or \nschool-related events; food trucks, and any other location in \npublic schools. \nREFERENCES \nAlliance for a Healthier Generation Standards \nHealthier US School Challenge Standards", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-03 \nPage 21 of 21 \n \nFor more information about this circular, contact: \n \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9143 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Executive Director \nDepartment: Office of Health and Wellness \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-6643 \nFax: 617-635-1502 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-06 \nVersion 01 \n \n \n \n1 \nFOOD AND NUTRITION SERVICES MENU AND \nINGREDIENT GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS) Food and Nutrition Services \n(FNS) Menu and Ingredient Guidelines are the benchmarks for \nfood quality, food safety, nutrition, and variety. They are applied \nprimarily to menu development and procurement and support \nthe Nutrition Standard of Food and Nutrition Services. They \npertain to all USDA programs administered by FNS. \nFNS continuously monitors its work related to these guidelines \nand updates them annually between school years. The guidelines \nare informed by sources of evidence-based research, and ad hoc \nrelated to ingredients and standards for operation. \nFNS Menu and Ingredient Guidelines align with the Good Food \nPurchasing Program and continuously strive to meet the Menus", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "related to ingredients and standards for operation. \nFNS Menu and Ingredient Guidelines align with the Good Food \nPurchasing Program and continuously strive to meet the Menus \nof Change Principles of the Culinary Institute of America. These \nvalues and principles, respectively, are embedded within the FNS \nMenu and Ingredient Guidelines. \nThe Menu and Ingredient Guidelines are grouped below under \nthe following headings:", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 2 of 17 \n \n \n \n \nA. Provide nourishing and culturally diverse food choices \naccording to regulations \nB. Offer variety of whole, fresh, local foods \nC. Establish levels for some fats, sugar, sodium \nD. Eliminate additives \nE. Define animal welfare standards \nF. Other \n \nA. Provide nourishing and culturally diverse food choices that \nmeet or exceed USDA National School Lunch and School \nBreakfast Program guidelines as well as guidelines of \nMassachusetts Department of Public Health, City of Boston, \nand Boston Public Schools Wellness Policy. \nFNS strictly follows or exceeds the USDA National School \nLunch and School Breakfast Programs Meal Pattern for the \nhealthy meal choices that it offers and the frequency that \nchoices are served. \nFor Boston schools: \n\u2022 Menus follow at least a four-week cycle and continuously \nevolve for diversity, updates, variety, and trends, reflecting \nstudent preferences.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "choices are served. \nFor Boston schools: \n\u2022 Menus follow at least a four-week cycle and continuously \nevolve for diversity, updates, variety, and trends, reflecting \nstudent preferences. \n\u2022 Menus for all BPS food service models are as much like \neach other as possible. \n\u2022 Lunch menus have at least one vegetarian entr\u00e9e daily \nand feature at least one vegan protein option per menu \ncycle during in-person meal service.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 3 of 17 \n \n \n \nB. Offer a variety of whole foods that are fresh, high quality, \nemphasize local, and foods, as purchased, that retain most \nof their inherent physical, chemical, sensory and nutritional \nproperties. These foods should meet the food quality \nrequirement as noted throughout these Guidelines. \n\u2022 Menus favor local, seasonal ingredients. Local items are \nfeatured based on availability, primarily on salad bars, as \nwell as one or more additional local meal components \nduring the week, to include whole grains, fish, and dairy, \nwithin budget parameters. Local, defined as New \nEngland, is intended to increase in volume over time for \nall service models. \n\u2022 Menus offer a variety of fruits and vegetables. \no FNS offers at least two fruits (minimum one fresh; may \nalso serve unsweetened canned/frozen, packed in its \nown juice, and dried fruit at breakfast and lunch) \no FNS offers at least three fresh vegetables and one fresh", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "also serve unsweetened canned/frozen, packed in its \nown juice, and dried fruit at breakfast and lunch) \no FNS offers at least three fresh vegetables and one fresh \nfruit daily at schools (MWCs) with salad bars. Schools \nwithout salad bars offer a minimum of one or more \nfresh fruit and/or vegetables daily. \no Frozen and canned vegetables (salt-free or low-\nsodium) may be served, as appropriate. \no Legumes/beans are offered at a minimum of once per \nweek at all sites for lunch. \n\u2022 Menus offer legumes and beans as a plant-based protein \noption to meet the meat alternate component \nrequirements of meal pattern. \n\u2022 Menus will provide all the weekly grains as whole grain-\nrich and offered in salad bars, sides, and entrees. Local", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 4 of 17 \n \n \n \nwhole grain-rich items will be featured. \n\u2022 Menus offer a variety of lean proteins, including animal \nand plant-based options (i.e.., chicken, turkey, beef, fish, \ntofu, beans). Menus offer commercially purchased whole \nmuscle meat or entrees made from whole muscle meat, \nwith no fillers. \n\u2022 Beef is lean, USDA Grade Choice or better, and contains \n100% beef only. \n\u2022 Eggs are USDA Grade A or equivalent and USDA \ninspected; frozen eggs are USDA inspected. \n\u2022 Seafood must be U.S. Department of Commerce-\ninspected. \n\u2022 FNS offers foods that have as little packaging as possible, \nwith the goal of eliminating all but reasonable, necessary \npackaging. Packaged foods include those served \nselectively, at the discretion of FNS and primarily in \nsettings that have no cooking equipment, for Breakfast in \nthe Classroom, field trips, and occasionally for grab-and-\ngo carts. Where possible, meals offered in the classroom,", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "settings that have no cooking equipment, for Breakfast in \nthe Classroom, field trips, and occasionally for grab-and-\ngo carts. Where possible, meals offered in the classroom, \nfor field trips and on carts align with meals offered in \ndining rooms. \n\u2022 FNS is moving away from unitized/packaged meals \ntoward on-site meal preparation. \nC. Decrease the amount of saturated fat, monitor added \nsugar and excess sodium. \n\u2022 Menu choices favor entrees that are low in saturated fat \n(less than 10% based on the average for a 5-day menu \nweek).", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 5 of 17 \n \n \n \n\u2022 Healthy oil(s) are used in most food preparation. Butter is \nused sparingly. \n\u2022 All liquid milk is rBGH-free. \n\u2022 All dairy is low fat (1%) or non-fat (skim), excluding butter. \n\u2022 FNS currently observes USDA Target 1 sodium limits: \no In line with the federal rules, on or before school year \n2024-2025, FNS intends to decrease average daily \nsodium levels to reach Target 2 standards established \nby the USDA Final Rule \u201cNutrition Standards in the \nNational School Lunch and School Breakfast Programs \n(1/26/12)\u201d. \n\u2022 Added sugar content is monitored by following the below \nguidelines, with the aim to decrease daily added sugar \nintake: \no Cereal may contain no more than 6 gm added sugar \n(1.5 teaspoons) (for 1 grain equivalent) and must be \nidentical nutritional/ingredients with retail product. \no Breakfast grain/grain components may contain up to 8 \ngm (2 teaspoons) added sugar.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "(1.5 teaspoons) (for 1 grain equivalent) and must be \nidentical nutritional/ingredients with retail product. \no Breakfast grain/grain components may contain up to 8 \ngm (2 teaspoons) added sugar. \no For two grain equivalents, there will be no more than \n14 gm (4.5 teaspoons) added sugar. \no Yogurt may have 15 gm of added sugar (4.5+ \nteaspoons) or less per serving. \n\u2022 Beverages may include fruit-infused water at hydration \nstations in school dining rooms. \nD. Eliminate additives and ingredients that aren\u2019t needed for \nproduct integrity.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 6 of 17 \n \n \n \n\u2022 The following unnecessary or unnatural ingredients are \nprohibited from menu items. \n\u2022 Additives and ingredients will be monitored and adjusted \naccording to evidence-based research. \n\u2022 Coloring: \no Artificial colors (including synthetic food dyes) \no Annatto and Cochineal extract/carmine \no Caramel color class III and IV avoided in beverages, \nfood, and sauces. Caramel color class IV may be \nfeatured in gravies, which are used sparingly. \n\u2022 Artificial flavors: artificial synthetic flavors \n\u2022 Artificial preservatives: Benzoates & benzoic acid, \nBHA/BHT/TBHQ; nitrates/nitrites; propyl gallate, sulfites \n\u2022 Artificial sweeteners & other sugar free non-nutritive, low \ncalorie and reduced calorie sweeteners: Sucralose, \naspartame, saccharine, Neotame, acesulfame k \n[acesulfame potassium] \n\u2022 Flavor enhancers: GMP, MSG \n\u2022 Binders and Fillers: isolate vegetable proteins and \nhydrolyzed vegetable protein as filler", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "aspartame, saccharine, Neotame, acesulfame k \n[acesulfame potassium] \n\u2022 Flavor enhancers: GMP, MSG \n\u2022 Binders and Fillers: isolate vegetable proteins and \nhydrolyzed vegetable protein as filler \n\u2022 Thickening agents: Carrageenan \n\u2022 Caffeine \n\u2022 Sugary syrups: High fructose corn syrup (HFCS), high \nmaltose corn syrup, high dextrose corn syrup, tapioca \nsyrup \n\u2022 Partially hydrogenated oils; trans fats \n\u2022 Emulsifiers:", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 7 of 17 \n \n \n \no Brominated Vegetable Oil (BVO) \no Carboxymethylcellulose (CMC) and Polysorbates \n\u2022 Flour treatment agents: (azodicarbonamide, bleached \nflour, bromated flour [potassium bromate], potassium \niodate) \n\u2022 Nitrites/Nitrates and Processed Meat: Meat that has been \ntransformed through salting., curing, fermentation, \nsmoking, or other processes to enhance flavor or improve \npreservation. Examples of processed meat include hot \ndogs (frankfurters), deli meat, ham, sausage, corned beef, \nbeef jerky and canned meat. \n\u2022 Rendered meat, irradiated meat, meat with latent Tgf-\nbeta binding protein (LTBP)* \n\u2022 Ammonium hydroxide, vegetable protein analogues, or \nextenders \nE. Work toward procurement of animals untreated with \nhormones, steroids, or antibiotics that serve no vital \nfunction. \n\u2022 Due to growing concerns of animal husbandry practices, \nFNS supports responsible use of antibiotics in animals.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "hormones, steroids, or antibiotics that serve no vital \nfunction. \n\u2022 Due to growing concerns of animal husbandry practices, \nFNS supports responsible use of antibiotics in animals. \no Menu features chickens raised without the use of \nantibiotics ever. \n\u25aa Menu features entrees utilizing chicken products \nfollowing One Health Certified (OHC) standards.37 \nOHC addresses several important areas of animal \nagriculture within a sustainable continuous \nimprovement process. \no Menu features turkey products produced under a", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 8 of 17 \n \n \n \nUSDA process verified program that includes \ncompliance with the following Certified Responsible \nAntibiotic Use (CRAU) criteria: \ni. No administration of antibiotics pre-hatch \nii. Antibiotics with analogues in human medicine are \nnot allowed for: \n\u25aa Disease prevention \n\u25aa Growth promotion \n\u25aa Feed efficiency, or \n\u25aa Weight gain \niii. Antibiotics with human analogs can only be used \ntherapeutically to: \n\u2022 Treat disease in poultry with bacterial disease \n\u2022 Control disease in poultry exposed to infectious \nbacteria \n\u2022 FNS is opposed to the use of hormones and steroid \ngrowth promoters in beef and dairy cattle production. \nFNS continues to research food products from beef or \ndairy cattle produced without hormone growth \npromoters and grass-fed products as options become \navailable. FNS acknowledges some USDA commodity \nproducts (beef, dairy and poultry) are purchased without \nthe transparency of animal practices, and therefore, FNS", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "available. FNS acknowledges some USDA commodity \nproducts (beef, dairy and poultry) are purchased without \nthe transparency of animal practices, and therefore, FNS \nlimits how often these products are served. USDA \ncommodity proteins may be made from whole muscle \nmeat or restructured meat*. \nF. Other guidelines are observed as follows:", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 9 of 17 \n \n \n \n\u2022 All school dining areas are peanut aware. No school \nkitchens will serve peanuts or tree nuts. \n\u2022 FNS accommodates students with medically prescribed \ndietary requirements. \n \nFor more information about this circular, contact: \nOwner: Nutrition Manager \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9144 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 10 of 17 \n \n \n \nREFERENCES \n1 Center for Good Food Purchasing. \nhttps://goodfoodpurchasing.org. Last reviewed 2020. Accessed \nJanuary 26, 2020. \n2 Menus of Change. https://www.menusofchange.org. Last \nreviewed 2021. Accessed May 14, 2021. \n3 Michigan State University. What is a processed food? \nhttps://www.canr.msu.edu/news/what_is_a_processed_food \n4 American Heart Association. Healthy Cooking Oils. \nhttps://www.heart.org/en/healthy-living/healthy-eating/eat-\nsmart/fats/healthy-cooking-oils. Last reviewed April 24, 2018. \nAccessed January 14, 2020. \n5 American Heart Association. Children should eat less than 25 \ngrams of added sugars daily. \nhttps://newsroom.heart.org/news/children-should-eat-less-than-\n25-grams-of-added-sugars-daily \n6 Center for Science in the Public Interest. Chemical Cuisine, \nLearn About Food Additives. https://cspinet.org/eating-\nhealthy/chemical-cuisine. Published 2014. Accessed June 26, 2019.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "6 Center for Science in the Public Interest. Chemical Cuisine, \nLearn About Food Additives. https://cspinet.org/eating-\nhealthy/chemical-cuisine. Published 2014. Accessed June 26, 2019. \n7 Kobylewski S, Jacobson MF. Food dyes: A Rainbow of Risks. \nWashington D.C.; 2010. https://cspinet.org/new/pdf/food-dyes-\nrainbow-of-risks.pdf. \n8 Lefferts LY, Jacobson MF, MacCleery L. Seeing Red: Time for \nAction in Food Dyes. Washington D.C.; 2016. \nhttp://cspinet.org/reports/seeing-red-report.pdf.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 11 of 17 \n \n \n \n9 Conners CK, Goyette CH, Southwick DA, Lees JM, Andrulonis PA. \nFood additives and hyperkinesis: a controlled double-blind \nexperiment. Pediatrics. 1976;58(2):154-166. \n10 Stevenson J, Buitelaar J, Cortese S, et al. Research review: the \nrole of diet in the treatment of attention deficit/hyperactivity \ndisorder\u2014an appraisal of the evidence on efficacy and \nrecommendations on the design of future studies. J Child \nPsychol Psychiatry. 2014;55(5):416-427. doi:10.1111/jcpp.12215. \n11 Bateman B, Warner JO, Hutchinson E, et al. The effects of a \ndouble blind, placebo controlled, artificial food colourings and \nbenzoate preservative challenge on hyperactivity in a general \npopulation sample of preschool children. Arch Dis Child. 2004; \n89:506-511. doi:10.1136/adc.2003.031435. \n12 McCann D, Barrett A, Cooper A, et al. Food additives and \nhyperactive behavior in 3-year-old and 8/9-year-old children in", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "89:506-511. doi:10.1136/adc.2003.031435. \n12 McCann D, Barrett A, Cooper A, et al. Food additives and \nhyperactive behavior in 3-year-old and 8/9-year-old children in \nthe community: a randomized, double-blinded, placebo- \ncontrolled trial. Lancet. 2007;370(9598):1560-1567. doi:10.1016/ \nS0140-6736(07)61306-3. \n13 Saeed MG, Sayeed SA, Ashraf S, et al. Investigations of In vitro \nDigestibility of Proteins Bound to Food Colors. Journal of \nPharmacy and Nutrition Sciences. 2011, 1, 34-40. \n14 USDA Food and Drug Administration D of H and HS. Specific \nFood Labeling Requirements. Code of Federal Regulations. \nhttps://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/CFRSea\nrch.cfm?CFRPart=101. \n15 Piper, P. Potential safety issues surrounding the use of \nbenzoate preservatives. Beverages. 2018;4(2):33. doi:", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 12 of 17 \n \n \n \n10.3390/beverages4020033. \n16 NTP (National Toxicology Program). 2016. Report on \nCarcinogens, Fourteenth Edition.; Research Triangle Park, NC: U.S. \nDepartment of Health and Human Services, Public Health \nService. https://ntp.niehs.nih.gov/go/roc14. \n17 Jakszyn P, Gonzalez C-A. Nitrosamine and related food intake \nand gastric and esophageal cancer risk: a systematic review of \nthe epidemiological evidence. World J Gastroenterol. \n2006;12(27):4296-4303. \nhttp://www.ncbi.nlm.nih.gov/pubmed/16865769. \n18 Alhoff J, Grandjean C. In vivo studies in Syrian golden hamsters: \na transplacental bioassay of ten nitrosamines. Natl Cancer Inst \nMonogr. 1979;(51):251-255. \nhttp://www.ncbi.nlm.nih.gov/pubmed/481578. \n19 International Agency for Research on Cancer (IARC). IARC \nMonographs evaluate consumption of red meat and processed \nmeat. 2015. doi: https://www.iarc.fr/en/media-\ncentre/pr/2015/pdfs/pr240_E.pdf.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Monographs evaluate consumption of red meat and processed \nmeat. 2015. doi: https://www.iarc.fr/en/media-\ncentre/pr/2015/pdfs/pr240_E.pdf. \n20 National Toxicology Program. Carcinogenesis Bioassay of \nPropyl Gallate in F344 Rats and B6C3F1 Mice. Bethesda; 1982. \nhttps://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf. \n21 Ham J, Lim W, Park S, et al. Synthetic phenolic antioxidant \npropyl gallate induces male infertility through disruption of \ncalcium homeostasis and mitochondrial function. Environ \nPollut.2019 May; 248:845-856. Doi: 10.1016/j.envpol.2019.02.087. \n22 Abdo KM, Kari FW. The sensitivity of the NTP bioassay for \ncarcinogen hazard evaluation can be modulated by dietary", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 13 of 17 \n \n \n \nrestriction. Exp Toxicol Pathol. 1996;48(2-3):129-137. doi: \n10.1016/S0940-2993(96)80033-9. \n23 Soffritti M, Belpoggi F, Degli Esposti D, Lambertini L, Tibaldi E, \nRigano A. First experimental demonstration of the multipotential \ncarcinogenic effects of aspartame administered in the feed to \nSprague-Dawley rats. Environ Health Perspect. 2006;114(3):379-\n385. http://www.ncbi.nlm.nih.gov/pubmed/16507461. \n24 Schernhammer ES, Bertrand KA, Birmann BM, Sampson L, \nWillett WC, Feskanich D. Consumption of artificial sweetener-and \nsugar-containing soda and risk of lymphoma and leukemia in \nmen and women. Am J Clin Nutr. 2012;96(6):1419-1428. \ndoi:10.3945/ajcn.111.030833. \n25 M. S, M. P, E. T, et al. Sucralose administrated in feed, beginning \nprenatally through lifespan, induces hematopoietic neoplasias in \nmale swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: \n10.1080/10773525.2015.1106075.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "prenatally through lifespan, induces hematopoietic neoplasias in \nmale swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: \n10.1080/10773525.2015.1106075. \n \n26 Liauchonak I, Qorri B, Dawoud F, Riat Y, Szewczuk MR. Non-\nNutritive Sweeteners and Their Implications on the Development \nof Metabolic Syndrome. Nutrients. 2019; 11(3):644. \n27 Raiten DJ, Talbot JM, Fisher KD. Executive summary from the \nreport: analysis of adverse reactions to monosodium glutamate \n(MSG). J Nutr. 1995;125(11):2891S-2906S. \nhttp://www.ncbi.nlm.nih.gov/pubmed/7472671. \n28 Bray GA, Nielsen SJ, Popkin BM. Consumption of high-fructose \ncorn syrup in beverages may play July 2019 a role in the epidemic \nof obesity. Am J Clin Nutr. 2004; 79(4):537-543.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 14 of 17 \n \n \n \nhttp://www.ncbi.nlm.nih.gov/pubmed/15051594. \n29 American Heart Association. Trans Fats. \nhttp://www.heart.org/HEARTORG/HealthyLiving/HealthEating/Nu\ntrition/TransFats_UCM_301120_Article.jsp#.V2HUpvkrJhE. \n30 US Food and Drug Administration. Frequently Asked Questions \non Azodicarbonamide (ADA). \nhttp://www.fda.gov/Food/IngredientsPackagingLabeling/FoodAd\nditivesIngredients/ucm387497.htm. \n31 Bukhari SSI, Azam I, Abbasi MH, Daud M, Sheikh N, Batool A, \nMahmood R, and Mukhtar M. Effect of Alloxan on IL-6 Gene \nExpression in Mus musulus. Biologia (Pakistan). 2018; 64(1):69-73. \nhttps://www.gcu.edu.pk/Publications/Biologia/Vol64_No1_2018.pd\nf#page=65. \n32 International Agency for Research on Cancer (IARC). \nSummaries & Evaluations Potassium Bromate (Group 2B). 1999. \nhttp://www.inchem.org/documents/iarc/vol73/73-17.html \n33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Summaries & Evaluations Potassium Bromate (Group 2B). 1999. \nhttp://www.inchem.org/documents/iarc/vol73/73-17.html \n33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments. \nhttps://cfpub.epa.gov/ncea/iris2/chemicalLanding.cfm?substance\n_nmbr=1002. Published 2001. Accessed July 24, 2019. \n34 Cornucopia Institute. Behind the Bean: The Heroes and \nCharlatans of the Natural and Organic Soy Foods Industry.; 2009. \nhttps://www.cornucopia.org/wp-\ncontent/uploads/2017/09/behindthebean_color_final.pdf. \n35 Berkeley Wellness. Ask the Experts, Hexane in Soy Food. \nBerkeley Wellness, Univ Calif. May 2012. \nhttps://www.berkeleywellness.com/healthy-eating/food-\nsafety/article/hexane-soy-food.", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 15 of 17 \n \n \n \n36 Women\u2019s Health. \u2018Soy Protein Isolate\u2019 Is in So Many Things\u2014But \nIs It Healthy?; 2019. \nhttps://www.womenshealthmag.com/food/a27559289/soy-\nisolate-protein/. \n37 One Health Certification Foundation. Five Core Principles. \nhttps://onehealthcertified.org/about/core-principles/ \n38 U.S. Department of Agriculture. Certified Responsible Antibiotic \nUse. https://www.ams.usda.gov/services/auditing/crau \nMinneapolis Public Schools Culinary and Wellness Services True \nFood Nutrition Philosophy 2019-2020 \n(https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd\nf) and Culinary & Wellness Services Ingredient Guide \n(https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p\ndf) served as models for the Boston Public Schools Food and \nNutrition Services Menu and Ingredient Guidelines. \nHealthy School Campaign Ingredient Guidelines \nhttps://www.google.com/url?q=https://healthyschoolscampaign.o", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Nutrition Services Menu and Ingredient Guidelines. \nHealthy School Campaign Ingredient Guidelines \nhttps://www.google.com/url?q=https://healthyschoolscampaign.o\nrg/dev/wp-content/uploads/2020/01/Ingredient-Guide-\n2021.pdf&sa=D&source=docs&ust=1689510987098278&usg=AOvVa\nw2a5uRgrXBkhb6Xz9zJ6ESc", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 16 of 17 \n \n \n \nNOTES: \n*Sugar calculation \n Yogurt: \n12 grams of sugar in 4 oz. of \u201cSweetened Yogurt\u201d \n15 grams of sugar in 4 oz. vanilla-flavored yogurt \n Breakfast Condiment: \n6 grams of sugar in 1 oz. \u201cYogurt Dipping Sauce\u201d \n8 grams of sugar in .4 oz. of table syrup individual \npackage", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + }, + { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "content": "Superintendent\u2019s Circular FNS-06 \nPage 17 of 17", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } +] \ No newline at end of file diff --git a/BPS_chatbot_with_ui/data/source_links.json b/BPS_chatbot_with_ui/data/source_links.json new file mode 100644 index 0000000..86d8910 --- /dev/null +++ b/BPS_chatbot_with_ui/data/source_links.json @@ -0,0 +1,189 @@ +{ + "ATH-01": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "ATH-02": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "COM-01": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "COM-02": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "ACA-18": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "AMT-01": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "AMT-03": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "AMT-04": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "AMT-05": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "AMT-06": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "AMT-07": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "CAO-01": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "CAO-03": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "CAO-05": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "CAO-07": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "CAO-08": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "CAO-22": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "CAO-23": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "CAO-24": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "CAO-25": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "CAO-27": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "EL-04": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "EL-06": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "EL-07": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "EQT-01": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "EQT-02": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "EQT-03": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "EQT-04": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "EQT-05": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "EQT-06": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "EQT-07": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "EQT-08": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "EQT-09": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "EQT-10": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "FAM-01": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "FAM-02": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "FAM-03": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "FAM-04": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "FAM-05": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "FAM-06": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "FAM-07": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "FAM-08": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "FIN-01": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "FIN-02a": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "FIN-02b": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "FIN-03": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "FIN-04": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "FIN-07": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "FIN-09": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "FIN-10": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "FIN-11": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "FIN-12": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "FIN-14": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view", + "FIN-16": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "FIN-19": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "FIN-20": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "FIN-21": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "FMT-01": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "FMT-02": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "FMT-03": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "FMT-04": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "FMT-05": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "FMT-08": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "FMT-09": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "FMT-10": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "FMT-11": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "FMT-12": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "FMT-15": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "FMT-18": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "FMT-19": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "FMT-20": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "FNS-02": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "FNS-03": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "FNS-04": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "FNS-06": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "FSE-01": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "FSE-02": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "FSE-03": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "FSE-04": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "FSE-05": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "FSE-06": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "FSE-07": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "FSE-08": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "HRS-HS02": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "HRS-HS04": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "HRS-HS06": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "HRS-HS07.01": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view", + "HRS-L01": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "HRS-L02": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "HRS-L03": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "HRS-PM01": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view", + "HRS-PM02": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "HRS-PM02A": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view", + "HRS-PM03": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "HRS-PM04": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "HRS-PM05": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "HRS-PM06": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "HRS-PM07": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "HRS-PM07A": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view", + "HRS-PM08": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "HRS-PM09": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "HRS-PM10": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "HRS-PP01": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "HRS-PP05": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "HRS-PP06": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "HRS-PP07": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "HRS-PP08": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "HRS-PP09": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "HRS-PP11": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "HRS-PP12": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "HRS-PP13": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "HRS-PP13A": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view", + "HRS-PP14": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "HRS-PP15": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "HRS-PP16": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "HRS-PP17": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "HRS-PP19": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "HRS-PP20": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "HWD-01": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "HWD-02": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "HWD-03": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "HWD-04": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "HWD-06": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "LGL-01": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "LGL-03": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "LGL-04": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "LGL-05": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view", + "LGL-06": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view", + "LGL-07": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "LGL-08": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view", + "LGL-09": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "LGL-10": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "LGL-14": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "LGL-15": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view", + "LGL-16": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "LGL-17": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "LGL-18": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view", + "LGL-19": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "LGL-20": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "LGL-21": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view", + "LGL-22": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "ODA-01": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "ODA-02": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "ODA-03": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "ODA-04": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "ODA-05": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "ODA-06": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "ODA-07": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "OIIT-01": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "OIIT-02": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "OIIT-03": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "SAF-01": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "SAF-02": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "SAF-03": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "SAF-04": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "SAF-07": "https://drive.google.com/file/d/1nKQTl_GDl9xYJV_GC6Z8-AqtEXWcz0vF/view", + "SAF-08": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "SAF-09": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "SAF-12": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "SCP-01": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "SHS-01": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "SHS-04": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "SHS-05": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view", + "SHS-06": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "SHS-08": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "SHS-11": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "SHS-13": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "SHS-16": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "SHS-20": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "SHS-21": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "SHS-22": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "SHS-23": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "SHS-24": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "SHS-25": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "SHS-26": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "SPE-14": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "SPE-20": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "SSS-02": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "SSS-07": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "SSS-09": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "SSS-18": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "SSS-19": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "SUP-19": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "SUP-20": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "TRN-01": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "TRN-02": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "TRN-03": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1" +} \ No newline at end of file diff --git a/BPS_chatbot_with_ui/data/vector_store/faiss_index b/BPS_chatbot_with_ui/data/vector_store/faiss_index new file mode 100644 index 0000000..6c09dd8 Binary files /dev/null and b/BPS_chatbot_with_ui/data/vector_store/faiss_index differ diff --git a/BPS_chatbot_with_ui/data/vector_store/faiss_meta b/BPS_chatbot_with_ui/data/vector_store/faiss_meta new file mode 100644 index 0000000..56ef764 --- /dev/null +++ b/BPS_chatbot_with_ui/data/vector_store/faiss_meta @@ -0,0 +1,30130 @@ +{ + "51426359-4547-4783-a51d-72de7850310d": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-21 \nVersion 01 \n \nCREATING A BPS-RECOGNIZED INDEPENDENT 501C3 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools encourages schools to seek and \nreceive external resources to supplement their instructional and \nprogrammatic strategies. To this end, the Boston Public Schools \nhas partnered with the Boston Educational Development Fund \n(BEDF) to serve as a 501c3 fiscal agent to receive financial \ndonations as charitable contributions, eligible for tax deductions \nby the donor. Independently, as a fiscal partner to schools, BEDF \nmanages funds, creates financial reports, and offers technical \nassistance to schools in their pursuits of private funds. BPS \nschools are entitled to utilize BEDF as a fiscal agent in pursuit of \nprivate funding. \nIn the case that a school wishes to pursue establishing and \nmanaging an independent 501c3, formal approval is required.", + "metadata": { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "52e79420-72b3-4af4-a3aa-572f74193cca": { + "page_content": "private funding. \nIn the case that a school wishes to pursue establishing and \nmanaging an independent 501c3, formal approval is required. \nSCHOOLS WITH EXISTING INDEPENDENT 501C3S \nSchools with existing 501c3s, registered with the proper federal \nand state authorizing agencies, must complete the BPS \nIndependent 501c3 Form to update BPS on current details \nincluding board structure, status, and operating revenue. \nIndependent 501c3s with strong governance boards and rationale \nwill receive recognition from BPS.", + "metadata": { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e3026fe7-4489-417f-b05b-2d0dd2662050": { + "page_content": "Superintendent\u2019s Circular FIN-21 \nPage 2 of 3 \n \nSCHOOLS SEEKING TO ESTABLISH A BPS-RECOGNIZED \nINDEPENDENT 501C3 \nTo request to establish a 501c3, all schools must have the \nfollowing: \n\u2022 A strong rationale for the need for a separate, independent \n501c3. \n\u2022 A draft plan for the 501c3 including governance board. \n\u2022 A track record of managing private investments \nappropriately and on-time reporting OR someone on the \ngoverning board with this experience. \n\u2022 An estimate of anticipated annual revenue and revenue \nsources. \nFor a school to establish a 501c3, the following outlined steps \nmust be completed, and approval given by the superintendent: \n\u2022 All schools must complete a BPS Independent 501c3 . \n\u2022 Submitted requests will be reviewed by the chief financial \nofficer and superintendent and approved if a strong \napplication is submitted. \nCOMPLIANCE AND ACCOUNTABILITY \nBPS reserves the right to alert foundations/nonprofit partners to", + "metadata": { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "fa895e2f-b046-404c-8af0-bc641df9eb32": { + "page_content": "officer and superintendent and approved if a strong \napplication is submitted. \nCOMPLIANCE AND ACCOUNTABILITY \nBPS reserves the right to alert foundations/nonprofit partners to \nthe existence of 501c3 that are considered to be out of \ncompliance or that have been created without proper approval \nfrom the Superintendent\u2019s Office. \nBPS believes in the ability to provide timely, accurate, and \nthorough reports to our philanthropic partners and takes \nseriously the significant commitment of time and expertise that \nthis places on a school community to run an independent 501c3.", + "metadata": { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "8df552e5-f09b-415e-b280-042454a02ed5": { + "page_content": "Superintendent\u2019s Circular FIN-21 \nPage 3 of 3 \n \nWe encourage the use of our established partner, BEDF, to \nresponsibly manage funds. BPS has put these requirements in \nplace to ensure proper management of all funds and proper \nreporting, to support schools in philanthropic pursuits, and to \nprovide a low-cost 501c3 to house private funding. \n \nFor more information about this circular, contact: \nOwner: Chief of Finance \nDepartment: Finance \nMailing Address: Bruce C. Bolling Building, \n2300 Washington St., Boston, MA 02119 \nPhone: 617-635-7962 \nEmail: (preferred) finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-21 BPS-Recognized Independent 501c3s.pdf", + "source_link": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2abad852-7818-403c-982c-8f200a9a55a7": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-10 \nVersion 01 \n \nGRANTS GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS GRANTS \nAll grants going to the Boston Public Schools \u2014 to the district as \na whole, individual schools, or central offices \u2014 must adhere to \nfederal, state, city, and district policy. This circular contains the \ngrant management standards and procedures the district uses to \nensure all funds are lawfully expended. \nBased on the funding source, grants will be housed in either the \nOffice of Grants and External Funding or the Boston Educational \nDevelopment Foundation (BEDF). All federal and state grants, as \nwell as some private grants, are housed in the Office of Grants \nand External Funding and must adhere to the following \ninformation. Private grants that are housed in the Boston \nEducational Development Foundation (BEDF) 501c3 account", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6398be39-e0e6-4068-95a3-ddd9e9322f94": { + "page_content": "and External Funding and must adhere to the following \ninformation. Private grants that are housed in the Boston \nEducational Development Foundation (BEDF) 501c3 account \nmust adhere to the rules and regulations of BEDF. Information on \nBEDF can be found in Superintendent\u2019s Circular FIN-09. \nROLES AND RESPONSIBILITIES \nAll grants must adhere to federal, state, city, and Boston Public \nSchools requirements for purchasing, accounting, auditing, civil", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "fb8e76e0-0fdb-43bb-8668-7e3be3d60c11": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 2 of 14 \n \nrights, access, and confidentiality, as well as established \nguidelines set forth by the funder. Regulations for state and \nfederal grants are published in the Grants Management \nProcedural Manual published by the Bureau of Grants \nManagement of the Massachusetts Department of Education. All \nfederal grants must comply with EDGAR 2 C.F.R.\u00a7 200. All policies \nand procedures, as well as internal controls and grant \nmanagement standards used by the BPS to ensure that all funds \nare lawfully expended are outlined in the Fiscal Policies and \nProcedures Manual. \nAny individual who works under a grant, expends grant funds, or \noversees a department that utilizes grant funds is responsible for \nlawfully expending grant funds. \nGRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS \nAND EXTERNAL FUNDING \nThe following documents are required when seeking grant \nfunding: \n\u2022 Intent to Apply Form \n\u2022 School Committee Approval Form", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b48a5e92-1750-44e3-b4d3-fc16cf774ff5": { + "page_content": "GRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS \nAND EXTERNAL FUNDING \nThe following documents are required when seeking grant \nfunding: \n\u2022 Intent to Apply Form \n\u2022 School Committee Approval Form \n\u2022 Boston Fiscal Policies and Procedures \n\u2022 Grants Subrecipient and Responsibilities \nProgram managers and grant applicants are responsible for \nimplementing the following rules for seeking and managing \ngrants: \n1. Most federal and state grants follow the \u2018supplement and \nnot supplant\u2019 rule. This means grant money must not be \nused to replace positions previously funded with local", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b444842d-78da-413e-8632-3c3cd08df73c": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 3 of 14 \n \nmoney and should not be used to fund non-salary items \nthat are the responsibility of the local school district. For \nexample, grant funds may not be used to fund classroom \nteachers or administrative personnel, as these positions are \nconsidered core. A clear indication of supplanting is shifting \na position from GSP to a grant. \n2. Grant-funded programs should be self-sufficient. Awarded \nfunds must cover all expenses of the program, including \nwages, benefits, supplies, transportation, utilities, custodial \nrequirements, and fees. Please consult the Office of Grants \nand External Funding and the Budget Office for approval of \nany exceptions. If technology is involved, applicants should \nconsult with the Office of Information and Instructional \nTechnology (OIIT) to ensure that they are in support of the \nproposal. \n3. All BPS policies, procedures, rules, and regulations apply to \ngrant- funded programs. Regular personnel, budget, and", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0eae1081-29b7-4fa7-91de-2ca23ad7c090": { + "page_content": "Technology (OIIT) to ensure that they are in support of the \nproposal. \n3. All BPS policies, procedures, rules, and regulations apply to \ngrant- funded programs. Regular personnel, budget, and \nbusiness procedures apply to grant funded programs in the \nsame way they apply to locally funded programs. Please \nreference appropriate budget, business, and human capital \nmemoranda for rules and procedures. \n4. No agreement to apply for or be a subrecipient of a grant is \nto be entered into with an outside organization or entity on \nbehalf of the district without the approval of the Grants and \nExternal Funds Office. \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for grant opportunities from a variety of sources. Grant \ndevelopment should be a team process within the", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a0878335-4b53-48ed-abe0-474f0a746cf1": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 4 of 14 \n \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the grant to be \ninvolved. Heads of school, principals, and other administrative \nheads must be aware and pre-approve grant proposals for \nprograms that will take place under their supervision. \nINTENT TO APPLY \nAll BPS entities planning to pursue a grant opportunity must \nsubmit an online Intent to Apply form for all federal and state \ngrants, as well as private grants over $10,000. The Intent to Apply \nform should be submitted as soon as the funding opportunity \nand applicant have been identified, but no less than 3 weeks \nbefore the grant due date. This will ensure that potential grant \napplications are consistent with BPS goals and policies and are \nnot in conflict with BPS solicitations for funds to the same \nagencies and donors. \nYour intent to apply will be reviewed on a weekly basis. Upon", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "25655f08-2b44-4725-857f-1b00b20f4a1c": { + "page_content": "not in conflict with BPS solicitations for funds to the same \nagencies and donors. \nYour intent to apply will be reviewed on a weekly basis. Upon \napproval, you will receive a completed Grant Cover Page with \nyour submitted information and details on next steps. \nSuperintendent Signature \nThe Office of Grants and External Funding will facilitate obtaining \nthe superintendent\u2019s signature on your behalf. Please submit the \nIntent to Apply form, and the Office of Grants and External \nFunding will contact you within ten (10) days with next steps. All \ndocuments requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. All proposals must be submitted through the Intent to Apply \nform and obtain approval to move forward from the Grants \nReview Team before signatures will be obtained.", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "98075c63-8cb7-4e30-82d0-4d4e6154e24f": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 5 of 14 \n \nLetter of Support \nThe Office of Grants and External Funding will facilitate and \nobtain all signatures on letters of support from the \nsuperintendent and mayor (for federal grants). Once the Intent to \nApply has been reviewed and approved by the Grants Review \nTeam, please draft a letter of support for signature. All letters \nrequiring signature must be submitted at least one week (7 days) \nbefore they are due. \nIf you are requesting a letter of support from BPS not tied to a \nBPS grant application, please complete the online Letter of \nSupport Request Form. The Office of Grants and External \nFunding will follow up with next steps. \nBUDGET CREATION \nThe Office of Grants and External Funding can assist with \ndeveloping and reviewing your application\u2019s budget. Once you \ncomplete the online Intent to Apply Form, the Office of Federal \nand Grants will contact you. Please reply to this communication", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "f8945d2e-7765-4b10-b186-fc6abcdb7147": { + "page_content": "developing and reviewing your application\u2019s budget. Once you \ncomplete the online Intent to Apply Form, the Office of Federal \nand Grants will contact you. Please reply to this communication \nto schedule time to create and review your budget. All budgets \nmust adhere to BPS, state, and federal regulations and budgets \nthat do not adhere will need to be amended before BPS will \napprove or allow spending. \nSUPERINTENDENT SIGNATURE \nAll grant applications that will be submitted to external funders \n(private, state, and federal) must have internal BPS approval prior \nto submission. The Office of Grants and External Funding will \nfacilitate this process. \nAfter completing the Intent to Apply form, the Office of Grants", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "98f5064a-21e6-434f-8906-1b1c02d39493": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 6 of 14 \n \nand External Funding will contact you with next steps. All \ndocuments requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. The superintendent is the only authorized representative \nwho can sign grant proposals on behalf of BPS. \nBPS can submit the grant to the funder on the requester\u2019s behalf. \nIn some cases, grants can also be submitted directly from the \nprogram manager, if so preferred, but only after all prior steps are \ncompleted. \nONCE GRANT HAS BEEN AWARDED \nSchool Committee Approval \nAll grants being managed through the Office of Grants and \nExternal Funding must be approved by the School Committee \nbefore they can be officially accepted by BPS. Similarly, the \nSchool Committee\u2019s approval is required before the Office of \nGrants and External Funding can gain access to the grant funds \nin conjunction with City Hall. Therefore, as soon as a grant", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "9de12d42-5d88-49a0-abff-ee41da1fe10f": { + "page_content": "School Committee\u2019s approval is required before the Office of \nGrants and External Funding can gain access to the grant funds \nin conjunction with City Hall. Therefore, as soon as a grant \napplication has been submitted, the grant may be submitted for \nSchool Committee approval. \nTo obtain School Committee approval, three steps must be \ncompleted: \n1. A packet of School Committee materials is submitted to the \nOffice of Federal and State Grants. This packet includes a \ncomplete School Committee Acceptance Form, the full \ngrant budget, the grant narrative, the signed cover page (if \navailable), MOA/MOU (if available), and award letter (if \navailable). This must be submitted no later than 14 days prior", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1fc091c9-a93e-460f-a305-2a66302b7687": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 7 of 14 \n \nto any School Committee meeting. \n2. A meeting is held between the program manager and the \nOffice of Grants and External Funding. \n3. The program manager attends the School Committee \nmeeting, answering any questions that may arise \nsurrounding the grant. \nOnce the grant has been approved by the School Committee, \nofficial confirmation of the School Committee acceptance will be \nsent out to the requester via email approximately 2 days after the \nSchool Committee vote. \nPlease contact Coordinator, Office of Grants and External \nFunding at finance-staff@bostonpublicschools.org, with any \nquestions about or requests for School Committee approval. \nGrant Set-up \nOnce a \u2018notice of payment\u2019 (official award letter from grantor), \nfunding wire or MOA/executed contract has been received by the \nOffice of Grants and External Funding and the grant has received \nSchool Committee approval, the grant set-up process will begin.", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "4d7aacdc-38a6-463a-a56f-7eb31b05e787": { + "page_content": "funding wire or MOA/executed contract has been received by the \nOffice of Grants and External Funding and the grant has received \nSchool Committee approval, the grant set-up process will begin. \nDuring the set-up process, the Office of Grants and External \nFunding will map the submitted budget to the BAIS \nFinancials/PeopleSoft system. The grant will be set up according \nto the budget that was approved by the funder. Once the budget \nis set up within BPS, it is set up in the City of Boston\u2019s system. The \nOffice of Grants and External Funding will alert program \nmanagers once this occurs and spending may then begin. This \nprocess takes approximately eight days from the date the \npayment notice is received. For questions on grant set up, please \ncontact the coordinator of Federal and State Grants, Carlos", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "f8bbe12b-fb7e-44d2-a3e0-5f2dd0f0a136": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 8 of 14 \n \nCoordinator, Office of Grants and External Funding (finance-\nstaff@bostonpublicschools.org). \nGRANT SPENDING \nGrant Monitoring and Spending \nIt is the responsibility of the program manager to monitor the \nspending of the grant. This includes: assuring that the grant \nfunds are being used for allowable expenses; spending according \nto the grant timeline; working closely with the Business Office to \nprocess any contracts and/or procurement needs; entering all \nrequisitions; monitoring purchase orders; entering receipt for \ngoods/services; and submitting invoices to Accounts Payable for \nall work orders related to their budgeted grant funds. It is the \nresponsibility of the program manager\u2019s supervisor to assure \nthese responsibilities are fully completed according to \nrequirements and to offer assistance, when necessary. \nThroughout the life of a grant, the budget may need to be", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2ba3ff03-2d36-42bb-ba8f-24754c432137": { + "page_content": "these responsibilities are fully completed according to \nrequirements and to offer assistance, when necessary. \nThroughout the life of a grant, the budget may need to be \nadjusted. This is done through budget transfers in the BAIS \nFinancials system. Changes may be made among grant lines but \nnot into or out of a grant to make changes to the grand total. \nChanges to the initial grant intent are NOT allowable. \nBefore any changes are made to the approved grant budget, \napproval should be obtained from the funder. An amendment \nmay be required. If so, the Office of Grants and External Funding \nwill help with completing and filing the amendment. Please \ncontact Carlos Martinez, Coordinator of Federal and State Grants, \nregarding amendments.", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "9111d07e-4b9a-4c8a-8260-45e9488429b2": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 9 of 14 \n \nSubrecipient Monitoring and Spending \nIn accordance with the Uniform Grant Guidance, all sub awards \n\u2014 where BPS is serving as the pass-through entity \u2014 must be \nclearly identified and managed according to the standards set \nforth by Federal Regulations, 2 CFR 200.331. The program \nmanager is responsible for communicating federal regulations \nand assuring that subrecipients adhere to sub-award regulations. \nPlease contact the Office of Grants and External Funding for \nmore information about subrecipient monitoring. \nGrant Spending Reports \nProgram managers will receive quarterly spend-down reports \nfrom the Office of Grants and External Funding. The report is \ndesigned to provide a high-level overview of spending, as well as \nspending details. It is the responsibility of program managers to \nlook through the report, identify any errors in spending, and \nreport back any programmatic changes that may have affected \nthe budget timeline.", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "493b9856-4185-4005-93f1-036a00f6857f": { + "page_content": "look through the report, identify any errors in spending, and \nreport back any programmatic changes that may have affected \nthe budget timeline. \nAmendments \nAn amendment is necessary when there is a modification to the \nscope or finances of a previously approved grant application. \nWhen the scope of a project changes significantly or the \nexpenditure of a budgeted category exceeds a variance of 10% or \n$10,000, whichever is greater, an amendment is needed. \nAmendments should be submitted at least 30 days prior to the \ndesired change. Most federal and state grants require a final \namendment to be filed no later than 30 days prior to the end of \nthe grant. The Office of Grants and External Funding will submit \nany amendments necessary but will need justification from the", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "fd15ae85-3b69-43e9-83f9-f85feef46243": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 10 of 14 \n \nProgram Manager on why the changes occurred. \nGRANT CLEAN UP AND CLOSE OUT \nGrant Clean-up \nIn the final weeks of the grant, clean-up must occur for most \ngrants. To close out a grant and file a final amendment, there \nmay not be any remaining requisitions, and all purchase orders \nmust be fully received. It is the responsibility of the program \nmanager to assure that the grant is clean for close and final \nreports. \nPrior to the grant end date, all requisitions must either be \ncanceled or converted to purchase orders. All purchase orders \nmust be fully received in BAIS financials by the grant end date. If \na purchase order will not be paid in full, the remainder must be \ncanceled prior the grant end date. It is the responsibility of the \nprogram manager to monitor clean up, work with the Business \nOffice to convert requisitions, cancel POs, and enter receipts for \ngoods and services.", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "49c51d3a-b3a5-4127-88f4-dda9fc47c2f4": { + "page_content": "program manager to monitor clean up, work with the Business \nOffice to convert requisitions, cancel POs, and enter receipts for \ngoods and services. \nStipend requests (PS08s) must be submitted and approved \nbefore stipend work can be performed. Final stipend paperwork \n(PS09s) must be submitted within two weeks of the stipend \nperiod ending, hence no later than two weeks of the grant end \ndate. Failure to purchase items or submit stipend requests by the \nabove deadlines may result in forfeiting of funds. \nGrant Outcomes Reporting \nAt the conclusion of each grant, program managers must report \nthe outcomes of their SMART goals presented to the School \nCommittee. The Office of Grants and External Funding will reach", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "128f6141-90cb-40c8-9ee2-123bc70efbd1": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 11 of 14 \n \nout to program managers for this information. This report will be \nshared with the School Committee and key stakeholders. \nGrant Close \nGrant funds must be spent prior to the grant end date. Funds not \nutilized by this end date will be forfeited. For grant compliance \npurposes, only funds that are encumbered \u2014 as defined by being \non a purchase order and fully received in BAIS financials \u2014 or \nexpended by the grant end date can be claimed under the grant. \nThe program manager is responsible for assuring that this occurs \nby the grant end date. \nFISCAL REPORTING \nAll fiscal reporting will be completed by, or must be reviewed by, \nthe Office of Grants and External Funding/Auditing Department. \nNo fiscal report may be submitted to the funder without review \nby the Office of Grants and External Funding/Auditing \nDepartment. \nFINAL REPORTS \nFinal financial reports will be completed by the Auditing", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "ed15d85d-2031-4ea2-8878-edd2fbffb6a3": { + "page_content": "by the Office of Grants and External Funding/Auditing \nDepartment. \nFINAL REPORTS \nFinal financial reports will be completed by the Auditing \nDepartment. Final reports are due to the funder 60 days after the \ngrant closes. To assure that a final report is filed on time, all \nrequisitions and open purchase orders should be cleaned up as \nsoon as possible after the grant end date. Once the final report \nhas been completed and submitted, a copy will be sent to the \nprogram manager for record-keeping purposes. \nMULTI-YEAR GRANTS \nMulti-year or continuing federal and state grant accounts must", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "778b9bcb-6442-43dc-b1da-c3214b516619": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 12 of 14 \n \nbe established at the start of each fiscal year. Accounts are not \nautomatically opened or carried forward from year to year. \nTherefore, responsible administrative heads, department \nmanagers, and relevant program managers should share, on an \nannual basis, all award notification from their respective funders \nwith the Office of Grants and External Funding \nPROGRAMMATIC REPORTING \nProgrammatic grant reports are the responsibility of the program \nmanager who is supervising the grant implementation. Please \nshare all such completed reports with the Office of Grants and \nExternal Funding. Grant-related financial reports and requests for \nrevenue are managed by the BPS Business Office. However, \nplease share any relevant details for these well in advance, with \nDirector of State & Federal Grants (finance-\nstaff@bostonpublicschools.org) and/or Coordinator, Office of \nGrants and External Funding (finance-", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c17ca2dc-196d-4f01-9bf4-24a70a9b4cbd": { + "page_content": "Director of State & Federal Grants (finance-\nstaff@bostonpublicschools.org) and/or Coordinator, Office of \nGrants and External Funding (finance-\nstaff@bostonpublicschools.org), so they can be submitted to the \nfunder by the intended deadline.", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "45db452a-8a85-44b0-b053-34f5e63eb0d3": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 13 of 14 \n \nGRANTS MANAGEMENT RESOURCES \nGrants Website \nThe Office of Grants and External Funding provides information \nabout grants at BPS, resources for finding grant opportunities, \ncontact information, process and policy information, the \nquarterly newsletters, and constant updates that may impact \ngrants. \nInternal Grants Management Library \nThis internal resource provides detailed information about \nmanaging a grant in BPS. This searchable and constantly \nupdated document includes common grant application answers, \nkey application documents, how-to guides on running common \nreports, and step-by-step instructions on how to manage a \nbudget, contact information, and information on how to perform \nmost grant activities in BPS. \nCONTACT INFORMATION FOR OFFICE OF GRANTS AND \nEXTERNAL FUNDING \nDirector of State & Federal Grants \n617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nSenior Grants Manager \n617-635-8582", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e1ed77df-0a38-47eb-b6d3-75c54c8bd217": { + "page_content": "CONTACT INFORMATION FOR OFFICE OF GRANTS AND \nEXTERNAL FUNDING \nDirector of State & Federal Grants \n617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nSenior Grants Manager \n617-635-8582 \nEmail: finance-staff@bostonpublicschools.org", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "f0e7f882-1af0-47ce-b9d3-0ec9759223ad": { + "page_content": "Superintendent\u2019s Circular FIN-10 \nPage 14 of 14 \n \n \nCoordinator, Office of Grants and External Funding 617-635-9084 \nEmail: finance-staff@bostonpublicschools.org \n \nAccounting Coordinator \n617-635-9466 \nEmail: TBD \n \nExternal Funding Analyst - Please see Superintendent\u2019s Circular \nFIN-04, Student Activity Accounts. \n \nFor more information about this circular, contact: \nOwner: Director of State & Federal Grants \nDepartment: Director of Grants and External Funding, Finance \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington St., \nBoston, MA 02119 \nPhone: 617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-10 Grants Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "797a67c8-b204-4222-ac35-531af2113479": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-01 \nVersion 01 \n \n \nTRAVEL POLICY \u2013 PROCEDURES FOR APPROVAL AND \nREIMBURSEMENT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMost Boston Public School business is conducted locally, on-line \nor by telephone. Under some special and limited circumstances, \novernight or out-of-state travel may be required. These \ncircumstances usually arise if the Boston Public Schools is \nobliged to send staff out-of-state if a strong case can be made \nthat such travel would substantially benefit the district. \nIn all cases, a request for subsidized travel requires justification, \nprior notification, and prior approval. BPS is not obligated to \nreimburse any employee for travel costs that were not approved \naccording to this policy. \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTRAVEL APPROVAL \n1. Applicants must secure approval using the online form; sign", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1abf915d-312e-4984-a923-0f265741c5d8": { + "page_content": "This Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTRAVEL APPROVAL \n1. Applicants must secure approval using the online form; sign \nin here. Directions for this process are in the BPS Travel \nRequest documentation document. It is the sole obligation \nof the traveler to determine that sufficient funds are \navailable for reimbursement.", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "436c808a-3685-4159-a452-ef490eee7ca7": { + "page_content": "Superintendent\u2019s Circular FIN-01 \nPage 2 of 8 \n \n2. No travel should occur until the traveler receives a fully \nAPPROVED travel request. Any travel request that is \nreceived AFTER the travel has occurred will NOT be \nreimbursed. \n3. All overnight and out of state travel requires prior approval \nand must be submitted at least 20 days prior to departure \ndate. When you apply, the online form will go through the \nfollowing approvers for signatures: school leader, school \nsuperintendent/division chief, financial analyst, chief \nfinancial officer, and operations manager/superintendent. \nThe traveler will need to follow their travel approval \napplication online in case there is a question that an \napprover may have or a denial which they will note on the \napplication. When the application is approved, you are then \neligible to travel and receive any reimbursements owed to \nyou. \n4. Please note that only these two accounts must be used:", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6abf82f0-dc73-4346-b749-afeccff1f67d": { + "page_content": "application. When the application is approved, you are then \neligible to travel and receive any reimbursements owed to \nyou. \n4. Please note that only these two accounts must be used: \n\u2022 52802 for planes, trains, busses, taxis, Ubers/Lyfts etc. \u2013 \nthe cost associated with getting there. \n\u2022 52804 for conference fees, hotel, food etc. \u2013 the cost \nassociated with being there. \nYou should also use these two accounts when doing \nrequisitions for travel. \n5. Supporting documentation describing the conference and \nthe purpose of your attendance must be attached to the \nonline travel request form with any other pertinent \ninformation. \n6. All staff planning to attend an overnight or out-of-town \nconference are required upon their return to prepare a", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6d7b992f-e6be-4529-8a62-3d6850fb6cc2": { + "page_content": "Superintendent\u2019s Circular FIN-01 \nPage 3 of 8 \n \nreport of the presentations/workshops, etc., attended and to \nsubmit their report to their immediate supervisor, who shall \ndetermine the format of this report. \n7. If travel is being paid for by the conference host, the BPS \nEmployee Disclosure Form (3 pages) must be attached to \nyour \u201cTravel Approval Form\u201d application. \nREIMBURSEMENT OF TRAVEL EXPENSES \nTo secure prompt reimbursement for travel, reimbursement \nrequests must be submitted to the Business Office within fifteen \n(15) business days after the travel has occurred. The traveler must \nsubmit the following forms, documentation/receipts to Accounts \nPayable, Office of the Business Manager (emails accepted): \n1. A completed City of Boston Special Draft/Non Order Form, \nfilled out completely with: \n\u2022 School/department \n\u2022 Date \n\u2022 Full name of person being reimbursed \n\u2022 Full address of person being reimbursed \n\u2022 Vendor # (see NOTE below) \n\u2022 Funding source", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e7dec833-f298-4dbc-8ff2-e09f07d5bc51": { + "page_content": "filled out completely with: \n\u2022 School/department \n\u2022 Date \n\u2022 Full name of person being reimbursed \n\u2022 Full address of person being reimbursed \n\u2022 Vendor # (see NOTE below) \n\u2022 Funding source \n\u2022 Full detailed description: name of conference, dates, and \nplace/state where held \n\u2022 Amount being reimbursed \n\u2022 Signed by the employee\u2019s immediate supervisor. \n2. A copy of City of Boston and County of Suffolk Travel Expense \nVoucher (attached). This form must be filled out completely \nwith each daily expense, then signed on the lower right by \nthe person taking the trip and on the lower left by the \ndepartment head.", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b929c2ed-189b-4674-86ea-6016ddab5b1f": { + "page_content": "Superintendent\u2019s Circular FIN-01 \nPage 4 of 8 \n \n3. The \u201cCertification Form\u201d attesting, under the pains and \npenalties of perjury, that the requested reimbursement was \nincurred as reasonable expenses in the service of the City of \nBoston. \n4. A copy of the approved Request for Travel Approval form \nMUST be attached. \nIMPORTANT NOTES: \nBPS does not reimburse taxes for expenditures. BPS will \nreimburse taxes and tips on FOOD ONLY. \nReimbursements cannot exceed the amount authorized by the \nSuperintendent. Only in extreme conditions can this original \namount be increased via an amended travel form which must be \nsubmitted to the Finance Office prior to travel. \nIf travel substitution occurs, an amended form approved by the \nSuperintendent is required before travel. A copy of the \u201cTravel \nApproval\u201d must be submitted with each request for \nreimbursement. \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file to be reimbursed. Go to", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "8083618d-c14d-4f39-a4dc-926489b57aa5": { + "page_content": "Approval\u201d must be submitted with each request for \nreimbursement. \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file to be reimbursed. Go to \nwww.boston.gov/procurement, click on \"Go to Supplier Portal,\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \nIf submitting by paper: \n\u2022 ONLY submit single-sided reimbursements packet \u2013 not \ndouble-sided. \n\u2022 12-point font or larger on 8.5 x 11 white paper.", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1e003d90-dec8-4fad-b9b7-0140c73f7602": { + "page_content": "Superintendent\u2019s Circular FIN-01 \nPage 5 of 8 \n \n\u2022 DO NOT highlight or put scotch tape on receipts because \nit fades the receipts; use staples. Only legible receipts will \nbe reimbursed. Must submit copies of all cash register \nreceipts on 8.5 x 11 paper. \nALLOWABLE EXPENSES \n1. Economy class commercial carrier charges (airlines, trains, \nbuses) are to be used at all times. The maximum \nreimbursement will be limited to the lowest commercial \ncarrier fare to the destination. The maximum limitation \ndoes not apply for in-state travel. \n2. Hotel charges are limited to $200.00 per night. Exceptions \nto this limit will only be approved if: \na) basic accommodations are unavailable, or \nb) basic accommodations are too distant from the event, \nor \nc) the event is being held at a specific hotel. \n3. The purchase of meals will be reimbursed when supported \nby original receipts, not to exceed $50.00 per day. A \nmaximum of $25.00 per day will be allowed without", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0df08c38-352d-4a90-8b42-6b3fe4c1c32c": { + "page_content": "3. The purchase of meals will be reimbursed when supported \nby original receipts, not to exceed $50.00 per day. A \nmaximum of $25.00 per day will be allowed without \nreceipts. Each person traveling must pay for their own \nmeals (NOT other individuals or group meals) unless \notherwise noted on the Travel Approval Request; the name \nof each individual must be listed on the Travel Approval \nRequest prior to travel. \na) Gratuities cannot exceed 20%. \nb) Original receipts must include an itemized breakdown \nof what was ordered. If an itemized breakdown is not \nprovided, the $25.00 per-diem allowance will be \nreimbursed. \nc) Reimbursement for room service also requires the \nsubmission of an itemized breakdown.", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a0e0fcba-916b-455e-a859-01ce30880252": { + "page_content": "Superintendent\u2019s Circular FIN-01 \nPage 6 of 8 \n \n4. Conference registration fees must be supported by original \ndocumentation. \nLOCAL TRANSPORTATION CHARGES \n1. Car rentals/gas and airport parking must be listed on the \n\u201cTravel Approval\u201d if reimbursement is to be requested. \n2. Charges claimed for taxis/Lyfts/Ubers must be supported by \noriginal receipts. \n3. Travel by automobile is eligible for reimbursement at the \ncurrent IRS allowable rate per mile (see Superintendent\u2019s \nCircular FIN-02 \u2013 Mileage) \n4. Tolls and parking charges must be supported by original \nreceipts. \nMISCELLANEOUS TRAVEL ISSUES \n1. Travel by City Contractors/Vendors. Some contracts and/or \nservice agreements may require the vendor to travel on \nbehalf of the Boston Public Schools. The City of Boston \nTravel Policy must be incorporated by reference into the \ncontract/agreements prior to execution. \n2. Conflicting Obligations. It is generally not permissible,", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "698ee988-13f8-4c4f-82b6-be07642c2b73": { + "page_content": "Travel Policy must be incorporated by reference into the \ncontract/agreements prior to execution. \n2. Conflicting Obligations. It is generally not permissible, \nwithout the prior review and approval of the Office of Legal \nAdvisor, to engage in travel sponsored by a third party. \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. You cannot use current school year \nfunds to pay for prior school year expenses.", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c82da167-dfbc-4145-bca9-108a943264ec": { + "page_content": "Superintendent\u2019s Circular FIN-01 \nPage 7 of 8 \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \nFor more information about this circular, contact: \nOwner: Principal Account Clerk Accounts Payable \nBusiness Services \nDepartment: Operations \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9472 \nEmail: finance-staff@bostonpublicschools.org", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "23d04df3-3611-4ecd-abd0-8fe58ad785ab": { + "page_content": "Superintendent\u2019s Circular FIN-01 \nPage 8 of 8 \n \nCITY OF BOSTON AND COUNTY OF SUFFOLK \nTRAVEL EXPENSE VOUCHER \nTHIS FORM IS SUBMITTED WITH REIMBURSEMENT RECEIPTS \nTO THE AUDITING DEPARTMENT (Business Office). \nORIGINAL TO BE FILED IN AUDITOR'S OFFICE Month of: \nName of Official or Employee: Department and Unit: Boston Public Schools \n \nDay Description PRIVATE \nAUTOMOBILE \nRail-\nRoad \nFares \nBus Taxi and \nother fares \n Meals HOTEL \nTele-\nphone \n& Tele-\ngraph \nAll Other TOTAL \n Miles Amount Break\n-fast Lunch Dinner Item Amount \n \n \n \n \n \n TOTALS \n \n By signing this voucher you certify that each item of expenditure was incurred and was necessary in the service of the City or County \nand complies with the regulations on the back of this voucher. \n \n \n I hereby certify that I have personally examined this statement, that I approve of each item of", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e1d9f623-c0d1-4b53-af95-f693ed800f26": { + "page_content": "and complies with the regulations on the back of this voucher. \n \n \n I hereby certify that I have personally examined this statement, that I approve of each item of \nexpense hereon, that each item conforms to the regulations printed on the back, the amounts \ncharged are reasonable and the expenditures necessary in the service of the City or County. \n \n \n Signature Signature \n Department Head Employee", + "metadata": { + "file_name": "FIN-01 Travel Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "24689df9-9a18-482e-833f-5734a3bfe273": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-16 \nVersion 01 \n \n \n \nBUDGET TRANSFERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPlease use the online reference document Budget Transfers as \nyour guide to initiating online budget transfer requests. \n \nINTRODUCTION \nEach year, departments review their budgets and allocate money \nfor various goods and services for the next fiscal year. Funds are \nallocated to budget lines reflective of their intended use. As \nneeds change, departments often want to reallocate money \nbetween budget lines. This can be accomplished through a \nbudget transfer. Budget transfers are the mechanism by which \navailable budgeted resources are moved from one budget line \nitem to another in the Boston Public Schools financial system \n(PeopleSoft). \nAll budget transfer requests are entered directly into the \nPeopleSoft financial system by authorized users (principals,", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c8577abf-2414-4067-8746-4d81ce44c774": { + "page_content": "item to another in the Boston Public Schools financial system \n(PeopleSoft). \nAll budget transfer requests are entered directly into the \nPeopleSoft financial system by authorized users (principals, \nheads of school, responsibility center managers, or their \ndesignees). The Budget Office no longer accepts paper transfer \nforms. A detailed \u201cjob aid\u201d follows on how an online budget \ntransfer request is initiated.", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "80527f2f-7783-44c4-bb15-740dd3fd6082": { + "page_content": "Superintendent\u2019s Circular FIN-16 \nPage 2 of 5 \n \n \n \nThe on-line budget transfer request process involves 6 basic \ncomponents: \n1) Navigate to the transfer \u201cform\u201d (budget journal) in \nPeopleSoft. \n2) Enter data (explanation, budget codes, dollars, and/or FTEs). \n3) Complete a budget error check. \n4) Save the completed transfer. \n5) Send to the Budget Office for approval. \n6) Track the progress of your transfer online. \nINCREMENTAL APPROACH \nBudget transfers employ an \u201cincremental\u201d approach, meaning \nthat if dollars are being moved from a particular line item, a \nnegative dollar value will be associated with that line item. \nConversely, if resources are being moved to a line item, the dollar \nvalue in the amount column will be a positive figure. Budget \ntransfers must sum to $0. For example, if a principal wished to \nmove $3,000.00 from a contracts line item to a stipends line item, \nthe transfer lines might look like this: \nAccount Fund RC Program Subclass Amount \n52907", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "7aa99509-bbda-4eaa-b16b-2e238b625bda": { + "page_content": "move $3,000.00 from a contracts line item to a stipends line item, \nthe transfer lines might look like this: \nAccount Fund RC Program Subclass Amount \n52907 \nContracted \nServices \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2112 \nElem Ed. \n \n0000 - \n$3,000.00 \n51202 Prof. \nOT/ Stipends \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2014 \nGrade 4 \n \n0000 $3,000.00", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cfe11622-a2cd-4424-9764-92562ec08286": { + "page_content": "Superintendent\u2019s Circular FIN-16 \nPage 3 of 5 \n \n \n \nBudget transfers involving additions, deletions, or changes to full-\ntime equivalent (FTE) positions also follow an incremental \napproach. Therefore, a negative FTE would be associated with the \nreduction or deletion of a position, and a positive FTE with the \ncreation or increase of a position. For example, if I wished to \nreduce a position from a 0.8 FTE to a 0.6 FTE, I would type -0.2 in \nthe FTE column (\u201cstatistic amount\u201d in the budget journal) for that \nbudget line. If I wished to delete that position entirely, I would \nhave put -0.8 in the FTE column. If I had wished to increase the \nposition to 1.0 FTE, I would have typed 0.2 in the FTE column. \nWhenever a budget transfer involves a position, the position \nnumber should be identified in the \u201creference\u201d field in the \nbudget transfer. If requesting a new position, leave the reference \nfield blank, to be filled in by the Budget Office when the new \nposition is created.", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "3427c2c1-7918-423f-b857-f0ff7b1f9140": { + "page_content": "budget transfer. If requesting a new position, leave the reference \nfield blank, to be filled in by the Budget Office when the new \nposition is created. \nREQUIREMENTS & RESTRICTIONS \n1. The authorizer requesting the transfer must have BAIS FN \naccess. \n2. No Responsibility Center will be allowed to transfer funds \narising from staff vacancies. These \u201clag funds\u201d make up the \nBoston Public Schools contingency fund and will be \nreallocated at the sole discretion of the superintendent. \nExceptions to this policy will only be made upon written \nrequest and written approval by the chief financial officer. \n3. Funds should not be transferred out of personnel accounts \n(starting with 51__) or substitute accounts. Under normal \ncircumstances, adjustments to budget line items associated \nwith positions will be rare and must be explicitly approved", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "3a5d98f2-2ba3-4f39-9513-53186387f56e": { + "page_content": "Superintendent\u2019s Circular FIN-16 \nPage 4 of 5 \n \n \n \nby the Office of Human Capital prior to the budget transfer \nrequest being approved. \n4. Budget transfer requests that lack sufficient explanatory \ndetail in the \u201cLong Description\u201d text box on the budget \njournal header will not be approved. \n5. In concert with the annual requisition deadline, budget \ntransfers for any fiscal year will not be processed after the \nApril requisition deadline of that fiscal year. The only \nexception to this policy may be transfers for grants which \nextend beyond June 30. \n6. Transfer requests which exceed the \u201cavailable amount\u201d left \nin a particular line will not be processed (in other words, you \ncannot transfer funds which you have already spent!). \n7. Line-item budget transfers can only take place within a \nfunding source (i.e., General Fund to General Fund or Title 1 \nto Title 1), but not between the General Fund and a grant, \nnor between two separate grants.", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a7a151ed-24e1-4650-b7c5-412aac11c46d": { + "page_content": "funding source (i.e., General Fund to General Fund or Title 1 \nto Title 1), but not between the General Fund and a grant, \nnor between two separate grants. \n8. Title I EL funds (programs that begin with 24__) cannot be \ntransferred to another program, as this funding can only be \nused for ELLs. Likewise, partnership funds (program 2536), \nand parent support services funds (Fund 200 program 2515) \nshould not be moved to another program. Homeless \nservices funds (program 2533) should be kept in the same \ncode where possible but are not fully restricted. \n9. Authority to request budget transfers is reserved to \nprincipals, heads of school, and RC managers, unless and \nuntil they explicitly delegate that authority to a designee in \nwriting to the chief financial officer or the budget director.", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "9abcec82-4881-4543-8b1a-917a1acb777f": { + "page_content": "Superintendent\u2019s Circular FIN-16 \nPage 5 of 5 \n \n \n \n10. While the on-line budget transfer protocol has made the \nexecution of budget transfers simple and efficient, there is \nno substitute for thoughtful, forward-looking resource \nplanning. The Budget Office is glad to assist with such \nplanning. \n \nPLEASE USE THE ONLINE REFERENCE DOCUMENT BUDGET \nTRANSFERS AS YOUR GUIDE TO INITIATING ONLINE BUDGET \nTRANSFER REQUESTS. \n \nFor more information about this circular, contact: \nOwner: Budget Director \nDepartment: Budget Office \nMailing Address: 2300 Washington Street. Roxbury, MA 02119 \nPhone: 617-635-6772 \nE-mail: finance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-16 Budget Transfers.pdf", + "source_link": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6660b785-3317-44e7-9101-e8aeb8a7b0bf": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-12 \nVersion 01 \n \n \nTRUST FUNDS FOR SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis memorandum provides procedures for making awards from \ncentrally administered trusts that benefit schools. Heads of \nschools and principals are responsible for knowing the eligibility \nof their schools for trust funds, for ensuring that trust fund \npurchases are appropriately selected, and for following \nprocedures for the awards. Please submit your requests to the \nFinance Office as soon as possible and no later than May 31, 2024. \nLate requests will not be processed. \n1. ELIGIBILITY FOR AWARDS \nSee Attachment 1 for awards by school. \nSee Attachment 2 for a description of the awards listed in \nalphabetical order. \n2. PROCEDURES FOR REQUESTING FUNDS \nSubmit a detailed list of items including the item name, publisher \nand/or vendor, and the cost, together with a cover memorandum", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cc55b081-64a5-4ed7-a5d9-21790423b73f": { + "page_content": "alphabetical order. \n2. PROCEDURES FOR REQUESTING FUNDS \nSubmit a detailed list of items including the item name, publisher \nand/or vendor, and the cost, together with a cover memorandum \ngiving the name of the trust and the total requested. Separate \nletterhead must be used for each award request.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "801897c1-7710-42e6-830c-088a2bd6bf71": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 2 of 14 \n \n \n3. PROCEDURES FOR RECEIVING FUNDS \nChecks will be sent directly to the recipient at the address \nprovided by the school. Principals/heads of schools should retain \nrecords of all requests, receipt of checks, and documentation of \npurchases for five years. Documentation of purchases should be \navailable on request. \n \nELEMENTARY SCHOOLS AWARD \nALL ELEMENTARY SCHOOLS Peter F. Degrand Award \nCharlestown Schools Devens Infant School \nDorchester Schools Bowdoin \nDorchester Schools Stoughton School \nDorchester/South Boston Schools Gibson School Fund \nCondon Elementary School Norcross School Library \nBlackstone Elementary School Webb Franklin \nEliot k-8 School Abigail Smith \nHarvard-Kent Elementary Devens Infant School \nJoseph J. Hurley K-8 School Webb Franklin \nQuincy Elementary School Abigail Smith \n Martin Milmore Award \nWarren-Prescott K-8 School Devens Infant School \nWinthrop Elementary School Henry B. Hall Award", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cad2b304-4051-44a7-b4fb-6f491549ed77": { + "page_content": "Quincy Elementary School Abigail Smith \n Martin Milmore Award \nWarren-Prescott K-8 School Devens Infant School \nWinthrop Elementary School Henry B. Hall Award \n \nMIDDLE SCHOOLS AWARD \nTimilty Middle School (closed) Sherwin School Graduates \nWashington Irving Middle School Harrington Trust Fund \nHIGH SCHOOLS", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "904adf23-4924-489a-b0a7-df356f0e7a76": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 3 of 14 \n \n \nDorchester Academy Bowdoin Dorchester \n Gibson School Fund \n Stoughton School \nBoston Community Leadership \nAcademy Anna & Alice Maguire \nBoston Latin Academy Bowdoin Dorchester \n Gibson School Fund \n Persis P. Drake \n Stoughton School \nRoxbury Memorial \nScholarship \nBrighton High School Elvira B. Smith \nBurke High School Bowdoin Dorchester \n Gibson School Fund \n Stoughton School \nEnglish High School William Stewart \nExcel High School Gibson School Fund \nHorace Mann School Susan E. Gavett \n Mrs. John A. Lewis \n Samuel E. Sawyer \n Adams/Osgood Fund \nMadison Park High School Costello C. Converse \n \n \nCENTRAL OFFICE \nSuperintendent Teachers Waterston \n \nTRUST FUNDS FOR SCHOOLS ADMINISTERED CENTRALLY \nBowdoin Dorchester James Bowdoin", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "18559456-8a4b-426b-b58b-5e992be34303": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 4 of 14 \n \n \nConverse Costello C. Converse \nDeGrand Peter F. DeGrand \nDevens Devens Infant School \nDrake Persis P. Drake \nEastburn John Eastburn Fund \nGibson Christopher Gibson \nHall Henry B. Hall \nHarrington Francis E.; Alice S. \nHorace Mann Susan E. Gavett \nHorace Mann Mrs. John A. Lewis \nHorace Mann Samuel E. Sawyer \nHorace Mann Adams/Osgood Fund \nMilmore Martin Milmore \nMaguire Alice and Anna Maguire \nNorcross Norcross School Library \nSherwin Sherwin School Graduates \nSmith, A. Abiel Smith \nSmith, E. Elvira Bush Smith \nStewart William Stewart \nStoughton Stoughton School \nWaterston Teachers Waterston \nWebb Franklin Webb Franklin", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "06bfb8cd-c8db-4eb9-8c55-0c0fe84cc39c": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 5 of 14 \n \n \nBOWDOIN DORCHESTER bequest of James Bowdoin established \nin 1889. \nEligibility: Schools located in Dorchester only (Dorchester \naddress). \nCriteria: To benefit the public schools \nAward: $750 total. A check divided to schools who apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nCONVERSE FUND in memory of Costello C. Converse, established \nin 1931. \nEligibility: Madison Park Technical Vocational High School \nCriteria: General uses and purposes of the school. \nAward: $500 available; check payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nPETER F. DEGRAND to purchase books for kindergarten, first, and \nsecond grades. \nEligibility: For the purchase of books for students attending", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0f3040f1-8bcd-453a-80c0-7b96797a46c3": { + "page_content": "submitted on school/office letterhead. \n \nPETER F. DEGRAND to purchase books for kindergarten, first, and \nsecond grades. \nEligibility: For the purchase of books for students attending \nkindergarten, first and second grades in the City of \nBoston. \nCriteria: Excellent attendance \nAward: $2,500 available. A check divided to the schools that \napply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nDEVENS INFANT SCHOOL K1&2 - 2 grades.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "f5c6f10e-7286-41b3-b439-d991b92e38d1": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 6 of 14 \n \n \nEligibility: Schools located in Charlestown for kindergarten, \ngrades one and two. \nCriteria: Excellent attendance for the use and benefit of \nchildren \nAward: $100 available. A check divided to the schools that \napply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nDRAKE FUND gift of Persis P. Drake \nEligibility: Boston Latin Academy \nCriteria: To benefit the school \nAward: $200 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nJOHN EASTBURN SCHOOL FUND \nEligibility: High school seniors who are Boston residents (proof \nof residence required) and are pursuing a teaching \ncurriculum at the University of Massachusetts. \nAward: $1,000 available", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "7204c2da-b639-4bb5-9097-6b539f944e4d": { + "page_content": "Eligibility: High school seniors who are Boston residents (proof \nof residence required) and are pursuing a teaching \ncurriculum at the University of Massachusetts. \nAward: $1,000 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "9f5e0e21-4091-4c75-9dc8-9c5cc54110f9": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 7 of 14 \n \n \nGIBSON SCHOOL FUND a bequest from Christopher Gibson \nestablished in 1674. \nEligibility: Schools located in the Dorchester neighborhood, \nwhich in 1674, included South Boston. \nCriteria: For library books and teaching equipment \nAward: $9,500 total available: A check payable (in proportion) \nto the schools that apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHENRY B. HALL for books and supplies. \nEligibility: John Winthrop School \nCriteria: Books and supplies \nAward: $17,000 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nFRANCIS E. & ALICE S. HARRINGTON TRUST FUND \n Eligibility: Washington Irving Middle School \nCriteria: Two top students who obtain the highest combined", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "7120f5f2-5429-4ac6-b79f-4c0b8a228e73": { + "page_content": "submitted on school/office letterhead. \n \nFRANCIS E. & ALICE S. HARRINGTON TRUST FUND \n Eligibility: Washington Irving Middle School \nCriteria: Two top students who obtain the highest combined \ngrade average in French or another foreign language \nfor two academic years. \nAward: $100 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0f774565-6200-4601-8449-603bf10579ac": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 8 of 14 \n \n \nANNA & ALICE MAGUIRE for the school located at 152 Arlington \nStreet. \nEligibility: Boston High School (now Boston Community \nLeadership Academy) \nCriteria Purchase of books for students in attendance \nAward: $50 available; payable to school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHORACE MANN SCHOOL FUNDS \nSusan E. Gavett bequest, received in 1909. \nAward: $450 check payable to school \nMrs. John A. Lewis legacy, received in 1903. \nAward: $100 check payable to school \nSamuel E. Sawyer, received in 1895. \nAward: $150 check payable to school \nAdams/Osgood Fund, received in 1936. \nAward: $4,000 check payable to school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "41044b60-c44d-48b6-8a0f-6f71e1aa5c54": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 9 of 14 \n \n \nMARTIN MILMORE \nEligibility: Josiah Quincy and others from the former Brimmer \nSchool District \nCriteria: Equal distribution among eligible schools \nAward: $50 total available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nNORCROSS SCHOOL LIBRARY to assist school libraries within the \nformer Norcross School District. \nEligibility: Condon Elementary School \nCriteria: To assist the library \nAward: $100 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nROXBURY MEMORIAL SCHOLARSHIP FUND \nEligibility: One male and one female in the graduating class at \nBoston Latin Academy. \nCriteria: Strongest academic growth \nAward: $850 available", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "8846c327-6d27-4b46-be8c-bbd50b753ae3": { + "page_content": "ROXBURY MEMORIAL SCHOLARSHIP FUND \nEligibility: One male and one female in the graduating class at \nBoston Latin Academy. \nCriteria: Strongest academic growth \nAward: $850 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c98927e5-37c2-4676-8705-3e319d9be49a": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 10 of 14 \n \n \nSHERWIN SCHOOL GRADUATES for K-8 schools within the \nformer Sherwin School district. \nEligibility: Timilty Middle School (closed) \nCriteria: For the benefit of the school \nAward: $100 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ABIGAIL FUND for books in equal portions for Quincy and \nEliot Schools. \nEligibility: Quincy and Eliot Schools \nCriteria: Purchase of books \nAward: $800 available / $400 per school if both schools apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ELVIRA FUND in memory of Elvira B. Smith, established in \n1940. \nEligibility: Brighton High School \nCriteria: Books, and/or other educational materials for the", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6981a322-bd59-4fd9-9535-7d336bbe7bfc": { + "page_content": "SMITH, ELVIRA FUND in memory of Elvira B. Smith, established in \n1940. \nEligibility: Brighton High School \nCriteria: Books, and/or other educational materials for the \nhistory department as directed by the headmaster \nwith approval of the head of the History Dept. \nAward: $50 available. Check payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "11e08804-4137-41ac-89b3-ac9ea13c9080": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 11 of 14 \n \n \nSTOUGHTON SCHOOL supplements the salaries of temporary \nsubstitute teachers in high and grammar schools in Dorchester. \nEligibility: Schools with a Dorchester address \nCriteria: Substitute teachers, supplement to regular \ncompensation in the form of additional days\u2019 work \nAward: $300 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead. \n \nTEACHERS WATERSTON for lectures to teachers regarding \nnatural history or any of its various departments. \nEligibility: At the discretion of the superintendent \nCriteria: Lectures to teachers regarding natural history or any \nof its various departments. \nAward: $500 available \nSubmit: Submit a request to the Finance Office. Date and \nlecture information required. \n \nWEBB FRANKLIN \nEligibility: Blackstone and Hurley Schools", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c85fb79c-5320-4bad-9067-998a6de4974f": { + "page_content": "Award: $500 available \nSubmit: Submit a request to the Finance Office. Date and \nlecture information required. \n \nWEBB FRANKLIN \nEligibility: Blackstone and Hurley Schools \nCriteria: Books for students \nAward: $275 available/$137.50 per school if both schools apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d13ae46b-5556-471e-b3d5-4493bb43915e": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 12 of 14 \n \n \nWILLIAM STEWART \nEligibility: English High School \nCriteria: Best all-around scholar-athlete at English High School \nAward: $2,500 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead.", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d197bedb-5937-4511-a035-b89ac9c53273": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 13 of 14 \n \n \nAPPLICATION FOR TRUST FUND \n1. Submit this form for each student receiving a cash or savings \nbond award, or submit a typewritten list with this \ninformation. \n2. No student can receive a check or savings bond without a \nSocial Security number. \nTitle of Award: \nStudent's Name: \nStudent\u2019s Street Address and Apt.#: \nCity or Town: \nZip Code: \nStudent\u2019s Date of Birth: \nStudent\u2019s Social Security Number: \nStudent\u2019s ID Number: \nName of School: \nSchool Street Address: \nCity or Town: \nZip Code:", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b836329b-43df-4f2f-83e3-3eb2dbecde03": { + "page_content": "Superintendent\u2019s Circular FIN-12 \nPage 14 of 14 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \n \nDate Activity \nMay 31, 2024 All requests must be submitted to the Finance \nOffice. \n \n \nFor more information about this circular, contact: \n \nOwner: Special Assistant to the Chief of Finance \nDepartment: Finance Office \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9485 \nScan documents to: finance-staff@bostonpublicschools.org \nEmail: finance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-12 Trust Funds for Schools.pdf", + "source_link": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "886b597c-1e4f-4fc2-9355-bdadfd80280b": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-11 \nVersion 01 \n \nSCHOLARSHIPS, AWARDS, AND HONORS FOR \nSTUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \n \nThis circular provides procedures for making awards from \ncentrally administered trusts that benefit individual students. \nSuperintendent\u2019s Circular FIN-12 deals with trusts benefiting \nschools. Fifteen trusts are listed in the attachment to this \nmemorandum. Those involving many schools are: \n \nALICE F. CASEY AWARDS \nCHARLOTTE FELLMAN AWARDS MARY DOROTHEA \nDEVEREAUX AWARDS \nSAMUEL GROSS DAVIS AWARDS \nMATHEMATICS AWARD \nMARY C. MCLAUGHLIN AWARD \nMARY GRASSA O'NEILL AWARD \nAll elementary schools \nAll elementary and middle \nschools \nList attached \nList attached \nAll schools \nAll schools K-12 \nAll schools 1-12", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d341fced-3561-473e-a872-b6af771c0967": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 2 of 17 \n \nPrincipals and heads of schools are responsible for knowing the \neligibility of their schools and students for scholarships and \nawards, for ensuring that recipients of awards have been \nappropriately selected, and for following procedures for the \ndisbursement of the awards. Please submit your requests to the \nChief Financial Office as soon as possible but no later than May 31, \n2024. Late requests will not be processed. \n \n \nELIGIBILITY FOR AWARDS \nSee the following pages for a list of awards by level and school \nand for a description of awards listed in alphabetical order. \n \nSELECTION PROCEDURES \nIn addition to criteria specific to each trust, equal opportunity \npolicies apply to selection procedures. \n\u25cf Teachers, or a committee of teachers, recommend a \nnominee. \n\u25cf The head of school or principal approves nomination(s).", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c3b11871-a616-43d7-9af9-1a2686e60e70": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 3 of 17 \n \n \nDISBURSEMENT PROCEDURES \n\u25cf Provide the information required for the award on the \nattached application form OR on the letterhead of the \nschool, signed by the principal/head of school. If schools \nare eligible for more than one award, use separate \nletterhead for each award. \n\u25cf Submit the memorandum to the Chief Financial Office by \nMay 31, 2024; late submissions will not be funded. \n\u25cf Checks will be sent directly to the recipients at the \naddress provided by the school. Checks cannot be issued \nwithout a Social Security number. All monetary awards are \ndisbursed through the City of Boston Trust Office. \n\u25cf Present the awards at a suitable ceremony developed \nwithin each school. \n\u25cf Maintain records of receipt of awards. Schools should \nmaintain records of receipts by students, and copies of all \nsubmissions. If it is not possible to obtain a signature, \nmaintain a dated record of the name, address and method", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a945cd51-7a06-445a-8469-39df0ca5c6d1": { + "page_content": "maintain records of receipts by students, and copies of all \nsubmissions. If it is not possible to obtain a signature, \nmaintain a dated record of the name, address and method \nof transmittal. Documentation of receipts should be \navailable upon request.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b5b4ef00-17b0-4906-81f2-0d7604e7ec7b": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 4 of 17 \n \nTRUST AWARDS \nAznive Grace N. Aznive \nCasey Alice F. Casey \nDavis Samuel Gross Davis \nDevereaux Mary Dorothea Devereaux \nFellman Charlotte Fellman \nFranklin Benjamin Franklin \nGeorgeAnna Judson George \nGoldberg Jacob Goldberg \nGoulston Edward J. Goulston \nHoffman Ensign David A. Hoffman \nLatin Latin School Prize \nLawrence Lawrence High School \nLawrence Latin Lawrence Latin School \nMathematics Mathematics Award \nMcLaughlin Mary McLaughlin \nMorrison Helen C. Morrison \nGrassa O\u2019Neill Grassa O\u2019Neill \n \n \nTRUST AWARDS BY SCHOOL \n \nELEMENTARY SCHOOLS \nAll Elementary Schools Alice F. Casey", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cc6c6413-0cee-4b7c-beff-081ed23a7ca6": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 5 of 17 \n \n \n \n \n \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nMason Elementary Samuel Gross Davis \nTobin K-8 Samuel Gross Davis \nEliot K-8 Jacob Goldberg \nWinship Elementary Mary Dorothea Devereaux \nEllis Elementary Samuel Gross Davis \nHale Elementary Samuel Gross Davis \nHennigan Elementary Samuel Gross Davis \nHigginson/Lewis K-8 Samuel Gross Davis \nJ. F. Kennedy Elementary Samuel Gross Davis \nTrotter Elementary Samuel Gross Davis", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b9513440-a1d4-414b-8245-996a3ef62cab": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 6 of 17 \n \n \nMIDDLE SCHOOLS \nAll Middle Schools \n \n \n \n \nMary Dorothea Devereaux \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nDearborn Middle Samuel Gross Davis \nHigginson/Lewis K-8 Samuel Gross Davis \nTimilty Middle Samuel Gross Davis \n \n \nHIGH SCHOOLS \nAll High Schools \n \n \n \n \n \nMary Dorothea Devereaux \nGrace Aznive Art Scholarship \nFranklin Medal \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nBoston Latin School Samuel Gross Davis \nLawrence Latin School \nLatin School Prize \nBoston Latin Academy Samuel Gross Davis \nBrighton High Anna Judson George", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b45f3fee-f6a6-4e97-b8cb-332169241661": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 7 of 17 \n \nEnglish High Edward J. Goulston \nLawrence High School Fund \nMadison Park High/Technical/ Vocational \nHigh School \nSamuel Gross Davis \nO\u2019Bryant School of Mathematics & Science Samuel Gross Davis \nHelen C. Morrison \nCarter School Samuel Gross Davis", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "06ed2c36-a622-48a3-8106-9994ada8c321": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 8 of 17 \n \nTRUST AWARD DESCRIPTIONS \n \nAZNIVE ART SCHOLARSHIP FUND in memory of Grace Aznive, a \nformer BPS teacher, was established in 1955. The scholarship is for \noutstanding seniors planning to attend art school. Please call 617-\n635-6769 for more information. \n \nCASEY AWARD in honor of Alice F. Casey, a former associate \nsuperintendent of the Boston Public Schools, was established \n1977. \nEligibility: All elementary schools, one student in each classroom, grades 1-5 \nCriteria: Elementary students who have demonstrated the highest degree of \nsocial and academic growth during the school year and have shown \noutstanding and positive attitudes toward classmates of all racial and \nethnic backgrounds while promoting a positive spirit of integration \nwithin their classroom and school community. Current satisfactory \ngrades in conduct and effort and improved grades in class work or report", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "70cdb4ef-1946-453f-8cb9-04b78b79dc56": { + "page_content": "within their classroom and school community. Current satisfactory \ngrades in conduct and effort and improved grades in class work or report \ncard; concern for students and staff; participation in school activities; \nhelpful and enthusiastic attitude; recognition of rights of others. \nAward: Alice F. Casey Certificate \nSubmit: Submit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed. \n \n \nDEVEREAUX AWARD is a gift of Mary Dorothea Devereaux, \nformerly a Boston Public Schools teacher, established in 1965. \nEligibility: One girl and one boy in the graduating class of the following schools: \n\u25cf All high schools \n\u25cf All middle schools \n\u25cf Winship Elementary School", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "8d84cd96-c52d-4b09-87e4-d898895f9f33": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 9 of 17 \n \nCriteria: For students who, as a result of the tutelage of their teachers, have \nexhibited exemplary personal development and growth of character. \nUnder no circumstances shall scholastic achievement or athletic ability \nbe used as criteria. \nAward: $25 check, issued by the City of Boston Treasury Department. \nSubmit: Submit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nFELLMAN AWARD is in honor of Charlotte Fellman, a former \nassociate director of music, established 1984. \nEligibility: Two graduating eighth grade students from each middle school and each \nK-8 school and one graduating fifth grade student from each elementary \nschool. \nCriteria: Outstanding talent and positive social attitude toward classmates of all \nracial and ethnic backgrounds; participation in the musical life of the", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "68439a0c-062e-48bf-8e40-36bbdefdabf2": { + "page_content": "school. \nCriteria: Outstanding talent and positive social attitude toward classmates of all \nracial and ethnic backgrounds; participation in the musical life of the \nschool or community; interest in continuing in music; outstanding \nmusical talent and helpful and enthusiastic attitude toward classmates. \nAward: Certificate of Recognition \nSubmit: Submit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed. \n \n \nFRANKLIN CERTIFICATE is a gift of Benjamin Franklin. \nEligibility: All high schools \nCriteria: High rank in scholarship and conduct \nAward: A certificate \nSubmit: Nominating procedure, and name and address of recipients. \nNominations submitted to the Guidance Department.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "eaf9ba30-c3da-4310-ba54-9c073fee5dae": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 10 of 17 \n \n \n \n \n \n \nGEORGE SCHOLARSHIP is in memory of Anna Judson George \nand was established 1923. \nEligibility: A graduating senior from Brighton High School \nCriteria: For excellence in English, to be used for their higher education \nAward: $225 check payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nGOLDBERG TRUST is in honor of Jacob Goldberg upon the \noccasion of completion of 50 years of outstanding service to his \nemployer, W. M. Filene & Sons Company. This trust was \nestablished in 1962. \nEligibility: A member of the graduating class of the Eliot School \nCriteria: For leadership qualities \nAward: $400 check payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2bd9d1a6-7182-4b85-9918-bf5c30cdfbaf": { + "page_content": "Submit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6a0cddc7-41a4-4fcb-949c-51f5ecbda6b9": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 11 of 17 \n \n \nGOULSTON AWARD is in memory of Edward S. Goulston and was \nestablished in 1929. \nEligibility: A member of the graduating class of English High School \nCriteria: Deserving pupil to be used for their higher education \nAward: $250 check; payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nHOFFMAN SCHOLARSHIP is in memory of Ensign David A. \nHoffman and was established in 1920. \nEligibility: A member of the graduating class of East Boston High School \nCriteria: A scholar who most nearly combines the highest attributes of an all \naround student in studies, athletic ability and morality. \nAward: $175 check; payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1b73ce07-d087-48b6-96b1-f7cc61bb4496": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 12 of 17 \n \n \n \nLATIN SCHOOL PRIZE is for the encouragement of scholars at \nBoston Latin School. \nEligibility: Students from Boston Latin School \nCriteria: Excellence in scholarship \nAward: $250 total available, check payable to student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nLAWRENCE HIGH SCHOOL FUND is from a gift of Abbott \nLawrence in 1844. \nEligibility: Students from English High School \nCriteria: High rank in various subjects of the course of study \nAward: $525 total available, checks payable to the student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0c03e324-10d7-43ec-a85a-0141a34eed46": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 13 of 17 \n \n \nLAWRENCE LATIN SCHOOL FUND is from a gift of Abbott \nLawrence in 1845. \nEligibility: Students from Boston Latin School \nCriteria: High rank in various subjects of literature and science \nAward: $475 total available, checks payable to the student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMORRISON FUND is a legacy of Helen C. Morrison, established in \n1972. \nEligibility: Students from Technical High Schools \nCriteria: To assist worthy and needy students at technical high schools; funds can \nbe used either to assist students currently attending technical high \nschools in Boston or as scholarships at an institution of higher learning. \nAward: $2,525 total available; check(s) payable to recipient(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name,", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "4f0cee01-b99d-4302-acf0-fea484d39a2b": { + "page_content": "Award: $2,525 total available; check(s) payable to recipient(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMARY GRASSA O\u2019NEILL WRITING AWARD: The Boston School \nCommittee and Superintendent Mary Skipper wish to award \ncertificates to selected students in recognition of achievement in \nwriting. Schools should make requests for certificates directly to \nthe Program Director/ELA, OPL@bostonpublicschools.org. These \ncertificates will be sent directly to your school, and the schools \nwill complete the certificates for distribution to selected \nstudents.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "70ab5d3a-4c9e-4756-ab34-d911907eae67": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 14 of 17 \n \nMATHEMATICS ACHIEVEMENT AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to \nselected students in recognition of achievement in mathematics. \nSchools should make requests for certificates directly to the \nProgram Director, Mathematics, OPL@bostonpublicschools.org. \nThese certificates will be sent directly to your school, and the \nschools will complete the certificates for distribution to selected \nstudents. \n \nMARY C. MCLAUGHLIN READING AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to \nselected students in recognition of achievement in \nreading/language arts. Schools should make requests for \ncertificates directly to the Program Director/ELA, \nOPL@bostonpublicschools.org. These certificates will be sent \ndirectly to your school, and the schools will complete the \ncertificates for distribution to selected students.", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "97a05b69-7aae-4315-840a-30fe8fa303a1": { + "page_content": "OPL@bostonpublicschools.org. These certificates will be sent \ndirectly to your school, and the schools will complete the \ncertificates for distribution to selected students. \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nMay 31, 2024 All requests must be submitted to the CFO. \n \n \n \nFor more information about this circular, contact:", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6e6dc33b-1473-4d5e-9e09-d7b682595220": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 15 of 17 \n \nOwner: Special Assistant to the Chief of Finance \nDepartment: Chief Financial Office \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9485 \nScan Documents to finance-staff@bostonpublicschools.org \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \nATTACHMENT: \nApplication for Awards form", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "86083d77-956e-497f-a367-e7ebece65015": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 16 of 17 \n \nAPPLICATION FOR AWARDS \n \nThis form may be used for each student receiving a cash / savings \nbond award; or submit a typewritten list on school letterhead \nwith all of this information. No student may receive a check or \nsavings bond without a Social Security number. \n \nTITLE OF AWARD: \n_____________________________________________________ \n \n \nSTUDENT'S NAME: \n____________________________________________________ \n \n \nSTUDENT\u2019S STREET ADDRES \n______________________________________________ APT.#:____ \n \n \n \nCITY OR TOWN: ___________________________ZIP CODE: _________ \n \n \nSTUDENT\u2019S DATE OF BIRTH", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2e2e0a2a-0801-4842-91f1-392a6d42e5bf": { + "page_content": "Superintendent\u2019s Circular FIN-11 \nPage 17 of 17 \n \n____________________________________________ \n \n \nSTUDENT\u2019S SSN: \n______________________________________________ \n \n \nSTUDENT\u2019S ID NUMBER: \n______________________________________________ \n \n \nSCHOOL: \n______________________________________________________ \n \n \nSCHOOL STREET ADDRESS: \n__________________________________________ \n \n \nCITY OR TOWN: ______________________ ZIP CODE: _____________", + "metadata": { + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students.pdf", + "source_link": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "56ca539c-6ab7-4cae-a3cb-74a81c3a89c4": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-20 \nVersion 01 \n \nMANAGING YOUR STIPENDS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests. \n \nDEFINITION OF STIPEND WORK FOR UNION POSITIONS (BTU, \nBASAS, GUILD) \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cb Some examples of stipend work include staff training \nbeyond the contractual PD and Saturday or evening \nschools for teachers. \n\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf For BASAS staff, they must perform their school day hours \nfor the year prior to being eligible for a stipend. \n \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 SCHOOLS", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cb884e99-6474-4e75-98e6-51064c297011": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 2 of 13 \n \n \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \nSchool-based managerial employees cannot receive a \nstipend unless their contractual school days (223) are \ncompleted. Stipend work is not to be performed during the \nperiod of time that constitutes the normal workday. \n\u25cf These stipends must be for activities that are outside of the \njob description of the managerial employee. \n\u25cf Stipend opportunities for managerial employees in schools \nmust be posted in the school or on TalentEd. \n\u25cf To authorize a stipend request for an individual in a \nleadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 CENTRAL OFFICE", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "050801c4-09d5-4e34-a2dc-83cbc8c67d95": { + "page_content": "supervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 CENTRAL OFFICE \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf Managerial employees in central offices are only eligible to \nreceive stipends that have been posted through the Office \nof Human Capital. These stipends must be for activities that \nare outside of the job description of the managerial \nemployee. \n\u25cf Central office managerial employees may not apply for \nstipends unless they have been posted on TalentEd via the", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cfbd69a1-1417-4185-addd-9f42085d6fb0": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 3 of 13 \n \n \nOffice of Human Capital. Please connect with your OHC \nstaffing manager if you are interested in posting a stipend \nopportunity on TalentEd. \n\u25cf To authorize a stipend request for an individual in a \nleadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR SCHOOL LEADERS \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf School leader stipends must be for activities that are outside \nof the job description of the school leader. \n\u25cf In order for a school leader to receive a stipend, it must be \neither posted on TalentEd or the stipend request must be", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a7e3f001-2e5a-4823-b389-ea02f9419e1b": { + "page_content": "of the job description of the school leader. \n\u25cf In order for a school leader to receive a stipend, it must be \neither posted on TalentEd or the stipend request must be \nsubmitted along with a signed memo to the \nsuperintendent. \nDEFINITION OF STIPEND POSTING \nStipend work must be offered to individuals at schools in \naccordance with the policies of the School Committee. \nSpecifically, the work must be distributed equitably and based on \ndemonstrated competence and qualifications. \nIn schools, stipend opportunities must be posted to the staff. \nThese postings may be internal to the school, so long as all non-", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a072a3a3-2666-40bd-ba4c-f35b56860209": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 4 of 13 \n \n \nmanagerial employees at the school have the opportunity to \napply. An email to all school staff is an appropriate method of \nposting. OHC or Budget may ask for proof of posting at any time \nafter a stipend authorization request (formerly referred to as a \nPS08) has been submitted. School-based managerial staff may \napply to their school\u2019s internal posting if eligible. School-based \nstipend opportunities can be posted on TalentEd as well. \nIn central office departments, stipend opportunities must also be \nposted. These postings must be done through the Office of \nHuman Capital. Central office managerial employees may not \napply for stipends unless they have been posted on TalentEd via \nthe Office of Human Capital. \nAUTHORIZATION TOOLS \nStipend Authorization Request (SAR) \u2013 request for authorization \nbefore work starts (must be submitted at least two weeks prior to \nthe first day of work). SARs for summer work should be", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "fd93e33b-251b-4d3c-8f27-3d431f91d894": { + "page_content": "Stipend Authorization Request (SAR) \u2013 request for authorization \nbefore work starts (must be submitted at least two weeks prior to \nthe first day of work). SARs for summer work should be \nsubmitted before the end of May. If an SAR is submitted after the \nwork has started, the submitter is required to provide an \nexplanation as part of the request. \nPay Certification Request (formerly referred to as a PS09) \u2013 \nrequest for payment after work is completed (must be submitted \nno later than two weeks after the work is completed). If an SPC is \nsubmitted after the work has started, the submitter is required to \nprovide an explanation as part of the request.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "fc9b6584-38fb-478d-9f85-725b168b10f8": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 5 of 13 \n \n \nSCHEDULE FOR AUTHORIZATION \nDepartment heads or principals should plan in advance and \nrequest SARs on time. \n\u25cf SARs must be submitted at least two weeks before work \nstarts, except in the case of summer work. If a stipend is \nrequested late, the submitter will have to write in an \nexplanation when prompted in the online system. \n\u25cf SARs for summer work should be submitted before the end \nof May. \n\u25cf Pay certification requests should be submitted no later than \ntwo weeks after the work has ended. \n\u25cf Pay certification requests that need to be processed in the \nlast paycheck in June must be submitted by the Wednesday \nprior to the pay period end date. \n \nIn addition, due to the Budget Collaborative and Probable Org \nschedule between December and February, please allow \nadditional time for SAR approvals and submit them at least three \nweeks before work starts. \nAUTHORIZATION PROCESS", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d0e89658-0c1b-40ce-827e-3aea7619d2bc": { + "page_content": "schedule between December and February, please allow \nadditional time for SAR approvals and submit them at least three \nweeks before work starts. \nAUTHORIZATION PROCESS \nAll stipend work must be authorized in advance by the Office of \nHuman Capital and Budget Office. \nAuthorization from Budget and HC must be received via the \napproved SAR before the work starts. A department head does \nnot have independent authority to authorize stipend work. \nDepartments or schools are responsible for informing employees \nwhen a pay certification request has been submitted for", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e2d96a01-3e76-4427-933b-2370a6305ca0": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 6 of 13 \n \n \npayment. Please review the stipend guidance around submitting \nSARs and pay certification requests. Additional guidance on the \nstipend process can be found on the Budget Office \nResources/Stipends page. \nWORKFLOW FOR STIPENDS \n1. Stipend work opportunity is posted (internally for schools \nand on TalentEd for central office) and individuals are \nchosen to perform this work. \n2. Secretary or department head\u2019s designee originates stipend \nauthorization request (SAR). \na. Submitter cannot be one of the employees to receive a \nstipend. \nb. Submitter must complete the authorization process for \nall individuals that are flagged. This could include the \nfollowing: \ni. Tier C, D, E, or F Managerial employees (will \nrequire approval by department head or division \nlead to be submitted along with the SAR) \nii. School Leaders \niii. Employees outside of the submitter\u2019s department \niv. Submitter must provide an explanation for any \nlate requests", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "db95c015-dfff-40eb-99fb-f6de38c7c600": { + "page_content": "lead to be submitted along with the SAR) \nii. School Leaders \niii. Employees outside of the submitter\u2019s department \niv. Submitter must provide an explanation for any \nlate requests \n3. Principal or department head gives first-level approval. \n4. HC reviews to confirm the below items for approval (please \nalso see Process and Selection section for additional details \non the OHC approval process):", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "dec3091a-5690-466a-b7e8-96f71b0d51d0": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 7 of 13 \n \n \na. That the submitter isn\u2019t a recipient of the stipend \nb. That the opportunity has been posted appropriately \nc. That the employee is eligible to receive the stipend \nd. That the Superintendent\u2019s Memo has been submitted if \nthe stipend is for school leaders. \n5. Payroll reviews to again confirm that the employee is \neligible to receive the stipend. \n6. Budget reviews to confirm the below guidelines for \napproval: \na. That there are enough funds available in the budget to \ncover the expense \nb. That the stipend funding information is correct, such as \nthe budget year \nc. That the stipend is allowable under the grant if it is in \nfund 200 \nd. That the commitment letter (which includes a \ndescription of the work, the staff member\u2019s name, and \nthe amount of the stipend) is attached to the stipend \nauthorization request form (SAR) for Reimbursable \ngrant stipends. \ne. That the hours worked are included if the stipend is", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "7981f783-5bd6-49f8-a351-f78367303e47": { + "page_content": "the amount of the stipend) is attached to the stipend \nauthorization request form (SAR) for Reimbursable \ngrant stipends. \ne. That the hours worked are included if the stipend is \nabove $5,000 for an individual \nf. That the budget director approves the stipend if it is \nabove $10,000 for an individual \n7. Department or school should regularly monitor their \nstipend request for approval status updates.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "08a1e12c-cf51-4b4d-a653-05995e326aea": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 8 of 13 \n \n \n8. Secretary or department head\u2019s designee informs employee \nthat work can start. \n9. Time sheets are maintained in the school or department \nand may be subject to periodic audits. \n10. Department head or principal monitors completion and \nquality of work. \n11. Work ends. \n12. Secretary or department head\u2019s designee submits pay \ncertification, due the Wednesday before the pay period end \ndate. \n13. Payroll processes pay certification requests and checks for \nthe following (see Payroll Guidelines, below): \na. Confirm that the funds don\u2019t go out prior to the end \ndate. \n14. Stipend is paid to employee as a supplement to regular \npaycheck. \nNOTE: If an employee is listed on more than one eForm for \nvarious stipends, they cannot be paid out in the same pay period. \nA warning notice will appear when trying to add the additional \nstipend. Will have to hold that payment until the employee has", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "eb4e0223-b500-4802-b119-67bc23dea45e": { + "page_content": "various stipends, they cannot be paid out in the same pay period. \nA warning notice will appear when trying to add the additional \nstipend. Will have to hold that payment until the employee has \nbeen paid out by the other in-process pay certification request.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1b376c8d-a2d2-454e-a21a-34f31be4e438": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 9 of 13 \n \n \nBUDGET GUIDELINES \nAll stipends and overtime payments are paid out of account \n51202. \nStipend Authorization Requests (SAR): \n\u25cf Departments are responsible for tracking their original \nbudget in 51202 and the SAR approvals that have been \nissued against this original budget. Contact your Financial \nAnalyst if you have questions about your available funds for \nstipends. \n\u25cf SAR approvals do not \u201cencumber\u201d funds in the All Funds \nreport. All 51202 funds will appear to be available until the \npay certifications are paid out. In your All Funds report, \nplease do not depend on the \u201cAvailable\u201d amount in account \n51202 to track stipends. Stipend requests must be tracked \nby the department; the Stipend Tracker template can be \nfound here. \n\u25cf For all single stipend payments that amount to $5,000 or \nmore per individual, please fill out the hourly rate portion of \nthe SAR eForm. \n \nStipend Pay Certification Requests:", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "28ad7eca-ad8c-4c94-9d95-6142af0f4dbc": { + "page_content": "found here. \n\u25cf For all single stipend payments that amount to $5,000 or \nmore per individual, please fill out the hourly rate portion of \nthe SAR eForm. \n \nStipend Pay Certification Requests: \n\u25cf Processed Stipend Pay Certification Requests will move \nfunds from the Available budget to the Expense line. \n\u25cf It is possible to issue partial payment on a Stipend Pay \nCertification Requests if only some of the work was \ncompleted, or if only some of the employees should be paid.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d7490735-23a8-450d-ab2b-1384abd61567": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 10 of 13 \n \n \n\u25cf If the work ends early and you are paying out the full \nstipend before the end date on the form, you must leave a \nnote to explain this on the Stipend Pay Certification \nRequest. \n \nStipends paid from grants: \n\u25cf Any stipend payments being made from a grant funding \nsource need to be for work done during the grant time \nperiod. Stipends cannot be paid for work that may have \nbegun before the start date of the grant or continuing after \nthe grant end date. \n\u25cf All stipends on grants must be allowable under the grant, \nand it is the responsibility of the school or department to \nensure that they are complying with grant guidelines. \n\u25cf For Reimbursable grant stipends, attach the commitment \nletter (which includes a description of the work, the staff \nmember\u2019s name, and the amount of the stipend) to the \nstipend authorization request form (SAR). \nPROCESS AND SELECTION \n\u25cf Departments must ensure that the activities covered by", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b879797d-6b77-41b0-9828-6f4b4d844752": { + "page_content": "member\u2019s name, and the amount of the stipend) to the \nstipend authorization request form (SAR). \nPROCESS AND SELECTION \n\u25cf Departments must ensure that the activities covered by \novertime and stipend requests meet and conform to the \ndefinitions listed at the top of this circular. \n\u25cf Departments are expected to internally post and advertise \nopportunities to ensure that individuals do not receive a \ndisproportionate share of overtime and stipend \nassignments.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "fed232ce-3c43-4ad3-b472-d6f676adb05f": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 11 of 13 \n \n \n\u25cf For stipends that managerial employees in central offices \nmay receive, the posting must be done via the Office of \nHuman Capital. \n\u25cf Departments are expected to select qualified individuals \nand make selections in an equitable way. \n\u25cf Departments must ensure that the work is done in a \ncomplete and satisfactory way before issuing authorization \nfor payment. \n\u25cf Timesheets are required for those working overtime or \nstipended hours. \n\u25cf Timesheets for all stipends and overtime must be retained \nin a central location at the department for 7 years. \nThe Office of Human Capital may inquire with a department to \nbe sure that it is specifically conforming to these guidelines and \nprocedures. \nSINGLE OR CUMULATIVE PAYMENT THRESHOLDS \nIn circumstances where the single payment to an individual or \nthe sum of payments in one fiscal year to an individual meets the \nthresholds in the table below, there is an additional approval \nrequirement.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1f5a6d2c-f4d8-4a98-a113-ce1ed3edd95a": { + "page_content": "the sum of payments in one fiscal year to an individual meets the \nthresholds in the table below, there is an additional approval \nrequirement.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "7f20dec6-e6b4-4797-9ca2-04e3fa957501": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 12 of 13 \n \n \n \nSingle or \nCumulative \nStipend \nAmount \nNon-Autonomous School \nApproval Process \n Central Office \n Approval Process \nGreater than \nor equal to \n$5,000 \nDepending on the situation, \nstipend authorization may be \nheld at HC or Budget \napproval step for further \nquestions. You will be \nrequired to submit the hours \nworked and hourly rate for \nstipends amounting to $5,000 \nor more for an individual. \nDepending on the \nsituation, a stipend \nauthorization may be held \nat the HC or Budget \napproval step for further \nquestions. \nGreater than \nor equal to \n$10,000 \nBudget director approval \nrequired. When submitting a \nstipend authorization that \namounts to $10,000 or more \nper individual, please fill out \nthe hourly rate portion of the \nstipend authorization eForm. \nPlease send an email \nexplaining the reasons for \nexceeding this threshold to \nyour financial analyst in the \nBudget Office. \nBudget director approval \nis required. When", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "aeb63c77-6b7e-4f3b-a23e-d014dd92e8a1": { + "page_content": "Please send an email \nexplaining the reasons for \nexceeding this threshold to \nyour financial analyst in the \nBudget Office. \nBudget director approval \nis required. When \nsubmitting a stipend \nauthorization, please send \nan email explaining the \nreasons for exceeding this \nthreshold to your financial \nanalyst in the Budget \nOffice. \nThere are no additional approvals necessary for autonomous \nschools that submit single or cumulative stipends greater than or \nequal to $5,000.", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "feafe6f8-7c1b-4022-bc9f-2cada4402744": { + "page_content": "Superintendent\u2019s Circular FIN-20 \nPage 13 of 13 \n \n \nThe stipend thresholds for single or cumulative payments listed \nabove are not impacted by: \n\u25cf Regular differential payments for employees in a formal \nExtended Learning program \n\u25cf Regular differentials for academic coaches or athletic \ncoaches \n\u25cf Regular differentials for lead teachers \n\u25cf Regular payments to instructors in formal Summer School \nand Acceleration Academies \n\u25cf Regular inclusion buyback payments for employees who \nuse more than one certification while teaching in the \nclassroom. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests. \n \nFor more information about this circular, contact: \nOwner: Chief of Finance \nDepartment: Budget Office \nMailing Address: 2300 Washington Street. Roxbury, MA 02119 \nPhone: 617-635-9000 \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-20 Managing Stipends.pdf", + "source_link": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "50c0787c-3444-463d-8d2b-a056d4770255": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-07 \nVersion 01 \n \n \n \nPURCHASING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nProcurement procedures at BPS follow state and federal laws \nand City policies. Non-compliance with these laws could result in \ninvalid procurements and unenforceable contracts. The State \nProcurement Law (M.G.L. c. 30B) mandates standard procedures \nfor local jurisdictions to ensure fairness and consistency when \npurchasing supplies or services. The information below provides \nthe necessary procedures and requirements for purchasing \nsupplies or services following competitive and non-competitive \nprocurement regulations. \nINDIVIDUALS AUTHORIZED TO SIGN CONTRACTS ON BEHALF \nOF THE BOSTON PUBLIC SCHOOLS \nNo Boston Public School employee, other than those listed \nbelow, may enter into a contract with any vendor. This includes \nbut is not limited to contracts, agreements, memorandums of", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c47a696b-1db1-41c5-9163-15cfc101e67f": { + "page_content": "No Boston Public School employee, other than those listed \nbelow, may enter into a contract with any vendor. This includes \nbut is not limited to contracts, agreements, memorandums of \nunderstanding, grants, partnership agreements, or any other \nexpenditure that binds the district to pay for services/goods. This \nincludes purchases of services or goods for under $10,000. \nOnly three (3) BPS employees are authorized to enter into \ncontracts on behalf of the Boston Public Schools:", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2db15ac6-3b91-42a9-b495-903e1ca88669": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 2 of 10 \n \n \n\u2022 The superintendent of schools \n\u2022 The BPS chief financial officer \n\u2022 The BPS deputy chief financial officer \n \n1. PURCHASES LESS THAN $10,000. \nThe standard for selection: Following M.G.L. c. 30B, \u00a7 2 \"Sound \nBusiness Practices,\u201d the school or department must solicit three \nquotes via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. \nRequired document: Requisition \nAuthorization: Purchase order \nTurnaround time*: 1 -2 Weeks \n \n2. PURCHASES BETWEEN $10,000 - $100,000 \nThe standard for selection: When procuring supplies or services \nthat are not a sole source or exempt from Chapter 30B, schools \nand departments must solicit written quotes from at least three \nvendors via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1b2dd6aa-ae37-4f02-9dbf-2f7339f267aa": { + "page_content": "and departments must solicit written quotes from at least three \nvendors via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. The contract should then be awarded to the \nresponsible and responsive supplier offering the needed quality \nof supply or service at the lowest price quotation. In cases when \nobtaining three quotes is impossible despite reasonable effort, \nawarding the contract based on one or two quotes is acceptable. \nImportant Note: School districts may still opt to issue an IFB", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "973eb389-5079-4683-8382-7b18d9fff20b": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 3 of 10 \n \n \nwhen procuring supplies or services estimated to cost $100,000 \nor less. \nRequired documents: To ensure a timely and efficient \nprocurement process, all required documents should be \nsubmitted to the Business Office/Procurement office at least four \nweeks before the desired procurement date: requisition, Contract \nRequest Form, detailed specifications, and, if applicable, a sole-\nsource letter addressed to the Business Manager. Before \nsubmitting, use the detailed checklist to verify that all required \ninformation has been completed. \nAuthorization: Purchase order and written quote contract (WQC), \nsigned by the vendor and approved by the superintendent and \nthe City auditor. \nTurnaround time*: 2 - 4 Weeks \n3. PURCHASES OF MORE THAN $100,000 \nThe standard for selection: For supplies or services estimated to \ncost more than $100,000, an invitation for bids (IFB) or a request", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "f4f68564-3b36-427e-aec3-0e008839a5e0": { + "page_content": "3. PURCHASES OF MORE THAN $100,000 \nThe standard for selection: For supplies or services estimated to \ncost more than $100,000, an invitation for bids (IFB) or a request \nfor proposals (RFP) can be used. In a bid process, IFB, you award \nthe contract to the qualified bidder who meets your \nspecifications and offers you the best price. Information for Bid \n(IFB) Sealed bids (M.G.L. c. 30B, \u00a7 5. In a proposal process, RPF, you \naward the contract to the offeror submitting the most \nadvantageous proposal, considering your specified evaluation \ncriteria and price. Request for Proposals (RFP) Sealed proposals \n(M.G.L. c. 30B, \u00a7 6", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2639f9f8-e0ec-41f7-ac65-ed82cd6ac4f2": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 4 of 10 \n \n \nNotice/Advertising Requirements: The Business Services and \nFinance Procurement Unit will submit an ad for schools and \ncentral departments to be posted at least two weeks before bids \nor proposals are due in the City Records. If the procurement \nexceeds $100,000, an advertisement will be published in the \nGoods and Services Bulletin at least two weeks before bids or \nproposals are due. \nRequired documents: Requisition and a completed Contract \nRequest Form with a detailed written description of the items or \nservices to be purchased. \nAuthorization: Purchase order and fully executed contract \nTurnaround time*: 4 - 8 Weeks \n*NOTE: These timelines may not apply to all procurement \nrequests. The turnaround times listed above are approximate and \ndo not apply to peak procurement periods, ranging from 08/15 to \n09/30 and 04/15 to 06/30. \n4. MOAS AND MOUS AGREEMENTS", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cf8e87f0-3c97-403e-8b94-79029eb83396": { + "page_content": "requests. The turnaround times listed above are approximate and \ndo not apply to peak procurement periods, ranging from 08/15 to \n09/30 and 04/15 to 06/30. \n4. MOAS AND MOUS AGREEMENTS \nThe following types of agreements are exempt from Chapter 30B \nand do not require a City of Boston standard contract to be \nexecuted: an agreement between agencies, boards, \ncommissions, authorities, departments, or public \ninstrumentalities of one city or town (ch. 30B\u00a71(7)); or an \nagreement to purchase supplies or services from or to dispose of \nsupplies to an agency or instrumentality of the federal \ngovernment, the Commonwealth, or any of its political \nsubdivisions or any other state or political subdivision thereof (ch. \n30B\u00a71(9))", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a5e753a4-2af5-4c6e-9a4e-617e00458835": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 5 of 10 \n \n \n\u2022 Memoranda of Agreement (MOA), in addition to outlining \nthe terms and obligations of each government agency, \nrequires payment or exchange or transfer of funds between \nthe parties. There are only to be used between two or more \ngovernment agencies. If one or more of the parties to the \nagreement is not a government agency, then the normal \nrules related to standard contracts apply. There is no dollar \nthreshold for an MOA. \nAll MOAs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel and \nCity Auditing, and necessary signer(s) involved in the \nagreement before it can be accepted as a valid contractual \nagreement. \n\u2022 Memoranda of Understanding (MOU) is an agreement of \nterms and obligations that does not include funds transfer \nbetween the parties. While parties to an MOA must all be \ngovernment agencies, parties to an MOU may, but are not \nrequired to be, government agencies.", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "edbe9fa3-6861-4822-a239-9d4b921fe6cd": { + "page_content": "between the parties. While parties to an MOA must all be \ngovernment agencies, parties to an MOU may, but are not \nrequired to be, government agencies. \nAll MOUs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel, and \nnecessary signer(s) involved in the agreement before it can \nbe accepted as a valid contractual agreement. \nNOTE: The Law Department reserves the right to require City \ndepartments to execute a formal contract in any situation \ninvolving agreements with non-government entities. \nAuthorization: Purchase order and fully executed and signed \nMOA agreement \nTurnaround time*: 4 - 8 Weeks", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "4bcd9889-3f96-43a6-9783-3a9ceebb4a9c": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 6 of 10 \n \n \n5. GRANT CONTRACTS \nUnder Massachusetts General Law, a \u201cgrant agreement\u201d is \ndefined as \u201can agreement between a governmental body and an \nindividual or nonprofit entity, the purpose of which is to carry out \na public purpose of support or stimulation instead of procuring \nsupplies or services for the benefit or use of the governmental \nbody.\u201d If a grant agreement properly fits within this definition, \nthen it is exempt from the requirements of Chapter 30B. \nThe first step in the analysis of whether a grant agreement can \nbe used is to determine the public purpose of the grant and how \ngrant funds are being directly linked back to the public delivery \nof a program. Generally, supporting a non-profit organization, or \nkeeping it operational, is not a permissible public purpose. While \nnon-profits may operate for the public good, grant funds must be \ndirectly linked back to the specific delivery of a program. Please", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cd9a83fa-e3a9-4f8a-a77e-9c0bcc493d08": { + "page_content": "non-profits may operate for the public good, grant funds must be \ndirectly linked back to the specific delivery of a program. Please \nreview this Law Department memo for further considerations \nand guidance when determining whether a grant process is \napplicable. If you plan to conduct a grant process because each \ncase is evaluated individually, please contact the BPS Office of \nthe Legal Advisor at 617-635-9320. \n6. EMERGENCY PURCHASES \nIn the case of an unforeseen emergency, if complying with all of \nChapter 30B's requirements would put people or property at risk, \nyou are allowed to procure the necessary item or service without \nfull compliance. However, it is important to keep a record of the \nemergency procurement, including the reason for deeming it an \nemergency, the supplier's name, the contract amount and type, \nand a list of the supplies or services purchased under each \ncontract. Additionally, document any procedures used to elicit", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "65b7a262-a79a-4470-8eb5-0dd110a46f56": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 7 of 10 \n \n \ncompetition. It is important to inform the Business Services \nProcurement Unit of the emergency purchases as soon as \npossible. Please refer to the Goods and Services Bulletin for \nfurther guidance on processing and emergency procurement. \n7. FOOD PURCHASES \nFood purchases are allowed for events where parents, suppliers, \nconstituents, and community members attend \u2014 not just \nstudents, teachers, or the superintendent. If it's a fund 100, it \nmust be purchased against the following food budget, 53204. If \nusing fund 200, please check with Yvonne Macrae, Director of \nGrants and External Funds, ymacrae@bostonpublicschools.org, \nto ensure that the grant rules allow food purchases. Please \nreview Superintendent's Circular FIN-03 and additional \nguidelines on reimbursements for food purchases. \n8. REAL PROPERTY \u2013 ACQUISITIONS AND DISPOSITIONS \u2013\nM.G.L. C. 30B \nReal Property Acquisitions and Dispositions: After determining", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a39d39e4-8edc-44cc-b928-be17655fb470": { + "page_content": "guidelines on reimbursements for food purchases. \n8. REAL PROPERTY \u2013 ACQUISITIONS AND DISPOSITIONS \u2013\nM.G.L. C. 30B \nReal Property Acquisitions and Dispositions: After determining \nthe value of the acquisitions and disposing of the real property \nvalued over $35,000.00, an invitation for bids (IFB) or a request for \nproposals (RFP) can be used. In a bid process, an IFB can select \nthe proposer who meets your quality requirements and offers the \nlowest price. Information for Bid (IFB) Sealed bids (M.G.L. c. 30B, \u00a7 \n5. In a proposal process, an RPF will allow you to compare the \nrelative merits of the proposals you receive and the price. \nRequest for Proposals (RFP) Sealed proposals (M.G.L. c. 30B, \u00a7 6 . \nContact Business Services for further information on when to use \na license or a lease. \nNotice/Advertising Requirements: The Business Services and", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "4bc87992-7e2a-44aa-aa11-94392a5c9916": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 8 of 10 \n \n \nFinance Procurement Unit will submit an ad to be published in \nthe Central Register at least 30 days before executing a binding \nagreement to acquire the property. M.G.L. c. 30B, \u00a7 16(d) \nAuthorization: Purchase order and fully executed contract \nTurnaround time*: 4 - 8 Weeks \n \nRESOURCES \nBPS Legal Advisor \nLegal Advisor legal@bostonpublicschools.org \n617-635-1577 \nComputer Equipment \nOIIT: Director of Technology Business Operations Operations-\nDepartment-Heads@bostonpublicschools.org \n617-635-9190 \nEducational and Administrative Applications \nOIIT: Director of Technology Business Operations, Operations-\nDepartment-Heads@bostonpublicschools.org \n617-635-9190 \nPurchasing, Textbook Adoptions \nBusiness Services: Assistant Business Manager \nfinance-staff@bostonpublicschools.org 617-635-8207 \nPeopleSoft/Financials Training \nBusiness Services: Assistant Business Manager)", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "4ef39398-207e-4ddb-b33a-67f600b693ed": { + "page_content": "Business Services: Assistant Business Manager \nfinance-staff@bostonpublicschools.org 617-635-8207 \nPeopleSoft/Financials Training \nBusiness Services: Assistant Business Manager) \nfinance-staff@bostonpublicschools.org 617-635-8207 \nFurniture and Rugs \nFacilities Mgt.:", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "44c464ca-23a6-4620-847f-9fba351e347d": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 9 of 10 \n \n \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9119 \nPlayground Equipment \nFacilities Mgt.: \nOperations-Department-Heads@bostonpublicschools.org \n617-635-9117 \nGrants/External Funds \nDirector of State & Federal Grants finance-\nstaff@bostonpublicschools.org617-635-9577 \nField Trips \nTransportation: Executive Director of Transportation \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9000 \nBudget Management \nAssistant Budget Director, finance-\nstaff@bostonpublicschools.org \n617-635-6984", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "dffa55d1-d315-40a2-82af-c47313ac3498": { + "page_content": "Superintendent\u2019s Circular FIN-07 \nPage 10 of 10 \n \n \nFor more information about this circular, contact: \nOwner: Assistant Business Manager \nDepartment: Business Services \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-8207 \nEmail: finance-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent \n \n\u2022 Essential Training Guide is available here. \n\u2022 Business Services Guide is available here.", + "metadata": { + "file_name": "FIN-07 Purchasing Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "282bcbfb-9573-4557-a3f2-9028a7459c57": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-03 \nVersion 01 \n \nEXPENDITURE REIMBURSEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this memorandum is to clarify those \ncircumstances under which reimbursement is appropriate and \nthose that are not. \nThe reimbursement process is intended to accommodate those \nlimited instances where the traditional purchasing system \ncannot be utilized. It is not intended to replace, substitute for, \nsupplant, or otherwise institute an alternative purchasing system. \n \nExpenditures Allowable for Reimbursement \nThe reimbursement process is intended to allow for the \nimmediate purchase of incidental or emergency goods and \nservices that could not be contemplated in the normal course of \nbusiness. This process can be used when the aggregate \npurchase value of goods or services is minimal. Make sure the \nproper accounting codes are used and align with the expense.", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c8d62f4f-e116-4643-b42a-99490084231b": { + "page_content": "business. This process can be used when the aggregate \npurchase value of goods or services is minimal. Make sure the \nproper accounting codes are used and align with the expense. \nExamples of these goods or services include reimbursement for \nan emergency, unanticipated supply, or repair needs minimal in \ncost. \nThe reimbursement process is intended to allow individuals to be \nreimbursed for personal expenditures incurred in support of", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "26b758f9-0b82-4c68-8587-20a7367da83b": { + "page_content": "Superintendent\u2019s Circular FIN-03 \nPage 2 of 7 \n \nauthorized Boston Public Schools activities. This also applies to \ntravel expenses as defined and consistent with the Boston Public \nSchools travel policy (refer to Superintendent\u2019s Circular FIN-01 \nTravel Policy - Procedures for Approval and Reimbursement). \n \nExpenditures Not Eligible for Reimbursement \nExpenditures not eligible for reimbursement include those for \nthe purchase of goods and services that are not consistent with \nthe guidelines referenced above. A detailed description of \nguidelines to be used for purchasing can be found in \nSuperintendent\u2019s Circular FIN-07 \u2013 Purchasing Guidelines. \nCertain expenditures, such as purchasing gifts for fellow \nemployees, constitute an inappropriate expenditure of resources \nand are not eligible for reimbursement. \n \nPurchase Of Food \nFood for staff events cannot be reimbursed from fund 100. Fund \n100 can only be used for students, parents and community", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "018f01b4-7e9d-4668-a7b4-fa9fbd697d38": { + "page_content": "and are not eligible for reimbursement. \n \nPurchase Of Food \nFood for staff events cannot be reimbursed from fund 100. Fund \n100 can only be used for students, parents and community \nevents using the food account code 53204, be sure funds are \navailable prior to submitting for reimbursement. If you are using \nfund 200, the rules of the grant must allow for food purchases, \nprior to purchase always check with your grant liaison. \nThe practice of purchasing food products from supermarkets for \nparents, school councils, or other meetings is an acceptable (and \nmore cost-effective) mechanism than procuring catered services. \nThese expenditures will be reimbursed, but only upon the \npresentation of itemized invoices and cash register receipts.", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "934a765a-354e-4a20-9dec-2a85fa2000aa": { + "page_content": "Superintendent\u2019s Circular FIN-03 \nPage 3 of 7 \n \nReimbursements will be made only for those items that can be \nappropriately documented. \n \nGift Cards/Certificates: A Specific Issue \nThe purchase of gift cards/certificates is not permitted. The use \nof gift cards/certificates does not allow for appropriate controls \nthat document the nature and value of the items that are \nultimately purchased. Nor does this practice allow for the proper \nreporting of expenditures. It is a practice that is highly \nsusceptible to abuse. \n \nDocumentation Required for Reimbursement: \nIn order to secure prompt reimbursement, all requests must be \nsubmitted to the Business Office within fifteen (15) business days \nof purchase. Allowable expenditures for reimbursement must be \nfully supported by appropriate documentation/receipts. Follow \nthe procedures below (Emails Accepted): \n1. Submit a completed \u201cCity of Boston Special Draft/Non \nOrder Form\u201d - it MUST be filled out completely with:", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "9708788c-50dc-4824-b0cc-35ef19248eda": { + "page_content": "the procedures below (Emails Accepted): \n1. Submit a completed \u201cCity of Boston Special Draft/Non \nOrder Form\u201d - it MUST be filled out completely with: \n\u25cf School/Department \n\u25cf Date \n\u25cf Full name of person being reimbursed \n\u25cf Full address of person being reimbursed \n\u25cf Vendor # \n\u25cf Funding source \n\u25cf Full \u201cdetailed\u201d description", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "5cc4e67a-15d7-4610-aa07-51b835cd9e86": { + "page_content": "Superintendent\u2019s Circular FIN-03 \nPage 4 of 7 \n \n\u25cf Total amount requested \n\u25cf Must be signed by the employee\u2019s immediate \nsupervisor \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder \npenalty of perjury, that amounts stated are correct and \nwere incurred in the service of the City of Boston \n3. Itemized (not summary) of cash register receipts \n4. Itemized invoice produced by the vendor \n5. Copies of the front and back of cancelled personal \nchecks, or Credit card statement that details the item(s) \npurchased by an individual. The name of the person being \nreimbursed should be on the check and credit card \nstatement \u2013 for Proof of Purchase \n \nBPS does NOT reimburse taxes for expenditures unless the \nStudent Activity Account is being used for the purchase - BPS \nwill reimburse taxes and tips on FOOD ONLY. \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a67ca6e2-be5f-4349-86d6-ff59b37cc49b": { + "page_content": "will reimburse taxes and tips on FOOD ONLY. \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement.", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "ba22c47f-2e41-41e2-8033-94c60c9af9bd": { + "page_content": "Superintendent\u2019s Circular FIN-03 \nPage 5 of 7 \n \nIf Submitting by Paper: \n\u2022 ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u2022 DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 \nstarts the new Fiscal School Year - You cannot use current school \nyear funds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment.", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "f8c78ae4-a2f3-4a77-b733-46d6b6d95652": { + "page_content": "Superintendent\u2019s Circular FIN-03 \nPage 6 of 7 \n \nFor more information about this circular, contact: \nOwner: Unit Leader of Business Services/Accounts \nPayable \nDepartment: Business Services \nMailing \nAddress: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9469 \nE-mail: finance-staff@bostonpublicschools.org \nMary Skipper, Superintendent \n \nBusiness Services Guide is available here.", + "metadata": { + "file_name": "FIN-03 Expenditure Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "04fcead6-5d1d-4a4b-ae0d-2000c831fc74": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-14 \nVersion 01 \n \n \n \n \nRESOLUTION OF OVERPAYMENT OF SALARIES \nFOR FORMER EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nWith the multitude of daily transactions, corrections on both the \nfinancial and payroll component are warranted. The following \nprocess must be strictly followed when an overpayment occurs. \n1. When this transaction is identified, notification is \ngenerated from the payroll unit to the accounting unit. \n2. This notification states the name and the amount of \nthe salary overpayment. \n3. Immediate request for payback is forwarded to the \nindividual through the United States Post Office and/or \nemail by the accounting unit. \n4. To finalize this transaction, the employee is requested \nto return the amount overpaid, payable to the City of \nBoston \u2013 Boston Public Schools, Bank Check or Money \nOrder. \n5. Upon receipt, the check is deposited with the City", + "metadata": { + "file_name": "FIN-14 Overpayment of Salaries.pdf", + "source_link": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a90b56de-354a-40f8-bd1f-b311009ceb81": { + "page_content": "to return the amount overpaid, payable to the City of \nBoston \u2013 Boston Public Schools, Bank Check or Money \nOrder. \n5. Upon receipt, the check is deposited with the City \nTreasurer, and the adjustments of the employee\u2019s \nannual wages are activated. \n6. If further resolution is warranted, the employee should", + "metadata": { + "file_name": "FIN-14 Overpayment of Salaries.pdf", + "source_link": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0a20a5da-f589-40b4-b47e-9d39b7bdca75": { + "page_content": "Superintendent\u2019s Circular FIN-14 \nPage 2 of 2 \n \n \n \nsubstantiate their claim with supporting \ndocumentation. In the event of a financial hardship, the \naccounting unit will review the circumstances and \nmake a payment plan recommendation to the \nbusiness manager. \n \nFor more information about this circular, contact: \nOwner: Director of Payroll \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nAdditional \nQuestions \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston (finance-\nstaff@bostonpublicschools.org). \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-14 Overpayment of Salaries.pdf", + "source_link": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "3d3a6b3c-69db-4bb4-80a5-12af14799728": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from your home is not eligible for \nreimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers (ISP \nwill receive that $600 payment in \nsucceeding years provide the ISP\u2019s direct", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "cca69c4d-4055-471d-a711-55243c793c07": { + "page_content": "Pathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers (ISP \nwill receive that $600 payment in \nsucceeding years provide the ISP\u2019s direct \nsupervisor verifies that the ISP\u2019s travel \nschedule is substantially unchanged) \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n67\u00a2 per mile", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "7887bf7d-45c5-4252-8654-9a965bf5e88d": { + "page_content": "Superintendent\u2019s Circular FIN-02b \nPage 2 of 5 \n \n \nAll other BTU members \n \n67\u00a2 per mile \n \nSupervisors of Attendance \n \n \n67\u00a2 per mile \n \nBASAS \n \n \n \n67\u00a2 per mile \n \nManagement \n \n \n \n67\u00a2 per mile \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager\u2019s \nbudget (Account 52803 Mileage).", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "ab57e0d0-d4de-45f1-ae6c-d5538cd3e6d1": { + "page_content": "Superintendent\u2019s Circular FIN-02b \nPage 3 of 5 \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most economical. \nOriginal receipts must be produced/provided for reimbursement. \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed \u201cCity of Boston Special Draft/Non Order \nForm\u201d \u2013 it must be filled out completely with: \n\u2022 School/Department \n\u2022 Date \n\u2022 Full name of the person being reimbursed \n\u2022 Full address of the person being reimbursed \n\u2022 Vendor # \n\u2022 Full funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a7635d60-97a4-486a-becd-09b47836b4a6": { + "page_content": "\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.\u201d", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "406cebe8-dfce-44d4-918f-1660ae3ec3a2": { + "page_content": "Superintendent\u2019s Circular FIN-02b \nPage 4 of 5 \n \n3. Submit a completed \u201cMileage Detail Form\u201d - List the total \nnumber of miles traveled each day and total-up each page \u2013 \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests \u201cmust be\u201d submitted at \nthe end of each month or quarterly \u2013 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper:", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "dcf32871-3f88-4405-a68e-a60eca1994f8": { + "page_content": "and follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n\u25cf ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u25cf DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b6cbc276-8b1e-4a84-b098-b18941d8550b": { + "page_content": "Superintendent\u2019s Circular FIN-02b \nPage 5 of 5 \n \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n** You cannot use current school year funds to pay for prior \nschool year expenses. ** \n \n \n \nFor more information about this circular, contact: \nName: Business Manager \nDepartment: Business Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: 617-635-9472 \nE-mail: ffinancestaff@bostonpublicschools.organceo.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-02b Mileage Reimbursement_January-June.pdf", + "source_link": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b5eb54e5-123e-4949-9fa2-4a4c29f189fe": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-19 \nVersion 01 \n \n \n \nBPS MAILROOM AND COPY CENTER GUIDELINES \nBPS POSTAGE & PRINTING POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nWe are responsible for directing the operational performance of \nthe mailroom and Copy Center to ensure an efficient, cost-\neffective, and secure operation. Responsibilities include \nmanaging the processing of high-volume daily mail, loading and \ndelivery of heavy shipments, scanning, copying, printing, and \nsending and receiving all sorts of documents. \nMAILROOM OPERATIONS \nAdhering to the following guidelines will facilitate a smoother \noperation of the mailroom at the Bolling Building: \n\u2022 Only school-related items will be processed through the \nmailroom for postage. \no These items need to be properly sealed and bundled. \no Items need to have a school return address. We need \nto know who is sending each mailing to keep track and", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e6925d6b-d3a2-485f-88ae-765360a414e0": { + "page_content": "mailroom for postage. \no These items need to be properly sealed and bundled. \no Items need to have a school return address. We need \nto know who is sending each mailing to keep track and \nto avoid missing undeliverable mail. \n\u2022 Each school/department will be charged for postage used.", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "57767494-baa0-42c7-8171-6595b06f3d7b": { + "page_content": "Superintendent\u2019s Circular FIN-19 \nPage 2 of 5 \n \n \no Each school / department should have a budget line \nallocated for mailing purposes. \n\u2022 Personal mail will not be processed through the mailroom \nfor postage (e.g., mortgage, utility, credit card payments, \nbirthday cards, mail returns, etc.). \no The mailroom is not responsible for receiving or storing \npersonal deliveries (e.g., personal packages from \nAmazon, Walmart, Target, etc.). \n\u2022 All interoffice mail should be addressed as follows: \no Name of person, school, and/or department where the \nmail should be delivered \no Cluster number \no Return address (who is sending the mail?) \n\u2022 Please do not put sticky notes on the outside of every \nenvelope (adhesive glue could damage the postage \nmachine). One per bundle is fine. \n\u2022 Advance notice is required for mailings of over 2000 pieces \nof mail. Please contact Mailroom & Copy Center by phone \n617-635-9075 or email, finance-\nstaff@bostonpublicschools.org.", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6fdbcc35-d9bf-49d2-ae54-2042b8119c3e": { + "page_content": "\u2022 Advance notice is required for mailings of over 2000 pieces \nof mail. Please contact Mailroom & Copy Center by phone \n617-635-9075 or email, finance-\nstaff@bostonpublicschools.org. \n\u2022 Schools and departments will be charged for each mailing \nover 100 pieces of mail. \n\u2022 UPS, FEDEX, DHL: BPS does not have a business account \nwith any shipping carriers. \no All mail and packages intended to be shipped through \nany of these carriers should be prepaid by the sender.", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "37bf9389-303b-47ea-be4e-387ea2f066ca": { + "page_content": "Superintendent\u2019s Circular FIN-19 \nPage 3 of 5 \n \n \nCOURIER SERVICES \nAlso known as cluster mail, starting at the Bolling Building, our \ncourier delivers and picks up interoffice mail 2 times a week to \nour cluster offices located throughout the district. Each school is \na part of a cluster (previously known as zones, networks, TLTs) \nAdhering to the following guidelines will facilitate a smoother \noperation of the courier services: \n\u2022 The courier is an EXTERNAL vendor under contract, not BPS \noperated. \n\u2022 All mail should be clearly marked, including the sender and \nreceiver. \no Each school belongs to a cluster; if unsure, please \ncontact the mailroom for the latest information. \n\u2022 The courier runs on Tuesday and Thursday of each week. \n\u2022 The current contract requires the courier to pick up no more \nthan 3 bins of mail per cluster. \no If on a certain day a cluster office has more than 3 bins \nof outgoing mail, the courier could pick up the excess \non the next run.", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "15d24f11-bead-4b12-b5b2-83d53d5f7062": { + "page_content": "than 3 bins of mail per cluster. \no If on a certain day a cluster office has more than 3 bins \nof outgoing mail, the courier could pick up the excess \non the next run. \n\u2022 The courier DOES NOT GO TO EACH SCHOOL. \no Special runs can be requested at an additional charge \npaid to the vendor.", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6547a792-2191-456f-9614-9c19f7dc38bc": { + "page_content": "Superintendent\u2019s Circular FIN-19 \nPage 4 of 5 \n \n \nCOPY CENTER OPERATIONS \nThe BPS Copy Center provides various copy and printing \nfunctions. With our copying and finishing, we can have your \nmanuals, student handbooks, presentations, letters to students, \nand much more completed in-house, saving BPS and the city \nmoney. \n\u25cf Our printing services offer: \n\u25cb Mass production copying and printing. \n\u25a0 Black & White \n\u25a0 Color \n\u25cb Posters up to 24x36 inches \n\u25cb Three-hole punch \n\u25cb Staple finishing \n\u25cf Printing services NOT offered by the BPS Copy Center: \n\u25cb Envelopes \n\u25cb Books \n\u25cb Lamination \n\u25cb Postcards \n\u25cb Banners, etc. \nAdhering to the following guidelines will facilitate a smoother \noperation of our in-house printing services: \n\u25cf Printing services work on a first come-first served basis. \n\u25cf Advanced notice is required for all jobs. \n\u25cb Please consider that there is a high volume of requests \nduring the beginning and end of the school year, as", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "5d3c3e5b-19fd-4b86-965c-737287236f34": { + "page_content": "\u25cf Advanced notice is required for all jobs. \n\u25cb Please consider that there is a high volume of requests \nduring the beginning and end of the school year, as \nwell as during the summer as schools prepare for the \nnew school year.", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c5327da9-8a5f-45f4-883f-587f413c206d": { + "page_content": "Superintendent\u2019s Circular FIN-19 \nPage 5 of 5 \n \n \nCHARGES FOR PRINTING SERVICES \nEach job will be charged to the schools at lower than market \ncost. Please contact the Copy Center for the latest quote. \n \nFor more information about this circular, contact: \nOwner: Mailroom & Copy Center \nDepartment: Business Services \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9075 \nE-mail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n\u25cf Essential Training Guide is available here. \n\u25cf Business Services Guide is available here.", + "metadata": { + "file_name": "FIN-19 BPS Postage & Printing Policy.pdf", + "source_link": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "ed7562b2-b6d6-43fd-8973-2c7c4d8506ec": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed, and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from home is not eligible for \nreimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n65.5\u00a2 per mile for", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2e6369e3-5cc6-4f57-a7c9-c69eb96324eb": { + "page_content": "Pathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \nAll other BTU members \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "69ba63b9-d90a-468a-9334-789fcc5b75ae": { + "page_content": "Superintendent\u2019s Circular FIN-02 \nPage 2 of 5 \n \n \n \nSupervisors of Attendance \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nBASAS \n \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nManagement \n \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager\u2019s \nbudget (Account 52803 Mileage).", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "976939fa-e701-47af-8e6e-95a23816a464": { + "page_content": "Superintendent\u2019s Circular FIN-02 \nPage 3 of 5 \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most \neconomical. Original receipts must be produced/provided for \nreimbursement. \n \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed \u201cCity of Boston Special Draft/Non Order \nForm\u201d \u2013 it must be filled out completely with: \n\u2022 School/Department \n\u2022 Date \n\u2022 Full name of the person being reimbursed \n\u2022 Full address of the person being reimbursed \n\u2022 Vendor # \n\u2022 Funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "7861223e-692b-4b88-8601-1e75dfa20c80": { + "page_content": "\u2022 Funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.\u201d", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "98d32920-a51d-462b-83c3-19d1d979558b": { + "page_content": "Superintendent\u2019s Circular FIN-02 \nPage 4 of 5 \n \n3. Submit a completed \u201cMileage Detail Form\u201d - List the total \nnumber of miles traveled each day and total-up each page \u2013 \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests \u201cmust be\u201d submitted at \nthe end of each month or quarterly \u2013 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper:", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0d6efc37-04ff-4b55-8119-d5696a533c9f": { + "page_content": "and follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n\u25cf ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u25cf DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "10173fe4-82f4-4d34-b943-ef60a2821564": { + "page_content": "Superintendent\u2019s Circular FIN-02 \nPage 5 of 5 \n \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year - You cannot use current school year \nfunds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n \nFor more information about this circular, contact: \nName: \nUnit Leader of Business Services/Accounts \nPayable \nDepartment: Business Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: 617-635-9472 \nE-mail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-02a Mileage Reimbursement.pdf", + "source_link": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d17aa939-b3fa-4a70-81f1-71dd4c1619f2": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-04 \nVersion 01 \n \n \n \nSTUDENT ACTIVITY ACCOUNTS: \nOPERATING PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThis Student Activity Accounts: Operating Procedures \nSuperintendent\u2019s Circular was put together in accordance with \nMassachusetts General Law Chapter 71 Section 47. The Student \nActivity Account Policy was approved by the School Committee \nin the fall of 2018. \nAll students should have an opportunity to take part in co-\ncurricular activities. As such, Boston Public Schools have \nmigrated to a new business process for managing student \nactivity accounts. Student activity funds are managed under an \n\u201cAgency Account,\u201d housed under the City\u2019s tax ID number. \nDEFINITION AND CATEGORIES OF STUDENT ACTIVITY \nACCOUNTS \nStudent activity accounts may only be used for the express \npurpose of conducting student activities, which are broadly \ndefined to be:", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c0d3e201-7033-417f-8334-bef209f02a5c": { + "page_content": "DEFINITION AND CATEGORIES OF STUDENT ACTIVITY \nACCOUNTS \nStudent activity accounts may only be used for the express \npurpose of conducting student activities, which are broadly \ndefined to be: \n\u25cf Co-curricular in nature. \n\u25cf Contingent on a fee or on fundraising. \n\u25cf For the sole benefit of students.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a001afbc-2e22-43d6-aa43-fdedded7cdf8": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 2 of 13 \n \n \nBoston Public Schools recognizes the following categories as \nstudent activities: \n\u25cf SOCAL = Socials, such as a dance or pizza party \n\u25cf EVENT= Special events, such as a graduation or Science Fair \n\u25cf FLDTR = Field trips, such as transportation costs or entrance \nfees \n\u25cf CLUBS = School leader-approved student clubs, such as a \nStudent Council or Debate Club \n\u25cf STORE = Bookstore, only when bookstore is run by students \nand proceeds will benefit students directly \n\u25cf ATHLT = Athletics, only when funds are student-driven and \nproceeds will benefit specific student activities directly \n\u25cf SNDRY = Miscellaneous activities (this is NOT a catch-all, see \nStudent Activity Accounts on the BPS website for approved \nlist) \n\u25cf BNKFE = Bank fees, such as fees for returned checks \nESTABLISHING A STUDENT ACTIVITY ACCOUNT \nStudent activity funds will be managed utilizing a Student \nActivity Agency Account. The Agency Account is a master", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6af3d29b-7a99-4cf1-a0f0-6e3cd25b5dc6": { + "page_content": "ESTABLISHING A STUDENT ACTIVITY ACCOUNT \nStudent activity funds will be managed utilizing a Student \nActivity Agency Account. The Agency Account is a master \naccount maintained by the City\u2019s Collector-Treasurer and is \nutilized to record deposits and expenses. All student activity \naccounts must utilize the City of Boston\u2019s tax ID number and be \nauthorized by the BPS chief financial officer and city treasurer. \nSchools seeking to set up a new student activity account within \nthe Student Activity Agency Account must contact the BPS \nFinance Office.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "a5b8d6a1-47a0-4eab-b76c-d18827a906f3": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 3 of 13 \n \nWhen a new school leader begins at a BPS school, they should \ncontact the BPS Finance Office. Accounts should be reconciled \nprior to the account changing hands. \nDEPOSIT PROCEDURE \nTo deposit funds into your school\u2019s student activity account: \n1. Deposit funds at a Boston Citizens Bank branch using the \nunique deposit slips provided to your school. This is critical to \nensuring funds are deposited to your school\u2019s subaccount \nand simplifying the reconciliation process. \na. If depositing funds for use in multiple different student \nactivities, schools must use a separate deposit slip for \neach pool of money. \n2. Complete the revenue breakdown form within 2 business \ndays of the deposit date to designate the funds to a program \n(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, \nBNKFE) and class (grade level). This allows the deposited \nfunds to be applied to your school\u2019s subaccount and \nreflected in BAIS Financials.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "b97863d0-6422-4a51-8dc1-f9d98b894f09": { + "page_content": "(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, \nBNKFE) and class (grade level). This allows the deposited \nfunds to be applied to your school\u2019s subaccount and \nreflected in BAIS Financials. \na. If a deposit is for multiple grades or undefined, utilize \nthe \u201c0000\u201d for all grades. \n3. Allow at least 5 business days for the deposit to be booked to \nyour school\u2019s subaccount and reflected in BAIS Financials. \nSchools must notify the BPS Finance Office when they are \nrunning low on unique deposit slips, not when they\u2019ve run out of \ndeposit slips, so additional deposit slips may be ordered and \ndelivered to the school.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "401eb370-5d68-4a5a-8eb2-205412bdedeb": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 4 of 13 \n \nTRANSFER PROCEDURE \nTo request a transfer within your school\u2019s student activity \naccount: \n1. Submit the transfer request form, which requires a \njustification letter be attached documenting the request. \nTransfer Request Justification Template \n2. Allow at least 5 business days for the transfer to be reflected \nin BAIS Financials. \nEXPENDITURE PROCEDURE \nStandard Purchasing \nTo make a purchase out of your school\u2019s student activity account: \n1. Confirm the company/venue is already an approved city \nvendor by looking them up in BAIS Financials or determine if \nthe individual needs to be \u201chired\u201d and paid through the city\u2019s \npayroll system. \na. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nb. New vendors should register online (see step-by-step \nguidelines for registering online).", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "1ea55eb5-bc9a-4822-982a-539598fba0b8": { + "page_content": "be hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nb. New vendors should register online (see step-by-step \nguidelines for registering online). \n2. After confirming the company/venue is an approved city \nvendor, enter a requisition for student activities using the \nfollowing information: \nFund Number: 470", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e16cefdc-e6fc-442c-bf2d-28dc5fa59556": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 5 of 13 \n \nAccount: Should be appropriate to the requisition. An \nexample is account 52811 for a field trip. If unsure, review \nthe account code list or contact BPS Purchasing. \nProgram: An alpha entry matching the revenue breakdown \nof SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, or \nBNKFE. \nClass: An alphanumeric entry matching the revenue \nbreakdown of: 0000 (all grades); BPSK0; BPSK1; BPSK2; \nBPS01; BPS02; BPS03; BPS04; BPS05; BPS06; BPS07; BPS08; \nBPS09; BPS10; BPS11; BPS12 \nBud Ref: 0000 \n3. Follow the standard purchasing guidelines outlined in the \nBusiness Services Manual to complete the requisition and \npurchase process. \nReimbursement \nTo request a reimbursement out of your school\u2019s student activity \naccount: \n1. Confirm the person is already properly hired or an approved \ncity vendor by looking them up in BAIS Financials. \nb. If you have a question about whether a \ncompany/venue is an approved city vendor or should", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "bd60a263-69af-4dc8-8970-50fa2e368c16": { + "page_content": "city vendor by looking them up in BAIS Financials. \nb. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nc. New vendors should register online (see step-by-step \nguidelines for registering online).", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "6d493650-7b0a-423a-86f5-c0293f1d1b9f": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 6 of 13 \n \n2. After confirming the person is an approved city vendor, \ncomplete and submit a hard copy of the Non Order form \nwith details of the expense, funding source, and amount. \nReimbursement instructions can be found in \nSuperintendent\u2019s Circular FIN-03. \n \nStaff seeking reimbursement out of the Student Activity Account \ncan receive reimbursement for tax on purchases; however, tax \ncan be saved by going through the standard purchasing process. \nReach out to Lisa Greaves or Bob Cass with any reimbursement \nquestions. \nThe Business Services Guide may be a helpful resource for further \ninquiries on purchasing. \nCHECKING STUDENT ACTIVITY ACCOUNT BALANCES \nTo check your school\u2019s student activity account balance: \n1. Log into BAIS Financials. \n2. From the main menu drop-down options, select \nREPORTING TOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "196e3d41-ffcb-46f5-93b3-648ea9afbc40": { + "page_content": "2. From the main menu drop-down options, select \nREPORTING TOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-\ndown options. \n6. In the blank next to \u201cbegins with,\u201d enter \nY_GL_QRY_SCH_ACT_BUDGET_BAL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. In the blank next to \u201cdepartment,\u201d enter your school\u2019s 6-\ndigit RC code. \n9. Click VIEW RESULTS: \na. Scroll through all the line items to find balances (there", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "57c85daa-c0e8-40de-8204-ef4c3fb54bf7": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 7 of 13 \n \nwill likely be several rows that show no balance) OR \nb. Download the results and filter out all the rows without \na balance. \nTo check deposits and expenditures in your school\u2019s student \nactivity account: \n1. Log into BAIS Financials \n2. From the main menu drop down options, select REPORTING \nTOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-\ndown options. \n6. In the blank next to \u201cbegins with,\u201d enter \nY_GL_QRY_EXP_PO_CN_DTL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. Enter the following for the blanks: \na. Fund Code: 470 \nb. Organization: Your school\u2019s 6-digit RC Code \nc. Program Code: % \nd. Sub-Classification: % \ne. Project/Grant: % \nf. Account: % \ng. Budget Reference: % \nh. From Accounting Period: 1 \ni. To Accounting Period: 12 \nj. From Fiscal Year: Starting year (for example, if you just", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "194469ee-1694-4fc1-a9ca-4ae74b226537": { + "page_content": "e. Project/Grant: % \nf. Account: % \ng. Budget Reference: % \nh. From Accounting Period: 1 \ni. To Accounting Period: 12 \nj. From Fiscal Year: Starting year (for example, if you just \nwant to look at this current school year, you\u2019d enter \n2024, but if you wanted to look at the account over \ntime, you\u2019d enter 2018). \nk. To Fiscal Year: Ending year. \n9. Click VIEW RESULTS.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d1108eb0-07ca-4d06-8cec-42dfa096abae": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 8 of 13 \n \nREPORTING \nMonthly Reconciliation Reports \nBy the 5th of each month (September - July): \n1. Complete the monthly reconciliation report for the previous \nmonth, reconciling your school\u2019s PeopleSoft balance with \nsubmitted revenue breakdown forms and expenditure \nrequests. \n2. Completed monthly reconciliations should be sent to school \nleader, all student organization leadership (and/or parent \ncouncil leadership if elementary school), and Charlie Ng by \nthe 5th of each month for the previous month (example: for \nthe February reconciliation, submit by March 5). PDFs should \nbe uploaded to your school\u2019s SAA reporting folder and saved \nfor 7 years. \nYear End Reconciliation \nBy June 21: \n1. Complete Form B for each additional bank account \nassociated with the school (Form B doesn\u2019t need to be \ncompleted for the student activity and before/after school \naccounts) and record every transaction for each account.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "547dd5b4-e6a3-41aa-b69d-02ade8ccacfb": { + "page_content": "associated with the school (Form B doesn\u2019t need to be \ncompleted for the student activity and before/after school \naccounts) and record every transaction for each account. \nAdditional bank accounts include 501c3, BEDF, Parent \nCouncil, and Sunshine Fund accounts. \n2. A final monthly reconciliation report should be submitted by \nJuly 5 to close out the student activity account for the school \nyear \n3. Completed forms should be sent to Charlie Ng.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "f4d59ced-2020-4fcc-9bb6-ac5f8bf07c5a": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 9 of 13 \n \nCASH POLICY AND RECORD-KEEPING \nInternal Records And Ledgers \nSchools must keep detailed records of their receipts and \nexpenses for the account. Records should contain, at minimum, \nthe level of detail provided in the example ledger by line. The \nspecific purpose/activity of all money should be tracked. It is \nrecommended that for individual activities, such as a specific \nfield trip or event, schools also track all receipts and expenses (i.e., \nall revenue and expenses for prom). A copy of these records \nshould be housed in your school\u2019s SAA folder. The purpose of \nthese records is to: \n\u25cf Ensure bank deposits match the total receipts of fees and \nfund-raised money. \n\u25cf Ensure entirety of the money is spent on the intended \npurpose, benefiting solely the students who the money was \nraised for/by. \n\u25cf Avoid large surpluses and deficit spending. \nCash Policy \nCash boxes may be used to receive cash and checks and make", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0cd9baf7-1dc5-4ab1-80a2-0d21c437db02": { + "page_content": "purpose, benefiting solely the students who the money was \nraised for/by. \n\u25cf Avoid large surpluses and deficit spending. \nCash Policy \nCash boxes may be used to receive cash and checks and make \nchange during fundraising activities. \nAs needed, the cash box may be signed out to staff and student \norganizations as long as a cash box log is completed each time \nthe cash box is signed out. \nSchools need to keep records of collected cash and checks. When \n$10 or more is collected from an individual, a pre-printed carbon \nreceipt must be issued to that individual. Carbon copies of \nreceipts should be submitted to the school leader along with", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "41827deb-eecc-47a0-b1eb-1bfa59663197": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 10 of 13 \n \ncollected cash and checks WITHIN 24 HOURS of receipt. In cases \nof a large number of transactions in a short period of time, the \nreceipt log should be used to provide a record of individual \ntransactions and be submitted to the school leader along with \ncollected cash and checks WITHIN 24 HOURS of receipt. \nWhen less than $10 is collected from an individual, a pre-printed \ncarbon receipt does not need to be issued. Rather, the person \nhandling the cash box needs to record the collected funds on the \nreceipt log. The receipt log should be submitted to the school \nleader along with collected cash / checks WITHIN 24 HOURS of \nreceipt. \nThe cash box must be reconciled daily by two individuals. Once \nthe cash is counted, each individual should initial the cash box \nreconciliation form. \nCollected cash / checks totaling under $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN A WEEK of receipt.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c99cc1fa-72c8-4636-8c5d-636d4dd20faa": { + "page_content": "reconciliation form. \nCollected cash / checks totaling under $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN A WEEK of receipt. \nTotal collected cash / checks exceeding $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN 72 HOURS of receipt.", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "36edd936-80fe-4cd4-98dd-762091a11bb5": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 11 of 13 \n \nCLOSURE OF ACCOUNTS \nClosure of Class Accounts at Graduation \nThe following procedures should be followed with respect to \nclass accounts at graduation: \n1. Keep class accounts open and active for 90 days after \ngraduation to allow for outstanding bills to be received and \npaid. \n2. After 90 days, remaining funds must either be: \na. Transferred to a separate account established by class \nmembers, not using the city\u2019s tax ID number. \nb. Transferred to the school\u2019s SNDRY, 0000 (all grades) \nline. \nClosure of Inactive Accounts \nThe following procedures should be followed with respect to \ninactive and undesignated accounts at the district level: \n1. Accounts will be closed, and remaining balances will be \ntransferred to the Student Activity Agency Account. \n2. Remaining balances will be distributed across all schools\u2019 \nSNDRY, 0000 (all grades) lines. \nThe following procedures should be followed with respect to", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "e61e021b-747f-40bd-84e6-933897b69e1e": { + "page_content": "2. Remaining balances will be distributed across all schools\u2019 \nSNDRY, 0000 (all grades) lines. \nThe following procedures should be followed with respect to \ninactive accounts at the school level: \n1. Provide written notification about the inactive account to \nthe BPS Finance Office. \n2. If the account should be closed out and has a balance of \nfunds: \na. The balance of recognized student activity funds \nshould be moved into the appropriate program and", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "97efbb39-ac1e-44bd-8863-4b2f269a16ea": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 12 of 13 \n \nclass subaccounts. \nb. The balance of unrecognized student activity funds \nshould be moved into the school\u2019s SNDRY, 0000 (all \ngrades) line. \nRESOURCES \nFor additional information and resources on Student Activity \nAccounts: \n\u25cf Student Activity Account: Policies & Procedures Manual \nStudent Activity Account Website \n\u25cf SAA Slide Deck \n\u25cf 7-minute Overview Presentation \n\u25cf Purchasing Manual \n\u25cf Massachusetts General Law \nPlease contact the Finance Office if you have any student activity \naccount questions not addressed in this circular. \nQuestions related to deposits, fund balances, and account status \nshould be directed to: \nSpecial Accounts Manager, finance-\nstaff@bostonpublicschools.org \nInternal Controls Project Manager, finance-\nstaff@bostonpublicschools.org", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0ed5cee0-0ed3-40d4-9dc4-25e914392d16": { + "page_content": "Superintendent\u2019s Circular FIN-04 \nPage 13 of 13 \n \nQuestions related to purchases from this account should be \ndirected to: \nAssistant Business Manager, finance-\nstaff@bostonpublicschools.org / 617-635-6758 \nQuestions related to reimbursements from this account should \nbe directed to: \nPrincipal Account Clerk finance-staff@bostonpublicschools.org / \n617-635-9472 \nUnit Leader of Business Services/Accounts Payable \nfinance-staff@bostonpublicschools.org / 617-635-9469 \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-04 Student Activity Accounts.pdf", + "source_link": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "31d558a4-d63d-4df6-9a84-974551357a2a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-09 \nVersion 01 \n \n \nPRIVATE CONTRIBUTIONS MANAGEMENT GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBOSTON PUBLIC SCHOOLS PRIVATE CONTRIBUTIONS \nAll external funding \u2014 to the district as a whole, individual \nschools, central offices, or fiscal sponsorship \u2014 that is received \nfrom private sources, such as foundation grants, contributions, \nand individual donations other than public state and federal \ngrants, must adhere to the established rules and guidelines set \nforth in this circular. \nSchools may not receive cash grants directly into activity \naccounts or any other accounts maintained by the school (see \nSuperintendent\u2019s Circular FIN-04, Student Activity Accounts). \nSchools and departments may solicit in-kind services and \ncontributions from private sources (businesses, non-profit \nfoundations, and individuals) to be made to the Boston Public", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0d158995-613f-476f-afe7-32cdbf815cbe": { + "page_content": "Schools and departments may solicit in-kind services and \ncontributions from private sources (businesses, non-profit \nfoundations, and individuals) to be made to the Boston Public \nSchools via the Boston Educational Development Foundation, \nInc. (BEDF) in accordance with the guidelines set forth in State \nEthics Commission opinion EC-COI-12-1. Programs funded by \nprivate philanthropy must further BPS goals. Funds will not be \naccepted from sources specifically precluded by the School \nCommittee (there are no fund sources specifically precluded at \nthis time).", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "d15b8501-e801-403e-9d75-0654259c165b": { + "page_content": "Superintendent\u2019s Circular FIN-09 \nPage 2 of 7 \n \n \n \nROLES AND RESPONSIBILITIES \nAll private funds must comply with funders\u2019 intentions and \nguidelines established by BEDF regarding programming, \nspending, accounting, and auditing, as well as related to civil \nrights, access, and confidentiality as per the public use of these \nfunds. \nThe program supervisor is the individual who will be responsible \nfor overseeing the program(s) or initiative that private \ncontributions are funding. \nThe fund manager is the department head or the respective \nprincipal/head of school and/or a designee and will be the \nprimary point of contact for all management issues for BEDF. The \nfund manager will take fiscal responsibility for managing private \ncontributions and assure the submission of proper reporting to \nfunders. \nBEDF has fiduciary and financial oversight responsibility for \nprivate-funded programs, including compliance with all relevant", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "49a021b8-3ece-4110-946d-395a5124feca": { + "page_content": "funders. \nBEDF has fiduciary and financial oversight responsibility for \nprivate-funded programs, including compliance with all relevant \nregulations and reporting. BEDF must sign contracts and other \nlegal documents that could raise a liability and oversee the full \nexecution of grant agreements and/or award letters. BEDF will \nfollow guidelines set by its Board of Directors and funders\u2019 \nrestrictions and will collaborate to comply with other \nrequirements related to civil rights, access, and confidentiality. \nABOUT BEDF", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "ce21b499-840c-4d1b-bed3-932f42e908e8": { + "page_content": "Superintendent\u2019s Circular FIN-09 \nPage 3 of 7 \n \n \nMission \nThe Boston Educational Development Foundation, Inc. (BEDF) \nwas founded in 1984 by the superintendent and School \nCommittee for departments and schools to improve their ability \nto raise money from private sources including foundations, \ncorporations, and individuals. \nBEDF is a 501(c)(3) that exists to improve educational \nopportunities for the students of BPS. BEDF provides fiscal \nsponsorship and fundraising support for programs and \nopportunities that may otherwise not be possible, such as: out of \nschool time; enrichment and health initiatives for students; \nleadership and professional development for teachers; \nengagement and learning programs for families; and multiple \nacademic initiatives. \nFiscal Sponsorship Services \nBEDF provides general, financial, and administrative \nmanagement and staffing to private-funded programs that \nfurther the educational aims and goals of BPS. BEDF also", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "91c60056-7021-4107-9831-b113dcdd089c": { + "page_content": "Fiscal Sponsorship Services \nBEDF provides general, financial, and administrative \nmanagement and staffing to private-funded programs that \nfurther the educational aims and goals of BPS. BEDF also \nprovides fundraising support in the following areas: grant \nseeking and administration; assistance in grants review and \nsubmission; and the creation of online fundraising campaigns for \nschools and programs. \nIndirect Rate \nBEDF charges an 8% indirect rate on all grants, donations, \nsponsorships, and other charitable contributions for which BEDF \nserves as the fiscal sponsor. This indirect rate does not apply to \nany BPS student scholarships. The BEDF Board of Directors has \nthe authority to change the rate at any time by giving written \nnotice to Fund Managers.", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "518dd63b-dd14-428c-b5bc-9e49e47eb08c": { + "page_content": "Superintendent\u2019s Circular FIN-09 \nPage 4 of 7 \n \n \n \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for private funding opportunities from a variety of sources. \nSchool fundraising is a team process within the \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the programs to be \ninvolved. Heads of schools, principals, and other administrative \nheads must be aware of and approve private solicitations for \nprograms that will take place under their supervision. \nIntent to Apply \nAll BPS entities planning to pursue a private funding opportunity \nmust submit an online Intent to Apply Form (for asks above \n$10,000) 1-3 months prior to the deadline for submission, if \npossible. This will ensure that potential funding applications are \nconsistent with BPS goals and are not in conflict with other BPS \nsolicitations to the same agencies and funders.", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2ce66e10-796e-4ea8-9879-89ad99ef360e": { + "page_content": "possible. This will ensure that potential funding applications are \nconsistent with BPS goals and are not in conflict with other BPS \nsolicitations to the same agencies and funders. \nThe Intent to Apply Form will be revised on a weekly basis by the \ncross-functional BPS Grants Review Team and will communicate \na recommendation to the applicant. Upon confirmation, you will \nreceive a completed grant cover page to be signed by your \ndepartment head/supervisor. For grant applications seeking \nletters of support, a brief form will be attached as well. \nPOST AWARD \nBEDF holds private funds through a set of strictly segregated \nfunds (previously called accounts). Either fund managers or \nfunders must forward the award letter and/or grant agreement \n(that includes program and budget information) along with the", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "2c8d5387-623b-440e-a235-d2347cf1edd0": { + "page_content": "Superintendent\u2019s Circular FIN-09 \nPage 5 of 7 \n \n \ndeposit form to BEDF. If a new account is needed, the fund \nmanager should submit the proper form. BEDF will notify within \nfive business days upon receipt. \nSPENDING, MONITORING, AND REPORTING \nSpending \nFunds held at BEDF will adhere to BEDF current spending, \nfinancial, and administrative policies regarding accounts \nreceivable and payable, employee stipend documentation, and \nany other administrative controls established. For privately \nfunded programs, BEDF only compensates individuals as \nindependent contractors (1099) or through the BPS approved \ncommitment letter process (if individuals are BPS employees). \nIndividuals are subject to applicable state and federal taxes. \nPrograms will keep their own records to comply with applicable \nBPS regulations. Please contact BEDF at admin@bedf.org for \ndetailed information. \nThe BEDF executive director must co-sign all contracts and other", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "844528eb-b425-4e8b-ab49-b328f88d6c99": { + "page_content": "BPS regulations. Please contact BEDF at admin@bedf.org for \ndetailed information. \nThe BEDF executive director must co-sign all contracts and other \ndocuments in which BEDF could incur liability, legal exposure, or \nfinancial obligations, including purchase orders and grant \nagreements, on behalf of the programs. \nFor internal controls, all expenses require signoff by the fund \nmanagers or designee before any costs can be incurred or \npayments released. \nThe fund manager is responsible for monitoring the spending of \nthe private funds. This includes assuring that the funds are being \nused for allowable expenses; spending according to the \ncontribution timeline; entering receipt for goods/services; and \nsubmitting invoices to BEDF for all matters related to their", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "aa779284-5ad5-450d-a965-2eca92f9c32c": { + "page_content": "Superintendent\u2019s Circular FIN-09 \nPage 6 of 7 \n \n \nprogram budget. In case private-funded program budgets need \nto be amended, they should get approval from the funder. BEDF \nwill ensure these responsibilities are fully completed in \naccordance with the provisions of the funder and these \nguidelines. \nMonitoring \nFund managers are responsible for preparing and submitting \ninterim reports as requested by funders. BEDF will support \ncompletions and take the appropriate steps to ensure timely \nreport submission. \nProgrammatic grant reports are the responsibility of the fund \nmanager who is overseeing the program being funded. Fund \nmanagers must send a copy of completed reports to BEDF. \nFinal Reports \nBEDF will produce a financial report to be finalized and \ncomplemented with program outcomes by the fund manager in \norder to complete and submit a final report as per the funder \nguidelines. Please submit a copy of the final version to BEDF for", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "c6e9c3fe-f32d-45fa-9913-a0efc1d81a3f": { + "page_content": "complemented with program outcomes by the fund manager in \norder to complete and submit a final report as per the funder \nguidelines. Please submit a copy of the final version to BEDF for \nrecord keeping purposes. BEDF will take proper measures to \nassure fiduciary responsibility to funders, including freezing the \nactivity of the fund until submission is complete. \nAUDITING \nThe fund manager and program supervisor will collaborate with \nauditors, consultants, and program advisors as requested by \nBEDF to ensure compliance with tax regulations and impact \nassessment of the partnership with BPS, including site visits and \ndata collection efforts.", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "0b6a13ff-e4a8-4390-b58f-2b409f891707": { + "page_content": "Superintendent\u2019s Circular FIN-09 \nPage 7 of 7 \n \n \nFor general inquiries, please email admin@bedf.org. \n \nFor more information about this circular, contact: \nOwner Email \nExecutive Director, BEDF admin@bedf.org \nDirector of Finance and \nOperations, BEDF \n admin@bedf.org \nAssistant Director of \nFinance, BEDF \n admin@bedf.org \nResource Development & \nCommunications Manager, \nBEDF \n admin@bedf.org \nFinance Associate, BEDF admin@bedf.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FIN-09 Private Contributions Management Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FIN" + } + }, + "9351ca5e-7158-48a7-86f6-32ab0d5a5bda": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-03 \nVersion 01 \n \n \n \nGUIDELINES AND PROCEDURES FOR ACCESSING \nSTUDENT DATA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nBoston Public Schools recognizes and values the planning, \nresearch, and evaluation work done by our partner organizations, \npolicymakers, and the greater education community to improve \neducation. The Office of Data and Accountability has established \nthe following guidelines regarding the processing of data \nrequests to improve the quality, timeliness, security, and \nappropriateness of requests and request handling. Additionally, \nas the Office of Data and Accountability is charged with \nprotecting student privacy and confidentiality, all student data \nrequests will be evaluated against federal, state, and local data \nregulations to ensure student confidentiality. \nThe following data sources are considered directory information.", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "e75b4fd4-14ce-483a-82d4-e7d392c3baa7": { + "page_content": "requests will be evaluated against federal, state, and local data \nregulations to ensure student confidentiality. \nThe following data sources are considered directory information. \nBy federal, state, and local laws, they can be given to external \nparties without explicit consent from parents/guardians. All other \nstudent data are not considered directory and should not be \nshared with members of the public without express consent from \nparents/guardians or unless disclosure is expressly permitted by \nan exemption under federal or state law. Schools should not \nshare any non-directory student data with external parties,", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "1f313c6f-192f-4b0d-888e-ac885b09dce2": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 2 of 11 \n \n \nmembers of the public, or media outlets. Common examples of \nnon-directory information that should not be shared include, but \nare not limited to, date of birth, BPSID, and school name. All \nrequests for non-directory student information should be \ndirected to the Office of Data and Accountability. \nDirectory Information: \n1. Student\u2019s name \n2. Age \n3. Grade Level \n4. Dates of enrollment \n \nGUIDELINES AND PROCEDURE FOR ACCESSING STUDENT DATA \nPublicly Available Data \nThe Boston Public Schools (BPS) and the Massachusetts \nDepartment of Elementary and Secondary Education (MA DESE) \nmake a number of datasets and reports publicly available online. \nBefore submitting a data request, please review Appendix I to see \nif your data request is included in publicly available data. \nAdditionally, BPS departments regularly make presentations to \nthe Boston School Committee. See Appendix I for links to", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "0b6a5504-6a0c-45d8-a160-f8a2e717105f": { + "page_content": "if your data request is included in publicly available data. \nAdditionally, BPS departments regularly make presentations to \nthe Boston School Committee. See Appendix I for links to \nmaterials from School Committee meetings.. Appendix I includes \nthe following types of data available for public use.\n\u25cf General data profile of \nBPS \n\u25cf Student Attendance \nand Discipline \n\u25cf Standardized test \nresults \n\u25cf School Climate \n\u25cf Student Enrollment \nand Demographics \n\u25cf High School and \nPostsecondary", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "7ae823fe-d2d5-441d-8fcc-61c6024fdd1e": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 3 of 11 \n \n \n \nFor school personnel, there are additional reports available in \nAspen and Panorama. \nLegal Guidelines on Requesting Student Data \nIf your data needs are not met by publicly available reports \nprovided by BPS and MA DESE (see Appendix I), you may be able \nto request certain additional data. The Family Educational Rights \nand Privacy Act (FERPA), the Massachusetts Department of \nElementary and Secondary Education (MA DESE), and the Boston \nPublic Schools establish regulations that maintain family and \nstudent data privacy rights. These regulations restrict BPS and \nschools governed by BPS from providing personally identifiable \ninformation without family or student consent1. Additionally, any \nindividual or organization intending to use BPS student data for \nresearch and/or evaluation purposes must submit a research \nproposal to the district before any research activities, including", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "76e882a3-0304-4876-95f6-bdaba63b9f69": { + "page_content": "individual or organization intending to use BPS student data for \nresearch and/or evaluation purposes must submit a research \nproposal to the district before any research activities, including \nadministrative data sharing, may take place. Receipt of grant \nfunds does not guarantee approval to conduct research by the \nBPS Office of Data and Accountability. Guidelines for conducting \nresearch in BPS and the research application can be found on the \nBPS website. \nFor data requests that include either identifiable or de-identified \n \n1 Exceptions may apply to the general data request \nrequirements. Three common exceptions include: \n1. District sponsored-studies to improve instruction (Studies); \n2. Evaluations or audits of federally-mandated programs \n(Audit); or \n3. Provisions of data to appropriate school and central office \nstaff (School Official)", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "ab622e83-bf10-47dd-8716-1ef4adc02515": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 4 of 11 \n \n \nstudent-level data, a written and signed agreement will be \nrequired, depending on the scope of the request. The Office of \nData Accountability will communicate with all requesters to \nexecute the appropriate agreements prior to sharing data. \nFor requests for individual student records, please see the BPS \nSuperintendent\u2019s Circular LGL-7: Privacy of Student Information \nand Student Record Procedures: How to Respond to Student \nRecord Requests in Compliance with FERPA and State Law.", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "15cafb51-14f6-49d4-8847-8da940607ff5": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 5 of 11 \n \n \nIn order to determine the next steps for your data needs: \nWHAT CATEGORY OF DATA IS REQUESTED? \n \nLevel of Data Data Request Requirements \nAggregate Data \nDe-identified aggregate level data is generally \navailable to requesters without explicit \nparent/guardian consent. Aggregate groups that \ncontain fewer than 10 students will be suppressed to \nprotect privacy. To gain access to this data please see \nthe section below on the process to request data. \nStudent-Level \nAdministrative \nData \nDe-identified student-level administrative data \nrequires a current signed non-disclosure agreement \n(NDA) with the Office of Data and Accountability. \nStudent-Level \nRoster Data \nIdentifiable student-level roster data requires current \nfamily consent as well as a current signed NDA with \nthe Office of Data and Accountability.", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "da6a408f-e5ab-46ad-8c58-22bf5873edb5": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 6 of 11 \n \n \nWHO IS REQUESTING DATA? \nRequester Notes \nBPS Officials \nand School \nPersonnel \nSchool leaders have access to identifiable and individual \nstudent data only for the students in their school for the \nacademic year that they are enrolled in the school. \nTeachers have access to identifiable and individual \nstudent data only for the students they are teaching in \nthat academic year. \nResearcher All research requests must go through the research \nproposal process. \nBPS School- \nCommunity \nPartners \nBPS deeply values and recognizes school-community \npartnerships as a key strategy in our collective efforts to \nensure all our students achieve success in college, career, \nand life. Data can be an important tool for partners to \neffectively collaborate with schools to strengthen \nservices for students. For partners to collect or access \nany data about students, school-community partners \nmust be fully registered on PartnerBPS. A complete", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "a75f83ad-1eeb-4a22-bb43-cb1ac7fd775c": { + "page_content": "services for students. For partners to collect or access \nany data about students, school-community partners \nmust be fully registered on PartnerBPS. A complete \nregistration on PartnerBPS includes registration of all \nprograms the Partner runs in BPS and all partnerships \nthey have with BPS schools. More information on the \nPartnerBPS registration process can be found here. \nPartners must also have active parental consent to \nobtain individual and identifiable data on students \nunless the request falls under the FERPA exceptions. \nFurthermore, partners must sign a Non-Disclosure \nAgreement with the district before receiving any data. If \na school-community partner has any agreement with \nschools including memoranda of understanding,", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "f160ed24-55cd-4a20-9a0d-c00e94ac6261": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 7 of 11 \n \n \ncontracts for services, and/or school-based partnership \nagreements, this must also be provided when \nsubmitting a data request. Typical school-community \npartner data requests include student demographics, \nquarterly attendance, and course grades for consented \nenrolled students. \nMedia All media requests must go through the BPS \nCommunications Office. \nAgencies \noutside of BPS \nAgencies may receive aggregate level de-identified data. \nAny aggregate group of fewer than 10 students may be \nsuppressed to protect student privacy. \n \nPROCESS FOR REQUESTING DATA \nTo receive data according to the guidelines listed above, requests \nmust be submitted through the Office of Data and \nAccountability\u2019s Data Request Form. \nIn preparation for completing the form, please have the following \ninformation available: \n\u25cf Purpose/Use: how will the requested data be used? \n\u25cf Intended Audience: with whom will you share the", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "e97d704b-ade5-484e-aec2-3ae43961f4dc": { + "page_content": "In preparation for completing the form, please have the following \ninformation available: \n\u25cf Purpose/Use: how will the requested data be used? \n\u25cf Intended Audience: with whom will you share the \ndata/analysis? Note: depending on the nature of the data \nrequest, some data may not be appropriate for sharing \nwith the public. \n\u25cf Summary of data request: please describe in detail what \ndata is being requested, including school years, student \npopulation, student attributes, and data scope. \n \nPlease note that if you are requesting data for a specific group of", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "9f9aea85-8c1d-43e3-a480-e193c219136d": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 8 of 11 \n \n \nstudents, BPS student ID numbers or state-assigned student ID \nnumbers must be provided. Requests without ID numbers will \nnot be fulfilled. \nAfter submitting the form, requesters will receive an automatic \nconfirmation email. If analysts have any clarifying questions, they \nwill reach out to the requester within 3-5 business days. While \nODA endeavors to fulfill all non-research requests within 15 \nbusiness days, high volume and more complex requests may \ndictate a longer turnaround time. As such, we will attempt to \nfulfill partner data requests with an already executed NDA within \n15 business days; and, we will attempt to fulfill research requests \nwith a fully executed NDA within 25 business days. Please plan \naccordingly when submitting a data request. The Office of Data \nand Accountability reserves the right to deny certain data \nrequests. \n\u25ba All requests from the media must go through the BPS", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "124c523e-2596-4361-a3c1-78fa0bfdc52a": { + "page_content": "accordingly when submitting a data request. The Office of Data \nand Accountability reserves the right to deny certain data \nrequests. \n\u25ba All requests from the media must go through the BPS \nCommunications Office. Communications can be \nreached at 617-635-9265 or \ncommunications@bostonpublicschools.org. \n\u25ba All public records requests should be submitted through \nthe City of Boston\u2019s online Public Records Center. \nFEES FOR DATA REQUESTS \nSome data requests may incur a fee, dependent on size, the time \nrequired, and the scope of the request. Upon receipt of a data \nrequest, the Office of Data and Accountability will communicate \nwith the requester and provide a fee estimate, if applicable. \n \nFor additional information about this circular, contact:", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "685e190f-5aaa-46a1-973c-ec0fae6fd21e": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 9 of 11 \n \n \nOwner Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9450 \nEmail: rc069@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "7c5c2ef0-7401-40e4-a38e-4ada82946480": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 10 of 11 \n \n \nAPPENDIX I: PUBLICLY AVAILABLE DATA \nOverview of Boston Public Schools \n\u25cf BPS At a Glance \n\u25cf Facts and Figures \n\u25cf Boston District Profile (MA DESE) \n\u25cf BPS School Profiles (MA DESE) \n\u25cf Data and Reports produced by the Office of Data and \nAccountability \n\u25cf School Committee Meetings Materials \nStandardized test results \n\u25cf MCAS results by school and district, with options to \ndisaggregate by subgroup and grade level \n\u25cf PARCC results by school and district, with options to \ndisaggregate by subgroup \n\u25cf NAEP results \n\u25cf ACCESS results \nStudent Enrollment and Indicators \n\u25cf Attrition \n\u25cf Enrollment by Grade - Number of students by grade \n\u25cf Enrollment by Kindergarten - Enrollment by Kindergarten \n\u25cf Enrollment by Race/Gender - Percent of public school \nstudents by race and gender. \n\u25cf Enrollment by Selected Population - Number and percent \nof public school students in subgroups: First Language", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "d9d6b266-d797-4fae-b230-f6b824c93d7a": { + "page_content": "\u25cf Enrollment by Race/Gender - Percent of public school \nstudents by race and gender. \n\u25cf Enrollment by Selected Population - Number and percent \nof public school students in subgroups: First Language \nNot English (FLNE), English Language Learners (ELL), \nStudents with Disabilities, High Needs, and Low Income. \n\u25cf Enrollment for Students with Disabilities and CVTE \n\u25cf Mobility Rate Report - Students transferring into or out of \npublic schools, districts, or the state.", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "10dabb20-73ce-40c6-a3d7-1959eb1b4112": { + "page_content": "Superintendent\u2019s Circular ODA-03 \nPage 11 of 11 \n \n \n\u25cf Student Attendance Report \n\u25cf Student Retention Report \n\u25cf Student Discipline - Student Discipline data is reported \nfrom the Student Safety and Discipline Report (SSDR) \n\u25cf Student Discipline Days Missed Report - Student \nDiscipline Days Missed Report \nSchool Climate \n\u25cf Reports can be found on the BPS website. \nHigh School and Postsecondary Data \n\u25cf Advanced Placement Participation - Number of students \nwho took one or more Advanced Placement exams for \neach subject. \n\u25cf Advanced Placement Performance - Number of students \nwho received each possible score on the Advanced \nPlacement exam for each subject. \n\u25cf Dropout Report - This report provides the percentage of \nMassachusetts public high school graduates who drop \nout of high school. \n\u25cf Graduates Attending Higher Ed. - Graduates Attending \nHigher Ed. \n\u25cf Graduation Rates - Percent of students who graduate \nwith a regular high school diploma within 4 or 5 years by \nstudent group.", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "443546c8-2de2-4d85-b731-a2481ad285cd": { + "page_content": "\u25cf Graduates Attending Higher Ed. - Graduates Attending \nHigher Ed. \n\u25cf Graduation Rates - Percent of students who graduate \nwith a regular high school diploma within 4 or 5 years by \nstudent group. \n\u25cf MassCore - The Massachusetts High School Program of \nStudies (MassCore) is intended to help our state's high \nschool graduates arrive at college or the workplace well \nprepared and reduce the number of students taking \nremedial courses in college. \n\u25cf Plans of High School Grads \n\u25cf SAT Performance", + "metadata": { + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data.pdf", + "source_link": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "a9d3dab0-cbba-4068-99d1-ea3a211d1447": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-02 \nVersion 01 \n \n \nTEST SECURITY AND ETHICS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to ensure that all BPS staff \nunderstand and follow the appropriate procedures for test \nadministration and security on all state and local tests where \nsome or all content is deemed to be secure content that must \nnot be given to or accessed by unauthorized persons. This \nincludes, but is not limited to, paper or digital information. This \ncircular also outlines the reporting requirements in the case of a \nsecurity breach or a test irregularity. \nREQUIREMENTS \nTesting is not at the option of parent/guardian or the school, \nexcept if a student is not required to be tested based on certain \nconditions that are specified in the specific testing requirements. \nAppropriate testing accommodations must be provided to \neligible students on test day as documented in the students\u2019", + "metadata": { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "64850495-baa3-40ae-9cac-67cf464c2663": { + "page_content": "conditions that are specified in the specific testing requirements. \nAppropriate testing accommodations must be provided to \neligible students on test day as documented in the students\u2019 \ncurrent Individualized Education Programs (IEPs), Section 504 \nPlans, or English Learner (EL) plans. \nSchool leaders and test administrators must read and adhere to \nall test procedures in the instructions that are issued by the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) and/or the Boston Public Schools. Visitors", + "metadata": { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "f3f92d57-22b3-4650-8374-693e9e0759cf": { + "page_content": "Superintendent\u2019s Circular ODA-02 \nPage 2 of 4 \n \n \nare never permitted in the school\u2019s designated testing area; but \nMA DESE and/or BPS staff may make announced or \nunannounced visits to schools during testing days to ensure \ncompliance with testing procedures. \nSchools must enforce a strict electronic devices policy during \ntesting to maintain test security. The term electronic device \nincludes any personal, non-educational device with an on-off \nswitch (with the exception of medical equipment), most \ncommonly cell phones, smart phones, iPods, iPads, iWatch, \ntablets, laptops, and pagers. \nSchools must clearly inform students that bringing an electronic \ndevice into the testing area violates district and state policy, and \nviolation of this policy is grounds for confiscation. If brought to \nschool during testing, electronic devices must be stored in a \nsecure location away from students. Acceptable storage includes \nin a bag, backpack, locker, central location in a classroom, or", + "metadata": { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "576923d2-ae0c-4fe2-8fd1-c40f592512a5": { + "page_content": "school during testing, electronic devices must be stored in a \nsecure location away from students. Acceptable storage includes \nin a bag, backpack, locker, central location in a classroom, or \nschool office. \nConsistent with the district\u2019s Acceptable Use Policy (AUP), school \nleaders have the authority to enforce security measures on \nelectronic devices when used to access testing materials and \nremove devices found to be in violation of the AUP. If any of the \nelectronic devices are accessed during testing, the student\u2019s test \nis compromised and is to be invalidated due to prohibited \nbehavior, even if the student did not use the device. For \nsuspected student cheating or electronic device violations, the \nschool should conduct the investigation of the incident, report \nthe test violation, and follow their school\u2019s disciplinary \nprocedures to impose sanctions.", + "metadata": { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "32ae255e-120c-49b5-918d-c089ec34252f": { + "page_content": "Superintendent\u2019s Circular ODA-02 \nPage 3 of 4 \n \n \nPENALTIES \nFailure by BPS staff to adhere to the Test Security and Ethics \nRequirements may result not only in sanctions and \nconsequences imposed by the state as outlined in the specific \nassessment policy, but also in disciplinary action by the \nsuperintendent. \nPROCEDURES IF TEST IRREGULARITIES OCCUR OR IF YOU \nSUSPECT A SECURITY VIOLATION \nEach person directly involved in secure test administrations is \nresponsible for immediately reporting any violation or suspected \nviolation of test security. If questions arise concerning test \nsecurity or if any situation occurs that could compromise any part \nof the test administration process and procedure for any state \ntests, call the MA DESE at 781-338-3625 immediately and/or \nreport the incident using any required form. Please also advise \nyour immediate supervisor and the Office of Data and \nAccountability. For any suspected BPS district assessment test", + "metadata": { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "386212cc-4dba-4d13-bd26-5987d30d40e4": { + "page_content": "report the incident using any required form. Please also advise \nyour immediate supervisor and the Office of Data and \nAccountability. For any suspected BPS district assessment test \nviolations or irregularities, contact the Office of Data and \nAccountability at 617-635-9450.", + "metadata": { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "a6754e6a-0ee1-495f-9ccc-122105a7e97f": { + "page_content": "Superintendent\u2019s Circular ODA-02 \nPage 4 of 4 \n \n \nFor additional information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ODA-02 State Testing Security and Ethics.pdf", + "source_link": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "b5a37663-b02c-43a2-9089-0bbcd61ad453": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-01 \nVersion 01 \n \n \nPROCEDURES FOR CONDUCTING EDUCATIONAL \nRESEARCH \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to define the policy and procedures \nfor conducting educational research in the Boston Public \nSchools. \nOVERVIEW \nThe mission of the Boston Public Schools\u2019 Office of Data and \nAccountability is to serve the BPS community by facilitating \naccess to quality information and building capacity to make data-\ndriven decisions that advance educational equity, opportunity, \nand achievement for all students. Research is one way to \nfacilitate our community\u2019s access to quality information. It is the \nresponsibility of the Office of Data and Accountability to ensure \nthat researchers have access to quality data and can responsibly \ninterpret the results. As such, the Office of Data and \nAccountability reviews and approves research that works to", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "5af3704e-e348-40ef-87f7-d52090454e14": { + "page_content": "that researchers have access to quality data and can responsibly \ninterpret the results. As such, the Office of Data and \nAccountability reviews and approves research that works to \nadvance educational equity, opportunity, and achievement for all \nstudents by ensuring responsible access to and use of quality \ndata. \nAll research activities must be coordinated through the Office of \nData and Accountability\u2019s BPS Research Team. ODA approval is", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "7a5ead77-ff75-41f9-9f47-1a71c9904b02": { + "page_content": "Superintendent\u2019s Circular ODA-01, \nPage 2 of 4 \n \nnot required for research that uses data that is publicly available \nsources such as on the BPS public website. A list of current \nsources of publicly available data can be found in the appendix of \nthe Policy and Guidelines document. In these instances, the \nresearcher may use the data presented from these sources as \nlong as the sources are cited, and any modifications or analysis \ndone by the researcher are clearly delineated. Approval by the \nresearcher\u2019s IRB and/or BPS school leaders does NOT guarantee \napproval of research proposals by the BPS Office of Data and \nAccountability (ODA). While research may be approved by ODA, \nBPS school leaders have the final say in whether their particular \nschool will participate in any given study. \nWHO MAY CONDUCT RESEARCH \nAny academic or professional organization or any individual \ndoing doctoral work may submit a proposal to conduct research", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "efef6288-eac5-446d-b0f2-ddaf190f25a4": { + "page_content": "school will participate in any given study. \nWHO MAY CONDUCT RESEARCH \nAny academic or professional organization or any individual \ndoing doctoral work may submit a proposal to conduct research \nwith the Office of Data and Accountability in BPS. Doctoral \ncandidates must submit written evidence that their proposed \nresearch has been approved by their university\u2019s IRB and will be \nsupervised by their advisor(s). \nWHAT IS THE PURPOSE OF THE RESEARCH TEAM REVIEW? \nWhile it is necessary for all research submissions to have an \napproved/exempted IRB decision from their own institution, BPS \nrequires that all research is submitted to the BPS Research Team \nfor review prior to BPS approval. The BPS research review is not \nduplicative of the IRB process and aims to ensure the following: \n\u25cf The research is aligned with district priorities. \n\u25cf The research follows federal and local guidelines \nregarding conducting research with human subjects in", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "e7bbcd4b-2ece-4c83-b484-c7beb04be709": { + "page_content": "Superintendent\u2019s Circular ODA-01, \nPage 3 of 4 \n \nschool settings (This includes consent forms for all \nresearch participants; assurance that students receive no \nincentives of monetary value for students and not to \nexceed $50 for teachers; voluntary participation for all \nresearch subjects). \n\u25cf The research is not overly burdensome to classrooms and \nis new research that will advance the aims of the district. \n\u25cf The research is fully supported by an internal BPS staff \nmember (district sponsor) who is committed to using the \nresult of the research. \nWHAT ARE THE STEPS TO CONDUCTING RESEARCH IN THE \nBPS? \n1. Submit a research proposal adhering to the Guidelines and \nProcedures. In general, the research submission and review \ncalendar is as follows: \nReview Period Submission \nMonth \nReview Month Decision Letter \nSent \nP1 June 1-30 July 1-31 Mid-August \nP2 October 1-31 November 1-30 Mid-December \n2. For primary research (i.e., interviewing, focus groups,", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "af555cae-6bc7-4b6b-b283-23cef2b5ade6": { + "page_content": "Month \nReview Month Decision Letter \nSent \nP1 June 1-30 July 1-31 Mid-August \nP2 October 1-31 November 1-30 Mid-December \n2. For primary research (i.e., interviewing, focus groups, \nobservations, and in-person surveys), each researcher needs \nto have submitted and passed a CORI check. \n3. For secondary research (i.e., requesting administrative data: \nrecords that are maintained by the school district), \nresearchers need to submit a data request and sign a \nstandard NDA template. NOTE: for some administrative data \nrequests, a fee will be assessed to assist in the fulfillment of \nthe data pull.", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "78bb77d4-6706-4671-963a-fd6154b0f8f9": { + "page_content": "Superintendent\u2019s Circular ODA-01, \nPage 4 of 4 \n \n4. Submit policy brief updates annually to your district sponsor \nand the Research Team \n(research@bostonpublicschools.org). \n5. Annually renew your research proposal with the BPS \nresearch team. \n6. For continuing research, the following needs to be \nsubmitted: \na. Cover page describing research activities already \nconducted and proposed changes to the study for the \nnext year \nb. Most recent policy brief describing interim findings \nc. Updated district sponsor letter \nd. Updated IRB approval for next year of research \n7. Submit a final report and policy brief (template) for review to \nresearch@bostonpublicschools.org once the study has been \nfinalized. The study is officially finalized once the final report \nand policy brief have been approved. \nFor additional information about this circular and the \napplication process, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "fb8f1d32-c950-4c28-a985-2ff1c371c79c": { + "page_content": "For additional information about this circular and the \napplication process, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ODA-01 Procedures for Conducting Educational Research.pdf", + "source_link": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "084f6553-b3ed-4e4e-b77f-ea845c6a63b3": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-07 \nVersion 01 \n \n \n \nREQUIRED DOCUMENTATION TO WITHDRAW \nSTUDENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular lists the documentation schools are required to \nobtain when withdrawing students and includes information on \nmonitoring processes conducted by the central office. \nFor the last several years, Boston Public Schools has been under a \nstate audit regarding our documentation of student withdrawals. \nAuditors found that we collect insufficient documentation of \nstudents categorized as withdrawals. The audit finding has been \nupgraded to a \u201cmaterial weakness,\u201d which is a more severe \nfinding. Lack of action could result in loss of federal funds (e.g., \nTitle 1) and/or the City\u2019s overall credit rating. The Systemic \nImprovement Plan required the district to revise withdrawal \nprocedures and implement controls for monitoring. All", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "bb29939e-094c-4099-801e-e2b67dc918f8": { + "page_content": "Title 1) and/or the City\u2019s overall credit rating. The Systemic \nImprovement Plan required the district to revise withdrawal \nprocedures and implement controls for monitoring. All \nadministrative school staff (school leaders, registrars, or any \nschool administrator whose responsibilities involve enrolling or \nwithdrawing students) are required to complete asynchronous \ntraining at the 2024 Management and Operations Institute. \nOVERVIEW OF REQUIRED DOCUMENTATION \nThis section seeks to clarify what documentation is required and \nacceptable. Schools can use this template to document", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "ad7df829-a93b-4e7f-a314-6461d8e80185": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 2 of 9 \n \n \n \ninteractions with families and upload along with supporting \ndocumentation or with a family signature. Your school may use \nyour own template as long as it contains the necessary \ninformation and has been approved by the central office (contact: \nstudent-withdrawal@bostonpublicschools.org). \nACCEPTABLE DOCUMENTATION TYPES FOR STUDENTS \nWITHDRAWING INCLUDES: \n1. A written request for a student\u2019s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This \nincludes requests from the receiving school that come to \nthe district through Scrib Order. \n2. Written record of a response from an official receiving \nschool or program acknowledging the student\u2019s enrollment. \n3. Written confirmation from a parent or guardian that their \nstudent has moved to another state or country and will be \ncontinuing their education.", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "9a0e3810-9e44-454c-879a-d4d830eac1e6": { + "page_content": "3. Written confirmation from a parent or guardian that their \nstudent has moved to another state or country and will be \ncontinuing their education. \n4. Written confirmation from a parent/guardian updating the \nschool enrollment status of their child, including indication \nthat they will be continuing their education elsewhere. \n5. Letter from the BPS Office of Expanded Learning Time, \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process)", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "63176a42-7a28-47e2-92d8-aa6bf4ae6dfd": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 3 of 9 \n \n \n \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See \nAppendix for a table of withdrawal codes with acceptable \nmatching documentation. \nREQUIRED ELEMENTS OF SUFFICIENT WITHDRAWAL \nDOCUMENTATION FOR A TRANSFER STUDENT INCLUDE: \n1. Date when the transfer occurred or was confirmed, \nincluding the year. \n2. Identifiable name of the student withdrawing \n3. Identifiable information for who is confirming the \nwithdrawal, such as the parent name or receiving school \nregistrar\u2019s email address \n4. Indication that the student is continuing their education \nelsewhere \na. New school name is ideal but not required. Stating a \nstudent will enroll in a school elsewhere is sufficient if \nthe new school name is not known. \nWithdrawal documentation must be uploaded to the student \nrecord in Aspen at the time of the withdrawal in a non-editable", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "621a061d-8048-4278-a792-03e517b1572b": { + "page_content": "the new school name is not known. \nWithdrawal documentation must be uploaded to the student \nrecord in Aspen at the time of the withdrawal in a non-editable \nformat, such as a PDF, screenshot, scanned handwritten & signed \nwithdrawal form or letter. Word documents, Aspen journal \nentries, travel tickets or itineraries are not acceptable forms of \ndocumentation to confirm a transfer. \nMONITORING AND ACCOUNTABILITY \nSchool leaders will be required to identify a primary point of", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "28abf562-0135-4f3b-b88b-bd46a978858c": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 4 of 9 \n \n \n \ncontact at their school for withdrawal related processes. \nAdditionally, school leaders will be required to sign off that they \nhave reviewed student records and that sufficient \ndocumentation exists for each student\u2019s withdrawal code. This \nsign off will align with the October state reporting period. Central \noffice staff will hold office hours and be available to answer \nquestions that may arise at this time period and will \ncommunicate these dates via the Friday Flyer and Weekly Recap. \nAdditionally, the central office team will be conducting periodic \naudits to confirm sufficient documentation is in place: Fall, Mid-\nYear, End of Year. Supervisors of attendance will be included as a \nresource to support schools in gathering the necessary \ndocumentation during review periods. \nFor questions and support, please contact the following: \nGeneral Questions student-withdrawal@bostonpublicschools.org \nTechnical Questions \nabout Aspen", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "670387fe-f3e1-4b93-bc61-d126462d430a": { + "page_content": "documentation during review periods. \nFor questions and support, please contact the following: \nGeneral Questions student-withdrawal@bostonpublicschools.org \nTechnical Questions \nabout Aspen \nKevin Arias, karias@bostonpublicschools.org \nGraduation and \nDropout Reporting \nApryl Clarkson, \naclarkson@bostonpublicschools.org \nStudent Attendance \nRequirements \nBrian Marques, \nbmarques@bostonpublicschools.org \nSchool Specific \nQuestions \nSupervisors of Attendance, Regional \nOperational Leader and then School \nSuperintendent", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "b02e3b4a-cbf1-4022-a9b3-06e4cb69c9d4": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 5 of 9 \n \n \n \nTECHNICAL RESOURCES \nWithdrawal Code Guidance \nHow to Update Withdrawal Codes in Aspen \nHow to Upload Documents in Aspen \n\"Did Not Report\" Protocol for Students with IEPs \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9450 \nEmail: \nstudent-\nwithdrawal@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "c1a3e334-ef27-4113-b7fe-078d5af132a5": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 6 of 9 \n \n \n \nAPPENDIX A: TRANSFER CODES WITH REQUIRED \nDOCUMENTATION \nBPS \nCode \nBPS Description State \nCode \nState \nDescription \nRequired \nDocumen-\ntation Type \n06 Mass. Public Boston Resident 20 Transferred \u2014 \nIn state public \n1, 2, 4 \n \n09 EOY Flip Record \n10 Batch Assignment process school \nchange \n12 Mass. Public Non-Boston Resident \n42 Discharged to Charter School \n43 Discharged to Virtual School - Mass \nPublic \n98 Residency Violation \n99 Discharged - Student ID Error \n01 Boston Parochial 21 Transferred \u2014 \nIn state private \n1, 2, 4 \n03 Mass. Parochial Non-Boston \nResident \n04 Mass. Parochial Boston Resident \n07 Mass. Private (Non-Parochial) \nBoston Resident \n11 Boston Private (Non-Parochial) \n13 Mass. Private (Non-Parochial) Non-\nBoston Resident \n15 Home (*KINDERGARTEN ONLY) \n44 Discharged to Virtual School - Mass \nPrivate \n19 Out of Country 22 \n \nTransferred \u2014 \nOut-of-State \n(public or \nprivate) \n1, 2, 3, 4 \n14 Out of State 1, 2, 4", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "81c8f7a5-2108-4f67-ae09-31f6511b94c7": { + "page_content": "15 Home (*KINDERGARTEN ONLY) \n44 Discharged to Virtual School - Mass \nPrivate \n19 Out of Country 22 \n \nTransferred \u2014 \nOut-of-State \n(public or \nprivate) \n1, 2, 3, 4 \n14 Out of State 1, 2, 4 \n45 Discharged to Virtual School - Out \nof State \n1, 2, 3, 4", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "e7fc93e0-ce53-4c5c-b807-8e81267f567c": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 7 of 9 \n \n \n \n05 Home Schooled 23 Transferred \u2014 \nHome-school \n5 \n30 Adult Diploma Program 24 Transferred \u2014 \nAdult diploma \nprogram \nleading to MA \ndiploma \n1, 2, 4 \nSS No longer receiving special ed \nservices only \n41 Transferred \u2014 \nno longer \nreceiving \nspecial \neducation \nservices only.", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "b04b3b4e-ce63-4bde-b7f5-4cfcbdb85760": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 8 of 9 \n \n \n \nAPPENDIX B: NON-TRANSFER WITHDRAWAL CODES \nBPS \nCode \nBPS Description State \nCode \nState Description \n17 Graduate 04 Graduate with a Competency \nDetermination \n95 Expelled from BPS 05 Expelled \n96 Expelled from Other School \nSystem \n97 Multiple Expulsions \n16 Death 06 Deceased \n18 Student Reached Maximum \nAge (22 yrs.) \n09 Reached maximum age did not \ngraduate or receive a Certificate \nof Attainment \n33 Certificate of Attainment 10 Certificate of Attainment \n31 Grade 12 - Met local \nrequirements/Did not pass \nMCAS \n11 Completed grade 12 and district-\napproved program. (District does \nnot offer a Certificate of \nAttainment) \n23 GED 30 Dropout \u2014 Enrolled in a non-\ndiploma granting adult education \nor HiSET program \n27 Non-Diploma Educational \nProgram (non GED) \n32 Job Corps 31 Dropout \u2014 Entered Job Corps \n22 Military Service 32 Dropout \u2014 Entered the military \n28 Incarcerated 33 Dropout \u2014 Incarcerated district", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "ac459aef-7925-4b7f-92ee-e3cf8f675915": { + "page_content": "27 Non-Diploma Educational \nProgram (non GED) \n32 Job Corps 31 Dropout \u2014 Entered Job Corps \n22 Military Service 32 Dropout \u2014 Entered the military \n28 Incarcerated 33 Dropout \u2014 Incarcerated district \nno longer providing educational \nservices \n21 Work 34 Dropout \u2014 Left due to \nemployment \n24 Over 16/No plans known 35 Dropout \u2014 Confirmed Dropout \nplans unknown 25 Illness \n26 Married Pregnant or Parenting \n51 Registered - Did Not Report 36 Dropout \u2014 and/or student", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "7d83cb60-19f3-43e8-9ea6-abf4e532ac5e": { + "page_content": "Superintendent\u2019s Circular ODA-07 \nPage 9 of 9 \n \n \n \n52 Moved - No Forwarding Address status/location unknown \nD1 DNR More Than 8 Days", + "metadata": { + "file_name": "ODA-07 Required Documentation to Withdraw Students.pdf", + "source_link": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "ac389d1d-9921-4dd4-bea8-fb4850627adf": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-05 \nVersion 01 \n \n \n \nBPS SURVEY ADMINISTRATION GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. \u00a71232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the \nfollowing policy. Additionally, a student survey that is not \ndeveloped or administered with funds received from the United \nStates Department of Education also does not need to comply \nwith this policy. \nFor those student surveys that are developed or administered \nusing federal education funds and in which a student is required", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "c445d112-abf7-4311-8535-6d1b439bf174": { + "page_content": "with this policy. \nFor those student surveys that are developed or administered \nusing federal education funds and in which a student is required \nto participate, the following policy applies. This policy applies to \nthose surveys that ask a student to reveal any of the following \ninformation: political affiliation; mental illness or psychological \nproblems; sexual behavior and/or attitudes; illegal, self-\nincriminating, and demeaning behavior; critical appraisals of \nclose family members; relationships to which a privilege is \nrecognized, such as clergy, medical doctors, or attorneys; \nreligious affiliations or beliefs; and income, other than for", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "2f3c224b-6865-42a1-a5ec-37c1a5060935": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 2 of 10 \n \n \n \neligibility for participation in a program. Prior to administering \nsuch a survey, the student\u2019s parent or guardian must consent, in \nwriting, to the student\u2019s participation in the survey. Also, a copy \nof the survey must be made available to the parent or guardian. \nAny such survey should also be brought to the attention of the \nOffice of Legal Advisor. \nPERCEPTION SURVEYS \nStudent, teacher, and family surveys are an effective tool to \nsupport success inside and outside of the classroom. These \nsurveys are required district-wide; however, schools and \nprograms may choose to administer additional surveys (please \nsee further down for guidance about administering additional \nsurveys). It is the responsibility of all in the Boston Public Schools \nto use the data that emerge from the surveys to ensure that \nevery student receives what they need every day. \nPurpose \nThe Boston Public Schools\u2019 climate, culture, and feedback surveys", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "d93a93e1-7626-4c98-a2a9-20bbbae3aea7": { + "page_content": "to use the data that emerge from the surveys to ensure that \nevery student receives what they need every day. \nPurpose \nThe Boston Public Schools\u2019 climate, culture, and feedback surveys \nsupport the district strategic goals of eliminating opportunity \ngaps and accelerating learning. The surveys: \n\u25cf provide teachers, administrators, students, parents, the \ndistrict, and the community with information \nregarding climate, culture, engagement, and student \nlearning. \n\u25cf are utilized to assess criteria for inclusion as a Family \nFriendly School.", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "2550238f-dd42-4ba6-9731-5ad1deaac9fe": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 3 of 10 \n \n \n \n\u25cf are included in measures to calculate school scores for \nthe School Quality Framework and assignment tiers for \nthe Home-based Student Assignment System. \nA robust survey system includes surveys that provide information \non the classroom, school, and district levels and is responsive to \nneeds at each of these levels. \n\u25cf At the classroom level, the student feedback survey \nprovides teachers with data on student\u2019s perceptions \nof instruction and classroom climate, so that teachers \nmay create formative goals to better meet the learning \nneeds of their students. \n\u25cf At the school level, the surveys provide school leaders \nand leadership teams with data to help them measure \nschool success in relation to school and district goals; \nassess engagement and the creation of a safe and \nwelcoming environment; and work with teachers to \ndevelop strategies that attend to priority areas.", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "8cbf84ad-bfcb-4e4c-9e24-ae81ef5dff33": { + "page_content": "assess engagement and the creation of a safe and \nwelcoming environment; and work with teachers to \ndevelop strategies that attend to priority areas. \n\u25cf At the district level, the surveys provide district leaders \nwith information that allows them to determine if the \nsystem, individual schools, and central departments \nare making progress regarding the district\u2019s long term \nstrategic goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented \nto achieve those goals, to implement effective \npractices, and to eliminate practices that are \nunsuccessful. Quality information allows comparisons \nacross programs, schools, and classrooms to be data-\ndriven and equitable.", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "f5717fd6-e690-4587-976a-d9a069d5cdbc": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 4 of 10 \n \n \n \nAdministration Expectations \nPerception survey administration is required for students, staff, \nteachers, and families in Boston Public Schools during SY24-25. \nBPS administers the Student, Family, Teacher, and Staff Surveys \nthrough Panorama. Communications are sent centrally; however, \nschool-based outreach makes the difference for many families! \nSchool leaders and coordinators have access to response rate \ntracking and completion lists via Panorama's platform. In \naddition, survey coordinators and school leaders are offered \ntraining and resources for administration prior to the survey \nwindow. \nThe following table outlines the surveys required for students, \nstaff, teachers, and families in Boston Public Schools during \nSY24-25, including the purpose, grade level, and administration \nwindows. Specific dates are included in the annual assessment \ncalendar released during summer 2024.", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "39a8fc75-4d95-4b90-a7b3-b15675b9e26d": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 5 of 10 \n \n \n \n \nBPS Districtwide Surveys \nSurvey Purpose Grade \nAdminis-\ntration \nWindow \nStudent \nClimate \nand \nFeedback \nSurveys \nAssesses perceptions of pedagogical \neffectiveness, rigorous expectations, \nrelationships, engagement, \nclassroom climate, school culture & \ncommunity, belonging, mindset, \nschool safety, and more \n3-12 \nMid-Year: \nDecember \nSpring: April-\nMay \nSenior Exit \nSurvey \nCollects information regarding \nstudent postsecondary plans and \noverall experience in high schools. \nGradua-\nting \nSeniors \nApril-June \nTeacher \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, school leadership, \nprofessional learning, etc \nAll \nMid-Year: \nDecember \nSpring: April-\nMay \nStaff \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, and school leadership \nAll \n \nSpring: April-\nMay \nFamily \nClimate \nSurvey \nAssesses perceptions of school", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "c69cb69c-0bc2-4654-ad53-a5425099cf4d": { + "page_content": "Assesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, and school leadership \nAll \n \nSpring: April-\nMay \nFamily \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, school \ncommunication, school fit, school \nsafety, engagement, etc. \nAll Spring: April-\nMay", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "468c9b69-3280-4620-9d6c-d7d847e6652d": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 6 of 10 \n \n \n \nAccessing Results \nTeachers and other school staff can access results in Panorama: \nsecure.panoramaed.com. (Select \u201cSign in with Google\u201d and \nchoose your BPS email to log in). Results should be reviewed and \nconsidered with respect to how they may impact planning and \nadjustments, and the alignment with your School Improvement \n90 Day Action Plan: specifically, the Student Culture and Adult \nCulture goals. Resources to support are available in Panorama \nAcademy. \nTo ensure the data is a reasonable representation of their student \npopulation, school-level results are only shown if (1) the response \nrate is greater than 10%; and (2) there are at least 7 responses to \nensure student confidentiality. Support is available through \nPanorama at support+bps@panoramaed.com. \nADMINISTERING SURVEYS TO MULTIPLE SCHOOL \nCOMMUNITIES OR WITHIN THE CENTRAL OFFICE \nThe above guidelines and recommendations are to support the", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "45b7b31d-abec-4ec9-899f-1a5994625fc7": { + "page_content": "Panorama at support+bps@panoramaed.com. \nADMINISTERING SURVEYS TO MULTIPLE SCHOOL \nCOMMUNITIES OR WITHIN THE CENTRAL OFFICE \nThe above guidelines and recommendations are to support the \nadministration of surveys to students, families, and school staff. \nThe remainder of this circular describes the process that will be \nused to create and administer surveys for central office staff or \nmultiple school communities. To reduce the number of surveys \nthat staff are required to respond to, the Office of Data and \nAccountability will review all surveys prior to their administration. \nPlease refer to the BPS survey calendar for existing surveys and \ntheir timelines, if available. The process below describes how \nthese offices will review survey creation and administration. \nStep 1: Survey Request Process", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "f66aa0cb-9c8a-4d89-a3a1-4a4931146773": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 7 of 10 \n \n \n \nIf your office is interested in administering a survey to staff \noutside of your department, you will need to submit a survey \nrequest form to the Office of Data and Accountability. The form \nwill collect information on: \n\u25cf the goals and objectives of the survey \n\u25cf decisions the survey is meant to inform \n\u25cf tabulations and analytics results that will inform the \ndecision \n\u25cf confirmation that this information is not already being \ncollected in other surveys \n\u25cf audience and users (especially if intended to for any \noutside agencies) \n\u25cf research approval requirement, if any \n\u25cf sensitivity of data being collected and any necessary \nsecurity protections \n\u25cf ideal timeline for the survey/form to be administered \nas it relates to instructional priorities \n\u25cf \n\u25cf ideal method for distribution. \nDepending on the targeted survey population, surveys should be \nscheduled in coordination with any standing district surveys to", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "a9c1524f-1e9f-40b5-8985-50f4b94e8e74": { + "page_content": "\u25cf \n\u25cf ideal method for distribution. \nDepending on the targeted survey population, surveys should be \nscheduled in coordination with any standing district surveys to \nmitigate overlap. Departments or teams must share the reasons \nfor collecting information and how this information will be used. \nWhether responding to the collection of information is \nmandatory or voluntary, each team should take into \nconsideration the timeline of requested responses in relation to \nother district required training, surveys, and events.", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "26c469d6-5b5f-454e-87dd-a29de1e49781": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 8 of 10 \n \n \n \nStep 2: Consultation \nOnce you have submitted your survey request form, the Office \nData and Accountability will meet with you to review your \nrequest and determine whether it is appropriate and distinct \nfrom other survey collection tools already in use by the district. If \nthe survey is approved to be administered, the Office of Data and \nAccountability will be able to recommend a level of support for \ncreating and administering the survey. Examples of ODA support \nmay include, but are not limited to, item and domain \ncreation/review, sampling strategy, survey administration timing, \ncommunication; design, hosting, and analysis of collected data.", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "277e2b85-b9ee-449d-9f0d-235a4495c3ff": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 9 of 10 \n \n \n \nStep 3: Data Analysis and Dissemination of Information \nA plan for analysis of the survey data should be provided prior to \ninitiating the collection of data. Teams are expected to keep \ndetailed documentation of activities and decisions informed by \nthe data collected. Departments should plan to identify which \nportions of their evaluation will be shared with participants. High \nvisibility data, such as results that will be shared with the public, \nthe School Committee, and/or School Committee task \nforce/working groups should be shared with the Offices of the \nSuperintendent and Data and Accountability to interpret results \nfrom the analysis and inform the process for future recurring \nsurveys. \nBEST PRACTICES FOR SURVEYS AND DATA COLLECTION \n1. Shorter surveys will lead to increased response rates. \nLimiting the number of questions in a survey will increase \nthe response rate and improve your overall ability to collect", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "3c1dce4e-b0c0-40de-ab35-e0b3fac8a377": { + "page_content": "1. Shorter surveys will lead to increased response rates. \nLimiting the number of questions in a survey will increase \nthe response rate and improve your overall ability to collect \nfeedback. Surveys should be designed to minimize the \nrespondent\u2019s time and ideally designed to be completed on \na mobile device in 3-5 minutes. \n2. Minimize open response answers. \nOpen response answers (short or paragraph) will increase \nthe amount of time it takes to complete a survey and can \nlead to degraded response quality. Using drop-\ndown/checkbox options as much as possible will improve \nyour survey response rates and allow for easier data analysis. \n3. Do not collect data that we already have.", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "4d166a8b-4366-42e4-b598-7506170c7ee2": { + "page_content": "Superintendent\u2019s Circular ODA-05 \nPage 10 of 10 \n \n \n \nA common practice when designing surveys is to ask for \ndata that we already have in a data system, such as names, \ngrade levels, school name, etc. However, this increases the \ntime to complete the survey and increases risk of data leak if \nthe responses are not safeguarded. Collecting a \nrespondent\u2019s email address or emp/student ID number \nshould be sufficient for identifying the person afterwards \nand additional identifying information that is already \ncontained in a BPS data system should be used during \nanalysis. \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ODA-05 BPS Survey Administration Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "6dd60786-986e-42fd-b475-e8501bbefde7": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-06 \nVersion 01 \n \n \n \nPARTICIPATION GUIDELINES FOR TESTING ENGLISH \nLEARNERS ON STATEWIDE ASSESSMENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent versions. \nThe purpose of this circular is to provide schools with the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) guidelines for testing English Learner (EL)1 \nstudents on statewide assessments. \nDEFINITION \nAccording to MA DESE, an EL student is a student whose native \nlanguage is not English, and currently unable to perform ordinary \nclassroom tasks in English. An EL student also scores less than \nproficient on an English language proficiency assessment. When \na student has been identified as an EL according to MA DESE and \nU.S. Department of Justice requirements, a student retains this \ndesignation, regardless of their program setting until they meet \n \n1 English Learner (EL) refers to a specific subset of Multilingual", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "06ddee6e-0120-4157-be43-ffacc65d7c85": { + "page_content": "designation, regardless of their program setting until they meet \n \n1 English Learner (EL) refers to a specific subset of Multilingual \nLearners (MLs) who are classified as English learners. This term is \nused in federal and state laws, regulations, and policies. For more \ninformation, see MA DESE\u2019s Guidance on English Learner \nEducation Services and Programming, page 5, available at \nhttps://www.doe.mass.edu/ele/guidance/.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "d744cd7d-b48b-49ce-8e7d-394a81df9314": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 2 of 13 \n \n \n \nstate exit criteria2. Students who meet the exit criteria must be \nreclassified as Former English Learners (FELs). \nPARTICIPATION REQUIREMENTS FOR EL STUDENTS \nFederal and state laws require that all EL students participate in \nstatewide assessments. Massachusetts students will meet the \nrequirements of these laws by participating in both the MCAS \nand ACCESS for ELLs tests. \nEL Participation Requirements in Statewide Assessments \n \nACCESS \nGrades K2-12 \nMCAS \nELA Math \nScience \nand \nTech/Eng \nFirst-Year \nEL \nStudents3 \nRequired only for \nK2-12 grade \nstudents entering \nOptional4 Required Required \n \n2 Students must score 4.2+ overall and 3.9+ in literacy on ACCESS \nfor ELLs to be reclassified as former English learners (FELs). MA \nDESE will release Alternate ACCESS exit criteria in fall 2024. \n3 Results for first year EL students are not included in MCAS \nschool and district summary results or in state accountability", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "e155de69-8e6b-4f92-b287-9b610e7fab31": { + "page_content": "DESE will release Alternate ACCESS exit criteria in fall 2024. \n3 Results for first year EL students are not included in MCAS \nschool and district summary results or in state accountability \nreporting. \n4 Optional, provided that the student has participated in ACCESS \nfor ELLs testing. This first year exemption shall be applied one \ntime.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "e9c63a6d-e50e-42eb-8617-3ac5ff5f67b5": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 3 of 13 \n \n \n \nbefore ACCESS \nfor ELLs testing is \ncompleted \nAll Other \nEL \nStudents \nRequired Required Required Required", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "0363be1e-674d-48f3-99a9-3065cea59ad6": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 4 of 13 \n \n \n \nACCESS FOR ELLS AND ALTERNATE ACCESS FOR ELLS \nAll EL students must be assessed annually to measure their \nEnglish language proficiency and progress in learning English in \nthe four domains of reading, writing, listening, and speaking. \nStudents in grades K2-12 who are identified as EL must \nparticipate in ACCESS for ELLs testing or the Alternate ACCESS \nfor ELLs for their grade. This requirement applies regardless of \nthe number of years a student has been enrolled in U.S. schools \nand whether their parent or guardian has an approved request to \nopt-out of ESL services. The following students must participate: \n\u25cf students who were reported as EL in the October 2024 SIMS, \nand \n\u25cf students who enroll in school after the October 2024 SIMS \nsubmission and prior to February 7, 2025 who will be \nreported as EL in the March 2025 SIMS. \nForeign exchange students who are coded as #11 under DOE013", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "6b7ba710-5446-49a2-8bd5-d0dc8b1a7290": { + "page_content": "submission and prior to February 7, 2025 who will be \nreported as EL in the March 2025 SIMS. \nForeign exchange students who are coded as #11 under DOE013 \n\u201cReason for Enrollment\u201d in SIMS must participate in an ACCESS \nfor ELLs test, if they are reported as English learners. They are also \nrequired to participate in the MCAS tests specified for the grade \nin which they are reported. \nALTERNATE ACCESS FOR ELLS \nThis is the state\u2019s alternate English language proficiency \nassessment for EL students in grades K2-12. This assessment is \ndesigned specifically for those EL students with the most", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "94a144a1-b357-49dd-ac73-88b7c401eae4": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 5 of 13 \n \n \n \nsignificant cognitive disabilities5 who are unable to meaningfully \nparticipate in ACCESS for ELLs, as indicated in the student\u2019s IEP. \nThis paper-based assessment is uniquely designed to monitor \nstudents\u2019 progress in acquiring academic English. \nMCAS \nEL students must participate in all MCAS tests scheduled for their \ngrades, regardless of the language program and services they are \nreceiving or the amount of time they have been in the United \nStates. The one exception applies to first-year EL students who \nenrolled in U.S. schools after March 1, 2025 and who were not \nreported in the March 2024 SIMS report, for whom only MCAS \nELA testing in Spring 2025 is optional. \nNote: EL students in high schools need to pass MCAS tests as a \nstate requirement for graduation. There are opportunities for \nretesting if students do not pass MCAS the first time. \n \n \n5 For more information, see", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "aa4ed654-b448-4e9b-a7cf-6b44e05a2cd4": { + "page_content": "state requirement for graduation. There are opportunities for \nretesting if students do not pass MCAS the first time. \n \n \n5 For more information, see \nhttps://www.doe.mass.edu/mcas/access/participation-\nguidelines.html.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "a6c274c4-c0b9-4bc9-b4ff-f09eb81582e7": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 6 of 13 \n \n \n \nASSESSMENT TESTING WINDOWS \nThe testing windows for administering the SY2024-2025 annual \nassessments in Boston Public Schools are listed below: \n SY 2024-25 Dates State Assessment \nNov. 6- 7 November 2024 MCAS HS ELA Retests \nNov. 12-13 November 2024 MCAS HS Mathematics Retests \nJan. 6- Feb. 14 2025 ACCESS for ELLs \nFeb. 4- 5 February 2025 MCAS HS Biology and \nIntroductory Physics Tests \nMar. 6 & 7 March 2025 MCAS HS ELA Retests \nMar. 11- 12 March 2025 MCAS HS Mathematics Retests \nMar. 24 Apr. 18 Spring 2025 MCAS Grades 3-8 ELA Test \nMar. 25-26 Spring 20254 MCAS Grade 10 ELA Test \nMar. 28 2025 MCAS Alternate Assessment (MCAS-Alt) \nSubmission Deadline \nApr. 28-May 23 Spring 2025 MCAS Grades 3-8 Mathematics & \nGrades 5&8 STE Tests \nApr. 28- June 6 Spring 2025 MCAS Grade 8 Civics Test \nMay 20 21 Spring 2025 MCAS Grade 10 Mathematics Test \nJune 4-5 Spring 2025 MCAS High School STE Tests", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "2334cb90-dd8a-4d94-b879-ce09b51ccb86": { + "page_content": "Grades 5&8 STE Tests \nApr. 28- June 6 Spring 2025 MCAS Grade 8 Civics Test \nMay 20 21 Spring 2025 MCAS Grade 10 Mathematics Test \nJune 4-5 Spring 2025 MCAS High School STE Tests \n \nNote: dates are based on the State Initial Release of the 2024\u201325 \nMCAS and ACCESS for ELLs Testing Schedule, as of 5/15/2024. \nThese dates are not considered final until confirmed by DESE.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "02a608c4-8a90-47b0-a7db-4d6852adef5e": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 7 of 13 \n \n \n \nGUIDELINES FOR ASSESSING EL STUDENTS IN THEIR FIRST 12 \nMONTHS OF ENROLLMENT IN U.S. SCHOOLS \nFor recently arrived ELs who have been enrolled in a U.S. school \nfor the first time after March 1, 2024, and who were not reported \nin the March 2024 SIMS report, the following apply: \n1. The participation in ACCESS for ELLs or Alternate ACCESS \nfor ELLs testing is required, provided that the student \nenrolls in school before February 7, 2025. \n2. The participation in Spring 2025 MCAS ELA assessment6 is \nnot required but is recommended for student diagnostic \npurposes only. Testing in MCAS ELA is strongly encouraged \nto be considered an opportunity for students in high school \ngrades to earn a passing score for graduation requirements. \n3. For students expected to participate in statewide \nassessments, non-participation in ACCESS and MCAS testing \nnegatively impacts the school and district accountability.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "b2b4d43e-49ad-4ae5-8cbf-b5eca8de0569": { + "page_content": "3. For students expected to participate in statewide \nassessments, non-participation in ACCESS and MCAS testing \nnegatively impacts the school and district accountability. \n \n \n6 ELA testing is also optional for EL students from Puerto Rico \nwho are in their first year of enrollment in a Massachusetts \nschool.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "db9997e4-0cc7-47a7-94f3-f8c1a1803d02": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 8 of 13 \n \n \n \nSCHOOL AND DISTRICT REPORTING FOR EL STUDENTS \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n All Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district\u2019s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nAssessment \nParticipation \nRate for \nMCAS ELA is \nbased on \nACCESS \nStudents are \nexpected to take \nthe ACCESS test to \nbe counted in the \nschool MCAS \nparticipation rate \nfor ELA. Regardless, \nstudent\u2019s \nparticipation in the \nMCAS ELA test is \noptional. \n \nIf a student does \nnot participate in \nACCESS testing, the \nstudent counts as \n\u2018non-participant\u2019 for \nMCAS in the \nStudents count \nas participants \nregardless of \nparticipation in \nMCAS ELA \ntesting. ACCESS is \nnot required if a \nstudent enrolled \nat the end of the \ntesting window. \n \nStudents are \nexpected to take \nthe ACCESS test \nto be counted in", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "613b3789-d580-4f6b-9a2f-b0debe3ec8db": { + "page_content": "participation in \nMCAS ELA \ntesting. ACCESS is \nnot required if a \nstudent enrolled \nat the end of the \ntesting window. \n \nStudents are \nexpected to take \nthe ACCESS test \nto be counted in \nthe school MCAS \nparticipation rate \nfor ELA. \nOtherwise, the \nstudent counts \nagainst the \nschool MCAS \nparticipation rate \nfor ELA. \n \nMCAS ELA testing \nis not optional.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "66a0ec98-6a18-489a-958b-8cc121d0ce74": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 9 of 13 \n \n \n \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n All Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district\u2019s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nschool's MCAS ELA \nparticipation rate. \nAccounta-\nbility \nDetermina-\ntions \nStudents\u2019 MCAS results7 are not \nincluded in the accountability \ncalculations. For first year ELs who \nparticipate in ELA testing, results will be \nprovided at the school level and will be \nused for Competency Determination \npurposes for high school students. \nStudents\u2019 MCAS \nresults are \nincluded in the \naccountability \ncalculations. \n \n \n \n7 First-year EL students must participate in MCAS Mathematics \nand Science and Technology/Engineering tests, although results \nwill be reported for diagnostic purposes only and students\u2019", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "289e09d4-f349-452b-bbe1-9410ad28d859": { + "page_content": "7 First-year EL students must participate in MCAS Mathematics \nand Science and Technology/Engineering tests, although results \nwill be reported for diagnostic purposes only and students\u2019 \nresults will not be included in school and district summary results \nor in state accountability reporting.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "b3d49e31-8401-4172-9089-2166c36eb0cf": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 10 of 13 \n \n \n \nPROVIDING APPROPRIATE TESTING ACCOMMODATIONS TO ELS \nTesting accommodations involve changes to testing procedures, \ntesting materials, or the testing situation to allow students \nmeaningfully participate in an assessment. However, testing \naccommodations must not alter the test construct or the test \ncontent being measured. \nTesting accommodations for ELs are designed to address their \nunique linguistic needs during the normal process of English \nlanguage acquisition. When appropriately assigned, testing \naccommodations offer ELs the opportunity to demonstrate \nknowledge in a subject, regardless of their English language \nproficiency level. This provides schools and divisions with an \naccurate picture of an EL\u2019s content area achievement. \nEL students may be eligible for testing accommodations on \nMCAS assessments. Certain testing accommodations may be \nmore appropriate for ELs at a particular language proficiency and", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "af59c213-1024-43e1-a6b9-cfe046ae3c4d": { + "page_content": "EL students may be eligible for testing accommodations on \nMCAS assessments. Certain testing accommodations may be \nmore appropriate for ELs at a particular language proficiency and \nfor certain MCAS assessments. Decisions about accommodations \nfor EL students should be made by the Language Acquisition \nteam of educators familiar with the student. These decisions \nshould be documented as described in the MA DESE MCAS \nAccessibility and Accommodations Manual. \nThe following accommodations are available to ELs, with or \nwithout disabilities, on MCAS tests:", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "74e6041e-5998-4f0c-8818-6097f9dda463": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 11 of 13 \n \n \n \nAccommodation Applicability \nPaper-based edition \n(EL1) \nMay be administered to a first year EL student \nwith a low level of English proficiency or an EL \nstudent who has little or no familiarity with \ntechnology (student does not use a computer \nroutinely). \nAuthorized Bilingual \nWord-to-Word \nDictionary and \nGlossary (if available) \n(EL2)8 \nList of authorized English/Native Language \ndictionaries (also available to Former ELs). \nBilingual dictionary use for MCAS tests is strictly \nlimited to those that provide word-to-word \ntranslations. Dictionaries that include definitions, \nsynonyms, antonyms, phrases, and other \ninformation are prohibited. Electronic dictionaries \nare not allowed. \nText-to-speech (TTS) \n(EL3.1) \n \nNext-generation computer-based Mathematics, \ngrades 5 and 8 Science and Technology/ \nEngineering (STE) and/or high school Biology or \nIntroductory Physics tests \nHuman read-aloud \n(EL3.2)", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "f7dd6014-2611-40bd-bb3d-59780ccd78b6": { + "page_content": "(EL3.1) \n \nNext-generation computer-based Mathematics, \ngrades 5 and 8 Science and Technology/ \nEngineering (STE) and/or high school Biology or \nIntroductory Physics tests \nHuman read-aloud \n(EL3.2) \nNext-generation computer-based or paper-based \nMathematics and/or Science and Technology/ \n \n8 The use of DESE approved word-to-word bilingual dictionaries is \nstrongly encouraged if students have demonstrated usage with \nneed in accessing the native language definition. Some students \nwith limited academic proficiency in their native language may \nfind the dictionary usage a deterrent or a barrier to access the \ndefinition and translation. School teams are advised to use \nprofessional judgment in assessing the need based on the \nindividual learner.", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "0803a5a4-aa91-4618-88af-914c3229d6f8": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 12 of 13 \n \n \n \nAccommodation Applicability \nEngineering tests or legacy Mathematics or ELA \nComposition retests \nScribe (including \nhuman scribe or \nspeech-to-text) (EL4.1, \nEL4.2) \nMathematics and/or STE tests or legacy ELA \nReading Comprehension retest \nEnglish/Spanish test \nversion for \nMath/Biology/Physics \nonly (EL7) \nIntended only for a Spanish-speaking EL student \nwho has been in the U.S. for less than 3-years; \nAvailable in computer- and paper-based formats. \n \n \nThe student should be introduced to an accessibility feature or \naccommodation as early as possible in the school year, prior to \nthe assessment. Accessibility features and accommodations are \nintended to remove barriers and allow EL students to \ndemonstrate their knowledge and skills more effectively and \nshould never be provided for the first time on a statewide \nassessment. \nPlease consider the following resources available:", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "a91b6eed-c367-4312-8dae-202cf639ed56": { + "page_content": "demonstrate their knowledge and skills more effectively and \nshould never be provided for the first time on a statewide \nassessment. \nPlease consider the following resources available: \n\u25cf MA DESE MCAS and ACCESS Participation Requirements \n\u25cf MA DESE Authorized Bilingual Word-to-Word Dictionaries \nand Glossaries for Use by ELs and FELs on MCAS \n\u25cf MA DESE MCAS Accessibility and Accommodations Site \nIDENTIFYING FIRST YEAR EL STUDENTS", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "700f20d4-0339-402d-a779-94c9773c5267": { + "page_content": "Superintendent\u2019s Circular ODA-06 \nPage 13 of 13 \n \n \n \nA list of the identified first year ELs, students who have been in \nthe U.S. for less than 12 months and are actively enrolled in your \nschool, can be retrieved through SIS (ASPEN). On the \u2018Student\u2019 \ntab in the field set menu, filter for \u201cFirst Year in U.S. Schools LEP \nStudent.\u201d A report will be generated based on the school \nenrollment up to the date of retrieval. \nIn January 2025, the Office of Data and Accountability will flag \nthese students in the SR/PNP file uploaded on the Spring 2025 \ntesting platform. Schools may later export this file to identify the \nFirst Year EL students. New first year EL students enrolled after \nJanuary 2025 will not be coded in the file, but schools can identify \nthem in ASPEN. \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "17e050f3-77a9-454e-96ca-8e97e6e405d8": { + "page_content": "Owner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf", + "source_link": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "d9f0816d-be14-4bc8-8785-fec3a573d8b8": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-04 \nVersion 01 \n \n \n \nBPS BALANCED ASSESSMENT SYSTEM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nStudent assessment is an effective tool to support success inside \nand outside of the classroom. Assessment takes many forms, and \nit is the responsibility of all in the Boston Public Schools to use \nthe data that emerges from assessments to ensure that every \nstudent receives what they need every day. \nPURPOSE \nThe Boston Public Schools assessment system supports the \ndistrict's strategic goals of eliminating opportunity gaps and \naccelerating learning. The assessment system: \n\u25cf provides teachers, administrators, students, parents, \nthe district, and the community with ongoing \ninformation regarding student progress in relation to \nstate frameworks. \n\u25cf ensures all our students are prepared for college, \ncareer, and life. \nA balanced assessment system includes formative and", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "67917cdf-42d8-4414-9cb2-98273fceed3d": { + "page_content": "information regarding student progress in relation to \nstate frameworks. \n\u25cf ensures all our students are prepared for college, \ncareer, and life. \nA balanced assessment system includes formative and \nsummative assessments that provide information on the \nclassroom, school, and district levels and is responsive to needs at \neach of these levels.", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "79b6d13a-1198-4e6c-aea2-2cb4f2e833b7": { + "page_content": "Superintendent\u2019s Circular ODA-04 \nPage 2 of 7 \n \n \n \n1. At the classroom level, the assessment system provides \nteachers with data on students\u2019 strengths and needs so that \nteachers may develop lessons that respond to individual \ndifferences. \n2. At the school level, the assessment system provides school \nleaders and instructional leadership teams with data to help \nthem measure school success based on school and district \ngoals: \na. Assess the effectiveness of curriculum, instruction, and \nprofessional development programs. \nb. Work with teachers to develop strategies that attend \nto priority areas. \n3. At the district level, the assessment system provides district \nleaders with information that allows them to determine if \nthe system, individual schools, and central departments are \nmaking progress regarding the district\u2019s long-term teaching \nand learning goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented to", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "4eb1224d-b1d0-4402-9df1-75a61e9d2e4b": { + "page_content": "making progress regarding the district\u2019s long-term teaching \nand learning goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented to \nachieve those goals, to implement effective practices, and to \neliminate practices that are unsuccessful. Quality \ninformation allows comparisons across programs, schools, \nand classrooms to be data-driven and equitable. \nASSESSMENT EXPECTATIONS \nFor SY24-25, district assessment expectations will maintain its \ninstructional focus on Equitable Literacy across all content areas \nto strengthen equitable Multi-Tiered System of Support (MTSS), \nlaying a strong Tier 1 infrastructure to become a fully inclusive \ndistrict and expand access to bilingual/native language", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "d5acb605-d62a-49c8-a308-758bf242eb0c": { + "page_content": "Superintendent\u2019s Circular ODA-04 \nPage 3 of 7 \n \n \n \ninstruction. As BPS more consistently implements effective \nequitable literacy practices, the data provided by assessments \nwill inform educators to meet the learning needs of all students. \nThese expectations are a minimum for schools; school \ncommunities are encouraged to craft the assessment strategy \nthat supports their own work towards grade-level, standards-\naligned, culturally responsive instruction. \nThe following tables outline the formative and summative \nassessments in use in Boston Public Schools during SY24-25, \nincluding the purpose, grade level, participation expectation and \nfrequency. \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nPALS/ \nHeggerty \nScreener for all 4-year-\nold students in K1 used \nto understand student \nprogress in relation to \ndevelopmental \nbenchmarks. \nK1 Required \n2x per \nyear \nNWEA MAP \nReading \nFluency \nComputer adaptive \nuniversal screening tool", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "dea765c0-0e1e-4356-9009-04c359be0b9c": { + "page_content": "to understand student \nprogress in relation to \ndevelopmental \nbenchmarks. \nK1 Required \n2x per \nyear \nNWEA MAP \nReading \nFluency \nComputer adaptive \nuniversal screening tool \nthat assesses early \nliteracy skills, oral \nreading fluency, and \nreading \ncomprehension; DESE \napproved dyslexia \nscreener. \nK2\u20132 Required \n3x per \nyear \n3 Required \n2x per \nyear \n \n(extended \ntest \nwindows)", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "f2ebcfb4-25f8-4bf9-b716-3a0a3a2f96ba": { + "page_content": "Superintendent\u2019s Circular ODA-04 \nPage 4 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nNWEA MAP \nReading \nGrowth \nComputer adaptive \nuniversal screening tool \nthat assesses reading \ncomprehension; \nidentifies what \nstudents are ready to \nlearn next. \n3 Required \n2x per \nyear \n \n4\u201311 Required \n3x per \nyear \nNWEA MAP \nMath Growth \nComputer adaptive \nuniversal screening tool \nthat assesses \nmathematical skills; \nidentifies what \nstudents are ready to \nlearn next. \n3\u201311 Required \n3x per \nyear \nPre-IPT \nDiagnostic measure of \nEnglish language \nproficiency of pre-\nschool children whose \nhome language is not \nEnglish, in compliance \nwith federal law. \nK0* \n*ML \nstudents \nRequired 1x per year \nWIDA \nKindergarten \nScreener \nDiagnostic measure of \nEnglish language \nproficiency in \ncompliance with \nfederal law for English \nLanguage Learners. \nK1* \n*ML \nstudents \nRequired 1x per year", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "7fbcce59-0f8a-49c3-a1b7-8bd8a4e8bbda": { + "page_content": "Superintendent\u2019s Circular ODA-04 \nPage 5 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nInterim \nAssessments \nin ELA and \nMath \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content. \n2\u201311 \nStrongly \nRecommended \n2x per \nyear \nInterim \nAssessments \nin Science \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content; \nunit-based. \n3 - 10 \nStrongly \nRecommended \n3x per \nyear \nLanguage \nAcquisition \n(TBD) \nStandard-aligned \nassessment to measure \nEnglish language \nacquisition \nK2-12* \n*EL \nstudents \nTBD \n2x per \nyear \n \nAdditionally, all district supported curricula include ongoing, \ncurriculum-embedded, formative assessments (classroom tasks \nand formal assessments) to provide real-time information to \neducators about what students have learned and are ready to \nlearn next. \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nMCAS \nAnnual assessment of grade", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "8cd34b5a-ee63-4dd8-a094-4a77b412c7e5": { + "page_content": "educators about what students have learned and are ready to \nlearn next. \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nMCAS \nAnnual assessment of grade \nlevel content standards for \nstate and federal \naccountability. \n3 - 8, High \nSchool Required 1x per \nyear", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "58d41fdb-8f22-4635-badb-b60b01ed4dce": { + "page_content": "Superintendent\u2019s Circular ODA-04 \nPage 6 of 7 \n \n \n \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nACCESS for \nELLs \nAnnual assessment for EL \nstudents; measures English \nlanguage proficiency and \nprogress in compliance with \nfederal law. \nK2 - 12* \n*EL \nstudents \nRequired 1x per \nyear \nSAT \nA standardized assessment \nthat assesses mathematics \nand evidence-based \nreading/writing; used by most \ncolleges and universities to \nmake admissions decisions. \n11 \nStrongly \nRecom-\nmended \n1x per \nyear \nPSAT/ \nNMSQT \nA standardized assessment \nthat assesses much of the \nsame content (evidence-based \nreading/writing and \nmathematics) that is on the \nSAT; \n10, 11 \nStrongly \nRecom-\nmended \n1x per \nyear \nAP \nStandardized exams designed \nto measure how well students \nhave mastered the content \nand skills of a specific AP \ncourse. \n10 - 12* \n*students \nin AP \ncourses \nStrongly \nRecom-\nmended \n1x per \nyear \n \n \nFor more information about this circular, contact:", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "25535fb4-3327-4aca-89dd-583aa4880cd7": { + "page_content": "Superintendent\u2019s Circular ODA-04 \nPage 7 of 7 \n \n \n \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ODA-04 BPS Balanced Assessment System.pdf", + "source_link": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ODA" + } + }, + "2b6f8704-5e8c-4904-b797-6128bdef85d0": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-08 \nVersion 01 \n \n \n \nEXPECTANT AND PARENTING STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nBoston Public Schools aims to graduate all students from high \nschool and prepare them for college and career success. For \nstudents who are expecting or raising children, it is especially \ncrucial to maintain high expectations and intensive support for \nschool completion, as pregnancy and parenthood are among the \nprimary reasons many students drop out of school. As a school \ndistrict, Boston Public Schools aims to prevent student \npregnancy through comprehensive health education and access \nto sexual health services. Under the District Wellness Policy, \nschools must provide students with access to key resources and \nservices that are developmentally appropriate, and support \nsexual and reproductive health in a safe and supportive", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "94ef6557-0ccf-42fa-a231-3667b7aff040": { + "page_content": "schools must provide students with access to key resources and \nservices that are developmentally appropriate, and support \nsexual and reproductive health in a safe and supportive \nenvironment. It is also essential to engage with students who are \ncurrently expectant or parenting to ensure a safe and supportive \nlearning environment and to promote academic success. \nMoreover, we must ensure compliance with district policies that \nprohibit bias-based conduct consistent with federal Title IX law, \nwhich prohibits discrimination against students who are \npregnant or parenting.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "12f7998f-9957-4a49-a754-6027bee1c7f8": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 2 of 28 \n \n \n \nDEFINITIONS \nExpectant: an individual, regardless of gender identity, who \nis either pregnant or the partner of someone who is \npregnant. \nParenting: an individual, regardless of gender identity, who \nis the parent of a child. \nCaregiver: an individual currently providing care for the \nstudent who has completed the notarized \u201cCaregiver \nAuthorization Affidavit\u201d granting education decision-making \nrights. \nEmancipated minor: an individual under age 18 who is self-\nsupporting and independent of parental control, sometimes \nas a result of a court order terminating the rights and duties \nof the parent(s). Under Massachusetts law, a minor who is \npregnant or parenting is not automatically emancipated; \nhowever, as provided for in the law, pregnant and parenting \nstudents can give independent consent for medical or \ndental care for themselves or their children, including for \nschool-based medical services (see M.G.L. Ch. 112 \u00a7 12F).", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "c0d076f5-31b1-4723-bc61-5eacc91d99fa": { + "page_content": "students can give independent consent for medical or \ndental care for themselves or their children, including for \nschool-based medical services (see M.G.L. Ch. 112 \u00a7 12F). \nFERPA (Family Educational Rights and Privacy Act): a \nfederal law that affords parents the right to have access to \ntheir children\u2019s education records, the right to seek to have \nthe records amended, and the right to have some control \nover the disclosure of personally identifiable information \nfrom the education records. When a student turns 18 years \nold or enters a postsecondary institution at any age, the \nrights under FERPA transfer from the parents to the \nstudent.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "334326dc-de12-4554-94ee-8619ed6d4972": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 3 of 28 \n \n \n \nHIPAA (Health Insurance Portability and Accountability \nAct): a federal law establishing national standards and \nrequirements for electronic health care transactions and \nprotecting the privacy and security of individually \nidentifiable health information. This law applies to health \ncare providers and ensures that they do not share medical \ninformation about their patients without the patients\u2019 \npermission. \nGender identity: A person's internal sense of being male, \nfemale, some combination of male and female, or neither \nmale nor female. A person\u2019s gender identity can be the \nsame or different from their physiology or assigned sex at \nbirth. \nParent: a child\u2019s mother or father or both or guardian, or a \nperson or agency legally authorized by a court order to act \non behalf of the child in place of or in conjunction with the \nmother, father, or guardian. \nPOLICY \nMaintaining Confidentiality", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "5ce4918b-8c3f-49b1-8a9c-ace8d095432c": { + "page_content": "person or agency legally authorized by a court order to act \non behalf of the child in place of or in conjunction with the \nmother, father, or guardian. \nPOLICY \nMaintaining Confidentiality \nExpectant and parenting students have the right to choose how \nand when they seek services and support from school staff. \nSchool staff must adhere to all applicable laws and regulations on \nconfidentiality for students, including the requirements stated in \nthe Family Educational Rights and Privacy Act (FERPA). As \nprovided for by this law, expectant and parenting students have \nthe right to have their health and personal information kept \nconfidential, including from other students and school staff who", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e2ee17f7-717e-49b1-a648-c4fdef29d6e6": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 4 of 28 \n \n \n \nare not required to be kept informed, except in circumstances \ninvolving their physical safety. \nWhen a student informs a school staff member of their expectant \nor parenting status, the staff member must inform their head of \nschool within a reasonable time period as appropriate. A \nreasonable time period should be determined by the immediacy \nof the student\u2019s need for an adjusted attendance policy and \nacademic supports; for expectant students, sufficient time should \nbe allowed for medical and health decisions to be made before \nsharing the student\u2019s expectant status with the head of school. \nThe staff member who has been informed must make the \nexpectant or parenting student aware of the need to inform the \nhead of school. The staff member should discuss with the \nstudent and determine a reasonable time period in which to \ninform the head of school. Depending on the details of the", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "f74e4b7b-a846-48cc-8dff-11362dbdd751": { + "page_content": "head of school. The staff member should discuss with the \nstudent and determine a reasonable time period in which to \ninform the head of school. Depending on the details of the \nsituation, the student\u2019s preferences regarding confidentiality, and \nthe student\u2019s needs, the head of school should then share this \ninformation with other staff on a limited, need-to-know basis. \nSchool staff must not force or coerce a student to inform their \nparents, or any other individual, of any pregnancy or parenting-\nrelated information. School staff must not disclose information \nabout a student\u2019s expectant or parenting status to the student\u2019s \nparents without permission from the student. If information \nabout a student\u2019s pregnancy is documented within the student \nrecord of a student under the age of 18, and parents make a \nrequest for the student record, FERPA would require the district \nto present parents with an opportunity to view the student", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "4cb33d8a-e832-4eda-9df0-a2f7dd14b67e": { + "page_content": "record of a student under the age of 18, and parents make a \nrequest for the student record, FERPA would require the district \nto present parents with an opportunity to view the student \nrecord. Boston Public Schools encourages communication with \nand involvement of parents/guardians/caregivers regarding \nhealth services and student supports. School staff working with", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b6aad711-77c7-46d8-9d02-634899f34c4e": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 5 of 28 \n \n \n \nexpectant or parenting students should encourage students to \nconsider informing their parents/guardians/caregivers or other \ntrusted family members about the pregnancy and decisions \nrelated to that pregnancy. \nNothing in this policy must prevent the disclosure of information \nin certain limited circumstances: cases of suspected child abuse \nor neglect (in accordance with laws on mandated reporting of \nabuse), threats by a minor against themselves or others, or cases \nwhere there is a serious risk to a minor\u2019s life or health. A student\u2019s \npregnancy does not in itself constitute a serious risk to a minor\u2019s \nlife or health, and therefore does not compel a staff member to \nfile a 51A based solely on the student\u2019s pregnancy, regardless of \nthe student\u2019s age. \nA student must give written consent to store data linking their \nname with academic information and their expectant or", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "62fd2c06-7a1b-4946-8593-9871d626d4d7": { + "page_content": "the student\u2019s age. \nA student must give written consent to store data linking their \nname with academic information and their expectant or \nparenting status. Storing this data together will help to ensure \nthat the student is receiving coordinated academic support. \nBefore giving this written consent, students must be informed \nthat, if they consent, information about their expectant or \nparenting status may be accessible to their parents as part of \ntheir full academic records. Any aggregated or trend data on \nexpectant or parenting students should not include any \nidentifying information. Qualified medical professionals within a \nschool building may keep confidential medical records on \npregnant students who have sought treatment. \nEnsuring a Safe and Supportive Learning Environment \nBPS Equity circulars protect the rights of students, including \nexpectant and parenting students, to attend school in an \nenvironment free of bias-based conduct. Regardless of their", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b28973c5-9074-45e1-8997-5cd5addaf5fd": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 6 of 28 \n \n \n \nsexual orientation, gender identity, relationship status, marital \nstatus, race, ethnicity, immigration status, Special Education or \nEnglish learner status, or other identities, expectant and \nparenting students have the same right as any other students to \nattend district schools or programs. District staff must not \nengage in bias-based conduct toward any expectant or \nparenting student, or exclude expectant or parenting students \nfrom any school, program, class, or extracurricular activity on the \nbasis of a student\u2019s expectant or parenting status. School staff are \nencouraged to bring an anti-racist lens to ensuring that \nexpectant and parenting students be respected, provided with all \nneeded supports, and actively encouraged to achieve their \nacademic goals. \nSchool personnel may require an expectant or parenting student \nto obtain the certification of a physician that the student is", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "f8111f05-cf5d-46aa-b3f9-4900237b48f4": { + "page_content": "academic goals. \nSchool personnel may require an expectant or parenting student \nto obtain the certification of a physician that the student is \nphysically and emotionally able to continue participation in such \nprograms or activities only if a certification is also required of all \nother students with physical or emotional conditions requiring \nthe attention of a physician. \nAll school staff must maintain and communicate high academic \nexpectations for all students, regardless of expectant or \nparenting status. Bias-based counseling and the use of materials \nthat treat students differently on the basis of sex, including \nexpectant or parenting status, are prohibited. \nThe Office of Equity and administrators at each school are \nresponsible for monitoring compliance with the provisions of this \ncircular. Individuals who feel that this circular may have been \nviolated or that they have been subject to bias-based conduct \nmay contact the BPS Office of Equity. Any school employee who", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "a4b2023a-0f23-49e7-9449-a167e7003d92": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 7 of 28 \n \n \n \nbecomes aware of bias-based conduct against an expectant or \nparenting student must report such conduct to the head of \nschool and/or to the Office of Equity. \nFinally, to promote a safe and supportive school environment, \nteachers and school staff must be sensitive to the health needs of \nexpectant and parenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, taking extra \nbathroom breaks, or leaving class shortly before dismissal to \nallow more time to pass between classes. Schools must also \naccommodate new mothers\u2019 need to express breastmilk and \nwork with students in partnership with the Office of Equity to \nidentify a private, sanitary location for this purpose, along with \nappropriate storage space for nursing equipment. \nPromoting Academic Success \nExpectant and parenting students have the right to remain in \ntheir regular or current school program, subject to universal", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "16cf6454-72f9-4e46-811f-7123b82e0018": { + "page_content": "Promoting Academic Success \nExpectant and parenting students have the right to remain in \ntheir regular or current school program, subject to universal \nparticipation requirements for those programs. School programs \ninclude but are not limited to: honors programs; special \neducation placements; specialized language programs; \nalternative programs; extracurricular, intramural, and \ninterscholastic activities; and graduation programs or activities. \nStudents may attend an alternative school or participate in an \nalternative program or activity for expectant or parenting \nstudents, but such enrollment or participation must be \ncompletely voluntary and never coerced. The alternative school, \nprogram, or activity must align with the Common Core State \nStandards and the Massachusetts Curriculum Frameworks.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "44e055bc-56bf-4e58-ac02-1cf3e94bd892": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 8 of 28 \n \n \n \nImplementing Attendance Policies \nAbsences for reasons of pregnancy and related medical \nconditions, including pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, and \nrecovery therefrom, must be considered excused absences. \nStudents have the right to be reinstated at the same school with \nthe same status as before the leave began after any pregnancy-\nrelated medical leave and/or parental leave. \nStudents who are parents are entitled to a fair and reasonable \nparental leave following the birth of a new child. Students who \nare parents are entitled to a minimum of eight weeks of parental \nleave for the purpose of giving birth, although a school may not \nrequire a student to remain out of school for a fixed period of \ntime post-childbirth. The amount of parental leave for each \nexpectant student shall be determined in consultation with the", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "9045bd1c-8348-451c-843e-1bfedafa3534": { + "page_content": "require a student to remain out of school for a fixed period of \ntime post-childbirth. The amount of parental leave for each \nexpectant student shall be determined in consultation with the \nstudent, school staff, the student\u2019s health care providers, and any \nother adults the student consents to include. School staff should \nencourage students to consider including their \nparents/guardians/caregivers in this conversation. \nDocumentation from students\u2019 licensed healthcare providers \nmay be required for verification of pregnancy and related \nmedical conditions only if it is also required for absences due to \nother medical conditions. \nAbsences due to the illness or medical appointment during \nschool hours of a student\u2019s child shall also be considered excused \nabsences. Parenting students shall not be required to provide \ndocumentation from a licensed healthcare provider to verify their \nchildren\u2019s illnesses unless such documentation is also required", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "538686a3-8c84-4300-a7de-e5f398633059": { + "page_content": "absences. Parenting students shall not be required to provide \ndocumentation from a licensed healthcare provider to verify their \nchildren\u2019s illnesses unless such documentation is also required \nfor absences due to all students\u2019 medical conditions.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "35622720-5248-401f-aa8e-ad19e47cf114": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 9 of 28 \n \n \n \nSchools must support the continuation of learning during \nexcused absences and leave, as medically appropriate. Every \nreasonable effort must be made to provide school and home-\nbased independent study activities for students who are or will \nbe absent for a significant period of time due to pregnancy-\nrelated illnesses, childbirth, and recovery, and parental leave. \nStudents who are pregnant or parenting must have access to \nhomebound or hospital instructional services on the same basis \nas any other student who misses school for a temporary medical \ncondition. \nStudents with excused absences due to their expectant or \nparenting status must have the same opportunity to complete \nassignments and tests missed, or an equivalent of the work \nmissed, that any other student would have after excused \nabsences. Students must be given full credit upon satisfactory \ncompletion of that work. \nUsing Liaisons to Share Information", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e2f0df19-f119-4d70-9d9e-0125b0701c8f": { + "page_content": "missed, that any other student would have after excused \nabsences. Students must be given full credit upon satisfactory \ncompletion of that work. \nUsing Liaisons to Share Information \nHeads of school that oversee any student in grades 6-12 must \nidentify a school liaison for the Expectant and Parenting Students \nPolicy to help share information among the school community. \nSchools must submit the name of this liaison to the Health and \nWellness Office. The liaison may be a guidance counselor, school \nnurse, social worker, or other school staff member. Should the \nexpectant and parenting student liaison step down, a \nreplacement must be identified and reported to the Health and \nWellness Office within 15 school days. \nLiaisons will work with the school leadership and the School \nWellness Council to share this policy with staff, students, and \nfamilies. All schools within the district that include any grades 6-", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "558221a0-b497-4e9e-a6ec-7edf3dc4e50a": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 10 of 28 \n \n \n \n12 must disseminate this policy among school staff and \nadministration. The policy must also be shared with students and \nfamilies within the first month of school, and it must be posted in \nthe school nurse\u2019s office throughout the school year. The school \nmust make the policy publicly available in any school-based \nhealth centers or health resource centers. The name of the \nexpectant and parenting student liaison as well as a copy of this \npolicy must also be posted on the school website. \nHeads of school are ultimately responsible for the academic \nsuccess of their students. Therefore, school leaders must \nintervene in cases where students\u2019 needs are not being met, \nespecially when the action or inaction of school staff is a \ncontributing factor. \nThe Office of Health and Wellness will coordinate training for \nliaisons. That office must supply district and community \nresources to liaisons. Liaisons must make this information", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "dd95f00f-6a30-40e1-8dcc-16ac3dbee4cd": { + "page_content": "The Office of Health and Wellness will coordinate training for \nliaisons. That office must supply district and community \nresources to liaisons. Liaisons must make this information \navailable to students and staff as needed.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "a63b4f97-a82f-491d-abdb-b6cd074bc53d": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 11 of 28 \n \n \n \nPOLICY IMPLEMENTATION AND REVIEW \nCentral offices and departments (e.g., Opportunity Youth, Health \nServices, Health & Wellness), in collaborations with school \nsuperintendents, will work with schools where there are multiple \nexpectant and parenting students, where existing support \nsystems may not be adequate to support their needs, to help \nestablish a plan for providing more comprehensive systems of \nsupport. For example, this could include creating a school-based \nteam to develop and implement individual student plans, hiring a \npart-time student liaison to work with expectant and parenting \nstudents, or bringing in external programs or resources to \nsupport students. In all cases, the plan must be approved by the \nhead of school and must match available school resources \n(particularly staff and budget). \nThis policy and its associated implementation procedures will be", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "d92026f5-d249-45e8-8ef6-43460c9139c8": { + "page_content": "head of school and must match available school resources \n(particularly staff and budget). \nThis policy and its associated implementation procedures will be \nreviewed annually by the Office of Equity and the Office of Health \nand Wellness and updated as needed. \nIMPLEMENTATION GUIDELINES & PROCEDURES \nRights of Expectant and Parenting Students \nExpectant and parenting students have the right to: \n1. Choose how and when they seek services and support from \nschool staff. \n2. Choose when and how to inform \nparents/guardians/caregivers or other trusted family \nmembers of their pregnancy and decisions related to that \npregnancy.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "96634c70-e7cb-4db1-bfdd-9c9503d3aa84": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 12 of 28 \n \n \n \n3. Have information shared with school personnel on a need-\nto-know basis only, unless the student provides written, \ninformed consent. \na. In particular, students must give written, informed \nconsent before information on their expectant or \nparenting status is stored in school files alongside their \nacademic information. \n4. Participate in school programs, activities, classes, or \nextracurricular activities and remain in their regular or \ncurrent school program, subject to universal participation \nrequirements. \na. Enrollment by expectant or parenting students in any \nalternative program or activity must be completely \nvoluntary. \n5. Have their absences excused when due to the illness or \nmedical appointment of a child or their own pregnancy-\nrelated reasons. \n6. Complete assignments and tests missed, or an equivalent of \nthe work missed, after excused absences due to their", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "9ac251b0-97a3-474d-a33b-9bbc6afb8ee2": { + "page_content": "medical appointment of a child or their own pregnancy-\nrelated reasons. \n6. Complete assignments and tests missed, or an equivalent of \nthe work missed, after excused absences due to their \nexpectant or parenting status and receive full credit upon \nsatisfactory completion of that work. \n7. Participate in a conference with school staff and health care \nproviders about the amount of parental leave they will take, \nand to choose which other adults (including \nparents/guardians/ caregivers or other trusted family \nmembers), if any, to include in that conference. \na. Students are entitled to a minimum of eight weeks of \nparental leave.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "2dd1d523-3d7a-48af-94ba-9efea2dba4f8": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 13 of 28 \n \n \n \nb. BPS employees may not require a student to remain \nout of school for a fixed period of time post-childbirth. \n8. Receive Home and Hospital Instruction services to continue \nlearning and obtain instruction during excused absences \nand/or leave that total more than 14 days in a school year. \na. Students must provide a qualified physician's \nstatement to access Home and Hospital Instruction \nservices. \n9. Be reinstated at the same school at the conclusion of \npregnancy and/or parental leave with the same status as \nbefore the leave began. \nProtecting Student Confidentiality \n1. Boston Public Schools employees must adhere to all \napplicable laws and regulations on confidentiality for \nstudents, including the requirements stated in the Family \nEducational Rights and Privacy Act (FERPA). \na. Obtain written, informed consent from expectant or \nparenting students before storing data linking", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "76e2f056-d42e-4385-b0ff-ae64278f1e62": { + "page_content": "Educational Rights and Privacy Act (FERPA). \na. Obtain written, informed consent from expectant or \nparenting students before storing data linking \nstudents\u2019 names with academic information and \nexpectant or parenting status. \nb. Before giving written consent, students must be \ninformed that, if they consent, information about their \nexpectant or parenting status will be entered into their \neducational records to ensure that students are \nreceiving necessary supports, and educational records \nare accessible to their parents in accordance with \nFERPA.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "6aef8178-ba03-49d6-8923-ae4dc46e11e0": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 14 of 28 \n \n \n \n2. When a student informs a school staff member of their \nexpectant or parenting status, the staff member must \ninform their head of school within a reasonable time period \nas appropriate in order to provide coordinated academic \nsupport and adjusted attendance policies. \na. A reasonable time period should be determined by the \nimmediacy of the student\u2019s need for an adjusted \nattendance policy and academic supports, balanced \nwith the time needed by an expectant student to make \npersonal health decisions before the head of school is \ninformed. \nb. The staff member should explain to the student the \nneed to inform the head of school in order to make a \ncoordinated plan for academic success. The staff \nmember should discuss with the student what a \nreasonable time period would be for them so there is a \nshared understanding and accountability of the next \nsteps. \nc. If the student is pregnant and needs more time and", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "bd8309e8-f940-492c-9612-45acc287a515": { + "page_content": "reasonable time period would be for them so there is a \nshared understanding and accountability of the next \nsteps. \nc. If the student is pregnant and needs more time and \nsupport to consider their options and connect with a \nmedical provider, the staff and student should make a \nplan to check in regularly to ensure the student \nreceives timely support. The staff member is not \nrequired to inform the head of school if the pregnancy \nis ended. \nd. Depending on the details of the situation, the student\u2019s \npreferences regarding confidentiality, and the \nstudent\u2019s needs, the head of school should then share \nthis information with other staff on a limited, need-to-\nknow basis. The school nurse may be helpful if health", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "59b547cc-a0b8-40d3-bb84-5a4d5451cbb3": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 15 of 28 \n \n \n \ncare coordination with the student\u2019s medical provider \nis needed. A school social worker may be helpful in \nconnecting the student to other support services. The \nstudent should be consulted before sharing their \nstatus with other staff; this is essential to building trust, \nhonoring student autonomy, and ensuring the student \nfeels safe and supported. \n3. School staff members must not disclose a student\u2019s \nexpectant or parenting status to that student\u2019s parents \nregardless of age without permission from the student. \nAdditionally, staff members must not force or coerce \nstudents to inform their parents, or any other individual, of \nany pregnancy or parenting-related information. \na. School staff working with expectant or parenting \nstudents should encourage them to consider informing \ntheir parents/guardians/caregivers or other trusted \nfamily members of the pregnancy and decisions", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b5e5b0c3-a6da-44bf-b33c-46a983895068": { + "page_content": "students should encourage them to consider informing \ntheir parents/guardians/caregivers or other trusted \nfamily members of the pregnancy and decisions \nrelated to that pregnancy. Having a support system \nwhere they live is very important during pregnancy \nand while parenting. However, to help the student \nmake a support plan, the trusted staff should ask if the \nstudent believes that telling their family about the \npregnancy will put the student in danger and should \nbe aware of such dynamics in the student\u2019s home life. \nA school social worker, a trained reproductive health \ncounselor, or a similar support role may be best suited \nto help counsel a student in this matter. \nb. In accordance with Massachusetts General Law \n(Chapter 119, Section 51A), school staff are expected to \ndisclose information on child abuse or neglect to the", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "5cecd1e7-6154-4f84-b0dc-d714673d49b4": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 16 of 28 \n \n \n \nappropriate authorities. Mandated reporters must \nreport if, when acting in their professional capacities, \nthey have reasonable cause to believe that a child is \nsuffering certain kinds of physical or emotional injury. \nThe kinds of physical or emotional injuries that must be \nreported are those that are the result of (i) abuse \ninflicted upon the child which causes harm or \nsubstantial risk of harm to the child's health or welfare, \nincluding sexual abuse; (ii) neglect, including \nmalnutrition; or (iii) physical dependence upon an \naddictive drug at birth. A student\u2019s pregnancy does not \nin itself constitute a serious risk to a minor\u2019s life or \nhealth and does not automatically require submitting a \nreport. \n4. School staff members should reach out to the school policy \nliaison, a school administrator, or the Office of Equity to get \nsupport in understanding confidentiality procedures as \nneeded.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "d3fddfd4-1cee-4f55-af04-f67999b80605": { + "page_content": "4. School staff members should reach out to the school policy \nliaison, a school administrator, or the Office of Equity to get \nsupport in understanding confidentiality procedures as \nneeded. \nEnsuring a Safe, Supportive Learning Environment \nBPS employees must: \n1. Treat all students, including expectant and parenting \nstudents, with respect, recognizing that all students have \nthe potential to succeed. \n2. Maintain and communicate high academic expectations for \nall students, regardless of expectant or parenting status. \n3. Recognize and address the ways multiple forms of bias, \ninducing racial bias, may impact an expectant or parenting \nstudent\u2019s opportunities for academic success.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ce61da1c-d22b-4ca3-8a2e-4f0e0813be98": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 17 of 28 \n \n \n \n4. Ensure that expectant and parenting students are not \nexcluded from any school, program, class, or extracurricular \nactivity on the basis of the student\u2019s expectant or parenting \nstatus. \na. Teachers and school staff are encouraged to be \nsensitive to the health needs of expectant and \nparenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, \ntaking extra bathroom breaks, or leaving class shortly \nbefore dismissal to allow more time to pass between \nclasses. \nb. Schools must also accommodate new mothers\u2019 need to \nexpress breast milk. Contact the Office of Equity for \nassistance as needed. \n5. Any BPS employee, student, or family member who \nbecomes aware of possible bias-based conduct against an \nexpectant or parenting student should report such conduct \nto the head of school and/or to the BPS Office of Equity. \nROLES AND RESPONSIBILITIES \n1. School administrators are responsible for:", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b2dc32c0-9715-4a7e-adbd-c58d2c5763bf": { + "page_content": "expectant or parenting student should report such conduct \nto the head of school and/or to the BPS Office of Equity. \nROLES AND RESPONSIBILITIES \n1. School administrators are responsible for: \na. Ensuring school staff\u2019s compliance with the policy. \ni. Intervene in cases where students\u2019 needs are not \nbeing met, especially when the action or inaction \nof school staff is a contributing factor. \nb. Identifying a school policy liaison: Schools with any \ngrades 6-12 must identify an Expectant and Parenting \nStudent Policy liaison to share information with school \nstaff, students, and families.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "c7dc745c-0f53-4d1d-9de7-8c04973b6572": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 18 of 28 \n \n \n \ni. School leaders must submit the name of the \npolicy liaison to the assistant superintendent, \nOffice of Health & Wellness, by the first day of \nschool each year. See contact at the end of the \ncircular. \nii. If the school\u2019s policy liaison steps down, the school \nleader must identify a replacement and report \ntheir name to the Assistant Superintendent, Office \nof Health & Wellness, within 15 school days. \niii. Every school has a different structure for \nproviding student support services; therefore, the \nschool-based position of the liaison may differ \namong schools. It is usually best if the liaison is in \nregular contact with expectant and parenting \nstudents as part of their job, such as a guidance \ncounselor or social worker. At the K-8 or middle \nschool level, where there are generally fewer \nexpectant or parenting students, it may be \nappropriate for a health teacher or other \ninterested teacher to serve as liaison. School", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "43fd9e3e-5ebe-432f-82fb-3e389f2a5480": { + "page_content": "school level, where there are generally fewer \nexpectant or parenting students, it may be \nappropriate for a health teacher or other \ninterested teacher to serve as liaison. School \nnurses may not be the ideal choice as a liaison \nsince they may not be available to leave the \nnurse\u2019s office during school hours to share \ninformation with other staff. \nc. Overseeing the policy liaison to ensure communication \nof the policy to all staff, students, and families. \nd. Working with the Office of Equity to accommodate \nnew mothers\u2019 need to express breast milk by \nidentifying a private, sanitary location for this purpose, \nalong with appropriate storage space for nursing", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "dda16f6f-9690-4d76-bdbc-5d112ed8df39": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 19 of 28 \n \n \n \nequipment. Bathrooms are not appropriate facilities, \neven if private. To qualify, spaces should be \u201cshielded \nfrom view and free from any intrusion.\u201d For more \nguidelines, see the fact sheet on \u201cBreak Time for \nNursing Mothers Under the FLSA,\u201d available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \ne. Reporting any instances of possible bias-based \nconduct against an expectant or parenting student to \nthe Office of Equity (phone: 617-635-9650 or email: \nbpsequity@bostonpublicschools.org) \ni. It is considered bias-based conduct to exclude an \nexpectant or parenting student from any school, \nprogram, class, or extracurricular activity on the \nbasis of a student\u2019s expectant or parenting status. \nii. Enrollment by expectant or parenting students in \nany alternative program or activity must be \ncompletely voluntary. \n2. School Expectant and Parenting Student Policy liaisons are \nresponsible for:", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "3b109475-b8fd-4810-b1fe-daf993506cef": { + "page_content": "any alternative program or activity must be \ncompletely voluntary. \n2. School Expectant and Parenting Student Policy liaisons are \nresponsible for: \na. Completing the initial district training for policy liaisons \nwithin the first few months of school, and any refresher \ntraining as required. The training objectives are to \nincrease knowledge about the policy and related laws \nand improve skills in supporting expectant and \nparenting students and communicating with the \nschool community. \nb. Ensuring that the policy is shared with students, \nfamilies, and school staff.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "0aca12c0-5433-48cd-9006-8635eeec6371": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 20 of 28 \n \n \n \ni. Work with the school leadership and the school \nwellness council to share the policy with staff, \nstudents, and families, ensuring translation for \nstudents and families whose primary language is \nnot English. \nii. Make the policy and any appropriate resources \navailable in the school nurse\u2019s office and any \nschool-based health centers or health resource \ncenters. \niii. Post the name of the policy liaison and a copy of \nthe policy on the school website so any member \nof the school community can access it. \nc. Disseminating information about district and \ncommunity resources. \ni. Inform administrators, staff, and students about \nthe availability of resources for expectant and \nparenting students; see Office of Health & \nWellness for resources. \nii. Disseminate information about support resources \nto expectant and parenting students directly as \nappropriate or through other school staff", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "a5d4f2af-420a-4400-8348-70a39834e03d": { + "page_content": "Wellness for resources. \nii. Disseminate information about support resources \nto expectant and parenting students directly as \nappropriate or through other school staff \nmembers as needed; students are not required to \nmeet with the liaison if they do not wish. \nd. Supporting all school staff in maintaining student \nconfidentiality as required by this policy and the law. \ni. Liaisons do not need to be informed of the \nidentity of any expectant and parenting student \nunless the student chooses to inform the liaison; \ninformation and resources can be shared through", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b6eadbb5-ec80-4c87-96ca-9fe1a3fbf640": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 21 of 28 \n \n \n \nthe school staff member with whom the student \nhas confided. \nii. Liaisons are not expected to be case managers or \ncounselors for expectant or parenting students \nunless this is already part of their job \nrequirements. \n3. School nurses are responsible for: \na. Offering regular check-ins with expectant students to \nmonitor their health and wellness during their \npregnancy. The type and frequency of check-ins should \nbe established based on the student\u2019s wishes, needs, \nand determined in consultation with the student. \ni. Health services should be provided in a safe and \nsupportive environment free from bias-based \nconduct towards expectant or parenting students. \nb. Maintaining confidential medical records on pregnant \nor parenting students who have sought treatment. \nSchool nurses must be particularly aware of their \nresponsibilities under state and federal law and \nregulations, especially the Health Insurance Portability", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "d7398d26-826a-4b2e-9499-d1e93457944c": { + "page_content": "School nurses must be particularly aware of their \nresponsibilities under state and federal law and \nregulations, especially the Health Insurance Portability \nand Accountability Act (HIPAA). \nc. Partnering with the head of school and the Office of \nEquity to accommodate new mothers\u2019 need to express \nbreast milk by identifying a private, sanitary location for \nthis purpose, along with appropriate storage space for \nnursing equipment. Bathrooms are not appropriate \nfacilities, even if private. To qualify, spaces should be \n\u201cshielded from view and free from any intrusion.\u201d For \nmore guidelines, see the fact sheet on \u201cBreak Time for", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "a9b21878-5128-420c-b9e6-c64ba6f5cf20": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 22 of 28 \n \n \n \nNursing Mothers Under the FLSA,\u201d available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \nd. Helping to determine the amount of parental leave a \nstudent will take following the birth of a child in \nconsultation with the student, school staff who are \nalready aware of the student\u2019s expectant status, the \nstudent\u2019s health care providers, and any other adults \nthe student consents to include. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth. \ne. Posting the policy in the school nurse\u2019s office \nthroughout the school year and making the policy \npublicly available in any school-based health centers or \nhealth resource centers. \n \n4. Guidance counselors are responsible for: \na. Providing expectant and parenting students with \nacademic support and guidance when requested.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e5e055a1-3a72-414d-a7fe-6157a7957ec2": { + "page_content": "health resource centers. \n \n4. Guidance counselors are responsible for: \na. Providing expectant and parenting students with \nacademic support and guidance when requested. \nStudents should be encouraged to seek support from \nschool guidance counselors to make an academic plan, \nbut students have a right to choose how and when \nthey seek services and support from school staff. \ni. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-\ntime arrival and regular attendance. For some", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "6ca3fe83-5958-4d22-93b9-85eded721b07": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 23 of 28 \n \n \n \nstudents, this may include flexible scheduling, \nindependent study periods, or online courses \n(provided that online courses include sufficient \nopportunities for in-person interaction and \nsupport as needed). \nb. Obtaining written, informed consent from expectant or \nparenting students before storing data linking \nstudents\u2019 names with academic information and \nexpectant or parenting status. Before giving written \nconsent, students must be informed that, if they \nconsent, information about their expectant or \nparenting status will be entered to ensure that \nstudents are receiving necessary support, and then \nmay be accessible to their parents as part of their full \nacademic records. \nc. Ensure that any counseling or information provided to \nstudents is unimpeded by bias. \nd. Ensure that any student\u2019s decision about whether to \nparticipate in alternative schools, programs, or \nactivities for expectant or parenting students is", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "738e082b-d5d7-4835-bd9f-d66b838b32d6": { + "page_content": "students is unimpeded by bias. \nd. Ensure that any student\u2019s decision about whether to \nparticipate in alternative schools, programs, or \nactivities for expectant or parenting students is \ncompletely voluntary if sharing information with \nstudents about those programs. \ne. If a school does not have a guidance counselor on staff, \nthese responsibilities fall to the head of school. \n5. The student\u2019s school leader or their designee is responsible \nto: \na. Bring together the student, other school staff already \naware of the student\u2019s expectant or parenting status, \nthe student\u2019s health care providers, and any other", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1449c745-7f86-4ffe-88c0-f87d2f775553": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 24 of 28 \n \n \n \nadults the student consents to include to determine \nthe amount of parental leave for each expectant \nstudent. Encourage students to consider including \ntheir parents/guardians/caregivers in this conversation. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth. \nb. Ensure that students are reinstated at the conclusion \nof a pregnancy and/or parental leave with the same \nstatus as before the leave began. \nc. Support the continuation of learning during excused \nabsences and leave, as medically appropriate, including \nby working with the student to arrange a temporary \nhome or hospital instructional services through the \nBPS Opportunity Youth Department. \nd. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-time", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "f3d79d21-4fd1-46fb-ab47-08f3bb918828": { + "page_content": "home or hospital instructional services through the \nBPS Opportunity Youth Department. \nd. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-time \narrival and regular attendance. Contact the Homeless \nEducation Resource Network (HERN) to arrange \ntransportation and promote school attendance among \nexpectant or parenting students experiencing \nhomelessness who are residing outside of the district. \ne. Ensure that absences are excused when they arise \nfrom pregnancy and related medical conditions, \nincluding pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, \nand recovery therefrom. Documentation from", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "5c8aec0d-af98-483f-a60d-50fcb6db1f6d": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 25 of 28 \n \n \n \nstudents\u2019 licensed healthcare providers may be \nrequired for verification of pregnancy and related \nmedical conditions only if it is also required for \nabsences due to other medical conditions. \nf. Ensure that absences are considered excused when \nthey are due to the illness or medical appointment \nduring school hours of a child of a student. \n6. Central Office Staff \na. Office of Health and Wellness is responsible for: \ni. Tracking names of school-based policy liaisons \nii. Coordinating initial and any needed refresher \ntraining resources for policy liaisons. The training \nwill include best practices on disseminating \ninformation about the expectant and parenting \nstudents policy, on finding and distributing \nresources to students in a culturally responsive \nway, and on expectations for data collection and \nconfidentiality. \niii. Maintaining up-to-date district and community \nresources for supporting expectant and parenting", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "2680cf9b-e0cf-46cf-a3e5-d30502326ff1": { + "page_content": "way, and on expectations for data collection and \nconfidentiality. \niii. Maintaining up-to-date district and community \nresources for supporting expectant and parenting \nstudents and sharing these resources with \nliaisons. \nb. Office of Equity is responsible for: \ni. Monitoring compliance with this policy, including \nresponding to reports of possible bias-based \nconduct. \nii. Ensuring communication of the policy at every \nlevel of staff within the district and", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "8a25aa64-4fba-48d3-95cb-ac4551dfdc6a": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 26 of 28 \n \n \n \ncommunicating the policy yearly to families \nthrough the BPS Guidebook. \niii. Reviewing the policy and its associated \nimplementation procedures annually and \nupdating as needed in collaboration with the \nOffice of Health and Wellness and other central \noffice stakeholders identified in this policy. \niv. Sharing the expectant and parenting students \npolicy and policy updates with the Boston \nStudent Advisory Council and other student \ngroups. \nc. The Department of School Health Services is \nresponsible for: \ni. Providing training and guidance to school nurses \non best practices for working with expectant and \nparenting students, including how to ensure \nconfidentiality in accordance with this policy and \nthe law and providing culturally responsive \nservices. \nd. Office of Opportunity Youth is responsible for: \ni. Working with schools to help support the \ncontinuation of learning during excused absences", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "677bebef-1e42-4463-a040-66df6c890383": { + "page_content": "services. \nd. Office of Opportunity Youth is responsible for: \ni. Working with schools to help support the \ncontinuation of learning during excused absences \nand leave through the Home and Hospital \nInstruction Program. \nii. Through supervisors of attendance, responding to \ninquiries about attendance policies or reporting, \nincluding policies on excused absences for \nexpectant and parenting students.", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "993b0d40-e091-4353-b83d-58da4a853772": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 27 of 28 \n \n \n \niii. Through the Homeless Education Resource \nNetwork (HERN), working with schools to arrange \ntransportation and promote school attendance \namong expectant or parenting students \nexperiencing homelessness who are residing \noutside of the district. \ne. Central office departments tasked with student \nsupport services, such as Guidance and Social Work, \nare responsible for: \ni. Supporting the communication of this policy to \nthe school-based staff they support and \nsupporting professional development to ensure \nstaff is trained and have the resources to support \nexpectant and parenting students. \nii. Identifying schools with large numbers of \nexpectant and parenting students, such that \nexisting support systems may not be adequate to \nsupport their needs and helping to establish a \nplan for providing more comprehensive systems \nof support. \nFor more information about this circular, contact:", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ce8779fa-a862-492e-9f59-88d17f462f68": { + "page_content": "support their needs and helping to establish a \nplan for providing more comprehensive systems \nof support. \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington Street, 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-9650 \nEmail: bpsequity@bostonpublicschools.org", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1ffd9a9b-eadd-4161-a6a8-0c5baf37ec64": { + "page_content": "Superintendent\u2019s Circular EQT-08 \nPage 28 of 28 \n \n \n \nOR \nName: Senior Executive Director \nDepartment: Office of Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-7926 \nEmail: healthandwellness@bostonpublicschools. \norg \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-08 Expectant & Parenting Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "36e961d7-f62f-4410-a300-58345bb4e88a": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-07 \nVersion 01 \n \n \n \nACCOMMODATING EMPLOYEES WITH DISABILITIES, \nPREGNANCY, AND PREGNANCY-RELATED CONDITIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to providing equal \nemployment opportunity to all individuals, in accordance with \nChapter 151B of the Massachusetts General Laws and with the \nAmericans with Disabilities Act (ADA). This circular provides \ninformation about the district procedures to address \naccommodation requests for employees on the basis of disability, \npregnancy, and pregnancy-related conditions. \nEMPLOYEES WITH DISABILITIES \nAny current or prospective employee who is an individual with a \ndisability may request a reasonable accommodation to assist in \nperforming the essential functions of their assignment. \nChapter 151B and the ADA define a person with a disability as", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "df1ef420-17b2-4209-88bc-8e68ac2c1a5d": { + "page_content": "disability may request a reasonable accommodation to assist in \nperforming the essential functions of their assignment. \nChapter 151B and the ADA define a person with a disability as \nsomeone who: (1) has a physical or mental impairment that \nsubstantially limits one or more major life activities; (2) has a \nrecord of such an impairment; or (3) is regarded as having such \nan impairment.", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "4b4270ad-b171-4144-bc5c-df3cfa6e89b3": { + "page_content": "Superintendent\u2019s Circular EQT-07 \nPage 2 of 6 \n \n \n \nMajor life activities include, but are not limited to, caring for \noneself, performing manual tasks, seeing, hearing, eating, \nsleeping, walking, standing, lifting, bending, speaking, breathing, \nlearning, reading, concentrating, thinking, communicating, and \nworking, and the operation of a major bodily function. Although \nnot exhaustive, examples of the range and variety of disabilities \nincluded under these laws are provided below. \n\u2022 Non-Ambulatory Disabilities \u2013 Physical impairments, \nregardless of cause, that require an individual to use a \nwheelchair, including individuals who are paraplegic, \nquadriplegic, hemiplegic, or have had a limb or limbs \namputated. \n\u2022 Semi-Ambulatory Disabilities \u2013 Physical impairments that \ncause a person to walk with difficulty, perhaps with the \nassistance of a cane, crutches, or walker. \n\u2022 Coordination Disabilities \u2013 Impairments of muscle control of \nthe limbs.", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "7e89baa9-fc2e-45ce-a545-b1078128a3c8": { + "page_content": "cause a person to walk with difficulty, perhaps with the \nassistance of a cane, crutches, or walker. \n\u2022 Coordination Disabilities \u2013 Impairments of muscle control of \nthe limbs. \n\u2022 Sight Disabilities \u2013 Impairments affecting vision totally or \npartially. \n\u2022 Hearing Disabilities \u2013 Impairments affecting hearing totally \nor partially. \n\u2022 Speech Impairments \u2013 Impairments affecting totally or \npartially the ability to communicate orally. \n\u2022 Learning Disabilities \u2013 Impairments that impede learning \nprocesses. \n\u2022 Mental or Psychological Disorders \u2013 Impairments affecting \nindividuals\u2019 neurological and/or psychological functioning, \nbehavior, and/or mood.", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "94827fe6-0555-4a8c-95ca-7c6f7853c4e8": { + "page_content": "Superintendent\u2019s Circular EQT-07 \nPage 3 of 6 \n \n \n \nThe district\u2019s nondiscrimination policy prohibits bias-based \nconduct or discrimination on the basis of disability in any aspect \nof the employment relationship, including: \n1. Recruitment, advertising, and the processing of \napplications \n2. Hiring, evaluation, upgrading, promotion, award of \npermanent teacher status, demotion, transfer, layoff, \ntermination, right of return from layoff, and rehiring \n3. Rates of pay or any other form of compensation, and \nchanges in compensation \n4. Job assignments, job classifications, organizational \nstructures, position descriptions, lines of progression, \nand seniority lists \n5. Leaves of absence, sick leave, or any other leave \n6. Fringe benefits available by virtue of employment, \nwhether or not administered by the Boston Public \nSchools \n7. Selection and financial support for training, including \nprofessional development, conferences, and other", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "3c4df5a1-a022-4e89-8dbd-863960c98e1c": { + "page_content": "whether or not administered by the Boston Public \nSchools \n7. Selection and financial support for training, including \nprofessional development, conferences, and other \nrelated activities, and selection for leave of absence to \npursue training. \nPREGNANCY AND PREGNANCY-RELATED CONDITIONS \nAs of April 1, 2018, any current or prospective employee who is \npregnant or has a pregnancy-related condition, such as lactation \nor the need to express breast milk, may request a reasonable \naccommodation to assist in performing the essential functions of \ntheir assignment.", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "2e193632-c1ae-4439-8f76-e88de1fac5cf": { + "page_content": "Superintendent\u2019s Circular EQT-07 \nPage 4 of 6 \n \n \n \nIf an employee requests an accommodation for: (1) more frequent \nrestroom, food, or water breaks; (2) seating; (3) limits on lifting no \nmore than 20 pounds; and (4) private, non-bathroom space for \nexpressing breast milk, no medical documentation \naccompanying such a written request is necessary. Other \naccommodation requests may require supporting medical \ndocumentation or information. \nEmployees who are pregnant or have pregnancy-related \nconditions may contact the Office of Equity to begin the \naccommodations process. \nREASONABLE ACCOMMODATION PROCESS \nA \u201creasonable accommodation\u201d is any modification or \nadjustment to a job or work environment that allows an \napplicant or employee with a disability, pregnancy, and \npregnancy-related conditions to participate in the job application \nprocess, perform the essential functions of a job, or enjoy benefits \nand privileges of employment equal to those enjoyed by", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "fee417c7-72b6-4c8e-9f7d-9f276a35ec42": { + "page_content": "pregnancy-related conditions to participate in the job application \nprocess, perform the essential functions of a job, or enjoy benefits \nand privileges of employment equal to those enjoyed by \nemployees. Upon receiving a request for a reasonable \naccommodation, the Boston Public Schools will engage in an \ninteractive dialogue process. The district will attempt to provide \nreasonable accommodations unless it would cause an undue \nhardship or fundamentally alter the district\u2019s programs. \nAny applicant or employee seeking reasonable accommodations \non the basis of a disability, pregnancy, and pregnancy-related \nconditions may contact the Office of Equity to begin the process. \nInformation an employee chooses to submit during the \naccommodation process, such as relevant medical \ndocumentation, will be kept confidential to the extent", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "6eb770d5-3460-40cd-ab65-125f056c22e5": { + "page_content": "Superintendent\u2019s Circular EQT-07 \nPage 5 of 6 \n \n \n \npracticable. Information collected in the reasonable \naccommodation process will be kept in a confidential file with \nthe Office of Equity. \nYour cooperation in implementing a policy of nondiscrimination \nagainst persons with disabilities will assist the Boston Public \nSchools in ensuring equal opportunity for all employees and \npotential employees. \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful discrimination \non the basis of disability, pregnancy, and pregnancy-related \nconditions, you may file a formal complaint with either of the \ngovernment agencies set forth below. Using BPS' internal \nreporting process does not prohibit you from also filing a \ncomplaint with these agencies. These agencies have a short time \nperiod for filing a claim (300 days from the most recent act of \nalleged discrimination). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1d51f22a-d01f-4588-b52b-806d186d820b": { + "page_content": "period for filing a claim (300 days from the most recent act of \nalleged discrimination). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \nPhone: 1-800-660-4000", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1d87a246-d812-4848-a1ce-fd2a0fa14f1f": { + "page_content": "Superintendent\u2019s Circular EQT-07 \nPage 6 of 6 \n \n \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: Director of Accommodations in the Office of \nEquity \nDepartment: Office of Equity \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nE-mail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-07 Accommodating Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ec4074be-524e-49b9-9b93-eb60e02df1c9": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nEQT-10 \nVersion 01 \n \n \n \nOPPORTUNITY AND ACHIEVEMENT GAPS (OAG) \nPOLICY IMPLEMENTATION \n(For the 2016 Policy of the Boston Public Schools to Eliminate \nOpportunity & Achievement Gaps for students of color, \nmultilingual learners, students with disabilities and students of \nlow socio-economic status) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nCIRCULAR CONTENTS \nI. Opportunity & Achievement Gaps (OAG) Policy Goals \nII. OAG Policy Oversight and Implementation \nIII. OAG Policy SMARTIE Goals / Aligned with Strategic Plan \nImplementation Goals \na. Superintendent Goals \nb. Central Office Department & Division Goals \nc. School-based Goals \nd. Cross Functional Team Goals \nIV. Transparency & Public Accountability \nThe Boston Public Schools is committed to ensuring that every \nchild in every classroom has unfettered access to all the \nopportunities needed to be successful academically and social", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "facd070e-8caa-4395-b827-b45d9efceab1": { + "page_content": "The Boston Public Schools is committed to ensuring that every \nchild in every classroom has unfettered access to all the \nopportunities needed to be successful academically and social \nemotionally. In order to meet this mission, it\u2019s important that \nevery district employee reads, understands, embodies, and \nimplements the 2016 Opportunity & Achievement Gaps Policy.", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "effc6b30-1b60-488d-8f9c-088ce3e086fe": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 2 of 10 \n \n \n \n \nI. OAG POLICY GOALS \nThe OAG Policy aspires to achieve the following goals: \n\u2022 Goal 1: Districtwide Implementation and Oversight \n\u2022 Goal 2: Districtwide Focus on Cultural Proficiency as \nCentral to the Work of the Boston Public Schools \no Objective 2.1: Develop a clear, shared vision for cultural \nproficiency with Cultural Proficiency Standards, and \npromote culturally and linguistically sustaining and \naffirming practices districtwide. \no Objective 2.2: Continue and expand efforts aimed at \nincreasing dialogue and transparency around issues of \nracism and inclusion and create a system for reporting \nallegations of racial bias and discriminatory practices \nthrough the Office of Equity. \n\u2022 Goal 3: Diversity and Cultural Proficiency in Leadership \nand Human Capital \no Objective 3.1: Increase the diversity of teachers, \nadministrators, and staff in schools and the Central \nOffice.", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "201c3310-502f-4d60-a183-0db0fcbb68d9": { + "page_content": "\u2022 Goal 3: Diversity and Cultural Proficiency in Leadership \nand Human Capital \no Objective 3.1: Increase the diversity of teachers, \nadministrators, and staff in schools and the Central \nOffice. \no Objective 3.2: Provide long-term, ongoing professional \ndevelopment and coaching for staff at all levels of the \ndistrict on eliminating gaps, transforming and \nimproving instructional practices and beliefs, and \nbuilding a culture of high expectations and \nachievement for all students.", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "76081b7c-8c4a-4653-8497-e1b8d884f00b": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 3 of 10 \n \n \n \n\u2022 Goal 4: Holistic, Culturally Affirming Approach to School \nand Teacher Quality \no Objective 4.1: Provide a culturally proficient and highly \neffective teacher in every classroom and give cultural \nproficiency standards greater weight on the Teacher \nEvaluation Rubric. \no Objective 4.2: Demonstrate how curricula are vetted \nfor bias and cultural proficiency and ensure that the \ncurriculum and instructional strategies used in all \nsubjects at all levels are rigorous, highly engaging, \nculturally affirming, and foster student identity and \nvoice. \no Objective 4.3: Demonstrate how Social and Emotional \nLearning (SEL) is used to develop student identity and \nan appreciation of race, ethnicity, culture, language, \ngender, and social class among students and teachers; \nand foster comfort in discussing these issues explicitly \nin school. \no Objective 4.4: Demonstrate how assessments are used", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "16de8b30-ebc1-4024-9551-9ec10a3ce3bc": { + "page_content": "gender, and social class among students and teachers; \nand foster comfort in discussing these issues explicitly \nin school. \no Objective 4.4: Demonstrate how assessments are used \nto drive deeper learning, eliminate redundant testing, \nand disaggregate data by ethnicity in addition to race \nand gender to identify and address opportunity and \nachievement gaps. \no Objective 4.5: Demonstrate how appropriate \nidentification, placement, and support services are \nprovided for students with disabilities and English \nLanguage Learners.", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ba2fd96e-ec06-4c56-98c8-86752332ce5a": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 4 of 10 \n \n \n \n\u2022 Goal 5: Dismantling Structural Barriers and Providing \nGreater Access to Opportunities \no Objective 5.1: Demonstrate how equity is addressed \nwithin the district\u2019s operations. \no Objective 5.2: Demonstrate equity in student \nassignment, enrollment, and school closings. \no Objective 5.3: Demonstrate equity, quality, and impact \nin funding and resources. \no Objective 5.4: Demonstrate how opportunities such as \naccess to rigorous curriculum, early childhood \neducation, and extended learning time are being \nexpanded to all students of color and other \nmarginalized groups. \no Objective 5.5: Demonstrate how, in collaboration with \nthe City of Boston, BPS fosters strong parent \ncommunity-school ties to mitigate the effects of \nconcentrated poverty and institutional racism citywide \nas a strategy to eliminate gaps. \n\u2022 Goal 6: Students, Family, and Community as Authentic \nPartners \no Objective 6.1: Demonstrate how students are engaged", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "dc91d2fa-ca2b-47b7-b0c7-ab15ac40407c": { + "page_content": "as a strategy to eliminate gaps. \n\u2022 Goal 6: Students, Family, and Community as Authentic \nPartners \no Objective 6.1: Demonstrate how students are engaged \nas partners in eliminating opportunity and \nachievement gaps, while promoting student \nengagement and agency in active learning. \no Objective 6.2: Demonstrate how parents are engaged \nas partners in eliminating opportunity and \nachievement gaps. \no Objective 6.3: Demonstrate how community partners", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "85f7a871-a1c4-418d-806c-394095930544": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 5 of 10 \n \n \n \nare engaged with the District to eliminate opportunity \nand achievement gaps. \nII. OAG POLICY OVERSIGHT AND IMPLEMENTATION \nThe Office of Opportunity Gaps of the Division of Equity, Strategy \nand Opportunity Gaps (ESOG) has the authority to oversee the \nimplementation of the OAG policy as designated by the \nsuperintendent of schools. \n\u2022 To ensure that all \u201cdepartments and schools \n[demonstrate] equity in all facets of district operations,\u201d \neach department and school is expected to develop \nannual goals that advance the goals of the OAG policy \nunder their purview. \n\u2022 For central office departments, each OAG policy goal \nshould be developed in consultation with a designated \nmember of the Office of Opportunity Gaps before the \nbeginning of each school year. \n\u2022 For schools, school leaders, in consultation with their \nschool superintendent, should develop goals advancing \nthe OAG policy as a part of their annual Quality School", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "aed5f8d9-87fe-40e1-9a32-7de595588957": { + "page_content": "\u2022 For schools, school leaders, in consultation with their \nschool superintendent, should develop goals advancing \nthe OAG policy as a part of their annual Quality School \nPlan (QSP). The school superintendents should have the \ngoals reviewed by the Office of Opportunity Gaps for \nconsultation and feedback for finalization by November 1 \nof each year. \n\u2022 The Office of Opportunity Gaps and the Office of Strategy \n& Innovation will work in partnership to ensure alignment \nof strategy plan implementation goals and OAG policy \nimplementation goals across central office departments. \nEach department's OAG goal(s) shall also serve as one or", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "c3d9ef5f-cea7-4091-afe9-2bbbd5b445df": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 6 of 10 \n \n \n \nmore of its strategic plan implementation goals. \n \nIII. OAG POLICY SMARTIE GOALS / ALIGNED WITH STRATEGIC \nPLAN IMPLEMENTATION GOALS \n\u201cImplementation and Evaluation: Within six months of the \nBoston School Committee (BSC) adoption of this policy, Boston \nPublic Schools (BPS) will develop and present to BSC an \ninterdepartmental implementation plan for this policy. The \nImplementation Plan must include SMART Goals which are \nSpecific, Measurable, Attainable, Realistic, and Time-Bound. \nEach October, beginning in 2017, BPS will submit an annual \nreport on the Plan\u2019s progress which will include SMART Goals for \nthe subsequent calendar year. BPS will develop an Opportunity \nand Achievement Gaps (OAG) Dashboard, publicly available on \nthe BPS website, which monitors and assesses the District\u2019s \nprogress towards meeting the goal of eliminating the \nopportunity and achievement gaps facing students of color and", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b567341b-4273-47f4-944f-092aeb4ccf2e": { + "page_content": "the BPS website, which monitors and assesses the District\u2019s \nprogress towards meeting the goal of eliminating the \nopportunity and achievement gaps facing students of color and \nother marginalized groups.\u201d \n\u2022 Superintendent Goals: At the beginning of each school \nyear, the superintendent\u2019s goals, objectives, and \nimplementation of activities will be aligned with the goals \nand objectives of the Opportunity and Achievement Gap \nPolicy. \n\u2022 Central Office Goals: At the beginning of each fiscal year, \neach division-office must develop an Opportunity and \nAchievement Gap Goal and Strategy(s) that elevates \nstudent disproportionality within their workstreams. \nGoals are reviewed quarterly to determine progress on \nimplementation for student achievement.", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b6677cf8-b806-4f76-b3c7-6fe702984f78": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 7 of 10 \n \n \n \n\u2022 School-Based Goals: At the beginning of each school year, \nSchool Leaders and their teams must develop an \nOpportunity and Achievement Gap Goals and \nStrategy(ies) within their Quality School Plans that elevate \nstudent disproportionalities within teaching, learning, \noperational, and social emotional supports. Quality School \nPlans are reviewed every 90 days to determine progress \non implementation for student achievement. \nIV. TRANSPARENCY & PUBLIC ACCOUNTABILITY \n\u201cThe Boston School Committee must ensure that eliminating the \nopportunity and achievement gaps facing students of color, \nEnglish Language Learners, students with disabilities, and \nstudents of low socio-economic status is a primary and urgent \npriority that will not change with new leadership, fluctuating \nbudgets, and shifting priorities. All District policies, budgets, \nstrategic plans, and school improvement plans shall advance", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "4c317338-c1a5-4e29-9db6-a3589cc4d15c": { + "page_content": "priority that will not change with new leadership, fluctuating \nbudgets, and shifting priorities. All District policies, budgets, \nstrategic plans, and school improvement plans shall advance \nthe goal of eliminating the opportunity and achievement gaps \nfacing students of color, English Language Learners, students \nwith disabilities, and students of low socio-economic status.\u201d \nRESPONSIBILITY OF DISTRICT LEADERSHIP \nEquity Impact Statements: \nAll reports, policy recommendations, and budgets presented to \nthe Boston School Committee shall be accompanied by an Equity \nImpact Statement that explicitly shows a comparison of the gaps \nfor students of color, multilingual learners, students with \ndisabilities, and students of low socio-economic status, \ndisaggregated by ethnicity, to the extent possible. This \nAchievement Gap Impact Statement will give an explicit", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "cf187184-8666-4543-a816-80a662388102": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 8 of 10 \n \n \n \nexamination of how the report, policy recommendation, and/or \nbudget will help or hinder eliminating gaps and increase or \ndecrease opportunities for students of color, Multilingual learners, \nstudents with disabilities, and students of low socio-economic \nstatus. \nAll new policies will be automatically reviewed in one year to \npresent disaggregated ethnic and program data to show that the \npolicy is having its intended impact, along with lessons learned \nand future recommendations. \nOther Provisions / Excerpts From the OAG Policy: \n\u2022 Leadership and Oversight: The superintendent and their \ndesignee (e.g., the assistant superintendent for the \nOpportunity and Achievement Gap) will have the \nresponsibility, authority, and accountability to lead, \nfacilitate, and monitor the implementation of this policy \nso that it is fully embedded in the operations and \npractices of the district.", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "351eefc9-e7c5-4fc7-840d-8875bb692f80": { + "page_content": "responsibility, authority, and accountability to lead, \nfacilitate, and monitor the implementation of this policy \nso that it is fully embedded in the operations and \npractices of the district. \n\u2022 Resource Allocation: BPS shall base resource allocation \ndecisions on the OAG Implementation Plan, and target \nresources to meet the specific gap closing goals of the \nplan, including fully funding the Office of the Opportunity \nand Achievement Gap and the Office of Equity. As part of \nthe annual report, BPS will indicate the resources it has \nallocated to implement the OAG plan. \n\u2022 Monitoring: The Opportunity and Achievement Gaps Task \nForce shall continue as a monitoring body, meeting no \nless than quarterly, providing guidance and input, and \nworking in partnership with the Boston School", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "cd9e6121-87a3-402e-b065-e296747cbb8c": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 9 of 10 \n \n \n \nCommittee, and BPS to help ensure that the \nImplementation Plan is developed, and the policy is being \nimplemented with consistency and fidelity across the \ndistrict. The task force will give an annual State of the \nOpportunity and Achievement Gaps Report to the Boston \nSchool Committee and shall make recommendations as \nneeded to influence the budget process and planning for \neach subsequent school year. \n\u2022 Performance Reviews: Beginning in SY22-23, annual \nperformance reviews for the superintendent and all BPS \nstaff shall include goals related to cultural proficiency and \neliminating opportunity and achievement gaps.", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "368c9b1a-de2f-48df-b457-dab82536faad": { + "page_content": "Superintendent\u2019s Circular EQT-10 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nName: Assistant Superintendent, Office of \nOpportunity Gaps \nDepartment: Office of Opportunity Gaps \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: ofca-staff@bostonpublicschools.org \nOR \nOwner: Assistant Superintendent, Office of \nOpportunity Gaps \nDepartment: Equity Strategy, Opportunity Gaps \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf", + "source_link": "https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "43bb0462-9d0d-4485-ad59-4c4dbc2d4fd6": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-02 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD STUDENTS, FAMILIES, \nOR OTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining an \nenvironment free of bias and discrimination where all students \ncan flourish, and all families are welcome and able to engage fully \nas partners in students\u2019 education. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district\u2019s nondiscrimination policy (see EQT-01) that are \ntargeted at students, families, or other third parties. These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based \nconduct or discrimination based on race, color, age, disability, \nsex/gender, gender identity, religion, national origin, ancestry,", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "86d4ac43-56ca-43ae-af84-cd73e19a9e53": { + "page_content": "internal review and resolution of allegations of bias-based \nconduct or discrimination based on race, color, age, disability, \nsex/gender, gender identity, religion, national origin, ancestry, \nretaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. The intent of these \nprocedures is to ensure that, to the greatest extent possible, \nreports of bias-based conduct are resolved in a constructive \nmanner.", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "bf866cfa-49fb-4d28-a992-dad43ffba357": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 2 of 10 \n \n \n \nEmployees of the Boston Public Schools who become aware of \nany possible bias-based conduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same standard applies \nto partners or contractors providing services in or under the \nauspices of the Boston Public Schools. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct related to race, color, age, disability, sex/gender, \ngender identity, pregnancy, religion, national origin, ancestry, \nretaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. This applies to \nallegations of discrimination, harassment, or bias-based bullying \nin any activity under the auspices of the Boston Public Schools, \nincluding, but not limited to: \n\u2022 Admission", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "76c0706c-6137-4a84-89f7-6aeb70334e4f": { + "page_content": "allegations of discrimination, harassment, or bias-based bullying \nin any activity under the auspices of the Boston Public Schools, \nincluding, but not limited to: \n\u2022 Admission \n\u2022 Provision and accessibility of programs and services \n\u2022 Guidance practices \n\u2022 Participation in sporting events or other extracurricular \nactivities. \n \nExamples of unacceptable conduct include treating students \ndifferently because of their membership in a protected group, \nsuch that the treatment interferes with or limits the student\u2019s \nability to participate in or benefit from an educational \nopportunity or extracurricular program. Bias-based conduct also \nincludes derogatory verbal, written, print, or digital", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "db566e45-02d9-4edb-af47-54e1d150f5f7": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 3 of 10 \n \n \n \ncommunication or conduct relating to a student\u2019s membership in \na protected category. Any form of communication or physical \naction that creates an intimidating, threatening, or abusive \neducational environment will not be tolerated. \nSuch conduct may originate with students as well as employees \nand may also be caused by other persons who participate, \nobserve, or otherwise engage in a district-sponsored activity. \nBehavior that occurs in a location other than a Boston Public \nSchools building or outside of BPS school or work hours may still \nconstitute bias-based conduct and a violation of this policy if that \nbehavior has the effect of disrupting a student's ability to learn. \nExamples of inappropriate behavior toward students that may \nviolate this policy include: \n\u2022 Speaking or otherwise communicating derisively to or about \na student or parent because of their membership in a", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "387ce8ff-bf1b-4074-98e6-b229a3eb4a64": { + "page_content": "violate this policy include: \n\u2022 Speaking or otherwise communicating derisively to or about \na student or parent because of their membership in a \nprotected group, such as their race, including the use of \nslurs \n\u2022 Telling or digitally circulating jokes that are derisive toward \nmembers of a particular group, such as a student of a \nparticular religious faith \n\u2022 Using insulting nicknames for members of a protected \ngroup, such as a female student \n\u2022 Refusing to allow students to participate in any activity \nbecause of their membership in a protected group, such as \ntheir sexual orientation, and in the absence of a legitimate \nnondiscriminatory reason for the refusal", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "39ed1441-bdbd-4d1c-b3c1-c4fdda1f6eac": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 4 of 10 \n \n \n \n\u2022 Disciplining a student more frequently or more harshly \nbecause of their membership in a protected group, such as \ntheir national origin \n\u2022 Displaying pictures or taking any action that is derisive to \nany student based on their membership in a \n\u2022 Refusal to use the gender identity affirming name and/or \npronouns that a student has stated. \nStudents sometimes experience \u201cmicroaggressions\u201d: verbal or \nnonverbal communication that is rooted in implicit bias but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n\u2022 Mistaking one student for another because they share the \nsame racial identity \n\u2022 Complimenting a student for having a skill that is counter to \na stereotype regarding their gender or ethnicity \n\u2022 Assuming a student observes a particular religious holiday \nor has a particular sexual orientation \n\u2022 Asking a student about their disability without their \nconsent.", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "cffbdd86-900f-4284-a2a3-a07745997305": { + "page_content": "\u2022 Assuming a student observes a particular religious holiday \nor has a particular sexual orientation \n\u2022 Asking a student about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the \nOffice will partner with the student, family, and appropriate \nschool staff to determine an effective intervention, such as \ncoaching, mediation, restorative justice, or individual, classroom, \nor school-wide instruction or training.", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "d3ce137e-d1f7-4220-946d-d7f2014075a7": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 5 of 10 \n \n \n \n \nGENERAL POLICIES \n1. Retaliation against any student, family member, or other \nthird party for reporting or participating in any way in the \nreporting or investigative procedure is strictly prohibited. \n2. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does \nnot conflict with regularly scheduled school programs. \n3. Reporting a possible violation will not be construed as \nreflecting unfavorably on a student, family member, or \nother third party\u2019s good standing, academic performance, \nloyalty, or desirability to the Boston Public Schools. \n4. Information regarding the allegations, including the \nparties involved in the report and the investigation, will \nbe kept confidential to the extent practicable. \n5. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscriminatory policy, the \nSuperintendent or their designee will consider the", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ab3370b0-b25d-4f6d-a179-21634c50d357": { + "page_content": "5. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscriminatory policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, \nthe relationships between the parties involved, and the \ncontext in which the alleged incidents occurred. A \ndetermination whether a particular action or incident \nconstitutes a violation of the policy will be based on all \nthe facts.", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e6a6d48e-8e45-418e-b1cf-da499a7d2b1f": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 6 of 10 \n \n \n \nPROCEDURES \nI. Reports to School Leaders \nStudents, families, and other third parties are encouraged to \nreport concerns regarding bias-based incidents of any kind \nto their school\u2019s principal or headmaster. It is advised to file \nthis report as close to the time of the incident as possible, as \nmatters are generally more easily resolved the sooner they \nare reported. \nThe principal or headmaster (or their designee) will attempt \nto work with the individual(s) to resolve the matter. They will \ncontact the Office of Equity to ensure that any next steps \nare carried out in partnership with the Office of Equity and \nappropriately documented. \nStudents, families, or other third parties who do not wish to \nseek assistance from their school\u2019s principal or headmaster, \nor who are dissatisfied with the principal\u2019s or headmaster\u2019s \nattempt at resolution, may report their concerns directly to", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "51bbd725-d5d3-495c-84c8-9bee78368b53": { + "page_content": "seek assistance from their school\u2019s principal or headmaster, \nor who are dissatisfied with the principal\u2019s or headmaster\u2019s \nattempt at resolution, may report their concerns directly to \nthe Office of Equity. Nothing in this policy shall prevent a \nstudent, family member, or other third party from reporting \na concern directly to the Office of Equity. \nII. Reports to the Office of Equity \n1. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and \nmay request that the reporter submit a written \nstatement. The Office of Equity will ensure that assistance \nis provided in preparing such a written statement, if \nneeded.", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "5314dc1f-b7a3-4b02-be5f-756bddcd1ba3": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 7 of 10 \n \n \n \n2. After a report is received, the Office of Equity will notify \nthe appropriate school leader(s) and/or the individual \nabout whom the report has been filed, as appropriate. \n3. The Office of Equity will conduct a fair, impartial, \nthorough, and prompt review of the reported incident(s) \nand investigate as needed. Any investigation may include \ninterviews with individuals who have pertinent \ninformation, and review of any documents or other \ninformation relevant to the investigation. BPS employees \nand students are obligated to cooperate with any Equity \ninvestigation, including promptly providing any \nrequested information or documents. \n4. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will generally be \ninformed when the investigation is complete and \nwhether prohibited conduct was found. Depending on \nthe facts gathered, the Office of Equity may resolve the", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "002496d9-268e-4380-a83f-006f9264e3c4": { + "page_content": "informed when the investigation is complete and \nwhether prohibited conduct was found. Depending on \nthe facts gathered, the Office of Equity may resolve the \nconcerns by applying approaches such as alternative \ndispute resolution, restorative justice, training, or \ncoaching. In other instances, the results of the \ninvestigation may also be documented as written \nfindings. \n5. The Office of Equity will maintain records of all reports of \nbias-based conduct made to the Office of Equity, noting \nthe school or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records \nto identify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will:", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e54f021c-aa7b-4c7e-b928-5e29f321146f": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 8 of 10 \n \n \n \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to \nbe in violation of the district\u2019s nondiscrimination policy \nand prevent this conduct from recurring in the future. \n3. Refer individuals found to have violated the district\u2019s \nnondiscrimination policy for disciplinary action when \nappropriate. \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more \ninformation about Employee Discipline Procedures, \nplease see Superintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under \nthe circumstances. (For more information on student \ndiscipline, please see the Code of Discipline for Students \nand Students with Disabilities \u2013 Superintendent Circulars \nSUP-05 and SPE-15.)", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1df8b863-88b8-4e4a-9b10-1dd056f10e1a": { + "page_content": "the circumstances. (For more information on student \ndiscipline, please see the Code of Discipline for Students \nand Students with Disabilities \u2013 Superintendent Circulars \nSUP-05 and SPE-15.) \n4. Require students, employees, or other third parties found \nto violate the district\u2019s nondiscrimination policy to attend \nEquity protocols and/or bias prevention training, as \nappropriate.", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "6da2e90b-fcb3-4ef6-a0cd-a74f767a685a": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 9 of 10 \n \n \n \nSTATE AND FEDERAL REMEDIES \nUsing the BPS Equity reporting process does not prohibit you \nfrom also filing a complaint with a state or federal agency. These \nagencies have a short time period for filing a claim (OCR \u2013 180 \ndays; DESE \u2013 within the same school year; MCAD \u2013 300 days). \n\uf075 For incidents involving students\u2019 civil rights: \nUnited States Department of Education Office for Civil \nRights (OCR) \nJohn W. McCormack Post Office and Courthouse \n5 Post Office Square, 8th Floor, Suite 900, Boston, MA 02109 \n(617) 289-0111 \n \n\uf075 For concerns regarding students\u2019 equitable access to \neducation: \nMassachusetts Department of Elementary and Secondary \nEducation (DESE) \n350 Main Street, Malden, MA 02108 \n(781) 388-3300 \n \n\uf075 For concerns regarding civil rights related to food and \nnutrition (school-provided meals): \nU.S. Department of Agriculture Office of the Assistant \nSecretary for Civil Rights", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "543f4876-ee3f-4f70-a336-56781be949a6": { + "page_content": "(781) 388-3300 \n \n\uf075 For concerns regarding civil rights related to food and \nnutrition (school-provided meals): \nU.S. Department of Agriculture Office of the Assistant \nSecretary for Civil Rights \n1400 Independence Avenue, SW, Washington, DC 20250", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "cc2f33eb-9df4-4b79-9790-819f0837bbe2": { + "page_content": "Superintendent\u2019s Circular EQT-02 \nPage 10 of 10 \n \n \n \n\uf075 For incidents regarding employees\u2019 civil rights: \nMassachusetts Commission Against Discrimination (MCAD) \n \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: Director of Compliance and Title IX \nCoordinator \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e018164c-5ebb-4ba1-b4b2-bf8aea99256f": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-06 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD EMPLOYEES AND \nOTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to ensuring a work \nenvironment free of inappropriate sexual conduct. Inappropriate \nsexual comments or behavior will not be tolerated. In addition, \nany retaliation against an individual who reports inappropriate \nsexual conduct or harassment, or has cooperated with a related \ninvestigation, is unacceptable. The Boston Public Schools treats \nreports of violations of this policy with the utmost seriousness. \nWe will respond promptly to any allegations of sexually \ninappropriate conduct and intervene to cease any conduct that \nviolates this policy. Anyone who violates this policy will be subject \nto corrective action up to and including termination. \nDEFINITION OF SEXUAL HARASSMENT", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "04181e27-695a-485f-aaf0-c91de6ad86ec": { + "page_content": "violates this policy. Anyone who violates this policy will be subject \nto corrective action up to and including termination. \nDEFINITION OF SEXUAL HARASSMENT \nIn Massachusetts, sexual harassment means sexual advances, \nrequests for sexual favors, and verbal or physical conduct of a \nsexual nature when:", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "8d63593b-ba09-4d07-b885-daac9fa55fa7": { + "page_content": "Superintendent\u2019s Circular EQT-06 \nPage 2 of 7 \n \n \n \na) Submission to or rejection of such advances, requests, or \nconduct is made, either explicitly or implicitly, a term or \ncondition of employment or as a basis for employment \ndecisions; or \nb) Such advances, requests, or conduct have the purpose or \neffect of unreasonably interfering with an individual\u2019s work \nperformance by creating an intimidating, hostile, \nhumiliating, or sexually offensive work environment. \nPlease note that while this policy sets forth the goal of promoting \na workplace that is free of harassment, the policy is not designed \nor intended to limit the district\u2019s authority to discipline or take \nremedial action for workplace conduct that the district deems \nunacceptable, regardless of whether the conduct satisfies the \ndefinition of unlawful harassment. \nThe definition of inappropriate sexual communication and \nbehavior is broad. Conduct that is sexual or perceived as sexual,", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e4210592-d28d-4221-8823-6caed5b5b84f": { + "page_content": "definition of unlawful harassment. \nThe definition of inappropriate sexual communication and \nbehavior is broad. Conduct that is sexual or perceived as sexual, \nand that is welcome or unwelcome, may constitute sexual \nharassment. \nCONDUCT PROHIBITED \nEmployees shall not engage in inappropriate sexual conduct \nwhile employed, working for, attending, or participating in \ndistrict endeavors. Employees are protected from inappropriate \nsexual conduct by anyone they interact with in the course of their \nwork. The same standard applies to partners or contractors \nproviding services in or under the auspices of the Boston Public \nSchools. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours,", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "7494f4b8-80ef-4980-8854-5c81a685b0fa": { + "page_content": "Superintendent\u2019s Circular EQT-06 \nPage 3 of 7 \n \n \n \nincluding when an employee is working remotely, may still \nconstitute sexual misconduct and a violation of this policy if that \nbehavior has the effect of disrupting an employee\u2019s ability to do \ntheir job. \nWhile it is not possible to list all circumstances that may \nconstitute prohibited conduct, the following are some examples: \nVERBAL: Using suggestive, derogatory, vulgar comments, or \nsexual innuendos or slurs; making unwanted sexual advances, \ninvitations, and/or comments; repeatedly requesting dates; \nspreading rumors about or rating others as to their sexual activity \nor performance; making threats or pressuring others to submit to \nsexual requests; inquiring into one\u2019s sexual activities or \norientation. \nVISUAL: Displaying sexually suggestive objects, pictures, posters, \nwritten material, cartoons, or drawings; texting, emailing, or \nsharing digital images or comments of a sexual nature; using \nsexual gestures.", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1e1ed054-6340-4ea8-9564-f2f31160e219": { + "page_content": "written material, cartoons, or drawings; texting, emailing, or \nsharing digital images or comments of a sexual nature; using \nsexual gestures. \nPHYSICAL: Sexual activity, whether or not it is consensual, in a \nschool or any building where BPS business is conducted. \nParticipating in unwanted touching, pinching, kissing, hugging; \nblocking normal movement; stalking; engaging in unwanted \nsexual acts or assault; physically interfering with an individual\u2019s \nwork because of their actual or perceived sex, sexual orientation, \ngender identity, or gender expression.", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "f0988b54-1826-4496-b377-668eaffd2a1b": { + "page_content": "Superintendent\u2019s Circular EQT-06 \nPage 4 of 7 \n \n \n \nRESPONDING TO REPORTS OF SEXUAL MISCONDUCT \nAn employee who believes that they have been a target of \ninappropriate sexual conduct may report the incident to any of \nthe following individuals: school principal/head of school, school \nsuperintendent, or the Office of Equity. \n1. If an employee believes that they have been subjected to \ninappropriate sexual conduct or have witnessed \ninappropriate sexual conduct, the employee has the right to \nfile a report with the Boston Police. \n2. The aggrieved employee also has the right to file a report \nwith the Boston Public Schools Office of Equity, either orally \nor in writing, at 617-635-9650 or \nbpsequity@bostonpublicschools.org. \n3. Employees in supervisory or managerial roles have an \nobligation to report any employee complaint of sexual \nmisconduct to the Office of Equity within two (2) business \ndays of learning of the complaint. The person submitting", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1c60ae8f-3d94-455b-b78f-982b8d4ca19e": { + "page_content": "obligation to report any employee complaint of sexual \nmisconduct to the Office of Equity within two (2) business \ndays of learning of the complaint. The person submitting \nthe report must ensure the integrity and confidentiality of \nthe report and shall not disclose the allegations or any \nrelated information to either party or to any third party, \nexcepting the Office of Equity, unless required by law. \nEmployees in a supervisory capacity are required to report \npossible sexual misconduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day.", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "6d61775e-7806-4895-8011-2113a821232e": { + "page_content": "Superintendent\u2019s Circular EQT-06 \nPage 5 of 7 \n \n \n \nAfter a report is filed, the Office of Equity or the office\u2019s designee \nwill promptly investigate the allegation in a fair and expeditious \nmanner. The investigation may include a private interview with \nthe person filing the report, the person alleged to have engaged \nin sexually inappropriate conduct, and other witnesses. In some \ncircumstances, as determined by the Office of Equity, the person \nalleged to have engaged in the conduct may be placed on \nadministrative leave pending the outcome of the investigation. \nBPS employees are obliged to cooperate with the investigation, \nincluding promptly participating in investigatory interviews, and \nproviding any requested information or documents. \nIf Boston Public Schools finds that there has been a violation of \nthis policy, the district will take action to eliminate the conduct. \nDisciplinary action for employees may include warnings,", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "9e3e0a42-d4c3-4d59-9e54-55a56f1eab4e": { + "page_content": "If Boston Public Schools finds that there has been a violation of \nthis policy, the district will take action to eliminate the conduct. \nDisciplinary action for employees may include warnings, \nreprimands, required training, suspension or termination of \nemployment, or other discipline as appropriate. \nWhen the investigation is completed, the Office of Equity will \ninform the reporter and the person alleged to have engaged in \nthe conduct of the results of the investigation to the extent \nappropriate under the circumstances. \nPROHIBITION OF RETALIATION \nRetaliation against an individual who reports inappropriate \nsexual conduct, sexual harassment, or retaliation against \nindividuals for cooperating with an investigation of a sexual \nharassment allegation is unlawful and will not be tolerated by the \nBoston Public Schools.", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ed556e5c-3dca-41ed-a6ad-52814902da96": { + "page_content": "Superintendent\u2019s Circular EQT-06 \nPage 6 of 7 \n \n \n \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful sexual \nharassment, you may also file a formal complaint with either of \nthe government agencies set forth below. Using the district\u2019s \ninternal reporting process does not preclude you from filing a \ncomplaint with these agencies. Each agency has a short time \nperiod for filing a claim (300 days). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ef5e5e98-b211-41c1-aa85-c77ed59e5a2c": { + "page_content": "Springfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \nFor more information about this circular, contact:", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ba4f57e3-a517-4424-b830-9e423d985adb": { + "page_content": "Superintendent\u2019s Circular EQT-06 \nPage 7 of 7 \n \n \n \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nE-mail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf", + "source_link": "https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "30d94be3-0b04-4a30-a048-1b49ee60f887": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-09 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nEMPLOYEE NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY AND EXPRESSION \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. All Boston Public Schools are to be \nfree from bias and discrimination on the basis of sex, sexual \norientation, and/or gender identity. \nThis circular sets forth guidelines to address the needs of \ntransgender and gender non-conforming employees and clarifies \nthe Office of Equity\u2019s investigatory process. This circular does not \nanticipate every situation that might occur with respect to \ntransgender or gender non-conforming employees, and the \nneeds of each transgender or gender non-conforming employee \nmust be assessed on a case-by-case basis.", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "4cd92897-ddc9-4504-9fd6-b0e3374126ac": { + "page_content": "transgender or gender non-conforming employees, and the \nneeds of each transgender or gender non-conforming employee \nmust be assessed on a case-by-case basis. \nReports of bias, discrimination or harassment based on a person\u2019s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-09) will be investigated and addressed", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "c9dc1b1e-c373-44b3-9e49-1a698afcc161": { + "page_content": "Superintendent\u2019s Circular EQT-09 \nPage 2 of 8 \n \n \n \naccording to the protocols detailed in Superintendent\u2019s Circular \nEQT-05, \u201cEmployee Reports of Bias-Based Conduct.\u201d \nDEFINITIONS \nThe definitions provided below are not intended to label or limit \nemployees\u2019 individual identities or experiences, but rather to \nassist in understanding this circular and the district\u2019s legal \nobligations. Although these are the most commonly used terms, \nemployees may or may not choose to use these terms to describe \ntheir gender identity, appearance, or behavior. \n\u2022 Gender Identity: Defined under Massachusetts law as \u201ca \nperson\u2019s gender-related identity, appearance, or behavior, \nwhether or not that gender-related identity, appearance, or \nbehavior is different from that traditionally associated with \nthe person\u2019s physiology or assigned sex at birth.\u201d \n\u2022 Gender Expression: The way a person represents or \nexpresses gender to others, often through behavior,", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "26bcf923-0728-4719-8473-3ed432782d28": { + "page_content": "the person\u2019s physiology or assigned sex at birth.\u201d \n\u2022 Gender Expression: The way a person represents or \nexpresses gender to others, often through behavior, \nclothing, hairstyles, activities, voice, or mannerisms. \n\u2022 Transgender: A person whose gender identity or expression \nis different from that traditionally associated with the \nassigned sex at birth. \n\u2022 Gender Nonconforming: People whose gender identity \nand/or gender expression do not conform to traditional \nsocietal expectations or norms. The terms \u201cgender \nnonbinary,\u201d \u201cgender variant,\u201d or \u201cgender-atypical\u201d may also \nbe used. \n\u2022 Queer: While historically and sometimes currently \nconsidered an offensive term, \u201cqueer\u201d has been reclaimed \nby many members of the lesbian, gay, bisexual, and", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "8c576821-50e2-42b4-a5d6-e8fda7ae3591": { + "page_content": "Superintendent\u2019s Circular EQT-09 \nPage 3 of 8 \n \n \n \ntransgender (LGBT) community as a term of empowerment. \nThe term generally refers to a member of the LGBT and/or \ngender nonconforming community. This term may be used \nby someone who identifies as a member of the LGBT \ncommunity, but who does not specifically consider \nthemselves to be lesbian, gay, bisexual, or transgender. \nSince this term has a negative history, it should only be used \nto describe individuals who identify themselves as queer \nand give permission for others to use that term to describe \nthem. \n\u2022 Transition: The process by which a person goes from living \nand identifying as one gender to living and identifying as \nanother. Transitions may include physical, social, and/or \nmedical processes. Not all transgender or gender \nnonconforming people transition or desire to transition in \nthe same way. Transitions are private, and personal \ninformation about a transition should not be discussed", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "03b5982b-5cc2-494d-9890-1014e82f8d12": { + "page_content": "nonconforming people transition or desire to transition in \nthe same way. Transitions are private, and personal \ninformation about a transition should not be discussed \nunless the conversation is initiated and led by the \ntransgender or gender-nonconforming employee. \nRESPONSIBILITIES \nThe Boston Public Schools Office of Equity is responsible for \nensuring compliance with this circular and ensuring that all \nschool administrators and Central Office department heads are \ntrained and prepared to comply with their obligations under this \ncircular. \nPRIVACY AND CONFIDENTIALITY \nTransgender and gender nonconforming employees have the \nright to discuss their gender identity or expression openly or", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "995b0907-c16e-46b2-90a2-82f55541b203": { + "page_content": "Superintendent\u2019s Circular EQT-09 \nPage 4 of 8 \n \n \n \nkeep that information private. The employee has the right to \ndecide when, with whom, and how much to share when \nspeaking about their identity or expression. \nBPS Central Office employees, school personnel, and other \nparties employed, contracted by, or serving as volunteers in the \ndistrict should not disclose information that may reveal an \nemployee\u2019s transgender status or gender nonconforming \npresentation to others without their express permission. Private \nand confidential information may only be shared with the \ntransgender employee\u2019s consent, and with employees who truly \nneed to know to execute their job requirements. \nDRESS AND APPEARANCE \nBoston Public Schools does not have dress codes that restrict \nemployees\u2019 clothing or appearance on the basis of gender. \nTransgender and gender nonconforming employees have the \nright to dress in a manner consistent with their gender identity \nand/or gender expression.", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "532e4bd2-44ba-4d87-ba09-306e28890640": { + "page_content": "Transgender and gender nonconforming employees have the \nright to dress in a manner consistent with their gender identity \nand/or gender expression. \nNAMES AND PRONOUNS \nAn employee has the right to be addressed by the name and \npronoun that corresponds to the employee\u2019s gender identity in \nthe workplace, including by their colleagues, and for school-\nbased employees, by their students. A court-ordered name or \ngender change is not required. The intentional refusal to respect \nan employee\u2019s gender identity may constitute a violation of the \ndistrict\u2019s circular, Bias-Based Conduct Toward Employees (EQT-\n05) and/or state and federal anti-discrimination laws. If a district \nemployee is unsure what pronoun a staff member uses, they \nshould ask the employee how they would like to be addressed.", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "3ded9f0e-a732-4d8c-a1dd-ab4cae808a8f": { + "page_content": "Superintendent\u2019s Circular EQT-09 \nPage 5 of 8 \n \n \n \nPUBLIC FACILITIES ACCESSIBILITY \nEmployees have a right to access safe and appropriate facilities, \nincluding the right to use a restroom and/or locker room that \ncorresponds to the employee\u2019s gender identity, regardless of the \nemployee\u2019s sex assigned at birth. Any employee who has a need \nor desire for increased privacy will be provided access to a single-\nstall restroom and/or private area, if available. No employee \nshould be required to use a single-stall restroom or a private \nchanging area. \nTRANSITIONING AT BPS \nEmployees who transition during their BPS employment can \nexpect the support of the Office of Human Capital and the Office \nof Equity. These two offices will work with each transitioning \nemployee individually to ensure a successful workplace \ntransition. \nBEFORE THE WORKPLACE TRANSITION BEGINS \nTransitioning employees are encouraged to work in partnership", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "87f78bbe-59b9-4a12-9cc8-87461273dc82": { + "page_content": "employee individually to ensure a successful workplace \ntransition. \nBEFORE THE WORKPLACE TRANSITION BEGINS \nTransitioning employees are encouraged to work in partnership \nwith the Office of Equity and Office of Human Capital to learn \nmore about the district\u2019s transgender-related policies, and the \navailability of transition-related health care benefits. \n \nAll relevant parties should discuss a workplace transition plan, \nincluding the employee, the employee\u2019s supervisor, and others as \nappropriate. A work plan should specify: \n\u2022 The date selected by the employee for when the transition \nwill officially and formally take place. This date will", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "7d684e0c-9bdf-4fa6-8e48-8d829838dbb0": { + "page_content": "Superintendent\u2019s Circular EQT-09 \nPage 6 of 8 \n \n \n \ncorrespond to the date the employee changes their gender \nexpression, name, and pronouns. Employees may also \nchoose to start using the bathroom and other facilities that \ncorrespond to their gender identity on this date. The \nemployee has the right to revise the start date and other \naspects of the plan based on their evolving needs and \npreferences. \n\u2022 How and in what format the transitioning employee will \nnotify co-workers or personnel who need to know. \n\u2022 What, if any, training will be provided to co-workers, \nstudents, or other appropriate personnel or families. \n\u2022 What updates should be made to the transitioning \nemployee\u2019s records, and when they will be made. \n\u2022 The dates of any leaves that may be needed for pre-\nscheduled medical procedures or treatment, if applicable. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nThe Boston Public Schools is committed to maintaining a", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ff148b3f-4027-43e6-9f16-4c437f711aed": { + "page_content": "scheduled medical procedures or treatment, if applicable. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \n \nReports of bias, discrimination, or harassment based on a \nperson\u2019s actual or perceived gender identity or gender \nnonconformity are handled in the same manner as other reports \nof bias-based conduct. The Boston Public Schools utilizes the \nprocedures outlined in EQT-05, Bias-Based Conduct Toward \nEmployees. These procedures are designed to facilitate a prompt \nand effective internal review and resolution of allegations of bias-", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "3b26dd1c-9456-42d8-8eb6-3ae128caf614": { + "page_content": "Superintendent\u2019s Circular EQT-09 \nPage 7 of 8 \n \n \n \nbased conduct, discrimination, or harassment based on \nsex/gender, gender identity, gender expression, and sexual \norientation. \nRELATED RESOURCES \n\u2022 Links to laws, regulations, cases, and web sources on \ngender identity or expression law can be found at \nMassachusetts Law About Gender Identity or Expression. \n\u2022 Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional training and support.", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "43a1b199-fb1f-4d92-9a65-18455c378481": { + "page_content": "Superintendent\u2019s Circular EQT-09 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-9291 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "bed413d8-07de-4343-b7ae-de5c5f96f0a8": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-01 \nVersion 01 \n \n \n \nNONDISCRIMINATION POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining an \neducational environment and workplace where individuals of all \nbackgrounds and experiences are welcomed, encouraged, \nincluded, and can flourish. We aim to eliminate all forms of bias \nand bigotry, including discrimination based on race, color, age, \ncriminal record (inquiries only), physical or mental disability, \npregnancy and pregnancy-related conditions, homelessness, \nsex/gender, gender identity, religion, national origin, ancestry, \nsexual orientation, genetics, natural or protective hairstyle, and \nmilitary status. The Boston Public Schools is resolved that \nprejudice and disparate treatment will never impede our learners \nor our educators. \nThe Boston Public Schools will not tolerate discriminatory", + "metadata": { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "83834582-1531-4023-a953-e3c055b3bd04": { + "page_content": "prejudice and disparate treatment will never impede our learners \nor our educators. \nThe Boston Public Schools will not tolerate discriminatory \nbehavior, including intimidation, threats, or harassment of \nemployees, students, or anyone else who visits or is part of our \nlearning community. Retaliatory conduct toward persons who \nhave reported possible bias, discrimination, or inappropriate \nbehavior, who have assisted in an investigation, or who have \notherwise exercised their rights under this policy is also \nprohibited.", + "metadata": { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "91b9d690-8c14-4578-827c-8ecbf91dc92d": { + "page_content": "Superintendent\u2019s Circular EQT-01 \nPage 2 of 4 \n \n \n \nConduct in violation of this policy includes any action, including \nverbal or nonverbal communication, that contributes to, \npromotes, or is complicit in disrupting the district\u2019s inclusive \nlearning and working environment. Derogatory or intimidating \nstatements, threats, acts of exclusion, or other mistreatment \nregarding a student\u2019s or employee\u2019s membership in or \nassociation with a member of a protected group, whether made \nin person or by telephone, postal mail, e-mail, internet posting, or \nany other means, will not be tolerated. This includes such \nstatements made toward students, members of students\u2019 \nfamilies, employees, contractors, or other parties who support or \nparticipate in district programming. \nThis policy extends to all employment and educational practices \nand programs, including: \n\u2022 Recruitment \n\u2022 Selection and admission \n\u2022 Compensation and benefits \n\u2022 Access to learning", + "metadata": { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "d99f0a76-dadb-42dd-bcd5-1539fb11fdba": { + "page_content": "This policy extends to all employment and educational practices \nand programs, including: \n\u2022 Recruitment \n\u2022 Selection and admission \n\u2022 Compensation and benefits \n\u2022 Access to learning \n\u2022 Professional development, training, and extracurricular \nactivities \n\u2022 Discipline, evaluation, and testing \n\u2022 Reasonable accommodation for disabilities or religious \npractices \n\u2022 Promotion \n\u2022 Transfer \n\u2022 Termination \n\u2022 Layoff \n\u2022 Other terms and conditions of employment and education.", + "metadata": { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "366723bf-b3d7-4e9e-98c1-67d283ddc7ac": { + "page_content": "Superintendent\u2019s Circular EQT-01 \nPage 3 of 4 \n \n \n \nThe Boston Public Schools will vigorously implement and actively \nenforce this policy to ensure that all its daily operations are \ncharacterized by fairness, respect, and equity. Any violation of this \npolicy will be viewed as serious misconduct and may result in \ndiscipline, up to and including termination of the offending \nemployee or expulsion of the responsible student. Retaliation \nagainst any person who has testified, assisted, or participated in \nany manner in an investigation, proceeding, or hearing of a \nreport of a violation of this policy, will similarly be viewed as \nserious misconduct and may result in discipline, up to and \nincluding termination or expulsion. \nInformation about the investigative procedures associated with \nthis policy is detailed in Superintendent\u2019s Circulars EQT-02 and \nEQT-05. \nAll Boston Public Schools newly printed publications (e.g., Code \nof Conduct, Citywide Learning Standards and Curriculum", + "metadata": { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "10998f5e-53fb-46d2-8495-117c3195698d": { + "page_content": "this policy is detailed in Superintendent\u2019s Circulars EQT-02 and \nEQT-05. \nAll Boston Public Schools newly printed publications (e.g., Code \nof Conduct, Citywide Learning Standards and Curriculum \nFrameworks, course selection booklets, student/parent/employee \nhandbooks, job postings, etc.) for students, parents, teachers, \nnon-academic employees, and the general public must contain \nthe following nondiscrimination notice: \nThe Boston Public Schools, in accordance with its \nnondiscrimination policies, does not discriminate in its \nprograms, facilities, or employment or educational \nopportunities on the basis of race, color, age, criminal \nrecord (inquiries only), disability, pregnancy, homelessness, \nsex/gender, gender identity, religion, national origin, \nancestry, sexual orientation, genetics, natural or protective \nhairstyle, or military status, and does not tolerate any form \nof retaliation, or bias-based intimidation, threat, or", + "metadata": { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "53cb5b2f-33d9-425a-9ebc-59035770a17a": { + "page_content": "Superintendent\u2019s Circular EQT-01 \nPage 4 of 4 \n \n \n \nharassment that demeans individuals\u2019 dignity or interferes \nwith their ability to learn or work. \n \nFor more information about this circular, contact: \nOwner: Assistant Superintendent of Equity \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-01 Nondiscrimination and Policy Statement.pdf", + "source_link": "https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "8d834acf-5267-4262-bb9c-487476741c22": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-03 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINTRODUCTION \nThe Boston Public Schools (BPS) is committed to ensuring that \nstudents learn in an environment free of sexual misconduct. \nSexual misconduct committed against a BPS student will not be \ntolerated. In addition, acts of retaliation against an individual who \nreports an allegation of sexual misconduct or cooperates with a \nrelated investigation are unacceptable and will not be tolerated. \nStudents participating in BPS academic, educational, \nextracurricular, athletic, and school programs or activities are \nprotected from sexual misconduct by other students, parents, \nBPS employees, and third parties (e.g., visitors). In addition, BPS \nstudents may be protected from sexual misconduct that occurs \noutside the context of a school\u2019s education program, activity, or", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "39c32aa9-ce33-449c-b47b-8e9e593f19d5": { + "page_content": "BPS employees, and third parties (e.g., visitors). In addition, BPS \nstudents may be protected from sexual misconduct that occurs \noutside the context of a school\u2019s education program, activity, or \nschool property, if the behavior was in connection with a school \nprogram or activity which includes locations, events, or \ncircumstances over which the district exercised substantial \ncontrol over both the person accused of the conduct and the \ncontext in which the sexual misconduct occurred. \nThe Boston Public Schools treats reports of sexual misconduct \nwith the utmost seriousness. We will address any sexually", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "3f270b70-9fe6-4226-a82d-a3bab55a8827": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 2 of 14 \n \n \n \ninappropriate communication or behavior directed toward \nstudents, regardless of whether that conduct is unlawful. This \npolicy is neither designed nor intended to limit the district\u2019s \nauthority to discipline or take remedial action for conduct that \nthe Boston Public Schools deems unacceptable. \nDEFINITION OF SEXUAL MISCONDUCT \nFor the purposes of this policy, sexual misconduct constitutes \nsexually inappropriate comments and/or behaviors of any kind. \nBelow are examples of sexual misconduct: \nSexual Violence \nSexual violence is broadly defined as any sexual activity that is \nforced, coerced, or unwanted. It also includes any sexual act \nagainst another person who is incapable of giving consent, either \nbecause of their temporary or permanent mental or physical \nincapacity, or because they are a minor. \nConsent is defined as clear, active agreement and permission to \nengage in any form of verbal or nonverbal sexual communication", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "80e2d547-7d6b-4239-a574-b784ee783e88": { + "page_content": "incapacity, or because they are a minor. \nConsent is defined as clear, active agreement and permission to \nengage in any form of verbal or nonverbal sexual communication \nor activity with another person. The initiator of the sexual contact \nis responsible for obtaining consent before engaging in any \nsexual contact. Consent can be withdrawn by either party at any \npoint. Consent must be voluntary and may not be valid if a \nperson is being subjected to an emotional, psychological, \nphysical, reputational, or financial threat, intimidation, or \ncoercion. Consent to engage in one sexual activity, or past \nagreement to engage in a particular sexual activity, cannot be \npresumed to constitute consent to engage in a different sexual \nactivity or to engage again in a sexual activity. Consent cannot be", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "052d0a62-148b-4f74-9c47-eb532f77d464": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 3 of 14 \n \n \n \nvalidly given by a person who is incapacitated or under the age of \nsixteen. \nSexual violence may include criminal acts, such as indecent \nassault and battery, rape, abuse, or assault with intent to rape. \nAny acts that may be criminal will be referred to law \nenforcement. \nExamples of sexual violence may include, but are not limited to, \nthe following: \n\u2022 Unwelcome sexual touching \n\u2022 Non-consensual sexual contact that occurs during school or \nnon-school hours, on or off school grounds, including dating \nviolence \n\u2022 Recruiting, transporting, obtaining, or providing a student of \nany gender for the purpose of sex. \nOther Forms Of Sexual Misconduct \nSexual misconduct includes unwelcome conduct of a sexual \nnature that denies or limits, on the basis of sex, a student's ability \nto participate in or to receive benefits, services, or opportunities \nin the school's program or activities.", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "8a6696dd-d605-4762-b419-4b5fe28c6608": { + "page_content": "nature that denies or limits, on the basis of sex, a student's ability \nto participate in or to receive benefits, services, or opportunities \nin the school's program or activities. \nExamples of behavior that may constitute sexual misconduct \ndepending upon the totality of the circumstances, the ages of \nthe student or other individuals involved, and the severity and \npervasiveness of the conduct, include but are not limited to: \n\u2022 Sexual advances, whether or not they involve touching \n\u2022 Requests for sexual favors", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "c0dfd108-6542-4bea-9327-8daf43b10e26": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 4 of 14 \n \n \n \n\u2022 Making an educational decision or benefit contingent upon \na student\u2019s submission to unwelcome sexual conduct \n\u2022 Offensive public sexual display of affection, including \ngroping, fondling, gestures, or inappropriate touching of \noneself or others \n\u2022 Consensual groping, fondling, sexual touching, or sex on \nschool property or at any school-sponsored activity \n\u2022 Sexual jokes or references \n\u2022 Comments regarding a student\u2019s body or a student\u2019s sexual \nactivity or orientation \n\u2022 Offensive name calling or profanity that is sexually \nsuggestive, sexually degrading, or based on sexual \nstereotypes or sexual orientation \n\u2022 Different treatment because of pregnancy status \n\u2022 Displaying or distributing sexually explicit drawings, \npictures, or other materials in any form (such as sexting) \n\u2022 Trafficking of youth for sexual purposes, such as recruiting, \ntransporting, or otherwise exploiting a minor in exchange \nfor money, shelter, or food", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "900d75cc-cf0c-48fb-8c36-80768db9897f": { + "page_content": "\u2022 Trafficking of youth for sexual purposes, such as recruiting, \ntransporting, or otherwise exploiting a minor in exchange \nfor money, shelter, or food \n\u2022 Sexual advances or contact, whether or not they are \nconsensual, between a student and employee, contractor, or \ncommunity partner \n\u2022 Sexual activity between students in a school, or any building \nwhere BPS business is conducted \n\u2022 Other verbal, nonverbal, or physical conduct of a sexual \nnature.", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "2e1e080e-5370-45e7-a5dc-3ea9a14e8f13": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 5 of 14 \n \n \n \nAny student, regardless of gender identity or sexual orientation, \ncan be a target of sexual misconduct, and the alleged targets and \nthe subject of the concern can be of the same or different \ngenders. \nEmployees of the Boston Public Schools who become aware of \nany possible sexual misconduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same reporting \nrequirement applies to partners or contractors providing services \nto students in or under the auspices of the Boston Public Schools. \nThe above list of examples is not exhaustive. If you are unsure \nwhether a student may have been a target of sexual misconduct \nor if you have knowledge of a possible incident of sexual \nmisconduct involving a student, immediately contact your school", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ba70eb8e-bd62-494b-bbc9-a52b56d4e85e": { + "page_content": "whether a student may have been a target of sexual misconduct \nor if you have knowledge of a possible incident of sexual \nmisconduct involving a student, immediately contact your school \nprincipal/head of school, supervisor, or the Office of Equity at 617-\n635-9650 or bpsequity@bostonpublicschools.org. \nREPORTING AND INVESTIGATING SEXUAL MISCONDUCT \nA student, parent, or other third party who believes that a \nstudent has been subjected to inappropriate sexual conduct may \nreport the incident to the principal/head of school or the Office of \nEquity. \nThe Boston Public Schools will promptly investigate allegations \nof sexual misconduct even when the incident is being \ninvestigated by law enforcement or another entity. Our \nobligation is to determine if there has been a violation of a BPS \ncircular and/or the BPS Code of Conduct. The investigation will \nbe conducted in a manner maintaining confidentiality to the", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "dc0d3c68-9fc7-484b-92b4-1bdd4c55c3b8": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 6 of 14 \n \n \n \nextent practicable under the circumstances. Incidents that a BPS \nemployee becomes aware of directly or indirectly, such as from a \nnote or an overheard conversation, will also be investigated. \nInterim measures for the safety of the students involved must be \ntaken upon receipt of the report to ensure equal access to \neducational programs and activities. \nIf the investigation results in a finding of a violation of this policy, \nBoston Public Schools will take steps to end the misconduct, \nprevent any further misconduct, remedy its effects where \nappropriate, and take disciplinary action, as deemed appropriate \nunder the circumstances. \nREPORTING PROCEDURES \n(see Appendix A checklist) \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, the building", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b35789c3-2ef0-4fcc-84a7-e49a28ca268d": { + "page_content": "been informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, the building \nadministrator must immediately (within the same school day, \nwith rare exceptions): \n1. Ensure that a student who discloses sexual misconduct is \nnot interviewed by any other BPS employee subsequent to \nthe initial disclosure, unless otherwise specifically directed \nby law enforcement, the state Department of Children and \nFamilies (DCF), or the Office of Equity. To minimize the \nalleged target\u2019s emotional distress and to preserve the \nintegrity and reliability of any investigation, the initial", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "d803dac0-391c-4b7e-b9c4-248e5c2441fd": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 7 of 14 \n \n \n \ndisclosure conversation should be limited to the essential \nfacts. The BPS staff member who first receives the report \nmust document the conversation as thoroughly as possible. \n2. Assess the need for emergency interim safety measures to \nprevent any additional incidents and ensure that the target \nis able to fully engage in the school\u2019s programs and \nactivities. Implement any plan as appropriate. \n3. Report the incident to your school\u2019s Safety Specialist or \nSafety Services at 617-635-8000 if the allegation involves \nsexual assault or violence, such as physical contact or \nthreats. Call Safety Services even if you are not sure if the \nalleged incident constitutes sexual violence. Inform the \nschool nurse if medical care is needed. \nIf Safety Services are not available, call 911. \nDepending on the nature of the allegations, the Office of \nSafety Services may work directly with the Boston Police", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "76fa7717-2910-4d6a-be04-7e3fc38e5067": { + "page_content": "If Safety Services are not available, call 911. \nDepending on the nature of the allegations, the Office of \nSafety Services may work directly with the Boston Police \nDepartment School Unit. Thereafter, the Boston Police \nCrimes Against Children Unit may conduct the \ninvestigation. A team investigation may include other \nagency involvement. By law, the police cannot provide the \nBoston Public Schools with a written report regarding an \nincident of sexual violence. \n4. Contact the Department of Children and Families (DCF) to \nfile a 51A report if the allegation warrants. As mandated \nreporters, employees of the Boston Public Schools are \nrequired to report situations when there is reasonable cause \nto believe a student is suffering from physical or emotional \ninjury that causes harm or a substantial risk of harm to the \nstudent\u2019s health or welfare.", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "38394aba-aa67-42be-95d4-fe90e53999b6": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 8 of 14 \n \n \n \nQuestions related to school employees\u2019 obligation to file a \n51A report with DCF should be directed to the Office of Legal \nAdvisor. Please also refer to Superintendent\u2019s Circular SSS-17 \non Child Abuse and Neglect. \nIf the alleged subject is over 18 years old, under 7 years old, \nor has a disability that might manifest as inappropriate \nsexual conduct, please call the Office of Equity prior to filing \na 51A. \n5. Always alert the school\u2019s operational leader. If you wish, \nand/or upon request of the Office of Equity, also alert the \nschool\u2019s elementary or secondary school superintendent. \nDepending on the severity and complexity of the \nallegations, the school superintendent and/or operational \nleader will then partner with the designated school \nadministrator and/or the Office of Equity to complete the \ninvestigation. \n6. Notify the parent(s) or legal guardian(s) of the reporter or", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "cc2e70b5-22c0-4d12-90bd-add3230bfc0c": { + "page_content": "leader will then partner with the designated school \nadministrator and/or the Office of Equity to complete the \ninvestigation. \n6. Notify the parent(s) or legal guardian(s) of the reporter or \nalleged victim, if a minor, unless the parent/legal guardian is \nthe subject of the concern and/or such notification will \ncreate a substantial risk to the student\u2019s health, safety, or \nwelfare. \n7. If the subject of the concern is a minor, the building \nadministrator (or other Office of Equity Designee) should \nnotify the subject\u2019s parent(s) or legal guardian(s). For \nreasons of confidentiality, do not inform the subject\u2019s family \nof the alleged target\u2019s identity or gender. \n8. Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day, if possible, \nbut always within 48 hours of the incident. This document", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "326b3ef5-1be7-4f59-85b1-f536cedf2a84": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 9 of 14 \n \n \n \nshould be treated as confidential and sent to the Office of \nEquity only. Only share this document or other related \ndocuments as directed by the Office of Equity, Office of \nLegal Advisor, or law enforcement authorities. The form can \nbe submitted digitally via this link. \n9. Investigate and document the allegation. If it is determined \nby a preponderance of the evidence that inappropriate \nconduct occurred, the Boston Public Schools will take such \nactions as it deems appropriate under the circumstances. \nFor students, such actions will be consistent with the Code \nof Conduct, and may also include training, mediation, or \nrestorative practices. For employees, such actions will be \nconsistent with the district\u2019s labor practices, and may \ninclude training, restorative practices, and/or discipline. \n10. Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident. When", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "c7eedc50-d272-437a-8afc-1db55668becc": { + "page_content": "include training, restorative practices, and/or discipline. \n10. Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident. When \ncompleting the narrative, staff should document witness \nstatements and the subject\u2019s response to the allegation(s). \nAdditionally, staff should document the investigatory \nfindings and remedial action taken, if any. The form can be \nsubmitted digitally via this link. \nDuring the investigation, the alleged target of the \nmisconduct should not discuss the incident with the subject \nof the concern present under any circumstances. \n \nFor detailed guidance on investigating and documenting \nallegations of sexual misconduct, please follow the Boston \nPublic Schools Protocols for Sexual Misconduct", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "479db7d7-68da-41e9-aa34-3f58a17d07b3": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 10 of 14 \n \n \n \nInvestigations Conducted by School Leaders and Central \nOffice Managers. \n \nAll reports submitted through the Equity Student Incident & \nInvestigation Form will be reviewed by the Office of Equity. \nPROHIBITION OF RETALIATION \nRetaliation against an individual who reports sexual misconduct \nand retaliation against individuals for cooperating with a related \ninvestigation is unlawful and will not be tolerated by the Boston \nPublic Schools. \nReports of retaliation should be brought to the building \nadministrator or the person who is conducting the investigation. \nA student who feels there has been retaliation following a \ncomplaint may also call the Office of Equity at 617-635-9650. \nBPS TITLE IX COORDINATOR \nThe Boston Public Schools\u2019 Title IX coordinator is responsible for \nensuring compliance with the investigatory process outlined in \nEQT-3, and tracking incidents across the district. Any parent or", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "dfb5a288-266a-437a-bcb3-6abe02b77533": { + "page_content": "The Boston Public Schools\u2019 Title IX coordinator is responsible for \nensuring compliance with the investigatory process outlined in \nEQT-3, and tracking incidents across the district. Any parent or \nemployee who raises concerns regarding the investigatory \nprocess and/or outcomes may contact the district\u2019s Title IX \ncoordinator: \n \nDirector of Compliance and Title IX Coordinator \nBoston Public Schools \n2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9650, Fax: 617-635-7940", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "07752bcc-2664-40fe-9121-51f76f83d936": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 11 of 14 \n \n \n \nEmail: bpsequity@bostonpublicschools.org \nOTHER RESOURCES \nUnited States Department of Education Office for Civil Rights \n(OCR) \n5 Post Office Square, 8th Floor, Boston, MA 02109 \n(617) 289-0111 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nMassachusetts Department of Elementary and Secondary \nEducation \nProgram Quality Assurance \n75 Pleasant Street, Malden, MA 02148-4906 \n(781) 338-3700", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "f30bd975-813c-4f73-822f-3f560f3da01f": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 12 of 14 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nFor matters involving DCF, contact: \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "eb81c6ee-186b-405c-82ab-988e952018c1": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 13 of 14 \n \n \n \nAPPENDIX A: CHECKLIST FOR SCHOOL ADMINISTRATORS \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, including sexual \nharassment and sexual violence, the school or central office \nadministrator (or the elementary or secondary school \nsuperintendent, elementary or secondary school assistant \nsuperintendent, and/or operational leader if the complaint is \nagainst the school or central office administrator) must \nimmediately: \n\uf0a8 Receive a disclosure of sexual misconduct. Whoever the \nstudents report to first must document the following: \n1. Who is the subject of the concern? \n2. What did the subject say or do? \n3. If physical contact was made, where did the subject \ntouch you (clarify if contact was made above clothing", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "77824cde-b2e7-486b-842f-68ba5bdcd6dd": { + "page_content": "1. Who is the subject of the concern? \n2. What did the subject say or do? \n3. If physical contact was made, where did the subject \ntouch you (clarify if contact was made above clothing \nor directly on the student\u2019s skin)? \n4. Is this the first time something like this happened? \n5. Was anyone else there when it happened? \n6. Did you tell anyone else what happened? \nStudents cannot be interviewed more than once by a BPS \nemployee and should only be interviewed with one adult in \nthe room. \n\uf0a8 Assess the need for emergency interim measures and \nimplement as appropriate.", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e4f172d7-8978-4121-8f1e-a0f2525368be": { + "page_content": "Superintendent\u2019s Circular EQT-03 \nPage 14 of 14 \n \n \n \n\uf0a8 Report the incident to your school\u2019s Safety Specialist or \nSafety Services at (617) 635-8000 if the allegation involves \nsexual violence, such as physical contact or threats. Call \nSafety Services even if you are not sure if the alleged \nincident constitutes sexual violence. If Safety Services is not \navailable, call 911. \n\uf0a8 Contact the Department of Child and Family Services to file \na 51A report if the allegation warrants. \n\uf0a8 Alert the Operational Leader. In addition, upon request of \nthe Office of Equity, alert the school\u2019s elementary or \nsecondary school superintendent. \n\uf0a8 Notify the parent(s) or legal guardian(s) of the alleged \ntarget of the misconduct, unless the parent/legal guardian is \nthe subject of the investigation and/or such notification will \ncreate a substantial risk to the student\u2019s health, safety, or \nwelfare. \n\uf0a8 Notify the subject\u2019s parent(s) or legal guardian(s) if that \nindividual is a minor.", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "6615c3e8-8346-49b8-9772-59d52b40ba2a": { + "page_content": "create a substantial risk to the student\u2019s health, safety, or \nwelfare. \n\uf0a8 Notify the subject\u2019s parent(s) or legal guardian(s) if that \nindividual is a minor. \n\uf0a8 Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day if possible, \nbut always within 48 hours of the incident. \n\uf0a8 Investigate and document the allegations consistent with \nthe Office of Equity Protocols to determine if a violation of \nthe circular has occurred. If a Code of Conduct violation is \nfound, conduct disciplinary proceedings. \n\uf0a8 Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident.", + "metadata": { + "file_name": "EQT-03 Sexual Misconduct Toward Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "dc524c0c-2dee-48d1-836c-f72fb5d1fbe6": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-05 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district\u2019s nondiscrimination policy (see EQT-01). These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based \nconduct, discrimination or harassment based on race, color, age, \ncriminal record (inquiries only), disability, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "cfbfe0e0-b819-47d0-9763-224cdfc0180f": { + "page_content": "identity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. The intent of these procedures is to ensure that, to the \ngreatest extent possible, such reports are addressed in a \nconstructive manner. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct, discrimination, or harassment based on race,", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "eff88713-9ecc-4778-b499-909030fee1f3": { + "page_content": "Superintendent\u2019s Circular EQT-05 \nPage 2 of 8 \n \n \n \ncolor, age, criminal records (inquiries only), disability, \npregnancy/pregnancy related conditions, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours, \nincluding when an employee is working remotely, may still \nconstitute bias-based misconduct and a violation of this policy if \nthat behavior has the effect of disrupting an employee\u2019s ability to \ndo their job. \nEmployees sometimes experience \u201cmicroaggressions\u201d: verbal or \nnonverbal communication that is rooted in implicit bias, but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n\u2022 Mistaking one staff member for another because they share \nthe same racial identity \n\u2022 Complimenting a staff member for having a skill that is", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "7a226dd1-f277-4b70-9726-1d4ba7a815f0": { + "page_content": "include: \n\u2022 Mistaking one staff member for another because they share \nthe same racial identity \n\u2022 Complimenting a staff member for having a skill that is \ncounter to a stereotype regarding their gender or ethnicity \n\u2022 Assuming a staff member observes a particular religious \nholiday or has a particular sexual orientation \n\u2022 Asking a staff member about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the \nOffice will partner with the reporter and/or other appropriate \nstaff to determine an effective intervention, such as coaching, \nmediation, restorative justice, or an individual or school- or \ndepartment-wide training.", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "10dd8dff-14c9-4856-92be-bbe3050e5edb": { + "page_content": "Superintendent\u2019s Circular EQT-05 \nPage 3 of 8 \n \n \n \nGENERAL POLICIES \n1. Employees in supervisory or managerial roles have an \nobligation to report possible violations of this circular. \n2. Retaliation against any employee for reporting or \nparticipating in any way in the reporting or investigative \nprocedures is strictly prohibited. \n3. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does not \nconflict with regularly scheduled school programs. \n4. Reporting a possible violation will not be construed as \nreflecting unfavorably on an employee\u2019s or applicant\u2019s good \nstanding, performance, loyalty, or desirability to the Boston \nPublic Schools. \n5. Information regarding the allegations, including the parties \ninvolved in the report and the investigation, will be kept \nconfidential to the extent practicable. \n6. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscrimination policy, the", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "e65692ef-0935-466f-8835-eed09a54c4f9": { + "page_content": "confidential to the extent practicable. \n6. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscrimination policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, the \nrelationships between the parties, and the context in which \nthe incidents occurred. A determination whether a \nparticular action or incident constitutes a violation of the \npolicy will be based on all the facts. \nPROCEDURES \n1. An employee or applicant who believes they may have \nexperienced, witnessed, or become aware of possible bias-\nbased conduct must contact the Office of Equity by phone,", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "c72754be-5a7e-4c87-8d59-6c44f5beb26c": { + "page_content": "Superintendent\u2019s Circular EQT-05 \nPage 4 of 8 \n \n \n \nemail, or fax. Employees are strongly encouraged to contact \nthe Office of Equity as soon after the incident as possible, as \nreports are more easily addressed the sooner they are \nreported. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and may \nrequest that the reporter submit a written statement. The \nOffice of Equity will ensure that assistance is provided in \npreparing such a written statement, if needed. The Office of \nEquity accepts all reports of possible bias-based conduct \nbut, depending on the circumstances, may decline to \ninvestigate allegations regarding incidents that occurred \nmore than 300 calendar days prior to receipt of the report. \n2. Employees in a supervisory capacity are required to report \npossible bias-based conduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "83fe61a3-efc2-4b89-a5b2-ebbc912c7ca0": { + "page_content": "2. Employees in a supervisory capacity are required to report \npossible bias-based conduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day. \n3. After a report is received, the Office of Equity will notify the \nappropriate department identified in the report and/or the \nindividual against whom the report has been filed. \n4. The Office of Equity will make a fair, impartial, thorough, and \nprompt investigation of the reported incident(s). The \ninvestigation may include interviews with individuals who \nhave pertinent information and a review of any documents \nor other information relevant to the investigation. BPS \nemployees are obligated to cooperate with any Equity \ninvestigation, including promptly providing any requested \ninformation or documents. \n5. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will be informed when", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "bd16cfcb-35ae-45c9-ba98-bb6104aa104d": { + "page_content": "information or documents. \n5. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will be informed when \nthe investigation is complete, and informed whether", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "836e8c47-a8cc-4d9e-bfd1-bfb40c1d21c6": { + "page_content": "Superintendent\u2019s Circular EQT-05 \nPage 5 of 8 \n \n \n \nprohibited conduct was found. Depending on the facts \ngathered, the Office of Equity may resolve the concerns by \napplying approaches such as alternative dispute resolution, \nrestorative justice, training, or coaching. In other instances, \nthe results of the investigation may also be documented as \nwritten findings. Mediation will not be used in cases \ninvolving sexual assault. \n6. If the Office of Equity finds that there is a preponderance of \nevidence to show that a violation of the district\u2019s \nnondiscrimination policy occurred, the office will determine \nways to address the matter and prevent recurrences. \n7. The Office of Equity will maintain records of all reports of \nbias-based conduct made to the Office of Equity, noting the \nschool or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records to", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "1b517b52-f4b3-431d-86ad-e9c4641568ac": { + "page_content": "school or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records to \nidentify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will: \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to be \nin violation of the district\u2019s nondiscrimination policy, prevent \nthis conduct from recurring in the future, and remedy its \neffects, where appropriate. \n3. Refer individuals found to have violated the district\u2019s \nnondiscrimination policy for disciplinary action when \nappropriate.", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "94b30db2-cdc1-4b74-a630-ea4304d25e4e": { + "page_content": "Superintendent\u2019s Circular EQT-05 \nPage 6 of 8 \n \n \n \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more information \nabout Employee Discipline Procedures, please see \nSuperintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under the \ncircumstances. (For more information on student discipline, \nplease see the Code of Discipline for Students and Students \nwith Disabilities \u2013 Superintendent Circulars SUP-05 and SPE-\n15.) \n4. Require students, employees, or other third parties found to \nviolate the district\u2019s nondiscrimination policy to attend \ndiscrimination prevention training, as appropriate. \nSTATE AND FEDERAL REMEDIES \nIn addition to the above, if you believe you have been subjected \nto unlawful discrimination, you may file a formal complaint with", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "a6e150ec-1fbe-42e9-9b4b-b5228d420564": { + "page_content": "STATE AND FEDERAL REMEDIES \nIn addition to the above, if you believe you have been subjected \nto unlawful discrimination, you may file a formal complaint with \neither of the government agencies set forth below. Reporting a \nconcern to the Office of Equity does not prohibit you from filing a \ncomplaint with these agencies. Each of the agencies has a time \nperiod of 300 days for filing a claim.", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "9e41fa86-6b87-4024-b183-0a06f4af5258": { + "page_content": "Superintendent\u2019s Circular EQT-05 \nPage 7 of 8 \n \n \n \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ec94cdb1-6d4f-427f-af26-47a6552cf7b2": { + "page_content": "Superintendent\u2019s Circular EQT-05 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-05 Bias-Based Conduct Toward Employees.pdf", + "source_link": "https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "9890f04a-6cce-49e1-b84a-4e18f3aee539": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nEQT-04 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nSTUDENTS \u2014 NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis circular sets out guidelines for schools and district staff to \ncreate a culture where transgender and gender nonconforming \nstudents feel safe, supported, and fully included, and to meet \neach school\u2019s obligation to provide educational opportunities for \nall students. We aim to achieve inclusion of transgender and \ngender nonconforming students, while maintaining students\u2019 \nright to privacy. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nMassachusetts law and the Boston Public Schools (BPS) require \nthat all classrooms, programs, activities, and employment \npractices be free from bias and discrimination on the basis of sex, \nsexual orientation, and gender identity. It is the responsibility of", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "3a7576d8-208f-4909-a601-b5195970252f": { + "page_content": "that all classrooms, programs, activities, and employment \npractices be free from bias and discrimination on the basis of sex, \nsexual orientation, and gender identity. It is the responsibility of \neach school and the district to ensure that transgender and \ngender nonconforming students have a safe school environment. \nFor policies and procedures about BPS\u2019s \u201cBullying Prevention \nand Intervention Plan,\u201d please see Superintendent\u2019s Circular SSS-", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "932659c3-fad0-456d-8d6f-50f2e0cac6ac": { + "page_content": "Superintendent\u2019s Circular EQT-04 \nPage 2 of 8 \n \n \n \n18. For more information about safety transfers in the district, \nplease see Superintendent\u2019s Circular AMT-07. \nReports of bias, discrimination or harassment based on a person\u2019s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-04) will be investigated and addressed \naccording to the protocols detailed in Superintendent\u2019s Circular \nEQT-02, \u201cBias-Based Conduct Toward Students Families or Other \nThird Parties.\u201d \nNAMES AND PRONOUNS \nIn Massachusetts, an individual may adopt a name that is \ndifferent from the name that appears on their birth certificate. No \nadditional legal or other documentation is required for school \nstaff to honor student requests to go by a chosen/affirming \nname. If a student or their family is looking to update the name", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "4d4720a4-7174-455b-baf4-fecb7a25e1bc": { + "page_content": "additional legal or other documentation is required for school \nstaff to honor student requests to go by a chosen/affirming \nname. If a student or their family is looking to update the name \nthat appears on official school records, they may do so either by \ncompleting the Change of Student Information Form - Name and \nGender Change Request (if the update is related to gender \nidentity) or by contacting BPS Welcome Services (if the update is \nnot related to gender identity). Note: This process is not a legal \nname change and does not affect any records other than those \nkept by BPS. \nAfter a student requests a name change, school personnel shall \nmake every effort to consistently use the student\u2019s chosen name \nand stated pronouns. For students who remain in the same \nschool following a gender transition, it is important to develop a \nplan for ensuring the use of the chosen name and stated", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "713197f2-ba3e-476b-b2d8-d42e3e8d3045": { + "page_content": "Superintendent\u2019s Circular EQT-04 \nPage 3 of 8 \n \n \n \npronouns. School-based staff are strongly encouraged to contact \nthe Office of Equity for additional support in this process. \nPRIVACY, CONFIDENTIALITY, AND STUDENT RECORDS \nUnder Massachusetts law, information about a student\u2019s \nassigned birth sex, gender transition, name change associated \nwith transition, medical or mental health treatment related to \ngender identity, or any other related information is part of the \nindividual\u2019s student record (for more information, see the \nMassachusetts Student Records Regulations, 603 CMR 23.00). \nStudent records are confidential and must be kept private and \nsecure except in limited circumstances, such as when authorized \nschool personnel require the information to provide \nadministrative, teaching, counseling, nursing, or other services to \nthe student in the performance of their official duties. Authorized \nschool personnel may include, but are not limited to, individuals", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "9810d0fe-f9a4-49a7-8ccb-bcc45e8495e4": { + "page_content": "the student in the performance of their official duties. Authorized \nschool personnel may include, but are not limited to, individuals \nsuch as the principal, school nurse, classroom teacher(s), social \nworker, and/or guidance counselor. \nWhen a student new to a school is using a chosen or affirming \nname, the birth name is considered private information and may \nbe disclosed only with authorization as provided under the \nMassachusetts Student Records Regulations. If the student has \npreviously been known at school and/or in school records by their \nbirth name, school personnel must use the student\u2019s chosen \nname. School personnel should not disclose information that \nmay reveal a student\u2019s transgender status or gender \nnonconforming presentation to others, including parents and \nother school personnel, unless legally required to do so, for safety \nreasons, or if the student and/or guardian has authorized such \ndisclosure.", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "2361bbb8-8e31-4f30-ad8e-1b21144f15a1": { + "page_content": "Superintendent\u2019s Circular EQT-04 \nPage 4 of 8 \n \n \n \nTransgender and gender nonconforming students have the right \nto discuss and express their gender identity and expression \nopenly and to decide when, with whom, and how much \ninformation to share. A student who is 14 years of age or older, or \nwho has entered the ninth grade, may consent to disclosure of \ninformation from their student record. If a student is under 14 \nand is not yet in the ninth grade, only the student\u2019s parent has \nthe authority to decide on disclosures and other student record \nmatters. \nTo the extent that the school is not legally required to use a \nstudent\u2019s legal name and gender on other school records or \ndocuments, every effort shall be made to update student records \nwith the student\u2019s chosen name and not circulate records with \nthe student\u2019s birth name. Records with the student\u2019s birth name \nshall be kept confidential. \nFor more information about Student Record Regulations, please", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "b1ebfff5-4f5a-41a8-b5e5-d92389b435ac": { + "page_content": "the student\u2019s birth name. Records with the student\u2019s birth name \nshall be kept confidential. \nFor more information about Student Record Regulations, please \nsee Superintendent\u2019s Circular LGL-07. \nRESTROOMS, LOCKER ROOMS, AND CHANGING FACILITIES \nIn accordance with Massachusetts law, all students are entitled to \nhave access to restrooms, locker rooms, and changing facilities \nconsistent with the student\u2019s gender identity. As part of the \ntransition process, the school leader (or their designee) and \nstudent (and parent/guardian, when applicable) shall address the \nstudent\u2019s access to the restrooms, locker room, and changing \nfacilities. \nEach situation needs to be addressed based on the particular \ncircumstances of the student and the school facilities. In all cases, \nthe school leader (or their designee) shall be clear with the", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "f9f62dcf-ee88-46ea-a193-246dffcd4b24": { + "page_content": "Superintendent\u2019s Circular EQT-04 \nPage 5 of 8 \n \n \n \nstudent (and parent/guardian when applicable) that the student \nmay access the restroom, locker room, and changing facility that \ncorresponds to the student\u2019s gender identity. Transgender \nstudents who prefer not to use a sex-segregated restroom should \nbe provided with a safe and adequate alternative, such as a single \nstall restroom or nurse\u2019s restroom if possible. The single-user \nfacility, however, may not be given as the only option for \ntransgender or gender nonconforming students. \nSchool-based staff should be aware that there will be students \nwho do not identify along the gender binary (boy/girl or \nman/woman). These students may use terms such as \n\u201cnonbinary,\u201d \u201cgender fluid,\u201d or \u201cgender queer\u201d to describe their \ngender identity. They should be given access to whichever facility \nfeels most comfortable to them. Students who prefer not to use a \nsex-segregated restroom should be provided with a safe and", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "537a8435-2c5a-49e4-b026-00dfbe6c7a7c": { + "page_content": "gender identity. They should be given access to whichever facility \nfeels most comfortable to them. Students who prefer not to use a \nsex-segregated restroom should be provided with a safe and \nadequate alternative, such as a single stall restroom or nurse\u2019s \nrestroom if possible. The single-user facility, however, may not be \ngiven as the only option for transgender or gender \nnonconforming students. If possible, schools should consider \ndesignating one or more restrooms at their school as \u201call gender,\u201d \nmeaning that anyone of any gender may use that restroom. \nStudent and/or school staff discomfort is not an acceptable \nreason to deny restroom access to transgender and/or gender \nnonconforming students. School administrators, educators, and \ncounseling staff should take a proactive approach to address any \ndiscomfort, foster understanding, and create a school culture \nthat respects and values all students. School-based staff may", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "0e28d848-5ef4-4169-a564-466280ba3465": { + "page_content": "counseling staff should take a proactive approach to address any \ndiscomfort, foster understanding, and create a school culture \nthat respects and values all students. School-based staff may \ncontact the Office of Equity for additional support in this area.", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "eaf8334a-4590-4fdf-b084-72654b467633": { + "page_content": "Superintendent\u2019s Circular EQT-04 \nPage 6 of 8 \n \n \n \nPHYSICAL EDUCATION CLASSES, INTRAMURAL SPORTS, AND \nINTERSCHOLASTIC ATHLETIC ACTIVITIES \nWhere there are sex-segregated classes or athletic activities, \nincluding intramural and interscholastic athletics, all students \nmust be allowed to participate in a manner consistent with their \ngender identity. The Massachusetts Interscholastic Athletic \nAssociation, as outlined in their Gender Identity Policy \nClarification, will defer to the determination made by the student \nand their school regarding gender identity. \nDRESS CODES \nAll students have the right to dress in a manner consistent with \ntheir gender identity or expression. In general, schools should \neliminate dress codes that restrict students\u2019 clothing or \nappearance on the basis of gender.(1) School staff must not \nenforce the dress code more strictly against transgender and \ngender-nonconforming students than other students. \nDIPLOMAS", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "78e74f18-3b56-48ac-8bad-3ae6ffb8da1c": { + "page_content": "appearance on the basis of gender.(1) School staff must not \nenforce the dress code more strictly against transgender and \ngender-nonconforming students than other students. \nDIPLOMAS \nGraduating students are entitled to use a chosen or affirming \nname on their BPS diploma, this name may be different from the \nname listed in student records. Students wanting a diploma \nprinted with a name other than or in addition to the name listed \nin student records should speak to their school guidance \ncounselor or the LGBTQ+ student support manager. \n \n(1) The Office of Equity will provide schools with a sample dress \ncode upon request.", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "148b6e94-c942-4107-abed-d672fd286fb4": { + "page_content": "Superintendent\u2019s Circular EQT-04 \nPage 7 of 8 \n \n \n \nGENDER-BASED ACTIVITIES, RULES, POLICIES AND PRACTICES \nSchools should evaluate all gender-based policies, rules, and \npractices, and maintain only those with a clear and sound \npedagogical purpose and equivalent offerings for students of all \ngenders. Gender-based policies, rules, and practices may have \nthe effect of marginalizing, stigmatizing, and excluding students, \nincluding gender nonconforming students. \nWhenever students are separated by gender in school activities \nor are subject to an otherwise lawful gender-specific rule, policy, \nor practice, students must be permitted to participate in such \nactivities or conform to such rule, policy, or practice consistent \nwith their gender identity. \nRELATED RESOURCES \n\u2022 The Gay, Lesbian and Straight Education Network (GLSEN) \nGender Terminology Guide is available here: \nhttps://www.glsen.org/activity/gender-terminology.", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "ea112e75-ecad-4aa6-81bb-0af352b3f7d5": { + "page_content": "RELATED RESOURCES \n\u2022 The Gay, Lesbian and Straight Education Network (GLSEN) \nGender Terminology Guide is available here: \nhttps://www.glsen.org/activity/gender-terminology. \n\u2022 For information about the Boston Public Schools policies on \nbias-based conduct or bullying, see Superintendent\u2019s \nCirculars EQT-02, EQT-03, or SSS-18. \n\u2022 For more information about the Massachusetts gender \nidentity law, see the Massachusetts Department of \nElementary and Secondary Education guidance document, \n\u201cNondiscrimination on the Basis of Gender Identity\u201d at \nhttp://www.doe.mass.edu/ssce/GenderIdentity.pdf. \n\u2022 Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional support.", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "f0517ca0-1cc6-4843-a418-555550840ced": { + "page_content": "Superintendent\u2019s Circular EQT-04 \nPage 8 of 8 \n \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EQT-04 Students and Gender Identity.pdf", + "source_link": "https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EQT" + } + }, + "2be1b91b-19cf-4e00-88e9-870f21d69596": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-26 \nVersion 01 \n \n \n \nADMINISTRATION OF NALOXONE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTo recognize and respond to potential life-threatening opioid \noverdose as part of the MDPH opioid overdose prevention \nprogram, the Boston Public Schools will maintain a systemwide \nplan for addressing a potentially life-threatening opioid overdose \nreaction. \nAdditionally: \n\u2022 This plan will be supplemented by any building-based \nmedical emergency response plan. \n\u2022 The director of Health Services will have the responsibility \nfor the development and management of the intranasal \nNaloxone administration program in the school setting in \naccordance with MDPH protocols. \n\u2022 The school physician will provide oversight to monitor the \nprogram and creation of the standing order for the district, \nto be renewed annually. \n\u2022 Training per MDPH protocols will be provided for all school", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1b96d5cb-57b0-471f-99ee-7823b3f51ff5": { + "page_content": "program and creation of the standing order for the district, \nto be renewed annually. \n\u2022 Training per MDPH protocols will be provided for all school \nnurse responders. \nNaloxone is the only Schedule IV controlled substance in \nMassachusetts that can be prescribed to someone other than the \nultimate user. The Massachusetts Controlled Substances Act,", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b3ec83b0-e3d6-4c25-acda-bae71e77cb33": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 2 of 9 \n \n \n \nM.G.L. c.94C,\u00a719(b), authorizes naloxone to be prescribed or \ndispensed to a person for use on someone else. It is the policy of \nthe Boston Public Schools that all schools shall provide and \nmaintain naloxone on-site in each school facility. To treat a case \nof suspected opioid overdose in a school setting, any school \nnurse may administer naloxone during an emergency to any \nstudent, staff, or visitor suspected of having an opioid-related \ndrug overdose, whether or not there is a previous history of \nopioid abuse, per 105 CMR 210.000, The Administration of \nPrescription Medications in Public and Private Schools. \nBecause naloxone is treated differently than any other \nprescription medication, and because any person can possess \nand administer naloxone, pursuant to the standing order, it is the \npolicy of the Massachusetts Department of Public Health School \nHealth Unit that individual possession and use of naloxone is not", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "a4701964-0f27-42cf-b6f0-8a13929ccb6e": { + "page_content": "and administer naloxone, pursuant to the standing order, it is the \npolicy of the Massachusetts Department of Public Health School \nHealth Unit that individual possession and use of naloxone is not \ncovered by 105 CMR 210.000. This means that pursuant to M.G.L. \nc.94c,\u00a719(g) any staff member of the Boston Public Schools who, \nin good faith, attempts to render emergency care by \nadministering naloxone to a person reasonably believed to be \nexperiencing an opiate related overdose, shall not be liable from \nthe attempt to render emergency care and may carry and \nadminister naloxone on school property and school events, as \npermitted within M.G.L. c. 94C, \u00a7\u00a7 19(d) and 34A9e). This immunity \ndoes not apply to acts or omissions constituting gross \nnegligence. \nBACKGROUND \nRecognizing that fatal and non-fatal overdoses from opioids play \nan increasing role in the mortality and morbidity of \nMassachusetts residents, the Massachusetts Department of", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "393d5e2b-3e6f-437b-8946-209c41a24628": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 3 of 9 \n \n \n \nPublic Health launched the Overdose Education and Naloxone \nDistribution (OEND) prevention program using intranasal \nNaloxone in an attempt to reverse this trend. Naloxone is an \nopioid antagonist which means it displaces the opioid from \nreceptors in the brain. An overdose occurs because the opioid is \non the same receptor site in the brain that is responsible for \nbreathing. Rapid administration of naloxone may be lifesaving in \npatients with an overdose due to opioids. Naloxone usually acts \ndramatically, allowing slowed or absent breathing to resume. It is \nboth safe and effective and has no potential for abuse. Naloxone \nhas been used by paramedics in ambulances and by emergency \nroom clinicians for decades. \nSIGNS AND SYMPTOMS OF OPIOID OVERDOSE \nSchool nurses may administer naloxone to a patient (student, \nstaff member or visitor) in the event of respiratory depression,", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6ed77b49-c891-4204-b30a-dd36e88c6ce9": { + "page_content": "room clinicians for decades. \nSIGNS AND SYMPTOMS OF OPIOID OVERDOSE \nSchool nurses may administer naloxone to a patient (student, \nstaff member or visitor) in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid overdose \nis suspected. \nThe following are signs of an opioid overdose: \n\u2022 Blue skin tinge-usually lips and fingertips show first. \n\u2022 Body is very limp. \n\u2022 Face is very pale. \n\u2022 Pulse is slow, erratic, or not present. \n\u2022 Vomiting. \n\u2022 Choking sounds, gurgling, snoring/gasping noise. \n\u2022 Breathing is very slow, irregular or has stopped. \n\u2022 Unresponsive.", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "136487ca-50c8-4c2f-8a6c-232e0acde224": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 4 of 9 \n \n \n \nROLE OF SCHOOL HEALTH SERVICES \n\u2022 Develops policy for administration of naloxone and presents \nto BPS School Committee for approval; reviews policy \nannually. \n\u2022 Provides annual education and training for school nurses by \napproved MDPH organizations. \n\u2022 Secures and distributes naloxone kits to each school/school \nnurse. \n\u2022 Determines proper disposal of used +/or expired naloxone. \nROLE OF SCHOOL LEADER \n\u2022 Supports and facilitates access to school nurse training on \nadministration of naloxone. \n\u2022 Supports substance abuse prevention education as part of a \ncomprehensive health education program. \n\u2022 The school leader and staff should be alert to those \nsymptoms in students which may indicate problems with \nsubstance abuse so that they may initiate assistance to \nstudents in need of early intervention. \nROLE OF SCHOOL NURSE \n\u2022 Participates in a training program offered by Health \nServices.", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5e10cdda-1257-4fca-a0ec-2e0d17d03abb": { + "page_content": "substance abuse so that they may initiate assistance to \nstudents in need of early intervention. \nROLE OF SCHOOL NURSE \n\u2022 Participates in a training program offered by Health \nServices. \n\u2022 Provides safe storage and easy access to naloxone. \n\u2022 Is alert to symptoms in students which may indicate \nproblems with substance abuse in order to initiate \nassistance to students in need of early intervention.", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "558602c9-9cef-4463-a9dc-1efc5411ee46": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 5 of 9 \n \n \n \n\u2022 Refers the student to the Student Support Team if the \nstudent is struggling with substance use. \n\u2022 Administers naloxone following the procedure as listed \nbelow in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid \noverdose is suspected and activate EMS. \nPROCEDURE: \n1. Activate EMS via Medical Emergency Response Plan. The \nnurse or designee must call 911 in all potential overdose \nsituations. \n2. Assessment: ABC\u2019s: Airway, Breathing, Circulation. When \nan individual is suspected of an opioid overdose, the nurse \nwill conduct an initial assessment of the level of \nconsciousness and respiratory status. \na. For individuals with no pulse: initiate CPR per BLS \nguidelines. \nb. For individuals with a pulse but who are not breathing: \nestablish an airway and perform rescue breathing \nusing a face mask or shield. \nc. Check for: foreign body in airway, level of", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "10e64789-feef-4db6-8a03-33463e000360": { + "page_content": "b. For individuals with a pulse but who are not breathing: \nestablish an airway and perform rescue breathing \nusing a face mask or shield. \nc. Check for: foreign body in airway, level of \nconsciousness or unresponsiveness, very low \nrespiratory rate or not breathing, no response to sternal \nrub, respiratory status, gasping for air while asleep or \nodd snoring pattern, pale or bluish skin, slow heart rate, \nlow blood pressure. Pinpoint pupils and track marks \nmay be present, although absence of these findings \ndoes not exclude opioid overdose.", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e9c1b464-d47d-47ad-b485-01d8f49684d6": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 6 of 9 \n \n \n \nd. For individuals who have a pulse and are breathing: \nassess if there is depression of the respiratory status as \nevidenced by: \ni. a very low respiration rate. \nii. interpretation of pulse oximetry measurement, if \nimmediately available. \ne. Assess for decrease in level of consciousness as \nevidenced by: \ni. difficult to arouse (responds to physical stimuli \nbut does not communicate or follow commands; \nmay move spontaneously) or \nii. unable to arouse (minimal or no response to \nnoxious stimuli, does not communicate or follow \ncommands). \nf. Nurse determines need for naloxone administration. \n3. Administration: Intranasal administration of naloxone \na. Assess person for contraindications or precaution, per \navailable information. \nb. How to use naloxone nasal spray: \ni. Follow manufacturer\u2019s instructions for proper \nadministration. \nii. Step 1. Lay the person on their back to receive a \ndose of naloxone nasal spray.", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d6409bee-09ba-4575-92b9-a64574d74776": { + "page_content": "b. How to use naloxone nasal spray: \ni. Follow manufacturer\u2019s instructions for proper \nadministration. \nii. Step 1. Lay the person on their back to receive a \ndose of naloxone nasal spray. \niii. Step 2. Remove naloxone nasal spray from the \nbox. Peel back the tab with the circle to open the \nnaloxone nasal spray. \niv. Step 3. Hold the naloxone nasal spray with your", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8adcdce8-3d65-4b90-a564-d52b709bd932": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 7 of 9 \n \n \n \nthumb on the bottom of the red plunger and your \nfirst and middle fingers on either side of the \nnozzle. \nv. Step 4. Tilt the person\u2019s head back and provide \nsupport under the neck with your hand. Gently \ninsert the tip of the nozzle into one nostril until \nyour fingers on either side of the nozzle are \nagainst the bottom of the person\u2019s nose. \nvi. Step 5. Press the red plunger firmly to give the \ndose of naloxone nasal spray. \nvii. Step 6. Remove the naloxone nasal spray from the \nnostril after giving the dose. \nviii. If the person does not respond in 3 mins, repeat \nthe steps and give the second dose of naloxone \nnasal spray in a box. \nix. Monitor until EMS arrives. \nx. Place the victim in the recovery position and stay \nwith the victim. \n4. Monitor the individual: Naloxone blocks the opioid from \nacting so it can cause withdrawal symptoms with opioid \ntolerance. \na. Remain with the victim until emergency support", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "fbb1cd15-1b56-4fc4-a41e-18242ad74da9": { + "page_content": "with the victim. \n4. Monitor the individual: Naloxone blocks the opioid from \nacting so it can cause withdrawal symptoms with opioid \ntolerance. \na. Remain with the victim until emergency support \narrives; The victim may breathe but not have full \narousal OR They may require continued rescue \nbreathing and support. \nFollowing the incident, debrief with the school team and health \nservices.", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c0174c69-a110-4115-b5f4-5a6e6330064e": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 8 of 9 \n \n \n \nDocumentation: \n1. Record the encounter in SNAP. \n2. Complete an Incident report. \n3. Complete a \u201c911\u201d report. \n4. Include the individual\u2019s presentation, route of \nadministration of naloxone, and dose administered. Also \ninclude the individual\u2019s response to the naloxone \nadministration. \nStorage: Store at 59\u00b0 to 86\u00b0, away from direct sunlight \nDisposal: Empty, administered naloxone nasal spray should \nbe returned to the original packaging and disposed of in a \nwaste receptacle. \nREFERENCES \n\u2022 BPS SHS-01 Drug and Alcohol Abuse \u2013 Update On \nProcedures \n\u2022 BPS SHS-08 Medication Administration \n\u2022 NASN Naloxone Toolkit for School Nurses \n\u2022 MDPH Bureau of Substance Addiction Services", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ade3e8c0-38c8-4524-92f3-6662b90a00ee": { + "page_content": "Superintendent\u2019s Circular SHS-26 \nPage 9 of 9 \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-26 Administration of Naloxone.pdf", + "source_link": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c4fb9f75-b019-46db-ba19-60ce7f07f77d": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-05 \nVersion 01 \n \n \n \nTUBERCULOSIS PROGRAM \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY ON TUBERCULOSIS TESTING \nAll students must have an assessment of tuberculosis risk. Staff \nare no longer required to show evidence of TB skin test screening \nat time of employment. \nPROTOCOL FOR TUBERCULOSIS PROGRAM \nStudents: \n\u25cf At the time of registration for entry into the Boston Public \nSchools, if parents present with information on TB \nscreening, the data will be entered along with the \nimmunization data into the student(s) electronic health \nrecord. \n\u25cf No child will have school registration delayed because of \nlack of tuberculosis screening documentation. \n\u25cf It is the responsibility of the primary care health provider, \nand NOT the school system, to ensure that appropriate \nscreening for tuberculosis is occurring in the community. \n\u25cf The school nurse may choose to check a child\u2019s PPD", + "metadata": { + "file_name": "SHS-05 Tuberculosis Program.pdf", + "source_link": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1f6aff7e-f133-4e0f-8121-9cd8fb0516ee": { + "page_content": "and NOT the school system, to ensure that appropriate \nscreening for tuberculosis is occurring in the community. \n\u25cf The school nurse may choose to check a child\u2019s PPD \n(Mantoux) or monitor preventive therapy at the request of \nthe primary care provider. The primary care provider must \nsubmit a written physician order to the school nurse for \nservices.", + "metadata": { + "file_name": "SHS-05 Tuberculosis Program.pdf", + "source_link": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "a9711994-1819-4ffb-a369-05ed5b6e1fa9": { + "page_content": "Superintendent\u2019s Circular SHS-05 \nPage 2 of 2 \n \n \n \n\u25cf Written documentation of an in-school PPD test result or \nthe monitoring of preventive therapy will be provided to the \nprimary care provider by the school nurse. \n\u25cf Students with active disease will be excluded from school \nuntil placed on treatment and written documentation by \nBPHC TB Control of non-contiguous state is presented. \nStaff: \n\u25cf Staff are no longer required to have TB screening as \ncandidates for hiring. The regulation of Communicable \nTuberculosis Periodic Examination of School Personnel has \nbeen repealed in the Massachusetts General Laws. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-05 Tuberculosis Program.pdf", + "source_link": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7d29a8be-8871-4d37-a549-7bea2886df94": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-24 \nVersion 01 \n \nDIAPERING AND TOILETING ACCIDENTS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nToilet training typically occurs between 18 months and 3\u00bd years \nof a child\u2019s developmental stage. \nIndividuals with disabilities may face more significant obstacles \nwith toilet training than persons without diagnosed disabilities. \nThis may be partly due to the individual\u2019s challenges with \ncommunication, medicines, social interaction, sensory sensitivity, \nor making changes in their routine. \nEven for individuals without disabilities, toilet training can \npresent both the caregiver and child with obstacles to immediate \nsuccess, and most children will continue to have toileting \naccidents well beyond the time they stop wearing diapers. \nPOLICY STATEMENT \nThe Boston Public Schools acknowledges that toileting", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "77881b03-9b02-43f7-8b27-b0f6dfec3edf": { + "page_content": "success, and most children will continue to have toileting \naccidents well beyond the time they stop wearing diapers. \nPOLICY STATEMENT \nThe Boston Public Schools acknowledges that toileting \nprocedures should be planned based on individual children\u2019s \nneeds and be culturally appropriate according to the children\u2019s \nfamilies\u2019 needs and beliefs. The Boston Public Schools staff will be \naware of the diverse styles of toileting students due to cultural or \nreligious practices. Program staff will use a variety of formal and \ninformal strategies (including conversations) to become", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ce5e7cf2-b9d4-4eed-bd8c-bd24e7ff3c5b": { + "page_content": "Superintendent\u2019s Circular SHS-24 \nPage 2 of 6 \nacquainted with and learn from families about their preferred \nchild-rearing practices, including toilet training. \nThe Boston Public Schools will be aware of and accommodate \nthe need to maintain privacy for toileting and dressing. \nBoston Public Schools staff will interact in a positive manner \nduring toileting procedures and support students in developing \ntheir self-help in this area. \nDIAPERING PROCEDURES \nToileting accidents and diaper changing will ONLY be handled by \na classroom teacher, classroom paraprofessional, and/or other \nadult designated by the school principal. Parents will not be \nrequired to change diapers and volunteers will not change \ndiapers and/or assist with toileting at the school site during \nschool hours. \nEach school year, the principal will complete and sign off on a \nform that states in writing who is designated to help students \nwith toileting and changing diapers and who will help children", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "058c22e8-dc68-421b-acc9-6205e62a8dea": { + "page_content": "Each school year, the principal will complete and sign off on a \nform that states in writing who is designated to help students \nwith toileting and changing diapers and who will help children \nwith toileting accidents (see attached form). \nIt is not the responsibility of the school nurse to assist with \ntoileting and diaper changes, except for caring for students who \nhave an ostomy/colostomy, require urinary catheterization, or \nhave other genito-urinary diagnosis.", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "62444f62-46a6-4e46-b2a7-48c3c6a05753": { + "page_content": "Superintendent\u2019s Circular SHS-24 \nPage 3 of 6 \nStaff will follow these diapering procedures: \n\u25cf Staff to assess children for signs that diapers or pull-ups are \nwet or contain feces at least every two hours when children \nare awake and when children awaken from a rest period. \n\u25cf Diapers are changed when wet or soiled. \n\u25cf Children wearing cloth or disposable training pants and \nchildren who have accidents. \n\u25cf Changing should be initiated within 5 minutes of discovery \nthat they are wet or soiled unless circumstances clearly \nmake it unreasonably difficult to do so. \n\u25cf Staff will change children\u2019s diapers or soiled underwear in \nthe designated changing areas and not elsewhere in the \nfacility. \nIn the changing area, staff post and follow these procedures for \nchanging diapers or pull-ups: \n\u25cf At all times, caregivers have a hand on the child to ensure \nsafety is maintained when the child is being changed on an \nelevated surface.", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "59f1ab1d-0355-47f6-b4e1-20faaaf95a3e": { + "page_content": "changing diapers or pull-ups: \n\u25cf At all times, caregivers have a hand on the child to ensure \nsafety is maintained when the child is being changed on an \nelevated surface. \n\u25cf Bring supplies (e.g., clean diaper, wipes, diaper cream, \ngloves, plastic or waterproof bag for soiled clothing, extra \nclothes) to the diapering/changing area. \n\u25cf Diaper cream (provided by the family): if used, dispense it \nonto a tissue and/or cotton ball and cover the diaper \nchanging surface with disposable liner (paper or chuck). \n\u25cf Put on gloves.", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "368097fb-9210-4b65-a2fc-9fb40746d2ea": { + "page_content": "Superintendent\u2019s Circular SHS-24 \nPage 4 of 6 \n\u25cf Changing table, if used: place the child on a diapering \nsurface and unfasten diaper. Keep one hand on the child at \nall times. \n\u25cf Clean the child with disposable wipes. Always wipe front to \nback. \n\u25cf Keep soiled diapers/clothing away from any surfaces that \ncannot be easily cleaned. \n\u25cf Securely bag soiled clothing. \n\u25cf Place used wipes in the soiled diaper or pull-up. \n\u25cf Put the soiled diaper/pull-up into two plastic bags and tie up \nthe bags. \n\u25cf Discard the bags with the soiled diaper/pull-up and wipes in \nthe covered trash can. \n\u25cf Remove and discard gloves. \n\u25cf Apply diaper cream, if needed, with a tissue and/or cotton \nball or a freshly gloved finger. \n\u25cf Put on a fresh diaper or help the child put on a fresh pull-up \nor clean clothes. \n\u25cf Help the child to get dressed. Wash the child\u2019s hands with \nsoap and water and place them in a safe, supervised area. \n\u25cf When a diaper changing table is used:", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "65ce1fc0-7173-419c-93bf-dafcc3a01979": { + "page_content": "or clean clothes. \n\u25cf Help the child to get dressed. Wash the child\u2019s hands with \nsoap and water and place them in a safe, supervised area. \n\u25cf When a diaper changing table is used: \no Remove liner from the changing surface and discard in \nthe trash can. \no Wipe up any visible soil with damp paper towels or a \nbaby wipe. \no Clean the entire surface with disinfectant. \no Wash your hands with soap and water.", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8634c90e-3c77-4c20-8f9a-5cf6cf433614": { + "page_content": "Superintendent\u2019s Circular SHS-24 \nPage 5 of 6 \nRESOURCES \n\u25cf BPS Department of Early Childhood \n\u25cf BPS Department of Special Education \n\u25cf NAEYC Early Learning Program Accreditation Standards \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6ad42a8f-8d16-4a5d-8024-5e8348971d3b": { + "page_content": "Superintendent\u2019s Circular SHS-24 \nPage 6 of 6 \n \nAdults Designated to Change Diapers, Assist Students with \nToileting, and/or Assist Children with Toileting Accidents \nSchool: \nSchool Year: \nName 1: \nPosition: \nName 2: \nPosition: \nName 3: \nPosition: \nName 4: \nPosition: \n \nPrincipal Signature: \nDate:", + "metadata": { + "file_name": "SHS-24 Diapering and Toileting Accidents Policy.pdf", + "source_link": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0c8c348d-8892-4648-b905-623f6d6460af": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-16 \nVersion 01 \n \n \n \nSUICIDE PREVENTION AND INTERVENTION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nIt is the policy of the Boston Public Schools (BPS) to provide an \narray of services for students through the utilization of internal \nand external support resources to promote their social and \nemotional growth and well-being. In those cases where \nindividual students are at-risk or in-crisis, all staff will collaborate \nin providing those supports needed to ensure the student\u2019s \nsafety and well-being. When there is an acute crisis within the \nschool community, staff will collaborate, under the direction of \nthe building administrator and with support from the Behavioral \nHealth Services District Crisis Team (as needed/appropriate), in \naddressing those problems and issues raised by that death \namong students, staff, and parents. \nPOLICY GUIDELINES", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2ebb9c13-04f2-4da7-ae05-b7fe2fa74b0a": { + "page_content": "Health Services District Crisis Team (as needed/appropriate), in \naddressing those problems and issues raised by that death \namong students, staff, and parents. \nPOLICY GUIDELINES \nThe following policy guidelines have been established to address \nthe issue of suicide prevention and intervention and will be \nfollowed in all schools: \n1. All staff should be aware of suicide distress signals and \nsymptoms outlined herein. \n2. All staff have an obligation to be knowledgeable about and", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "47a0eaf8-5f27-4f28-8c8e-0cc03acf67f2": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 2 of 18 \n \n \n \nto cooperate fully in the implementation of the BPS Suicide \nPrevention and Intervention Policy Statement and Policy \nGuidelines. \n3. Building administrators will provide leadership in \naddressing the issue of suicide prevention and intervention \nand will establish and maintain the following support \nmechanisms required to address the issue within the wider \nschool community: \na. Implement prevention and intervention strategies \naccording to a multi-tiered system of support (MTSS) \nframework. \nb. Be sure that staff is knowledgeable about the purpose \nof the Student Success Team (SST), its membership, \nand the process for making referrals to the team. \nc. Ensure the provision of in-service training for staff in \nthe fall of each school year concerning the issues of \nsuicide/crisis intervention and prevention, including \nsuicide risk assessment procedures. \nd. Establish and maintain linkages with appropriate", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "61b7cbbb-2626-4636-8cc8-dc610c9a488b": { + "page_content": "the fall of each school year concerning the issues of \nsuicide/crisis intervention and prevention, including \nsuicide risk assessment procedures. \nd. Establish and maintain linkages with appropriate \ncommunity-based support agencies that will assist the \nschool in addressing this issue. \ne. Provide information and services to students with a \nview to implementing fully the letter and spirit of the \nBoston Public Schools Suicide Prevention and \nIntervention Policy. \nFinally, it is paramount to highlight that racism undermines \nmental health. Therefore, BPS is committed to culturally and \nlinguistically sustaining practices (CLSP) in all that is done in \nsupporting students and families. This means that we pledge to \nwork against individual racism, interpersonal racism, and \ninstitutional racism in all their forms by creating systems that", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7993e970-d850-46d2-b94f-5d06d34786de": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 3 of 18 \n \n \n \nwork for our students and families. It is also well understood that \nthere is an increased risk of suicide amongst traditionally \nmarginalized groups, particularly in LGBTQ+ students. \nKEY TERMS \nIt is essential that all Boston Public Schools staff understand the \nfollowing terms. \nSuicide: Death caused by self-directed injurious behavior with \nintent to die as a result of the behavior. \nSuicide Attempt: A non-fatal, self-directed, potentially injurious \nbehavior with at least some intent to die as a result of the \nbehavior. \nSuicidal Ideation: Thinking about, considering, or planning \nsuicide1. \nSelf-Injury: The act of deliberately harming one\u2019s own body, \nsuch as cutting or burning, as a way to cope with emotional \npain2. \nTIERED PREVENTION & INTERVENTION STRATEGIES \nIt should be the goal of the school community to work together, \nunder the leadership of the building administrator, to establish", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d8cac5fb-c4bc-4f8a-beea-fdb0fbdb24ce": { + "page_content": "pain2. \nTIERED PREVENTION & INTERVENTION STRATEGIES \nIt should be the goal of the school community to work together, \nunder the leadership of the building administrator, to establish \nand maintain a program of suicide prevention. Schools are \nimportant settings for suicide prevention for the following \nreasons: school personnel interact regularly with students and \nplay an important role in keeping students safe; suicide has a \n \n1 NIMH \u00bb Home \n2 Self-injury/cutting - Symptoms and causes", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3c1abd72-4050-446e-b8d0-2b1eeb08d0e5": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 4 of 18 \n \n \n \nnegative impact on an entire school community; and creating \nand maintaining a safe and supportive learning environment is \npart of the mission of BPS3. Prevention efforts should follow an \nMTSS continuum, with low-intensity prevention efforts for all \nstudents and more intensive prevention efforts for those with \nhigher risk. The following prevention and intervention strategies \nare strongly recommended as part of a school-based suicide \nprevention approach. \n\uf075 Tier 1 Prevention \nSchool Climate \nand Culture \nBuilding a safe and supportive school \nclimate is a vital step in suicide prevention. \nSchools should consider how they are \nteaching kids to ask for help and how they \nare creating safe spaces for relationship-\nbuilding. \nSchool-Wide \nPsychoeducation \nBreak Free From Depression (grades 9-12) \nSigns of Suicide (grades 6-12) \nSocial Emotional Learning curriculum \n(grades pre-K to 12) \n \n3 Schools", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ecd86a7d-4b41-4189-854f-24fcedabdceb": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 5 of 18 \n \n \n \nUniversal \nBehavioral Health \nScreening \nUsing a universal behavioral health \nscreening tool (e.g. BIMAS-2) at least twice \nper year helps schools assess students\u2019 \nlevel of risk and identify appropriate \nprevention strategies. \nThe Trevor Project \u2014 Saving Young LGBTQ \nLives \nSamaritans 24-hour Hotline \nSamaritans IM Here Online Chat Program \nKnowing Risk \nFactors & Warning \nSigns \nEnsure that all staff are familiar with \nsuicide symptoms and report student \nconcerns to the building administrator in a \ntimely fashion. (See page 9-10 for a list of \nwarning signs along with common risk and \nprotective factors.)", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c240a672-46a2-4051-bdd1-9db407454a32": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 6 of 18 \n \n \n \n\uf075 Tier 2 Prevention & Intervention Strategies \nStructures and protocols to address and provide support to \nstudents presenting at risk. \nPerson(s) \nResponsible \nResponse Protocol \nStudent Success \nTeam (SST) \nThe SST should provide a systematic \nprocess for identifying and addressing the \nneeds of students in need of support \nservices and emphasize suicide prevention \nstrategies. This can consist of guardian \ncontact regarding concerns, referral to a \npartner or other agency for provision of \nservices, such as group counseling, etc. \n \n\uf075 Tier 3 Intervention Strategies \nAll school staff should be familiar with intervention strategies and \nprotocols and be trained once per year. Different levels of \nintervention (suicide risk assessment, safety planning, \nemergency response, and postvention) are required, depending \non the nature and seriousness of the situation. \n1. Student has made suicidal gestures or statements.", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e5f4e4a7-fd03-4c65-b300-a1dc8f63eedb": { + "page_content": "emergency response, and postvention) are required, depending \non the nature and seriousness of the situation. \n1. Student has made suicidal gestures or statements. \nThe BPS Suicide Risk Assessment (SRA) should be initiated \nimmediately if there is concern that a student has thoughts \nabout suicide. The SRA will guide the process for (1) gathering \ninformation about the concern, (2) developing an appropriate \nintervention plan, and (3) documenting both.", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e47083c9-237c-4d9d-a1b9-c805d1744ba8": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 7 of 18 \n \n \n \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Keep the student safe. \na. Supervise the student by ensuring \nthey are in the presence of a staff \nmember. \nb. Call 911 if there is a concern about \nimminent danger. The BEST team \nand / or a safety check may be \nappropriate. \n2. Notify the school administrator. \n3. Report the situation to the designated \nschool leader(s). \nHead of \nSchool/Principal \nor Designee \n1. Continue the support initiated by the \nstaff person. \n2. Contact the parent/guardian and request \ntheir immediate presence. \n3. Consult with the appropriate members of \nthe school\u2019s student success team (SST), \nsuch as the nurse, school psychologist, \nsocial worker, student support \ncoordinator, etc. \n4. Identify the professionals completing the \nSRA. The SRA must be conducted: \na. In the student\u2019s preferred language \nb. By at least TWO people, one of \nwhich must be a BPS employed", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "86568e28-6709-44e1-9f30-b66cb963ace9": { + "page_content": "4. Identify the professionals completing the \nSRA. The SRA must be conducted: \na. In the student\u2019s preferred language \nb. By at least TWO people, one of \nwhich must be a BPS employed \nprofessional and a licensed mental \nhealth professional. If these", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2a9d61c7-6042-49fe-a752-069babe50b48": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 8 of 18 \n \n \n \nindividuals are not available at the \nschool, please call the Office of \nSocial Work at 617-971-8292. \n5. Use of the Boston Emergency Services \nTeam (BEST) should be considered (1-800-\n981-4357). The parent/guardian may also \nopt to take the student to a nearby BEST \ncommunity clinic. \n6. Submit reports as required. \nBPS employed \nprofessional and \na licensed mental \nhealth \nprofessional \n1. Complete the BPS Suicide Risk \nAssessment and determine the level of \nrisk. \n2. Work with the student to create a \nStudent Safety Plan \n3. Identify appropriate supportive services \nand list them in the intervention plan at \nthe end of the SRA document. \na. Possible High-Risk Interventions: \ni. Guardian takes their student for \nimmediate intervention with a \nhealth care provider. \nii. Guardian and/or school to \ncontact BEST team at 1-800-\n981-4357. \niii. Contact BPS School Police at \n617-635-8000. \niv. Call 911 if necessary.", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "885e3f7a-a3fa-40e4-b11b-2b63f4e89117": { + "page_content": "health care provider. \nii. Guardian and/or school to \ncontact BEST team at 1-800-\n981-4357. \niii. Contact BPS School Police at \n617-635-8000. \niv. Call 911 if necessary. \nb. Possible Low Risk Interventions:", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e6f12b23-8c35-43c6-b5e3-78097d894229": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 9 of 18 \n \n \n \ni. Guardian to speak with the \nstudent about this incident or \nconcern. \nii. Teacher to monitor student\u2019s \nbehavior and report any \nchanges or concerns. \niii. Referral to outside agencies \nfor support \niv. Referral to Student Success \nTeam or other school-based \nsupports \n4. Scan and upload a copy of the completed \nintervention plan and signature page, \nalong with the student safety plan to \nAspen. Retain SRA interview pages in a \nclinical file in an agreed upon location in \nyour school. \n5. Share the Student Safety Plan with \nparents/caregivers and all appropriate \nschool-based personnel and community-\nbased partners. \n6. Create a re-entry plan for students when \nthey return to school.", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6389eb66-fb63-4309-9e5c-d90ee01d4b8d": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 10 of 18 \n \n \n \nParent / Family \nCollaboration \nNotify the Student\u2019s Legal Guardian(s) or \nEmergency Contact(s). These may include: \n\uf06f Legal Guardian(s) listed in ASPEN. \n\uf06f Emergency Contact(s) listed in ASPEN. \n\uf06f Legal Guardian(s) has been asked to \ncome to school to discuss the student\u2019s \nneeds. \n\uf06f Record if the Legal Guardian(s) have \nNOT been notified and why they have \nnot been notified. \n\uf06f Share the SRA interview and plan for \nany interventions and collaborate \naround follow-up. \n \n2. Suicide Attempt Has Occurred \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Initiate first aid, if appropriate. \n2. Contact the head of school/principal or \ndesignee (e.g., nurse, social worker, \nschool psychologist). \n3. Contact the school nurse. \n4. Do not leave the person alone. \n5. Remove anything that may enable the \nperson to hurt themself.", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "af769bf1-dac2-4763-9982-5ae904786b77": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 11 of 18 \n \n \n \nSchool Nurse 1. Initiate required medical procedures. \n2. Accompany (or ensure that a staff \nmember accompanies) the student to \nthe hospital. \n3. Remain with the student until the \nparent / caregiver arrives or for as long \nas possible. \n4. Inform the building administrator of the \nstudent\u2019s condition. This includes \ninforming the administrator when the \nstaff member is leaving the hospital. \nHead of \nSchool/Principal \nor Designee \n1. Initiate the procedures in \nSuperintendent\u2019s Circular, FSE-05 \nMedical Emergency Management \n2. Contact the legal guardian and inform \nthem of the situation and the hospital to \nwhich the student is being taken, if \napplicable. \n3. Accompany the student to the hospital, \nif applicable \n4. Contact the Superintendent\u2019s Office \n(617-635-9055) to report the incident. \n5. Complete required reports.", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6ea648fe-c209-4b66-8a63-ec81f6eda805": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 12 of 18 \n \n \n \n3. Postvention \nStructures and protocols to address school need after a \ncompleted suicide. \nPostvention should be tailored to a specific situation, handled \ncase by case by your school's mental health staff and the crisis \nteam. Call your assigned District Social Worker or the Director of \nSocial Work, Jenna Parafincczuk at 617-971-8292 \nPerson Responsible Response Protocol \nHead of \nschool/Principal or \nDesignee \nCall and notify your assigned District \nSocial Worker for assistance in \nplanning and carrying out Postvention \nsteps for ensuring safety and \naddressing the psychological needs of \nstudents and staff. \nRELEASING STUDENTS TO PARENT/CAREGIVER \nThe head of school/principal or designee should release the \nstudent to the parent after: \n\u2022 Providing the parent/caregiver with the name of a medical \nperson, a mental health worker, or a resource agency \n\u2022 Urging the parent to immediately bring the student to that", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "628cc323-a643-47ae-b2a2-acc55a15e4d4": { + "page_content": "\u2022 Providing the parent/caregiver with the name of a medical \nperson, a mental health worker, or a resource agency \n\u2022 Urging the parent to immediately bring the student to that \nperson or agency \n\u2022 Urging the parent to provide the school with any follow-up \ninformation that may be forthcoming from medical or \nmental health personnel in order for the school to better \nprovide for the student \nIf a parent/caregiver or emergency contact cannot be contacted", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e2e074d8-af39-4bc5-9948-bdfc6930a0b4": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 13 of 18 \n \n \n \nafter two hours, Department of Children and Families should be \ncontacted at the hot line (1-800-792-5200) and/or emergency \nmedical procedures should be implemented. Under no \ncircumstances should a child be allowed to go home without a \nparent/guardian. The student should be kept at the school until a \nDCF worker arrives. In these cases, schools should initiate the \nprocedures in Supertintendent\u2019s Circular SUP-20, Child Abuse \nand Neglect Procedures. \nREFERRAL TO EXTERNAL SUPPORT AGENCIES \nIt is recommended that all students, both those \u201cin-crisis\u201d and \nthose who have exhibited or expressed any symptoms of suicide, \nbe referred for support by external agencies with staff trained \nand experienced in providing suicide intervention. \nRETURNING TO SCHOOL \nAll students returning to school after a period of absence are \nrequired to bring notes of explanation/excuse for the absence,", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ef0db136-b9a0-466c-b6c5-2b35e98ac31f": { + "page_content": "RETURNING TO SCHOOL \nAll students returning to school after a period of absence are \nrequired to bring notes of explanation/excuse for the absence, \nsigned by the parent/guardian. For students returning to school \nafter emergency treatment for suicide intervention, schools \nshould make all reasonable efforts to obtain documentation from \na medical/mental health provider indicating that the student is \nable and safe to return to school. Failure of the school to receive \nsuch documentation, however, will not be grounds for excluding \nthe student from school. Those students unable to return for \nmedical or mental health reasons after a crisis situation may \nqualify for services under the provisions of Superintendent\u2019s \nCircular SSS-19 Home and Hospital Instruction. \nAll returning students should report first to the school nurse (or \nother trained student support staff, such as the school", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ce978cc5-ddb6-4410-8c3b-e1f15d5bb244": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 14 of 18 \n \n \n \npsychologist or social worker), who will take the following \nactions: \n1. Review and file the letter from the medical/mental health \nprovider as part of a confidential health record. \n2. Accompany the student to the homeroom for re-admission. \nEvery effort should be made to do this with sensitivity and to \nmaintain as great a degree of confidentiality as possible. \n3. Inform the head of school/principal of the student\u2019s return. \n4. Bring the case to the school\u2019s SST for review and assignment \nof an internal liaison person. \nThis liaison person will monitor the student\u2019s re-entry and serve \nas the person to whom staff should report recurring warning \nsigns. The liaison might be a homeroom or subject area teacher, \na school psychologist, a guidance counselor, the nurse, or other \nmember of the faculty who is trusted by the student. The liaison \nmight also serve as the link with the parent/guardian concerning", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0a798752-2470-44a8-8038-e64cc93eabd4": { + "page_content": "a school psychologist, a guidance counselor, the nurse, or other \nmember of the faculty who is trusted by the student. The liaison \nmight also serve as the link with the parent/guardian concerning \nthe student\u2019s status and, with written permission of the \nparent/guardian, serve as a liaison with any external agency staff \nproviding special support to the student.", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "895ea2ba-68fd-4f19-99a9-82c6ea3345f9": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 15 of 18 \n \n \n \nAPPENDEUM: \nSUICIDE WARNING SIGNS \nWarning signs are indicators that a student may be in danger of \ncommitting suicide and may need urgent help. \nVerbal Behavioral \n\u2022 Talking about and/or \nmaking suicide plans \n\u2022 Talking about and/or \ngathering suicide \nmethods/information \n\u2022 Statements that family \nand friends would not \nmiss them \n\u2022 Expressions of \nhopelessness and/or \nanger at self and the \nworld \n\u2022 Talking about seeking \nrevenge \n\u2022 Talking about feeling \ntrapped or being in \nunbearable pain \n\u2022 Talking about being a \nburden to others \n \n\u2022 Looking for a way to kill \noneself \n\u2022 Increasing the use of \nalcohol or drugs \n\u2022 Acting anxious, agitated, \nor restless \n\u2022 Sleeping too little or too \nmuch \n\u2022 Withdrawing or feeling \nisolated \n\u2022 Scratching, cutting, \nmarking body, or other \nself-injurious behaviors \n\u2022 Writing of suicidal notes \nor posting on social media \n\u2022 Making final \narrangements \n\u2022 Giving away prized \npossessions", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8bdc048b-7cdf-44a0-9474-5d4484eb243a": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 16 of 18 \n \n \n \n\u2022 Reading, writing, and/or \nart about death \n\u2022 Sudden positive behavior \nchange following a period \nof depression \nENVIRONMENTAL WARNING SIGNS \n\u2022 Recent loss through death \n\u2022 Recent loss through suicide \n\u2022 Anniversary of a significant loss \n\u2022 Recent experiences of violence \n\u2022 Justice system involvement \n\u2022 Anniversary of a significant loss", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "93c2bc7e-628f-463c-9e82-241baba92c95": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 17 of 18 \n \n \n \nSUICIDE RISK FACTORS \nRisk factors are characteristics that make it more likely a student \nmight consider, attempt, or die by suicide. \nIndividual Environmental \n\u2022 LGBTQ+ Identity \n\u2022 Substance Abuse \n\u2022 Medication use \n\u2022 History of mental disorders, \nparticularly clinical depression \n(that has not been dx or \ntreated properly) \n\u2022 Prior suicide attempts \n\u2022 Hopelessness / A Burden \n\u2022 Hallucinations \n\u2022 Delusions \n\u2022 Impulsive or aggressive \ntendencies \n\u2022 Cultural and religious beliefs \n(e.g., belief that suicide is noble \nresolution of a personal \ndilemma) \n\u2022 Physical Illness \n\u2022 Unwillingness to seek help \nbecause of the stigma \nattached to mental health and \nsubstance abuse disorders or \nto suicidal thoughts \n\u2022 Interpersonal conflict \n\u2022 Isolation / aloneness \n\u2022 Parent suicide \nattempts / family \nhistory \n\u2022 Early loss / \nseparation from \nfamily \n\u2022 Cultural sanctions for \nsuicide \n\u2022 Loss (relational, \nsocial, work or \nfinancial)", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c8da0b5d-54e3-465b-9c94-5d544309ac0c": { + "page_content": "\u2022 Isolation / aloneness \n\u2022 Parent suicide \nattempts / family \nhistory \n\u2022 Early loss / \nseparation from \nfamily \n\u2022 Cultural sanctions for \nsuicide \n\u2022 Loss (relational, \nsocial, work or \nfinancial) \n\u2022 Local epidemics of \nsuicide \n\u2022 Barriers to accessing \nmental health \ntreatment \n\u2022 Easy to access lethal \nmethods", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "23e11c64-fb39-4c02-8c51-e5f4ffb8ff4f": { + "page_content": "Superintendent\u2019s Circular SHS-16 \nPage 18 of 18 \n \n \n \nSUICIDE PROTECTIVE FACTORS \nProtective factors are characteristics that make it less likely that a \nstudent will engage in suicidal behavior. \n\u2022 Effective clinical care for mental, physical, and substance \nabuse disorders \n\u2022 Easy access to a variety of clinical interventions and support \nfor help seeking \n\u2022 Family and community support (connectedness) \n\u2022 Support from ongoing medical and mental health care \nrelationships \n\u2022 Skills in problem solving, conflict resolution, and nonviolent \nways of handling disputes \n\u2022 Cultural and religious beliefs that discourage suicide and \nsupport instincts for self-preservation \nFor more information about this circular, contact: \nOwner: Director of Social Work, Division of Student \nSupport \nDepartment: Social Work \nMailing Address: 205 Roxbury Street, Roxbury, MA 02119 \nPhone: 617-971-8292 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-16 Suicide Prevention & Intervention.pdf", + "source_link": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d1919644-80d5-439e-b790-287d80586291": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-13 \nVersion 01 \n \n \n \nTRANSPORTATION, MEDICAL ACCOMMODATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSome students may be eligible for transportation \naccommodation based on medical needs. The following \nguidelines and processes refer to transportation for student \nmedical indications only. Transportation accommodations for \nmedical needs do not include transportation accommodations \nwritten into an Individualized Education Program (IEP). \nBACKGROUND \nMedical transportation is warranted when a student\u2019s illness, \nmanaged by a health care professional, requires the assistance of \ntransportation as an accommodation to enable the student to \nattend school. Transportation accommodations for medical \nneeds should not substitute for treatment of specific medical \nconditions. The school, through the Student Support Team, is \nencouraged to explore creative solutions to assist these families", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "af49d3da-0ede-4453-91e5-e718324ed9d0": { + "page_content": "needs should not substitute for treatment of specific medical \nconditions. The school, through the Student Support Team, is \nencouraged to explore creative solutions to assist these families \nwith extraordinary needs. Children with chronic medical \nconditions that cannot be remediated by medication or therapy \nmay be granted renewal each year. Renewal is collaboratively \ndetermined by the school nurse and central office staff. Schools \nwill be notified in the spring to begin the transportation renewal \nprocess. No student should be considered \u201crenewed\u201d until", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "46886832-8274-4e26-b09d-765e71f35130": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 2 of 11 \n \n \n \nreceiving written notification that will be sent according to the \nTransportation Office policy. \nPOLICY IMPLEMENTATION GUIDELINES \nParent/Guardian Role: \n\u2022 Inform the school nurse of medical diagnosis and provide \nsupporting medical documentation that may require \ntransportation as an accommodation. \n\u2022 Communicate with the school nurse and their child\u2019s health \ncare provider regarding the need for medical transportation. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Principal/Head of School Role: \n\u2022 Review, discuss, and approve each case with the Student \nSupport Team and/or school nurse. \n\u2022 Designate a member of the Student Support Team to \ncollaborate with the school nurse to inform \nparents/guardians of eligibility determination. \n\u2022 All participants in the process may seek further assistance", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c1776a3f-0e3d-4e14-a6f7-a8ae29772ed9": { + "page_content": "collaborate with the school nurse to inform \nparents/guardians of eligibility determination. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Nurse Role: \n\u2022 Provide parents/guardians with a release of medical \ninformation form to be signed to obtain consent to speak \nwith the student\u2019s licensed health care provider.", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6c2c14e9-cc62-40e2-8284-c043184ea70b": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 3 of 11 \n \n \n \n\u2022 Contact the licensed healthcare provider to inform them of \nthe BPS transportation accommodation policy, discuss the \nrequest submitted by the parent/guardian, and share \nclinical observations related to the child\u2019s medical condition. \n\u2022 Present the case to the Student Support Team, including \nnotes taken during discussions with the parent/guardian \nand licensed health care provider to determine the \nappropriate accommodations, if any. \n\u2022 Document all relevant and objective information related to \ntransportation in the student\u2019s electronic health record. \n\u2022 If the school nurse does not believe transportation is \nwarranted based on the above criteria, but any other \nparticipant in the process disagrees, the case is referred to \nSchool Health Services for further clarification and \nresolution. \nStudent Support Team Role: \n\u2022 Discuss medical transportation request cases as referred by \nthe school nurse.", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "df24331c-26dd-4e81-bf07-3128269d8ad6": { + "page_content": "School Health Services for further clarification and \nresolution. \nStudent Support Team Role: \n\u2022 Discuss medical transportation request cases as referred by \nthe school nurse. \n\u2022 Each request should be considered individually, and other \noptions must be reviewed prior to authorization of medical \ntransportation. If additional support is needed, the Student \nSupport Team may make referrals for 504 or special \neducation concerns. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520.", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1dba1a45-8c65-4505-9e21-0a87031de927": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 4 of 11 \n \n \n \nCoordinator of Special Education (COSE) Role: \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nshall discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs. As part of this \nconsideration, the team shall include the school nurse. If \nspecial transportation is found to be necessary for the \nstudent to benefit from special education services and make \nmeaningful educational progress, it can be added to the IEP. \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education and related \nservices, the COSE will process the request for \ntransportation as appropriate.", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "a2ba8e56-10bf-4114-a8aa-3d06e3efb073": { + "page_content": "\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education and related \nservices, the COSE will process the request for \ntransportation as appropriate. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Health Services Role: \n\u2022 A member of the Health Services administrative team will \nbe available to discuss any request for transportation as an \naccommodation for medical needs. \n\u2022 School Health Services will consult with any party involved \nin the transportation as an accommodation for the medical \nneeds process regarding the eligibility determination. \n\u2022 In some cases, School Health Services may overturn the", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c6e1d9e9-8931-450c-a50f-4637278bdbdf": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 5 of 11 \n \n \n \ninitial determination or provide recommendations for \nalternative accommodations to support the student\u2019s needs. \nDepartment of Transportation Role: \n\u2022 After approval, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen. \n\u2022 Collaborate with School Health Services regarding the \nmedical transportation renewal process. \n\u2022 Transportation requests for students who are healthy, but \nwhose parents or guardians are ill, will not be approved. \n \nELIGIBILITY DETERMINATION \nA student determined to be eligible: \n\u2022 The school nurse will fill out the Request for Medical \nTransportation form provided below and submit it to \nschool-based leadership for final approval; the signed form \nwill be sent via email to the school\u2019s Transportation Officer \nwithin the Department of Transportation by the school", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6d17f09b-7132-4309-b3fc-2af3185a3139": { + "page_content": "school-based leadership for final approval; the signed form \nwill be sent via email to the school\u2019s Transportation Officer \nwithin the Department of Transportation by the school \nleader and/or school transportation coordinator. \n\u2022 Once approved, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen.", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ed819cca-6021-4c83-9fb9-f3370d1d8ba2": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 6 of 11 \n \n \n \nA student determined NOT eligible: \n\u2022 The parent/guardian will be notified by the principal \ndesignee in collaboration with the school nurse. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \n \nSPECIFIC GUIDELINES \nAsthma: Transportation as an accommodation for asthma is \nreserved for severe asthmatics that are adhering to a treatment \nplan, have a rescue inhaler at school, and have an Asthma Action \nPlan on file with the school nurse. If asthma impacts a student\u2019s \nability to walk to a school bus or MBTA stop, further medical \nevaluation and treatment may be necessary and should be \ndiscussed with the child\u2019s health care provider. Even the most \ncompliant students with asthma may need medical \ntransportation during the cold winter months. Mild, episodic \nasthmatic students on intermittent medications do not qualify", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "4f7f1225-aef5-4af7-9450-fbcef0a5263c": { + "page_content": "compliant students with asthma may need medical \ntransportation during the cold winter months. Mild, episodic \nasthmatic students on intermittent medications do not qualify \nfor medical transportation. \nSickle Cell: Please refer to Superintendent\u2019s Circular SHS-25. \nAmbulation: Students with conditions that significantly affect \nambulation, such as leg braces, crutches, lower extremity \nfractures, or amputations may be eligible for transportation as an \naccommodation. Students who can ambulate and fully \nparticipate in the school program should not be authorized for \nmedical transportation. \nSeizure Disorder: Students experiencing current, intermittent", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "f7c96ed4-ea98-4545-8183-639a6cf105fe": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 7 of 11 \n \n \n \nseizure activity are eligible for transportation accommodation \nuntil stabilized. In general, if seizures are well controlled, medical \ntransportation will not be provided. \nEmotional/Behavioral Problems: Children with emotional and/or \nbehavioral issues which impact their transportation to or from \nschool should be discussed at the Student Support Team \nmeeting before any referral is made for this type of \ntransportation accommodation. ADHD, depression/anxiety, \nimpulsivity, and other behavioral issues have an impact on \nteaching and learning as well as school access. Behavioral \nmodification and other modalities may be more beneficial to the \nchild\u2019s overall functioning than just transportation alone. The \nschool nurse will gather the medically relevant information for \nthe team. \nOther: Neuromuscular disorders, cardiac disease, and other \nmedical conditions should be reviewed on an individual basis;", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7b87008b-9a27-43fd-bd02-9f46e53551aa": { + "page_content": "school nurse will gather the medically relevant information for \nthe team. \nOther: Neuromuscular disorders, cardiac disease, and other \nmedical conditions should be reviewed on an individual basis; \nconsult with School Health Services as needed.", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "567c2aa3-137c-45e5-932f-96befba370a6": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 8 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ae29ffaf-6d6f-4854-ae80-2fa5f479058a": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 9 of 11 \n \n \n \nREQUEST FOR TRANSPORTATION ACCOMMODATION, \nMEDICAL NEEDS \n(For school system use only) \nStudent Name _________________________Student ID # ____________ \nSchool_ _________________________________________________________ \nHours: _____________________________ \nTransportation will only be provided for the official hours of the \nschool. \nSchool Nurse (please print) ______________________________________ \nPrincipal/Head of School (please print) __________________________ \nDoes the student currently receive any kind of transportation \nfrom Boston Public Schools? \uf06fYes \uf06fNo \nIf yes, please describe why the additional accommodation is \nbeing requested. ________________________________________________ \n _________________________________________________________________ \nDoes the student currently receive services related to a 504 or \nIEP? \uf06fYes \uf06fNo \nIf yes, please discuss adding this accommodation to the student\u2019s", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3298636f-4a84-4974-bcd3-8ea8c098bae1": { + "page_content": "Does the student currently receive services related to a 504 or \nIEP? \uf06fYes \uf06fNo \nIf yes, please discuss adding this accommodation to the student\u2019s \ncurrent educational plan, instead of submitting the request in \nthis manner. Call Health Services for additional information and \nsupport.", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d4d44e7e-c1d3-4ff3-afa0-7f3c1225f108": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 10 of 11 \n \n \n \nMEDICAL CERTIFICATION: \nReason for request: ______________________________________________ \n _________________________________________________________________ \nHealthcare Provider/ Clinic Name: _______________________________ \nIs all relevant data documented in the student\u2019s electronic health \nrecord? \uf06f Yes \uf06f No \n \nDURATION OF MEDICAL TRANSPORTATION: Any \naccommodation lasting longer than 6-8 weeks will be reviewed \nby School Health Services in collaboration with the BPS \nDepartment of Transportation. \n\uf06f Wheelchair van #weeks _________ \n\uf06f Cold winter months \uf06f School year \n \nAUTHORIZATION: \nDate the request was submitted to school nurse: ________________ \nDate the request was discussed at SST meeting: ________________ \nPrincipal/head of school signature ______________________________ \nDate: _______________________________ \nSchool nurse signature __________________________________________", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1cb53abf-c291-4337-aa95-76bd942c994e": { + "page_content": "Superintendent\u2019s Circular SHS-13 \nPage 11 of 11 \n \n \n \nDate: _______________________________ \nName of Transportation Officer: _________________________________ \nDate faxed/emailed to Transportation Officer: ___________________ \n \n***************** \nDEPARTMENT OF TRANSPORTATION ONLY \nDate processed by Transportation Unit: _________________________", + "metadata": { + "file_name": "SHS-13 Transportation Medical Accommodation.pdf", + "source_link": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "531f704e-3d29-47a9-99c1-6bd02e81ba3c": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-22 \nVersion 01 \n \nRESPONSE TO CARDIAC ARREST IN SCHOOLS AND \nSCHOOL PROPERTY: AUTOMATIC EXTERNAL \nDEFIBRILLATOR (AED) USE AND ACCESS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that an Emergency \nMedical Response Plan is multifaceted and is designed to \nrespond to life-threatening medical emergencies in the first \nminutes before emergency medical services arrive. The elements \nof the policy include: effective communication throughout the \nindividual school and the district, a coordinated and practiced \nresponse plan, risk reduction, training and equipment for first aid \nand CPR, and a lay rescuer AED program. \nThis policy addresses the Cardiac Arrest Plan and focuses on CPR \nand AED use. It interfaces with Superintendent\u2019s Circulars FSE-\n05 Medical Emergencies; FSE-01 School Safety and Contingency", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d945adaa-5a69-4560-aadf-48a24ec0bc48": { + "page_content": "This policy addresses the Cardiac Arrest Plan and focuses on CPR \nand AED use. It interfaces with Superintendent\u2019s Circulars FSE-\n05 Medical Emergencies; FSE-01 School Safety and Contingency \nPlans; and SHS-11 Life-Threatening Allergies. It is also coordinated \nwith the City of Boston Public Access Defibrillator Program \n(PAD). Detailed procedures and protocols, including a \nMemorandum of Agreement between BPS and Boston EMS, are \navailable through Facilities Management.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6faf87ff-d9fd-4d57-b620-74106097473b": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 2 of 22 \n \nBACKGROUND \nSudden cardiac arrest (SCA) presents a potential life-threatening \nsituation to students, staff, and visitors, and quick response \nactions and interventions like cardio-pulmonary resuscitation \n(CPR) and proper use of an automatic external defibrillator (AED) \nwithin the first two (2) minutes significantly increases the chance \nof SCA survival. \nPROTOCOL FOR DISTRICTWIDE RESPONSIBILITIES \nThe City of Boston\u2019s Public Access Defibrillator Program (PAD) \nrequires that a systemwide policy be established that interfaces \nwith the district's School Safety and Contingency Plans. These \nplans are submitted each year. \nIn BPS, the AED/CPR policy is directed by an AED/CPR \nCommittee. This systemwide AED Committee includes but is not \nlimited to representation from Health Services, Facilities \nManagement (Environmental and Safety), BPS Operations, and \nCity of Boston\u2019s Emergency Management Services (BEMS). The", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1f80b73f-c7dd-47b1-80ad-1f20f805890c": { + "page_content": "limited to representation from Health Services, Facilities \nManagement (Environmental and Safety), BPS Operations, and \nCity of Boston\u2019s Emergency Management Services (BEMS). The \nresponsibility of this team is to oversee the AED and CPR \nprogram, including quality assurance, data review of critical \nincidents, equipment maintenance, inventory management, \ncoordinated and practiced response exercises, and lay CPR and \nAED training. \n\u2022 All school buildings have been provided with AEDs. All BPS \nschool buildings with an AED will need to register their \nindividual plans along with their annual safety contingency \nplans. Staff who have been trained in CPR will be added to", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c3a45b33-e511-4641-97aa-bdd7c0b4185f": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 3 of 22 \n \nthe school safety contingency plan and reviewed/updated \nannually. \n\u2022 AEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any \nathletic event or practice. The BPS Athletic Program shall \nmeet the same requirements and intent of the AED/CPR \nprogram for school buildings, including providing an \ninventory of the AEDs and their designated coaches (those \ncoaches who are responsible for the AED during their sport\u2019s \nseason). \nPROTOCOL FOR INDIVIDUAL SCHOOL RESPONSIBILITIES \nPrincipal/Head of School: \n\u2022 Ensures that there is an appropriately trained AED/CPR \ncoordinator at their school.* \n\u2022 Ensures that there is the required number of CPR trained \npersonnel in the school. \n\u2022 Includes the AED/CPR plan in the annual safety and \ncontingency plan submission to the director of Fire Safety \nand Emergency Preparedness. \n\u2022 Reviews and submits the annual AED/CPR plan to Safety", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "72f45b31-0d6d-4440-a90e-8538ab2a92a4": { + "page_content": "contingency plan submission to the director of Fire Safety \nand Emergency Preparedness. \n\u2022 Reviews and submits the annual AED/CPR plan to Safety \nServices (safety and contingency plan). \n\u2022 Oversees the placement of AEDs. \n\u2022 Ensures that the required staff are appropriately trained in \nCPR and AED use.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3c9e9fc2-ad22-490b-82db-c0684b0619a5": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 4 of 22 \n \n\u2022 Ensures periodic checks are done to better ensure safe and \ncontinuous operability and access to the AED. These checks \nshall include but not be limited to the following: \no Daily check of AED indicator light: Check the active \nstatus indicator light on your AED. It varies depending \non the brand. If any problems contact Richard Deraney, \nDirector of Safety/Emergency Preparedness. \no Weekly check: Check the condition of the AED and \naccessories (including but not limited to the AED, the \npads (infant and adult), and the AED alarmed metal \ncabinet. \no Monthly check: Check pads and battery pack for \nexpiration dates and AED signage throughout the \nbuilding. \no Quarterly submission of logs to the AED/CPR \ncommittee. \n* A member of your school site safety team is strongly \nrecommended. \nSchool Nurse: \n\u2022 Reviews plans with the AED/CPR coordinator. \n\u2022 Is up to date in CPR/AED training as required by \nemployment.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5cc60c76-283c-4076-b65f-bafd3a473fe5": { + "page_content": "* A member of your school site safety team is strongly \nrecommended. \nSchool Nurse: \n\u2022 Reviews plans with the AED/CPR coordinator. \n\u2022 Is up to date in CPR/AED training as required by \nemployment. \n\u2022 Includes plan in substitute school nurse folder. \n \nAthletic Coaches: \n\u2022 Participate in training in CPR/AED.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b5596513-1582-4c5d-8ebb-80156af4c71b": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 5 of 22 \n \n\u2022 Ensure that protocols are in place. \n\u2022 Review plans with the school nurse. \nBPS Athletics: \n\u2022 Ensures that all coaches are in compliance with AED/CPR \nguidelines. \n\u2022 Ensures that all athletic trainers providing services to BPS \nAthletics are in compliance with AED/CPR guidelines. \nTrained Staff: \n\u2022 Reviews CPR/AED plan for individual school. \n\u2022 Reviews Safety and contingency plans for school. \n\u2022 Participates in training. \n \nDetailed information on protocols and training is available in \nHealth Services & Safety Services, when available.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "fbacb8f4-4169-460e-b496-acacfc32ee9f": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 6 of 22 \n \nDate Activity \nOctober 1 \nAnnual Review of AED Program. This will be part of \nthe school\u2019s Building Safety and Fire Safety Plans. If \nthere are any changes, you will submit a copy to \nBPS Safety/Emergency Preparedness. \nOctober 1 \nBPS Athletics shall provide a list of coaches with \nAEDS and training verifications to \nSafety/Emergency Preparedness \nNovember 1 \nSchool leaders and building administrators shall \ncontact Office of Health and Wellness: Physical \nEducation to receive Anytime (Hands Only) CPR \ntraining and equipment for their physical \neducation teachers. \nMay 1 \n9th grade Physical Education teachers shall receive \nAnytime CPR training as needed and implement \nthe lesson with their students. \nJune 1 Annual Review of AED Policy by AED Committee", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "08aab26a-9756-458f-892d-c8ae88b6fa40": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 7 of 22 \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nContact: Director of Safety & Emergency Management \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "13af1487-1241-43df-af20-61e64ed673dd": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 8 of 22 \n \nBOSTON PUBLIC SCHOOLS \nMEMORANDUM OF AGREEMENT \nAUTOMATIC EXTERNAL DEFIBRILLATION PROGRAM \n \nTHIS AGREEMENT is made and entered into on ________________ \nand is between the Boston Public Schools (BPS) and Boston \nEmergency Medical Services (EMS). \nThe purpose of this agreement is to establish training and quality \nassurance programs for the utilization of automatic external \ndefibrillators (AED) by volunteer, trained Boston Public Schools \npersonnel. Those trained personnel will function under the \nmedical supervision of the BPS medical director and the assistant \ndirector of Health Services in collaboration with EMS medical \ndirector. \nThe Parties now mutually agree to the following: \nThe Boston Public Schools (BPS) agrees: \n1. To identify an AED/CPR coordinator from Safety Services to \nassume responsibility for coordinating the AED/CPR \ncommittee and monthly meetings. This committee will", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "178992f5-bfbc-4480-9b9d-067e7afcb8e5": { + "page_content": "1. To identify an AED/CPR coordinator from Safety Services to \nassume responsibility for coordinating the AED/CPR \ncommittee and monthly meetings. This committee will \ninclude representation from EMS and oversee aspects of the \nPublic Access Defibrillation program in BPS. \n2. To conduct CPR/AED training programs that are approved \nby the American Heart Association, American Red Cross, \nAmerican Safety and Health Institute, or BPS approved \nequivalent.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "79c4d58d-9f2d-4177-82e4-50e33a53f177": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 9 of 22 \n \n3. To establish a quality assurance program that reviews all \nAED response events with the EMS medical director, BPS \nmedical director, assistant director of Health Services, EMS \nliaison, and BPS responders. \n4. To maintain a database for AED training programs and \nshare trained personnel information rosters with the EMS. \n5. To notify EMS annually of the types of AEDs and location of \nunits in each building. \n6. To maintain database information regarding the AED daily \nchecks and maintenance information for each unit. \n7. To follow the protocols approved by Boston Public Schools \nfor AED use in BPS. \n8. To notify EMS of any changes in program, location, or \nequipment. \n9. In case of an incident, provide EMS with cardiac event data \ncards for evaluation and feedback. \n10. Work collaboratively with the EMS on student CPR training \nprograms \nBoston EMS agrees to: \n1. Identify the medical director of EMS as the overall medical", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "39ebc42a-c23a-4637-8f39-ae33d1181aa7": { + "page_content": "cards for evaluation and feedback. \n10. Work collaboratively with the EMS on student CPR training \nprograms \nBoston EMS agrees to: \n1. Identify the medical director of EMS as the overall medical \ndirector of the BPS AED program. \n2. Identify an EMS liaison that will collaborate with BPS on AED \nimplementation in the schools. \n3. Maintain records of location/types of machines, trained \npersonnel sent by BPS program coordinator.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3302b60e-0adb-49ff-bf29-00aa93b35def": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 10 of 22 \n \n4. Provide feedback, after a response incident, from the \ncardiac event data card to BPS CPR/AED coordinator and \nBPS medical director and other members of the AED/CPR \ncommittee for review. \n5. Provide \u201cTrain the Trainer\u201d CPR/AED programs to BPS \ndesignated volunteer employees. \n \nThis memorandum will be reviewed on an annual basis. \n __________________________________________________________________ \n \nIn witness whereof, the parties hereto execute this Agreement \nthrough their duly authorized representatives as of ________ day \nof ________________, 20____. \nBOSTON EMERGENCY MEDICAL SERVICES \nBy: ______________________________________ Date: _________________ \n \nIts: _______________________________________________________________ \n \nBOSTON PUBLIC SCHOOLS \n \n___________________________________________Date: _______________ \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "eb46cbde-df4c-4242-9edc-57286d52fc8a": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 11 of 22 \n \nBOSTON PUBLIC SCHOOLS \nPUBLIC ACCESS DEFIBRILLATION PROGRAM AND \nCPR GUIDELINES \n \nPURPOSE: The purpose of the Boston Public Schools Public \nAccess Defibrillation (PAD) Program guidelines is to assist \nemployees of the Boston Public Schools who are trained and \nwilling to do CPR, including use of an Automatic External \nDefibrillator (AED) in the event such use is necessary. These \nguidelines do not create an obligation to do CPR and use the \nAEDs, nor to create any expectation that either an AED or trained \nemployee will be present at every event. The guidelines should \nmake clear that by increasing the availability of AEDs and \nincreasing the number of persons trained to use them, that both \nthe school and larger community may be aided. Evidence shows \nthat time is a significant factor in victim survival rate, and on-site \nresponders are more likely to arrive faster than EMS to begin aid", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d3e28f48-18ab-4e76-99dc-ff998a7ea68d": { + "page_content": "that time is a significant factor in victim survival rate, and on-site \nresponders are more likely to arrive faster than EMS to begin aid \nto incidents of \u201csudden death\u201d. By equipping and training \nvoluntary employees in the use of AEDs, we will increase the \npotential to save lives through AED intervention. \nDEFINITION: The condition \u201csudden death\u201d occurs when the \nelectrical impulses of the human heart malfunction, causing a \ndisturbance in the heart\u2019s electrical rhythm called \u201cventricular \nfibrillation (VF)\u201d. This erratic and ineffective electrical heart \nrhythm causes complete cessation of the heart\u2019s normal function \nof pumping oxygenated blood, resulting in \u201csudden death\u201d. The \nmost effective treatment for this condition is the administration \nof an electrical current to the heart by a defibrillator, within the", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8d9768e8-3598-4301-b0f0-20eb5d44fa82": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 12 of 22 \n \nshortest time possible of VF onset. Each minute of delay in \ndefibrillator use decreases the survival rate by 10%. \nPROGRAM PROCEDURES: The Boston Public Schools anticipates \nthat where reasonably possible, employees who have been \ntrained and who are present when an incident occurs will react \nby activating the EMS system (calling 9-1-1 or 9-9-1-1), begin CPR, \nand utilize the AED available to them according to the guidelines \nof the American Heart Association. \nPROGRAM OVERSIGHT: The City of Boston\u2019s Public Access \nDefibrillator Program (PAD) requires that a systemwide policy be \nestablished. This system-wide AED committee includes but is \nnot limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston\u2019s Emergency Management \nServices (BEMS). This committee meets monthly and guides the \nprogram implementation and quality assurance.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2856b742-2e21-4ca6-bd1c-f6a5c89b0c00": { + "page_content": "Operations, and City of Boston\u2019s Emergency Management \nServices (BEMS). This committee meets monthly and guides the \nprogram implementation and quality assurance. \nThe EMS medical director agrees to act as the medical director \nfor the BPS PAD Program, ensuring its consistency with the \nCommunity AED Public Access program and reviewing each \ndeployment of the AED with the BPS team. \nThe Boston Public Schools physician / medical director is \nresponsible for: writing prescriptions for purchase of AEDs; \nreviewing and approving guidelines for emergency procedures \nrelated to the use of AEDs; reviewing all AED deployments; and \ncoordination with the local EMS medical director for consistency \nof operation. \nThe BPS assistant director of Health Services (nursing director) \nwill be the overall AED coordinator of the program, chairing the", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "129dea50-6b10-4fcc-86e7-0bf5fb3d6ad1": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 13 of 22 \n \nCPR/AED committee. This systemwide AED committee includes \nbut is not limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston\u2019s Emergency Management \nServices (BEMS). The responsibility of this team is to oversee the \nAED and CPR program, including quality assurance, data review \nof critical incidents, equipment maintenance and inventory \nmanagement, coordinated procurement of funding, practiced \nresponse exercises, and lay CPR and AED training. \nPRE-PROGRAM EVALUATION AND AED SELECTION \nOnly US FDA approved AEDs will be provided for this program. \nThe program manager and Facilities Management Department \nwill maintain the specification/technical information sheet for \neach approved AED on file assigned and/or donated to the PAD \nprogram. \nAll BPS schools have at least one AED. \nAEDs have been provided to the BPS Athletics Program for", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "105314c5-68fd-4577-a410-709289fa64c1": { + "page_content": "each approved AED on file assigned and/or donated to the PAD \nprogram. \nAll BPS schools have at least one AED. \nAEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any athletic \nevent or practice. The BPS Athletics Program shall meet the \nsame requirements and intent of the AED program for school \nbuildings.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2b4d636e-d351-49b9-825b-f48f1350c9cf": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 14 of 22 \n \nTRAINING \nAll volunteer employees and coaches will participate in a \nrecognized CPR/AED initial training course which will include the \nfollowing content: \n\u2022 Proper use, maintenance, and periodic inspection of AED. \n\u2022 Assessment of an unconscious person to determine if a \ncardiac arrest has occurred and the appropriateness of \napplying the AED. \n\u2022 Defibrillator safety precaution to enable the user to \nadminister a shock without jeopardizing the safety of the \nvictim, the user, or other persons on the scene. \n\u2022 Rapid accurate assessment of the victim\u2019s post-shock status \nto determine if further activation of AED is necessary. \n\u2022 The role of the initial rescuer in the coordination of care for \nthe cardiac arrest victim on arrival of EMS personnel. \n\u2022 Scenario based practice consistent with common scenarios \nthat rescuers may face. \n\u2022 Routine AED maintenance, troubleshooting options, and", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "493ab346-837d-4a01-9264-f62d6974ee02": { + "page_content": "the cardiac arrest victim on arrival of EMS personnel. \n\u2022 Scenario based practice consistent with common scenarios \nthat rescuers may face. \n\u2022 Routine AED maintenance, troubleshooting options, and \nspecial situations that initial rescuers may encounter. \nEmployees will only be held to the standards of \u201cGood Samaritan\u201d \nstatus and shall only be expected to use an AED if they have \nsuccessfully completed the CPR/AED training and feel confident \nusing the device.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "16e8811b-41d3-4683-b3bb-e639a9b942cd": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 15 of 22 \n \nSKILLS REVIEW AND PROFICIENCY DEMONSTRATION \nThe AED team candidate will need to demonstrate proficiency in \nadult CPR and the following: \n\u2022 Safe and effective use of the AED training device that \nconforms to the unit assigned to that location or building. \n\u2022 Perform a single or multi-shock practical exam conducted \nby a qualified AHA or ARC instructor. \n\u2022 Demonstrate common trouble-shooting techniques used \nwith the AED. \n\u2022 All AED team members will participate in a CPR/AED skills \nproficiency review annually. The PAD program manager will \nmaintain the proper training and review documentation. \nLOCATION OF AEDS \nAll BPS school buildings with an AED must register their plan \nwith BPS Safety Services. All school buildings have been provided \nwith AEDs. If additional AEDs are to be purchased, it must be \ndone through BPS HS or with the approval of BPS HS. AED will be \nnumbered for internal identification and inventory. These records", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b451a185-a395-4442-abd8-b1389ff6b953": { + "page_content": "with AEDs. If additional AEDs are to be purchased, it must be \ndone through BPS HS or with the approval of BPS HS. AED will be \nnumbered for internal identification and inventory. These records \nshall be kept and maintained under BPS HS. \nAll AEDs shall be located immediately outside the main \nadministrative office unless a written exemption with stated \nreasons for another location is provided. All AEDs are placed in an \nalarmed metal cabinet with an identifying AED location sign \nabove it. Other signs identifying AED location will be placed in \ncommon areas throughout the school building. For additional \nsignage or if there are any missing or broken signs, please", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "70f32cd1-cbaa-4108-8127-4a9f2af2bfb3": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 16 of 22 \n \ncontact Facilities Management \u2013 Environmental Section at 617-\n635-8300. \nAEDs are located outside the main administrative office because \nit is a well-identified location with continued access during \nschool occupancy and operating hours. In cases of BPS school \nbuildings sharing the building complex with another BPS school \nprogram or DYFS Community School or Center, if possible, a \nlocation may be chosen that would allow access to both \nprograms\u2019 operating hours. All AEDs shall be kept in the alarmed \nmetal cabinet, with the exception of AEDs provided specifically \nfor BPS Athletics Department. \nMAINTENANCE AND TESTING \nMaintenance and testing will be conducted according to the \nrequirements of the FDA and the AED manufacturer. \nDocumentation of maintenance and testing will be maintained in \nthe PAD program manager\u2019s office (nursing coordinator) for a \nperiod of two years. Documentation will record the date of", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "51e94e23-263a-4fd6-858f-dd6f226f2bb8": { + "page_content": "Documentation of maintenance and testing will be maintained in \nthe PAD program manager\u2019s office (nursing coordinator) for a \nperiod of two years. Documentation will record the date of \ntesting and the signature of the person performing the testing. If \na problem with the AED is identified, the AED coordinator must \nbe notified immediately. \nResponsibility for overall maintenance check assignments in \neach location will be with the BPS AED/CPR coordinator in \ncoordination with a designated person in each building. A \nperson in each building will be responsible for: \n\u2022 Daily visual checks and documentation during the actual \ncontracted school year. (Summer locations and checks will", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b6ad974e-1e76-40d5-b744-340b3fd616ec": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 17 of 22 \n \nbe determined by summer program use of the buildings, \nand Boston EMS will be notified of the Summer Plan.) \n\u2022 Prompt notification of PAD program manager for any \nequipment or supply needs. The designated building \ncoordinator will be responsible for scheduling AED training \ncourses in their building. Authorized AHA instructors will \nassist with training on AED use. \nUSE OF THE AED \nGeneral \n\u2022 Scene safety is vital. Rescuers are volunteers and are not \nexpected to place themselves at risk to provide aid to \nothers. To assess for scene safety: \no Verify that the victim is not in contact with any live \nelectrical connections. \no Remove the victim from any exposure to water to a dry \nsurface. \no Refrain from use of any portable radios near the victim \nwhile AED is analyzing. \n\u2022 During school hours, the building program coordinator will \nbe notified of any event occurring that may require the use \nof an AED.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "44bbc403-701b-48d5-b9cb-ce5918bbcc73": { + "page_content": "while AED is analyzing. \n\u2022 During school hours, the building program coordinator will \nbe notified of any event occurring that may require the use \nof an AED. \n\u2022 During afterschool hours, a trained athletic coach or their \ndesignee may move the AED from its current location to \nsupport Athletic Department activities. A visible notice \nmust be clearly stating the location of the AED as well as the \nlocation of the nearest AED, if another one exists.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "4ed59573-98d9-43e6-8fe0-341ff528ae54": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 18 of 22 \n \n\u2022 Contracted and community activities are not guaranteed \naccess to the AED or a trained AED operator as part of \nstandard school facility rental contracts. \nActual Use of AED in a Cardiac Event \n\u2022 Determine unresponsiveness of the victim and activate the \nEmergency Response Plan (Call 9-1-1). \no If a victim is unresponsive, call 9-1-1 (or 9-9-1-1) and get \nAED. \no Assess victim (airway, breathing circulation). \no Initiate CPR, if required, while AED is brought to the \nvictim's side. \no Designate a person to wait for a facility entry to direct \nEMS to location. \no Notify nursing coordinator of use to assign backup AED \nunit, if available \n\u2022 Upon arrival of AED, place AED next to the head of the \nvictim, close to the AED operator. \n\u2022 Prepare to use the AED: \no Turn power ON. \no Bare and prepare chest for AED use. \no Attach AED to victim (picture guides on each pad for \nproper placement location).", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "4eda46f1-f7e6-4802-a885-1adc4b827306": { + "page_content": "\u2022 Prepare to use the AED: \no Turn power ON. \no Bare and prepare chest for AED use. \no Attach AED to victim (picture guides on each pad for \nproper placement location). \no Stop CPR while the AED device analyzes the heart \nrhythm.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7865b335-7acd-428b-84a8-eb3e82165572": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 19 of 22 \n \no Follow the machine prompts for further action. If a \nshock is indicated, be sure all rescuers are \u201cclear\u201d \nbefore shock is administered. \n\u2022 Upon arrival, EMS shall take charge of the victim. \no Provide victim information (name, age, known medical \nhistory, time of incident). \no Provide information as to current condition and \nnumber of shocks delivered. \no Defibrillator pads and electrodes shall remain in place \non the victim. EMS will utilize BPS AED through \ntransport of victims to hospital to maintain continuity \nof event recording. \nAFTER USE OF AED \n\u2022 First responders will notify the program coordinator by \nphone of the incident, complete an incident report, and fax \nto the program coordinator. \n\u2022 A Critical Incident debriefing session will be held or \nscheduled within 24 hours for initial responders. (Boston \nEMS may not be immediately available.) \n\u2022 The health services director and program coordinator will be", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "23edae3a-b489-4563-9e4d-1fa2852d4388": { + "page_content": "scheduled within 24 hours for initial responders. (Boston \nEMS may not be immediately available.) \n\u2022 The health services director and program coordinator will be \nnotified of AED use and: \no Complete follow-up report for medical directors. \no Arrange for a quality improvement meeting of AED \nresponders. \no The AED will be checked and put back in readiness \nstate.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "75667472-d70f-4297-a434-126a776c5051": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 20 of 22 \n \no Restock AED inventory. \no Clean AED if needed according to manufacturer \nrecommendations. \no Document AED return readiness.", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "04c158bf-32fc-440a-b8a9-246cc1e1beb4": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 21 of 22 \n \nBOSTON PUBLIC SCHOOLS \nAUTOMATED EXTERNAL DEFIBRILLATOR PROGRAM \nPARTICIPATION REQUEST FORM \n \n_________________________________________________ (Name of person \nrequesting) requests implementation of the AED Program for \n _________________________________________________________________ . \n (Name of school / site) \nI understand that to be eligible for the AED Program, the \nfollowing requirements must be met: \nFunding / resources have been identified for the purchase and \nmaintenance of an \u201cAPPROVED\u201d AED. (Please consult program \nmanager for list of qualifications for approved AEDs.) \nFunding source: _________________________________________________ \n \nAt least 2 staff have been identified to be trained in CPR and AED. \nStaff member: ___________________________________________________ \nStaff member: ___________________________________________________ \nAt least 1 primary staff member and 1 back-up (in case of", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6f160f82-4f91-4919-a20e-171552782717": { + "page_content": "Staff member: ___________________________________________________ \nStaff member: ___________________________________________________ \nAt least 1 primary staff member and 1 back-up (in case of \nabsence) have been identified to be the building coordinator. \n \nList staff member and back-up:", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b6b071d4-f19f-48a2-9bac-92d436644389": { + "page_content": "Superintendent\u2019s Circular SHS-22 \nPage 22 of 22 \n \nPrimary: __________________________________________________________ \nBack-up: _________________________________________________________ \nPlanned location of the AED in the building: \n __________________________________________________________________", + "metadata": { + "file_name": "SHS-22 Automatic External Defibrillator Policy.pdf", + "source_link": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1168833f-0f12-438d-b824-4b1e145bc2db": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-25 \nVersion 01 \n \n \n \nSICKLE CELL DISEASE POLICY AND IMPLEMENTATION \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY BACKGROUND \nBPS recognizes that a clear, comprehensive policy on Sickle Cell \nDisease (SCD) management in school can have an impact on \nacademic achievement and support the general wellbeing of \nstudents with SCD. \n \nPOLICY STATEMENT \nBPS acknowledges that SCD is a disability that substantially \nlimits a major life activity, and qualifies students with SCD for a \ncomprehensive evaluation and consideration of eligibility under \nSection 504 of the Rehabilitation Act of 1973 (Section 504) to \ndetermine the services and accommodations they may need to \nattain a free appropriate public education. As part of BPS\u2019s \ncommitment to maintaining an educational environment that is \nwelcoming, inclusive, and encouraging, such that all students are", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "692c5f46-e35a-4df2-a3e2-936daeee5340": { + "page_content": "attain a free appropriate public education. As part of BPS\u2019s \ncommitment to maintaining an educational environment that is \nwelcoming, inclusive, and encouraging, such that all students are \nable to flourish, all schools must follow established protocols and \nprocedures for addressing the needs of children with SCD and \nregularly evaluate the implementation of these plans.", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0ed17e8d-3762-47a2-a554-73045e71a6db": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 2 of 12 \n \n \n \n \nBPS acknowledges that the successful implementation of this \npolicy at the district and school levels relies on fostering and \nmaintaining a culture of awareness and acceptance regarding \nSCD through acknowledging the history of SCD and the unique \nchallenges students with SCD face. With this in mind, BPS \nrecognizes that: \n\u25cf People with SCD have long faced harmful stigmas, many \nwith racially charged origins. \n\u25cf People with SCD are often challenged about the seriousness \nof their disease or even its existence. \n\u25cf Students with SCD have long experienced barriers to their \nhealth and success at school. \n \nIMPLEMENTATION IN BOSTON PUBLIC SCHOOLS \nSickle Cell Disease Basics \nSCD refers to a group of genetic blood disorders. It affects \nindividuals of all races and ethnicities, but in the United States it \nis especially prevalent among African Americans and Hispanics. \nComplications include but are not limited to severe anemia,", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7af52f56-bd64-4f58-823b-fac6a796a238": { + "page_content": "individuals of all races and ethnicities, but in the United States it \nis especially prevalent among African Americans and Hispanics. \nComplications include but are not limited to severe anemia, \nsusceptibility to infections, insomnia, jaundice, frequent \nurination, dehydration, chronic pain, and episodes of extreme, \ndebilitating pain. Pain episodes (also known as \u201ccrises\u201d) can cause \ntissue and organ damage, lead to hospitalizations, and have life-\nthreatening consequences. People with SCD are also at \nheightened risk for anxiety, depression, post-traumatic stress", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5c641db9-34b7-40af-8247-a0d23984557e": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 3 of 12 \n \n \n \n \ndisorder, social isolation, delayed social development, visible \nstrokes, and \u201csilent strokes\u201d that may go unnoticed but can affect \nlearning abilities in the short and long terms. Pain episodes and \nother complications may be triggered by a wide variety of \nphysical and psychological stressors. \nAs a result of these complications and the side effects of \nmedications, many children with SCD experience frequent \nabsences and difficulty focusing or engaging as they usually do \nat school, particularly with regard to physical activities. On days \nfree from harsher symptoms and side effects, many students \nwith SCD still experience baseline symptoms and health \nvulnerabilities that require modifications to standard \nparticipation requirements. \nAdditionally, the biology and history of SCD create the following \nunique challenges: \n\u25cf SCD pain is often \u201cinvisible.\u201d People with SCD learn coping", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6edb1f17-b521-46f5-8d19-87b14ceca492": { + "page_content": "participation requirements. \nAdditionally, the biology and history of SCD create the following \nunique challenges: \n\u25cf SCD pain is often \u201cinvisible.\u201d People with SCD learn coping \nmechanisms (such as staying still and quiet) that may seem \ncounterintuitive. SCD pain therefore often goes undetected \nby others, leading to challenges about the seriousness or \nexistence of the pain. \n\u25cf Symptoms such as jaundice, short stature, and delayed \nsocial development, along with repeated absences, can \nmake students with SCD targets of bullying and \nharassment. \n\u25cf Medications used to treat people with SCD, such as opioid \npain medications and hydroxyurea (a chemotherapy drug", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "4f978d47-49b6-4256-9ced-ef54bc3e78c7": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 4 of 12 \n \n \n \n \nthat can also help some people with SCD), can cause serious \nand disruptive side effects and carry stigmas of their own. \n\u25cf Individuals with SCD have historically been stigmatized in \nthe community, hospitals, schools, the armed services, and \nplaces of employment. Labeled a \u201cBlack disease,\u201d SCD has \nhistorically been associated with claims of racial weakness \nand genetic inferiority. \n \nOVERVIEW \u2013 ADDRESSING NEEDS OF BPS STUDENTS WITH SCD \nA. CHILD FIND: Identification, Location, Immediate \nAccommodations & Evaluation \n \n1. Identification and Location \nBPS acknowledges that, due to the stigmas noted above, many \nparents choose not to identify their child with SCD instead of \nseeking supportive services and accommodations for their \nchildren. To overcome this challenge, BPS utilizes multiple \nstrategies as part of an outreach and public awareness campaign \nto raise awareness of SCD and its effects on learning to assure", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6109be0b-a66e-4a07-a7fb-8087bcb23792": { + "page_content": "children. To overcome this challenge, BPS utilizes multiple \nstrategies as part of an outreach and public awareness campaign \nto raise awareness of SCD and its effects on learning to assure \nfamilies that BPS is a willing partner to create a community of \nsupport, collaboration, and understanding around students with \nSCD. These strategies include but are not limited to: \n\u25cf Collaboration with local medical centers that treat \nchildren with SCD and leveraging these to develop \nstrategies for identification and location (e.g., sharing", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d05ed3c2-3373-4c6f-8b70-6726bd186478": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 5 of 12 \n \n \n \n \noutreach materials with clinics, providing \u201cknow your \nrights\u201d materials for families in clinics that see students \nwith SCD, meeting with medical providers to develop \nadditional strategies etc.) \n\u25cf Ensuring that all communications are available in \nmultiple languages and/or modes in order to be \naccessible to all families \n\u25cf Ensuring that the outreach and public awareness \ncampaign includes outreach to preschools, early \nintervention providers and community support \nproviders, who are likely to have students that are or \nwill enroll in BPS (i.e. located in Greater Boston) \n\u25cf Additional strategies developed with input from the \nSCD Advisory Group \n \nSpecific considerations regarding enrollment: \nUpon identifying a child with SCD at enrollment, BPS ensures \nproper placement in a school with appropriate health and related \nservices. Given stigmas related to SCD, BPS gives special", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6ecfaecc-1b33-4469-a886-d54266dfb6cf": { + "page_content": "Upon identifying a child with SCD at enrollment, BPS ensures \nproper placement in a school with appropriate health and related \nservices. Given stigmas related to SCD, BPS gives special \nattention to ensuring the privacy of students with SCD. This \nincludes appropriately limiting the scope of releases parents sign \nregarding disclosures of their child\u2019s SCD status. Further, BPS \nensures appropriate efforts are made to initiate and maintain \nconnections between school health staff and students with SCD, \ntheir parents, and their medical teams upon enrollment of the \nstudent (or upon identification if after enrollment). This includes", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "debb376d-f660-4e67-a8d7-9b808a28fb42": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 6 of 12 \n \n \n \n \nproviding information to parents and school health staff and \nensuring privacy rights are maintained. \n \n2. Interim Services/Supports Pursuant to Section 504 \nBPS acknowledges that, because SCD is a physical disability that \nsubstantially limits major life activities, students with SCD are \nentitled to certain accommodations upon identification and \nlocation to ensure their health, safety, and equal educational \nopportunities, pending the completion of a comprehensive \nevaluation. All rights and protections pursuant to Section 504, \nincluding procedural safeguards, are ensured upon identifying \nand locating students with SCD. BPS ensures that the interim \naccommodations implemented pursuant to Section 504 include \nthe following: \n\u25cf Two sets of textbooks, one for school and the other for \nhome \n\u25cf Unlimited bathroom access as needed \n\u25cf Unlimited access as needed to the school nurse or \nschool health official", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "29a0420d-2800-4348-b1b5-f4c92162bd01": { + "page_content": "\u25cf Two sets of textbooks, one for school and the other for \nhome \n\u25cf Unlimited bathroom access as needed \n\u25cf Unlimited access as needed to the school nurse or \nschool health official \n\u25cf Unlimited access as needed to communicate with \nparent and/or physician if they are experiencing \nsymptoms that are unfamiliar or are ones their \nphysicians told them to contact them about if \nexperienced", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "df5e75f3-8c9b-44c1-bf9c-5ac2391bdbac": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 7 of 12 \n \n \n \n \n\u25cf Unlimited water access as needed through access to a \nwater bottle and water fountains \n\u25cf Time/permission to access medication (including \nprescribed opioids), as needed \n\u25cf Permission to wear a coat indoors whenever feeling \ncold and to stay indoors or be exempt from outdoor \nactivities whenever it is too hot, too cold, or when air \nquality is poor \n\u25cf Permission to move away from indoor AC or heating \nunits \n\u25cf Consideration for door-to-door transportation, except \nin the very limited circumstances where it would be \nimpractical (e.g., student resides next door or across \nthe street from the school building they attends) \n\u25cf Permission to access an elevator, if relevant, and to \nleave class early to get to the next one (or alternatively, \nextra time between classes) \n\u25cf Modified participation in gym class, based on student \nneeds \n\u25cf Proactive plans to address academic and \nsocial/emotional supports upon return to school from", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2b108c84-ab9c-4c7f-b9d4-7eda8e4556ef": { + "page_content": "extra time between classes) \n\u25cf Modified participation in gym class, based on student \nneeds \n\u25cf Proactive plans to address academic and \nsocial/emotional supports upon return to school from \nabsences including supplemental instruction provided \nby qualified subject-area teachers and service \nproviders in order to scaffold missed and ongoing \ninstruction in the classroom and to enable students to \ncatch up with and stay on pace with classmates", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "dc0b9794-2278-4c87-a892-445cfbc4494d": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 8 of 12 \n \n \n \n \n3. Comprehensive Evaluation \nBPS ensures that all students with SCD receive a timely, \ncomprehensive evaluation of all areas of suspected disability to \ndetermine the nature and extent of a student\u2019s need, if any, for \nspecialized instruction or related aids and services. BPS ensures \nthat a neuropsychological evaluation is considered as part of a \ncomprehensive evaluation for any student with SCD. \n \nB. FREE APPROPRIATE PUBLIC EDUCATION \nTo address needs for students with SCD, BPS ensures that\u2014as \npart of special education and related services that may be \nidentified through comprehensive evaluations\u2014any 504 plans \nand/or IEPs specifically address challenges students with SCD \nface related to health and safety needs, academic needs, social-\nemotional needs, resuming school after absences, and \nstagnations and/or declines in academic progress or \nperformance. BPS therefore ensures the utilization of a checklist", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "81fe8c1c-44d5-41e1-a010-b2f8997bfa92": { + "page_content": "emotional needs, resuming school after absences, and \nstagnations and/or declines in academic progress or \nperformance. BPS therefore ensures the utilization of a checklist \nof potential accommodations at each Section 504/IEP Team \nmeeting for a student with SCD. The checklist is considered in \naddition to all other appropriate services and supports \ndetermined necessary for an individual student with SCD to \nreceive a free appropriate public education. BPS ensures that \ndocumentation of each item\u2019s consideration by the 504 or IEP \nteam is included in meeting minutes and provided to parents.", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "507308a7-d227-4398-ba44-83aedf0c06a3": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 9 of 12 \n \n \n \n \nBPS ensures that neither Individual Health Plans (IHPs) nor \nIndividual Collaborative Health Plans (ICHPs) are used in lieu of a \n504 Plan, IEP or interim accommodation plan. \nAdditional points requiring particular attention: \n1. Continually Updating Health and Safety Services/Supports \nBPS ensures that the 504 Plans and/or IEPs of children with SCD \nreflect the up-to-date health and safety needs of the child, \nrecognizing that these needs may change during the course of \nthe year. BPS ensures that any new information received \nregarding changed needs for a student with SCD will be \naddressed in light of the student\u2019s 504 Plan or IEP. \n \n2. Tracking Effects of Absences and Sudden Changes in \nNeeds \nBPS ensures that, when a child with SCD has had absences and \nthere has been a lack of expected progress toward annual goals \nin an IEP and/or in the general curriculum, discussions are", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8d1f53b4-e53d-4c22-953a-e3915266b67e": { + "page_content": "Needs \nBPS ensures that, when a child with SCD has had absences and \nthere has been a lack of expected progress toward annual goals \nin an IEP and/or in the general curriculum, discussions are \npromptly held regarding how the absences are interfering with \nacademic progress and how this interference can be overcome, \nincluding consideration of instruction in the summer. BPS also \nensures that sudden drops in academic performance and sudden \nincreases in social-emotional needs that are experienced by \nstudents with SCD are detected and responded to appropriately. \n \n3. Designation Director of Constituent Services If and When \nServices or Supports Are Not Provided", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5687ed09-794d-4553-8628-5111f6d850c2": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 10 of 12 \n \n \n \n \nBPS ensures that students with SCD, their parents, and (with \nproper consent/privacy precautions) their medical team have \naccess to the Boston Public Schools Director of Constituent \nServices to escalate concerns they have about a child with SCD \nnot receiving a free appropriate public education. This process is \nseparate from and does not preclude due process and grievance \nrights available under Section 504 and IDEA. These mechanisms \nare necessary given the severity and swiftness of the health, \nacademic, and social-emotional consequences that can occur for \nchildren with SCD. \n \nC. ENSURING APPROPRIATE CULTURE WITHIN BPS \nREGARDING SCD \nBPS ensures that the culture regarding SCD with BPS includes: \n\u25cf believing students with SCD when they communicate that \nthey: are in pain, are having some other complication, or are \nunable to perform a certain task due to their symptoms", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "26f2ef16-0546-444e-a3ba-7d4e1d6e0097": { + "page_content": "\u25cf believing students with SCD when they communicate that \nthey: are in pain, are having some other complication, or are \nunable to perform a certain task due to their symptoms \n\u25cf not blaming or shaming students with SCD or their parents \nfor their challenges \n\u25cf identifying challenges quickly and working collaboratively \nto find appropriate solutions \n\u25cf facilitating awareness that children with SCD are members \nof school communities \n\u25cf facilitating an understanding of what SCD is and its \nimplications for health and safety", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7829b3c0-5be8-4129-b993-595fa91b0c95": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 11 of 12 \n \n \n \n \n\u25cf facilitating an understanding of the services/supports that \nstudents with SCD may need to ensure their health and \nsafety, as well as an understanding of the importance of \nadhering to these accommodations \n\u25cf facilitating an understanding of the special education and \nrelated services a student with SCD may need to ensure \ntheir access to a free appropriate public education \n \n1. Awareness and Trainings \nAs part of ensuring an appropriate culture regarding SCD, BPS \nconducts ongoing outreach and public awareness campaigns \nthat address each aspect of an appropriate culture described \nabove. BPS also conducts ongoing training for all teachers, \nadministrators, nurses, and other relevant staff. Training covers all \nnecessary topics to ensure that all BPS staff coming into contact \nwith students with SCD have the necessary knowledge and \nawareness to properly implement all policies, protocols, and", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "9aae2d2d-a7d7-457a-8904-c6261cbae04a": { + "page_content": "necessary topics to ensure that all BPS staff coming into contact \nwith students with SCD have the necessary knowledge and \nawareness to properly implement all policies, protocols, and \nprocedures regarding SCD and to appropriately support the \nstudent with SCD. School nurses receive additional periodic \ntraining in managing the medical needs of students with SCD. \n \n2. Scope and Frequency of Awareness and Training Activities \nBPS ensures that awareness and training efforts are wide enough \nin scope to reach all appropriate personnel and repeat with \nenough frequency to reach any new or temporary personnel who \nmay enter over the course of a school year.", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e0f70c1c-ca71-4b20-8597-9dcc9b043017": { + "page_content": "Superintendent\u2019s Circular SHS-25 \nPage 12 of 12 \n \n \n \n \nD. DATA MONITORING \nBPS conducts sufficient data monitoring to track successes and \nfailures in the implementation of its policies, protocols, and \nprocedures regarding SCD. This monitoring includes \ndocumenting instances where students with SCD, their parents, \nand/or their medical team had to escalate concerns about health \nand safety services/supports being provided or followed and/or a \nfree appropriate public education being properly provided. The \ndata produced is regularly reported through summary statistics \nwithout personally identifiable information to the SCD Advisory \nGroup and publicly via BPS website postings and press releases. \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "644db78a-1839-42fc-844f-92f4c6bbe366": { + "page_content": "Department: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-25 Sickle Cell Disease Policy.pdf", + "source_link": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3b082b8d-a26d-4a59-aafb-2d92c21f6afd": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-04 \nVersion 01 \n \n \n \nINFECTION PREVENTION AND CONTROL IN \nSCHOOL SETTINGS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchools can minimize the risk of disease transmission through \nstudent and staff awareness and simple infection control \npractices at the school and classroom level. \nMODES OF TRANSMISSION \nDiseases have different modes of transmission. Diseases can be \nspread through direct contact, indirect contact, droplet, or \nairborne transmission. The following guidelines minimize the \nrisks for all modes of transmission. \nThe single most important step in preventing exposure to and \ntransmission of any infection is anticipating contact with \ninfectious materials in routine as well as emergency situations. \nBased on the type of possible contact, the responder should be \nprepared to use the appropriate precautions and techniques", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "be6cfbd0-6b94-4be3-a62a-5a26814db803": { + "page_content": "infectious materials in routine as well as emergency situations. \nBased on the type of possible contact, the responder should be \nprepared to use the appropriate precautions and techniques \nprior to providing care. Diligent and proper hand washing, the \nuse of barriers, appropriate disposal of waste products and \nneedles, and proper decontamination measures will enhance \nprotection of students and staff.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "fcd2c9fc-2dba-41a2-a188-161e48ba623d": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 2 of 14 \n \n \n \nUNIVERSAL (STANDARD) PRECAUTIONS \nThe Centers for Disease Control (CDC) have long recommended \n\"universal blood and body-fluid precautions\" to prevent \ntransmission of hepatitis B, human immunodeficiency virus (HIV), \nand other infections, as well as to decrease the risk for exposure \nto responders and students. As it is not possible to identify all \ninfected individuals, these precautions must be used with every \nstudent. Universal precautions pertain to all blood and body \nfluids. For bloodborne infections, these precautions do not apply \nto other body fluids and material, such as saliva, sputum, feces, \ntears, nasal secretions, vomitus, and urine, unless blood is visible \nin the materials. However, these other fluids and body wastes can \nbe sources of other infections and should be handled as if they \nare infectious, utilizing the same precautions. This is the basis of", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5d22a9b5-af52-475f-876c-d083d5d17b0b": { + "page_content": "be sources of other infections and should be handled as if they \nare infectious, utilizing the same precautions. This is the basis of \nstandard precautions to be used with all body fluids, blood, and \nother potentially infectious material. \nTRANSMISSION BASED PRECAUTIONS \nThe CDC has recommended \u201ctransmission-based precautions\u201d as \nthe second tier of basic infection control, to be used in addition to \nstandard precautions for individuals who may be infected or \ncolonized with certain infectious agents for which additional \nprecautions are needed to prevent infection transmission. \nContact Precautions \nUse contact precautions for those with known or suspected \ninfections that represent an increased risk for contact \ntransmission. Proper personal protective equipment (PPE)", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "100a7aec-9a3d-41ed-8df6-2f2cf902aba2": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 3 of 14 \n \n \n \nincludes the use of gloves and gown for all interactions that may \ninvolve contact with the student or the student\u2019s environment. \nDroplet Precautions \nUse droplet precautions for students known or suspected to be \ninfected with pathogens transmitted by respiratory droplets \ngenerated by coughing, sneezing, or talking. Proper personal \nprotective equipment (PPE) includes the use of masks, both for \nthe patient and school nurse, during all interactions. \nAirborne Precautions \nUse airborne precautions for those individuals known or \nsuspected to be infected with pathogens transmitted by the \nairborne route (e.g., COVID-19, tuberculosis, measles, chickenpox, \ndisseminated herpes zoster). Proper PPE includes a fit-tested, \nNIOSH-approved N95 or higher level of respiratory protection for \nhealthcare personnel and a mask on the patient. \nRESPIRATORY HYGIENE \nIn addition to spread by bodily fluids, infections can be spread by", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b2aeba78-70ba-45ae-9188-3521825c347c": { + "page_content": "healthcare personnel and a mask on the patient. \nRESPIRATORY HYGIENE \nIn addition to spread by bodily fluids, infections can be spread by \nrespiratory droplets that are generated when people sneeze, \ncough, laugh, or exhale. Respiratory hygiene is a term adopted by \nthe CDC and Massachusetts Department of Public Health \n(MDPH) to describe measures that can be taken to decrease the \nrisk for spreading respiratory illnesses by droplet and airborne \ntransmission. A universal \u201crespiratory hygiene/cough etiquette\u201d \npolicy includes: \n\u2022 Covering the mouth and nose with a tissue when coughing \nor sneezing", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6884f087-c137-413a-ae36-ee9af000f5ac": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 4 of 14 \n \n \n \n\u2022 Disposing of used tissues in a wastebasket \n\u2022 Practicing hand hygiene (washing) often \n\u2022 Coughing or sneezing into elbow \nHAND WASHING \nProper hand washing is crucial to preventing the spread of \ninfection. Use of running water, lathering with soap, and using \nfriction to clean all surfaces of the hands are key. Rinse well with \nrunning water and dry hands with paper towels. If soap and \nwater are unavailable, hand sanitizer may be used. \n\u2022 Hands should be washed before physical contact with \nstudents and after the contact is completed. \n\u2022 Hands should be washed after contact with any used \nequipment. If hands (or other skin) become soiled with \nblood or body fluids, they should be washed immediately \nbefore touching anything else. \n\u2022 Hands should be washed whether gloves are worn or not \nand after gloves are removed. \n\u2022 Textured jewelry on the hands or wrists (such as rings and", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "37f58994-003b-4d11-9406-0084010686cc": { + "page_content": "before touching anything else. \n\u2022 Hands should be washed whether gloves are worn or not \nand after gloves are removed. \n\u2022 Textured jewelry on the hands or wrists (such as rings and \nstones) should be removed prior to washing and kept off \nuntil completion of the care procedure and hands are \nrewashed.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0577276b-9eb2-4566-81a0-d0412d918786": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 5 of 14 \n \n \n \nBARRIER PROTECTION \nBarriers include disposable gloves, protective eyewear, and gown. \nThe use of a barrier is intended to reduce the risk for contact with \nblood and body fluids for the caregiver, as well as to control the \nspread of infectious agents from student to student. It is essential \nthat appropriate barriers be used when contact with potentially \ninfectious material is possible. Gloves should be worn when direct \ncare of the student may involve contact with blood and body \nfluids, as well for contact with urine, feces, and respiratory \nsecretions. Gloves should be disposed of after each use and not \nreused. \nGloves should be worn: \n\u2022 When changing a diaper or catheterizing a student \n\u2022 When changing dressings or sanitary napkins \n\u2022 When providing mouth, nose, or tracheal care \n\u2022 If the caregiver has broken skin on the hands (even around \nthe nails) \n\u2022 When cleaning up spills of blood (e.g., nosebleeds), body", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "808cfb18-6d40-4d1c-bb82-095a2756b4ba": { + "page_content": "\u2022 When providing mouth, nose, or tracheal care \n\u2022 If the caregiver has broken skin on the hands (even around \nthe nails) \n\u2022 When cleaning up spills of blood (e.g., nosebleeds), body \nfluids and wastes, and soiled supplies \nGowns or aprons may be worn to protect the caregiver's clothing \nif spattering of body fluids is possible. The apron or gown should \nbe laundered or disposed of after each care session and should \nnot be reused. \nIn addition, protective eye wear and masks should be worn if \nsplashing of body fluids is likely to occur (such as mouth \nsuctioning or care of a student who is coughing).", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "51cdabc0-0bf6-49ba-bba3-da2e669715ff": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 6 of 14 \n \n \n \nChux or other waterproof barriers should be used to cover any \nwork surface if drainage or splashing with blood or body fluids \nare possible. The barrier should be disposed of after each care \nsession and should not be reused. \nDISPOSAL OF WASTE \nAll used or contaminated supplies (including gloves and other \nbarriers) except for syringes, needles, and other sharp \nimplements should be placed in a plastic bag which is then \nsealed. This bag should be placed in a second plastic bag, which \nis also sealed. The double-bagged waste can then be thrown in \nthe garbage, out of the reach of children or animals. Bodily \nwastes such as urine, vomitus, or feces should be disposed of in \nthe toilet. \nNeedles, syringes, and other sharp objects should be immediately \nplaced in FDA-cleared sharps disposal containers. To reduce the \nrisk of an accidental needle stick or cut, needles should not be", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "64994f84-b1f1-4c71-bbc5-20a5b51a0628": { + "page_content": "Needles, syringes, and other sharp objects should be immediately \nplaced in FDA-cleared sharps disposal containers. To reduce the \nrisk of an accidental needle stick or cut, needles should not be \nrecapped, bent, or removed from the syringe before disposal. \nOnce it is full, the container should be sealed and brought to \nHealth Services central administration for disposal in a large \nbiohazard container. Health Services will arrange for pickup by a \nbiohazard waste disposal company for proper disposal at least \nannually. \nCLEANUP PROCEDURES \nSpills of blood and body fluids that are covered under standard \nprecautions should be cleaned up immediately.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b98a3847-8818-4892-a077-2cf4ada42c35": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 7 of 14 \n \n \n \nThe CDC method of clean-up is as follows: \n\u2022 Wear gloves. \n\u2022 Mop up the spill with paper towels or other absorbent \nmaterial. \n\u2022 Using a solution of one-part household bleach (sodium \nhypochlorite) in ten parts of water; wash the area well. \n\u2022 Dispose of gloves, soiled towels, and other waste in a sealed \ndouble plastic bag in the garbage as outlined above. \nRoutine environmental clean-up procedures for facilities (such as \nthe health room and bathrooms) does not require any \nmodification unless contamination with blood or body fluids \nshould occur. If so, the area should be decontaminated using the \nprocedure outlined above. Regular cleaning of surfaces which are \nnot visibly contaminated with potentially infectious material, \nsuch as toilet seats and tabletops, can be done with the standard \ncleaning and removal of obvious soil. \nLAUNDRY PROCEDURES \nWhenever possible, disposable barriers should be used if", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5b826762-d524-4eff-a1b5-887619480eae": { + "page_content": "such as toilet seats and tabletops, can be done with the standard \ncleaning and removal of obvious soil. \nLAUNDRY PROCEDURES \nWhenever possible, disposable barriers should be used if \ncontamination with body fluids or blood is possible. If sheets, \ntowels, or clothing become soiled, they should be handled as \nlittle as possible. Wash with hot water and detergent for at least \n25 minutes. Cool water washing is also acceptable if an \nappropriate detergent is used for the water temperature.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "f11543c4-0d41-43b1-8e9d-79723163101c": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 8 of 14 \n \n \n \nPREGNANT WOMEN \nPregnant women are at no higher risk for infection than other \ncare-providers as long as appropriate precautions are observed. \nHowever, due to the possibility of in-utero transmission of viral \ninfections such as cytomegalovirus (CMV) or HIV, as well as the \npotential for adverse outcomes with certain infections, pregnant \nwomen should be especially careful to observe standard \nprecautions. \nGENERAL INFECTION CONTROL PROCEDURES \nThe purpose of the procedures outlined herein is to establish \nbasic guidelines to address the role of staff in all incidents \nrequiring concern about infection control. Such incidents may \ninclude, but not be limited to, a bleeding nose, sneezing, \ncoughing, uncontrollable urinating, and sudden bowel \nmovement. \nHead of school/principal shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall:", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d3c2b865-a8a5-45ad-b88a-a75212eadee3": { + "page_content": "movement. \nHead of school/principal shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n\u2022 Encourage the use of class wide respiratory hygiene, \nespecially during flu season and other respiratory illness \nupticks. \n\u2022 Reassure and calm students involved in hygiene \nemergencies. \n\u2022 Notify the school nurse of any infectious disease concerns.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "32a2ddd9-d9ff-447d-b6f4-a84c629f024b": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 9 of 14 \n \n \n \n\u2022 Notify custodians of infection control needs \nSchool nurse shall: \n\u2022 Review infection control procedures annually at the \nbeginning of the school year with classroom staff. \n\u2022 Assist the classroom staff in developing hygiene plans \nappropriate for the classroom as well as individual students. \n\u2022 Notify Health Services of cases and possible clusters. \nSchool custodian shall: \n\u2022 Refer to and follow the steps identified in Superintendent \nCircular FMT-19 for cleaning related to possible infectious \nbodily fluids. \n BITE EMERGENCY PROCEDURES \nThe purpose of the procedures outlined herein is to establish \nbasic guidelines intended to assist students and staff who have \nencountered a human or animal bite that breaks the skin. \nBackground information for human bites: \nBiting is very common among young children but usually does \nnot lead to any serious infectious disease concerns. If the skin is", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "748e3125-49b2-48e9-b35b-f7e00d5d9217": { + "page_content": "Background information for human bites: \nBiting is very common among young children but usually does \nnot lead to any serious infectious disease concerns. If the skin is \npunctured or broken, bacteria may be introduced into the wound \nthat can lead to blood-borne infection which needs to be treated \nby a healthcare professional. Blood-borne infection could be of \nconcern if the biter breaks the skin and blood is drawn into the \nbiter\u2019s mouth or if the biter has bleeding gums or mouth sores. \nHepatitis B, Hepatitis C and HIV are some pathogens of concern \nalthough the risk of transmission of these viruses is very low in", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "908a9df7-5bc5-4881-9cc6-92fe80d5b42f": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 10 of 14 \n \n \n \nschool settings. For HIV, there have not been any reported cases \nof transmission in school settings. \nThe \u201cbiter\u201d might be considered at higher risk than the \u201cbitee\u201d \ndue to the exposure to the blood from the wound if the skin is \nbroken. Each human bite represents a unique set of \ncircumstances and requires an individualized response. In most \nbiting episodes there are no communicable disease extenuating \ncircumstances, and the episodes are treated with standard \nprecautions. There is a heightened sense of urgency when one of \nthe children has a communicable disease. The school nurse is \nresponsible for guiding the response, working with the \nheadmaster/principal, and ensuring that confidentiality is \nmaintained. \nBackground information for animal bites: \nAnimal bites are common since children can behave \nunpredictably and animals have normal protective instincts. An \nanimal bite that breaks or punctures the skin will require", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7cbe49b6-4501-46cb-ba7c-0c977e4ee216": { + "page_content": "Animal bites are common since children can behave \nunpredictably and animals have normal protective instincts. An \nanimal bite that breaks or punctures the skin will require \nimmediate medical attention due to the risk of bacterial and viral \ninfection. The longer the animal\u2019s mouth germs stay in the \nwound, the greater the risk of potential infection that will require \nantibiotics. \nAnimals can also transmit rabies, a very serious viral infection \nthat infects the nervous system. Although any mammal bite can \ntransmit rabies, the bites of some wild animals (e.g., bats, \nraccoons, skunks, foxes, coyotes) and some stray and \nunvaccinated pet dogs and cats are of greatest concern. Wild \nanimals should not be kept or allowed to visit schools. All", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "93e7f32c-17e1-44b7-8ddb-a8defeb81fb1": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 11 of 14 \n \n \n \nsuspected animal bites should be promptly reported to public \nhealth authorities by Health Services. \nIn the event of an animal or human bite that breaks the skin: \nPrincipal/head of school shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n\u2022 Reassure and calm the students. \n\u2022 Employ standard precautions in evaluating the bite. \n\u2022 Notify the school nurse immediately. \n\u2022 Have the student wash the area with soap and water \nimmediately. \n\u2022 Report action taken to the headmaster/principal. \nFor human bites, school nurse shall: \n\u2022 Provide first aid to the child who was bitten by washing any \nbroken skin and applying a cold compress to any bruise. \n\u2022 Review known medical information of both the \u201cbiter\u201d and \nthe \u201cbitee.\u201d If there is a known communicable disease issue, \nthe nurse must consult with Health Services administration", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "a472789f-db1c-4439-9e3c-f6feed58ee90": { + "page_content": "\u2022 Review known medical information of both the \u201cbiter\u201d and \nthe \u201cbitee.\u201d If there is a known communicable disease issue, \nthe nurse must consult with Health Services administration \nfor more specific guidance. Confidentiality must be \nrespected throughout the consultation. \n\u2022 Contact the student's parent/guardian to report the incident \nand recommend next steps. \n\u2022 Refer both the \u201cbiter\u201d and \u201cbitee\u201d to their primary care \nprovider for further guidance. This may include any or all the \nfollowing: risk counseling; hepatitis and HIV testing;", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "a4475cb3-40f9-4161-a640-b2807a02cacf": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 12 of 14 \n \n \n \nprophylaxis. The treatment approach is at the discretion of \nthe primary care provider and the family. \n\u2022 Notify Health Services prior to calling the families if there is a \nknown communicable disease issue with one or both \nstudents. \n\u2022 Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality. \n\u2022 Document the incident in SNAP for students. If a staff \nmember was involved, the staff member must file a Report \nof Injury Form [see Superintendent\u2019s Circular HRS-PP07, \nWorker\u2019s Compensation Procedures] within 7 days. \nFor animal bites, school nurse shall: \n\u2022 Immediately provide first aid to the child who was bitten by \nwashing any broken skin and applying a cold compress to \nany bruise. \n\u2022 Notify Health Services prior to calling parent/guardian. An \nanimal bite that breaks or punctures the skin needs \nimmediate wound care to reduce the risk of infection. All", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b32c5848-9871-428c-8db4-9b835e30e66d": { + "page_content": "any bruise. \n\u2022 Notify Health Services prior to calling parent/guardian. An \nanimal bite that breaks or punctures the skin needs \nimmediate wound care to reduce the risk of infection. All \nanimal bites should be reported within 24 hours. \n\u2022 Contact the student's parent/guardian to report the incident \nand recommend next steps. \n\u2022 Refer the student to their primary care provider for further \nguidance. The treatment approach is at the discretion of the \nprimary care provider and the family. \n\u2022 Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "f437ecbb-a6da-45d5-b253-7295b2180d53": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 13 of 14 \n \n \n \nEMPLOYEE NEEDLESTICK MANAGEMENT \nWhen a needlestick occurs: \n\u2022 Gently bleed the area, wash, and immediately flush with \nsoap and water. \n\u2022 The employee who has had the needle stick should call their \nprimary care provider. \n\u2022 If the risk assessment of the primary care provider and/or \nschool nurse is that the needle stick represents an exposure \nto blood or body fluids, it is advisable that the employee \nseek management at an emergency department that can \nprovide the latest in prophylactic management; the \nemployee\u2019s primary care provider will be able to assist with \nthis. \n\u2022 Health Services should be notified for further guidance. \n\u2022 The employee should complete an incident report and \nWorker\u2019s Compensation form after the situation has been \nstabilized. \nLIST OF TERMS USED ABOVE \nBlood-borne infection: infectious germs present in blood that can \ncause disease in humans.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "680157fc-a54f-44c2-b020-816b09ec9842": { + "page_content": "Worker\u2019s Compensation form after the situation has been \nstabilized. \nLIST OF TERMS USED ABOVE \nBlood-borne infection: infectious germs present in blood that can \ncause disease in humans. \nCommunicable disease: an illness caused by an infectious agent \nor its toxins that occurs through the direct or indirect \ntransmission of the infectious agent or its products from an \ninfected individual or via an animal to a susceptible animal or \nhuman host.", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "623819a0-69ce-46d5-a945-bce0dc96d3f0": { + "page_content": "Superintendent\u2019s Circular SHS-04 \nPage 14 of 14 \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember 2024 All staff should have universal precaution \nreview by school nurse \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nFax: 617-635-7937 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-04 Infection Prevention Control.pdf", + "source_link": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "287bf90f-f07f-42a5-86e5-176a7bac84de": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-20 \nVersion 01 \n \nASTHMA IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that a clear, concise policy \non asthma management in school can impact academic \nachievement. All schools must have protocols and procedures for \nchildren with asthma and evaluate the implementation of these \nplans regularly. This document outlines the comprehensive and \ncollaborative nature of managing a child\u2019s asthma within a school \nsetting. \nBACKGROUND ON ASTHMA \nBecause asthma is one of the most common chronic childhood \nillnesses and a major cause of student absences, it is important \nfor schools to adopt a comprehensive, coordinated approach to \naddressing asthma. \nWhile asthma affects people of all ages, races, genders, and \nsegments of society, the burden is not equally shared across", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2aaed489-f303-4244-b891-d283c58d0635": { + "page_content": "addressing asthma. \nWhile asthma affects people of all ages, races, genders, and \nsegments of society, the burden is not equally shared across \nracial and ethnic groups. It is most often a disease of the young \nand of the poor. In 2020, 25.3 million Americans reported a \ndiagnosis of asthma. Of those, 21 million were adults, and 4.2 \nmillion were children.1 Nearly half of children (52.7%) and adults \nwith asthma living below the poverty level reported an asthma", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d4fe2693-4dce-4823-a3d7-27a3ffe432c1": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 2 of 9 \n \nattack in the past year2, which is an indication of poor asthma \ncontrol. Children and people living below the poverty level are \namong the groups most likely to have asthma, and to suffer from \nsevere asthma attacks, hospitalization, and even death. Asthma \nmorbidity and mortality are disproportionately burdensome for \nAfrican Americans and Hispanics, who are least likely to have \naccess to health education and adequate healthcare. \nA comprehensive plan includes management and support \nsystems, appropriate health and mental health services, \neducational programs for staff and students, appropriate and \nreasonable environmental remediation, and communication \nsystems with home and child clinicians. \nThese components need to be integrated with community efforts \nthat include the medical and mental health fields, housing and \ncommunity air quality improvements, and active engagement of \nfamilies.", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "432cb86f-aa0b-456a-afb1-7cb2f88b599e": { + "page_content": "These components need to be integrated with community efforts \nthat include the medical and mental health fields, housing and \ncommunity air quality improvements, and active engagement of \nfamilies. \nThis document links with the Medication Administration Policy \nand Management of Life-Threatening Allergic Reaction policies. \nPROTOCOL FOR IMPLEMENTATION \nRole of the Parent \n\u2022 At the time of registration, the parent/guardian should \ninform the Welcome Center staff of any health concerns of \ntheir child, including asthma. The Health Services \nDepartment remains available to support any student or \nparent/guardian wishing to discuss this information \nprivately. \n\u2022 Complete emergency forms indicating that their child has", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c5f6974a-e626-4f7e-82c5-b0e149b0096d": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 3 of 9 \n \nasthma and include emergency numbers. \n\u2022 Provide the school nurse with a current Asthma Action Plan \nand emergency management plan from the student\u2019s \nphysician and/or pulmonologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child\u2019s plan. \n\u2022 Review with your child\u2019s primary care provider/specialist and \nsign all asthma forms presented by the school nurse. These \nmay include a combination of the following: \no Permission for a school nurse to communicate with the \nfamily and the primary care provider/specialist \no Authorization to dispense medication \no Consent for child\u2019s self-administration of asthma \nmedicine (when developmentally appropriate) \no The Parent/Guardian Asthma Questionnaire \no The Asthma Action Plan \n\u2022 Provide the school with a pharmacy-labeled supply of \nmedications (oral and inhalers), including nebulizer \nmedications, masks, and tubing. Most health rooms have", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b33d0e35-2564-4b7c-8110-0aaba06da9fa": { + "page_content": "o The Asthma Action Plan \n\u2022 Provide the school with a pharmacy-labeled supply of \nmedications (oral and inhalers), including nebulizer \nmedications, masks, and tubing. Most health rooms have \nnebulizers but are not equipped with extra masks and \ntubing. \n\u2022 Participate in the Asthma Action Plan for their child with the \nchild\u2019s health practitioner and deliver the completed asthma \naction plan to the school nurse. \n\u2022 Provide a cell phone number or other emergency number/s \n\u2022 Assure that the pre-school and after-school staff has the \nappropriate information and training.", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e5fd3a5e-14da-4277-8619-a789abfe1dc9": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 4 of 9 \n \nRole of the School Administrator \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the asthma management program, including \nself-management. \n\u2022 Support the development of a schoolwide policy, with input \nfrom the School Site Council, for management of the school \nenvironment, which includes, but is not limited to: \no Maintaining an active Integrated Pest Management \nProgram \no Review of and action on annual school inspections \no Use of green cleaners \no Enforcement of the tobacco-free policy \n\u2022 Ensure there is a contingency plan for a substitute nurse, \nteacher, or food service personnel who is not familiar with \nthe child. \n\u2022 Ensure that the classroom staff is informed about asthma \nprevention, management, and emergency response. \n\u2022 Support program development, especially in schools with \nhigher than the state average of students diagnosed with \nasthma or with large numbers of absenteeism related to \nasthma.", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "dc145b65-9dbc-4873-ab34-8150c55c92a5": { + "page_content": "\u2022 Support program development, especially in schools with \nhigher than the state average of students diagnosed with \nasthma or with large numbers of absenteeism related to \nasthma. \n\u2022 Review environmental inspections and ensure that all work \norders occur in a timely fashion. \n\u2022 Support the student support team, the school nurse, and \nthe classroom teacher in identifying children with increased \nabsenteeism in relation to asthma. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "68310b7c-0000-4f4c-b7d0-2e7331fd0d31": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 5 of 9 \n \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g., staff training, \npreparation of medications) \nRole of the Student (where it is developmentally appropriate) \n\u2022 Sign off on self-administration plan guidelines. \n\u2022 Participate in self-management program(s) such as Open \nAirways or Kickn\u2019 Asthma to help better identify triggers \nthat may cause asthma symptoms and response. \n\u2022 Complete the \u201cStudent Breathing/Asthma Questionnaire.\u201d \nRole of the School Nurse \n\u2022 Obtain and review the student\u2019s current Asthma Action Plan \n(AAP) and other pertinent information from the student\u2019s \nparents/guardians and health care providers, including \nmedication administration permission form. \n\u2022 Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n\u2022 Administer medication per provider order, monitor asthma \ncontrol, coordinate care, and maintain records.", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ce882f2f-968a-45ad-b62a-7d3304bfc170": { + "page_content": "communication and physician authorization for medication. \n\u2022 Administer medication per provider order, monitor asthma \ncontrol, coordinate care, and maintain records. \n\u2022 Provide safe storage and easy access to prescribed \nmedication when needed. \n\u2022 Promote and encourage independence and self-care \nconsistent with the student\u2019s ability, skill, maturity, and \ndevelopment as indicated in the AAP. After reviewing the \nAAP with the parents/guardians and student, implement, \nreview, and update the plan throughout the school year as \nneeded.", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "63c65c43-c335-4539-85dd-c13744afe6e9": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 6 of 9 \n \n\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, and athletic field that provides \nroutine and emergency care. \n\u2022 Complete with the student (where developmentally \nappropriate) the Student Breathing/Asthma questionnaire. \n\u2022 Ensure that all other staff members (including coaches) who \nhave contact with children with asthma are familiar with \ntheir Asthma Action Plan on a need-to-know basis. Teachers \nshould be contacted individually rather than with lists \nposted. \n\u2022 Provide a list of students with life-threatening allergies as a \ncomponent to their asthma (if consent is given by parent) to \nall staff on a need-to-know basis; lists must be maintained in \na confidential manner to protect students\u2019 privacy. \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding asthma symptoms, risk reduction \nprocedures, and emergency procedures. This information", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c6a6cc00-32ac-4665-829a-a018c4683f3b": { + "page_content": "\u2022 Conduct in-service training and education for appropriate \nstaff regarding asthma symptoms, risk reduction \nprocedures, and emergency procedures. This information \nshould be reviewed annually, preferably at the beginning of \nthe school year. \n\u2022 Ensure that there is a contingency plan in place in all school-\nrelated venues where substitutes are utilized. \n\u2022 Communicate with parents regularly to discuss issues \nrelating to the plan. \nRole of the Teacher \n\u2022 Maintain a discrete list of all students in the classroom with \nasthma; lists must be maintained in a confidential manner \nto protect students\u2019 privacy.", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "28e41ce1-c88c-4254-bd77-7b63d3bee9e6": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 7 of 9 \n \n\u2022 Participate in asthma awareness professional development \nopportunities, as needed. \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's asthma needs on a \nneed-to-know basis, while maintaining student \nconfidentiality. \n\u2022 Provide the school nurse with an adequate warning (4-6 \nweeks for field trips) about school-sponsored off-site \nactivities. \n\u2022 Notify the school nurse of any concerns. \nRole of Off-site Staff \n\u2022 Maintain a list of all students with severe persistent asthma; \nlists must be maintained in a confidential manner to protect \nstudents\u2019 privacy. \n\u2022 Coaches will be informed of any students on their teams \nwho have asthma (through review in ASPEN/Sports \nClearance form) and trained in asthma awareness and \nmaximizing athletic performance. \n\u2022 Allow responsible students to self-medicate during practices \nand sports events; students must have a self-medication", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d714312c-9f42-4bec-a9c2-f879cd597bc8": { + "page_content": "maximizing athletic performance. \n\u2022 Allow responsible students to self-medicate during practices \nand sports events; students must have a self-medication \nplan on file with the school nurse. \n Role of the Coordinator of Special Education (COSE): \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate; the parent/guardian, school \nnurse, and other school staff must be involved in the plan", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "dc9ce162-ed5e-429e-8292-c390a4cb5c73": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 8 of 9 \n \ndevelopment and implementation. \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs (team shall include \nschool nurse). If special transportation is necessary, it can be \nadded to the IEP. \n \nREFERENCES \nManaging Asthma: A Guide for Schools \nAsthma Self-Management Skills, American Lung Association \nCDC Strategies for Managing Asthma in Schools \n1CDC Most Recent National Asthma Data \n2American Lung Association Controlling Childhood Asthma \nand Reducing Emergencies Initiative", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "aa1aece0-141e-4d38-937b-fa73720fa244": { + "page_content": "Superintendent\u2019s Circular SHS-20 \nPage 9 of 9 \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-20 Asthma in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "799879c7-956d-4b85-a16d-f3680388d13e": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-01 \nVersion 01 \n \nDRUG AND ALCOHOL MISUSE AND HARM REDUCTION \u2013 \nUPDATE ON PROCEDURES \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nEDUCATION OF STUDENTS IN THE PREVENTION OF ALCOHOL, \nMARIJUANA, TOBACCO AND OTHER DRUG DEPENDENCY \n \nWhile substance misuse prevention and harm reduction should \nbe a part of a comprehensive health education program, certain \ncurricula should be used to complement and supplement health \neducation curriculum materials for grades K-12. Substance \nmisuse prevention and harm reduction may also be integrated \ninto reading/language arts, social studies, and science classes. \nThe National Health Education Standards and performance \nexpectations provide the functional health knowledge, beliefs, \nand skills necessary for students to adopt and maintain healthy \nbehaviors, reduce risk behaviors associated with substance", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3083875d-41bb-46fc-8513-bd4b751e5b9e": { + "page_content": "expectations provide the functional health knowledge, beliefs, \nand skills necessary for students to adopt and maintain healthy \nbehaviors, reduce risk behaviors associated with substance \nmisuse, achieve health literacy, and enhance health outcomes. \n \nThe Boston Public Schools scope and sequence for Health \nEducation recommends the following substance prevention \ncurriculum, including:", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "473e478b-ebcc-48d6-8aca-94db301151ff": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 2 of 9 \n \n\u2022 CATCH Curriculum Grades K-6: Tobacco, Alcohol and Other \nDrug Prevention (contact the Office of Health and Wellness \nfor access); \n\u2022 Essential Health Skills for Middle Schools & High Schools, G-\nW Publisher: Tobacco, Alcohol and Other Drug Prevention \n(contact the Office of Health and Wellness for access); \n\u2022 Stanford University K-12, Tobacco Prevention Toolkit, which \nincludes e-cigarette use of any type, including nicotine, \ncannabis/THC, and/or non-nicotine products; \n\u2022 Stanford University Grades 6-12, Cannabis Awareness and \nPrevention Toolkit. \n \nEARLY IDENTIFICATION AND INTERVENTION \nEven though a student may not possess or use substances at \nschool, they may still have serious problems involving alcohol or \ndrugs that demand the attention and assistance of school \npersonnel. School nurses, school counselors and social \nworkersphave been trainedin identification and the medical", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c94b8c7c-30f9-4b18-a183-522bfe937c5d": { + "page_content": "drugs that demand the attention and assistance of school \npersonnel. School nurses, school counselors and social \nworkersphave been trainedin identification and the medical \neffects of substance use or addiction. The District will continue to \nprovide in-service programs and workshops, to craise staff \nawareness, understand the protocols and procedures in place \nwhen dealing with a student who is suspected of using or has \nbeen identified as needing support regarding substance abuse. \nSchool staff should be alert to those symptoms in students which \nmay indicate problems with substance abuse and follow the \nprotocols outlined in this circular. \nThese symptoms may include one or more of the following: \nabrupt change in mood or attitude; sudden decline in attendance", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "bf7a70d5-f99c-4bb3-9fa4-36b33aa5f837": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 3 of 9 \n \nor performance in school; sudden resistance to discipline; \nimpaired relationships with family or friends; drowsiness or \ninattention to discussion or surroundings; weight loss; inattention \nto dress; unusual flare-ups of temper; stealing; heightened \nsecrecy about actions or possessions; and association with new \nfriends, especially with individuals known to be substance users. \n \nSCREENING \nScreening, Brief Intervention, and Referral to Treatment (SBIRT) \nfocuses on prevention, early detection, risk assessment, brief \ncounseling and referral for assessment that can be utilized in the \nschool setting. This tool is frequently used by the school nurse to \nassess the acuity of the problem and to develop next steps. Use \nof a validated screening tool will enable BPS school teams to \ndetect risk for substance use related problems and brief \nintervention strategies will help to address these concerns at an \nearly stage in adolescents.", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0864a914-766b-43b1-9e2e-ce431d30c9da": { + "page_content": "detect risk for substance use related problems and brief \nintervention strategies will help to address these concerns at an \nearly stage in adolescents. \nIn March 2016, the Massachusetts Legislature enacted an Act \nrelative to Substance Use, Treatment, Education and Prevention \n(STEP Act), which outlines the requirements for public schools in \nthe Commonwealth to engage in substance use screening and \neducation. Legislation can be found at \nhttps://malegislature.gov/Laws/SessionLaws/Acts/2016/Chapter52 \n(see Sections 15, 63, 64, 66). \nBPS has implemented the use of the approved and validated \nCRAFFT-II screening tool that is approved by the Massachusetts \nDepartment of Public Health (DPH) and Department of \nElementary and Secondary Education (DESE). Per legislation, \nSBIRT screening will be provided annually to students in grades 7", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0e3d626b-ee6b-41bd-bddc-103b52d96386": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 4 of 9 \n \nand 9. Parents/guardians must be notified about the screening \nprior to the start of the year and must be given the option to opt \nout in writing. Please Refer to SBIRT in Schools. Staff conducting \nthe SBIRT screening must complete a mandatory training \nthrough the MA Department of Public Health/BU Shield. \nSBIRT in Schools Resource Toolkit \n \nCOUNSELING/REFERRAL \nWhen it is suspected that a student is either using or abusing \nmarijuana, alcohol or other drugs, or there are strong indications \nthat such is the case, the student should be referred to the school \nnurse for a wellness check, the school social worker and the \nparent/guardian/caregiver shall be notified. The student may be \nreferred to the Student Support Team(SST) and/or the school \nadministrator for a referral to the voluntary Substance Use \nProgram (SUP) at Succeed Boston. The Substance Use Program \n(SUP) is a voluntary program for students whose use of drugs or", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "fb65008d-eb2f-4cd1-8d83-821778a37178": { + "page_content": "administrator for a referral to the voluntary Substance Use \nProgram (SUP) at Succeed Boston. The Substance Use Program \n(SUP) is a voluntary program for students whose use of drugs or \nalcohol is of concern. The program provides education and \ncounseling about the effects of drugs, alcohol, and vaping and \nprovides students with alternative ways to deal with stress. \nReferral for outside services will be provided as needed. The \nstudent may participate in the voluntary intensive program for \nup to five days and upon discharge will be referred to appropriate \noutside services. Students may be referred to the Student \nSupport Team (SST) by teachers or by any other school staff \nmember. Students may self-refer because of a problem with \nsubstance abuse. The team should be prepared to assist the \nstudent by providing them with a source of early intervention in", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "9617dcba-fd8a-4846-b609-30b061f3f32f": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 5 of 9 \n \nthe form of individual or group counseling by a provider agency \nwhich serves the school or is available in the community. \n \nRE-ENTRY \nFollow-up is a crucial phase of a student's recovery after \nreturning from treatment for substance abuse. An after-care \nprogram should be devised by school staff in collaboration with \nthe facility which has provided treatment services. The plan \nshould include a review of the student's school program with \nparents, guidance counselor, and case manager; placements in \nan appropriate class schedule; and follow-up meetings. \n \nREPORTING OF INCIDENTS RELATED TO DRUG/ALCOHOL USE \n1. All School Department personnel are under obligation to \nreport to the principal, head of school, or other designated \nadministrator any and all incidents or suspected incidents \ninvolving the use, possession, or distribution of any drug, \nalcoholic beverage, while they are under the authority of the", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7f29096e-a173-49d3-931e-f91dcf1befaf": { + "page_content": "administrator any and all incidents or suspected incidents \ninvolving the use, possession, or distribution of any drug, \nalcoholic beverage, while they are under the authority of the \nBoston School Department. \n \n2. All School Department personnel are to understand that in \nthe event they are subpoenaed to testify in a court of law or \nother proceeding, they are obligated to reveal any \ninformation pertaining to drug, alcohol, and weapons \nincidents, even if such information was given to them in \nconfidence.", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "51c5cd0b-5fe8-49b4-ad5d-8ac89992d44d": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 6 of 9 \n \n3. All School personnel are to understand that they are \nprohibited from \"making deals\" with students whereby they \nagree not to notify law enforcement agencies of known or \nsuspected illegal activities involving drug, alcohol, \n \n4. Each and every incident or suspected incident is to be \nreported immediately to the appropriate principal, head of \nschool or designated administrator, in accordance with \nSchool Department policy and procedure. \n \n5. Students are considered to be under the authority of the \nBoston School Department when they are on School \nDepartment property, on School Department buses, at or \nnear school bus stops, while on their way to or from school, \nor participating in school sponsored activities conducted off \nschool grounds. \n \n6. Any student who is suspected of or who has admitted to \nbeing under the influence of drugs or alcohol must be \nimmediately escorted to the office of the principal, head of", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "eed2117e-d385-4948-8a2a-b9c49359f2b7": { + "page_content": "school grounds. \n \n6. Any student who is suspected of or who has admitted to \nbeing under the influence of drugs or alcohol must be \nimmediately escorted to the office of the principal, head of \nschool, or designated administrator. \n \n7. Students involved in incidents described in items 1, 5, and 6 \nshall be considered in Massachusetts General Laws, Chapter \n94C (Controlled Substances Act), Chapter 138 (Alcoholic \nLiquors), Chapter 119 (Protection and Care of Children and \nProceedings against Them), and Chapter 169-10 (Dangerous \nWeapons, Unlawfully Carrying).", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "f7ab609e-c728-4075-8ca5-865b02bccdb5": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 7 of 9 \n \n8. Use of drugs and/or alcohol is prohibited.Students deemed \nto be in violation of school rules after an investigation by the \nprincipal, head of school or designated administrator will be \nappropriately disciplined, but law enforcement and EMS \nassistance may be requested in cases where it is apparent \nthat the student is engaging in disorderly or dangerous \nbehavior. \n \n9. In some cases, if a student is found to be in possession of \ndrugs, alcohol or weapons or to be under the influence of \ndrugs or alcohol is to be considered in violation of \nMassachusetts General Law. In such cases the principal, \nhead of school, or designated administrator is obligated to \nsummon the Boston Police Department, which will assume \nresponsibility for criminal prosecution in the event that such \nprosecution is warranted. \n \n10. In all such cases where students are found or suspected to \nbe involved in any incident involving substance abuse, a", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "a29601a8-7a60-4603-b7da-e0fb286aa693": { + "page_content": "prosecution is warranted. \n \n10. In all such cases where students are found or suspected to \nbe involved in any incident involving substance abuse, a \nsafety specialist will take custody of any and all evidence \nincluding drugs and alcohol. \n \n11. The Department of Safety Services will coordinate record-\nkeeping functions.", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "79402f9d-a311-4324-8490-86701a1e3849": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 8 of 9 \n \nDISCIPLINARY PROCEDURES RELATING TO DRUG/ALCOHOL \nABUSE \n \n1. Sections 7.7 .1 of the Code of Conduct requires that sale, \ndistribution, or possession with intent to sell or distribute of \nany prescribed or non-prescribed controlled substances in \nschool, on school grounds, or while under school jurisdiction \nmay result in expulsion. \n \n2. Section 7.4.2 of the Code of Conduct allows for suspension, \nlong term suspension, alternative program placement, or \nexpulsion if a student is found in possession of any non-\nprescribed controlled substance, narcotic drug, \nhallucinogenic drug, amphetamine, barbiturate, marijuana, \nalcoholic beverage, or intoxicant of any kind. \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "425cf76e-5d14-4135-93c1-ea417d40eeb8": { + "page_content": "Department: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ef0a495f-ecfb-40f1-8ad5-d1bd6fb6e73e": { + "page_content": "Superintendent\u2019s Circular SHS-01 \nPage 9 of 9", + "metadata": { + "file_name": "SHS-01 Drug and Alcohol Abuse.pdf", + "source_link": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3deacb00-bbf8-4fdd-80c0-396915ece24a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-08 \nVersion 01 \n \nMEDICATION ADMINISTRATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY FOR ADMINISTRATION OF MEDICATIONS \nThe school nurse is the supervisor of the medication \nadministration program in the school. The school nurse is the \nonly staff authorized to administer medication except in two \nsituations: (1) during field trips and (2) in the event of a life-\nthreatening allergic reaction requiring administration of \nEpinephrine via an autoinjector. The school nurse is responsible \nfor training designated staff in the administration of medication \nin these two situations. This policy is in accordance with \nMassachusetts state regulations for administration of medication \nin public schools (105 CMR 210.000). The protocol has been \napproved by the Massachusetts Department of Public Health. For \nmore detailed information, please refer to the 105 CMR 210:", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3bebeaa0-167c-4d4e-af4f-bc16165d2d5e": { + "page_content": "in public schools (105 CMR 210.000). The protocol has been \napproved by the Massachusetts Department of Public Health. For \nmore detailed information, please refer to the 105 CMR 210: \nDEPARTMENT OF PUBLIC HEALTH \nPROTOCOL FOR ADMINISTRATION OF MEDICATION \nThis section is a summary of the medication protocol. The full \nprotocol is in the Nurses\u2019 Protocol and Procedure Manual and \ncontains the referenced forms.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1b2ef2d9-53b5-45f4-bc60-e37903359a17": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 2 of 14 \n \nGeneral: \n\u25cf The school nurse shall be the supervisor of the medication \nadministration program in the school. \n\u25cf All school nurses will have read the complete Medication \nPolicy and 105 CMR 210.000- THE ADMINISTRATION OF \nPRESCRIPTION MEDICATIONS IN PUBLIC AND PRIVATE \nSCHOOLS annually. \n\u25cf The school nurse, in collaboration with the parent or guardian, \nshall establish a medication administration plan for each \nstudent receiving medication, in accordance with the details of \nthe full medication policy. \n\u25cf In accordance with standard nursing practice, the school nurse \nmay refuse to administer, or allow to be administered, any \nmedication which, based on their individual assessment and \nprofessional judgment, has the potential to be harmful, \ndangerous, or inappropriate. In these cases, the \nparent/guardian and licensed prescriber shall be notified \nimmediately by the school nurse and the reason for refusal", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "190e37af-488f-4df9-b124-108055fc6631": { + "page_content": "dangerous, or inappropriate. In these cases, the \nparent/guardian and licensed prescriber shall be notified \nimmediately by the school nurse and the reason for refusal \nexplained. The school nurse will document the above in the \nelectronic medical record (EMR). \n\u25cf Health Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. \nWhen inconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. When \ninadequacies continue (despite appropriate counseling and \nsupport), the issue and the measures taken will be \ndocumented in the nurse\u2019s performance evaluation. Auditing", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "be3e36fb-4aaf-452c-9a56-4fa45943306a": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 3 of 14 \n \nwill occur as part of routine site visit or as incidents deem \nnecessary. \nHandling, Storage, and Disposal of Medications \n\u25cf All prescription medications shall lie stored in their original \npharmacy or manufacturer labeled containers and, in such \nmanner, as to render them safe and effective. \n\u25cf All prescription medications to be administered by school \npersonnel shall be kept in a securely locked cabinet used \nexclusively for medications, which is kept locked except when \nopened to obtain medications. The medication cabinet is to be \naccessed solely by the school nurse. The cabinet shall be \nsubstantially constructed and anchored securely to a solid \nsurface. Prescription medications requiring refrigeration shall \nbe stored in either a locked box in a refrigerator or in a locked \nrefrigerator maintained at temperatures of 38F to 42F. \n\u25cf Access to stored prescription medications shall be limited to", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "fc58dec4-7436-43e6-8014-2921f7711868": { + "page_content": "be stored in either a locked box in a refrigerator or in a locked \nrefrigerator maintained at temperatures of 38F to 42F. \n\u25cf Access to stored prescription medications shall be limited to \npersons authorized to administer prescription medications and \nto self-medicating students, to the extent permitted by school \npolicy developed pursuant to 105 CMR 210.006(B)(8). Access to \nkeys and knowledge of the location of keys shall be restricted \nto the maximum extent possible. Students who are self-\nmedicating shall not have access to other students\u2019 \nmedications. \n\u25cf Parents or guardians may retrieve the prescription \nmedications from the school at any time. \n\u25cf No more than a 30 school-day supply of the prescription \nmedication for a student shall be stored at the school.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7fcfbfe3-577e-4c09-b738-54feb53846c6": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 4 of 14 \n \n\u25cf Where possible, all unused, discontinued, or outdated \nprescription medications shall be returned to the parent or \nguardian and the return appropriately documented. In \nextenuating circumstances, with parental consent, when \npossible, such prescription medications may be destroyed by \nthe school nurse in accordance with any applicable policies of \nthe Massachusetts Department of Public Health, Division of \nFood and Drugs. \n\u25cf The school nurse is responsible for maintaining the \nconfidentiality of a students\u2019 health record, including \nmedications. Do not discuss or share information about \nstudents or medications with other school staff or people \noutside school unless directed to do so by the school nurse. \nRefer all questions or comments about students or \nmedications to the school nurse. \nMedication Orders/Parental Consent \n\u25cf The school nurse shall ensure that there is a proper medication", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5188f1f8-0e72-45e2-9b4b-827b56e3ade6": { + "page_content": "Refer all questions or comments about students or \nmedications to the school nurse. \nMedication Orders/Parental Consent \n\u25cf The school nurse shall ensure that there is a proper medication \norder from a licensed prescriber which is renewed annually \nand when changes are made to the orders. The \nparent/guardian must sign a consent for the administration of \nthe medication every time a change is made. \n\u25cf A new order must be obtained at the beginning of the \nacademic year for all daily medications/treatments and any \nPRN medications. \n\u25cf All students with medication orders should have a medication \nadministration plan and an IHP. \n\u25cf Medication orders will be transcribed into the Electronic \nMedical Record (EMR) using the date the order was written by", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1fa411b8-9709-42d2-8cd2-f1bc755dc0da": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 5 of 14 \n \nthe prescriber until the end of the school year. (The official end \nof the school year is the last day of the Extended School Year \n(ESY) program. \n\u25cf A telephone order or an order for any change in medication \nshall be received only by the school nurse. Any such verbal \norder must be followed by a written order within three school \ndays. \n\u25cf The prescriber Medication Order form should be used. It is \nrecommended that the Boston Public Schools Medication \nOrder Form be completed by the prescriber, as the form \ncontains the necessary information about the medication. \nOrders may be accepted from a prescriber that has not used \nthe BPS Medication Order form as long as all necessary \ninformation is on the letter or form. The parent/guardian must \nconsent to the administration of medication in school. \nReporting and Documentation of Medication Errors \n\u25cf A medication error includes any failure to administer", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "48524c76-4558-4101-b147-1506da1b83ed": { + "page_content": "consent to the administration of medication in school. \nReporting and Documentation of Medication Errors \n\u25cf A medication error includes any failure to administer \nmedication as prescribed for a particular student, including \nfailure to administer the medication: \n\u25cf within appropriate time frames (the appropriate time frame \nshould be addressed in the medication administration plan) \n\u25cf in the correct dosage \n\u25cf in accordance with accepted practice \n\u25cf to the correct student \nIn the event of a medication error, the school nurse shall notify \nthe parent or guardian immediately. (The school nurse shall \ndocument the effort to reach the parent or guardian.) If there is a", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e15c9b52-209e-4615-a839-03d911b0a824": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 6 of 14 \n \nquestion of potential harm to the student, the nurse shall also \nnotify the student's licensed prescriber or school physician. \nMedication errors shall be reported to the Health Services \nnursing leadership and documented by the school nurse utilizing \nthe medication error report form. These reports shall be retained \nby Health Services leadership and within the student electronic \nhealth record where applicable. They shall be made available to \nthe Department of Public Health upon request. \nAll medication errors resulting in serious illness/injury requiring \nmedical care shall be immediately reported to the Health \nServices leadership who will make the decision, as necessary, to \nfurther report to the Department of Public Health, Drug Control \nProgram utilizing the Drug Incident Report. \nAll suspected diversion or tampering of drugs shall be reported to \nthe Health Services nursing leadership and to the Department of", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7c533d3c-1ae2-4997-9677-530daefa0842": { + "page_content": "Program utilizing the Drug Incident Report. \nAll suspected diversion or tampering of drugs shall be reported to \nthe Health Services nursing leadership and to the Department of \nPublic Health, Division of Food and Drugs. \nThe school nurse shall review reports of medication errors and \ntake necessary steps to ensure appropriate medication \nadministration in the future. \nOver The Counter (OTC) Medications, i.e., Non-Prescription \nMedications \n\u25cf The school nurse shall follow the Board of Registration in \nNursing protocols listed in their Advisory Ruling (AR) \nMedication Administration of Over-the-Counter Drugs (AR 92-\n05) regarding required provider orders and safety steps in the \nadministration of OTC medications in schools. (Board of \nRegistration in Nursing Advisory Ruling 92-05", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0956c51f-dd70-4158-a236-ee9d5d3adccd": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 7 of 14 \n \n\u25cf The school physician is responsible for the OTC Standing \nOrders policy, in consultation with the Office of Health Services \nnursing leadership and feedback from the school nurse body \nand will sign off on a standing order for administration of OTC \nmedications (Appendix). \n\u25cf OTC medications may only be administered once during any \nschool day (except as noted). If requested more than two times \nin any given week, or a pattern of regular usage develops, the \nschool nurse will contact the parent/guardian for provider \nguidance per Standing Order protocol. \n\u25cf OTC medication may NOT be administered without parental \npermission. \n\u25cf A one-time dose of an OTC medication may be administered \nwith verbal parental/guardian consent in the event that a \npaper consent form has not been signed, the parent/guardian \nmust return a signed consent form within two school days \nfollowing the administration for future administration.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6c11356b-9fc9-4f78-b2dc-cca6827f629b": { + "page_content": "paper consent form has not been signed, the parent/guardian \nmust return a signed consent form within two school days \nfollowing the administration for future administration. \nHerbal Preparations \n\u25cf Herbal preparations/medications are to be considered over-\nthe-counter medications and are subject to the same \nregulations and require parental permission. \n\u25cf Herbal preparations/medications must be listed in the U.S. \nPharmacopeia (USP.org) in order to be given in school. \n\u25cf The OTC standing orders do not cover herbal \npreparations/medications and require a prescription from an \nappropriate and duly licensed prescriber.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "fc39a2c7-0f3f-4c4a-b4ba-a95155bfb153": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 8 of 14 \n \nSpecial Medication Situations \n\u25cf For short-term medications, i.e., those requiring administration \nfor ten school days or fewer, the pharmacy-labeled container \nmay be used in lieu of a licensed prescriber\u2019s order. \n\u25cf Investigational new drugs may be administered in the schools \nwith (a) a written order by a licensed prescriber, (b) written \nconsent of the parent or guardian, and (c) a pharmacy-labeled \ncontainer for dispensing. If there is a question, the school \nnurse may seek consultation and/or approval from the school \nphysician to administer the medication in the school setting. \nControlled Substances \n\u25cf Students may require medications that fall under the category \nof \u201ccontrolled substances.\u201d \n\u25cf The detailed protocol for administration of controlled \nsubstances is in the BPS Nurses Protocol and Procedure \nManual. \nMedications During Transport \n\u25cf Asthma exacerbations may occur while in transport. A self-", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c7a6046e-44fd-4808-8d41-9cfa891acbab": { + "page_content": "substances is in the BPS Nurses Protocol and Procedure \nManual. \nMedications During Transport \n\u25cf Asthma exacerbations may occur while in transport. A self-\nmedication plan would address this issue and allow for the \nchild to carry and self-administer the medication without the \nsupervision of the school nurse. The student should be advised \nto report to the school nurse if they require treatment en route \nto or from school. \n\u25cf Emergency medications, other than Epinephrine, cannot be \nadministered by the bus driver/transportation monitor. The \ndriver is expected to pull over and call 911 EMS if there is an", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8ef84a7d-fad1-403c-9f8e-55f098151004": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 9 of 14 \n \nemergent need and there are no licensed personnel \naccompanying the child. \nAnaphylaxis \n\u25cf Nurses, in conjunction with building administrators, MUST \nhave a plan in place to ensure the safety of those children with \nlife threatening allergies requiring the administration of \nEpinephrine. \n\u25cf In the event of a life-threatening, previously undiagnosed \nanaphylactic reaction, the school nurse may administer \nepinephrine in the protocol dosages. \n\u25cf The school physician is responsible for reviewing and renewing \nthe anaphylaxis protocol on an annual basis. \n\u25cf Refer to Superintendent Circular SHS-11 \u201cLife Threatening \nAllergies (LTA or Anaphylaxis)\u201d for specifics. \nAsthma \n\u25cf If a child with known asthma has a severe exacerbation while \nat school and there is no order for medications administered \nvia nebulizer from the child\u2019s primary care provider, the nurse \nmay administer a nebulizer or Metered Dose Inhaler (MDI)", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0b230213-3053-4c55-a8f2-747eb40e4ab3": { + "page_content": "at school and there is no order for medications administered \nvia nebulizer from the child\u2019s primary care provider, the nurse \nmay administer a nebulizer or Metered Dose Inhaler (MDI) \ntreatment, under the school physician\u2019s order and according to \nthe asthma protocol (BPS protocol and procedure manual). \n\u25cf The emergent use of nebulizer should occur within the context \nof the child\u2019s primary or specialty care management. After the \nfirst episode of medication administered via nebulizer or MDI \nutilizing standing orders, every effort should be made to \nsecure a treatment plan which includes use of PRN nebulizer \nwith feedback to the family and/or the primary care provider.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "67dc8cf7-7067-4d44-a30a-ed341e3d9023": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 10 of 14 \n \n\u25cf If there are no subsequent medication treatment orders from \nthe patient\u2019s primary care provider, the parent will be notified \nand 911 will be accessed in the event of an asthma \nexacerbation. \nDelegation/Supervision for Field Trips and Life-Threatening \nAllergic Reactions \n\u25cf The school nurse shall have final decision-making authority \nwith respect to delegating administration of medications to \nunlicensed personnel in the school system. Boston Public \nSchools is registered with the Department of Public Health \nand has chosen to limit delegation to field trips only. \n\u25cf When medication administration is delegated by the school \nnurse to unlicensed school personnel, such personnel shall be \nunder the supervision of the school nurse for the purposes of \nmedication administration. \n\u25cf After consultation with the principal or administrator \nresponsible for a given school, the school nurse shall be", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1c6681c2-a853-4136-bc45-bbf6a562a362": { + "page_content": "medication administration. \n\u25cf After consultation with the principal or administrator \nresponsible for a given school, the school nurse shall be \nresponsible to select, train, and supervise the school personnel \napproved by the school nurse to administer medications on \nfield trips. When necessary to protect student health and \nsafety, the school nurse may rescind such selection. \n\u25cf A school nurse shall be on duty in the school system while \nmedications are being administered by designated unlicensed \nschool personnel, and available by telephone should \nconsultation be required. \n\u25cf The administration of parenteral medications may not be \ndelegated.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "6cb6ad2e-773b-4ed2-8150-17f5b21553d7": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 11 of 14 \n \n\u25cf Medications to be administered pursuant to PRN (\u201cas needed\u201d) \norders may be delegated to be administered by authorized \nschool personnel while on a field trip after an assessment by or \nconsultation with the school nurse for each dose. \nNote: any medications that require a nursing assessment \nmay not be delegated with the exception of asthma \nmedications. \n\u25cf For each school, an updated list of unlicensed school \npersonnel who have been trained in the administration of \nEpinephrine shall be maintained by the school nurse. Upon \nrequest, a parent shall be provided with a list of school \npersonnel trained to administer medications on field trips and \nin life threatening cases. Note: It is the expectation that all \nschool staff are trained by the school nurse in Epinephrine via \nan autoinjector administration twice a year and complete a \nreturn-demonstration to the nurse. \n\u25cf Designated, trained medication delegation school personnel", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "44f69dfd-ca72-4fe8-9964-a14f593af56d": { + "page_content": "an autoinjector administration twice a year and complete a \nreturn-demonstration to the nurse. \n\u25cf Designated, trained medication delegation school personnel \nshall be listed on the specific student\u2019s medication \nadministration plan. \n\u25cf Principals/head of school or the district department \nsponsoring the trips have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparts internal \nprotocols for field trip requests and approvals at the school \nlevel. \n\u25cf Before approval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c094126d-0565-4928-a367-96b16e2cf29c": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 12 of 14 \n \nbefore the field trip is secured. For additional questions, please \nconsult the Health Services Department. Additionally, to \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure (much longer for international \nand overnight field trip programs), consult with, and when \nnecessary, receive training from the school nurse regarding \nany students who have medical needs. \n\u25cf Refer to Superintendent\u2019s Circular CAO-22 General Guidelines \nand Procedures for All Field Trips for additional information. \nSelf-Administration of Medications \nConsistent with school policy, students may self-administer \nprescription medication provided that certain conditions are met. \nFor the purposes of 105 CMR 210.000, \u201cself-administration\u201d shall \nmean that the student is able to consume or apply prescription \nmedication in the manner directed by the licensed prescriber, \nwithout additional assistance or direction.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8243178b-4904-41a3-936a-2845908b1200": { + "page_content": "mean that the student is able to consume or apply prescription \nmedication in the manner directed by the licensed prescriber, \nwithout additional assistance or direction. \nFor a child to self-administer, the following must be in place: \n\u25cf Parent/guardian approval. \n\u25cf An assessment by the school nurse that the student is capable \nof self-medication administration. \n\u25cf The school nurse develops an individualized medication \nadministration plan (105 CMR 210.005(E) for that student which \nis agreed to by the parent/guardian and contains: \n\u25cb Documentation by a designated school personnel or by \nthe student, when the student is assessed as capable by \nthe school nurse, that medication was self-administered. \n\u25cb Periodic review of process by school nurse", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "9b08d40b-9c7b-4e74-aa14-6651338ce0e6": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 13 of 14 \n \n\u25cb Determines a safe place for storing the medication for the \nindividual student, while providing for accessibility if the \nstudent\u2019s health needs require it. \n\u25cb Documentation of teacher\u2019s and student\u2019s knowledge of \nthe medication dose, frequency, and side effects, the \ndisease process for which the medication is being \nadministered, the safety of the plan and the student\u2019s \nability to self-administer the medication, and the student\u2019s \ncompliance with the identified plan. \n\u25cf A medication order from a licensed prescriber for this student\u2019s \nmedication. \n\u25cf In the absence of a school nurse, the school administrator will \ncontact a health services administrator to assist with the \ndevelopment of an appropriate plan of care which includes all \nthe above. \n\u25cf All self-medication administration plans must be renewed \nannually. \nHealth Services administration is accountable for reviewing all", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "61b520a0-edc5-4d9c-a281-ac446431aaa9": { + "page_content": "the above. \n\u25cf All self-medication administration plans must be renewed \nannually. \nHealth Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. When \ninconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. \nSummary of significant dates and deadlines: \nMonth Activity \nJanuary Send an updated list of nurses/schools \nto MA DPH.", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3e6c2693-02d0-4c4e-9ac3-d297236d0f95": { + "page_content": "Superintendent\u2019s Circular SHS-08 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-08 Medication Administration.pdf", + "source_link": "https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b953dd1a-46e6-4d24-b9d5-d9d881555f2b": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-11 \nVersion 01 \n \n \n \n LIFE-THREATENING ALLERGIES (LTA OR ANAPHYLAXIS) \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY \nThe Massachusetts Department of Education recommends that \nall school districts have policies and protocols regarding the care \nof students with life-threatening food allergies. This is in addition \nto 2012, c.77, An Act Relative to Medical Emergency Response \nPlans for Schools, requiring local school districts to develop \nefficient written medical response plans for responding to life-\nthreatening emergencies. \n \nMassachusetts Department of Public Health Regulations \ngoverning the Administration of Prescription Medications in \nPublic and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) \nauthorize school personnel who are trained and tested for \ncompetency to administer epinephrine by auto-injector to", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "f1bee8ee-89f9-4f8e-9f99-e55bf2798224": { + "page_content": "Public and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) \nauthorize school personnel who are trained and tested for \ncompetency to administer epinephrine by auto-injector to \nindividuals with previously diagnosed life-threatening allergies \nwho are experiencing an anaphylactic event. School districts \nmust be registered with the Massachusetts Department of Public \nHealth for this purpose.", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "10f27859-e649-432f-b5b8-ac2082227148": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 2 of 10 \n \n \n \nBACKGROUND ON ANAPHYLAXIS \nAnaphylaxis is a sudden, severe, potentially fatal, systemic allergic \nreaction that can involve various areas of the body (such as the \nskin, respiratory tract, gastrointestinal tract, and cardiovascular \nsystem). Symptoms occur within minutes to two hours after \ncontact with the allergy-causing substance, but in rare instances \nmay occur up to four hours later. Anaphylactic reactions can be \nmild to life-threatening. The annual incidence of anaphylactic \nreactions is about 30 per 100,000 persons, and individuals with \nasthma, eczema, or hay fever are at a greater relative risk of \nexperiencing anaphylaxis. The most common allergens in \nchildren are food and bee-sting. \nBecause of the life-threatening nature of this condition, it is \nimportant for schools to develop and implement care plans for all \nchildren identified with life-threatening allergic reactions.", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "89d02467-3216-469c-bc70-1a000c3df575": { + "page_content": "Because of the life-threatening nature of this condition, it is \nimportant for schools to develop and implement care plans for all \nchildren identified with life-threatening allergic reactions. \nThe Massachusetts Department of Public Health regulations \nprovides for the administration of epinephrine by auto-injector by \nnon-medical personnel who have been trained by the school \nnurse in the administration of epinephrine by auto-injector \ndelivery. In consultation with the school physician, the school \nnurse leader has the final decision-making authority about the \nprogram, which must be in accordance with MA DPH standards. \nThis includes school-sponsored programs as well as before and \nafter school when a nurse is not immediately available. \nThe Boston School Committee, as part of the Superintendent's \nCircular SHS-08 Medication Administration, has approved the \ntraining of administration of epinephrine by auto-injector for", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "80b82605-063d-44e6-aea4-c9a19d47ec82": { + "page_content": "The Boston School Committee, as part of the Superintendent's \nCircular SHS-08 Medication Administration, has approved the \ntraining of administration of epinephrine by auto-injector for \nstudents with identified allergies under the supervision of the", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c0c068b1-13c7-4605-b805-d2f83c66d759": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 3 of 10 \n \n \n \nschool nurse. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n\u2022 Provide a safe and healthy learning environment for all \nstudents \n\u2022 Protect the rights of students with food allergies to \nparticipate in all school activities \n\u2022 Reduce the likelihood of severe or potentially life-\nthreatening allergic reactions during school \n\u2022 Ensure a rapid and effective response in the case of a \nsevere or potentially life-threatening allergic reaction. \n \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers, \nparaprofessionals, food service staff, school leaders, support staff, \nand student interns/teachers. \nEducation and training by the school nurse will include: \n\u2022 Identification of potential food allergens \n\u2022 Role and responsibilities in the prevention and reducing \nrisks \n\u2022 Recognizing allergic reactions \n\u2022 Responding to an allergic reaction", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b1628fd3-3c9e-4225-b6da-6673eee96808": { + "page_content": "\u2022 Identification of potential food allergens \n\u2022 Role and responsibilities in the prevention and reducing \nrisks \n\u2022 Recognizing allergic reactions \n\u2022 Responding to an allergic reaction \n\u2022 How to administer an epinephrine auto-injector \n(EpiPen\u00ae).", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "025aa808-7095-47df-9862-354abc53bbd2": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 4 of 10 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent: \n\u2022 Inform the school nurse if their child has a Life-\nThreatening Allergy (with specific information regarding \nthe allergen (i.e. food types, insect, medication)) \n\u2022 Provide the school with a list of allergens, the Individual \nHealth Plan (IHP) (preferably with a Food Allergy action \nplan, where appropriate), and a physician order for \nepinephrine auto-injector administration \n\u2022 Provide physician/provider documentation regarding \nallergy, diagnosis and treatment \n\u2022 Work with the school nurse, school leader, and classroom \nteacher to develop and implement the Allergy Action Plan \n+/or IHP for ensuring that their child is safe from potential \nallergens \n\u2022 Provide an epinephrine auto-injector(s) and other \nphysician-ordered emergency medication if indicated to \nthe school nurse \n\u2022 Sign release of information/permission for identified", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e6d2fd19-0d98-4114-8af4-fb53eaa7e216": { + "page_content": "allergens \n\u2022 Provide an epinephrine auto-injector(s) and other \nphysician-ordered emergency medication if indicated to \nthe school nurse \n\u2022 Sign release of information/permission for identified \nschool staff to have information about their child\u2019s allergy \n\u2022 Provide current contact information, including emergency \ncontacts \n\u2022 Ensure that the pre-school and after-school staff have the \nappropriate information.", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ca8685fd-c0a7-44ec-b92d-786b9280b563": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 5 of 10 \n \n \n \nRole of the School Administrator: \n\u2022 Support training for school staff, provided by the school \nnurse at the beginning of every school year and as needed \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the LTA (Life-Threatening Allergy) program \n\u2022 Consider a school-wide policy, with input from the School \nSite Council, for avoiding LTA's wherever possible (i.e., \npeanut-free zones, no food at functions, etc.) \n\u2022 Provide emergency communication devices (two-way \nradio, intercom, walkie-talkie, cell phone) for all school \nactivities, including transportation, that involve a student \nwith life-threatening allergies \n\u2022 Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel \n\u2022 Ensure that 911/EMS is activated (in the event of an \nexposure). \nRole of the School Nurse: \n\u2022 Provide training at least annually (beginning of school", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "44824c79-d24e-4591-a209-1ba980a1faa0": { + "page_content": "\u2022 Ensure that 911/EMS is activated (in the event of an \nexposure). \nRole of the School Nurse: \n\u2022 Provide training at least annually (beginning of school \nyear) for school staff that will include information on food \nallergies, risk reduction procedures, how to recognize an \nallergic reaction, and how to respond in the event of an \nallergic reaction, including the use of an epinephrine auto-\ninjector. Training will include a return demonstration by \nschool staff on the administration of an epinephrine auto-\ninjector. \n\u2022 Obtain an Individual Health Plan (IHP) from the \nfamily/primary care provider (this should include the \nspecifics about a food allergy action plan) \n\u2022 Develop a plan for child management in the classroom,", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7346b114-8065-41a6-be26-4249046f28ba": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 6 of 10 \n \n \n \nlunchroom, playground, field trips, and emergency \nsituations \n\u2022 Ensure that all other staff members who have contact \nwith students with life-threatening allergies (LTAs) are \nfamiliar with their IHPs on a need-to-know basis \n\u2022 Provide a list of students with life-threatening allergies (if \nconsent is given by parent) to all staff on a need-to-know \nbasis (including transportation staff) \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding a child's life-threatening allergens, \nsymptoms, risk reduction procedures, emergency \nprocedures, and how to administer an epinephrine auto-\ninjector \n\u2022 Post general emergency protocol and location of an \nepinephrine auto-injector; Epinephrine should not be \nlocked away but should be available to school staff in a \nsecure location and must be readily available for use in an \nemergency situation \n\u2022 Ensure that all IHPs for children with LTAs are readily", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "c6449467-0fdf-4e9d-bc9e-bc6a4effe5c4": { + "page_content": "locked away but should be available to school staff in a \nsecure location and must be readily available for use in an \nemergency situation \n\u2022 Ensure that all IHPs for children with LTAs are readily \navailable for transport with EMS \n\u2022 Ensure that there is a contingency plan in place in all \nschool-related venues where substitutes are utilized \n\u2022 Communicate with parents on a regular basis to discuss \nissues relating to the plan \n\u2022 In the event of epinephrine auto-injector administration, \ncomplete the Massachusetts Department of Public \nHealth\u2019s epinephrine auto-injector administration form \nand alert Health Services \n \nRole of the Teacher:", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e396d2b7-f23c-425a-bf61-b663136c021c": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 7 of 10 \n \n \n \n\u2022 Receive training at least annually to recognize symptoms \nof allergic reaction and to understand their role as a \nresponder in the event of an allergic reaction; including \nthe use of an epinephrine auto-injector (i.e.EpiPen\u00ae) \n\u2022 Collaborate with the school nurse and parent/guardian to \ndevelop and implement a plan for ensuring that their child \nis safe from potential allergens, including field trips, \nclassroom festivities, arts & crafts activities, and cafeteria \nmanagement \n\u2022 Maintain a list of all students in the classroom with LTA; \ninclude the list in the substitute teacher folder \n\u2022 Participate in a team meeting for a child with life-\nthreatening allergies and in-service training about LTAs \n\u2022 Keep accessible the child's emergency plan with a photo \n(where possible) in the classroom (with parent's \npermission) or keep with the lesson plan \n\u2022 Inform volunteers, student teachers, aides, specialists, and", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "307a6350-44e1-4c99-87ae-7ee0c293863c": { + "page_content": "(where possible) in the classroom (with parent's \npermission) or keep with the lesson plan \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's food/other allergies \nand necessary safeguards by both verbal communication \nand in an organized, prominent, and accessible written \nformat \n\u2022 Coordinate with the parent on providing a lesson plan \nabout food allergies for the class and discuss anaphylaxis \nin age-appropriate terms, with the child's permission \n\u2022 Remind students never to share or trade food \n\u2022 Inform parents about events involving food \n\u2022 Provide the school nurse 4-6 weeks in advance with dates \nfor field trips & school-sponsored off-site activities \n\u2022 Discuss with the parent the process for ensuring before \nand after school continuity of access to epinephrine auto-\ninjector administration and allergen reduction.", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0ede88e0-eef9-4335-a32d-3b0d06cae97d": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 8 of 10 \n \n \n \nRole of Off-site Staff (Athletics): \n\u2022 Maintain a list of all students in their charge who have LTA \n\u2022 Athletic coaches will be informed via review of sports \nclearances in ASPEN of any students on their teams who \nhave LTAs \n\u2022 Coaches will participate in training at the school level that \nwill include information on Life-Threatening Allergies, risk \nreduction procedures, how to recognize an allergic \nreaction, and how to respond in the event of an allergic \nreaction, including the use of an epinephrine auto-injector \nand return demonstration \n\u2022 Encourage these students to carry the epinephrine auto-\ninjectors to all practices and events \n\u2022 Ensure the off-site staff has knowledge of the child with \nthe allergy, their specific allergy, and symptoms that they \nmay suffer during a reaction: \no Ensure that the off-site staff knows to call 911 or \nother emergency numbers and request an", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b970d46e-5db5-4603-b281-43c3769151ec": { + "page_content": "the allergy, their specific allergy, and symptoms that they \nmay suffer during a reaction: \no Ensure that the off-site staff knows to call 911 or \nother emergency numbers and request an \nAdvanced Life Support unit if a reaction occurs. \no Allow a responsible child to carry their own \nepinephrine auto-injector in their backpack. \n\u2022 Keep accessible the child's emergency plan in the specific \nvenue (with parent's permission) \n\u2022 Inform substitutes about the child's food/other allergies \nand necessary safeguards by both verbal communication \nand in an organized, prominent, and accessible written \nformat. \nRole of Food Services: \n\u2022 Provide a food preparation environment that follows", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ab75ff9e-3ccf-47a1-a892-d800de7fe173": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 9 of 10 \n \n \n \nsound food handling to avoid cross-contamination and \nprocedures to address food-allergic students \n\u2022 Ensure all food service staff are able to recognize \nsymptoms of allergic reaction and to understand their \nroles as a responder in the event of an allergic reaction; \nincluding the use of an epinephrine auto-injector. \nRole of the School Transportation Company: \n\u2022 Provide training for all bus drivers on managing life-\nthreatening allergies \n\u2022 Be familiar with local EMS procedures \n\u2022 Have functioning communication equipment to access \nEMS \n\u2022 Maintain a policy of \u201cNo food/drink consumed on the bus\u201d. \n \nDetails of management and all necessary forms are available in \nthe Nurses\u2019 Protocol and Procedure Manual (available to BPS \nSchool Nurses) \n\u2022 Managing Food Allergies in Schools The Role of School \nTeachers and Paraeducators \n\u2022 FAACT Education for School Personnel \n \nREFERENCES \nMass.gov Report epi-pen administration", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8a529787-54ff-4d2f-bc32-75a046d77c4c": { + "page_content": "School Nurses) \n\u2022 Managing Food Allergies in Schools The Role of School \nTeachers and Paraeducators \n\u2022 FAACT Education for School Personnel \n \nREFERENCES \nMass.gov Report epi-pen administration \nMass.gov School Health Services: Medication Administration", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "adc59e25-8b6b-4ba7-9d54-eba2b08f30c3": { + "page_content": "Superintendent\u2019s Circular SHS-11 \nPage 10 of 10 \n \n \n \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 2024 \nAll staff should have a Life-Threatening Allergy \nreview & epinephrine auto-injector demonstration \nby the school nurse \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-11 Life Threatening Allergies.pdf", + "source_link": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d27a3ae9-3f00-4678-ac72-7077686097c8": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-21 \nVersion 01 \n \n \n \nDIABETES POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nDiabetes is a chronic disease in which the body does not make or \nproperly use insulin. Insulin is a hormone produced by the \npancreas that is needed to convert sugar and starches into \nenergy for the body. People with diabetes have increased blood \nglucose (sugar) levels because they lack or have insufficient \ninsulin or are resistant to insulin\u2019s effects. High levels of glucose \nbuild up in the blood and spill into the urine; as a result the body \nloses its main source of fuel. \nThere are many types of diabetes that affect children. The most \ncommon types seen in school settings include: \n\u2022 Type 1 (formerly called \u201cInsulin-Dependent\u201d or \u201cJuvenile-\nOnset\u201d) Diabetes Mellitus: This type of diabetes is considered \na disease of the immune system because the immune", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "640fb77a-2f5b-4d46-ae59-e2a615e5730e": { + "page_content": "\u2022 Type 1 (formerly called \u201cInsulin-Dependent\u201d or \u201cJuvenile-\nOnset\u201d) Diabetes Mellitus: This type of diabetes is considered \na disease of the immune system because the immune \nsystem destroys the cells in the pancreas that produce the \nhormone insulin. People with type 1 diabetes must inject \ninsulin every day because their bodies cannot produce \ninsulin. It needs to be injected under the skin to be \nabsorbed; it cannot be taken by mouth because it would not \nbe effective. \n\u2022 Type 2 (formerly called \u201cNon-Insulin Dependent\u201d or \u201cAdult-", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "5c9805fa-709f-459b-ba16-aa39e96e5d8a": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 2 of 13 \n \n \n \nOnset\u201d) Diabetes Mellitus: People with type 2 diabetes \nproduce insulin, but the cells of the body do not respond \nnormally to the insulin. This is referred to as insulin \nresistance. Type 2 diabetes can often be managed with diet \nand exercise, but some students also need medications \ntaken by mouth (oral hypoglycemic agents), insulin \ninjections, or both to help glucose enter their cells. \n\u2022 Pre-Diabetes: Pre-diabetes is a condition in which blood \nglucose levels are higher than normal, but not yet high \nenough to be classi\ufb01ed as diabetes. Before people develop \ntype 2 diabetes, they almost always have pre-diabetes. \n\u2022 Gestational Diabetes (may affect teens who are pregnant): \nGestational diabetes results from pregnancy hormones that \ncause the body to become resistant to its own insulin. \nDiabetes is the third most common chronic health disease \naffecting an estimated 2.22/1,000 children and adolescents", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "66a1fd38-f5d8-45fb-8293-2d9273473447": { + "page_content": "cause the body to become resistant to its own insulin. \nDiabetes is the third most common chronic health disease \naffecting an estimated 2.22/1,000 children and adolescents \naccording to The Search for Diabetes in Youth (SEARCH) Study \n(Pettitt et al., 2014). Children and adolescents are defined as \nyouth under the age of 20 years. In 2009, approximately 191,986 or \none in 433 youth with diabetes lived in the U.S. From these, 87% \nhave type 1 diabetes and 11% have type 2 diabetes (Pettitt et al., \n2014). In the years 2008 to 2009, 18,436 youth were newly \ndiagnosed with type 1 diabetes and 5,089 youth were newly \ndiagnosed with type 2 diabetes (Centers for Disease Control and \nPrevention [CDC], 2014). As the sixth leading cause of death by \ndisease in the United States, long-term complications of diabetes \ninclude heart disease, stroke, blindness, kidney failure, nerve \ndisease, gum disease, and amputation of the foot or leg. \nAlthough there is no cure, diabetes can be managed, and", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b28decbe-680a-4aa4-8230-4a2b3ed72f42": { + "page_content": "include heart disease, stroke, blindness, kidney failure, nerve \ndisease, gum disease, and amputation of the foot or leg. \nAlthough there is no cure, diabetes can be managed, and \ncomplications can be delayed or prevented.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e0bf331a-9b5e-4682-8302-1d4f4e20a421": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 3 of 13 \n \n \n \nAdvances in diabetes technology continue to enhance students' \nability to manage diabetes at school, thus improving their quality \nof life. Children and adolescents monitor blood glucose levels \nseveral times a day via blood glucose meters and continuous \nglucose monitors, conduct carbohydrate calculations, and inject \ninsulin via syringe, pen, and pump to attain blood glucose control \n(Brown, 2016). Intensive resources and consistent evidenced-\nbased interventions will achieve the long-term health benefits of \noptimal diabetes control, according to the landmark study from \nthe Diabetes Control and Complications Trial Research Group \n(DCCT, 1993). \nCoordination and collaboration among members of the school \nhealth team and the student\u2019s personal diabetes health care \nteam are essential for helping students manage their diabetes in \nthe school setting. Members of the school health team include", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d8347f57-155f-4a90-9913-990f170d31fd": { + "page_content": "health team and the student\u2019s personal diabetes health care \nteam are essential for helping students manage their diabetes in \nthe school setting. Members of the school health team include \nthe student with diabetes, parents/guardians, school nurse, \nteacher(s), school leader, COSES, social worker, coach, physical \neducation teacher, food service staff, and other school staff \nmembers. In addition, it is essential for team members to \nunderstand the federal and state laws that may apply to students \nwith diabetes, including Section 504 of the Rehabilitation Act of \n1973, the Americans with Disabilities Act, and the Individuals with \nDisabilities Education Act. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n\u2022 Provide a safe and healthy learning environment for all \nstudents \n\u2022 Protect the rights of students with diabetes to participate in \nall school activities", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2fe7ab9b-38c2-4100-ac13-68663434e05f": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 4 of 13 \n \n \n \n\u2022 Ensure proper medical management and safety of the \nstudent, minimizing the possibility that diabetes related \nemergencies might disrupt their educational and classroom \nactivities \n\u2022 Facilitate self-management so that the student may \ngradually assume responsibility for their care \n\u2022 Reduce the likelihood of severe or potentially life-\nthreatening diabetic emergencies during school \n\u2022 Ensure a rapid and effective response in the case of a severe \nor potentially life threatening diabetic emergency \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers, \nparaprofessionals, food service staff, school leaders, support staff, \nand student interns/teachers. Coordination and collaboration \namong members of the school health team and the student\u2019s \npersonal diabetes health care team are essential for helping \nstudents manage their diabetes in the school setting.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "4b12d6c4-9cab-40b1-b078-77522659b9c3": { + "page_content": "among members of the school health team and the student\u2019s \npersonal diabetes health care team are essential for helping \nstudents manage their diabetes in the school setting. \nEducation and training for key personnel by the school nurse will \ninclude: \n\u2022 an overview of diabetes \n\u2022 signs and symptoms of diabetes, including \nhyper/hypoglycemia \n\u2022 role and responsibilities in prevention and reducing risks \n\u2022 recognizing and responding to a diabetic emergency \n\u2022 review of the student\u2019s Individual Health Plan (IHP) and \nDiabetes Emergency Action plan", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b24bc255-5645-4b87-9b02-6c79e7100a8d": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 5 of 13 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent/Guardian \n\u2022 At the time of registration, inform the Welcome Center staff \nof any health concerns of their child, including Type 1 \nDiabetes. The Health Services Department remains \navailable to support any student or parent/guardian wishing \nto discuss this information privately. \n\u2022 Provide the school nurse with a current diabetes medical \nmanagement plan and emergency management plan from \nthe student\u2019s endocrinologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child\u2019s plan. \n\u2022 Actively participate with the school nurse in creating an \nindividualized healthcare plan for school that supports the \nstudent\u2019s medical, educational, and developmental needs \n\u2022 Provide the school nurse with the necessary supplies \nneeded to care for the student during the school day: \ninsulin, glucometer, glucagon, syringes, etc. In the case of an", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ebfc2457-c77d-4fbc-844a-dfdfac554057": { + "page_content": "\u2022 Provide the school nurse with the necessary supplies \nneeded to care for the student during the school day: \ninsulin, glucometer, glucagon, syringes, etc. In the case of an \ninsulin pump: extra insulin delivery catheter, insulin, insulin \nreceptacle. \n\u2022 Provide the school nurse with the carbohydrate count for \neach item when lunch or snack is brought from home. \n\u2022 Provide current contact information including cell phone \nnumbers (if available), emergency numbers, and at least two \nback up numbers to call if parents/guardians are not \nreachable. \n\u2022 Educate after-school activities personnel about the diabetic \nmanagement plan and provide a plan as necessary.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ed9b5b7a-ba90-40a6-b618-91fc42737896": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 6 of 13 \n \n \n \nRole of the School Administrator \n\u2022 Facilitate diabetes management training for school \npersonnel. \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the Diabetes Management Plan. \n\u2022 Identify all staff members who have responsibility for the \nstudent with diabetes throughout the school day and \nduring school-sponsored extracurricular activities and field \ntrips. \n\u2022 Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel. \n\u2022 Ensure that the classroom staff have been trained in an \noverview of diabetes, how to recognize and respond to \nhypoglycemia and hyperglycemia and the steps to take in \nthe event of an emergency. \n\u2022 Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Promote a supportive learning environment for students \nwith diabetes to manage their diabetes safely and", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "cf7f7009-0e3c-413c-b729-d4649026a6e9": { + "page_content": "walkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Promote a supportive learning environment for students \nwith diabetes to manage their diabetes safely and \neffectively at school. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g. necessity for \nnursing support during the field trip). \n\u2022 Understand the federal and state laws that may apply to \nstudents with diabetes, including Section 504 of the \nRehabilitation Act of 1973, the Americans with Disabilities", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "46b60300-9002-4d88-8852-4de7d3b87455": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 7 of 13 \n \n \n \nAct, and the Individuals with Disabilities Education Act. \nRole of the School Nurse: \n\u2022 Obtain and review the student\u2019s current Diabetes Medical \nManagement Plan (DMMP) along with other pertinent \ninformation from the student\u2019s parents/guardians and \nhealth care providers. \n\u2022 Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n\u2022 Develop an Individualized Health Care Plan (IHP). Promote \nand encourage independence and self-care consistent with \nthe student\u2019s ability, skill, maturity, and development as \nindicated in the DMMP. After reviewing the IHP with the \nparents/guardians and student, implement, review, and \nupdate the plan throughout the school year as needed. \n\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, athletics, and field trips that \nprovides for routine and emergency care. These would", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ebfd09ea-664c-4523-a284-bee304d01060": { + "page_content": "\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, athletics, and field trips that \nprovides for routine and emergency care. These would \ninclude blood glucose monitoring; urine/blood ketone \ntesting; insulin administration; glucagon administration; and \nassistance with carbohydrate counting. \n\u2022 Perform or assist the student with routine and emergency \ndiabetes care tasks, including blood glucose monitoring, \nurine or blood ketone testing, insulin and other medication \nadministration, carbohydrate counting, and glucagon \nadministration. \n\u2022 Maintain accurate documentation in the electronic health \nrecord of all diabetes care provided at school. Document \ncommunications with the student, the parents/guardians,", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d7db3a5c-8398-4dfa-af91-b3ba994c391d": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 8 of 13 \n \n \n \nand the student\u2019s personal diabetes health care team, and \ndocument communications related to the training and \nsupervision of trained diabetes personnel. \n\u2022 Ensure that all other staff members who have contact with \nstudents with diabetes are familiar with their Individual \nHealth Care Plans (IHPs) on a need-to-know basis. \n\u2022 Provide a list of students with diabetes (if consent given by \nparent) to all staff on a need-to-know basis, including bus \ndrivers. \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding a student\u2019s symptoms; risk reduction \nprocedures; emergency procedures; and appropriate \nresponses to symptoms of diabetic emergencies. This \nincludes PE instructors and coaches. This training should be \nrepeated annually or when a student transfers classrooms or \nschools. \n\u2022 Ensure that there is a contingency plan in place for all \nschool-related venues where substitutes are utilized.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "049c6238-4e3c-4d1d-95c7-2daf2c318383": { + "page_content": "repeated annually or when a student transfers classrooms or \nschools. \n\u2022 Ensure that there is a contingency plan in place for all \nschool-related venues where substitutes are utilized. \n\u2022 Encourage the students to eat all meals and snacks fully and \non time. Be flexible with time requirements for eating and \nprovide the parent or guardian with the carbohydrate \nmenu. \n\u2022 Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Participate in the teams that develop and implement the \nstudent\u2019s Section 504 Plan, other education plan, or \nindividualized education program. Contribute to IEP, and \n504 implementation of diabetes related issues, where", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b974f481-452d-4014-9d4d-090e65fb5df6": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 9 of 13 \n \n \n \nappropriate. \n\u2022 Communicate with the student\u2019s parents/guardians and\u2014\nwith their permission\u2014communicate with the student\u2019s \npersonal diabetes health care team about progress as well \nas any concerns about the student\u2019s diabetes management \nor health status, such as hypoglycemia episodes, \nhyperglycemia, general attitude, emotional issues, and self-\nmanagement. \nRole of the Coordinator of Special Education (COSE): \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate. The parent/guardian, school \nnurse and other school staff must be involved in the plan \ndevelopment and implementation. \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7a5f7c0c-b6aa-430a-9428-a52124d8ef59": { + "page_content": "being evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam will consider transportation needs (team will include \nschool nurse). If special transportation is found to be \nnecessary, it can be added to the IEP. \n \nRole of the Teacher \n\u2022 Have a list of all students in the classroom with chronic \ndiseases, including diabetes.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "83c5ce44-1320-4558-90e3-0641dc193499": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 10 of 13 \n \n \n \n\u2022 Participate in team meetings for students with diabetes and \nparticipate in in-service training provided by the school \nnurse. \n\u2022 Be prepared to respond immediately to the signs and \nsymptoms of hypoglycemia (low blood glucose) and \nhyperglycemia (high blood glucose), in accordance with the \nstudent\u2019s Emergency Care Plans for Hypoglycemia and \nHyperglycemia. \n\u2022 Keep accessible the student\u2019s emergency plan with a photo \n(where possible) in the classroom (with parent's permission) \nor keep with the lesson plan. \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the student\u2019s condition both \nthrough verbal communication and in an organized, \nprominent, and accessible written format. \n\u2022 Recognize that eating meals and snacks on time is a critical \ncomponent of diabetes management. \n\u2022 Coordinate with parent/guardian to provide lesson plans to \naccommodate any learning needs.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "2370d706-e3bd-4b71-8ed8-4f9f0c301f68": { + "page_content": "\u2022 Recognize that eating meals and snacks on time is a critical \ncomponent of diabetes management. \n\u2022 Coordinate with parent/guardian to provide lesson plans to \naccommodate any learning needs. \n\u2022 Support the student in participating in all school-sponsored \nactivities. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips \nto ensure adequate planning time for supports. \n\u2022 Notify the school nurse and parents/guardians in advance of \nchanges in the school schedule, such as class parties, field \ntrips, and other special events.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "a08e1e6e-dc5d-4b24-8643-aa55d6eb7d8a": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 11 of 13 \n \n \n \nRole of Physical Education Teacher and Coaches \n\u2022 Have a list of all students in their charge who have diabetes. \n\u2022 Coaches will be told of any students on their teams who \nhave diabetes through review in ASPEN/Sports Clearance, \nand will be trained in identification of symptoms of diabetes \nemergencies. \n\u2022 Participate in in-service training about diabetes as needed. \n\u2022 Keep accessible the student's emergency plan with a photo \n(where possible) in the specific venue (with parent's \npermission). \n\u2022 Allow students with diabetes to wear their insulin pump \nand/or sensor and medical ID during physical activity. \n\u2022 Designate a safe place for students to keep their diabetes \nsupplies, including their insulin pump, if they remove it \nduring physical activity. \n\u2022 Make sure blood glucose monitoring equipment and a \nquick-acting form of glucose are available at all activity sites. \n\u2022 Include the student\u2019s Emergency Care Plans for", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b4505086-a289-4b4c-8c4e-b516644c2b04": { + "page_content": "during physical activity. \n\u2022 Make sure blood glucose monitoring equipment and a \nquick-acting form of glucose are available at all activity sites. \n\u2022 Include the student\u2019s Emergency Care Plans for \nHypoglycemia and Hyperglycemia and diabetes supplies in \nthe first aid pack that goes out to physical education \nactivities, practices, and games. \n\u2022 Allow the student to monitor blood glucose levels and/or \nadminister insulin, as outlined in the student\u2019s health care \nplans and education plans. \n\u2022 Recognize that a change in the student\u2019s behavior could be \na symptom of blood glucose changes. \n\u2022 Understand and be aware that hypoglycemia (low blood \nglucose) can occur during and after physical activity.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "cd443c50-21f0-44d6-bd4b-0c9c45015aba": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 12 of 13 \n \n \n \n\u2022 Inform substitutes about the student\u2019s diagnosis and the \nsigns and symptoms of hyper or hypoglycemia. \nRole of Food Services \n\u2022 Work with health services to provide access to carbohydrate \nmenus to parents and school nurses and assist in \ncarbohydrate counting activities. \n\u2022 Make available and maintain current food labels for all meal \nplans. Provide nutrition information on all menu items and a \nla carte items to the school staff and parents/guardians. \nRole of the Office of Transportation \n\u2022 Provide training for all bus monitors for medical \nemergencies, including but not limited to Heartsaver \nCPR/AED, Heartsaver First Aid. \n\u2022 Know local EMS (Emergency Medical Services) procedures. \n\u2022 Have functioning communication equipment to access EMS \n\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "50f3e03d-68d3-47aa-81cc-ad76aebea755": { + "page_content": "\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \n\u2022 Encourage 1:1 communication between bus monitors and \nschool-based staff as well as between bus monitors and \nparents/guardians. \nRole of the School Bus Company \n\u2022 Provide training for all bus drivers for medical emergencies, \nincluding but not limited to Heartsaver CPR/AED and \nHeartsaver First Aid.", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "afebacc2-cc05-4f4f-a352-941fd883d097": { + "page_content": "Superintendent\u2019s Circular SHS-21 \nPage 13 of 13 \n \n \n \n\u2022 Know local EMS (Emergency Medical Services) procedures. \n\u2022 Have functioning communication equipment to access EMS. \n\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \nREFERENCES \n\u2022 Massachusetts | ADA \n\u2022 Diabetes Management in the School Setting \n\u2022 Diabetes | Healthy Schools | CDC \n\u2022 Diabetes Care Tasks at School | ADA \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-21 Diabetes Policy.pdf", + "source_link": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "4cc5747c-c5e6-4e62-a5d2-353358aecf96": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-23 \nVersion 01 \n \n \n \nCONDOM ACCESSIBILITY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nBACKGROUND \nIn June 2017, the School Committee voted to revise the district \nWellness Policy, which includes provisions on sexual health \neducation and condom accessibility in high schools. The goal of \nthis policy is to support the sexual and reproductive health of \nstudents and to prevent negative sexual health outcomes and \ntheir impact on student learning. This policy establishes access to \ninformation and resources for students in order to reduce the \nspread of HIV and other sexually transmitted infections (STIs) as \nwell as decrease the number of unintended pregnancies. This \npolicy increases the access and agency of BPS students to care \nfor their personal health and well-being. The revised policy states: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E)", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0e32373f-99f4-4047-9f71-1b6b9c4699de": { + "page_content": "policy increases the access and agency of BPS students to care \nfor their personal health and well-being. The revised policy states: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family \nplanning services without parental notification. Family Planning \nservices include testing and treatment for sexually transmitted \ninfections and HIV, all birth control options, pregnancy testing, \nand emergency contraception.", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "7c097787-7817-41c0-a151-d5f8c10a8a70": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 2 of 10 \n \n \n \nBPS High Schools shall provide access to free condoms with \nappropriate reproductive health counseling for students. Each \nhigh school (grades 9-12) will have a Condom Accessibility Team \n(CAT) which will consist of a minimum of at least three school \nstaff members. Condoms will be made available through the \nCAT at each high school. Condoms will also be accessible at \nsome schools from school-based health centers and the Boston \nPublic Health Commission\u2019s (BPHC) Health Resource Centers \n(HRCs). Parents and caregivers may exempt their students from \nreceiving condoms from the BPS CAT by notifying the school \nwhen they complete the family information forms at the \nbeginning of the school year. This condom opt-out does not \napply to other confidential health services. \n \nUnder this policy, the Office of Health Services, along with the \nOffice of Health and Wellness, is charged with enacting systems", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d144b838-dcde-49da-81a5-d395b124f294": { + "page_content": "apply to other confidential health services. \n \nUnder this policy, the Office of Health Services, along with the \nOffice of Health and Wellness, is charged with enacting systems \nand practices to ensure that all students have access to key \nresources and services that are developmentally appropriate and \nsupport sexual and reproductive health in a safe and supportive \nenvironment. \nBPS high schools have three possible venues for the delivery of \nsexual health services: 1) through BPS CAT members; 2) school-\nbased health centers run by BPHC or neighborhood health \ncenters that provide medical, reproductive, and mental health \nservices, including STI/pregnancy testing, options counseling, \naccess to contraceptives/condoms, treatment for STIs, and \ncomprehensive routine health care; and 3) school-based health \nresource centers (HRCs) overseen by the Boston Public Health", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "85ca94db-9b67-4ef8-8770-0328040810f6": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 3 of 10 \n \n \n \nCommission, which provide individual counseling, condom \naccess, and STI testing and treatment for gonorrhea and \nchlamydia, where available. Annually, all BPS CAT members must \nparticipate in appropriate training related to the condom \naccessibility program. \nThe following chart summarizes the services available and \nstaffing model for each location. \n \nPlease note: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family planning \nservices without parental notification. Family planning services include \ntesting and treatment for sexually transmitted infections and HIV, all \nbirth control options, pregnancy testing, and emergency \ncontraception.", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0b33fe51-4258-417e-be7e-50fc608f994b": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 4 of 10 \n \n \n \n \nLocation \nSchool-based \nHealth Centers \nRun by BPHC \nSchool-based Health \nCenters Run by \nCommunity Health \nCenters \nHealth Resource \nCenters * BPS High School \nCAT \n \n \nServices \n \nA clinical setting \noffering routine \nhealth care and \nacute care \nservices, \nincluding mental \nhealth \ncounseling and \nsexual & \nreproductive \nhealth care. \nA clinical setting \noffering routine \nhealth care and \nacute care services, \nincluding mental \nhealth counseling \nand sexual \nreproductive health \ncare. \nClassroom sexual \nhealth \neducation; 1:1 \neducation; \ncondom \navailability; \n \nSTI screening, \ntreatment and \nreferral, where \navailable. \nFree internal and \nexternal condoms, \noral dams, lubricant, \nand educational \nmaterials to \nstudents not opted \nout of the program \nas these products \nare available. \n \nConfidential sexual \nhealth referrals \nmade available to \nany students in need \nof sexual health care. \n \n*a barrier method", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "1ef4dae3-5661-4266-b68b-08f10052e349": { + "page_content": "out of the program \nas these products \nare available. \n \nConfidential sexual \nhealth referrals \nmade available to \nany students in need \nof sexual health care. \n \n*a barrier method \nthat reduces the risk \nof STIs \n**lubricants increase \nthe effectiveness of \ncondoms, reducing \nbreakage.", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "59cea693-f422-4306-919e-65fb6e45195b": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 5 of 10 \n \n \n \n \n \nStaffing \nStaffed by: \n\u25cf Nurse \nPractitioner \n\u25cf Mental \nHealth \nClinician \n\u25cf Health \nEducator \n\u25cf Health \nCoordinator \n\u25cf Admin \nAssistant \nStaffed by: \nNurse Practitioners \nor Physician \nAssistants \nA team of two \nHealth Educators \nassigned to 2 \nhigh schools \nA minimum of \nthree* trained school \nstaff members. \n \n*Schools are \nencouraged to add \nmore CAT members \nto increase access \npoints within the \nschool. Each \nadditional member \nmust complete CAT \ntraining. It is \nimportant that \nstudents receive \nsupplies from \ntrusted, caring \nadults. This may \ninclude the school \nnurse, health \nteachers, trained \nteachers of sexual \nhealth, social \nworkers, school \ncounselors, family \nliaisons, and/or other \nstaff able to \ncomplete the \ntraining.", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "92221540-9332-4bbb-9bb5-87a8efbc8746": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 6 of 10 \n \n \n \nIMPLEMENTATION \nThe implementation of condom accessibility will be directed by \nthe Office of Health & Wellness (OHW), with support from and \nintegration with the Office of Health Services at both the central \nand individual school levels. \n \nSCHOOL-BASED IMPLEMENTATION \nEach high school serving students in grades 9-12 will have a \nCondom Accessibility Team (CAT) which will consist of at least \nthree school staff members. Schools are encouraged to add \nadditional interested staff to the CAT. The CAT shall meet at least \nbiannually to oversee its responsibilities and report back to the \nWellness Council. \n \n Condom Accessibility Team responsibilities: \n\u25cf Participate in CAT training organized and led by the Office of \nHealth and Wellness \n\u25cf All parents and caregivers will be notified of the policy in the \nGuide to the BPS for Students & Families and have the option \nto opt their student out of the condom accessibility program", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "91510545-ed64-4ba9-b90c-95dc7cfeef61": { + "page_content": "\u25cf All parents and caregivers will be notified of the policy in the \nGuide to the BPS for Students & Families and have the option \nto opt their student out of the condom accessibility program \nby informing the student\u2019s school. Additional communications \nto notify parents and caregivers through the school\u2019s \npreferred communication channels is also recommended.", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "9ad527fc-dc74-43ac-8541-80c7dff4510d": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 7 of 10 \n \n \n \n\u25cf Distribute communication information provided by the Office \nof Health and Wellness, such as brochures, posters, stickers, \netc. that outline the Condom Accessibility program \n\u25cf Post information advertising who the CAT members are so \nthat students are aware of this program and know who and \nwhere to locate CAT members in the school \n\u25cf Store condoms in secure, appropriate storage that does not \nexperience extreme low or high temperatures to preserve \neffectiveness \n\u25cf Ensure that the school wellness council is updated on CAT \nfunctionality in the school \n\u25cf Advocate for all students to receive the BPS Comprehensive \nSexual Health Education Program \n\u25cf Provide CAT team member names to the Office of Health and \nWellness annually and add any new team members \nthroughout the year \n\u25cf Document referrals and provide tracking as outlined in the \ntraining \n\u25cf Ensure that student confidentiality is maintained as per \nMassachusetts State Law", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "444f4807-0a9f-4d1e-88e3-d5cdcb2b469c": { + "page_content": "throughout the year \n\u25cf Document referrals and provide tracking as outlined in the \ntraining \n\u25cf Ensure that student confidentiality is maintained as per \nMassachusetts State Law \n\u25cf Ensure that parental/caregiver opt-out is clearly and \nconfidently documented in the nurse electronic health record \n(SNAP) and communicated to all CAT members and other \nappropriate staff, including HRC staff involved in condom \naccessibility", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0f3a1797-c5c7-4b05-a757-94399877e610": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 8 of 10 \n \n \n \n\u25cf Please note: CAT members are required to file a 51a only when \nthere is reasonable suspicion of physical or emotional harm by \nabuse, not based solely on the age of the student. \n \nDISTRICT-BASED IMPLEMENTATION \nOffice of Health Services responsibilities: \n\u25cf Align the condom accessibility process with the overall Health \nServices action plan \n\u25cf In partnership with OHW, monitor referral tracking data \nwithin SNAP and assess district capacity to implement the \ncondom accessibility program \n\u25cf Promote and complete CAT training \n\u25cf Partner with OHW instructional coaches to review \nquestions/concerns brought forward during the CAT training \n\u25cf Promote the sexual health services referral resource 211 Help \nSteps at https://www.helpsteps.com/#/ \n\u25cf Coordinate and communicate with adolescent community \nsexual health programming, including school-based health \ncenters \n \nOffice of Health and Wellness responsibilities:", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "b1dd15d1-45b4-40c1-9abb-1bd27ad3c668": { + "page_content": "\u25cf Coordinate and communicate with adolescent community \nsexual health programming, including school-based health \ncenters \n \nOffice of Health and Wellness responsibilities: \n\u25cf Include the condom accessibility process in overall wellness \naction planning.", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "46908afb-20c3-4374-adae-43513cb5c4d4": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 9 of 10 \n \n \n \n\u25cf Review and approve all reproductive health materials that are \nto be distributed in the schools by CAT members, including \nmaterials donated by community partners. All community \norganizations interested in donating condoms and other \nmaterials should contact the Office of Health and Wellness \nbefore delivering materials to the schools. \n\u25cf Oversee ordering and storing of condoms for the district and \ndistribution to schools. \n\u25cf Coordinate and communicate with adolescent community \nsexual health programming including school-based health \ncenters and Health Resource Centers. \n\u25cf Collaborate with the Office of Health Services to provide \ntraining, marketing materials, and implementation tools to \nschools and technical assistance. \n\u25cf Provide updates and promotions for the BPS sexual health \nservices referral guide (Y2Connect). \n\u25cf In partnership with Health Services, monitor referral tracking", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "287442fa-013f-465e-9251-f4ffba644674": { + "page_content": "schools and technical assistance. \n\u25cf Provide updates and promotions for the BPS sexual health \nservices referral guide (Y2Connect). \n\u25cf In partnership with Health Services, monitor referral tracking \ndata, providing all high schools a system for tracking and \nreporting, and assess the district capacity to implement the \ncondom accessibility program.", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "81343ff3-36ef-46ba-9c53-2abaad13405d": { + "page_content": "Superintendent\u2019s Circular SHS-23 \nPage 10 of 10 \n \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nMonth Activity \nAugust \n\u25cf Parental and Caregiver Opt-out information \nincluded in Family Handbook \n\u25cf Parents and caregivers who do not want their \nstudent to receive condoms at school should \nemail or submit in writing their intentions to the \nschool principal and include the school nurse(s) \nin this communication. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-23 Condom Accessibility.pdf", + "source_link": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "64c32252-7798-4a9b-82f7-f90a0ea5a6a3": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-06 \nVersion 01 \n \n \n \nIMMUNIZATION LAW \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTHE IMMUNIZATION REGULATIONS \nIt is the policy of the Boston Public Schools to enforce the School \nImmunization Law, Chapter 76, Section 15, of the Massachusetts \nGeneral Laws: \n\u201cNo child shall, except as hereinafter provided, be admitted to \nschool except upon presentation of a physician's certificate that \nthe child has been successfully immunized against diphtheria, \npertussis, tetanus, measles and poliomyelitis and such other \ncommunicable diseases as may be specified from time to time by \nthe department of public health. A child shall be admitted to \nschool upon certification by a physician that he has personally \nexamined such child and that in his opinion, the physical \ncondition of the child is such that his health would be \nendangered by such vaccination or by any of such", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "ce62f69f-308f-42d5-8110-d0244030ee96": { + "page_content": "examined such child and that in his opinion, the physical \ncondition of the child is such that his health would be \nendangered by such vaccination or by any of such \nimmunizations. Such certification shall be submitted at the \nbeginning of each school year to the physician in charge of the \nschool health program. If the physician in charge of the school \nhealth program does not agree with the opinion of the child's \nphysician, the matter shall be referred to the department of \npublic health, whose decision will be final. In the absence of an \nemergency or epidemic of disease declared by the department of \npublic health, no child whose parent or guardian states in writing", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "9c721677-5f91-4b43-a7e6-988f87ae7766": { + "page_content": "Superintendent\u2019s Circular SHS-06 \nPage 2 of 6 \n \n \n \nthat vaccination or immunization conflicts with his sincere \nreligious beliefs shall be required to present said physician's \ncertificate in order to be admitted to school.\u201d \n \nMCKINNEY-VENTO HOMELESS ASSISTANCE ACT \nUnder the McKinney-Vento Homeless Assistance Act, state and \nlocal educational agencies must ensure that homeless children \nand youths have equal access to the same free, appropriate \npublic education, including a public preschool education, as \nprovided to other children and youths. Children and youth who \nare homeless are to be enrolled in school, even if the child or \nyouth is unable to produce records normally required for \nenrollment, such as previous academic records, medical records, \nproof of residency, or other documentation. If the child or youth \nneeds to obtain immunizations, or immunization or medical \nrecords, the enrolling school shall immediately refer the parent or", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "e20f0eb4-d93d-41b6-b9f0-a3a26e22363f": { + "page_content": "proof of residency, or other documentation. If the child or youth \nneeds to obtain immunizations, or immunization or medical \nrecords, the enrolling school shall immediately refer the parent or \nguardian of the child or youth to the local educational agency \nliaison who shall assist in obtaining necessary immunizations or \nmedical records. \n \nPROTOCOL FOR ENFORCING IMMUNIZATION REQUIREMENTS \nNew students, during the priority registration period: \n\u25cf Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations. \n\u25cf It is preferred that all students be up to date with all state-\nrequired immunizations at the time of registration for the \nupcoming school year. If the child\u2019s medical appointment", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d9198326-e3b9-47da-af4a-c64f978e8ace": { + "page_content": "Superintendent\u2019s Circular SHS-06 \nPage 3 of 6 \n \n \n \nfalls between the priority registration period and September \nof the upcoming school year, the parent must provide a \nvalid appointment card with all the following information on \nit: \no registering student\u2019s full name \no registering student\u2019s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student\u2019s appointment for \nvaccination and/or physical exam \n\u2022 If the student does not have the appropriate immunizations \nduring the priority registration period, the student will be \nregistered but will not be allowed to attend until the \nimmunization documents are submitted to either the \nWelcome Center or the student\u2019s assigned school prior to \nthe start of school. \n\u2022 The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines.", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "3c224418-064c-449a-9635-5337d839e77f": { + "page_content": "\u2022 The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nNew students, current rolling registration: \n\u2022 Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations. \n\u2022 All students must have all state-required immunizations at \nthe time of registration in order to attend school during the \ncurrent school year. In the event the child\u2019s physical \nexamination appointment falls after the date of registration, \nthe parent must provide a valid appointment card with all \nthe following information on it:", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "68ef1d81-e406-4db0-99df-316ec7563470": { + "page_content": "Superintendent\u2019s Circular SHS-06 \nPage 4 of 6 \n \n \n \no registering student\u2019s full name \no registering student\u2019s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student\u2019s appointment for \nvaccination and/or physical exam \n\u25cf If the student is not up to date with immunizations prior to \nstarting the current school year, the student will be \nregistered but will not be allowed to attend until the \nimmunization documents are submitted to either the \nWelcome Center, the Health Services Department, or the \nstudent\u2019s assigned school. \n\u25cf The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nContinuing students: \n\u2022 All continuing students who are identified as being behind \non immunizations will be notified that they will be excluded \nfrom school if there is no compliance with immunization", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "99e951af-644c-4279-bcd5-5056078bf451": { + "page_content": "\u2022 All continuing students who are identified as being behind \non immunizations will be notified that they will be excluded \nfrom school if there is no compliance with immunization \nupdating. This is a necessary action because if there is a \nvaccine-preventable disease outbreak at the school (i.e., \nmeasles), all susceptible students and staff (i.e., those with \nno record of vaccination, disease, or blood test for immunity) \nMUST be excluded from school for the duration of the \ndisease outbreak per the MA Department of Public Health \nand Boston Public Health Commission. \n\u2022 It is important to note that students whose immunization", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "8b6ced36-d8fd-4369-a5f1-ed71824ac87d": { + "page_content": "Superintendent\u2019s Circular SHS-06 \nPage 5 of 6 \n \n \n \nschedule has been interrupted and are in the process of \nbeing immunized (i.e., awaiting the next DPT/TD or polio \ndose and in the specified time interval between doses) may \nremain in school until the next dose is given. \n \nEXCEPTIONS \nALL EXEMPTIONS RELIGIOUS/MEDICAL EXEMPTIONS MUST BE \nRENEWED ANNUALLY BY PARENT/GUARDIAN. \n\u2022 Students at any level whose parent or guardian provides a \nstatement in writing that all immunizations or a specific \nimmunization conflict with their sincere religious beliefs. \n\u2022 Students at any level who present a physician's certificate \nexempting a child from an immunization(s) due to a medical \ncontraindication: the reason why an individual cannot \nmedically receive the vaccine(s). \n \nThe Massachusetts Department of Public Health has \nimmunization recommendations based on grade. Please refer to \nthe MDPH website for the current schedule and detailed \nimmunization guidelines.", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "aecbbf33-587a-449e-b42e-10d772f54512": { + "page_content": "The Massachusetts Department of Public Health has \nimmunization recommendations based on grade. Please refer to \nthe MDPH website for the current schedule and detailed \nimmunization guidelines. \nDepartment Contact Information \nHealth \nServices Office: 617-635-6788 Fax: 617-635-7937 \nWelcome \nServices Office: 617-635-9085 Fax: 617-635-9703", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "0cace88c-39cd-41a4-ba63-8edd7d24fa94": { + "page_content": "Superintendent\u2019s Circular SHS-06 \nPage 6 of 6 \n \n \n \n \nDate Activity \nSeptember \nAll new students and students entering grades, \nK2, 1, 4, 6, 10, 11 will be asked to provide an updated \nimmunization record prior to the start of the \nschool year in compliance with current \nMassachusetts Department of Public Health \nrequirements. \nMonthly \nLetters will be sent to parents/guardians \nrequesting immunization records for students \nwith missing immunizations. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SHS-06 Immunization Law.pdf", + "source_link": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SHS" + } + }, + "d522da0f-20d2-41e6-a07d-fec6ee041dd1": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSCP-01 \nVersion 01 \n \n \nSCHOOL COMMUNITY PARTNERS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBPS deeply values the essential role that School-Community \nPartners play in our collective efforts to eliminate opportunity \nand achievement gaps. To advance our goals of providing BPS \nstudents and families equitable access to high-quality partner \nopportunities and create more coherence, alignment, and \nunderstanding of the complex and extensive partnership \nlandscape, BPS requires the implementation of this PartnerBPS \n(www.partnerbps.org) Policy for all BPS schools and for all BPS \nSchool-Community Partners. \nPOLICY STATEMENT \nAny School-Community Partner providing any services in any \nBPS school must register and update their information annually \nvia the PartnerBPS Partnership Platform. BPS requires all School-\nCommunity Partners to be fully registered and approved via the", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "a2c67f2b-3f64-465d-84ad-bf1ed029cb82": { + "page_content": "BPS school must register and update their information annually \nvia the PartnerBPS Partnership Platform. BPS requires all School-\nCommunity Partners to be fully registered and approved via the \nPartnerBPS platform before providing any services within any \nschool. \n \nDEFINITION OF A SCHOOL-COMMUNITY PARTNER \nA School-Community Partner is an organization, group, or", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "2657f2d0-4ae3-4a80-bebc-e7933c839799": { + "page_content": "Superintendent\u2019s Circular SCP-01 \nPage 2 of 5 \n \n \ncoalition that intentionally collaborates with the Boston Public \nSchools to provide ongoing, direct services to BPS students, staff, \nfamilies, and/or other members of the school community. This \nbroad definition encompasses a variety of groups, including \ncommunity-based organizations, colleges and universities, \nbusinesses or corporations, hospitals, government agencies, \ncultural institutions, nonprofit or non-governmental \norganizations and faith-based organizations. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOLS \nA. School principals/school leaders/heads of school and/or a \nschool staff member designated by the principal/head of \nschool must identify all School-Community Partners \nproviding services within the school building at the start of \neach school year within the www.partnerBPS.org website. \nThis can be an agreement, contract, or Scope of Work \noutlining services provided and expectations on both sides.", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "73797255-b1a1-47e0-939d-a275525eb733": { + "page_content": "each school year within the www.partnerBPS.org website. \nThis can be an agreement, contract, or Scope of Work \noutlining services provided and expectations on both sides. \nIf the partner is a paid partner, the school is responsible for \nentering the requisition before the partner begins providing \nservices to the school and providing this requisition number \nto the partner. No Boston Public School employee, other \nthan those listed below, is authorized to enter a contract \nwith any vendor. This includes, but is not limited to \ncontracts, agreements, memorandums of understanding, \ngrants, partnership agreements, or any other expenditure \nthat binds the district to payment for services/goods. This \nincludes purchases for services or goods for under $10,000. \nB. If additional School-Community Partners begin work at the \nschool site during the school year, the designated school \nstaff must also ensure the partner is registered and all", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "924769ca-8b96-433d-b932-0e388b98bbb5": { + "page_content": "Superintendent\u2019s Circular SCP-01 \nPage 3 of 5 \n \n \nagreements entered www.partnerBPS.org before services \ncan begin. \nC. The school designee must ensure that all current School-\nCommunity Partners are registered on PartnerBPS by \nAugust 31st of the upcoming academic school year. \nD. School leader or designee will require all new partners \nbrokered throughout the school year to register in \nPartnerBPS before beginning services at the school. \nE. School leaders or designee must review their PartnerBPS \nSchool Partnership profile annually to verify and rate the \npartnerships listed on their profile. Review, verification, and \nrating should be conducted by June 30, before the end of \nthe school year. \nF. Schools should use PartnerBPS as a resource for accessing \nand brokering partner opportunities and helping students \nand families identify and access partner opportunities. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY \nPARTNERS", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "d2a73fbe-4839-4288-bbc4-9b40b065b47b": { + "page_content": "and brokering partner opportunities and helping students \nand families identify and access partner opportunities. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY \nPARTNERS \nAll School-Community Partners must be fully registered and \napproved on PartnerBPS.org before providing any type of service \nin a BPS school. \nIn order for School-Community Partners to be considered fully \nregistered, they must complete three steps: organization \nregistration, program registration, and partnership registration. \nFurther instructions and tutorial information on registering for \nPartnerBPS can be found at https://partnerbps.org/help-school-\ncommunity-partners/. \nAll registered School-Community Partners must update their", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "4d7ca7c4-4f9d-4267-93c6-d01d69db3b80": { + "page_content": "Superintendent\u2019s Circular SCP-01 \nPage 4 of 5 \n \n \nPartnerBPS profile by September 30 before providing their \nservices in schools. Updates should include registration of all \nschool partnerships for the upcoming year, an update of current \ninformation in organization and program profiles, and \ncompletion of any questions that have been added by the \nSchool-Community Partnerships team. \nAs part of this process, School-Community Partners should work \nwith partner schools to establish a school-based partnership \nagreement which they should then upload onto PartnerBPS.org. \nIn addition to the annual updates, School-Community Partners \nshould regularly monitor their profiles and keep information up \nto date. At minimum, review and necessary revisions should be \ncompleted by November 1 and April 1 of each school year. \nAll School-Community Partners are required to be aware of and \nfollow the guidelines outlined within the Guide for School \nCommunity Partners.", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "b83430ea-7f7e-4329-9fe1-8a529ef007ce": { + "page_content": "All School-Community Partners are required to be aware of and \nfollow the guidelines outlined within the Guide for School \nCommunity Partners. \nAppropriate and authorized BPS staff reserve the right to deny \napproval of partners if they do not meet basic safety or quality \nstandards set forth by BPS, including those found within the \nGuide for School Community Partners. \nIMPLEMENTATION MONITORING & SUPPORT \nA. The Office of Family and Community Advancement\u2019s \nPartnerships Team will approve and/or follow up with \nregistering partners after registration completion. If \nadditional information is required before registration \napproval can be granted, the Team will contact the \nadministrator of the respective PartnerBPS account for \nmore information.", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "6223cc12-a9ec-4a77-8ea6-4c4ec4b3d0e6": { + "page_content": "Superintendent\u2019s Circular SCP-01 \nPage 5 of 5 \n \n \nB. The Partnerships Team will provide partners and schools \nwith ongoing PartnerBPS technical assistance and support \nusing the site. In addition, support resources are available \nonline at https://partnerbps.org/help-school-community-\npartners/. \n \nFor more information about this circular, contact: \nOwner: Director of Partnerships \nDepartment: Office of Family and Community Advancement \nMailing \nAddress: 2300 Washington Street, Roxbury, MA 02119 \nEmail: ofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "SCP-01 School-Community Partners.pdf", + "source_link": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SCP" + } + }, + "2425a280-2978-4dbb-b265-8adccd8d88d0": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-09 \nVersion 01 \n \n LOST CHILDREN PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nFrom time to time, students may be \u201clost\u201d \u2014 that is, a student \nleaves home in the morning but does not arrive at school, or a \nstudent arrives at school but is missing later in the day, or the \nstudent may leave school at dismissal and not arrive at home. The \nfollowing are standard procedures to follow whenever any of these \nscenarios should happen. \nSTANDARD PROCEDURES \nThe first receiver of information will: \n\u2022 Gather as much information as possible from the person \nreporting the lost child, including name, student number, \nschool address and phone number, bus stop, bus number, \nnames of friends/classmates, if known, clothing description, \nand the name and phone number of the caller. \n\u2022 Notify Safety Services: Inform the safety specialist assigned or", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "7b3d956b-82f0-4b38-86b4-967f9a5c664f": { + "page_content": "names of friends/classmates, if known, clothing description, \nand the name and phone number of the caller. \n\u2022 Notify Safety Services: Inform the safety specialist assigned or \npresent at the building, and they will inform BSP dispatch. If \nthere is not a safety specialist at the school, the designated \nschool staff should call Safety Services dispatch at 617-635-\n8000 to initiate immediate support. \n\u2022 Notify the appropriate official: operational leader and school \nsuperintendent. \n\u2022 Notify the principal/head of school and/or program director.", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "be8129ed-c0cf-46d8-904b-5074ad8f8d64": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 2 of 9 \n \n \nThe principal/head of school or program director will: \n\u2022 Contact the student\u2019s parent/guardian. \n\u2022 Contact teacher(s), student(s), and other(s) who may have \ninformation about the lost student. \nThe operational leader or the school superintendent will: \n\u2022 Make every effort to assist in locating the student. \n\u2022 Once the child is located, arrange to get the child home. BPS \nTransportation may be used as needed, subject to availability. \n\u2022 Notify the first receiver of information and principal/head of \nschool of the child's school that the child is located. \nSafety Services will: \n\u2022 Notify Boston Police and assist in coordinating the search \nprocess for lost children. \n\u2022 If a transported student, call the bus company (who in turn will \ncall the bus driver) and check students who travel on the same \nbus. \n\u2022 Notify the Superintendent's Office.", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "a01d1410-f95d-4ed4-83f4-bb8fa4ba755b": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 3 of 9 \n \nIF LATE SITUATION: \nSafety Services will: \n\u2022 Coordinate search process for lost children \n\u2022 Update parent/guardian of the situation and assure him/her of \ncontinued efforts \n\u2022 Provide parents/guardians with telephone numbers of central \nTransportation and Safety Services as additional resources \n\u2022 If the student is transported, call the bus company, who in turn \nwill call the bus driver, and check students who travel on the \nsame bus \n\u2022 Notify the Superintendent's Office \n\u2022 Notify the Boston Police Department \n\u2022 Notify the first receiver of information, principal/head of school, \nTransportation, and Superintendent\u2019s Office that the child is \nlocated. \nIf the Boston Police Department finds a child wandering, it informs \nBPS Safety Services of the located child. Boston Police will arrange \nto get the child home. \nIMPORTANT TELEPHONE NUMBERS \nBoston Police Department ............................. 911", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "eba46817-616c-4214-8d29-68322023e038": { + "page_content": "BPS Safety Services of the located child. Boston Police will arrange \nto get the child home. \nIMPORTANT TELEPHONE NUMBERS \nBoston Police Department ............................. 911 \nBPS Department of Safety Services ........... 617-635-8000 \nAssistant Superintendent .............................. 617 293-7048 \nCentral Transportation ................................ ...... 617-635-9520 \nTransdev (Bus Company) ................................ . 617-603-7800 \nSuperintendent\u2019s Office ................................ ... 617-635-9050", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "cf49f07a-c58e-4ecf-8139-480b3fb425da": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 4 of 9 \n \nFor more information about this circular, contact: \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "b82b2748-5de9-4252-92be-7ddf813a6db1": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 5 of 9", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "02459f1f-fd20-4011-9ee5-f58a5d31f205": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 6 of 9 \n \nBOSTON PUBLIC SCHOOLS \nINCIDENT REPORT \n \nObtain as much of the following information as possible: \nReceived by: \nDate: Time: \nChild\u2019s Name: Student # \nSpeaks English: \u2610Yes \u2610No Language: \nSpec. Needs \u2610Yes \u2610No \nName of Parent/Guardian: \nSchool: Grade: Dismissal Time: \nAddress: \nPhone # (Home): (Emergency): \nPlace of Incident: Bus # \nDescription of Incident \n \n \nNeed Medical Help? \u2610Yes \u2610No Type of Help? \nRequest for Medical Transportation? \nStudent Sent to Hospital? \nParent Contacted? Time? \nNames of Child\u2019s Friends/Classmates/Witness \n \n \n(Use next page for additional information)", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "4c66b724-8c9c-42a0-bcfa-62e67be8b663": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 7 of 9 \n \nNotified Parties \n \nParent/Guardian: \n \nParent/Guardian\u2019s Signature: \n \n \nSchool Leader: \n \nSchool Leader Signature: \n \n \nSafety Notified/Time: Contact Person: \n \n \nSchool Supt\u2019s Office Notified/Time: \n \nContact Person: \n \n \n \n \n \n \n \n \n \n---------- End of the Incident Report ----------", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "817da741-f9ff-4c01-8a79-7bcd9f5fc308": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 8 of 9 \n \nBOSTON PUBLIC SCHOOLS \nLOST CHILD REPORT \nObtain as much of the following information as possible: \nReceived by: \nDate: Time: \nChild\u2019s Name: Student # \nSpeaks English: \u2610Yes \u2610No Language: \nSpec. Needs \u2610Yes \u2610No \nName of Parent/Guardian: \nSchool: Grade: Dismissal Time: \nAddress: \nPhone # (Home): (Emergency): \nPlace of Incident: Bus # \nDescription of Incident \n \n \nNeed Medical Help? \u2610Yes \u2610No Type of Help? \nRequest for Medical Transportation? \nStudent Sent to Hospital? \nParent Contacted? Time? \nNames of Child\u2019s Friends/Classmates/Witness \n \n \n(Use next page for additional information) \nCaller\u2019s Information", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "d4ccc2c3-24ad-4ea7-8fc8-dd8d08d364f4": { + "page_content": "Superintendent\u2019s Circular SAF-09 \nPage 9 of 9 \n \nCaller\u2019s Name: Phone # \nRelationship to Child \n\u2610 Parent \u2610 Other \nSpecify: Relative (Aunt, Grandfather, etc.), Friend, Teacher, etc \n \nNotify the Following Parties: \n\u2610 Principal / Head of School Notified Time \n\u2610 Safety: 635-8000 Notified Time \n\u2610 Operational Leader Notified Time \n\u2610 Boston Police: 911* Notified Time \n *(If child not found within 1 hour of drop-off or by 4:30 p.m. or if \nwarranted by other circumstances) \n \nImportant Telephone Numbers: \nWelcome Centers: \n\u2022 Dorchester 635-8015 \n\u2022 East Boston 635-9597 \n\u2022 Roxbury 635-9010 \n\u2022 Roslindale 635-8040 \nTransDev (Bus Company): \n\u2022 Readville Yard 532-2580 \n\u2022 Washington St. Yard 532-2560 \n\u2022 Charlestown Yard 532-2550 \n\u2022 Freeport St. Yard 532-2570 \n \n\u2610 Resolved \nDate/Time \n---------- End of the Lost Child Report ----------", + "metadata": { + "file_name": "SAF-09 Lost Children Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "c4dfab4e-0cf3-48f8-9f86-644fce803e9e": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools\u2019 policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely \nreporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "0579d3c9-14a1-4d43-803c-960788e18306": { + "page_content": "other agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent\u2019s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and \nancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent\u2019s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent\u2019s staff work with city officials to address \nmany of these issues and the Office of Communications", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "d18e5bff-5fab-43d6-9c52-164f3b25fd97": { + "page_content": "Superintendent\u2019s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent\u2019s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department\u2019s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are \nunavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "404e8d16-e6a3-4e00-90ac-97f419accd52": { + "page_content": "state the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident Order of Notification \nArrest Department of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault Department of Safety Services, Police \nBomb Threat Police, Department of Safety Services, \nSuperintendent\u2019s Office \nDemonstration Police, Department of Safety Services, \nSuperintendent\u2019s Office", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "815e9675-f0f7-402d-82bf-9d47e6c03509": { + "page_content": "Superintendent\u2019s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession Department of Safety Services, Police \nExtortion Department of Safety Services, Police \nFacility Damage Facilities, Superintendent\u2019s Office, \nDepartment of Safety Services \nLarceny Department of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent\u2019s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) Department of Safety Services, Police \nRobbery Department of Safety Services, Police \nSex Offense Department of Safety Services, Police, \nSuperintendent\u2019s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent\u2019s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "02da5d47-a4ac-4dbd-acfb-3484683adb37": { + "page_content": "Technical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police \nVandalism Department of Safety Services, Facilities \nWeapons Department of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320.", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "725e13ee-766b-4636-a753-7cdf5221d4c5": { + "page_content": "Superintendent\u2019s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n\u25cf Superintendent\u2019s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n\u25cf Superintendent\u2019s Circular FSE-01, School Safety / \nContingency Plans \n\u25cf Superintendent\u2019s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing \nAddress: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release (1).pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "559b40fd-2243-46a5-8c82-e6143b1a853d": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-01 \nVersion 01 \n \nSTUDENT SEARCH PROCEDURES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSchool leaders, principals, and other administrative personnel are \nresponsible for enforcing the Student Code of Conduct and for \nestablishing a safe and secure environment for learning in the \nschools under their supervision. The United States Supreme \nCourt in the case of New Jersey v. T.L.O., 469 U. S. 325 (1985) has \nissued a decision that affects how school personnel may enforce \nschool rules and maintain an atmosphere conducive to teaching \nand learning. \nThe Supreme Court\u2019s decision established constitutional \nstandards for student searches by school officials and school \nemployees. Specifically, the Court ruled that the Fourth \nAmendment to the United States Constitution, which prohibits \nunreasonable searches and seizures by government employees,", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "f645c29c-528e-4114-a536-59768d55dd8a": { + "page_content": "employees. Specifically, the Court ruled that the Fourth \nAmendment to the United States Constitution, which prohibits \nunreasonable searches and seizures by government employees, \nis not violated when public school administrators and teachers \nconduct student searches if there are reasonable grounds to \nbelieve that the search will yield evidence of either a violation of \nlaw, a violation of school rules, or both. \nIn announcing its ruling, the Court rejected the school board\u2019s \nargument that school officials, like parents, are exempt from the \nrequirements of the Fourth Amendment. At the same time, the \nCourt rejected the student\u2019s claim that school officials must \nobtain warrants or meet the more rigorous \u201cprobable cause\u201d \nstandard, applicable to searches by law enforcement officials, \nbefore conducting student searches on school property. Rather,", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "8f4428d9-e728-4023-9128-f9631d0196eb": { + "page_content": "Superintendent\u2019s Circular SAF-01 \nPage 2 of 6 \n \nthe Court struck a balance between the student\u2019s legitimate \nexpectations of privacy in the school setting and the school\u2019s \nequally legitimate need to maintain an environment in which \nlearning can take place. The Court held that the \u201clegality of a \nsearch of a student should depend simply on the reasonableness, \nunder all the circumstances, of the search.\u201d \nTo be legal, a student search must be reasonable in two respects. \nFirst there must be reasonable suspicion to believe that the \nstudent has in their possession evidence tending to show either a \nviolation of law or a violation of school rules. To reasonably \nsuspect something, school officials must have facts of sufficient \nquantity and certainty to establish that the suspicion is likely to \nbe true. Mere suspicion, hearsay, or a single isolated fact, \nunsupported by further evidence, is generally not enough to \nmeet the reasonable suspicion standard. Second, the scope of", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "370ca961-99e3-465c-8f25-6168eea09850": { + "page_content": "be true. Mere suspicion, hearsay, or a single isolated fact, \nunsupported by further evidence, is generally not enough to \nmeet the reasonable suspicion standard. Second, the scope of \nthe search must be reasonable in relation to the intrusion on the \nstudent\u2019s privacy. There must be a likelihood that the area \nsearched will yield the item(s) being sought. \nThe determination of whether a search is reasonable is a \nquestion of judgment without definite benchmarks. School \nofficials must exercise common sense and good judgment to \nensure that student searches conform to the \u201creasonableness\u201d \nstandard. \nIn conducting student searches, school personnel should adhere \nto the following guidelines: \n1. Only administrators who are authorized under Boston \nPublic Schools\u2019 Code of Conduct to suspend students from \nschool should conduct student searches. The authority to \nconduct student searches should be limited to school \nleaders, principals, other administrative officials, and", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "046101f0-0e43-42a5-8375-fb9422b3d7b5": { + "page_content": "school should conduct student searches. The authority to \nconduct student searches should be limited to school \nleaders, principals, other administrative officials, and \npersonnel specifically designated by school leaders, heads of", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "e4bcb5a7-9caa-472d-a3f8-813e437c71a0": { + "page_content": "Superintendent\u2019s Circular SAF-01 \nPage 3 of 6 \n \nschools, principals, and other administrative personnel to \nsuspend students. \n2. If the school administrator believes that a student may have \nin their possession a firearm, weapon, dangerous object, or \ndrugs, or otherwise fears that a search would jeopardize \ntheir safety, the administrator should not search the student \nuntil the student has notified the Safety Services \nDepartment to be present during the search. \nIt should be noted that the Supreme Court specifically did \nnot decide in the T.L.O. case what standard should apply to \nstudent searches conducted by school officials in \nconjunction with or at the behest of a law enforcement \nagency. However, the Court noted that the higher standard \nof \u201cprobable cause\u201d has been applied to student searches \ninvolving law enforcement agencies by a lower federal \ncourt. Thus, it may be expected that Massachusetts courts \nwill closely scrutinize student searches conducted by school", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "1e09d1b0-f5f5-4de9-9a2f-b59fd3a5766a": { + "page_content": "involving law enforcement agencies by a lower federal \ncourt. Thus, it may be expected that Massachusetts courts \nwill closely scrutinize student searches conducted by school \nofficials in conjunction with police officers. Consequently, \nsuch searches may be deemed reasonable only if based \nupon the more stringent probable cause standard. However, \nthe presence of a police officer or safety specialist for the \npurpose of ensuring the safety of the administrator should \nnot alone trigger the higher standard. \n3. Authorized personnel should search only students of the \nsame sex. All searches must be conducted in the presence \nof another staff member of the same sex, who shall serve as \na witness. A male administrator may not search a female \nstudent. If a female administrator is not available to search a \nfemale student, the administrator may designate another \nfemale staff member to conduct the search. If a male \nadministrator is not available to search a male student, the", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "c38fafe6-215b-49c2-9d7b-b89d36bb4c93": { + "page_content": "Superintendent\u2019s Circular SAF-01 \nPage 4 of 6 \n \nadministrator may designate another male staff member to \nconduct the search. It is important to emphasize that \nsearches must always be done by a staff member of the \nsame sex, and must always be done in the presence of a \nwitness of the same sex. \n4. Before conducting a student search, the administrator must \nbe confident that the reasonableness standard, as outlined \nby the T.L.O. decision (The United States Supreme Court in \nthe case of New Jersey v. T.L.O., 469 U. S. 325) has been \nsatisfied. \n5. The manner and method of the search should be tailored to \nthe circumstances. The scope of the search normally should \nbe limited to those areas and objects that could reasonably \nbe expected to contain the item(s) being sought. The basis \nfor the suspicion that a student possesses evidence of a \nviolation of the law or school rule should increase in direct \nproportion to the extent of the intrusion upon the student\u2019s", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "a4845191-fe8d-4be1-9da0-501293784c2e": { + "page_content": "for the suspicion that a student possesses evidence of a \nviolation of the law or school rule should increase in direct \nproportion to the extent of the intrusion upon the student\u2019s \nprivacy in conducting the search. A body search of a student \nrequires a higher level of suspicion than a search of a \nstudent\u2019s book bag. \n \nIn determining whether and how to conduct a student \nsearch, school officials must consider such factors as the \ndanger posed by the object being sought; the likelihood of \nthe evidence being disposed of or destroyed; and the age, \nsex, and prior disciplinary record of the student. The more \nserious the threat posed by the item(s) being sought, the \nmore likely a court will be to find the search reasonable. On \nthe other hand, it is likely that a court would strike down a \nsearch that involved the wholesale rummaging through a \nstudent\u2019s personal property without individualized suspicion", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "3f2ee638-9515-43ba-b4e5-fa835e9aae1e": { + "page_content": "Superintendent\u2019s Circular SAF-01 \nPage 5 of 6 \n \nthat the student had violated either the law or school rules. \nStudent searches must not become general and \nexploratory. \n6. School Department employees are not allowed to conduct \nstrip searches. Strip searches are searches in which a \nstudent is asked to remove articles of clothing that could \nresult in the exposure of undergarments. \n7. An administrator should never use physical force in \nattempting to conduct a search. If a student refuses to \nsubmit to a search, the Department of Safety Services (617-\n635-8000) should be called for assistance. \n8. Searches of student lockers and desks, which remain the \nproperty of the Boston Public Schools while used by \nstudents, should be based upon reasonable grounds to \nsuspect that they will yield evidence of either violation of \nlaw or school rules. Refer to Superintendent\u2019s Circular SAF-\n03 Locker Policy for related information.", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "98250eb2-da3a-4c4b-85ac-e2f26f9e10e2": { + "page_content": "suspect that they will yield evidence of either violation of \nlaw or school rules. Refer to Superintendent\u2019s Circular SAF-\n03 Locker Policy for related information. \n \n9. If a search by a school administrator yields evidence that a \nlaw has been violated, the administrator should notify the \nDepartment of Safety Services. \nSchool leaders/principals must incorporate salient and pertinent \ninformation from this memorandum into all school-based rules \nand student handbooks. Students and parents must be informed \nthat such information serves as prior and ample notice of the \nSchool Department\u2019s procedure for student searches. The phrase \n\u201cprior and ample notice\u201d is to be included in school-based rules \nand student handbooks.", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "ba34d989-4a5b-4cd6-b2d1-5d19164ac6e4": { + "page_content": "Superintendent\u2019s Circular SAF-01 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nName: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \nOR \nOwner: Deputy Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-01 Student Search Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "e13abc34-a513-49c0-b237-0c7aa473e12c": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-02 \nVersion 01 \n \nWEAPONS AND OBJECTS OF NO REASONABLE USE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThe Code of Conduct lists as grounds for suspension or expulsion \nthe possession of any dangerous weapon, including but not \nlimited to a firearm, knife, razor blade, club, explosive, taser, stun \ngun mace/pepper spray, tear gas, brass knuckles, studded \nbracelet, other dangerous weapons, or dangerous objects of no \nreasonable use to the student at school. (See Code of Conduct \nSections 7.4 and 14.13). \nHeads of school and principals should note that as of January \n1999, the Boston City Council enacted an ordinance restricting \nthe sale, possession, and use of laser pointer devices (Ord. 1999 c. \n2 \u00a7 4)). As a result of that ordinance, persons under twenty-one \nyears of age are prohibited from possessing any laser pointer \ndevice on any school property within the City of Boston. Laser", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "63b7b930-3361-47e3-850d-585ce50d0d0e": { + "page_content": "2 \u00a7 4)). As a result of that ordinance, persons under twenty-one \nyears of age are prohibited from possessing any laser pointer \ndevice on any school property within the City of Boston. Laser \npens and other laser pointer devices are considered to be objects \nof no reasonable use within the meaning of the Code of Conduct. \nStudents found in possession of such devices are subject to the \nprovisions of Section 7.4 of the code. Students may also be \nsubject to non-criminal court proceedings, under MGL, c.40, \ns.21D. \nHeads of school and principals must communicate to students \nthat the possession of any weapon or object of no reasonable use \nin school, on the way to school, or during school-related activities", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "a1908266-9237-48ae-8eb8-960d775a270e": { + "page_content": "Superintendent\u2019s Circular SAF-02 \nPage 2 of 4 \n \nis strictly forbidden, and that violations of this rule will be dealt \nwith appropriately. Students must also be advised that under \ncertain circumstances when evidence exists of serious \nmisconduct outside of school \u2014 for example, a student\u2019s being \ncharged with or convicted of a felony, such that the student\u2019s \ncontinued presence in school will have a substantial detrimental \neffect on the general welfare of the school \u2014 these shall be \nconsidered school related offenses and shall be dealt with in \naccordance with Section 7.0 of the Code of Conduct. \nHeads of school and principals must incorporate salient and \npertinent information from the above two paragraphs into all \nschool-based rules and student handbooks. Students and \nparents must be informed that such information serves as prior \nand ample notice of the School Department\u2019s policy regarding \nweapons and other objects of no reasonable use. The phrase", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "e50c13e6-36b3-4d43-80da-17118796bd1b": { + "page_content": "parents must be informed that such information serves as prior \nand ample notice of the School Department\u2019s policy regarding \nweapons and other objects of no reasonable use. The phrase \n\u201cprior and ample notice\" is to be included in school-based rules \nand student handbooks. \nThe Educational Reform Act of 1993 requires that all student \nhandbooks include the following information. Such information is \nto be incorporated into all school-based rules as well. \n1. Any student found in possession of a dangerous weapon, \nincluding but not limited to a firearm or a knife; or found in \npossession of a controlled substance, including but not \nlimited to marijuana, cocaine, or heroin, on school premises \nor at a school sponsored or school related event, including \nathletic games, may be subject to expulsion.", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "55b3033e-a09e-47c0-8966-afeb393fee8a": { + "page_content": "Superintendent\u2019s Circular SAF-02 \nPage 3 of 4 \n \n2. Any student who assaults a staff member on school \ngrounds, or at a school sponsored, or school related event, \nincluding athletic games, may be subject to expulsion. \nMassachusetts law requires all school staff personnel to report in \nwriting to their immediate supervisor any incident involving a \nstudent\u2019s possession or use of a dangerous weapon on school \npremises, (MGL, c.71, s.31 L). Refer to MGL, c.269, s.10 and the Code \nof Conduct for definitions of dangerous weapons. \nIf a dangerous weapon or an object of no reasonable use is \nconfiscated, the following steps are to be taken: \n1. Each item is to be kept in the possession of the \nadministrator, who will notify the Department of Safety \nServices immediately upon confiscation. If the item is a \nfirearm, the Boston Police are to be immediately notified by \ntelephone, using the 911 emergency line. School Department \npersonnel will comply with subsequent instructions issued", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "2e9bb644-32b5-44b3-9df6-e5f74ac26846": { + "page_content": "firearm, the Boston Police are to be immediately notified by \ntelephone, using the 911 emergency line. School Department \npersonnel will comply with subsequent instructions issued \nby the police. \n2. Safety Services will hold items, other than firearms, making \nthem available for hearings, conferences, and court \nproceedings for a reasonable period. \n3. Following any parental conferences and court proceedings, \nitems which are classified as dangerous weapons under \nMGL, c. 269, s.10 or MGL, c. 140, s.131 J shall be turned over to \nthe Boston Police by the Department of Safety Services. \n4. In no instances will a dangerous weapon or an object of no \nreasonable use be returned to a student. The Department of \nSafety Services will be responsible for returning any", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "f47757c7-b7ff-4234-8b70-a424a5e5b57c": { + "page_content": "Superintendent\u2019s Circular SAF-02 \nPage 4 of 4 \n \nproperty not classified as a dangerous weapon to the parent \nor legal guardian upon written request. \n5. Objects of no reasonable use not claimed by a parent or \nguardian within a reasonable period will be turned over to \nthe Boston Police Department for destruction. \nAll staff members are expected to meet the same standards that \nhold for students. Employees of the Boston Public School are \nprohibited from bringing firearms or other dangerous weapons \nonto school property at any time. Except for law enforcement \nofficials, it is a violation under federal and state law for anyone to \nbring a firearm, loaded or unloaded, into an elementary school, a \nsecondary school, or a college or university, even if that person is \notherwise licensed to carry a firearm. \nFor more information about this circular, contact: \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "78d115f0-719b-4f9f-b44a-320962025823": { + "page_content": "For more information about this circular, contact: \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use.pdf", + "source_link": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "3ba3a48b-3fc8-4fee-b1eb-c06e1d0484f4": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-03 \nVersion 01 \n \nLOCKER POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nConsistent with the policy outlined in Superintendent\u2019s Circular \nSAF-02, Weapons and Objects of No Reasonable Use, this \nmemorandum explains the Boston Public Schools\u2019 policy \nregarding student locker searches. \nAll students and parents must understand that lockers are the \nproperty of the Boston School Department, made available for \nstudents\u2019 use and convenience. Lockers remain the property of \nthe Boston School Department while being used by students. \nSchool administrators, other school department personnel, \nincluding but not limited to teachers, custodians, and school \npolice have authority to search student lockers; any personal \neffects found within lockers; and places of concealment within \nthose personal effects. Students will be held accountable for the", + "metadata": { + "file_name": "SAF-03 Locker Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "0f1cd1e3-ab00-4f29-9d4e-df47475d8fb0": { + "page_content": "police have authority to search student lockers; any personal \neffects found within lockers; and places of concealment within \nthose personal effects. Students will be held accountable for the \ncontents of their lockers and the contents of their personal \neffects. Any contraband or evidence of a crime found because of \na locker search will be turned over to the appropriate authorities. \nThe information from the above paragraph is to be included in all \nschool-based rules and all student handbooks. Students and \nparents must be informed that such information serves as prior \nand ample notice of the School Department\u2019s student locker \npolicy. The phrase \u201cprior and ample notice\u201d is to be included in", + "metadata": { + "file_name": "SAF-03 Locker Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "6112d3ac-b24b-4503-bbf2-6736c7d8db3b": { + "page_content": "Superintendent\u2019s Circular SAF-03 \nPage 2 of 4 \n \nschool-based rules and student handbooks. \nIn implementing the locker policy, each school must adhere to \nthe following guidelines: \n1. Each school will determine its own procedure for assigning \nlockers and issuing padlocks and locker keys. This procedure \nmust be included in the school-based rules and student \nhandbook. Students must adhere to all school-based rules \npertaining to locker use. \n2. Only school issued padlocks and locker keys are to be used. \nAll unauthorized padlocks are to be removed immediately \nupon detection, and the locker and its contents immediately \nsearched by the school leader, principal, or designee. \n3. Locker assignments are to be documented. This document \nis to contain the student\u2019s name and the appropriate master \nkey information or the padlock combination. This document \nis to be kept in a secure but readily available place in the \nmain office of the school.", + "metadata": { + "file_name": "SAF-03 Locker Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "35ea518f-d684-4982-a677-ba495f070ee5": { + "page_content": "key information or the padlock combination. This document \nis to be kept in a secure but readily available place in the \nmain office of the school. \n4. Students are not to share lockers, unless authorized by the \nschool leader, principal, or other building administrator. \n5. All unused lockers are to be cleaned out and locked or \nsealed to prevent unauthorized use. \n6. School leaders and principals will arrange for periodic \ninspection of lockers by school personnel, including at least \none general cleanup during the school year. Personal effects \nremoved from lockers are to be inventoried and reasonable \nefforts made to return property to its owners. Contraband \nand evidence of a crime is to be inventoried and turned over \nto the appropriate public safety agency.", + "metadata": { + "file_name": "SAF-03 Locker Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "75554b2c-4d4d-4551-8341-795c76f3d596": { + "page_content": "Superintendent\u2019s Circular SAF-03 \nPage 3 of 4 \n \n7. School leaders, principals, and other school department \npersonnel will conduct inspections of student lockers when \nit has been reasonably determined that a safety or security \nproblem exists, or that there is reasonable suspicion that the \nstudent has evidence in the locker tending to show either a \nviolation of the law or a violation of school rules. Personal \neffects are to be inventoried and reasonable efforts made to \nreturn property to its owner. Contraband and evidence of a \ncrime is to be inventoried and turned over to the \nappropriate public safety agency. \n8. Students whose lockers contain contraband or evidence of a \ncrime will be subject to the provisions of the Code of \nConduct and to the applicable criminal statutes. If \ncontraband or evidence of a crime is confiscated from a \nstudent's locker, procedures detailed in Superintendent \nCircular SAF-02, Weapons and Objects of No Reasonable", + "metadata": { + "file_name": "SAF-03 Locker Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "5ab1d1d7-f863-49b5-9613-c185af234514": { + "page_content": "contraband or evidence of a crime is confiscated from a \nstudent's locker, procedures detailed in Superintendent \nCircular SAF-02, Weapons and Objects of No Reasonable \nUse, cited above are to be followed.", + "metadata": { + "file_name": "SAF-03 Locker Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "d31fb1ef-cd5b-4029-aa3f-02ddf3386cec": { + "page_content": "Superintendent\u2019s Circular SAF-03 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nName: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-03 Locker Policy.pdf", + "source_link": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "6c9bad27-9aea-4b90-9d9d-e786c7d92e78": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-08 \nVersion 01 \n \nRELEASE OF STUDENTS TO AUTHORIZED PERSONS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchool leaders/principals must use extraordinary care in releasing \na child to a parent or guardian. Such care should be further \nemphasized when an administrator has been informed that a \ncourt order exists prohibiting release of that child to a certain \nperson or persons. It is essential to exercise extreme caution in \nthis area to prevent a parent or guardian from attempting to \nremove a child from school. It is both essential and mandatory \nthat school leaders/principals regularly update the Student \nEmergency Information Card (Form 460). \nIf telephone notification is received from a parent or guardian to \nrelease a student to a third party, it is the responsibility of the \nbuilding administrator to verify. A suggested procedure is to ask", + "metadata": { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "e7372537-9142-47ed-84c1-9b7ddfb9143d": { + "page_content": "release a student to a third party, it is the responsibility of the \nbuilding administrator to verify. A suggested procedure is to ask \nfor the telephone number from which the party is calling, cross-\ncheck that number with the information from the emergency \ncard, and then call the party back at that number. \nSchool leaders/principals must require proper identification from \nany person removing a child from school. No child is to be \nreleased to anyone other than a custodial parent without the \nparent's consent and proper identification. \nSchool leaders/principals should note that the Department of \nChildren and Families (DCF) has statutory authority to take", + "metadata": { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "86f0af9c-4398-45a5-9965-2a212c00c778": { + "page_content": "Superintendent\u2019s Circular SAF-08 \nPage 2 of 5 \n \nimmediate custody of any child if DCF has reasonable cause to \nbelieve that such action is necessary to protect the child from \nabuse or neglect. In such cases, the child will be brought before \nthe court on the next business day. Such emergency measures \nare usually taken without the consent of the parent. However, \nbefore school leaders/principals release any child to an agent of \nthe DCF, the agent should be required to present their official \nphoto identification and prepare a simple signed statement to \nthe effect that the Department of Children and Families is \nexercising its authority to take immediate custody of the child on \nthe grounds of suspected abuse or neglect. \nUnder no circumstances should a child be sent to any location by \nway of a taxicab, or any other transportation service based solely \non notification received by telephone. \nSchool leaders/principals having doubts about the release of a", + "metadata": { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "d87ef399-0cfa-4ef3-8787-f794796e8829": { + "page_content": "way of a taxicab, or any other transportation service based solely \non notification received by telephone. \nSchool leaders/principals having doubts about the release of a \nstudent should immediately contact the Boston Police \nDepartment by calling 911 and Boston Public Schools Safety \nServices Department at 617-635-8000. \nThere are some situations in which parents have authorized a \nthird party to transport their children to or from school on a \nregular basis in a van, bus, or some vehicle other than that \nassigned by the BPS Transportation Department. School leaders, \nprincipals, and program directors must obtain written permission \nfrom such parents authorizing alternative transportation \narrangements. The attached form, Parent Permission to Release \nStudent to Authorized Persons, must be completed by the parent \nbefore administrators put a child into a vehicle operated by a \nthird party.", + "metadata": { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "44e6ac25-32e9-41ed-9860-9bd76d97bef4": { + "page_content": "Superintendent\u2019s Circular SAF-08 \nPage 3 of 5 \n \nIt is important to record the name of the driver, the name of the \nbus company (if applicable), the type of vehicle, and the vehicle \nregistration number. School leaders, principals, and program \ndirectors are to retain a copy of each completed form. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "be993fad-5fd1-4ad2-abfe-081e2b38a8e7": { + "page_content": "Superintendent\u2019s Circular SAF-08 \nPage 4 of 5 \n \nPARENT PERMISSION TO RELEASE STUDENT TO \nAUTHORIZED PERSONS \n \nThe Boston School Department is concerned about the safety \nand wellbeing of all students and consequently will release a \nchild to a third party (someone other than the parent or legal \nguardian) only with the parent\u2019s or guardian\u2019s written \nauthorization. If you plan to release your child to a third party, \nyou must complete this form and return it to the principal of \nyour child\u2019s school. \n \nDate_____________________________ \nI, as parent or guardian, give permission for [print name of \nstudent] \nto be transported to and/or from the [print name of school] \n \nby [name of third-party driver] \nfrom [start date] _________________ to [end date] .", + "metadata": { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "5aff7634-becd-42a3-b5ee-bb0028c6820a": { + "page_content": "Superintendent\u2019s Circular SAF-08 \nPage 5 of 5 \n \nI further understand that [name of third-party driver] \n________________________________________ will be responsible for my \nchild\u2019s transportation services and safety. I release the Boston \nSchool Department from any liability in case of any accident, \ninjury, and/or other claim as a result of the Boston School \nDepartment releasing my child to the person or agency named \nabove. \nSignature of Parent/Guardian: \nHome/Cell Phone Number: \nWork Phone Number: \nAddress: \n \nName of third-party company or individual: \n \nPhone Number: \nType of vehicle (check as appropriate): \n\u2610 Van \u2610 Bus \u2610 Automobile \u2610 Other Vehicle \nVehicle Registration Number:", + "metadata": { + "file_name": "SAF-08 Release of Students to Authorized Persons.pdf", + "source_link": "https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "16702e84-6ce4-4a48-9b1c-3311d0b929c1": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-12 \nVersion 01 \n \nSCHOOL ACCESS CONTROL \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAMENDMENT FOR SY 2024-2025: \nThe safety, health, and wellness of our students, staff, and \nfamilies is our highest priority at Boston Public Schools. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building at the area(s) \ndesignated by your school leader/staff. \n\u25cf Parents/guardians should contact their school directly, via \nphone or email, to schedule any discussion or virtual \nappointments that they would like to have on behalf of their \nstudent. \n\u25cf If a student is sick or injured and needs to be picked up, \nschool staff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. School staff will verify identification of the \nindividual prior to releasing the student via exterior camera \nand intercom.", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "a0da84a6-12ea-4a05-8ad7-40453a24a046": { + "page_content": "Superintendent\u2019s Circular SAF-12 \nPage 2 of 7 \n \nSAFETY PROTOCOLS PERTAINING TO INDIVIDUALS IN AND \nOUTSIDE THE FACILITY \nIf school staff have safety concerns pertaining to an individual \noutside or inside the facility, they should immediately contact the \nDepartment of Safety Services/Boston at 617-635-8000. In the \ncase of any imminent threat to student or staff safety, the Boston \nPolice Department should be notified immediately by dialing 911. \nThe Boston Public Schools Safety Services Department should \nalso be notified by dialing 617-635-8000. \nEach school in the district must, through its School Safety \nContingency Plan, have clear and comprehensive school access \ncontrol protocols in place. School access control plans must \nadhere to the following: \n\u25cf Ensure that only those students, staff and others who are \nauthorized to be in the school building are admitted to the \nfacility. \n\u25cf Require all staff (school based, central office,", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "657a2c71-3aba-4cf3-8d9b-54a58dac783a": { + "page_content": "\u25cf Ensure that only those students, staff and others who are \nauthorized to be in the school building are admitted to the \nfacility. \n\u25cf Require all staff (school based, central office, \ncontractors/vendors, etc.) to wear and prominently display \ntheir BPS identification cards at all times while on school \nproperty and during school-based activities (e.g., field trips, \nschool assemblies, outdoor activities). All staff are also \nrequired to follow all school access protocols and \nprocedures as outlined in this circular. \n\u25cf Employ a standard operating procedure that all doors to the \nschool building are locked and secured at all times, while \nsimultaneously allowing for appropriate egress from inside \nthe building. \n\u25cf School secretaries and other staff should NOT admit any \nvisitor to the building until they can reasonably ascertain the", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "e6d07d35-c96f-4da5-8469-798e1fc3ae86": { + "page_content": "Superintendent\u2019s Circular SAF-12 \nPage 3 of 7 \n \nidentity of the individual seeking entrance and the reason for \nentry. Staff must use an intercom, camera buzzers and \nmonitors to assist them with observing and communicating \nwith any individual seeking access to the facility. \n\u25cf Secretaries and other staff should NOT allow (buzz in) people \nin without knowing or asking the visitor the reason for being \nat the school. The camera buzzer shall be used to identify the \nperson and the reason for their visit before allowing them to \nenter school premises \u201cHello, how can you help you, do you \nhave an appointment?,... please indicate the reason for your \nvisit and the person who is hosting you during your visit\u2026\u201d \n\u25cf Post appropriate signs directing visitors to the main office. \n\u25cf Any staff member that finds a person in a school building \nwithout an appropriate visitor pass or BPS ID is encouraged \nto inquire of the person\u2019s business or reason for being there.", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "f4f75f50-c960-4953-a619-79856e6df322": { + "page_content": "\u25cf Any staff member that finds a person in a school building \nwithout an appropriate visitor pass or BPS ID is encouraged \nto inquire of the person\u2019s business or reason for being there. \nThe person should be directed to the main office for further \nassistance. If the person may be creating an unsafe \nenvironment, please follow the procedure as outlined above \nunder \u201cImportant Note.\u201d \n\u25cf ALL staff should inform the designee at the main office in \nthe event they are expecting a visitor and provide name and \nreason prior to the visitor\u2019s arrival. In the event a family \nmember, partner, or friend is dropping something off for a \nstaff member, the main office designee MUST obtain verbal \nconfirmation from the employee PRIOR to allow access to \nthe facility per this circular. If verification cannot be \nobtained, the individual is not to be allowed in the facility. \nREQUIREMENTS FOR ALL VISITORS \n\u25cf Upon admittance, report immediately to the main office", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "607bfe4f-fe8c-487c-9cda-da8438d3a733": { + "page_content": "Superintendent\u2019s Circular SAF-12 \nPage 4 of 7 \n \n(staff allowing entrance to the facility should confirm arrival \nto the main office and sign-in etc.). \n\u25cf Present photo identification. \n\u25cf If an individual cannot produce a photo ID, staff should \nrequest another form of identification and/or gain \nconfirmation from school staff that the person is known to \nthe school. If additional support is needed to confirm \nidentification, staff should obtain support from the head of \nschool/principal or designee before authorizing a visit to \ncontinue. \n\u25cf Sign the visitor\u2019s log, including full name, time in and time \nout, reason for visit, and affiliation (i.e., student, vendor, \ndepartment, agency etc.). Please see Superintendent \nCircular LGL-04, School Visitors Guidelines. \n\u25cf After completing the sign-in process, all visitors are to \nremain in the main office, or designated area, while waiting \nfor staff escort to appointments or meetings. All visitors", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "a47368c4-9c17-48fb-a845-91d550c0a8ee": { + "page_content": "\u25cf After completing the sign-in process, all visitors are to \nremain in the main office, or designated area, while waiting \nfor staff escort to appointments or meetings. All visitors \nmust be in an area attended by staff to avoid any \nunauthorized movement through the building for the \nduration of their visit. \n\u25cf If an authorized visitor states that they are wearing an ankle \nmonitor or staff observes an ankle monitor on a visitor, staff \nshould follow the procedures outlined above. \n \nHEAD OF THE SCHOOL AND FACULTY \n\u25cf Mandate that ALL visitors to the building be issued and \nprominently display a visitor identification badge received at \nthe time of sign-in at the main office. \n\u25cf Identify designated meeting space, close to the main office,", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "c789c12a-83a4-4e23-a807-ac509ee662fa": { + "page_content": "Superintendent\u2019s Circular SAF-12 \nPage 5 of 7 \n \nto prevent visitors from moving throughout the building. \nClassroom access should be limited to special events and \nopen houses. \n\u25cf Ensure the safety and security of students and the integrity \nof the school building entrances during recess, physical \neducation, and activities that might occur outdoors, and \nduring student arrival and dismissal times, by assigning staff \nto closely monitor all aspects of the movement of students \nand any open doors to accommodate transition in and out \nof the building. \n\u25cf Prohibit prospective BPS employees from beginning their \nwork until they have been fully hired, and therefore CORI \nand SORI cleared by the Office of Human Capital. \n\u25cf Demand that any facilities and physical plant contractors \nslated to work in the building prominently display their \ngreen BPS identification cards, which demonstrate that they \nhave been CORI and SORI cleared.", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "c3fa7798-459b-464a-926a-715a520be32a": { + "page_content": "slated to work in the building prominently display their \ngreen BPS identification cards, which demonstrate that they \nhave been CORI and SORI cleared. \n\u25cf Prohibit staff (including all vendors, contractors, and staff \nfrom other departments), students, or others from \n\u201cpropping open\u201d doors or creating other potential \ninconspicuous means of unauthorized entry into the school \nbuilding. \nDistrict personnel will look for these elements when reviewing \nschool safety plans. In addition, specialists from BPS Safety \nServices will conduct proactive site visits to assist and provide \ninput and support on school access control. \nSchool safe mode and internal threat procedures should be \nexplicitly planned, discussed, and documented by all staff \nmembers. In addition to conducting evacuation procedure drills,", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "5c6d343a-3b68-4ac2-8799-7eb48fec7d8e": { + "page_content": "Superintendent\u2019s Circular SAF-12 \nPage 6 of 7 \n \nschool safe mode drills must be conducted in September and \nJanuary of each school year (see Supt. Circular FSE-08, Safe Mode \nand Internal Threat Drill Procedures). \nAll staff members must exercise extreme vigilance regarding \nschool building security: remain alert for trespassers, unsecured \ndoors, and/or suspicious persons or activity around the school. \nSchool employees should not compromise their own safety or \nthat of students when undertaking these security measures. \nSound judgment and reasonable action by all school-based \npersonnel are expected. Any potential threats to student or staff \nsafety should be reported at once to the principal/head of school \nor their designee (in the event they are out of the building). \nRELATED SUPERINTENDENT CIRCULARS \n\u25cf LGL-04 School Visitor Guidelines \n\u25cf FSE-01 School Safety Contingency Plans \n\u25cf SAF-07 Metal Detectors \n\u25cf SAF-08 Release of Students to Authorized Persons", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "afd37b45-effc-4f2a-8ab3-2c3f197ac5b8": { + "page_content": "RELATED SUPERINTENDENT CIRCULARS \n\u25cf LGL-04 School Visitor Guidelines \n\u25cf FSE-01 School Safety Contingency Plans \n\u25cf SAF-07 Metal Detectors \n\u25cf SAF-08 Release of Students to Authorized Persons \n\u25cf SAF-11 Sexual Offender Registry Information (S.O.R.I.)", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "d6c5b4a1-a321-4905-892c-26aa09e29ce2": { + "page_content": "Superintendent\u2019s Circular SAF-12 \nPage 7 of 7 \n \nFor more information about this circular, contact: \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-12 School Access Control.pdf", + "source_link": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "f1e5a934-60c2-451f-a581-b39ba7794a25": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools\u2019 policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely \nreporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "8b9f01f6-d09f-4d29-a415-b7a8d7adc5d2": { + "page_content": "other agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent\u2019s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and \nancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent\u2019s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent\u2019s staff work with city officials to address \nmany of these issues and the Office of Communications", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "788f18d5-960a-45b0-af8a-67c26f8cbed2": { + "page_content": "Superintendent\u2019s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent\u2019s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department\u2019s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are \nunavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "7552e0b3-545e-4d00-9922-308eb6ce8ad4": { + "page_content": "state the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident Order of Notification \nArrest Department of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault Department of Safety Services, Police \nBomb Threat Police, Department of Safety Services, \nSuperintendent\u2019s Office \nDemonstration Police, Department of Safety Services, \nSuperintendent\u2019s Office", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "f1fcf73d-cf35-472f-a2c0-0f8f738cb944": { + "page_content": "Superintendent\u2019s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession Department of Safety Services, Police \nExtortion Department of Safety Services, Police \nFacility Damage Facilities, Superintendent\u2019s Office, \nDepartment of Safety Services \nLarceny Department of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent\u2019s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) Department of Safety Services, Police \nRobbery Department of Safety Services, Police \nSex Offense Department of Safety Services, Police, \nSuperintendent\u2019s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent\u2019s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "9c640d9c-eada-459a-8d02-bc9445f2aa92": { + "page_content": "Technical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police \nVandalism Department of Safety Services, Facilities \nWeapons Department of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320.", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "fa1bc936-1cb7-466c-a0aa-2aab76f22a28": { + "page_content": "Superintendent\u2019s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n\u25cf Superintendent\u2019s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n\u25cf Superintendent\u2019s Circular FSE-01, School Safety / \nContingency Plans \n\u25cf Superintendent\u2019s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing \nAddress: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SAF-04 Incident Data Reporting and Release.pdf", + "source_link": "https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SAF" + } + }, + "09dbc4e9-c832-49c8-9886-9a19c5c5fe29": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-19 \nVersion 01 \n \n \n \nHOME AND HOSPITAL INSTRUCTION SERVICES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nPOLICY \nThe intent of Boston Public Schools (BPS) Home and Hospital \nInstruction is to provide a student receiving a publicly funded \neducation with the opportunity to make educational progress \neven when a physician determines that the student is medically \nunable to attend school. In compliance with Massachusetts \nregulation 603 CMR 28.03(3), BPS Home and Hospital Instruction \ncollaborates with schools, parents, agencies, and hospitals to \nensure alignment of educational goals and curriculum for \naccurate service delivery to provide, at a minimum, the \ninstruction necessary to enable the student to maintain progress \nin their courses of study and minimize the educational loss that \nmight occur during the period when the student is confined at", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "04969c6a-eaf6-455d-8af5-7a74efcece96": { + "page_content": "instruction necessary to enable the student to maintain progress \nin their courses of study and minimize the educational loss that \nmight occur during the period when the student is confined at \nhome or in a hospital. Services are provided with sufficient \nfrequency to allow the student to continue their educational \nprogram, as long as such services do not interfere with the \nmedical needs of the student.", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "b1e5ba11-f832-4a44-a1d4-19b40ad153b1": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 2 of 13 \n \n \n \nINTENT OF MASSACHUSETTS REGULATIONS ON EDUCATIONAL \nSERVICES IN THE HOME OR HOSPITAL \nHome and Hospital Instruction is not to be confused with Special \nEducation services, \u201cunless the student has been determined \neligible for such services, and the services include services on the \nstudent\u2019s IEP.\u201d Home and Hospital Instruction is a special type of \nservice provided under the Americans with Disabilities Act (ADA) \nand state law for the purpose of ensuring that medically involved \nstudents receiving a publicly funded education have equal access \nto education as do their counterparts. Publicly funded education \nincludes Boston Public Schools, charter schools, Boston resident \nstudents who are enrolled at out of district schools, including \nMETCO and private placements, and students on private tuition \n(see Attachment B). Students who are on private tuition are \neligible only if they have an Individualized Education Program", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "c6934040-ad14-499b-a0ab-d1441bd3d58a": { + "page_content": "METCO and private placements, and students on private tuition \n(see Attachment B). Students who are on private tuition are \neligible only if they have an Individualized Education Program \n(IEP) or fall under the special education umbrella. \nThe eligibility guidelines of Home and Hospital Instruction are: \n\u25cf A physician determines that a student is physically unable \nto attend school. \n\u25cf A student has been or will be out of school for more than 14 \nconsecutive days or can be anticipated to accumulate more \nthan 14 absences in a school year at home or in a hospital \n(i.e., sickle cell disease, cancer treatment, etc.). \n\u25cf When it is deemed by the student\u2019s attending physician or \npediatrician that they will be confined to a home or hospital \nsetting for more than 60 (sixty) days, the student will then \nbe evaluated by the Special Education Department under \nstate guideline/regulation 603 CMR 28.04(4). When it is", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "3d44c046-a85e-4f24-94ef-ba95e966c2e7": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 3 of 13 \n \n \n \nknown that a student will be out for more than 60 (sixty) \ndays, it is recommended that the physician complete the 60 \nDay Physician Statement. \n\u25cf A student is marked Constructively Present (CP) for the \nperiod during which the student receives home/hospital-\nbased services and receives a passing grade for all work that \nhas been satisfactorily completed. No home/hospital-based \ninstruction will be provided over the summer break unless \ndesignated in an IEP and the child is unable to attend \nExtended School Year. \nIMPLEMENTATION OF HOME AND HOSPITAL INSTRUCTION \nRole of the parent: \n\u25cf Provide consent for the exchange of information between \nthe student's physician and the district to ensure an open \nline of communication between service providers. \n\u25cf Maintain communication with the school to ensure that \ngrading is occurring according to classroom guidelines. \n\u25cf Inform school of the student\u2019s medical needs that will", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "b0ef9240-54e9-423e-9663-b4d92285f077": { + "page_content": "\u25cf Maintain communication with the school to ensure that \ngrading is occurring according to classroom guidelines. \n\u25cf Inform school of the student\u2019s medical needs that will \nrequire home and hospital instruction. \n\u25cf Provide the school nurse with all the medical information to \nensure that when the student is in school, the medications, \nprocedures, and protocols are in place to ensure medical \nsafety and optimal learning. This includes completing, along \nwith the physician of record, the Individual Collaborative \nHealth Plan (ICHP) form if the physician indicates that the \nstudent\u2019s health during this period will affect the provision \nof full educational services and this form has not previously", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "cb4fb018-d096-4af0-a0f1-8c75ce7f08c7": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 4 of 13 \n \n \n \nbeen completed. \n\u25cf Ensure that the student\u2019s physician of record completes the \nHome and Hospital Physician Statement form and the ICHP. \n\u25cf Participate in the action plan for their child based on the \nICHP and the Physician Statement. \n\u25cf Provide an appropriate learning environment at home. \n\u25cf Ensure that someone over the age of 18 is at home when the \ntutoring occurs (or arranges a neutral meeting place such as \na library), notify the central office if the tutor does not keep \nthe appointment, and sign the instructor\u2019s sheet after each \nsession. \nRole of the physician: \n\u25cf Submits a completed Physician Statement (see Attachment \nA) verifying the medical or psychological illness to the \nschool\u2019s nurse for verification. When it is known that a \nstudent will be out for more than 60 days, it is \nrecommended that the physician complete the 60 Day \nPhysician Statement. \nThe Physician Statement should include the date the", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "5e01ecd8-a006-4d0f-aab5-f2e2bec31a9f": { + "page_content": "student will be out for more than 60 days, it is \nrecommended that the physician complete the 60 Day \nPhysician Statement. \nThe Physician Statement should include the date the \nstudent will be confined, medical diagnosis, expected return \ndate, and medical information that may prevent the student \nfrom accessing the provision of a full education. \n\u25cf If the physician identifies on the Physician Statement that \nthe student\u2019s health during this period will affect the \nprovision of full educational services, the physician needs to \ncomplete the ICHP in conjunction with the parent. \n\u25cf The physician is expected to remain aware of the time frame", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "27b089cc-3464-424c-9a7a-057e74fa711d": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 5 of 13 \n \n \n \nthe child is out of school. \n\u25cf Participate in a re-entry plan to ensure the child can return \nto the school environment without impediments. \nROLE OF THE SCHOOL ADMINISTRATOR: \n\u25cf Identifies a person to be the school contact (i.e., guidance \ncounselor, student support staff, nurse, or administrator) \nwho will serve as a liaison for students who are home and \nhospital bound. \n\u25cf Submit the designated point of contact to the Home and \nHospital Instruction Program within the Department of \nOpportunity Youth (OY). \n\u25cf If needed, refer a school-based teacher to Home and \nHospital Instruction to serve as the home tutor. \n\u25cf Ensure appropriate school-level communications to prompt \na timely N1 team meeting with special education for \nstudents who will be out for more than 60 days. \n\u25cf Oversee the coordination of key school staff to ensure \nstudents in Home and Hospital Instruction have school-", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "bc0ce990-e45d-460b-9284-f1f0d33e5bbc": { + "page_content": "students who will be out for more than 60 days. \n\u25cf Oversee the coordination of key school staff to ensure \nstudents in Home and Hospital Instruction have school-\nbased support in the areas of academics, curriculum, \nattendance, and testing as appropriate and necessary. \nRole of the school nurse: \n\u25cf The school nurse reviews and submits the completed \nPhysician\u2019s Statement form and non-BPS student form to \nHome and Hospital Instruction (617-635-6633) for \ncoordination of services. \n\u25cf Communicate with the Home and Hospital Instruction team", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "71e36b1d-c6fe-470e-a030-1c339111aff4": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 6 of 13 \n \n \n \nas needed to ensure students have appropriate access to \nservices and tutoring. \n\u25cf Coordinate with the physician or medical provider as \nneeded to confirm, verify, or request updates to information \nin Physician Statement. \n\u25cf Collaborate with the school-based and Special Education \nteam to ensure appropriate support of the student\u2019s \nacademic goals while in Home and Hospital Instruction. \n\u25cf Request a medical update from the physician after 2 \nmonths if the student still needs home tutoring. \n\u25cf When it is known that a student will be out for more than 60 \ndays, it is recommended that the school nurse coordinate \nwith the family and/or medical provider to ensure that the \nphysician completes the 60 Day Physician Statement. \nRole of the teacher: \n\u25cf Ensure that the student follows the same classroom syllabus \nand rubric as the non-medically involved students. \n\u25cf Modify home and hospital assignments as needed so the", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "da61bec2-cf32-4162-a21a-55217e323af4": { + "page_content": "Role of the teacher: \n\u25cf Ensure that the student follows the same classroom syllabus \nand rubric as the non-medically involved students. \n\u25cf Modify home and hospital assignments as needed so the \nstudent can continue to make academic progress. \n\u25cf Correct the work and assign appropriate grades to the \nstudent. \n\u25cf Notify parents of the student\u2019s progress. \nRole of the identified school-based contact to Home and \nHospital Instruction: \n\u25cf Determine if online curriculum is appropriate and posts \nonline.", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "42e0e32a-ce5c-4bbd-8fcd-f335a45fd6e2": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 7 of 13 \n \n \n \n\u25cf Collect materials/assignments from the student\u2019s teachers \nfor the home and hospital instructors. \n\u25cf If students are hospitalized, the school contact provides \nmaterials/assignments to parents. Work can also be faxed \nor emailed to the hospital instructors. \n\u25cf If a student is homebound, the school contact provides \nmaterials/assignments to the home instructors. \n\u25cf Communicate frequently with the Home & Hospital \nInstruction Program, home-based instructors, students, and \nparents to assure continuity of services and that student \nneeds are being met. \n\u25cf Receive completed work from the home or hospital \ninstructors and deliver the work to the student\u2019s teachers. \n\u25cf Ensure students are not being marked absent but as \nConstructively Present (CP). Students\u2019 attendance should \nreflect \u201cHome Tutoring\u201d as the \u201creason code\u201d to avoid \u201cdid \nnot report\u2019 (DNR) and automatic withdrawal from school.", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "e8d8a37e-ea98-4400-a4fe-99ccf0d2a20a": { + "page_content": "Constructively Present (CP). Students\u2019 attendance should \nreflect \u201cHome Tutoring\u201d as the \u201creason code\u201d to avoid \u201cdid \nnot report\u2019 (DNR) and automatic withdrawal from school. \n\u25cf Ensure grades are entered and report cards are generated. \n\u25cf Sign off on home instructor timesheet once monthly. \n\u25cf Retain copy of scholastic and attendance records. \n\u25cf Work with the Office of Special Education to assure qualified \nstudents are evaluated for an IEP or 504 plan. \nRole of Home and Hospital Instruction: \n\u25cf Oversee the Home and Hospital Instruction program, \nincluding tutor recruitment, application, assignment, \npayment, and training.", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "7d7bbc3f-62f3-4ec2-b7ab-bda1c0cc0b74": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 8 of 13 \n \n \n \n\u25cf Identify tutoring vendors in conjunction with the hospital. \n\u25cf Identify a home instructor once eligibility is confirmed. \n\u25cf Maintain a tracking system of all students receiving Home \nand Hospital Instruction. \n\u25cf Provide training on protocol and procedures to all Home \nand Hospital instructors. \n\u25cf Perform quality assurance monitoring, which can include \nrandom visits to tutoring sites. \n\u25cf Assist schools in academic advising. \n\u25cf Determine, in conjunction with the school, the family and \nthe medical needs, the length and frequency of tutoring \nsessions. In general, the length should not exceed 3 hours in \none sitting, and the frequency is generally 3 times per week, \nwith a range of 2- 10 hours. \nRole of the Home and Hospital instructors: \n\u25cf Participate in the Home and Hospital Instruction training \nprogram and review/implement the Protocol and Procedure \nManual for Home Instructors.", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "1d8e9809-0b33-4a90-b92c-92e299faa8ee": { + "page_content": "Role of the Home and Hospital instructors: \n\u25cf Participate in the Home and Hospital Instruction training \nprogram and review/implement the Protocol and Procedure \nManual for Home Instructors. \n\u25cf Confirm tutoring assignments with the school within 24 \nhours of receipt. \n\u25cf Maintain communication with the school\u2019s designated \nschool-based contact person. \n\u25cf Complete scholastic records on individual students. \n\u25cf Maintain a timesheet with daily parental sign-off. \n\u25cf Provide direct tutorial services on an individualized basis to \nassigned students.", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "048e387a-5cfe-4f13-84ae-ee0ba2f2a6c2": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 9 of 13 \n \n \n \n\u25cf Arrange designated material pick-up times with the school\u2019s \ncontact. \n\u25cf Schedule tutoring sessions with parents. \n \nFor more information about this circular, contact: \nOwner: Senior Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "15d70b76-f5b8-48bf-8748-2f952ca2c28d": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 10 of 13", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "c2be8b6f-7c3d-4fb3-bf9d-d83224854574": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 11 of 13", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "4e24452e-7562-4c1a-83f7-c0703afb4d9c": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 12 of 13 \n \n \n \nATTACHMENT B \nThis form is to be completed by the school on Non-BPS students: \nPrivate, Charter, Out of District, Private Placement and METCO \nThis student is currently receiving hospital/home tutorial services \nthrough Boston Public Schools. In addition to the Physician\u2019s \nStatement (form 603 CMR 28.3(3)c), please submit the following \ninformation for the referred student: \n \nStudent Name: ___________________________________________________ \nAddress: __________________________________________________________ \nParent/Guardian: _________________________________________________ \nTelephone: Home______________________Cell ______________________ \nDate of Birth: ___________________________________________________ \nRace: ____________________________________________________________ \nM______ F______ Grade: ____________ \nSchool Name: ____________________________________________________", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "e67ac962-fb75-49f1-a378-32aa4b922f40": { + "page_content": "Race: ____________________________________________________________ \nM______ F______ Grade: ____________ \nSchool Name: ____________________________________________________ \nSchool Address: __________________________________________________ \nSchool Phone: ____________________________________________________ \nSchool Contact: __________________________________________________ \nEmail Address: ___________________________________________________ \nFAX #: _____________________________", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a729cadb-f2e0-468d-95e4-9e5daf89e089": { + "page_content": "Superintendent\u2019s Circular SSS-19 \nPage 13 of 13 \n \n \n \nIs the student receiving special education services? \nYes____ No_____ Unknown ______ \n \nPlease return this form to: \nHome and Hospital Program Coordinator \nBoston Public School, Home and Hospital Instruction \n443 Warren Street, Dorchester, MA 02121, Suite #2 \nor email to: Operations-Department Heads@bostonpublicschools.org \nContact Information: \nOffice 617-635-6633 \nFAX 617-635-6635", + "metadata": { + "file_name": "SSS-19 Home & Hospital Instruction Policy.pdf", + "source_link": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "6557adc5-a32e-4942-9d1c-b7e0fdb822c5": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-07 \nVersion 01 \n \n \n \n \n\u201cPERSISTENTLY DANGEROUS\u201d SCHOOLS \u2013 \nSTANDARDS FOR DETERMINATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nBACKGROUND \nSection 9532 of the Elementary and Secondary Education Act \n(ESEA), as amended by the Every Student Succeeds Act of 2015 \n(ESSA) states: \nEach State receiving funds under this chapter shall establish \nand implement a statewide policy requiring that a student \nattending a persistently dangerous public elementary \nschool or secondary school, as determined by the State in \nconsultation with a representative sample of local \neducational agencies, or who becomes a victim of a violent \ncriminal offense, as determined by State law, while in or on \nthe grounds of a public elementary school or secondary \nschool that the student attends, be allowed to attend a safe \npublic elementary school or secondary school within the", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "7d738ec9-8a37-4b3f-ab5b-b0adecbd7bdd": { + "page_content": "the grounds of a public elementary school or secondary \nschool that the student attends, be allowed to attend a safe \npublic elementary school or secondary school within the \nlocal educational agency, including a public charter school. \n20 U.S.C. \u00a7 7912.", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "9194e1f8-395e-4848-a892-01e8561cb21c": { + "page_content": "Superintendent\u2019s Circular SSS-07 \nPage 2 of 6 \n \n \nSTANDARDS \nThe Massachusetts Department of Elementary and Secondary \nEducation, at a meeting of the State Board of Education on \nMarch 25, 2003, established the standards to determine an \n\u201cunsafe\u201d or \u201cpersistently dangerous\u201d school. A school may be \ndeemed unsafe either as a whole entity or for an individual \nstudent who becomes a victim of a violent criminal offense. \nThese standards were implemented as of July 1, 2003. Following \nare the standards for (1) individual students and (2) the whole \nschool determination. \n \nINDIVIDUAL STUDENT OPTION \nBeginning in the 2003/2004 school year, any student who during \nschool hours becomes a victim of a \u201cviolent criminal offense\u201d (as \ndefined by Massachusetts General Laws Chapter 140, Section 121) \nwhich takes place in or on the grounds of a public elementary or \nsecondary school that the student attends must be allowed, to \nthe extent feasible, to transfer immediately to another public", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "cd19b47d-890a-4086-a8f9-4d03aff3237f": { + "page_content": "which takes place in or on the grounds of a public elementary or \nsecondary school that the student attends must be allowed, to \nthe extent feasible, to transfer immediately to another public \nschool within the school district. For purposes of this policy, \u201cin or \non the grounds\u201d of the school includes school premises, school \nbuses, and attendance at school sponsored or school related \nevents including athletic games and field trips.", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "47d14192-5a3f-49cb-821f-074bde16766f": { + "page_content": "Superintendent\u2019s Circular SSS-07 \nPage 3 of 6 \n \n \n \nWHOLE SCHOOL OPTION \nTo be designated as \u201cpersistently dangerous,\u201d a school must \nmeet either of the following criteria for three consecutive years \nbeginning with the most recent enrollment data available to the \nDepartment, as well as the prior two years: \n \n\u2022 One or more students have been expelled for violation of \nthe Federal Gun-Free Schools Act, v.z. Section 7.3.1. of the \nBPS Code of Discipline (October 2006 ed), or; \n \n\u2022 The number of students who have been expelled from \nschool for a period greater than 45 days under Mass. \nGeneral Laws Chapter 71, Section 37H for weapons or \nphysical assaults or for violent crimes as defined by Mass. \nGeneral Laws Chapter 140, Section 121 exceeds 1.5% of the \nstudent enrollment. The rate will be based on each \nindividual school\u2019s enrollment data submitted to the \nDepartment (i.e., October Report). \n \nStudents who qualify for a safety transfer under either of the", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "2dc20be4-65fd-4740-9c3e-30f65b3c8392": { + "page_content": "individual school\u2019s enrollment data submitted to the \nDepartment (i.e., October Report). \n \nStudents who qualify for a safety transfer under either of the \naforementioned options will be transferred through the safety \ntransfer process (Superintendent\u2019s Circular AMT-07, Safety \nTransfer Request Procedures). Documentation of a \u201cviolent \ncriminal offense\u201d must be attached to the safety transfer request \nform in the case of a single student option request. It is \nanticipated that the Department of Elementary and Secondary \nEducation (DESE) will designate schools as \u201cpersistently \ndangerous\u201d based on the aforementioned criteria prior to the", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "0ced9454-0d22-4f58-be7e-f70d9f1c82d4": { + "page_content": "Superintendent\u2019s Circular SSS-07 \nPage 4 of 6 \n \n \nstart of school each year. Such a designation will be forwarded \ndirectly to the superintendent by the Massachusetts Department \nof Elementary and Secondary Education. \n \nREMEDIAL ACTION \nFor any school that meets either standard for a \u201cpersistently \ndangerous \u201c school designation for two consecutive years, \nDESE will request that the school and district evaluate their needs \nand adopt or revise a corrective action plan to ensure a safe school \nenvironment for all students and staff. The school and district shall \nmaintain the corrective action plan as a public record. To the \nextent feasible, DESE will provide technical assistance to the \nschool and district. \n \nFor any school that meets either standard for a \u201cpersistently \ndangerous \u201c school designation for three consecutive years, \nDESE will designate the school as \u201cpersistently dangerous.\u201d \nParents may then exercise their right to have their child attend a", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "ac6dd3d8-4985-462f-a33a-9e466d6573ac": { + "page_content": "dangerous \u201c school designation for three consecutive years, \nDESE will designate the school as \u201cpersistently dangerous.\u201d \nParents may then exercise their right to have their child attend a \nsafe public elementary or secondary school within the local \neducational agency (school district). The school will be required to \nsubmit a corrective action plan to DESE. To the extent feasible, \nDESE will collaborate with other state and local agencies to \nprovide support and technical assistance to the school and \ndistrict. \nIf DESE notifies a school or district that the school is or may be \ndesignated as \u201cpersistently dangerous,\u201d school officials will have \nten working days to present information to DESE that may have a \nbearing on the designation. The local officials\u2019 response may", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "25f42af0-ae87-442d-8aa2-daba462dcd91": { + "page_content": "Superintendent\u2019s Circular SSS-07 \nPage 5 of 6 \n \n \ninclude any or all of the following: \n \n1. Clarification of the disciplinary incident data submitted \n2. The school\u2019s safety plan \n3. Local efforts to address the school\u2019s safety concerns \n4. The school safety data reported to the state consistent with \nrequirements of ESEA, Title IVA \n5. Safe and Drug-Free Schools and Communities Act, section \n4112 (c) (3) \n6. More current data that the school may have available \n7. Any extenuating circumstances \n8. Any other information the school officials believe may be \nrelevant \n \nThe Massachusetts Department of Elementary and Secondary \nEducation will review the information provided by the school \nofficials before making a final determination. \nIt is important to note that failure to transfer a student in a timely \nmanner as required by the law and the Massachusetts \nDepartment of Elementary and Secondary Education could result \nin the loss of federal funds.", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "d9676817-d6e0-4646-8c03-939275c169d0": { + "page_content": "Superintendent\u2019s Circular SSS-07 \nPage 6 of 6 \n \n \n \nFor more information about this circular, contact: \nOwner: Deputy Superintendent of Operations \nDepartment: Deputy Superintendent of Operations \nMailing \nAddress: \n2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9643 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination.pdf", + "source_link": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "7619d885-50fc-4ac4-bd0d-a6bf84bf5cef": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSSS-02 \nVersion 01 \n \nHOMELESS STUDENTS \u2014 GUIDELINES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or \nsuperseded by a subsequent version \nINTRODUCTION \nThe McKinney-Vento Homeless Assistance Act, reauthorized in \nDecember 2015 through the federal Every Student Succeeds Act \n(ESSA), ensures educational rights and protection for children \nand youth experiencing homelessness. \nDEFINITION OF HOMELESSNESS \nThe federal government defines a child or youth who is homeless \nas one who lacks a fixed regular and adequate residence or has a \nprimary nighttime residence not designed for or ordinarily used \nas a regular sleeping accommodation for human beings. \n(McKinney-Vento Homeless Assistance Act, Section 103 (A) (1) (2)). \nUnder the federal definition, the following children are \nconsidered homeless: \n\u2022 Children and youth who are sharing the housing of other \npersons due to loss of housing, economic hardship, or a", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "00ecdc1b-82ca-4f33-afac-3434fb7d5c4a": { + "page_content": "Under the federal definition, the following children are \nconsidered homeless: \n\u2022 Children and youth who are sharing the housing of other \npersons due to loss of housing, economic hardship, or a \nsimilar reason; are living in motels, hotels, trailer parks, or \ncamping grounds due to lack of alternative adequate", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "6d88804b-8cfb-415e-925e-c310b1f725fb": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 2 of 10 \n \naccommodations; are living in emergency or transitional \nshelters; are abandoned in hospital; or are awaiting foster \ncare placement. \n\u2022 Children and youth who have a primary nighttime residence \nthat is a public or private place not designed for or ordinarily \nused as a regular sleeping accommodation for human \nbeings. \n\u2022 Children and youth who are living in cars, parks, public \nspaces, abandoned buildings, substandard housing, bus or \ntrain stations, or similar settings. \n\u2022 Unaccompanied youth \u2013 youth not in the physical custody \nof a parent or guardian. \nBoston Public Schools (BPS) is responsible for ensuring the \nidentification, enrollment, attendance, and academic success of \nstudents who are homeless. All personnel should be aware of the \nunique needs of children, adolescents, and families who are \nhomeless. This growing population may be at risk due to the \ntransitional nature and status of their lives. For children and", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "697979bb-7e97-4af1-871a-ca673ea86bb6": { + "page_content": "unique needs of children, adolescents, and families who are \nhomeless. This growing population may be at risk due to the \ntransitional nature and status of their lives. For children and \nadolescents, school may represent stability and consistency in \nwhat otherwise is often an unstable situation. We are committed \nto supporting our students who are experiencing homelessness \nand strive to keep students in their home schools. \nSTATEMENT OF PURPOSE AND SCOPE \nThis circular is intended to provide school staff with guidance \nregarding the rights of students who are homeless and provide \nthem with the education services needed to ensure they have an \nequal opportunity to meet the same academic standards to \nwhich all students are held. There are, however, some procedures", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "7afed619-2cbc-4695-b784-87c3d76f573c": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 3 of 10 \n \nthat may differ from the standard procedures. These may include \nchoice of school, registration, transportation, record transfer, and \nconfidentiality. \nSCHOOL SELECTION \nA student who is experiencing homelessness has the right to \ncontinue attending the school of origin (i.e., the school they were \nattending when permanently housed or the school in which they \nwere last enrolled) or a school within the new community where \nthey are temporarily housed. This right is guaranteed under the \nMcKinney-Vento Homeless Assistance Act. \nSCHOOL ASSIGNMENT AND TRANSPORTATION \nIf a student who is attending the Boston Public Schools becomes \nhomeless and needs transportation, the family should visit one of \nthe BPS Welcome Centers: \nhttps://www.bostonpublicschools.org/welcomecenters \nFamilies requesting reassignment should also visit any of the \nWelcome Centers at various locations: \n\u2022 Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "fdfde10e-1a27-467d-abad-770ec98ce743": { + "page_content": "Families requesting reassignment should also visit any of the \nWelcome Centers at various locations: \n\u2022 Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040 \n\u2022 Dorchester: 1216 Dorchester Ave. Dorchester, 617-635-8015 \n\u2022 Roxbury: 2300 Washington St., Roxbury, 617-635-9010 \n\u2022 East Boston: 312 Border Street, Boston, MA 02128, \n617-635-9597 \nFamilies who are experiencing homelessness and move into \nBoston have the right to enroll their children in the Boston Public \nSchools. They should go to any Welcome Center Site to register. \nAn individual may be considered to be homeless if that person is \n\u201cdoubled-up,\u201d a term that refers to a situation where individuals", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "2ed76715-22c4-42db-b73d-9ac0a2d87f83": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 4 of 10 \n \nare unable to maintain their housing situation and are forced to \nstay with a series of friends and/or extended family members. \nStudents who become homeless and move to a shelter or other \nfacilities outside the school district may continue to attend their \nschool of origin. Transportation will be available if they reside \nwithin an hour of their school. Please contact the Homeless \nEducation Resource Network (HERN) or 617-6359620 to discuss \nany difficulty that a child temporarily without a home may be \nexperiencing. \nDISPUTE RESOLUTION \nIf a dispute arises over enrollment and/or transportation, the local \nschool district must immediately enroll the homeless student in \nthe school in which enrollment is sought pending resolution of \nthe dispute, and must provide the parent, guardian, or \nunaccompanied youth with both a written statement of the \nschool placement decision and a notice of the right to appeal the", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "2dcbe0f6-c471-433b-a165-b61952231529": { + "page_content": "the dispute, and must provide the parent, guardian, or \nunaccompanied youth with both a written statement of the \nschool placement decision and a notice of the right to appeal the \ndecision. The school district must refer the unaccompanied \nyouth, parent, or guardian to the homeless education liaison, who \nwill expeditiously carry out the dispute resolution process. The \nfinal decision in such a situation resides with the Massachusetts \ncommissioner of education. \nReimbursement is available at the City of Boston mileage rate for \nparents who are sheltered outside of Boston and transport their \nchildren back to the school district. \nATTENDANCE WAIVERS \nStudents experiencing homelessness may have absences \nexcused and will be assessed on a case-by-case basis.", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "26b6e7e6-fa53-4471-afdc-c125606c5a64": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 5 of 10 \n \nAn absence may be excused for the following reasons: \n\u2022 Students who are homeless in or out of district and are \nawaiting transportation. \n\u2022 Students who are tardy due to placement issues. \nPlease contact Assistant Director, Opportunity Youth, for further \ninformation (Operations-Department-\nHeads@bostonpublicschools.org) \nSCHOOL ENROLLMENT AND RECORD TRANSFER \nPrincipals and heads of school should follow all current \nprocedures for the transfer of academic and health records for \nstudents who are experiencing homelessness. Although not \nmandated, it is helpful if students who are temporarily without \nhomes provide the following documentation at the time of \nregistration: \n\u2022 Birth certificate \n\u2022 Immunization and medical records \n\u2022 Special Education Individual Educational Plan (IEP) \nSERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT \nLIVING IN SHELTERS \nStudents not living in shelters and are \u201cdoubled-up\u201d and identify", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f0ba92c5-35c3-476b-a3b9-52baa395afc3": { + "page_content": "\u2022 Special Education Individual Educational Plan (IEP) \nSERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT \nLIVING IN SHELTERS \nStudents not living in shelters and are \u201cdoubled-up\u201d and identify \nthemselves as being homeless will have access to all services as \noutlined in this memorandum. \nA. Curriculum on Homeless Issues/Professional Development \nIt is important to teach all staff and students about homelessness \nand its causes and conditions to ensure all students understand \nthat homelessness is caused by lack of affordable housing and", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "af1ce059-c78a-4659-adfe-8ff2c9bfb27f": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 6 of 10 \n \nnot the fault of a child temporarily without a home or their \nparent. The BPS Homeless Education Resource Network (HERN), \nas well as the Massachusetts Department of Elementary and \nSecondary Education, have several videos on homelessness \navailable as well as expertise in workshop and curriculum \nplanning. In addition, training and seminars on homelessness are \navailable through HERN and are free to Boston Public Schools \nfaculty and staff. To arrange for these at your school or to enroll in \nan upcoming professional development opportunity, contact \nAssistant Director, Opportunity Youth Operations-Department-\nHeads@bostonpublicschools.org \nIdentification of a School-based Homeless Liaison \nEach school in the district must identify one staff member \nto serve as the main contact point for homeless services if \none does not already exist (e.g., the school-based homeless \nliaison) to work in concert with HERN to connect the school", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "ab3dc8de-c846-4233-8c3d-72687c20109f": { + "page_content": "to serve as the main contact point for homeless services if \none does not already exist (e.g., the school-based homeless \nliaison) to work in concert with HERN to connect the school \nand students and families experiencing homelessness, or at \nrisk of homelessness, to city and state resources. The school-\nbased homeless liaison works collaboratively with HERN to \nensure that students experiencing homelessness have the \nnecessary individualized resources and support to learn. \nHERN provides multiple opportunities for school-based \nhomeless liaisons to receive targeted professional \ndevelopment throughout the school year. School-based \nhomeless liaisons serve an essential role in ensuring that all \nstaff and students in their school understand the available \nservices and process to request assistance. \nBy October 1, school leaders should submit the name, contact \ninformation and title of their designated school-based homeless", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "c3b045bd-1255-4d46-a299-583cde8aa4a4": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 7 of 10 \n \nliaison to the Senior Director of Opportunity Youth Operations-\nDepartment-Heads@bostonpublicschools.org \nIdentification and Referrals of Students Experiencing \nHomelessness \nStudents and families experiencing homelessness or at risk \nof homelessness may request assistance using the HERN \nreferral form, which is available electronically on the ASPEN \nStudent Information System (SIS). A student or family \nmember may request that any BPS staff member with \nASPEN access submit a referral form on their behalf. This \nprocess increases access to assistance by allowing the \nreferral to be submitted by a BPS staff member with whom \nthe student or family member has a trusting relationship. \nThis process will also increase the identification of students \nexperiencing homelessness by making it easier for students \nand family members to make the request at the school level. \nSchool-based homeless liaisons are expected to inform all", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "1ac142a3-0f51-4a19-a5f0-f12f35880ab2": { + "page_content": "experiencing homelessness by making it easier for students \nand family members to make the request at the school level. \nSchool-based homeless liaisons are expected to inform all \nstaff members in their school of the availability of the form \non ASPEN and their role in being able to submit a referral on \nthe student\u2019s behalf. Once the form is submitted, HERN will \nproceed with its normal process of verifying the information. \nOnce information has been verified and the student\u2019s \nservice needs have been identified, HERN will contact the \ndesignated school-based liaison to work collaboratively to \ninstitute a service plan for the student and/or family. The \nhard copy version of the HERN referral form will still be \naccepted and can be submitted directly to the HERN office \nor any of the three BPS Welcome Centers.", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "23c3f84d-7a3e-4a22-b93f-1d3503f30e73": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 8 of 10 \n \nCONFIDENTIALITY \nFor many reasons, homeless families may not want to reveal that \ntheir living status has changed. While most shelters encourage \nparents to notify the schools of a change in residence, they \ncannot mandate it, since state and federal laws which regulate \nconfidentiality are very restrictive. Children who are temporarily \nwithout homes present many of the same characteristics as \nother at-risk children. Therefore, the best practice is to \nstrengthen the communications between all parents and school \npersonnel so that procedures are in place to reach out to families \nand students who are in transition or educationally at-risk. This \nmeans, at a minimum, schools should communicate frequently \nwith parents and stress the necessity of updating the student\u2019s \nemergency information. \nSchools, and school-based homeless liaisons in particular, are \nencouraged to maintain up-to-date records of students", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "582c61a1-b182-4bb1-b4b3-36c9396b4a95": { + "page_content": "emergency information. \nSchools, and school-based homeless liaisons in particular, are \nencouraged to maintain up-to-date records of students \nexperiencing homelessness in the ASPEN SIS and communicate \nwith HERN regularly to ensure adequate assistance and provision \nof services to students and families experiencing homelessness. \nIn serving students who are homeless, please be mindful of the \nfollowing: \n\u2022 Many students and parents who are temporarily without \nhomes prefer to keep their current living situations private. \n\u2022 Students and their families may feel threatened and/or \nembarrassed if approached by school staff. Thus, to respect \ntheir privacy and confidentiality, school staff should not \napproach students or their families directly to discuss their \ntemporary lack of permanent residence. Rather, students", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "3919d048-87a7-4893-9037-e1f480e17f51": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 9 of 10 \n \nand families should be given the opportunity to raise the \nissue themselves if they so choose. \n\u2022 It may not be necessary for staff members to know that a \nstudent is homeless. Thus, school staff should be told this \ninformation on an as needed basis only. \nIn the event of an emergency, or when services and information \nare lacking for a child believed to be homeless, contact Assistant \nDirector, Opportunity Youth at 617-6359620 or Operations-\nDepartment-Heads@bostonpublicschools.org \nSenior Director of Health Services, 617-635-6788, should be \nnotified if families do not present current immunization records \nat the time of registration. \nHome and Hospital Instruction provides services for students \nwho are homeless and are impaired physically and/or mentally. \nFor additional information, contact Home and Hospital program \ncoordinator, 617-635-6633.", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "d6425a99-bb4a-4faa-8aac-0c2477c80785": { + "page_content": "Superintendent\u2019s Circular SSS-02 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: Senior Director \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SSS-02 Homeless Students.pdf", + "source_link": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "16fbea11-af2c-4800-8072-ee4a4332cac1": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-09 \nVersion 01 \n \n \n \nEMPLOYMENT PERMIT APPLICATIONS AND ISSUANCE \nOF WORK PERMITS FOR STUDENTS AGES 14 \nTHROUGH 17 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nDuring the school year, all Boston Public School students \nrequiring working papers (employment permits and educational \ncertificates) will obtain such from guidance counselors or \ndesignated staff in their individual schools. \n\u2022 Guidance counselors will supervise the issuance of working \npapers, but the secretary designated by the principal or \nhead of school will perform the clerical process of issuing \nthe papers. \n\u2022 Principals and heads of school will determine the time that \nthe secretary will perform this function. \n\u2022 Occasionally, exceptional circumstances (e.g., heavy \nworkload, unscheduled assignments) occur, making it \nimpossible for the secretary to perform this task. During", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "37ad477c-05f3-4784-9266-85fa309187de": { + "page_content": "\u2022 Occasionally, exceptional circumstances (e.g., heavy \nworkload, unscheduled assignments) occur, making it \nimpossible for the secretary to perform this task. During \nthose times, the guidance counselor will process working \npapers. \nCharter schools are public schools. Charter school students will \nobtain the employment permit from their school staff.", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "9aafb6e2-f58d-4cce-9da2-682ff2204fdd": { + "page_content": "Superintendent\u2019s Circular SSS-09 \nPage 2 of 4 \n \n \n \nParochial, private, and METCO school students who are residents \nof Boston will obtain the required permits/certificates through \nthe Welcome Centers of the Boston Public Schools using the \nonline process located on the BPS website \nwww.bostonpublicschools.org. Boston Public School students \ncan also obtain their permits/certificates using the online process \nlocated on the Boston Public Schools website \nwww.bostonpublicschools.org when their school is not in session \n(e.g., summer months, school vacations, etc.). \n \nPROCEDURE \nAll students under the age of 18 must obtain a work permit \nbefore starting a new job per Massachusetts General Laws, \nChapter 149, Sections 86-89. \nThe following process must be followed as outlined in the \nCommonwealth of Massachusetts Employment Permit \nApplication for 14 through 17-year-olds. \n1. All students must obtain a Promise of Employment. \n2. The employer must complete the Promise of Employment", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "4e010539-3f3c-4a09-b034-394ce5f9dd0c": { + "page_content": "Application for 14 through 17-year-olds. \n1. All students must obtain a Promise of Employment. \n2. The employer must complete the Promise of Employment \nsection and sign off on it. \n3. ONLY 14 and 15-year-olds must obtain a signed physician\u2019s \ncertificate of health. \n4. All students must have their parent/guardian sign the \npermit application. \n5. The student must also sign the permit application.", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "6293fa4b-82ab-4b91-b74d-b0036aaf9e6e": { + "page_content": "Superintendent\u2019s Circular SSS-09 \nPage 3 of 4 \n \n \n \n6. When the permit application is completed, it should be \nreturned to the school guidance \n7. counselor or the school designee. \n \nThe school staff will verify the date of birth and issue a work \npermit. The employment permit application will be kept on file. If \nit is during non-school periods, or the student does not attend a \nBoston Public School, but is a resident of Boston, the student will \nutilize the BPS online Youth Work Permit Request form located \non the website www.bostonpublicschools.org. Proof of the \nstudent's age, such as a birth certificate, passport, immunization \nrecord, etc., should be provided. An employment permit will then \nbe issued. \nPlease note that a work permit may not be issued to a parent. \nMassachusetts General Laws Chapter 149, Section 89 requires \nthat the child appear in person with proper identification. \nAccording to the Commonwealth of Massachusetts", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "e70c2842-50aa-4a49-b308-068bc0220da7": { + "page_content": "Massachusetts General Laws Chapter 149, Section 89 requires \nthat the child appear in person with proper identification. \nAccording to the Commonwealth of Massachusetts \n(https://www.mass.gov/service-details/youth-employment-\npermit-information): all teens under 18 years of age must \ncomplete a work permit application and get a work permit \nbefore starting a new job. Please see the complete summary of \nthe Massachusetts laws regulating child labor for further \ninformation. \nWith very limited exceptions, minors under the age of 14 may not \nwork. All minors under the age of 18 must complete an \nemployment permit application and get their permit before \nstarting a new job. You can download Youth Employment Permit", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "d1908a40-d9a8-4ef7-b034-e32391906b14": { + "page_content": "Superintendent\u2019s Circular SSS-09 \nPage 4 of 4 \n \n \n \nApplication and Youth Permit Process. You can also access these \nforms in Spanish, Portuguese, Chinese, and Vietnamese. \nFORMS \n1. Employment permit applications can be found and printed \nat https://www.mass.gov/service-details/youth-\nemployment-permit-information \n2. When school is not in session, please complete this form \nand upload the required documents. Once completed, a \nBPS Welcome Services team member will contact you \nwithin two business days regarding the next steps for your \nwork permit. Parochial, private and METCO school students \nthat are Boston residents may utilize this form during the \nentire year. \nFor more information about this circular, contact: \nName: Director of Guidance, Office of Schools & \nAccountability \nDepartment: Guidance Services, Office of Schools & \nAccountability \nMailing \nAddress: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-8030 \nE-mail: cchiu@bostonpublicschools.org; Operations-", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "1e6592a4-31cb-4d59-8c53-17c969767e2f": { + "page_content": "Department: Guidance Services, Office of Schools & \nAccountability \nMailing \nAddress: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-8030 \nE-mail: cchiu@bostonpublicschools.org; Operations-\nDepartment-Heads@bostonpublicschools.org \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf", + "source_link": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "6dd2e5fe-2a42-40eb-83a0-531b9f10c6eb": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-18 \nVersion 01 \n \n \nBULLYING PREVENTION AND INTERVENTION PLAN \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS STATEMENT AGAINST STUDENT \nBULLYING \nBoston Public Schools will not tolerate any unlawful or disruptive \nbehavior, including bullying, harassment, cyberbullying, \ndiscrimination, retaliation, or hate crimes in all forms and types \ntowards others in any school or at school-related activities. Boston \nPublic Schools will promptly investigate all reports and \ncomplaints of bullying and take prompt, effective action to end \nthat behavior and prevent its recurrence. Action will include, \nwhere appropriate, referral to a law enforcement agency. Boston \nPublic Schools will support this Bullying Prevention and \nIntervention Plan (\u201cPlan\u201d) in all aspects of its activities, including \nits curricula, instructional programs, staff development, family", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "b2dd415f-a02d-467e-ac05-b5cfee1b9819": { + "page_content": "Public Schools will support this Bullying Prevention and \nIntervention Plan (\u201cPlan\u201d) in all aspects of its activities, including \nits curricula, instructional programs, staff development, family \nmeetings/training, and extracurricular activities. \nStudents, staff, families/caregivers, and any others who are \nconcerned or want to report bullying may confidently talk to a \ntrusted staff member or call the Safe Space and Bullying \nPrevention Hotline, 617-592-2378. Additional resources and \nsupport can be found at Succeed Boston. Succeed Boston leads \nthis districtwide initiative.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "8d12c807-c282-4ed2-a9ec-d7bed9cc3af2": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 2 of 44 \n \nThe Student Handbook, AUP (Acceptable Use Policy), and the \nBoston Public Schools Code of Conduct are updated annually to \nassure alignment, to include language prohibiting bullying, and \ncyberbullying, and to clearly define the consequences connected \nto it. The district and principals/heads of schools at all levels in the \nBoston Public Schools play a critical role in the ongoing \ndevelopment and implementation of the Bullying Prevention and \nIntervention Plan in the context of other whole school and \ncommunity efforts to promote a positive school climate. \nPrincipals/school leaders have a primary role in teaching students \nto be civil to one another and promoting understanding of and \nrespect for diversity and difference. Principals/school leaders have \na responsibility for setting priorities and for staying up to date \nwith this policy and current research on ways to prevent and \neffectively respond to bullying.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "afaf1288-3489-4e99-8fed-d50a467de733": { + "page_content": "a responsibility for setting priorities and for staying up to date \nwith this policy and current research on ways to prevent and \neffectively respond to bullying. \nThe Boston Public Schools will not tolerate any unlawful or \ndisruptive behavior, including any form of bullying, cyberbullying, \nor retaliation, in our school buildings, on school grounds, on \nschool buses and at school bus stops, on a school bus or other \nvehicle owned, leased, or used by a school district; or through the \nuse of technology or an electronic device owned, leased, or used \nby a school district, and or in school-related activities. \nSchools will promptly investigate all reports and complaints of \nbullying, cyberbullying, and retaliation and take prompt action to \nend that behavior and restore the target\u2019s sense of safety. The \nBoston Public Schools will support this commitment in all aspects \nof our school community, including curricula, instructional", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "7531b784-8b50-47fa-bd27-4780622381b8": { + "page_content": "end that behavior and restore the target\u2019s sense of safety. The \nBoston Public Schools will support this commitment in all aspects \nof our school community, including curricula, instructional \nprograms, staff development, extracurricular activities, and \nfamilies/caregivers involvement. \nA student who knowingly makes a false accusation of bullying will", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "341f04cf-1eb6-4977-9f32-566aa50578a8": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 3 of 44 \n \nbe subject to disciplinary action as defined by the BPS Code of \nConduct. \nThis Plan has been approved by the Massachusetts Department of \nElementary and Secondary Education and is posted at the BPS \nAnti Bulling web page. Copies of this plan shall be posted and \nreadily accessible in all schools in an area visible to \nfamilies/caregivers and staff. The Plan will be reviewed and \nupdated biennially, as mandated by M.G.L. c. 71, \u00a7 37O. \nPUBLIC INVOLVEMENT \nAs required by M.G.L. c. 71, \u00a7 37O, this Plan has been developed in \nconsultation with various constituencies. Since May 3, 2010, the \nBoston Public Schools has met biennially with families/caregivers, \nteachers, school administrators, students, central administrators, \nand community stakeholders to develop this Plan. \nEffective SY 2024-2025, an advisory group of teachers, \nadministrators, families/caregivers and community members will", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "c9a58232-23e7-4e72-a3e3-15ce8281c72d": { + "page_content": "and community stakeholders to develop this Plan. \nEffective SY 2024-2025, an advisory group of teachers, \nadministrators, families/caregivers and community members will \nbe developed to review and make recommendations related to \ncurricula, professional development, community and family \nengagement, and the Plan itself. Consultation will include, at a \nminimum, notice and a public comment period prior to adoption. \nSTATEMENT OF PURPOSE \nThe Boston Public Schools believes that school communities \nserve as a network of support for its diverse students, families, and \nstaff. We are committed to providing our students with equal \neducational opportunities and a safe and welcoming learning \nenvironment where all students and community members treat \neach other with respect and appreciate the rich diversity in our \nschools.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "52b06e56-5106-4c77-a649-1b136f6edd62": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 4 of 44 \n \nThe Boston Public Schools recognizes that certain students may \nbe more vulnerable to become targets of bullying, harassment, or \nteasing based on actual or perceived characteristics, including \nrace, color, religion, ancestry, national origin, sex, socioeconomic, \nstatus, homelessness, academic status, gender identity or \nexpression, physical appearance, or sensory, disability, or by \nassociation with a person who has or is perceived to have one or \nmore of these characteristics. The Boston Public Schools will \ncontinuously work to identify specific steps it will take to create a \nsafe, supportive environment for vulnerable populations in the \nschool community, and provide all students with the skills, \nknowledge, and strategies to prevent or respond to bullying, \nharassment, or teasing. \nUnder M.G.L. Ch. 71, \u00a7 37O, at the beginning of each school year, \neach school will provide the community, including students,", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "cbe75ba5-67cb-4403-b4b8-b1c0733aa5bf": { + "page_content": "harassment, or teasing. \nUnder M.G.L. Ch. 71, \u00a7 37O, at the beginning of each school year, \neach school will provide the community, including students, \nadministrators, external providers, families/caregivers, and staff \nwith: \n\u25cf Written notice of its policies for reporting acts of bullying \nand retaliation, \n\u25cf A description of the reporting procedures and resources, \nincluding the name and contact information of the \nprincipal/school leader or designee \n\u25cf A copy of the Bullying Incident Reporting Form and \ninformation about electronic reporting and \n\u25cf Shall provide and post the available resources (including the \nnumber to the Safe Space and Bullying Hotline and \ninformation about electronic reporting) in the school\u2019s main \noffice, the school\u2019s website, all counseling offices/spaces, the \nschool nurse\u2019s office, and other locations determined by the", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "c6863a2f-2009-46cb-99e9-db4f0b5cb85c": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 5 of 44 \n \nprincipal/school leader or designee \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan shall be incorporated in student and staff handbooks, on the \nschool and district website, and made available to \nfamilies/caregivers. \nDEFINITIONS UNDER M.G.L. CH. 71, \u00a7 37O \nNote: The following definitions contain terms and/or phrases that \nare different from the language of the statute. The language of \nthe definitions in this circular is drafted to align with the \ndefinitions that are used in the Boston Public Schools Code of \nConduct. BPS relies on these definitions when reviewing student \nconduct under the Code: \n\u25cf Bullying: BPS has replaced the word \u201cvictim\u201d in the statute \nwith the word \u201ctarget.\u201d \n\u25cf Cyberbullying: BPS has added (iv) to the definition contained \nin the statute. \n\u25cf Retaliation: this definition is not provided for under the \nstatute but is operative in the Code of Conduct.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "c6fb62c7-d2a3-4bfc-a59e-1a3d2078cb56": { + "page_content": "\u25cf Cyberbullying: BPS has added (iv) to the definition contained \nin the statute. \n\u25cf Retaliation: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n\u25cf School Community: BPS has added \u201cstaff\u201d to the definition \ncontained in the statute. \n\u25cf Perpetrator: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n\u25cf Aggressor is a student who engages in bullying or \ncyberbullying. \nBullying is the repeated use by one or more students or by a \nmember of school staff including, but not limited to, an educator,", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "d30921e4-931d-40f1-95f8-5262bc4c0640": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 6 of 44 \n \nadministrator, school nurse, cafeteria worker, custodian, bus \ndriver, athletic coach, advisor to an extracurricular activity, or \nparaprofessional of a written, verbal, or electronic expression or a \nphysical act or gesture or any combination thereof, directed at a \ntarget that: \nI. Causes physical or emotional harm to the target or damage \nto the target's property \nII. Places the target in reasonable fear of harm to themselves \nor of damage to their property \nIII. Creates a hostile environment at school for the target \nIV. Infringes on the rights of the target at school \nV. Materially and substantially disrupts the education process \nor the orderly operation of a school. \nCyberbullying is bullying through the use of technology or any \nelectronic communication which shall include, but shall not be \nlimited to, any transfer of signs, signals, writing, images, sounds,", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a6b899b5-f1a9-48b5-9c7c-50b3efe3afa0": { + "page_content": "Cyberbullying is bullying through the use of technology or any \nelectronic communication which shall include, but shall not be \nlimited to, any transfer of signs, signals, writing, images, sounds, \ndata, or intelligence of any nature transmitted in whole or in part \nby a wire, radio, electromagnetic, photoelectric or photo-optical \nsystem, including, but not limited to, electronic mail, internet \ncommunications, instant messages or facsimile communications. \nCyber-bullying shall also include: \nI. The creation of a web page or blog in which the creator \nassumes the identity of another person \nII. The knowing impersonation of another person as the author \nof posted content or messages, if the creation or \nimpersonation creates any of the conditions enumerated in", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f8f5be9c-05c3-4062-a822-71cbc8c6e1d7": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 7 of 44 \n \nclauses (iv) to (v), inclusive, of the definition of bullying \nIII. The distribution by electronic means of a communication to \nmore than one person or the posting of material on an \nelectronic medium that may be accessed by one or more \npersons, if the distribution or posting creates any of the \nconditions enumerated in clauses (i) to (v), inclusive, of the \ndefinition of bullying \nIV. The use of the internet and/or social media used for bullying \noutside of school that disrupts the normal functioning of the \nschool day.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "1b070b68-104f-4ee6-83fb-c5aee47b05d4": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 8 of 44 \n \nHostile Environment is a situation in which bullying causes the \nschool environment to be permeated with intimidation, ridicule, \nor insult that is sufficiently severe or pervasive to alter the \nconditions of a student\u2019s education. \nRetaliation is any form of intimidation, reprisal, or harassment \ndirected against a student who reports bullying, provides \ninformation during an investigation of bullying, or witnesses or \nhas reliable information about bullying. \nThe School Community consists of students, staff and \nfamilies/caregivers. \nStaff includes, but is not limited to, educators, administrators, \ncounselors, school nurses, cafeteria workers, custodians, bus \ndrivers, athletic coaches, advisors to extracurricular activities, \nsupport staff, and paraprofessionals. \nTarget is a student against whom bullying, cyberbullying, or \nretaliation has been perpetrated. \n \nPOLICIES AND PROCEDURES FOR REPORTING AND", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "b3330689-3e72-4ec4-bba2-051248c4d9ae": { + "page_content": "support staff, and paraprofessionals. \nTarget is a student against whom bullying, cyberbullying, or \nretaliation has been perpetrated. \n \nPOLICIES AND PROCEDURES FOR REPORTING AND \nRESPONDING TO BULLYING AND RETALIATION \nTo support efforts to respond promptly and effectively to bullying \nand retaliation, the Boston Public Schools have policies and \nprocedures in place for receiving and responding to reports of \nbullying or retaliation. These policies and procedures ensure that \nmembers of the school community \u2013 students, \nfamilies/caregivers, and staff \u2013 know what will happen when \nincidents of bullying are reported or occur (Attachment 1). \nThe Boston Public Schools, in accordance with MA Law M.G.L. c.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a02ba0af-2509-4b0e-b1fe-01d3eaaa75e6": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 9 of 44 \n \n71, \u00a7 37O, has designated the principal/school leader or designee \nas the person responsible for receiving reports, recording \nincidents, and investigating all incidents. The principal/head of \nschool or designee is responsible for responding to and resolving \nall cases. All bullying allegations, no matter how they were \nreported, (e.g., through the Safe Space and Bullying reporting \nform or directly to the school leader, or directly to staff at the \nschool), shall be submitted to Succeed Boston using the Safe \nSchools & Bullying Investigation form. All findings, including \nsupporting information, including witness statements (target, \naggressor, and any other relevant person) findings, and \nconclusions, shall be submitted to Succeed Boston within five \nschool days, and findings of bullying shall be documented in the \nBPS Student Information System (SIS). \nA. Reporting Bullying or Retaliation", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "db64a782-8892-46d1-a7fb-bfe68363f713": { + "page_content": "school days, and findings of bullying shall be documented in the \nBPS Student Information System (SIS). \nA. Reporting Bullying or Retaliation \nReports of bullying or retaliation can be made by staff, students, \nfamilies/caregivers or others, and can be submitted through the \nSafe Space and Bullying Prevention Hotline at 617-592-2378 or \ndirectly online through the Safe Schools and Bullying Prevention \nIncident Reporting Form. To report in your native language, \nplease call the Hotline and ask for translation services. Allegations \nmay also be submitted via email, text, or through the Bullying \nIncident Reporting Form (Attachment 3). \nAll employees are required to report immediately to the \nprincipal/school leader or designee, any instance of bullying or \nretaliation the staff member becomes aware of or witnesses. \nReports may be made anonymously (see Attachment 3 for the \nBoston Public Schools Safe Schools and Bullying Prevention and", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "11e6cc4e-a3d6-4fe7-8fb6-b0d5ca249909": { + "page_content": "retaliation the staff member becomes aware of or witnesses. \nReports may be made anonymously (see Attachment 3 for the \nBoston Public Schools Safe Schools and Bullying Prevention and \nIntervention Reporting Form and Attachment 4 for the Boston", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f0f81a73-5c3e-47b4-8f14-e981d1c87b75": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 10 of 44 \n \nPublic Schools Safe Schools and Bullying Prevention and \nIntervention Anonymous Reporting Form). \nUse of the Boston Public Schools Safe Schools and Bullying \nPrevention and Intervention Reporting Form is not required as a \ncondition to making a report. \n1. Reporting by Staff \nA staff member shall report immediately to the principal/school \nleader or designee when they witness or become aware of \nconduct that may be bullying or retaliation. The requirement to \nreport to the principal/school leader or designee does not limit \nthe authority of the staff member to respond to behavioral or \ndisciplinary incidents consistent with each school\u2019s policies and \nprocedures for behavior management and discipline. \n2. Reporting by Students, Families/Caregivers, and Others \nBoston Public Schools expects students, families/caregivers, and \nothers who witness or become aware of an instance of bullying or", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "75bda3dc-d76d-4820-94b9-078b6a4eb91d": { + "page_content": "2. Reporting by Students, Families/Caregivers, and Others \nBoston Public Schools expects students, families/caregivers, and \nothers who witness or become aware of an instance of bullying or \nretaliation involving a student to report it to the principal/school \nleader or designee. \nReports may be made anonymously or not by calling the Safe \nSchools and Bullying Prevention Hotline (617-592-2378) or filing a \nreport online using the Safe Space and Bullying Prevention \nReporting form. No disciplinary action will be taken against an \nalleged aggressor solely based on an anonymous report. \nStudents, families/caregivers, and others may request assistance \nfrom a staff member to complete a written report. Students will \nbe provided practical, safe, private, and age-appropriate ways to \nreport and discuss an incident of bullying with a staff member or \nwith the principal/school leader.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f25b3759-9abf-4e0d-b91c-f3361f74e62f": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 11 of 44 \n \n3. Responding to a report of bullying or retaliation \nBefore fully investigating the allegations of bullying or retaliation, \nthe principal/school leader or designee will take steps to assess \nthe need to restore a sense of safety to the alleged target and/or \nto protect the alleged target from possible further incidents. The \nprincipal/school leader or designee shall contact the \nfamilies/caregivers prior to any investigation. Notice will be \nconsistent with state regulations at 603 CMR 49.00. \nUnder M.G.L. c. 71, \u00a7 37O, for children with special needs, the \nPrincipal/Head of School will review the child\u2019s IEP to \ndetermine whether or not the child\u2019s disability impacted or \nimpacts their ability to comply with the Code of Conduct \nand/or this policy, and where appropriate, convene a TEAM \nmeeting to discuss and decide the appropriate \ndetermination which may include behavioral support \nservices or other specialized services.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "013dc973-747d-486d-a419-c8378080d8ab": { + "page_content": "and/or this policy, and where appropriate, convene a TEAM \nmeeting to discuss and decide the appropriate \ndetermination which may include behavioral support \nservices or other specialized services. \nThe principal/Head of School or designee shall inform the parent \nor guardian of the target about the Department of Elementary \nand Secondary Education\u2019s Problem Resolution System (PRS) and \nthe process for accessing that system, regardless of the outcome \nof the bullying determination. \nResponses to promote safety may include, but not be limited to: \n\u25cf Creating a personal safety or support plan \n\u25cf Pre-determining seating arrangements for the target and/or \nthe aggressor in the classroom, at lunch, or on the bus \n\u25cf Identifying a staff member who will act as a \u201csafe person\u201d for \nthe target \n\u25cf Altering the aggressor\u2019s schedule and access to the target.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "b09c2b64-892b-427a-b517-e8cf5fa76d17": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 12 of 44 \n \n \nThe principal/school leader or designee will take additional steps \nto promote safety during and after the investigation, as necessary. \nThey will implement appropriate strategies to protect students \nfrom bullying or retaliation as a result of witnessing, providing \ninformation during an investigation, reporting bullying or \nretaliation or providing reliable information about a reported act \nof bullying or retaliation. \nThe confidentiality of students and witnesses reporting alleged \nacts of bullying will be maintained to the extent possible, given \nthe school\u2019s obligation to investigate the matter. \nB. Obligations to Notify Others \n1. Notice to Families/Caregivers: \nWithin 24 hours of receipt of the bullying complaint and before \ninterviewing students, the principal/school leader or designee will \nnotify the families/caregivers of the target and the aggressor of \nthe allegations and their intent to interview their child.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "cc0af752-a50d-4d25-bf95-e885c86be325": { + "page_content": "interviewing students, the principal/school leader or designee will \nnotify the families/caregivers of the target and the aggressor of \nthe allegations and their intent to interview their child. \nFamilies of all student witnesses who may be interviewed will be \nnotified of their intent to interview their child. Should they \nchoose, the family has the right to be present for the interview \nwith their child. Upon completion of the investigation (not \nbeyond five school days after the receipt of the complaint), the \nprincipal/school leader will notify the families/caregivers of the \ntarget and the aggressor of the findings of the investigation and \nthe procedures used in responding to the complaint. \nTo ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the head of school", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "94491dab-06d4-40ce-98c4-47a7a2090523": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 13 of 44 \n \nwill be forwarded to the Operational Leader and the School \nSuperintendent for follow-up assistance. \n2. Notice to Another School or District: \nIf the reported incident involves students from more than one \nschool district, charter school, nonpublic school, approved private \nspecial education day or residential school, or collaborative \nschool, the principal/school leader or designee first informed of \nthe incident will promptly notify by telephone the principal/school \nleader or designee of the other school(s) of the incident so that \neach school may take appropriate action. All communications will \nbe in accordance with state and federal privacy laws and \nregulations and 603 CMR 23.00. \n3. Notice to Law Enforcement: \nAt any point after receiving a report of bullying or retaliation, \nincluding after an investigation, if the principal/school leader or \ndesignee has a reasonable basis to believe that criminal charges", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a403a3e6-6a28-47f4-afab-44843b5a36de": { + "page_content": "including after an investigation, if the principal/school leader or \ndesignee has a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor, the principal/school leader \nshall consult with their Operational Leader, the School \nSuperintendent, the Office of Safety Services and/or the Boston \nPolice Department School Unit, and other individuals the \nprincipal/school leader or designee deems appropriate. \nNote that pursuant to 603 CMR 49.06(2), notification to law \nenforcement is not required in those situations in which the \nschool leader determines that the bullying and retaliation can \nbe handled appropriately within the school district or school. \nAlso, if an incident occurs on school grounds and involves a \nformer student under the age of 21 who is no longer enrolled \nin school, the principal/head of school or designee shall \ncontact their Operational Leader, the School Superintendent, \nthe Office of Safety Services and/or the Boston Police", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "d087affa-841d-4a32-bbf0-e1a33b2babbf": { + "page_content": "in school, the principal/head of school or designee shall \ncontact their Operational Leader, the School Superintendent, \nthe Office of Safety Services and/or the Boston Police \nDepartment School Unit, for notification to law enforcement if", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "3115576a-b983-448c-8a92-a4b4200936b1": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 14 of 44 \n \nthey have a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor. \nIn making this determination, the principal/School leader will, \nconsistent with the Plan and with applicable school or district \npolicies and procedures, consult with their Operational Leader, \nthe School Superintendent, Office of Safety Services and/or the \nBoston Police Department School Unit and other individuals \nthe principal/school leader or designee deems appropriate. \nThe Superintendent\u2019s Office shall be notified.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "4d52eb83-2c8a-4a7f-abe2-dba8c6007d3c": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 15 of 44 \n \nC. Investigation (see Attachment 1) \nThe principal/school leader or designee will promptly investigate \nall reports of bullying or retaliation and, in doing so, will consider \nall available information known, including the nature of the \nallegation(s) and the ages of the students involved. All reports of \nstaff on student bullying shall be investigated as such, and the \nOffice of Labor Relations shall be notified. \nDuring the investigation, the school leader or their designee shall \nnotify the families/caregivers of the intent to interview their child \nand will proceed (in the presence of the families/caregivers, if \nrequested) to gather information, interview students, staff, \nwitnesses, and others as necessary. \nThe principal/school leader or designee will remind the alleged \naggressor, target, and witnesses that retaliation is strictly \nprohibited and will result in disciplinary action, per section 7.6.3 of", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a277078c-edee-4692-bf67-7b667b134368": { + "page_content": "aggressor, target, and witnesses that retaliation is strictly \nprohibited and will result in disciplinary action, per section 7.6.3 of \nthe Boston Public Schools Code of Conduct. \nInterviews will be conducted by the principal/school leader or \ndesignee, and in consultation with the school counselor, as \nappropriate. To the extent practicable and given their obligation \nto investigate and address the matter, the principal/school leader \nor designee will maintain confidentiality during the investigative \nprocess. The principal/school leader or designee will maintain a \nwritten record of the investigation and upon completion, will file \nand forward the Safe Schools and Bullying Prevention \nInvestigation Form and any additional materials to \nsaws@bostonpublicschools.org. \nProcedures for investigating reports of bullying and retaliation will \nbe consistent with district policies and procedures for \ninvestigations and for possible disciplinary action. If necessary, the", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "ffd6154e-b1fc-4558-a285-39ba7419dfe5": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 16 of 44 \n \nprincipal/school leader or designee will consult with Succeed \nBoston regarding consultation or appeals from \nfamilies/caregivers. The Office of the Superintendent shall be \nnotified should legal counsel pertaining to the investigation of the \nalleged report be necessary. (See Attachment 1 for more specifics.) \nD. Determinations \nThe principal/school leader or designee will make a determination \nof bullying based upon the definition of bullying, the interviews \nwith students, staff, and families/caregivers. If, after investigation, \nbullying or retaliation is substantiated, the principal/school leader \nor designee will take steps reasonably calculated to prevent \nrecurrence and to ensure that the target is not restricted in \nparticipating in school or in benefiting from school activities. \nWithin 5 days of receipt of the allegation, the principal/school \nleader or designee will:", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "17a837ca-46b6-47da-9aac-9ee2842e2db4": { + "page_content": "participating in school or in benefiting from school activities. \nWithin 5 days of receipt of the allegation, the principal/school \nleader or designee will: \n1. Determine what remedial action is required (e.g., \nSafety/Support Plan, seating plan), if any \n2. Determine what responsive actions and/or disciplinary \naction is necessary, if any \n3. Notify the families/caregivers of the target and the \naggressor about the results of the investigation and, if \nbullying or retaliation is found, what action is being taken to \nprevent further acts of bullying or retaliation \n4. Submit the investigation and findings using the Safe \nSchools and Bullying Prevention Investigation Form and, if \nbullying was found, document the finding in the BPS SIS. \nDepending upon the circumstances, the principal/school leader or \ndesignee may choose to consult with the student\u2019s teacher(s) \nand/or school counselor, and the target\u2019s or aggressor\u2019s", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "10db9627-6dcb-4d7c-a60d-9911d54d044c": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 17 of 44 \n \nfamilies/caregivers, to identify any underlying social or emotional \nissue(s) that may have contributed to the bullying behavior and to \nassess the level of need for additional social skills development. \nAll notices to families/caregivers must comply with applicable \nstate and federal privacy laws and regulations. Because of the \nlegal requirements regarding the confidentiality of student \nrecords, the principal/head of school or designee cannot report \nspecific information to the target\u2019s families/caregivers about the \ndisciplinary action taken unless it involves a \u201cstay away\u201d order or \nother directives that the target must be aware of in order to \nreport violations. \nFor students with disabilities, the principal/school leader will \nreview the child\u2019s IEP to determine whether the child\u2019s disability \nimpacted or impacts their ability to comply with the Code of \nConduct and/or this policy, and where appropriate, convene a", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "5f85a7a9-fa60-4d82-aa3d-192cba7e267d": { + "page_content": "review the child\u2019s IEP to determine whether the child\u2019s disability \nimpacted or impacts their ability to comply with the Code of \nConduct and/or this policy, and where appropriate, convene a \nTEAM meeting to discuss and decide the appropriate \ndetermination which may include behavioral support services or \nother specialized services. \nNEW: Right to Appeal decisions related to the bullying \ninvestigation, findings, and/or response may be submitted \nusing this link.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "2f71c504-2116-410f-91da-e8a2b72d9d26": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 18 of 44 \n \nE. Planning & Oversight \nThe following school or district leaders are responsible for the \nfollowing tasks under the Plan: \nTask Responsible Party \n1) Receiving reports on bullying Succeed Boston, School \nAdministrators, School Staff \n2) Collecting and analyzing building- \nand/or school-wide data on bullying \nto assess the present problem and to \nmeasure improved outcomes \nSucceed Boston, \nSuperintendent\u2019s Office, Office of \nData and Accountability, \nRP/SAWS \n3) Creating a process for recording \nand tracking incident reports, and for \naccessing information related to \ntargets and aggressors \nSucceed Boston, Office of Data \nand Accountability \n4) Planning for the ongoing \nprofessional development that is \nrequired by the law \nSucceed Boston \n5) Planning supports that respond to \nthe needs of targets and aggressors \nSucceed Boston, RP/SAWS, \nRegional Liaison Teams \n6) Choosing and implementing the", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "278aa9c8-bcbc-448a-9324-12580d4c29eb": { + "page_content": "required by the law \nSucceed Boston \n5) Planning supports that respond to \nthe needs of targets and aggressors \nSucceed Boston, RP/SAWS, \nRegional Liaison Teams \n6) Choosing and implementing the \ncurricula that the school or district \nwill use \nSucceed Boston, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "b6e05c95-7b87-4479-85b7-ebfb2afcbe1c": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 19 of 44 \n \n7) Developing new or revising current \npolicies and protocols under the Plan, \nincluding an Internet Safety Plan, and \ndesignating key staff to be in charge \nof implementation \nPrincipals, school leaders, \nSucceed Boston, Office of the \nLegal Advisor, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group \n8) Amending district-wide and \nschool-based student and staff \nhandbooks and Codes of Conduct \nSucceed Boston, Operational \nLeaders, BPS Code of Conduct \nTeam and Office of the Legal \nAdvisor \n9) Leading the families/caregivers or \nfamily engagement efforts and \ndrafting information materials \nSucceed Boston, Office of Family \nand Community Advancement, \nParent University \n10) Reviewing and updating the Plan \nbiennially, or more frequently as \nneeded \nSuperintendent\u2019s Office, \nSucceed Boston, Bullying \nPrevention and Intervention \nAdvisory Group, Office of the \nLegal Advisor, Office of Equity", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f66f7137-8ba7-4a99-98fc-183bf39b588f": { + "page_content": "biennially, or more frequently as \nneeded \nSuperintendent\u2019s Office, \nSucceed Boston, Bullying \nPrevention and Intervention \nAdvisory Group, Office of the \nLegal Advisor, Office of Equity \nAs required by Chapter 86, of the Acts \nof 2014, which amended G.L. c. 71, \n\u00a737O, the Boston Public Schools will \nadminister a department-developed \nstudent survey at least once every \nfour years to assess \u201cschool climate \nand the prevalence, nature and \nseverity of bullying in schools.\u201d (G.L. c. \n71, \u00a737O(k)). This may include results \nof the student/staff/family climate \nSucceed Boston, Office of Data \nand Accountability, Operational \nTeam", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "55b36310-8a90-4ef2-9990-14dc2905f8c6": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 20 of 44 \n \nsurvey. \n \nEach school community member is responsible for: \n1. complying with this Plan, where applicable \n2. ensuring that they do not harass, discriminate against, or \ncommit a crime against another person on school grounds \nor in a school-related activity because of that person\u2019s race, \ncolor, religion, national origin, ethnicity, sex, sexual \norientation, age, or disability \n3. ensuring that they do not bully another person on \nschool grounds or in a school-related activity \n4. ensuring that they do not retaliate against any other \nperson for reporting or filing a complaint, for aiding or \nencouraging the filing or a report or complaint, or for \ncooperating in an investigation of harassment, bullying, \ndiscrimination, or a hate crime \n5. cooperating in the investigation of reports or complaints \nof harassment, bullying discrimination, retaliation, or a hate \ncrime. \nTRAINING & PROFESSIONAL DEVELOPMENT", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "ff6d5ae3-9023-4e07-a666-10234806a55a": { + "page_content": "5. cooperating in the investigation of reports or complaints \nof harassment, bullying discrimination, retaliation, or a hate \ncrime. \nTRAINING & PROFESSIONAL DEVELOPMENT \nAs required under M. G. L. c. 71, \u00a7 37O, Boston Public Schools \nrequires annual bullying prevention and intervention training \n(available in person or asynchronously) for all school staff, \nincluding lunch monitors, school police officers, secretaries, bus", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "729b9789-e2de-46dc-8806-6c7970cd7d71": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 21 of 44 \n \ndrivers, teachers, administrators, and all other itinerant staff. All \ntraining is posted on Vector. For more information contact \nSucceed Boston @ the Counseling and Intervention Center, (617) \n635-8123. \nAnnual Staff Training on the Plan \nBoston Public Schools will offer professional development to all \nadministrators, teachers, paraprofessionals, and all ancillary staff \nmembers under the employment of the Boston Public Schools. \nThis includes Identifying Bullying Behavior, Types of Bullying, \nRoles of Aggressors/Targets/Bystanders, Rights and \nResponsibilities under the Law M. G. L. c. 71, \u00a7 37O, Information \nregarding the most-risk populations (including LGBTQ+ students, \nstudents with disabilities, English Language Learners), Internet \nSafety, Reporting Responsibility, Adult Bias, and Addressing \nStudent Bias-Based Speech and Behavior. \nAdvanced Training \nTo provide effective bullying prevention and intervention services", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "10c642d7-ad51-452e-be10-127a9c67d0ca": { + "page_content": "Safety, Reporting Responsibility, Adult Bias, and Addressing \nStudent Bias-Based Speech and Behavior. \nAdvanced Training \nTo provide effective bullying prevention and intervention services \nand to build capacity, each school shall have at least 2 staff \ntrained as Bullying \nIntervention Specialists (BIS). These specialists will: \n\u25cf Serve as a resource to their school community on bullying \nrelated matters \n\u25cf Lead relevant training within their school community \n\u25cf Coordinate the reporting and/or investigating of incidents if \ndesignated by their school leader. \nThe Regional RP/SAWS will provide semi-annual training to the \nregional BIS teams that will further develop best practices and", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "91100dde-ec8e-430a-b2b1-8c77dd6b0a2c": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 22 of 44 \n \nresources. \nBoston Public Schools will provide a 2-day Bullying Intervention \nSpecialist professional development quarterly throughout the \nyear. The advanced bullying intervention specialist training (see \nAttachment 2) will be posted on Vector. \nThe training will include: \ni. developmentally appropriate strategies to prevent and \nintervene in bullying incidents \nii. information regarding the complex interaction and \npower differential that can take place between and \namong an aggressor, target, and witnesses to the \nbullying \niii. research findings on bullying, and resources for the \ndevelopment of programs in schools \niv. information on the incidence and nature of \ncyberbullying and internet safety issues \nv. bias-based bullying and sexual harassment \nvi. issues specific to LGBTQ+ students \nviii. students with disabilities \n\u25cf legal rights/IDEA/FAPE \nix. adult bias and impact on bullying intervention", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "08f3c863-c191-4ae2-9d42-88d869076235": { + "page_content": "v. bias-based bullying and sexual harassment \nvi. issues specific to LGBTQ+ students \nviii. students with disabilities \n\u25cf legal rights/IDEA/FAPE \nix. adult bias and impact on bullying intervention \nand prevention. \n\u25cf The Regional RP/SAWS will continue to share literature \ncovering the latest information in bullying prevention & \nintervention. This literature will include strategies for", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "51b9473a-3ef2-4d44-8f09-6cd7e0084861": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 23 of 44 \n \ncreating a culture and environment that will prevent \nbullying. \n\u25cf Professional Development opportunities to identify \nstrategies for students with disabilities who are either \naccused of or are targets of bullying (per BPS Code of \nConduct). \n\u25cf Annual updated electronic links to the Bullying Prevention \nand Intervention Protocols.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "643d657f-9469-49ae-9ea3-d581c386181c": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 24 of 44 \n \n \nACCESS TO RESOURCES AND SERVICES \nA key aspect of promoting positive school climates that provide \nstudents with feelings of belonging and safety is ensuring that \nthe underlying emotional needs of all students are addressed. \nThese students include targets, aggressors, and bystanders of \nbullying or cyberbullying. The Boston Public Schools will also \naddress the emotional needs of these students\u2019 families. Please \nsee Anti-Bullying Resources for further information. \nIdentifying resources in schools \n\u25cf School staff, together with building administrators, will work \nto identify the school\u2019s capacity to provide counseling, case \nmanagement, and other services for students (targets, \naggressors, bystanders) and their families. Curricula and \nresources can be accessed through the Boston Public \nSchool\u2019s Succeed Boston\u2019s website succeedboston.org \n\u25cf Schools will conduct an annual review of staffing and", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "16d644b7-ac46-4b48-ae6d-5c0fb05b97ba": { + "page_content": "resources can be accessed through the Boston Public \nSchool\u2019s Succeed Boston\u2019s website succeedboston.org \n\u25cf Schools will conduct an annual review of staffing and \nprograms that support the creation of positive school \nenvironments, focusing on early interventions and intensive \nservices, and develop recommendations and action steps to \nfill resource and service gaps. \n\u25cf The Boston Public Schools will continue to work in \ncollaboration with local and state agencies to adopt \nevidence-based curricula and to provide additional \npreventive services to students, families/caregivers and all \nschool staff.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f9e359bf-c065-4cc5-9289-ebdd64d367ff": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 25 of 44 \n \n \nCounseling and other services \n\u25cf Succeed Boston\u2019s Student Support and Prevention \nWorkshops provide an alternative to a suspension to \nincrease students\u2019 understanding about the impact of \nbullying, build empathy and social and emotional skills to \nstop and prevent bullying. \n\u25cf School counselors, nurses, school psychologists, and special \neducators provide a variety of skill-based services to students \nwithin the educational setting that include ongoing \nemotional support, risk assessment, crisis intervention, and \nhelp with community-based counseling referrals when \nappropriate. \n\u25cf School staff meet with families/caregivers and teachers as \nneeded to help address students\u2019 academic, social, \nemotional, and behavioral concerns as collaboratively as \npossible. \n\u25cf Regional liaisons, especially the RP/SAWS, will work with \nschool teams and administrators to develop and, if needed,", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "e4819be6-36a0-410f-ae22-e2d8535bd591": { + "page_content": "emotional, and behavioral concerns as collaboratively as \npossible. \n\u25cf Regional liaisons, especially the RP/SAWS, will work with \nschool teams and administrators to develop and, if needed, \nco-facilitate culturally and linguistically appropriate \nresources to identified families. \n\u25cf School counselors maintain up-to-date information on \ncommunity-based mental health referrals as well as \nCommunity Service Agencies (CSAs) within the local area, \nproviding services to students and families. \n\u25cf Regional liaisons, especially the RP/SAWS, will work \ncollaboratively with and support the BIS, school counselors, \nschool psychologists, and intensive special needs educators", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f738dcbf-3ce4-4103-93f2-998d8b8e0030": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 26 of 44 \n \nto: \n1. Develop behavior plans and groups for students to build \nupon their social and emotional skills, \n2. Educate and support families/caregivers, \n3. Conduct workshops for families/caregivers \n4. Connect families/caregivers of outside resources to build \nskills \nSTUDENTS WITH DISABILITIES \nAs required by M. G. L. c. 71B, \u00a7 3, as amended by Chapter 92 of the \nActs of 2010, when the IEP Team determines that the student has \na disability that affects social skills development or the student \nmay participate in or is vulnerable to bullying, harassment, or \nteasing because of their disability, the Team will consider what \nshould be included in the IEP to develop the student\u2019s skills and \nproficiencies to avoid and respond to bullying, harassment, or \nteasing. \nREFERRAL TO OUTSIDE SERVICES \nBoston Public Schools school counselors and other specialists will", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "bb339a8b-86bb-4d36-86a7-bb83c3681194": { + "page_content": "proficiencies to avoid and respond to bullying, harassment, or \nteasing. \nREFERRAL TO OUTSIDE SERVICES \nBoston Public Schools school counselors and other specialists will \nhelp students and families access appropriate and timely services \nnecessary to address student needs as a result of bullying. \nReferrals shall comply with relevant laws and policies. \nACADEMIC & NON-ACADEMIC ACTIVITIES \nThe Boston Public Schools will provide age-appropriate \ninstruction on bullying prevention in each grade and incorporate \nit into the school\u2019s or district\u2019s curricula. Succeed Boston provides \nonline Student Support and Prevention Workshops to students in", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "74014f9b-223b-403d-a50a-950e4a72477f": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 27 of 44 \n \ngrades 1-12 to learn about the impact of bullying and develop skills \nto stop and prevent bullying. \nEffective instruction will include classroom approaches, whole \nschool initiatives, focused strategies for bullying prevention, and \nsocial skills development. \nSpecific bullying prevention approaches: \n\u25cf Using scripts and role plays to develop skills. \n\u25cf Empowering students to take action by knowing what to do \nwhen they witness other students engaged in acts of \nbullying or retaliation, including seeking adult assistance. \n\u25cf Helping students understand the dynamics of bullying and \ncyberbullying, including the underlying power imbalance. \n\u25cf Build and reinforce student empathy. \n\u25cf Reinforce and elevate students who model being helpful \nbystanders \n\u25cf Emphasizing cyber safety, including safe and appropriate \nuse of electronic communication technologies \n\u25cf Enhancing students\u2019 skills for engaging in healthy", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a1834e1a-1deb-4c99-9e24-96176c16f523": { + "page_content": "bystanders \n\u25cf Emphasizing cyber safety, including safe and appropriate \nuse of electronic communication technologies \n\u25cf Enhancing students\u2019 skills for engaging in healthy \nrelationships and resolving conflicts with respectful \ncommunications. \n\u25cf Engaging students in a safe, supportive school environment \nthat \n\u25cf is respectful of diversity and difference.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "72288965-1749-4fe0-b52f-d40e268cfa53": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 28 of 44 \n \nGeneral teaching approaches that support bullying prevention \nefforts: \n\u25cf Create a strong anti-bullying plan that will be enforced first \nand foremost by adults \n\u25cf Build in learning and embed bullying in the curriculum (e.g., \nELA, social studies, history, health classes) \n\u25cf Empower bystanders who witness bullying activities with \nskills and support to intervene appropriately \n\u25cf Promote acceptance and respect in order to improve the \nschool climate to include all students in meaningful ways \n\u25cf Help students and staff understand the definition of bullying \n\u2013 what it is and what it isn\u2019t (e.g., conflict, fighting, teasing) \n\u25cf Recognize the dynamics and complexities involved in \naggressor-target relationships \n\u25cf Develop intervention programs that will reduce the \nprevalence of bullying behaviors and create a safe school \nclimate that fosters positive learning experiences for all \nstudents", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "81b528a9-baad-44b2-b930-039b08d6c598": { + "page_content": "\u25cf Develop intervention programs that will reduce the \nprevalence of bullying behaviors and create a safe school \nclimate that fosters positive learning experiences for all \nstudents \n\u25cf Be creative in developing strategies to promote social \ncompetence for children who are aggressors, targets of \nbullying, and bystanders \n\u25cf Develop ways to help students who are aggressors find more \nprosocial ways of experiencing positive rewards \n\u25cf Build an effective support system for protecting targets of \nbullying.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "dbeac45f-5454-4515-b982-2b3f6e18ba30": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 29 of 44 \n \nThe Boston Public Schools has incorporated a range of \nindividualized strategies and interventions that may be used in \nresponse to remediate a student\u2019s skills or to prevent further \nincidents of bullying and/or retaliation. Combining and \nincorporating a Multi-Tiered System of Support (MTSS), social and \nemotional skill building, school-wide positive behavior \ninterventions and supports (PBIS) focused on prevention services \nschool-wide, creates a level change across the classroom, school, \nand district. These changes not only improve outcomes but \naddress and improve the academic and non-academic needs of \nall students, including students with disabilities. \nTEACHING APPROPRIATE BEHAVIOR THROUGH SKILL BUILDING \nUpon the principal/school leader or designee determining that \nbullying or retaliation has occurred, the law requires that the \nschool or district use a range of responses that balance the need", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a5535b85-5a42-463e-b777-e884d66f93fa": { + "page_content": "Upon the principal/school leader or designee determining that \nbullying or retaliation has occurred, the law requires that the \nschool or district use a range of responses that balance the need \nfor accountability with the need to teach appropriate behavior. \nM.G.L. c. 71, \u00a7 37O. \nSkill-building approaches that the principal/school leader or \ndesignee may consider include: \n\u25cf referring students to Succeed Boston online Student \nSupport and Prevention Workshops for students in grades 1- \n12 to learn about the impact of bullying and develop skills to \nstop and prevent bullying \n\u25cf providing relevant push in support and co-facilitation of \neducational and social and emotional skill building activities \nfor individual students or groups of students, in consultation \nwith school counselors and other appropriate school \npersonnel \n\u25cf implementing a range of academic and nonacademic", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "e7bde0fa-6101-47a1-9086-e8a2c3b88a8e": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 30 of 44 \n \npositive behavioral supports to help students understand \nprosocial ways to achieve their goals. \n\u25cf meeting with families/caregivers to support and to reinforce \nthe anti-bullying curricula and social skills building activities \nat home \n\u25cf adopting support plans to include a focus on developing \nspecific social skills; making a referral for evaluation. \nTAKING DISCIPLINARY ACTION \nIf the principal/school leader or designee decides that disciplinary \naction is appropriate, the disciplinary action will be determined \nbased on facts found by the principal/school leader or designee, \nincluding the nature of the conduct, the age of the student(s) \ninvolved, a child\u2019s IEP where appropriate, and the need to balance \naccountability with the teaching of appropriate behavior. \nDiscipline will be consistent with the Boston Public Schools \nBullying Prevention and Intervention Plan, the Boston Public", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "0280acf0-8d2a-4b6f-87b7-fb4b550d9c29": { + "page_content": "accountability with the teaching of appropriate behavior. \nDiscipline will be consistent with the Boston Public Schools \nBullying Prevention and Intervention Plan, the Boston Public \nSchools Code of Conduct, and with the school-based student \nhandbook. Discipline procedures for students with disabilities are \ngoverned by the federal Individuals with Disabilities Education \nAct (IDEA), which should be read in cooperation with state laws \nregarding student discipline. \nIf the principal/school leader or designee determines that a \nstudent knowingly made a false allegation of bullying or \nretaliation, that student may be subject to disciplinary action \nconsistent with the BPS Code of Conduct.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "1faca1a3-d02f-4639-bea6-7391b75b8fed": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 31 of 44 \n \n \nPROMOTING SAFETY FOR THE TARGET AND OTHERS \nThe principal/school leader or designee(s) will consider what \nadjustments (including a safety/support/action plan) are needed \nin the school environment to assure the target's sense of safety \nand that of others. \nWithin a reasonable period following the determination and the \nordering of remedial and/or disciplinary action, the \nprincipal/school leader or designee will contact the target and the \nfamilies/caregivers to determine whether there has been a \nrecurrence of the prohibited conduct and whether additional \nsupportive measures are needed. If so, the principal/school leader \nor designee will work with appropriate school staff to implement \nthem immediately. \nCOLLABORATION WITH FAMILIES/CAREGIVERS \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan includes strategies to engage and collaborate with students\u2019", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "963c9b2d-f6c2-40d0-b698-5e25e0ba87ba": { + "page_content": "them immediately. \nCOLLABORATION WITH FAMILIES/CAREGIVERS \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan includes strategies to engage and collaborate with students\u2019 \nfamilies/caregivers to increase the capacity of each of our schools \nas well as the district to prevent and respond to bullying. \nResources for families/caregivers and communication with them \nare essential aspects of effective collaboration. The bullying \nprevention and intervention curricula used by the schools shall be \nmade available to families/caregivers and include: \n1. How families/caregivers can reinforce the curricula at \nhome and support the school or district plan \n2. The dynamics of bullying \n3. Online safety and cyberbullying", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "6f315015-c28c-4e3a-ac16-6f64174d2505": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 32 of 44 \n \nFamilies/caregivers will also be notified in writing each year about \nthe student-related sections of the Boston Public Schools Bullying \nPrevention and Intervention Plan and the Boston Public Schools \nInternet Acceptable Use Policy. \nSchools will collaborate with School Site Councils and parent \norganizations to create families/caregivers\u2019 resources and \ninformation networks. Schools will join with these \nfamilies/caregivers groups to offer education programs for them \nthat are focused on the components of the anti-bullying curricula \nand any social competency curricula used by the school(s). \nSchools will annually inform families/caregivers of enrolled \nstudents about the anti-bullying curricula that are being used. \nThis notice will include information about the dynamics of \nbullying, including cyberbullying and online safety. All notices \nand information made available to families/caregivers will be in", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "5a404304-8ec3-4f56-bf62-763c26a6960c": { + "page_content": "This notice will include information about the dynamics of \nbullying, including cyberbullying and online safety. All notices \nand information made available to families/caregivers will be in \nhard copy and electronic formats and will be available in the \nlanguage(s) most prevalent in BPS. Each school will post the \nBoston Public Schools Bullying Prevention and Intervention Plan \nand related information on its website. \nRELATIONSHIP TO OTHER LAWS \nConsistent with state and federal laws and the policies of the \nschool or district, no person shall be discriminated against in \nadmission to a public school of any town or in obtaining the \nadvantages, privilege, and courses of study of such public school \non account of race, color, sex, religion, national origin, or sexual \norientation. Nothing in the Boston Public Schools Bullying \nPrevention and Intervention Plan prevents the school or district \nfrom taking action to remediate discrimination or harassment", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "29fe0896-eceb-43b3-8c01-bdea28c7717c": { + "page_content": "orientation. Nothing in the Boston Public Schools Bullying \nPrevention and Intervention Plan prevents the school or district \nfrom taking action to remediate discrimination or harassment \nbased on a person\u2019s membership, or perceived membership, in a \nlegally protected category under local, state, or federal law, or", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "ed343c23-987f-4924-bece-d3ef160bf768": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 33 of 44 \n \nschool or district policies. \nIn addition, nothing in this Plan is designed or intended to limit \nthe authority of the school or district to take disciplinary action or \nother action under M.G.L. c. 71, \u00a7\u00a7 37H or 37H\u00bd, other applicable \nlaws, or local school or district policies in response to violent, \nharmful, or disruptive behavior, regardless of whether this Plan \ncovers the behavior. \nFor more information about this circular, contact: \nOwner: \nSenior Director of Succeed Boston @ the \nCounseling and Intervention Center \nDepartment: \nSucceed Boston @ the Counseling and \nIntervention Center \nMailing \nAddress: \n515 Hyde Park Ave, Roslindale, MA 02131 \nPhone: \n617-635-8123 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nsaws@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "45c43415-8ed8-46c6-9e62-e21690046e91": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 34 of 44 \n \n \nATTACHMENTS: \n1. How to Conduct a Bullying Investigation \n2. Professional Development \u2014 Bullying Intervention Specialist \nTraining \n3. Safe Schools and Bullying Prevention and Intervention \nReporting Form", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "078ca04f-4ec5-4231-8527-10a1343ca399": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 35 of 44 \n \nATTACHMENT 1: \nHOW TO COMPLETE A BULLYING INVESTIGATION \nStep 1: After contacting families/caregivers, set up a \nmeeting with the alleged targeted student (target) \nAre there safety concerns? If yes, develop a safety plan with the \ninput of the target and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and \u201cspecials.\u201d \nb. With the help of the targeted student, identify a trusted \nadult the student can go to for assistance. \n\u25cf Notify the trusted adult of the plan. \n\u25cf Notify the teacher(s) of the allegation and the trusted \nadult. \nc. Consider an inconspicuous way the target could signal in \nreal-time that something was happening and/or the target \nneeded to leave the room to go to a prior agreed-upon class, \noffice, person. \nd. Take a statement from the target and get the names of \nwitnesses if any. \nStep 2: After contacting the families/caregivers of the alleged", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "bb66a72d-08be-4e0d-8d42-4d2f86760a59": { + "page_content": "office, person. \nd. Take a statement from the target and get the names of \nwitnesses if any. \nStep 2: After contacting the families/caregivers of the alleged \naggressor, set up a meeting with the student. \nAre there any safety concerns? If yes, develop a safety or action \nplan with the input of the aggressor and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and \n\u201cspecials.\u201d", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "f4b0c8a3-5a0e-47c7-8ef3-f24d99982e58": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 36 of 44 \n \nb. With the help of the aggressor, identify a trusted adult \nthe student can go to for assistance. \nc. Notify the trusted adult of the plan. \nd. Notify the teacher(s) of the allegation and the trusted \nadult. \ne. Consider an inconspicuous way the target could signal in \nreal-time that something was happening, and/or the target \nneeded to leave the room to go to a prior agreed-upon \nclass, office, or person. \nIf there are no safety concerns for the aggressor, develop an \naction plan that keeps the target and aggressor separate. \na. Consider class seating arrangements, lunch bus, \u201cspecials\u201d \nand recess. \nb. Notify the teacher(s) of the allegation, and any action \nplans developed. \nc. Take a statement from the alleged aggressor. \nStep 3: Document statements from all witnesses \nStep 4: Assess whether the situation meets the standard for \nbullying: \n1. Power imbalance \n2. Repeated \n3. Intentional", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "cb09dcac-9515-4b89-b294-c93c3c6bc8e2": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 37 of 44 \n \n \nStep 5: Does this allegation involve targeting based on, or \nperceived, membership in a protected class (race, color, national \norigin, ethnicity, religion, pregnancy, homelessness, criminal \nrecord, sex, sexual orientation, gender identity, disability, age, \ngenetics, or active military status?) If yes, contact the Boston \nPublic Schools Office of Equity. \nIf no, proceed to step 6. \nStep 6: All allegations of bullying that have been investigated \nmust be filed with Succeed Boston by completing the Safe \nSpace and Bullying Prevention Investigation Reporting Form \nand documented in the BPS SIS. \n1. Document dates of meetings and calls with \nfamilies/caregivers. \n2. Document all interviews. \n3. Determine if the allegation is bullying, retaliation, simple \nconflict, or Code of Conduct violation. \n4. Document action taken. \n5. Schedule a date to follow up with all parties.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "1ef2eec8-c79b-42e9-82da-ab88d4d2ceef": { + "page_content": "3. Determine if the allegation is bullying, retaliation, simple \nconflict, or Code of Conduct violation. \n4. Document action taken. \n5. Schedule a date to follow up with all parties. \n6. Document incident in SIS under the Conduct Module \nSection 7.1. of the Code of Conduct. \nPlease note: \n\u25cf Upon receipt of the bullying complaint, the principal/school \nleader or designee must confirm receipt of the complaint to \nthe families/caregivers within 24 hours.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "bfcdb5c5-eebd-4132-ba8e-a2db62c98b44": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 38 of 44 \n \n\u25cf The investigation must be completed within 5 school days, \nand the principal/school leader or designee will notify the \nfamilies/caregivers of the target and the aggressor of the \nfindings, and of the procedures for responding to it. \n\u25cf To ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the \nprincipal/school leader will be forwarded to the operational \nleader and the school superintendent for follow-up.", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "82e10ce4-30e9-4749-806e-8855b82a2e75": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 39 of 44 \n \nATTACHMENT 2: \nBOSTON PUBLIC SCHOOLS 12 HOUR PROFESSIONAL \nDEVELOPMENT \n\u201cBullying Intervention Specialist Training\u201d \nTo build capacity across the district and effectively deal with \nallegations of bullying, each school must have at least two staff \ncomplete the 12-hour training leading to certification as a \n\u201cBullying Intervention Specialist.\u201d Once certified, these specialists \nwill lead the annual bullying prevention and intervention training \nat their schools and will spearhead the creation and maintenance \nof Caring Communities and Bully Free Schools. Succeed Boston \nwill offer quarterly training sessions throughout the school year. \nPlease register on Teach Point. \nIn this training, staff will: \n\u25cf Learn about state and district regulations, procedures and \nprotocols \n\u25cf Become familiar with BPS reporting and investigation \nprotocols \n\u25cf Develop safety plans for targets and action plans for \naggressors", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "d9d79e77-0ab6-41cc-8d3b-53c6a4925d9e": { + "page_content": "protocols \n\u25cf Become familiar with BPS reporting and investigation \nprotocols \n\u25cf Develop safety plans for targets and action plans for \naggressors \n\u25cf Learn about the different types of bullying \n\u25cf Differentiate between bullying and conflict and how to \nrespond to each \n\u25cf Understand the role school staff play in preventing bullying \n\u25cf Learn about culturally and linguistically sustaining practices", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "31b30669-d683-4da6-a492-5d3841baf49a": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 40 of 44 \n \nthat lead to spaces that feel safe, welcoming and are \ninclusive \n\u25cf Understand how adult bias and micro-aggression impact \nstaff\u2019s ability to effectively develop relationships with \nstudents involved in bullying \n\u25cf Develop an awareness of suicide and suicide prevention \nresources \n\u25cf Understand the unique way bullying impacts LGBTQ+ and \nELL students and students with disabilities \n\u25cb Become familiar with FAPE and IDEA as they relate to \nbullying \n\u25cf Develop strategies to empower bystanders \n\u25cf Learn to differentiate bullying and bias-based speech and \nbehavior \n\u25cf Learn best practices to address bullying \n\u25cf Listening and talking to families with empathy \n\u25cf Become familiar with resources to develop and implement \nschool-based programs. \n\u25cf Develop plans for family workshops", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "a605ebd6-91b7-4dcd-9799-91a6e745936c": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 41 of 44 \n \nATTACHMENT 3: \nSAFE SPACE AND BULLYING PREVENTION REPORTING \nFORM - Boston Public Schools \n1. Name of the person reporting this bullying allegation. \nWrite \"NA\" if you want to report anonymously. Note, \nno disciplinary action will be taken solely on the basis \nof an anonymous report. \n2. Phone number of the person reporting this bullying \nallegation. Write \"NA\" to remain anonymous \n3. Who is reporting this bullying allegation? \n\u25cb I'm a student reporting for myself \n\u25cb I'm a student reporting for another student \n\u25cb I'm a family member/caregiver reporting on \nbehalf of my child \n\u25cb I'm a school staff member (admin, educators, \nsupport staff, etc.) reporting for a student \n4. Name and email of person completing this form (if \ndifferent than above): Write \"NA\" if not relevant. \n5. Role of person completing this form (if different than \nabove) \n\u25cb Bullying Hotline Staff (Succeed Boston staff only) \n\u25cb BPS Help Line Staff", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "e7b0f670-c929-4bcd-a7db-a3e3f437ecd3": { + "page_content": "different than above): Write \"NA\" if not relevant. \n5. Role of person completing this form (if different than \nabove) \n\u25cb Bullying Hotline Staff (Succeed Boston staff only) \n\u25cb BPS Help Line Staff \n\u25cb School Staff member", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "2c1679b5-3101-4b2c-83a0-41702b216d32": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 42 of 44 \n \n\u25cb NA \n6. Have you already reported this incident to the school \nleader? \n\u25cb Yes \n\u25cb No \n7. Name of alleged target: \n8. Student ID# of alleged target: (Please put 0 if \nunknown) \n9. School of alleged target: \n10. Grade of alleged target: \n11. Does the alleged target receive special education \nservices? \n\u25cb Yes \n\u25cb No \n\u25cb Unsure \n12. Name and grade of the alleged aggressor(s): (If the \nalleged aggressor is an adult, please indicate) \n13. Do any alleged aggressor(s) attend a different school? \nIf yes, please type the name of the school(s) below. (If \nnot, please write \"NA\") \n14. Date, time, and location of incident(s): (If not known, \nplease write \"NA\")", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "1da01b18-3356-42fb-9798-0e091322165a": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 43 of 44 \n \n \n15. If the incident occurred on a school bus, please list \nthe bus number below: (If not on a bus, please write \n\"NA\") \n16. Describe the incident, including names, details of \nwhat happened, and specific words used. You may \nsend additional evidence (i.e., video, screenshots, \nemails) to saws@bostonpublicschools.org. \n17. Witnesses: List the names of any people who saw the \nincident or may have information about it: (If none, \nplease write \"NA\") \n18. Does this bullying allegation involve bias-based \nspeech or behavior? \u201cBias-based\u201d bullying, including \ncyberbullying or harassment, is when a person is \nbullied because of membership in, or perceived \nmembership in, a protected class. Protected classes: \nrace, color, age, physical or mental disability, \npregnancy and pregnancy-related conditions, \ncriminal record, homelessness, sex/gender, gender \nidentity, religion, national origin, ancestry, sexual", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "9fea0e91-3537-4b42-82e4-1da167045f63": { + "page_content": "pregnancy and pregnancy-related conditions, \ncriminal record, homelessness, sex/gender, gender \nidentity, religion, national origin, ancestry, sexual \norientation, genetics, natural or protective hairstyle, \nsocioeconomics, and retaliation. Please note: All \ninvestigations involving bias-based speech or \nbehavior will be forwarded to the Office of Equity by \nSucceed Boston. \n\u25cb Yes \n\u25cb No", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "ebc0e80b-2ce6-45ba-a345-2057d05f5ff5": { + "page_content": "Superintendent\u2019s Circular SSS-18 \nPage 44 of 44 \n \n19. Are you concerned for the student's safety? \n\u25cb Yes \n\u25cb No", + "metadata": { + "file_name": "SSS-18 Bullying Prevention and Intervention Plan.pdf", + "source_link": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SSS" + } + }, + "77736693-c286-4730-909b-dd37cdc08186": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-02 \nVersion 01 \n \n \n \nPROCURING DIGITAL PRODUCTS GUIDANCE \nDOCUMENT \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance to Boston Public \nSchools (BPS) staff on the process to procure new digital learning \ntechnologies that use student education records or staff \ninformation. The overarching guidance is that schools and central \noffice departments should continue to use already-vetted digital \nproducts that are included with the Google Enterprise suite of \ntools or those that are included in Clever. \nDEFINITIONS \nDigital Tool - Any digital products or learning tools that are used \nto enhance or improve workflows that do not store or maintain \ndata/information. Examples include applications like \nSmartsheets, Chrome Extensions, or personal notation tools. \nThese tools are exempt from this circular.", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "41610b62-afbe-43be-be6a-4c66922a8433": { + "page_content": "data/information. Examples include applications like \nSmartsheets, Chrome Extensions, or personal notation tools. \nThese tools are exempt from this circular. \nSystem - Any digital platform that purposely built to store, \nmaintain, or transfer sensitive student or staff data/information. \nExamples include Aspen or EdPlan.", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "beb74975-3d56-4a26-8879-01bb36dccb11": { + "page_content": "Superintendent\u2019s Circular OIIT-02 \nPage 2 of 5 \n \n \n \nPlatform - A suite of tools and programs that allow users to \ncreate structures to maintain information. Examples include \nGoogle Apps, Salesforce, or Wordpress. \nLearning Application - Any digital tool used in a classroom \nsetting that may contain content and student \ninformation/progress. Learning applications may fall into multiple \ncategories, depending on how they are used, but any tool that \ncontains content and tracks student learning should be \nconsidered a learning app for the purpose of this document. \nExamples include Imagine Learning. \nCONTEXT \nBPS staff seeking online learning products or receiving offers to \nuse online learning products to support instruction in a digital \nspace has resulted in the desire to use products that may not be \naligned to BPS instructional standards, do not comply with our \ntechnical specifications, or do not adhere to data sharing", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "638a94e0-3094-4195-89b8-f3ca1d3ca50f": { + "page_content": "space has resulted in the desire to use products that may not be \naligned to BPS instructional standards, do not comply with our \ntechnical specifications, or do not adhere to data sharing \nguidelines under FERPA. Our district is committed to ensuring \nthat appropriate educational supports and effective learning \nopportunities are provided to students. As such, this document \nwill outline guidance for the appropriate review of digital \nlearning tools in BPS. The guidelines outlined below are created \nto ensure that product confidentiality and security practices \nmeet or exceed industry standards and adhere to the \nexpectations contained in the federal Family Education Rights \nand Privacy Act (FERPA), the Children\u2019s Online Privacy Protection \nAct (COPPA), the Protection of Pupil Rights Amendment (PPRA), \nand HIPAA regulations. This document describes the \nconsiderations schools and central office staff should employ", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "196a265e-9d08-4ac7-a875-db4e527bfca4": { + "page_content": "Superintendent\u2019s Circular OIIT-02 \nPage 3 of 5 \n \n \n \naround protecting student data and education records, when \nselecting digital learning tools. \nGUIDANCE FOR BPS STAFF PROCURING DIGITAL PRODUCTS \nAny tools or products that are procured (paid for or free) by \nschools or departments for schoolwide or districtwide use need \nto comply with the FERPA school official exception criteria1 and \nspecifications for technical interoperability. Exceptions are made \nfor tools that do not track/store/maintain student or staff \ninformation. For example, a Chrome Extension that magnifies the \nscreen does not fall under these guidelines since it will not be \n \n1 Performs an institutional service or function for which the \neducational agency or institution would otherwise use its own \nemployees; \nHas been determined to meet the criteria set forth in in the \neducational agency\u2019s or institution\u2019s annual notification of \nFERPA rights for being a school official with a legitimate", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "2eee50e1-72f7-4df5-a5eb-d2155df3284e": { + "page_content": "employees; \nHas been determined to meet the criteria set forth in in the \neducational agency\u2019s or institution\u2019s annual notification of \nFERPA rights for being a school official with a legitimate \neducational interest in the education records or PII; \nIs under the direct control of the educational agency or \ninstitution regarding the use and maintenance of the education \nrecords or PII; and \nUses the education records or PII only for authorized purposes \nand does not re-disclose the education records or PII to other \nparties (unless the provider has specific authorization from the \neducational agency or institution to do so and it is otherwise \npermitted by FERPA). See 34 CFR \u00a799.31(a)(1)(i).", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "b3ab86b9-1eef-43da-bf2a-29d9d7df8476": { + "page_content": "Superintendent\u2019s Circular OIIT-02 \nPage 4 of 5 \n \n \n \naccessing any sensitive information. New requests for products \nshould: \n1. Meet the district\u2019s technical specifications \n2. Have signed or sign a data privacy agreement \n3. Aligned to the Essentials for Instructional Equity \n4. Serve a purpose that is distinct from currently available tools \nwithin the district. \nPROCESS FOR SUBMITTING A SPENDING APPROVAL FOR THE \nDIGITAL LEARNING PRODUCT \nBefore a new digital learning product will be integrated, the \nfollowing steps need to be completed: \n1. Review the Essentials for Instructional Equity for alignment. \n2. Have the vendor submit an NDA Request to receive and sign \nthe MA Student Data Privacy Agreement and Technology \nSpecifications Template. \n3. Once fully executed, follow the procurement process as \noutlined in the BUSINESS SERVICES GUIDE. \n4. Once the product is procured, email the BPS Clever Admin \nat cleveradmin@bostonpublicschools.org", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "57f68775-fe4f-4ef0-9e20-71d642c2f3f8": { + "page_content": "Superintendent\u2019s Circular OIIT-02 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nName: Director of Technology \nDepartment: Office of Instructional and Information \nTechnology, Office of Data & Accountability \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9200 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "OIIT-02 Procuring Digital Products Guidance Document.pdf", + "source_link": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "611292ee-e224-4728-a0fd-c825639cd946": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-03 \nVersion 01 \n \nTECHNOLOGY PURCHASING, DONATIONS & \nRETURN GUIDE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance on the \ntechnology purchasing process, acceptance of technology \ndonations, and the return of technology. \nTECHNOLOGY PURCHASING \nAll requests to procure technology that must be added to the \nBPS network should be submitted to BPSTechnology (OIIT) \nthrough the Technology Purchasing Request (Form 40), \nregardless of funding source. Please visit the BPSTechnology \nPurchasing Menu for technology options, pricing, and the \nrequest form. If you\u2019re not sure if a request form should be \nsubmitted, please feel free to reach out. \nTechnology listed on the menu has been evaluated by \nBPSTechnology (OIIT) experts based on industry standards, \ndistrict priorities, and school needs. Most technologies come with", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "ada59737-1669-418e-b268-2ee7cbbd3bf4": { + "page_content": "Technology listed on the menu has been evaluated by \nBPSTechnology (OIIT) experts based on industry standards, \ndistrict priorities, and school needs. Most technologies come with \nthe standard BPS image, and we guarantee service and support \nfor the equipment. Competitive pricing has been negotiated with \nvendors, contracts are already in place, and BPS purchasing \nguidelines have been met.", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "7c792a20-73af-4fdd-b1ac-242927fa72e5": { + "page_content": "Superintendent\u2019s Circular OIIT-03 \nPage 2 of 5 \n \n \nIf you do not find what you are looking for on the menu, please \nreach out. While most technologies are standardized across the \ndistrict, we may be able to get them with different specifications \n(i.e. memory, storage). If you are considering technology that \ncannot be supported by BPSTechnology (OIIT), please: \n\u2022 examine compatibility with existing systems and digital \napplications, \n\u2022 be conscious of any software licensing or subscriptions \nneeded, \n\u2022 understand the warranty coverage and how repairs will be \nhandled, \n\u2022 ensure training is available on use and integration of the \ntechnology, \n\u2022 arrange for shipment, delivery, assembly, and installation if \nnecessary, \n\u2022 follow the procurement process (see Business Services \nGuide), and \n\u2022 plan ahead to meet implementation and procurement \ntimelines. \nBPSTechnology (OIIT) reserves the right to decline requests for \nthe procurement of technology.", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "419b80e7-c11f-4206-8218-4eca9c27062a": { + "page_content": "Guide), and \n\u2022 plan ahead to meet implementation and procurement \ntimelines. \nBPSTechnology (OIIT) reserves the right to decline requests for \nthe procurement of technology. \nBefore submitting your request, please be sure sufficient funding \nis available in technology accounts (55903, 55905, and 55907). If \npaying by check/BEDF, please wait to make payment. \nBPSTechnology (OIIT) will provide you with payment instructions \nonce the request has been reviewed and approved.", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "cee56c2e-343b-498c-a449-aec1ffd988ed": { + "page_content": "Superintendent\u2019s Circular OIIT-03 \nPage 3 of 5 \n \nOnly school/department leaders who are authorized by the \nsuperintendent to make budget decisions can submit requests \nto purchase technology. However, we encourage staff to work \nwith leaders to make technology decisions that will benefit \nschools/departments as a whole. \nPublic funds cannot be used to provide a prize or gift to an \nindividual. Under the Anti-Aid Amendment of our State \nConstitution and by order of the Massachusetts Supreme Judicial \nCourt, money raised by taxation (i.e., public money) can be used \nonly for public purposes and not for the advantage of private \nindividuals. \nDONATIONS \nSchools receiving technology donations from outside vendors or \npartners should contact BPSTechnology (OIIT) prior to receipt for \na comprehensive consultation. Donations can differ from \nBPSTechnology (OIIT) standards but must meet the minimum \nsystem requirements for the device. All donations of technology", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "1f8ba70c-9b74-49cc-8a02-b6c226ca17d6": { + "page_content": "a comprehensive consultation. Donations can differ from \nBPSTechnology (OIIT) standards but must meet the minimum \nsystem requirements for the device. All donations of technology \nare the property of the Boston Public Schools and, as such, must \nadhere to the same policies regarding purchased equipment. \nAfter consultation, BPSTechnology (OIIT) reserves the right to \ndecline donations if they do not meet the minimum system \nrequirements or require additional support or resources beyond \nthe means of the district. \nThere may be additional costs associated with software, re-\nimaging, repair, and maintenance. All donated computers must \nbe re-imaged with the standard image before being used by \nstudents or staff to ensure that existing data/information can be \nremoved, and the necessary security and management software", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "ef5df490-1e9f-4947-a317-98575db25523": { + "page_content": "Superintendent\u2019s Circular OIIT-03 \nPage 4 of 5 \n \ncan be installed. \nMaterials funded through DonorsChoose.org are the property of \nthe public school at which the teacher is employed when \nresources are shipped. The teacher who created the project is the \nsole steward of the donation while employed at the school, \ncarrying out the project for which the materials were donated. \nFor more information, go to DonorsChoose.Org Materials \nOwnership Policy. \nRETURNS \nAll technology (laptops, desktops, cell phones, tablets, desk \nphones, etc.) must be returned to BPSTechnology (OIIT) for \nreimaging or recycling. Any BPSTechnology (OIIT) staff member \nat either the Bolling Building or Campbell Resource Center can \ncollect technology and provide an electronic receipt to the \nemployee and RC manager, if requested. If re-imaged, the device \nis held until the purchasing school/department reassigns the unit \nand/or provides us with further instruction.", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "f888c34f-73b7-47df-9eae-af3b4254c270": { + "page_content": "employee and RC manager, if requested. If re-imaged, the device \nis held until the purchasing school/department reassigns the unit \nand/or provides us with further instruction. \nTechnology cannot be transferred from one employee to another. \nAll computers, phones, and tablets must be returned to \nBPSTechnology (OIIT) so that data can be properly archived and \ndestroyed before it is redistributed to another employee. Hard \ndrive contents will be archived according to the City of Boston \nRecords Retention Schedule by the director of records \nmanagement. Once data is archived and destroyed, the RC \nmanager can direct BPSTechnology (OIIT) to redeploy the \ntechnology to another employee in their RC. \nFor more information about this circular, contact:", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "15571442-479e-4ee6-9cfb-aa13280ef463": { + "page_content": "Superintendent\u2019s Circular OIIT-03 \nPage 5 of 5 \n \nName: Director of Technology Business Operations \nDepartment: OIIT / BPS Technology \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9190 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf", + "source_link": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "a20ddaf6-1403-498d-8d7f-8e6ef9742b5a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-01 \nVersion 01 \n \nACCEPTABLE USE POLICY AND GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nGuidelines for Implementation of Acceptable Use Policy for \nDigital Information, Communication, and Technology Resources \nSCOPE OF POLICY \nBoston Public Schools (BPS) provides access to technology \ndevices, Internet, and data systems to employees and students \nfor educational and business purposes. This Acceptable Use \nPolicy (AUP) governs all electronic activity of employees using \nand accessing the district\u2019s technology, internet, and data \nsystems regardless of the user\u2019s physical location. \nGUIDING PRINCIPLES \n\u2022 Online tools, including social media, should be used in our \nclassrooms, schools, and central offices to increase \ncommunity engagement, staff and student learning, and \ncore operational efficiency. \n\u2022 BPS has a legal and moral obligation to protect the personal", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "ba53f296-4b05-45d4-b240-5de982ab02ce": { + "page_content": "community engagement, staff and student learning, and \ncore operational efficiency. \n\u2022 BPS has a legal and moral obligation to protect the personal \ndata of our students, families, and staff. \n\u2022 BPS should provide a baseline set of policies and structures \nto allow schools to implement technology in ways that meet \nthe needs of their students. All students, families, and staff", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "6c9213d9-0ff5-4a54-8e7c-97cc1320ea92": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 2 of 13 \n \nmust know their rights and responsibilities outlined in the \nAcceptable Use Policy and government regulations. \n\u2022 Nothing in this policy shall be read to limit an individual\u2019s \nconstitutional rights to freedom of speech or expression or \nto restrict an employee\u2019s ability to engage in concerted, \nprotected activity with fellow employees regarding the \nterms and conditions of their employment. \nCOMPLIANCE REQUIREMENT FOR EMPLOYEES \nThe Acceptable Use Policy is reviewed annually by the BPS Chief \nInformation Officer and is issued via the Superintendent\u2019s \nCircular. Technology users are required to verify that they have \nread and will abide by the Acceptable Use Policy annually. \nSTUDENT AUP & CONTRACT \nCopies of the Acceptable Use Policy and the student contract for \nInternet use are included in the Guide to Boston Public Schools \nfor Families & Students, given to all students at the beginning of", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "574a483d-7118-4beb-acca-323aebd308ab": { + "page_content": "Copies of the Acceptable Use Policy and the student contract for \nInternet use are included in the Guide to Boston Public Schools \nfor Families & Students, given to all students at the beginning of \nthe school year. The Student Contract for Internet Use must be \ncompleted and signed by all students and their parent/guardian \nafter going over the AUP together. The signed contract must be \nreturned to the school before the student may begin using the \nInternet. \nCONSEQUENCES OF BREACH OF POLICY \nUse of all BPS technology resources is a privilege, not a right. By \nusing BPS internet systems and devices, the user agrees to follow \nall BPS regulations, policies, and guidelines. Students and staff \nare encouraged to report misuse or breach of protocols to \nappropriate personnel, including building administrators, direct", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "cb0354e9-50a8-49b5-8edd-4d4af2639a57": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 3 of 13 \n \nsupervisors, and the Office of Instructional and Information \nTechnology (OIIT). Abuse of these privileges may result in one or \nmore of the following consequences: \n\u2022 Suspension or cancellation of use or access privileges. \n\u2022 Payments for damages or repairs. \n\u2022 Discipline under appropriate School Department policies, up \nto and including termination of employment, subject to any \ncollective bargaining obligations. \n\u2022 Liability under applicable civil or criminal laws. \nDEFINITIONS \nFreedom of Information Act (FOIA) - The FOIA is a law that allows \nfor the release of government documents at the request of an \nindividual. A FOIA request can be made to the Boston Public \nSchools for electronic documents/communications stored or \ntransmitted through district systems unless that information \ncould be detrimental to governmental or personal interests. For \nmore information, visit http://www.foia.gov/", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "2be49e1b-dfff-4c30-a065-65d2d60d6410": { + "page_content": "transmitted through district systems unless that information \ncould be detrimental to governmental or personal interests. For \nmore information, visit http://www.foia.gov/ \nFamily Educational Rights and Privacy Act (FERPA) - The FERPA \nlaw protects the privacy, accuracy, and release of information for \nstudents and families of the Boston Public Schools. Personal \ninformation stored or transmitted by agents of the Boston Public \nSchools must abide by FERPA laws and the BPS is required to \nprotect the integrity and security of student and family \ninformation. For more information, visit \nhttp://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html \nChildren\u2019s Internet Protection Act (CIPA) - Requires schools that \nreceive federal funding through the E-Rate program to protect", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "a85792cc-89d9-4257-8d68-4ac97b1ccbf6": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 4 of 13 \n \nstudents from content deemed harmful or inappropriate. The \nBoston Public Schools is required to filter internet access for \ninappropriate content, monitor the internet usage of minors, and \nprovide education to students and staff on safe and appropriate \nonline behavior. \nCOMMUNICATION & SOCIAL MEDIA \nEmployees and students are provided with district email \naccounts and online tools to improve the efficiency and \neffectiveness of communication, both within the organization \nand with the broader community. Communication should be \nconsistent with professional practices used for all \ncorrespondence. When using online tools, members of the BPS \ncommunity will use appropriate behavior: \na) when acting as a representative or employee of the Boston \nPublic Schools. \nb) when the communication impacts or is likely to impact the \nclassroom or working environment in the Boston Public \nSchools.", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "8761e40d-c6fc-4877-bb15-2057e2ef7351": { + "page_content": "Public Schools. \nb) when the communication impacts or is likely to impact the \nclassroom or working environment in the Boston Public \nSchools. \nAll communication sent by an employee using district property \nor regarding district business could be subjected to public access \nrequests submitted through Freedom of Information Act (FOIA). \nUsers need to be aware that data and other material/files \nmaintained on the school district\u2019s systems may be subject to \nreview, disclosure, or discovery. Use of personal email accounts \nand communication tools to conduct school business is strongly \ndiscouraged and may open an individual\u2019s personal account to \nbe subject to FOIA inquiries. BPS will cooperate fully with local, \nstate, and federal authorities in any investigation concerning or", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "d81d4856-a064-4b09-b09c-91fcd4f4d7de": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 5 of 13 \n \nrelated to any illegal activities or activities not in compliance with \nschool district policies or government regulations. \nGUIDELINES FOR ONLINE COMMUNICATION \n\u2022 Communication with students should not include content \nof a personal nature. \n\u2022 When communicating with parents/guardians of students, \nemployees should use email addresses and phone numbers \nlisted in the Student Information System (SIS) unless steps \nhave been taken to verify that the communication is \noccurring with a parent/guardian that has educational \nrights for the student. \n\u2022 When communicating with a parent/guardian, refrain from \ndiscussing any non-related students when possible. \n\u2022 Employees who use internal or external social media (blogs, \nX/Twitter, etc.) are expected to refrain from discussing \nconfidential information and/or discussing specific students. \nInformation that can be traced back to a specific student or", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "e406569f-7e85-489a-b600-812461454d08": { + "page_content": "X/Twitter, etc.) are expected to refrain from discussing \nconfidential information and/or discussing specific students. \nInformation that can be traced back to a specific student or \ncould allow a student to be publicly identified should not be \nposted on any social media sites. \n\u2022 When using social media, employees are expected to refrain \nfrom posting any negative comments online about \nstudents. \n\u2022 Employees are required to notify their principal/headmaster \nbefore setting up an online site to facilitate student learning. \nEmployees are encouraged to monitor/moderate online \ncommunication to the best of their abilities. \n\u2022 Employees are advised not to add any students/former \nstudents or parents as \u2018friends\u2019 or contacts on social media", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "abf46312-1f60-4d27-9757-e0d53c6de477": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 6 of 13 \n \nunless the site is specifically set up to support classroom \ninstruction or school business. \n\u2022 Employees may communicate with BPS graduates (+18 \nyears old) on social media but should be advised to maintain \nprofessionalism and caution when communicating online. \n\u2022 Employees are advised not to add parents/guardians of \nstudents as \u2018friends\u2019 or contacts on social media to maintain \nprofessionalism and to avoid any appearance of conflict of \ninterest. \n\u2022 Avoid responding to spam or phishing attempts that require \na user to click on any links or to provide any account \ninformation. Note: BPS will never ask for a user\u2019s account \npassword for any purpose. Users are advised to report any \nsuspicious requests for account information directly to the \nOIIT Help Desk (617-635-9200). \nSOLICITATION \nWeb announcements and online communication promoting a \nbusiness are prohibited by the BPS Solicitation Policy. The", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "4deeec8f-2fde-494c-b92b-e3a6c5cba494": { + "page_content": "OIIT Help Desk (617-635-9200). \nSOLICITATION \nWeb announcements and online communication promoting a \nbusiness are prohibited by the BPS Solicitation Policy. The \nSuperintendent\u2019s Office may make exceptions if benefits are \njudged sufficient to merit exception.", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "fb77a78b-13c2-4dc1-aab3-18484752afe5": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 7 of 13 \n \nUSE OF COPYRIGHTED MATERIALS \nViolations of copyright law that occur while using the BPS \nnetwork or other resources are prohibited and have the potential \nto create liability for the district as well as for the individual. BPS \nstaff and students must comply with regulations on copyright \nplagiarism that govern the use of material accessed through the \nBPS network. \nUsers will refrain from using materials obtained online without \nrequesting permission from the owner if the use of the material \nhas the potential of being considered copyright infringement. \nBPS will cooperate with copyright protection agencies \ninvestigating copyright infringement by users of the computer \nsystems and network of the Boston Public Schools. \nNETWORK USAGE \nNetwork access and bandwidth are provided to schools for \nacademic and operational services. BPS reserves the right to \nprioritize network bandwidth and limit certain network activities", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "ea473479-e42e-4f27-92d5-442206ffecd6": { + "page_content": "Network access and bandwidth are provided to schools for \nacademic and operational services. BPS reserves the right to \nprioritize network bandwidth and limit certain network activities \nthat are negatively impacting academic and operational services. \nUsers are prohibited from using the BPS network to access \ncontent that is inappropriate or illegal, including but not limited \nto content that is pornographic, obscene, illegal, or promotes \nviolence. \nNETWORK FILTERING & MONITORING \nAs required in the Children\u2019s Internet Protection Act (CIPA), BPS \nis required to protect students from online threats, block access \nto inappropriate content, and monitor Internet use by minors on \nschool networks. OIIT is responsible for managing the district\u2019s", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "d69ba984-3595-4d07-a828-cfd2f3f07af9": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 8 of 13 \n \nInternet filter and will work with the BPS community to ensure \nthe filter meets the academic and operational needs of each \nschool while protecting minors from inappropriate content. \nBy authorizing use of technology resources, BPS does not \nrelinquish control over materials on the systems or contained in \nfiles on the systems. There is no expectation of privacy related to \ninformation stored or transmitted over the BPS network or in \nBPS systems. BPS reserves the right to access, review, copy, store, \nor delete any files (unless other restrictions apply) stored on BPS \ncomputers and all employee and student communications using \nthe BPS network. Electronic messages and files stored on BPS \ncomputers or transmitted using BPS systems may be treated like \nany other school property. District administrators and network \npersonnel may review files and messages to maintain system", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "64e1645e-d68e-4ac2-a106-4a642fc5b63f": { + "page_content": "computers or transmitted using BPS systems may be treated like \nany other school property. District administrators and network \npersonnel may review files and messages to maintain system \nintegrity and, if necessary, to ensure that users are acting \nresponsibly. BPS may choose to deploy location tracking software \non devices for the sole purpose of locating devices identified as \nlost or stolen. \nPERSONAL USE \nBPS recognizes that users may use BPS email, devices, and \nnetwork bandwidth for limited personal use; however, personal \nuse should not interfere with or impede district business and/or \ncause additional financial burden on the district. Excessive use or \nabuse of these privileges can be deemed in violation of the \nAcceptable Use Policy.", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "b37b0e4a-b826-4bef-830e-272da39f3627": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 9 of 13 \n \nNETWORK SECURITY \nThe BPS Wide Area Network (WAN) infrastructure, as well as the \nbuilding-based Local Area Networks (LANs) are implemented \nwith performance planning and appropriate security measures in \nmind. Modifications to an individual building network \ninfrastructure and/or use will affect LAN performance and will \nreduce the efficiency of the WAN. For this reason, any additional \nnetwork electronics including, but not limited to, switches, \nrouters, and wireless access points must be approved, purchased, \ninstalled, and configured solely by OIIT to ensure the safety and \nefficiency of the network. Users are prohibited from altering or \nbypassing security measures on electronic devices, network \nequipment, and other software/online security measures without \nthe written consent of the chief information officer. \nDATA & SYSTEMS \nAccess to view, edit, or share personal data on students and", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "61e58e52-450a-4fda-a3b5-5edd1e6bd3be": { + "page_content": "equipment, and other software/online security measures without \nthe written consent of the chief information officer. \nDATA & SYSTEMS \nAccess to view, edit, or share personal data on students and \nemployees maintained by BPS central offices, individual schools, \nor by persons acting for the district must abide by local, state, \nand federal regulations, including the Family Educational Rights \nand Privacy Act. Student and staff information and data may only \nbe shared with individuals deemed eligible to have access by the \nperson(s) responsible for oversight of that data. Outside parties \nand/or non-BPS individuals requesting protected data must \nreceive approval from the Office of the Legal Advisor and have a \nnon-disclosure agreement with the BPS. Individuals requesting \nongoing access to data through BPS systems are required to \nhave a designated BPS administrator who will act as a \u201csponsor\u201d \nto ensure the safety of the data.", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "8259f8cc-f72b-4a27-9313-2e96e8e0d1c0": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 10 of 13 \n \nELECTRONIC TRANSMISSION OF DATA \nWhen educational records or private data are transmitted or \nshared electronically, staff are expected to protect the privacy of \nthe data by password-protecting the record/file and only using \nBPS systems to transmit data. Staff are also expected to ensure \nrecords are sent only to individuals with a right to said records \nand must take reasonable measures to ensure that only the \nintended recipients are able to access the data. \nPASSWORDS \nUsers are required to adhere to password requirements set forth \nby the Boston Public Schools and the City of Boston when \nlogging into school computers, networks, and online systems. \nUsers are not authorized to share their password and must use \nextra caution to avoid email scams that request passwords or \nother personal information. \nMEDIA & STORAGE \nAll local media (USB devices, hard drives, CDs, flash drives, etc.)", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "1f8e213e-ed12-4146-9ab9-5b4b36d807be": { + "page_content": "extra caution to avoid email scams that request passwords or \nother personal information. \nMEDIA & STORAGE \nAll local media (USB devices, hard drives, CDs, flash drives, etc.) \nwith sensitive data must be securely protected with a password \nand/or encrypted to ensure the safety of the data contained. Use \nof cloud-storage services for storage or transmission of files \ncontaining sensitive information must be approved by the Office \nof the Legal Advisor and OIIT. Users are encouraged to use BPS \napproved data/information systems for the storage and \ntransmission of sensitive data whenever possible and avoid \nstorage on local hardware that cannot be secured.", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "ffc98852-6b92-40b4-bea7-440ea1223db2": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 11 of 13 \n \nELECTRONIC DEVICES \nBPS defines electronic devices as, but not limited to, the \nfollowing: \n\u2022 Laptop and desktop computers, including like-devices \n\u2022 Tablets \n\u2022 Wireless email and text-messaging devices, i.e., iPod \n\u2022 Smartphones \n\u2022 Donated devices \nDEVICE SUPPORT \nBPS provides basic installation, synchronization, and software \nsupport for BPS-issued electronic devices. Devices must be \nconnected to the BPS network on a regular basis to receive up-\nto-date software and antivirus updates and for inventory \npurposes. Password protection is required on all BPS-issued \nelectronic devices to prevent unauthorized use in the event of \nloss or theft. Users are responsible for making periodic backups \nof data files stored locally on their devices. \nLOSS/THEFT \nUsers must take reasonable measures to prevent a device from \nbeing lost or stolen. In the event an electronic device is lost or", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "32745e5e-7c67-4fd2-8e95-16860cd83628": { + "page_content": "of data files stored locally on their devices. \nLOSS/THEFT \nUsers must take reasonable measures to prevent a device from \nbeing lost or stolen. In the event an electronic device is lost or \nstolen, the user is required to immediately notify appropriate \nschool staff and/or their direct supervisor, local authorities, and \nthe OIIT Service Desk (617-635-9200). The BPS will take all \nreasonable measures to recover the lost property and to ensure \nthe security of any information contained on the device. \nRETURN OF ELECTRONIC DEVICES", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "9adcda1f-1675-408b-a8a0-0d9459b0511c": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 12 of 13 \n \nAll technology purchased or donated to the BPS is considered \ndistrict property, and all equipment assigned to employees or \nstudents must be returned prior to leaving their position or \nschool. All equipment containing sensitive information and data \nmust be returned directly to OIIT before it can be redeployed. \nPERSONAL ELECTRONIC DEVICES \nThe use of personal electronic devices is permitted at the \ndiscretion of the principal/head of school and chief information \nofficer. The BPS is not responsible for the maintenance and \nsecurity of personal electronic devices and assumes no \nresponsibility for loss or theft. The district reserves the right to \nenforce security measures on personal devices when used to \naccess district tools and remove devices found to be in violation \nof the AUP. \nENERGY MANAGEMENT \nBPS strives to reduce our environmental footprint by pursuing \nenergy conservation efforts and practices. The district reserves", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "37eb3eeb-5a67-4535-9afe-162559f3ed63": { + "page_content": "of the AUP. \nENERGY MANAGEMENT \nBPS strives to reduce our environmental footprint by pursuing \nenergy conservation efforts and practices. The district reserves \nthe right to adjust power-saving settings on electronics to reduce \nthe energy consumption. \nTECHNOLOGY PURCHASING & DONATIONS \nTechnology hardware and software must be purchased or \ndonated through OIIT unless prior approval has been received by \nOIIT and the Business Office. All technology purchases and \ndonations must abide by City procurement policies and are \nsubject to approval by OIIT. Technology pricing can include \nadditional expenses required to ensure proper maintenance and \nsecurity, including but not limited to warranties,", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "1bb0a292-72cf-49f4-b97f-12dd9998e741": { + "page_content": "Superintendent\u2019s Circular OIIT-01 \nPage 13 of 13 \n \nhardware/software upgrades, virus protection, and \nsecurity/inventory software. Schools or departments applying for \ntechnology grants, funding, or donations must budget for any \nadditional expenses associated with the requested technology \nand can be held responsible for any additional expenses incurred. \nFor more information about this circular, contact: \nName: Director of Technology \nDepartment: Office of Instructional and Information \nTechnology \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9199 \nFax: 617-635-9176 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "OIIT-01 Acceptable Use Policy.pdf", + "source_link": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#OIIT" + } + }, + "2043e57b-6697-40c0-9f09-63518411e576": { + "page_content": "Superintendent\u2019s \nCircular \n \n NUMBER: \nATH-02 \nVersion 01 \n \n \n \nATHLETIC ELIGIBILITY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nASPEN/ ELIGIBILITY MANAGEMENT \nASPEN will be used to manage the students who are interested \nand ultimately participate in athletics each season. The students \nand sports they are participating in should be accurate in ASPEN \nat the start of each season. Key personnel (athletic coordinator, \nnurse, school admin) at the school level will have the ability to see \nthe seasonal list of participating students and the current \neligibility status. Athletic coordinators, athletic trainers, school \nnurses, and coaches should communicate regularly to ensure \nthat ASPEN accurately reflects who is participating on each team. \nThe ASPEN sign-up period will open 8 weeks prior to the start of \nthe season. The sign-up period in ASPEN will close 14 days after", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "1908e743-ff8c-4183-968f-d6643aa527b1": { + "page_content": "that ASPEN accurately reflects who is participating on each team. \nThe ASPEN sign-up period will open 8 weeks prior to the start of \nthe season. The sign-up period in ASPEN will close 14 days after \nthe start of the season. Athletes who start within the 14-day \nwindow must have a minimum of 5 days of practice prior to \nbeing allowed to participate in a game competition. Using the \nlabels provided, each student in ASPEN should be identified as \nfollows: \nAspen Athletic Eligibility Status Definitions \n\u2022 INTEREST: defined as \u201cStudent identifies interest\u201d \u2014 \ncompletes sign-up in ASPEN", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "5fa45e7c-5556-4325-9be7-43650db1e9c2": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 2 of 12 \n \n \n \n\u2022 ACTIVE: defined as \u201cWaiting on student\u201d; i.e., turn in ALL \nrequired documentation known as the BPS Athletic \nParticipation Forms, copy of a valid 13-month physical exam \nto the athletic trainer (or school nurse if athletic trainer not \navailable), and tryout status \n\u2022 ACTION REQUIRED: defined as \u201cCall to action\u201d; \nSchool/Athletic Department submit MIAA waivers/forms \nwhere applicable \n\u2022 INELIGIBLE: defined as \u201cDoes not meet baseline eligibility \nrequirements\u201d; i.e., valid 13-month physical exam on file as \ndocumented in ASPEN, does not meet academic \nenrollment, attendance, or GPA requirements \n\u2022 PENDING: defined as \u201cAwaiting decision from a higher \nauthority\u201d; i.e., MIAA waiver/approval, BPS Athletic \nDepartment, school principal/head of school or designee to \nreview student academic eligibility \n\u2022 ELIGIBLE: defined as \u201cMeets ALL eligibility requirements\u201d for \nparticipation and has MIAA approvals on record with the", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "45afcf31-1ecb-4184-a0a3-4dceca33f022": { + "page_content": "review student academic eligibility \n\u2022 ELIGIBLE: defined as \u201cMeets ALL eligibility requirements\u201d for \nparticipation and has MIAA approvals on record with the \nBPS Athletic Department \n\u2022 INACTIVE: defined as a \u201cno show,\u201d \u201cnot participating,\u201d or \u201cdid \nnot make the team after tryouts.\u201d \n \nRESPONSIBILITIES \nAthletic Coordinator \nWill serve as the athletics liaison and primary contact at the \nschool for the Athletics Department and coaches to support \nathletics. The athletic coordinator will be responsible for student-\nathlete eligibility in collaboration with coaches, athletic trainers, \nschool nurses, and school leadership.", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "5454f11c-4add-407b-9bdd-f7e04d716e82": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 3 of 12 \n \n \n \nHead Coach and Assistant Coaches \nMust be knowledgeable of the MIAA eligibility rules and \nregulations. As interest lists and teams are being organized, \ncoaches must communicate any eligibility concerns to their \nathletic coordinator so they are resolved prior to the start of the \nseason and practice. \nAthletic Department Staff \nWill support schools through the eligibility/waiver process and \nserve as a liaison between the schools and the MIAA. Athletics \nDepartment staff will schedule meetings prior to the start of each \nseason with athletic coordinators, athletic trainers, and school \nnurses (if necessary/indicated) and support staff to review \nstudent-athlete eligibility. Athletic department staff will maintain \nAspen functionality and advise/teach athletic training staff \nnecessary operations of the Aspen system for their needs \nAthletic Trainers \nAthletic trainers are responsible for the primary review of athletic", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "a0d187e5-41ce-43d4-947b-17c1b9c13718": { + "page_content": "necessary operations of the Aspen system for their needs \nAthletic Trainers \nAthletic trainers are responsible for the primary review of athletic \nphysicals and determining the date(s) of valid pre-participation \nphysical examination (PPE) and athlete eligibility based on \nhaving an up-to-date PPE on file. Athletic trainers will route all \nPPE obtained from student-athletes to the school nurse to place \nin the student-athletes file. Athletic trainers will provide coaches \nwith a list of all athletes who have a valid, up-to-date PPE and are \ndeemed eligible to play. \n \nHead of School/Principal \nMust be aware of and officially sign off on eligibility and rosters", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "4b540190-13d5-4f8b-a203-266a1765d643": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 4 of 12 \n \n \n \nfor teams each season. When needed, school leaders must \nsupport and sign off on any MIAA or BPS eligibility waiver \nrequests. New heads of school are required to attend an MIAA \nrules workshop. \nSUMMARY OF HIGH SCHOOL INTERSCHOLASTIC ELIGIBILITY \n\u2022 1.67 or higher GPA (schools may choose to have a higher \nGPA for athletic participation) \n\u2022 Must pass four (4) core classes \n\u2022 School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n\u2022 A physical examination completed within the last 13 months \nstating that the student-athlete is or is not cleared for \nathletics that does not expire before the end of the season, \nwith sports clearance from the r athletic trainer and/or \nschool nurse \n\u2022 Students who turn 19 before September 1 of the current \nacademic year are ineligible unless an age waiver is granted \nby the MIAA. \nSUMMARY OF MIDDLE-LEVEL ELIGIBILITY", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "e2deeafb-e588-4925-9164-b54d7db6e3c7": { + "page_content": "school nurse \n\u2022 Students who turn 19 before September 1 of the current \nacademic year are ineligible unless an age waiver is granted \nby the MIAA. \nSUMMARY OF MIDDLE-LEVEL ELIGIBILITY \n\u2022 2.0 or higher GPA (schools may choose to have a higher GPA \nfor athletic participation) \n\u2022 School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n\u2022 A physical examination completed within the last 13 months \nstating that the student-athlete is or is cleared for athletics \nthat does not expire before the end of the season, with \nverification from the school nurse or athletic trainer and/or \nschool nurse \n\u2022 Students who turn 15 before September 1 of the current", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "369a1ca4-c771-4b3b-97e6-bc3088fd1060": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 5 of 12 \n \n \n \nacademic year are ineligible to compete. \n\u2022 Yearly signed parental consent forms (transferable season to \nseason) \nDETAILED OVERVIEW OF HIGH SCHOOL INTERSCHOLASTIC/ \nMIAA ATHLETICS \n \nSeason Start Date \nFall Sports 3rd Friday in August (Football Aug 18) \nWinter Sports 1st Monday after Thanksgiving (November 27) \nSpring Sports Third Monday of March (March 18, 2024) \n \nParticipating student-athletes must meet the following criteria \nfor eligibility each season. \n \n1) Age (Rule #60) \na) A student shall be under 19 years of age but may \ncompete during the remainder of the school year, \nprovided that their birthday occurs on or after \nSeptember 1 of that year. \n \n2) Transfer Students (Rule #57) \na) A student who transfers from any school to an MIAA \nmember HS is ineligible to participate in any \ninterscholastic athletic contest at any level for a period", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "1dafe5ee-b8e4-452d-aed3-0700e683882b": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 6 of 12 \n \n \n \nof one year in all sports in which that student \nparticipated at the varsity level or its equivalent during \nthe one-year period immediately preceding the \ntransfer. \ni) Note: MIAA Form 200 may be executed between \nthe receiving and sending school principals of \nMIAA member schools only. \nii) All Form 200s must be submitted to the Athletics \nDepartment and MIAA Office for their records. \nb) Reason for Transfer \ni) Exemption to the transfer rule: When a student\u2019s \nschool transfer is necessitated (i.e., required) by a \nchange of residence of their parent(s) to the area \nserved by the school to which they transfer. \nii) This exception does not apply to a change in \ncustody, guardianship, or to a student\u2019s change in \nresidence from one parent to another, nor does it \napply when the student could continue to attend \nthe former school. \n3) Date entered school (MIAA Rule #51) \na) Student-athletes must be enrolled in the school at the", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "b7a52234-36f5-44b5-b6af-ca5cafd458fd": { + "page_content": "apply when the student could continue to attend \nthe former school. \n3) Date entered school (MIAA Rule #51) \na) Student-athletes must be enrolled in the school at the \nstart of the season to be eligible to participate in \nathletics. \nb) This can be appealed with an MIAA waiver. \n4) Student Eligibility: Membership in School (MIAA Rule #55) \na) A student shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation).", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "d174f979-fda0-41d6-bbd7-335e794bce9d": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 7 of 12 \n \n \n \n5) Years of Eligibility \na) When a student enters 9th grade, they are eligible for \nonly four years. \nb) A student shall be eligible for interscholastic \ncompetition for no more than 12 consecutive athletic \nseasons after first entering grade 9. \nc) A waiver can be requested for an additional year of \neligibility if there is an extenuating circumstance \ninvolved. \n6) Grade Point Average (GPA) and Transcripts (MIAA Rule #58) \na) BPS requires that all students must have a cumulative \nGPA of 1.67 (or higher) to be eligible to participate in \ninterscholastic athletics. \nb) During the last marking period preceding the contest \n(e.g., second-quarter marks and not semester grades \ndetermine third quarter eligibility), a passing grade in \nthe equivalent of four major subjects \nc) To satisfy this requirement, a student must have \npassed sufficient courses for that marking period \nwhich carry Carnegie Units totaling the equivalent of", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "4450701f-8b75-4acd-bad1-b05028ce66de": { + "page_content": "the equivalent of four major subjects \nc) To satisfy this requirement, a student must have \npassed sufficient courses for that marking period \nwhich carry Carnegie Units totaling the equivalent of \nfour traditional 1-year major English courses. \nd) Full-Time Student: A student cannot at any time \nrepresent a school unless that student is taking \ncourses that would provide Carnegie Units equivalent \nto four traditional 1-year major English courses. \ne) To be eligible for the Fall marking period, students are \nrequired to have passed for the previous academic year \nthe equivalent of four traditional 1-year major English \ncourses.", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "4f89a855-fe86-4026-b0d8-46294dcbbf8c": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 8 of 12 \n \n \n \ni) Incomplete grades may not be counted toward \neligibility until they are made up following school \npolicy \nii) A student who repeats work in which they have \nonce received credit cannot count that subject a \nsecond time for eligibility. \niii) A student cannot count for eligibility for any \nsubject taken during the summer vacation unless \nthat subject has been pursued and failed during \nthe preceding academic year. \n \n7) Boston Public Schools Athletic Programs Consent for \nParticipation Forms: \na) BPS Athletic Programs Consent for Participation Forms \nmust be completed and on file prior to any student-\nathlete being allowed to participate or play for any BPS \nAthletic Team \nb) All BPS Athletic Programs Consent for Participation \nForms will be sent to the parent/guardian of the \nstudent-athlete after completion of ASPEN registration. \nThese forms will be distributed via DocuSign and will", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "c927ec83-3a73-46f7-9c33-66f2cf433f84": { + "page_content": "Forms will be sent to the parent/guardian of the \nstudent-athlete after completion of ASPEN registration. \nThese forms will be distributed via DocuSign and will \nbe distributed to ATC for review with the school \nathletic coordinator. These forms only need to be \ncompleted once per school year. The BPS Athletic \nPrograms Consent for Participation Forms will consist \nof the following required forms: \ni) Parent/Guardian Consent Form \nii) Acknowledgment of MIAA: \n(1) MIAA Rule 57: Student Eligibility: Transfer", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "32c0adae-0a7a-4030-b940-4053b6031fa6": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 9 of 12 \n \n \n \nStudents \n(2) MIAA Rule 59: Student Eligibility: Time \nAllowed for participation post 9th grade \nenrollment \n(3) MIAA Diversity Equity and Inclusion Pledge \n(new Nov 2022) \niii) Commonwealth of Massachusetts - Chapter 269 \nSection 17: Anti-Hazing Law \niv) Hold Harmless Agreement \nv) Concussion Awareness \nvi) Upload - current physical examination for review \nby ATC \nvii) Media Appearances \nviii) DPH Head Injury Form \nix) MGB Athletic Training Services Agreement \n \n8) Physical Exam (MIAA Rule #56) \na) Participating students must have a valid physical or \npre-participation examination (PPE) completed within \nthe last 13 months. \nb) Physicals or PPE forms must have a statement that \nclears the student for athletic/sports \nc) Physicals or PPE must be completed and on file with \nBPS Athletics in Aspen prior to any student-athlete \nbeing allowed to practice or play for any BPS Athletic \nTeam.", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "aceed69d-06c0-40ec-b7d0-c4f01946250d": { + "page_content": "c) Physicals or PPE must be completed and on file with \nBPS Athletics in Aspen prior to any student-athlete \nbeing allowed to practice or play for any BPS Athletic \nTeam. \nd) Physicals or PPEs must be valid and on file for the", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "d5aa1623-cd5e-4f19-8baa-089a34b867a5": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 10 of 12 \n \n \n \nentire athletic seasons \ne) Physicals or PPEs must include the date of the \nexamination, physician's signature (electronic or \nactual), and wording that states that the student-\nathlete is cleared for athletics or sports competition \n \n9) Enrollment/ Attendance \na) Attendance for the term prior to the season must be \n90% or higher \nb) Students are ineligible to practice or compete if they \nare not in school for more than half of the school day. \nc) For a student to practice with or to represent a MIAA \nmember school in an athletic competition, the student \nmust be duly enrolled in that school (#51). Also, a \nstudent shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation) and have \nbeen issued a report card preceding the contest unless \nentering from an elementary or junior high school at \nthe start of the school year or transfers in from another", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "f6eec424-f057-4f5c-bbe5-8e3a8e1bf2f8": { + "page_content": "been issued a report card preceding the contest unless \nentering from an elementary or junior high school at \nthe start of the school year or transfers in from another \nschool. (MIAA Rule #55.1) \n \n10) MIAA Waiver Request Process \na) All \u201cForm 200s\u201d must be sent to the MIAA office so that \nall transfers are on file. \nb) Student Waiver of Athletic Eligibility waivers must \ninclude the following: \ni) A letter of support from the Principal/AD/School", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "f8186958-319c-4935-9f63-93543862a5fd": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 11 of 12 \n \n \n \nAdministrator addressing the four standards of \nrule 87.5. \nii) Transcripts from every year since first entering \nGrade 9 (including current grades) \niii) Current school year attendance records \niv) Comprehensive athletic resume (now included in \napplication) \nv) League or District Advisory Vote \nvi) Form 200 (if applicable) \nc) The third standard, which must be addressed during a \nwaiver application, was changed to \u201caddress how this \nwaiver will impact the home school student body.\u201d The \nnew language captures the overall impact the waiver \nwill have on the home school student body. \nd) A new section was added to Rule 87 titled \n\u201cAccountability.\u201d This details the process in the event \ninaccurate or incomplete information is presented \nduring the waiver process. \n \n11) MIAA Appeals Process \na) As of Fall 2021, there is only one level of appeal. The \nappeal hearing board will consist of members from", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "af5eb83c-27f6-44bb-9de6-36012f4713f7": { + "page_content": "during the waiver process. \n \n11) MIAA Appeals Process \na) As of Fall 2021, there is only one level of appeal. The \nappeal hearing board will consist of members from \nboth the MIAC and ERB. Their decision is final. \nb) The deadlines to submit waivers are as follows: \ni) Fall - September 21, 2023 \nii) Winter \u2013 December 14, 2023 \niii) Spring \u2013 March 31, 2024", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "2c1f3051-34ff-4f9b-b08d-8b3db7292762": { + "page_content": "Superintendent\u2019s Circular ATH-02 \nPage 12 of 12 \n \n \n \nc) Waivers can be submitted after this date, but there will \nbe no appeal hearings granted. \n \n \nFor more information about this circular, contact: \nOwner: Senior Director, Athletics \nDepartment: Athletics Department \nMailing \nAddress: \nWhite Stadium \nP.O. Box 302205, Jamaica Plain, MA 02130 \nPhone: 617-635-8143 \nFax: 617-635-8147 \nEmail: bpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ATH-02 Athletic Eligibility.pdf", + "source_link": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "f3c6af91-c1a3-4140-b6db-b3cfb617832a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nATH-01 \nVersion 01 \n \nPREVENTION AND MANAGEMENT OF SPORTS-RELATED \nHEAD INJURIES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBACKGROUND \nA concussion is a type of traumatic brain injury caused by a \nbump, blow, or jolt to the head that can affect brain functioning. \nConcussions can also occur from a blow to the body that causes \nthe head to move rapidly back and forth. Even a mild bump or \nblow to the head can be serious. \nConcussions can occur in any sport or recreational activity. \nChildren who return to play while still experiencing symptoms of \na concussion are more likely to have another concussion or other \nlasting effects and symptoms. This circular outlines \nresponsibilities of all who are involved in athletic participation. It \nincludes the following components: \n\u25cf Pre-participation examination, including a history of \nprevious concussions.", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "0b398152-e862-4c2f-addb-bd8067f041ed": { + "page_content": "responsibilities of all who are involved in athletic participation. It \nincludes the following components: \n\u25cf Pre-participation examination, including a history of \nprevious concussions. \n\u25cf Protocols for assessing and managing a child who has a \nconcussion on the field. \n\u25cf Protocols for returning a child who has had a concussion to \nfull participation. \n\u25cf Academic assessment and accommodation for a child with \ncontinued symptoms that interfere with cognitive function \nand academic progress.", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "1699028d-2807-4a46-8bba-830f3b4107d6": { + "page_content": "Superintendent\u2019s Circular ATH-01 \nPage 2 of 7 \n\u25cf Prevention of head injuries and health promotion activities \nthat contribute to safe sports participation. \nHEADS OF SCHOOL AND PRINCIPALS SHALL BE RESPONSIBLE \nFOR: \n\u25cf Support and enforce the utilization of appropriate protocols, \nrequired documentation, training, and reporting outlined in \nthese procedures. \n\u25cf Supervising and reviewing that all documentation is in \nplace. \n\u25cb All active coaches must complete the annual \nconcussion certification required by the \nCommonwealth of Massachusetts. \nCOACHES, CERTIFIED ATHLETIC TRAINERS, ATHLETIC \nCOORDINATORS, SCHOOL NURSES, AND VOLUNTEERS (EMS, \nSPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR: \n\u25cf Completing the annual educational training on \nidentification and management of head trauma. \n\u25cf Ensuring and documenting that all students/families have \nsubmitted: \n\u25cb Updated physical examinations consistent with \nCommonwealth of Massachusetts and Massachusetts", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "022a99d0-0aa5-42c6-a190-5a7082e83a44": { + "page_content": "\u25cf Ensuring and documenting that all students/families have \nsubmitted: \n\u25cb Updated physical examinations consistent with \nCommonwealth of Massachusetts and Massachusetts \nInterscholastic Athletic Association (MIAA) sports \nparticipation guidelines. \n\u25cb Consents for: participation in athletics, emergency on-\nfield care, non-emergent injury or illness evaluation \nand associated follow up treatment related to athletics, \ndocumentation, travel, and medication.", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "cee6e6fd-5fd1-4084-818f-fb0d841a8a13": { + "page_content": "Superintendent\u2019s Circular ATH-01 \nPage 3 of 7 \n\u25cb Completed department pre-participation forms (BPS \nSports Medical Questionnaire) before participating in \npractice or extracurricular athletic activities. \n\u25cb Commonwealth of Massachusetts head injury form. \n\u25cb An indication that the family has reviewed educational \nmaterials about concussion. \n\u25cf Ensuring that the medical history questionnaire and pre-\nparticipation sports physical form(s) are delivered to the \nschool nurse and certified athletic trainer (ATC) in a time \nframe consistent with the sport. The school nurse and \nathletic trainer will discuss any student with a concussion \nhistory (as indicated by the athlete's primary care physician, \npre-participation sports physical, or parent history) with \ntheir coach. All athletes must be cleared by the school \nnurse and athletic trainer in order to play. \n\u25cf Teaching techniques aimed at minimizing sports-related \nhead injury: \n\u25cb Discouraging and prohibiting student athletes from", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "238acf4a-ae43-41c5-b9d6-b824a3f98e63": { + "page_content": "nurse and athletic trainer in order to play. \n\u25cf Teaching techniques aimed at minimizing sports-related \nhead injury: \n\u25cb Discouraging and prohibiting student athletes from \nengaging in any unreasonably dangerous athletic \ntechnique that endangers the health or safety of a \nstudent, including using a helmet or any other sports \nequipment as a weapon. \n\u25cb Identifying students with head injuries or suspected \nconcussions that occur in play or practice and \nremoving them from play, using either: \n\u25a0 Coach/volunteer recognition of potential head \ninjury \n\u25a0 Sideline assessment of concussion evaluation for \nMDs and ATCs.", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "33a27a58-e07e-455f-9734-120a7a10fda3": { + "page_content": "Superintendent\u2019s Circular ATH-01 \nPage 4 of 7 \n\u25cf The results of the evaluation or screening tool must be \navailable to the school nurse and parent/guardian, who will \nforward it to the PCP or other designated physician. \n\u25cf The coach, athletic trainer, or physician who observed and \nevaluated the concussion shall complete the DPH \nCommonwealth of Massachusetts Report of Head Injury \nDuring Sports Season form and the Department Report of \nHead Injury form and transmit it to the athletic director, the \nparent/guardian, the school nurse, and the athletic trainer. \n\u25cf Communicating promptly with the parent/guardian of any \nstudent removed from play and providing them with \ndocumentation to bring to the student athlete\u2019s PCP or \nother designated physician. This documentation must \ninclude the DPT Commonwealth of Massachusetts Post \nSports-Related Head injury Medical Clearance and \nAuthorization form. This form must be completed by the \nphysician and returned to the school nurse and athletic", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "3bc5f1ab-4d28-48d1-826a-d45097f3a98d": { + "page_content": "Sports-Related Head injury Medical Clearance and \nAuthorization form. This form must be completed by the \nphysician and returned to the school nurse and athletic \ntrainer. This form will be reviewed by the school nurse or \nathletic trainer and is required before the student athlete is \nallowed to begin a Return to Play protocol. \n\u25cf No student can return to play without clearance by the \nschool nurse or athletic trainer in consultation with a \nphysician per 105 CMR 201. \n\u25cf All student athletes who have sustained a concussive event \nmust complete a graduated Return to Play protocol unless \notherwise stipulated by the treating physician, assuring that \nall documentation is in place by conducting an annual \ncompliance audit. This includes documentation that all \nstudents have:", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "aca5bbf1-2993-414f-83da-2fd343fdf8a2": { + "page_content": "Superintendent\u2019s Circular ATH-01 \nPage 5 of 7 \n\u25cb pre-participation PEs, consent forms, and \nparent/athlete sign off that concussion information has \nbeen reviewed. \n\u25cb list of all students with concussion \n\u25cb documentation of follow up for each student with \nconcussion; documentation that athlete is cleared to \nplay. \nTHE SCHOOL NURSE AND ATHLETIC TRAINER WILL BE \nRESPONSIBLE FOR: \n\u25cf Completing the required annual educational training on \nconcussion: \n\u25cb School nurses will complete the Concussion \nManagement in Massachusetts Schools course \nprovided by Boston University School Health Institute \nannually. \n\u25cf Reviewing any questions raised by the athletic director \nand/or coaches, reviewing all medical questionnaires and \nphysical exams. \n\u25cf Athletic trainer: Following up with parents/guardians as \nneeded prior to the student's participation in extracurricular \nathletic activities. \n\u25cf School nurse: Following up with parents/guardians as", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "9e8c8513-6557-43d7-b172-e331afb5cf61": { + "page_content": "needed prior to the student's participation in extracurricular \nathletic activities. \n\u25cf School nurse: Following up with parents/guardians as \nneeded prior to the student's participation in classroom \nactivities. \n\u25cf Maintaining documentation of the medical questionnaire \nand physical in SNAP (the electronic medical record). \n\u25cf Maintaining documentation of the head injury assessments \nin the student's health record in the electronic medical \nrecord.", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "787af3f4-daa1-4369-bf61-2e7aa5acdde0": { + "page_content": "Superintendent\u2019s Circular ATH-01 \nPage 6 of 7 \n\u25cf Ensuring that any student who has experienced a \nconcussion or head injury, during sports activities or \notherwise, provides documentation of medical care and \nproper clearance to return to sports activities using the \nCommonwealth of Massachusetts Post Concussion \nClearance Form. \n\u25cf Participating in the graduated reentry planning meeting for \nstudents who have been diagnosed with a concussion to \ndiscuss any necessary accommodations or modifications \nwith respect to academics, course requirements, homework, \ntesting, scheduling, and other aspects of school activities \nconsistent with a graduated reentry plan for return to full \nacademic and extracurricular activities after a head injury \nand revising the health care plan as needed. \n\u25cf Presenting appropriate and relevant medical information to \nthe service team, on a need-to-know basis maintaining \nstudent privacy. \n\u25cf Monitoring recuperating students with head injuries and", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "e25288f3-c75a-4935-8549-94a62642fd83": { + "page_content": "\u25cf Presenting appropriate and relevant medical information to \nthe service team, on a need-to-know basis maintaining \nstudent privacy. \n\u25cf Monitoring recuperating students with head injuries and \ncollaborating with teachers and coaches to ensure that the \ngraduated reentry plan for return to full academic and \nextracurricular activities. \n\u25cf Providing beginning of school year review of concussions as \nwell as ongoing educational materials on head injury and \nconcussion to teachers, staff, and students. \n \n \nPARENTS/STUDENTS SHALL BE RESPONSIBLE FOR: \n\u25cf Ensuring that the child has: \na. A valid up to date pre-participation physical", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "b350052f-33f9-48c6-a968-a9e127f5d3f1": { + "page_content": "Superintendent\u2019s Circular ATH-01 \nPage 7 of 7 \nb. A completed sports medical questionnaire \nc. Completed the Commonwealth of Massachusetts Pre-\nParticipation Head Injury and Concussion Reporting \nForm for Extracurricular Activities \n\u25cf Reviewing concussion materials, including signed \ndocumentation of the review on the athletic permission \nform. \n\u25cf Ensuring that the child with a concussion is evaluated by \nPCP or other appropriate physician even if there has already \nbeen emergent transport deemed necessary by EMS or AT \nevaluation. \n\u25cf Working with the school nurse, athletic trainer, and the \nservice team to safely implement return to play guidelines. \nFor more information about this circular, contact: \nOwner: Senior Director, Athletics \nDepartment: Athletics Department \nMailing Address: White Stadium, P.O. Box 302205, Jamaica \nPlain, MA 02130 \nPhone: 617-635-8143 \nFax: 617-635-8147 \nEmail: bpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf", + "source_link": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ATH" + } + }, + "b82fd9a6-de1e-4f6b-b48a-90320014e9cd": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nACA-18 \nVersion 01 \n \nATTENDANCE AND PUNCTUALITY POLICIES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \nThis circular reflects the School Committee\u2019s approved policies \nand procedures for attendance and punctuality. It contains \ndetailed guidelines on: \n\u25cf Policy background \n\u25cf Chronic absenteeism \n\u25cf Attendance policy \n\u25cf Covid-19 attendance protocols \n\u25cf Punctuality policy (tardiness) \n\u25cf Recording and maintaining student attendance \n\u25cf Recording and following up on DNRs (did not reports) \n\u25cf Discharge/withdrawal protocols \n\u25cf Notification to parents/caregivers of student absence \n\u25cf Notifying parents/caregivers of a missing child \n\u25cf Safety concerns related to attendance \n\u25cf Approving home & hospital tutoring \n\u25cf Procedures for referral to supervisors of attendance \nBACKGROUND AND GENERAL PRINCIPLES \nIt is an essential priority of the Boston Public Schools to", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "14635ea6-0c7e-48d2-b9cc-d1d315338ed9": { + "page_content": "\u25cf Approving home & hospital tutoring \n\u25cf Procedures for referral to supervisors of attendance \nBACKGROUND AND GENERAL PRINCIPLES \nIt is an essential priority of the Boston Public Schools to \nencourage students to maintain consistently high attendance \nrates throughout the school year. Students cannot take full \nadvantage of academic and extracurricular opportunities unless", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "7ccd751f-cc56-46bb-b074-cf55ee1d47c0": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 2 of 41 \n \n \nthey are in school consistently. All BPS schools and their School \nSite Councils are expected to implement comprehensive \nprevention and intervention strategies to improve student \nattendance each school year. \nThe BPS student attendance policy was approved by the School \nCommittee in 1998-1999. It was revised in May 2006 and June \n2007 to include the system-wide prohibition of using cutoff times \nto refuse students\u2019 entry into buildings and the additional \nflexibility for schools to promote and ensure consistently high, \non-time attendance. It was further revised in 2018 to include \ncultural and religious holidays as an eligible excused absence \ncategory. In 2021, it was revised to discontinue the policies of \nconverting tardies to absences and issuing grades of \u201cNo Credit \n(NC)\u201d based on attendance, as well as elevating the importance of \nfocusing on chronic absenteeism, where all absences and missed", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "3ec54879-ec9a-4b35-95be-2c1b78decfdc": { + "page_content": "converting tardies to absences and issuing grades of \u201cNo Credit \n(NC)\u201d based on attendance, as well as elevating the importance of \nfocusing on chronic absenteeism, where all absences and missed \ninstructional time are considered to have a detrimental impact \non student outcomes. \nOn December 10, 2015, the Every Student Succeeds Act (ESSA) \nwas signed into law, reauthorizing the federal Elementary and \nSecondary Education Act of 1965 (ESEA). The law includes \nprovisions to help ensure improved outcomes for all students \nreceiving elementary and secondary education, including the \nfollowing: \n\u25cf States must establish high academic content standards, and \nschools must teach all students those standards to help \nprepare them for college and careers. \n\u25cf States, districts, and schools must share information with \nfamilies, students, and communities regarding annual \nstatewide assessments that measure students' progress \ntoward these high standards.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "fb871d7b-920f-4aa6-84e9-8dcb73b3b385": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 3 of 41 \n \n \n\u25cf States and districts must establish systems of support and \naccountability for all schools and provide particular support \nto the lowest-performing schools, schools with low-\nperforming subgroups, and schools with low graduation \nrates. \nUnder ESSA, each state must develop a consolidated state plan \nthat documents a comprehensive approach to improving \noutcomes for all students. The Massachusetts Consolidated State \nPlan under the Every Student Succeeds Act, approved in \nSeptember 2017, indicates that the state has included chronic \nabsenteeism as one of the accountability index indicators (core \nmeasures) to be adopted by all schools and school districts. \nThrough this policy, each school is given a target goal to reduce \nchronic absenteeism each school year. The BPS Attendance \nPolicy described in this document (ACA-18) has been updated to \nreflect changes to the core measures as it relates to attendance \nand chronic absenteeism.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "f03b24cc-190c-478a-8f0a-377acf5e6f1c": { + "page_content": "Policy described in this document (ACA-18) has been updated to \nreflect changes to the core measures as it relates to attendance \nand chronic absenteeism. \nCHRONIC ABSENTEEISM \nResearch recognizes that addressing chronic absenteeism is one \nof the most important priorities in an equitable approach to \nattendance, as chronically absent students are less likely to be \nsuccessful academically and are disproportionately students of \ncolor. Chronic absenteeism is defined as missing 10 percent or \nmore of the school year in any given period. All absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. For an entire \nschool year, a student who misses 18 school days, or about two \ndays per month, will be considered chronically absent. Students \nwho do not show up to school regularly miss out on fundamental \nlearning skills and the chance to build a habit of consistent", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "0e0addb5-e20f-4230-bcd6-42bf27627743": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 4 of 41 \n \n \nattendance that they can maintain in their post-secondary \neducation, their career, and throughout their life. \nChronic absenteeism significantly increases the likelihood that a \nstudent will fall off-track academically and struggle to keep pace \nwith their peers. Chronic absenteeism in the early grades can \ninfluence whether a student reads proficiently by the end of the \nthird grade; and by the sixth grade, it becomes a leading \nindicator of whether a student will drop out of high school. \nConsistent with the attendance policy is the need to maintain \naccurate, timely, and appropriate records, including information \non the attendance of students and documentation of reasons for \nabsence. Accordingly, all staff must keep accurate records, \nmaintain documentation, and communicate with \nparents/caregivers in a timely and effective manner to ensure \nsound school attendance practices. In addition, Boston Public", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "d73e61c6-f25c-4a56-b9d4-a6b7fb67f9bf": { + "page_content": "maintain documentation, and communicate with \nparents/caregivers in a timely and effective manner to ensure \nsound school attendance practices. In addition, Boston Public \nSchools is committed to addressing chronic absenteeism \nthrough prevention and intervention strategies at the school and \ndistrict levels that better support students and families to \nmaintain consistently high, on-time attendance. Each school will \nprioritize prevention and intervention strategies that reduce \nchronic student absenteeism. \nThe following general principles apply: \n\u25cf Schools are required under the law to maintain an accurate \nrecord of student attendance. \n\u25cf Schools at all levels are required to make a concerted effort \nto contact the parent or caregiver each time students are \nabsent.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "1d7ef003-ca14-4336-8129-5f46171645a9": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 5 of 41 \n \n \n\u25cf School leaders bear the final responsibility for attendance in \ntheir schools and complying with attendance and \npunctuality policies and procedures. \n\u25cf External agency support will be sought in those cases where \nschool-based meetings do not achieve a positive continuum \nin parental attitude and/or student attendance patterns. \nBOSTON PUBLIC SCHOOLS ATTENDANCE POLICY \nAttendance: Per the Department of Elementary and Secondary \nEducation (DESE)\u2019s attendance policy, a student must be at \nschool, at a school-related activity, or receiving academic \ninstruction for at least half of the school day to be counted as \npresent. Students who are not physically present at school but \nreceive academic instruction from the district for at least half of \nthe school day should be counted as present. Examples of \nacademic instruction include tutoring, online learning, or \ndistance learning provided by the district. Under this guidance,", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "713584c6-2393-4482-817e-7091b353f173": { + "page_content": "the school day should be counted as present. Examples of \nacademic instruction include tutoring, online learning, or \ndistance learning provided by the district. Under this guidance, \nthere are limited circumstances in which a student can be \nmarked \u201cconstructively present.\u201d \nAllowable circumstances to mark a student constructively \npresent: \n\u25cf Participation in Home & Hospital Instruction \n\u25cf Special education school visit \n\u25cf Out-of-district special education placement \n\u25cf Student is in Department of Youth Services (DYS) custody \n\u25cf Succeed Boston (alternative to suspension) \n\u25cf College tour or college interview when sponsored by the \nschool or approved by the school leader", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "5b70c91a-11dc-49ea-837a-6c628be0b0b2": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 6 of 41 \n \n \nLength of Time: A student must attend school for at least a half-\nday to be marked \u201cpresent.\u201d Check with the school leader to \ndetermine what constitutes a half-day. In most schools, it is: \n3 hours in elementary school \n3 hours and 5 minutes in middle school \n3 hours and 10 minutes in high school \n \nCredit Recovery (No Credit Policy Discontinued): To facilitate \ncompetency-based grading across the district, the No Credit (NC) \npolicy regarding students having three unexcused absences in a \nmarking term (four unexcused absences in schools with three \nmarking terms) has been discontinued. As a result, schools \nshould no longer assign grades of \u201cNo Credit (NC)\u201d to students. \nThe following guidance has been provided regarding credit \nrecovery for students: \n\u25cf Passing grades should be competency-based, which may be \nimpacted by attendance due to missed assignments or \nschoolwork but should not be tied exclusively to attendance", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "9680dddf-7216-479c-9985-1fcd2d039ba9": { + "page_content": "recovery for students: \n\u25cf Passing grades should be competency-based, which may be \nimpacted by attendance due to missed assignments or \nschoolwork but should not be tied exclusively to attendance \nor participation. \n\u25cf It is essential that schools reach out early and often to \nstudents at risk of a failing grade. \n\u25cf As an alternative, schools may mark a student with an \n\u201cincomplete\u201d grade to enable equitable learning recovery. \n\u25cf In all cases, a student not earning a passing grade must be \ngiven the opportunity and responsibility to equitably \nrecover any learning loss or make up the work missed \nwithin a marking period to earn a passing grade. \nExcused/Unexcused Absences: Certain absences may be \nexcused, meaning the absence will not be considered as it relates", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "d62edc00-3ec4-4d71-95ef-dfcb8ac07019": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 7 of 41 \n \n \nto a referral to truancy court by a supervisor of attendance under \nMassachusetts law (see Massachusetts General Law c.119). \nHowever, all missed instructional time has the potential to \nnegatively impact student outcomes. In addition, all absences are \nincluded as they relate to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. \n\u25cf For an absence to be excused, students must bring in a note \nafter each day they are absent. \n\u25cf The note must include the date absent, the reason for the \nabsence, a phone number where a parent or caregiver can \nbe reached, and the parent or caregiver\u2019s signature. \n\u25cf Upon return to school, the note must be provided no later \nthan seven (7) school days after the absence. \n\u25cf Excused absences may include: \na. An illness or injury that prevents the student from \nattending school. If the illness or hospitalization results in", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "001e1b5a-8f63-4db4-b957-0aa7e248df3e": { + "page_content": "\u25cf Excused absences may include: \na. An illness or injury that prevents the student from \nattending school. If the illness or hospitalization results in \nabsence for three or more consecutive days, a note from a \nhealth care provider documenting the health problem or \nhospitalization should be attached to the \nparent/caregiver note. Parents/caregivers are not \nexpected to have a letter from a health care provider for \nan illness of fewer than three days. The requirement to \nhave a letter from a health care provider will not \nsupersede specific public health determinations or \nguidance. The school nurse can be consulted regarding \nany questions or changes to this policy based on specific \ncircumstances. See COVID-19 Health and Safety Protocol \nfor students who exhibit symptoms of COVID-19.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "e505e41c-1868-4bb4-9782-7edcd01a450b": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 8 of 41 \n \n \nb. A death in the immediate family (parent/caregiver, \nsibling, grandparent, aunt, uncle, cousin) or other \nsignificant personal or family crisis. \nc. Suspension: Students should be marked as suspended. In \ncases of suspension, the school will provide an \nopportunity for the student to maintain academic \nstanding in school by being provided a list of assignments \nand other services which might enable the student to use \nthe time out of school productively. \nd. Students assigned to Succeed Boston shall be assigned \nwork by the school of assignment and marked \nconstructively present. \ne. Court appearances: Students should present evidence of \nthe requirement of the court appearance. \nf. Medical or psychological tests during the school day: The \nparent/caregiver must show evidence (such as a note \nfrom the health center) that the tests could not be \nscheduled after school. \ng. Visits to special education schools in some cases for", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "0deb0345-170a-4aa7-8b05-2328bcb08c01": { + "page_content": "parent/caregiver must show evidence (such as a note \nfrom the health center) that the tests could not be \nscheduled after school. \ng. Visits to special education schools in some cases for \nstudents with disabilities. \nh. Other situations: From time to time, situations over which \nthe school, parent/caregiver, and student have little or no \ncontrol may cause absences (for example, transportation \nthat does not operate during inclement weather). These \nabsences are excusable. The school leader may determine \nthat the students impacted shall be marked with an \nexcused absence. \ni. Other extraordinary situations, such as a family \nemergency, as approved by the school leader.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "4d240d6d-3835-4686-b101-9ae84e846a98": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 9 of 41 \n \n \nj. Cultural holidays and religious holy days: To \naccommodate students\u2019 cultural and religious \nobservances on days when schools are in session, such \nabsences will be marked excused with the reason code \n\u201cReligious Holiday\u201d upon submitting a valid note signed \nby a parent or guardian. Please see Superintendent\u2019s \nCircular LGL-06 for more guidance or contact your \ndesignated supervisor of attendance. The following is a \nlist of examples of holidays that are eligible to be excused: \nDiwali, Eid al Adha, Edit al Fitr, Lunar New Year, Orthodox \nGood Friday, Rosh Hashanah, Three Kings Day, and Yom \nKippur. This is not an exhaustive list, and students may \nrequest that absences be excused for other cultural \nholidays and religious holy days. Schools should provide \nopportunities for students who are excused to observe \ncultural holidays and religious holy days to submit missed \nassignments or other makeup work for their absence.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "8810b76a-8149-4a1b-888a-ed322c1e4cc2": { + "page_content": "opportunities for students who are excused to observe \ncultural holidays and religious holy days to submit missed \nassignments or other makeup work for their absence. \nPlease contact the Office of Equity, 617-635-9650 or \nbpsequity@bostonpublicschools.org, regarding any concerns \nrelated to a student absence that is more than two consecutive \ndays or is not included on this list. This can include participation \nin a cultural ceremony, bereavement or funeral, pilgrimage, trip, \netc., that requires students to be absent for more than two days. \nIn these instances, a student may be required to meet the \nfollowing criteria to be eligible to be given an excused absence of \nmore than two days for observance of a cultural or religious \nholiday or for bereavement to attend a funeral for more than two \ndays: \n\u25cf The student is not chronically absent, meaning the student \nattended more than 90% of the school days to date. \n\u25cf The student is earning a passing grade in all courses.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "f6374a22-cee4-4306-acc6-a9f1a13fe078": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 10 of 41 \n \n \nAbsences that do not meet the above criteria will be considered \nunexcused. In all instances of student absence, students must be \ngiven the opportunity to equitably recover any missed work or \nlearning loss during a marking period. \nCOVID-19 HEALTH AND SAFETY PROTOCOL \nStudents, families, and schools should observe the latest \nguidance from the Center for Disease Control (CDC), BPS Health \nServices, and the Boston Public Health Commission as it relates \nto COVID-19 health and safety protocols. Absences as appropriate \nper the most up-to-date COVID-19 protocols are considered \nexcused due to \u201cmedical/illness.\u201d \nRECORD-KEEPING AND ATTENDANCE IMPROVEMENT \nSchool leaders bear final responsibility for improving attendance \nin their schools, balancing between accountability and positive \nengagement in their approach, and ensuring that performance \nevaluations reflect staff members\u2019 efforts in complying with this", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "0205e43c-76d7-464b-8459-880d93fb82ea": { + "page_content": "in their schools, balancing between accountability and positive \nengagement in their approach, and ensuring that performance \nevaluations reflect staff members\u2019 efforts in complying with this \npolicy and achieving the goal of improved attendance. \nSchool-based governance: Each school\u2019s Attendance Team (AT) \nserves a critical role in prevention and intervention steps for \nstudents with high absenteeism. It is a best practice for school \nattendance teams to work in conjunction with the SST to refer \nstudents when all available attendance intervention strategies \nhave been unsuccessful. It is also best practice for schools to \ninitiate prevention steps with students in the early days of the \nschool year or marking period. Schools should review students\u2019 \npast attendance history to initiate prevention steps for students \nwith a history of high absenteeism and refer students to the \nschool\u2019s AT. Students with three or more unexcused absences will", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "3d1cf679-5a25-4d84-9e8c-7cabadc123d7": { + "page_content": "past attendance history to initiate prevention steps for students \nwith a history of high absenteeism and refer students to the \nschool\u2019s AT. Students with three or more unexcused absences will \nbe referred by a teacher or the school leader to the school\u2019s AT on \nan ongoing basis. The AT will review the case and work with the", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "ab77ac35-aabf-4938-b3e5-5ee1dbb1d7e0": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 11 of 41 \n \n \nfamily to develop a success plan to help the student improve \nattendance. School-based rules should be amended to include \nattendance-related guidelines established through the Quality \nSchool Plan (QSP). See Attendance Team Overview for additional \nguidance. \nATTENDANCE IMPROVEMENT PLAN \nDeveloped as part of the QSP, a school\u2019s Attendance \nImprovement Plan provides a roadmap of the critical prevention \nand intervention activities a school will conduct throughout the \nschool year to ensure consistently high, on-time attendance for \nall students. Each school is required to update its attendance \nstrategies in the QSP every 90 days. Schools should link a \ndocument with their attendance prevention and intervention \nsteps by tier into the QSP. \nTo assess their implementation progress and request more \nintensive assistance, the AT should complete the QSP \nAttendance Implementation Progress Tool (Q3PT) at the 30- and", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "33ad7a0a-a275-4ddb-9498-d595a7760efc": { + "page_content": "To assess their implementation progress and request more \nintensive assistance, the AT should complete the QSP \nAttendance Implementation Progress Tool (Q3PT) at the 30- and \n60-day marks of the QSP cycle. \nThe Attendance Fundamentals by Tier serve as an additional \nresource. \nThis program should start with a warm and welcoming school \nclimate and should include phone calls home, student meetings, \nparent/caregiver meetings, development of an attendance \nplan/contract, attendance coaching, referral to Student Success \nTeam meetings, and/or attendance meetings. \nConsistent follow-up and outreach to students and families \nstruggling with chronic absenteeism is a fundamental best \npractice. Schools are expected to use the Panorama Student \nSuccess Platform to monitor student attendance progress, as", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "d47a3a99-f7f5-4e20-9b28-baa41a5856a1": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 12 of 41 \n \n \nwell as to document interventions and success plans. Schools \nshould also connect with community-based programs or \norganizations that can support truancy issues. \nDifferentiating the Use of Aspen SIS and Panorama Student \nSuccess Platform: \nThe Aspen Student Information System (SIS) is the system to \ncapture critical information for student records and maintain \ncompliance with regulatory requirements. As it relates to \nattendance, schools will take attendance in Aspen. However, \nschools expect to use the Panorama Student Success Platform to \ndocument all attendance prevention and intervention activities, \nusing both the Support Notes feature and Tier 2 and 3 \nAttendance Success Plans. Student attendance data entered in \nAspen is transmitted nightly to Panorama for attendance \nmonitoring and student success planning purposes. Staff should \nuse both Aspen and Panorama as follows: \nAspen will be used to:", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "489f0a44-99cf-4d6e-8312-34ca17ee214f": { + "page_content": "Aspen is transmitted nightly to Panorama for attendance \nmonitoring and student success planning purposes. Staff should \nuse both Aspen and Panorama as follows: \nAspen will be used to: \n\u25cf input daily student attendance. \n\u25cf house the master student schedules and courses. \n\u25cf enter course grades. \n\u25cf house individual teacher schedules. \n\u25cf record teacher attendance. \n\u25cf record confidential student journal entries. \n\u25cf recommend to Suffolk County Juvenile Court and record \ndocumentation for an Attendance Intervention Plan (AIP). \nPanorama Student Success will be used to: \n\u25cf display student data. \n\u25cf house Attendance Success Plans (Tier 2 and Tier 3).", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "7837b994-ac70-49d3-83d9-622accb00be0": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 13 of 41 \n \n \n\u25cf assign team members for communication and \ncollaboration. \n\u25cf record support notes related to student interventions and \nstudent success plans. \n\u25cf help track information in one place, including assessments \nfrom Illuminate. \nNote: The SOA is responsible for copying Attendance Success \nPlan documentation from Panorama if the case is recommended \nto the court and in other cases as necessary for compliance. \nAll Attendance Success Plans should be recorded as Tier 2 or Tier \n3 plans in Panorama. Panorama allows the planning and \nrecording of interventions, along with notes, to monitor the \neffectiveness of these interventions in setting improvement goals \nin the student success planning process. Attendance teams at \nthe school level ensure Attendance Success Plans are created \nand monitored in Panorama for all students with high chronic \nabsenteeism. At a minimum, every student who has attendance", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "58b084f9-e1fd-40fe-ad55-0881c3df51cf": { + "page_content": "the school level ensure Attendance Success Plans are created \nand monitored in Panorama for all students with high chronic \nabsenteeism. At a minimum, every student who has attendance \nat or below 80% (appearing as attendance critical in \u201cred\u201d) should \nhave an Attendance Success Plan in Panorama. It is a best \npractice for schools to coordinate and communicate student \nsuccess planning with families. It is also a best practice for \nschools to establish an attendance success plan at the beginning \nof the school year for students who were chronically absent in \nthe previous school year. Effective student success planning \nrequires sharing the responsibility of plan creation, monitoring, \nand intervention strategies among school staff, including \nteachers, in collaboration with families, \nWho should have an Attendance Success Plan? \nStaff create the plan based on data in Panorama:", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "800e885e-25c4-4ac9-8e89-562b70f9f4fc": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 14 of 41 \n \n \n\u25cf Tier 2 plans (best practice): Students whose attendance is \n90% or below will display as chronically absent in Panorama \n(yellow). \n\u25cf Tier 3 plans (required): Students whose attendance is 80% or \nless will appear as attendance-critical (red). \nAn additional quality check: \n\u25cf Identify students with an AIP tag in Aspen (this tag indicates \nthe student has high absenteeism in the current marking \nperiod and is eligible for truancy court referral). \nWhat are the Essential Steps when creating an Attendance \nSuccess Plan? \nCreate Attendance Success Plan in Panorama, and remember \nthese two key details: \n\u25cf Log as Attendance \n\u25cf Log as Tier 2 or Tier 3 \n\u25cf Monitoring the plan collaborative and keeping it updated is \nessential to successful outcomes \n\u25cf Panorama will house student success plans (Tier 2 and Tier \n3) \u2014 academic, attendance, behavior. \nYou will find more help with Panorama at the Office of Data &", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "d97d4cbe-a9a1-4f59-8011-75067be667d5": { + "page_content": "essential to successful outcomes \n\u25cf Panorama will house student success plans (Tier 2 and Tier \n3) \u2014 academic, attendance, behavior. \nYou will find more help with Panorama at the Office of Data & \nAccountability (ODA) Platforms Help Site. \nQuestions: mtssdata@bostonpublicschools.org \nBOSTON PUBLIC SCHOOLS PUNCTUALITY POLICY \nStudents who arrive after the beginning of the school day are \ntardy. They must follow established tardy procedures to be \nconsidered present for the day. \nAll students are expected to report to school on time every day. It \nis the policy of the Boston School Committee (approved May 24,", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "77056a30-8201-40e8-b15d-80dcc8ff864a": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 15 of 41 \n \n \n2006) that tardy students should be permitted into the school \nbuilding and not excluded. School leaders are directed to: \n(a) review their current school tardy policies in conjunction \nwith School Site Councils, \n(b) develop reasonable, non-exclusionary practices to deal \nwith student tardies and positive incentives to encourage \npunctuality, and \n(c) closely monitor compliance with these policies. \n \nIt is important to remember that the requirement that tardy \nstudents be admitted to school does not equal a relaxation of the \nrules covering attendance or tardies. Schools must make every \neffort to encourage punctuality and discourage tardies. Schools \nare also encouraged to distinguish between first-time instances \nand repeated tardiness. \nAccording to School Committee policy (approved June 6, 2007), \nall high schools are directed to work with their School Site \nCouncils and student representatives to establish fair and", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "dcf3bdcc-019f-4b33-a21f-86839f0129ce": { + "page_content": "According to School Committee policy (approved June 6, 2007), \nall high schools are directed to work with their School Site \nCouncils and student representatives to establish fair and \nreasonable procedures to decrease student tardiness. These \nprocedures must adhere to the following guidelines: \n1. Families must be notified by telephone call, in writing, or by \nemail of a student\u2019s tardies. Schools should follow the same \nprevention/intervention steps conducted for student \nabsences. \n2. High school tardy procedures should explicitly detail how \nthey plan to further involve families in working with \nstudents who exhibit excessive tardiness. As a rule of thumb, \nexcessive tardiness can be defined as being tardy for 10% or \nmore of school days.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "458bce7a-a9ba-479c-81ae-81d66172e5e2": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 16 of 41 \n \n \n3. High schools\u2019 tardy procedures should be linked in their \nQuality School Plan (QSP), the development of which is the \nresponsibility of the School Site Council. \n4. As a best practice, all schools should establish attendance \nsuccess plans in Panorama for students exhibiting excessive \ntardiness. \nAll high schools, including pilot and Horace Mann charter schools, \nare required to complete their tardy procedures with the above \nguidelines (and other incentives/supports as deemed necessary \nby the School Site Council) no later than October. Each school \nmust maintain a copy of its tardy procedures on file. \n1. The teacher must take attendance at the beginning of every \nclass period in middle and high schools. After comparison of \nperiod attendance with the school's daily attendance, \nstudent cuts should be noted and addressed following the \nappropriate prevention/intervention steps.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "67bdb3c8-177d-4aa0-9d23-a1e4e4802d2b": { + "page_content": "period attendance with the school's daily attendance, \nstudent cuts should be noted and addressed following the \nappropriate prevention/intervention steps. \n2. Middle and high school students who are tardy should be \nmarked absent for any class(es) they miss. \n3. A student must be in attendance at least half of the school \nday to be considered present. Notations of early dismissal \nmust be recorded with the time of dismissal, and \ndocumentation indicating the reason should be kept on file \nin accordance with school protocol. \nATTENDANCE RECORDS \nThe accounting and reporting of the attendance or absence of \neach student assigned to a school is one of the school leader's \nmost critical responsibilities. Attendance record-keeping must be \nprecise to ensure accurate accounting of each student and \ntimely reporting of student attendance daily in the Aspen SIS. \nEvery school leader is required to account for the attendance", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "24907957-d5da-41de-858f-5bebec014f71": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 17 of 41 \n \n \nand/or absence of students and is required to investigate and \ntake appropriate action for each absence. \nGENERAL ATTENDANCE REQUIREMENTS \n1. Attendance procedures must be reviewed with school staff \nby school leaders during the teacher professional \ndevelopment and training program before each school year. \nEach teacher must sign a document maintained at the \nschool, verifying that they received these procedures and \ntraining. \n2. During the first week of school, homeroom teachers at all \nlevels should make personal calls to the parents/guardians/ \ncaregivers of their students to introduce themselves and \ninvite the parents/guardians/caregivers either to visit the \nschool or to call at any time to check on the attendance and \nprogress of their children. The message should reinforce the \nneed for consistent attendance and the procedures a \nparent/caregiver should follow if their child is absent. In the", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "1954065b-f257-45c7-b0de-ef5e1c4efd64": { + "page_content": "progress of their children. The message should reinforce the \nneed for consistent attendance and the procedures a \nparent/caregiver should follow if their child is absent. In the \nevent any student has not reported at the start of the school \nyear, the teacher should inquire about the student\u2019s failure \nto attend. Teachers should document all communications \nby updating the Aspen SIS with the attendance reason code, \nincluding if a student will not be returning to school, and \nupdate Panorama success plans and/or support notes when \napplicable. \nStudents are expected to report within eight (8) days of the \nfirst day of school or after an initial assignment. On the \neighth day, the student will automatically become a DNR \n(Did Not Report) and be discharged from the school. Schools \nhave the responsibility to contact the parent/caregiver if a \nstudent has not reported. Parents/caregivers should be", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "440464f5-b152-4504-9667-de88a9922120": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 18 of 41 \n \n \nmade aware of this procedure when called if their children \nhave not reported. \nNote: School leaders should always refer to the DNR \nProcedure Memo released annually by the Office of \nWelcome Services for the latest information regarding the \nDNR process. This memo also outlines the procedures for a \nDNR Exception. See the DNR Exception Form. \nDNR PROCEDURE \nFor all students who do not report to school (DNR), the \nfollowing procedures are in effect: \ni. A student will hold a NAS (Newly Assigned Student) \ncode for a maximum of five (5) days after the first \nday of school or after the initial assignment. On the \nsixth day, a student will automatically become a \nDNR (Did Not Report). \nii. A student will hold a DNR code for a maximum of \nthree (3) days. At the end of the third day, a DNR \nstudent will automatically lose their seat at the \nassigned school. This will occur at the close of \nbusiness on the eighth (8th) day of school.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "33d2b704-76a0-41f3-9121-ad81e7b623be": { + "page_content": "three (3) days. At the end of the third day, a DNR \nstudent will automatically lose their seat at the \nassigned school. This will occur at the close of \nbusiness on the eighth (8th) day of school. \niii. On the third day of DNR status (or on the eighth day \nsince the first day of school or of initial assignment), \na student's seat will be eliminated, allowing the \nOffice of Welcome Services to assign another \nstudent to that seat. \niv. The student will remain on the DNR list of the \nschool. See below for important details:", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "7f4e2756-c8aa-4d43-a33c-c4729cbdc0b8": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 19 of 41 \n \n \nEach school leader still has the responsibility of \ninvestigating the situation and, if necessary, ultimately \ndischarging the student to remove them from the DNR list. \nThe discharge cannot happen until the school has \nconducted an exit interview and collected appropriate \ndocumentation from the family. This documentation must \nbe uploaded to Aspen. Please see the DNR Aspen Guide. \nIf you know that a student does not plan to enroll in BPS for \nthe current school year and you have collected appropriate \ndocumentation from the family, you can withdraw them \nfrom BPS without waiting for them to be withdrawn as a \nDNR at the end of the eight-day period. \nPlease make sure to maintain a record of the appropriate \ndocumentation, upload it to Aspen, and use the appropriate \ndischarge code when discharging the student. Here is a link \nto the BPS Discharge Codes. \nFor students with an IEP, the Special Education Department", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "6831814d-2f55-4964-a8d3-713121a64aba": { + "page_content": "discharge code when discharging the student. Here is a link \nto the BPS Discharge Codes. \nFor students with an IEP, the Special Education Department \nmust also conduct an exit interview to inform the student \nand caregivers of their rights. \nThe assigned supervisor of attendance (SOA) should be \nnotified to provide additional assistance when a school \ncannot locate a student. \nNote: The DNR process does not automatically discharge \nany high-need special education students in an inclusion or \nsubstantially separate program (.3 or .4 students). \n3. School Attendance Teams (AT) at all levels are directed to \nmonitor student attendance using the Panorama Student \nSuccess Platform and, in cases that so require, make \nreferrals to the Student Success Team (SST) and/or the", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "9cb561a7-0faf-487a-9412-d89101565935": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 20 of 41 \n \n \nappropriate health or human/social service agencies or \ndistrict services. \nOne of the initial responsibilities of the AT, in collaboration \nwith the SST, shall be to address the issues of (1) DNR \nstudents and (2) students who were chronically absent in \nthe previous school year. \nThe status of each student who did not report (DNR) at the \nstart of the school year must also be investigated and \ndetermined before discharging the student. \nA primary focus of the AT is developing school-based \nabsence prevention and intervention strategies. A three-\ntiered attendance system should be established, with \ndefined prevention and intervention practices that promote \nconsistent attendance among all students. The Attendance \nFundamentals by Tier is a resource and the BPS Tiered \nAttendance System (TAS) is available to all schools as a \nframework to help establish and improve their attendance \npractices across tiers.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "bf543c2c-eada-44c4-a95e-b2441579a1e7": { + "page_content": "Fundamentals by Tier is a resource and the BPS Tiered \nAttendance System (TAS) is available to all schools as a \nframework to help establish and improve their attendance \npractices across tiers. \n4. Complex cases and students with extensive patterns of \nchronic absenteeism should be referred to supervisors of \nattendance and/or the SST as appropriate after extensive \nprevention/intervention steps have been tried and \ndocumented. \nWITHDRAWING STUDENTS \nOnce the school year has begun, the withdrawal of students that \nare no longer enrolled at your school can be made at the school \nlevel, not by Central Office staff. It is imperative that school staff \nverify where the student is enrolled prior to withdrawing a \nstudent. Please remember to keep documentation as to where", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "1e62de9b-aaf8-48a0-a986-57e538377033": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 21 of 41 \n \n \nthe student is enrolling. Written or emailed documentation is \npreferred. If the family texts you, we suggest sending a \nscreenshot to your email to make sure it is saved. This \ndocumentation must be uploaded to the Aspen SIS. Also, please \nmake sure to use the appropriate discharge code when you \nwithdraw the student from BPS. Here are BPS Discharge Codes. \nAcceptable documentation for withdrawing students includes: \n1. A written request for a student\u2019s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This \nincludes requests from the receiving school that come to \nthe district through Scrib Order. \n2. Written record of a response from an official in the receiving \nschool or program acknowledging the student\u2019s enrollment. \n3. Written confirmation that a student has moved to another \ncountry and will be continuing their education. For example,", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "1478d69b-db39-4cb7-b234-f0e3f606cbae": { + "page_content": "school or program acknowledging the student\u2019s enrollment. \n3. Written confirmation that a student has moved to another \ncountry and will be continuing their education. For example, \nif a parent informs a school administrator that the family is \nleaving the country, the school administrator may \ndocument this conversation in writing. \n4. Letter from a parent/guardian updating the school \nenrollment status of their child, including indication that \nthey will be continuing their education elsewhere. \n5. Letter from the BPS Office of Expanded Learning Time \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process) \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "60ec64bc-32ed-43fa-80ce-747cf3dd1acb": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 22 of 41 \n \n \nAspen HelpDoc BPS Withdrawal Codes for a table of withdrawal \ncodes with acceptable matching documentation. \nNote: The assigned supervisor of attendance should be notified \nto provide additional assistance when a school cannot locate a \nstudent. \nDISCHARGE PROCEDURES \nStudents 16 Years of Age or Older On October 1st of the School \nYear \u2013 Per MGL Ch. 76 Sec. 18: \n1. By the first week of October, the school leader shall have \naccess to the list of students with the designation NAS or \nDNR. \n2. Within 5 days of the tenth consecutive absence, the school \nleader must contact in writing (in the primary language \nspoken in the home) the parent/caregiver of the student 16 \nyears of age or older to inform them of the requirements of \nMGL c.76 s.18, and to request a meeting to discuss the \neducational implications for the student if they do not \nreturn to school, the benefits of earning a diploma, the", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "97b596fb-47fa-46d5-9b75-d824643e29c2": { + "page_content": "MGL c.76 s.18, and to request a meeting to discuss the \neducational implications for the student if they do not \nreturn to school, the benefits of earning a diploma, the \nstudent\u2019s reason(s) for wanting to leave school, and to \nconsider alternative education or other placements. The \nnotice shall offer at least two dates and times for an exit \ninterview, that the parties will agree to a date, and that the \nmeeting will take place within 10 days after the sending of \nthe notice. The school leader must reproduce and use the \nsample form letter linked here and submit a copy to the \ndirector of the BPS Re-Engagement Center within one \nweek. For students who have an IEP, the Special Education \nDepartment must also conduct an exit interview to inform \nthe student and caregivers of their additional due process \nrights.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "6bf35ef0-3578-4213-b743-eb552c44af40": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 23 of 41 \n \n \n3. The school leader must conduct the meeting at the \nconvenience of the parent/caregiver, but within 10 days of \nthe sending of the notice. Upon parent/caregiver request, an \nextension not to exceed 14 days may be granted. \n4. If the student reports to school after the exit interview with \nthe parent/caregiver, the school leader must ensure that the \nstudent is marked \u201cP\u201d on the attendance record. \n5. If the student does not or shall not return to school after the \nexit interview with the parent/caregiver, the school leader \nmust request a statement of the parent/caregiver on the \nSample Form Letter linked here. Submit a copy of this letter \nto the BPS Re-Engagement Center and operational leader \nand discharge the student using the protocol described in \nthis circular. This form is for a student whose assignment \nwithin the Boston Public Schools is to be terminated, i.e., the", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "7d68b310-3b07-49ef-bb0d-2167727b672d": { + "page_content": "and discharge the student using the protocol described in \nthis circular. This form is for a student whose assignment \nwithin the Boston Public Schools is to be terminated, i.e., the \nstudent is going to a private or public school outside the \nCity of Boston, or the unknown student whose absences \nhave been investigated thoroughly, or the student who has \n\"dropped out\" of school. This process requires the following: \na. Retain one copy of the documentation at the school in \nwhich the discharge is initiated. \nb. Upload documentation to the Aspen SIS. \nc. Issue one copy to the parent/caregiver of the student \ngoing to a private school or another public school \nsystem. \nd. Issue one copy to the superintendent of the new school \nsystem. If the student has transferred to either a \nprivate school or to a charter school, this copy is sent to \nthe principal of the new school.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "bf839c11-577a-4893-a91f-ec6e4025a6ab": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 24 of 41 \n \n \n6. Only after a good-faith effort to include the parent/caregiver \ncan the exit interview with the student take place without \nthe presence of the parent/caregiver. \n7. The school leader must maintain detailed and readily \naccessible records for each student justifying the activation \nof discharge, which should be uploaded to the Aspen SIS. \nStudents Under 6 Years of Age on October 1st of the School Year \n1. Within a week after the receipt of the NAS/DNR printout, \nthe school leader must contact in writing the \nparent/caregiver of the student to inform them that a place \nfor the student has been reserved in the educational \nprogram of the school. The parent/caregiver is encouraged \nto ensure the student's attendance, AND the student must \nreport within one week, or the student shall be discharged. \nPlease use the attached form letter. \n2. If the student does not report within one week, the school", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "a3648111-08f7-48ac-ad17-9a78bc16c958": { + "page_content": "report within one week, or the student shall be discharged. \nPlease use the attached form letter. \n2. If the student does not report within one week, the school \nleader must discharge the student according to the \nprocedures described in this circular. No additional \ncommunication with the parent/caregiver is required. \nNote: School leaders shall not discharge a student between \nthe ages of six and sixteen years until all procedures noted \nin this circular are completed. Written notice should be \nreceived by the supervisors of attendance. \nDischarge Codes \nIt is important to use the appropriate discharge code when \nwithdrawing the student from BPS. Here is a copy of the \nBPS Discharge Codes.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "ff18fe3f-8b55-4365-8125-7e6ad7cc795e": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 25 of 41 \n \n \nGENERAL ATTENDANCE AND PUNCTUALITY PROCEDURES \n1. School leaders must designate a member of their staff who \nwill be responsible for coordinating and monitoring the \nschool's attendance plan. This person shall report directly to \nthe building administrator concerning this effort and should \nbe part of the school AT. A best practice is to have this \nperson lead or co-facilitate the AT when appropriate. The \nplan should take a whole-school approach and fully engage \nthe staff in implementing a tiered attendance system. \nSchool leaders should also ensure that staff is assigned to \nmonitor attendance data and trends on an ongoing basis, \nwhich may require additional training from the Office of \nInstructional and Information Technology, Office of Data \nand Accountability, or Department of Opportunity Youth \n(SOAs). \n2. Each student is marked Absent in the Student Information \nSystem (SIS) on the first day of school and must be marked", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "4fcb0308-2ebc-4384-8c0f-743615374c55": { + "page_content": "and Accountability, or Department of Opportunity Youth \n(SOAs). \n2. Each student is marked Absent in the Student Information \nSystem (SIS) on the first day of school and must be marked \nPresent to begin official enrollment. Enter a P on the first \nday of attendance. Students who appear after the first day \nof school should be entered on the date of appearance with \na P. \n3. Official attendance will be taken and reported on the SIS \nsystem by teachers. The central office will make an \nautomated call to all students coded as Absent by 11:00 am \nevery day. \n4. Students who arrive after the beginning of the day are tardy. \nThey must follow established tardy procedures to be \nconsidered present for the day.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "a8869a48-f19c-4030-bd39-71cd68027efb": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 26 of 41 \n \n \nSUGGESTED STRATEGIES TO ADDRESS TARDINESS AND \nABSENTEEISM \nIn developing their Attendance Improvement Plan, schools \nshould focus on a positive approach to attendance, using \nconsistent prevention/intervention steps and implementing \nspecific strategies to address tardiness and absenteeism. The \ndistrict has developed a Tiered Attendance System (TAS) to \nsupport schools in ensuring the consistency and effectiveness of \ntheir attendance practices across the school, while the Panorama \nStudent Success Platform provides a framework to track and \nmonitor individual student attendance, interventions, and \nsuccess planning. See also Attendance Fundamentals by Tier. \nExamples of strategies to address tardiness and absenteeism \ninclude: \n\u25cf Tiered intervention and prevention programs: \nTier 1: Reliable attendance reporting from every \nclassroom; positive school climate initiatives such as", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "94eeac21-2784-4a9e-91da-db93a3327d70": { + "page_content": "include: \n\u25cf Tiered intervention and prevention programs: \nTier 1: Reliable attendance reporting from every \nclassroom; positive school climate initiatives such as \nmaintaining positive relationships among school staff, \nstudents, and families; consistent intervention and \nprevention activities with documentation in Panorama; \nSchool Attendance Committee; School Attendance \nCulture. \nTier 2: Targeted attendance letters; attendance contracts; \nstudent/family conferences; attendance success plans; \nattendance coaching; mentorship programming. \nTier 3: Intensive case management or mentorship; \nspecialized programming; assigning staff to intentional \nstudent check-ins; connections with and/or referrals to \nspecific support services or community resources. \n\u25cf Use of restorative justice practices", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "ffc5a069-7709-45e7-b043-f5b0b27464d1": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 27 of 41 \n \n \n\u25cf Parent/caregiver and/or student-centered conferences \n\u25cf Contracting with the student and/or parent/caregiver \n\u25cf Learning Recovery/Attendance Buy-Back Time (for repeated \ntardiness or unexcused absences) \nNote: Schools are prohibited from excluding students from \nphysical activity during the school day, such as during recess \nor physical education, as a disciplinary consequence. However, \na student may be prohibited from participating in athletics or \nextracurricular activities on a school day when an unexcused \nabsence causes a student to miss more than 50% of the school \nday. \nSuggested other steps: \n\u25cf Make MBTA schedules available at schools. \n\u25cf Post rules on tardiness and punctuality in visible locations. \n\u25cf Hold a conference with student and family for repeated \ntardiness. \n\u25cf Make phone calls to families of students who are tardy. \n\u25cf Work with Attendance Team and/or SST and/or to", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "c21cb637-81ce-4994-916e-abf71d255579": { + "page_content": "\u25cf Hold a conference with student and family for repeated \ntardiness. \n\u25cf Make phone calls to families of students who are tardy. \n\u25cf Work with Attendance Team and/or SST and/or to \ninvestigate root causes for student tardiness. \n\u25cf Establish Student Planning Centers. \nPlease see the BPS Code of Conduct for additional guidance \nregarding suggested strategies. \nNOTIFICATION TO PARENTS/CAREGIVERS WHEN STUDENTS \nARE ABSENT \nSchool leaders should inform all students and parents/caregivers \nby means of a written bulletin, newsletter, or SchoolMessenger at \nthe beginning of each school year of the Attendance Policy and \nthe basic school attendance procedures adopted by the School", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "1652b9fc-3607-4a0b-b7f9-03ab67b1e467": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 28 of 41 \n \n \nSite Council. This information should be sent in the language of \nthe home. \nParents/caregivers should be advised that a signed note of \nexplanation shall be required each time a student is absent. The \nnote should state the date(s) of absence, the reason, the \nparent/caregiver contact information, and the parent/caregiver \nsignature. The note should be sent in on the day the student \nreturns to school. The note must be received within seven (7) \nschool days following the absence. Here is a Sample \nParent/Caregiver Note for Excused Absence. Schools are \nexpected to use Panorama to document and monitor attendance \nintervention activities, including documentation of each step \ndescribed below. \n1. First Absence \nThe building administrator is responsible for ensuring that \nschool staff notifies parents/caregivers by telephone of all \nstudent absences. This is best accomplished by the \nhomeroom teacher. In these conversations,", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "25f63b0e-2067-4a88-8e2b-a6df563bcb65": { + "page_content": "school staff notifies parents/caregivers by telephone of all \nstudent absences. This is best accomplished by the \nhomeroom teacher. In these conversations, \nparents/caregivers should be reminded of (1) the need to \nsubmit a note of explanation to document the reason each \ntime a student is absent, (2) the importance of consistent, \non-time attendance for a student to be successful in school, \nand (3) that unexcused absences could result in the student \nfalling behind academically. \n2. Second and Third Absence \nParents/caregivers must be notified in writing no later than \nthe student\u2019s third absence (even if the absences were \n\u201cexcused\u201d) and on a regular basis thereafter. This notification \nshould include the attendance requirement, the number of", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "4f5d1ba2-5b50-41c3-8ebb-f82f2acb3c9a": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 29 of 41 \n \n \ndays missed compared to the number of school days in the \nmarking period, and the impact of continued absence on \nthe student\u2019s success. Note: These absences do not need to \nbe consecutive. This letter must be written in the language \nof the home. Here is a Sample Absence Letter which can be \nplaced on the school\u2019s letterhead. \n3. Third Unexcused Absence \nAfter the third unexcused absence, the student must be \nreferred to the SST by the homeroom teacher. The team will \nreview the case and meet to develop recommendations to \nassist the student in improving attendance. The team may \ninvite the parent/caregiver and, at the secondary level, the \nstudent to the meeting; however, if the parent/caregiver \ndoes not attend the meeting, an effort must be made by the \nschool to contact and discuss the case with the \nparent/caregiver. It is recommended that the SST develop \nan attendance success plan in Panorama at this step.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "3f470f13-b6f0-4118-b444-a9ab5c12eedd": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 30 of 41 \n \n \n4. Fourth Unexcused Absence \nAt the fourth unexcused absence in any term, a meeting \nshall be convened by the school leader, to which the \nparent/caregiver shall be invited. If the school is unable to \ncontact the parent/caregiver, a home visit should be \nconducted. The implications of student absence from \nschool, as well as the current academic status of the \nstudent, will be discussed at this meeting. The success plan \ndeveloped by the SST after the third unexcused absence \nshould be reviewed. \n5. Fifth Through Seventh Unexcused Absence \nAt the fifth unexcused absence, the student and the family \nshould be referred to the Family Resource Center or \nassigned supervisor of attendance. \n6. Eighth Unexcused Absence \nAfter the eighth unexcused absence, for a student younger \nthan 16 years of age, the school\u2019s designated attendance \nrepresentative shall coordinate with the assigned supervisor", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "3ee117ea-324e-404c-998f-e3899d1310f1": { + "page_content": "After the eighth unexcused absence, for a student younger \nthan 16 years of age, the school\u2019s designated attendance \nrepresentative shall coordinate with the assigned supervisor \nof attendance to determine if it is necessary and appropriate \nto file a truancy case with the Suffolk County Juvenile Court. \nInstructions for Recommending an Attendance Intervention \nPlan for Court describe the necessary steps to recommend a \ncase for court. In addition, the school should coordinate with \nthe school social worker for additional support. \nThis Notification to Parents/Caregivers When Students Are \nAbsent condenses the process described above. It serves as a \nreference document for staff.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "30c171f5-c1c5-4bc9-8cee-e12d773e82c2": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 31 of 41 \n \n \nAbsence, tardy, and early dismissal notations must be recorded in \nthe Aspen SIS daily as the official system of record. School-wide \nattendance monitoring using the Panorama Student Success \nPlatform should be conducted by the school leader or their \ndesignee on a regular basis, but no less frequently than monthly. \nEXCUSED ABSENCES \nThe student attendance record must be updated to reflect the \nexcused absence. An excused absence is defined as an absence \ncaused by sickness, injury, hospitalization, court appearances, \nreligious holy days, or the death of an immediate family member. \nThe school may accept other reasons for an excused absence as \napproved by the school leader; however, if a note of explanation \nis not received, the absence shall be deemed \u201cunexcused.\u201d \nHowever, it is important to remember that all absences are \nincluded as it relates to chronic absenteeism, regardless of", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "d4659ebe-bba4-49ed-8582-f15a2f3d285b": { + "page_content": "is not received, the absence shall be deemed \u201cunexcused.\u201d \nHowever, it is important to remember that all absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. Prevention and \nintervention steps should be conducted by the school to \nminimize missed instructional time, regardless of whether \nabsences are excused or unexcused. In addition, \nparents/caregivers should be informed of the definition of \nchronic absenteeism and the impact it has on student outcomes: \nChronic absenteeism is defined as missing 10 percent or more of \nthe school year in any given period. All absences are included as \nit relates to chronic absenteeism, regardless of whether the \nabsence is excused or unexcused. For an entire school year, a \nstudent who misses 18 school days, or about two days per month, \nwill be considered chronically absent. \nParents/guardians/caregivers should be informed, as part of the", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "c7186726-dff4-4284-a185-dae92940c314": { + "page_content": "student who misses 18 school days, or about two days per month, \nwill be considered chronically absent. \nParents/guardians/caregivers should be informed, as part of the \nSchool-Based Rules, of those reasons that are accepted as", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "25338a93-fcba-47c3-af52-9843195b53f3": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 32 of 41 \n \n \n\u201cexcused\u201d and those that are not acceptable to excuse an \nabsence. \nNOTIFICATION TO PARENTS/CAREGIVERS SHOULD A CHILD \nLEAVE SCHOOL \n1. All students must be supervised by a responsible adult at all \ntimes during the school day. \n2. Should a child be noted as missing, the school leader should \nbe notified immediately. \n3. After an initial search of the school and immediate \nneighborhood, the parent/caregiver should be notified by \ntelephone as promptly as possible, and the appropriate \ndepartments should be notified. (See Superintendent\u2019s \nCircular SAF-09, Lost Children Procedures). \nSAFETY CONCERNS RELATED TO ATTENDANCE \nTo maximize the protection and safety of all students, schools \nshould take the following measures: \n1. Emphasize to the parent/caregiver that they should arrange \nto be sure that their children reach the bus stop on time \nevery morning and that they board the bus. This should be", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "69f9add5-28e7-48de-a7d2-568a4c1eb5ee": { + "page_content": "1. Emphasize to the parent/caregiver that they should arrange \nto be sure that their children reach the bus stop on time \nevery morning and that they board the bus. This should be \nstressed in newsletters sent home at the start of each school \nyear. \n2. Inform the parent/caregiver that they should notify the \nschool by telephone each day that their child will be absent \ndue to illness, etc. \n3. Inform the parent/caregiver as soon as possible, including \nthrough the SchoolMessenger system, of their children\u2019s \nabsence.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "98b1e555-5738-4845-b5df-9b1c8032be3d": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 33 of 41 \n \n \n4. Ensure that the parent/caregiver supplies the school with \naccurate, up-to-date home and emergency telephone \nnumbers and indicates the place their children should go if \nthey miss the bus, e.g., the home of a relative, friend, \nneighbor, etc. These emergency numbers should be \nupdated as necessary. \n \nHOME & HOSPITAL TUTORING \nWhen a physician determines that a student is physically unable \nto attend school for more than 14 consecutive days or anticipated \nto accumulate more than 14 absences in a school year, the \nstudent should be offered tutoring at home or in the hospital. \nThe referral should be made to the Home & Hospital Instruction \nprogram when the school nurse receives a Physician Statement. \nThe attendance for students participating in the Home & Hospital \nInstruction Program should be marked \u201cconstructively present\u201d \n(CP). The school must document in writing all offers of home", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "92596bff-77b3-43d4-af3d-2f914cc61179": { + "page_content": "The attendance for students participating in the Home & Hospital \nInstruction Program should be marked \u201cconstructively present\u201d \n(CP). The school must document in writing all offers of home \ntutoring and acceptances or rejections by the parent or caregiver. \nIf a parent/caregiver rejects home tutoring or other appropriate \nacademic services for a child who will be absent for an extended \nperiod, a record of that rejection must be retained in the \nstudent\u2019s file, and a 51A should be filed with the Department of \nChildren and Families (DCF). When it is deemed by the student\u2019s \nattending physician or pediatrician that they will be confined to a \nhome or hospital setting for more than 60 days, the student will \nthen be considered for evaluation (if not a student with an IEP); \nor if a student with an IEP, the student will then be considered for \na possible IEP amendment or new IEP by the Office of Special \nEducation under state regulation 603 CMR 28.04(4).", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "7d11c1e7-afac-4b2c-83ab-a736b3935c99": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 34 of 41 \n \n \nPROCEDURES FOR REFERRAL TO SUPERVISORS OF \nATTENDANCE \nSOAs build schools\u2019 capacity to reduce chronic absenteeism. See \nSOA Overview for details on how they can support your school. \nThis iteration of the attendance policy calls on schools to take \nownership of attendance and supportive interventions and to use \nreferrals to supervisors of attendance as only a measure of last \nresort. In that context, this circular reflects the Boston Public \nSchools\u2019 procedures for referring students to the supervisors of \nattendance (SOA). Under M.G.L. c.119, Section 21, Section 39E, \nSection 39F, and Section 39G, Boston Juvenile Court may hear \npetitions to determine if a child needs services. In Boston Public \nSchools, only the SOA may file a Child Requiring Assistance (CRA) \npetition on behalf of the district for attendance or behavior-\nrelated matters. \n It contains guidelines on: \n\u25cf Procedures for referrals and Attendance Intervention Plan", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "23b3b7dd-bbba-4d4a-a429-09edc7beeb00": { + "page_content": "petition on behalf of the district for attendance or behavior-\nrelated matters. \n It contains guidelines on: \n\u25cf Procedures for referrals and Attendance Intervention Plan \n(AIP) \n\u25cf Child Requiring Assistance (CRA) filings \n\u25cf Adult Failure to Cause (ADF). \nBACKGROUND \nM.G.L. c.119 Part 1 Title XII Chapter 69 Section 10 states that the \nDepartment of Elementary and Secondary Education shall adopt \nregulations establishing a truancy prevention program \ncertification process, consistent with the behavioral health and \npublic schools framework developed pursuant to section 19 of \nchapter 321 of the acts of 2008, and shall require that the truancy \nprevention program evaluate the level of out-of-school support \nfor students and families and address conditions that make \nstudents more likely to become truant including, but not limited", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "a1efb86b-972a-4764-9c64-9eba50889c07": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 35 of 41 \n \n \nto, previously unidentified or inadequately addressed special \nneeds, bullying, and harassment. Any truancy prevention \nprogram established under this section by a school district shall \nmeet the requirements for certification adopted by the \ndepartment. \nSupervisors of attendance, working in collaboration with school \nstaff and external agencies, may file a court referral based on \ninvestigative findings, prior attendance patterns, and present \nproblematic attendance. The filing of a CRA is the last resort if \nother interventions by school, external agencies, and/or \nattendance staff fail to bring about improvement. \nThe SOA may file the following CRA petitions with the mandatory \nparent/caregiver date of birth: \n\u25cf Habitually Truant: Civil charge filed on students who miss \nschool for 8 days in a quarter. \n\u25cf Student Who Repeatedly Fails to Obey Regulations of the \nSchool: Civil charges filed on students who repeatedly fail to", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "ab24cdad-7574-4e2e-adb8-f007ff20dd86": { + "page_content": "school for 8 days in a quarter. \n\u25cf Student Who Repeatedly Fails to Obey Regulations of the \nSchool: Civil charges filed on students who repeatedly fail to \nobey the lawful and reasonable regulations of the student\u2019s \nschool. \n\u25cf Adult Failure to Cause: Petition filed when a student\u2019s \nabsence is beyond their control, but due to a caretaker\u2019s \naction or inaction, e.g., the child is too young to get to school \non their own. \nATTENDANCE INTERVENTION PLAN (AIP) \nWhile all attendance intervention activities should now be \ndocumented in the Panorama Student Success Platform, the \nAttendance Intervention Plan (AIP) is available for each student \nhaving four or more unexcused absences in the Aspen SIS. The \nAIP in Aspen SIS serves the following purposes:", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "cbf10aa4-2d62-405a-873d-d991f1e47f10": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 36 of 41 \n \n \n\u25cf To identify students who are eligible for a court referral due \nto eight or more unexcused absences in a marking period. \n\u25cf For school leaders to recommend a case to court as a last \nresort when all attendance prevention/intervention \nstrategies have been exhausted. \n\u25cf To document any compliance-related attendance \nintervention activities, particularly for cases that are \nrecommended to the court. Supervisors of attendance \n(SOAs) will ensure that any compliance-related \ndocumentation from Panorama is also entered to Aspen \n(that is: if a case moves toward the court, the SOA is \nresponsible for copying the intervention plan from \nPanorama into Aspen). \n\u25cf For a quality check, wherein school attendance staff can \nverify that all students who have an AIP generated in Aspen \nSIS (because of four or more unexcused absences in a \nmarking period) also have an Attendance Success Plan", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "dc535fd2-ff20-4aac-a292-7ab775d672cb": { + "page_content": "verify that all students who have an AIP generated in Aspen \nSIS (because of four or more unexcused absences in a \nmarking period) also have an Attendance Success Plan \ncreated in Panorama. As a best practice, all chronically \nabsent students should have an Attendance Success Plan in \nPanorama. \nOnce a student has eight unexcused absences in a marking \nperiod, the school leader may recommend the AIP for court in \nthe SIS. Supervisors of attendance (SOAs) will ensure that any \ncompliance-related documentation is also entered into Aspen, \nincluding the attendance success plan, with attendance \nintervention steps that were conducted with the student, as \ndocumented using Panorama. \nThe parent/caregiver date of birth (DOB) is required in the judicial \nprocess. The AIP will require the submission of the \nparent/caregiver date of birth and documentation of intervention", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "95b26c8f-eeb1-4081-8a98-5a862272767c": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 37 of 41 \n \n \nsteps as an Attendance Success Plan in Panorama. Without this \ninformation, the AIP cannot be recommended for court. \nThe SOA will investigate and report their recommendation in the \nSOA comment section. The comments can be viewed by the \nsenders and the school leaders. The senders and the school \nleaders can view the comments. Instructions for Recommending \nan Attendance Intervention Plan for Court are here. \nSCHOOL STEPS IN THE CHILD REQUIRING ASSISTANCE (CRA) \nPROCESS \nCRA: Truancy \n1. Upon the 4th unexcused absence, the school leader or \ndesignated staff and homeroom teacher will receive an \nemail notification from SIS informing them that an \nAttendance Intervention Plan (AIP) has been initiated \nduring the term for a student. \n2. Upon the 8th unexcused absence during the term, the \nschool leader or designated staff or homeroom teacher can \nrecommend that a student AIP be sent to court due to", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "d67d392c-4922-4a61-9bd4-d3cf8f593cbe": { + "page_content": "2. Upon the 8th unexcused absence during the term, the \nschool leader or designated staff or homeroom teacher can \nrecommend that a student AIP be sent to court due to \nexcessive absences and non-compliance with the student\u2019s \nAttendance Success Plan, as documented in Panorama. The \nAIP cannot be recommended for court if the student does \nnot have an Attendance Success Plan documented in \nPanorama. At this time, the appropriate SOA will investigate \nthe case, referring to the action already taken by the school \nto date and to the results that they have reported. The \ninvestigation may include phone calls, \nhome/parent/caregiver work-site visits, school visits and \ntelephone calls, letters to parents/caregivers where \nnecessary, and, in some cases, contact with and referral to \ninvolved agencies.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "7020dfc6-ecb3-44fc-92d8-a7f8ea3b25df": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 38 of 41 \n \n \n3. The SOA will report the results of the investigation to the \nschool through the SIS system. The supervisor will also ask \nthat schools keep them informed of further attendance \nproblems. \n4. If attendance does not improve, schools must send \nadditional AIPs to the Attendance Office only if the open \nCRA has been closed, alerting the SOA to follow up once \nmore. Additional interventions should be documented in \nPanorama to update the SOA on the school's subsequent \nactions and results. \n5. Subsequent investigation and follow-up will occur through \nresponse in the SIS system, email, or attendance meeting. \n6. Supervisors of attendance, working with school staff, make \ndecisions on future action based on investigative findings, \nprior attendance patterns, and correspondence with \nparents/caregivers and the school. One option is court \nreferral. The decision to file a CRA is made by the SOA based", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "ed5c9d31-7a51-44da-95aa-a2ef43bfb24f": { + "page_content": "prior attendance patterns, and correspondence with \nparents/caregivers and the school. One option is court \nreferral. The decision to file a CRA is made by the SOA based \non the finding and results of steps 1-4 and only after \nexhausting all other possible courses of action. The CRA will \nonly be filed if the student has accumulated eight or more \nunexcused absences in a single quarter and the school has \ndocumented intervention steps using the Attendance \nSuccess Plan feature in Panorama. \n7. When the AIP is recommended for court, the SOA will notify \nthe school of this action using the Attendance Supervisor's \nInformation Form or will make personal or telephone \ncontact. A probation officer will be assigned to the child by \nthe court if a CRA is filed. \n8. If attendance does not improve following a CRA filing, \ncommunication with the assigned probation officer and/or \nthe SOA is required.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "cc12e523-8f8c-464f-b584-078958d76080": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 39 of 41 \n \n \nCRA FOR STUDENT WHO REPEATEDLY FAILS TO OBEY \nREGULATIONS OF THE SCHOOL \nDecisions to file a Child Requiring Assistance (CRA) for a \nstudent who repeatedly fails to obey regulations of the school \nwith the Suffolk County Juvenile Court should follow the \nprevention/intervention steps and best practices of the BPS \nCode of Conduct, including the Philosophy and Guiding \nPrinciples. NOTE: A CRA for a student who repeatedly fails to \nobey the regulations of the school can only be filed for \nstudents in grade 6 and above. \n1. After the third serious violation of school rules, the school \nwill request a CRA (repeatedly fails to obey school \nregulations) in the SIS system to the Attendance Office for \nfollow-up and investigation. After filling out the request, the \nfollowing documents should be accompanied via fax: copies \nof a letter signed by a school official on letterhead with the \nprevention/intervention steps taken to improve the", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "a163cae2-2b39-4481-8533-b5c6538f981e": { + "page_content": "following documents should be accompanied via fax: copies \nof a letter signed by a school official on letterhead with the \nprevention/intervention steps taken to improve the \nstudent\u2019s behavior. The school should also provide \ndocumentation of the three serious violations. \n2. The SOA will investigate the case and determine whether a \nfiling is warranted. They will report the decision to the \nschool. \n3. When the CRA petition is filed, the SOA will notify the school \nof this action using the attendance supervisor's SIS card or \nwill make personal or telephone contact. A probation officer \nwill be assigned to the child by the court. \n4. If the student\u2019s behavior does not improve following a CRA \nfiling, communication with the assigned probation officer \nand/or the SOA is required, and the school should continue \nto proceed with appropriate action under the Code of \nConduct.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "0b1e799b-b79c-4602-95d9-e8774bfc081f": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 40 of 41 \n \n \nCRA: ADULT-FAILURE-TO-CAUSE PROCESS (ADF) \nThese cases are criminal complaints filed against \nparents/caregivers who willfully prevent their children from \nattending school. This is a serious charge requiring the sworn \ntestimony of the SOA on the school's behalf. Courts can fine \nparents/caregivers, and in extreme cases, further \nconsequences can result from non-compliance. \nThe steps are the same as described for CRA cases, except that \nit is filed against the parent/caregiver if the investigation \nconducted by the SOA finds evidence to justify the filing, and \ninformation about the parent/caregiver is required, which, in \nsome cases, can only be obtained by school staff. For example, \nthe complaint cannot be filed without the parent/caregiver\u2019s \ndate of birth and physical description, as well as documented \nevidence of attendance interventions using the Attendance \nSuccess Plan feature in Panorama. Therefore, it is important", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "f0011428-dde1-486f-aff8-0b7cc01f33dd": { + "page_content": "date of birth and physical description, as well as documented \nevidence of attendance interventions using the Attendance \nSuccess Plan feature in Panorama. Therefore, it is important \nthat school staff capture this information in advance of \nrecommending a case for court.", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "6fbd0a6b-7938-4c9f-965a-cd2c2a3edd0e": { + "page_content": "Superintendent\u2019s Circular ACA-18 \nPage 41 of 41 \n \n \nFor more information about this circular, contact: \nOwner: Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "ACA-18 Attendance Policies & Procedures.pdf", + "source_link": "https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#ACA" + } + }, + "30e6f1a3-fa5d-4e61-99c9-58ded776f12a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-06 \nVersion 01 \n \nRELIGIOUS HOLY DAYS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version. \n \nIt is the policy of the Boston Public Schools to make reasonable \nefforts to accommodate the religious beliefs of students and \nstaff. State and federal laws also mandate such reasonable \naccommodations. \nMassachusetts General Laws, Chapter 151C, Section 2B reads, in \npertinent part, as follows: \n\u201cAny student in an educational or vocational training \ninstitution, other than a religious or denominational \neducational or vocational training institution, who is unable, \nbecause of [their] religious beliefs, to attend classes or to \nparticipate in any examination, study, or work requirement \non a particular day shall be excused from any such \nexamination or study or work requirement, and shall be \nprovided with an opportunity to make up such examination, \nstudy, or work requirement which [they] may have missed", + "metadata": { + "file_name": "LGL-06 Religious Holy Days.pdf", + "source_link": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "d9ad76e0-b1a0-465e-8cb9-17e2a0e2b414": { + "page_content": "examination or study or work requirement, and shall be \nprovided with an opportunity to make up such examination, \nstudy, or work requirement which [they] may have missed \nbecause of such absence on any particular day; provided, \nhowever, that such makeup examination or work shall not \ncreate an unreasonable burden upon such school. No fees of \nany kind shall be charged by the institution for making \navailable to the said student such opportunity. No adverse", + "metadata": { + "file_name": "LGL-06 Religious Holy Days.pdf", + "source_link": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a89732dc-c747-40e2-8ccf-be7679a6460a": { + "page_content": "Superintendent\u2019s Circular LGL-06, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nor prejudicial effects shall result to any student because of \n[their] availing [themselves] of the provisions of this section.\u201d \nTo accommodate the religious beliefs of students, all who \nobserve any holiday because of religious beliefs should be \nmarked \u201cconstructively present\u201d upon submitting a valid note \nfrom a parent or guardian (see Circular ACA-18). In addition, \nteachers should refrain from giving tests on these religious \nholidays and allow sufficient time for these students to make up \ntheir work before administering tests. \n \nFor more information about this circular, contact: \nName: Lisa Maki \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: lmaki@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-06 Religious Holy Days.pdf", + "source_link": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "2f0ca5a4-bb53-401f-84bb-f1db281ca084": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-21 \nVersion 01 \n \nPOLICY ON USE OF BPS BUILDINGS & FACILITIES FOR \nPOLITICAL PURPOSES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll building administrators and managers of facilities within the \nBoston Public School Department should be aware of the Boston \nPublic Schools\u2019 policy on the use of its facilities for political \npurposes. \nNo Boston Public School facility may be used for predominantly \npolitical activity, such as activities in support of political \ncandidates or ballot questions. \nAny use of a Boston Public School facility for a predominantly \ngovernmental activity with an incidental political activity overlap, \nsuch as those activities related to education laws, funding, or \npolicies, but not related to specific teaching or learning at a \nparticular school, may only occur with prior notification to and \nspecific approval from the superintendent or their designee.", + "metadata": { + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf", + "source_link": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c774be9a-4f61-4f4c-8569-f2600bfb167e": { + "page_content": "policies, but not related to specific teaching or learning at a \nparticular school, may only occur with prior notification to and \nspecific approval from the superintendent or their designee. \nExamples of such activities might include the signing of \neducation legislation, the announcement of educational policies \nor results, or announcements of receipt of grants or other funds. \nThese examples demonstrate activities in furtherance of the \npurpose for which governmental funds have been appropriated \nto Boston Public Schools, with an incidental political activity", + "metadata": { + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf", + "source_link": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "85c283e4-b5c7-49c6-8a5b-9d6c522e79e4": { + "page_content": "Superintendent\u2019s Circular LG-21 \nPage 2 of 2 \n \nassociated therewith. Any use of a Boston public school or facility \nfor political activity without obtaining the prior approval of the \nsuperintendent or their designee is an unauthorized use and \nshould be considered an \u201cunwarranted privilege\u201d for the \npurposes of the Massachusetts Conflict of Interest Law. \nFor additional information, regarding political activities generally, \nplease see Superintendent\u2019s Circular LGL-09 Political Activity by \nPublic Employees. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf", + "source_link": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "d7ad1cce-f708-45df-abfe-acc4a43f81ee": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-03 \nVersion 01 \n \n \nPUBLIC RECORDS REQUESTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nSchool Department staff members frequently receive requests \nfrom individuals and agencies, asking for information or \ndocuments and cite the Freedom of Information Act (FOIA) or the \nMassachusetts Public Records Law as the authority for honoring \ntheir requests. \nThe Massachusetts Public Records Law, M.G.L. c. 66 \u00a710, provides \nthat any person has a right to access public records. This right of \naccess includes the right to inspect, copy or have copies of \nrecords provided upon payment of a reasonable fee. The \nMassachusetts General Laws broadly define \"public records\" as \nany books, papers, maps, photographs, electronic storage media, \ncomputer files, digitally stored material, or any other information \nregardless of form, which is made or received by employees of", + "metadata": { + "file_name": "LGL-03 Public Record Requests.pdf", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "6c89dee7-bd07-4cda-9d93-2ee0b29fa57d": { + "page_content": "any books, papers, maps, photographs, electronic storage media, \ncomputer files, digitally stored material, or any other information \nregardless of form, which is made or received by employees of \npublic agencies unless the material falls into one of several \nrecognized exemptions. Requests for public record information \nmust be in writing; therefore, you should require that any oral \nrequests for public record information be placed in writing by the \nrequestor prior to responding to such a request. Such writing \nmust be signed, dated, and contain the address of the requestor.", + "metadata": { + "file_name": "LGL-03 Public Record Requests.pdf", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8f2026ba-f593-4a08-8a08-9c4134c07189": { + "page_content": "Superintendent\u2019s Circular LGL-03 \nPage 2 of 3 \n \n \nRECORDS REQUEST \nAll written public records requests must be sent to the Office of \nLegal Advisor or filed through the City of Boston\u2019s public records \nrequest portal. You can access the public records request portal \nby visiting https://www.boston.gov/departments/public-records \nor clicking the \u201cPublic Records Request\u201d link at the bottom of \nevery page of the boston.gov website. To ensure a prompt \nresponse, use of the City\u2019s public records request portal is the \npreferred method for all requests. The Office of Legal Advisor will \nreview each request to see if it falls within an exception to the \npublic records law and will coordinate with your office or school \nfor the search, retrieval, and copying of such information. The law \nprovides that Boston Public Schools must respond to a request \nfor public records within ten (10) days of our receipt of such a \nrequest. It is imperative, therefore, that once you receive a public", + "metadata": { + "file_name": "LGL-03 Public Record Requests.pdf", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b061b689-9ee4-4dbc-9749-e7189b83c954": { + "page_content": "provides that Boston Public Schools must respond to a request \nfor public records within ten (10) days of our receipt of such a \nrequest. It is imperative, therefore, that once you receive a public \nrecords request, it is faxed or delivered to the Office of Legal \nAdvisor. It is also imperative that, if you receive a request from \nthe Office of Legal Advisor to compile public records, you do so \nexpeditiously or call the Office of Legal Advisor if you cannot \ncomply in a timely manner with its request for information. \nSUBPOENA \nWhen receiving a subpoena for student records, personnel \nrecords, medical records, or any other document, a copy of the \nsubpoena must be emailed or delivered immediately to the \nOffice of Legal Advisor for review. After that, please forward all \nresponsive records with the original subpoena to the Office of \nLegal Advisor. Such a subpoena should be emailed or delivered \neven if it is addressed to an individual, rather than the \u201ckeeper of", + "metadata": { + "file_name": "LGL-03 Public Record Requests.pdf", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "64c7d055-1967-40ef-ad33-fc9c43d070c0": { + "page_content": "responsive records with the original subpoena to the Office of \nLegal Advisor. Such a subpoena should be emailed or delivered \neven if it is addressed to an individual, rather than the \u201ckeeper of \nthe records.\u201d Witness subpoenas (i.e., a subpoena that seeks", + "metadata": { + "file_name": "LGL-03 Public Record Requests.pdf", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "3e9398b2-7255-4dd7-aa3a-421f61504088": { + "page_content": "Superintendent\u2019s Circular LGL-03 \nPage 3 of 3 \n \n \ntestimony rather than documents) should also be emailed or \ndelivered to the Office of Legal Advisor for appropriate \nconsultation. Please email legal@bostonpublicschools.org. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-03 Public Record Requests.pdf", + "source_link": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "75905c45-562e-4bf6-b648-54ea54084c4e": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-07 \nVersion 01 \n \nPRIVACY OF STUDENT INFORMATION AND STUDENT \nRECORD PROCEDURES: HOW TO RESPOND TO \nSTUDENT RECORD REQUESTS IN COMPLIANCE WITH \nFERPA AND STATE LAW \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nI. GENERAL INFORMATION \nThese student record procedures pertain to all information \nmaintained by the Boston Public Schools concerning a student in \nwhich he/she may be individually identified. \nThe student record consists of two parts: the transcript and the \ntemporary record. \nA. The transcript contains administrative records that \nconstitute the minimum data necessary to reflect the \nstudent's educational progress and to operate the \neducational system. The transcript is limited to the \nname, address, and phone number of the student, the \nstudent\u2019s birth date, name, address and phone number \nof the custodial parent or guardian, course titles,", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "6f3ae865-bb9c-4283-89ec-e48ecff16fa1": { + "page_content": "name, address, and phone number of the student, the \nstudent\u2019s birth date, name, address and phone number \nof the custodial parent or guardian, course titles, \ngrades (or the equivalent when grades are not \napplicable), course credit, grade level completed, and \nthe year completed. The transcript must be retained for \nat least sixty (60) years after the student leaves the \nschool system.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "0b34d5b0-9c18-4ff2-8a86-6a81fecf1dbd": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 2 of 21 \n \nB. The temporary record is all other student record \ninformation besides the transcript. Temporary record \ninformation may include health information, \ndisciplinary information, examples of student work, \nspecial education or 504 plan documents, incident \nreports, and any other information kept by the school \nwhich identifies the student individually. Duplicates of \nan original record do not need to be kept as part of the \ntemporary record. The temporary record should be \ndestroyed no later than seven (7) years after the \nstudent leaves the school system, provided proper \nnotification is given as directed below. \nII. PARENTS (AND STUDENTS) HAVE A LEGAL RIGHT TO \nCONTROL ACCESS TO STUDENT INFORMATION \nBoth federal and state law provide that a parent, and any student \nthat is 14 or older and/or in grade nine or above, have a legal right \nto control access to the student\u2019s educational record. The Family", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "fe1c1da8-d7fe-41e8-945b-79e0a03837f7": { + "page_content": "that is 14 or older and/or in grade nine or above, have a legal right \nto control access to the student\u2019s educational record. The Family \nEducational Rights and Privacy Act (FERPA) and Massachusetts \nlaw define the parent\u2019s/student\u2019s right to access, seek to amend \nand exercise control over the disclosure of personally identifiable \ninformation in the student record. The Boston Public Schools is \nlegally responsible to respect and protect the parent\u2019s/student\u2019s \nrights to privacy and control under FERPA and state law. \nViolation of these legal rights can subject BPS to sanctions, \nincluding termination of federal funding, and can subject BPS \nemployees to discipline, up to and including termination. \nBPS notifies all students and parents of these rights annually by \nmeans of the \u201cGuide to BPS for Students & Families.\u201d The Guide \nfor Students & Families identifies the limited types of information \nthat may be released without consent (see Directory Information", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "61191860-2e9a-4a69-a20f-1403b1455b01": { + "page_content": "means of the \u201cGuide to BPS for Students & Families.\u201d The Guide \nfor Students & Families identifies the limited types of information \nthat may be released without consent (see Directory Information \nbelow). By September 30 of each year, parents and students have", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "bd7f5553-227c-496c-8340-c2155b2fd3e0": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 3 of 21 \n \na right to inform the school that such information shall not be \nreleased without direct consent. \nSchools receive requests for student record information in many \nways and from many different sources. By law, a school\u2019s \nresponse to a request for student records must vary depending \non who is making the request and what is being requested. \nBelow are descriptions of the main categories of requests that \nschools may need to address. If the information below does not \ndirectly describe a situation presented, the school should contact \nthe Office of Legal Advisor at legal@bostonpublicschools.org for \nmore direction. \nIII. REQUESTS AND CONSENT BY PARENT/STUDENT \nWhen a parent or student seeks to access, amend or consent to \nsharing of student records, the following definitions will aid you \nin understanding and complying with applicable law. \n\u2022 A parent is the student\u2019s natural parent, a guardian, or an", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "0aadf540-abbe-4a55-a0de-c6622e4ddc4e": { + "page_content": "sharing of student records, the following definitions will aid you \nin understanding and complying with applicable law. \n\u2022 A parent is the student\u2019s natural parent, a guardian, or an \nindividual acting as a parent in the absence of a parent or \nguardian. \n\u2022 A custodial parent is any parent with whom a child \nresides, whether permanently or for periods of time, and \nwho supervises the child. \n\u2022 A non-custodial parent is any parent who does not have \nphysical custody of the child and who does not reside \nwith or supervise the child, even for short periods of time, \nby court order. \n\u2022 An eligible student is a student who is at least 14 years of \nage and/or has entered the ninth grade.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "53522dfd-fddc-4ebf-8e44-63783c9025af": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 4 of 21 \n \nA. Request to Inspect/Copy Records \n1. Custodial Parents and Eligible Student. A custodial \nparent, and/or an eligible student have a right to \ninspect all portions of the student record upon \nrequest. The record will be made available to the \ncustodial parent and/or eligible student no later \nthan ten (10) days after the request. The custodial \nparent and/or eligible student have the right to \nreceive copies of any part of the record. In addition, \nthe custodial parent and/or eligible student may \nrequest to have parts of the record interpreted by a \nqualified professional of the school or may invite \nanyone else of their choosing to inspect or interpret \nthe record with them. Please see Attachment 1 for \nthe process of fulfilling a custodial parent\u2019s or \neligible student\u2019s request for the student record. \n2. Non-Custodial Parents. Non-custodial parents must \nbe given access to their children\u2019s student records,", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "1690a3c6-9563-4248-92f0-7cf6d8fbc574": { + "page_content": "eligible student\u2019s request for the student record. \n2. Non-Custodial Parents. Non-custodial parents must \nbe given access to their children\u2019s student records, \nunless the school has been given written \ndocumentation that establishes either: \na. The non-custodial parent has been denied legal \ncustody by a court based upon a threat to the \nstudent or to the custodial parent. \nb. The non-custodial parent has been denied \nvisitation or has supervised visitation. \nc. Access to the student or to the custodial parent \nhas been restricted by a court-issued protective \norder against the non-custodial parent, \nprovided such protective order does not \nspecifically allow access to student record \ninformation.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8258e2e5-8d79-4215-a77b-1b4dcb53083d": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 5 of 21 \n \nd. There is an order of a probate and family court \njudge which prohibits distribution of student \nrecords to the non-custodial parent. \nA school that receives a request for student record \ninformation from a non-custodial parent should send \na copy of the notification attached as Attachment 2, \nvia certified and first-class mail, to the custodial \nparent prior to providing student records to the non-\ncustodial parent. The notification must be in English \nand the primary language of the custodial parent. If \nno documentation related to any of the four (4) \nscenarios above is received within 21 days, the records \nmust be provided to the non-custodial parent. If \ndocumentation related to any of the four (4) scenarios \nabove is received within 21 days, it must be kept in the \nstudent record and the non-custodial parent must be \nnotified, via certified and first class mail, of the reason \nfor denial of access.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "2ca1e873-ec95-4bfc-a329-f90446c8c6f7": { + "page_content": "above is received within 21 days, it must be kept in the \nstudent record and the non-custodial parent must be \nnotified, via certified and first class mail, of the reason \nfor denial of access. \nB. Request to Amend Student Record \nThe custodial parent and/or eligible student have the \nright to add relevant comments, information, or other \nwritten materials to the student record. In addition, the \ncustodial parent and/or eligible student have the right to \nmake a written request that information in the record be \namended or deleted, except information created by a \nspecial education team, which may not be amended or \ndeleted until after acceptance of the individualized \neducation plan or completion of the appeals process. \nThe custodial parent and/or eligible student have a right \nto a conference with the school principal to make their \nobjections known. Within one week after the", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "0ec5310f-5521-40e3-8566-8912a9d26822": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 6 of 21 \n \nconference, the principal must render a decision in \nwriting. If the custodial parent and/or eligible student \nare not satisfied with the decision, it may be appealed to \nthe operational leader. \nC. Consent to Share Student Information \nThe custodial parent and/or eligible student have the \nlegal right to consent to sharing of the student record \nwith any person or entity they choose. A school should \nuse Attachment 4 to document the custodial parent\u2019s \nand/or eligible student\u2019s specific, informed, written \nconsent and include the signed consent in the student \nrecord. \nExcept as specifically noted below, no individuals or \norganizations other than the custodial parent, eligible \nstudent, and authorized school personnel are allowed to \nhave access to information in the student record without \nthe specific, informed, written consent of the custodial \nparent or the eligible student. \nIV. THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "86f7ac8b-8022-4412-94e6-743b0c1482c2": { + "page_content": "the specific, informed, written consent of the custodial \nparent or the eligible student. \nIV. THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING \nINFORMATION: CONSENT NOT REQUIRED OR ASSUMED BY \nOPERATION OF LAW \nA. Subpoenaed Records. Boston Public Schools will \nproduce documents requested in court orders or \nlawfully issued subpoenas. Such requests should be \nemailed immediately to the Office of Legal Advisor. All \nrecords sought by the court order or subpoena should \nbe forwarded via courier mail or hand delivery as soon \nas possible. Attachment 3 should be completed and \nused to notify the parent and/or eligible student that \nsubpoenaed information will be provided absent", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c92e940c-bc0b-4373-89b7-7dfcf2507003": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 7 of 21 \n \nfurther court order. \nB. Authorized School Personnel. Authorized school \npersonnel (those providing direct services to the \nstudent, administrative staff whose duties require \nthem to access the student record, and an evaluation \nteam that evaluates a student) shall have access to the \nstudent\u2019s school record when such access is required in \nthe performance of their official duties. \nC. Directory Information. Unless the parent or eligible \nstudent has previously indicated in writing their \ndisapproval of the release of such information, the \nschool may release the following directory information: \nstudent\u2019s name, age, grade level, and dates of \nenrollment. BPS notifies students and parents \nannually of the types of information that will be \nreleased by means of the \u201cGuide to BPS for Students & \nFamilies,\u201d and allows custodial parents and students \nuntil September 30 of each year to inform BPS that", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "851a48a8-48d7-4ef3-a235-f002e8a8051b": { + "page_content": "released by means of the \u201cGuide to BPS for Students & \nFamilies,\u201d and allows custodial parents and students \nuntil September 30 of each year to inform BPS that \nsuch information will not be released without prior \nconsent. \nD. Military Recruiters and Higher Education Institutions. \nUnless a parent or student has previously objected in \nwriting in response to notification through the \npublication of the \u201cGuide to BPS for Students & \nFamilies,\u201d military recruiters and institutions of higher \neducation must be provided, upon written request, \nwith the names, addresses and telephone numbers of \nsecondary school students. All requests by military \nrecruiters for such information must be forwarded to \nthe Office of Legal Advisor for centralized processing. \nE. Specified State Agencies and Local Authorities. A", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "281e9516-33d7-4c1a-9ba3-79f091a208b2": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 8 of 21 \n \nschool may release student record information without \nprior written consent to the following agencies when \nacting in their official capacities: Department of \nChildren and Families, Department of Youth Services, a \nprobation officer, or a justice of the court. Attachment \n3 should be used to notify parents of such requests. \nF. Schools. When a student seeks or intends to transfer to \nanother school, the student record can be sent to the \nreceiving school. \nG. School Nurses and State Health Department. School \nnurses and local and state health department officials \nmay have access to student health record information \nwhen such access is required in the performance of \ntheir official duties. For further information related to \nstudent health information, please consult \nSuperintendent\u2019s Circular LGL-16, Student Health \nInformation. \nH. Health or Safety Emergency. Without the consent of", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "1156e13d-83cd-4668-85a9-ccd294e65dfb": { + "page_content": "student health information, please consult \nSuperintendent\u2019s Circular LGL-16, Student Health \nInformation. \nH. Health or Safety Emergency. Without the consent of \nthe parent or eligible student, a school may disclose \ninformation regarding a student to appropriate parties \nin connection with a health or safety emergency if \nknowledge of the information is necessary to protect \nthe health or safety of the student or individuals and if \nthe appropriate procedure has been followed. That \ndoes not mean that anyone who asks, and who thinks \nsomething is amiss or might happen, has a right to \naccess personally identifiable student information. \nRequired criteria: The regulations implementing \nFERPA (34 CFR \u00a7 99.36) requires that each of the \nfollowing criteria be met: \na. The request is made \u201cin connection with an", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "4547a73e-d067-44d3-838a-31c0892ae73f": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 9 of 21 \n \nemergency.\u201d \ni. \u201cEmergency\u201d means the request must be \nrelated to an actual, impending, or imminent \nemergency. \nii. BPS requires that a school consider the \nfollowing criteria to determine whether the \nrequest is made in connection with an \nemergency: \n\u2022 The seriousness of the threat to the health \nor safety of the student or others \n\u2022 The need for the information to meet the \nthreat \n\u2022 Whether the requestor is able to deal with \nthe emergency \n\u2022 The extent to which time is of the essence \nin dealing with the emergency. \niii. Any release of records is limited to the period \nof the emergency; if the emergency is over no \nfurther release of student information is \nallowed. \nb. There is an articulable and significant threat to \nthe health or safety of the student or other \nindividuals. \nc. The requester (usually law enforcement, public \nhealth officials, and medical professionals) needs", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b0d41a5e-3680-4e7c-ab02-b6e21e5c97e7": { + "page_content": "the health or safety of the student or other \nindividuals. \nc. The requester (usually law enforcement, public \nhealth officials, and medical professionals) needs \nthe information to protect the health or safety of \nthe student or other individuals. \nd. No blanket release of personally identifiable \ninformation is allowed. Any release of", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e90f9f8c-7afe-40e6-a32c-f27e07e7fe5d": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 10 of 21 \n \ninformation must be narrowly tailored \nconsidering the immediacy, magnitude, and \nspecificity of the threat. \ne. The determination is made on a case-by-case \nbasis, considering the totality of the \ncircumstances pertaining to the threat to the \nhealth or safety of the student or others. \nf. Within a reasonable time after making the \ndisclosure, the school must record in the \nstudent\u2019s record the articulable and significant \nthreat that formed the basis for the disclosure, \nand to whom the information was disclosed. \nV. THIRD PARTY REQUESTS FOR PUBLIC RECORDS \nCONTAINING ONLY REDACTED AND/OR NON-STUDENT-\nIDENTIFYING INFORMATION \nUpon receipt of a third-party request for public records, the \nschool should immediately send a copy of the request via \nemail to the Office of Legal Advisor for review and direction. \nAll public records requests must be reduced to writing, \ndated, and signed by the requestor, and must contain the", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "ef0310bc-a287-4ba1-a95d-a04327b78203": { + "page_content": "email to the Office of Legal Advisor for review and direction. \nAll public records requests must be reduced to writing, \ndated, and signed by the requestor, and must contain the \nreturn address information of the requestor. For more \ninformation, see Superintendent\u2019s Circular LGL-3, Public \nRecords Requests. \nVI. DESTRUCTION OF STUDENT RECORDS \nThe law sets forth different time periods for the retention \nand destruction of different portions of student records. \nThese different time periods are set forth below: \nA. Transcripts - A student\u2019s transcript must be maintained \nby the school department for sixty (60) years following", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "752fc231-6a6f-41bd-902d-373952fd6723": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 11 of 21 \n \nthe student\u2019s graduation, transfer, or withdrawal from \nthe school system. \nB. Periodic Review of the Temporary Record - While a \nstudent is enrolled in a school, the principal/head of \nschool or his/her designee shall periodically review all \nstudents\u2019 temporary records and identify for destruction \nany misleading, outdated, or irrelevant information. This \nmay include, particularly, exemplars of student work or \nother impertinent information. Prior to destroying any \nsuch information, however, the student and his/her \nparent must be given written notification of the school\u2019s \nintent to destroy such information and must be given the \nopportunity to receive the information or a copy of the \ninformation prior to its destruction. \nC. Temporary Record Destruction - The temporary record \nof any student may be destroyed no later than seven (7) \nyears after the student transfers, graduates or withdraws", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "4dfc093e-9a1a-44e6-a7c7-0efd6057c8b4": { + "page_content": "C. Temporary Record Destruction - The temporary record \nof any student may be destroyed no later than seven (7) \nyears after the student transfers, graduates or withdraws \nfrom the school district, if the student and his/her \nparent/guardian have been given written notification \nthat includes the approximate date of destruction of the \ntemporary record and indicating their right to receive the \ninformation in whole or in part at the time of the \nstudent\u2019s graduation, transfer or withdrawal from the \nschool system or prior to its destruction. Such notice \nmust be in addition to the annual notice issued by \nBoston Public Schools in the \u201cGuide to BPS For Students \n& Families.\u201d", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b67b8085-4cc2-45c0-8f9a-813d987596d6": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 12 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "9b1e7eda-529c-48ba-8b09-8fe48cda1785": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 13 of 21 \n \nATTACHMENT 1 \nSTUDENT RECORD REQUEST PROCEDURES \n1. Parent/guardian or eligible student requests for the student\u2019s \nrecord are received, processed, and sent to the requestor \ndirectly by the school. Third-party requests are received by the \nOffice of Legal Advisor, processed by the school, and then sent \nback to the Office of Legal Advisor for transmission to the \nrequester. \n2. The principal/head of school will be responsible for certifying \nthat all portions of the student record have been copied as a \nresponse to the requestor. The principal/head of school will \ncomplete the checklist and certification. If the request is being \nsent to the parent, the certification will include the date sent to \nthe parent. A copy of the checklist will be sent with the record, \nand the original will be retained by the school. \n3. For third party requests, the principal/head of school will", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "ca72b3e8-0d66-4b36-91ff-5139449177bb": { + "page_content": "the parent. A copy of the checklist will be sent with the record, \nand the original will be retained by the school. \n3. For third party requests, the principal/head of school will \ncomplete the same process but provide the copy of the entire \nrecord and the checklist to the Office of Legal Advisor for \nreview and delivery. \n4. Requests received during the summer months: By June 1 of \neach year, principals must identify who to contact for each \nweek of the summer break and provide that list to the school \nsuperintendent. The designated individual will check for \nincoming mail and for parent/guardian or eligible student \nrequests, will obtain the records (copy and/or print), complete \nthe checklist, and deliver them to the requester. In the event \nof a third-party request, the same protocol will be followed but \nthe designated individual will send the record and the \ncompleted checklist to the Office of Legal Advisor.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "99675b63-1948-4d94-bd75-26d8081f1c6e": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 14 of 21 \n \nATTACHMENT 2 \nNOTICE OF NON-CUSTODIAL PARENT REQUEST \nFOR STUDENT RECORDS \nVIA REGISTERED MAIL AND FIRST CLASS MAIL \n \nDear Custodial Parent of ________________________________________ : \nThis is to notify you that a request from __________________________ \nwas received on_____________ for the following parts of your \nchild\u2019s student record: ___________________________________________. \nIn accordance with federal and Massachusetts law, non-custodial \nparents must be given access to their children\u2019s student records, \nunless the school has been given written documentation that \nestablishes either: \n1. The non-custodial parent was denied legal custody by court \norder based upon a threat to the student or to the custodial \nparent; \n2. The non-custodial parent has been denied visitation or has \nsupervised visitation; \n3. Access to the student or to the custodial parent has been", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "93e81cd9-4dbf-4c9c-aa58-c1a1efb619ed": { + "page_content": "parent; \n2. The non-custodial parent has been denied visitation or has \nsupervised visitation; \n3. Access to the student or to the custodial parent has been \nrestricted by a court-issued protective order against the non-\ncustodial parent, provided such protective order does not \nspecifically allow access to student record information; or \n4. There is an order of a probate and family court judge which \nprohibits distribution of student records to the non-custodial \nparent.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8eb4f37a-12e3-4d7a-bd42-03ee0628c8fc": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 15 of 21 \n \nThe requested records will be released on _______________, unless \nthe documentation indicated in the paragraph above has been \nreceived by the Building Administrator of the School. If you have \nany questions, you may contact \n \n_____________________________________ at _________________________ . \nSincerely, \n \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \n \nDate: _________________________ \n \nNOTE: THIS NOTICE MUST BE SENT IN BOTH ENGLISH AND THE \nPRIMARY LANGUAGE OF THE CUSTODIAL PARENT.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "6b9488ba-8168-4fdb-868c-5c9859b6909b": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 16 of 21 \n \nATTACHMENT 3 \nNOTICE OF DISSEMINATION OF STUDENT RECORD TO THIRD \nPARTIES FOR WHICH CONSENT IS NOT REQUIRED OR IS \nASSUMED BY OPERATION OF LAW \n \nDear ____________________________________________: \nThis is to notify you that a: \n\uf0a8 subpoena \n\uf0a8 request from a justice \n\uf0a8 other (specify) _______________________________________________ \nhas been received for the following parts of your/your child's \nstudent record: \n __________________________________________________________________ \n __________________________________________________________________ \nThe Massachusetts regulations pertaining to student records \nstate that the school system must comply with the above \nrequest, but that this notification must be provided to you prior \nto the release of the records. In the case of a subpoena, court \norder, or request from a probation officer or the Department of \nYouth Services, you have the right to attempt to have the", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "6f9a0ef9-cbaf-42b3-b809-d58bdbd93c64": { + "page_content": "to the release of the records. In the case of a subpoena, court \norder, or request from a probation officer or the Department of \nYouth Services, you have the right to attempt to have the \nsubpoena, order or request stopped by a court.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "664f5087-d459-4ba6-8c24-d242cd9af03e": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 17 of 21 \n \nThe records will be released on _________________________________ . \nIf you have any questions, you may contact \n___________________________________ at ____________________________ . \nSincerely yours, \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \nDate:_____________________________ \n \nNOTE: This notice must be sent in both English and the primary \nlanguage of the custodial parent.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "3aed4583-c111-4b6a-890c-b0aabf5874de": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 18 of 21 \n \nATTACHMENT 4 \nPARENT\u2019S OR STUDENT\u2019S CONSENT FOR DISSEMINATION OF \nSTUDENT RECORD TO THIRD PARTY \nMy name is _____________________________________________. I am: \n\uf0a8 the parent/guardian of a BPS student named: \n _____________________________________________________________ \n\uf0a8 a BPS student age 14 or over and in at least ninth grade. \nI give permission for the following third parties to \n\uf0a8 inspect \n\uf0a8 secure a copy of \nthe parts of my/my child's student record noted below. \nTHIRD PARTIES: \n __________________________________________________________________ \n __________________________________________________________________ \nREASONS FOR RELEASE OF RECORDS: \n __________________________________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "88ddcac5-27ef-451e-b8fc-5b5ad127ffcf": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 19 of 21 \n \nParts of Record to be Released* Permission \nGranted \nPermission \nDenied \nTranscript information (includes \nidentifying information, course titles, \ngrades or their equivalent, and grade \nlevel completed) \n \nDisciplinary record \nExtracurricular activities \nTeacher and counselor evaluations \nand comments \n \nAttendance record \nOther (specify): \n \n \n \n __________________________________________________________________ \n**Signature of eligible student or parent/guardian \nStudent's Class:_____________________________Date_________________ \n* Before seeking the parent's or eligible student's consent, the \nschool should cross out those items which have not been \nrequested by the third party. \n** This form may be signed by a student or former student of 14 \nyears of age or older, or a student in the ninth grade or above, \nor a custodial parent or guardian.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c0bbed69-67ed-413d-b6a6-bedc30ebf7cf": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 20 of 21 \n \nATTACHMENT 5 \nCHECKLIST FOR RETRIEVAL OF COMPLETE STUDENT RECORD \n YES N/A \nPrint electronic student file from ASPEN, \nSNAP and EDPLAN \u25a2 \u25a2 \nTranscript information (includes identifying \ninformation, course titles, grades or equivalent, and \ngrade level completed) \u25a2 \u25a2 \nDisciplinary record \u25a2 \u25a2 \nNursing record \u25a2 \u25a2 \nSpecial education record \u25a2 \u25a2 \nELL file \u25a2 \u25a2 \nAttendance records \u25a2 \u25a2 \nPhysical restraint records \u25a2 \u25a2 \nCounseling records \u25a2 \u25a2 \nCorrection of student record \u25a2 \u25a2 \nOther (specify): _______________________________________ \u25a2 \u25a2 \n\u27a4 The school should cross out those items which have not been \nrequested.", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "19e0d649-77eb-4162-ae76-7fc2496fe76c": { + "page_content": "Superintendent\u2019s Circular LGL-07 \nPage 21 of 21 \n \nAttachment 5, continued \nCERTIFICATION \nI, __________________________________________(Principal/School \nLeader) of _______________________________________________________ \nSchool, certify that to the best of my knowledge, all of the \ncomponents of the student record that are requested, applicable \nto this student, and maintained by the school or on an electronic \nBPS system have been copied and delivered to the requestor, \nName ___________________________________________________________ , \non [date]______________________. \n________________________________________________ \nSignature", + "metadata": { + "file_name": "LGL-07 Student Records.pdf", + "source_link": "https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7d6caeb1-5c51-40d8-8bb6-757ab6e51e5f": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-16 \nVersion 01 \n \nSTUDENT HEALTH INFORMATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nState and federal laws and regulations dealing with the \nconfidentiality of student record information recognize that \nstudent health information is treated differently from other \nstudent record information. It should be noted that the Health \nInsurance Portability and Accountability Act, also known as \nHIPAA, does not apply to student records, with some exceptions \nnot germane to this policy. See 65 Fed. Reg. 82805 (2000). \nSchool health personnel may have access to student health \nrecords when such access is required in the performance of their \nofficial duties. See 603 Code Mass. Regs. \u00a723.07 (4)(h). Of course, a \nparent/guardian, or in some circumstances the student, may \nconsent to the release of student health record information to \nschool personnel generally. In the absence of such informed", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "38451fb6-64e6-4cb1-9afc-3183d16f7cb8": { + "page_content": "parent/guardian, or in some circumstances the student, may \nconsent to the release of student health record information to \nschool personnel generally. In the absence of such informed \nwritten consent, however, the following standards should apply \nto a determination of which school officials may access what \nparts of a student\u2019s health record. In the first instance, such \ndeterminations should be made by the building administrator in \nconsultation with the school-based nurse. If a disagreement \narises, such concerns should be brought to the attention of the \nsenior director of Health Services for resolution.", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "742a9050-d6a9-4fb8-8e14-781bb0f32d9d": { + "page_content": "Superintendent\u2019s Circular LGL-16 \nPage 2 of 4 \n \n \nThe following guidelines should be used: \n1. Routine medical information. Such student health information \nshould be disseminated only as is appropriate to meet the \nregular and effective educational mission of the school. Such \ninformation may include information contained in an IEP or \n504 Plan, previously scheduled medical appointments, health-\nrelated incidents that may require or necessitate further \nreporting, dispensation of medications, and conditions such as \nfood allergies, seizures, and asthma. In all events, only the \nminimum necessary health record information should be \ndisclosed. Thus, the type of medications dispensed would, \nabsent more, not be disclosed in the above example. The fact \nthat a medical appointment necessitating early dismissal is \nwith a psychiatrist would also not normally be disclosed as a \nmatter of routine medical information. \nRoutine medical information is information that is appropriate", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "74b9bfd4-c1d9-411b-8a29-2454327a9d69": { + "page_content": "with a psychiatrist would also not normally be disclosed as a \nmatter of routine medical information. \nRoutine medical information is information that is appropriate \nfor certain staff to know in order to maximize the safety for \nchildren. For example, a child with diabetes needs to have \nteachers who are knowledgeable about the illness so the child \nmay have a safe learning environment. Low blood sugar can \nalso affect the child\u2019s ability to concentrate. In this \ncircumstance it would be appropriate to notify all the child\u2019s \nteachers individually. Health information should never be \ncirculated by an all-staff memo. \n2. Medical information of limited dissemination. This is student \nhealth information that is of a confidential nature and yet is of \nlittle educational benefit in the school. This is specific \ninformation that the Student Support Team needs to know to \nprovide accommodations. When possible, all diagnoses,", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "72fc6c1a-2683-4a26-931b-ebb27b1b3b61": { + "page_content": "Superintendent\u2019s Circular LGL-16 \nPage 3 of 4 \n \nespecially those related to mental health, should be \nexpressed as a functional diagnosis. For example, it should be \nenough for the team to know that a child who is depressed is \ngetting counseling. The details of the diagnosis or the causes \nof the depression are not relevant to the team\u2019s provision of \naccommodations. The nurse provides the connection with \nthe provider to interpret the medical information or when \nclarification is required. \n3. Highly sensitive information. This is student health \ninformation of a highly sensitive nature that has no bearing \non educational achievement and is of no educational use or \nconsequence and in which a high expectation of privacy \nexists for students and/or parents or guardians. Such \ninformation may include: suicide attempts, treatment for \ndrug or alcohol abuse, mental health diagnoses, family \nplanning information, maternity/paternity tests or", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "9734762c-a703-47e1-9422-d97c74044515": { + "page_content": "information may include: suicide attempts, treatment for \ndrug or alcohol abuse, mental health diagnoses, family \nplanning information, maternity/paternity tests or \ninformation, abortions, or HIV infection. This information is of \ntwo types: (1) no accommodations or safety issues and (2) \nhighly sensitive information. \nMedical diagnoses that have no relevance to a student\u2019s \nperformance do not need to be shared. For example, a child \nin therapy who is depressed but not suicidal and who is \nperforming well in school, does not need to have this \ninformation shared with the school community. There are \nalso highly sensitive medical situations that are protected by \nstate regulations. These include HIV and a minor\u2019s right to \nseek medical care for pregnancy, sexually transmitted \ndiseases, and substance abuse, without their parents\u2019 \nconsent. Any inclusion of this information in the educational \nrecord is a violation of the adolescent\u2019s right to privacy. With", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c3722436-d943-49fa-9c92-913b2977bf59": { + "page_content": "diseases, and substance abuse, without their parents\u2019 \nconsent. Any inclusion of this information in the educational \nrecord is a violation of the adolescent\u2019s right to privacy. With \nHIV, the student/family can choose to disclose and can limit", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7ec82c7c-de77-480e-8d5c-ba1c4edc672f": { + "page_content": "Superintendent\u2019s Circular LGL-16 \nPage 4 of 4 \n \nthe individuals to disclose to. In some circumstances, such \ninformation is of such a private nature that even \ndissemination to a parent or guardian is prohibited. \nQuestions in this regard should be directed to the Office of \nLegal Advisor. Such highly sensitive health information \nshould, whenever possible, be segregated from the rest of a \nstudent\u2019s health information to reduce the chance of \ninadvertent disclosure. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-16 Student Health Information.pdf", + "source_link": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "edadd107-5f6f-4214-b218-91e5c489c3a1": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-17 \nVersion 01 \n \nRELIGIOUS EXPRESSION IN PUBLIC SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Laws chapter 71, section 82, sets forth the \nlaw regarding the right of students to freedom of expression in \npublic schools. Freedom of expression must be balanced with \nany disruption or disorder caused to the school. Issues related \nspecifically to religious expression in public schools involve \nconstantly developing concepts and questions of constitutional \nlaw. Therefore, staff members are strongly encouraged to bring \nspecific questions of religious expression to the Office of Legal \nAdvisor, 617-635-9320. \nSome general principles include: \n\u2022 Freedom of expression of individuals or groups of \nstudents includes the right to express their views through \nspeech, symbols, peaceable and planned assembly, and \nwritten publications.", + "metadata": { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7284a288-d19a-4d67-a8cd-b0c96b824099": { + "page_content": "\u2022 Freedom of expression of individuals or groups of \nstudents includes the right to express their views through \nspeech, symbols, peaceable and planned assembly, and \nwritten publications. \n\u2022 Although the First Amendment forbids religious activity \nthat is sponsored by the government, it protects religious \nactivity initiated by private individuals that is non-\ndisruptive, including student prayer before meals or \nduring non-instructional time. Such non-disruptive \nreligious activity may also include speakers at student \nassemblies, extracurricular events, or graduation", + "metadata": { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "594149ea-b4a0-48c9-8c25-05a1b25678a6": { + "page_content": "Superintendent\u2019s Circular LGL-17 \nPage 2 of 2 \n \nceremonies who are selected on the basis of genuinely \nneutral, evenhanded criteria and who retain control over \nthe content of their expression. Under such \ncircumstances, school officials may make neutral \ndisclaimers that the speech is the speaker\u2019s view and not \nof the school. \n\u2022 Teachers, administrators, and other school employees \nwho, when acting in their official capacities, are acting as \nagents of the state and must not encourage, discourage, \nor participate in prayer or other religious expression. \n(Note: this does not include the Pledge of Allegiance, \nwhich is not considered religious expression; see Supt. \nCircular LGL-18.) \n\u2022 School officials may not compel students to participate in \nprayer or other religious activities. \n \nFor more information about this circular, contact: \nOwner: Lisa Maki \nDepartment: Office Of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320", + "metadata": { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c63a5d94-f4b2-45a5-9236-e533961d36a1": { + "page_content": "For more information about this circular, contact: \nOwner: Lisa Maki \nDepartment: Office Of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-17 Religious Expression in Schools.pdf", + "source_link": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b11e4e61-8b48-46dc-9f5f-0be178e134fa": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-22 \nVersion 01 \n \nSEXUAL OFFENDER REGISTRY INFORMATION (S.O.R.I.) \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Sexual Offender Registry Law requires that all convicted \nsexual offenders in the Commonwealth of Massachusetts register \nwith the police departments in the cities or towns where they live \nand work. The State classifies the offender on a level of 1 to 3, \ndepending on the likelihood of whether the offender might \nrepeat his/her crimes. Once a local police department receives \nthe information, it can be shared with public school districts for \nthe protection of children. As a result of this law, Boston Public \nSchools principals and heads of school can access SORI \ninformation per the state website as described below. \nThe Boston Public Schools will receive the Sexual Offender \nRegistry Information (S.O.R.I.) from the Boston Police", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "db8be443-fb71-4b1a-a6ad-d3002a397cd4": { + "page_content": "information per the state website as described below. \nThe Boston Public Schools will receive the Sexual Offender \nRegistry Information (S.O.R.I.) from the Boston Police \nDepartment. Pursuant to state regulations, BPD must notify all \nschools in the community of a finally classified Level 3 sex \noffender or a sexually dangerous predator. Information available \nincludes: the registered individual\u2019s name, home and/or \nworkplace address, date of birth, general physical description, \ncharges for which they were convicted, and a photograph, if \navailable. \nInformation pertaining to the Sex Offender Registry website \nshould be shared with your staff to educate them on this \nresource and of the public availability of S.O.R.I information.", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "792b6366-fb9f-4f69-b58f-9e454cfb0de9": { + "page_content": "Superintendent\u2019s Circular LGL-22 \nPage 2 of 6 \n \nAlthough S.O.R.I. information is distributed to alert communities \nand protect children, it must be handled in a responsible manner. \nIt is against the law to distribute copies and/or use this \ninformation in an unlawful manner, e.g., threats, extortion, etc. It \nis also against the law to use the sex offender registry \ninformation to commit a crime or to engage in illegal \ndiscrimination or harassment of a sex offender. \nThe law was passed to prevent convicted offenders from preying \non innocent children. If you identify a registered offender acting \ninappropriately around a school building or approaching \nchildren, contact the Boston Police Department immediately. \nAttached, please find some common questions and answers. \n1. Who must register as a sex offender? \nA sex offender is anyone who lives, works, or attends school \nin Massachusetts who has: \n\u2022 Been convicted of a sex offense", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "9e74ee71-bc7c-44ff-bda3-74fa8133130b": { + "page_content": "1. Who must register as a sex offender? \nA sex offender is anyone who lives, works, or attends school \nin Massachusetts who has: \n\u2022 Been convicted of a sex offense \n\u2022 Been adjudicated as a youthful offender or a delinquent \njuvenile for a sex offense \n\u2022 Been released from incarceration, parole, probation \nsupervision, or custody with the Department of Youth \nServices for a sex offense conviction or adjudication \n\u2022 Been adjudicated as a sexually dangerous person, or a \nperson released from civil commitment anytime from \nAugust 1, 1981 \n2. How can a principal or head of school request information \nfrom the Sex Offender Registry Board? \nOnce a person registers with the Sex Offender Registry \nBoard and that information is shared with local police", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a25e0f49-0a4e-4adb-ba6d-d02c133c35e8": { + "page_content": "Superintendent\u2019s Circular LGL-22 \nPage 3 of 6 \n \ndepartments, those departments can share the information \nwith public school districts. Local police departments have \naccess to information pertaining to Levels 1, 2, and 3 sex \noffenders. \n3. How can non-school personnel or parents request \ninformation from the Sex Offender Registry Board? \nThe public may request information about sex offenders in \nthe community by sending a Sex Offender Inquiry Form \nrequest to the Sex Offender Registry Board. Requests may \neither be submitted online or at the following mail address: \nAttn: SORI Coordinator \nSex Offender Registry Board \nP.O. Box 392 \nNorth Billerica, MA 01862 \n \nPlease see https://www.mass.gov/how-to/request-sex-\noffender-registry-information-sori for more information. \nA person may also request information in person at a local \npolice station. \nUnlike local police departments, members of the public can \nonly access information about Level 2 and Level 3 offenders.", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e6b15c90-33fe-4f93-90a8-1ff5f40ec236": { + "page_content": "Superintendent\u2019s Circular LGL-22 \nPage 4 of 6 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \nOR \nOwner: Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e1216191-7880-45a4-bbfb-ef502f84e087": { + "page_content": "Superintendent\u2019s Circular LGL-22 \nPage 5 of 6 \n \nSEX OFFENDER REGISTRY INFORMATION (S.O.R.I) \nQuestions and Answers \n\u2022 What should I as a principal/head of school do with the \ninformation I receive from Safety Services or BPD on S.O.R.I. \ncases? \nYou should establish a secure, central file for mandatory review \nby all staff members, including teachers, paraprofessionals and \nvolunteers who have an established pattern of work in the \nschool. This file will be a one-copy file, with opportunity for \nstaff to come and review. No copies of this S.O.R.I. information \ncan be made and/or distributed. \n\u2022 What if upon first review, I note that one of the offenders is an \nemployee/volunteer at my school? \nContact the Office of Human Capital for further direction. The \nOffice of Human Capital will review each situation on a case-\nby-case basis and will work with the Office of Legal Advisor \nand the superintendent of schools on a final resolution.", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "f75a426c-a11c-44e6-b610-3b501321bb45": { + "page_content": "Office of Human Capital will review each situation on a case-\nby-case basis and will work with the Office of Legal Advisor \nand the superintendent of schools on a final resolution. \n\u2022 What if upon first review, I note that one of the offenders is a \nstudent in my school? \nContact Safety Services Unit at 617-635-8000 for further \ndirection. \n\u2022 What should I do if a parent or community member comes to \nthe school or calls seeking S.O.R.I. information? \nThe individual should be directed to the nearest police district, \nwhich will provide the information upon request.", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "f1c9906e-d725-44c8-81be-f5882ecbc576": { + "page_content": "Superintendent\u2019s Circular LGL-22 \nPage 6 of 6 \n \n\u2022 How will S.O.R.I. be handled relative to BPS employees, BPS \nstudents, BPS volunteers, and bus drivers? \no All employees hired henceforth will have a S.O.R.I. check \ndone automatically. This will be in conjunction with the \nC.O.R.I. (Criminal Offender Registry Information) check that \nis already in place. Also, all information regarding S.O.R.I. \noffenders received by Safety Services will be run against the \ncurrent employee listing to identify any employees who \nmight be sex offenders. \no All information regarding S.O.R.I. offenders received by \nSafety Services will be run against the current student \nlisting to identify any students who might be sex offenders. \no Partners in Education will request to be placed on the \nPolice Department\u2019s mailing list on all S.O.R.I. cases and will \ncheck this on a regular basis against their listing of \nvolunteers. \no BPS\u2019s contracted transportation provider will request to be", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "9b027881-7a3f-45c5-b624-33c1abcb6ca4": { + "page_content": "Police Department\u2019s mailing list on all S.O.R.I. cases and will \ncheck this on a regular basis against their listing of \nvolunteers. \no BPS\u2019s contracted transportation provider will request to be \nplaced on the Police Department\u2019s mailing list on all S.O.R.I. \ncases and will check this on a regular basis against their \nlisting of bus drivers. \no Community Schools will request to be placed on the Police \nDepartment\u2019s mailing list on all S.O.R.I. cases and will check \nthis on a regular basis against their listing of employees. \n\u2022 What if any situation, in general, occurs in or around my \nschool relative to the S.O.R.I. process? \nContact Safety Services Unit immediately at 617-635-8000.", + "metadata": { + "file_name": "LGL-22 Sexual Offender Registry Information.pdf", + "source_link": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b43b2176-80c6-4be1-8b4c-06cffc78ef36": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-10 \nVersion 01 \n \nMILITARY RECRUITERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this circular is to provide clarification on the law \nrequiring the release of student information and access to \nstudents at the high school level by military recruiters. \nFederal legislation requires that a local educational agency (LEA) \nwhich receives federal funds release the names, addresses, and \ntelephone listings of secondary students (grade 9 and above) to \nmilitary recruiters and institutions of higher education. The Every \nStudent Succeeds Act (ESSA) contains similar language \nconcerning this obligation. \nThe release of student names, addresses, and telephone listings \nto military recruiters and institutions of higher education requires \nthat LEAs provide parents and guardians with prior notification. \nSuch notification is provided by the Boston Public Schools in the", + "metadata": { + "file_name": "LGL-10 Military Recruiters.pdf", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "673a3738-9d8a-4626-bfd3-fac82fd2d5f0": { + "page_content": "that LEAs provide parents and guardians with prior notification. \nSuch notification is provided by the Boston Public Schools in the \nGuide to the Boston Public Schools for Students and Families \n(\u201cPolicy Handbook\u201d). As noted, a parent/guardian may request \nthat this information not be released without giving the \nparent/guardian prior notification. Accordingly, copies of all such \nrequests by parents/guardians should be in writing and should \nbe on file in the school\u2019s office. A copy of these signed requests \nor a master list of these student names and student numbers", + "metadata": { + "file_name": "LGL-10 Military Recruiters.pdf", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "4c82e8f1-91ba-4dcc-b172-4f82fa514cbb": { + "page_content": "Superintendent\u2019s Circular LGL-10 \nPage 2 of 3 \n \nmust be forwarded by October 15 by the head of school to the \nOffice of Data & Accountability. \nIf military recruiters contact a high school requesting a master \nlist of student names and addresses, the recruiter should be \nasked to make the request directly to the Office of Data & \nAccountability. \nA second provision of the law authorizes direct access to high \nschool students by military recruiters. Usually, this access is in the \nform of a request to make space available in the school for a \nmilitary recruiter to distribute literature and to speak with or \naddress interested students. The act requires that recruiters be \ngiven the same access to your students as you provide generally \nto post-secondary educational institutions or to prospective \nemployers. Please review your practices to assure that \nhenceforth all three (i.e., business, higher education, and military \nrecruiters) have the same access.", + "metadata": { + "file_name": "LGL-10 Military Recruiters.pdf", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "41750664-593c-4fc3-94ea-d18a2e39e5ac": { + "page_content": "employers. Please review your practices to assure that \nhenceforth all three (i.e., business, higher education, and military \nrecruiters) have the same access. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nBy October 15 \nHeads of school forward to the Office of Data & \nAccountability the list of students whose \nnames should not be given to military \nrecruiters.", + "metadata": { + "file_name": "LGL-10 Military Recruiters.pdf", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "6ba32124-2332-4811-9d6d-3d05cd496134": { + "page_content": "Superintendent\u2019s Circular LGL-10 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-10 Military Recruiters.pdf", + "source_link": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e84b359e-5bcd-4c8b-9f6b-85c570adc435": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-18 \nVersion 01 \n \nDISPLAY OF FLAG AND SCHOOL CEREMONIES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Law requires that a \u201cflag shall be \ndisplayed, weather permitting, on the school building or grounds \non every school day and on every legal holiday.\u201d In addition, we \nare required to ensure that \u201ca flag shall be displayed in every \nclassroom...and in each assembly hall\u201d (M.G.L. c.71, \u00a769). The \nimportant patriotic and historic holidays celebrated during the \nschool year place a focus on our responsibility with respect to the \ndisplay of the American flag in all schools and classrooms. \nPatriotic and national holidays offer the opportunity in our history \nand social studies classes to provide instruction about the flag, its \norigin, care, and symbolic significance. This instruction complies \nwith State Learning Standard 18 (Principles of American", + "metadata": { + "file_name": "LGL-18 Display of Flag and School Ceremonies.pdf", + "source_link": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "d7fa1b29-8b2e-4f3e-a895-7f14d0d28902": { + "page_content": "and social studies classes to provide instruction about the flag, its \norigin, care, and symbolic significance. This instruction complies \nwith State Learning Standard 18 (Principles of American \nGovernment). In addition, student projects may afford the \nopportunity for students to conduct in-depth research on \nsubjects such as the flag and other patriotic symbols, documents, \nspeeches, and literature. \nSchool Committee policy and Massachusetts state law require \nthat \u201cpublic school teachers at the commencement of the 1st \nclass of the day lead the class in group recitation of the Pledge of \nAllegiance\u201d (M.G.L. c.71, \u00a769). The Massachusetts Supreme Judicial", + "metadata": { + "file_name": "LGL-18 Display of Flag and School Ceremonies.pdf", + "source_link": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e0b972d7-e80e-42fa-be01-cfce2d563fdb": { + "page_content": "Superintendent\u2019s Circular LGL-18 \nPage 2 of 2 \n \nCourt, however, has ruled that although students and teachers \nhave the right to a daily opportunity to participate in the Pledge \nof Allegiance, teachers and students have a constitutional right \nnot to participate in the pledge. Teachers and students who \nchoose not to participate (i.e., recite and/or stand) may not be \npenalized for declining to do so. All schools must comply with our \nresponsibility to display the flag and to provide daily opportunity \nfor recitation of the Pledge of Allegiance. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-18 Display of Flag and School Ceremonies.pdf", + "source_link": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "5f1aa794-f339-406c-9003-db3ae36743b2": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-05 \nVersion 01 \n \nSUBPOENAS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version.. \nSUBPOENA: When receiving a subpoena for student records, \npersonnel records, medical records, or any other document, a \ncopy of the subpoena must be emailed or delivered \nimmediately to the Office of Legal Advisor for review. \nSubsequent to that, please forward all responsive records with \nthe original subpoena to the Office of Legal Advisor. Such a \nsubpoena should be emailed or delivered, even if it is addressed \nto an individual, rather than the \u201ckeeper of the records.\u201d Witness \nsubpoenas (i.e., a subpoena that seeks testimony rather than \ndocuments) should also be emailed or delivered to the Office of \nLegal Advisor for appropriate consultation. \n If sending by email, please email legal@bostonpublicschools.org. \nFor more information about this circular, contact: \nOwner: Legal Advisor", + "metadata": { + "file_name": "LGL-05 Subpoenas.pdf", + "source_link": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "318bf400-6970-41f0-aee5-9d0b802dc762": { + "page_content": "Legal Advisor for appropriate consultation. \n If sending by email, please email legal@bostonpublicschools.org. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org", + "metadata": { + "file_name": "LGL-05 Subpoenas.pdf", + "source_link": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7a6900e9-b218-459c-b6ac-6bda694f0f39": { + "page_content": "Superintendent\u2019s Circular LGL-05, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-05 Subpoenas.pdf", + "source_link": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "df903f74-96e2-4e7a-9f3e-cc154eb1d76f": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-04 \nVersion 01 \n \nSCHOOL VISITOR GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIt is School Committee policy to welcome all parents and other \nvisitors to our schools and to encourage their active support of \nand involvement in the schools. However, considering the \nchallenges of COVID-19 and to comply with current CDC, DESE, \nand district guidelines, we are asking all members of our school \ncommunities to support our effort to limit traffic in our buildings \nto only assigned students, BPS staff, BPS facilities contractors, \nand approved partners as described below until further notice. \nPlease see Superintendent Circular SAF-12 School Access \nControl. \nAll permitted visitors, including School Department personnel, \nare expected to report to the school main office before going \nelsewhere in the building. They will be required to sign in, noting", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a599c017-ee7e-43a3-b7f2-3f5e51068dbc": { + "page_content": "All permitted visitors, including School Department personnel, \nare expected to report to the school main office before going \nelsewhere in the building. They will be required to sign in, noting \ntheir name, affiliation, and reason for the visit; and before leaving, \nto sign out of the building. Visitors will be required to park in \ncertain designated spaces or at certain designated times in \nschool parking lots. All visitors should be informed of these \nprocedures through such means as is determined by the school. \nOccasionally, visitors may disrupt school activities: by behaving \ninappropriately; by harassing staff; by shouting; or by insisting on \nvisiting at inappropriate times. Every effort should be made to", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "ed70682f-846b-4646-8ef3-57def7bebb82": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 2 of 13 \n \n \nwork with such visitors to inform them of established procedures \nin an effort to eliminate future disruptions. When such \ndisruptions occur, however, the building administrator may issue \nthe offender a Trespass Warning pursuant to M.G.L. c. 266, \u00a7 120. \nAttachment A provides an example of such a letter, with \nappropriate fields to be filled in by the building administrator. \nSuch a warning requires the offending party to contact the \nbuilding administrator, or a designee, prior to appearing at school \nfor any school-related matter. Additionally, depending upon the \nnature of the inappropriate behavior, a building administrator \nmay choose to substitute any of the following restrictions in the \nthird paragraph of Attachment A: \n1. The visitor will be required to telephone prior to visiting the \nbuilding to inform the building administrator of their intent \nin visiting the building.", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b51301db-723b-46c7-8b10-88ba75eb282c": { + "page_content": "third paragraph of Attachment A: \n1. The visitor will be required to telephone prior to visiting the \nbuilding to inform the building administrator of their intent \nin visiting the building. \n2. The visitor will be required to be accompanied by the \nbuilding administrator or their designee to classrooms. \n3. Advance scheduling of consultations with teachers or other \nproviders will be required. \n4. Parents delivering student[s] to school may be required to \nleave the student[s] at the front door and not be permitted \nto accompany them to the classroom. \nThis warning should expire at the end of the academic year. As is \nnoted on the Trespass Warning, it is appealable through the \noperational leader. \nAdditionally, by issuing the Trespass Warning, the building \nadministrator is placing the disruptive visitor on notice that any \nfurther inappropriate behavior will result in the issuance of a \nTrespass Notice. If inappropriate behaviors continue, Attachment", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "ff194ecb-52e4-451a-a46c-569e376ca944": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 3 of 13 \n \n \nB provides an example of such a trespass notice, again with fields \nto be completed by the building administrator. No Trespass \nNotice shall issue, however, without the approval of the \nsuperintendent or designee, which may be sought through the \noperational leader, who will contact the Superintendent\u2019s Office. \nThe Trespass Notice will be effective for one year from the date it \nwas issued and may, in the reasonable exercise of the building \nadministrator\u2019s discretion and with the approval of the \nsuperintendent or designee, be renewed thereafter. Failure to \ncomply with any restriction imposed by the Trespass Notice may \nresult in the visitor\u2019s arrest and prosecution for criminal trespass. \nLike the Trespass Warning, it is appealable at the visitor\u2019s election \nthrough the operational leader. \nIn instances of extreme behavior, such as assault or battery of an \nadministrator, faculty member, staff member, or student, a", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a68250b1-183c-495c-9d2f-b26a20e57fea": { + "page_content": "through the operational leader. \nIn instances of extreme behavior, such as assault or battery of an \nadministrator, faculty member, staff member, or student, a \nbuilding administrator with approval of the superintendent or \ndesignee may issue a Trespass Notice without prior issuance of a \nTrespass Warning. Attachment C is an example of such a notice. \nSuch a Trespass Notice as is contained in Attachment C should \nbe reserved, however, for particularly egregious behavior where \nthere is a particularized apprehension for the safety or well-being \nfor a member or members of the school community. Once issued, \nor until such time it is vacated, the named visitor is prohibited, \nunder penalty of law, from entering or using school grounds for \nany reason. This Trespass Notice is effective immediately, and its \nduration is indefinite. A copy of this notice must be provided to \nthe Boston Police Department, the Safety Office, and the Office of", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "251ac064-4105-4c9e-9a4b-8b5062540efa": { + "page_content": "duration is indefinite. A copy of this notice must be provided to \nthe Boston Police Department, the Safety Office, and the Office of \nLegal Advisor, and maintained in the school\u2019s file. A visitor\u2019s \nfailure to comply with this notice will result in immediate arrest \nand prosecution for trespassing if it is violated. This notice is \nlikewise appealable through the operational leader.", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "f5e3a4be-acbc-4a5d-ab63-db8db166a843": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 4 of 13 \n \n \n \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "9f430308-4e75-4996-be8a-d3f64432a675": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 5 of 13 \n \n \nATTACHMENT A \nRe: TRESPASS WARNING PURSUANT TO G. L. c. 266 \u00a7 120 \nWarning notice of unacceptable conduct that incited a physical \nconfrontation \n \nDear [Visitor name]: \nBy this letter I am issuing a Trespass Warning pursuant to G. L. c. \n266, \u00a7 120. As a result of [description of incident] on [date], it is \nnecessary for [school name] to issue this warning to ensure the \nsafety of students, school staff, and the immediate community. \nTo foster and ensure effective teaching and learning, it is \nnecessary to maintain an environment that is positive and free of \ndisruption, so that the business of the school may be \nappropriately completed. It has been determined that your \npresence on [date] seriously disturbed the mental health of \nnumerous students here at [school name]. Such conduct cannot \nbe tolerated and does not reflect the type of behaviors we model \nfor our students.", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a48c876c-a60e-487c-94af-d6061ead7381": { + "page_content": "numerous students here at [school name]. Such conduct cannot \nbe tolerated and does not reflect the type of behaviors we model \nfor our students. \nWe ask that you make every effort to avoid coming in or around \nthe area of [school name] at the arrival or dismissal of school. Any \nfurther incident[s] that disrupts the mental health of other \nstudents by inciting a physical confrontation during the \nremainder of this academic year may next result in the issuance \nof a formal Trespass Notice under G. L. c. 266, \u00a7 120. Failure to \ncomply with such a Trespass Notice would subject you to \nimmediate arrest and prosecution for violation of such a trespass \nnotice. \nThis action is being taken on behalf of and in the best interest of", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b301fa01-aae9-4bf0-ae16-226712f17362": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 6 of 13 \n \n \nour students, staff, and community. Please contact the school at \n[school phone number] if you wish to discuss this warning notice \nor seek other assistance. You may also contact the Operational \nLeader at [phone number] to discuss the issuance of this \nTrespass Warning, including if you dispute the reasons for its \nissuance. \nThank you for your cooperation in this matter. \nSincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "957c93ca-5bcd-4675-a85a-31aac2b03cde": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 7 of 13 \n \n \nATTACHMENT B \nRe: TRESPASS NOTICE PURSUANT TO G. L. c. 266, \u00a7120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [description of the incident of unacceptable \nbehavior that prompted a previous warning and the current \nnotice] at the [school name] on [date of original incident], it is \nnecessary for me to issue this Trespass Notice pursuant to M.G.L. \nc. 266, \u00a7 120. Therefore, from the date of this notice and until such \ntime as it is either vacated or for one calendar year whichever is \nfirst you are not allowed to be present on the premises of the \n[school name]. \nDespite the warning issued on [date], a copy of which is enclosed, \nyour behavior continues to disrupt the teaching and learning \nprocess and indeed places our students, staff, and faculty at risk \nof harm. \nI determined that your behavior on [dates of each incident for", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "86e87fdf-1d0f-4045-a193-c40d97c5459e": { + "page_content": "process and indeed places our students, staff, and faculty at risk \nof harm. \nI determined that your behavior on [dates of each incident for \nwhich a warning notice was issued and the current incident \nwhich prompts this Trespass Notice and describe behavior] \nseriously disturbed the school environment and the conduct of \nschool activities and related school business. This cannot be \ntolerated and is contrary to the mission of the [school name]. If in \nthe future you need to address particular school-related matters, \nplease contact either my designee or me by telephone so that \nyour concern may be addressed. \nBy this letter, I am formally notifying you of the Trespass Notice. A", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "50830a2f-72c2-4008-8a42-33746ff9e688": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 8 of 13 \n \n \ncopy of this notice will be provided to the Boston Police \nDepartment, the Department of Safety Services, Office of Legal \nAdvisor, the [school name\u2019s] file, and will be sent to you by \nregular and certified mail. This trespass notice prohibits you, \nunder penalty of law, from entering or using the [school name] or \nfrom setting foot on school property for any reason. Failure to \ncomply with this Trespass Notice shall subject you to immediate \narrest and prosecution for violation of this Trespass Notice. This \nnotice will be effective for one year from the date it was issued \nand may, in the reasonable exercise of my discretion, be renewed \nthereafter. If renewed, I will notify you in writing prior to its \nrenewal. If not renewed, its effect will end one year after its \nissuance. \nI look forward to working with you in a cooperative manner. \nPlease contact me at [contact telephone and email] if you wish", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "88cafc75-d3c8-44d4-bee4-562f9481e359": { + "page_content": "issuance. \nI look forward to working with you in a cooperative manner. \nPlease contact me at [contact telephone and email] if you wish \nto discuss this Trespass Notice or seek other assistance. You may \nalso contact the operational leader [number of contact person] \nto discuss the issuance of this Trespass Notice. You may also \ncontact the operational leader if you dispute the reasons for \nissuing this notice, or if, during the duration of this notice, you \nwish to seek to vacate or modify its provisions. \nThis notice is likewise appealable through the operational leader.", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "96124975-30b0-40b6-a532-84bcbe6bd2ca": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 9 of 13 \n \n \nThank you for your cooperation in this matter. \nSincerely, \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "89751c19-6ec8-4567-ba86-401e079e5925": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 10 of 13 \n \n \nATTACHMENT C \n \nRe: TRESPASS NOTICE, PURSUANT to G. L. c. 266, \u00a7 120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [insert detailed description of the incident of \nunacceptable behavior] at the [school name] on [date of \nincident], it is necessary for me to issue this Trespass Notice, \npursuant to G.L. c. 266, \u00a7 120. Therefore, from the date of this \nnotice, you are not allowed to be present on the premises of the \n[name of school]. \nI have determined that your behavior on [date of incident] placed \nour students, staff, and faculty at risk of harm. Furthermore, your \nactions seriously disturbed both the school environment and the \nconduct of school activities and school-related business. This \ncannot be tolerated. It is contrary to the mission of the [name of \nschool]. If in the future you have a need to address particular", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8e4cf2d2-a2b7-4266-9f10-5365da96009c": { + "page_content": "conduct of school activities and school-related business. This \ncannot be tolerated. It is contrary to the mission of the [name of \nschool]. If in the future you have a need to address particular \nschool-related matters, please contact either my designee or me \nby telephone so that your concerns can be addressed. \nThis letter serves to formally notify you of the Trespass Notice. A \ncopy of this notice has been provided to the Boston Police \nDepartment, the Superintendent\u2019s Office, the Office of Legal \nAdvisor, the Office of Safety Services, the [name of school]\u2019s file, \nand to you by regular and certified mail. This Trespass Notice \nprohibits you, under penalty of law, from entering or using the \n[name of school] or from setting foot on school property for any", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "aee89634-f0ae-4345-8a46-d276428782d9": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 11 of 13 \n \n \nreason. Failure to comply with this trespass notice shall subject \nyou to immediate arrest and prosecution for violation of this \nTrespass Notice. This notice will be effective immediately, and its \nduration is indefinite. \nI look forward to working with you in a cooperative manner. \nPlease contact me by telephone if you wish to discuss this \nTrespass Notice or seek other assistance. You may also contact \nthe operational leader at [number of contact person] to discuss \nthe issuance of this Trespass Notice, including if you dispute the \nreasons therefore. \nThank you for your cooperation in this matter. \n \nSincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files \nEnclosure [attach copy of incident report if available] \n \nGuidelines for Visiting the Boston Public Schools", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "66a8b28d-a4bd-43e9-8ccd-b8a30a62a7e4": { + "page_content": "Superintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files \nEnclosure [attach copy of incident report if available] \n \nGuidelines for Visiting the Boston Public Schools \n1. Until further notice, parents/guardians and staff from", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "63e4b949-0ebb-4e1c-a14b-add5fb3c076d": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 12 of 13 \n \n \npartner agencies [except for BPS facilities service \ncontractors and approved partner agencies, as described \nabove] will not be allowed in school buildings. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building in the area[s] \ndesignated by the school leader/staff. \n2. ALL visitors MUST report to the school\u2019s main office and sign \nin before going elsewhere in the building, and they must \nsign out before leaving. Some schools have a desk near the \nmain entrance where visitors may sign in and out. However, \nif no one is sitting at the desk, the visitor must go to the \nmain office. \n3. All visitors will receive a Visitor\u2019s Pass when they sign in. \nThey must return it to the office or sign-in desk when they \nleave. Please be sure your Visitor\u2019s Pass is visible while you \nare in the school or schoolyard. Visitor\u2019s passes will not be", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7d934599-8f17-42cc-9c96-6a804d701889": { + "page_content": "They must return it to the office or sign-in desk when they \nleave. Please be sure your Visitor\u2019s Pass is visible while you \nare in the school or schoolyard. Visitor\u2019s passes will not be \nrequired at Open Houses, Parent Nights or other school-\nsponsored events open to the public to the extent those \nevents are held. \n4. For the safety of our students and staff, we will consider that \nvisitors who do not sign in and cannot show a Visitor\u2019s Pass \nare trespassing. A school staff member may ask them to \nleave the building and schoolyard. \n5. Visitors who want to meet with a teacher or administrator \nshould contact the school via phone or email to schedule \nany discussion or virtual appointments that they would like \nto have. \n6. Teachers or staff who are expecting a visitor should notify \nthe office they are expecting a visitor and provide name and \nreason prior to the visitor\u2019s arrival. In some cases, a staff", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "14cfe54d-93cb-4d17-8e37-060e2f2d908c": { + "page_content": "Superintendent\u2019s Circular LGL-04 \nPage 13 of 13 \n \n \nmember may escort the visitor to the meeting place. \n7. If a student is sick/injured and needs to be picked up, school \nstaff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. \n8. It is very disruptive to the classroom for parents to pick up \ntheir children before the regular dismissal time. If this is \nnecessary, the parent should call the school office in \nadvance and pick their child up in the location designated \nby the school. Parents may not go directly to the classroom \nto pick up their child. The school will not release a student to \nanyone other than a custodial parent without the parent\u2019s \nconsent and proper identification. \n9. Occasionally, visitors may disrupt school activities by \ninsisting on visiting classrooms unannounced, harassing \nstaff, shouting, or using inappropriate language. If such \ndisruptive behavior continues, the school administrator may", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "30e63034-dae0-44a4-a9a3-e339c3df953c": { + "page_content": "insisting on visiting classrooms unannounced, harassing \nstaff, shouting, or using inappropriate language. If such \ndisruptive behavior continues, the school administrator may \nrestrict the individual\u2019s visits or deny future access to the \nbuilding, schoolyard, or virtual learning environment. \n10. Thank you for your cooperation in observing these \nguidelines. Be assured that our goal is to create a safe, \nsecure, and positive learning experience for all our students \nand their families.", + "metadata": { + "file_name": "LGL-04 School Visitor Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "83c755ab-e8be-4dc9-99d7-280cff594f69": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-20 \nVersion 01 \n \nCORPORAL PUNISHMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nPrincipals and heads of school should remind staff that the use of \ncorporal punishment in schools is strictly forbidden by Boston \nSchool Committee policy as well as by Massachusetts State Law \nG.L. c. 71, \u00a7 37G, which provides: \n(a) The power of the school committee or of any teacher or \nany other employee or agent of the school committee to \nmaintain discipline upon school property shall not include \nthe right to inflict corporal punishment upon any pupil. \n(b) The provisions of this section shall not preclude any \nmember of the school committee or any teacher or any \nemployee or agent of the school committee from using \nsuch reasonable force as is necessary to protect pupils, \nother persons, and themselves from an assault by a pupil. \nWhen such an assault has occurred, the principal shall file", + "metadata": { + "file_name": "LGL-20 Corporal Punishment.pdf", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "2f1ddf9a-ca66-4302-916c-13fc78ff8585": { + "page_content": "such reasonable force as is necessary to protect pupils, \nother persons, and themselves from an assault by a pupil. \nWhen such an assault has occurred, the principal shall file \na detailed report of such with the school committee. \n(c) The board of education shall promulgate regulations \nregarding the use of physical restraint for students. Such \nregulations shall not preclude any teacher or employee or \nagent of the school from using reasonable force to \nprotect pupils, other persons, and themselves from an \nassault by a pupil as set forth above in section (b). Such", + "metadata": { + "file_name": "LGL-20 Corporal Punishment.pdf", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7963fe0d-46a4-4d58-8791-1fa963f8a7c1": { + "page_content": "Superintendent\u2019s Circular LGL-20 \nPage 2 of 2 \n \nregulations shall require training of all personnel \nauthorized to administer any forms of restraint. Such \nregulations shall provide for procedures for notification to \nthe department and to the parents. \nCorporal punishment includes but is not limited to the following: \n\u2022 Slapping or hitting students \n\u2022 Pulling students by their arms, shoulders, etc. \n\u2022 Pushing students from one location to another \n\u2022 Forcibly causing students to sit down \n\u2022 Grasping students by any body part \nStaff may restrain students only to protect students, other \npersons, or themselves from an assault and may only use such \nforce as is reasonably necessary to repel such an attack. Violation \nof the policy and law will result in disciplinary measures and may \nresult in the filing of abuse and/or criminal charges. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor", + "metadata": { + "file_name": "LGL-20 Corporal Punishment.pdf", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b0e7098d-8dca-412e-8a22-36f80556acf4": { + "page_content": "result in the filing of abuse and/or criminal charges. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-20 Corporal Punishment.pdf", + "source_link": "https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "1e6ab0a0-2f5b-4341-886e-aa66fa893a8e": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-14 \nVersion 01 \n \nGATHERINGS ON SCHOOL GROUNDS AND \nDISTRIBUTION OF MATERIALS IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIt is permissible for schools to regulate the time, place, and \nmanner of any demonstration to avoid disruption of classes or \nthe orderly entrance and departure of students into and out of \nthe building. Accordingly, principals and heads of school are \nadvised that gatherings of three (3) or more people or \ndistribution of leaflets shall be regulated as follows: \n1. All gatherings or demonstrations should be viewed as a \nlegal expression of First Amendment rights. If a building \nadministrator questions whether the material being \ndistributed is protected by First Amendment rights, the \nOffice of the Legal Advisor should be contacted immediately \nat 617-635-9320. \n2. All gatherings or demonstrations shall not disrupt school", + "metadata": { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "36ecb355-3842-4324-acfe-965d9a450ea9": { + "page_content": "distributed is protected by First Amendment rights, the \nOffice of the Legal Advisor should be contacted immediately \nat 617-635-9320. \n2. All gatherings or demonstrations shall not disrupt school \nclasses or the orderly entrance and departure of students \ninto and out of the school building. \n3. The Students\u2019 Freedom of Expression Law (G.L. c. 71, \u00a782) \npermits students to plan peaceable assemblies on school \nproperty for the purpose of expressing their opinions. \nBuilding administrators may designate the time and place", + "metadata": { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "1cbbe29d-43bb-4616-a46a-0a731a7debee": { + "page_content": "Superintendent\u2019s Circular LGL-14 \nPage 2 of 4 \n \nfor such demonstrations to avoid disruption of classes and \ndisorder in the school. \n4. All other gatherings or demonstrations which are not \nplanned by students shall be restricted to areas off school \nproperty and in such areas as not to restrict the flow of \ntraffic and school buses. The building administrator may \ndesignate such areas. \n5. All gatherings or demonstrations shall be reported to the \nBoston Police Department (at 911), the operational leader, \nand the Department of Safety Services as soon as possible \nafter the gathering and/or demonstration is organized. \n6. Gatherings in school buildings may be limited if school is \nbeing conducted remotely. Any in-person gatherings or \ndemonstrations will comply with public health guidelines \nincluding those that mandate group size limits, physical \ndistancing, and the wearing of masks, as well as BPS policies \nregarding access to buildings.", + "metadata": { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "4530794d-5e68-44fe-9b3c-561f91e4b445": { + "page_content": "including those that mandate group size limits, physical \ndistancing, and the wearing of masks, as well as BPS policies \nregarding access to buildings. \n7. Materials and/or announcements of a public interest nature \nmust be submitted to the administrator in charge two \nschool days (at least 48 hours) prior to distribution for review \nand approval in order to be distributed in a school or a \nschool-sponsored forum. In addition, there should be no \ncost accrued by the BPS in the distribution of \nmaterials/announcements requested by external \norganizations. The following materials shall be prohibited \nfrom circulation in schools or school-sponsored forums: \n\u2022 Advertisements of for-profit and political organizations \nand/or events sponsored by said organizations (including \npolitical and commercial flyers)", + "metadata": { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "9bd86bb8-0919-4114-b12f-e1827cfdbb4b": { + "page_content": "Superintendent\u2019s Circular LGL-14 \nPage 3 of 4 \n \n\u2022 Materials including those promoting anything illegal or \nimmoral and/or are otherwise pervasively indecent or \nvulgar \n\u2022 Materials which include false and/or misleading \ninformation and/or which interfere with the proper and \norderly operation and discipline of the school \n8. Requests for collections and donations, which do not have \nthe authorization of the School Department, shall be \nprohibited. \n9. The sale of merchandise, products, etc. by a recognized \nschool/parent organization may be authorized with the prior \napproval of a building administrator. \n10. The sale and/or promotion of merchandise, products, etc. by \nan external organization/agency will not be authorized \nunless the proceeds are used for the support of educational \nprograms and prior approval has been given. \n11. The sale of lottery tickets and/or other games of chance \nshall be prohibited. \n12. Distribution process:", + "metadata": { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "f4937350-2ecd-4908-9945-2b15c1a09673": { + "page_content": "programs and prior approval has been given. \n11. The sale of lottery tickets and/or other games of chance \nshall be prohibited. \n12. Distribution process: \n\u2022 Outside groups\u2019 literature should not be distributed to \nstudents during instructional time and, if possible, should \nnot be intermingled with official school notices, but may \nbe posted on a bulletin board used for such materials. \n\u2022 Students should not be compelled to take home or read \nany outside group\u2019s literature. \n\u2022 School newsletters and notices to parents may not recruit \nmembers for outside groups.", + "metadata": { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8906fd0b-3ab3-4cd4-8794-b363cbea524a": { + "page_content": "Superintendent\u2019s Circular LGL-14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a499cdeb-0f91-4430-8feb-484120e9114b": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-15 \nVersion 01 \n \nSTUDENT SURVEYS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. \u00a71232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the \nfollowing policy. Additionally, a student survey that is not \ndeveloped or administered through the use of funds received \nfrom the United States Department of Education also does not \nneed to comply with this policy. \nFor those student surveys that are developed or administered \nthrough the use of federal education funds and in which a", + "metadata": { + "file_name": "LGL-15 Student Surveys.pdf", + "source_link": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "89a5825b-0c5d-4f92-89ef-17d7c0facdee": { + "page_content": "need to comply with this policy. \nFor those student surveys that are developed or administered \nthrough the use of federal education funds and in which a \nstudent is required to participate, the following policy applies. \nThis policy applies to those surveys that ask a student to reveal \nany of the following information: political affiliation; mental \nillness or psychological problems; sexual behavior and/or \nattitudes; illegal, self-incriminating, and demeaning behavior; \ncritical appraisals of close family members; relationships to which \na privilege is recognized, such as clergy, medical doctors, or", + "metadata": { + "file_name": "LGL-15 Student Surveys.pdf", + "source_link": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c9749840-e611-4bd0-989d-b5e541642429": { + "page_content": "Superintendent\u2019s Circular LGL-15, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nattorneys; religious affiliations or beliefs; and income, other than \nfor eligibility for participation in a program. Prior to \nadministering such a survey, the student\u2019s parent or guardian \nmust consent, in writing, to the student\u2019s participation in the \nsurvey. Also, a copy of the survey must be made available to the \nparent or guardian. Any such survey should also be brought to \nthe attention of the Office of Legal Advisor. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-15 Student Surveys.pdf", + "source_link": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "496f8c33-8cad-4ec6-a262-c93ecbe8c16c": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-08 \nVersion 01 \n \nADHERENCE TO COURT ORDERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this memorandum is to remind Boston Public \nSchools staff of the need to continue to adhere to the court \norders entered against the District by courts of federal, state, and \nlocal jurisdiction. Such orders have the force of law and are \nbinding on the District. Therefore, it is the responsibility of \nadministrators and staff of the Boston Public Schools to comply \nwith the terms of such orders. \nAdditionally, an order by an arbitrator or state agency may also \nrequire compliance. Heads of school, principals, and other \nadministrators may contact the Office of Legal Advisor with \nquestions regarding adherence to court orders or the provisions \nof any order. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor", + "metadata": { + "file_name": "LGL-08 Adherence to Court Orders.pdf", + "source_link": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e100dfba-35c0-4e7b-8e47-54d5400e609b": { + "page_content": "questions regarding adherence to court orders or the provisions \nof any order. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org", + "metadata": { + "file_name": "LGL-08 Adherence to Court Orders.pdf", + "source_link": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "5308d287-107b-4603-85b9-3256cf0697e4": { + "page_content": "Superintendent\u2019s Circular #LGL-08, 2019-2020 \n[Date] \nPage 2 of 2 \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-08 Adherence to Court Orders.pdf", + "source_link": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "4183c0f9-ff48-4d1c-b36d-f8e68cc35a7a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-09 \nVersion 01 \n \nPOLITICAL ACTIVITY BY PUBLIC EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPublic employees have most of the same rights as other citizens \nto engage in private political activity. However, the conflict of \ninterest law, M.G.L. c. 268A, restricts some political activity of \npublic employees. In addition, the campaign finance law, M.G.L. \nc. 55, restricts public employees\u2019 political fundraising. \nPROHIBITED ACTIVITY \nThe following restrictions are imposed by law on public \nemployees and volunteers with respect to their participation in \npolitical activity whether on the local, state, or federal level. \n1. Participation in Political Activity \n\u2022 \u201cPolitical activity\u201d includes, but is not limited to, any activity \nthat is in support of or in opposition to a federal, state, or \nlocal candidate or political party or a state or local ballot \nquestion.", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "9e201ceb-b59e-4aee-827a-e89a0515bf85": { + "page_content": "that is in support of or in opposition to a federal, state, or \nlocal candidate or political party or a state or local ballot \nquestion. \n\u2022 In general, a public employee may not use their public \nposition to engage in political activity. \n\u2022 Public employees may not participate in political activity: \no during their usual business hours \no while acting in an official capacity or while in official", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7e6fd8b3-d5b7-4e24-904f-df84d58ce38f": { + "page_content": "Superintendent\u2019s Circular LGL-09 \nPage 2 of 6 \n \nuniform \no with the use of other public facilities or property and \nresources, such as staff time, public office space and \nfacilities, public office equipment such as telephones \nand other communications equipment, computers, \ncopiers, public websites and links to public websites, or \npublic office supplies such as official stationery \n\u2022 Partisan political and campaign activity may be conducted \nby an employee only during non-business hours, including \nusual lunch hour, vacation time, personal time, or during a \nleave of absence without pay. \n2. Prohibitions Against Public Employees Soliciting Political \nContributions \nIt is a violation of state law for a public employee directly or \nindirectly to solicit or receive any contributions or anything of \nvalue for any political purpose, at any time \u2014 during both \nworking and non-working hours. \nNo person employed for compensation, other than an elected", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e1bb926d-5ca4-407d-a650-3337d709e5db": { + "page_content": "value for any political purpose, at any time \u2014 during both \nworking and non-working hours. \nNo person employed for compensation, other than an elected \nofficer, by the commonwealth or any county, city or town shall \ndirectly or indirectly solicit or receive any gift, payment, \ncontribution, assessment, subscription, or promise of money or \nother thing of value for the political campaign purposes of any \ncandidate for public office or of any political committee, or for \nany political purpose whatever (Mass. G.L. c. 55, Section 13, \nemphasis added). \nThe principles supporting this prohibition \u2014 primarily to insulate \npublic employees from inappropriate political pressures and in \nturn to ensure that employees do not use their public positions", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "69128a22-18fc-4e56-906b-ce33fb2bf68f": { + "page_content": "Superintendent\u2019s Circular LGL-09 \nPage 3 of 6 \n \nfor personal or political gain \u2014 are important and must be \nstrongly protected. \nThis prohibition includes both direct and indirect solicitation: \n\u2022 A public employee may not ask any individual for a \ncontribution on behalf of a political candidate or committee. \n\u2022 A public employee may not encourage an individual to \ncontribute to a candidate for public or political office or to a \npolitical committee or sign a fundraising letter or \nadvertisement on behalf of a candidate or political \nfundraising event. \n\u2022 A public employee may not sponsor or allow the use of their \nname on an invitation to a fundraising event or on a political \nfundraising request. \n\u2022 A public employee may not serve as a host or sponsor of a \npolitical fundraising event. \n\u2022 A public employee may not distribute or sell tickets to \npolitical fundraising events. \nIt should be noted that Mass. G.L. c. 55, Section 7A, does permit", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "4e35bfb3-fbdf-40b5-a015-160bda750cc6": { + "page_content": "political fundraising event. \n\u2022 A public employee may not distribute or sell tickets to \npolitical fundraising events. \nIt should be noted that Mass. G.L. c. 55, Section 7A, does permit \npublic employees, as individuals, to make financial contributions \nto political campaigns. \n3. Solicitation In a Public Building \nNo one may solicit a political contribution in a public building. \nSolicitations include requests for, or receipt of, a contribution and \nthe distribution of fundraising letters or tickets. Any public \nemployee convicted of such solicitation of funds may be removed \nfrom employment without a hearing (Mass. G.L. c. 55, Section 14).", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "83e79e22-f598-40b2-b316-521088345091": { + "page_content": "Superintendent\u2019s Circular LGL-09 \nPage 4 of 6 \n \n4. Public Employees Seeking Elective Office \nPublic employees seeking elective office may not solicit political \ncontributions either directly or indirectly. \nAny of the prohibitions against solicitation, which apply to public \nemployees, in general also apply to a public employee who is \nthemself a candidate for political office. Moreover, there are \nother restrictions which apply: \n\u2022 A public employee seeking office may attend an event held \non their behalf by a non-elected committee, but may not \nencourage contributions, directly or indirectly. \n\u2022 A public employee seeking public office may not give \npermission to have their name appear on such invitation as \nthe one who encourages contributions by an individual. \nPERMITTED ACTIVITY \nIn general, public employees of all types may engage in private \npolitical activity, subject to the restrictions on political \nfundraising imposed by G.L. c. 55. The conflict of interest law", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "bf9cacd0-8953-4d80-a856-6e8c8371ed47": { + "page_content": "In general, public employees of all types may engage in private \npolitical activity, subject to the restrictions on political \nfundraising imposed by G.L. c. 55. The conflict of interest law \ndoes not prohibit a public employee from engaging in political \nactivity on their own time, using their own or other private \nresources, and when they are acting as an individual and not as \nan agent or representative of anyone else. \nINFORMATION \n\u2022 Elected and Policy-Making Officials: The restrictions on \npublic employee political activity are not the same for all \npublic positions. Elected officials may engage in more \npolitical activity than appointed officials and \nemployees. Public employees who hold policy-making", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "fbf6cade-121a-4213-974c-bef23aa407f0": { + "page_content": "Superintendent\u2019s Circular LGL-09 \nPage 5 of 6 \n \npositions have more leeway to make public statements and \nto take official action on political issues than do non-\npolicymakers. Employees are encouraged to contact the \nOffice of Legal Advisor with questions. \n\u2022 Campaign Finance: Employees seeking information on \nparticular questions are encouraged to call the \nMassachusetts Office of Campaign and Political Finance \n(OCPF). \n\u2022 Conflict of Interest: Employees may refer to State Ethics \nCommission\u2019s Advisory No. 11-1, entitled \u201cPublic Employee \nPolitical Activity,\u201d a copy of which can be obtained by \nclicking this link: \nState Ethics Commission Advisory 11-1: Public Employee \nPolitical Activity | Mass.gov \nFor information on campaign contributions and expenditures, \nplease see G.L. c. 55. \nENFORCEMENT \nThe City intends to ensure that the legal restrictions on political \nactivity by public employees are fully enforced. This bulletin", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "bb4ed671-6d33-4ff6-b25e-078e50b00351": { + "page_content": "please see G.L. c. 55. \nENFORCEMENT \nThe City intends to ensure that the legal restrictions on political \nactivity by public employees are fully enforced. This bulletin \nshould serve as notice to public employees of the City of such \nrestrictions and their implications.", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8c993228-2fea-48a1-b9d1-a1160330d4f0": { + "page_content": "Superintendent\u2019s Circular LGL-09 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-09 Political Activity by Public Employees.pdf", + "source_link": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "373e8546-0ef4-4c96-b10e-caedacc3e52d": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-01 \nVersion 01 \n \nHAZING LAW \nMassachusetts law makes it a crime to engage in hazing \nactivities. Hazing means any conduct or method of initiation into \nany student organization, whether on public or private property, \nwhich willfully or recklessly endangers the physical or mental \nhealth of any student or other person. A copy of the \nCommissioner of Elementary and Secondary Education\u2019s advisory \nis attached hereto as Attachment 1. \nMiddle school principals, heads of school, and principals of K-8 \nschools should treat hazing as a violation of Section 7.2.5 of the \nCode of Conduct with attendant sanctions. They are required by \nstate law to take the following steps: \n1. Distribute a copy of the amended law [Attachment 1] to \neach school-based student organization on or before \nSeptember 15. \n2. Obtain from each such student organization a statement, \nsigned by a designated officer of the organization, \nindicating that:", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "84d6254c-3ec8-4a0d-81d1-8f6ef6c6e6b3": { + "page_content": "each school-based student organization on or before \nSeptember 15. \n2. Obtain from each such student organization a statement, \nsigned by a designated officer of the organization, \nindicating that: \na. the organization has received a copy of the law. \nb. each of its members, plebes, pledges, or applicants \nhas received a copy of the law. \nc. the organization understands and agrees to comply \nwith the law.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a1ff6ec2-803b-4a85-be95-082272b42646": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 2 of 11 \n \nThe designated officer's signature should be \nwitnessed by an adult (i.e., faculty advisor), who \nshould also sign the statement. These statements \nshould be retained in the main office. A sample \nacknowledgment is attached to this memorandum \nas Attachment 2 for your convenience. \n3. Distribute a copy of the law to all students in grades 7 \nthrough 12 at least annually. Middle school principals, \nheads of school, and principals of K-8 schools must certify \nthat the school complies with the anti-hazing law to the \nMassachusetts Department of Elementary and Secondary \nEducation on or before October 1, by logging into the \nanti-hazing application accessible via MassEdu Gateway. \n4. The law also requires anyone who knows that another \nperson is the victim of hazing to report such an incident \nto an appropriate law enforcement official as soon as \npossible and provides criminal penalties for failure to do \nso.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "3adfc422-3473-4137-902e-4d03440d3935": { + "page_content": "person is the victim of hazing to report such an incident \nto an appropriate law enforcement official as soon as \npossible and provides criminal penalties for failure to do \nso. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nBy September 15 Building administrators distribute Attachment \n1 to all school-based student organizations. \nBy October 1 \nMiddle school principals, heads of school, and \nprincipals of K-8 schools certify compliance \nwith the anti-hazing law to DESE.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "245d878d-acee-4744-8be9-6bc53b7116c4": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 3 of 11 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "ce3fa915-1c19-4218-b303-b9f1f2f37dfc": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 4 of 11 \n \nATTACHMENT 1 \n \nREMINDER ABOUT MASSACHUSETTS LAW PROHIBITING THE \nPRACTICE OF HAZING \nSchool Year 2023-2024 Anti-Hazing Data Collection \n \nThe anti-hazing law, which was enacted in 1985, applies only to \nsecondary schools in Massachusetts. Please note that a middle \nschool that has been designated as a secondary school by the \nschool committee must comply with the anti-hazing law and \nregulations. \nUnder Massachusetts General Laws Chapter 269, Sections 17\u2013\n19 and 603 CMR 33.00, all secondary schools, both public and \nprivate, must: \n\u2022 Adopt anti-hazing policies as part of their disciplinary \npolicies. \n\u2022 Distribute copies of the anti-hazing law to all students \nenrolled full-time; to all student groups, teams, and \norganizations that are part of or are recognized by the \nschool or are permitted by the school to use its name and \nfacilities; and to all known unaffiliated student groups, \nteams, or organizations.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e5bf5d7d-7ddc-4bcc-ab99-80856f045dcd": { + "page_content": "school or are permitted by the school to use its name and \nfacilities; and to all known unaffiliated student groups, \nteams, or organizations. \nEvery year, secondary school principals/heads of school must: \n\u2022 Certify that you have read and understood the Anti-Hazing \nPolicy and that the school has complied with the law by \nlogging into the new Anti-Hazing application accessible via", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "630b0f7a-e42b-4fa9-baae-6624a0806959": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 5 of 11 \n \nMassEdu Gateway at https://gateway.edu.state.ma.us/ \n\u2022 High school principals/heads of school (or a designee) who \nneed access should be assigned their school\u2019s Anti-Hazing \nuser role by their district\u2019s directory administrator. If you \nhave questions about this, contact your directory \nadministrator. \n\u2022 If your school does not have a directory administrator, or if \nyou need help with your user ID and password, please \ncontact Nermina Peric at nperic@doe.ma.us. \n\u2022 The schools must certify with the department on or before \nOctober 1. By November 1, the department must notify the \nAttorney General of any school that has not filed a report. \n\u2022 Collect a signed acknowledgement from a contact person \nfor each student organization regarding distribution of \ninformation and agreement to comply with the law. The \nschools are not required to submit the Student Group Anti-\nHazing Form but should keep the form for their records.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8fc7fabe-1fc1-4c2d-90be-8c141551bad7": { + "page_content": "information and agreement to comply with the law. The \nschools are not required to submit the Student Group Anti-\nHazing Form but should keep the form for their records. \nThe guidance in this memorandum is intended to ensure that all \npublic and private secondary schools meet their obligations \nunder this important law and that students know the rules, \nexpectations, and consequences regarding hazing. If you need \nadditional information about the anti-hazing law and secondary \nschools' responsibilities, please contact Nermina Peric at 781-338-\n3708.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a85679b1-febb-49e6-83aa-a318bc19eea9": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 6 of 11 \n \nMASSACHUSETTS GENERAL LAWS \u2014 CHAPTER 269 \nC. 269, S.17. Crime of Hazing: Definition: Penalty \nWhoever is a principal organizer or participant in the crime of \nhazing, as defined herein, shall be punished by a fine of not more \nthan three thousand dollars or by imprisonment in a house of \ncorrection for not more than one year, or both such fine and \nimprisonment. \nThe term \"hazing\" as used in this section and in sections eighteen \nand nineteen, shall mean any conduct or method of initiation \ninto any student organization, whether on public or private \nproperty, which willfully or recklessly endangers the physical or \nmental health of any student or any other person. Such conduct \nshall include whipping, beating, branding, forced calisthenics, \nexposure to the weather, forced consumption of any food, liquor, \nbeverage or drug or other substance, or any other brutal \ntreatment or forced physical activity which is likely to adversely", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "4a00597b-b1f1-4e7d-8ce9-1b5b73c58af9": { + "page_content": "exposure to the weather, forced consumption of any food, liquor, \nbeverage or drug or other substance, or any other brutal \ntreatment or forced physical activity which is likely to adversely \naffect the physical health or safety of any such student or other \nperson, or which subjects such student or other person to \nextreme mental stress, including extended deprivation of sleep \nor rest or extended isolation. \nNotwithstanding any other provisions of this section to the \ncontrary, consent shall not be available as a defense to any \nprosecution under this action. Added by St.1985, c.536; amended \nby St.1987, c.665.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "42ec80ac-050e-4b4d-89a4-8a030bf94a4a": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 7 of 11 \n \nC. 269, S.18. Duty to Report Hazing \nWhoever knows that another person is the victim of hazing as \ndefined in section seventeen and is at the scene of such crime \nshall, to the extent that such person can do so without danger or \nperil to himself or others, report such crime to an appropriate law \nenforcement official as soon as reasonably practicable. Whoever \nfails to report such crime shall be punished by a fine or not more \nthan one thousand dollars. Added by St.1985, c.536; amended by \nSt.1987, c.665. \nC. 269, S.19. Hazing Statutes To Be Provided; Statement of \nCompliance and Discipline Policy Required \nEach institution of secondary education and each public and \nprivate institution of post-secondary education shall issue to \nevery student group, student team or student organization which \nis part of such institution or is recognized by the institution or \npermitted by the institution to use its name or facilities or is", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e01f072c-86b3-4a2c-a7da-16b3fcc56ede": { + "page_content": "every student group, student team or student organization which \nis part of such institution or is recognized by the institution or \npermitted by the institution to use its name or facilities or is \nknown by the institution to exist as an unaffiliated student group, \nstudent team or student organization, a copy of this section and \nsections seventeen and eighteen; provided, however, that an \ninstitution\u2019s compliance with this section\u2019s requirements that an \ninstitution issue copies of this section and sections seventeen \nand eighteen to unaffiliated student groups, teams or \norganizations shall not constitute evidence of the institution\u2019s \nrecognition or endorsement of said unaffiliated student groups, \nteams or organizations. \nEach such group, team or organization shall distribute a copy of \nthis section and sections seventeen and eighteen to each of its \nmembers, plebes, pledges, or applicants for membership. It shall", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "0223efa4-eb31-4bc8-b6a6-3a94988bf8f7": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 8 of 11 \n \nbe the duty of each such group, team or organization, acting \nthrough its designated officer, to deliver annually, to the \ninstitution an attested acknowledgement stating that such \ngroup, team or organization has received a copy of this section \nand said sections seventeen and eighteen, that each of its \nmembers, plebes, pledges or applicants has received a copy of \nsections seventeen and eighteen, and that such group, team or \norganization understands and agrees to comply with the \nprovisions of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or \nprivate institution of post-secondary education shall, at least \nannually, before or at the start of enrollment, deliver to each \nperson who enrolls as a full-time student in such institution a \ncopy of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "83ebf66c-3aab-4a53-a696-b14abcae6a48": { + "page_content": "person who enrolls as a full-time student in such institution a \ncopy of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or \nprivate institution of post-secondary education shall file, at least \nannually, a report with the board of higher education and in the \ncase of secondary schools, the board of education, certifying that \nsuch institution has complied with its responsibility to inform \nstudent groups, teams, or organizations and to notify each full \ntime student enrolled by it of the provisions of this section and \nsections seventeen and eighteen and also certifying that said \ninstitution has adopted a disciplinary policy with regard to the \norganizers and participants of hazing, and that such policy has \nbeen set forth with appropriate emphasis in the student \nhandbook or similar means of communicating the institution's \npolicies to its students. The board of higher education and, in the", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "208b8faf-d911-4c4f-9eff-15a1e05221bd": { + "page_content": "been set forth with appropriate emphasis in the student \nhandbook or similar means of communicating the institution's \npolicies to its students. The board of higher education and, in the \ncase of secondary institution, the board of education shall \npromulgate regulations governing the content and frequency of \nsuch reports, and shall forthwith report to the attorney general", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b8d0a57c-5ea4-49aa-8258-6bb89a3b5ea5": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 9 of 11 \n \nany such institution, which fails to make such report. Added by \nSt.1985, c.536; amended by St.1987, c.665; St.1998, c. 161 \u00a7\u00a7 557, 558.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "0d20b461-37aa-4407-8664-50f2d947f56f": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 10 of 11 \n \n ATTACHMENT 2 \nSAMPLE ANNUAL STATEMENT OF ACKNOWLEDGEMENT FOR \nSTUDENT GROUPS, TEAMS, AND ORGANIZATIONS \nANTI-HAZING LAW, M.G.L. C. 269, \u00a7\u00a7 17-19 \n \n \nTo: Secondary School Principal or Head of School \n \nOn behalf of _____________________________________________________ \n(name of student group, team, or organization) \nI certify that the _________________________________________________ \n(name of student group, team, or organization) \nand its members, plebes, pledges, or applicants for membership \nhave received a copy of An Act Prohibiting the Practice of Hazing, \nM.G.L. c. 269, \u00a7\u00a7 17-19; and that the \n __________________________________________________________________ \n(name of student group, team, or organization) \nunderstands and agrees to comply with the law.", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a38724e3-0bb8-4f70-839a-8847cbaa47c1": { + "page_content": "Superintendent\u2019s Circular LGL-01 \nPage 11 of 11 \n \nDate: ____________________________ \nSigned: __________________________________________________________ \n(Designated Officer) \n __________________________________________________________________ \n(Printed Name) \n \nFaculty Advisor or Leader: (for school affiliated group, team, or \norganization only) ________________________________________________ \n \nDate Received by Principal or Designee: __________________________ \n \n \nC: School Files \n Central Office Files", + "metadata": { + "file_name": "LGL-01 Anti-Hazing.pdf", + "source_link": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "f5ef53ac-80e4-4856-a99a-16670f7c9bfb": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-19 \nVersion 01 \n \nCONFLICT OF INTEREST LAW \u2013 CITY EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAttached you will find a copy of the \"Summary of the Conflict of \nInterest Law for Municipal Employees,\" which outlines the \nstandards of ethics and conduct for all city employees. This \nsummary was prepared and issued by the State Ethics \nCommission, the state entity charged with enforcing \nMassachusetts\u2019 conflict of interest law, M.G.L. c. 268A. \nCopies of this summary should be distributed to all staff and \nSchool Site Council members on an annual basis. It may also be \nfound at this link: Summary of the Conflict of Interest law. \nAll staff should be encouraged to read and be familiar with the \nlaw so that we all carry out our obligations honestly and fairly, \nand so that our actions are above reproach. Please use the \nattachment to this circular to make copies for your staff and", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "bb647506-06ac-4f73-bee6-0cb2f265088a": { + "page_content": "law so that we all carry out our obligations honestly and fairly, \nand so that our actions are above reproach. Please use the \nattachment to this circular to make copies for your staff and \nSchool Site Council. \nAnnually, every City employee is required by law to sign the \nacknowledgment of receipt of the attached summary via The \nHub. Alternatively, the employee may return the signed \nacknowledgement to their supervisor for submission to the \nOffice of Human Resources.", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "e1a4232c-6d6f-4d1b-9b89-5c85d31ae346": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 2 of 21 \n \nFurthermore, every two years, all current state, county, and \nmunicipal employees must complete online ethics training \nthrough the State Ethics Commission. New public employees \nmust complete this training within 30 days of beginning public \nservice, and every two years thereafter. Upon completing the \nprogram, employees should print out the completion certificate, \nkeep a copy for themselves, and provide a copy of the completion \ncertificate to Human Resources. The online training can be found \nat: \nComplete the Online Training Program for Municipal Employees | \nMass.gov \nFor specific questions regarding employment and/or individual \nactivity under the conflict of interest laws should be directed to \nthe Office of Legal Advisor. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "d4d11604-7340-414d-9abd-ce1864393676": { + "page_content": "For more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "ede6ef32-64f1-4232-a979-b6705e8d6065": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 3 of 21 \n \nSUMMARY OF THE CONFLICT OF INTEREST LAW FOR \nMUNICIPAL EMPLOYEES \nAll municipal employees must be provided with this summary of \nthe conflict of interest law annually. \nAll city and town employees must be provided with this \nSummary of the Conflict of Interest Law for Municipal Employees \nwithin 30 days of hire or election, and then annually. All city and \ntown employees are then required to acknowledge in writing \nthat they received the summary. \nThis summary of the conflict of interest law, General Laws \nchapter 268A, is intended to help municipal employees \nunderstand how that law applies to them. \nThis summary is not a substitute for legal advice, nor does it \nmention every aspect of the law that may apply in a particular \nsituation. Municipal employees can obtain free confidential \nadvice about the conflict of interest law from the Commission's \nLegal Division at our website, phone number, and address above.", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "2942bcdf-c18b-43aa-8c57-27d7718d3b34": { + "page_content": "situation. Municipal employees can obtain free confidential \nadvice about the conflict of interest law from the Commission's \nLegal Division at our website, phone number, and address above. \nMunicipal counsel may also provide advice. \nThe conflict of interest law seeks to prevent conflicts between \nprivate interests and public duties, foster integrity in public \nservice, and promote the public's trust and confidence in that \nservice by placing restrictions on what municipal employees may \ndo on the job, after hours, and after leaving public service, as \ndescribed below. The sections referenced below are sections of \nG.L. c. 268A. \nWhen the Commission determines that the conflict of interest \nlaw has been violated, it can impose a civil penalty of up to", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "f916f970-e0ce-4f1c-955a-54c7c6996b46": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 4 of 21 \n \n$10,000 ($25,000 for bribery cases) for each violation. In addition, \nthe Commission can order the violator to repay any economic \nadvantage he gained by the violation, and to make restitution to \ninjured third parties. Violations of the conflict of interest law can \nalso be prosecuted criminally. \n1. Are you a municipal employee for conflict of interest law \npurposes? \nYou do not have to be a full-time, paid municipal employee \nto be considered a municipal employee for conflict of \ninterest purposes. Anyone performing services for a city or \ntown or holding a municipal position, whether paid or \nunpaid, including full- and part-time municipal employees, \nelected officials, volunteers, and consultants, is a municipal \nemployee under the conflict of interest law. An employee of \na private firm can also be a municipal employee, if the \nprivate firm has a contract with the city or town and the", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "eb5b9617-fcca-4489-8961-e42bd13e8576": { + "page_content": "employee under the conflict of interest law. An employee of \na private firm can also be a municipal employee, if the \nprivate firm has a contract with the city or town and the \nemployee is a \"key employee\" under the contract, meaning \nthe town has specifically contracted for her services. The law \nalso covers private parties who engage in impermissible \ndealings with municipal employees, such as offering bribes \nor illegal gifts. Town meeting members and charter \ncommission members are not municipal employees under \nthe conflict of interest law.", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "267b8b61-ed6c-4de4-9e71-51f685f6da48": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 5 of 21 \n \n2. On-the-job restrictions. \na. Bribes. Asking for and taking bribes is prohibited. (See \nSection 2) \nA bribe is anything of value corruptly received by a \nmunicipal employee in exchange for the employee being \ninfluenced in his official actions. Giving, offering, \nreceiving, or asking for a bribe is illegal. \nBribes are more serious than illegal gifts because they \ninvolve corrupt intent. In other words, the municipal \nemployee intends to sell his office by agreeing to do or \nnot do some official act, and the giver intends to influence \nhim to do so. Bribes of any value are illegal. \nb. Gifts and gratuities. Asking for or accepting a gift \nbecause of your official position, or because of \nsomething you can do or have done in your official \nposition, is prohibited. (See Sections 3, 23(b)(2), and 26). \nMunicipal employees may not accept gifts and gratuities \nvalued at $50 or more given to influence their official", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "dedeb151-8360-435a-a490-7f4cba37e6b2": { + "page_content": "position, is prohibited. (See Sections 3, 23(b)(2), and 26). \nMunicipal employees may not accept gifts and gratuities \nvalued at $50 or more given to influence their official \nactions or because of their official position. Accepting a \ngift intended to reward past official action or to bring \nabout future official action is illegal, as is giving such gifts. \nAccepting a gift given to you because of the municipal \nposition you hold is also illegal. Meals, entertainment \nevent tickets, golf, gift baskets, and payment of travel \nexpenses can all be illegal gifts if given in connection with \nofficial action or position, as can anything worth $50 or \nmore. A number of smaller gifts together worth $50 or \nmore may also violate these sections.", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "daeb1a53-4fb6-4953-ac80-4602d239727c": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 6 of 21 \n \nExample of violation: A town administrator accepts \nreduced rental payments from developers. \nExample of violation: A developer offers a ski trip to a \nschool district employee who oversees the developer's \nwork for the school district. \nRegulatory exemptions. There are situations in which a \nmunicipal employee's receipt of a gift does not present a \ngenuine risk of a conflict of interest and may in fact \nadvance the public interest. The Commission has created \nexemptions permitting giving and receiving gifts in these \nsituations. One commonly used exemption permits \nmunicipal employees to accept payment of travel-related \nexpenses when doing so advances a public purpose. \nAnother commonly used exemption permits municipal \nemployees to accept payment of costs involved in \nattendance at educational and training programs. Other \nexemptions are listed on the Commission's website. \nExample where there is no violation: A fire truck", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "170c6e6d-4f8f-4a57-9d78-577d4de1688f": { + "page_content": "attendance at educational and training programs. Other \nexemptions are listed on the Commission's website. \nExample where there is no violation: A fire truck \nmanufacturer offers to pay the travel expenses of a fire \nchief to a trade show where the chief can examine \nvarious kinds of fire-fighting equipment that the town \nmay purchase. The chief fills out a disclosure form and \nobtains prior approval from his appointing authority. \nExample where there is no violation: A town treasurer \nattends a two-day annual school featuring multiple \nsubstantive seminars on issues relevant to treasurers. The \nannual school is paid for in part by banks that do business \nwith town treasurers. The treasurer is only required to \nmake a disclosure if one of the sponsoring banks has \nofficial business before her in the six months before or", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b8853f28-8fbd-428b-93ec-35c1f6367407": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 7 of 21 \n \nafter the annual school. \nc. Misuse of position. Using your official position to get \nsomething you are not entitled to, or to get someone \nelse something they are not entitled to, is prohibited. \nCausing someone else to do these things is also \nprohibited. (See Sections 23(b)(2) and 26) \nA municipal employee may not use her official position to \nget something worth $50 or more that would not be \nproperly available to other similarly situated individuals. \nSimilarly, a municipal employee may not use her official \nposition to get something worth $50 or more for \nsomeone else that would not be properly available to \nother similarly situated individuals. Causing someone else \nto do these things is also prohibited. \nExample of violation: A full-time town employee writes a \nnovel on work time, using her office computer, and \ndirecting her secretary to proofread the draft. \nExample of violation: A city councilor directs", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "97116040-f72c-4280-82f8-84d328884992": { + "page_content": "novel on work time, using her office computer, and \ndirecting her secretary to proofread the draft. \nExample of violation: A city councilor directs \nsubordinates to drive the councilor's wife to and from the \ngrocery store. \nExample of violation: A mayor avoids a speeding ticket by \nasking the police officer who stops him, \"Do you know \nwho I am?\" and showing his municipal I.D. \nd. Self-dealing and nepotism. Participating as a municipal \nemployee in a matter in which you, your immediate \nfamily, your business organization, or your future \nemployer has a financial interest is prohibited. (See \nSection 19)", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "359c55ac-f72d-4645-940d-35c286c375c8": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 8 of 21 \n \nA municipal employee may not participate in any \nparticular matter in which he or a member of his \nimmediate family (parents, children, siblings, spouse, and \nspouse's parents, children, and siblings) has a financial \ninterest. He also may not participate in any particular \nmatter in which a prospective employer, or a business \norganization of which he is a director, officer, trustee, or \nemployee has a financial interest. Participation includes \ndiscussing as well as voting on a matter and delegating a \nmatter to someone else. \nA financial interest may create a conflict of interest \nwhether it is large or small, and positive or negative. In \nother words, it does not matter if a lot of money is \ninvolved or only a little. It also does not matter if you are \nputting money into your pocket or taking it out. If you, \nyour immediate family, your business, or your employer \nhave or has a financial interest in a matter, you may not", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "0f335b90-cb1b-4391-97e7-247316a661b1": { + "page_content": "putting money into your pocket or taking it out. If you, \nyour immediate family, your business, or your employer \nhave or has a financial interest in a matter, you may not \nparticipate. The financial interest must be direct and \nimmediate or reasonably foreseeable to create a conflict. \nFinancial interests which are remote, speculative, or not \nsufficiently identifiable do not create conflicts. \nExample of violation: A school committee member's wife \nis a teacher in the town's public schools. The school \ncommittee member votes on the budget line item for \nteachers' salaries. \nExample of violation: A member of a town affordable \nhousing committee is also the director of a non-profit \nhousing development corporation. The non-profit makes \nan application to the committee, and the", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "674f33f6-fead-48b6-aa2d-6008e3e16b99": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 9 of 21 \n \nmember/director participates in the discussion. \nExample: A planning board member lives next door to \nproperty where a developer plans to construct a new \nbuilding. Because the planning board member owns \nabutting property, he is presumed to have a financial \ninterest in the matter. He cannot participate unless he \nprovides the State Ethics Commission with an opinion \nfrom a qualified independent appraiser that the new \nconstruction will not affect his financial interest. \nIn many cases, where not otherwise required to \nparticipate, a municipal employee may comply with the \nlaw by simply not participating in the particular matter in \nwhich she has a financial interest. She need not give a \nreason for not participating. \nThere are several exemptions to this section of the law. An \nappointed municipal employee may file a written \ndisclosure about the financial interest with his appointing \nauthority and seek permission to participate", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "7928aa1a-530e-46be-92e7-8510451e0b0d": { + "page_content": "appointed municipal employee may file a written \ndisclosure about the financial interest with his appointing \nauthority and seek permission to participate \nnotwithstanding the conflict. The appointing authority \nmay grant written permission if she determines that the \nfinancial interest in question is not so substantial that it is \nlikely to affect the integrity of his services to the \nmunicipality. Participating without disclosing the \nfinancial interest is a violation. Elected employees cannot \nuse the disclosure procedure because they have no \nappointing authority. \nExample where there is no violation : An appointed \nmember of the town zoning advisory committee, which", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "666aa7ec-e729-491a-af07-9c75f1548779": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 10 of 21 \n \nwill review and recommend changes to the town's by-\nlaws with regard to a commercial district, is a partner at a \ncompany that owns commercial property in the district. \nPrior to participating in any committee discussions, the \nmember files a disclosure with the zoning board of \nappeals that appointed him to his position, and that \nboard gives him a written determination authorizing his \nparticipation, despite his company's financial interest. \nThere is no violation. \nThere is also an exemption for both appointed and \nelected employees where the employee's task is to \naddress a matter of general policy and the employee's \nfinancial interest is shared with a substantial portion \n(generally 10% or more) of the town's population, such as, \nfor instance, a financial interest in real estate tax rates or \nmunicipal utility rates. \nRegulatory exemptions. In addition to the statutory \nexemptions just mentioned, the Commission has created", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "90932570-4945-493b-8a8d-d80c185967a8": { + "page_content": "for instance, a financial interest in real estate tax rates or \nmunicipal utility rates. \nRegulatory exemptions. In addition to the statutory \nexemptions just mentioned, the Commission has created \nseveral regulatory exemptions permitting municipal \nemployees to participate in particular matters \nnotwithstanding the presence of a financial interest in \ncertain very specific situations when permitting them to \ndo so advances a public purpose. There is an exemption \npermitting school committee members to participate in \nsetting school fees that will affect their own children if \nthey make a prior written disclosure. There is an \nexemption permitting town clerks to perform election-\nrelated functions even when they, or their immediate \nfamily members, are on the ballot, because clerks\u2019 \nelection-related functions are extensively regulated by", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c55130d8-cc8a-4ef4-9a98-c7a2c66c2c20": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 11 of 21 \n \nother laws. There is also an exemption permitting a \nperson serving as a member of a municipal board \npursuant to a legal requirement that the board have \nmembers with a specified affiliation to participate fully in \ndeterminations of general policy by the board, even if the \nentity with which he is affiliated has a financial interest in \nthe matter. Other exemptions are listed in the \nCommission's regulations, available on the Commission\u2019s \nwebsite. \nExample where there is no violation: A municipal \nShellfish Advisory Board has been created to provide \nadvice to the Board of Selectmen on policy issues related \nto shellfishing. The Advisory Board is required to have \nmembers who are currently commercial fishermen. A \nboard member who is a commercial fisherman may \nparticipate in determinations of general policy in which \nhe has a financial interest common to all commercial \nfishermen but may not participate in determinations in", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "d3fb51ce-efad-46af-906a-01ff5c1a39d5": { + "page_content": "participate in determinations of general policy in which \nhe has a financial interest common to all commercial \nfishermen but may not participate in determinations in \nwhich he alone has a financial interest, such as the \nextension of his own individual permits or leases. \ne. False claims. Presenting a false claim to your employer \nfor a payment or benefit is prohibited, and causing \nsomeone else to do so is also prohibited. (See Sections \n23(b)(4) and 26) \nA municipal employee may not present a false or \nfraudulent claim to his employer for any payment or \nbenefit worth $50 or more or cause another person to do \nso.", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "c8f4cba0-ba16-4c6a-8fb3-a9c6f87f42c8": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 12 of 21 \n \nExample of violation : A public works director directs his \nsecretary to fill out time sheets to show him as present at \nwork on days when he was skiing. \nf. Appearance of conflict. Acting in a manner that would \nmake a reasonable person think you can be improperly \ninfluenced is prohibited. (See Section 23(b)(3)) \nA municipal employee may not act in a manner that \nwould cause a reasonable person to think that she would \nshow favor toward someone or that she can be \nimproperly influenced. Section 23(b)(3) requires a \nmunicipal employee to consider whether her \nrelationships and affiliations could prevent her from \nacting fairly and objectively when she performs her duties \nfor a city or town. If she cannot be fair and objective \nbecause of a relationship or affiliation, she should not \nperform her duties. However, a municipal employee, \nwhether elected or appointed, can avoid violating this", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "5ebcfed2-150f-4e1c-abf6-82fb29899670": { + "page_content": "because of a relationship or affiliation, she should not \nperform her duties. However, a municipal employee, \nwhether elected or appointed, can avoid violating this \nprovision by making a public disclosure of the facts. An \nappointed employee must make the disclosure in writing \nto his appointing official. \nExample where there is no violation: A developer who is \nthe cousin of the chair of the conservation commission \nhas filed an application with the commission. A \nreasonable person could conclude that the chair might \nfavor her cousin. The chair files a written disclosure with \nher appointing authority explaining her relationship with \nher cousin prior to the meeting at which the application \nwill be considered. There is no violation of Sec. 23(b)(3). \ng. Confidential information. Improperly disclosing or", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "f5b02d81-c88a-4d46-9962-ea978dc300d2": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 13 of 21 \n \npersonally using confidential information obtained \nthrough your job is prohibited. (See Section 23(c)) \nMunicipal employees may not improperly disclose \nconfidential information, or make personal use of non-\npublic information they acquired in the course of their \nofficial duties to further their personal interests. \n3. After-hours restrictions. \na. Taking a second paid job that conflicts with the duties of \nyour municipal job is prohibited. (See Section 23(b)(1)) \nA municipal employee may not accept other paid \nemployment if the responsibilities of the second job are \nincompatible with his or her municipal job. \nExample: A police officer may not work as a paid private \nsecurity guard in the town where he serves because the \ndemands of his private employment would conflict with \nhis duties as a police officer. \nDivided loyalties. Receiving pay from anyone other than \nthe city or town to work on a matter involving the city or", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "fd5d924d-6784-4b13-bd53-060c0154bf79": { + "page_content": "his duties as a police officer. \nDivided loyalties. Receiving pay from anyone other than \nthe city or town to work on a matter involving the city or \ntown is prohibited. Acting as agent or attorney for anyone \nother than the city or town in a matter involving the city \nor town is also prohibited whether or not you are paid. \n(See Sec. 17) \nBecause cities and towns are entitled to the undivided \nloyalty of their employees, a municipal employee may not \nbe paid by other people and organizations in relation to a \nmatter if the city or town has an interest in the matter. In \naddition, a municipal employee may not act on behalf of", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "54daefb1-cd2c-4d17-a374-fc73a5823c45": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 14 of 21 \n \nother people and organizations or act as an attorney for \nother people and organizations in which the town has an \ninterest. Acting as agent includes contacting the \nmunicipality in person, by phone, or in writing; acting as a \nliaison; providing documents to the city or town; and \nserving as spokesman. \nA municipal employee may always represent his own \npersonal interests, even before his own municipal agency \nor board, on the same terms and conditions that other \nsimilarly situated members of the public would be \nallowed to do so. A municipal employee may also apply \nfor building and related permits on behalf of someone \nelse and be paid for doing so, unless he works for the \npermitting agency, or an agency which regulates the \npermitting agency. \nExample of violation: A full-time health agent submits a \nseptic system plan that she has prepared for a private \nclient to the town's board of health.", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "8278832e-bc55-45f0-a59c-180eeaba9d6a": { + "page_content": "permitting agency. \nExample of violation: A full-time health agent submits a \nseptic system plan that she has prepared for a private \nclient to the town's board of health. \nExample of violation: A planning board member \nrepresents a private client before the board of selectmen \non a request that town meeting consider rezoning the \nclient's property. \nWhile many municipal employees earn their livelihood in \nmunicipal jobs, some municipal employees volunteer \ntheir time to provide services to the town or receive small \nstipends. Others, such as a private attorney who provides \nlegal services to a town as needed, may serve in a position \nin which they may have other personal or private", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "1504abb2-898a-41fa-bd5b-ac6ea5e7e96c": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 15 of 21 \n \nemployment during normal working hours. In recognition \nof the need not to unduly restrict the ability of town \nvolunteers and part-time employees to earn a living, the \nlaw is less restrictive for \"special\" municipal employees \nthan for other municipal employees. \nThe status of \"special\" municipal employee has to be \nassigned to a municipal position by vote of the board of \nselectmen, city council, or similar body. A position is \neligible to be designated as \"special\" if it is unpaid, or if it \nis part-time and the employee is allowed to have another \njob during normal working hours, or if the employee was \nnot paid for working more than 800 hours during the \npreceding 365 days. It is the position that is designated as \n\"special\" and not the person or persons holding the \nposition. Selectmen in towns of 10,000 or fewer are \nautomatically \"special\"; selectman in larger towns cannot \nbe \"specials.\"", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "aa41f942-b5cb-4b2c-a597-60f58ac0868e": { + "page_content": "\"special\" and not the person or persons holding the \nposition. Selectmen in towns of 10,000 or fewer are \nautomatically \"special\"; selectman in larger towns cannot \nbe \"specials.\" \nIf a municipal position has been designated as \"special,\" \nan employee holding that position may be paid by others, \nact on behalf of others, and act as attorney for others with \nrespect to matters before municipal boards other than his \nown, provided that he has not officially participated in the \nmatter, and the matter is not now, and has not within the \npast year been, under his official responsibility. \nExample: A school committee member who has been \ndesignated as a special municipal employee appears \nbefore the board of health on behalf of a client of his \nprivate law practice, on a matter that he has not \nparticipated in or had responsibility for as a school", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "62cbb480-c1d6-47ff-bafd-4c54cf1db293": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 16 of 21 \n \ncommittee member. There is no conflict. However, he \nmay not appear before the school committee, or the \nschool department, on behalf of a client because he has \nofficial responsibility for any matter that comes before the \nschool committee. This is still the case even if he has \nrecused himself from participating in the matter in his \nofficial capacity. \nExample: A member who sits as an alternate on the \nconservation commission is a special municipal \nemployee. Under town by-laws, he only has official \nresponsibility for matters assigned to him. He may \nrepresent a resident who wants to file an application with \nthe conservation commission as long as the matter is not \nassigned to him and he will not participate in it. \nb. Inside track. Being paid by your city or town, directly or \nindirectly, under some second arrangement in addition \nto your job is prohibited, unless an exemption applies. \n(See Section 20)", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "d14cdf1c-8f40-46c5-9ad5-da55a02de048": { + "page_content": "b. Inside track. Being paid by your city or town, directly or \nindirectly, under some second arrangement in addition \nto your job is prohibited, unless an exemption applies. \n(See Section 20) \nA municipal employee generally may not have a financial \ninterest in a municipal contract, including a second \nmunicipal job. A municipal employee is also generally \nprohibited from having an indirect financial interest in a \ncontract that the city or town has with someone else. This \nprovision is intended to prevent municipal employees \nfrom having an \"inside track\" to further financial \nopportunities. \nExample of violation: Legal counsel to the town housing \nauthority becomes the acting executive director of the", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "36dfaf90-15ea-49e9-b693-c6eccece9d01": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 17 of 21 \n \nauthority, and is paid in both positions. \nExample of violation: A selectman buys a surplus truck \nfrom the town DPW. \nExample of violation: A full-time secretary for the board \nof health wants to have a second paid job working part-\ntime for the town library. She will violate Section 20 unless \nshe can meet the requirements of an exemption. \nExample of violation: A city councilor wants to work for a \nnon-profit that receives funding under a contract with her \ncity. Unless she can satisfy the requirements of an \nexemption under Section 20, she cannot take the job. \nThere are numerous exemptions. A municipal employee \nmay hold multiple unpaid or elected positions. Some \nexemptions apply only to special municipal employees. \nSpecific exemptions may cover serving as an unpaid \nvolunteer in a second town position, housing-related \nbenefits, public safety positions, certain elected positions,", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "242298b7-cafa-4450-9dbf-4196ce837783": { + "page_content": "Specific exemptions may cover serving as an unpaid \nvolunteer in a second town position, housing-related \nbenefits, public safety positions, certain elected positions, \nsmall towns, and other specific situations. Please call the \nEthics Commission's Legal Division for advice about a \nspecific situation. \n4. After you leave municipal employment. (See Section 18) \na. Forever ban. After you leave your municipal job, you may \nnever work for anyone other than the municipality on a \nmatter that you worked on as a municipal employee. \nIf you participated in a matter as a municipal employee, \nyou cannot ever be paid to work on that same matter for \nanyone other than the municipality, nor may you act for", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "231ad5cf-b9eb-45be-ba2b-df2ab637afa6": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 18 of 21 \n \nsomeone else, whether paid or not. The purpose of this \nrestriction is to bar former employees from selling to \nprivate interests their familiarity with the facts of \nparticular matters that are of continuing concern to their \nformer municipal employer. The restriction does not \nprohibit former municipal employees from using the \nexpertise acquired in government service in their \nsubsequent private activities. \nExample of violation: A former school department \nemployee works for a contractor under a contract that \nshe helped to draft and oversee for the school \ndepartment. \nb. One year cooling-off period. For one year after you leave \nyour municipal job you may not participate in any matter \nover which you had official responsibility during your last \ntwo years of public service. \nFormer municipal employees are barred for one year after \nthey leave municipal employment from personally", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "ffb358ee-1eaf-47ea-bead-94a2e5c617f6": { + "page_content": "over which you had official responsibility during your last \ntwo years of public service. \nFormer municipal employees are barred for one year after \nthey leave municipal employment from personally \nappearing before any agency of the municipality in \nconnection with matters that were under their authority \nin their prior municipal positions during the two years \nbefore they left. \nExample: An assistant town manager negotiates a three-\nyear contract with a company. The town manager who \nsupervised the assistant and had official responsibility for \nthe contract, but did not participate in negotiating it, \nleaves her job to work for the company to which the \ncontract was awarded. The former manager may not call", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "bcb6f2dc-ae80-47cd-8054-cd5d277f58ef": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 19 of 21 \n \nor write the town in connection with the company's work \non the contract for one year after leaving the town. \nA former municipal employee who participated as such in \ngeneral legislation on expanded gaming and related \nmatters may not become an officer or employee of, or \nacquire a financial interest in, an applicant for a gaming \nlicense, or a gaming licensee, for one year after his public \nemployment ceases. \nc. Partners. Your partners will be subject to restrictions \nwhile you serve as a municipal employee and after your \nmunicipal service ends. \nPartners of municipal employees and former municipal \nemployees are also subject to restrictions under the \nconflict of interest law. If a municipal employee \nparticipated in a matter, or if he has official responsibility \nfor a matter, then his partner may not act on behalf of \nanyone other than the municipality or provide services as", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "6f0f6a4a-173f-4ecd-9b83-6c29cd7c7556": { + "page_content": "participated in a matter, or if he has official responsibility \nfor a matter, then his partner may not act on behalf of \nanyone other than the municipality or provide services as \nan attorney to anyone but the city or town in relation to \nthe matter. \nExample: While serving on a city's historic district \ncommission, an architect reviewed an application to get \nlandmark status for a building. His partners at his \narchitecture firm may not prepare and sign plans for the \nowner of the building or otherwise act on the owner's \nbehalf in relation to the application for landmark status. \nIn addition, because the architect has official \nresponsibility as a commissioner for every matter that \ncomes before the commission, his partners may not", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "2f7138d4-1e17-4ead-a374-32f886d47574": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 20 of 21 \n \ncommunicate with the commission or otherwise act on \nbehalf of any client on any matter that comes before the \ncommission during the time that the architect serves on \nthe commission. \nExample: A former town counsel joins a law firm as a \npartner. Because she litigated a lawsuit for the town, her \nnew partners cannot represent any private clients in the \nlawsuit for one year after her job with the town ended. \n \n \nThis summary is not intended to be legal advice and, because it is \na summary, it does not mention every provision of the conflict \nlaw that may apply in a particular situation. Our website, \nhttp://www.mass.gov/ethics contains further information about \nhow the law applies in many situations. You can also contact the \nCommission's Legal Division via our website, by telephone, or by \nletter. Our contact information is at the top of this document. \n \nVersion 7: Revised May 20, 2022", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "a0509063-9225-4513-8784-e20b6173b1e0": { + "page_content": "Superintendent\u2019s Circular LGL-19 \nPage 21 of 21 \n \nACKNOWLEDGEMENT OF RECEIPT OF SUMMARY OF THE \nCONFLICT OF INTEREST LAW FOR MUNICIPAL EMPLOYEES \nI, (print your first and last name): \n _________________________________________________________________ , \nan employee at (name of your municipal agency or department): \n _________________________________________________________________ , \n \nhereby acknowledge that I received a copy of the summary of \nthe Conflict Of Interest Law for municipal employees, revised May \n20, 2022. \n \nSignature_____________________________________Date ______________ \nMunicipal employees should complete the acknowledgment of \nreceipt and return it to the individual who provided them with a \ncopy of the summary. Alternatively, municipal employees may \nsend an email acknowledging receipt of the summary to the \nindividual who provided them with a copy of it.", + "metadata": { + "file_name": "LGL-19 Conflict of Interest Law-City Employees.pdf", + "source_link": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#LGL" + } + }, + "b068ec0f-0a04-441b-b537-11174bb5ad36": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSUP-20 \nVersion 01 \n \n \nCHILD ABUSE AND NEGLECT \n \nTHIS CIRCULAR WILL REMAIN IN EFFECT UNLESS RESCINDED OR \nSUPERSEDED BY A SUBSEQUENT VERSION \nGENERAL INFORMATION \nMassachusetts General Law (Chapter 119, Section 51A) requires \nthat certain persons who in their professional capacity have \nreasonable cause to believe that a child under the age of \neighteen (18) years is suffering serious physical or emotional \ninjury resulting from abuse, including sexual abuse, or neglect, \nincluding malnutrition, inflicted upon them SHALL \nIMMEDIATELY, VIA TELEPHONE, REPORT THIS ABUSE OR \nNEGLECT TO THE DEPARTMENT OF CHILDREN AND FAMILIES, \neither via the attached Area Offices Telephone Directory or via \nthe 24-hour reporting hotline: 1-800-792-5200. \n \nWithin forty-eight (48) hours of the initial oral report, these \nprofessionals are required under Massachusetts law to notify the \nDepartment of Children and Families (DCF) in writing using the", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "6ab395af-ea27-4a48-8eb1-c408cab533ea": { + "page_content": "Within forty-eight (48) hours of the initial oral report, these \nprofessionals are required under Massachusetts law to notify the \nDepartment of Children and Families (DCF) in writing using the \nattached Report Form. The Report Form should be sent by \nregistered mail, with return receipt requested, to the appropriate \nDCF Area Office. A new Report Form must be completed for \neach new injury or re-injury.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "cad33b64-2e4b-4320-9a8f-d40071ee1a42": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 2 of 15 \n \nWHO MUST REPORT? \nBy law, the following professionals, among others, are \u201cmandated \nreporters\u201d and must report cases of child abuse or neglect to \nDCF: physicians, medical interns, medical examiners, dentists, \nnurses, teachers, educational administrators, guidance \ncounselors, family counselors, probation officers, school \nattendance officers, social workers, psychologists, and police \nofficers. When these professionals are employed at a school, they \nmust either notify DCF directly or, alternatively, notify the person \nin charge of the school or that person\u2019s designated agent. Out of \nan abundance of caution, however, all school professional staff in \nthe Boston Public Schools are required to report to DCF any \ninstance of neglect or abuse that they observe or which is \nbrought to their attention. \n \nPlease note that all employees are required to report any \nsuspected or alleged bias-based conduct toward a student", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "d343db3c-5f47-4d02-9ad9-ef2d351b3a59": { + "page_content": "brought to their attention. \n \nPlease note that all employees are required to report any \nsuspected or alleged bias-based conduct toward a student \nor sexual misconduct toward a student under circulars EQT-\n02 and EQT-03. This report must be made to a school \nadministrator and/or directly to the Office of Equity. A \ndetermination will then be made whether it meets the \nstandard for a report to the Department of Children and \nFamilies under SUP-20. Please see Attachment 1, Procedures \nfor Reporting Suspected Child Abuse and Neglect Cases. \n \nNothing in this policy prohibits a school professional from \nnotifying DCF directly when such school professional has \nreasonable cause to believe abuse or neglect occurred. In the \nevent that a school professional notifies the building \nadministrator in charge of an incident of suspected abuse or", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "0bb1819d-c0c8-4b9e-9874-aa334bcce9d7": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 3 of 15 \n \nneglect, that building administrator must make a report to DCF \nfollowing the procedures outlined in this circular. \n \nAny other person may report a case of child abuse or neglect \nwhen there is reasonable cause to believe that a child\u2019s health or \nwelfare is being harmed, or is at substantial risk of being harmed, \nas a result of abuse or neglect. \nWHAT TO REPORT? \nAny incident in which there is reasonable cause to believe that a \nchild\u2019s physical or mental health or welfare is harmed or is \nthreatened with substantial risk of harm through abuse or \nneglect must be reported. Truancy by itself is not a reportable \nmatter. This means that a child missing school is not, on its own, \na reason to report. \nABUSE. Abuse includes: \n\u2022 Physical, mental, or emotional injury by other than \naccidental means, i.e., beatings, cuttings, burns, broken \nbones, multiple bruises \n\u2022 Physical dependency on an addictive drug at birth", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "140b129e-b26c-4eb7-aba5-4e5a875bbed1": { + "page_content": "\u2022 Physical, mental, or emotional injury by other than \naccidental means, i.e., beatings, cuttings, burns, broken \nbones, multiple bruises \n\u2022 Physical dependency on an addictive drug at birth \n\u2022 Any sexual act against another person either by force, or by \nthreat of force or bodily injury, or against the person\u2019s will. \nThis includes a sexual act against another person who is \nincapable of giving consent either because of their \ntemporary or permanent mental or physical incapacity or \nbecause s/he is a minor. Such crimes as indecent assault \nand battery, rape, rape with force, rape and abuse, assault \nwith intent to rape and unnatural and lascivious acts \nconstitute a sexual assault.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "977d3379-5487-4c74-bf81-0f0dbbde157e": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 4 of 15 \n \nIndecent assault and battery includes, but is not limited to, \ninappropriate and unwanted touching of private body parts. \nA person under the age of 14 is legally unable to consent to \nthis type of sexual activity. \nNEGLECT. Neglect is deemed to exist when the person or persons \nresponsible for a child\u2019s care, although financially able to do so, \nfail to provide the child with: \n\u2022 Adequate food, clothing, shelter, education, or medical care \n\u2022 Proper supervision and/or guardianship. \n \nThe attached Procedures for Reporting Suspected Child Abuse or \nNeglect detail the relevant reporting procedures to be followed \nby Boston Public School employees. \n \nIMMUNITY \nAll reports will be held in strict confidence. A person required to \nreport who does in fact make a report, including a report of \nabuse or neglect by personnel in the public school system, shall \nnot be held liable in any civil or criminal action by reason of that", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "8ebb6316-d6b2-4fb0-89b1-91c30d1c03d9": { + "page_content": "report who does in fact make a report, including a report of \nabuse or neglect by personnel in the public school system, shall \nnot be held liable in any civil or criminal action by reason of that \nreport. In addition, a person who, although not required to do so \nby statute, voluntarily makes a report shall not be liable in any \ncivil or criminal action by reason of that report if it was made in \ngood faith and that person did not perpetuate, inflict, or cause \nthe reported abuse or neglect. \nIn accordance with Massachusetts law (Massachusetts General \nLaws Chapter 119, Section 51B), persons who are mandatory \nreporters of child abuse shall share any relevant information \nrequested by the Department of Children and Families during \nthe investigation of a specific 51A child abuse report. Those \npersons who are required to share information are protected", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "c58dba79-885d-4e6e-b01c-56f3759b0bdf": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 5 of 15 \n \nfrom civil or criminal liability for providing such information \nwithout parental consent. \nCONSEQUENCES FOR VIOLATIONS OF THE REPORTING \nREQUIREMENT \nUnder Massachusetts law, any person required to make oral and \nwritten reports of suspected child abuse or neglect who fails to \ndo so and any person who knowingly files a frivolous report will \nbe subject to penalties as prescribed by law. \nBoston Public School employees required by law to report \nsuspected child abuse or neglect who fail to do so in accordance \nwith the attached procedures will be subject to discipline. \nPROHIBITION OF RETALIATION \nRetaliation against any Boston Public School student or \nemployee for filing a complaint of abuse or neglect, including a \nreport of abuse or neglect against personnel in the public school \nsystem, is strictly prohibited. \nIn accordance with both Massachusetts law and the attached \nProcedures, any Boston Public School employees who", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "d4dd719e-3a65-4276-9134-3fff09334136": { + "page_content": "system, is strictly prohibited. \nIn accordance with both Massachusetts law and the attached \nProcedures, any Boston Public School employees who \nthemselves perpetuate, inflict, or cause the abuse of any child will \nbe subject to discipline as outlined in the attached Procedures. \nATTACHMENTS: \n\u2022 Procedures for Reporting Suspected Child Abuse and \nNeglect Cases \n\u2022 Area Offices and Telephone Directory Guide for Reporting \nPurposes \n\u2022 DCF 51A Reporting Form", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "54892864-815d-4cbf-93d4-71b1e4588cbc": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 6 of 15 \n \nFor more information about this circular, contact: \nOwner: Chief of Student Support \nMailing \nAddress: 2300 Washington Street, Boston MA, 02119 \nPhone: 617-635-9000 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "9ed7659a-437d-4269-9d2b-2deb08592624": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 7 of 15 \n \nATTACHMENT 1 \n (p. 1 of 6) \n \nPROCEDURES FOR REPORTING SUSPECTED \nCHILD ABUSE AND NEGLECT CASES \n \n1. Pursuant to Massachusetts General Law Chapter 119, Section \n51A, a mandated reporter is required to report when they has \n\u201creasonable cause to believe\u201d that a child under the age of \neighteen (18) years is suffering from abuse or neglect. Out of \nan abundance of caution, however, all school professional \nstaff in the Boston Public Schools are required to report to \nDCF any instance of neglect or abuse that they observe or \nwhich is brought to their attention. \n \n2. Upon such suspicion of abuse or neglect of a child under 18 \nyears of age, a teacher, or any other mandated reporter, will \nimmediately report their concerns to the building \nadministrator and will confer with the school nurse. Such \nabuse includes but is not limited to physical, mental, or \nemotional injury by other than accidental means (e.g.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "46c109f8-6341-4f36-b15c-77b334bbb8fc": { + "page_content": "administrator and will confer with the school nurse. Such \nabuse includes but is not limited to physical, mental, or \nemotional injury by other than accidental means (e.g. \nbeatings, cuttings, burns, broken bones, multiple bruises). In \nthe event of suspected physical abuse, a school nurse should \nbe contacted to immediately examine and document the \nchild\u2019s physical condition. Appropriate Special Education and \nSupport Services staff should be notified of the situation \nconcerning the suspected abuse or neglect.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "da9d3c6d-f608-4056-880d-41d58dc594aa": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 8 of 15 \n \nATTACHMENT 1 \n (p. 2 of 6) \n \n3. Upon suspicion of sexual assault, please refer immediately \nto the Equity Circular on Sexual Misconduct Toward Students \n(EQT-03) and follow the reporting procedures outlined in that \ncircular. School personnel responding to sexual assault \nconcerns will obtain only basic minimal facts of the alleged \nincident. These basic facts should include: (1) when the \nincident occurred; (2) where the incident occurred; (3) who \nassaulted the student, if known; (4) the nature of the \nincident; and (5) whether there are known witnesses and/or \nother victims. In an attempt to minimize the emotional \nstress victims of abuse experience and to preserve the \nintegrity and reliability of the required DCF and law \nenforcement investigations, additional interviews and more \ndetailed probing questioning are not to be conducted by \nschool officials. A student who reports being a victim of a", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "6e20cda5-5b14-467f-892b-b4981b9924cd": { + "page_content": "enforcement investigations, additional interviews and more \ndetailed probing questioning are not to be conducted by \nschool officials. A student who reports being a victim of a \nsexual assault should never be asked to submit a written \nreport detailing the incident nor be asked to discuss the \nincident with the alleged perpetrator present at any time \nand under any circumstances. School personnel are \nmandated reporters but should not investigate the \nallegations or prepare a probing and/or detailed incident \nreport. \n \n4. The building administrator or designee shall compile any and \nall relevant information from school professionals with \nknowledge of the incident and student. They shall also \ncompile any and all relevant information from school records \nto be used when reporting the case to the appropriate DCF", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "ab29460d-58c4-4bba-9e84-c019720220ec": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 9 of 15 \n \nArea Office and have all such information and records \navailable for DCF. \n \n5. The building administrator must report to DCF even if they \nbelieve that the teacher, nurse, or other mandated reporter is \nmistaken in suspecting abuse or neglect. The building \nadministrator may not substitute their judgment for that of \nany mandated reporter within the school. The failure to file \na report as mandated by law will subject the building \nadministrator (or other mandated reporter who fails to \nmeet their statutory obligations) to discipline in \naccordance with BPS employee discipline procedures. \n \n6. The building administrator or designee must immediately \ncall the DCF Screening Area Office to report the case. If the \nreport must be made after 5:00 PM, the building \nadministrator or designee must immediately call the DCF \nHotline number at 1-800-792-5200. \n \n7. The child must not be sent home from school before the", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "b43ce8b8-8719-4398-8be7-7ad4e24f0005": { + "page_content": "administrator or designee must immediately call the DCF \nHotline number at 1-800-792-5200. \n \n7. The child must not be sent home from school before the \nverbal 51A report is filed with DCF. A written report must be \nforwarded within 48 hours. \n \n8. Within 48 hours of the initial oral report, the building \nadministrator or designee will send written notification to the \nDCF Area Office via fax or via the Virtual Gateway Portal at \nMass.gov. A confidential copy of the written notification form \n(copy attached) should be retained in the office of the \nprincipal or headmaster.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "520aec2c-37e6-4e4b-8bdc-829204cd75c6": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 10 of 15 \n \nATTACHMENT 1 \n (p. 4 of 6) \n \n \n9. If the alleged abuser is an employee of the Boston School \nDepartment, a copy of the notification should also be \nforwarded to the BPS Office of the Labor Relations. If an \ninvestigation confirms the allegations, the offending \nemployee will be subject to discipline in accordance with \nBPS employee discipline procedures. \n \n10. The building administrator, in consultation with others as \nnecessary, will decide how, when, and by whom the family, \nincluding the child who is suspected of being abused or \nneglected, will be notified of this report. Although the school \nis not required by law to notify the family, such notification is \nrecommended. In deciding whether to notify, the building \nadministrator and others should consider whether \nnotification will create a substantial risk to the student\u2019s \nhealth, safety, or welfare. DCF and the police and the", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "1899702f-288f-4e84-b09c-9a0b935152f3": { + "page_content": "administrator and others should consider whether \nnotification will create a substantial risk to the student\u2019s \nhealth, safety, or welfare. DCF and the police and the \nDepartment of Social Work can provide consultation in \nmaking this determination to ensure the child\u2019s safety and \nwell-being. \n \n11. DCF investigators, who report to the school in order to \nconduct one phase of their investigation, should be required \nto identify themselves and to verify their assignment to the \ncase. School-based staff should encourage them to interview \nthe child at home in the presence of the parent or caregiver, \nunless the 51A has been filed against the parent. In this latter \ncase, the interview of the child may be conducted in school \nin the presence of the building administrator or designee.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "dbb3bba3-06a1-4f8d-a7dd-ab5dd6f7095e": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 11 of 15 \n \nATTACHMENT 1 \n (p. 5 of 6) \n \n \n12. Within sixty (60) days of filing a report, the building \nadministrator should receive a feedback report from DCF \ndetailing the department\u2019s findings and specifying the social \nservices that the department intends to offer the child. This \nfeedback report may be used to plan further collaboration \nwith other professionals assisting the family. \n \n13. Certain cases that the schools report to DCF (sexual abuse \nand exploitation, serious physical abuse, and some others) \nwill also be referred by DCF to the local police and the District \nAttorney\u2019s Office for investigation. In these circumstances, \nthese agencies will typically conduct a multidisciplinary team \ninvestigation. This investigation will typically include an \ninterview with the alleged victim(s), alleged perpetrators(s), \nand witness(es). Relevant investigative information will be \nprovided to the school when appropriate, and as permitted", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "f6875a58-1362-4af7-955b-a2953e010d2f": { + "page_content": "interview with the alleged victim(s), alleged perpetrators(s), \nand witness(es). Relevant investigative information will be \nprovided to the school when appropriate, and as permitted \nby law. \n \n14. Throughout the reporting, investigation, and follow-up \nprocess, school documentation must be done in a way that \nensures confidentiality. Accordingly, reports of suspected \nabuse or neglect will not be part of a child\u2019s educational \nrecord, but will instead be kept separately. The school will \nmaintain files of the 51A reports of suspected abuse or \nneglect for no more than five years.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "d29885d0-7c57-4d4f-9c8e-c5761600de49": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 12 of 15 \n \nATTACHMENT 1 \n (p. 6 of 6) \n \n15. When a building administrator seeks to remove a child from \nschool because of, for example, a disciplinary emergency \nremoval or illness, a parent may not always be available to \npick the child up. Other childcare, eldercare, school or work \nresponsibilities, or lack of transportation may delay or \nprevent a parent from being able to immediately pick up the \nchild from school. This is not, on its own, a reportable matter. \nMaintaining the child\u2019s safety at school or ensuring that the \nchild has a safe way to return home is the building \nadministrator\u2019s responsibility. \n \n16. Importantly, a special education dispute is not, on its own, a \nreportable matter. A parent disagreeing with school staff\u2019s \nopinions that a child needs a particular special education \nplacement, service, or evaluation is not a reportable matter. \nIn such situations, school staff should contact the assigned", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "ff7b35b8-b9d5-4c02-98c6-c2463a3871fc": { + "page_content": "opinions that a child needs a particular special education \nplacement, service, or evaluation is not a reportable matter. \nIn such situations, school staff should contact the assigned \nspecial education district assistant program director. \n \n17. Each school building will designate a representative who will \nensure that, in the event of the building administrator\u2019s \nabsence, the above reporting procedures are followed as \nrequired by law. School Health will make arrangements for \nemergency nursing staff coverage so that the required \ninvestigation, discussed above, will begin before the end of \nthe day.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "006c71ce-7161-4b5e-b70e-4dc309475685": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 13 of 15 \n \nEMERGENCY PROTOCOL \n \nIn the event of a clear emergency where the life or safety of a child \nis in imminent danger, the building administrator, designee, or \nother mandated reporter should immediately notify the \nappropriate DCF Area Office and file the required 51A Report. \nAfter 5:00 PM, the school official should use the Massachusetts \nChild Abuse Emergency Hotline, at 1-800-792-5200. A written \nreport must be filed within forty-eight hours. \n \nMassachusetts General Laws Chapter 119, Section 51B(3) authorizes \nthe Department of Children and Families to take a child into \nimmediate temporary custody, without parental permission or \nprior notice, if the department has reasonable cause to believe \nthat this action is necessary to protect the child from further \nabuse or neglect. Emergency responses by the Department of \nChildren and Families may include law enforcement, \ndepending upon the nature of the incident reported. If DCF", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "153c5b0e-5bb7-467b-a40d-776bae5d64f3": { + "page_content": "abuse or neglect. Emergency responses by the Department of \nChildren and Families may include law enforcement, \ndepending upon the nature of the incident reported. If DCF \nseeks to exercise this authority in the school setting, the building \nadministrator shall: \n \n1. Verify the DCF representative\u2019s identification and retain a copy \nof the identification in the student record \n \n2. Contact the DCF representative\u2019s immediate supervisor to verify \nthe need for the DCF action \n \n3. Maintain a log, which should be filed with the office copy of \nthe 51A report, of the action, the DCF employee(s) involved, and \nthe DCF Area Office involved; and provide any other pertinent \ninformation related to the suspected abuse or neglect.", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "b493ded8-4430-4c4c-a349-d0847704b61f": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 14 of 15 \n \n \nATTACHMENT 2 \n \n \nDEPARTMENT OF CHILDREN AND FAMILIES \nBoston-Brookline Region Area Directory \n \nBoston Regional Office \n1785 Columbus Ave. Fifth Floor \nRoxbury, MA 02119-1041Local Number: (617) 989-9200 \nFax Number: (617) 989-9250 \n \nHyde Park Area Office \n1530 River Street \nHyde Park, MA 02136 \nLocal Number: (617) 363-5000 \nFax Number: (617) 363-5175 \n \nDimock Street Area Office \n30 Dimock Street \nRoxbury, MA 02119 \nLocal Number: (617) 989-2800 \nFax Number: (617) 445-9147 \n \nPark Street Area Office \n50 Park Street \nDorchester, MA 02122 \nLocal Number: (617) 822-4700 \nFax Number: (617) 282-1019", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "d3200f34-2d92-4096-bfd4-1680b0532b22": { + "page_content": "Superintendent\u2019s Circular SUP-20 \nPage 15 of 15 \n \nHarbor Area Office \n80 Everett Avenue, Suite 100Chelsea, MA 01250 \nLocal Number: (617) 660-3400 \nFax Number: (617) 884-0215 \n \n \nBOSTON POLICE DEPARTMENT \u2013 FAMILY JUSTICE CENTER \n(Formerly the Sexual Assault Unit) \n \nMain Number: (617) 343-4400 \n \nSUFFOLK COUNTY DISTRICT ATTORNEY\u2019S OFFICE \n \nMain Number: (617) 619-4000 \nChild Abuse Unit: (617) 619-4300 \n \n \n \n \nATTACHMENT 3 \n \nDCF 51A Reporting Form", + "metadata": { + "file_name": "SUP-20 Child Abuse and Neglect.pdf", + "source_link": "https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "5c6acf37-a076-4648-bdef-5d106e153091": { + "page_content": "Superintendent\u2019sCircular\nNUMBER:SUP-19Version01\nDE-ESCALATION, PHYSICALRESTRAINT,SECLUSIONANDTIME-OUTPOLICY\nThisCircularwillremainineffectunlessrescindedorsupersededbyasubsequentversion.\nI. INTRODUCTIONThepurposeof this circular is toensurethat every studentparticipatinginaBostonPublic Schools programis freefromtheuseof physical restraint inconsistent withstatelawanddistrictpolicy andtoensurethat physical restraint is usedonly inemergency situations of last resort, after other lawful andlessintrusivealternatives havefailedor beendeemedinappropriate,andwithextremecaution. Thepurposeof thecircular is alsotostatethat theuseof seclusionis prohibitedby lawandintheBostonPublic Schools. This circular is consistent withregulationsestablishedby theMassachusetts Department of Elementary andSecondary Education, 603 CMR46.00andwithschool districtpolicy.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "e4f0678a-3732-4e5a-9ca9-b6e049139333": { + "page_content": "TheMassachusetts Department of Elementary andSecondaryEducationestablishedregulations governingtheuseof physicalrestraints onstudents. Theseregulations supersedeall previouslyestablishedprocedures. TheBostonPublic Schools must followtheprovisions of 603 CMR46.00, whichregulates physicalrestraint onstudents inMassachusetts public school districts,charter schools, andcollaborativeandspecial educationschools.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "a1213e51-ac40-4daf-a323-45f001575739": { + "page_content": "Superintendent\u2019s Circular SUP-19Page2 of 35", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "d86fbc41-0e53-4354-8f9a-1622bfdf1751": { + "page_content": "Physical restraint shouldbeadministeredonly whenneededtoprotect astudent or other students andstaff fromassault orimminent danger of serious physical harm. Physical restraintshouldbeadministeredintheleast intrusivemanner possibleandshouldbeusedtoprevent or minimizeharmtothestudent.BostonPublic Schools does not useSeclusion. Seclusionshallmeantheinvoluntary con\ufb01nement of astudent aloneinaroomor areafromwhichthestudent is physically preventedfromleaving. Seclusiondoes not includeatime-out, whichshall meanabehavioral support strategy developedpursuant to603 CMR46.04(1) inwhichastudent temporarily separates fromthelearningactivity or theclassroom, either by choiceor by directionfromstaff, for thepurposeof calming. Duringtime-out, astudentmust becontinuously observedby astaff member. Staff shall bewiththestudent or immediately availabletothestudent at alltimes. Thespaceusedfor time-out must beclean, safe, sanitary,andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "e7611056-61e6-4626-9855-696939c0e11d": { + "page_content": "shall bewiththestudent or immediately availabletothestudent at alltimes. Thespaceusedfor time-out must beclean, safe, sanitary,andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas thestudent has calmedandnotime-out canexceed30minutes without theexpress approval of theSchool Leader ortheir designee.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "2f2dfefc-5a54-4527-a416-6062195b95b1": { + "page_content": "II. DEFINITIONS\nMechanical restraint shall meantheuseof any physical deviceorequipment torestrict astudent's freedomof movement.Mechanical restraint does not includedevices implementedbytrainedschool personnel, or utilizedby astudent that havebeenprescribedby anappropriatemedical or relatedservicesprofessional, andareusedfor thespeci\ufb01c andapproved", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "1047ecc4-dcc0-4471-b4f1-6d26bff5fa1c": { + "page_content": "Superintendent\u2019s Circular SUP-19Page3 of 35\npositioningor protectivepurposes for whichsuchdevices weredesigned. Examples of suchdevices include: adaptivedevices ormechanical supports usedtoachieveproper body position,balance, or alignment toallowgreater freedomof mobility thanwouldbepossiblewithout theuseof suchdevices or mechanicalsupports; vehiclesafety restraints whenusedas intendedduringthetransport of astudent inamovingvehicle; restraints formedical immobilization; or orthopedically prescribeddevices thatpermit astudent toparticipateinactivities without riskof harm.*BPSprohibits this typeof restraint*\nMedicationrestraint shall meantheadministrationofmedicationfor thepurposeof temporarily controllingbehavior.Medicationprescribedby alicensedphysicianandauthorizedbytheparent/guardianfor administrationintheschool settingis notmedicationrestraint. *BPSprohibits this typeof restraint*", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "605fd043-8852-4470-b7cb-56d60bb4051e": { + "page_content": "Physical escort shall meanatemporary touchingor holding,without theuseof force, of thehand, wrist, arm, shoulder, orbackfor thepurposeof inducingastudent whois agitatedtowalktoasafelocation.\nPhysical restraint shall meandirect physical contact thatprevents or signi\ufb01cantly restricts astudent's freedomofmovement. Physical restraint does not include: brief physicalcontact topromotestudent safety, providingphysical guidanceor promptingwhenteachingaskill, redirectingattention,providingcomfort, or aphysical escort.\nPronerestraint shall meanaphysical restraint inwhichastudentis placedfacedownonthe\ufb02oor or another surface, andphysical", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "9b4949ca-8401-41ba-85d6-095d8fd54a89": { + "page_content": "Superintendent\u2019s Circular SUP-19Page4of 35\npressureis appliedtothestudent's body tokeepthestudent intheface-downposition. *BPSprohibits this typeof restraint*\nSeclusionshall meantheinvoluntary con\ufb01nement of astudentaloneinaroomor areafromwhichthestudent is physicallypreventedfromleaving. Seclusiondoes not includeatime-out asde\ufb01nedin603 CMR46.02. *Seclusionis prohibitedinpublicschools andinBPS*", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "1142c3e2-fb10-4afc-993e-9309d903f31e": { + "page_content": "Time-out shall meanabehavioral support strategy developedpursuant to603 CMR46.04(1) inwhichastudent temporarilyseparates fromthelearningactivity or theclassroom, either bychoiceor by directionfromstaff, for thepurposeof calming.Duringtime-out, astudent must becontinuously observedby astaff member. Staff shall bewiththestudent or immediatelyavailabletothestudent at all times. Thespaceusedfor time-outmust beclean, safe, sanitary, andappropriatefor thepurposeofcalming. Time-out shall ceaseas soonas thestudent has calmedandnotime-out canexceed20minutes without theexpressapproval of theSchool Leader or their designee.\nIII. PHYSICALRESTRAINTPROCEDURES\nA. METHODSFORPREVENTINGVIOLENCEANDENGAGINGPARENTS/GUARDIANS\nTheBPSBehavioral HealthServices department has schoolpsychologists assignedtoall BPSschools andhas socialworkers that providedistrict-wideservices. TheBehavioral", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "a14927a8-8f7e-41b7-b861-f4f2c14d0239": { + "page_content": "Superintendent\u2019s Circular SUP-19Page5 of 35\nHealthServices department provides awidecontinuumofbehavioral healthservices includingprevention, at-riskandintensiveservices. Inaddition, theBehavioral HealthServicesteamis themental healthcrisis responseteamfor thedistrict andworks witheducational staff toidentify andrespondtounsafesituations.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "64de4de3-408e-441d-93f7-dc0d3b148853": { + "page_content": "Inaddition, BPShas developedamulti-tieredsystemofsupports for preventingstudent violence, self-injuriousbehavior, andsuicide, includingindividual crisis planningandde-escalationof potentially dangerous behavioroccurringamonggroups of students or withanindividualstudent. TheComprehensiveBehavioral HealthModel(CBHM) is amulti-tieredsystemof supports (MTSS) designedtopromotestudents' social, emotional, andbehavioralwellbeing. MTSSis athree-tier model of servicedelivery foreducational andbehavioral services inaschool setting. Thismodel is alsooftencalledResponsetoIntervention(RtI). InBPS, theAcademic Achievement Framework(AAF) is aversionof RtI focusedonstudents' social andbehaviorallearning. CBHMis focusedonstudents' social andbehaviorallearning. Thegoal of theCBHMLighthousemodel is tocreatesafeandsupportivelearningenvironments inwhichstudents may growandthriveacademically, personally, andsocially. This includes providingtheright amount of servicesandsupports at theright timewhenastudent", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "acda2723-2e74-4a45-a78f-b18cc9b8333e": { + "page_content": "inwhichstudents may growandthriveacademically, personally, andsocially. This includes providingtheright amount of servicesandsupports at theright timewhenastudent absolutelyneeds them.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "65d1a806-bdb8-45b2-8a25-9f0a06e296cc": { + "page_content": "Thesemodels arebasedonthelogic that themajority ofstudents canandwill besuccessful whenprovidedwithevidence-informedinstructionandpreventative", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "66c6d548-e690-453c-a54a-ccd487f8b377": { + "page_content": "Superintendent\u2019s Circular SUP-19Page6of 35\ninterventions. Appropriateinterventions andtheuseof datatoassess progress helpensurethat students whobene\ufb01tfromprogressively moreintensiveservices will not needthemover thelong-term.\nBPSengages withparents andcaregivers at aschool level,throughtheGuidefor Families andStudents andthroughtheSpecial EducationParent Advisory Council (or SEPAC) toengageparents andcaregivers indiscussions about restraintpreventionandtheuseof restraint solely as anemergencyprocedure.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "b0895e74-51a5-4c12-a3d3-9d2e9ff80c30": { + "page_content": "B. USEOFRESTRAINTPhysical restraint shouldbeadministeredonly whenneededtoprotect astudent or other students andstaff fromassaultor imminent serious physical harm. Physical restraint canonly beusedas alast resort inanemergency whenastudent\u2019s behavior poses athreat of imminent, seriousphysical harmtohimself or herself or others, andthestudent does not respondtoverbal directives or other lawfulandless intrusivebehavior interventions, or suchinterventions aredeemedinappropriateunder thecircumstances. Physical restraint shall belimitedtotheuseof suchreasonableforceas is necessary, for theleastamount of timenecessary, toprotect astudent or anothermember of theschool community fromassault or imminent,serious, physical harm. Aphysical restraint may only be", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "ac53c4e6-952e-4b34-8716-7c1b562e7aef": { + "page_content": "Superintendent\u2019s Circular SUP-19Page7of 35\nadministeredby school personnel whohavebeenproperlytrainedintheuseof physical restraint.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "4148ef2d-9118-486a-9eaa-afee5a3ffb0d": { + "page_content": "C. USEOFTIME-OUTSeclusiondoes not includeatime-out. Atime-out is not arestraint. Atime-out is abehavioral support strategy inwhichastudent temporarily separates fromthelearningactivity or theclassroom, either by choiceor by directionfromstaff, for thepurposeof calming. Time-outs arepermittedas abehavioral strategy if thestudent is withastaff member or is continuously observedby astaff memberwhois immediately availabletothestudent at all times. Thespaceusedfor time-out must beclean, safe, sanitary, andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas thestudent has calmed. Time-out may not beusedfor disciplineor punishment. Thepreferenceis fortime-out tobeimplementedwithinaclassroomtothegreatest extent possible. Staff must document inAspentheantecedent behavior prior tothetime-out, any otherbehavioral support strategies attempted, andthetime, date,durationandlocationof any time-out usedas abehavioralsupport strategy. Theschool leader must giveanddocument approval for", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "6ba93ef6-37d4-43cc-b2ae-651453ce7464": { + "page_content": "any otherbehavioral support strategies attempted, andthetime, date,durationandlocationof any time-out usedas abehavioralsupport strategy. Theschool leader must giveanddocument approval for any time-out tocontinuemorethan30minutes basedontheindividual student's continuingagitation.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "62e919a8-e605-4763-885e-81af9f16bb79": { + "page_content": "Superintendent\u2019s Circular SUP-19Page8of 35\nD. OTHERLIMITATIONSONUSEOFRESTRAINTPhysical restraint shall belimitedtousingsuchreasonableforceas is necessary toprotect astudent or anothermember of theschool community fromassault or imminent,serious, physical harm. 603 CMR46.03(3).\nInstances whenrestraint is not tobeused:\n1. Physical restraint is not tobeusedas ameans ofdisciplineor punishment. 603 CMR46.03(2)(a).\n2. Physical restraint is not tobeusedwhenthestudentcannot besafely restrainedbecauseit is medicallycontraindicatedfor reasons includingbut not limitedtoasthma, seizures, cardiac condition, obesity, bronchitis,communication-relateddisabilities, or riskof vomiting.603 CMR46.03(2)(b).", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "431df87e-39fd-4bdb-8062-317e1177f603": { + "page_content": "3. Physical restraint is not tobeusedas aresponsetothedestructionof property, school disruption, refusal of thestudent tocomply withpublic educationprogramrulesor staff directive, or verbal threats whenthoseactionsdonot constituteathreat of assault, or imminent,serious, physical harm. 603 CMR46.03(2)(c).\n4. Physical restraint shouldnot beusedas astandardresponsefor any individual student. Nowrittenindividual behavior planor individualizededucationprogram(IEP) may includetheuseof physical restraint", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "42e7783d-d446-4901-88d6-b090125673bf": { + "page_content": "Superintendent\u2019s Circular SUP-19Page9of 35\nas astandardresponsetoany behavior. 603 CMR46.03(2)(d).\n5. BostonPublic Schools prohibits thefollowingforms ofrestraint: mechanical, medication, seclusion, prone, andpronerestraints.\nNothinginthis document, or in603 CMR46.00, prohibits:\n1. theright of anindividual toreport toappropriateauthorities acrimecommittedby astudent or anotherindividual.\n2. lawenforcement, judicial authorities, or school securitypersonnel fromexercisingtheir responsibilities,includingthephysical detainment of astudent or otherpersons allegedtohavecommittedacrimeor posingasecurity risk.\n3. theexerciseof anindividual\u2019s responsibilities as amandatedreporter of childabuse/neglect accordingtoMGLc. 119, s 51Atotheappropriatestateagency.\n4. theprotectionaffordedpublicly fundedstudents underother stateor federal laws, includingthoselaws thatprovidefor therights of students whohavebeenfoundeligibletoreceivespecial educationor relatedservices.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "c0a94ead-f2bd-4b3f-a9ff-f189a0e27db6": { + "page_content": "Superintendent\u2019s Circular SUP-19Page10of 35", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "6a2528cd-995d-4b67-ad3d-336f61c4aaed": { + "page_content": "E. PROPERADMINISTRATIONOFPHYSICALRESTRAINT\u25cf Restraint must beimplementedonly by trainedandactively certi\ufb01edpersonnel. Whenever possible, therestraint shall bewitnessedby at least onepersonwhodidnot engageintherestraint. As anexception, intheevent of anemergency situationwherenotrainedstaffareavailabletoprotect students andstaff fromimminentharm, therestraint may beimplementeduntil properlytrainedstaff havearrived.\u25cf Restraints must beimplementedinaway that does notprevent astudent frombreathingor speaking.\u25cf Theuseof unnecessary forceinadministeringphysicalrestraint is expressly prohibited. Interveningstaff canuseonly theamount of forcenecessary toprotect thestudents or others fromphysical injury. Staff shall selectthesafest andleast intrusivemethodthat is likely tobeeffectivefor thestudent.\u25cf If astudent indicates or is observedtobeinsigni\ufb01cantphysical distress (dif\ufb01culty breathing, signs or indicatorsof painor discomfort, changeincolor or alertness, etc.),thestudent shall", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "904a77ac-d4bd-4f40-aecf-30785219b63d": { + "page_content": "thestudent.\u25cf If astudent indicates or is observedtobeinsigni\ufb01cantphysical distress (dif\ufb01culty breathing, signs or indicatorsof painor discomfort, changeincolor or alertness, etc.),thestudent shall bereleasedimmediately, andmedicalassistanceshouldbesought.\u25cf Students shall bereleasedfromphysical restraint as soonas it is safetodoso, meaningthat thestudent is nolonger adanger tothemselves or others and/or aplanhasbeenmadetomanagethestudent safely without havingtousephysical management.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "59c50f22-69c9-4c42-9bdc-49df18c3b5c4": { + "page_content": "Superintendent\u2019s Circular SUP-19Page11 of 35\n\u25cf Intherareevent that astudent is incrisis for morethan20minutes, restraints over 20minutes must haveapproval fromtheschool leader. Theschool leader mustdocument that approval was grantedfor anyrestraintover 20minutes.\u25cf Followupprocedures followingrestraint must beimplemented. Theseincludeadebrief withthestudent (ifappropriate), areviewof theincident withstaff, andanyneededfollowupwithstudent witnesses.\u25cf Theschool nurseshouldassess thestudent\u2019s physicalconditionafter any restraint.\nF. SAFETYREQUIREMENTSPursuant to603 CMR46.05(5), thefollowingis required:\n1. Arestraint shall not beadministeredinamanner thatprevents thestudent fromspeakingor breathing.\n2. Arestraint shall beadministeredinsuchaway toprevent or minimizephysical harm.\n3. Duringarestraint, astaff member shall continuouslymonitor thephysical status of thestudent includingskintemperatureandcolor, andrespiration.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "eb4e3f49-e9e1-4dc8-9acc-6026413d311d": { + "page_content": "3. Duringarestraint, astaff member shall continuouslymonitor thephysical status of thestudent includingskintemperatureandcolor, andrespiration.\n4. If at any timeduringtherestraint thestudentexpresses or demonstrates signi\ufb01cant physical distressincluding, but not limitedto, dif\ufb01culty breathing, therestraint will immediately terminate, andmedicalassistancewill besought.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "4445d235-bf70-4548-bb1b-3aa38dc22c04": { + "page_content": "Superintendent\u2019s Circular SUP-19Page12 of 35\n5. Programstaff will reviewandconsider any knownmedical or psychological limitations, knownorsuspectedtraumahistory, and/or behavioralinterventionplans regardingtheuseof physicalrestraint onanindividual student.\n6. Duringarestraint, staff will continuously talktoandengagethestudent inanattempt tode-escalatebehavior andtoendtherestraint as soonas possible.\n7. Staff administeringphysical restraint will usethesafestmethodavailablethat is appropriatetothesituation.\n8. If astudent is restrainedfor aperiodlonger than20minutes, programstaff shall obtainapproval fromtheschool leader. Theapproval shall bebaseduponthestudent\u2019s continuedagitationduringtherestraintjustifyingtheneedfor continuedrestraint.\n9. After thereleaseof astudent fromrestraint, theincident, whenapplicable, will bereviewedwiththestudent andthebehavior that leduptotherestraintwill beaddressed.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "0bc15fda-0e94-432f-a93c-46180634e215": { + "page_content": "9. After thereleaseof astudent fromrestraint, theincident, whenapplicable, will bereviewedwiththestudent andthebehavior that leduptotherestraintwill beaddressed.\n10. Thestaff person(s) whoadministeredtherestraintwill alsohaveareviewtodiscuss whether properrestraint procedures werefollowedandconsiderwhether any follow-upis appropriatefor students whowitnessedtheincident.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "118912ca-576d-437d-9dca-fd5d41c9a0b0": { + "page_content": "Superintendent\u2019s Circular SUP-19Page13 of 35\nIV. REPORTINGREQUIREMENTS\nA. FOLLOWINGEACHRESTRAINT\nFollowingtheuseof any physical interventionof anydurationthat meets thede\ufb01nitionof physical restraint underDESEregulations, several steps must betakentonotifyappropriateparties andreport therestraint inbothBPSandDESEsystems:\n\u25cf NotifySchool Administration: Notify schooladministrationverbally as soonas possible, andprovidewrittenreport by thenext school workingday. Intheevent that theschool leader was involvedintherestraint, therestraint must bereportedtotheSchoolSuperintendent or Operational Leader withinthesametimeline.\n\u25cf NotifyParents/Guardians: Theschool leader ordirector of theprogramnoti\ufb01es theparent/guardianverbally as soonas possible(by theendof theday ofincident), andby writtenreport inthelanguageof thehometoanemail providedby theparent/guardianorby regular mail postmarkedwithin3 workingdays oftheincident. Thewrittenreport shall include:", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "80d7fbd0-bd3c-4b77-9334-8b1cbdff6544": { + "page_content": "\u25cb Student information, thenames of thoseinvolvedintherestraint, andobserver names (if any). Thereport will alsoincludethenameof theadministrator noti\ufb01edif theevent went beyond20minutes.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "2dd3055d-a717-4b73-9c42-3b7ef0c1ee74": { + "page_content": "Superintendent\u2019s Circular SUP-19Page14of 35\n\u25cb Dateandtimeof therestraint, includingbeginningandendingtimesAbrief summary oftheevent inprogress at thetimeof restraint, theimmediateantecedent tothechallengingbehavior, efforts/attempts at de-escalation, anyalternatives torestraint tried, anddocumentationof any injuries tostaff or students. Thesummaryshouldalsoincludedescriptionof theholds usedandwhy they werenecessary, any reactionof thestudent totherestraint, howtherestraint ended.\n\u25cb Any further actions takenby theschool,opportunities for theparent/guardiantodiscusstherestraint, any consequences that may beimposedonthestudent, or any other relatedmatter.\nImportant note: Theschool leader will print acopyofthesamereport submittedtoDESE(see\u201cReport toDESE\u201d below) as writtendocumentationof therestraint andemail or mail it totheparent/guardian.Thereport toDESEshouldcontaintherequiredinformationlistedabove.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "82e88c5e-7f2e-4bc9-b988-21794d7468af": { + "page_content": "\u25cf RecordinAspen: aconduct incident must berecordedinAspenwithin24hours, detailingattempts tode-escalate, providelimits, typeof restraint usedandduration. Theuseof restraint shouldbeaddedas aconduct actionof \u201cRestraint-Physical.\u201d\n\u25cf Report toDESE: all restraints must alsobereportedtoDESEviatheDESESecurity Portal", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "478843e3-6d60-456f-9611-638182524676": { + "page_content": "Superintendent\u2019s Circular SUP-19Page15 of 35\n(https://gateway.edu.state.ma.us/edu/myportal/meoe)withinthreebusiness days. Theschool leader isresponsiblefor ensuringthat all reportingtimelines areadheredtoandthat therestraint is uploadedtotheportal inatimely manner.\n\u25cb Intheevent of aninjury duringrestraint, acopy ofthewrittenreport must besent toDESEwithinthreeschool workingdays. Inaddition, theschoolmust alsosendthecopy of therecordof restraintsmaintainedby theschool leader for the30-dayperiodbeforethedateof thereportedincident.Theprogramwill benoti\ufb01edof any additionalsteps neededwithin30calendar days of receipt ofthereports.\nB. DATAREVIEW\n1. Individual Student Review\nTheschool leader shall conduct aweekly reviewof thedatatoidentify any students whohavebeenrestrainedmultipletimes that week. If students areidenti\ufb01edashavingbeeninvolvedinmultiplerestraints inaweek, theschool leader will conveneasupport teamto:", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "bcb7371b-9c18-4370-90ea-70379f21f396": { + "page_content": "(a) reviewanddiscussionof thewrittenreportssubmittedinaccordancewith603 CMR46.06andanycomments providedby thestudent andparent/guardianabout suchreports andtheuseof therestraints;", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "a007036b-e7da-4888-a1b4-503cf23d19fc": { + "page_content": "Superintendent\u2019s Circular SUP-19Page16of 35\n(b) ananalysis of thecircumstances leadinguptoeachrestraint, includingfactors suchas timeof day, day oftheweek, antecedent events, andindividuals involved;\n(c) considerationof factors that may havecontributedtoescalationof behaviors, considerationof alternativestorestraint, includingde-escalationtechniques andpossibleinterventions, andsuchother strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture;\n \n(d) agreement onawrittenplanof actionby theprogram.\n*Iftheschoolleaderdirectlyparticipatedintherestraint,adulyquali\ufb01edindividualdesignatedbythesuperintendentorboardoftrusteesshallleadthereviewteam'sdiscussion.TheschoolleadershallensurethatarecordofeachindividualstudentreviewismaintainedandmadeavailableforreviewbytheDepartmentortheparent/guardian,uponrequest.\n2. MonthlySchool-WideReview", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "94b6b36b-bd63-4faf-bb8e-f91256a5a656": { + "page_content": "2. MonthlySchool-WideReview\nTheschool leader will completeamonthly reviewof allschool-widerestraint data. Thereviewshouldlookforpatterns liketimeof day or day of week, individualsinvolved, types of restraints or durations for speci\ufb01cstudents, durationof restraints, andthenumber andtypes of injuries. Basedonthis review, theschool leadermay decidethat updates or retrainingareneededor anyother actions neededwiththegoal of reducingor", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "ac86f88b-3e2b-4e60-af82-9bc9ce41ae31": { + "page_content": "Superintendent\u2019s Circular SUP-19Page17of 35\neliminatingrestraints\nV. TRAININGREQUIREMENTS\nA. FORALLSTAFF\nThelaws of MArequirethat all school district staff thatinteract withstudents receiveanannual PreventionofRestraint andSeclusionandDe-EscalationTraining. Torespondtothis requirement BPShas createdanasynchronous onlinelearningmoduleconsistent with603CMR46.04(2). Thetrainingmust becompletedwithinthemonthof September of every school year. For employeeshiredafter thebeginningof theschool year, thetrainingmust becompletedwithinthe\ufb01rst monthof their hire.\nEachschool leader shall determineatimeandmethodtoprovideall programstaff withtrainingregardingtheprogram's restraint preventionandbehavior support policyandrequirements whenrestraint is used.\nTrainingshall includeinformationonthefollowing:\n(a) Theroleof thestudent, family, andstaff inpreventingrestraint;", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "c93bd942-760b-4053-97cc-3b8441265310": { + "page_content": "Trainingshall includeinformationonthefollowing:\n(a) Theroleof thestudent, family, andstaff inpreventingrestraint;\n(b) Theprogram's restraint preventionandbehaviorsupport policy andprocedures, includinguseoftime-out as abehavior support strategy distinct fromseclusion;\n(c) Interventions that may precludetheneedfor", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "54e3afc7-7cdf-4ac6-8a02-5d85052e91f3": { + "page_content": "Superintendent\u2019s Circular SUP-19Page18of 35\nrestraint, includingde-escalationof problematicbehaviors andother alternatives torestraint inemergency circumstances;\n(d) Whenbehavior presents anemergency thatrequires physical restraint, thetypes of permittedphysical restraints andrelatedsafety considerations,includinginformationregardingtheincreasedriskofinjury toastudent whenany restraint is used, inparticular arestrainof extendedduration;\n(e) Administeringphysical restraint inaccordancewithmedical or psychological limitations, knownorsuspectedtraumahistory, and/or behavioralinterventionplans applicabletoanindividual student;and\n(f) Identi\ufb01cationof programstaff whohavereceivedin-depthtrainingpursuant to603 CMR46.04(3) intheuseof physical restraint\nBelowis thelinktothetraining.\nDe-escalationtraininglink\nB. FORALLSTAFFAUTHORIZEDTOSERVEASASCHOOL-WIDERESOURCEONTHEPROPERADMINISTRATIONOFPHYSICALRESTRAINT", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "e2704bbc-2809-4c3e-a5f3-0497dad5aff5": { + "page_content": "Belowis thelinktothetraining.\nDe-escalationtraininglink\nB. FORALLSTAFFAUTHORIZEDTOSERVEASASCHOOL-WIDERESOURCEONTHEPROPERADMINISTRATIONOFPHYSICALRESTRAINT\nAt thebeginningof eachschool year, school leaders arerequiredtoidentify programstaff whoareauthorizedtoserveas aschool-wideresourcetoassist inensuringproperadministrationof physical restraint. Theseindividuals will", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "2511eb5f-0386-43e0-a193-636ec279b513": { + "page_content": "Superintendent\u2019s Circular SUP-19Page19of 35\nparticipateinin-depthtrainingintheuseof physicalrestraint. Suchtrainingwill includethecontent describedin603 CMR46.04(4) andbecompetency-basedandbeat leastsixteen(16) hours inlengthwithat least onerefreshertrainingoccurringannually thereafter. This trainingwill beintheSafety CareProgramandprovidedby theOf\ufb01ceof SocialWorkDepartment or Special Education. Staff canregister forSafety CaretrainingonVector.\nOnly public educationprogrampersonnel whohavereceivedSafety Caretrainingshall administer physicalrestraint onstudents. Whenever possible, theadministrationof restraint shall bewitnessedby at least oneadult whodoes not participateintherestraint. However, thetrainingrequirements shall not precludeateacher, employee, oragent of thepubliceducationprogramfromusingreasonableforcetoprotect students, other persons, orthemselves fromassault or imminent, serious physicalharm. 603CMR46.05(1)", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "5d21e305-756a-4b27-be90-79ca96c5edc7": { + "page_content": "C. PROPERADMINISTRATIONOFRESTRAINTPleasereviewtheProperAdministrationofRestraintinSectionIIIabove.Thissectiongivesadditionaldetailsdirectlyfromthestateregulations.\n1. TrainedPersonnel. Only public educationprogrampersonnel whohavereceivedtrainingpursuant to603CMR46.03(2) or (3) shall administer physical restraintonstudents. Whenever possible, theadministrationof", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "bade317c-cdb5-4ba6-a4a3-43b75e8f4c21": { + "page_content": "Superintendent\u2019s Circular SUP-19Page20of 35\narestraint shall bewitnessedby at least oneadult whodoes not participateintherestraint. Thetrainingrequirements shall not precludeateacher, employeeoragent of apublic educationprogramfromusingreasonableforcetoprotect students, other persons orthemselves fromassault or imminent, serious, physicalharm.\n2. Useof Force. Apersonadministeringaphysicalrestraint shall useonly theamount of forcenecessarytoprotect thestudent or others fromserious physicalinjury or harm.\n3. Safest Method. Apersonadministeringphysicalrestraint shall usethesafest methodavailableandappropriatetothesituationsubject tothesafetyrequirements set forthin603 CMR46.05(5). Floorrestraints, includingpronerestraints otherwisepermittedunder 603 CMR46.03(1)(b), shall beprohibitedinBostonPublic Schools.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "83125703-7856-4b2e-ba51-4a0282db6b02": { + "page_content": "4. Durationof Restraint. All physical restraint must beterminatedas soonas thestudent is nolonger animmediatedanger tohimself or others, or thestudentindicates that heor shecannot breathe, or if thestudent is observedtobeinseveredistress, suchashavingdif\ufb01culty breathing, or sustainedor prolongedcryingor coughing.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "7cbeb380-a4e6-4ec1-b6bf-218e145baccd": { + "page_content": "Superintendent\u2019s Circular SUP-19Page21 of 35\n5. SafetyRequirements. Additional requirements for theuseof physical restraint:\n(a) Norestraint shall beadministeredinsuchawaythat thestudent is preventedfrombreathingorspeaking. Duringtheadministrationof arestraint,astaff member shall continuously monitor thephysical status of thestudent, includingskintemperatureandcolor, andrespiration.\n(b) Restraint shall beadministeredinsuchaway soas toprevent or minimizephysical harm. If, at anytimeduringaphysical restraint, thestudentexpresses or demonstrates signi\ufb01cant physicaldistress including, but not limitedto, dif\ufb01cultybreathing, thestudent shall bereleasedfromtherestraint immediately, andschool staff shall takesteps toseekmedical assistance.\n(c) If astudent is restrainedfor aperiodlonger than20minutes, programstaff shall obtaintheapproval of theprincipal. Theapproval shall bebaseduponthestudent's continuedagitationduringtherestraint justifyingtheneedforcontinuedrestraint.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "4f817164-7395-435c-8eac-d88e79448c18": { + "page_content": "(d) Programstaff shall reviewandconsider anyknownmedical or psychological limitations,knownor suspectedtraumahistory, and/orbehavioral interventionplans regardingtheuseofphysical restraint onanindividual student.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "552d8f3a-5234-4302-8ffa-28204bb79975": { + "page_content": "Superintendent\u2019s Circular SUP-19Page22 of 35\n(e) After thereleaseof astudent fromarestraint, thepublic educationprogramshall implementfollow-upprocedures. Theseprocedures shallincludereviewingtheincident withthestudent toaddress thebehavior that precipitatedtherestraint, reviewingtheincident withthestaffperson(s) whoadministeredtherestraint todiscuss whether proper restraint procedures werefollowed, andconsiderationof whether anyfollow-upis appropriatefor students whowitnessedtheincident.\nD. REPORTINGREQUIREMENTS\nPleasereviewtheReportingRequirementsinSectionIVabove.Thissectiongivesadditionaldetailsdirectlyfromthestateregulations.\n1. Circumstances under whichaphysical restraint mustbereported. Programstaff shall report theuseof anyphysical restraint as speci\ufb01edin603 CMR46.06(2).", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "62da6a44-a81c-488c-92ff-f6063e8a3d6b": { + "page_content": "1. Circumstances under whichaphysical restraint mustbereported. Programstaff shall report theuseof anyphysical restraint as speci\ufb01edin603 CMR46.06(2).\n2. InformingthePrincipal. Theprogramstaff memberwhoadministeredtherestraint shall verbally informtheSchool Leader of therestraint as soonas possible, andby writtenreport nolater thanthenext school workingday. Thewrittenreport shall beprovidedtotheSchoolLeaderfor reviewof theuseof therestraint. If theSchool Leaderhas administeredtherestraint, theSchool Leadershall preparethereport andsubmit it to", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "4629410c-1b23-4331-9843-aea638b19a6b": { + "page_content": "Superintendent\u2019s Circular SUP-19Page23 of 35\nanindividual or teamdesignatedby thesuperintendent or boardof trustees for review. TheSchool Leadershall maintainanon-goingrecordof allreportedinstances of physical restraint, whichshall bemadeavailablefor reviewby theDepartment or thestudent's parent/guardian, uponrequest.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "2a460579-6fb2-44cb-b0f2-f3bdbd291cd7": { + "page_content": "3. InformingParents/Guardians. TheSchool Leadershallmakereasonableefforts toverbally informthestudent's parent/guardianof therestraint within24hours of theevent, andshall notify theparent/guardianby writtenreport sent either withinthreeschoolworkingdays of therestraint toanemail addressprovidedby theparent/guardianfor communicationsabout thestudent, or by regular mail postmarkednolater thanthreeschool workingdays of therestraint. Iftheprogramcustomarily provides aparent/guardianofastudent withreport cards andother necessaryschool-relatedinformationinalanguageother thanEnglish, thewrittenrestraint report shall beprovidedtotheparent/guardianinthat language. TheSchoolLeader shall providethestudent andtheparent/guardiananopportunity tocomment orally andinwritingontheuseof therestraint andoninformationinthewrittenreport.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "170f33fb-9727-48c4-b1e1-06f94aa87994": { + "page_content": "4. Contents of Report. Thewrittenreport requiredby 603CMR46.06(2) and(3) shall include: (a) Thenameof thestudent; thenames andjobtitles of thestaff whoadministeredtherestraint, andobservers, if any; thedateof therestraint; thetimetherestraint beganand", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "a08418f5-51c2-401c-9684-5a3c321265fa": { + "page_content": "Superintendent\u2019s Circular SUP-19Page24of 35", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "1cc0c733-52b8-48ac-84d4-1cbaaa3ce351": { + "page_content": "ended; thenameof theSchool Leader or designeewhowas verbally informedfollowingtherestraint; and, asapplicable, thenameof theSchool Leader or designeewhoapprovedcontinuationof arestraint beyond20minutes pursuant to603 CMR46.05(5)(c). (b) Adescriptionof theactivity inwhichtherestrainedstudent andother students andstaff inthesameroomor vicinity wereengagedimmediately precedingtheuseof physical restraint; thebehavior that promptedtherestraint; theefforts madetoprevent escalationofbehavior, includingthespeci\ufb01c de-escalationstrategiesused; alternatives torestraint that wereattempted; andthejusti\ufb01cationfor initiatingphysical restraint. (c) Adescriptionof theadministrationof therestraintincludingtheholds usedandreasons suchholds werenecessary; thestudent's behavior andreactions duringtherestraint; howtherestraint ended; anddocumentationof injury tothestudent and/or staff, ifany, duringtherestraint andany medical careprovided. (d) Informationregardingany furtheraction(s) that theschool has", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "b700bb6f-5941-43aa-bc16-a6a4f1f69ff9": { + "page_content": "howtherestraint ended; anddocumentationof injury tothestudent and/or staff, ifany, duringtherestraint andany medical careprovided. (d) Informationregardingany furtheraction(s) that theschool has takenor may take,includingany consequences that may beimposedonthestudent. (e) Informationregardingopportunities forthestudent's parent/guardiantodiscuss withschoolof\ufb01cials theadministrationof therestraint, anyconsequences that may beimposedonthestudent,andany other relatedmatter.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "ba500e2e-1a9d-4d6b-98f6-b016cdd0940c": { + "page_content": "5. Individual Student Review. TheSchool Leader shallconduct aweekly reviewof restraint datatoidentify", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "2bf77947-55f6-47c0-8af0-89c7b9d11ecc": { + "page_content": "Superintendent\u2019s Circular SUP-19Page25 of 35", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "a1e3fc78-bda0-4877-8ade-0771d952f430": { + "page_content": "students whohavebeenrestrainedmultipletimesduringtheweek. If suchstudents areidenti\ufb01ed, theSchool Leadershall conveneoneor morereviewteamsas theSchool Leader deems appropriatetoassess eachstudent's progress andneeds. Theassessment shallincludeat least thefollowing: (a) reviewanddiscussionof thewrittenreports submittedinaccordancewith603 CMR46.06andany comments providedby thestudent andparent/guardianabout suchreports andtheuseof therestraints; (b) ananalysis of thecircumstances leadinguptoeachrestraint, includingfactors suchas timeof day, day of theweek,antecedent events, andindividuals involved; (c)considerationof factors that may havecontributedtoescalationof behaviors, considerationof alternatives torestraint, includingde-escalationtechniques andpossibleinterventions, andsuchother strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture; (d) anagreement onawrittenplanof actionby theprogram.If theSchool Leader directly", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "2d6c188d-9eb1-43f0-bf71-7769c8dd88a8": { + "page_content": "strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture; (d) anagreement onawrittenplanof actionby theprogram.If theSchool Leader directly participatedintherestraint, aduly quali\ufb01edindividual designatedbythesuperintendent or boardof trustees shall leadthereviewteam's discussion. TheSchool Leader shallensurethat arecordof eachindividual student reviewis maintainedandmadeavailablefor reviewby theDepartment or theparent/guardian, uponrequest.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "a9094f99-881d-4e1a-a3b4-a680a6a32ae9": { + "page_content": "6. AdministrativeReview. TheSchool Leader shallconduct amonthly reviewof school-widerestraint data.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "07dbb749-e976-4a73-b791-b570eb1cafef": { + "page_content": "Superintendent\u2019s Circular SUP-19Page26of 35\nThis reviewshall consider patterns of useof restraintsby similarities inthetimeof day, day of theweek, orindividuals involved; thenumber anddurationofphysical restraints school-wideandfor individualstudents; thedurationof restraints; andthenumberandtypeof injuries, if any, resultingfromtheuseofrestraint. TheSchool Leader shall determinewhether itis necessary or appropriatetomodify theschool'srestraint preventionandmanagement policy, conductadditional staff trainingonrestraint reductionorpreventionstrategies, suchas trainingonpositivebehavioral interventions andsupports, or takesuchother actionas necessary or appropriatetoreduceoreliminaterestraints.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "7ef97e33-6b0d-421d-a808-cb3a3c0fc488": { + "page_content": "7. Report All Restraint-relatedInjuries totheDepartment.Whenaphysical restraint has resultedinaninjury toastudent or programstaff member, theprogramshallsendacopy of thewrittenreport requiredby 603 CMR46.06(4) totheDepartment postmarkednolater thanthreeschool workingdays of theadministrationof therestraint. Theprogramshall alsosendtheDepartmentacopy of therecordof physical restraints maintainedby theSchool Leader pursuant to603 CMR46.06(2) forthe30-day periodprior tothedateof thereportedrestraint.\n8. Report All Physical Restraints totheDepartment. Everyprogramshall collect andannually report datatotheDepartment regardingtheuseof physical restraints.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "0877be83-071d-46a7-917b-951c2e640350": { + "page_content": "Superintendent\u2019s Circular SUP-19Page27of 35\nSuchdatashall bereportedinamanner andformdirectedby theDepartment.\nVI. COMPLAINTPROCEDURE\nA. INFORMALCOMPLAINTSParents/guardians or students will notify theschool leader ordesigneeof any concerns regardingrestraint practices andprocedures. If adesigneereceives thecomplaint or aconcern, that designeeshall notify theschool leader withintheschool day. Theschool leader shall attempt, withintheirauthority, toworkwiththeparent/guardiantoresolvethecomplaint fairly andexpeditiously. If theparent/guardianisnot satis\ufb01edwiththeresolutionor does not chooseaninformal resolution, thentheparent/guardianmay proceedwiththeformal complaint process.\nB. FORMALCOMPLAINTSAcomplaint may besubmittedtotheRegional SchoolSuperintendent regardingany restraint.\nAcomplaint may besubmittedtotheProblemResolutionSystemat theMassachusetts Department of ElementaryandSecondary Educationathttps://www.doe.mass.edu/prs/intake/default.html.\nFor moreinformationor questions on:", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "5348c7a1-93f8-494e-9dcc-58268be9b662": { + "page_content": "Superintendent\u2019s Circular SUP-19Page28of 35\nTopic Department &Contact Email\nGeneral RestraintPolicy, DESERequirements andDocumentation\nOf\ufb01ceof SpecializedServices\nKay Seale, ChiefofSpecializedServices\nChristineTrevisone,SeniorAdvisorofSpecializedServices\nkseale@bostonpublicschools.org\nctrevisone@bostonpublicschools.org\nSafety-Care(De-EscalationandPhysical RestraintTraining) \u2013 ABAStrand\nOf\ufb01ceof SpecializedServices\nZachary Houston,AssistantDirectorABA\nzhouston@bostonpublicschools.org\nSafety-Care(De-EscalationandPhysical RestraintTraining) \u2013 non-ABAschools\nOf\ufb01ceof StudentSupport\nJennaPara\ufb01nczuk,DirectorofSocialWork\njpara\ufb01nczuk@bostonpublicschools.org", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "176e46a8-6f2d-4423-9793-da405354b824": { + "page_content": "Superintendent\u2019s Circular SUP-19Page29of 35\nDe-EscalationTraining\nOf\ufb01ceof BehavioralHealth\nAndriaAmador, SeniorDirectorofBehavioralHealthServices\naamador@bostonpublicschools.org\nReporting\nSchools Department\nDrewEchelson, ChiefofSchoolsandAccountability,or\nOperational Leader forRegion\ndechelson@bostonpublicschools.org\n\u25cf\nRegion1: JeichaelHenderson:jhenderson@bostonpublicschools.org\n\u25cf\nRegion2: CourtneyKinney:cmaginnis@bostonpublicschools.org\n\u25cf\nRegion3: MichelleJordan:mjordan2@bostonpublicschools.org\n\u25cf\nRegion4: NaimaAbdal-Khallaq:", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "35556d45-5b28-4de9-ba8e-d7093c9b069c": { + "page_content": "Superintendent\u2019s Circular SUP-19Page30of 35\nnabdalkhallaq@bostonpublicschools.org\n\u25cf\nRegion5: KristenWeeks:kweeks@bostonpublicschools.org\n\u25cf\nRegion6: MoniqueCarter:mcarter3@bostonpublicschools.org\n\u25cf\nRegion7: NelsonMiranda:nmiranda@bostonpublicschools.org\n\u25cf\nRegion8: ZachSolis:zsolis@bostonpublicschools.org\n\u25cf\nRegion9: Rui Gomes:rgomes2@bostonpublicschools.org\nMary Skipper, Superintendent", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "bd7a584c-1c96-4635-a637-f24909ecc601": { + "page_content": "Superintendent\u2019s Circular SUP-19Page31 of 35\nATTACHMENT\nA: QUICK\nREFERENCE\nDO\n\u2019S AND\nDON\n\u2019TSFOR\nCRISIS\nINTERVENTION IN\nBOSTON\nPUBLIC\nSCHOOLS\nInMassachusetts, theuseof physical restraint inpublic schools ishighly regulated, andit shouldonly beemployedas alast resorttoensurethesafety of students andstaff. It is essential for teachersandschool staff tofollowspeci\ufb01c guidelines andbest practiceswhenusingphysical restraint. Here's alist of Do's andDon'ts forstaff usingphysical restraint inpublic schools inBoston:\nDo's:\n\u25cf UsetheLeast RestrictiveMethod: Usetheleast restrictivemeans of intervention. Alternatives torestraint, includingbutnot limitedtoverbal or other de-escalationtechniques,shouldbeattemptedbeforeresortingtophysical restraint.\n\u25cf SafetyFirst: Physical restraint shouldonly beusedwhenthereis athreat of assault or imminent serious physical harm.It shouldnever beusedas aformof punishment or discipline.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "9bd97a7e-ce91-4e9d-91dc-a3b3a358031d": { + "page_content": "\u25cf SafetyFirst: Physical restraint shouldonly beusedwhenthereis athreat of assault or imminent serious physical harm.It shouldnever beusedas aformof punishment or discipline.\n\u25cf Training: Teachers andstaff shouldreceiveproper traininginsafeandeffectiverestraint techniques, includingannualrefresher training.\n\u25cf Documentation: Document theincident thoroughly,includingthereasonfor restraint, theduration, andanyinjuries sustained. This documentationshouldbecompletedas soonas possibleafter theincident. Thedocumentationshouldcontainthefacts of theincident andrestraint ratherthanconclusions.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "30176888-022c-4e62-9486-70afb770dd36": { + "page_content": "Superintendent\u2019s Circular SUP-19Page32 of 35\n\u25cf Documentationof Time-Outs: Staff shoulddocument inAspentheantecedent behavior andthetime, date, durationandlocationof any time-out usedas abehavioral supportstrategy. Theschool leader must giveapproval for anytime-out tocontinuemorethan30minutes basedontheindividual student's continuingagitation.\n\u25cf Communication: Maintainopenandeffectivecommunicationwithother staff members duringarestrainttoensureacoordinatedandsaferesponse.Intherareeventthat astudent is incrisis for morethan20minutes,restraints over 20minutes must haveapproval fromtheschool leader. Theschool leader must document thatapproval was grantedfor anyrestraint over 20minutes.\n\u25cf NotifyParents/Guardians: Theprincipal or director of theprogramnoti\ufb01es theparent/guardian, verbally as soonaspossible(within24hours), andby writtenreport within3school workingdays byprovidingacopyof thephysicalrestraint report submittedtoDESE.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "de2ec977-21ac-4bab-8368-9f050b261080": { + "page_content": "\u25cf Monitoring: Continuously monitor thestudent's physical andemotional well-beingduringtherestraint. All physicalrestraint must beterminatedas soonas thestudent is nolonger animmediatedanger tothemself or others, or thestudent indicates that they cannot breathe, or if thestudentis observedtobeinseveredistress, suchas havingdif\ufb01cultybreathing, or sustainedor prolongedcryingor coughing.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "39b633dc-e34b-4263-9002-aad7e31fddd3": { + "page_content": "Superintendent\u2019s Circular SUP-19Page33 of 35\n\u25cf Legal Compliance: Beawareof andfollowall relevant laws,regulations, andschool policies regardingtheuseof physicalrestraint inschools.\n\u25cf SeekMedical Attention: If thereareany injuries or signs ofdistress duringtherestraint, seekimmediatemedicalattentionfor thestudent or impactedindividual.\n\u25cf School NurseAssessment: Whenever possible, theschoolnurseshouldassess thestudent\u2019s physical conditionfollowingarestraint.\nDonots:\n\u25cf DON\u2019TImplement UnnecessaryRestraint: Donot usephysical restraint unless thereis athreat of assault or animminent serious physical harm. It shouldnot beusedforminor infractions or as aconveniencefor staff.\n\u25cf DON\u2019TSeclude: Always maintainvisibility andensurecontinuedcommunicationwiththestudent. Alsoensurethepresenceof another staff member if possible. Under nocircumstances may astudent beleft aloneinaroomor areafromwhichthestudent is physically preventedfromleaving.Doors cannot belockedduringany time-out.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "6c7323a9-4774-45d6-83e2-ff981c90a267": { + "page_content": "\u25cf DON\u2019TUseProtractedRestraint: Donot continuetherestraint oncethestudent is nolonger animmediatedangertothemself or others, or if thestudent indicates they cannotbreatheor is observedtobeinseveredistress.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "3d61c6b1-dad3-468c-918e-b22c8e242325": { + "page_content": "Superintendent\u2019s Circular SUP-19Page34of 35\n\u25cf DON\u2019TRestraintheHeador Neck: Donot useany formofrestraint that puts pressureonastudent's head, neck, orthroat, as it canbedangerous andpotentially lethal.\n\u25cf DON\u2019TUseUntrainedStaff: Donot allowuntrainedorunauthorizedstaff toengageinphysical restraint. Onlytrainedpersonnel shouldbeinvolvedintheprocess.\n\u25cf DON\u2019TUseMechanical Restraints: Donot usemechanicalrestraints, suchas handcuffs, onstudents inpublic schools.\n\u25cf DON\u2019TUseRestraints for Revengeor Punishment: Donotusephysical restraint as ameans of revenge, discipline, orpunishment. Restraint shouldalways bealast resort toprotect thesafety of all involved.\n\u25cf DON\u2019TFail toReport: Donot neglect toreport theuseofphysical restraint toschool administration, parents/guardians,andrelevant authorities as requiredby lawandschool policy.Reports shouldbecarefully writtentorecordthefacts of theincident andrestraint.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "d9f0b753-97a9-440c-b5e1-ca3f69ea2fd7": { + "page_content": "Remember that theuseof physical restraint inpublicschools isasensitiveandpotentiallyriskyactionthat shouldonlybeusedwhenall other means of ensuringsafetyhavebeenexhausted.CompliancewithMassachusetts laws andregulations isessential toprotect thewell-beingandrights of all studentsinvolved.", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "2aa93ec8-d561-4657-b29b-e7da5ef3eb61": { + "page_content": "Superintendent\u2019s Circular SUP-19Page35 of 35\nATTACHMENTB: NOTIFICATIONPROCESS", + "metadata": { + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf", + "source_link": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SUP" + } + }, + "fa6c5d92-68df-490e-b1cd-81af573110dc": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-03 \nVersion 01 \n \n \nASSIGNMENT OF DEPARTMENT OF YOUTH SERVICES \n(DYS) COMMITTED STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe attached procedures for the assignment of Department of \nYouth Services (DYS) committed students new to the Boston \nPublic Schools or re-entering the Boston Public Schools after \nprevious discharges have been developed to ensure the efficient \nand appropriate assignment of DYS committed students to the \nBoston Public Schools. \nThese procedures are the result of a collaborative effort between \nstaff of the Boston Public Schools and the Department of Youth \nServices and should be adhered to in all cases pertaining to DYS \nstudents. \nI. PROCEDURES FOR ASSIGNMENT OF DYS-COMMITTED \nSTUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR \nRE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER \nPREVIOUS DISCHARGES \nTo initiate and successfully implement the assignment of DYS", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "37dd9e0f-71e3-4e37-8afb-00560990a5d6": { + "page_content": "STUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR \nRE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER \nPREVIOUS DISCHARGES \nTo initiate and successfully implement the assignment of DYS \ncommitted students to the Boston Public Schools, the \nprocedures listed below shall apply: \n(Please refer to Section II below for additional requirements for \nstudents recommended for special education.)", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "262000c4-23b0-4a3b-9860-9888f8c76033": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 2 of 10 \n \n \n1. Prior to the student's re-entering BPS, DYS shall write a \nletter on its stationery including the following: \na. Verification of parent's address \nb. Verification of the student\u2019s address if different from \nthe address the student will live at once in a BPS \nprogram \nc. Purpose of re-enrollment, i.e., to start school or \nrequest an evaluation by special education \nd. Name, address, and telephone number of DYS \neducation liaison and caseworker \ne. Reason, if any, why the student should not be re-\nassigned to the previous school. \n2. This letter shall be attached to the application and \nforwarded by a DYS caseworker, educational liaison, or \nrepresentative to the student assignment specialist in the \nappropriate Welcome Center at the time of application for \na school assignment, along with any other documents \nneeded to enroll the student in a Boston Public Schools \nprogram. Documents should be provided if a student has", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "f6c22782-78d9-414b-8b6a-a86064675e82": { + "page_content": "a school assignment, along with any other documents \nneeded to enroll the student in a Boston Public Schools \nprogram. Documents should be provided if a student has \nbeen in an educational setting that would change the \nprevious grade. \n3. A DYS caseworker or educational liaison or representative \nshall assist the student in the entry/re-entry process and \ncontact the school administrator in order to prepare \neveryone for a successful return. \n4. The returning student must be accompanied by a DYS \ncaseworker or educational liaison or representative when \nreturning to a Boston public school.", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "5c46cf5a-4cf8-4dae-bf99-2831b625bee1": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 3 of 10 \n \n \nUpon application, Welcome Center staff shall: \n1. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a student registration form. \n2. Explain and assist the parent/guardian/student and DYS \ncaseworker/liaison in the completion of the student \nregistration form. \n3. Complete the appropriate information on the student \nregistration form. \n4. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a Home Language Survey form in \nthe language of their preference and assist them in the \ncompletion of the form. \nAttach to the student registration form: \na. The completed Home Language Survey form. \nb. The DYS letter cited on page 2, (a) and (b). If no \naddress is stated in the letter, attach the proof of \nresidency required by Welcome Services (i.e., social \nservice agency ID or letter, preprinted, most recent \nutility bills, bank statement, mortgage with address).", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "abe2584d-b4c5-420e-8fe8-a82ed67c2681": { + "page_content": "residency required by Welcome Services (i.e., social \nservice agency ID or letter, preprinted, most recent \nutility bills, bank statement, mortgage with address). \nc. Proof of grade if available (i.e., a transcript \ndocumenting courses and credits earned while in \nDYS facilities or private placement). If proof of grade \nis not available, the question of appropriate grade \nlevel placement shall be addressed in the same way \nit is done with non-DYS committed students. \nd. Copies of immunization records for new enrollees. \n5. Sign and specify the date on the bottom of the student \nregistration and Home Language Survey forms. \n6. Provide the DYS caseworker/liaison with a copy of the", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "5b1abe8a-7681-4611-8d64-811294a4ca96": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 4 of 10 \n \n \nassignment form given to the parent/guardian or student. \nNOTES: \n1. DYS is responsible for notifying the school of assignment \nwhen a student is committed to DYS. Please note the \ndistinction between DYS detained and DYS committed \nstudents. Notification for committed students will come in \nthe form of a request for records. \n2. The Office of Welcome Services is responsible for \ncontacting the appropriate special education assistant \nprogram director in those cases where the DYS student \nre-entering the BPS has a current/signed IEP to determine \nthe status of the student. \nII. PROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED \nSTUDENTS RECOMMENDED FOR SPECIAL EDUCATION \nPROGRAM \nIf a DYS committed student is in a detention center, secure \nfacility, or private special education school and is recommended \nfor a BPS special education program, a special education \nevaluation shall take place. The private school coordinator or", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "f6495569-1405-42eb-96b4-a7e840306e24": { + "page_content": "facility, or private special education school and is recommended \nfor a BPS special education program, a special education \nevaluation shall take place. The private school coordinator or \nsupervisor for contracted services is responsible for the \nevaluation procedures as follows: \n1. If the DYS student is in a secure facility or detention center, \nthe private school coordinator assigned to DYS is responsible \nfor the evaluation. \n2. If the DYS student is in a Chapter 766-approved private \nschool, the private school coordinator assigned to that \nprivate school is responsible for the evaluation. \n3. If the DYS student is out of school but last attended a \nChapter 766-approved private school with Regional", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "b3da3c30-4840-4753-8f39-e3da17d0832f": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 5 of 10 \n \n \nReview Board approval within the previous school year, \nthe private school coordinator assigned to the previously \nattended private school is responsible for the evaluation. \nIf greater than one school year, or a private program is not \n766-approved, the assigned school\u2019s coordinator is \nresponsible for the evaluation. \n4. If the DYS student is out of school and has no current \nschool assignment, the private school coordinator is \nresponsible for the evaluation. The DYS caseworker/liaison \nis responsible for submitting all current assessments of \nthe student. \nThe DYS caseworker/educational liaison or representative shall \ndetermine the student's assigned school by calling the Office of \nEnrollment Services at 617-635-7750. \nDYS shall refer the student to the special education program \ndirector or SESS coordinator at the assigned school for an \nevaluation. For a reevaluation, a request letter will be sufficient", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "47747a59-6e55-412f-87fc-e85bb0c485c9": { + "page_content": "DYS shall refer the student to the special education program \ndirector or SESS coordinator at the assigned school for an \nevaluation. For a reevaluation, a request letter will be sufficient \ncontaining the student's current address, telephone number and \ncontact person if other than parent. Special education program \ndirectors or SESS coordinators are responsible for providing these \nforms and assisting in their coding, and for the evaluation \nprocedures. \nThe supervisor of contracted services, special education program \ndirector, SESS coordinator, or private school coordinator and the \nDYS caseworker/liaison shall work jointly to obtain \nparent/guardian signature on a Consent for Evaluation or \nReevaluation and Release of Information forms. The supervisor, \nprogram director, or coordinator shall complete the evaluation or \nreevaluation within the prescribed timelines and, based on the \nTEAM findings and the recommendation written on the", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "ac94b9a4-5d85-4971-b739-86aa2f892b8b": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 6 of 10 \n \n \nIndividualized Education Program (IEP), request placement in a \nspecial education setting, as follows: \n1. If the TEAM recommends that the student be assigned to \na full or partial inclusion setting other than a sub-separate \nsetting, the supervisor, program director, or coordinator \nand the DYS caseworker/liaison shall work jointly to obtain \nwritten parental approval of the IEP. \n2. Upon receipt of the signed first page of the IEP, the \nsupervisor, program director, or coordinator shall give a \ncopy of the signed approved IEP to the DYS. \n3. If the TEAM recommends that the student be assigned to \na substantially separate setting, the supervisor, program \ndirector, or coordinator shall submit copies of the required \nassessments and IEP to the assignment coordinator for a \ndecision regarding the student's placement in \ncollaboration with the level assistant director prior to \nrequesting or recommending a specific school \nassignment.", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "ea4bcff1-2433-4d8c-9d7a-47a74bb63329": { + "page_content": "decision regarding the student's placement in \ncollaboration with the level assistant director prior to \nrequesting or recommending a specific school \nassignment. \n4. The supervisor, program director, or coordinator shall \npresent DYS and the parent/guardian/student over 18 \nyears of age the recommended placement option. \n5. The supervisor, program director, or coordinator and DYS \nshall work jointly to obtain written approval of the IEP. \n6. Upon receipt of the signed IEP, the supervisor, program \ndirector, or coordinator shall forward a copy of it to the \nappropriate level assistant director and give a copy to the \nDYS caseworker/liaison, who will then attach such copy to \nthe DYS letter referred to in Section I.A. and present both \ndocuments at the time of application for a school \nassignment, along with any other documents needed.", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "e0e88968-3c59-4df5-b594-e4aa453cebd2": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 7 of 10 \n \n \n7. The level assistant director shall complete the DI5 form \nand forward it to the Enrollment Planning and Support \nUnit to finalize the assignment. \nIt is important to note that the TEAM may also determine that \nthe student needs no special education services. In these cases, \nthe program director or coordinator will provide a letter \nindicating the TEAM decision of no eligibility and provide it to the \nDYS caseworker. \nIII. PROCEDURES FOR MAINTAINING COMMUNICATION \nBETWEEN DYS AND BPS AFTER A DYS COMMITTED \nSTUDENT IS ASSIGNED TO A BOSTON PUBLIC SCHOOL \nContact Person in School of Assignment \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, DYS staff shall contact the head \nof school or principal, who may delegate the ongoing liaison \nfunction to any of the following school-based staff: \n1. For regular education students, the guidance \ncounselor/advisor designated by the head of school or", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "a395cce8-23cb-4edd-b3b9-226acd1767a4": { + "page_content": "function to any of the following school-based staff: \n1. For regular education students, the guidance \ncounselor/advisor designated by the head of school or \nprincipal (for secondary schools) or the principal or \ndesignee (for elementary schools). \n2. For special education students, the special education \nprogram director or SESS coordinator. At the middle \nand high school levels, the program director or SESS \ncoordinator shall keep the guidance staff informed of \nall DYS contacts made.", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "764fff22-df7c-4914-b571-c94d3f9e9cb4": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 8 of 10 \n \n \nNOTE: In the case of both regular and special education DYS \nstudents, the school's contact person(s) is responsible for keeping \nthe building administrator fully informed relative to the status of \nDYS students assigned to the building. \nContact Persons at DYS \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, school-based staff may contact \nthe following DYS personnel. (Because names may change, only \ntitles are given; school staff may need to ask for specific names.) \n1. Director of caseworker services, 617-727-7575 \n2. Educational liaisons, 617-727-7575 \nThe following steps should be taken in case of emergency: \n1. The head of school/principal who is having an emergency \nwith a DYS student should contact the director of casework \nservices, 617-727-7575, who will refer the case to the \nappropriate DYS staff. \n2. In non-emergency situations, the head of school/principal or", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "043244d1-61fd-4d38-9334-bb327fe3321c": { + "page_content": "services, 617-727-7575, who will refer the case to the \nappropriate DYS staff. \n2. In non-emergency situations, the head of school/principal or \ndesignee should maintain the usual ongoing \ncommunication with the assigned caseworker or other DYS \nstaff. When in doubt, the director of casework services, 617-\n727-7575, may be contacted. \n\u2022 If a student committed to a DYS facility enrolls in the Boston \nPublic Schools at any time during the school year or in the \nsummer, DYS shall advise the respective head of \nschool/principal that the student was assigned and provide \nthe name of the DYS contact person. \n\u2022 If a DYS student who enrolled in a designated BPS school \ntransfers to another BPS school during the year, the head of", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "98be7fca-e7cd-4de8-b1c5-5d05ef10219b": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 9 of 10 \n \n \nschool/principal or designee of the sending school shall \ncontact the head of school/ principal of the receiving school \nand inform them about the transfer. \n\u2022 By September 1st of each year, DYS shall generate a list of \nDYS students assigned to Boston Public Schools, indicating \nthe school to which the student is assigned and the DYS \ncontact person for each student. This list should be updated \nbi-weekly until December and monthly thereafter and sent \nto the Office of Welcome Services for verification. \n\u2022 DYS shall designate a liaison to meet periodically with staff \nfrom the Office of Welcome Services or designee to follow up \non the status of DYS students who have been assigned to \nBPS schools. \nPrincipals/heads of school interested in annual in-service sessions \nfor their staff with participation of DYS staff should contact the \ndirector of casework services, 617-727-7575. \nFor more information about this circular, contact:", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "7f3f0b93-7348-49ed-bca8-0cc279283f1e": { + "page_content": "for their staff with participation of DYS staff should contact the \ndirector of casework services, 617-727-7575. \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and Selective \nAdmissions \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-7698 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "914810a1-13cc-44e6-ad44-c44d7f2a9685": { + "page_content": "Superintendent\u2019s Circular AMT-03 \nPage 10 of 10", + "metadata": { + "file_name": "AMT-03 DYS Committed Students.pdf", + "source_link": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "99c3da98-ad97-483e-bc02-a00a3e67a7a5": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-01 \nVersion 01 \n \n \nEXAM SCHOOL ADMISSIONS: APPLICATION AND \nADMISSIONS PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools has three exam schools: Boston Latin \nAcademy, Boston Latin School, and the John D. O'Bryant School \nof Mathematics and Science. All three schools accept new \nstudents for grades 7 and 9. John D. O\u2019Bryant School accepts a \nsmall number of new students in grade 10. This circular outlines \noperational details regarding the application process, GPA \ncalculation, test administration, and invitations. \n \nELIGIBILITY \nStudents currently enrolled in grades 6, 8, or 9 and residing in the \nCity of Boston are eligible to apply to one of our exam schools for \nthe 2025-2026 school year. The application process to the three \nexam schools includes an admissions test, student GPA, and \nBoston residency. The GPA will account for 70% and the test score", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "882b3c7e-9682-46de-89ff-ad29a026b73e": { + "page_content": "the 2025-2026 school year. The application process to the three \nexam schools includes an admissions test, student GPA, and \nBoston residency. The GPA will account for 70% and the test score \nwill account for 30% of the application. Students may be eligible \nfor additional points if they meet specific criteria. \nStudents enrolled in a program for limited or interrupted formal \neducation (SLIFE) or enrolled in non-credit bearing courses, and \nstudents that are not completing grade-level curriculum are not \neligible to apply for exam school admissions.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "0519e568-8970-44d2-97d0-d406f531f1dc": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 2 of 14 \n \nRESIDENCY REQUIREMENTS \nStudents seeking admission to an exam school must be enrolled \nin grades 6, 8, or 9 and live in the City of Boston to be eligible to \napply for admission for the 2025-2026 school year. The residence \nof a minor child is presumed to be the legal, primary residence of \nthe parent(s) or guardian(s) who have physical custody of the child. \n Students actively enrolled in a BPS school have previously \nestablished residency during their initial registration process, and \ndo not need to resubmit documentation. Non-BPS families are \nrequired to verify their residency in the City of Boston with a BPS \nWelcome Center between October 15, 2024, and November 15, \n2024. Families planning to participate in the Fall 2024 test \nadministration, must complete the residency verification process \nand register for the test by November 8, 2024. \nStudents who must complete the residency verification process \ninclude:", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "f27cd5ac-c8b1-4a9d-9d12-0fd1cb5f5193": { + "page_content": "administration, must complete the residency verification process \nand register for the test by November 8, 2024. \nStudents who must complete the residency verification process \ninclude: \n\u25cf Students attending a private school \n\u25cf Students attending a parochial school \n\u25cf Students attending METCO program schools \n\u25cf Students attending Commonwealth Charter schools \n(excludes UP Academy, Boston Green Academy, and \nother \u201cin-district\u201d BPS charter schools) \n\u25cf Students attending schools outside the City of Boston \n\u25cf Students being home-schooled \nThe residency verification must be completed even if a family has \nother children enrolled in the Boston Public Schools; the student is \nreceiving special education services from BPS; the parent/guardian \nis a current City of Boston employee; or if the student was \npreviously enrolled in the BPS.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "b1fe555e-f2ae-4ccb-81e2-72869554d204": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 3 of 14 \n \nAs part of the verification process, parents are required to provide \ntwo approved proofs of residency that list the Boston home \naddress, the child\u2019s original birth certificate, the child\u2019s \nimmunization record, and the parent\u2019s photo identification. In \naddition, an authorization form for the release of student \ninformation will be provided during the appointment. Refer to \nthe BPS Registration Document Checklist for details. \nThere are two ways to apply: \n1. In-person: Schedule an appointment on this form and visit \none of the four BPS Welcome Centers to work directly with \na registration specialist. \n2. By computer: Pre-register here and schedule an \nappointment on this form to complete the application with \na registration specialist. A follow-up appointment either in- \nperson or over the phone is required. Please select \u2019Pre- \nRegister for BPS\u2019 from the side menu. Click the first option if", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "047fe1f0-d85f-4e9c-9ecd-2ff25d05670a": { + "page_content": "a registration specialist. A follow-up appointment either in- \nperson or over the phone is required. Please select \u2019Pre- \nRegister for BPS\u2019 from the side menu. Click the first option if \nyou have never registered any child for Boston Public \nSchools. Select the second option if you already have an \nAspen account. \nA list of required and approved documents for the registration \napplication can be found in the BPS Registration Document \nChecklist. \n \nGRADE POINT AVERAGE \nThe Exam Schools policy establishes baseline criteria for eligibility \nbeyond residency. Students must have a grade point average of B \nor higher to be eligible to apply. The GPA will include prior year \nmarks in English Language Arts (ELA) and Math and the current \nyear marks in ELA, Math, Science, and Social Studies.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "6e6e6ec0-7e78-4509-9e86-86dd2bd3ee32": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 4 of 14 \n \nSchool leaders are expected to ensure that all marks and course \nnumbers are processed before grade point averages are calculated \nby the Boston Public Schools. All applicants\u2019 course marks must be \nsubmitted along with school certification that they represent \nperformance against the Massachusetts curriculum framework \ngrade-level standards by February 7, 2025. Changes in the \ntranscription or computation of grade point averages will not be \naccepted thereafter. \nThe table below outlines which subject areas and grading terms \nare included for the next admission cycle. \nApplying for: SY25-26 Entrance Year \n7th Grade \u2022 5th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 6th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies \n9th Grade \u2022 7th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "9c81c7f8-c1f7-46f7-9bbf-2e57a3391eb9": { + "page_content": "Trimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies \n9th Grade \u2022 7th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 8th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, Math, \nScience, and Social Studies \n10th Grade \u2022 8th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 9th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "f26500c8-7100-4560-8966-5cf48c250abd": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 5 of 14 \n \nFor SY25-26 admissions, both prior year and current year marks will \nbe considered to calculate the GPA. Prior year marks will be \nweighted 50%, and current year marks will be weighted 50%. For \nstudents with previous year international school records, only \ncurrent-year marks will be considered. Students must have marks \nin each subject for the GPA to be calculated. Applications with \nmissing course marks, Incomplete (INC), or Pass (P) marks cannot \nbe processed and will be classified as ineligible. \nThe July 2021 update to the Exam School Admission Policy \nstipulates that the district \u201cdevelop and publish a coherent \ndistrict equitable grading policy using an A-F scale wherein an A+ \nis treated like an A.\u201d To address this requirement, the 12-point \ngrade scale will be rescaled from 0-12 to 0-11, where 0 points \nrepresent an F and 11 points represent both A+ and A. This will", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "76f5d47c-3644-4431-a578-a4844ae40465": { + "page_content": "is treated like an A.\u201d To address this requirement, the 12-point \ngrade scale will be rescaled from 0-12 to 0-11, where 0 points \nrepresent an F and 11 points represent both A+ and A. This will \nresult in the following crosswalk from letter marks to point values \nused in the GPA calculation. \n \nLetter \nMark \nA+ A A- B+ B B- C+ C C- D+ D D- F \nPoint \nValue \n11 11 10 9 8 7 6 5 4 3 2 1 0 \n \nStudents with grade 5 transcripts from Boston Public Schools \nreceive marks on multiple standards for each subject area using a \n1-4 grading scale. The marks in Reading, Writing, and Math will be \nconverted to a 12-point scale for the purpose of calculating an \n\u201coverall\u201d mark in the subject area (ELA and Math). If the \u201coverall\u201d \nmark in either subject is above 11, the number will be rounded \ndown to 11 to align with the 1\u201311 point scale.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "ac518570-90e2-4d98-a9f8-f80c9d1ad0d4": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 6 of 14 \n \nStandard-Base Marks 4 3 2 1 \nPoint Value 12 9 6 3 \n* Students participating in advanced courses (honors, AWC, AP, etc.) do not \nreceive additional points. \nFor more information regarding the conversion of marks and \ncalculating composite scores, please review the fact sheet. All non-\nBPS schools are responsible for determining their own practices for \ngrade conversions. \nTEST ADMINISTRATION \nFor SY25-26 admissions, completion of the NWEA MAP Growth \nassessment will be required for admissions. Students will have \ntwo opportunities to take the assessment, with the first in the \nspring of 2024. For students who would like to improve their \nscore, or those who do not take the test in the spring, there will \nbe a second opportunity in the fall of 2024. Students are not \nrequired to take the MAP assessment two times, but in the case \nwhere there are two complete testing events (twice in Reading,", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "94af3f64-9d9d-46d9-a115-621b6f988f1a": { + "page_content": "be a second opportunity in the fall of 2024. Students are not \nrequired to take the MAP assessment two times, but in the case \nwhere there are two complete testing events (twice in Reading, \ntwice in Math), BPS will use the highest Math Score and the \nhighest Reading score, from either test event, for the invitation \nprocess.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "e8b1a8d4-d143-467f-b6d0-3c304d8bc2d2": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 7 of 14 \n \nFor 6th and 8th grade students currently attending a BPS school, \nthe test will be offered during the school day at their school. No \nregistration or action is necessary. However, for students in grade \n9 at a BPS school; and students in grade 8 already attending a BPS \nexam school, the test will be offered on the weekend. Registration \nis required and is detailed below. \nFor students not currently attending a BPS school, the test will \nalso be offered on the weekend. Registration for the weekend \ntest is required and can be completed online or via a paper form. \nBoth will be posted on the exam schools BPS website. \nADDITIONAL POINTS \nIn addition to GPA and test scores, students may be eligible to \nreceive additional points towards their application. Students living \nin housing owned by the Boston Housing Authority, are in the \ncare of the Department of Children and Families, or are", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "52900894-f042-41cd-aaeb-8623bef84d25": { + "page_content": "receive additional points towards their application. Students living \nin housing owned by the Boston Housing Authority, are in the \ncare of the Department of Children and Families, or are \nexperiencing homelessness at any time during the time period in \nwhich BPS collects grades (March 2024-February 2025) will \nreceive an additional fifteen (15) points. \nStudents attending a school in the spring of grade 5 (if applying \nfor 7th grade at an exam school), grade 7 (if applying for 9th \ngrade at an exam school), or grade 8 (if applying for 10th grade at \nthe O\u2019Bryant) where 40% or more of the students enrolled come \nfrom economically disadvantaged families over a 5-year average \nwill receive between two (2) and ten (10) additional points, \ndepending on the student's socioeconomic tier. (See below for \nmore information about the socioeconomic tiers). \nThe district will determine the list of schools eligible for these \nadditional points, as defined by the Department of Elementary", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "895f7293-959e-497e-95b9-e24f8d2d7b7e": { + "page_content": "more information about the socioeconomic tiers). \nThe district will determine the list of schools eligible for these \nadditional points, as defined by the Department of Elementary \nand Secondary Education (DESE). \n To learn more about how the additional points are calculated, \nyou can view the Superintendent\u2019s memorandum.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "68fc699e-6f54-4be0-82b1-58e8aceb6923": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 8 of 14 \n \nIn the situation where a student has attended more than one \nschool in the spring of the 2023-2024 school year, the school that \nsubmits the student's final marking period course marks will be \nused to determine eligibility for the additional points. \nIn the situation where the student is a new resident of the City of \nBoston, the school that submits course marks for the first \nmarking period of the 2024-2025 school year will be used to \ndetermine eligibility for the additional points. \nAdditional points are not additive, so students receiving fifteen \npoints will not receive any additional points, even if they also \nattend a school where 40% or more of the students enrolled \ncome from economically disadvantaged families. \n \nCOMPOSITE SCORE CALCULATION \nAdmissions to exam schools will use a composite score \ncalculation that combines GPA, test scores, and additional points", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "520b5431-c11e-45a6-8735-36785cc7f230": { + "page_content": "COMPOSITE SCORE CALCULATION \nAdmissions to exam schools will use a composite score \ncalculation that combines GPA, test scores, and additional points \n(if eligible) into one number. The GPA and test score component \nwill be on a 0-100 scale. Students receiving additional points (as \ndescribed below) may receive a maximum score of 110 or 115. \nFor SY25-26 admissions and beyond, grades will make up 70% of \nthe composite score, and the test score will make up 30% of the \ncomposite score. The GPA will be divided by 11 (based on the 11-\npoint scale explained above) and multiplied by 70. Similarly, the \ntest score will be scaled to a possible total of 30. The GPA \ncomponent and the test score component will be added together. \nAny additional points that the student receives will be added to \nthe total score. For more detail on how BPS calculates students\u2019 \ncomposite scores, please review the Composite Score Calculation \nFact Sheet.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "fe890ef0-1d1f-4332-9acb-e5434543585d": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 9 of 14 \n \nTIERS \nApplicants will be placed into one of eight socioeconomic status \n(SES) tiers based on their home address. Families can visit \nbostonpublicschools.org/exam and use the interactive SES Tier \nmap to learn what SES tier their child will be considered within. \nThe socioeconomic status tiers are based on a socioeconomic \nscore for each census tract in the city and are updated each year \nas annual data becomes available, typically in late winter of each \nyear. The socioeconomic score is a composite of five measures \nfrom the American Community Survey and indicates economic \nneed relative to the other census tracts in the city. \n\u2022 Percentage of persons below poverty \n\u2022 Percent of households not occupied by the owner \n\u2022 Percent of families headed by a single parent \n\u2022 Percent of households where limited English is spoken \n\u2022 Educational attainment \nThe tiers are proportionally sized based on the number of school-", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "4e2ec047-6adb-42a1-8cc7-9d0506d4bba2": { + "page_content": "\u2022 Percent of families headed by a single parent \n\u2022 Percent of households where limited English is spoken \n\u2022 Educational attainment \nThe tiers are proportionally sized based on the number of school- \naged children in grades 5-8 living in each census tract. Each tier \nwill have approximately the same number of seats available. \nWithin each tier, students will be ranked from the highest to the \nlowest based on their composite score. If students have the same \ncomposite score, a random number will be used to determine their \nrank order. The student with the higher random number will be \nranked higher than the other(s).", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "e814b0db-fe59-4114-9d45-5f1ccd476d04": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 10 of 14 \n \n \nINVITATIONS \nInvitations will be awarded through ten (10) invitation cycles, with \n10% of seats available to each tier distributed in each cycle. Tier 1, \nwhich is the tier with the lowest SES score will go first in each \ncycle, and Tier 8, which is the tier with the highest SES score will go \nlast in each cycle. \nStudents will be invited to their highest-ranked exam school with \nan available seat. If all the seats at a student\u2019s first-choice school \nare already allocated, the student will receive an invitation to \ntheir second-choice school. If all those seats are already allocated, \nthe student will receive an invitation to their third-choice school \nuntil all seats are filled. \nSCHOOL CHOICE \n Students must rank at least one exam school to be considered for \nan invitation. However, a student may list up to three exam \nschools and rank those choices by preference. Students will not", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "01cd949d-23be-42e3-a435-db0ee561c5c1": { + "page_content": "Students must rank at least one exam school to be considered for \nan invitation. However, a student may list up to three exam \nschools and rank those choices by preference. Students will not \nbe considered for a school they did not list. For example, if a \nstudent only ranks Boston Latin School and O\u2019Bryant, they will \nonly be considered for invitations to those two schools. If a \nstudent does not submit choice rankings for any exam schools, \nthey will not be considered for any exam school for an invitation. \nBPS grade 6 and 8 students (during the fall of 2024) will receive a \ncontinuous choice form in January 2025, through email and their \nBPS school, where they will be asked to submit their school \npreferences for the 2025-2026 school year. The continuous choice \nform for BPS students is due by February 7, 2025. \nBPS grade 9 students, and BPS grade 8 students already enrolled \nin an exam school (during the fall of 2024), will be required to visit", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "42762983-ef88-4017-9a18-ab349de4ff55": { + "page_content": "form for BPS students is due by February 7, 2025. \nBPS grade 9 students, and BPS grade 8 students already enrolled \nin an exam school (during the fall of 2024), will be required to visit \na BPS Welcome Center to submit ranked school choices through", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "d34dfaa2-2d2c-4258-8b70-2572f7bc31fa": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 11 of 14 \n \na transfer request in January 2025. This group of students will not \nreceive a continuous choice form automatically through their BPS \nschool. \nNon-BPS students will rank schools during the residency \nverification process, which ends on the third Friday of November \nor November 15, 2024. \nAll submitted applications with ranked schools will be processed \nat the same time. \n \nWAITLISTS \nBoston Public Schools will create waitlists for the three exam \nschools for all entry grade levels. \nStudents invited to an exam school for SY 2025-2026 will have \neight days from the first day of school to accept or decline their \ninvitation with the BPS Office of Welcome Services. We \nencourage all families to respond to the invitation by the end of \nMay to ensure all students are assigned in a timely manner. \nStudents who met the minimum eligibility criteria but did not \nreceive an invitation to their top-ranked exam school will be", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "365cbce2-3bfe-4c04-9d60-0751c12bcb11": { + "page_content": "May to ensure all students are assigned in a timely manner. \nStudents who met the minimum eligibility criteria but did not \nreceive an invitation to their top-ranked exam school will be \neligible to be placed on a waitlist for any exam school to which \nthey did not get invited. For all three exam schools, admissions \nwill only be open for students entering grade 7 and grade 9, as \nwell as grade 10 only for the O\u2019Bryant school, and waitlists will \nonly be created for those grades. \nStudents must have ranked the exam school in order to be \nconsidered for an invitation and be eligible to be placed on the \nwaitlist. Students who receive an exam school invitation to their \nfirst-choice school will not be eligible to be placed on any waitlist. \nPlease note that BPS builds in some expected attrition into the \nnumber of students invited to each exam school every year by", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "1f70c2f9-252b-4a11-8e83-53ebbd36d9b5": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 12 of 14 \n \nassigning more students than seats. As a result, students may \nnot be called from the waitlist until that expected attrition is \naccounted for. \nWaitlists will be capped at 100 students for each school and \ngrade. The ordering of the waitlist will function as a continuation \nof the exam school invitation policy. Students will be ordered by \ntheir composite score and random number within their SES Tier. \nFor students with the same composite score, the random \nnumber will be used as the tiebreaker. \nDuring the invitation process, students are invited to exam \nschools through 10 invitation cycles, with approximately the \nsame number of seats being given out to students from each SES \nTier in each cycle. Once all the invitations have been distributed \nfor a given school and grade, we will continue to follow the same \nprocess for the purpose of adding students to the waitlist. \nThe exam school waitlists will be handled separately from the", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "013d451e-fa4d-42d0-aa1d-7f9e4ca285bc": { + "page_content": "for a given school and grade, we will continue to follow the same \nprocess for the purpose of adding students to the waitlist. \nThe exam school waitlists will be handled separately from the \nwaitlist process for open-enrollment BPS schools. In other words, \na student can be on an exam school waitlist as well as other BPS \nschools. Accepting a seat off a waitlist at a different school will \nnot affect a student\u2019s place on the exam school waitlist. \nBPS will contact families via phone and email as seats become \navailable at the three exam schools. Families will have up to 24 \nhours to accept or decline the exam school waitlist. Please \nensure your contact information is up to date by visiting a BPS \nWelcome Center. No exceptions to the 24-hour acceptance \ndeadline will be made. \nThe SY25-26 waitlists will remain in effect until November 30, \n2025. After that date, the waitlists will expire. Waitlists do not roll \nover to future years.", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "050edacf-a8d4-4021-b6c8-f27e4542b042": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 13 of 14 \n \nTRANSFERS \nTransfers between the three exam schools are no longer permitted. \nStudents are not allowed to change their invitation to a different \nexam school, or transfer between the exam schools after \nmatriculation. If a student is interested in moving to a different \nexam school for grades 9 or 10, they must reapply through the \nformal application process. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES: \nOctober 15 - \nNovember 8, 2024 \nPriority residency verification period for non-\nBPS families & registration period for the \nMAP Growth weekend test \nNovember 11-\nNovember 15, 2024 \nFinal week of residency verification for non-\nBPS families registered for the MAP Growth \nweekend test administration \nDecember 2-13 In-school test administration period \nDecember 7, 2024 Weekend test administration of MAP \nGrowth \nJanuary 2 - \nFebruary 7, 2025 \nMarks submitted and certified by sending \nschool", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "e62e49c1-ab3f-4339-bc97-2993356acbb5": { + "page_content": "December 2-13 In-school test administration period \nDecember 7, 2024 Weekend test administration of MAP \nGrowth \nJanuary 2 - \nFebruary 7, 2025 \nMarks submitted and certified by sending \nschool \nMarch 2025 Application status update sent to all \napplicants \nApril or May 2025 Admission decision notifications sent to all \napplicants", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "067e29a6-77b8-4e3a-af8d-6a1d92a6cb2b": { + "page_content": "Superintendent\u2019s Circular ATM-01 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and \nSelective Admissions \nDepartment: Welcome Services \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9085 \nEmail: exam@bostonpublicschools.org \nMary Skipper, Superintendent", + "metadata": { + "file_name": "AMT-01 Exam School Application and Admissions.pdf", + "source_link": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "b0936739-97b8-48ef-8d0a-752bf24735e6": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nAMT-06 \nVersion 01 \n \n \n \nVOLUNTARY TRANSFER POLICY. \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThis updated policy provides clear guidance regarding the \nallowances and restrictions on school transfers, including an \nexplanation of the types of transfers that would be considered \nvoluntary or involuntary and the restrictions on the numbers of \ntransfers allowed for different grade levels. This policy has \nevolved over time beginning with the 1992 Operating Guidelines \nfor Implementing Changes in the Controlled Choice Student \nAssignment Plan and the1999 Interim Report on Streamlining the \nBoston Controlled Choice Student Assignment Plan. This circular \ndoes not appreciably shift policy or practice, but rather clarifies \nand updates language to reflect the current Home-Based \nAssignment Plan. \nIn June 1999, the School Committee amended the policy of the", + "metadata": { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "bbe200a1-962f-438c-a11c-ac3865052ac6": { + "page_content": "and updates language to reflect the current Home-Based \nAssignment Plan. \nIn June 1999, the School Committee amended the policy of the \nBoston Public Schools covering voluntary transfers of students. \nThe amendments provide for the following: \nElementary school students (PK-6) may receive ONE (1) school \ntransfer during an academic year. \nMiddle school level students (grades 7 & 8) may receive ONE (1) \nschool transfer during their middle school careers. \nHigh school students (9-12) may receive ONE (1) school transfer \nduring their high school careers.", + "metadata": { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "8d4cc0a8-1188-4276-9c21-077044c952f9": { + "page_content": "Superintendent\u2019s Circular #AMT-6 \nPage 2 of 2 \n \nChange to school assignments due to change of address, safety, \nprogrammatic, moving off a waitlist, and disciplinary reasons are \nnot considered voluntary transfers with respect to the number of \ntransfers allowed. \nStudents who permanently move out of their original home base \nare required to attend a school in their new home base; however, \nthey may be allowed to continue in their current schools if their \nparent(s) request(s) continuation in the current schools in writing \nwith Welcome Services and agrees to arrange and provide \ntransportation. Students who move after April 1 will not be \nrequired to change schools until the following school year. \n \nFor more information about this circular, contact: \n \nOwner: Director of Student Assignment and Selective \nAdmissions \nDepartment: Welcome Services \nMailing \nAddress: \n2300 Washington Street, 2nd Floor, Roxbury, MA \n02119 \nPhone: 617-635-6058 \nEmail: ofca-staff@bostonpublicschools.org", + "metadata": { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "9627d54f-7aa6-40f7-9846-3c7e1140dece": { + "page_content": "Admissions \nDepartment: Welcome Services \nMailing \nAddress: \n2300 Washington Street, 2nd Floor, Roxbury, MA \n02119 \nPhone: 617-635-6058 \nEmail: ofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "AMT-06 Voluntary Transfer Policy.pdf", + "source_link": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "6f3fe54e-41d0-4916-bc0b-43af90097397": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-07 \nVersion 01 \n \n \nSAFETY TRANSFER REQUEST PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nFrom time to time, it becomes necessary to make a change in a \nstudent\u2019s school assignment. One reason for such an assignment \nchange may be motivated by the need to ensure a safe and \nsecure learning environment for that student. For this reason, a \nsafety transfer process has been established. \nCRITERIA \n1. All students who are victims or intended victims of a serious \nphysical, emotional, and/or electronically transmitted assault \nor who are victims of a violent criminal offense, as determined \nby state law, while in or on school grounds, or out of school \nthat impacts school climate, shall be eligible for a safety \ntransfer. All such request forms must have attached BPS \nIncident Reports and/or BPD Reports to document the \nincident. The transfer should be processed by the building", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "00126c46-186a-4f34-9962-7cb30850afce": { + "page_content": "transfer. All such request forms must have attached BPS \nIncident Reports and/or BPD Reports to document the \nincident. The transfer should be processed by the building \nadministrator within ten (10) school days of the receipt of the \nSafety Transfer Request Form. \nStudents who are perpetrators are subject to the Code of \nConduct and not eligible for a safety transfer. \n2. Students attending a school designated as \u201cunsafe or \npersistently dangerous\u201d in accordance with Massachusetts", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "9ed580a1-602b-47cf-8019-188badb297b6": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 2 of 12 \n \n \nDepartment of Education criteria, upon receipt of a parent \nrequest, shall be transferred to a safe school in compliance \nwith the Every Student Succeeds Act (\u201cESSA\u201d). The purpose of \nthe ESSA is to provide all children a significant opportunity to \nreceive a fair, equitable, and high-quality education, and to \nclose educational achievement gaps.\" \n3. Students with an Individualized Education Program (IEP) are \nsubject to this transfer procedure provided the building \nadministrator has consulted with the OSESS coordinator. \nResource Room students shall be dealt with in the same \nmanner as regular education students. Students with IEPs \nproviding a specialized program and/or requiring a restrictive \nsetting shall be reassigned after consultation between the \ncoordinator and OSESS assistant program director (APD). \n4. Court orders requiring a transfer of a student shall be honored", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "a36708ae-ea90-4869-a787-0956b56af7aa": { + "page_content": "setting shall be reassigned after consultation between the \ncoordinator and OSESS assistant program director (APD). \n4. Court orders requiring a transfer of a student shall be honored \nand coded as a safety transfer. A copy of the court order \nshould be forwarded to the operational leader as a part of the \ndocumentation packet in all cases. \n5. In all cases, student assignments shall be made by Welcome \nServices. Requests for specific school assignments will not be \nhonored, but rather they shall be based on criteria established \nby Welcome Services, as well as on the need to ensure a safe \nlearning environment and on the needs of the student. \nPROCEDURES \nThe following procedures must be followed in all safety transfer \ncases: \n1. All safety transfer requests must be initiated by the \nparent/guardian/caregiver of the impacted student.", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "c48be1e9-bffc-40e6-bd69-e39f4f994ee8": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 3 of 12 \n \n \n2. The parent/guardian/caregiver should schedule a meeting \nwith the head of school/principal/program director of the \nschool to which the student is assigned in order to discuss the \ncircumstances surrounding the need for a safety transfer. \n3. The parent/guardian/caregiver must complete and sign the \n\u201cSafety Transfer Request Form\u201d (attached). All requests for \nsafety transfers must be referred to the head of \nschool/principal/program director for review and \nrecommendation. \n4. The head of school/principal/program director shall conduct a \nthorough investigation in response to the \nparent/guardian/caregiver\u2019s request and must gather all \npertinent information and documentation. If the student has \nan IEP, the building administrator shall consult with the \ncoordinator. The building administrator will provide a rationale \nfor support or rejection of the transfer request on the reverse", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "dc577622-2e8f-4b7b-8048-1a8ad9844f7e": { + "page_content": "an IEP, the building administrator shall consult with the \ncoordinator. The building administrator will provide a rationale \nfor support or rejection of the transfer request on the reverse \nside of the Safety Transfer Form. The form must be signed by \nthe principal/head of school. Please note: this responsibility \nmay not be delegated. If the problem is gang-related, the \nnames of the gangs involved should be noted. If the incident \nhas occurred off school grounds, a copy of the Boston Police \nDepartment report should be obtained; if the incident \noccurred on school grounds, a copy of the Boston Public \nSchool Incident Report should be attached to the \ndocumentation packet. \n \n5. If the head of school/principal supports the safety transfer \nrequest, they must indicate and sign the Safety Transfer Form. \nThe completed transfer packet should be sent to the \noperational leader for approval and processing.", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "6db8dba3-3817-4c83-a9e0-4b4736ef3fa3": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 4 of 12 \n \n \nThe complete safety transfer packet must include: \na. Completed and signed English version as well as a copy of \nthe parent\u2019s safety transfer request form, including the \nbuilding administrator\u2019s rationale for support or rejection \nof request on page 2. If the language of the home is other \nthan English, the parent/guardian/caregiver should \ncomplete the appropriate language form which should \nbe attached to the English version in the packet. \nb. All pertinent supporting documentation (i.e., court orders, \nrestraining orders, police reports, reports of investigation \nby school staff or safety services, etc.) If the student has \nbeen the victim of an assault. \nc. If attending an \u201cunsafe or persistently dangerous school,\u201d \ndocumentation supporting the school designation as \nsuch. \n6. If the building administrator does not support the safety \ntransfer, a rationale indicating specific reasons for rejecting the", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "58198339-53f8-4e62-ad7e-fbdb1f435fe1": { + "page_content": "documentation supporting the school designation as \nsuch. \n6. If the building administrator does not support the safety \ntransfer, a rationale indicating specific reasons for rejecting the \ntransfer, including appropriate documentation, must be \nforwarded with the safety transfer packet to the operational \nleader. \n7. The packet must be submitted as soon as possible to the \noperational leader for review of completeness and \nappropriateness. The operational leader is authorized to \napprove or reject the request. \n8. Before forwarding a copy of the approved packet to Welcome \nServices, the operational leader shall consult with the \nDepartment of Safety Services to discuss potential restrictions \nto school assignments (e.g., gang-related issues, \u201cpersistently \ndangerous\u201d schools, etc.). If the student is assigned to a", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "fc4e3611-ff41-426f-9a45-20d6ddd49880": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 5 of 12 \n \n \nsubstantially separate class, the operational leader shall \nconsult with the OSE coordinator and the OSE assistant \ndirector. \n9. The operational leader will forward the complete safety \ntransfer packet of the approved safety transfer request to \nWelcome Services for processing an assignment. If safety \nissues were raised in discussions with Safety Services (c.f. item \n8 above), the operational leader shall call these issues to the \nattention of Welcome Services. Requests which are not \napproved will be returned to the citing the reasons for \nrejection. If the student requires a substantially separate \nassignment, Welcome Services and appropriate APD shall \nconsult. \n10. Welcome Services shall assign the student to the new school \nand notify the receiving and sending schools and the \nappropriate operational leader by email. The head of \nschool/principal/program director of the sending school shall", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "b0fe36df-3ad6-4a0a-9c88-35ad0ec52621": { + "page_content": "and notify the receiving and sending schools and the \nappropriate operational leader by email. The head of \nschool/principal/program director of the sending school shall \nnotify the parent/guardian/caretaker of the student\u2019s new \nschool assignment. If the safety transfer is not approved, the \n\u201csending\u201d building administrator shall notify the parent that \nthe request has been rejected. \n11. If the transfer is approved, the operational leader shall send a \ncopy of the Transfer Form with copies of all attached \ndocumentation to the new school principal/head of school. If \nthe new building administrator has any further questions, the \nsending school building administrator shall respond to those \nquestions. The sending school shall forward a copy of the \nstudent record to the new school. \n12. Any appeal of a decision at the school level may be made to \nthe District Safety Transfer Appeal Committee. An appeal", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "53f1d964-1560-40f2-b8f4-56bd6d192e43": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 6 of 12 \n \n \nmust be made by the parent/guardian/caregiver, in writing, \nwithin ten (10) days of the receipt of the decision. An appeal \ncan either be submitted in writing and mailed to the attention \nof the Superintendent\u2019s Office, Attn: Ombudsperson, Bruce C. \nBolling Municipal Building, 2300 Washington Street, Roxbury \nMA 02119 or electronically by submitting the Safety Transfer \nAppeal Form. \nPlease Note: \n1. During the summer months, no safety transfers will be \nprocessed. Any family seeking a change in school assignment \ndue to safety concerns must follow the voluntary transfer \nprocess by visiting a BPS Welcome Center. \n2. The family has the right to refuse the new school assignment. \nIf so, the parent/guardian/caretaker should contact the \nprincipal/head of school and operational leader that they are \nrescinding the safety transfer request. In this case, the student \nwill be returned to their original school and will not be", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "e4a7b75f-7e1f-468c-81ff-f7721787868e": { + "page_content": "principal/head of school and operational leader that they are \nrescinding the safety transfer request. In this case, the student \nwill be returned to their original school and will not be \npermitted to submit an additional safety transfer request \nregarding the incident that initiated the original safety transfer \nrequest. \nTranslations of the required documentation are available here.", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "60bb62d5-844b-40c5-a7cb-fed9b129675c": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 7 of 12 \n \n \nFor more information about this circular, contact: \nOwner: Chief of Operations \nDepartment: Operations \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9057 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \nSafety Transfer Request form on following page.", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "a8cf7f15-6264-4b19-84da-7ebdba40b3f1": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 8 of 12 \n \n \nSAFETY TRANSFER REQUEST \nPrincipal/Head of School Page \n \nStudent\u2019s Name: _______________________________________________________________ \nStudent ID #: _________________________ \nGrade: ____________ \nCurrent School: __________________________________________________ \nSpecial Education Program (if applicable): _______________________ \nEnglish Learner Program (if applicable): _________________________ \nParent/Guardian/Caregiver Conference: \nDate:_____________________________ Time: __________________________ \nI \uf06f support \uf06f reject (check one) this Safety Transfer Request \nfor the following reason(s): \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "f016d537-54d6-4540-b195-14b064b1c4de": { + "page_content": "____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "6f018417-599e-471f-af90-a22147814351": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 9 of 12 \n \n \nIf approved, please list the names and ID numbers of the other \nstudents involved that led to this request. \nName 1 _____________________________ ID _________________________ \nName 2 ______________________________ ID _________________________ \nName 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nIf you know of other students that this student should not be \nplaced with, please note their names and ID numbers. \nName 1 _____________________________ ID _________________________ \nName 2 ______________________________ ID _________________________ \nName 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nPlease check: \n\uf06f I have explained to the parent that, if approved, the student \ncan be assigned to any school where there is an available seat,", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "eda74340-ea75-485c-9da8-dfebc1bb74e3": { + "page_content": "Please check: \n\uf06f I have explained to the parent that, if approved, the student \ncan be assigned to any school where there is an available seat, \nand that requests for specific school assignments will not be \nhonored. \n __________________________________________________ _______________ \n Head of School/Principal Date \nAttach documentation. \ncc: School File", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "47659864-63ec-4944-9d7d-bd2cbfbd6853": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 10 of 12 \n \n \nSAFETY TRANSFER REQUEST \nFamily Page \n \nStudent\u2019s Name: _________________________________________________ \nI request a Safety Transfer for my son/daughter for the following \nreasons: \n*Please be specific. If there have been incidents at the school, \ndescribe who was involved, when they occurred, what happened \nand other details (including the names of any gangs involved). \nAttach additional documentation (e.g., copy of incident report, \ncopy of Boston Police Report, report of medical provider, etc.) as \nnecessary. If there is any school that your child cannot attend \ndue to similar safety concerns, then you must list them here. \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "65746769-bfe9-4298-b785-da6a3bf76848": { + "page_content": "____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \nTranslated versions of this form can be found here.", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "459560cc-676d-40aa-87d9-f1beb035cc77": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 11 of 12 \n \n \nSAFETY TRANSFER REQUEST COVER PAGE \nCompleted by Operational Leader \n \nOperational Leader: __________________________Date: ______________ \nStudent Name: ________________________________ID: _______________ \nThe safety transfer has been: \n\u2610 Approved \u2610 Not Approved \nPlease check: \n\u2610 The school has informed me that they explained to the parent \nthat the child will be placed wherever there is an available, \nappropriate seat, and that requests for specific school \nassignments will not be honored. \nPlease check one: \n\u2610 The child can be placed into any school with an available seat. \n\u2610 The child should not be placed at the following school(s) \n(please explain why): \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nSchool: ___________________________________________________________", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "b4162e40-4ba1-498b-af00-9da412f0dbde": { + "page_content": "_______________________________________________________________ \nSchool: ___________________________________________________________ \n _______________________________________________________________", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "51e481cf-d14a-4f00-a5a7-6873499ca138": { + "page_content": "Superintendent\u2019s Circular AMT-07 \nPage 12 of 12 \n \n \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nAdditional notes for consideration prior to assignment: \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \n \n __________________________________________________ _______________ \n Operational Leader Signature Date", + "metadata": { + "file_name": "AMT-07 Safety Transfer Request.pdf", + "source_link": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "c42976c6-1cc4-484f-adaa-6e940842cc06": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-05 \nVersion 01 \n \n \nREVISED MAXIMUM AGE ASSIGNMENT AND \nENROLLMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn July 1999, the Boston School Committee adopted a new policy \nof the Boston Public Schools (BPS) covering the maximum age \nfor school attendance. In 2019, the School Committee updated \nthe maximum age assignment and enrollment policy to include \nthe current options available within the network of BPS \nalternative education schools and new opportunities for students \nto continue their education in the district. The revision to the \noriginal maximum assignment policy clarifies the process and \nstreamlines the enrollment and placement of overage students, \nminimizes the risk of students transitioning to adult school \nprogramming in the middle of a semester when they turn 22 \nyears old, and expands the range of program options in Boston", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "7ba3d60d-74d6-431a-b76b-3f7d0c1c42df": { + "page_content": "minimizes the risk of students transitioning to adult school \nprogramming in the middle of a semester when they turn 22 \nyears old, and expands the range of program options in Boston \nCentral Adult High School (BCAHS) to meet the needs of overage \nstudents in an adult education setting. \nENROLLMENT OF OVERAGE STUDENTS (19 YEARS OLD OR \nOLDER) \n\u2022 Requires the Re-Engagement Center to assess needs and \nmake recommendations for the school/program \nassignments of students new to BPS who are age 19 or \nolder. \n\u2022 For students 19 years old or older who are more than a year \nfrom graduation (based on the Re-Engagement Center", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "4193eb69-7e0c-402c-bc31-954eae7e5250": { + "page_content": "Superintendent\u2019s Circular AMT-05 \nPage 2 of 6 \n \ntranscript review), enrollment options will be presented for \nBPS alternative education programs designed to support \noverage, under-credited students. \n\u2022 For students 19 years old or older who are less than a year \nfrom graduation (based on the Re-Engagement Center \ntranscript review), enrollment options will be presented for \ntraditional high school programs and/or BPS alternative \neducation programs designed to support overage students, \nbased on availability and student needs. \nEXISTING OVERAGE BPS STUDENTS (19 YEARS OLD OR OLDER) \n\u2022 Establishes a systematic proactive review process through \nthe Re-Engagement Center whereby the district will \nmonitor the progress and counsel currently enrolled \noverage students on an annual basis. \n\u2022 Establishes that if a student without special needs (without \nan Individualized Education Plan) will turn 21 years old on or \nbefore August 31st they will be ineligible for enrollment in a", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "a714b1fa-af02-4a54-9a2c-be9e1f97b66e": { + "page_content": "\u2022 Establishes that if a student without special needs (without \nan Individualized Education Plan) will turn 21 years old on or \nbefore August 31st they will be ineligible for enrollment in a \nBPS traditional or alternative education school for the \nupcoming school year, and will be referred to BCAHS (day \nprogram, evening program, or a satellite adult education \nprogram authorized by BCAHS) or an external adult \neducation program by the Re-Engagement Center. \n\u2022 Establishes that students turning 21 years of age on or after \nSeptember 1st are eligible for enrollment for that school \nyear. \n\u2022 Clarifies that services for eligible students with disabilities \nwill continue to be governed by the Individuals with \nDisabilities Education Act (IDEA) and Massachusetts General \nLaw c. 71B up to and through that student\u2019s 22nd birthday,", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "66a64945-069d-4a6b-8b05-cd96c58ffd6a": { + "page_content": "Superintendent\u2019s Circular AMT-05 \nPage 3 of 6 \n \nwhen deemed appropriate by an IEP team. \n\u2022 Provides guidelines for how the district will support \nstudents who turn 21 years old on September 1st or later \nthrough the Re-Engagement Center as they transition into \nprograms including: BCAHS (day program, evening \nprogram, or a satellite adult education program authorized \nby BCAHS) if space is available, or an external adult \neducation program. \nTHE MAXIMUM AGE ASSIGNMENT POLICY \nAll students who are seeking a BPS school assignment, including \nnew students, re-enrolling students, and students already \nenrolled in the BPS will be provided enrollment options that will \nbest meet their needs in providing a path forward to meeting the \nrequirements of a BPS high school diploma. The revised \nmaximum age assignment and enrollment policy acknowledges \nthat some students may benefit from the alternative education \nsetting to ensure they can earn the credits required for", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "d677a7e3-ba5c-45f5-aaa6-07421e98489b": { + "page_content": "maximum age assignment and enrollment policy acknowledges \nthat some students may benefit from the alternative education \nsetting to ensure they can earn the credits required for \ngraduation prior to the end of the school year in which they turn \n21 years old. Students transitioning to alternative education \nschools and programs designed to serve the overage population \nwill retain any and all rights and privileges accrued change \n\u201caccrued\u201d to \u201cafforded to students\u2026\u201d to students admitted to or \nenrolled in traditional day school programs as required by \nMassachusetts law. \nNew BPS students and re-enrolling students who are age 19 and \nolder will be directly referred to the Re-Engagement Center by \nregistration specialists at the Welcome Center to determine the \nmost appropriate placement. As with all enrollment applications, \nif applicable, the Office of Special Education will review each \nstudent\u2019s Individualized Education Plan (IEP) and any reports", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "f1b4db9b-1b27-483f-b4bc-ec45a3856837": { + "page_content": "Superintendent\u2019s Circular AMT-05 \nPage 4 of 6 \n \npresented by the student and/or family to determine how to \nmove forward with options for the student. \nOnce referred to the Re-Engagement Center, specialists will \nreview each overage student\u2019s transcript, enrollment history, \nstate assessment results, and Early Warning Indicators to \ndetermine the most appropriate placement for the student to \nattain a high school diploma prior to turning 21 years old. \nEnrollment options at traditional high school programs and/or \nalternative education programs will be presented based on \navailability and student need. BPS Welcome Services will \nmanage the technical aspects of the enrollment and assignment \nprocess after the Re-Engagement Center assesses student needs \nand makes recommendations for placement. Current alternative \nschools and programs for SY23 that meet the criteria to serve \noverage students include Boston Adult Technical Academy", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "49895f7c-12ec-42d7-9cac-065ea7b40248": { + "page_content": "and makes recommendations for placement. Current alternative \nschools and programs for SY23 that meet the criteria to serve \noverage students include Boston Adult Technical Academy \n(BATA), Accelerated Diploma Program (ADP), LogOn Academy at \nBoston Collaborative High School, and ABCD\u2019s University High \nSchool. This list of options for overage students will be updated \nannually as needed. \nCurrently enrolled BPS students who will reach the age of 19 \nbefore September 1st of the following school year will be \nprovided an option to enroll at an alternative education school or \nprogram designed for overage and/or under-credited students. In \nthe revised policy, the responsibility of these recommendations \nwill be designated to Re-Engagement Center specialists. The Re-\nEngagement Center will notify headmasters of students who are \neligible for a transfer based on age during the spring semester. \nRe-Engagement Center specialists will recommend the most", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "37ede03f-d7d9-4fbd-a775-749249538553": { + "page_content": "Engagement Center will notify headmasters of students who are \neligible for a transfer based on age during the spring semester. \nRe-Engagement Center specialists will recommend the most \nappropriate placement in an alternative education setting or \ncontinued enrollment at their current school after a review of \neach overage student\u2019s transcript, state assessment results,", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "308d8c43-963e-4da7-8f3f-19a49495990b": { + "page_content": "Superintendent\u2019s Circular AMT-05 \nPage 5 of 6 \n \nenrollment history, and assessment of Early Warning Indicators. \nAdditionally, if determined that a transfer is in the student\u2019s best \ninterest, the Re-Engagement Center will meet with students and \ntheir parents, provide multiple alternative education options that \nare appropriate for overage students, and work with students \nand parents through the process of the transfer to the alternative \neducation program selected prior to the start of the school year. \nBPS Welcome Services will continue to manage the technical \naspects of enrollment and assignment process based on these \nrecommendations. \nThe revised maximum age assignment and enrollment policy \nclarifies that if a student will turn 21 years old on or before August \n31st, the school based-administration team will meet with the \nstudent, and the student will be required to transition to a \nprogram designed for adults (e.g. Boston Central Adult High", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "77e4cf7b-ace9-4a41-9717-5e1fed5f6cd4": { + "page_content": "31st, the school based-administration team will meet with the \nstudent, and the student will be required to transition to a \nprogram designed for adults (e.g. Boston Central Adult High \nSchool, Department of Developmental Services, or other adult \nschool program). Students who will turn 21 years old during the \nschool year will be allowed to remain enrolled through the end of \nthe school year in June and, if necessary, through the end of \nsummer session in August. Once referred to the adult school \nprogram, the process of this transition will be managed by the \nRe-Engagement Center. \nStudents who are unable to earn a high school diploma by the \nend of the school year in which they turn 21 years old will be \nreferred to BCAHS (day program, evening program, or a satellite \nadult education program authorized by BCAHS) or an external \nadult education program by Re-Engagement Center specialists \nand the headmaster. The referral will be made prior to the start of", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "80dd283e-795d-4d73-9056-b5205431a93b": { + "page_content": "adult education program authorized by BCAHS) or an external \nadult education program by Re-Engagement Center specialists \nand the headmaster. The referral will be made prior to the start of \nthe final spring semester in which a student is 21 years old to \nsupport an appropriately timed transition. Prior to the student \nexiting their school and transitioning to an adult school option,", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "92005d68-64c1-429a-8893-289952d3da1a": { + "page_content": "Superintendent\u2019s Circular AMT-05 \nPage 6 of 6 \n \nthe headmaster and/or academic counselor will provide an exit \nsurvey and counseling opportunity to share potential placement \nin the Boston area. Upon exiting a BPS traditional or alternative \nhigh school, the student will be presented with options to \ncontinue their education toward a high school diploma or HiSET \ncertificate (graduation equivalent) through the exit survey and \nmeeting offered by the headmaster and/or academic counselor. \nServices for eligible students with disabilities will continue to be \ngoverned by the Individuals with Disabilities Education Act \n(IDEA) and Massachusetts General Law c. 71B up to and through \ntheir 22nd birthday, when deemed appropriate by an IEP team. \nFor more information about this circular, contact: \nOwner: Director of the Re-Engagement Center \nDepartment: Office of Secondary Schools, Re-\nEngagement Center \nMailing Address: 2300 Washington Street, 4th Floor, Roxbury \nMA 02119", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "f8d02e4e-39a1-4a48-b424-9924edf05e9a": { + "page_content": "Owner: Director of the Re-Engagement Center \nDepartment: Office of Secondary Schools, Re-\nEngagement Center \nMailing Address: 2300 Washington Street, 4th Floor, Roxbury \nMA 02119 \nPhone: 617-635-2273 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "7c4084ab-dafa-432e-8ee9-7196119f3421": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-04 \nVersion 01 \n \nGRADE LEVEL PLACEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Boston Public Schools has established grade level placement \nrequirements for Grades K-12, which are detailed herein. \nGRADES K0 - 1 \nThe Boston Public Schools has established the following age \nrequirements for entrance to kindergarten programs and grade 1: \nGrade Level Age as of \nSeptember 1 \nK0 3 \nK1 4 \nK2 5 \n1 6 \n \nStudents who will be 6 years old by September 1, but after June 30, \nmay, if they believe appropriate, request a waiver to register for K2 \ninstead of grade 1. This request must take place prior to registration \nand must be accompanied by an early education provider\u2019s \nrecommendation. Requests should be made to the interim executive \ndirector of Early Childhood at tdias@bostonpublicschools.org, 617-\n635-9701. \nThere are no other exceptions to this policy.", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "0d41697b-9d1d-499f-8122-d15c74582bf1": { + "page_content": "Superintendent\u2019s Circular AMT-04 \nPage 2 of 8 \n \nGRADES 2 - 8 \nThe following requirements will be in effect for grades 2-8 at all \nschools, including Early Education Centers and Early Learning \nCenters: \nGrade Age as of \nSeptember 1 \n2 7 \n3 8 \n4 9 \n5 10 \n6 11 \n7 12 \n8 13 \n \nIn cases where a student is registering into Boston Public Schools \nwith documented proof of successful completion of the current \ngrade, the student must also present documentation to their \nassigned school within 30 days of reporting. If the school \nrecommends a change in the student\u2019s grade placement, the school \nleader must submit a \u201cGrade Level Change\u201d request form (below) to \ntheir school superintendent or operational leader for approval and \nprocessing by Welcome Services. \nGrade-age assignment in the Boston Public Schools is structured to \nprovide a supportive environment in which each student is able to \ngrow both academically and socially. BPS understands students may", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "36d95ec3-f0f1-4168-9e2f-dbf2c468869a": { + "page_content": "provide a supportive environment in which each student is able to \ngrow both academically and socially. BPS understands students may \nlearn differently and need appropriate adjustments to their \ncurriculum to ensure they are learning at a pace that fosters success. \nTherefore, teachers are trained to adjust", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "0f345317-01e2-4f17-8b33-1c1c7f352aa5": { + "page_content": "Superintendent\u2019s Circular AMT-04 \nPage 3 of 8 \n \ncurriculum and make additional recommendations for students \nwithin their classrooms. \nGRADES 9 - 12 \nStudents who are new to BPS will be assigned to a grade based on \ntheir age. Students should be aware that schools may shift their \ngrade level upon enrollment in their assigned school after a \ntranscript review with their school counselor. \nStudents with disabilities will be placed in accordance with the grade \nlevel indicated by their IEP. \nIf the student has not recently attended school in the U.S., a U.S. \nterritory, or does not have a current transcript, Welcome Services will \nassign students as indicated below: \nAge as of \nSeptember 1* \nGeneral Education, Never LEP, or \nELD 1-5 \n14-16 Grade 9 \n15-17 Grade 10 \n16-18 Grade 11 \n17-18 Grade 12** \n19-21 Referred to Re-Engagement \nCenter \n22 Students will be recommended \nto Adult Education \n* The age range is dependent on minimum age and takes into", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "ee48db78-3730-40d5-a11e-a9c9d7200592": { + "page_content": "16-18 Grade 11 \n17-18 Grade 12** \n19-21 Referred to Re-Engagement \nCenter \n22 Students will be recommended \nto Adult Education \n* The age range is dependent on minimum age and takes into \naccount consideration of students who may have been retained \nor started their academic journey at an older age from their home \ncountry. \n** Students with sufficient documentation, clearly displaying the \ncompletion of grade 11, will be placed in grade 12.", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "02e320ec-78e1-4ba0-b8b7-00949952b723": { + "page_content": "Superintendent\u2019s Circular AMT-04 \nPage 4 of 8 \n \nStudents who are entering high school are to present prior school \nrecords to their assigned school within 30 days of reporting. \nFor more information regarding the Maximum Age Policy, see the \nRevised Maximum Age Assignment And Enrollment Policy. \nGRADE LEVEL ADVANCEMENT OR REGRESSION \nIf a family/emancipated student is contesting their grade level \nplacement due to the grade-age assignment process followed while \nin a Welcome Center or the Newcomers Assessment & Counseling \nCenter (NACC), the student must be assessed by the school. If the \nschool recommends a change in the student\u2019s grade placement, the \nschool leader must submit a \u201cGrade Level Change\u201d request form to \ntheir school superintendent or operational leader for approval and \nprocessing by Welcome Services within 30 days of student reporting \nto school. \nIf after a period of at least one academic term/semester, a school", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "7b71091a-f791-469a-b0bd-2ee41aaf037d": { + "page_content": "processing by Welcome Services within 30 days of student reporting \nto school. \nIf after a period of at least one academic term/semester, a school \nteam1 determines that a particular student may benefit from a grade \nlevel change due to exceptional advancement or regression based \non other conditions not present during the registration period, a \nschool leader may request a grade level change by completing the \n\u201cGrade Level Change\u201d request form and submitting to their school \nsuperintendent or operational leader for approval and processing by \nWelcome Services. All changes must be completed by the end of the \nfirst marking period. \n \n \n1 School-based teams must be composed of content teachers, \nEnglish Learner, and Special Education faculty based on the \nstudent\u2019s instructional program.", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "d0c93e4d-b005-44b7-8f98-41a4098dd86d": { + "page_content": "Superintendent\u2019s Circular AMT-04 \nPage 5 of 8 \n \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and Special \nAdmissions \nDepartment: Welcome Services \nMailing Address: 2300 Washington Street, 2nd Floor, Boston, MA \n02119 \nPhone: 617-635-9010 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "6f7cf693-93e9-45cd-91d4-245ba0634387": { + "page_content": "Superintendent\u2019s Circular AMT-04 \nPage 6 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM - DIRECTIONS \nFind below the description of criteria and evidences that you will \nneed to fill out the form on page 8. \nCriteria for Grade Level Change: Documentation and rationale are \nrequired for all recommendations. \n1. A grade level placement is contested due to a grade-age \nassignment process followed during registration. This form \nmust be completed within 30 days of student reporting to \nschool. \n2. A school recommends a grade level change for a student due \nto exceptional advancement or regression based on other \nconditions not present during the registration period. This \nform must be completed by the end of the first marking \nperiod. \n3. A Grade Level Change Request Form must be approved by a \nschool superintendent or operational leader. After approval, \nWelcome Services will process the request. \n4. Students may not be retained more than once at any level", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "994531a0-1a29-4cba-8cd8-d4a1915a2b97": { + "page_content": "school superintendent or operational leader. After approval, \nWelcome Services will process the request. \n4. Students may not be retained more than once at any level \n(elementary, middle, or high school). \n5. In a grade level change that requires a new school \nassignment, the sending administrator must contact and \nupdate the receiving administrator. \n6. If an English Learner is being recommended for a grade level \nchange, evidence must be provided that this is not due to \nlanguage proficiency, and student/family have been informed \nand are in agreement with the change.", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "db39cd61-cdad-4673-89e2-72a115eda0ff": { + "page_content": "Superintendent\u2019s Circular AMT-04 \nPage 7 of 8 \n \nEvidence\u2019s Options \n1. The request meets BPS district guidance in terms of \nattendance, academic achievements, OR interventions \ndemonstrated through student work, grades, and \nassessments. A school narrative must be attached. \n2. If the student is in a Special Education program: The student \nhas an IEP that specifically and in writing exempts them from \ncertain provisions of the promotion policy. IEP attached. \n3. If the student is an English Learner: There is evidence of a \ntranscript review and parent communication that shows an \nagreement with the recommendation. All documents must \nbe filed in the student\u2019s ELD Folder.", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "b2049389-270b-466f-95f8-ef289a1f308c": { + "page_content": "Superintendent\u2019s Circular AMT-04 \nPage 8 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM (*) \n \nName of Student: ________________________________________________ \nSchool: ___________________________________________________________ \nStudent ID: __________________Current Program: __________________ \nELD Level: __________________ SN Code: ___________________________ \nPurpose of Request: \n\uf0a8 Grade Progression: ______________ to ______________ \n\uf0a8 Grade Regression: _______________ to ______________ \nWhen/how was the parent/guardian informed of this request? \n __________________________________________________________________ \n __________________________________________________________________ \n \nOPTIONS (**) Evidence meets requested change \nYES NO \nOption 1 \nOption 2 \nOption 3 \n \nSignature of sending school leader: \n___________________________________________ Date _________________ \nSignature of school superintendent/operational leader:", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "4f638792-d111-465c-a393-344d21496961": { + "page_content": "Option 2 \nOption 3 \n \nSignature of sending school leader: \n___________________________________________ Date _________________ \nSignature of school superintendent/operational leader: \n___________________________________________ Date: ________________ \nReview/Approval, Welcome Services: Space available? YES \u2610 NO \u2610 \n(*) Directions on pages 6 & 7; (**) Options descriptions are listed on page 7", + "metadata": { + "file_name": "AMT-04 Grade Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#AMT" + } + }, + "61927e8d-95be-410f-b78f-ced0d08140d6": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-08 \nVersion 01 \n \n \n \nBOSTON PUBLIC SCHOOLS RECYCLING AND ZERO \nWASTE GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nThe Commonwealth of Massachusetts and City of Boston seek to \nminimize waste by reducing, reusing, and recycling. State policies \nand programs such as the Environmentally Preferable \nPurchasing Policy, MassDEP\u2019s Waste Ban Regulations, and \nExecutive Order 484 \u2013 Leading by Example, and the City of \nBoston Zero Waste Plan are helping state agencies and \nmunicipalities create healthier buildings and cleaner \ncommunities while simultaneously reducing costs. Boston Public \nSchools (BPS) has been actively recycling for over a decade. By \nreducing the amount of resources we use and waste we produce, \nwe are creating a healthier and more sustainable Boston Public \nSchools. \nBPS is committed to Zero Waste because:", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "eb2000cc-6674-46c6-851b-d629f80a8914": { + "page_content": "reducing the amount of resources we use and waste we produce, \nwe are creating a healthier and more sustainable Boston Public \nSchools. \nBPS is committed to Zero Waste because: \n\u2022 Recycling is a core component of the City of Boston's \ncommitment to zero waste. \n\u2022 Recycling is free for BPS, while trash is an operational cost \nfor BPS. School recycling is picked up curbside for free by \nBoston Public Works Department (PWD) as part of the PWD", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2475bd2d-d78a-4667-a074-17bed715a99e": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 2 of 10 \n \n \n \nResidential Recycling program. School trash is picked up at \na cost by a contracted waste hauler. Increasing recycling \nwhile reducing trash decreases BPS operating costs, funds \nwhich could otherwise be directed to teaching and learning. \n\u2022 School zero waste programs mitigate clutter. Clutter \nattracts pests, creates asthma triggers like dust, and takes \nup valuable school space that could otherwise be used for \nteaching, learning, and organized storage. \n\u2022 School zero waste programs create hands-on learning and \nengagement opportunities for students and staff. A \nsuccessful zero waste program incorporates education and \ncollaboration. \n\u2022 The principles of zero waste \u2013 redesign/rethink, refuse, \nreduce, repurpose, reuse, recycle \u2013 teach us responsibility for \nour schools and our waste. \n POLICY \nThe intent of this BPS Zero Waste Policy is to reduce the amount \nof waste generated by building occupants and reduce the", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ded1a7e8-b478-486d-9298-e8fb8aef79f7": { + "page_content": "our schools and our waste. \n POLICY \nThe intent of this BPS Zero Waste Policy is to reduce the amount \nof waste generated by building occupants and reduce the \namount of non-recyclable waste that is hauled to and disposed of \nin landfills or incineration facilities. Boston Public Schools has \ncreated this policy which aligns with the City of Boston\u2019s Zero \nWaste Plan. \nBoston Public Schools is responsible for providing recycling \nequipment, education, and cardboard hauling services to all \nbuildings operated by BPS, and for ensuring that banned \nmaterials are separated from trash at the school and other \nbuilding sites, according to MassDEP\u2019s Waste Ban Regulations \n(310 CMR 19.017). The City of Boston Public Works Department is", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2eeda7c6-00cd-40a3-a159-4ff47f91cb26": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 3 of 10 \n \n \n \nresponsible for providing curbside hauling services for all BPS \nsingle-stream recycling. \nSchool principals/heads of schools, and custodians must ensure \nsingle stream recycling equipment and signage are displayed to \ncollect applicable materials (cardboard, glass, metals, paper, \nplastics) and that other materials are collected and recycled \nand/or disposed of properly, including but not limited to: office \nsupplies, books, textiles, yard waste, batteries, ink/toner, \nelectronics, and furniture. \nEach school is responsible for identifying a zero waste champion \nwho serves as the liaison to BPS Facilities Management and \nwhose duties can include educating the school on recycling \npractices, advising a student recycling team, and ensuring the \nschool has recycling equipment and signage provided by \nFacilities Management. The zero waste champion and custodial \nstaff are encouraged to participate in the school\u2019s Wellness", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "49513b35-cfcd-4d14-a0bf-746b6d4805d3": { + "page_content": "school has recycling equipment and signage provided by \nFacilities Management. The zero waste champion and custodial \nstaff are encouraged to participate in the school\u2019s Wellness \nCouncil to ensure that waste management is prioritized and that \nthe school\u2019s indoor environment is upheld as a healthy and clean \nplace to learn and work. \nIMPLEMENTATION PLAN \nBoston Public Schools recycling and zero waste guidance and \nresources can be found at bostongreenschools.org/zero-waste. \nPlease use the BPS Zero Waste Guide and BPS recycling signage. \nBPS provides the following recycling services: single stream \n(paper, metal, glass, plastic, paperboard), corrugated cardboard, \nelectronic waste, furniture, books, yard waste, construction \nwaste, hazardous waste, and universal waste.", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "0e81eb32-4511-4410-a548-f336f611731f": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 4 of 10 \n \n \n \nRecycling is a collaborative effort and will require support from \nthe principal/head of school, custodians, cafeteria staff, teachers, \nstudents, zero waste champions, and Facilities Management. \nSchools are encouraged to form a student-led Zero Waste Team \nto help manage the single stream recycling program and keep it \nrunning smoothly throughout the school year. Schools are \nencouraged to host an annual recycling event to educate the \nschool community about recycling best practices and announce \nany new recycling or waste management initiatives. \nFor recycling to be successful across BPS, each school must: \n\u2022 Identify a zero waste champion (teacher, staff, active \nvolunteer, or a staff-advised student team) to be a liaison to \nthe Facilities Department and a recycling advocate in the \nschool. \n\u2022 Incorporate recycling tasks into the custodial work plan. \n\u2022 Allow time for the zero waste champion and the senior", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2ee94c93-f17f-44f0-b477-82ca63aa6e0f": { + "page_content": "the Facilities Department and a recycling advocate in the \nschool. \n\u2022 Incorporate recycling tasks into the custodial work plan. \n\u2022 Allow time for the zero waste champion and the senior \ncustodian to attend any recycling training with Facilities \nManagement. \n\u2022 Commit to providing ongoing education to the school \ncommunity about recycling best practices to divert as much \nrecycling material from the waste stream as possible. \n\u2022 If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), complete and submit the \nZero Waste Equipment Request form to request free \nequipment from Facilities Management. BPS warehouse \nstaff will deliver the equipment. \n\u2022 Place recycling signage and equipment in appropriate \nplaces and implement updates to the program per", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "8e3c5d0b-e5ed-40a3-8b3e-a20a68933405": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 5 of 10 \n \n \n \ninstruction from Facilities Management. \n\u2022 Equipment must be placed in a 1:1 ratio \u2013 one recycling bin \nnext to one trash bin. \n\u2022 Classrooms and offices must have small recycling bins or \nboxes and trash bins (one of each per room). These small \nbins should be emptied into the larger recycling barrels or \ncarts and trash barrels, respectively. \n\u2022 Hallways, common areas, food service areas, and \ngymnasiums should have recycling barrels or carts and \ntrash barrels. Recycling barrels should be emptied into carts, \nand carts should be rolled outside to the curb before 6am on \nthe day of your school recycling pick-up. You can find your \nrecycling pick-up day by school address at \nhttps://www.boston.gov/trash-and-recycling-day-schedule-\nand-search. Trash barrels should be emptied into the trash \ndumpster, which is serviced by BPS\u2019s contracted waste \nhauler. \nRECYCLING PROCEDURES AND CONTACTS \nZero Waste Program and Education", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "4095db71-8c5e-4595-a115-f37c8b9ffd11": { + "page_content": "and-search. Trash barrels should be emptied into the trash \ndumpster, which is serviced by BPS\u2019s contracted waste \nhauler. \nRECYCLING PROCEDURES AND CONTACTS \nZero Waste Program and Education \n\u2022 Sustainability, Energy, and Environment Program Director, \nOperations-Department-Heads@bostonpublicschools.org or \n617-635-9576, or visit bostongreenschools.org/zero-waste if \nyou have questions about the BPS Zero Waste Program or \nneed educational materials and support.", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "42fce77f-78c0-43df-8a37-5340252dab6a": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 6 of 10 \n \n \n \nRecycling Equipment \n\u2022 If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), please complete the Zero \nWaste Equipment Request form to request free equipment \nfrom Facilities Management. BPS warehouse staff will \ndeliver the equipment. Get the form at \nbostongreenschools.org/zero-waste. \nSingle-stream Recycling \n\u2022 Paper, and most plastic, glass, and metal containers can be \nrecycled and picked up curbside by the Public Works \nDepartment (PWD). Learn more at \nhttps://www.boston.gov/trash-and-recycling. \n\u2022 Question about a particular item? Visit the state\u2019s \nRecycleSmartMA.org and use the Recyclopedia tool. \n\u2022 Was your curbside recycling not picked up? Call the City of \nBoston 311 or report through the 311 App. PWD will be \nnotified immediately of your missed pick-up. Indicate your \nschool, your address, and the issue you had with a missed \npick-up. \n\u2022 Contact Area Manager, Operations-Department-", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "f2e62104-58fc-4d25-912d-cb992b085148": { + "page_content": "notified immediately of your missed pick-up. Indicate your \nschool, your address, and the issue you had with a missed \npick-up. \n\u2022 Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, if you have \nquestions or concerns related to the trash and recycling \ndumpsters. \nCardboard Recycling \n\u2022 All corrugated cardboard must be separated from the \nsingle-stream recycling, flattened, and stacked into \nhampers for pickup, because BPS receives income for", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "76be5d5d-23b6-45b5-87a4-8a306fae1e8e": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 7 of 10 \n \n \n \ncardboard that is put back into the recycling program. \nCardboard is regularly collected by BPS warehouse staff, \nseparately from PWD\u2019s curbside pick-up. \n\u2022 Contact Sustainability, Energy, and Environment Program \nDirector if your school needs an additional cardboard pickup \nor there were issues with the collection. \nFood Waste \n\u2022 At this time, BPS does not compost food waste. Therefore, \nall food waste should be placed into the large trash barrels. \nFood waste should never be put into any type of recycling \nbin, barrel, or cart, nor should it be put into classroom trash \nbins. By putting food waste into the large trash barrels, you \nare helping to prevent pests, spills, and odors in the \nclassrooms. \n\u2022 BPS will begin implementing food waste collection and \ncomposting services at some schools in 2022-2023, with \nplans to add services at additional schools each subsequent \nyear.", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "8261b102-12ae-48dc-80e4-7eda0fe97075": { + "page_content": "classrooms. \n\u2022 BPS will begin implementing food waste collection and \ncomposting services at some schools in 2022-2023, with \nplans to add services at additional schools each subsequent \nyear. \n\u2022 Contact your Food & Nutrition Services representative with \nquestions about food waste. \nReuse: Books, School and Art Materials, Sports Equipment, \nClothing, etc. \n\u2022 Consider setting-up a \u201creuse station\u201d in your school for \nunwanted school supplies that could be used by another \nperson in the school. \n\u2022 Contact the Office of Academics and Professional Learning, \nbostonpublicschools.org/Domain/2439, for anything related", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "d01eb92c-5233-4fa5-9e4a-e240da5a3e11": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 8 of 10 \n \n \n \nto unwanted books or curriculum. \n\u2022 Clothing and textiles can be placed in the Bay State Textiles \nor Helpsy boxes, which can be found at multiple school \nlocations. Learn more at bostongreenschools.org/zero-\nwaste, including how your school can add a textiles \nrecycling box to your schoolyard. \nFurniture \n\u2022 All furniture waste must be reviewed by BPS Facilities \nManagement for reuse, redistribution, or proper disposal. \n\u2022 Contact Assistant Director, Building Services, Operations-\nDepartment-Heads@bostonpublicschools.org for any \nfurniture related questions. \nElectronic (anything with a plug or cord) and Toner/Ink \nCartridge Recycling \n\u2022 BPS OIIT manages the collection of old and recyclable IT \nequipment such as printers, monitors, computers, and TVs, \nand ink and toner cartridges. \n\u2022 Complete Form 57 and submit to OIIT. OIIT will schedule a \nvendor to pick up the items. Get the form at \nbostongreenschools.org/zero-waste.", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "9e81b6ac-9f5a-4739-a416-aa6eb350899f": { + "page_content": "and ink and toner cartridges. \n\u2022 Complete Form 57 and submit to OIIT. OIIT will schedule a \nvendor to pick up the items. Get the form at \nbostongreenschools.org/zero-waste. \nUniversal Waste/Hazardous Waste \n\u2022 All universal waste (lamps, batteries, mercury-containing \ndevices, and pesticides) and hazardous waste must be \nproperly labeled and stored in the school\u2019s accumulation \nlocation. \n\u2022 Contact Sr. Environmental Supervisor, Operations-\nDepartment-Heads@bostonpublicschools.org or 617-828-", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e5931c6d-4353-4105-a6c8-05f1ab5a4595": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 9 of 10 \n \n \n \n0695, to schedule a pick-up. \nMetal Recycling \n\u2022 Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, to recycle \nmetal furniture or scrap items. \nYard Waste \n\u2022 Prior to accumulating yard waste, contact Head \nGroundskeeper, Operations-Department-\nHeads@bostonpublicschools.org or 617-293-3889 to \nschedule a pick-up. All schoolyard waste must be bagged in \ncompostable brown bags or in plastic barrels. All branches \nneed to be cut into small pieces and bundled. \nFacility Alterations, Additions, Construction, and Demolition \n\u2022 Base building elements permanently or semi-permanently \nattached to the building itself, including all studs, insulation, \ndoors, windows, panels, drywall, trim, ceiling panels, carpet, \nflooring material, adhesives, sealants, paints, and coatings \nshould be reused or recycled to the greatest extent possible. \nMassachusetts law bans clean gypsum wallboard, concrete,", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "c2ee328f-9240-4d2a-aeb6-19de7fbfae3e": { + "page_content": "flooring material, adhesives, sealants, paints, and coatings \nshould be reused or recycled to the greatest extent possible. \nMassachusetts law bans clean gypsum wallboard, concrete, \nasphalt, brick, and wood from disposal in the trash. \n\u2022 BPS Facilities Management shall coordinate with \ncontractors and Public Facilities Department, when \napplicable, to ensure building repair projects are complying \nwith all waste removal laws. \n \nFor more information about this circular, contact:", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "b20e9984-3387-4de7-884e-901f4b750f9e": { + "page_content": "Superintendent\u2019s Circular FMT-08 \nPage 10 of 10 \n \n \n \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9576 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-08 Recycling and Zero Waste Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "1cd0a2a0-c4f4-4fb0-a1ab-ee34b63f46fa": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-12 \nVersion 01 \n \n \n \nLOSS OR DAMAGE RESULTING FROM FIRE, THEFT, \nVANDALISM OR UNLAWFUL ACTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn all cases of loss or damage to Boston School Department \nbuildings, grounds, or other property, heads of school, principals, \nand responsibility center managers must complete Form A \n(attached) and follow prescribed procedures upon the discovery \nof such incidents. Form A is to be used to report all acts of fire, \ntheft, vandalism, destruction of property, graffiti, breaking and \nentering, and attempts to break and enter. Vandalism is \nconsidered to be all willful acts causing damage to school \ndepartment property. \nHeads of school, principals, and other responsibility center \nmanagers must also contact the Boston Police or Safety Services \nand request that an official Police Department incident report", + "metadata": { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "f47185c0-b331-4514-9c78-408516336172": { + "page_content": "Heads of school, principals, and other responsibility center \nmanagers must also contact the Boston Police or Safety Services \nand request that an official Police Department incident report \n(commonly referred to as a \u201c1-1\u201d) be prepared. This report serves \nas documentation that the incident has been reported to and \nlogged by the Police Department. Heads of school, principals, \nand responsibility center managers should keep a copy of both \nForm A and the official police report for their records. \nThe original Form A and a copy of the police report are to be sent \nto the Department of Safety Services, 213 Townsend Street, \nDorchester, MA 02121.", + "metadata": { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "a2058ec6-4a75-4bcd-8e1c-7e66a3dff18c": { + "page_content": "Superintendent\u2019s Circular FMT-12 \nPage 2 of 4 \n \n \n \nAdditional copies are to be forwarded to the following \ndepartments: \n\u25cf Facilities Management \n\u25cf Academic Superintendents \n\u25cf Others, as necessary \n\uf075 In the event of emergency or hazardous conditions, notify \nFacilities Management immediately. \nRefer to Superintendent\u2019s Circular FSE-01 School Safety / \nContingency Plans for additional information. \nFor more information about this circular, contact: \nOwner: Sr. Supervisor Electrical/Security \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Boston, MA 02125 \nPhone: 617-635-8300 \nFax: 617-635-7855 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3a6b6ccd-e0f4-450e-bdb3-9f68cf8e2fb5": { + "page_content": "Superintendent\u2019s Circular FMT-12 \nPage 3 of 4 \n \n \n \nFORM A \nREPORT OF LOSS OR DAMAGE RESULTING FROM \nFIRE, THEFT, VANDALISM OR UNLAWFUL ACTS \nThis form is to be used to report all acts of fire, theft, vandalism, \ndestruction of property, graffiti, breaking and entering, or attempts to \nbreak and enter. Vandalism shall be considered to be all willful acts \ncausing damage to school property. \nSchool or other facility: ________________________________________________ \nDate of report: ________________________________________________________ \nSpecific location of incident: __________________________________________ \nPoint of entry: ________________________________________________________ \nName of person who discovered the incident: _________________________ \nDate/time of incident: _________________________________________________ \nDescription of damage or loss. Identify property by manufacturer, \nmodel, serial number, and school department identification number:", + "metadata": { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "edb94085-bb1d-40b2-bfb1-43a52afffbf2": { + "page_content": "Superintendent\u2019s Circular FMT-12 \nPage 4 of 4 \n \n \n \nPlease complete the following information if this report is the result of \nloss, theft, or damage to a laptop/desktop. Once completed, forward a \ncopy to your Technical Support Teacher (TST). \n \nProduct Model Serial # Asset Tag # \n\u2610 Laptop \n\u2610 Laptop case \n\u2610 Cables \n\u2610 Lock \n\u2610 Desktop Monitor \n\u2610 Desktop CPU \n \n________________________________________________ ______________________ \n Name of responding Police Officer CC Number \n_______________________________________________ _______________________ \n Name of Facilities Mgt. personnel notified Date/Time \n_______________________________________________ _______________________ \n Signature Title \ncc: \u2610 Facilities Management Copy \n\u2610 Safety Services Copy \n\u2610 Office of Instructional and Information Technology", + "metadata": { + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf", + "source_link": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ef936ae0-1d00-4c00-a66b-00501597fe25": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-10 \n Version 01 \n \nINTEGRATED PEST MANAGEMENT (IPM) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMISSION STATEMENT \nTo further ensure a healthy and safe learning and work \nenvironment at all Boston Public School (BPS) buildings, BPS will \nbe implementing a systemwide IPM program. IPM is a holistic \napproach to control pest activity and to reduce pesticide usage in \nthe building and surrounding landscape. \nIMPLEMENTATION PLAN \nA key component of an effective IPM plan is the selection of an \nIPM coordinator. The IPM coordinator should be someone with \nadministrative authority to adequately enforce and implement \nthe program. The IPM coordinator acts as a representative of the \nprincipal. The IPM coordinator is required to establish an IPM \nCommittee, which will include interested stockholders (e.g., \ncustodian(s), after school program, community school (as", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "4ad0624c-cff6-468f-aa2a-9de400edc35e": { + "page_content": "principal. The IPM coordinator is required to establish an IPM \nCommittee, which will include interested stockholders (e.g., \ncustodian(s), after school program, community school (as \napplicable), food service manager, teacher, etc.). \nState laws and regulations require all school buildings and \nlicensed daycares to register an indoor and outdoor IPM plan \nwith the Massachusetts Department of Agricultural Resources \n(MDAR). The law requires the IPM plans to be updated and \nregistered annually. The pest control contractor (PCC) is \nresponsible to annually update the indoor and outdoor plan.", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "dbde1a75-84cb-466c-b312-98de83e456eb": { + "page_content": "Superintendent\u2019s Circular FMT-10 \nPage 2 of 7 \n \nAll IPM plans must be updated annually by the pest control \ncontractor by December 1. The PCC will meet with the \nprincipal/head of school or designee to update the plan. The \nupdates will include but not be limited to technical components, \npest treatment products, and devices of the IPM plan. The \nprincipal/head of school or designated representative (i.e., IPM \ncoordinator) will provide the PCC with the school's information, \nincluding but not limited to school name and address, name of \nprincipal/head of school, IPM coordinator\u2019s name, IPM Committee \nmembers, etc. \nThe logbook must contain the following sections: \n\u2022 A copy of the MDAR approved indoor and outdoor IPM \nplan \n\u2022 Complaint/sighting forms \n\u2022 Pest control contractor inspection and treatment reports \n\u2022 Treatment product health and safety information (similar \nto a material safety data sheet) \n\u2022 Pest control contractor (PCC) information (name and", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "dc3af016-3901-4a29-bd77-ad4b456e4fb3": { + "page_content": "\u2022 Treatment product health and safety information (similar \nto a material safety data sheet) \n\u2022 Pest control contractor (PCC) information (name and \naddress of company, contact person, telephone number, \netc.) \nNOTE: It\u2019s very important that all pest problems/issues be \nentered into the logbook to ensure problem areas are treated \nduring monthly inspections. \nMONTHLY INSPECTION \n1. All PCCs working in BPS facilities will be familiar with \nthe BPS IPM protocol. \n2. Prior to the start of any service, the PCC will report to \nthe main office and review the IPM logbook for recent", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "dbc008bf-4893-4bd8-a96c-08981678c294": { + "page_content": "Superintendent\u2019s Circular FMT-10 \nPage 3 of 7 \n \nentries. \n3. The PCC will conduct a monthly inspection of all school \nbuildings. The minimum inspection will include a \nphysical inspection and assessment of the following \nareas, noting IPM related deficiencies: \na. Food prep and storage areas \nb. Dumpster and waste storage areas \nc. Loading and receiving areas \nd. Building grounds \ne. Teacher\u2019s lounge \nf. Entry points or connections from a mechanical \nspace or crawl space \ng. Boiler room area, mechanical rooms, and \nmoveable storage areas \nh. Storage rooms, sinks, and custodial storerooms \ni. Noted rooms with recent complaints (those \nareas/rooms marked with a complaint after the \nlast service call) \nj. Other suspected areas \n4. Temporarily seal all potential rodent access holes or \nvoids (< 3 in. diameter), including voids around pipes \nand duct penetrations or any other penetrations. The \nPCC will only use approved sealants. The PCC will", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "cb25b089-b1ca-4244-8f78-3bf5999810b4": { + "page_content": "voids (< 3 in. diameter), including voids around pipes \nand duct penetrations or any other penetrations. The \nPCC will only use approved sealants. The PCC will \nprovide product specifications for sealants prior to any \nuse in BPS facilities. The Alterations and Repairs \nsupervisor will be contacted to permanently seal any \npenetrations. \n5. The PCC will vacuum any rodent droppings around any \narea where traps, glue boards, monitoring stations, etc. \nhave been placed. \n6. The PCC will inspect the above noted areas and make \nrecommendations for enhanced treatment as", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "29f0d633-7073-4a8f-bc0f-3004d9a660b0": { + "page_content": "Superintendent\u2019s Circular FMT-10 \nPage 4 of 7 \n \nnecessary. \n7. The PCC will provide electronic copies of any IPM \ninspection, treatment, or service via email to the \nschool\u2019s email address, to the environmental supervisor \nor specialist with BPS and Food Services. \nThe pest control contractor or the school will notify and seek \napproval from BPS Environmental Division for any additional IPM \ntreatments, service calls, or inspections beyond the monthly \ntreatment. This request must be made through or verified by \nemail confirmation. \nA quality IPM program must effectively control the following \nconditions: \n\u2022 Rodent entry points and access \n\u2022 Harborage and clutter \n\u2022 Food source and sanitation \n\u2022 Moisture \nThe IPM coordinator must review the IPM logbook immediately \nfollowing each inspection. The coordinator will create a work \norder request addressed to the environmental supervisor for \ntreatment or necessary repairs.", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "d91e1205-2fdd-469b-9460-b52cf47b7c16": { + "page_content": "Superintendent\u2019s Circular FMT-10 \nPage 5 of 7 \n \nClutter is a major issue that needs to be addressed for an \neffective IPM program. Clutter creates harborage for pests \nand limits full treatment. Clutter is defined as storage \nwhich: \n1. Impedes egresses \n2. Limits safe movement throughout the area \n3. Blocks and limits access to essential mechanical, utility, \nand emergency equipment \n4. Becomes stagnant: boxes or materials left on the floor \nthat show signs of deterioration, water damage, or pest \nactivity \nAll unnecessary unwanted or contaminated materials must be \nremoved. \nBED BUG PROTOCOL FOR BOSTON PUBLIC SCHOOLS \nBed bugs are becoming a more common pest problem that \ncould impact the general quality of life but are not known to \ntransmit any diseases. Bed bugs are small (less than \u00bc inch in \ndiameter), brownish, flattened insects that are known to bite \npeople when they are asleep. The bites often may not be felt but", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "bb7180c3-79f2-4abd-b1dd-caf1bd23c510": { + "page_content": "transmit any diseases. Bed bugs are small (less than \u00bc inch in \ndiameter), brownish, flattened insects that are known to bite \npeople when they are asleep. The bites often may not be felt but \ncan cause itchiness and swelling. Unlike some other insects (e.g., \nhead lice), bed bugs do not live on people but may hitchhike on \none\u2019s personal items (backpacks, clothing, books, etc.) to get into \na school building. Bed bug infestations are uncommon in \nschools, but since they may get in by other means, schools need \nto be proactive. \nSchool\u2019s Response Actions: \n1. The school\u2019s IPM coordinator, principal, or head of \nschool must be notified. \n2. Write the complaint in your school\u2019s IPM logbook", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "90593b87-f4a6-4b5d-bf70-e79f02f46d11": { + "page_content": "Superintendent\u2019s Circular FMT-10 \nPage 6 of 7 \n \nwhich is kept in your main office. Please provide details \nin your complaint without divulging anyone\u2019s personal \ninformation. A complaint should be logged for any \nsuspect bed bugs. \n3. Contact the Facilities Management, Environmental \nDivision at 617-635-8300. \n4. If you can capture the insect, place it in a sealed clear \nplastic bag (Ziploc) for identification. The pest control \ncontractor (PCC) will come by to identify the insect as \nsoon as possible. \n5. If a student has been identified with a bed bug, the \npersonal belongings of all students in the room should \nbe bagged and sealed tightly. \n6. A student who has suspect bite marks should see the \nschool nurse as soon as possible. \n7. The school nurse will contact the student\u2019s parent or \nguardian to provide them with contact information for \nthe Boston Public Health Commission to arrange a bed \nbug inspection. \nFor more information, please visit the link below:", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "05e045dd-b467-4613-9663-77cea9316588": { + "page_content": "guardian to provide them with contact information for \nthe Boston Public Health Commission to arrange a bed \nbug inspection. \nFor more information, please visit the link below: \nhttps://bphc.org/whatwedo/healthy-homes-\nenvironment/Documents/bedbug_fact_sheet.", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "853cdbe4-71ab-4945-8500-a345cc1737d4": { + "page_content": "Superintendent\u2019s Circular FMT-10 \nPage 7 of 7 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nACTIVITY TIMELINE \nCopy of this year\u2019s Superintendent\u2019s \nCircular included in IPM book \nAnnually by October 1 \nPest control contractors will annually \nreview and update indoor and outdoor \nIPM plans, register with \nMassachusetts Department of \nAgricultural Resources, and submit to \nFacilities Management. \nAnnually by December 1 \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester MA, 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-10 Integrated Pest Management (IPM).pdf", + "source_link": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "1cbd23d3-6b1d-43cf-8b9a-df445e2c2a37": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-11 \nVersion 01 \n \n \n \nGREEN CLEANERS\u2019 POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nHigh-performance schools that have superior indoor air quality \nand are healthy and well maintained have been shown to reduce \nabsenteeism and improve student performance. Many Boston \nschool children suffer from allergies and asthma, which can be \ntriggered by poor air quality and chemical, biological, and \nparticulate contaminants. Long or short-term exposure to toxic \nchemicals or harmful particles, gasses, or vapors can have serious \nconsequences, especially for children, such as asthma, allergies, \ndepression, hormonal changes, or even cancer. To ensure the \nbest quality learning environment for our students and working \nenvironment for our staff, it is the responsibility of the Boston \nPublic Schools (BPS) to minimize the negative impacts that", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3b0db949-0ce2-4b90-be06-7d4093400925": { + "page_content": "best quality learning environment for our students and working \nenvironment for our staff, it is the responsibility of the Boston \nPublic Schools (BPS) to minimize the negative impacts that \ncleaning products have on occupant health and the \nenvironment. \nPOLICY \nThe BPS is committed to providing and maintaining high-\nperforming buildings and grounds in an environmentally friendly \nand sustainable manner. The Green Cleaners Policy is in \naccordance with the City of Boston\u2019s executive order relative to", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3459cc6f-f6ff-4b7c-a85e-7dae2efe7877": { + "page_content": "Superintendent\u2019s Circular FMT-11 \nPage 2 of 5 \n \n \n \ngreening city building maintenance and operations and \nexecutive order relative to climate action. This policy applies to all \nBPS buildings and grounds, including offices, classrooms, \nrestrooms, cafeterias, gymnasiums, hallways, pathways, \nkitchenettes, stairwells, etc. \nUnder this green cleaning policy, BPS departments, school sites, \nand partner programs taking place in schools must comply with \nthe following: \n\u25cf Purchase, provide, and use only environmentally friendly \ncleaning products that comply with the Green Seal \nEnvironmental Standard (GS-37), including but not limited \nto glass, bathroom, carpet, and general-purpose cleaners \nused for industrial and institutional purposes. \n\u25cf All other non-approved cleaning products are prohibited \nfrom being used in BPS buildings and grounds by any staff, \nvolunteer, vendor, or partner. \n\u25cf Use of disinfectants for cleaning shall be limited to food", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "11748304-bee3-4427-b836-c4498a2aa85a": { + "page_content": "from being used in BPS buildings and grounds by any staff, \nvolunteer, vendor, or partner. \n\u25cf Use of disinfectants for cleaning shall be limited to food \nservice areas and the clean-up of biological and bodily \nwastes and \u201chigh touch areas\u201d (when directed). All \ndisinfectants must be premixed, registered by the U.S. \nEnvironmental Protection Agency, and have a Hazardous \nMaterials Identification System (HMIS) rating of 2 or less. \n\u25cf Pre-approved or least toxic and asthma friendly \nsanitizer/disinfectants must be used in early learning \ncenters in accordance with the National Association of \nEducation for Young Children accreditation standards.", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "8d450ccb-1404-4076-8e02-fbb80cb960e3": { + "page_content": "Superintendent\u2019s Circular FMT-11 \nPage 3 of 5 \n \n \n \nIMPLEMENTATION PLAN \nBPS Facilities Management and custodial staff will maintain this \npolicy through these implementation steps: \n\u25cf Ensure vendors can provide proof that their products meet \nthe criteria for Green Seal Environmental Standard for \nCleaning Products for Industrial and Institutional Use, GS-37. \nThe Green Seal program is a North American multi-attribute, \nlifecycle environmental standard and certification. \n\u25cf Burnish floor surfaces where applicable to reduce the use of \npotentially irritating cleaning and stripping compounds. Any \nnecessary floor stripping and waxing will be performed \nduring non-occupied hours. \n\u25cf Automatic mixing stations will be installed for custodial use \nthat dispense pre-mixed products to ensure the active \ningredient concentration required by the EPA, limit \nemployee contact with chemicals for enhanced safety, and \nminimize waste.", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "1068465a-77df-4c7e-a7f6-c7cdc1e5932a": { + "page_content": "that dispense pre-mixed products to ensure the active \ningredient concentration required by the EPA, limit \nemployee contact with chemicals for enhanced safety, and \nminimize waste. \n\u25cf Upon request, school custodians will provide teachers and \nother BPS staff with OSHA-compliant pre-labeled spray \nbottles of mixed green cleaning compounds (desktop and \nglass cleaners) that meet the Green Cleaning Policy \nstandards. \n\u25cf Train and update BPS custodial staff and others who use \nchemicals on the Green Cleaners Policy, including but not \nlimited to hazard communications (Right to Know law, \nMSDS, etc.), worker safety and personal protective \nequipment use, safe and proper product and equipment \nuse, etc.", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "f0f1f3c6-1397-4bbc-b73c-2e1bd4b20e4f": { + "page_content": "Superintendent\u2019s Circular FMT-11 \nPage 4 of 5 \n \n \n \n\u25cf Custodians will participate on the school\u2019s Wellness Council \nto ensure compliance with this policy as well as other \nHealthy School Environment policies and initiatives \n(recycling, integrated pest management, etc.). \n\u25cf To the greatest extent possible, cleaning materials and \nassociated packaging will be reused and/or recycled to \nminimize waste. \n\u25cf Protocols governing safe handling and storage of cleaning \nchemicals shall be adopted. Quality control checks will be \nused to ensure adoption. \nRESPONSIBLE PARTIES \nThis policy is overseen by the BPS Facilities Management \nDepartment and is updated annually to help ensure cleaning \npractices, products, and technologies specified in this policy \nmeet industry standards and best practices. \nBPS staff, contractors, and vendors shall review this policy and \nmay request additional information and training as required.", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5184a53b-5daf-4b7e-b806-87df244bcd3f": { + "page_content": "Superintendent\u2019s Circular FMT-11 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9576 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-11 Green Cleaners Policy.pdf", + "source_link": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3fac7d87-8164-4300-a4ac-1d43e06b2e9b": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-02 \nVersion 01 \n \n \nWORK ORDER REQUESTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll work requests are to be submitted through Asset Essentials. \nThe following procedures are to be followed when originating \nwork requests. \nASSET ESSENTIALS \nYou will be able to login through your Google App launcher, \nwhich is the icon at the top of your Gmail (3 by 3 box.) Scroll down \nuntil you see the \"SchoolDude - Asset Essentials\" icon. \nREQUEST FORMAT \nEach request begins by selecting the school from the drop-down \nmenu. Please provide a detailed description of the work needed, \nincluding the floor, room number, and room name (if there is \none). Please note the system will automatically collect your email \naddress for return messages. \nEMERGENCIES \nCall emergencies into the Planning and Engineering Office \nimmediately at 617-635-8300 or 617-635-9135. You may also call", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "f8ee43f6-bed4-4740-a062-0c428ee25d92": { + "page_content": "address for return messages. \nEMERGENCIES \nCall emergencies into the Planning and Engineering Office \nimmediately at 617-635-8300 or 617-635-9135. You may also call \nthe appropriate Planning and Engineering supervisor to report", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "19b88822-8eeb-4c78-91fa-0b55e703c767": { + "page_content": "Superintendent\u2019s Circular FMT-02 \nPage 2 of 6 \n \n \nany emergency. After calling in the emergency, enter the \nemergency Work Order Request into the system by the end of \nthe day, indicating that it was an emergency, and the request is a \nconfirming order. \nEXTERNAL FUNDS \nIf the costs are to be charged to an external funding source, \nindicate in the request to what account the costs should be \ncharged. Refer to Superintendent\u2019s Circular \u2014 External Funding \nof Renovations to School Buildings and Yards. \nSTATUS OF WORK ORDER REQUESTS \nOnce a Work Order Request has been submitted for initial \nreview, you will be able to view the status and actions taken by \nPlanning and Engineering staff on the initial request. \nStatus codes are as follows: \n\u25cf In Progress - We have decided to move forward with \nobtaining an estimate from a contractor. Once we have \nobtained an estimate from a contractor, we will assess and \nmake a final decision.", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5e2fbf41-01d6-4853-8f8a-676e639703d5": { + "page_content": "\u25cf In Progress - We have decided to move forward with \nobtaining an estimate from a contractor. Once we have \nobtained an estimate from a contractor, we will assess and \nmake a final decision. \n\u25cf On Hold - The decision has been made to put this on hold \nfor right now. You will be able to view the status and actions \ntaken by Planning and Engineering staff on the initial \nrequest. There will be a detailed note explaining this \ndecision. \n\u25cf Denied - The decision has been made to not proceed with \nthis work order. You will be able to view the status and \nactions taken by Planning and Engineering staff on the", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "bcacd139-adc7-41d8-8a7b-d6343bd1d5b9": { + "page_content": "Superintendent\u2019s Circular FMT-02 \nPage 3 of 6 \n \n \ninitial request. There will be a detailed note explaining this \ndecision. \n\u25cf Capital Project - This has been deemed to be a capital \nproject and so it has been forwarded to the Capital Project \nteam. \n\u25cf Completed - Once a supervisor has provided estimated \ncosts, contractors to complete the work, and estimated \ncompletion date, and a final decision has been rendered, \nyou will be able to review the status and actions taken by \nPlanning and Engineering staff. \n\u25ba Please note that, for most approved work orders, you \ngenerally will not receive a note. If your request is put On \nHold, Denied, or Capital Project, you will generally receive a \nnote explaining the reason for the decision. \nSUBDIVISION OF CLASSROOMS/CHANGE IN \nOCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS \nFOR OFFICE SPACE \nRequests for subdivision for expanding classroom space must: \n\u25cf be submitted on the attached Request for Space", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "78dd8723-7efa-4424-a4c9-4d496264bb60": { + "page_content": "OCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS \nFOR OFFICE SPACE \nRequests for subdivision for expanding classroom space must: \n\u25cf be submitted on the attached Request for Space \nModification Form (Attachment A) with location and \npurpose. \n\u25cf be approved by the director of Student Assignment and \ndirector of Facilities Management. \n\u25cf meet building codes for safety. \n \nPartitioning of non-educational spaces such as cafeterias, \ngymnasiums, or corridors is prohibited.", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "0fbff30c-106e-41f6-b119-640d4b38f385": { + "page_content": "Superintendent\u2019s Circular FMT-02 \nPage 4 of 6 \n \n \n\u25ba PLEASE NOTE, ALL APPROVALS ARE SUBJECT TO THE \nAVAILABILITY OF FUNDING \n \nFor more information about this circular, contact: \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Boston, MA 02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "32d5e467-7201-4827-a87d-fddf03829dc9": { + "page_content": "Superintendent\u2019s Circular FMT-02 \nPage 5 of 6 \n \n \nATTACHMENT A \nREQUEST FOR SPACE MODIFICATION \nRequest for any programmatic plan that changes existing space \nin a school building must be done in writing. Please complete \nthe Request Form below and submit to the director of the \nStudent Assignment Unit. \nA. Request: \nSchool: _______________________________________Date: \nDetail of Space Modification: \n \n \nRationale for Modification: \n \n \nSource of Funding: \n\u2610 Requested from Facilities Management \n\u2610 School Funds Available \u2610 Grant Funds Available \nPrincipal/Head of School signature:", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "d3b9e144-6c62-45a5-8c61-507db12b1f29": { + "page_content": "Superintendent\u2019s Circular FMT-02 \nPage 6 of 6 \n \n \nB. Approval / Non-Approval: \nDirector of Student Assignment: \n\u25a1 Approved / supports enrollment capacity needs. \n\u25a1 Not approved / negatively impacts enrollment capacity \nneeds. \n\u25a1 No impact on enrollment capacity needs / move to Facilities \nManagement for decision. \n \nSignature: ___________________________________Date: \nDirector of Facilities Management: \n\u25a1 Approved / supports enrollment capacity needs. Funding \nwill be allocated. \n\u25a1 Approved / no impact on enrollment and funding identified \nby principal/head of school. \n\u25a1 Not approved / no funding available. \n\u25a1 Not approved / building code violation. \n \nSignature: ___________________________________Date: \n \nUpon final decision regarding Approval / Non-Approval, a copy of \nsame will be forwarded to the principal/head of school initiating \nthe request for space modification.", + "metadata": { + "file_name": "FMT-02 Work Order Requests.pdf", + "source_link": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ed171a2d-2b1d-4c0d-8e9f-4e565e11e695": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-20 \nVersion 01 \n \nDRINKING WATER ACCESS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Drinking Water Access Policy is for all water units used for \ndrinking and food preparation. \nSTATEMENT OF COMMITMENT \nBoston Public Schools (BPS) will safely bring online and maintain \nall school building water units used for drinking and food \npreparation. \nBACKGROUND \nBy law, all students must have access to water during meals and \nthroughout the school day, at no cost. BPS follows the Healthy, \nHunger-Free Kids Act of 2010, Massachusetts Legislation (H 4459) \n223(g), and Massachusetts Uniform State Plumbing Code (248 \nMASS. CODE REGS. \u00a7 10.10, Table 1 (2011). \nBoston Water & Sewer Commission (http://www.bwsc.org/) is the \nPublic Water System (PWS) that supplies potable water to BPS. \nBPS also upholds a bottled water contract.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "90882682-4faf-4227-9454-9f4947e5d433": { + "page_content": "Boston Water & Sewer Commission (http://www.bwsc.org/) is the \nPublic Water System (PWS) that supplies potable water to BPS. \nBPS also upholds a bottled water contract. \n \nBPS, like all school districts, is responsible for following the \nguidance of the US Lead Contamination Control Act (LCCA). The", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "72642804-f9f7-44d5-9b00-f14893327f0e": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 2 of 21 \n \n \nLCCA directs the United States Environmental Protection Agency \n(EPA) and its state designees to assist school system \nadministrators, schools, and programs, to identify and reduce or \neliminate lead contamination in their facilities\u2019 drinking water. \nThe LCCA is an assistance-based, non-regulatory program. \n \nAs a federal designee and the responsible Massachusetts agency, \nMassachusetts Department of Environmental Protection \n(MassDEP) is responsible for educating school/facility officials \nabout the LCCA and coordinating statewide efforts to reduce or \neliminate lead in drinking water at schools and childcare \nfacilities. The Massachusetts program includes both lead and \ncopper because the same mechanism that leaches lead from \nplumbing into drinking can also leach copper. Additional \ninformation on the MassDEP Drinking Water Program is available \nat https://www.mass.gov/lead-in-drinking-water. \nPOLICY", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2e0729ec-aab9-4c6b-9fb1-ff0dc983d917": { + "page_content": "plumbing into drinking can also leach copper. Additional \ninformation on the MassDEP Drinking Water Program is available \nat https://www.mass.gov/lead-in-drinking-water. \nPOLICY \nIn accordance with the EPA\u2019s revised 3Ts for Reducing Lead in \nDrinking Water in Schools and Child Care Facilities Toolkit \n(https://www.epa.gov/ground-water-and-drinking-water/3ts-\nreducing-lead-drinking-water-toolkit), and the subsequent \nrecommendations from MassDEP, BPS is committed to the \nfollowing drinking water access policy: \n1. Annually test all water units used for drinking and food \npreparation. \n2. Deactivate any unit with test results above or equal to 15 \nparts per billion (ppb) for lead and or 1,300 ppb for copper \nand implement remediation actions to reduce those levels \nto the lowest possible concentrations. Remediation actions", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "cbc687ce-d71a-4dc6-8347-4ab81deb9bdc": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 3 of 21 \n \n \nmay include, but not be limited to, daily flushing, installation \nof filtration systems, and/or replacement of drinking water \nfixtures, plumbing fixtures, and/or piping. \n3. Continue to use units with test results between 1 ppb and 15 \nppb for lead, while implementing short and long-term \nremediation actions to reduce those levels to the lowest \npossible concentrations. \n4. Communicate all test results and subsequent actions. \n5. Provide bottled water and cups for any deactivated, offline \nschools and any online schools that lack access to fountains \nin food service and medical areas. \n6. Provide drinking water access training for relevant BPS staff \nin accordance with this policy. \nDEFINITIONS \n\u2022 EPA\u2019s 3 T\u2019s for Reducing Lead in Drinking Water: Training, \nTesting, and Taking Action, 3Ts for Reducing Lead in \nDrinking Water | US EPA. \n\u2022 Deactivation Level, Copper: \u22651,300 ppb \n\u2022 Deactivation Level, Lead: \u226515 ppb", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "9b01831e-f84a-44af-85a7-1dfadf811934": { + "page_content": "Testing, and Taking Action, 3Ts for Reducing Lead in \nDrinking Water | US EPA. \n\u2022 Deactivation Level, Copper: \u22651,300 ppb \n\u2022 Deactivation Level, Lead: \u226515 ppb \n\u2022 Water Unit: Any water fountain or food service \nequipment/fixture (e.g., food preparation sink faucets, \nkettles, tilt skillets, etc.) \n\u2022 Online School: A school building supplied by online water \nunits as its primary source of drinking water. (see definition: \nOnline Water Unit) \n\u2022 Online Water Unit: An active water unit, with verified lead \nand copper concentrations below deactivation levels, for", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "092aa4b5-c22b-480e-a960-a5340dd8da15": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 4 of 21 \n \n \ndrinking and/or food preparation. Concentrations are \nverified by the required testing. \n\u2022 Offline School: A school building provided with a \ncommercial bottled water supply as its only source of \ndrinking water. \n\u2022 Offline Water Unit: A deactivated water unit supplied by the \nPWS for drinking and/or food preparation with verified lead \nand or copper concentrations above deactivation levels. \n\u2022 Activation: A change in a water unit\u2019s (e.g., water fountain or \nfood service equipment and fixtures) status from offline to \nonline due to initial installation or remediation action(s) and \nsubsequent testing demonstrating the lowest possible \nconcentrations for lead and copper. \n\u2022 Deactivation: A change in a water unit\u2019s (e.g., water fountain \nor food service equipment and fixtures) status from online \nto offline. Any online water unit with elevated lead or copper \nlevels above deactivation levels will be deactivated.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "a495f934-7a5d-4cc4-bbdc-e5f12cafe531": { + "page_content": "or food service equipment and fixtures) status from online \nto offline. Any online water unit with elevated lead or copper \nlevels above deactivation levels will be deactivated. \nDeactivated units will remain deactivated until remediation \naction(s) have been completed and the remediated unit has \nbeen re-tested with subsequent test levels at the lowest \npossible concentrations for lead and copper. \n\u2022 Flushing: Turning on a plumbing cold water fixture(s) and \nletting the cold water run continuously for a specified time \nframe in accordance with MassDEP protocols. \n\u2022 Daily Flushing: For high use areas, such as fixtures used for \nfood preparation (e.g., food preparation sink faucets, kettles, \ntilt skillets, etc.), BPS will adhere to MassDEP\u2019s flushing \nguidance for schools, available at Fact Sheet \u2013 Flushing: A \nShort-Term Solution to Reduce Lead and Copper. For any", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "05584b7f-536f-42c2-9bcc-b7b32018ef55": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 5 of 21 \n \n \nonline water fountain, it is recommended that the drinker \nfirst let the water run for 5-10 seconds before drinking, and \nthis is only for precautionary measures as lead and copper \nconcentrations were already verified to be below \ndeactivation levels. For directly plumbed water units where \nflushing is not feasible (e.g., combination ovens, steamers, \nice makers, etc.), filters have already been or will be \ninstalled. \n\u2022 Activation Flushing: BPS will adhere to a minimum flushing \ntime of 20 minutes for activation of offline water units, per \nthe activation protocol. \n\u2022 Remediation Action(s): Shall include, but are not limited to \nreplacement, repair, maintenance, filtration, and/or flushing \nto reduce the concentration of lead and copper to the \nlowest possible concentrations. \n \nREQUIREMENTS \nPer the Annual Testing Protocol (pg. 8), BPS Facilities \nManagement Environmental Division will annually test all online", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "be528f6f-341f-4e39-b59b-2583c1b7a6ba": { + "page_content": "lowest possible concentrations. \n \nREQUIREMENTS \nPer the Annual Testing Protocol (pg. 8), BPS Facilities \nManagement Environmental Division will annually test all online \nwater units used for drinking and food preparation for lead and \ncopper concentrations. BPS annual testing will adhere to \nMassDEP\u2019s guidance for sample collection procedures for schools \nand early education childcare facilities, available at the following \nlink: Sampling for Lead and Copper at Schools and Childcare \nFacilities | Mass.gov. This testing protocol does not include any \nsinks used for facility cleaning or handwashing, including but not \nlimited to those found in utility rooms, bathrooms, locker rooms, \nkitchens, science labs, prep rooms, and classrooms. These sinks \nare not to be used for drinking or any other consumptive purpose", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "66b494a3-d1dc-4dfd-8988-aedffdd8f05b": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 6 of 21 \n \n \nsuch as food preparation, and signage shall be posted as such. \n\u2022 In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: BPS Water / Boston School Water Quality. Units \nwith results between 1 ppb and 15 ppb for lead will continue \nto be used, while BPS Facilities Management implements \nshort or long-term remediation actions to reduce those \nlevels to the lowest possible concentrations. \n\u2022 In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed \nthe lead/copper deactivation levels, BPS Facilities \nManagement and BPS Communications will enact the \nDeactivation Protocol (pg. 10), which requires BPS Facilities \nManagement Plumbing Division to immediately deactivate \nonly the impacted online water unit(s), and place signage", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "fc05810d-b6ba-442d-a36a-60ce39f978f7": { + "page_content": "Deactivation Protocol (pg. 10), which requires BPS Facilities \nManagement Plumbing Division to immediately deactivate \nonly the impacted online water unit(s), and place signage \nthat says \u201cWater Shut Off. Do NOT turn on without Facilities \nManagement or FNS (Food and Nutrition Services) \nApproval.\u201d For water units used for drinking, the units will \nalso be tagged with a \u201cDO NOT DRINK\u201d. \n\u2022 In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking \nor food preparation), signage has been conspicuously \nplaced (as of September 1, 2016) near that source stating: \n\u201cWATER FROM SINKS WILL BE USED FOR WASHING ONLY.\u201d \nPictures will be used in locations as needed. BPS \nprincipals/heads of school will designate a responsible \nperson to check and ensure this signage is posted in \nbathrooms and classrooms on a regular basis. BPS Facilities \nManagement will provide the signage and can be contacted", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "4f43a9c4-c026-4950-9895-2a7751bed55c": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 7 of 21 \n \n \nfor additional or replacement signage. \n\u2022 BPS will follow the Activation Protocol (pg. 12) to safely bring \nonline school building water units used for drinking, food \npreparation, or medical services. \n\u2022 BPS will follow the Flushing Protocol (pg. 13) as one \nremediation practice for reducing lead levels to the lowest \npossible concentrations. \n\u2022 BPS Facilities Management will follow the Filter and Filtered \nWater Fountain Standard Operating Procedure and \nMaintenance Protocol (pg. 13) to manage all filtered water \nfountains and filters. \n\u2022 BPS Facilities Management will follow the Bottled Water \nProtocol (pg. 16), which includes providing bottled water, \nbottled water units, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online school. BPS Facilities Management \nwill manage and track all bottled water accounts.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "a41afc2c-4532-40f9-a07e-720160e08b22": { + "page_content": "any medical or food service areas that lack access to tap \nwater units in any online school. BPS Facilities Management \nwill manage and track all bottled water accounts. \n\u2022 BPS Facilities Management will provide water testing results \nand any recent water-related information to BPS \nCommunications for the BPS water webpage, \nhttp://www.bostonpublicschools.org/water and annual \nnotices to the BPS community. \n\u2022 Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available \ncontinuously, without disruption, on all water coolers \nthroughout the entire school day, including during \nmealtimes. Schools are responsible for calling Facilities \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "723d9d13-fb0d-45a3-b125-38d5dac98ad2": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 8 of 21 \n \n \n\u2022 BPS Department of Health & Wellness will educate, \npromote, and communicate the importance and benefits of \ndrinking water and collaborate with Facilities Management \nand Food and Nutrition Services to communicate all aspects \nof this policy to school leaders, staff, students, and school \ncommunity. \n\u2022 In alignment with BuildBPS, BPS will integrate water \ninfrastructure improvements into routine renovations and \ncapital planning and develop a water infrastructure plan for \nschools that are offline with a goal of bringing all BPS \nschools online. \nIMPLEMENTATION PROTOCOLS: TESTING, MAINTENANCE, & \nACCESS \nAnnual Testing Protocol \nBPS annual testing will adhere to MassDEP\u2019s guidance for \nSample Collection Procedures for schools and early education \nchildcare facilities, available at the following link: Sampling for \nLead and Copper at Schools and Childcare Facilities | Mass.gov. \nHow to Collect a First Draw Sample", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ff08fa1b-dc40-45e9-a762-4d7eb1cb3361": { + "page_content": "childcare facilities, available at the following link: Sampling for \nLead and Copper at Schools and Childcare Facilities | Mass.gov. \nHow to Collect a First Draw Sample \n1. Collect the sample before any water has been used. Water \nunits must be unused for at least eight (8) hours, but not \nmore than eighteen (18) hours, before testing. \n2. Sampler must wear chemical resistant Nitrile gloves while \nsampling. \n3. Complete the sample collection form during all sampling \n(Sample Custody Log - MA DEP LCCA Program or \nequivalent).", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "df733557-e570-4804-b57a-907d9907938b": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 9 of 21 \n \n \n4. Only use containers (250 milliliter/wide mouth) supplied by \na certified laboratory. \n5. Containers should not be opened until you are ready to \ncollect the sample. \n6. Sampling containers that have been compromised in any \nway (e.g., by being touched on the threads or the interior \nsurfaces) must not be used. \n7. Keep any food and drink away from the sample and its \ncontainer. \n8. If the fixture/faucet has an aerator at the end of the fixture, it \nshould not be removed before taking samples. The sampler \nshould not remove or clean any aerators prior to or during \nthe collection of tap samples. Make sure no water has been \nwithdrawn from the tap or water fountain, as well as from \nany adjacent taps, before the sample has been collected. \n9. Place the container under the water unit that is being \ntested and collect 250 milliliters (mL) of water. \n10. For all water units being tested, make sure you turn on the", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5d3da9aa-9693-45c4-a278-1f51a19cad91": { + "page_content": "9. Place the container under the water unit that is being \ntested and collect 250 milliliters (mL) of water. \n10. For all water units being tested, make sure you turn on the \ncold water tap. Open the cold water tap and run it as you \nwould when filling a glass of water. \n11. Turn on the water and fill the container without allowing \nany water to run down the drain or the outsides of the \ncontainer. \n12. Close the container according to the instructions from your \ncertified lab. Tightly cap the sample bottle and place in the \nsample (shipping) kit provided. \n13. Make sure the container is labeled with the same \ninformation from your sample collection form (Sample", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "f378804a-9493-4f86-8925-cbe95f3c41b1": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 10 of 21 \n \n \nCustody Log - MA DEP LCCA Program or equivalent). \n14. Prepare the container for shipping according to the certified \nlab's instructions. Ship containers according to the certified \nlab's instructions. \n15. Samples must be delivered and relinquished to a certified \nlab within 14 (fourteen) days of collection for proper testing. \nDeactivation Protocol \n1. In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: https://www.bostonpublicschools.org/water. \nUnits with results between 1 ppb and 15 ppb for lead will \ncontinue to be used, while BPS Facilities Management \nimplements short or long-term remediation actions to \nreduce those levels to the lowest possible concentrations. \n2. In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed the", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "fa8e3617-f7c2-4260-91ed-abb58e248fc3": { + "page_content": "reduce those levels to the lowest possible concentrations. \n2. In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed the \nlead/copper deactivation levels: \na. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately \ndeactivate only the impacted online water unit(s), \nunless otherwise specifically directed. These units will \nbe made offline and tagged \u201cWater Shut Off. Do NOT \nturn on without Facilities Management or FNS (Food \nand Nutrition Services) Approval.\u201d For water units used \nfor drinking, the units will be tagged with a \u201cDO NOT \nDRINK\u201d. If required, a bottled water unit will be placed", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "b2f292ae-df47-405a-8ac6-e718d13a9893": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 11 of 21 \n \n \nas near as possible to the deactivated unit. \nb. BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups. One bottled water \ncooler will be provided for each deactivated water unit \n(e.g. water fountain) or as necessary to meet 248 CMR \n10.00: Uniform State Plumbing Code requirements \n(See: Table 1: Minimum Facilities For Building \nOccupancy, available at the following link: 248 CMR \n10.00: Uniform state plumbing code). . \nc. BPS Communications and Facilities Management will \nimmediately implement the Deactivation \nCommunications Protocol (pg. 18). \nd. BPS Facilities Management Environmental and \nPlumbing Divisions will inspect the impacted water \nunit to identify any source or cause of elevation and \nschedule any remediation action(s). \ne. The impacted water unit will remain deactivated until \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "d49e3857-e9fb-4d00-a504-0e2de97242cb": { + "page_content": "schedule any remediation action(s). \ne. The impacted water unit will remain deactivated until \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has \ntested and received three (3) consecutive lead and \ncopper sample results at the lowest possible \nconcentrations. \n3. In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking \nor consumption) or levels of lead in water units exceed the \nlead/copper action level, signage has been conspicuously \nplaced near that source stating: \u201cWATER FROM SINKS WILL \nBE USED FOR WASHING ONLY.\u201d \n4. The Boston Public Health Commission (BPHC) does not", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "0675532b-6cb7-42c2-a876-0e49bdf919b4": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 12 of 21 \n \n \nrecommend that BPS screen children for lead. If a child is \nexposed to water containing elevated lead levels, the BPHC \nrecommends that parents consult their child's medical \nprovider to assess whether their child's individual risk \nwarrants blood lead testing. Many healthcare providers, \nsuch as MassHealth, cover the cost of lead testing. Families \nwith questions or concerns about costs may contact BPS \nHealth Services at 617-635-6788. \nActivation Protocol \n1. Upon completion of any water unit\u2019s remediation action \n(e.g., replacement, repair, etc.), Facilities Management \nEnvironmental Division will flush each water unit for \napproximately 20 minutes or more as needed to remove any \nvisual signs of sediment, debris, and rust. BPS will adhere to \na minimum flushing time of 20 minutes for activation of \noffline water units. \n2. Eight to eighteen (8-18) hours post flushing, a sample from", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "74e89df9-3279-4a7d-aeaf-d13c25dab037": { + "page_content": "a minimum flushing time of 20 minutes for activation of \noffline water units. \n2. Eight to eighteen (8-18) hours post flushing, a sample from \neach water unit will be collected for confirmatory analysis of \nlead and copper. \n3. Repeat step #2 two additional times to conclude three (3) \nrounds of testing. For the initial activation of a filtered water \nunit, a sample for coliform will be collected during one of \nthe three rounds of testing (see New England States\u2019 \nSample Collection & Preservation Guidance Manual For \nDrinking Water, p. 36, New England States' Sample \nCollection & Preservation Guidance Manual for Drinking \nWater, Revision 5.0, January 2015). \n4. Upon receiving three (3) consecutive sets of sample results \nat the lowest possible concentrations and one negative fecal", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "08bd6644-5503-407f-a0ff-c9eef50c32e2": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 13 of 21 \n \n \nbacteria test per filtered water unit, BPS Communications \nand Facilities Management will immediately implement the \nActivation Communications Protocol (pg. 18). \n5. Facilities Management and the head of school/principal will \nselect a date for activating the water unit(s) to go online. \n6. Once a date has been selected, the Facilities Management \nPlumbing Division will work on logistics for turning the \nwater unit(s) online. Logistics will include an activation flush. \nFlushing Protocol \n1. Food services equipment and fixtures (i.e., food preparation \nsink faucets, kettles, tilt skillets, ice makers, etc.) shall be \nflushed every morning for two (2) minutes prior to the \npreparation of any food by the food service manager or \ndesignated food services employee. Only cold water shall be \nused for the flush and for the preparation of any food and or \nbeverage. The food services manager will be responsible for", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "7d6b0c71-8bd5-451e-aef9-d2e0bc17612d": { + "page_content": "designated food services employee. Only cold water shall be \nused for the flush and for the preparation of any food and or \nbeverage. The food services manager will be responsible for \nkeeping a daily log of all flushing activities. \n2. When drinking from an online fountain, it is recommended \nthat the drinker first let the water run for 5-10 seconds \nbefore drinking. This will be communicated to the BPS \ncommunity through the Implementation Protocols: \nEducation and Training (pg. 20). \n3. Following an extended school vacation (e.g., summer \nvacation, February vacation), custodians will flush all online \nfountains prior to the restart of school. \n4. Before watering a school garden with tap water, all \ngardeners must first flush the water for 2 minutes.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ed1fcf65-f525-4e69-9ce1-7ece5ce0c51d": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 14 of 21 \n \n \nFilter and Filtered Water Fountain Standard Operating \nProcedure and Maintenance Protocol \nIn addition to the Annual Testing Protocol (pg. 8), BPS will collect \nsamples for coliform testing of filtered online water units. \nIn cases where coliform is present within filtered online water \nunits: \n1. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately deactivate \nonly the impacted online water unit(s), unless otherwise \nspecifically directed. These units will be made offline and \ntagged \u201cWater Shut Off. Do NOT turn on without Facilities \nManagement or FNS (Food and Nutrition Services) \nApproval.\u201d \n2. BPS Facilities Management will provide bottled water, \nbottled water units, and cups. One bottled water cooler will \nbe provided for each deactivated water unit (e.g. water \nfountain) or as necessary to meet 248 CMR 10.00: Uniform", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "8911d189-4940-48cd-bb7d-d4ea3db413b9": { + "page_content": "bottled water units, and cups. One bottled water cooler will \nbe provided for each deactivated water unit (e.g. water \nfountain) or as necessary to meet 248 CMR 10.00: Uniform \nState Plumbing Code requirements (See: Table 1: Minimum \nFacilities For Building Occupancy, available at the following \nlink: 248 CMR 10.00: Uniform state plumbing code). \n3. BPS Communications and BPS Facilities Management will \nimmediately implement the Deactivation Communications \nProtocol (pg. 18). \n4. BPS Facilities Management Environmental and Plumbing \nDivisions will inspect the impacted water unit and schedule \nremediation action(s) (e.g., replacement of the filter). \n5. The impacted water unit will remain deactivated until", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "783a3315-82ff-42cc-9be7-0a92c09829a7": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 15 of 21 \n \n \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has received \none (1) sample result absent of coliform per affected water \nunit. \nBPS Facilities Management will initiate and uphold a vendor \ncontract to replace and maintain water fountain filters once per \nyear or more as needed. \nDaily Use/Maintenance \n\u2022 Only water should be put down the drains. Anything else \ncan cause clogging and lead to permanent damage of the \nunit and plumbing. \n\u2022 Custodians are responsible for wiping down the units daily. \nThe units shall be cleaned using the procedures outlined for \nall high touch surfaces using food grade cleaning products. \n \nFilter Status Indicator Light \n\u2022 When the light turns yellow, the school should put in a work \norder via Asset Essentials, and select \u201cFilter Replacement\u201d. \n\u2022 The yellow light is just an indicator that the filter is", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "768b2bdc-7e84-4db4-9744-6c47adb05ccf": { + "page_content": "\u2022 When the light turns yellow, the school should put in a work \norder via Asset Essentials, and select \u201cFilter Replacement\u201d. \n\u2022 The yellow light is just an indicator that the filter is \napproaching the end of its life and will need to be changed \nsoon. The light does not indicate that the filter or water \nquality is compromised. \n\u2022 If a light turns red, please place one of the signs provided in \nyour Drinking Water Binder on the unit and encourage \noccupants to utilize another unit until the filter can be \nreplaced.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "9d9783ec-6199-4cae-9987-415de7f7db27": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 16 of 21 \n \n \nLeaking/broken Unit \n\u2022 If the unit has been newly installed within the last year, the \nschool should reach out to Audrey Ng, the Water & \nSustainability Project Manager to have the contractor \naddress the issue under warranty. \n\u2022 If the unit is not newly installed, the school should put in a \nwork order via Asset Essentials to be addressed by your \nplumbing supervisor. \n\u2022 The school\u2019s operations staff may choose to use the tools \nprovided in the Water Bottle Refill Station Repair Kit to open \nand turn off the unit to stop the leaking until the contractor \narrives. \nBottled Water Protocol \n\u2022 BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online schools. \n\u2022 BPS Facilities Management will cease bottled water \naccounts for schools that are activated online. Bottled water", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "64ba8ac3-a10a-46c6-8403-d3aa85116282": { + "page_content": "water units in any online schools. \n\u2022 BPS Facilities Management will cease bottled water \naccounts for schools that are activated online. Bottled water \ncoolers will only remain in an online school in medical or \nfood service areas if those areas lack access to tap water \nunits. \n\u2022 BPS Facilities Management will manage and track all \nbottled water accounts. \n\u2022 Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available \ncontinuously, without disruption, on all water coolers \nthroughout the entire school day, including during meal \ntimes. Schools are responsible for calling Facilities", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "72494054-6e43-47a8-b0fb-594d0054fa1d": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 17 of 21 \n \n \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule. \nIMPLEMENTATION PROTOCOLS: COMMUNICATIONS & \nREPORTING \nBPS Communications is responsible for updating and \nmaintaining the BPS water website at BPS Water / Boston School \nWater Quality with content support from BPS Facilities \nManagement and BPS Department of Health and Wellness. BPS \nCommunications will update the BPS water website to include a \ncurrent list of online schools and the most recent annual test \nresults, and a current list of offline schools. These lists must be \nupdated every time a school is activated or deactivated. \nDeactivation Communications Protocol \nIn cases where coliform is present or concentrations of lead and \nor copper in water units used for drinking or food preparation \nexceed the lead/copper action levels, BPS Communications and \nFacilities Management will promptly implement the Deactivation", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "d98b7621-a9a0-405c-8369-f1c0accc1450": { + "page_content": "or copper in water units used for drinking or food preparation \nexceed the lead/copper action levels, BPS Communications and \nFacilities Management will promptly implement the Deactivation \nCommunications Protocol: \n1. The school\u2019s principal/head of school will be notified of the \ndeactivation protocol and test results by email with the test \nresults and a standardized letter for the school community. \n2. The letter will include the water testing results and a link to \nthe BPS water website, which provides resources related to \nlead in the water. A letter template will be provided by BPS \nCommunications and BPS Facilities Management, and the \ntesting results will be provided by BPS Facilities \nManagement.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e4832496-f50e-42d4-aa89-746f0e130e4b": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 18 of 21 \n \n \n3. Any media statements will be managed by BPS \nCommunications. \nActivation Communications Protocol \nUpon receiving three (3) consecutive sets of sample results below \nlead and copper action levels, and one negative fecal bacteria \ntest result for filtered water units, BPS Communications and \nFacilities Management will immediately implement the \nActivation Communications Protocol: \n1. The school\u2019s principal/head of school will be notified of the \nactivation protocol and test results. \n2. The letter will include the water testing results, a link to the \nBPS water website, and details regarding any water \ninfrastructure improvements (e.g., new fountains, filters, \npipes). A letter template will be provided by BPS \nCommunications and BPS Facilities Management, and the \ntest results will be provided by BPS Facilities Management. \nThe principal/head of school will share this information with \nthe school community.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "23d16a35-d000-48e6-a4f3-7d9073447080": { + "page_content": "test results will be provided by BPS Facilities Management. \nThe principal/head of school will share this information with \nthe school community. \n3. BPS Facilities Management and the principal/head of school \nwill select a date for activating the water unit(s) online. \n4. Once a date has been selected, BPS Facilities Management \nPlumbing Division will implement the logistics for turning \nthe water unit(s) online. \nANNUAL REPORTING \nBPS Facilities Management will provide water testing results and \nany recent water-related information to BPS Communications for \nthe BPS water webpage and annual notices to the BPS", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "99468186-a7ff-465a-bfaa-c1a33a240928": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 19 of 21 \n \n \ncommunity. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will provide annual updates to the \u201cBPS Drinking \nWater Access Policy\u201d, if needed. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will annually report on the implementation of the \nWater Policy to the District Wellness Council and subsequently \nthe BPS School Committee. Following BPS School Committee \nreview, this information will be shared with MassDEP. \n \nIMPLEMENTATION PROTOCOLS: EDUCATION & TRAINING \nThe following BPS staff will receive annual training and \nprofessional development about this policy and its protocols: \n\u2022 Principals/heads of school will receive training at the Annual \nLeadership Institute as a part of Operations and/or wellness-\nrelated sessions. \n\u2022 Food service managers and staff will receive training at the \nsummer training provided by Food and Nutrition Services.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e4f5a724-6ac7-4575-b7c0-d7735093f449": { + "page_content": "related sessions. \n\u2022 Food service managers and staff will receive training at the \nsummer training provided by Food and Nutrition Services. \n\u2022 Custodians will receive training at summer training \nprovided by BPS Facilities Management. \n\u2022 School-based staff will be trained by principals/heads of \nschool at the beginning of the school year, as part of the \nschool policies and procedures overview. \n\u2022 Any new Facilities Management Environmental and \nPlumbing Division staff will receive training as part of their \nonboarding process. \nBPS Department of Health and Wellness will educate, promote,", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "b42d5b49-f087-4a68-8c98-4536e6873ea6": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 20 of 21 \n \n \nand communicate the importance and benefits of drinking \nwater, and collaborate with Facilities Management and Food and \nNutrition Services to communicate all aspects of this policy to \nschool leaders, staff, students, and school community. \nBPS School Wellness Councils will include water-policy related \ngoals as part of their annual Wellness Action Plans.", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ac6bb00d-b04b-45c1-a7d0-ba5e9f9ab8c9": { + "page_content": "Superintendent\u2019s Circular FMT-20 \nPage 21 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: 617-635-9576 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Executive Director \nDepartment: Health & Wellness \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-1631 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-20 Drinking Water Access Policy.pdf", + "source_link": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ee782f97-7b8e-43ce-8c78-0e935fde897d": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-05 \nVersion 01 \n \n \n \nPERMIT ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPERMIT REQUEST PROCESS FOR ALL BPS BUILDINGS \nAny activity taking place in a school building after school hours \nrequires a permit, including activities during school vacation \nweeks, holidays, and summer months. \nALL PERSONS WILL BE DENIED ACCESS TO BPS BUILDINGS IF \nNO PERMIT HAS BEEN REQUESTED AND APPROVED BY THE \nSCHOOL AND FACILITIES MANAGEMENT. \nPermits are to be electronically submitted through SchoolDude \nat least two weeks (minimum) before the event, so it is advisable \nto submit your request when the activity/event is scheduled and \nconfirmed. \nFor external (non-BPS) users: \n\u2022 Access link: Facilities Mgt. Community Use Monthly \nCalendar \n\u2022 Please see the CommunityUse Requester Guide for more \ninformation about how an outside organization accesses the \nsystem and submits requests.", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "fa43b3eb-6c69-426b-8e0e-4ebf11e77d33": { + "page_content": "Calendar \n\u2022 Please see the CommunityUse Requester Guide for more \ninformation about how an outside organization accesses the \nsystem and submits requests. \n\u2022 Please see the FSRequester Guide, which includes video and", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "30a0c524-3943-4ace-bc34-81bf525c1605": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 2 of 9 \n \n \n \npicture how-to guides for submitting requests once you are \nlogged in. \nFor internal (BPS) users: \n\u2022 Single Sign On: From the nine-dot grid in the top right of \nyour Gmail screen, click \u201cMore,\u201d then click the SchoolDude \nicon (looks like a cartoon face). \n\u2022 SchoolDude log in screen \n\u2022 Please see How to Submit a Schedule Request, which \nincludes video and picture how-to guides for submitting \nrequests once you are logged in. \n\u2022 Once an organization or BPS staff member has submitted a \nrequest, it will be routed to the school leader or their \ndesignee for approval. Please see Processing Schedules for \nmore information about how to manage approvals. \nIf an independent third party (NOT a BPS or BPS partner \norganization) submits a permit request form to use or \noccupy school property for an event at which attendance is \nexpected to exceed 60 people, or at which there is a charge", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "57f9b73d-eb96-4e4e-b927-4c728323fed1": { + "page_content": "organization) submits a permit request form to use or \noccupy school property for an event at which attendance is \nexpected to exceed 60 people, or at which there is a charge \nfor admission, the party shall be required to hire a School \nPolice detail, at the third party\u2019s own expense, to be present \nfor the duration of their use of the property. \nPlease Note: The routing process for summer will be different \nfrom the school year process. [See page 4 of this circular.] For \nsummer programs, requests will go first to BPS Facilities, then \nthe school leader will receive notification of the approval of \nbuilding use.", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "67451dfc-3df2-49e0-b8b3-a83cdbc1cb48": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 3 of 9 \n \n \n \nCUSTODIAL HOURS AND OVERTIME \nThe applicant is responsible for custodial overtime, utilities fees, \nand building usage fees, if applicable. Schools and other \napplicants may also be responsible for overtime if the event \noccurs before or after a building is closed, on a weekend, holiday, \nor school vacation, and/or when the building is open if additional \ncustodial coverage is required, as determined by Facilities \nManagement. Payment in the form of a certified check or money \norder made out to Boston Public Schools is required prior to the \npermit activity occurring. \nFor all activities and events that occur when the building is \nclosed, the custodian(s) will open the building one-half hour prior \nto the entrance of the applicant to the building and will close the \nbuilding one-half hour after the applicant exits the building. \nGroups requesting building space must abide by their requested \npermit hours.", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e866c9a1-3fe3-475b-a742-0dcce4a348bc": { + "page_content": "building one-half hour after the applicant exits the building. \nGroups requesting building space must abide by their requested \npermit hours. \nREQUEST FOR BUILDING USE BY COMMUNITY USERS \nAll the above conditions apply, with the addition that outside \ngroups must pay a building usage fee. A fee is charged per \nspace. \nAn invoice for all Facilities Management permit fees will be sent \nby the Facilities Management Department via the SchoolDude \nbuilding permitting system with the actual fees that the \nrequester will be charged. Custodial coverage is determined by \nthe number of people and the amount of space used by the \napplicant. \nStaffing Minimum", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3b213171-ab56-4fb8-bb9c-97a8f547bdb9": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 4 of 9 \n \n \n \nUp to 150 people = 1 Senior Custodian \nUp to 350 people = 1 Senior Custodian and 1 Junior Custodian \nUp to 450 people = 1 Senior Custodian and 2 Junior Custodians \n \nAn additional hour is added to the permit hours (one-half hour to \nopen and one-half to close). \nIf a custodian works overtime, principals/heads of schools should \nwork with their area managers to ensure that the custodian has \nmeaningful work to do (a predetermined work schedule) during \novertime hours. Custodians are expected to remain on the school \npremises while on overtime and perform the scheduled work. \nCustodial opening and closing times (one-half hour before and \nafter) are figured into the permit hours. Requesters DO NOT need \nto include this time in the request. \nGENERAL TERMS AND CONDITIONS \nResponsibility for Use: \n\u2022 It is expressly understood and agreed that the regulations of \nthe School Committee are to be strictly complied with. The", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3e96c5d7-601f-4572-907b-68038b3a2f10": { + "page_content": "GENERAL TERMS AND CONDITIONS \nResponsibility for Use: \n\u2022 It is expressly understood and agreed that the regulations of \nthe School Committee are to be strictly complied with. The \nrequester/organization may refer to the BPS Superintendent \nCirculars for BPS Policies and Procedures. \n\u2022 The requester/organization assumes full responsibility for \nany injury to or loss of city property as a consequence of \nsuch use of the above-described accommodations and \nengages to make the same good without the expense to the \ncity. The requester/organization further agrees to pay the \ncharge for the light, heat, custodians, security, and other \nservice as required. \n\u2022 BPS gymnasiums: Requester/organization assumes all", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2cfdf4b2-f776-47f5-b29d-541f21699685": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 5 of 9 \n \n \n \nresponsibility for the proper use and protection of the \nfacilities provided in the school. Requester/organization \nmust not allow persons to use these facilities over whom \nthey have no control. \nThe organization, their participants, and spectators are \nprohibited from any part of the building other than the \ngymnasium. Organization shall enter the school through \none entrance. Entry doors are NOT to be propped open to \nallow unauthorized individuals to enter the building. It will \nbe the responsibility of the organization to station an \nindividual at the designated entrance to ensure only \nparticipants of that program are allowed in. Once all \nparticipants are allowed in, all doors should be closed and \nsecured. \nSupervision: The applicant/organization must provide sufficient \nsupervisory personnel to ensure proper supervision for the safety \nof members/guests and regulate responsible usage. The", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "507453a8-7780-47e0-8b25-759f0425d19d": { + "page_content": "secured. \nSupervision: The applicant/organization must provide sufficient \nsupervisory personnel to ensure proper supervision for the safety \nof members/guests and regulate responsible usage. The \norganization will be responsible for all costs incurred to repair any \ndamage done to the premises. Custodial employees are not \navailable for supervising the premises but do have obligations \nconnected with cleaning and maintenance of the building. \nLicenses: In addition to the permit required by the regulations of \nthe School Committee, for any exhibition or entertainment where \nan admission fee will be required, a license under the provisions \nof Chapter 348 of the Special Acts of 1915 must be obtained. This \nlicense can be obtained by applying to the Mayor of the City of \nBoston and paying the required fee. No such license is required \nfor entertainment in school buildings by or for the benefit of the \npupils thereof, and under the supervision of the principal/head of \nschool.", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "9428fb5a-0293-4c2c-b1ed-dbbfa5ba15c3": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 6 of 9 \n \n \n \nPolice Attendance: If admission is charged, the person to whom \nthe permit is issued must make provisions for BPS School Police \nattendance. If a school building is occupied outside of school \nhours by third-party programs, sufficient BPS School Police \nattendance is necessary if there are sixty (60) or more persons \noccupying the facility. A BPS School Police detail is the sole \nresponsibility of the renter(s). If BPS School Police are not in \nattendance, BPS Facilities Management may cancel the permit \nand exclude all persons from the building. \nTime for Filing Permit Requests: Building permit requests during \nthe school year must be submitted. No definite and final \nreservations are made until (1) the request is approved by the \nprincipal/head of school and (2) Facilities Management has given \nfinal approval and activated the permit. \nGymnasium Permit Start and End Date: Gymnasium permits will", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "bf76e108-f32c-4846-9595-78a21c09ef92": { + "page_content": "principal/head of school and (2) Facilities Management has given \nfinal approval and activated the permit. \nGymnasium Permit Start and End Date: Gymnasium permits will \nbegin the last week of September and end two (2) weeks prior to \nthe closing of school. \nAlcohol, Smoking, and Food Regulations: According to state law, \nalcoholic beverages are not allowed in public school buildings. \nConsumption of food and/or beverages is not permitted in the \nauditorium or conference rooms. Smoking is not permitted in any \nschool building. \nPayment: Personal/company checks; certified bank checks, \nand/or money orders will be accepted as forms of payment. Cash, \ncredit cards, and money transfers are not accepted forms of \npayment. Any check returned for insufficient funds will be \ncharged an additional $25.00. \nRight to Cancel: Heads of schools/principals reserve the right to", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "aa3da385-69ce-429e-a0f6-3808ad4a2134": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 7 of 9 \n \n \n \nrequest cancellation of any requested permit activity occurring at \ntheir facility. BPS Central Administration will make final \ndeterminations regarding principal/head of school cancellation \nrequests. BPS Central Administration has the right to cancel any \npermit in violation of BPS building usage and/or safety policies. \nObligation to Clean: Requester is obligated to clean and organize \nany used building space and return the building space to the \nstate it was found it. If the space is not suitably cleaned and/or \nreturned to the state it was in prior to use, the requester may be \ncharged additional custodial and/or other fees and may lose the \nprivilege of using any BPS facility in the future. \nSchool Closures: If schools are closed due to inclement weather \nor other emergencies, all permits are automatically \ncanceled/suspended for the duration of the inclement weather or", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "37fb603d-c2a8-4c60-89ec-1ad4551620ca": { + "page_content": "School Closures: If schools are closed due to inclement weather \nor other emergencies, all permits are automatically \ncanceled/suspended for the duration of the inclement weather or \nother emergency. Gymnasiums are not available for rental during \nholidays and Christmas, February, April, and summer vacations. \nWeekend Use: If snow is forecast, Facilities Management cannot \nguarantee that parking lots will be cleared for scheduled events. \nOrganizations are urged to contact Facilities Management to \ncancel when necessary. You may contact the area manager on \nduty through Municipal Protective Services at 617-635-4844 to \ncancel. \nPERMITS DURING SUMMER TERMS \nPermit Approval: Summer permit requests will be routed first to \nBPS Facilities. The school leader will then receive notification of \nthe approval of building use. \nPermit Start and End Date: Summer programs may operate in", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3cf3f5b8-aa3e-4d89-b5d4-1a8cac98c848": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 8 of 9 \n \n \n \nBPS buildings between July 8 and August 9, 2024, with one day \nof setup to be arranged with the school leader prior to July 1, \n2024. Gymnasium permits will begin one week after the opening \nof school and end one week prior to the closing of school. \nStudent and Employee Attendance: Programs operating in BPS \nbuildings must record daily student and staff attendance to be \navailable upon request. \nIdentification: During the summer, all adults working in any BPS \nbuilding must wear an identifying name badge indicating at \nminimum their full name and organization/program name. \nSpecifications for employees working in BPS buildings during \nsummer staff are as follows: \n\u2022 BPS summer staff: All BPS employees must wear their BPS \nissued ID. \n\u2022 Non-BPS summer staff hired via OHC external hiring \nprocess: All non-BPS summer staff must wear their BPS \nSummer ID issued by OHC at their Welcome Session.", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "dd204a42-6a8e-4593-b91f-c6fcd54f7d6e": { + "page_content": "issued ID. \n\u2022 Non-BPS summer staff hired via OHC external hiring \nprocess: All non-BPS summer staff must wear their BPS \nSummer ID issued by OHC at their Welcome Session. \n\u2022 Community-based program staff: Must wear a visible \norganizational ID badge every day during the program. \nBOSTON PUBLIC SCHOOLS FACILITIES RENTAL FEES \nAll events and functions to be held in Boston Public School \nbuildings will be implemented in accordance with the following \nfee schedule. \nOne Time Event \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $515.00/event \nContinuous Usage \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $2,575.00 per 10 events \nUtilities \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $95.00/hour \nSenior Custodian \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $49.00/hour", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5f51a112-ec35-462e-aa6a-d8cf6d52adea": { + "page_content": "Superintendent\u2019s Circular FMT-05 \nPage 9 of 9 \n \n \n \nJunior Custodian \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $37.00/hour \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-05 Facilities Building Permits & Conditions.pdf", + "source_link": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "4180cfaf-ec65-4842-b015-df3c3d47c649": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-03 \nVersion 01 \n \nRENOVATIONS TO SCHOOL BUILDINGS AND YARDS \u2013 \nEXTERNAL FUNDING \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo guarantee that all work performed on School Department \nproperty conforms to district standards, building and life safety \ncodes, and other requirements, the following procedure has been \nestablished for external funding sources, particularly those that \nare not processed through the PeopleSoft Financial System, i.e., \nBoston Educational Development Foundation (BEDF). \nRENOVATIONS VS. REPAIRS \nThe following table lists projects that fall under the category of a \nrenovation or a repair or maintenance, as well as the sequence to \nfollow for each:", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "f71684e3-d889-4973-aaab-9a6b3f379308": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 2 of 9 \n \nRenovations Repairs & Maintenance \nType Process Type Process \nMajor renovations \nor improvements \nAlterations that \nare required due \nto programmatic \nchanges \nAlterations of \nexisting spaces \n(wall up/wall \ndown) \nToilet room \nrenovations \n \nSubmit a \nREQUEST FOR \nSPACE MODIFI-\nCATIONS \nGeneral \nrepairs (i.e., \nbroken glass, \nbroken \nlocks/hardw\nare, graffiti, \nleaks from \nplumbing or \nroof) \nSubmit a \nWORK \nREQUEST \n \nTo properly plan resources and budget, requests for renovations \nfor the coming school year must be initiated by the requester by \nno later than December 1 of the previous school year. Requests \nreceived after this deadline may not be approved.", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "397a47c1-1cb7-4aaf-927d-1afed78f4158": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 3 of 9 \n \nRequests for renovations or alterations to school buildings and \nyards must follow the sequence outlined below: \n1. Complete the form. \n2. Submit a request through Asset Essentials; choose \n\u2018Modification of Space\u2019 as the work type and attach the form \nto the work order. \n3. A confirmation of receipt is sent to the person submitting \nthe request. \n4. Form and Asset Essentials request are reviewed by a cross-\nfunctional team to determine next steps: \na. Planning and Analysis verifies that the request is in \nalignment with current and future space requirements. \nb. Finance determines that there are not financial issues \nor challenges for the request. \nc. Facilities Management determines feasibility of \nrequests only after steps 1 and 2 have been completed. \n5. After the request has been reviewed, it will determine if and \nwhen the work can be completed. \n6. A follow-up email will be sent to the school leader,", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "1002b232-fd8f-4fc5-bd38-ec0b3ecffd5c": { + "page_content": "5. After the request has been reviewed, it will determine if and \nwhen the work can be completed. \n6. A follow-up email will be sent to the school leader, \nrequester, and school superintendent to provide status and \ntimeline of request. Please note: Not all projects will be \napproved. \n7. Once approved, Facilities Management will engage to \nestablish a plan within the timeline identified. \nProject requests that do not comply with this process will not be \nconsidered.", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "95997b28-5848-4c09-b50f-5a8fe3927c70": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 4 of 9 \n \nThe Office of Facilities Management / Planning & Engineering \nmust review and approve all plans for improvements to any \nschool buildings and yards. \nEXTERNAL FUNDING \nIt also strongly recommended that a school communicate with \nthe Director of Facilities Management prior to submitting grant \nfunding applications, or seeking any other material support that \nmay require alterations and/or additions to a schools\u2019 facilities. \nApplicants should first receive acceptance from the director of \nFacilities Management of Facilities Management\u2019s willingness to \nparticipate in implementation contingent on the school\u2019s \nsuccessful grant application/funding etc. Principals/heads of \nschool, and community school directors must include the \ndirector of Facilities Management in the drafting of plans that \nwould require any form of alteration, addition, repair, and/or \nconnections to any building services or location on the property", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "30d978ce-91b6-411f-bef1-27e6e4b7eeba": { + "page_content": "director of Facilities Management in the drafting of plans that \nwould require any form of alteration, addition, repair, and/or \nconnections to any building services or location on the property \nof the school. The director of Facilities Management will submit \nthe plans, specifications, and/or product data to the appropriate \nPlanning and Engineering staff for review and approval of all \nproposed plans, specifications, product data, warranties, and/or \nmaintenance agreements. \nThis process will ensure that there is a thorough review of the \nproposed renovation, alteration, addition, repair, and/or \nconnection to existing building systems, including the materials \nused, quality of workmanship, fairness in pricing, and contractors \nability to complete the proposed project; and that the contractor \nperforming the work has the proper insurance coverage \n(including but not limited to Worker\u2019s Compensation, General \nLiability, and Property Damage).", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "d72e11d2-2b75-458d-96f6-9bb19b26d6e0": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 5 of 9 \n \nA Request for Facilities Improvement Form (Attachment A) \nshould be filled out and forwarded to Planning & Engineering, \n1216 Dorchester Avenue, Boston, MA 02125. No work will proceed \nwithout the final approval of the Office of Facilities \nManagement/Planning and Engineering Division. \nRequest for Space Modification Form \n \nFor more information about this circular, contact: \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "61e14ed5-e99c-4a28-841f-72e56a88c2f9": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 6 of 9 \n \nATTACHMENT A \nOFFICE OF FACILITIES MANAGEMENT \nREQUEST FOR FACILITIES IMPROVEMENT \n \nDate: _____________________________________________________________ \nSchool: ___________________________________________________________ \nAddress: __________________________________________________________ \nContact: __________________________________________________________ \nTelephone: _______________________________________________________ \nProject Title: _____________________________________________________ \nFunding Sources: _________________________________________________ \nBudget Year _____________Org. __________ Fund Code _____________ \nProgram Account ________ Sub Class _______ Proj./Grant __________ \nExpense Object __________ \nProposed Implementation Date: _________________________________ \nProject Description and Justification (attach a sketch):", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "246bb390-90fd-4bc2-af48-99fafbf6acec": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 7 of 9 \n \nPlease return this form to: \nBrian Forde, Executive Director \nOffice of Facilities Management \n1216 Dorchester Avenue \nDorchester, MA 02125 \n \n----------------------------------------------------------------------------------------------------------------------", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "a7d3b639-21b6-494d-87f2-d14ddcbfb980": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 8 of 9 \n \n(For Planning & Engineering Use Only) \nPROJECT COST ESTIMATES: \nA. OPM Fee (projects over $1,500,000): ____________________ \nB. Design Fee (if needed): _________________________________ \nC. Construction Costs: ____________________________________ \nD. Contingency (A+B+C x 15%): ____________________________ \nTOTAL COST (A+B+C+D): __________________________________ \nESTIMATED PROJECT TIMELINE: \nOwner's Project Manager Selection: ______________________ \nSubmit CB-04 __________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________ \nInterviews: _____________________________________________ \nAward: _________________________________________________ \nDesigner Selection: _______________________________________ \nSubmit CB-04: _________________________________________ \nAdvertise RFP: _________________________________________", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "6b1bbfe9-3ea1-45f1-91de-9d4a3190779a": { + "page_content": "Designer Selection: _______________________________________ \nSubmit CB-04: _________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________ \nInterviews: _____________________________________________ \nAward: _________________________________________________", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e478ec42-a1c4-4d21-a288-0d2b12243908": { + "page_content": "Superintendent\u2019s Circular FMT-03 \nPage 9 of 9 \n \nBidding & Construction: \nAdvertise Filed Sub Bids: _______________________________ \nAdvertise General Bids: _________________________________ \nFiled Sub Bids Due: ____________________________________ \nGeneral Bids Due: ______________________________________ \nAward Contract: ________________________________________ \nConstruction Start: _____________________________________ \nCompletion Date: ______________________________________ \nMAINTENANCE PLAN: \nRequired Annual Maintenance: ___________________________ \n ___________________________________________________________ \n ___________________________________________________________ \nCosts: _____________________________________________________ \nMaintenance Schedule: ___________________________________ \n \nPrepared by: ________________________________Date: _______________ \nApproved by: _______________________________Date: ________________", + "metadata": { + "file_name": "FMT-03 Renovations to School Buildings and Yards.pdf", + "source_link": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "07808708-7acc-4a43-b6e0-cc1f4e8c9d3e": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-04 \nVersion 01 \n \n \n \nCUSTODIAL PAY ADJUSTMENTS \u2013 CALL-IN \nPROCEDURE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nSo the Office of Facilities Management (Building Services) may \nproperly adjust a custodian's pay in a timely manner, it is \nessential that you follow the payroll procedure outlined below: \nWhen a senior custodian is absent, you must notify Facilities \nManagement (Building Services), by telephone 617-635-9162 or e-\nmail (emalone2@bostonpublicschools.org) with: the name of the \nabsent senior custodian; the name of the custodian covering; the \nreason for the absence; and all dates of absence, if known. \nWhen the absent senior custodian returns to work, Facilities \nManagement (Building Services) must be notified to ensure that \nthe person covering is paid for the correct number of days. \nThe custodial pay period begins on Saturday and ends on Friday.", + "metadata": { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "01cd435e-45bc-4556-b154-eddf0ba1569a": { + "page_content": "Management (Building Services) must be notified to ensure that \nthe person covering is paid for the correct number of days. \nThe custodial pay period begins on Saturday and ends on Friday. \nIt is a weekly payroll. If the absentee is to be out on a long-term \nbasis, Facilities Management (Building Services) must be notified \nif the current acting senior should be carried forward to the next \npay period.", + "metadata": { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "474eba89-b4b3-4890-93e6-0fe90298d1dd": { + "page_content": "Superintendent\u2019s Circular FMT-04 \nPage 2 of 3 \n \n \n \n\uf075 If a custodian is being docked for all or any part of a day, \nyou must notify Beth Malone to ensure the dock is \nproperly recorded. You must also notify Facilities with the \nreason for the dock (i.e., late, no show/no call, left early). \nIf a custodian is at \"0\" balance (out of sick, personal, or vacation \nleave), they must be coded. Select Absence Name - Leave \nWithout Pay, then select Absence Reason. Additional information \nshould be entered in the \u201ccomments\u201d panel. \nAll docks and acting senior coverage must be reported in a timely \nmanner. \nTo ensure coverage in a single-person building, prior notice \nshould be given to the Office of Facilities Management (Building \nServices) whenever possible. Forty-eight (48) hours\u2019 notice is \nrequired for personal and compensatory days. Two weeks\u2019 notice \nis required for vacation. \nCalls for acting senior coverage while school is in session will only", + "metadata": { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5eed0531-dddf-486d-9586-ec373fcb9b44": { + "page_content": "required for personal and compensatory days. Two weeks\u2019 notice \nis required for vacation. \nCalls for acting senior coverage while school is in session will only \nbe taken from the head of school/principal, secretary, or \nprincipal's designee. Custodians should call in any acting senior \ncoverage during school vacations and summer months.", + "metadata": { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "69667d4f-251d-4437-81b1-63868cd908c1": { + "page_content": "Superintendent\u2019s Circular FMT-04 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-04 Custodial Pay Adjustments.pdf", + "source_link": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "dd779489-c711-4d00-8e5d-27016318b11c": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-01 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF CUSTODIANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to set forth the individuals \nresponsible for custodian evaluations and to outline the \nphilosophy, objectives, guidelines, and procedures applicable to \nthe process. \nThe contract between the School Committee and the Custodians \nUnion provides for the annual evaluation of the performance of \ncustodians by principals and heads of school. To assist in the \nimplementation of the performance evaluation process, the \nDepartment of Facilities Management (Building Services) has \ndeveloped a handbook for custodians, principals, and heads of \nschools. The evaluation process relates to the job duties and \nresponsibilities of the position as contained in the handbook. \nIt is the supervisor's responsibility to clearly communicate the", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "80cc2d97-c0af-4c7f-b933-2a7ecf368ef6": { + "page_content": "schools. The evaluation process relates to the job duties and \nresponsibilities of the position as contained in the handbook. \nIt is the supervisor's responsibility to clearly communicate the \nspecific duties associated with the position, in writing, to the \ncustodial employee. Therefore, principals and heads of school \nshould take all steps to become familiar with the contents of the \nhandbook and should ensure that each custodian understands \nthe content of the manual. \nHeads of school, principals, and other administrative heads are \nresponsible for the evaluation of the performance of all custodial", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "18f6286b-5cd8-473a-a092-784d322a2fb5": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 2 of 14 \n \n \n \nemployees under their supervision. However, the actual \nevaluation must be done by the immediate supervisor, i.e., the \nprincipal/head of school is responsible for the evaluation of both \nsenior and junior custodians. During the school year, all custodial \nemployees, with input by the senior custodian and Facilities \nManagement, will be evaluated using the diagnostic-prescriptive \napproach and the procedures and forms developed for the \nimplementation thereof. \nTraining on the performance evaluation process will be provided \nduring the school year. Principals and heads of schools are \nencouraged to consult with the Department of Facilities \nManagement (Building Services) on all performance issues \naffecting custodial employees. The evaluation process itself is \nmodeled on the teacher evaluation procedures. \nPHILOSOPHY \nThe Boston Public Schools recognizes that the quality of", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "44354c0d-f6e7-43b1-9414-6951906ff8d4": { + "page_content": "affecting custodial employees. The evaluation process itself is \nmodeled on the teacher evaluation procedures. \nPHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service provided depends upon the professional \nperformance and total job effectiveness of all employees in the \nsystem. Thus, since custodial employees can and should be held \naccountable for the quality of their performance, a just and \neffective process for evaluating that performance is essential. \nTrue performance evaluations involve analyses of an individual's \nstrengths and weaknesses, resulting in diagnoses and \nprescriptions. This in turn leads to the desired improvement of \nskills and improved performance of the custodial employee. \nAn effective performance evaluation program is one that is \ncontinuous rather than periodic, and organized to:", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "7ee8f7eb-b38b-4165-a093-68ba4b5884f7": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 3 of 14 \n \n \n \n\u25cf Develop in the support staff a clearer understanding of the \ngoals of the department or school. \n\u25cf Assist employees to address more effectively the needs of \neach school or department. \n\u25cf Encourage cooperative staff relations through mutual trust \nand respect for each employee's individual role. \nThe contract with the Custodians Association further provides for \nthe principal/head of school and the senior custodian to establish \na mutually supportive relationship, and to cooperate in the \nresolution of all plant maintenance and operation problems. \nFurther, the contract clearly provides that the principal/head of \nschool of a school building will oversee all staff and has the \nresponsibility to ensure the cleanliness and maintenance of the \nschool building at all times. Each custodian in a school is \nmanaged by the principal/head of school of that building. \nA diagnostic-prescriptive evaluation program is positively", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "39721f37-9d5b-4128-80d6-644c4dae8022": { + "page_content": "school building at all times. Each custodian in a school is \nmanaged by the principal/head of school of that building. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages staff to maximize unique strengths and \nskills. This evaluation program encourages staff to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication and supervision of employees. \nROLES AND RESPONSIBILITIES \nHeads of schools, principals, and other administrative heads have \nprimary responsibility for the evaluation of all staff in their \nresponsibility centers. After the evaluation has been presented to \nthe employee, the evaluation form must be signed by the", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e15461fd-0f59-45f2-a31d-ab8a64a74521": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 4 of 14 \n \n \n \nemployee (refer to the evaluation instrument) prior to submission \nto the Office of Human Capital and Office of Facilities \nManagement (Building Services). Performance evaluation \nactivities may include but are not limited to: 1) preliminary \nplanning conferences, 2) daily observations, 3) notations, 4) \nformal interim evaluations, 5) follow-up conferences, and 6) \nrecommendations to the staff member by the evaluator. \nPrincipals/heads of school must evaluate both senior and junior \ncustodians, in writing, and sign the completed written \nevaluations. \nPROCEDURAL STEPS \nPreliminary Procedures \nPrior to the implementation of the process, the principal/head of \nschool must prepare the work schedule in cooperation with the \nsenior custodian(s). They should then meet with the senior \ncustodian to provide an orientation to the performance \nevaluation process and to specific roles and responsibilities", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "16159117-f47e-42f7-8577-adda0f4b310b": { + "page_content": "senior custodian(s). They should then meet with the senior \ncustodian to provide an orientation to the performance \nevaluation process and to specific roles and responsibilities \nwithin that process for the upcoming year as contained in the \nwork schedule. Principals and heads of school should seek \ntechnical assistance from area managers and the Department of \nFacilities Management (Building Services). \nThe evaluator shall meet with the staff member for the purpose \nof explaining the diagnostic-prescriptive evaluation process, \nincluding a description of all components of the evaluation \nprocess.", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "0c0e50f9-2ec0-4a31-a50c-7c77de54e091": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 5 of 14 \n \n \n \nDiagnosis and Prescription \nThe performance evaluation process should provide each \ncustodial staff member with an appraisal of the individual's \nstrengths and identify areas in need of improvement. The \nemployee will be evaluated on each standard within the various \ncategories: \n\u25cf U - UNSATISFACTORY: The employee fails to meet the job \ndescription and their performance needs improvement. \n\u25cf S - SATISFACTORY: The employee meets the job description \nand their performance, as measured against this standard, is \nsatisfactory. \n\u25cf G - GOOD: The employee meets and/or generally exceeds \nthe standards and their performance, as measured against \nthis standard, is good. \n\u25cf E - EXCELLENT: The employee exceeds standards and their \nperformance as measured against this standard, is excellent. \nEvery formal evaluation must result in a mark for each \nappropriate item on the performance evaluation form. In any", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "373ac928-4c2c-4a70-8018-f87557ddad48": { + "page_content": "performance as measured against this standard, is excellent. \nEvery formal evaluation must result in a mark for each \nappropriate item on the performance evaluation form. In any \narea where the supervisor indicates a need for improvement, \nthey will provide the employee with a written prescription. The \ndiagnosis and subsequent prescription should be fully descriptive \nand instructive, suggesting specific remedies or \nrecommendations for adoption by the employee. During the \nentire evaluation process, continuous administrative assistance, \nsupport, and encouragement should be extended to assist the \nemployee in meeting established objectives. The employee may \nsuggest additional or alternative prescriptions.", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "456981dd-d468-4832-8b54-bc3d2ddfc830": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 6 of 14 \n \n \n \nEvaluation Conference \nThe employee's supervisor shall meet with the staff member for \nthe purpose of discussing the evaluation. During the conference, \nthe staff member will be shown the written evaluation and will \nsign it to indicate that it has been seen but not to indicate \nagreement or disagreement with its contents. The staff member \nwill be allowed to attach comments to the evaluation. One copy \nof the written evaluation must be given to the employee, and a \nsecond signed copy must be retained and filed with the assistant \ndirector of Facilities Management (Building Services). In any area \nthat has been identified as being unsatisfactory, the \nprincipal/head of school should consult with the appropriate \noperational leader. \nINTERIM REPORTS \nIf an unsatisfactory evaluation is issued for any item, the \nimmediate supervisor must evaluate the staff member at least", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "c1a27788-18b2-49f5-90e8-aa1724932c2e": { + "page_content": "operational leader. \nINTERIM REPORTS \nIf an unsatisfactory evaluation is issued for any item, the \nimmediate supervisor must evaluate the staff member at least \nonce a month until the individual's performance is judged to be \nsatisfactory (see Section V). \nPrincipals/heads of school must submit a copy of the written \nevaluation of any employee who has received a mark of \nunsatisfactory in any item indicated on the form to the assistant \ndirector of Facilities Management (Building Services). \nAdministrators must submit the evaluations directly to the \nassistant director of Facilities Management (Building Services). \nAny subsequent unsatisfactory evaluation must also be \nforwarded. \n\u27a4 All evaluations must be completed by August 31 of each year.", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5f3eae2e-78d8-4a0b-aecc-d703fceb408b": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 7 of 14 \n \n \n \nSUMMATIVE REPORTS \n\u25cf At the end of each evaluation period, the principal/head of school and other administrators \nshould retain copies of all evaluations and send copies to the team leader/Human Resources \nand assistant director of Facilities Management (Building Services). \n\u25cf If, at the conclusion of a prescriptive period (normally at the end of an evaluation period, but in \nany event at most one month after the last evaluation), the supervisor judges an employee's \noverall performance as unsatisfactory, the supervisor shall submit to the superintendent or \ndesignee and to the assistant director of Facilities Management (Building Services) a written \nreport based on the series of evaluations. \n\u25cf Continued failure on the part of an employee to meet a standard will result in possible \ndisciplinary action. \nPROCEDURES FOR DISCIPLINE \nIf a principal/head of school determines that an employee has", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "29d3aee5-1f38-483d-9da5-359fadccaad6": { + "page_content": "disciplinary action. \nPROCEDURES FOR DISCIPLINE \nIf a principal/head of school determines that an employee has \ncommitted an infraction of work rules such as excessive \ntardiness, absences, etc., the supervisor should follow procedures \noutlined in Superintendent's Circular: Procedures Relating to the \nDiscipline of Employees. Additionally, the supervisor should \nconsider the infraction in evaluating the employee's overall \nperformance. Principals and heads of school may issue discipline \nonly up to and including letters of reprimand. The director of \nFacilities Management or other designees of the superintendent \nissue discipline beyond this level. \nFailure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of the supervisor. This \nproblem is further compounded when \"problem staff\u201d is given a \nsatisfactory rating by the supervisor and encouraged to transfer", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "cbe0f93b-2487-40d5-9a8b-ea29be326d70": { + "page_content": "unacceptable performance on the part of the supervisor. This \nproblem is further compounded when \"problem staff\u201d is given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "fd323ff2-ad30-4217-aa12-eaafb3459145": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 8 of 14 \n \n \n \nperformance on the part of that person, who may be held \naccountable by the appropriate supervisor. \nPlease refer in advance to Superintendent's Circular: Procedures \nrelating to the Discipline of Employees. \nFORMS \nPerformance Evaluation Report may be obtained from the Office \nof Facilities Management. Summary of significant dates and \ndeadlines: \nDate Activity \nAugust 31 Deadline for completing custodian evaluations \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "f6283a9b-acc8-4741-b611-a19d3bbafaaf": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 9 of 14 \n \n \n \nCUSTODIANS ASSOCIATION CONTRACT LANGUAGE \nARTICLE XXIII \nPERFORMANCE EVALUATION \n \nSection 1 - A diagnostic-prescriptive evaluation procedure shall \nbe maintained which is reasonably related to the custodian's job \nperformance using the procedure and form currently in use. \nEvaluation shall be from June 1 to May 31 for each custodian. \nSection 1A - Interim Performance Evaluation may be performed \nat the discretion of the principal/head of school and/or senior \ncustodian between annual bid. \nSection 2 - Custodian Association members shall be evaluated by \ntheir immediate supervisors as follows: \nEvaluatee Evaluator \nJunior Custodian Principal/head of school with input by \nsenior custodian and Facilities \nManagement. \nSenior Custodian Principal/head of school with input by \nFacilities Management. \nSection 3 - No later than thirty (30) days after the start of the \nrating year, the evaluator will meet with the evaluatee for the", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "298bec29-6004-4679-8f8a-2331dc5e25c2": { + "page_content": "Facilities Management. \nSection 3 - No later than thirty (30) days after the start of the \nrating year, the evaluator will meet with the evaluatee for the \npurpose of explaining the diagnostic-prescriptive evaluation \nprogram, answering questions, and determining additional job-\nrelated responsibilities which will be covered in the evaluation.", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "69f1208f-e1c9-4e3d-a641-8ce3b1657496": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 10 of 14 \n \n \n \nWithin five (5) days after the meeting, the evaluatee will receive a \ncopy of a list of job-related functions for which they are \nresponsible and on which their performance will be evaluated. \nSection 4 - Within ten (10) days following the completion of the \nevaluation, the evaluator will meet with the evaluatee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluatee will be shown their written evaluation and will sign it to \nindicate having seen it, but not to indicate agreement or \ndisagreement. A copy of the evaluation will be provided to the \nevaluatee. The evaluatee shall be allowed to attach their \ncomments to the evaluation. The evaluatee whose overall \nperformance has been judged unsatisfactory will be so notified in \nwriting and will meet directly with the evaluator. There will be a \nspace for the principal/head of school to sign the evaluation and \nattach comments to it, if any.", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "6340db65-57c6-42f6-95f8-f90cbbf69f51": { + "page_content": "writing and will meet directly with the evaluator. There will be a \nspace for the principal/head of school to sign the evaluation and \nattach comments to it, if any. \nSection 5 - In any area where the evaluator indicates a need for \nprofessional improvement, they will provide the evaluatee with a \nspecific written prescription. \nSection 6 - Continued failure to meet a standard will result in \nwarnings, additional evaluations, and further action. \nSection 7 - An overall evaluation of unsatisfactory shall be subject \nto the grievance and arbitration procedure. \nSection 8 - The committee will comply with state and federal \nlaws concerning confidentiality and privacy of evaluations.", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2c31835a-eafe-45e6-9d76-a30bac198a06": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 11 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION \u2014 CUSTODIAL \nDATE: _____/_____/__________ \nNAME: ___________________________________________________________ \nSCHOOL: ________________________________________________________ \n(Building staffed according to formula): Yes _______ No _______ \nSenior ______ Junior ______ Days ______ Nights ______ Grade _______ \n \nE - Excellent \nG - Good \nS - Satisfactory \nU - Unsatisfactory \nQUALITY \n1. Work performed is of an acceptable nature and level. \n E \u2610 G \u2610 S \u2610 U \u2610 \nQUANTITY \n2. Completes work in a reasonable time. \n E \u2610 G \u2610 S \u2610 U \u2610", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "a3df56d5-b383-4e91-860f-f9d000143723": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 12 of 14 \n \n \n \nATTITUDES \n3. Knows the tasks to be completed and organizes them. \n E \u2610 G \u2610 S \u2610 U \u2610 \n4. Learns and applies new ideas and techniques. \n E \u2610 G \u2610 S \u2610 U \u2610 \n5. Shows interest in work. \n E \u2610 G \u2610 S \u2610 U \u2610 \n6. Accepts responsibility related to work performed. \n E \u2610 G \u2610 S \u2610 U \u2610 \nDEPENDABILITY \n7. Continues to work in absence of supervision. \n E \u2610 G \u2610 S \u2610 U \u2610 \n8. Complies with reasonable written and oral instructions. \n E \u2610 G \u2610 S \u2610 U \u2610 \nATTENDANCE \n9. Maintains good attendance. \n E \u2610 G \u2610 S \u2610 U \u2610 \n10. Maintains contracted hours of work. \n E \u2610 G \u2610 S \u2610 U \u2610", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e58d09a2-59bd-4154-a731-f2a1c151b490": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 13 of 14 \n \n \n \nSUPERVISORY SKILLS (APPLIES TO SENIORS ONLY) \n11. Plans and directs work to others. \nE \u2610 G \u2610 S \u2610 U \u2610 \n12. Guides the group to reasonable effectiveness. \n E \u2610 G \u2610 S \u2610 U \u2610 \n13. Provides evaluation reports. \n E \u2610 G \u2610 S \u2610 U \u2610 \n14. Trains subordinates. \n E \u2610 G \u2610 S \u2610 U \u2610 \n15. Attempts to settle disputes at lower level. \n E \u2610 G \u2610 S \u2610 U \u2610 \nSignatures: \n \nPrincipal/Head of School/Admin Date Comments \n \nSenior Custodian Date Comments \n \nJunior Custodian Date Comments", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "9a419dac-0b1c-4164-81da-3855909d3d8b": { + "page_content": "Superintendent\u2019s Circular FMT-01 \nPage 14 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION \u2014 CUSTODIAL \n \nDIAGNOSIS AND PRESCRIPTION", + "metadata": { + "file_name": "FMT-01 Performance Evaluation of Custodians.pdf", + "source_link": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ba0735d4-2f72-4cad-b8cc-f764c09c4ff2": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-18 \nVersion 01 \n \nSCIENCE SAFETY IN SCHOOL LABORATORIES AND \nCLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has developed a Science Safety Plan \nto promote a safer and more effective learning environment for \nstudents and a healthier workplace for teachers and other \nemployees within science classrooms and laboratories in Boston \nPublic Schools. The Science Safety Plan is a comprehensive effort \nto address chemical use, storage, and disposal procedures, as \nwell as the prevention and/or minimization of and response to \nchemical spills and other accidents. \nThe districtwide plan addresses the needs of all BPS science \nclasses and is consistent with the requirements of the U.S. \nDepartment of Labor, Occupational Safety and Health \nAdministration\u2019s (OSHA) 29 CFR 1910.1450 Occupational \nExposures to Hazardous Chemicals in Laboratories for the", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "52ccb91c-db5c-40e9-8400-15568a9b39f8": { + "page_content": "Department of Labor, Occupational Safety and Health \nAdministration\u2019s (OSHA) 29 CFR 1910.1450 Occupational \nExposures to Hazardous Chemicals in Laboratories for the \nprotection of our students and employees, as well as guidance \nmaterials from the National Fire Protection Association (NFPA), \nthe National Institute for Occupational Safety and Health \n(NIOSH), and the Boston Fire Department. The Science Safety \nPlan promotes a culture of safety in science and the safe \noperation of all science laboratories for students, faculty, and \nstaff. \nTo ensure that all students and their teachers work in an \nenvironment which is safe, it is necessary to formulate standard \nprocedures and requirements for all schools and their personnel.", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "7bb531c1-778d-4e37-8648-27600169e3a6": { + "page_content": "Superintendent\u2019s Circular FMT-18 \nPage 2 of 8 \n \nThe Science Safety Plan and this circular will be reviewed \nannually. \nYour performance of these procedures is required. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOLS \n1. Ensure that all science classes and laboratories are \nassigned to and conducted in appropriately equipped \nScience Rooms. \n2. Provide a list of all science teachers/teachers of science to \nthe Science Department by October 1st each year using \nthe form provided in Appendix R of the BPS Science \nSafety Plan. \n3. Appoint a Science Safety Coordinator (SSC) and ensure \nthey: \na) Attend the mandatory Chemical Safety Training \nsession co-hosted by the Science Department and \nFlinn Scientific. \nb) Conduct an annual chemical inventory. \nc) Complete the required safety checks as stated in \nSections J and O of the BPS Science Safety Plan. \n4. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear \neye protection devices.", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "59ad1b3b-ded3-4fa2-a104-ac4f6f426a6f": { + "page_content": "Sections J and O of the BPS Science Safety Plan. \n4. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear \neye protection devices. \n5. Ensure that workable fire extinguishers, blankets, safety \nshowers, and eyewash equipment are readily available \nand that appropriate personnel receive training in the use \nof each. \n6. Ensure staff review and implement the BPS Science \nSafety Plan.", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "37869d17-99e8-4b94-a14d-c2284c830b6a": { + "page_content": "Superintendent\u2019s Circular FMT-18 \nPage 3 of 8 \n \n7. Ensure that staff has instructed all students in safety \nstandards and procedures, including the BPS Science \nSafety Plan and the School Safety Plan. \n8. Post building evacuation procedures in classrooms, \nlaboratories, and chemical storage rooms. \n9. Conduct quarterly fire drills. \n10. Maintain adequate lighting and proper ventilation in \nlaboratories and classrooms, and report problems to \nFacilities Management immediately. \n11. Be sure that teacher evaluations reflect the \nimplementation of safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted \nin the school's Science Rooms pursuant to Mass. Gen. \nLaws c. 111F. \n13. Ensure a copy of all safety data sheets (SDSs) is \nmaintained in the main office and chemical storage areas. \n14. Ensure that all instructors working with toxic or \nhazardous substances receive training as specified in \nChapter 111F of the Massachusetts General Laws through", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5aba2d45-f97f-466f-9920-3130de4ecba5": { + "page_content": "14. Ensure that all instructors working with toxic or \nhazardous substances receive training as specified in \nChapter 111F of the Massachusetts General Laws through \nthe Science Department. \n15. Notify the Science Department of any accident or injury in \na Science Area. \n16. Submit the Annual Hazardous Material Permit \nApplication to Boston Fire Department and post the \ncurrent permit in the main office.", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "19b57e98-35cb-49cf-b3cd-a18db7395ef9": { + "page_content": "Superintendent\u2019s Circular FMT-18 \nPage 4 of 8 \n \nRESPONSIBILITIES OF TEACHERS \n1. Review and implement the Science Safety Plan, including \nSOPs for general laboratories, chemical use and storage, \nchemistry laboratories, biology laboratories, physics \nlaboratories, and waste management. \n2. Attend annual safety training(s) including science safety \nand first aid. \n3. Practice safety procedures and serve as the model for \ngood safety conduct for students. \n4. Establish a Student Safety Contract with each student \nprior to any laboratory activities. \n5. Require the use of appropriate personal protective \nequipment. \n6. Avoid accidents by insisting that students dress properly \nfor the laboratory. \n7. Supervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a \nlaboratory or chemical storage room. If an instructor must \nleave the laboratory in an emergency, they must: \na) Arrange for a qualified teacher as a replacement, OR", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "67eb2b9a-a798-46fb-a8e8-784871f249bc": { + "page_content": "laboratory or chemical storage room. If an instructor must \nleave the laboratory in an emergency, they must: \na) Arrange for a qualified teacher as a replacement, OR \nb) Relocate students to a properly supervised area, \nc) Lock the laboratory, and \nd) Shut off equipment. \n8. Inspect fire extinguishers monthly and safety showers \nand eyewash stations weekly (SSC or science teacher in \ncharge). \n9. Maintain first aid kit in an easily accessible area (SSC or \nscience teacher in charge).", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2c3dc479-b0e8-496a-9c71-f660f84e797c": { + "page_content": "Superintendent\u2019s Circular FMT-18 \nPage 5 of 8 \n \n10. Maintain a chemical inventory using the online \nChemVentory system, update at least annually, and \nsubmit an electronic copy to the Science Department and \nFacilities Management by October 1st each year (SSC or \nscience teacher in charge). \n11. Ensure SDSs for all chemicals are accessible and copies \nare kept in the chemical storage room or school\u2019s Science \nDepartment and in the administrative main office (SSC or \nscience teacher in charge). \n12. Store all chemicals in their compatible chemical families. \n13. Keep all chemical storage rooms or cabinets locked at all \ntimes when not in use. \n14. Label all chemical storage rooms/cabinets and laboratory \ndoors with the appropriate NFPA Diamond (SSC or \nscience teacher in charge). \n15. Ensure all chemical and waste containers are labeled \nappropriately and stored safely until they can be \nremoved. Contact Facilities Management for removal.", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e0d5fc89-00fa-4616-a37d-e399e9099845": { + "page_content": "science teacher in charge). \n15. Ensure all chemical and waste containers are labeled \nappropriately and stored safely until they can be \nremoved. Contact Facilities Management for removal. \n16. Implement the appropriate emergency procedure, waste \ndisposal, spill cleanup, evacuation routes, and fire \nemergency notification when needed. \n17. Consult with the Science and/or Facilities Management \nDepartment staff as appropriate regarding the use of \nClass 1A flammables, compressed gasses, donated \nchemicals, and the implementation of any laboratory \nexperiment that may be more hazardous than those \ncontained in the district-identified curriculum. \n18. Report all accidents and injuries to the principal/head of \nschool and direct supervisor.", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "8f622616-712a-434d-8126-152d85ed4c59": { + "page_content": "Superintendent\u2019s Circular FMT-18 \nPage 6 of 8 \n \n19. Report lighting, ventilation, safety equipment, and \nlaboratory disrepair to principal/head ofschool, direct \nsupervisor, and Facilities Management. \nRESPONSIBILITIES OF STUDENTS \n1. Practice good chemical hygiene habits. \n2. Maintain an awareness of health and safety hazards and \nreport unsafe practices and conditions to the teacher. \n3. Report all accidents and injuries to the teacher \nimmediately. \n4. Know and follow emergency procedures. \n5. Notify the teacher of any sensitivity or allergy to \nchemicals. \n6. Wear appropriate apparel and personal protective \nequipment, including goggles, during laboratory \nactivities. \n7. Conduct all activities according to teacher instructions to \nensure the Science Safety Plan is followed. \nTECHNICAL ASSISTANCE \nFacilities Management and BPS district Science Department will \nprovide all schools with technical assistance in improving and", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2f4be102-dde3-4ebc-b0bd-0f68b305f68b": { + "page_content": "ensure the Science Safety Plan is followed. \nTECHNICAL ASSISTANCE \nFacilities Management and BPS district Science Department will \nprovide all schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building and safety equipment inspections.", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "5ccc2600-bf31-4567-9f96-1b6e5c1bad9e": { + "page_content": "Superintendent\u2019s Circular FMT-18 \nPage 7 of 8 \n \nContact: \n\u2022 Chief Environmental Technician, Facilities Management \n617-635-8300 \n\u2022 Assistant Superintendent, Office of Teaching and Learning \n617-635-8079 \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Boston, MA 02108 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Science, Technology, and Engineering \nDepartment \nDepartment: Office of Teaching and Learning \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Boston, MA 02125 \nPhone: 617-635-8750 \nEmail: bpssciencematerials@bostonpublicschools.org", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "39df7bfa-6894-4ade-ab5a-e8d26dd49bde": { + "page_content": "Superintendent\u2019s Circular FMT-18 \nPage 8 of 8 \n \nAdditional contacts in the Office of Teaching and Learning: \nChief of Teaching and \nLearning \nOPL@bostonpublicschools.org \nExecutive Director of STEM OPL@bostonpublicschools.org \nProgram Director, High \nSchool Science \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-18 Science Safety in Schools.pdf", + "source_link": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3029d203-8470-4778-a1d9-e95052ac4aa8": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-09 \nVersion 01 \n \n \n \nMATERIAL DISTRIBUTION PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINDIVIDUAL OR SPECIAL PURCHASE ORDERS FOR DELIVERY TO \nTHE MATERIAL DISTRIBUTION CENTER \nIndividual or special orders are delivered to users as requested by \ndepartment heads. Copies of the purchase order must be \nforwarded to the Distribution Center before the material arrives \nor it may be refused; if accepted, it may be confused with other \nindividual orders and sent to the wrong department. Freight \ncarriers are required to schedule their deliveries with the \nDistribution Center. Failure to notify the Distribution Center \nbefore making a delivery may result in your order being refused, \nespecially during the period between August 1 and November 15 \nwhen storage space is at a minimum. All orders shipped to the \nDistribution Center should have an \u201cAttention To:\u201d block which", + "metadata": { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "dd108398-8f16-43c4-9149-c7d371ac4975": { + "page_content": "especially during the period between August 1 and November 15 \nwhen storage space is at a minimum. All orders shipped to the \nDistribution Center should have an \u201cAttention To:\u201d block which \nindicates a person or department to which the material is being \nshipped; this is very important. You can stipulate an \u201cAttention \nTo:\u201d address on your original requisition entered on PeopleSoft. \nCUSTODIAL ORDERS \nCustodial requisitions are submitted on two forms developed by \nDistribution and the Facilities Management Department. The first \nform is an annual order form which lists all custodial items", + "metadata": { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "86aeb422-6f7f-4031-841e-612230f5e75f": { + "page_content": "Superintendent\u2019s Circular FMT-09 \nPage 2 of 3 \n \n \n \nauthorized for delivery to schools. This form is delivered to each \nschool on an annual basis in June/July. The second form is a bi-\nmonthly (every 2 months) \u201cshort\u201d form which is delivered to \nschools each bi-monthly except those months when the large \nannual form is used. Custodians are required to complete these \nforms and return them to the Distribution Center. All forms \nshould be emailed to warehouse@bostonpublicschools.org or \nfaxed to the Distribution Center at 617-635-8581. All orders which \nare not a part of regular bi-monthly cycles must be submitted \nand approved by Facilities Department custodial area managers. \nREQUIRED DATA \nDepartment head signatures, shipping location, and \u201cAttention \nTo\u201d are required on all requests; if any of these items are missing, \nyour requests could be delayed or may ship to the wrong \ndepartment. \nPlease call the Distribution Center at 617-635-8745 if you have", + "metadata": { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3940988e-2db8-492e-82ab-1cc69bfc1e7a": { + "page_content": "your requests could be delayed or may ship to the wrong \ndepartment. \nPlease call the Distribution Center at 617-635-8745 if you have \nspecial requirements or problems, or fax us at 617-635-8581, or \nemail warehouse@bostonpublicschools.org.", + "metadata": { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "73632774-02f6-44ea-83d9-f14f0233e745": { + "page_content": "Superintendent\u2019s Circular FMT-09 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \n \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-09 Material Distribution Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "3e38b899-1555-4b8e-8f77-022df18b5eff": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-19 \nVersion 01 \n \nBPS STANDARD OPERATING PROCEDURE FOR \nCLEANING AND DISINFECTING BODY FLUID SPILLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThis standard operating procedure (SOP) will be implemented to \nensure BPS custodians safely and properly respond to all \nincidents requiring cleaning and disinfecting of body fluid spills. \nBody fluids \u2013 including vomit, diarrhea, and blood \u2013 are \nconsidered potentially infectious. Employees should always treat \nany body fluid response action as potentially infectious and \nalways wear proper personal protective equipment when \ncleaning and disinfecting body fluid spills. \nPROCEDURES \n1. Contain the affected area. \n\u25cf Discontinue food service operations if a spill occurred \nin food preparation or service areas. \n\u25cf Remove students and staff from the affected area or \nclassroom. \n\u25cf Block off the area of the spill from staff and students", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "a4e11dfa-fbe3-493b-94bc-c2b456034a7e": { + "page_content": "in food preparation or service areas. \n\u25cf Remove students and staff from the affected area or \nclassroom. \n\u25cf Block off the area of the spill from staff and students \nuntil cleanup and disinfection are complete. For \nincidents involving vomit, contain all areas within 25 \nfeet of the spill.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e7a574a0-57a3-4611-bfd0-700380c6c692": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 2 of 10 \n \n \n \n\u25cf Send sick students and staff to the school nurse. \n\u25cf Excuse (e.g., send home) food service employees with \nsymptoms of vomiting or diarrhea from food service \noperations. Refer to the TFER Exclusions and \nRestrictions for Ill or Infected Food Service Employees \nfor guidance. Please refer to the food service employee \nreporting agreement. \n\u25cf Allow only food service employees and/or custodial \nstaff designated to clean and disinfect body fluid spills \nin the affected area. \n2. Put on personal protective equipment (PPE), including: \n\u25cf Wear disposable, non-latex gloves. Gloves should be \nvinyl or nitrile (rubber), and non-powdered. \n\u25cf Consider double-gloving (wearing two gloves on each \nhand). Replace gloves if they tear or become visibly \nsoiled. Keep hands away from the face while wearing \ngloves. \n\u25cf Wear a face mask and eye protection (goggles or \nprotective glasses). \n3. Remove visible body fluid.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "cf9dab29-7901-4a8d-bf73-88f9aecf727a": { + "page_content": "soiled. Keep hands away from the face while wearing \ngloves. \n\u25cf Wear a face mask and eye protection (goggles or \nprotective glasses). \n3. Remove visible body fluid. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Clean the affected area with soap and water, and paper \ntowels and/or a disposable mop head. This includes \nsurfaces that came into direct contact with body fluids \nand surfaces that may have been contaminated with \nbody fluids. Before disinfecting, all surfaces should be \nthoroughly cleaned (i.e., not visibly soiled).", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "8ec8e9e8-4146-46dc-aef2-516524acbf7f": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 3 of 10 \n \n \n \n\u25cf Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n\u25cf Remove gloves and discard in a plastic garbage bag. \n\u25cf Wash hands. \nFood contact surfaces: \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Clean the affected area with soap and water. \n\u25cf Rinse thoroughly with plain water. \n\u25cf Wipe dry with paper towels. \n\u25cf Dispose of paper towels in a plastic garbage bag. \n\u25cf Disinfect surfaces. \n\u25cf Prepare and apply a solution of \u00be cup concentrated \nbleach + 1 gallon of water. \n\u25cf Leave the surface wet for at least 5 minutes. \n\u25cf Rinse all surfaces intended for food or mouth contact \nwith plain water before use. \n\u25cf Wipe down with sanitizing solution concentration for \nfood contact surfaces to air dry. \n\u25cf Wash your hands thoroughly with soap and water.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e6e97e3e-f7e1-4626-8e2a-cd63d5996bb8": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 4 of 10 \n \n \n \nNon-absorbent surfaces (i.e., tile, stainless steel): \n\u25cf Prepare a disinfecting solution. The disinfecting \nsolution shall be an EPA registered hospital grade \ndisinfectant.* \n\u25cf Wear all PPE, including the face mask and eye \nprotection or goggles. Ensure that area is well \nventilated (mix solution outdoors if necessary). \n\u25cf Prepare a disinfecting solution per manufacturer\u2019s \nrecommendations immediately before applying it to \nsurfaces. It is recommended that this solution be used \non surfaces that have had any direct contact with body \nfluids. \n\u25cf Transfer solution to a spray bottle. \n\u25cf Using the spray bottle, generously apply the \ndisinfecting solution to affected surfaces, including \nsurfaces that came into direct contact with body fluids, \nand surfaces that may have been contaminated with \nbody fluids. \n\u25cf For incidents involving vomit, disinfect all areas and \nsurfaces within 25 feet of the spill.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "13fdc012-1332-4ee2-98f6-a7770e57ab0c": { + "page_content": "and surfaces that may have been contaminated with \nbody fluids. \n\u25cf For incidents involving vomit, disinfect all areas and \nsurfaces within 25 feet of the spill. \n\u25cf Use in a well-ventilated area. \n\u25cf Disinfect high touch areas (e.g., door handles, toilets, \ndispensers, carts, sink faucets, telephones, etc.) \nthroughout the food service area, cafeteria dining \nareas, break rooms, and restrooms using disinfecting \nsolution and paper towels. \n\u25cf Leave the disinfecting solution on affected surfaces for \na minimum of 5 minutes. If another EPA-approved", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "635654eb-0167-45c9-a6e1-3830913bb9b0": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 5 of 10 \n \n \n \ndisinfectant is used, follow the manufacturer\u2019s \ninstructions. \n\u25cf Rinse surfaces with clean water and paper towels \nand/or a disposable mop head. \n\u25cf Allow surfaces to air dry. \n\u25cf Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n\u25cf Remove gloves and dispose of them in a plastic \ngarbage bag. \n\u25cf Wash hands. \n* EPA-approved disinfectants may be used instead of \nchlorine bleach solutions. EPA-approved disinfectants \nappropriate for vomit and diarrhea may be found at \nwww.osha.gov/sites/default/files/publications/norovirus\n-factsheet.pdf. CDC guidelines on norovirus outbreak \nmanagement and disease prevention recommend \nusing chlorine bleach solutions on hard surfaces when \npossible. EPA-approved disinfectants appropriate for \nblood may be found www.epa.gov/pesticide-\nregistration/selected-epa-registered-disinfectants. \nAbsorbent surfaces (i.e., carpet, upholstery, cloth):", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "43e5f12e-f034-4c17-9c2f-5f599d8bca4e": { + "page_content": "blood may be found www.epa.gov/pesticide-\nregistration/selected-epa-registered-disinfectants. \nAbsorbent surfaces (i.e., carpet, upholstery, cloth): \n\u25cf Disinfect with a chemical disinfectant when possible or \nremove and dispose of the affected material. The \nmaterial will be double-bagged and disposed of \nthrough mainstream waste disposal. \n\u25cf Steam clean for a minimum of 5 minutes at 1700F.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "775892b1-4813-475f-9e01-e86468fccdcf": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 6 of 10 \n \n \n \n\u25cf Launder in a mechanical washing machine on the \nhottest water setting, and dry in a mechanical dryer on \na high heat setting. \n\u25cf Dispose of disinfecting materials in a plastic garbage \nbag, as appropriate. \n\u25cf Remove gloves and dispose of them in a plastic \ngarbage bag. \n\u25cf Wash hands. \n4. Discard potentially contaminated food. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Dispose of exposed food and food in containers that \nmay have been contaminated by body fluid in a \ngarbage bag. \n\u25cf For incidents involving vomit, discard all food within 25 \nfeet of the spill. Food stored in intact, sealed containers \n(i.e., cans) may be salvaged if adequately cleaned and \ndisinfected. \n\u25cf Remove gloves. Dispose of gloves in a plastic garbage \nbag. \n\u25cf Wash hands. \n5. Dispose of PPE and cleaning and disinfecting materials. \n\u25cf Put on new disposable gloves. Consider double \ngloving.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "0256afb8-5cc4-45b8-9a0c-76f39a65713f": { + "page_content": "bag. \n\u25cf Wash hands. \n5. Dispose of PPE and cleaning and disinfecting materials. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Securely tie garbage bags containing all of the \ndisposed of materials.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "6e5bb5f3-b0b1-49a8-89f0-5ed5d548ca0a": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 7 of 10 \n \n \n \n\u25cf Place garbage bags in a second garbage bag (double \nbag). \n\u25cf Clean all non-disposable items (bucket, mop handle, \netc) with soap and water; then disinfect. Allow these \nitems to air dry. \n\u25cf Remove PPE, including disposable gloves, and place in \na second garbage bag. \n\u25cf Securely tie the second garbage bag. \n\u25cf Discard the bag(s) in the dumpster. \n\u25cf Remove soiled clothes, if necessary, and place clothes \nin a separate garbage bag. Securely tie the garbage \nbag. Keep clothes in the tied garbage bag until they \ncan be adequately laundered. \n6. Wash hands, arms, and face with soap and water in a \nrestroom sink or hand sink. Put on clean clothing, if \nnecessary. Apply ethanol-based hand sanitizer to hands. \n7. Wash, rinse, and sanitize potentially contaminated food \ncontact surfaces. Include food contact surfaces that were \ndisinfected in step 5 of this SOP, and food contact surfaces", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "ddf1ed6c-708a-4fe8-938a-acd6178de99f": { + "page_content": "7. Wash, rinse, and sanitize potentially contaminated food \ncontact surfaces. Include food contact surfaces that were \ndisinfected in step 5 of this SOP, and food contact surfaces \nthat contained food discarded in step 6 of this SOP. \n8. Restock supplies for cleanup.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "798d08bc-567b-4b24-9d31-60913911e8ef": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 8 of 10 \n \n \n \nMONITORING \nStandard daily cleaning of food services areas shall include: \n\u25cf Custodial Staff: Sweep and clean the cafeteria floors with a \nneutral cleaner. Cafeteria walls and ceilings shall be cleaned \non an \u201cas needed\u201d basis. \n\u25cf Food Service Staff: Clean and disinfect cafeteria tables with \na solution of bleach and water. \nNOTE: Cleaning of body fluid spills in food services areas will be \ndone by the school\u2019s custodial staff. This will include any bodily \nfluid spill on the cafeteria tables. In this case, only the affected \ntable(s) will be cleaned by the custodial staff. All other cafeteria \ntables will be cleaned by the food service staff. \n1. The senior custodian is designated and trained to \nimplement this SOP and trained in the use of necessary \nsupplies. They will ensure that: \n\u25cf Necessary supplies are available at all times. \n\u25cf Custodians are: \n\u25cb Educated on illnesses and symptoms that must be", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "77390f18-b840-463c-af48-6841445c4d0d": { + "page_content": "supplies. They will ensure that: \n\u25cf Necessary supplies are available at all times. \n\u25cf Custodians are: \n\u25cb Educated on illnesses and symptoms that must be \nreported to their building service area manager or \n617-635-9162. \n\u25cb Monitored for signs and symptoms of illness. \n2. The food service manager will ensure that food service \nemployees are: \n\u25cf Educated on illnesses and symptoms that must be \nreported to managers. \n\u25cf Monitored for signs and symptoms of illness.", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "866ee67d-0629-4256-8ec2-aa57157bce66": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 9 of 10 \n \n \n \nAdapted from USDA document Cleaning and \nDisinfecting Body Fluid Spills (Miami County Public \nHealth website). \nFor more information about this circular, contact: \nOwner: Senior Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: 617-635-8300 \nFax: 617-635-7855 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nName: Equipment Coordinator \nDepartment: Food and Nutritional Services \nMailing Address: Food & Nutrition/Wellness Building, 370 \nColumbia Road, Dorchester, MA 02125 \nPhone: 617-635-9296 \nFax: 617-635-9305 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "e2c8b44f-8932-4a3e-86b5-5bc25fc9123e": { + "page_content": "Superintendent\u2019s Circular FMT-19 \nPage 10 of 10 \n \n \n \n \nName: Sr. Manager, Building Services \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: 617-635-9165 \nFax: 617-6359306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf", + "source_link": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "c7971406-d3df-4844-b964-7132a8030857": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFMT-15 \nVersion 01 \n \n \n \nANNUAL ENVIRONMENTAL INSPECTION/AUDIT \nPROGRAM \nCONDUCTED BY BOSTON PUBLIC SCHOOLS & BOSTON \nPUBLIC HEALTH COMMISSION \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPOLICY \nTo fully meet the intent and requirements of the City of Boston\u2019s \nIndoor Air Quality Ordinance (7.12.1-4), Boston Public Schools \n(BPS) and the Boston Public Health Commission (BPHC) have \ndesignated an Indoor Air Quality Unit which shall ensure that a \nminimum of two facility inspections per occupied school building \nare completed on an annual basis. A report with an assessment \nof conditions at each site will be developed by BPS and BPHC \nand presented to school principals/heads of schools and \npublished on the BPS website annually. \nIMPLEMENTATION PLAN \nThe Indoor Air Quality (IAQ) Unit responsible for completing the \nannual BPS environmental inspections/audit (inspection) will be", + "metadata": { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "9bf74e87-05a7-4c8e-a13a-4e0a4c6b19bf": { + "page_content": "Superintendent\u2019s Circular FMT-15 \nPage 2 of 3 \n \n \ncomprised of representatives from BPS Facilities Management\u2019s \nEnvironmental Division and the BPHC\u2019s Office of Environmental \nHealth. \nThe IAQ Unit will conduct two inspections of each occupied BPS \nowned or operated building during the academic school year. \nThe inspections will begin after the beginning of the academic \nschool year and will be completed by the end of the academic \nyear of the following year. An environmental audit will be done by \nthe BPS and the BPHC. \nThe inspection report will investigate and note environmental \nconditions in each report. The inspectors will test and look for \nhealth and safety conditions throughout the interior and exterior \nof each building including but not be limited to: general \nsanitation and housekeeping; water-staining, leaks, and mold; \ngeneral building repair; signs of pest infestation and activity; \ngeneral life safety; unobstructed means of egress; bathroom", + "metadata": { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "0195e49b-734a-42a5-904c-486a49b1929d": { + "page_content": "sanitation and housekeeping; water-staining, leaks, and mold; \ngeneral building repair; signs of pest infestation and activity; \ngeneral life safety; unobstructed means of egress; bathroom \nsanitation, hygiene, and operability; general ventilation, etc. \nUpon completion of the annual environmental inspection, \nFacilities Management will immediately address critical health \nand safety deficiencies by filing a work order with the appropriate \ndivision. They will incorporate other needed work at the school \nsites into the annual budgeting process. On an ongoing basis, \nFacilities Management will provide technical assistance to \nprincipals/heads of schools on environmental problems and \nother building-related issues.", + "metadata": { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "2fd05563-95a3-4f76-9f61-21f205f1bbc2": { + "page_content": "Superintendent\u2019s Circular FMT-15 \nPage 3 of 3 \n \n \nSIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember Environmental inspections will begin after the \nbeginning of the academic school year. \nOngoing \nPrincipals/heads of schools will receive a detailed \ninspection report following completion of the \nbuilding inspection. \nJune Environmental inspections of all school buildings \nwill be completed by the end of the academic year. \nAugust 31 \n \nEnvironmental inspection reports to be posted on \nthe BPS website (linked from \nhttps://www.bostonpublicschools.org/domain/175) \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing \nAddress: 1216 Dorchester Avenue, Dorchester, MA, 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "FMT-15 SY Environmental Audit Program .pdf", + "source_link": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FMT" + } + }, + "64e6091a-168b-4ae4-b6a9-ac066fb0cb51": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-03 \nVersion 01 \n \nFIELD TRIP TRANSPORTATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThis circular outlines the steps that must be followed when \ntransporting students to field trips where BPS transportation or \nan approved outside supplier is used. Additionally, this circular \noutline general rules regarding transporting students in the \nBoston Public Schools with other approved transportation \nsuppliers. \nSchool buses or approved transportation suppliers\u2019 \nvehicles should be used to transport students to and \nfrom field trips. Privately owned vehicles from non-\napproved suppliers or leased vans are not to be \nutilized to transport students to and from field trips, \nexcept in the case of a genuine emergency. Staff who \nutilize their own vehicles risk being legally liable if \nstudents are injured while riding in their automobiles.", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "173432b5-aed1-4021-9b50-bb1b734f38fe": { + "page_content": "except in the case of a genuine emergency. Staff who \nutilize their own vehicles risk being legally liable if \nstudents are injured while riding in their automobiles. \n \nTransdev is the supplier currently under contract with the Boston \nPublic Schools (BPS) to provide transportation services on BPS \nyellow school buses, including field trips. All field trip \ntransportation must utilize BPS school buses, unless the request \ncannot be accommodated based on capacity limitations, or an \napproved transportation supplier.", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "2c08b5a6-c395-48a7-b06b-23a262f76040": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 2 of 12 \n \nArrangements with other suppliers are subject to the designation \nof that supplier as approved by Nate Kuder, the Chief Financial \nOfficer, and may be made by individual schools/departments \nsubject to purchasing regulations. The approved supplier list can \nbe found at the end of this circular. \nStaff should be aware of their responsibility to consult with and \nobtain the approval of their respective school leader or \ndepartment head, using school/BPS letterhead, to make \nagreements or exchange money with parents, outside \ntransportation companies, travel agencies, etc. \nWhen requesting buses for field trips, school leaders should be \naware that BPS has the greatest bus availability between 9:30 \na.m. and 12:30 p.m. However, we encourage and welcome schools \nto submit all of their field trip requests as outlined in this circular. \nIn the event that a request cannot be met, school leaders should", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "e4ad32b6-9409-47e0-a0ee-207bafb2d449": { + "page_content": "to submit all of their field trip requests as outlined in this circular. \nIn the event that a request cannot be met, school leaders should \nexplore the opportunity to order buses from approved suppliers \nwho are not restricted to the use of the BPS school bus fleet. A \nlist of approved suppliers is attached at the end of this circular. If \nthe Transportation Department is unable to provide service at \nthe time requested, Transportation will aim to provide notice to \nthe school leader via email at least one week in advance of the \nrequested trip date. The Transportation Department does not \nrecommend particular suppliers for field trips and does \nrecommend the use of our primary supplier, Transdev, whenever \npossible. \n \nAll field trips must be budgeted on account 52811, regardless of \nthe supplier. If you do not have a field trip account (account", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "f36584e0-9cae-46a8-8aaa-a8ee717015a0": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 3 of 12 \n \n52811), you must submit a budget transfer within your \norganization code to create the appropriate budget line. \nIf students in 7th through 12th grade will be utilizing the MBTA \nfor a field trip, schools can email schooltrips@mbta.com and/or \nsubmit a request through the School Field Trip Submission Form \nshould they need to acquire MBTA passes for students who do \nnot already have a pass because they live within the school\u2019s walk \nzone. \n \nPlease refer to the following circulars for guidelines and \nprocedures for the planning and implementation of BPS field \ntrips: CAO-22 General Guidelines for All Field Trips, CAO-23 Day \nField Trip Guidelines, CAO-24 Overnight Field Trips Guidelines, \nand CAO-25 International Field Trip Guidelines. \n \nI. FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus \nFleet \n \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "4cb8e1e6-2c87-46f1-b953-189fd9b540ed": { + "page_content": "I. FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus \nFleet \n \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any \nplanned field trip, as outlined in the field trips circulars \nreferenced above. \n \n2. Submit your request via the Supplemental Transportation \nRequest Form to arrange for booking yellow bus \ntransportation with Transdev at least two (2) weeks in \nadvance of the field trip. If you would prefer to use a \ntransportation supplier from the attached approved", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "9db8afba-0aca-4f8a-94f5-b89ba8a373d9": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 4 of 12 \n \ntransportation suppliers list, please use the requisition \nprocess in the BAIS FN system. \n \n3. Once your field trip request through BPS has been \nprocessed, you will receive an invoice from the BPS DOT \nSupplemental Transportation Manager, Kyle Lewis. This \ninvoice will detail payment options. Please continue reading \nfor general payment information. \n \n4. Field trip transportation requests funded through external \ngrants must include the appropriate grant ID and program \ncodes. In the event that funds for an external grant have not \nbeen activated in BAIS FN, you will need to use general \nfunds (fund 100) for the trip. After the grant funds are loaded \ninto BAIS FN, please email Kyle Lewis, the Supplemental \nTransportation Manager, requesting that they submit an \nexpenditure transfer on your behalf to move field trip \nexpenses from fund 100 to your grant. \ni. As a reminder, all schools planning to have field", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "ef240baf-8c8a-4552-adff-2dd772e2c0ba": { + "page_content": "expenditure transfer on your behalf to move field trip \nexpenses from fund 100 to your grant. \ni. As a reminder, all schools planning to have field \ntrips should budget for them using account code \n52811 \nb. Please note that in cases where a school has indicated \nthat they would like to use ESSER or Title I META, the \nschool will need to provide confirmation that this \nspending has been approved by their ESSER Liaison or \nthe district\u2019s Title I Coordinator, Imani Penn \n(ipenn@bostonpublicschools.org). \n \n5. The Transportation Department will only order those field \ntrips utilizing the district\u2019s yellow bus fleet, managed by", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "db6243e5-9104-4e9f-88cb-b378a96a9fb5": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 5 of 12 \n \nTransdev. If you will be using a different vendor for your field \ntrip, please see section II. \n6. Payments should be made through a budget transfer or \ncheck. Field trip transportation will not be scheduled unless \nthe transfer is submitted, or the check is mailed at least five \n(5) school days prior to the date of the trip. \na. Fund 100/general funds: Transfers should be made to \nthe following chartfield in the BPS Transportation \nbudget: \ni. Org: 101081 \nii. Fund: 100 \niii. Account: 52805 \niv. Program: 2695 \nv. Class: 0000 \nvi. Bud Ref/Year: 2024 \nb. Fund 200/grants: BPS Transportation will submit an \nexpenditure transfer to the Grants Office on your \nbehalf. Please confirm the necessary approvals and the \nbudget line you would like to use to fund your field trip \nvia email to the Supplemental Transportation Manager, \nKyle Lewis, at least five (5) days before your scheduled \nfield trip", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "f577513d-831a-4ede-a5db-123af94e832b": { + "page_content": "budget line you would like to use to fund your field trip \nvia email to the Supplemental Transportation Manager, \nKyle Lewis, at least five (5) days before your scheduled \nfield trip \nc. Check: Please confirm the check was mailed via email \nto the Supplemental Transportation Manager, Kyle \nLewis, at least five (5) school days prior to the planned \ntrip. Checks should be made out to the Boston Public \nSchools Transportation Department and mailed to: \nKyle Lewis, BPS Transportation Department \nBruce C. Bolling Building \n2300 Washington Street \nRoxbury, MA 02119", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "4302783a-5fd0-4af3-8cec-a691df243e33": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 6 of 12 \n \nNote: Full bus capacity for the BPS yellow bus fleet is \napproximately seventy (70) elementary school students, sixty (60) \nmiddle school students and forty-five (45) adults/high school \nstudents. An adult MUST ride with students on any and all field \ntrips on BPS buses. \n \n7. Final confirmation for any transportation services provided \nby Transdev should be made three (3) school days before \nthe scheduled trip by contacting Kyle Lewis, the \nSupplemental Transportation Manager at Operations-\nDepartment-Heads@bostonpublicschools.org or 617-635-\n9418. Notice of any changes or canceled trips must be \nprovided to the Transportation Department at least three (3) \nschool days in advance, except in case of emergency. \n \nThe bus price schedule for the BPS fleet (Transdev) is as follows: \nInside Route 128 Discounted Rate: \n$132.50 each way if your trip is between 9:30 a.m. \nand 12:30 p.m. (Buses must be back to your school", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "dcff2bcc-a80d-4fb4-b9b1-38bce2714a6c": { + "page_content": "Inside Route 128 Discounted Rate: \n$132.50 each way if your trip is between 9:30 a.m. \nand 12:30 p.m. (Buses must be back to your school \nby 12:30 p.m., or the trip will be billed at the regular \nrate). \n \nRegular Rate: \n$190.00 each way or $380.00 for a round trip \nOutside Route 128 Regular Rate: \n$540.00 (in-state), $1,050.00 (out-of-state)", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "068c7bc0-ea32-4057-8659-b5b748983b8b": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 7 of 12 \n \nLayover Charges In some cases, if a school requires the bus to stay \non-site, it will cost $42.00 per hour for layover time. \n \n \nII. FIELD TRIP TRANSPORTATION CHECKLIST - Approved Private \nTransportation Supplier \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any planned field trip, as \noutlined in the field trips circulars referenced above. A \nRequest for Waiver form (attached) must be used if \nrequesting the use of suppliers not under contract with the \nBoston Public Schools; supplier options are limited to those \non the attached Approved Field Trip Transportation \nSuppliers list. Assurances are required for the use of all non-\nBPS carriers, as noted on the waiver form. This form must be \nattached to the field trip request form appropriate for the \ntype of trip you are conducting (based on the Field Trips \ncirculars referred to above) and forwarded to the Office of", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "b2c7ce0b-02e9-4909-9541-60e9c050627d": { + "page_content": "attached to the field trip request form appropriate for the \ntype of trip you are conducting (based on the Field Trips \ncirculars referred to above) and forwarded to the Office of \nthe Chief Financial Officer (do not send to theTransportation \nDepartment). \n2. All trips booked with approved private transportation \nsuppliers (this does not include Transdev) must be organized \nutilizing the requisition procedures in PeopleSoft BAIS FN. \nPlease complete the requisition for an approved \ntransportation supplier at least ten (10) school days prior to \nthe date of the trip to ensure that a purchase order (PO) can \nbe dispatched to the bus company ahead of the field trip. \n3. Please note that requisitions with incorrect account codes \ncannot be processed, therefore you will need to confirm that \nfunds for your field trip are in account 52811. If you do not", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "44641dc2-c20d-4648-a0e1-4aac35688d32": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 8 of 12 \n \nhave a field trip account in your budget (account 52811), you \nmust submit a budget transfer within your organization \ncode to create the appropriate budget line. Transportation \nrequests funded through external grants must include the \nappropriate grant ID and expense codes. \n4. The details of the requested field trip must be entered on \nthe requisition in the header details panel using the \ncomment section. The details must include the following \ninformation: \na. Contact person \nb. Phone number \nc. Email \nd. Pick-up location \ne. Site to be visited \nf. Address \ng. Site telephone number \nh. Site contact person \ni. Purpose of trip \nj. Date of trip \nk. Departure time \nl. Time back at school \nm. Number of students \nn. Number of buses needed \no. Adults riding along \n5. For requisitions to post, a valid budget check must be done. \nRequisitions that do not pass a budget check will not be", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "b3675c38-9a42-4ac3-858e-834096ae930e": { + "page_content": "m. Number of students \nn. Number of buses needed \no. Adults riding along \n5. For requisitions to post, a valid budget check must be done. \nRequisitions that do not pass a budget check will not be \nprocessed. It is the responsibility of the school ordering the \ntrip to ensure that all budget checks have passed and that a \npurchase order has been dispatched. Refer to the BAIS FN \nPeopleSoft training material titled \u201cCreating a Requisition\u201d if \nyou need assistance in this procedure.", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "d891ca97-9081-431f-9ef5-0f3d239fe5a7": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "e2430164-8113-4115-8935-84e3f89f27de": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 10 of 12 \n \nREQUEST FOR WAIVER FORM TO USE SCHOOL BUS SUPPLIERS \nNOT CURRENTLY APPROVED AND UNDER CONTRACT \n \nThis form must be used when utilizing suppliers that are not already under \ncontract with the Boston Public Schools. \n \n \nI am hereby requesting a waiver to use non-Boston Public School \ntransportation for the field trip \nrequested on the attached Field Trip Request Form (based on the Field Trips \ncirculars referenced above). \n \nSCHOOL: \n \nDATE OF TRIP: \n \nDESTINATION: \n \nBUS COMPANY (CARRIER): \n \nRENTAL COMPANY CARRIER: \n \nThe building administrator must check each of the following to indicate \ndocumentation on file in the school providing assurances noted: \n \n\u25cf Three informal quotes received from potential non-BPS transportation \ncarriers.", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "931fe728-ecb7-427f-9004-f6d1bff03705": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 11 of 12 \n \n\u25cf Carrier selected is licensed by the Commonwealth to provide charter \nservice. \n\u25cf Carrier drivers are properly licensed to provide charter service. \n\u25cf Carrier drivers are all CORI & SORI checked. \n\u25cf Carrier maintains a minimum bodily liability insurance policy of $1 \nmillion per occurrence. \n \n \nAPPROVALS: \n \n \n___________________________________________ ________________________ \nSignature of Principal/Head of School Date \n \n \n___________________________________________ ________________________ \nSchool Superintendent Date \n \n \n___________________________________________ ________________________ \nChief Financial Officer Date \n \nTHIS FORM SHOULD BE SUBMITTED TO THE PARTIES LISTED ABOVE. \nALLOW AT LEAST TEN SCHOOL DAYS FOR APPROVAL", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "89a504e6-9d96-4113-bb80-e93e72ef0813": { + "page_content": "Superintendent\u2019s Circular TRN-03 \nPage 12 of 12 \n \nAPPROVED FIELD TRIP TRANSPORTATION SUPPLIERS \nSupplier Name Supplier ID Phone \nNumber \nAddress \nAdams Motor \nTransportation Inc. \n0000003388 617-296-1930 631 Walk Hill Street, \nMattapan, MA 02126 \nChantals, Inc. 0000053323 617-293-0754 35 Nikisch Avenue, Boston, \nMA 02131 \nCrystal Transport, \nInc. \n0000001421 617-787-1544 1616 Hyde Park Ave, \nBoston, MA 02136 \nDollar Ride ECO \nRide LLC/ ECO \nRide Group \nTransportation \n0000071239 62 Huntington Street, \nBrockton, MA 02301 \nEastern Bus \nCompany \n0000000396 617-628-6868 PO Box 514, Somerville, MA \n02143 \nLocal Motion, Inc. 0000022242 781-535-6344 66B Rocsam Park Road, \nBraintree, MA 02184 \nPeople Care-iers, \nInc. \n0000003949 617-361-1515 270 Islington Road, \nNewton, MA 02466 \nTony\u2019s \nTransportation, \nInc. \n0000055218 617-719-3777 66 Glendale Street, PO Box \n220815, Boston, MA 02125 \nVocell Bus \nCompany, Inc. \n0000000385 781-393-0220 378 Commercial Street, \nMalden, MA 02148", + "metadata": { + "file_name": "TRN-03 Field Trip & Athletics Transportation.pdf", + "source_link": "https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "41215221-c110-41b0-8de8-3457bae70591": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-01 \nVersion 01 \n \n \nSCHEDULE OF SCHOOL HOURS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAttached is an alphabetical listing of opening and closing hours \nfor each school for the school year. This listing includes an AM \nbus drop-off time for each school when staff must be available to \naccept students, an AM bell, a PM bell, and an early dismissal \ntime and day of week. \nPlease pay special attention to the AM and PM bell times for your \nschool. No changes may be made to these schedules \u2014 including \nto early dismissals \u2014 without the written permission of the chief \noperating officer. All requests for changes to bell times for the \nsubsequent school year must be made in writing to the chief \noperating officer before the end of October. \nPlease note the following regarding any requested changes: \n\u25cf Any requested bell time changes must be for either", + "metadata": { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "2d17db92-fd16-4572-9bab-7a6637043839": { + "page_content": "operating officer before the end of October. \nPlease note the following regarding any requested changes: \n\u25cf Any requested bell time changes must be for either \n7:30am, 8:30am, or 9:30am AM bell times in order to align \nwith the District\u2019s 3-tier bell schedule \n\u25cf No requested bell time changes for an 8:30am start can be \naccommodated at this time, as the transportation \noperation is at capacity during the 2nd tier. \nIMPORTANT NOTES ON TRANSPORTATION: \n\u25cf All BPS buses are scheduled to arrive at schools 15 minutes", + "metadata": { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "eadbd371-edc3-491d-bf93-22d23ae017a0": { + "page_content": "Superintendent\u2019s Circular TRN-01 \nPage 2 of 3 \n \n \nbefore the scheduled AM bell time to give students time \nto settle in and have breakfast before instruction starts. \nAdequate staff assistance is needed to make sure buses \nare unloaded as they arrive, as efficiently and safely as \npossible, so that these buses can get to the next \nscheduled location on time. Buses are expected to depart \nthe school for their next trip no more than 10 minutes after \ntheir arrival. In some cases, with agreement from the \nschool, buses are scheduled to arrive more than 15 \nminutes before the scheduled AM bell time \n\u25cf PM buses are scheduled to arrive at each schools\u2019 PM bell \ntime. Adequate staff assistance and the appropriate \ndismissal procedure are needed to make sure buses are \nloaded as they arrive. Buses are expected to depart 10 \nminutes after the PM bell to get to their next scheduled \nlocation on time. \n\u25cf On the day before Thanksgiving and the last two days of", + "metadata": { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "cfb2918f-9188-4ea6-b31d-32089ba4343f": { + "page_content": "loaded as they arrive. Buses are expected to depart 10 \nminutes after the PM bell to get to their next scheduled \nlocation on time. \n\u25cf On the day before Thanksgiving and the last two days of \nschool in June, all schools will dismiss pupils a uniform \ntwo (2) hours and thirty (30) minutes earlier than their full-\nday PM bell time, unless operationally there is a need to \nmodify dismissal. The uniform two hour and thirty-minute \nearly release will apply to all schools, regardless of any \nregularly scheduled early release or past practice. \n\u25cf Certain specialized programs/schools have hours that are \nsubject to determination by the superintendent or \ndesignee.", + "metadata": { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "6fd9cc6e-8c52-4cff-865d-4aa870b1910c": { + "page_content": "Superintendent\u2019s Circular TRN-01 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Executive Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-Heads@bostonpublicschools.org \nMary Skipper, Superintendent \n \nATTACHMENT: \n BOSTON PUBLIC SCHOOLS SCHEDULE OF SCHOOL HOURS", + "metadata": { + "file_name": "TRN-01 Schedule of School Hours.pdf", + "source_link": "https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "cd86f53f-145d-4766-8ed1-f449ced4b0a1": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-02 \nVersion 01 \n \n \n \nSTUDENT TRANSPORTATION SAFETY & DISCIPLINE \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nHEAD OF SCHOOL/PRINCIPAL EXPECTATIONS \nThe school bus is considered an \"extension of the classroom\" in \nterms of expected student behavior. The school is responsible for \nworking with students and parents/guardians to address \nbehaviors of students and parents/guardians that take place on \nor are related to bus service that are not consistent with school \nand district policies. This policy reinforces the Standards of \nBehavior for Boston Public School students. The head of \nschool/principal is responsible for implementing the Code of \nConduct and Standards of Behavior as they apply to students and \nparents/guardians while utilizing school transportation and the \nMBTA. The head of school/principal will also communicate \nstudent/parent/guardian obligations at the start of the school", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "22be4efb-6eda-4970-9d77-b674d8a7bcbb": { + "page_content": "parents/guardians while utilizing school transportation and the \nMBTA. The head of school/principal will also communicate \nstudent/parent/guardian obligations at the start of the school \nyear via student presentations and notification to \nparents/guardians through School-Based Rules. Please note that \nthe Code of Conduct includes procedures for the denial of \ntransportation. \nThe head of school/principal will apply all approved Boston Public \nSchools policies and procedures to matters of regular \ntransportation service and field trips, athletics, and late bus runs.", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "d6ca9390-1f36-4800-abc7-dc911e3afb25": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 2 of 10 \n \n \n \nINCIDENT REPORTING AND RESPONSE \nThe head of school/principal will report all incidents, maintain all \nrecords, and take appropriate action as prescribed in applicable \nSuperintendent's Circulars, including but not limited to any state \nor federal reporting (e.g., mandated reporting to DCF or the SSDR \nreport for DESE, etc.). In the event of a school transportation \nincident resulting in student injury, the school administrator will \ncontact the parent(s)/guardian(s) and provide appropriate \ninformation in accordance with Superintendent's Circular FSE-05, \nMedical Emergency Management. The head of school/principal \nwill maintain copies of all incident reports filed by drivers and \nutilize reports for remedial actions. \nBPS school buses are equipped with two cameras. One camera \nfaces out from the bus forward to record oncoming traffic. The \nsecond camera is focused inward on the bus from the front of the", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "f56fd8e7-03dc-426f-8989-5ce65da0a981": { + "page_content": "BPS school buses are equipped with two cameras. One camera \nfaces out from the bus forward to record oncoming traffic. The \nsecond camera is focused inward on the bus from the front of the \nbus. Cameras do not record sound. Only in emergency situations \n(e.g. active missing student investigation) may camera footage \nbe accessed in real time and only by Department of \nTransportation personnel. When an incident is reported, \ndepending on the nature of the incident, a review of video \nfootage of the reported incident may be requested by a school, a \nparent/guardian, or a member of the district transportation team. \nIn most situations, student conduct investigations will rely on \nincident reports from students and adults on board the bus, \nrather than camera footage. Any requests for bus footage must \nrun through the BPS Transportation Department. Cameras have \nlimited video storage capacity that typically store 7 (seven) to 10", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "9e83d809-0240-4628-99c7-a7500020726a": { + "page_content": "rather than camera footage. Any requests for bus footage must \nrun through the BPS Transportation Department. Cameras have \nlimited video storage capacity that typically store 7 (seven) to 10 \n(ten) days of footage, depending on bus usage. Cameras are not \nactively monitored. Neither BPS DOT nor the bus vendor will use \ncameras for any purpose other than investigating specific", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "15c15890-f698-46db-b9c5-7034c748afdf": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 3 of 10 \n \n \n \nallegations. \nWhen incidents occur that are related to bus transportation, BPS \nDOT can work with schools on implementing solutions to \nsupport successful student transportation on BPS buses. Some \nstrategies that have been effective in the past include but are not \nlimited to school-led mediations with parents/guardians, \nstudents, bus drivers, bus monitors, and school staff; school-led in \ndepth training for drivers and/or monitors; school assigned bus \nseating plans; addition of a bus attendant by the school to the \nbus. In very limited circumstances, requiring approval of the \nDirector of BPS DOT, a student, driver, or monitor may be \nreassigned. Such reassignment will be a last resort only after \nother strategies have been exhausted. This helps ensure that \nstudents are fully supported in learning how to successfully \nnavigate yellow bus transportation. \nRELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "006e6b9f-0598-4742-948d-ddfa89f96584": { + "page_content": "students are fully supported in learning how to successfully \nnavigate yellow bus transportation. \nRELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING \nBUS ARRIVALS AND DISMISSALS \nThe head of school/principal or their designee is responsible for \nmonitoring transportation service and the performance of school \nbus drivers and monitors. This includes daily one-on-one contact \nby school staff with a driver upon their arrival and departure from \na school. Heads of school/principals are advised and encouraged \nto make all efforts to maintain a positive relationship with all \ndrivers and bus monitors and to also endeavor to work \nconstructively with all BPS and Transdev staff with whom they \ncome in contact throughout the school year. \nSchool administrative staff are responsible for managing safe and \nefficient bus arrival and dismissal processes. All buses assigned to", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "6c4f0ebb-b83c-42ab-bdd3-5df6468cda94": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 4 of 10 \n \n \n \na school are together scheduled to be fully loaded or unloaded \nwithin a ten-minute window. To be on time for all subsequent \ntrips, in the morning all buses must be unloaded and depart the \nschool by the school\u2019s bell time. In the afternoon, all buses \nassigned to a school must load and depart the school by 10 \nminutes after the bell time. \nWhen arriving at schools, buses may not allow students to unload \nuntil a member of the school staff is present to meet students. \nThis ensures that a school staff member is present to take \nresponsibility for students before students exit the bus. Schools \nare responsible for maintaining up-to-date bus rosters and \nensuring students are placed on their assigned bus during bus \ndismissal. BPS Transportation Department operations support is \navailable to review bus loading and unloading procedures upon \nrequest. \nHeads of school/principals are encouraged to make time", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "b8667596-9ba2-458f-a4ec-a0d6ae9d9571": { + "page_content": "dismissal. BPS Transportation Department operations support is \navailable to review bus loading and unloading procedures upon \nrequest. \nHeads of school/principals are encouraged to make time \navailable to meet with drivers who wish to confer with them on a \nvoluntary basis throughout the school year for the purpose of \nmaintaining their transportation safety/discipline program. \nHeads of school/principals may provide drivers with a seating \nplan for each bus, but they should work constructively with \ndrivers and monitors in the implementation of such a plan. If a \nseating plan is put in place, students should be instructed to \nremain in their assigned seats throughout the trip. \nThe head of school/principal or their designee should regularly \ninterview students to make assessments of the quality of \ntransportation service and are also asked to monitor ridership \nand notify BPS Transportation if any bus assignments are not", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "59ca0638-90db-4fc9-966a-342806245ae3": { + "page_content": "interview students to make assessments of the quality of \ntransportation service and are also asked to monitor ridership \nand notify BPS Transportation if any bus assignments are not \nbeing utilized. Schools can provide student opt out information in", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "e238afd2-1d99-44e6-873b-b96b920f40fe": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 5 of 10 \n \n \n \nour Support Portal. This link provides a walkthrough. We ask \nschools to utilize our Support Portal to ensure accountability \nwithin our team and support our effort to reduce follow-up times. \nThe head of school/principal or their designee may occasionally \nride school buses for first-hand observation of operations, but \nnotification to the Transportation Department must be made in \nadvance to ensure that buses are within capacity requirements \nfor ridership. \nMonitors assigned through the special education process are \nessential members of a student\u2019s support team. Schools are \nresponsible for training bus monitors on IEP required student \nspecific supports. Monitors must be included in students\u2019 \nsupport teams for training on an ongoing basis to be prepared to \nbest meet the needs of our students who ride the bus and to help \nensure students can succeed in the least restrictive environment.", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "dd886c2f-e8fd-465b-a197-b2f14eacb216": { + "page_content": "support teams for training on an ongoing basis to be prepared to \nbest meet the needs of our students who ride the bus and to help \nensure students can succeed in the least restrictive environment. \nSchools may contact the BPS DOT Monitors Unit to arrange \nmeetings with monitors throughout the school year. \nPlease remember that bus drivers and bus monitors are \nimportant members of our school community. When they are at \nyour school, per district policy, they are permitted to use \nrestroom facilities. Bus drivers and bus monitors are expected to \npresent identification to enter any building. Just like for all other \nmembers of our school and district staff, please ensure that these \nteam members have access to bathroom facilities in your \nbuilding as needed. \nSAFETY EDUCATION AND EVACUATION DRILLS \nThe head of school/principal will support all safety education \nefforts relative to transportation and initiate programs within the", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "adb3cf3c-3cc7-4eef-9e9e-4111c02cb70d": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 6 of 10 \n \n \n \nfirst week of the school year and throughout the school year. \nSchool bus evacuation drills are to be conducted in accordance \nwith M.G.L., Chapter 90, Section 9B, which mandates school bus \nevacuation instruction and drills. Evidence of completed \ninstruction and drills must be kept on file by the head of \nschool/principal. BPS Transportation, Transdev Safety, and BPS \nSafety Services personnel will assist school administrators in \nconducting bus evacuation drills as required by M.G.L. Chapter \n90, section 9B. \nROLE OF THE BPS TRANSPORTATION DEPARTMENT \n\u2022 The Transportation Department acts as the liaison between \nthe bus company, school personnel, parents/guardians, BPS \nSafety Services, and Boston Police Department. \n\u2022 The Transportation Department monitors contractual \ncompliance by vendors relative to the employment of \ndrivers and driver conduct. \n\u2022 The Transportation Department records all complaints", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "7d450d22-7afa-43e0-816c-e9a715ee863f": { + "page_content": "\u2022 The Transportation Department monitors contractual \ncompliance by vendors relative to the employment of \ndrivers and driver conduct. \n\u2022 The Transportation Department records all complaints \nregarding driver behavior and forwards them to the \ncompany for remedial action by the bus company. The \nDirector of Transportation may, in extreme circumstances, \norder suspension or reassignment of drivers subject to \nconsultation with the bus vendor and the collective \nbargaining agreement between drivers and bus company. \n\u2022 The Transportation Department completes bus routing and \nplanning to create efficient bus schedules that minimize \nride time for students and optimize deployment of drivers, \nmonitors, and buses. Where necessary, the Transportation \nDepartment will revise routes or pick-up points to reduce", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "db9644c8-d388-4c59-b36a-996b7a2e7908": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 7 of 10 \n \n \n \npotential safety problems. \n\u2022 The Transportation Department provides parents/guardians \nwith advice relative to procedures to assist in the resolution \nof transportation issues. \n\u2022 The Transportation Department notifies the head of \nschool/principal of any school bus accident, including a list \nof the students onboard the bus and any other relevant \ninformation. In the event an accident occurs after school \nhours, the Transportation Department will attempt to notify \nthe Head of School/Principal at home. \n\u2022 In the event of a school transportation accident or incident \nresulting in student injury, BPS Transportation implements \nthe following procedures: \no Ensures Transdev Safety staff has properly followed \nprocedures and notified police or emergency medical \nservices as necessary. \no Notifies the school building administrator, principal \nleader, assistant superintendent of operations, and", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "b122bb10-9cc8-4d57-99d5-f3b6527b7359": { + "page_content": "procedures and notified police or emergency medical \nservices as necessary. \no Notifies the school building administrator, principal \nleader, assistant superintendent of operations, and \noperational leader, relaying all available information. \nBuilding administrators are then responsible for \nnotifying parents/guardians. \n\u2022 If the building administrator or other school-based staff is \nnot available, BPS Transportation Department staff will \nnotify parents/guardians or emergency contact person. \nROLE OF THE BUS COMPANY \u2013 TRANSDEV TRANSPORTATION \nThe bus company will comply with all requirements contained in \nits contract with the School Committee, its collective bargaining \nagreements with its staff, and all Massachusetts laws and", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "993e5bef-a721-4bbe-9b23-8d6720ada8cc": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 8 of 10 \n \n \n \nregulations as they pertain to school bus safety and reporting. \nThe bus company will adhere to the Incident Response & Report \nProcess as outlined below: \n1. The Transdev Safety Desk will log all calls and deployment \nrequests sent into the Safety Desk by drivers or safety staff, \nBPS Transportation, or others and will submit those along \nwith any incident reports generated after an incident. \n2. In an emergency, Transdev Safety Desk will call BPS or EMS \nand deploy Transdev road safety supervisors to all serious \nincidents and accidents. Transdev Safety Desk will notify \nBPS Transportation staff immediately upon learning of any \nserious incident and will continue to supply timely details \nfrom the scene as they become available. In the event of a \nschool transportation incident resulting in student injury \nafter normal operating hours, Transdev Safety Desk staff and \nBPS Transportation Call Center staff will assist school", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "471d2718-7f94-4ed5-96e0-6ee57d0ac0c2": { + "page_content": "school transportation incident resulting in student injury \nafter normal operating hours, Transdev Safety Desk staff and \nBPS Transportation Call Center staff will assist school \nadministrators in the parent/guardian notification process. \n3. Transdev drivers will provide as much specific information \nas possible over the radio to Safety Desk and in their written \nreports, mainly the names and student numbers of involved \nstudents. Drivers should also fill out incident reports and \ngive copies to school administrators and their branch \nsupervisors daily. All incident reports are logged on a \ncomputer database at the bus company. \n4. Transdev safety staff and BPS Transportation work together \nto communicate with heads of school/principals and police \nwhere necessary to assist in the resolution of incidents. \nHeads of school/principals are required to contact \nparents/guardians and discipline students when necessary.", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "38c67547-cf09-4d1f-bdd8-e14a0d1a0526": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 9 of 10 \n \n \n \nThe bus company will instruct drivers to meet with heads of \nschool/principals after the \"dry runs\" of bus routes before the \nopening of school. Heads of school/principals should be prepared \nto discuss their student transportation safety/discipline program \nwith drivers at that time and throughout the year. Drivers may \nalso be made available to meet with the head of school/principal \non an ongoing basis. Arrangements for meetings can be made by \ncontacting the BPS Transportation Department. \nTransdev road safety supervisors and driver trainers will inspect \nthe safety and accessibility of pick-up and drop-off locations \nthroughout the city as requested.", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "dcd691cc-655d-403b-9130-df5c59c1d9dc": { + "page_content": "Superintendent\u2019s Circular TRN-02 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Chief of Student Support \nDepartment: Student Support Office \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "TRN-02 Student Transportation Safety and Discipline.pdf", + "source_link": "https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#TRN" + } + }, + "4ba2a984-fadd-469c-b924-65516a585a60": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-08 \nVersion 01 \n \n \n \nSAFE MODE AND INTERNAL THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMandatory SAFE MODE drills are to be planned, conducted and \nreviewed during September and January of each school year. Each \nschool should conduct two SAFE MODE drills every year. These \nexercises are to be coordinated through your school superintendents. \nA report on each safe mode drill must be documented on the Google \nform, which can be found at the BPS Fire & Safety Drill Report . If you \nhave any questions, please contact the BPS Office of Emergency \nManagement. \n \nThese drills will help prepare the school community for any real life \nsituation that may occur. \n \nDuring any real-life situation: \n\u25cf Call 911 as soon as you can do so safely. \n\u25cf Call the Department of Safety Services at 617 -635-8000, after \ncalling 911, if you can do so safely.", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "41a1f7d1-f567-4d8e-b486-a43e8f51f94c": { + "page_content": "During any real-life situation: \n\u25cf Call 911 as soon as you can do so safely. \n\u25cf Call the Department of Safety Services at 617 -635-8000, after \ncalling 911, if you can do so safely. \n \nObjectives of SAFE MODE drills: \n\u25cf Staff will be able to describe what SAFE MODE is and their \nresponsibilities during a SAFE MODE event. \n\u25cf Staff will have the opportunity to have their questions \nconcerning SAFE MODE heard and answered.", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "fdb2dfb3-9069-47b6-b930-1dcf0520b4fb": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 2 of 13 \n \n\u25cf Staff will have the opportunity to raise potential concerns that \nhave not yet been addressed to assist in better anticipating \nissues during SAFE MODE situations. \n \nDEFINITIONS AND PROTOCOL FOR ACTUAL EVENTS \n \nSAFE MODE (External Threat) \nSAFE MODE is a protective action used to safeguard faculty, staff, \nand students from an external threat as a result of law enforcement \nactivity near the school or a potentially dangerous situation near the \nschool. Schools will typically be placed into SAFE MODE by the \nBoston Police Department or BPS Safety Services, but each school \ncan enter SAFE MODE on its own. \n \nExamples of reasons why schools go into SAFE MODE: \n\u25cf Police activity around or near your building \n\u25cf Shooting outside your building \n\u25cf Fire or accident near your building \n \nHow will you know when you are in SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b074885d-6d95-4603-aa7d-ae6fd1a67966": { + "page_content": "\u25cf Shooting outside your building \n\u25cf Fire or accident near your building \n \nHow will you know when you are in SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\"", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0e17d3e8-02f2-4c2b-9034-c4afd5b9bb21": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 3 of 13 \n \nNOTE: The Principal/Head of School, Site Coordinator or designee \nwill also be alerting Safety Services and calling 911 to alert them \nthat they are in SAFE MODE if not a drill, as mentioned above. \n \nWhat should faculty and staff do upon notification of SAFE MODE? \n1. If you see, hear, or observe a potential threat outside your \nbuilding, bring all students and staff back into the building \nimmediately and initiate SAFE MODE and notifications. \n2. Depending on the circumstances and the direction of the \nPrincipal/Head of School, Site Coordinator or their designee, \nlearning activities may continue during a SAFE MODE. If \ncontinuing learning activities, be sure the volume in the room \nis low enough to hear further announcements. \n3. Check the hallways for people nearby and bring them into the \nclassroom. \n4. Check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom door.", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "022335c5-bac2-4132-ae9d-50433dba4f82": { + "page_content": "3. Check the hallways for people nearby and bring them into the \nclassroom. \n4. Check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom door. \n6. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and close \nthe windows and shades (if you have them). Turn the lights off \nand silence cell phones, radios, Tv and any other source of noise \nas necessary. \n7. Be prepared to m ove students away from windows and doors \nand stay in your safe location. \n8. Take attendance. Verify the missing and extra people in your \nroom. Write the names on a sheet of paper and wait for \nsomeone to contact you for that list (may be by intercom or in \nperson).", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "84a84407-e413-4c24-818c-ea6a012a3522": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 4 of 13 \n \n9. Ramain with your students in the classroom until further \ninstructions are given. \n10. Only use the intercom to notify the main office of emergencies \nor special needs. \n11. SAFE MODE ends only when the principal/head of school , site \ncoordinator or designee announces it via intercom or through \ndoor to door notifications. \n \nWhat will the safety team be doing during SAFE MODE? \n1. Administration will make sure exterior doors are locked. \n2. Floor captains will check classrooms and lock bathrooms. \n3. Administration will notify all staff via the public address system \nof the situation. \n4. Administration will notify Safety Services and their school \nsuperintendent if they are in an actual SAFE MODE. They will \nnotify their school superintendent if they will be conducting a \nSAFE MODE drill. \n5. Administration or police will monitor cameras. \n6. Administration or police will monitor the entire school to make", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "25e71e6d-ce36-4c69-9135-ecc4a2bc257a": { + "page_content": "SAFE MODE drill. \n5. Administration or police will monitor cameras. \n6. Administration or police will monitor the entire school to make \nsure no one is in the hallways or leaving or entering the \nbuilding. \n7. Administration will work with BPS Communications to send a \nnotice to all families within a short time after the incident when \nthe situation is clear. \n \nPreventative Safe Mode: This version of SAFE MODE can be used to \nstop motion in the building under certain circumstances to resolve \nan internal issue (e.g., lost children, student/adult behavior, K9 \nsearch, etc.).", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "cbfeaacf-be97-4b7d-8dc5-79e025352946": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 5 of 13 \n \nHow will you know when you are in PREVENTATIVE SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE \nMODE. Remain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\" \n \nIf schools want to conduct internal threats drills, they should only do \nso with staff. No students should be involved in an internal threat \ndrill. If there are concerns about these drills or procedures, they \nshould only be discussed with staff. \n \nINTERNAL THREAT (Interior) \nINTERNAL THREAT will be announced if there is any person in the \nbuilding who is looking to cause harm to people. If an internal threat \nis in the building, all occupants should use the AVOID, DENY,", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3832cc37-35b8-41e3-a6d3-bb7f88b2df85": { + "page_content": "building who is looking to cause harm to people. If an internal threat \nis in the building, all occupants should use the AVOID, DENY, \nDEFEND (formerly RUN, HIDE, FIGHT) model to protect themse lves \nand anyone in their care. During this situation, occupants should use \ntheir own judgment to determine what they will do. \n \nExamples of an INTERNAL THREAT are: \n\u25cf Unknown or unidentified people in your building wandering \naround \n\u25cf Out of control parent/family member \n\u25cf Person with a weapon in the building \n\u25cf Person shooting in your building", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "169c5efa-8fae-403a-9501-a12d47704943": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 6 of 13 \n \n \nHow will I know when we have an INTERNAL THREAT? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via the school intercom (and call 911 if not a \ndrill): \n \n\u201cAttention faculty and students: there is an INTERNAL THREAT \n(AVOID, DENY, DEFEND).\u201d \n \nWhat will be happening on campus during an INTERNAL THREAT \nsituation? \n1. No one will be in hallways. \n2. Anyone with information on the threat should be calling 911 to \nalert police of the situation. \n3. Occupants will be using the AVOID, DENY, DEFEND protocol \nto decide their actions: \n\u25cf AVOID (RUN) pay attention to your surroundings, know \nyour exits if you know it is safe to do so: get as far away \nfrom the building or source of threat as you can (you should \nnot be able to see the building/threat from where you have \nrun to). If it is safe to do, call 911, call the School Leader and \nSafety Services at 617-635-8000. Cautiously alert people", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "37d678a5-d93c-4be1-bc34-72a00e806a59": { + "page_content": "not be able to see the building/threat from where you have \nrun to). If it is safe to do, call 911, call the School Leader and \nSafety Services at 617-635-8000. Cautiously alert people \naround you if possible. \n\u25cf DENY (HIDE) if you cannot run: barricade where you are (if \nyou can) and stay out of sight of the threat,lock the door, \nturn off the light. Silence your phone, radios, tv and/or any \nother source of noise. \n\u25cf DEFEND (FIGHT) If you cannot Avoid or Deny be prepared \nto defend yourself. If fighting is your last resort and the \nthreat is in your space and is going to hurt you or people", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ad03a66d-30b3-4493-9aad-500cd433c1cb": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 7 of 13 \n \nyou are with, find something to fight (laptop, chair, fire \nextinguisher or any other available resources). \nAll staff should consider what to do during an internal threat on a \nregular basis. HAVE A PLAN! \n \nHELPFUL HINTS: \u201cKNOW YOUR SPACE\u201d \n\u25cf Know all available egress (EXIT) points if you ever need to \nAVOID (RUN). \n\u25cf Know what you can use to barricade your door(s) and conceal \nyourself from sight if you ever need to DENY (HIDE). \n\u25cf Know what you can use to DEFEND (FIGHT) if fighting is your \nonly option (fire extinguisher, chair, laptop, etc.). \n\u25cf The goal of both SAFE MODE and INTERNAL THREAT is to take \ncover and conceal yourself and your students from the active \nassailant. Covering glass (with large paper, shades, etc), \nshutting off lights, staying quiet (silence your phone, radios, \nTV or any other source of noise) and moving into a position of \nconcealment is key. \n \n \nPOLICE RESPONSE: \u201cKNOW WHAT TO EXPECT\u201d", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "76e73feb-39f8-4a33-ae24-5e33e6373cce": { + "page_content": "shutting off lights, staying quiet (silence your phone, radios, \nTV or any other source of noise) and moving into a position of \nconcealment is key. \n \n \nPOLICE RESPONSE: \u201cKNOW WHAT TO EXPECT\u201d \n\u25cf Law enforcement priorities: \n1. Neutralize the shooter \n2. Stop the bleed of the first critical victim they encounter \n(only if the shooter is not in the immediate location. This is \na new protocol.) \n\u25cf When police arrive, follow their commands, show the palms of \nyour hands, don\u2019t move quickly. \n\u25cf BPD policy is that plainclothes officers can respond to an active \nassailant, help may not be in uniform.", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "5f326919-79b4-4f56-a1b5-10844574168f": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 8 of 13 \n \n \n \nDEFINITIONS AND PROTOCOL FOR SAFE MODE DRILLS \n \nHow to conduct a Safe Mode Drill at your school? \n \nIdentify a Safety Team if you have not already done so (Refer to \nSafety Contingency Plan FSE-01). This Safety Team should include \nthe School Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designees. Please review FSE-01 page 24 \nfor guidance. \n \nThe Principal/School Leader, Site Coordinator or designee must \nensure that staff receive and understand proper instructions on \nthe safe mode drill procedure. Students should also be informed \nof the procedure in order to align expectations prior to the dril l. \nThe drill must be recorded on this form. \n \nPrior to the Drill: \nConfirm the Plan: School Leader/Site Coordinators or designee \nwill review the Safe Mode and Internal Threat Procedures, \nincluding the various situations and levels of Safe Mode (ie", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "fde67568-684a-4251-869a-915c5ce40c52": { + "page_content": "Confirm the Plan: School Leader/Site Coordinators or designee \nwill review the Safe Mode and Internal Threat Procedures, \nincluding the various situations and levels of Safe Mode (ie \nexternal threat/ medical issue/ internal threat) with staff. Select \nthe dat e of the drill and coordinate roles and responsibilities \nduring and after the drill. \n \nDay of the drill: \nJust in Time Training: School Leaders/Site Coordinators or \ndesignee will instruct staff to review Safe Mode and Internal \nThreat Procedures ensuring everyone knows their roles", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "cb3bc132-c057-460b-8a4c-a73836416722": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 9 of 13 \n \n(Students/Staff). Also staff should confirm window covers are \navailable (shades/blinds/paper/boards, etc) and classroom doors \ncan lock properly from the exterior. Familiarize yourself with the \nsystem used to warn you to go into Safe Mode, this may be the \npublic address system, if available, an intercom system, phones \nor radios. If the only method to communicate within the school \nis the bell system, note the warning bell system used to warn \neveryone to Safe Mode. \n*Listen carefully for instructions* \nConducting Safe Mode Drill: \n1. Inject: Safe Mode ANNOUNCEMENT is made via the PA, with \nthe support of radios to areas where the PA does not reach. \n2. Staff and students go inside the building into the nearest \nclassroom immediately if they are not already. \n3. Staff check the hallways for other staff/students nearby and \nbring them into the classroom. \n4. Staff check adjacent classrooms through interior doors for", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "7bad6fa1-9f6d-4669-bc74-45b41fa0c2f8": { + "page_content": "3. Staff check the hallways for other staff/students nearby and \nbring them into the classroom. \n4. Staff check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom doors. \n6. Close and lock the windows. \n7. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and \nclose the windows and shades (if you have them). \n8. Move students away from windows and doors and stay in your \ncurrent location. \n9. CONDUCT AN ACCOUNTABILITY SURVEY Verify the missing \nand extra people in your room. Write the names on a sheet of \npaper and wait for someone to contact you for that list (may \nbe by intercom or in person).", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d96a0505-dc99-4dfd-89bb-ab95ee2cec2a": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 10 of 13 \n \n10. Stay with your students in the classroom until further \ninstructions are given. \n11. Only use the intercom to notify the main office of emergencies \nor special needs. \n12. Silence all cellular devices. \n13. Shut off the lights. \n \nIF THE FIRE ALARM SYSTEM SOUNDS: \n\u25cf Evacuate if there are visible signs of fire. \n\u25cf Await instructions if there are no signs of fire. \n \n14. ALL CLEAR/ RETURN TO SCHOOL \nSchool Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designee announces ALL CLEAR via \nintercom or through door to door notifications. \nAction: Staff return to normal classroom activities. \n15. School Leader, Site Coordinator or designee reports the drill \non this form . If you have any problem with this link, please \ncontact the OEM Team for assistance. \n \nNote: Learning activities may continue during a SAFE MODE drill, \nunless you are instructed otherwise by the Principal/School Leader,", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "4771e732-bd70-487d-bea8-88f91f5f8844": { + "page_content": "contact the OEM Team for assistance. \n \nNote: Learning activities may continue during a SAFE MODE drill, \nunless you are instructed otherwise by the Principal/School Leader, \nSite Coordinator or designee. If continuing learning activities, be \nsure the volume in the room is low enough to hear furth er \nannouncements. \n \nIMPORTANT REMINDER: The BPS Office of Emergency \nManagement is available to support schools drills as well as \nfacilitating tabletop exercises or functional tests of school buildings \nplans and protocol. Please contact us for more information.", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "375b9554-8764-4f76-9096-67994565c211": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 11 of 13 \n \nAll staff should view the following video from the Ohio State \nUniversity, to obtain important additional information that will be \nhelpful in the event that an incident occurs at the school or another \nlocation. \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.29.2024)", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "29148a8c-af63-4d13-b228-f0323199c292": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 12 of 13 \n \nBPS Safe Mode Announcement Scripts (English) \nSafe Mode (External Threat/ Danger Outside of the School) \nAnnouncement: \n\"Attention faculty and students: We are now in SAFE MODE. Remain in your classroom. \nIf you are in the hallway, stairs, or lavatory, move into the nearest classroom. \nDo not leave the room until told to do so, even if an alarm sounds.\" \n \nPreventative Safe Mode (ex. Missing Student/ Medical Emergency) \nAnnouncement: \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or lavatory, move into the nearest classroom. \nDo not leave the room until told to do so, even if an alarm sounds.\" \n \nInternal Threat (Active Shooter/ Armed Intruder Inside) \nAnnouncement: \n\u201cAttention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).\u201d \n \nKnow Your Space. Get Safe Before You Call 911. \nCover versus Concealment.", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2eb996d7-864f-45ec-ad06-20f08c91d035": { + "page_content": "Announcement: \n\u201cAttention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).\u201d \n \nKnow Your Space. Get Safe Before You Call 911. \nCover versus Concealment. \nSilence is Golden. \nBPS Office of Emergency Management updated 7/2024", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b29c37cf-95a1-4a5c-afd2-8b34bc790f7c": { + "page_content": "Superintendent\u2019s Circular FSE-08 \nPage 13 of 13 \n \nBPS Gu\u00eda para anunciar el \u201cmodo seguro\u201d(Spanish) \nModo seguro (amenaza externa/peligro fuera de la escuela) \nAnuncio: \n\"Atenci\u00f3n profesores y estudiantes: ahora estamos en MODO SEGURO. Permanezcan en su sal\u00f3n de \nclases. Si est\u00e1 en el pasillo, las escaleras o el ba\u00f1o, dir\u00edjase al sal\u00f3n de clases m\u00e1s cercano. No salga \ndel sal\u00f3n hasta que se le indique, incluso si suena una alarma\". \n \nModo seguro preventivo (por ejemplo, estudiante desaparecido/emergencia m\u00e9dica) \nAnuncio: \n\"Atenci\u00f3n profesores y estudiantes: Ahora estamos en MODO SEGURO PREVENTIVO. Permanezca \nen su sal\u00f3n de clases. Si est\u00e1 en el pasillo, las escaleras o el ba\u00f1o, dir\u00edjase al sal\u00f3n de clases m\u00e1s \ncercano. No salga del sal\u00f3n hasta que se le indique, incluso si suena una alarma\". \n \nAmenaza interna (tirador activo/intruso armado en el interior) \nAnuncio: \n\u201cAtenci\u00f3n profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).\u201d \nConozca su espacio.", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "73466758-67c7-49d8-b69d-8bf4a3669914": { + "page_content": "Amenaza interna (tirador activo/intruso armado en el interior) \nAnuncio: \n\u201cAtenci\u00f3n profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).\u201d \nConozca su espacio. \nAntes de llamar al 911, aseg\u00farese de no estar en peligro (busque un lugar seguro con precauci\u00f3n) \nEl silencio es oro. \n \nOficina de Manejo de Emergencia de BPS 7/2024", + "metadata": { + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures .pdf", + "source_link": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3c8eb62b-4519-45f7-939a-ccb4145d57bd": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-05 \nVersion 01 \n \n \n \nMEDICAL EMERGENCY MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe following guidelines relate to a medical emergency of an \nindividual student, which is different from episodes where the \nentire School Safety Contingency Plan (please refer to \nSuperintendent\u2019s Circular FSE-01 School Safety Contingency \nPlans) is activated. However, the guidelines are complementary. \nThe school nurse assigned to each school should assist in the \ndevelopment and implementation of medical emergency \nprotocols. The elements to be included in the protocol are \ndescribed below. \nEMERGENCY INFORMATION \nPrevention of medical emergencies begins with knowledge of \nunderlying medical issues. Therefore, Emergency Information \nCards (Form 460 or electronic equivalent), containing the basic \npertinent data to activate an emergency medical plan for the", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b72049b4-c22c-4a06-b031-576023a3f419": { + "page_content": "underlying medical issues. Therefore, Emergency Information \nCards (Form 460 or electronic equivalent), containing the basic \npertinent data to activate an emergency medical plan for the \nstudent, must be on file at each school. This information should \nbe completed upon the opening of school in September and \nupdated by January 1 and again by April 1 each school year. \nIn addition to parental contact phone numbers, alternate \nemergency contacts, primary language spoken at home and", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "706d7e4c-c84c-45d7-9753-8216091806ae": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 2 of 12 \n \n \n \ncustody issue documentation, the card or electronic equivalent \nshould contain: \n\u25cf Insurance company \n\u25cf Policy number \n\u25cf Clinician name and phone \n\u25cf Hospital where the child is taken in an emergency \n\u25cf Listing of health problems \n\u25cf Listing of medications taken at home as well as in school \n\u25cf Allergies \n\u25cf Vision or hearing problems \n\u25cf History of surgery or serious illness in the last year \nEach building administrator may practice the most expeditious \nmeans of securing necessary information. \nROUTINE ILLNESS / MINOR INJURY \nIt is the responsibility of the principal/head of school, in \nconsultation with the school nurse, to decide whether routinely ill \nor slightly injured students should remain in school or be \nreleased to their home. When it is necessary for a student to \nleave the school for home, the following procedures must be \nfollowed. \n\u25cf The parent/guardian, or in those cases where they cannot", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8b6f2e08-70f4-4787-bb3b-31a100dd254d": { + "page_content": "released to their home. When it is necessary for a student to \nleave the school for home, the following procedures must be \nfollowed. \n\u25cf The parent/guardian, or in those cases where they cannot \nbe contacted, the individual designated on the Emergency \nInformation Card, should make necessary arrangements for \nthe student to be picked up at school by a responsible adult. \n(Please refer to Superintendent\u2019s Circular SAF-08 Release of \nStudents to Authorized Persons.)", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "1449ce9f-cbf6-44ca-bd7d-515db032b38a": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 3 of 12 \n \n \n \n\u25cf The parent/guardian should be informed of any emergency \naid administered at the school and advised to seek further \nmedical attention, if necessary. \n\u25cf If the parent/guardian of a student who has sustained a \nminor injury or illness cannot be located, the child must \nremain in school until the regular dismissal time. \n\u25cf Under no circumstances should a student be released \nwithout adequate adult supervision. All instances where a \nstudent is released should be properly documented in a log \nin the office of the principal/head of school. The log must \nindicate all pertinent information, including the time the \nchild arrived home. \n\u25cf No child is to be released to anyone other than a \nparent/guardian without the parent/guardian\u2019s consent \nand proper identification as the parent/guardian\u2019s \ndesignee. \nMEDICAL EMERGENCIES \nThe principal/head of school has administrative and", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "f332fb83-fbf5-4b3a-aff6-f994457c4dda": { + "page_content": "parent/guardian without the parent/guardian\u2019s consent \nand proper identification as the parent/guardian\u2019s \ndesignee. \nMEDICAL EMERGENCIES \nThe principal/head of school has administrative and \nprogrammatic responsibility for all activities that occur in their \nschool. However, in those cases where a medical emergency \nexists, principals/heads of school should consult with and follow \nthe advice of the assigned nursing staff. \n\u25cf A medical emergency is defined generally as a potentially \nlife-limiting or life-threatening situation requiring \nimmediate medical attention, as well as cases of indecent \nassault/rape. Protocols for the management of specific \nmedical emergencies are available to nurses and are to be \nkept on file in the nurse's office.", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "aa61374b-5ff5-4c03-b212-cfabbb832b89": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 4 of 12 \n \n \n \n\u25cf In the beginning of each school year, school nurses should \ncommunicate to relevant staff the known potential health \nemergencies of individual students. This meeting should be \ndocumented on the student\u2019s Individual Health Plan. \n\u25cf The principal/head of school is responsible for responding to \nmedical emergencies when a school nurse is not available. \n\u25cf Principals/heads of school should compile a list of staff with \nCPR, AED, first aid, and first responder training who can \nprovide immediate lifesaving measures until EMS arrives. \nThese staff members should be members of the School \nSafety Team. \n\u25cf Immediate phone support is also available through the \nHealth Services office at 617-635-6788. \n\u25cf Each school nurse should complete a list of staff trained in \nthe administration of Epinephrine in the event of a life-\nthreatening allergic reaction. This list must remain on the", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "e6e186ba-9ea2-4a48-93ef-be2223b9be1d": { + "page_content": "\u25cf Each school nurse should complete a list of staff trained in \nthe administration of Epinephrine in the event of a life-\nthreatening allergic reaction. This list must remain on the \nfile with the school administrator. Epinephrine should not \nbe locked away but should be available to school staff in a \nsecure location. \n\u25cf It is recommended that the school nurse, school leader, and \nother staff involved in a medical emergency hold a debrief \nmeeting following the incident. \nSERIOUS INJURY / ILLNESS PROTOCOL \n\u25cf Stabilize the student using the most qualified school staff. \n\u25cf Activate the Emergency Medical System (EMS) by calling 911. \nCases of indecent assault/rape require Boston Police \nnotification via 911.*", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "dc05a381-0ba2-485b-9c65-ba848cbfbd80": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 5 of 12 \n \n \n \n\u25cf Call the Superintendent\u2019s Office at 617-635-9057. \n\u25cf Notify School Safety Services at 617-635-8000. \n\u25cf The responding ambulance crew of emergency medical \ntechnicians (EMTs) or paramedics will consult with the \nqualified school officials and assess the need for \ntransportation to a medical facility. EMS assumes medical \nmanagement of the child. \n\u25cf School personnel designated by the principal/head of school \nmust accompany the student in the ambulance and remain \nwith the child until a) the parent/guardian arrives or, b) the \nchild is attended to by appropriate and qualified medical \npersonnel who have taken over the custody of the child, \nwhichever occurs first. \n\u25cf Accompanying staff are not required to have medical \nexperience and are present solely for the comfort of the \nchild. It is not recommended that the school nurse \naccompany the student as the school will be without", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "e437f648-d8d0-4224-8f48-0dede294ede2": { + "page_content": "experience and are present solely for the comfort of the \nchild. It is not recommended that the school nurse \naccompany the student as the school will be without \nnursing support for other students requiring nursing care \nduring the school day and other first aid/emergency care. \n\u25cf The school\u2019s representative should bring the student\u2019s \nEmergency Information Card, the Individual Collaborative \nHealth Plan (if the student has identified chronic health \nneeds), emergency action plan (if available), and all other \npertinent medical information to the hospital. \n\u25cf If the emergency occurs on the school bus, the driver \n(and/or monitor, if present) will provide for the safety of the \nchild and call the dispatcher, who notifies 911. When EMS \narrives, the dispatcher will be called with the name of the \nchild and the hospital that the child will be transported to.", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "fb7beef5-a217-4f1b-8371-ca9c889fb666": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 6 of 12 \n \n \n \nThe dispatcher then calls the Department of Safety Services \nat 617-635- 8000, who will notify the family. A safety officer \nwill proceed to the emergency room to meet with the \nstudent and family. \n\u27a2 Release of a student who is a victim of indecent \nassault/rape must comply with procedures outlined in \nboth this memorandum and Superintendent\u2019s Circular \nSAF-08 Release of Students to Authorized Persons. \nCOMMUNICABLE DISEASES \nMassachusetts General Law and public health regulations govern \nthe reporting and control of communicable diseases in public \nschools. All suspected cases of a communicable disease require \nconfirmation from local health authorities before a plan of action \nis developed. When a student is suspected of having a reportable \ncommunicable disease: \n\u25cf The principal/head of school or designee will contact the \nschool nurse. \n\u25cf The nurse or principal/head of school will contact the Health \nServices administration.", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "29b8759d-fb0a-4dd6-85bd-c7cc552341dc": { + "page_content": "communicable disease: \n\u25cf The principal/head of school or designee will contact the \nschool nurse. \n\u25cf The nurse or principal/head of school will contact the Health \nServices administration. \n\u25cf Health Services will contact and collaborate with the Public \nHealth Commission to confirm the diagnosis. \n\u25cf The school nurse, in conjunction with principal/head of \nschool or designee, Health Services, and local health \nauthorities, will assess the health risks and develop a plan of \naction to address the issues. \nQuestions or concerns may be directed to Health Services at 617-\n635-6788.", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "c0ace551-5117-4f1e-9cf8-29aa46973a59": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 7 of 12 \n \n \n \nDEPARTMENT OF SAFETY SERVICES \nThe Department of Safety Services/Boston School Police is \nlocated at 213 Townsend Street (rear of Boston Latin Academy), \nDorchester, MA 02121, phone 617-635-8000. \n\u25cf A school administrator must notify the Dept. of Safety \nServices by telephone of any serious illness or injury after \nnotifying Emergency Medical Services via 911. \n\u25cf Dept. of Safety Services personnel have received various \nlevels of first aid training and may initiate assistance \nappropriate to their level of training. \n\u25cf A Dept. of Safety Services administrator will respond to the \nscene if practical. \n\u25cf The Dept. of Safety Services may be used as a resource to \nassist in making parent/guardian notification. \nNOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS \nINCIDENTS \n\u25cf The principal/head of school should follow the guidelines \nestablished in the Superintendent's Circular FSE-01 School", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "245ec7ae-a9a7-4f2c-b15e-04e777ac7a1e": { + "page_content": "NOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS \nINCIDENTS \n\u25cf The principal/head of school should follow the guidelines \nestablished in the Superintendent's Circular FSE-01 School \nSafety Contingency Plans, providing feedback to staff. \n\u25cf Should an incident become generally known and be a \nmatter of concern to parents, the administrator should meet \nwith the School Parent Council to advise them of the \nprecautionary measures taken to prevent the recurrence of \nsuch an incident. \n\u25cf In the event of a serious illness/injury involving a student, \nthe parent/guardian must be notified as soon as possible. \nThis notification should include all available information,", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3959fed2-d2ee-451e-94c6-380852e39785": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 8 of 12 \n \n \n \nincluding hospital destination if the child is transported to a \nmedical facility. \n\u25cf If a student is a witness to a medical emergency, their \nparent/guardian should be notified prior to that student \nbeing removed from the school for interviewing by police or \nany other member of an emergency response agency. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember Complete Emergency Information Cards (Form 460) \nJanuary Update Form 460 \nApril Update Form 460 \n \nEMERGENCY PLAN \nIf an emergency occurs: \n1. Stay with the student. \n2. Call or designate an adult to call the nurse or designee. \na. State who you are. \nb. State where you are. \nc. State the problem. \n3. An administrator or designee is responsible to institute the \nEmergency Plan. \nEmergency Telephone Procedure: \n1. Dial 911.", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "759a8ad9-0faf-4432-a8da-0fceb6d9677f": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 9 of 12 \n \n \n \n2. State who you are. \"I am _______________, a \nteacher/paraprofessional in the Boston Public Schools.\" \n3. State where you are. \"I am at the ________________School, \naddress __________________. The telephone number is \n______________________.\" [NOTE: a number that is not the \noffice number should also be provided to EMS.] \n4. State the problem. \"There is a _______ year old child here that \nis _____________. We need an ambulance now.\" \n5. Give specific directions. \"_________________ will meet you at \n________________ to direct you.\" (address) \n6. Don't hang up. Ask for the information to be repeated back \nto you and answer any questions the dispatcher may have. \nHang up the telephone when all information is correct and \nverified. \nEmergency Procedures: \n1. Notify the principal/head of school or administrator and \ninform them of the nature of the emergency and the \nlocation of the student. \n2. The administrator or designee will:", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "a8f67f94-667e-4d47-beb1-31f456d7e2c5": { + "page_content": "1. Notify the principal/head of school or administrator and \ninform them of the nature of the emergency and the \nlocation of the student. \n2. The administrator or designee will: \na. Meet and direct the EMTs \nb. Call parent/guardian \nc. Call the Superintendent\u2019s Office at 617-635-9057 \nd. Call School Safety at 617-635-8000 \n3. The school nurse or designee will accompany the student to \nthe hospital. \n4. Paramedics will decide which hospital is appropriate.", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b1763c53-9ad7-494b-9ab3-0de8487312f3": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 10 of 12 \n \n \n \n5. Copy emergency and health care information. \n6. School personnel (not necessarily the nurse) designated by \nthe principal/head of school must accompany the student in \nthe ambulance and remain with the student until the \nparent/guardian arrives or the child is being taken care of by \nappropriate and qualified medical personnel who have \ntaken over the responsibility of the child\u2019s care, whichever \noccurs first. Paramedics will take over care of the student \nwhen they arrive. \n7. The school representative should bring copies of the \nstudent's emergency information card, health card, and all \navailable information pertinent to the student and the \nincident/illness to the hospital. \n8. The Department of Safety Services may be used as a \nresource to assist in notification to the parent/guardian. \nTelephone 617-635-8000. \n9. School Department personnel must not in any case", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "be7f3659-563b-47dc-9f97-7ae7911f2d90": { + "page_content": "8. The Department of Safety Services may be used as a \nresource to assist in notification to the parent/guardian. \nTelephone 617-635-8000. \n9. School Department personnel must not in any case \ntransport a sick or injured child in a privately owned motor \nvehicle. \n10. Under no circumstances should a student be sent to any \nlocation via taxi based solely on notification received by \ntelephone. \n11. It is strongly recommended that the student emergency \ninformation card (Form 460) be regularly updated. \nFor more information about this circular, contact: \nOwner: Djenny Lobo Lopes", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3ca1a9b2-201a-455e-b014-90eb558b52b1": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 11 of 12 \n \n \n \nDepartment: Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOR \nOwner: Director of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOR \n \nOwner: Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "57fa16d4-4afe-4f05-8b32-7d7dbc180cdd": { + "page_content": "Superintendent\u2019s Circular FSE-05 \nPage 12 of 12 \n \n \n \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FSE-05 Medical Emergency Management.pdf", + "source_link": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "418621ad-2062-4e9a-80cd-dc82e4751514": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-07 \nVersion 01 \n \n \n \nPUBLIC HEALTH AND WORKPLACE SAFETY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nIn the past, concerns have been raised over the potential use of \nthe U.S. Postal Service to conduct bioterrorist activity. In both \nNew York and in Washington D.C., contents of three or four \nenvelopes were tested positive for anthrax. In those cases where \npositive results were recorded, public health authorities dealt \nwith this issue. \nThe purpose of this memorandum is to provide guidelines for the \nhandling of mail in the Boston Public Schools. In providing these \nguidelines, it is important to note that we have been informed by \nthe Boston Public Health Commission that there have been no \nconfirmed anthrax cases reported in either the Boston Public \nSchools or in the City of Boston. \nYour School Emergency Operations Guide (flip chart) will serve as", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "47984e81-f3c1-458a-9760-37abf7309ed5": { + "page_content": "confirmed anthrax cases reported in either the Boston Public \nSchools or in the City of Boston. \nYour School Emergency Operations Guide (flip chart) will serve as \nan action reference on this subject. \nGUIDELINES \nThe following guidelines are effective immediately and shall", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "7ac0b732-22a8-4855-bf29-5549f23ee7bf": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 2 of 9 \n \n \nremain in place until otherwise ordered: \n1. Every responsibility center should assign one person and a \nbackup person to sort and distribute mail. That person shall \nbe supplied with rubber gloves and plastic bags to be used \nat their discretion. Training in the safe handling of mail will \nbe provided. \n2. Techniques for safe handling of routine mail include the \nfollowing: \na. Examine all mail before opening to determine if it is \nsuspicious. \nb. Isolate suspicious mail in a plastic bag. \nc. Open mail with a letter opener over a hard cleanable \nsurface, holding the envelope upright so that the \ncontents will not spill out. \nd. Examine the inside contents prior to removal. \ne. Never shake or wave any mail or contents of \nletters/packages. \nf. Ensure that food or drinks are not in the area while \nmail is handled. \n3. All mail and packages sent to internal offices/departments \nthrough the courier service should be sealed by the sender", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "4edaddf3-6d2d-48ce-a4df-c4d7e3d93c1b": { + "page_content": "f. Ensure that food or drinks are not in the area while \nmail is handled. \n3. All mail and packages sent to internal offices/departments \nthrough the courier service should be sealed by the sender \nand the name and return address of the sending office \nclearly marked on the envelope/package. \n4. Characteristics of suspicious letters and packages include \nthe following: \na. No return address. \nb. Return address not matching city/state on the \npostmark. \nc. Stained, discolored mail or mail with an odor. \nd. Excessive postage/excessive weight. \ne. Lopsided or uneven envelope/packaging.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0ac2a1d9-51dc-4983-b772-32cafa739a49": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 3 of 9 \n \n \nf. Improper address, illegible or poorly written address. \ng. Mail with visual threats on packaging materials. \nh. Unexpected mail with an international postmark. \ni. Ticking sound. \nj. Any combination of the aforementioned \ncharacteristics. \n5. Suspicious mail or packages should NOT be opened or \njostled. It should be placed in a plastic bag and isolated for \ninspection by the responsibility center manager. \n6. If suspicious mail is already opened, it should be left on the \ndesk/table and should NOT be handled further. It is \nsuggested that it be covered with a plastic trash bag and \nthe immediate area closed off. Refer to items 8 and 9 and \nfollow the procedures outlined. \n7. If any powder or suspicious substance spills out of the \nenvelope, cover it, close off and leave the immediate area, \nwash your hands with soap and water and notify your \nresponsibility center manager.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "5d57f453-5d53-4227-9124-881327348c3a": { + "page_content": "envelope, cover it, close off and leave the immediate area, \nwash your hands with soap and water and notify your \nresponsibility center manager. \n8. When suspicious mail has been received, the responsibility \ncenter manager should call 911 and notify the \nSuperintendent's Office. Our protocol does not call for \nevacuation of the building unless so directed by public \nsafety officials. \n9. All persons who handled suspicious letters/packages should \nwash their hands with soap and water. \nAttached for informational and review purposes are public health \nfact sheets prepared by the Boston Public Health Commission. \nPlease keep this memorandum available for reference.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3ce6021d-d506-4c2f-bb2f-0c5a3c182b25": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 4 of 9 \n \n \nATTACHMENT A \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \nANTHRAX \nWhat is anthrax? \nAnthrax is a disease caused by a bacterium called Bacillus \nanthracis. Anthrax most commonly occurs in animals, but it can \nalso infect people. Anthrax has the potential to be used as a \nbiological weapon. In late 2001, terrorism related Anthrax cases \nwere found in Connecticut, New York City, New Jersey, Florida, \nand Washington DC. \nHow is anthrax spread? \nAnthrax can be spread by touching it (when there\u2019s a cut on the \nskin), breathing it in, or eating meat contaminated with Anthrax. \nIt is not contagious. An infected person cannot give it to others. \nWhat are the symptoms of anthrax? \nSymptoms of the disease vary depending on how the disease \nwas contracted, and usually occur within 7 days, but can take up \nto 60 days to appear.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ea7f02f6-81fa-4971-abcd-784d32a7e8ba": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 5 of 9 \n \n \n\u2022 Cutaneous (skin form): Most anthrax infections occur when \nbacteria enter the skin. The infection begins as a raised itchy \nbump that resembles an insect bite, but within several days \ndevelops into a blister. The blister ulcerates and forms a \nblack area in the center. With prompt treatment, the vast \nmajority of people recover fully. \n\u2022 Inhalation: Initial symptoms may resemble the flu with \nfever, chills, and muscle aches. After several days, the \nsymptoms progress to severe breathing problems and \nshock. In the past, death occurred 1-2 days after the onset of \nsymptoms. However, during the recent outbreak of anthrax \nin the United States, with prompt treatment more than half \nof the people who developed inhalation anthrax survived. \n\u2022 Intestinal: This form of anthrax occurs from eating \ncontaminated meat. Symptoms include nausea, loss of \nappetite, vomiting, fever, and are followed by abdominal", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "bcc47df2-c4c3-40de-b30e-811c0e5db9a6": { + "page_content": "\u2022 Intestinal: This form of anthrax occurs from eating \ncontaminated meat. Symptoms include nausea, loss of \nappetite, vomiting, fever, and are followed by abdominal \npain, vomiting of blood, and severe diarrhea. \nCan I acquire anthrax from another person? \nPerson-to-person spread of anthrax is not known to occur. Only \npeople directly exposed to anthrax spores could develop disease. \nIs there an anthrax vaccine? \nThere is a limited amount of anthrax vaccine available in the \nUnited States; however, most people are not routinely vaccinated \nagainst anthrax unless they fall into a high-risk group such as \nmilitary personnel. The anthrax vaccine requires 6 shots over a \nperiod of 18 months with follow-up shots. Anthrax vaccines \nintended for animals should not be used in humans.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8c27b4bb-a868-4161-aa61-6d9d44e75e87": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 6 of 9 \n \n \nIs there a treatment for anthrax? \nDoctors can prescribe antibiotics that work against anthrax. To \nbe effective, treatment should be initiated early. If left untreated, \nthe disease can be fatal. In Massachusetts, all cases of suspected \nanthrax are required to be reported immediately to local health \ndepartments. In Boston, suspected cases should be reported to \nBoston Public Health Commission at 617-534-5611. \nFor more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit http://www.bphc.org", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "70fe5579-84ce-45b8-8c5b-e94edb7ba268": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 7 of 9 \n \n \nATTACHMENT B \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \n \nBIOTERRORISM \nWhat is Bioterrorism? \nBioterrorism is a form of terrorism in which infectious biological \nagents, such as bacteria, viruses, or toxins are used (or are \nthreatened to be used) against another person to create fear and \ndisrupt normal daily activities. Use or threatened use of such \nagents is a Federal crime and is thoroughly investigated by the \nBoston Police Department, FBI, and other agencies. \nWhat is the Boston Public Health Commission doing to prepare \nfor a possible bioterrorist event? \nThe Boston Public Health Commission (BPHC) has been \npreparing for potential bioterrorism for several years. BPHC has \nbeen working with health care providers and others in the city to \ndevelop an early warning system for possible bioterrorist attacks.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b4b460e6-babd-49b8-ab07-389a28d5e65e": { + "page_content": "been working with health care providers and others in the city to \ndevelop an early warning system for possible bioterrorist attacks. \nThis system will allow city officials time to implement steps to \nprevent further illness.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d8a722fd-aae0-4dd5-b74f-ebfda77b5fb9": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 8 of 9 \n \n \nHow will I know if I have been exposed to an infectious \nbiological agent? \nMost bioterrorist threats to date have been hoaxes, so often \npeople only think they have been exposed to a bioterrorist agent. \nIf you suspect you have been exposed to a biological agent, notify \nemergency personnel immediately by calling 911. Boston Police, \nFire, Emergency Medical Services, and Public Health Commission \nwill work together to collect and identify the suspect material. \nIf I actually were exposed to an infectious biological agent, what \nsymptoms should I look for? \nDifferent viruses, bacteria, and toxins may be used as \nbioterrorism agents, and each may cause different symptoms. \nOften however, they resemble either the flu or food poisoning. \nPeople who are exposed may experience fever, chills, headache, \nbody aches, and muscle weakness. Others may experience \ncoughing, diarrhea, abdominal cramping, nausea, and vomiting.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "c91b9762-8bdb-469c-9384-9651b8ebab73": { + "page_content": "People who are exposed may experience fever, chills, headache, \nbody aches, and muscle weakness. Others may experience \ncoughing, diarrhea, abdominal cramping, nausea, and vomiting. \nIt is important to remember that these symptoms are common \nof many illnesses and are not usually the result of bioterrorist \nevents. \nHow long would it take for symptoms to appear? \nThe length of time it takes for symptoms to appear can vary \ngreatly depending on the type of agent used. Symptoms can \nappear between several hours to several weeks after exposure.", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2395c328-8b48-4aa1-ae1d-2ffbf987dad5": { + "page_content": "Superintendent\u2019s Circular FSE-07 \nPage 9 of 9 \n \n \nWhat can be done if I am exposed to a biological agent? \nFor many of these agents, treatment is available. However, it is \nvery important for treatment to begin early. Therefore, if you \nsuspect you may have been exposed to one of these agents, see a \nhealth care provider as soon as possible. \n For more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit the Boston Public Health \nCommission, http://www.bphc.org. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FSE-07 Public Health & Workplace Safety.pdf", + "source_link": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0a174abd-9016-46e7-b37b-fee46ab49b1d": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS02 \nVersion 01 \n \nJOB SHARING FOR PERMANENT TEACHERS AND \nPARAPROFESSIONALS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Office of Human Resources accepts job-sharing applications \nthrough the online forms included in this circular. Please note \nthat employees will be required to sign in with their Boston \nPublic Schools Gmail account. These links will also be made \navailable through BTU and paraprofessional representatives, the \nBoston Public Schools website, and the Superintendent\u2019s \nBulletin. \nBoston Public Schools has agreed to provide job-sharing \nopportunities to permanent educators (1) and paraprofessionals \nwho desire to split a position with another staff member in their \nbuilding. \nCONDITIONS FOR JOB SHARING \nThe following are the conditions under which employees are \npermitted to share jobs: \n \n1() This includes nurses, COSE, and other BTU educators with", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bf94c2c5-e382-4231-9122-9ad8982d3e47": { + "page_content": "building. \nCONDITIONS FOR JOB SHARING \nThe following are the conditions under which employees are \npermitted to share jobs: \n \n1() This includes nurses, COSE, and other BTU educators with \npermanent status.", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b979861b-45b2-4f48-bed1-79f04fe16c38": { + "page_content": "Superintendent\u2019s Circular HRS-HS02 \nPage 2 of 5 \n \n \n \n1. Participation in job sharing requires approval by the \nprincipal//head of school. The principal/head of school \nshould submit their approval to the Office of Human \nResources via the online form below. \n2. All participants in the job-sharing program will be required \nto jointly plan their program so as to provide programmatic \nintegrity and continuity. The principal/head of school must \napprove such plans. \nWith the approval of the principal/head of school, teachers \nor paraprofessionals may structure their program in the \nfollowing two options: \na. Both teach for one-half day \nb. Both teach for one-half week \n\u25ba Job share participants may not split the school year \nwith their job share partner in order to work for only \nhalf of the school year. Job share participants also \nmay not split the teaching bimonthly or biweekly. \n3. All participants in the job-sharing program will be required", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bdf1c3a0-ecc5-4e9e-be9f-b630e15f4286": { + "page_content": "half of the school year. Job share participants also \nmay not split the teaching bimonthly or biweekly. \n3. All participants in the job-sharing program will be required \nto attend all \"Early Release Time\" in-service meetings, all \nprofessional days, and parent conferences. If the job share \ntakes place in a designated Extended Learning Time school, \nboth teachers/paraprofessionals are expected to participate \nin ELT. \n4. The two teachers participating in a joint assignment/job \nsharing will meet with one another once each marking \nperiod, at the discretion of the principal/head of school, to \nassess and improve the job sharing program. These", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b7d86b84-b07c-4a98-8bbe-1ac4e71bffa6": { + "page_content": "Superintendent\u2019s Circular HRS-HS02 \nPage 3 of 5 \n \n \n \nmeetings may be held on early release or professional \ndevelopment days. \nAll parties recognize that at times it may be necessary for \nthe two teachers and the principal/head of school to meet \nfor the purpose of addressing problems which may arise in \nthe implementation of job sharing at an individual school. \nSuch meetings, if necessary, shall be scheduled at a time \nthat is mutually agreeable to all parties. \n5. Teachers and paraprofessionals participating in the job-\nsharing program will receive the following compensation \nand benefits: \na. Compensation shall be one-half of salary entitlement. \nb. Sick leave shall be one-half of annual entitlement. \nc. Personal days shall be one-half of annual entitlement. \nd. Health insurance premium and health and welfare fund: \nfull contribution \ne. Seniority accrual: full credit \nf. Attachment rights for one-year to former position", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d40ec761-d6bd-464e-bbfb-2ab6ad048e21": { + "page_content": "d. Health insurance premium and health and welfare fund: \nfull contribution \ne. Seniority accrual: full credit \nf. Attachment rights for one-year to former position \n6. Teachers participating in job-sharing must hold a valid DESE \nlicense for the position. No exceptions will be made. \n7. Each participant in the job-sharing program will be asked to \nenter into a binding agreement committing to the year-long \nassignment. \n8. Participants must submit new job-sharing applications each \nyear. Continuation of a job-sharing pairing for the next \nacademic school year will be subject to a favorable review \nby all parties.", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "26b9cea1-3b40-41f3-acbf-d27c4ce78b7a": { + "page_content": "Superintendent\u2019s Circular HRS-HS02 \nPage 4 of 5 \n \n \n \nTO INDICATE INTEREST IN JOB SHARING \nPermanent teachers or paraprofessionals who wish to indicate \ntheir interest in job sharing should submit a request using the \nonline form shown below. The submission of an application only \nserves an indication of interest and is not binding. The application \nmust be submitted via the online form no later than 5:00 p.m. on \nMarch 25, 2025. \nPlease note: Applicants are responsible for making all job-sharing \narrangements, including finding a colleague with whom to job-\nshare. The Office of Human Resources does not assist with \nmaking job-sharing arrangements. If you are unable to find a \npartner, your request to job share will be denied. \n2024-25 ONLINE FORMS \nThe Office of Human Resources now accepts job-sharing \napplications online. Candidate applications for job share as well \nas principal/head of school approval can be submitted through", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e1686786-a2d2-428c-be0f-fab1ac90b06c": { + "page_content": "The Office of Human Resources now accepts job-sharing \napplications online. Candidate applications for job share as well \nas principal/head of school approval can be submitted through \nthe links below. Please note that employees will be required to \nsign in with their Boston Public Schools Gmail account. These \nlinks will also be made available through BTU and \nparaprofessional representatives, the Boston Public Schools \nwebsite, and the Superintendent\u2019s Bulletin. \nJob Sharing Request: \nApplicant Form \nEach applicant interested in Job Sharing \nmust submit their own form by March \n25, 2025. Principals/heads of schools \nmust submit the form below for \napproval.", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b36b4b5a-e17a-49b5-bb99-4ac0c5e3a79d": { + "page_content": "Superintendent\u2019s Circular HRS-HS02 \nPage 5 of 5 \n \n \n \nJob Sharing Request: \nPrincipal Approval \nForm \nPrincipals/heads of schools must submit \nthis form to approve a job share request \nby April 15, 2025. \n \nFOR MORE INFORMATION ABOUT JOB SHARING \nThere will be an informal meeting at the Boston Teachers Union \nin Winter 2025 for teachers and paraprofessionals who are \ninterested in obtaining more information about job sharing. \nFor more information about this circular, contact: \nOwner: School-Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9600 \nAdditional \nQuestions: \nPlease submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access \nBoston. \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf", + "source_link": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "10c23d6c-18ee-4861-98e3-7e80107aa772": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-03 \nVersion 01 \n \n \n \nBUILDING CODES AND FIRE REGULATIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll school buildings are required to comply with Massachusetts \nState Building Codes and Fire Regulations. Adherence to these \nregulations helps to ensure a safe, secure, and accessible learning \nand work environment for students and staff. \nAs the person responsible for the school building, the head of \nschool/principal/program director shall have responsibility for \nmonitoring and maintaining compliance with building codes and \nfire regulations at all times. Staff assigned to the Department of \nFacilities Management and the fire safety director are available \nand should be called upon to assist and support the school \nbuilding administrator in this effort. \nThe Inspectional Services Department (ISD) of the City of Boston \nwill conduct annual egress inspections, and the Boston Fire", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "95e7459a-dfa0-4d1d-a5c7-f9de0e77c27b": { + "page_content": "building administrator in this effort. \nThe Inspectional Services Department (ISD) of the City of Boston \nwill conduct annual egress inspections, and the Boston Fire \nDepartment (BFD) will conduct quarterly inspections to assure \ncompliance with the state codes and fire regulations. ISD shall \nissue certificates of inspection for occupancy annually to schools \nwhich comply. Schools in noncompliance will not be allowed to \nopen until the deficiencies are corrected and a certificate \ngranted. During every school year, ISD building inspections will \nbe conducted annually. However, special inspections can be", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d0d63487-1241-4500-b571-3c782fa07e15": { + "page_content": "Superintendent\u2019s Circular FSE-03 \nPage 2 of 5 \n \n \n \nmade at any time to assure continued compliance. \nThe following guidelines have been mutually agreed upon by the \nISD and the Boston Public Schools and should assist your efforts \nand those of your staff in maintaining compliance. They must be \nadhered to throughout the year, not just at the time of \ninspection. They are as follows: \n1. All paths of egress must be clear of any furniture and \nmaterials. \n2. Materials or equipment cannot be stored under/near \nstairwells or in corridors. \n3. Broken furniture must be discarded and not abandoned in \nthe corridor. \n4. Teaching and learning is NOT permitted in hallways and \nstairwells. \n5. All doors must be clear of artwork/decorations and \nfunctional in case of an emergency. \n6. All fire doors must be kept closed at all times, except when \nstudents are passing between classes or when they have \nbeen modified as part of a new fire alarm system.", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "caa89af4-bd54-4df5-9d0d-e0c9dc3dcdf1": { + "page_content": "6. All fire doors must be kept closed at all times, except when \nstudents are passing between classes or when they have \nbeen modified as part of a new fire alarm system. \n7. NO CHAINS OR PADLOCKS ON ANY DOORS IN ANY \nBUILDING. \n8. Bars, chains, or other restricted operations of doors are not \nauthorized at any time. \n9. Deadbolts or locks may not be used on connecting \nclassroom doors. \n10. Classroom connecting doors can not be blocked (essential \negress).", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "dcc11302-0119-4a03-884a-67b3deeb53ce": { + "page_content": "Superintendent\u2019s Circular FSE-03 \nPage 3 of 5 \n \n \n \n11. Papers and art work hanging from light fixtures must be \nremoved. \n12. Using auditorium stages as classrooms is prohibited. \n13. Covering classroom heating systems with combustibles \n(books and papers) is a fire hazard and is NOT permitted. \n14. All electrical and boiler rooms must be locked at all times \nand must not be used for storage. \n15. All fire extinguishers must be charged and have a current \ninspectional tag attached. \n16. All gasoline and flammable liquids must be stored in \nfireproof cabinets. \n17. Corridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total \ncorridor wall space and 20% of classroom wall space. \n18. Stairwells and exit doors shall be clear of all flammable \nmaterials. \n19. Paper materials displayed shall be attached directly to the \nwalls and shall not be permitted to cover an egress door or", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "865a5f77-6cdb-49d9-ad7c-b2358af0d677": { + "page_content": "materials. \n19. Paper materials displayed shall be attached directly to the \nwalls and shall not be permitted to cover an egress door or \nbe placed within five feet of an egress door, unless approved \nby the AHJ. The ONLY things permitted to be posted on or \nwithin 5 feet of a door are (1) evacuation routes and (2) the \nclassroom\u2019s emergency folder/kit (3) the SafeMode window \ncover the classroom utilizes. \n20. All rugs, curtains, and furniture must be certified as fire \nretardant and code compliant. \n21. Only electrical appliances authorized by Facilities \nManagement are permitted.", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b3edcf8a-569e-464c-8f7b-b5ed0201ded1": { + "page_content": "Superintendent\u2019s Circular FSE-03 \nPage 4 of 5 \n \n \n \n22. Snow blowers and lawn mowers are to be run dry of fuel \nafter each use and before being brought into the building. \n23. Classrooms must be kept clean and orderly. \nYour cooperation in maintaining the standards outlined above \nwill ensure a quick and successful certification process.", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "864eca6f-8b58-41d9-b406-32cbe26ebfdd": { + "page_content": "Superintendent\u2019s Circular FSE-03 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management & \nPreparedness \nDepartment: \nOffice of Emergency Management, Safety \nServices \nMailing Address: 21 Deckard St - Room B28, Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOR \nName: Executive Director of Facilities Management \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9135 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FSE-03 Building Codes & Fire Regulations.pdf", + "source_link": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b820e8cc-bc9c-4b36-9d53-3250288ad49a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-02 \nVersion 01 \n \nFIRE SAFETY PRACTICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAs we begin another school year, it is essential that we review and \nupdate fire prevention, life safety, and evacuation \nplans/procedures in all our schools. Accordingly, appropriate \ncommunications and cooperation with Fire Department \nauthorities is imperat ive. The Boston Fire Department and The \nOffice of Emergency Management and Preparedness cite specific \nareas of concern and responsibility in this directive, which must be \nbrought to your attention. \nThe following fire safety practices should be incorporated into \nthe fire safety section of your school safety/contingency plan: \nA fire safety checklist (Attachment A) must be completed and \nreadily available in the main office along with appropriate \ndocuments including: fire drill reports, fire alarm tests, * fire", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3138903c-47bc-4115-a600-1dbab3f8de72": { + "page_content": "A fire safety checklist (Attachment A) must be completed and \nreadily available in the main office along with appropriate \ndocuments including: fire drill reports, fire alarm tests, * fire \nsprinkler system test, fire extinguisher location document, * fire \npump test, AED location, a copy of most recent BFD quarterly \ninspection report, and Certificate of Occupancy. \nNOTE (*) if applicable: \nThe Boston Fire Department has directed that school officials \ndesignate a member of their school safety team to report to the", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "fa0e13cf-9443-48d3-8e2b-80b39bf9c6a7": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 2 of 15 \n \nmain entrance of the school to meet and direct arriving fire \ndepartment and other public safety personnel in an emergency. \nThis individual is identified as the building coordinator position in \nyour school safety plan and is usually the school custodian. \nThe building coordinator should be familiar with this circular, your \nbuilding and fire safety reports, and your fire safety checklist; know \nthe location of fire notification and extinguishing systems; and \nhave access to all areas. Your plan must also ident ify an alternate \nperson to perform this role in the event your custodian is not \navailable. \nFIRE ALARMS \nAll fire alarm systems must be maintained in working order at all \ntimes. It is important to remember that the sounding of any fire \nalarm box automatically transmits a signal to the Fire Alarm Office, \nwhich simultaneously dispatches fire apparatus to the school.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "de3d6ddd-e4ae-4fe7-9189-ff5e30b9d918": { + "page_content": "times. It is important to remember that the sounding of any fire \nalarm box automatically transmits a signal to the Fire Alarm Office, \nwhich simultaneously dispatches fire apparatus to the school. \nFire Department regulations and Mass. General Law Chapter 268, \nSection 32 prohibits the shutting off or tampering with any fire \nalarm system unless directed to do so by the Fire Department. Any \ndeficiency or trouble noted with the fire alarm system must be \nreported immediately to Facilities Management/Fire Alarm \nDivision at 617-635-8300. \nUpon the evacuation of a school building because of an alarm, no \nperson or persons shall re -enter the building without the \nauthorization of the fire officer in charge. The principal/head of \nschool, site coordinator or designee must, as a part of their fire drill \nprocedures, establish a command procedure for such evacuations. \nUpon the sounding of a fire alarm, approved evacuation", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "7ff7768d-ebcb-4c36-a7f0-d700be1851d6": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 3 of 15 \n \nprocedures for all building occupants are to be followed \nimmediately, as well as a verification call made to the Fire \nDepartment at 911 or 617-343-2880. \nUpon arrival, the Boston Fire Department will exercise its authority \nto order all measures that are deemed necessary for the protection \nof persons and property. This authority includes building \nevacuation and reentry. \nDOOR LABELS, NUMBERS OR LETTERING SHALL NOT BE \nREMOVED OR CHANGED \nThe interior and exterior doors that are numbered within Boston \nPublic Schools should not be removed or changed by anyone \nexcept for members of the BPS Facilities Management Team. The \nnumbers and letterings are crucial to Boston Police, Boston Fire \nand Boston EMS that will need to respond to your school building \nfor an emergency. \nAny changes to the numbering or lettering within your school \nbuilding could disrupt any evacuation or safety plans that already \nexist within the school.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "f38050d5-cb72-4165-9b60-cd153c94dc54": { + "page_content": "for an emergency. \nAny changes to the numbering or lettering within your school \nbuilding could disrupt any evacuation or safety plans that already \nexist within the school. \nThe existing room numbers are also associated with the school\u2019s \nAsbestos Hazard Emergency Response Act (AHERA) Management \nPlan and the Indoor Air Quality (IAQ) sensors. \nIf your school is missing any room numbers or lettering, please \nsubmit a work order to the Facilities Management Team to ensure \nany issues are resolved before the start of the school year. \n \nMEANS OF EGRESS \nDesignated exits in every school must be maintained as means of", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "de921819-3981-4d99-a372-b3536d58085c": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 4 of 15 \n \negress. \na. Means of egress must be kept free and clear at all times. \nb. The use of chains, ropes, bars, so-called \"dutch locks,\" or any \nother unauthorized device that would impede egress is \nprohibited during times when school buildings are occupied. \nc. No exit door which is intended to be kept closed shall be \nblocked open, and no device or arrangement shall be used to \nprevent a door designed to be self -closing or automatic -\nclosing from functioning as intended. Use of wedges to hold \ncorridor and stairwell doors open is prohibited. \nd. Interconnecting doors between rooms must be clear and free \nof any locks. Fire and smoke doors are not to be propped \nopen with wooden wedges or any other means. This is an \nillegal practice and prohibited in all schools. \nFIRE DRILLS \nAll schools shall conform to the following fire drill regulations: \na. The responsible school administrator in charge of the school", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "700e9588-395b-403e-bf0a-fbe24b1864e2": { + "page_content": "illegal practice and prohibited in all schools. \nFIRE DRILLS \nAll schools shall conform to the following fire drill regulations: \na. The responsible school administrator in charge of the school \nshall formulate a plan for the protection and evacuation of all \npersons in the event of fire or other emergency and shall \ninclude alternate means of egress for all persons involved. \nSuch a plan is to be developed in consultation with \nappropriate representatives of the Boston Fire Department \nand BPS Director of Emergency Management and \nPreparedness. \nb. The principal/head of school, site coordinator or designee \nshall see that each staff member receives and understands \nproper instructions on the fire drill procedure specified for \nthe room or area in which that person carries out their duties", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "55303d8b-5dce-499f-af8c-93fd561c4d19": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 5 of 15 \n \nbefore they assume such duties. A log or sign-off list must be \nmaintained at the school which documents staff receipt of \nprocedures and familiarization with fire safety practices. \nc. A fire drill must be conducted quarterly (September/first \nweek of school, December, March, and June) involving all \nstudents and staff and in accordance with Mass Fire Code, \n527 CMR 1.00: 20.2.4.2. A record of each drill is to be \ndocumented on the google form available in the BPS Fire & \nSafety Drill Report under Central Office Support with The BPS \nOffice of Emergency Management and Preparedness (Safety \nServices). If you have any questions, please contact The BPS \nOffice of Emergency Management and Preparedness. \nd. Every student in all schools shall be advised of the fire drill \nprocedure and shall take part in a fire drill within three days \nafter school begins in September. Fire drill procedures for", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ea738d36-982b-4b04-9abd-abd0a22a5c24": { + "page_content": "d. Every student in all schools shall be advised of the fire drill \nprocedure and shall take part in a fire drill within three days \nafter school begins in September. Fire drill procedures for \nparticular rooms shall be posted within those rooms. \nAlternate and o bstructed drills shall be exercised; and every \nother quarter, alternate routes shall be used. \ne. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.4, \nthe head of the Fire Department, or person designated by \nthem, shall visit each school four times each year for the \npurpose of quarterly inspections, reviewing Building Fire \nSafety Plans and que stioning the administrators. The Fire \nDepartment may also conduct a fire drill for your building if \nthey feel your building is not in compliance with this law. \nDrills may be conducted without advance warning to the \nschool personnel other than the person in charge of the \nschool at the time. \nf. Fire drill plans must ensure adequate procedures for the", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "1296424f-b541-47dd-9005-9e379f5e912a": { + "page_content": "Drills may be conducted without advance warning to the \nschool personnel other than the person in charge of the \nschool at the time. \nf. Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0bc03354-1df5-4e4b-8987-9179e3ee2a41": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 6 of 15 \n \nThese procedures must also be incorporated in the School \nSafety/Contingency Plan for your school building. Fire drill \nprocedures must address student and staff accountability in \nan evacuation. This element of the plan should identify the \nperson(s) in charge, ensure accurate class attendance rosters \nare available, and identify specific locations for evacuees to \nassemble. \ng. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.6 \nEvacuation: Fire exit drills shall include the complete \nevacuation of all persons from the building. \nSTORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS \nFlammables shall be stored in an approved locked metal cabinet \nsuitably vented. If the amount being stored warrants, a locked \nstorage vault should be provided. The storage facility must be \nunder the control of a school official, with only the authorized \npersonnel allowed access. \nFaculty members should not allow students to fuel individual", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3c0e369a-f668-4de9-8a7a-8730417ea5e4": { + "page_content": "under the control of a school official, with only the authorized \npersonnel allowed access. \nFaculty members should not allow students to fuel individual \ndevices or transport any fuel container from one location to \nanother. \nAll school personnel should be thoroughly instructed as to the \nhazard involved in a particular flammable liquid, chemical, or gas; \nand in its safe and proper handling prior to intended use. Material \nSafety Data sheets should be on file in the main office. No fuel \ncontainer should be allowed to remain in any classroom but \nshould be immediately returned to its permanent storage facility. \nThe above procedures should be incorporated in the School \nSafety/Contingency Plan for each school building. Materials used \nin school science laboratory experiments are to be stored in", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "40fbc7ac-95ba-4efa-ae05-dc773cbb5dc9": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 7 of 15 \n \ncompliance with related laws, codes, and ordinances. Quarterly \nschool fire inspections are complemented by specialized \ninspections conducted by Boston Fire Department Special \nOccupancies\u2019 Officers. \n*Hazardous storage areas must be secured and identified with the \nappropriate warning label. The appropriate chemical storage \nroom door identification is the National Fire Protection \nAssociation\u2019s 704 Diamond. \n*Reference Superintendent\u2019s Circular FSE -06 Student Safety / \nHealth in School Shops, and / or Laboratories and Classrooms; \nand the chemical inventory sheet in Superintendent\u2019s Circular \nFMT-7 Right to Know Law. \nREPORTING OF FIRE INCIDENTS \nThe Boston Fire Prevention Code requires the following: \na. Upon any person's discovery of a fire or smoke in a building \nor premises, they shall immediately notify the Fire Alarm \nOffice of the Boston Fire Department of the location of the", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "9c3a4283-0562-4d62-8a09-47e42fc473e1": { + "page_content": "a. Upon any person's discovery of a fire or smoke in a building \nor premises, they shall immediately notify the Fire Alarm \nOffice of the Boston Fire Department of the location of the \ndiscovery and of the circumstances they have observed. The \nBoston Fire Department must be notified both by sounding \nthe nearest fire alarm box (pull station) and by telephone (911 \nor 617-343-2880) in the event of a fire. \nb. Any discovery or evidence of a fire or attempt to burn shall be \nreported to the Boston Fire Department by calling either 911 \nor 617 -343-2880 and the BPS Director of Emergency \nManagement and Preparedness (857) 701-9404 to begin an \narson investigation. BFD considers any fire started by a \nstudent as a potentially serious mental health issue that, if \naddressed early enough, may prevent more serious problems", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "83c47309-87d9-4cbd-8217-154d31ebe167": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 8 of 15 \n \nin the future. \nc. This section shall not be construed to forbid any person who \ndiscovers a fire, or the owner, lessee, person in charge of the \nbuilding or premises, any occupant, or any of their agents, \nafter notifying the Fire Department, from using all means \nnecessary to extinguish or control the fire prior to the arrival \nof the Fire Department. \nd. No person shall require, make, issue, post, or maintain any \norder, direction, or regulation, written or verbal, that would \nrequire or direct anyone to delay reporting a fire to the Fire \nDepartment. \ne. All personnel must be familiar with fire reporting procedures. \nf. The Boston Fire Department and then Facilities \nManagement, The Office of Emergency Management and \nPreparedness are to be notified of all fire-related incidents. \nThese include but are not limited to following: \nFire or explosion \nGood intent calls \nOverpressure rupture \nFalse alarm/false call \nMedical emergency", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ec54aaa9-3565-420b-a214-e12c02b942d9": { + "page_content": "These include but are not limited to following: \nFire or explosion \nGood intent calls \nOverpressure rupture \nFalse alarm/false call \nMedical emergency \n \nHazardous materials (i.e. fuel \nspills or chemical leaks) \nHazardous conditions \nService calls \nFire extinguished by occupant\ng. Any fire (including paper towels or tissues, even if \nextinguished), must be reported to the Boston Fire \nDepartment in accordance with procedure delineated in \nsections a. and b. above. \nh. The principal shall submit a written report available with \nthis_link: https://www.mass.gov/doc/fp-200-school-fire-", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0eaabff0-6ec7-43c4-a620-cab296c57c85": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 9 of 15 \n \nreporting-form/download of any fire within the school \nbuilding or on the school grounds to BPS Director of \nEmergency Management and Preparedness , (857) 701 -9404 \nwho will then forward it to the Boston Fire Department \nwithin 24 hours. This is in compliance with Mass General Law, \nChapter 148, Sec. 2A, which went into effect September 2006. \nThis information is also essential for arson prevention action. \nFIRE EXTINGUISHERS/KITCHEN SYSTEMS \na. Portable fire extinguishers must be serviced annually and \nlocated in accordance with the building\u2019s Fire Safety Plan. \nb. Kitchen extinguishing systems must be serviced twice a year. \nc. It is the responsibility of senior custodians to ensure \nextinguishers are visually inspected weekly and \nrecharged/inspected annually to ensure they are ready for \nemergency use. \nd. Requests for fire extinguisher servicing should be made to \nFacilities Management at 617-635-9122.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "1a3ea5e5-50dd-444e-89a9-245055b397f5": { + "page_content": "recharged/inspected annually to ensure they are ready for \nemergency use. \nd. Requests for fire extinguisher servicing should be made to \nFacilities Management at 617-635-9122. \ne. If extinguishers are not hanging in corridors, they must be \nreadily accessible. A list of fire extinguisher locations shall be \nposted in the office and maintained in the Fire Safety section \nof your building\u2019s School Safety/Contingency Plan. \nFLAMMABLE DECORATIONS \na. Flammable decorations, including examples of students' \nwork, must not be displayed in paths of egress, including \ndoorways and stairwells. \nb. The Boston Fire Department expects us to display reasonable \namounts of student work. This is to be in accordance with the", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "f4a52e5b-4627-49ee-8399-0279d9e08b10": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 10 of 15 \n \nNational Fire Protection Association, Life Safety Code and 527 \nCMR 20.2.4.4.3: \n\u201cPaper materials displayed in educational use occupancies \nshall be permitted on walls only in accordance with the \nfollowing: (1) In classrooms, paper materials displayed shall \nnot exceed 20% of the total wall area. (2) Paper materials \ndisplayed shall be attached directly to the walls and shall not \nbe permitted to cover an egress door or be placed within five \nfeet of an egress door, unless approved by the AHJ. When \ndetermining wall areas, the door and window openings shall \nbe included unless: (a) Paper materials are displayed in fully \nenclosed viewing cabinets with glass or polycarbonate \nviewing panels or covered with glass or polycarbonate sheet \nmaterial in accordance with the Building Code; (b) Flame \nretardant paper material is used for display. (3) Paper \nmaterial displays shall be permitted to cover up to 50% of the", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "66f591dd-c2e7-418d-8684-95380a9cc6a2": { + "page_content": "material in accordance with the Building Code; (b) Flame \nretardant paper material is used for display. (3) Paper \nmaterial displays shall be permitted to cover up to 50% of the \ntotal wall area in classrooms that are fully sprinklered in \naccordance with Chapter 13. \nCorridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total \ncorridor wall space. \n \nc. Certain buildings have more fire protection features than \nothers. This may be considered when displaying student \nwork. \nd. Please refer to Superintendent\u2019s Circular FSE -03 Building \nCodes and Fire Regulations.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "e2aa7de7-f89f-4c44-83d6-bfda5ad4ca7f": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 11 of 15 \n \nRIGHT TO KNOW \u2013 CHEMICAL INVENTORY \nEach school / facility must maintain an accurate inventory of toxic \nand hazardous substances stored and used in the building. Please \nrefer to Superintendent\u2018s Circular FMT -07 \u201cRight to Know\u201d Law \u2013 \nChemical Inventory. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember (First \nWeek of School) Quarterly Fire Drill Report Due \nDecember Quarterly Fire Drill Report Due \nMarch Quarterly Fire Drill Report Due \nJune Quarterly Fire Drill Report Due \n \nFor more information about this circular, contact: \nOwner: Director of Emergency Management & \nPreparedness \nDepartment: Office of Emergency Management, Safety \nServices \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-6082 or (857) 701-9404 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "1566930c-905f-4c4c-8900-34448f469571": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 12 of 15 \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.31.2024)", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "dc32a687-a047-4fa1-812b-44b5fab17679": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 13 of 15 \n \nATTACHMENT A \nSCHOOL BUILDING FIRE SAFETY PLANS \nSchool: \nPrincipal/Head of School: \n \n1. Does school have a Fire Safety Plan as part of School Safety/Contingency \nPlan? Y N \n2. Is the plan readily available in the main office? Y N \n3. (School Safety/Contingency Plan, Section 6) \n4. Is the plan current for this school year? Y N \n5. Does plan include following elements: \na. Description of building (type, height, occupancy) Y N \nb. Types of fire protection systems (sprinkler system, standpipes) Y N \nc. Fire alarms (locations of pull stations, smoke detectors, heat \ndetectors) Y N \nd. Location of exits (primary and alternate) Y N \ne. Evacuation routes (primary and alternate) Y N \nf. Stairwell designations Y N \ng. Smoke control (are corridor doors closed or held open by magnetic \ndevices that release when an alarm is activated?) Y N \nh. Location of extinguishers Y N", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "f804b4cb-ac97-4656-b45f-afbc252a03a9": { + "page_content": "f. Stairwell designations Y N \ng. Smoke control (are corridor doors closed or held open by magnetic \ndevices that release when an alarm is activated?) Y N \nh. Location of extinguishers Y N \ni. Identity and location of any occupants with disabilities Y N \nj. Floor plans Y N \nk. Record of staff training Y N \nl. Fire drill reports Y N \nm. Fire alarm system test records Y N \nn. Copy of building occupancy permit Y N \no. Incident Control Team members identified by name and title with \ndefined responsibilities in an emergency (including back-ups)Y N \nA follow-up phone call must always be made to the Fire Alarm Office \n(911 or 617-343-2880) by a designated staff member. \np. AED device location: Y N \n \n \nDate: ________________________________________", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "54f278b0-b271-4f6d-a2a4-39a46603df84": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 14 of 15 \n \nATTACHMENT B \nBOSTON FIRE DEPARTMENT \u2014 FIRE PREVENTION DIVISION \nSCHOOL DISPLAY MATERIALS: 527 CMR 1.05 \nAREA WITH NO SPRINKLERS WITH SPRINKLERS \n \n \n \n \n \nClassroom \n20% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the \negress door. \n \nNo limit if in viewing cabinet, \ncovered with polycarbonate, or \nmaterials are flame retardant* \n50% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the egress \ndoor. \n \nNo limit if in the viewing \ncabinet, covered with \npolycarbonate, or materials are \nflame retardant.* \n \n \n \n \n \n \n \nExit passageway, \ncorridors, and \nassembly area. \n10% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "292c0236-7e08-41dc-8201-81a6f902c69d": { + "page_content": "Groups to be separated by at \nleast the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \n50% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast \u00bd the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \nExits and enclosed \nstairs \nNothing permitted. Nothing permitted.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0a174b6c-2cc7-4404-86f8-9497f7c513c4": { + "page_content": "Superintendent\u2019s Circular FSE-02 \nPage 15 of 15 \n \nNOTES: \n(1) Door and window openings are to be included when \ncalculating wall areas. \n(2) Documentation must show compliance with NFPA 701 or \nCA 13115 to be flame retardant. \n(3) Plexiglas is not allowed; the covering must be glass or \npolycarbonate. \n(4) The posting of exit signage or evacuation plans shall not \nbe prohibited by this regulation. \n(5) 527 CMR 1.05 shall not be applicable to any election \nmaterials required by law to be posted during any local, \nstate, or federal election. \n \nThis regulation is effective September 19, 2003.", + "metadata": { + "file_name": "FSE-02 Fire Safety Practices.pdf", + "source_link": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "122b4f03-4a27-42b3-9ed5-f59b0d941716": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-06 \nVersion 01 \n \n \n \nSTUDENT SAFETY / HEALTH IN SCHOOL SHOPS, \nLABORATORIES, AND CLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEach day, thousands of Boston Public School students perform a \nvariety of activities within shops and laboratories. To ensure that \nall students and their teachers work in an environment which is \nsafe, it is necessary to formulate standard procedures and \nrequirements for all schools and their personnel. \nYour performance of these procedures will ensure that you and \nyour students are safe. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL \n1. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear eye \nprotection devices. \n2. Ensure that workable fire extinguishers, blankets, and eye \nwash equipment are readily available (custodians are \nresponsible for recharging fire extinguishers).", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d48b384d-06c9-4fbd-a8f6-62f0b70cd9e9": { + "page_content": "protection devices. \n2. Ensure that workable fire extinguishers, blankets, and eye \nwash equipment are readily available (custodians are \nresponsible for recharging fire extinguishers). \n3. Make sure that appropriate personnel receive training in use \nof portable fire extinguishers and blankets. \n4. Ensure that staff has instructed all students in safety \nstandards and procedures, including School Safety Plan.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "69d1ad1e-f766-4fa5-a528-d323dc93c013": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 2 of 23 \n \n \n \n5. Post building evacuation procedures in classrooms, offices, \nand corridors. \n6. Review and evaluate safety procedures in shops and \nlaboratories (refer to Safety Check List attached). \n7. Conduct quarterly fire drills (refer to Superintendent's \nCircular FSE-2 Fire Safety Practices). \n8. Develop emergency procedures in case of a serious accident \n(refer to Superintendent's Circular FSE-05 Medical \nEmergency Management). \n9. Maintain adequate lighting and proper ventilation in shops, \nlaboratories, and classrooms. Report problems to Facilities \nManagement. \n10. Ensure that food service training programs and/or student-\nrun restaurants comply with current sanitation code \nregulations. \n11. Be sure that teacher evaluations reflect the implementation \nof safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted in \nthe school's shops/laboratories.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "9bf5bf96-2651-460e-aa28-43e93a1732d8": { + "page_content": "of safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted in \nthe school's shops/laboratories. \n13. Ensure that all instructors working with toxic or hazardous \nsubstances receive training as specified in Chapter 111F of \nthe Massachusetts General Laws. \n14. State safety regulations within your school-based rules. \n15. Make Material Safety Data Sheets available. \nRESPONSIBILITIES OF TEACHERS \n1. Practice safety procedures; the teacher serves as the \nmodel for the students). \n2. Set up and maintain shop or laboratory to permit free, \nunobstructed movement of students at benches, around \nequipment and machines, and to allow egress from the", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "7c655523-13e3-403a-a07a-3b54f32cfbbe": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 3 of 23 \n \n \n \narea. \n3. Report all lighting and ventilation problems to the head \nof school/principal. \n4. Develop emergency procedures to follow in case of an \naccident (refer to Superintendent\u2019s Circular FSE-5 Medical \nEmergency Management). \n5. Post safety rules and safety hazards conspicuously in \nappropriate areas; contact the Department of Vocational \nTechnical Education for translation of safety rules into \nappropriate language(s). \n6. ENFORCE SCHOOL-BASED RULES WHICH ADDRESS \nSAFETY. \n7. Supervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a \nlaboratory or shop area. If an instructor must leave the \nshop in an emergency, they must: \na. Arrange for a qualified teacher as replacement OR \nb. Relocate students to a properly supervised area. \nc. Lock laboratory/shop area. \nd. Shut off equipment. \n8. Check fire protection equipment weekly.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "416ab309-b72f-4d4d-86c5-723d2e1c87cd": { + "page_content": "b. Relocate students to a properly supervised area. \nc. Lock laboratory/shop area. \nd. Shut off equipment. \n8. Check fire protection equipment weekly. \n9. Know the location of the closest fire extinguisher. \n10. Maintain a first aid kit in an easily accessible area. \n11. Check machinery/equipment weekly to make sure safety \nguards are in place and working properly. \n12. Check any gas-burning equipment daily for gas leaks. \n13. If anyone detects the smell of gas, shut off the gas source \nbefore reporting the problem to your supervisor. \n14. Maintain a dated, self-evaluation safety inspection \nchecklist. Safety program checklist forms are available \nfrom the Department of Career and Technical Education.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "c905d154-c306-4e9f-9739-000888391db6": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 4 of 23 \n \n \n \n15. Use the building safety committee as a resource for \nstudent safety plans. \n16. Present each student with a copy of the shop's safety \nrules and procedures. \n17. Teach safety as an integral part of each job or lesson by: \na. Testing students on their knowledge of safety rules \nand procedures. \nb. Using objective tests to emphasize shop safety. \nc. Checking student mastery of safe methods and safe \npractices. \nd. Testing students\u2019 handling of tools, operation of \nmachines, use of equipment, and trade practices, all \nwith a focus on safety. \ne. Having a student sign their written test as indication \nthey understand safety rules and procedures. \nf. Filing signed written tests in the student's folder as a \npermanent record. \n18. Know location of AED and qualified operations. \n19. Avoid shop accidents by insisting that students dress \nproperly for the laboratory/shop. Each student shall:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "84b9fd0c-e522-4ea0-b9ed-ee0104e9e870": { + "page_content": "permanent record. \n18. Know location of AED and qualified operations. \n19. Avoid shop accidents by insisting that students dress \nproperly for the laboratory/shop. Each student shall: \na. Wear shoes with low or flat heels and substantial \nsoles, or wear work shoes where mandated. \nb. Wear head covering, pin up hair, or tie hair back. \nc. Wear eye protection devices as per M.G.L. c.71, s.55C. \nd. NOT wear loose-fitting clothes which could get \ncaught in moving equipment. \ne. NOT wear rings, bracelets, or necklaces which could \nget caught in moving machinery parts. \n20. Supervise students at all times. Under no circumstances \nshould an unsafe piece of equipment be operated. \nDisconnect or remove the fuse to ensure that an", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8d72b12a-f6d9-4fb2-88db-e6431915975d": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 5 of 23 \n \n \n \naccident will not occur. \n21. Insist that visitors to your area wear safety equipment \n(eye protection, etc.). \n22. Shut off all machines, store all equipment, and shut off \nlights before closing the laboratory/shop for the day. \n23. Make sure that soap and towels are replenished as \nneeded. \n24. Establish a foolproof system for dispensing and securing \ntools. \n25. Designate storage for tools to prevent accidents. \n26. Lock up hazardous materials and equipment in \napproved containers when not in use. \n27. Keep machinery and equipment in good condition; \nconduct monthly inspections. \n28. Submit appropriate requisition(s) to paint hazardous \nmachinery parts and safety switches in conspicuous \ncolors. \n29. Submit appropriate requisition(s) to secure safety mats \nto the floor around machines to prevent slipping. \n30. Check the emergency disconnect switch (PANIC \nBUTTON) to ensure proper operation.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "47b542aa-90f5-464c-8b90-19f3c69f3907": { + "page_content": "29. Submit appropriate requisition(s) to secure safety mats \nto the floor around machines to prevent slipping. \n30. Check the emergency disconnect switch (PANIC \nBUTTON) to ensure proper operation. \n31. Dispose of oily waste and rags in designated containers. \n32. Ensure that food service training programs and/or \nstudent-run restaurants comply with current sanitation \ncode regulations. \nRESPONSIBILITIES OF NURSES \n1. Help students and teachers obtain necessary health \nscreening, where required, for admission to occupational \nprograms (e.g., food service/restaurant programs). \n2. Administer first aid.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d364fa88-296e-4e5d-90f3-1343bf6b25e7": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 6 of 23 \n \n \n \n3. Evaluate the injury. \n4. Notify student's parent/guardian. \n5. Complete nurse's section of accident report. \n6. If an accident is serious, in addition to above, implement \nprocedures documented in Superintendent's Circular \nFSE-5 Medical Emergency Management. \nACCIDENT REPORTS \n1. The instructor, nurse, and/or witness will fill out or assist in \nfilling out two separate accident reports: Occupational \nEducation Accident Report Form EE 111 (attached) and Pupil \nAccident Report Form 201 (attached). \n2. The principal/head of school will retain original Form EE 111 \nin the school file and send a copy to the director of Career \nand Technical Education, 75 Malcolm X Blvd., Boston, MA \n02119. \n3. The principal/head of school will retain Form 201 in the \nschool file and send a copy to the Department of Safety \nServices, 213 Townsend Street, Dorchester, MA 02121. \nTECHNICAL ASSISTANCE", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ece67ba6-1119-40df-a592-1208c36ea014": { + "page_content": "3. The principal/head of school will retain Form 201 in the \nschool file and send a copy to the Department of Safety \nServices, 213 Townsend Street, Dorchester, MA 02121. \nTECHNICAL ASSISTANCE \nThe Department of Career and Technical Education will provide \nall schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building inspections. Career and Technical Education staff \nwill perform continual safety inspections for \nshops/laboratories/classrooms. \nContact:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "166ecd24-3d35-4c38-ba92-20b5aa98a971": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 7 of 23 \n \n \n \nDirector of Career and Technical Education, 617-635-8970 \nDirector Safety / Emergency Preparedness, 617-635-8300 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent \n \nATTACHMENTS: \nForm EEE 111 \u2013 Occupational Education Accident Report \nForm 201 \u2013 Pupil Accident Report \nOccupational Safety and Health: Safety Inspection Checklist", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "bcc660d8-bc23-4f67-b957-080960c235af": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 8 of 23 \n \n \n \nFORM EE 111 \nOCCUPATIONAL EDUCATION ACCIDENT REPORT \n \nName of injured: _________________________________________________ \nGrade: ________ Age: ________ \nParent's/guardian's name: ________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDate of accident: ______________Time of accident: _________________ \nLocation of accident: _____________________________________________ \nDescription of accident: __________________________________________ \n __________________________________________________________________ \nState exact part of person injured and extent of injury: ___________ \n __________________________________________________________________ \nEmergency care was given by: ___________________________________ \nFollow-up (check statements which apply): \n\u2610 Pupil remained in school", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ed45086c-cdd1-4d8a-af2d-47a8f7e67c22": { + "page_content": "Emergency care was given by: ___________________________________ \nFollow-up (check statements which apply): \n\u2610 Pupil remained in school \n\u2610 Parent/guardian notified \n\u2610 Taken to nurse's office by _____________________________________ .", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "cc94327d-91a0-4ed8-abff-00d3caacff4d": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 9 of 23 \n \n \n \n\u2610 Taken to hospital by ___________________________________________ \nName of doctor, if any ___________________________________________ \nWitness to accident: ______________________________________________ \nPerson reporting accident: _______________________________________ \nSignatures: \nPerson making this report: _______________________________________ \nPerson supervising activity/program _____________________________ \nSchool nurse _____________________________________________________ \nPrincipal/head of school _________________________________________ \n \nReport #: ___________________________ (to be filled in by the \nbuilding principal/headmaster) \n \nReviewed by: _____________________________________________________ \n Director of Career and Technical Education \n \nNOTE: Retain original in principal\u2019s/head of school\u2019s office. Send \ncopy to the director of Career and Technical Education, 75", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "9e65f773-9787-441c-ac7d-5cba6a209c82": { + "page_content": "Director of Career and Technical Education \n \nNOTE: Retain original in principal\u2019s/head of school\u2019s office. Send \ncopy to the director of Career and Technical Education, 75 \nMalcolm X Blvd., Boston, MA 02120.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ece13577-3438-45f2-bf3f-087edadf3a0f": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 10 of 23 \n \n \n \nFORM 201 \nPUPIL ACCIDENT REPORT \n(Section 225 of the Rules and Regulations) \nAll accidents involving injury to pupils on school premises or \nwhile going to or from school must be reported on Form 201 to \nthe Department of School Safety Services, 213 Townsend Street, \nDorchester, MA 02121 no later than the day following the day of \nthe accident. This report is to be filled out in its entirety. A \nduplicate copy of the Pupil Accident Report is to be retained by \nthe school principal. If possible, this report should be typewritten. \n1. Student\u2019s Last Name ___________________________________________ \nFirst Name ____________________________Middle Initial ___________ \n2. Address _______________________________________________________ \n __________________________________________________________________ \n3. School ________________________________________________________", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "06032e76-bbf9-497f-ac0d-69afb98cecfd": { + "page_content": "__________________________________________________________________ \n3. School ________________________________________________________ \n4. Student\u2019s Age _________Sex ________Grade_____Room___________ \n5. Name of Parent or Guardian (in full) ___________________________ \n __________________________________________________________________ \n6. Date of accident _________Time _______ A.M. ______ P.M. ________ \n \n7. Nature and extent of injury ____________________________________", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "dddb09ae-99ea-482d-88c9-4b28aa9f1147": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 11 of 23 \n \n \n \n8. In case of dog bite, has a report been made to the Boston \nHealth Department? \u2610 Yes \u2610 No \n8. Specific location of accident ___________________________________ \n9. Teacher(s) in charge of location when accident occurred \n __________________________________________________________________ \n9. Teacher(s) in charge present at scene of accident? \u2610 Yes \u2610 No \n10. Description of accident, including cause ______________________ \n __________________________________________________________________ \n __________________________________________________________________ \n11. In the case of a shop accident, were all guards required by law \nin use? ________________________________________________________ \n If not, why not? _______________________________________________ \n ________________________________________________________________ \n12. In case of shop or laboratory accident, is the statement", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "aa5f5ee4-180a-4775-a1c9-80834aef1dd1": { + "page_content": "If not, why not? _______________________________________________ \n ________________________________________________________________ \n12. In case of shop or laboratory accident, is the statement \nrequired by Section 225 of the Rules and Regulations \nattached? \u2610 Yes \u2610 No \nIf answer is no, state reason: ___________________________________ \n13. To whom was the accident first reported? _____________________ \nWhat action was taken by this person? ________________________ \n ________________________________________________________________ \n14. Were first aid supplies available? \u2610 Yes \u2610 No \n15. Was any treatment administered? \u2610 Yes \u2610 No", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8107be04-3b5d-457d-bd86-586dbcf54dbd": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 12 of 23 \n \n \n \nWhere? _______________________________________________________ \n16. Did the pupil leave school (or place of accident)? \u2610 Yes \u2610 No \nIf so, to what destination? _____________________________________ \n17. If transported by ambulance, attendant names, and unit #: \n __________________________________________________________________ \n18. Escorted to destination by whom? (An injured pupil should be \nescorted by a responsible person) _____________________________ \n __________________________________________________________________ \n19. Names and addresses of witnesses: ___________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nThe accident report has been investigated and will be carefully \nfollowed up.", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "6e3f947b-7af7-4a0c-be06-f532b1b5d0fa": { + "page_content": "__________________________________________________________________ \nThe accident report has been investigated and will be carefully \nfollowed up. \n __________________________________________________________________ \nSignature of Safety Counselor \n __________________________________________________________________ \nSignature of Principal \nDate of Report ___________________________________________________ \nSchool ___________________________________________________________ \nBOSTON PUBLIC SCHOOLS \u2014 VOCATIONAL, ADULT,", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "aca4dbd6-0b9a-41b7-8a2f-91b7b3797b61": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 13 of 23 \n \n \n \nAND ALTERNATIVE EDUCATION \nOCCUPATIONAL SAFETY AND HEALTH: SAFETY INSPECTION \nCHECKLIST \nSchool ______________________________________Level _______________ \nDepartment ___________________Area __________Date _____________ \nInspection by __________________________Position _________________ \nSTUDENTS YES NO N/A \n1. Are they wearing proper eye protection? \u2610 \u2610 \u2610 \n Comment: \n2. Are they wearing proper footwear? \u2610 \u2610 \u2610 \n Comment: \n3. Are they properly dressed? \u2610 \u2610 \u2610 \n Comment: \n4. Are they trained in safety procedures? \u2610 \u2610 \u2610 \n Comment: \n5. Do they have safe work habits? \u2610 \u2610 \u2610 \n Comment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "5cd568c4-ca49-428f-813a-ea20ac7037ca": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 14 of 23 \n \n \n \nSTUDENTS (continued) YES NO N/A \n6. Are they wearing proper hearing protection? \u2610 \u2610 \u2610 \n Comment: \n7. Are hard hats provided and worn where any \ndanger of falling objects? \u2610 \u2610 \u2610 \nComment: \n8. Do they know how to properly and safely \nuse the tools? \u2610 \u2610 \u2610 \n Comment: \n9. Are they trained in safety procedures? \u2610 \u2610 \u2610 \nComment: \n10. Do students know what to do in emergencies? \u2610 \u2610 \u2610 \n Comment: \nWORK AREA YES NO N/A \n1. Is it clean and orderly? \u2610 \u2610 \u2610 \n Comment: \n2. Are exit lanes clear and marked? \u2610 \u2610 \u2610 \n Comment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "db63b57e-f430-4510-ba44-be48c01e6b72": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 15 of 23 \n \n \n \n3. Are materials neatly stored? \u2610 \u2610 \u2610 \n Comment: \nWORK AREA YES NO N/A \n1. Are tools safely stored? \u2610 \u2610 \u2610 \n Comment: \n2. Are floors clean and dry? \u2610 \u2610 \u2610 \n Comment: \n3. Are hazard signs properly posted? \u2610 \u2610 \u2610 \n Comment: \n4. Are floors non-skid? \u2610 \u2610 \u2610 \n Comment: \n5. Are compressed gas cylinders properly \n secured? \u2610 \u2610 \u2610 \n Comment: \nDOORS YES NO N/A \n1. Are there an adequate number of exits? \u2610 \u2610 \u2610 \n Comment: \n2. Are exits properly marked with signs? \u2610 \u2610 \u2610 \n Comment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "dc13385e-2567-4938-858e-36f9cfb1253a": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 16 of 23 \n \n \n \n3. Is there an unobstructed and clear way to \n all doors? \u2610 \u2610 \u2610 \n Comment: \nAre fire doors (automatic/self-closing) in \n operable condition? \u2610 \u2610 \u2610 \n Comment: \n \nEYEWASH - EMERGENCY SHOWERS YES NO N/A \n1. Are there washing facilities available where \nstudents are exposed to corrosive materials, \nflying chips, or dust? \u2610 \u2610 \u2610 \n Comment: \nELECTRIC DEVICES YES NO N/A \n1. Are all outlets and switches in good condition? \u2610 \u2610 \u2610 \n Comment: \n2. Are there any loose wires? \u2610 \u2610 \u2610 \n Comment: \n3. Are all outlets properly grounded? \u2610 \u2610 \u2610 \n Comment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "07c2e71a-3298-4c81-b89e-1e8f6d3bddaa": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 17 of 23 \n \n \n \nFIRE DRILLS YES NO N/A \n1. Are fire drill instructions (exit routes) posted? \u2610 \u2610 \u2610 \n Comment: \n2. Do alarms work properly? \u2610 \u2610 \u2610 \nComment: \n3. Are fire drill practices held frequently? \u2610 \u2610 \u2610 \nComment: \n4. Are staff members instructed in the use of \n extinguishers and fire protection procedures? \u2610 \u2610 \u2610 \n Comment: \nFIRE EXTINGUISHERS YES NO N/A \n1. Are extinguishers mounted in a readily \naccessible/visible location? \u2610 \u2610 \u2610 \n Comment: \n2. Was the extinguisher inspected during the \n past year (check inspection tag)? \u2610 \u2610 \u2610 \n Comment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "870c675a-d988-489c-8188-1942481266db": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 18 of 23 \n \n \n \nFLAMMABLE ITEMS YES NO N/A \n1. Is there more than one (1) shift or a one (1) day \nsupply of flammable liquid in the school shop \n area? \u2610 \u2610 \u2610 \nComment: \n2. Are all flammable liquids (one day's supply \nof oil, previously opened paint, gasoline, etc.) \nsealed in fireproof containers away from \npossible sources of ignition? \u2610 \u2610 \u2610 \nComment: \n4. Is there an excess of flammables kept on the \npremises? \u2610 \u2610 \u2610 \nComment: \n4. Are rags and other flammable items stored in a \nsafe location? \u2610 \u2610 \u2610 \n Comment: \n5. Are waste receptacles provided and are they \nemptied regularly? \u2610 \u2610 \u2610 \nComment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "25f98b7f-912c-4029-9520-f8ff893139d5": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 19 of 23 \n \n \n \nFIRST AID YES NO N/A \n1. Is a fire blanket and container mounted in a \nreadily accessible/visible location? \u2610 \u2610 \u2610 \nComment: \n2. Are first aid boxes in an accessible location? \u2610 \u2610 \u2610 \nComment: \n3. Are the supplies adequate for the type of \npotential injuries in the shop? \u2610 \u2610 \u2610 \nComment: \n4. Are all items sterile? \u2610 \u2610 \u2610 \nComment: \n5. Is there a staff member trained in first aid? \u2610 \u2610 \u2610 \nComment: \n6. Are emergency numbers posted? \u2610 \u2610 \u2610 \nComment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "74ba48d7-6f17-4a1d-b5fc-3029589a6e14": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 20 of 23 \n \n \n \nHEATING YES NO N/A \n1. Are all heat dispersing units free from \nobstruction and flammable materials? \u2610 \u2610 \u2610 \nComment: \n2. Is the heat in the shop adequate? \u2610 \u2610 \u2610 \nComment: \nLIGHTS YES NO N/A \n1. Is lighting suitable for work being done? \u2610 \u2610 \u2610 \nComment: \n2. Is there a back-up light in case of emergency \n(battery-operated)? \u2610 \u2610 \u2610 \nComment: \nMACHINERY AND TOOLS YES NO N/A \n1. Are safety guards in place? \u2610 \u2610 \u2610 \nComment: \n2. Are they properly cleaned and lubricated? \u2610 \u2610 \u2610 \nComment: \n3. Are there any dangerously worn parts? \u2610 \u2610 \u2610 \nComment: \n4. Is there adequate space between machines for", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "25982f23-e6d4-4e27-8459-96e339ba640c": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 21 of 23 \n \n \n \nworking safely? \u2610 \u2610 \u2610 \nComment: \n5. Are there any electrical hazards? \u2610 \u2610 \u2610 \nComment: \n6. Are hand tools and other equipment regularly \ninspected for safe conditions? \u2610 \u2610 \u2610 \nComment: \nPOWER SHUT-OFFS YES NO N/A \n1. Are there emergency shut-offs? \u2610 \u2610 \u2610 \nComment: \n2. Do they work? \u2610 \u2610 \u2610 \nComment: \n3. Are they checked each month? \u2610 \u2610 \u2610 \nComment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ccc68c7a-4126-417a-8fb6-b87794f87ab4": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 22 of 23 \n \n \n \nVENTILATION YES NO N/A \n1. Do all exhaust ducts terminate outside the \nbuilding? \u2610 \u2610 \u2610 \nComment: \n2. Does tailpipe exhaust exit outside the building? \u2610 \u2610 \u2610 \nComment: \n3. Does this shop (welding, auto body, etc.) \nrequire exhaust fans? \u2610 \u2610 \u2610 \nComment: \n4. Does this shop have exhaust fans, and do they \nexhaust to the outside? \u2610 \u2610 \u2610 \nComment: \n5. Is the system sufficient with shop at full capacity? \u2610 \u2610 \u2610 \nComment: \nRIGHT TO KNOW LAW YES NO N/A \n1. Is a workplace notice posted? \u2610 \u2610 \u2610 \nComment: \n2. Are containers labeled that contain toxic or \nhazardous substances? \u2610 \u2610 \u2610 \nComment: \n3. Have the instructors been taught about the", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "f3dcccf4-618a-471f-a144-1425570aed2c": { + "page_content": "Superintendent\u2019s Circular FSE-06 \nPage 23 of 23 \n \n \n \nnature and effects of the MSL substances to \nwhich they may be exposed in the workplace? \u2610 \u2610 \u2610 \nComment: \n4. Other: \u2610 \u2610 \u2610 \nComment:", + "metadata": { + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf", + "source_link": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "23480f4c-fc02-4cc6-a5e2-d6ffaf70c2e4": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-01 \nVersion 01 \n \n \n \nSCHOOL SAFETY CONTINGENCY PLANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEmergencies happen randomly in time and place, but they can be \nhandled efficiently if you have an adequate school action plan and \nan informed staff. A plan without a crisis is better than a crisis \nwithout a plan. School administrators and staff routinely manage \ncrises efficiently, and a well thought out plan will ensure guidance \nin a major emergency. \nBoston Public Schools is a NIMS (National Incident Management \nSystem) compliance district. NIMS uses a core set of concepts, \nprincipals, procedures, processes, standards, and terminology that \nmay all be integrated with school emergency management \npractices. This in part means that we use straight language and \nnot codes when emergencies happen. \nWhen developing safety plans, school administrators must", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "93d755c8-4cb6-48c9-99fc-11adae3c16e1": { + "page_content": "practices. This in part means that we use straight language and \nnot codes when emergencies happen. \nWhen developing safety plans, school administrators must \nconsider mitigation/prevention, response and aftermath, and \ncomponents which apply to all emergency preparedness. \nPrevention/mitigation strategies are delineated in related \nSuperintendent\u2019s Circulars. Appropriate response will be detailed \nin your School Safety Contingency Plan. Dealing with recovery will \nbe addressed via Special Education and Student Services policies \nand procedures and support from other BPS departments.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "22e89e3d-0268-4352-963a-5e41c0740910": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 2 of 42 \n \n \nIt is essential that there be a consistent approach to school safety \nplanning throughout the district. This will ensure that each school \nimplements standard procedures in the event of an incident. A \ndefined course of action will also complement the effor ts of \nresponding public safety agencies. \nThe issue of school safety planning is regularly assessed. Ongoing \nrisk analyses are conducted, and lessons learned from actual and \nmost probable school incidents are integrated with BPS safety \nprotocols. Although every possible contingency may not be \nidentified in BPS School Safety contingency plan guidelines, your \nplan should serve as a multi-hazard approach for handling school \nincidents. \nIt is the responsibility of each school administrative head to \nupdate, review with staff and submit their School Safety \nContingency Plan no later than the last week of August each \nschool year.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "492a14a8-ef8f-463c-bb58-c37b48f7bf63": { + "page_content": "It is the responsibility of each school administrative head to \nupdate, review with staff and submit their School Safety \nContingency Plan no later than the last week of August each \nschool year. \nThe names of those schools which fail to comply with this directive \nare forwarded to the Superintendent\u2019s Office for appropriate \naction. \nYour School Safety Contingency Plan is to be completed in the \nGoogle doc shared with the school principal/head of school. Please \nuse the original doc to complete your plan. Do not copy and \nshare. It will be automatically saved. You are allowed continuous \naccess to maintain its currency. It is also accessible to the \nSuperintendent\u2019s Office staff and other appropriate BPS central \ndepartments. Boston public safety agencies \u2014 police, fire, EMS \nand B OEM \u2014 have access to these plans in an emergency. The \nOffice of Emergency Management and Preparedness is available \nas a resource to assist principals/schools leaders, heads of school", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "06afab4e-1c86-425f-b210-f6012195e132": { + "page_content": "and B OEM \u2014 have access to these plans in an emergency. The \nOffice of Emergency Management and Preparedness is available \nas a resource to assist principals/schools leaders, heads of school \nand other administrative heads with access information and", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "738ded6c-4a64-4ef5-9554-e7caccca59ab": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 3 of 42 \n \n \ntechnical advice in order to complete their plans. \nINSTRUCTIONS FOR UPDATING AND EDITING SCHOOL SAFETY \nCONTINGENCY PLANS AND FIRE SAFETY PLANS \nThe following is information on how to access and edit your \nbuilding\u2019s School Safety Contingency Plan and the building\u2019s Fire \nSafety Plan. The actual School Safety Contingency Plan for your \nbuilding was shared with you by the Director of the Office of \nEmergency Management and Preparedness or Director of \nTechnology in a Google Doc. Use this Google Doc for all changes \nand updates. Please make all changes in the original doc. Do not \nsave and make changes. \n\u25ba If you cannot locate your plan, please contact The Office of \nEmergency Management and Preparedness Operations-\nDepartment-Heads@bostonpublicschools.org. \n \nSummary of significant dates and deadlines: \nDate Activity \nLast Week in August \nDeadline for completion and submission on Google", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "4b47b465-e433-4e47-84f0-8a1734f55258": { + "page_content": "Department-Heads@bostonpublicschools.org. \n \nSummary of significant dates and deadlines: \nDate Activity \nLast Week in August \nDeadline for completion and submission on Google \nDoc to The Director of the Office of Emergency \nManagement and Preparedness of revised School \nSafety Contingency Plan and review same with \nstaff for this school year. \n \nSECTION I: INTRODUCTION \nThe Boston Public Schools continues efforts to simplify and", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3e67a584-b035-44a0-89bd-ff1cbe679ca2": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 4 of 42 \n \n \nstandardize school safety plans throughout the system. It is \nunderstood that each school has its own \u201csafety personality\u201d based \non its construction design, location, number of staff, number and \ngrade level of students, as well as many other characteristic s. \nHowever, there are common elements, policies, and procedures \nfor all schools to follow in the event of an incident/crisis. \nThere are five phases of emergency management for school \nadministrators to consider when developing safety plans: \n\u25cf Mitigation \n\u25cf Prevention \n\u25cf Preparedness \n\u25cf Response \n\u25cf Recovery \nAlthough special emphasis is placed on spectacular and unusual \nincidents by the media, there are many routine types of school \nrelated occurrences that can also be extremely disruptive to a \nschool. \nSchool administrators are called upon to deal with these \nemergencies on a regular basis. In every type of school incident,", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "db06fe65-d5f8-4f59-a54c-1676bdfff07e": { + "page_content": "related occurrences that can also be extremely disruptive to a \nschool. \nSchool administrators are called upon to deal with these \nemergencies on a regular basis. In every type of school incident, \nthe first responders and decision makers are school -based staff. \nWhen the scope of an incident escalates beyond the resources \navailable at the school, initial actions taken or not taken by those \nclosest to the event can help or hinder those who will arrive later \nand assume responsibility for resolving the situation. \nThe intent of these guidelines is to assist school administrators in \ncreating an appropriate working plan that will direct them \nthrough a crisis and expedite the return of their school to its \nnormal operation following that crisis. It is a multi -hazard \napproach to school incident management.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "c9b94a1f-9fd6-46b6-ac46-8f6185299955": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 5 of 42 \n \n \nBPS guidelines are based on concepts utilized in an Incident \nCommand System developed by public safety agencies across the \nnation. The following is a brief overview of the Incident Command \nSystem. \nINCIDENT COMMAND SYSTEM \nICS has been modified for our application on the school level to \nmanage any incident/crisis within our capacity and maintain \ncompatibility with supplementary public safety agency\u2019s \nemergency plans. \nIn managing any incident/crisis, the paramount objectives for all \nschool staff are to: \n\u25cf Ensure safety of all occupants \n\u25cf Follow BPS Safety Plan, Safe Mode and/or Fire protocol \n\u25cf Stabilize and resolve the incident when possible \n\u25cf Provide support for responding public safety agencies (911 \nand BPS Dispatch 617-635-8000) \n\u25cf Protect school property \nThe Incident Command System (ICS) is based on a team concept, \nwhere each team member has specific responsibilities. BPS will", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "bc682765-945f-4441-87c0-1c2a874bde6f": { + "page_content": "and BPS Dispatch 617-635-8000) \n\u25cf Protect school property \nThe Incident Command System (ICS) is based on a team concept, \nwhere each team member has specific responsibilities. BPS will \nutilize an on -site team and an off -site team that will focus on \nsecuring the necessary support from internal departments and \nexternal agencies. The information flow is illustrated on the next \npage. \nThe on-site BPS Incident Control team (ICT) team model calls for \nthe following positions: \nSite Incident Control Team \n\u25cf Site Incident Control manager (SICM) \n\u25cf Risk analyst", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ca750ada-1bda-40e7-a062-8e83f90a9ee3": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 6 of 42 \n \n \n\u25cf Safety coordinator \n\u25cf Building coordinator \n\u25cf Incident scribe \nThe roles, responsibilities and required skills for a successful Site \nIncident Control Team follow: \nSite Incident Control Manager \nGenerally, the site incident control manager (SICM) should be the \nhead of school/principal/director, the individual who has ultimate \nresponsibility for his/her school\u2019s operation. The SICM must have \na clear understanding of the school system\u2019s policies and \nprocedures. The SICM must also be able to make quality \nassessments, communicate well and command others. These are \nnormal functions for a school\u2019s administrator to perform. \nDepending on the severity and tier level of the incident, the SICM \nwill establish a command post at a designated location and \nactivate the school\u2019s internal team. The nature of the incident \ndetermines the configuration of the team. In a large -scale", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "1c50ee6c-c1d5-4dc2-8e51-7983332d6689": { + "page_content": "will establish a command post at a designated location and \nactivate the school\u2019s internal team. The nature of the incident \ndetermines the configuration of the team. In a large -scale \nincident, the team can be expanded or collapsed as conditions \nwarrant. In a smaller school, one person may perform several tasks. \nIt must be understood that, initially, the SICM may be any member \nof your staff who discovers or is alerted to an incident prior to \nnotification of the head of school/principal/director. \nRisk Analyst \nThe risk analyst will be relied on to assess incurred injuries and \nevaluate medical risks associated with developing and occurring \nincidents. Recommended personnel for this role include the \nschool nurse, school psychologist, and student support \ncoordinator. Consideratio n of a school\u2019s language requirements", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "3839543b-d083-43fd-af2d-fe368ab1a609": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 7 of 42 \n \n \nshould also be included in selection of the risk analyst. \nSafety Coordinator \nThe safety coordinator will be called upon to gather occupancy \ninformation and to support efforts to establish control at the \nincident site. Recommended personnel for this role include \nSchool Registrar, School Police Officer, Safety Paraprofessional, \nDean of Discipline, and Transportation Coordinator. Since schools \nvary in size and range of staff, Principals and Headmasters are \nurged to explore their building\u2019s total resources to assist in \nidentifying this team member. \nBuilding Coordinator \nThe building coordinator will meet and direct responding \nagencies to appropriate locations. The building coordinator will \nalso assess building security. Due to familiarity and knowledge of \nthe assigned school and its systems, the senior building custodian \nis the suggested primary designee for this role. \nIncident Scribe", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "36b1f2db-98f6-4120-83fc-7bfed511d172": { + "page_content": "the assigned school and its systems, the senior building custodian \nis the suggested primary designee for this role. \nIncident Scribe \nThe incident scribe will be responsible for documenting the \nchronology of events. This position will require good \norganizational skills and willingness to support the rest of the on -\nsite Incident Control Team members. Suggested staff includes the \nschool secretary or the pe rson in your building responsible for \norganizing student arrival and dismissal. \nSmaller schools with limited numbers of administrators or support \nstaff may find it necessary to have team members perform more \nthan one role. \nClassroom teachers are not recommended as potential members", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "6393d974-9d96-460c-8153-6c080a6b1be3": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 8 of 42 \n \n \nof the on -site team. Experience indicates it is best for classroom \nteachers to remain with their assigned classes during critical \nevents. A resource guide for classroom teachers is included in the \nEmergency Response Guidelines. \nCENTRAL INCIDENT MANAGEMENT \nThe BPS adaptation of the Incident Command Structure will \ninclude the establishment of an off-site team that will support the \nefforts of the on -site team. The components of this off -site Crisis \nCommand Team will include Facilities Management, Emergency \nManagement, Transportation, Superintendent\u2019s Office, Student \nSupport Services, Safety Services, and other areas that might be \nrequired as incidents evolve. The external team will provide liaison \nsupport to any agency required by a situation.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "85f5977b-f25e-443d-89d3-2c216ad66784": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 9 of 42 \n \n \nCentral Incident Management Team \nGroup Primary Phone \nFacilities Management Executive Director of \nFacilities \n(617) 635-9126 \nBPS Emergency \nManagement \nDirector of \nEmergency \nManagement \n(857) 701-9404 \n(617) 635-6082 \nTransportation Chief of \nTransportation \n(617) 635-9520 \nBehavioral Health \nServices (BHS) \nChief of Student \nServices \n(617) 635-9676 \nSafety Services Chief of Safety \nServices \n(617) 635-8000 \n \nSuperintendent\u2019s \nOffice \nDeputy Supt of \nOperations \n(617) 635-9643 \n \nOffice of Technology CIO/Director (617) 635-9200 \nCommunications \nDepartment \nChief of \nCommunications \n(617) 635-9265 \n \nIn many instances, this sophisticated level of staffing may not be \nrequired. However, considering identified functions requiring \nperformance in a crisis, the model ICS structure can be modified \nfor a specific application to ensure completion of critical \ncommunications and data sharing tasks. It is important to", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "5fc45f44-90ec-4e5b-9f56-e24ee30c427b": { + "page_content": "performance in a crisis, the model ICS structure can be modified \nfor a specific application to ensure completion of critical \ncommunications and data sharing tasks. It is important to \nunderstand that the incident command system is driven by \nfunctions being performed and not simply staffing positions.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "e00250d6-d481-43c4-a14d-9daedcf6707e": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 10 of 42 \n \n \nPUBLIC SAFETY RESPONSE \nShould an incident necessitate a response by non -school \ndepartment public safety resources based on the assessment of \nthe school SICM, they will be met by the building coordinator and \ninformed of the nature of the incident and location of the school \ncommand post. \nShould conditions warrant, public safety personnel might assume \nprimary responsibility and command. The responding public \nsafety officials may activate their own command post, at which \ntime an official from the impacted school may be requested to \ntake a position at that location. \nINCIDENT TYPE AND RESPONSE \nThe BPS adaptation of the Incident Command System calls for \nclassification of an event or developing situations to be \ncategorized by the following tier level concepts . The initial \nassessment must quickly determine if the best response is safe \nmode or evacuation.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "52976dd4-2f8a-44ea-a682-87ed1abed9d2": { + "page_content": "categorized by the following tier level concepts . The initial \nassessment must quickly determine if the best response is safe \nmode or evacuation. \nSchool related incidents will be classified according to a level of \nseriousness (Tiers I, II, III). Appropriate school response to these \ntiers would be to initiate emergency procedures, standby or \nmonitor the situation, or introduce proactive measures wit h \ncareful monitoring of developing situations. The appropriate \nresponse or modes required by the SICM\u2019s evaluation are defined \nas follows: \nTier I \u2013 Any Situation That Requires Immediate 911 Response \nTier II \u2013 Stand By and Response Planning Mode \nTier III \u2013 Proactive Prevention and Monitoring Mode", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "5b68c871-e7b1-4fe6-8c8e-9a9efdf2a439": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 11 of 42 \n \n \nDEFINING INCIDENT RESPONSES BY TIER LEVEL \nSituations will be categorized by the Site Incident Control \nmanager (SICM) as a Tier I, Tier II, or Tier III issue. \nTier I \u2013 Presents Imminent Danger to Students, Staff, and \nProperty beyond the School\u2019s Ability to Control\n\u25cf Bomb threat \n\u25cf Fire alarm \n\u25cf Armed person on or near \nsite \n\u25cf Hostage situation \n\u25cf School bus accidents \n\u25cf Medical emergencies \n\u25cf Hazardous materials \nincident \n\u25cf Gas leak \n\u25cf Suicide threats \n\u25cf Fire \n\u25cf Explosion \n\u25cf Kidnapping \n\u25cf Sexual assault \n\u25cf Lost or missing children \n\u25cf Violent behavior \n\u25cf Psychiatric emergency \n\u25cf Chemical spills \n\u25cf Natural disasters\nTier II \u2013 Presents Potential Danger to Students, Staff and \nProperty \n\u25cf Suicide warnings / signs of depression \n\u25cf Weather warnings \n\u25cf Environmental issues \n\u25cf Facilities failures \n\u25cf Increased gang activities \n\u25cf Communicable diseases \n\u25cf Custody issues \nTier III \u2013 Conditions Indicate a Threatening Situation is in", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d5149b1b-df49-46d2-8197-a7ef43b9ac86": { + "page_content": "\u25cf Environmental issues \n\u25cf Facilities failures \n\u25cf Increased gang activities \n\u25cf Communicable diseases \n\u25cf Custody issues \nTier III \u2013 Conditions Indicate a Threatening Situation is in \nFormative Stage \n\u25cf Sexual harassment \n\u25cf Intimidating behavior", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "4bf0023e-2bf0-46f1-9316-db8cdd65d3e7": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 12 of 42 \n \n \n\u25cf Increasing levels of vandalism \n\u25cf Inappropriate communications \n\u25cf Inappropriate internet use \n\u25cf Rumors \n\u25cf Other incidents that warrant further monitoring \nCRITERIA FOR DEFINING TIER LEVELS \nTier I \nTier I situations present imminent danger to students, staff, \nand property beyond the school\u2019s ability to control and \ntypically involve a 911 emergency response. \nTier I situations require an immediate SICM assessment to \ndetermine the scope of response required, i.e., some \nsituations requiring 911 response may be contained by the \narrival of the appropriate responding 911 unit. For example, a \nrelatively small lacerat ion requiring sutures by EMS would \nnot require the same scope of response as a bomb scare that \nrequires evacuation of the building. \nThe traditional response to emergencies that have school -\nwide impact is often limited to school evacuation. These \nguidelines, in response to new dimensions in school safety,", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8a9bd0e2-da70-45fe-8f9b-de09a2197322": { + "page_content": "The traditional response to emergencies that have school -\nwide impact is often limited to school evacuation. These \nguidelines, in response to new dimensions in school safety, \ncall for a determination by the SICM to identify if evacuation \nor safe mode is a component of the response for the situation \nat hand. \nIn the Emergency Guidelines portion of this document, the \nterms Tier I \u2013 Red (Safe Mode) and Tier I \u2013 Green (Evacuation) \nare introduced to signal the SICM\u2019s assessment to the specific \nsituation at hand. \nTier I \u2013 (Safe Mode): students and staff staying in place within", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0d11f4f9-41e6-42ab-bed3-5c5d54f6e7bd": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 13 of 42 \n \n \nthe building is appropriate. The safe mode may entail locking \nin place or relocation to another part of the building. \nTier I \u2013 (Evacuation): evacuation from the building has been \ndetermined as the appropriate response. \nThe use of the terms Tier I \u2013 Safe Mode and Tier I \u2013 Evacuation \nis limited to Tier I events. \nPlease note that some Tier I (911) situations will not require \nuse of the Red or Green designations; the laceration versus \nbomb scare example illustrates the distinctions that must be \nmade regarding the scope of required response. The location \nof an armed person outside versus inside a building, or a \nhazardous material release near or in the school, illustrates \nthe need for evaluating whether evacuation or a safe mode \nprocess should be implemented. \nThe range of response required must be determined by the \nSICM. The SICM determines if additional resources need to", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "9e9f0167-c741-4e87-b3fd-c3cfca3951dd": { + "page_content": "process should be implemented. \nThe range of response required must be determined by the \nSICM. The SICM determines if additional resources need to \nbe activated. The SICM also indicates if a Tier I \u2013 Evacuation \nor Tier I \u2013 Safe Mode situation exists.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d4edce70-25c5-4af5-b45c-e4e5d7eb3b37": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 14 of 42 \n \n \nTier II \nTier II situations present potential danger to students, staff, \nand property. \nTier II situations indicate that a standby and response -\nplanning mode is required. This entails gathering \ninformation, developing plans, and notifying appropriate \nagencies. \nTier II major situations could include neighborhood fires that \npotentially threaten nearby schools, or transportation \naccidents involving the transport of hazardous materials. A \nless dramatic situation would be a power failure that might \neventually require early dismissal or relocation of students. \nAs in Tier I, the SICM determines the scope of response \nrequired. \nTier III \nTier III conditions indicate a threatening situation is \ndeveloping. Collaboration and communication within and \nbeyond the BPS support structure is required to ensure \nappropriate resources are engaged early to minimize further \ndevelopment of the threat.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "93b33ae2-6c94-49cb-9517-bc7b0be70f3f": { + "page_content": "beyond the BPS support structure is required to ensure \nappropriate resources are engaged early to minimize further \ndevelopment of the threat. \nPreventative measures, including proactive engagement by \nrequired support functions or intervention by appropriate \nagencies during formative phases, will decrease the \noccurrence of critical incidents within our schools. \nTier III situations are occurring daily throughout BPS schools. \nTier III conditions encompass a broad spectrum of behavioral \nissues and involve both individuals and groups. Many serious", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "b40f7eef-5e9d-4a58-b0c9-bdf4b49f61ec": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 15 of 42 \n \n \nsafety incidents are preceded by actions that should raise \nflags. For example, the appearance of gang related clothing \namong students indicates the need for conversations with \ngang intervention personnel. Suspicion of abuse or neglect, \nor the observance of depression warning signs in individuals, \nrequires follow up by Student Support staff and possibly the \nengagement of external support providers. \nTier III conditions are likely to be first observed by classroom \nteachers who become aware of behavior that warrants \nfurther monitoring. \nObservation and communication of Tier III situations, which \nreceive prompt application of Safety Services and Student \nSupport Services prevention practices and our expanded \nsupport resources, offer the greatest area for positive impact \nto our school safety environment. \nWhen members of the onsite Incident Control Team are", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "945199c8-534b-4123-80b7-e66b45861f5c": { + "page_content": "support resources, offer the greatest area for positive impact \nto our school safety environment. \nWhen members of the onsite Incident Control Team are \ninformed or observe a Tier III situation, the SICM will identify \nand contact the appropriate resources. \nSECTION II: GUIDELINES \nInitial School Actions \nAn individual discovering or receiving information about an \nincident will make a quick assessment and determine if an \nimmediate 911 contact is required. If the assessment indicates that \n911 supports are required, that individual should contact 911 and \nthen proceed to notify the Site Incident Control manager (SICM). \nFor all other situations, the SICM will make the initial assessment \nand then notify the onsite Incident Control Team (ICT) of the \nsituation. The SICM will also initiate contact with other required", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2751f60d-3a64-4712-b5d6-c028237cd413": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 16 of 42 \n \n \nsupport groups as required. While awaiting the arrival of \nrequested support, the SICM and ICT will use those critical minutes \nto initiate the following eight steps: \n1. Classify the tier level and determine the appropriate response \nmode: \na. Contact 911 \nb. Stand-by and response planning \nc. Proactive prevention and monitoring \n2. Implement evacuation or safe mode decision \n3. Establish communications \n4. Identify the danger zone \n5. Identify and request needed resources \n6. Open a command post \n7. Activate staging areas \n8. Compile occupancy data \nFurther details for Steps 1-8 above are as follows: \n1. Classify the Tier level. \n\u25cf Tier I: Any situation that requires a 911 - assistance mode \nalso requires that the need for an evacuation or \ncontainment response be assessed. \n\u25cf Tier II: Standby and appropriate response planning mode. \n\u25cf Tier III: Proactive / prevention and monitoring mode.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2f6d4c49-c69d-4086-818e-1b99b3ff079b": { + "page_content": "containment response be assessed. \n\u25cf Tier II: Standby and appropriate response planning mode. \n\u25cf Tier III: Proactive / prevention and monitoring mode. \nExamples of specific tier incidents are included in the \nintroduction section. \n2. Implement Evacuation or Safe Mode Procedures. \nEvacuation \u2014 Based upon assessment and policy, the SICM \nwill determine the need for evacuation. If evacuation is \nwarranted, it will begin upon the communication of a \npredetermined signal (fire alarm, intercom, bell, buzzer,", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "816d2c1b-bacb-4133-aa9b-b731a308f313": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 17 of 42 \n \n \nother). All building occupants will respond to this signal and \nimmediately evacuate according to prescribed routes. \nNotification procedures for Tier I \u2013 (Evacuation) should be \nentered in the computerized School Submittal Section of \nyour (Step I, section d) school safety plan. \nEach school must have established primary and secondary \nevacuation routes to be followed during drills and \nemergencies. Evacuation routes, which are also an element \nof your Fire Safety Plan , should be inspected prior to \nutilization and the appropriate one determined during \nassessment of the situation. \nAssembly areas must also be predetermined for all school -\nbuilding occupants upon their exiting the school. This is a \ncritical time during an emergency, and student / staff \naccountability measures must be accomplished at this \npoint. Evacuation may be to a primary, secondary, or to your \noff-site (alternate) location(s). These locations require", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ea38d754-8746-4ca1-ba8e-a1fd8aa42349": { + "page_content": "accountability measures must be accomplished at this \npoint. Evacuation may be to a primary, secondary, or to your \noff-site (alternate) location(s). These locations require \nassessment during plan development, and at the time of the \nincident, to ensure adequacy. This information will be \nentered in the computerized School Submittal Section (Step \nI, Section B) of your school safety plan. \nSafe Mode \u2014 Safe Mode is an alternative response to \nevacuation procedures. Notification procedures (Safe Mode) \nshould be entered in the computerized School Submittal \nSection (Step I, Section D) of your school\u2019s safety plan. \nGenerally, evacuation to the outside has been our immediate \nresponse to an emergency signal. Post incident analyses of \nserious incidents that have occurred across the country \nindicate that evacuation is not always the safest response to \na situation. Again, based upon assessment and policy the", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "f1e029eb-f6b3-4d84-b9c5-5ac13c849ab1": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 18 of 42 \n \n \nSICM will determine the need for safe mode. \nSafe Mode would commence upon a predetermined \nnotification procedure. Those contained or relocated will be \ndirected to that identified site (a room number, common \narea, floor, other) and securing the location where you find \nyourself (and those for whom you are responsible) or securing \nthe place to which you may be relocated in an emergency. \nThis may simply require locking a door. Again, these are \ncritical times in an emergency and student/staff \naccountability measures must be accomplished at this point \nby SICM in accordance with school safety plans. \n3. Establish communications. Each school will have in place a \nmeans and procedures for communicating in an emergency \nwithin their school and to outside public safety agencies. All \ncomponents of this process are required as part of your \nschool submission. This would also identify tho se assigned", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "5829a2e0-6392-489b-848c-119db2caa50c": { + "page_content": "within their school and to outside public safety agencies. All \ncomponents of this process are required as part of your \nschool submission. This would also identify tho se assigned \ntelephones or radios and individuals tasked with making \nnecessary notifications. \nThe individual discovering or receiving initial information \nabout an incident is responsible to make a quick assessment \nand take the following steps: \na. Life threatening situation(s) require immediate 911 \nnotification. To notify public safety (police, fire, EMS) call \n911 via any available telephone. A Fire Alarm pull station \nis to be used in the event of a fire related incident with a \nback-up telephone c all to 911 or (617) 343 -2880. \nRemember that activating a pull station will summon \nemergency assistance but will also initiate an \nevacuation that may not be appropriate for the \nsituation.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2270fb08-ab82-4c88-a39a-9c8696924d5f": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 19 of 42 \n \n \nb. The discoverer will then inform the SICM or an on -site \nIncident Control Team member of the situation. \nc. The SICM or available ICT member will classify the \nincident Tier level and assume management of the \nsituation. \n4. Identify the danger zone. In the assessment phase the best \nmeans of separating students/staff from any threat must be \ndetermined. This may be accomplished by building \nevacuation or implementing containment/lockdown \nprocedures. A perimeter should be established and secured \nto keep students/staff away from the danger zone and in a \nsafe area. Moving people away from the threat, isolating and \nsecuring the affected area, and restricting access to non -\nemergency personnel are techniques to separate the threat \nfrom students and staff. \n5. Identify and request needed resources. As early as possible, \nthe SICM must try to assess what resources are needed to", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "eb77eaed-ff99-4b3f-acbb-c8c65e8963fb": { + "page_content": "from students and staff. \n5. Identify and request needed resources. As early as possible, \nthe SICM must try to assess what resources are needed to \nmitigate the crisis and request those resources be made \navailable. Support may come from the Central Incident \nManagement Team or from outside sources. The extent of \nrequired resources will be initially ident ified during the \nincident tier classification phase. Supplementary resources \nmay be requested by follow-on agencies. \n6. Open command post. The SICM should open a command \npost as soon as possible in the event of an incident. It should \nbe in a spot outside the danger zone from which the SICM \ncan effectively manage the incident. The command post \nmust have communications capability in order that the SICM \nhas access to internal team members as well as public safety \nofficials and the Central Incident Management Team. There \nshould be a level of security for the command post to prevent", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "82a14781-a9b4-4eed-93c0-338690091679": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 20 of 42 \n \n \nunnecessary interruptions by people not involved in the \nresponse, such as the media, parents, and onlookers. Safety \nplans and school records must be available at this location. \nLocating primary and secondary command posts ahead of \ntime allows you to quic kly open a command post whenever \nit is needed. You can predetermine sites because generally it \nis not important that you have a view of the danger zone. \nMany managers want to manage what they can see, but in a \nmajor critical incident the SICM must manage the entire \nscene, not just the source of the event. It is suggested that \nprimary and secondary sites be at opposite ends of the \nbuilding. Just because you have predetermined sites does \nnot mean you are locked into using them. As the SICM, you \nmay be dealing directly on location at the source of the issue. \n7. Activate staging areas. As with the command post, the", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8137f64d-9b00-455f-8b37-c5da5a797d0c": { + "page_content": "not mean you are locked into using them. As the SICM, you \nmay be dealing directly on location at the source of the issue. \n7. Activate staging areas. As with the command post, the \nstaging areas should be predetermined and located outside \nthe danger zone in an area that can be secured. In the event \nof a major school incident, separate staging areas should be \navailable for injured and ill persons, parent s, and media \nrepresentatives. Directing members of these groups will be \na function of the Incident Control Team building coordinator. \n8. Compile occupancy data. As stated throughout these \nguidelines, student/staff accountability is essential in an \nemergency. The following can be used to compile occupancy \ndata in an emergency: \n\u25cf Daily class/student rosters \n\u25cf Daily staff/ employee/visitor sign-in sheets \n\u25cf Absentee list (students, staff, employee) \n\u25cf Field trip rosters \n\u25cf Current emergency information cards \n\u25cf Locker assignment list", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "7bf0372f-0e36-4e71-b2cf-b37a566fc0c5": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 21 of 42 \n \n \n\u25cf Known restraining orders \n\u25cf Photo identification \n\u25cf Schedules \n\u25cf School bus assignments \nAny roster should be completed, as early as possible each day, \nin a form that can be readily taken from the building during an \nemergency. Special attention should be given to document \nnames of any student/staff member who is transported from \nthe school or released to a parent. Particular attention should \nbe paid to ensure the location(s) of any student(s) or staff \nmember that is (are) physically or visually impaired is known. \nSECTION II: OVERVIEW \nThe above 8 steps are tailored to directly address Tier I situations. \nHowever, several of the steps are relevant to Tier II and Tier III \nincidents when applied to longer timelines. Tier II, requiring \nstandby and response planning, might utilize steps 3, 4 and 5 \ninitially, and depending on the situation may entail use of the \nremaining steps.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "078a3eea-3388-40b7-8b7e-54c440da037c": { + "page_content": "standby and response planning, might utilize steps 3, 4 and 5 \ninitially, and depending on the situation may entail use of the \nremaining steps. \nTier III events that occur over longer time periods would still \nrequire that communication and identification of appropriate \nproactive preventative measures be developed. \nCommon sense prevails throughout these guidelines. Those of us \nin the schools understand that it is better to have a plan and no \ncrisis than to have a crisis and no plan. \nThese basic guidelines are not expected to cover every \ncontingency. However, application of these simple steps will \nprovide a consistent approach to handling any school incident. As \npreviously stated, the severity and your professional assessment of \nthe incident will determine the scope of response.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "717973f2-d14f-4959-bffb-a30c6cc4ee42": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 22 of 42 \n \n \nSchool administrators and staff routinely implement some form of \ncrisis response management during the discharge of their duties. \nThe intent of the guidelines is to provide a flexible structure that \nwill assist you in managing your response. \nThe following pages contain an Emergency Response Guide to \nassist your handling of various situations. It is designed for use as \na handout for your Site Incident Control Team. Included in the \nGuide is a section designed specifically for classroom teachers. \nThe final section of this booklet is a hardcopy of information that \nyou will be asked to compile. The actual method of collection will \nutilize a Google document developed by the Office of Information \nServices. The information submitted by your school will be stored \nin a consolidated database that will be reviewed and updated on \nan annual basis. \nSECTION III: EMERGENCY RESPONSE GUIDE \n1. ASSESSING THE EMERGENCY RESPONSE", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "e97e8bea-7b15-42a4-bd3a-b043909ee597": { + "page_content": "in a consolidated database that will be reviewed and updated on \nan annual basis. \nSECTION III: EMERGENCY RESPONSE GUIDE \n1. ASSESSING THE EMERGENCY RESPONSE \nThe site incident control manager must identify and \nimplement appropriate response.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "ab5bfb33-1830-4361-b412-06b77ee42c0c": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 23 of 42 \n \n \nSAFE MODE IF: EVACUATION IF: \nThe situation presents a threat of \nillness, injury or death to persons \nmoving in, around, or about the campus \nand it is determined that Safe Mode \nwill provide a greater level of safety for \nthose persons. \n\u25cf Riot \n\u25cf Shooting \n\u25cf Hazardous Material Spill \n(Outside) \n\u25cf Hostage Situation \n\u25cf Suicide \nThe situation presents a threat of \nillness, injury or death to persons \nremaining inside a building and it is \ndetermined that evacuation will provide \na greater level of safety for those \npersons. \n\u25cf Fire \n\u25cf Explosion \n\u25cf Hazardous Material Spill (Inside) \n\u25cf Hostage Situation \n\u25cf Bomb Threat \n\u25cf Gas Leak \n \n2. SAFE MODE \u2014 PERSONNEL ASSIGNMENTS \nAll students are to remain contained until emergency \nresponders advise otherwise. \nThe following is a list of recommended assignments for \nfaculty/staff members during a crisis requiring containment. \n* Asterisks denote Site Incident Control Team members. *", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2cb28834-25ac-4a14-98c1-8a837a139ae7": { + "page_content": "The following is a list of recommended assignments for \nfaculty/staff members during a crisis requiring containment. \n* Asterisks denote Site Incident Control Team members. * \n \n* Principal/Assistant Principal (Site Incident Control Manager \n- SICM): I nitiate safe mode. Safely monitor situations with \navailable resources. Identify and contact appropriate \nemergency responders and BPS support staff.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "a7f22aea-2043-429b-98ed-ae13ccc3726e": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 24 of 42 \n \n \n* Nurse (Risk Analyst): Set up staging area for ill and injured \npersons and administer initial first aid. Keep ill people \n(overcome with stress and excitement) separate from the \ninjured. \n* Registrar (Safety Coordinator): Gather occupancy \ninformation, present occupancy information to Emergency \nResponders. Use an alternative if school does not have a \nregistrar. \n* Secretary (Incident Scribe): Continue 911 contact and remain \non the telephone. It is imperative that emergency \nresponders maintain communication with someone inside \nthe school. Use an alternative if necessary. \n* Custodian (Building Coordinator): Close and lock all \nentry/exit points. Stand by to assist emergency responders \nwith accessibility to mechanical rooms. \nClassroom Teachers: Contain students. Keep classroom \nrosters. Teachers in possession of cell phones should activate \ntheir phones. Teachers should prepare students to follow", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2ce03394-fc06-419e-b278-313a7b94e577": { + "page_content": "Classroom Teachers: Contain students. Keep classroom \nrosters. Teachers in possession of cell phones should activate \ntheir phones. Teachers should prepare students to follow \nfurther instructions. \nAssistants: Teachers on administrative duty or P&D periods \nshould assist Incident Control Team (ICT) by checking the \nbuilding for unattended students and moving them to \nsupervised locations. Assistants should be posted at \nentry/exit points to ensure that no one leav es the building \nand that only Emergency Responders enter the building. \nVolunteers: Report to office and be available to follow \ninstruction. \nCafeteria Staff: Close and contain cafeteria and kitchen. Shut \noff appliances and remain in kitchen.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "dd25e288-8cbf-4bc4-8a24-a03f0fbd8834": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 25 of 42 \n \n \n3. SAFE MODE PROCEDURES \nIncident Control Team: \n1. Call 911 \u2013 Advise reason for safe mode and stay on the line. Do \nnot hang up. 911 dispatchers will route the call to the \nappropriate agencies. \n2. Communicate to all staff that a Safe Mode situation exists and \nbegin safe mode process. \n3. All school personnel will assume their specific assignments \nlisted herein, exercising flexibility where needed to promote \nthe safety of all persons. \n4. Staging areas should be set up separately for 1.) injured and \n2.) ill persons. \n5. During safe mode, no one except emergency responders or \ntheir designees will be permitted to enter, exit, or move about \nthe campus. \n6. As additional emergency responders become available, they \nwill assume some of the posted assignments to relieve school \npersonnel. \n7. Ending the Safe Mode Status: When it has been determined \nby the emergency responders and the principal that", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "650f68a7-cef2-4038-aa80-5ecb59bb3e63": { + "page_content": "will assume some of the posted assignments to relieve school \npersonnel. \n7. Ending the Safe Mode Status: When it has been determined \nby the emergency responders and the principal that \nconditions are safe to resume normal activities, the principal \nshall make an announcement via the P.A. system or send a \nmessenger to advise each classroom. \n4. EVACUATION PROCEDURES \n1. Call 911. \na. Advise reasons for evacuation and stay on the line if safe \nto do so. Do not hang up. \nb. 911 dispatchers will route the call to the appropriate \nagencies. \n2. Start evacuation procedures according to normal fire drill", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "83fdb575-b2f3-4a6d-a245-a0967c5182f7": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 26 of 42 \n \n \nprocedures. Communicate to staff that a TIER I \u2013 GREEN \nsituation exists and begin the evacuation process. \n3. If the threat of an explosion is present, or a hazardous \nmaterial spill has occurred, it may be necessary to move \nthe students farther than a normal evacuation distance. \n4. Teachers: Bring roll book. It will be necessary to keep a \nroster of all students moved. Each teacher will be \nresponsible for his/her class. The ICT safety coordinator will \norganize any dismissal of students. The release of each \nstudent must be documented. \n5. Staging areas should be setup separately for: \na. injured \nb. ill persons \nc. parents \nd. media \n6. Students and employees with special needs may require \nassistance. Paraprofessionals assigned to students and", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "de7c65d7-c480-40e4-87ec-051831c4c54f": { + "page_content": "a. injured \nb. ill persons \nc. parents \nd. media \n6. Students and employees with special needs may require \nassistance. Paraprofessionals assigned to students and \nstaff will remain with their assignments throughout the \nduration of the incident. \n7. Ending the Evacuation Status: When it has been \ndetermined by the emergency responders and the SICM \nthat conditions are safe to resume normal activities, the \nSICM shall inform staff that it is safe to reenter the building. \nSECTION IV: SCHOOL SUBMITTAL SECTION \nThis is a mockup of the information you will submit via the BPS \nIntranet. Please note the Intranet version will have a different \nappearance. \nSTEP I: Please input the following information. \n\u25aa School Name: \n\u25aa Building Name:", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "db19e2a2-5f86-48e2-90c1-ed0a9719fcfe": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 27 of 42 \n \n \n\u25aa Address: \n\u25aa Principal/Head of School: \n\u25aa Telephone Number: \n\u25aa Fax Number: \n \na. Identify primary and secondary command post locations: \n Primary Location Secondary Location \nRoom Name \nRoom Number \nPhone Number \n \nb. Identify primary and secondary external assembly areas: \nPrimary Location Secondary Location \n \n \nc. Identify primary and secondary alternate school-site \nlocations: \nPrimary Phone Secondary Phone \n \nd. Identify your internal communications method(s) that your \nsite will use to alert staff to the implementation of a Tier I \n(Evacuation) and a Tier I (Safe Mode) response:", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "086f795e-ebf3-469e-a9ac-84d15db5b2f4": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 28 of 42 \n \n \nTier I \u2013 Evacuation \nTier I \u2013 Safe Mode \nSTEP II: Identify members of your on-site incident control team. \nTitle Primary Alternate Responsibility Suggested \nStaff \nSite Incident \nControl \nManager \n(SICM) \n \nEnter Private \nPhone Line, \nCell Phone #, \nOther Phones \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nDetermine Tier level \nof event and contact \nresources required to \naddress the situation, \noverall management \nof school students \nand staff, and \nensures that \nsuperseding agencies \ndirectives are \nfollowed \nPrincipal as \nPrimary; \nAP or other \ndesignee as \nAlternate \nRisk Analyst Name: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nAssess injuries and \nmedical risk analysis \nNurse \u2013 Primary; \nStudent Support \nCoordinator or \nLanguage \nAppropriate \nIndividual \u2013 \nAlternate", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "6ef30c75-c2ec-4ff9-a366-7802c187ed3e": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 29 of 42 \n \n \nTitle Primary Alternate Responsibility Suggested \nStaff \nSafety \nCoordinator \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nGather occupancy \ninformation, support \nefforts to establish \ncontrol \n \nBuilding Registrar \nor equivalent \nBuilding \nCoordinator(s) \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nAssess building \nsecurity, meet \nresponding agencies, \nand direct them to \nappropriate \nlocation(s) \nSchool Custodian \nand School Police \nOfficer (if \navailable) \nIncident \nScribe \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nLog chronology of \nincident \nSchool Secretary \u2013 \nPrimary \nTransportation \nCoordinator \n \nSTEP III: Building Characteristics \nPlease indicate if your site includes any of the areas listed below", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "537e4ad1-519d-4bd5-84d5-7031f9123171": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 30 of 42 \n \n \nin the second column. The third column should identify the \nlocation of the respective areas, as well as any other information \nrequested in the third column. \nCommon Areas \nDescription Yes/No If Yes, List Location \nAuditorium \nBoiler Room Also identify if gas or oil is used. \nCafeteria \nComputer Lab(s) \nFire Escapes \nGymnasium \nHazardous Materials \nHealth Center \nLibrary \nLoading Dock \nNurses Office \nOut Buildings \nPlayground \nRamps \nUtility room \nList Others", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "22245e58-31b2-47a1-a7e8-6cff637738ca": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 31 of 42", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "99fd7bba-946f-477b-b84f-64983cfa57bf": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 32 of 42 \n \n \nDoes your building have the following? \nDescription Yes/No If Yes, List Location \nAttic/Penthouse Indicate entry points on floor plans \nBasement or crawlspace access Indicate entry points on floor plans \nCommunity Center \nElevators \nFire Safety Systems \nGrounds Maintenance Identify chemical storage area(s) \nKitchen Area Describe type of kitchen facility: \nsatellite, full service, other \nMotion Detectors \nPull Stations \nSecurity Systems \nSwimming Pool \nVocational Shop Area \nCompressed gasses present? (1) \nLiquid fuels present? (2) \n(1) List \nhere \n \n \n(2) List \nhere \n \n \n \nIf the school has a vocational area, please \nindicate location on floor plans.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0ff8d4d8-8e68-4665-997c-3cf50a4f449f": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 33 of 42 \n \n \nSTEP IV: Occupancy Information \nThe purpose of this section is to assist authorities in determining \nif a building evacuation is complete or to provide information \nregarding numbers of persons within the building. \nDescription Numbers Additional Information / Comments \nTotal Enrollment \nTotal Staff \nFor students/staff with disabilities (visual, hearing, mobility, \nmedical, other) please provide all pertinent information required \nfor assistance in an emergency. (Please use the space below.) \n \nPLEASE NOTE: Information in the blocks below should be \nsupplied to authorities when emergency events occur. Please \ndevelop appropriate measures to ensure that accurate and \ntimely headcount information is available. \nDescription Number \nVisitors \nStudents off site (field trips, etc.) \nStaff off site (training, etc.) \nOther (list)", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2713d665-f497-4bb0-a2e1-275b96e237e3": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 34 of 42 \n \n \nSTEP V: List Communications Equipment \nPlease fill in categories as appropriate. \n1. Mobile Communication Devices \nDescription Yes / \nNo \nQuantity Assignee List Appropriate \nNumbers \nStatus: \nO=Operational \nN=Non-operational \nNextel \nCell Phone \n2 Way Radio \n \nAT & T Ericsson \nCell Phone \n \nOther Cell Phones \nBeepers/Pagers \n2. Portable Radios \nDescription Yes / \nNo \nQuantity Assignee List \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-operational \nSafety Staff Two-\nWay Radios \n \nIn-House \nTwo Way Radios \n \n \n3. Stationary Communications", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "a1fb9606-9073-429f-9ea0-8257a1ce73a1": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 35 of 42 \n \n \nDescription Yes / \nNo \nQuantity Assignee List \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-\noperational \nIntercom System \nPA System \nHouse Phones \nList Others \n \n4. Telephone Information \nDescription Assignee Room \nNumber \nPhone # \nMain Phone \nPrincipal\u2019s Office \nGuidance Office \nCustodian\u2019s Office \nNurse\u2019s Office \nETF\u2019s Office \nStudent Support \nCoordinator\u2019s Office \n \nSwimming Pool \nSafety Officer/Para", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "aee5610f-ac4d-49a2-a045-658238898470": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 36 of 42 \n \n \nDescription Assignee Room \nNumber \nPhone # \nPay Phone(s) \nPhone System - Extension \nPhone System - Extension \nE-Mail Address \nFax Machine(s) \nList All Direct Lines \n \nSTEP VI: Floor Plans / Specific Site Information \nThe following areas should be indicated on floor plans. Facilities \nManagement personnel will complete this section as noted in \nSuperintendent\u2019s Circular FSE-01 School Safety Contingency Plan. \n\u25cf Electrical Control Rooms And Panels \n\u25cf Utility Access/Controls \n\u25cf Classrooms/Labs \n\u25cf Interior Maintenance Areas \n\u25cf Engineering And Boiler Room Areas \n\u25cf Vocational Shop Areas \n\u25cf Swimming Pools \n\u25cf Grounds Maintenance Storage Areas \n\u25cf Kitchens And Food Storage Areas \n\u25cf Fire Standpipes And Sprinkler Connections \n\u25cf Roof Access, Include Skylights And Indicate Whether Or Not \nOperable \n\u25cf Domestic Water Controls \n\u25cf Basement Or Crawlspace Access", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8fe67916-dc67-49e7-90e4-0a13aa4501b2": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 37 of 42 \n \n \n\u25cf Indicate Which Walls Are Solid Masonry \n\u25cf Indicate Which Walls Are Framed Drywall \n \nFor building systems, assess and indicate on the floor plans, the \nfollowing: \n\u25cf Heating, ventilation, and air conditioning (HVAC) systems \n\u25cf Location and accessibility of air intakes \n\u25cf Filtration media location and accessibility \n\u25cf Shutdown procedures \n\u25cf Plumbing drainage \n\u25cf Fire sprinkler systems \u2013 emergency chemical \ndecontamination use \n\u25cf Natural gas \u2013 use locations and shutoff(s) \n\u25cf Potable water \u2013 access to water supply \n\u25cf Electrical access/shutoff \nSCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST \nThe following is a list of items which should serve as a guide and \nchecklist as you review and revise your School Safety / \nContingency Plan. These steps are essential to finalize your plan \nas complete, current, and ready in the event of an emergency. \nPlease insert this checklist in your School Safety Plan book for \nreference.", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "63ecfe0d-d3f4-49a8-9a78-cb37f254bbc2": { + "page_content": "as complete, current, and ready in the event of an emergency. \nPlease insert this checklist in your School Safety Plan book for \nreference. \n\u25cf Command Post Locations: Are they located too close \ntogether as opposed to being appropriately separate for \nindependent operations? \n\u25cf Assembly Areas: Are they separate and distinct with your \nsecondary location at a further distance away from the \nschool? \n\u25cf Alternate Sites: Are they realistic with accommodations to", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2999fdb9-826c-4d2d-82c6-73c2248f1592": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 38 of 42 \n \n \nhouse all students expected to be relocated? Have prior \nagreements been made with the Alternate Site host if these \nlocations are not BPS properties? Will transportation be \nrequired to relocate? Will dismissal of students in \naccordance with School Department policy be a more \npractical option on the high school level? \n\u25cf Internal Communications: Has consideration been given to \nthe use of a system (examples: public address, intercom, \nbell, messenger, school phones, portable radios), rather than \nthe fire alarm for evacuation? Keep in mind that sounding \nthe fire alarm without other instructions will initiate a \nroutine evacuation. This may take building occupants \nthrough or to an unsafe area. Safe Mode notification would \nbe made via one of the examples given above. \n\u25cf Incident Control Team: Have responsible members of your \nschool-based staff been identified for all", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "5065f8fb-7148-4ad2-9c3a-fe73d6f23649": { + "page_content": "be made via one of the examples given above. \n\u25cf Incident Control Team: Have responsible members of your \nschool-based staff been identified for all \npositions/functions? Have these designated staff members \nbeen briefed on their duties? \n\u25cf Facility Components: There may be a need for a more \ndetailed explanation rather than simply some specifics (e.g., \nliquid fuel \u2013 gasoline for snow blowers is kept in an \napproved cabinet in the custodian's office, and security \nsystem \u2013 motion detectors in corridors and stairwells. \n\u25cf Disability Information: Have all persons in your building \nneeding assistance during an evacuation been identified? \nHave accommodations been made for safe refuge/ \nevacuation of students/staff requiring assistance in your \nschool\u2019s evacuation plan? \n\u25cf Communications Equipment and Telephone Information: \nHave all available means of communication between \nidentified and portable telephones and radios been", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "7abe93f6-322b-447b-b6a6-af0740f2bda4": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 39 of 42 \n \n \nassigned to staff in accordance with your plan? Has school \nemail address been included? Have you included Nextel \ndirect radio numbers? \nFIRE SAFETY PLAN SECTION \n\u25cf Primary Entry for Fire Department: Is this the location of \nyour fire alarm control panel (annunciator)? Is this your \nstreet address? \n\u25cf Egress: Are exit doors unlocked from the inside during \noperating hours? \n\u25cf Records/Documentation: Suppression system test \ncertification applies to kitchen hood extinguishing system. \n\u25cf Evacuation Matrix: Is there an exit identified for each \nclassroom, office, and common area? Do you have a \u201chard \ncopy\u201d of your evacuation plan included with your school \nplan? Are prescribed evacuation routes posted for all \nbuilding occupants? \n\u25cf Primary/Secondary Refuge: These are approved locations \ninside the building where mobility impaired occupants \ncould safely await evacuation. Are they identified for each \nfloor?", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "daf0981d-3152-4d66-948d-847c20ec03c4": { + "page_content": "\u25cf Primary/Secondary Refuge: These are approved locations \ninside the building where mobility impaired occupants \ncould safely await evacuation. Are they identified for each \nfloor? \n\u25cf Training/Orientation: Are all members of the school staff \nfamiliar with details and operation of your school plan? Has \nthe school plan been practiced? Is the plan updated as \nneeded? Have staff signed off on their training? Is this \ndocumentation maintained with your plan? \nACKNOWLEDGEMENTS \nThe following is a list of publications and agencies that assisted in \nthe development of the Boston Public Schools Safety", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "c23e0496-4f88-48c1-98f9-4c4cf04e3408": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 40 of 42 \n \n \nContingency Plans: \n\u25cf Emergency Response Guides, San Antonio Independent \nSchool District \n\u25cf Massachusetts Emergency Management Agency (MEMA) \n\u25cf Bristol County Sheriff\u2019s Office, \u201cSafe To Learn\u201d \n\u25cf Federal Emergency Management Agency (FEMA) \n\u25cf Massachusetts Executive Office of Public Safety, School \nEmergencies; Community Pre-Planning Guide \n\u25cf Laboratory at Brown University, Crisis Planning \nManagement \n\u25cf Massachusetts Office of the Attorney General, Guidelines for \na Crisis Management Plan \n\u25cf U.S. Department of Education \n \n \n \n \n \n \n \n \n \n \n \n \nFor more information about this circular, contact:", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d8b099d8-3e74-47d7-b0ce-8c7a805ad7be": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 41 of 42 \n \n \nOwner: Director of Emergency Management & Preparedness \nDepartment: Office of Emergency Management, Safety Services \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-6082 or (857) 701-9404 \nEmail: Operations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \nSee template below to be used in classrooms to post evacuation routes \n \n(Updated 7.16.2024)", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "68601b71-32bb-4156-a62d-79ba24895e7a": { + "page_content": "Superintendent\u2019s Circular FSE-01 \nPage 42 of 42 \n \n \nEMERGENCY EVACUATION \n \nROOM ______ \nLEAVE ROOM, GO ______ \nUSE STAIRWAY ______ \nEXIT # ______", + "metadata": { + "file_name": "FSE-01 School Safety Contingency Plans.pdf", + "source_link": "https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "d6ddb8ca-25bc-4f20-bdc6-1a86deb44980": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-04 \nVersion 01 \n \n \n \nBOMB THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA bomb threat falsely reporting the existence of an incendiary or \nexplosive device (simulated or real) is an offense punishable by \nimprisonment for up to twenty (20) years and/or a fine of not \nmore than $10,000. In the event of a bomb threat, a building \nadministrator must exercise responsible judgment and authority, \nkeeping in mind their responsibility for the safety and well-being \nof the students and staff. To do this, one must (1) get all the facts \nand (2) follow the procedures outlined herein, developed in \naccordance with the policies of the Boston Public Schools and \nthe Boston Police Department. \nBOMB THREAT PROCEDURES \nUpon the receipt of a bomb threat, principals/heads of school and \nbuilding administrators are instructed to act in accordance with \nthe following procedures:", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "99a779f7-0bab-4065-8f44-9d7958a79be4": { + "page_content": "BOMB THREAT PROCEDURES \nUpon the receipt of a bomb threat, principals/heads of school and \nbuilding administrators are instructed to act in accordance with \nthe following procedures: \nTelephoned Bomb Threats: \n1. When taking the call, use the attached Bomb Threat Report \nForm (Attachment A) to record all information. This form \nmust be available at the main telephone(s) in the school and \nshould be completed immediately after reporting the threat", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "82186ae1-77af-43da-800e-44b1b7bffe68": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 2 of 11 \n \n \n \nto the building administrator. A copy of the Bomb Threat \nReport Form is also to be submitted with the incident \nreport. \n2. Call the Boston Police Department at 911 and report the \nincident. If the bomb threat is a 2nd or 3rd call, please note \nthis in your conversation with the 911 operator. \n3. Call the Department of Safety Services/Boston School Police \nat (617) 635-8000. \n4. Call your operational superintendent. \n5. Alert staff via the school\u2019s internal communication method \n(ref. Superintendent\u2019s Circular FSE-1 School \nSafety/Contingency Plans, Tier I, Containment Procedures) \nto visually survey their room/office for suspicious packages. \nIf anything unusual is observed, immediately report this \ninformation to the building administrator and update \nBoston Police via 911 that something unusual has actually \nbeen found. \nDesignated members of the School\u2019s Safety Team will be", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "4e79e7de-43ac-40ac-8910-05a6542d4b21": { + "page_content": "information to the building administrator and update \nBoston Police via 911 that something unusual has actually \nbeen found. \nDesignated members of the School\u2019s Safety Team will be \nresponsible to survey unsupervised common areas, both \ninternal and external. During this survey, all bells/classes will \nbe held until the search is completed. \n6. In the event a suspicious package or device is found: \na. Report the sighting to the building administrator \nimmediately. \nb. Do not move, touch, or handle objects. \nc. Do not use two-way radios. \nd. Do not turn off lights or touch switches. \ne. Keep loud noise to a minimum.", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8a78df5c-24f3-4744-8c4b-dd4b05ff5eb7": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 3 of 11 \n \n \n \nf. Restrict use of telephone to urgent business only. \ng. Move people from the area. \nh. EVACUATE the school building. \nThe Police Department will be fully in charge. This action \nis to be preceded by an announcement which provides \nspecific evacuation routes to be followed for the incident \nand manner in which the evacuation signal will be given \n(fire alarm, bell, intercom, and runner). \n7. If no suspicious package or device is found, appropriate safe \nmode procedures are to be followed. However, classes \nshould not be changed until the BPD Bomb Squad has \narrived and evaluated the situation. IF YOU HAVE ANY \nDOUBTS, EVACUATE. \n8. The Police Department will assist the person in charge of \nthe building when searching for bombs or other incendiary \ndevices. Appropriate school personnel should assist, as \nnecessary. \n9. The Police Department will assist and advise the person in", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "bc35484a-398f-4d13-93f5-7b611ba5d5a9": { + "page_content": "the building when searching for bombs or other incendiary \ndevices. Appropriate school personnel should assist, as \nnecessary. \n9. The Police Department will assist and advise the person in \ncharge of the building regarding resumption of regular \nschool schedule and activities. The operational leader and \nSafety Office must be notified once a decision is made. \n10. Send a complete incident report within 24 hours of the \nincident to the Department of Safety Services. Attach a copy \nof the Bomb Threat Report Form noted above to the \nIncident Reporting Form (attached for your reference).", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "334195d6-f739-460f-8dfd-241dbd9fddd6": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 4 of 11 \n \n \n \nELECTRONIC (RECEIVED VIA EMAIL AND WEBSITE): \nThe person accessing the threat shall: \n1. Save the message on the system. DO NOT DELETE THE \nMESSAGE. \n2. Call 911. \n3. Notify the Department of Safety Services/Boston School \nPolice at (617) 635-8000. \n4. Notify your operational superintendent. \n5. Print copies of the message to turn over to the police and \nany others who may require them. \nEVACUATION AND RE-ENTRY PROCEDURES \nThe principal/head of school or building administrator must \ndevelop specific evacuation and re-entry plans for their individual \nbuildings (c.f. Superintendent\u2019s Circular FSE-01 School \nSafety/Contingency Plan). A copy of these plans should be \nincluded in each school\u2019s Contingency Plans. Such procedural \nplans should include the following: \n1. Instruction of office staff regarding proper procedures for \nanswering, documenting, and reporting of such \ntelephone calls.", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "cb53e4ce-39ff-4b07-bbba-6f7faf3c3b63": { + "page_content": "plans should include the following: \n1. Instruction of office staff regarding proper procedures for \nanswering, documenting, and reporting of such \ntelephone calls. \n2. Method of notifying staff and students of emergency \nconditions. \n3. Method of leaving the building (fire drill procedures may \nbe followed). Special attention should be given to identify \nassembly points, which are recommended to be located \n300 yards from the building when evacuating for a", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "c57a6f81-ddea-4389-a963-bd77410e1bfd": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 5 of 11 \n \n \n \nsuspected bomb. Any area that is being used as a \nstaging or assembly area must be searched by a \ndesignated staff member prior to sending people to that \narea. \n4. Specific plans for special needs and physically impaired \nstudents. \n5. Supervision of students by classroom teachers at all times \nwhile outside the building (prior planning should be done \nwith local police authorities in schools that would require \nextra police surveillance and supervision outside that \nschool). \n6. Controlled re-entry of the building to include supervision \nof students re-entering to insure that no potentially \ndangerous objects are brought into the building. \nThese procedures should be utilized in conjunction with your \nSchool Safety / Contingency Plans.", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "9f55e17e-0274-4707-a9c9-11494c60d456": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 6 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: Director \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \nA. Bomb Threat Report Form \nB. Bomb Threat Procedures \nC. Suspicious Package/Device \nD. Warning Notice: Please Post", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0862b163-314e-4ed8-b185-a34f0d445abd": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 7 of 11 \n \n \n \nATTACHMENT A \nBOMB THREAT REPORT FORM \n \nDescribe caller\u2019s voice: \n\uf06f Male \n\uf06f Female \n\uf06f Angry \n\uf06f Excited \n\uf06f Calm \n\uf06f Well spoken \n(educated) \n\uf06f Stutter \n\uf06f Lisp \n\uf06f Rapid \n\uf06f Slow \n\uf06f Raspy \n\uf06f Deep \n\uf06f Soft \n\uf06f Loud \n\uf06f Incoherent \n\uf06f Irrational \n\uf06f Foul \n\uf06f Crying \n\uf06f Disguised \n\uf06f Nasal \n\uf06f Distinct \n\uf06f Slurred \n\uf06f Accent \n\uf06f Taped \n\uf06f Familiar \n\uf06f Message \nread by caller\nIf the voice is familiar, who did it sound like? \nExact wording of threat: \n \n \nQuestions to ask: \n1. When is the bomb going to explode? \n2. Where is it right now? \n3. What does it look like? \n4. What kind of bomb is it?", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "fd67a910-1c8a-4a89-bb01-a7b4ef6324e9": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 8 of 11 \n \n \n \n5. What will cause it to explode? \n6. Did you place the bomb? \n7. Why did you put it in the building? \n8. What is your address? \n9. What is your name? \n \nBackground sounds: \n\uf06f Street \n\uf06f Animal \nsounds \n\uf06f PA system \n\uf06f Static \n \n\uf06f Voices \n\uf06f Music \n\uf06f Motor \n\uf06f House \nNoises \n\uf06f Local \n\uf06f Long distance \n\uf06f Office \nmachinery \n\uf06f Phone booth\n \nTime: ____________Date: ___________Length of Call: _________________ \nNumber at which call was received: ______________________________ \nREMARKS: _______________________________________________________ \n __________________________________________________________________ \nReceiver of Call: \n __________________________________________________________________ \n(Name and Title) \nATTACHMENT B \nBOMB THREAT PROCEDURES", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "8f3ae9e4-9281-4d6c-a683-b866815ac751": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 9 of 11 \n \n \n \n \n1. STAY CALM. \n2. Obtain information from the caller and record on Bomb \nThreat Form. \n3. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n4. Activate your school\u2019s Site Incident Control Team. \n5. Call the Superintendent's Office at 617-635-9057. \n6. Administrator will determine if evacuation or containment is \nappropriate. \n7. If evacuating, determine appropriate evacuation routes and \nadvise staff in accordance with your School \nSafety/Contingency Plan (internal communication method). \n8. Do not announce Bomb Scare; use a known code to \ncommunicate the situation to staff. \n9. Take the Bomb Threat Report Form with you if you \nevacuate. \n10. It is recommended that students and staff assembly point(s) \nbe at least 300 yards from the building when evacuating for \na bomb threat. \n11. WHEN IN DOUBT, EVACUATE. \n \n(Ref. Suspicious Package/Device) \nATTACHMENT C \nSUSPICIOUS PACKAGE/DEVICE", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "a348a593-a2b2-410c-873c-2e6ebd34b32a": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 10 of 11 \n \n \n \n1. STAY CALM. \n2. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n3. Do not move, touch, or handle the object. \n4. Do not use two-way radios. \n5. Do not turn off lights or touch switches. \n6. Keep loud noise to a minimum. \n7. Restrict use of telephone to only urgent business. \n8. Secure the location. \n9. Activate school\u2019s Site Incident Control Team. \n10. Evacuate after determining the safest routes for all building \noccupants. \n11. Communicate the situation and procedures to be followed \nfor evacuation to staff in accordance with your School \nSafety/Contingency Plan (internal communications \nmethod). \n \n(Ref. Bomb Threat Procedures) \n \n \n \nATTACHMENT D", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "0c271d8e-24f3-4eca-9873-94a7b792f05c": { + "page_content": "Superintendent\u2019s Circular FSE-04 \nPage 11 of 11 \n \n \n \nPLEASE POST \nBOSTON PUBLIC SCHOOLS \n\u2022 WARNING \u2022 \nIt is a crime, as well as disruptive to the \neducational process, to pull a false fire alarm or to \nmake a bomb threat. In addition, accidental injury \nor death of a firefighter, student, or staff member \ncould result. \nPENALTY FOR FALSE ALARM \nImprisonment for up to one year or a fine of not \nless than $100 but not more than $500. \n(M.G.L., C. 269, S. 13) \nPENALTY FOR BOMB THREAT \nImprisonment for up to twenty years and/or a fine \nof up to $10,000. (M.G.L., C. 269, S. 14)", + "metadata": { + "file_name": "FSE-04 Bomb Threat Procedures.pdf", + "source_link": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FSE" + } + }, + "2efe0cff-bfce-4d21-8149-caaf602536d6": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM01 \nVersion 01 \n \n \n \nPERFORMANCE EVALUATION OF TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nComprehensive information pertaining to the performance \nevaluation of BTU under the 2011 education regulation \namendments (603 CMR 35.00) is now located at the Office of \nHuman ResourcesEvaluations webpage. \nA summary of BTU dates and deadlines can be found on Page \n73 of the BTU-BPS Collective Bargaining Agreement. \nLong-Term Substitute Teachers are considered Teachers for \nthe purposes of performance evaluation if they have been in \nposition continuously for more than fifteen (15) consecutive \ndays. \nGeneral inquiries regarding performance evaluation of DESE-\nlicensed educators may be directed to: \neval@bostonpublicschools.org \nInformation regarding performance-related dismissal of \nteachers may be found in Superintendent\u2019s Circular #HRS-\nPP19.", + "metadata": { + "file_name": "HRS-PM01 Performance Evaluation of Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4ad218fb-44ae-42bb-a914-a644232592f8": { + "page_content": "Superintendent\u2019s Circular HRS-PM01 \nPage 2 of 2 \n \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nPhone: 617-635-9627 \nE-mail: eval@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM01 Performance Evaluation of Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3d1c19fb-f0e3-456d-9326-b7e27f0e0f9b": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP05 \nVersion 01 \n \nEMPLOYEE ATTENDANCE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPoor attendance adversely affects the work we can accomplish \nand the morale of all Boston Public Schools employees. \nAttendance will be monitored throughout the year at all levels. \nAny excessive absences, tardiness, or perceived abuse of time \noff/leave benefits will be investigated and may subject the \nemployee to discipline. The procedures described herein may not \noccur if the superintendent exercises their statutory authority to \ndismiss, demote, or suspend. \nATTENDANCE MONITORING PROCESS \n1. Sign in/out: Managers1 must establish and supervise a paper \nsign in/out procedure that provides an accurate record of \nthe date and time of arrival and departure of all employees \n \n1 The term \"manager\" refers to positions such as academic \nsuperintendent, senior officer, headmaster, principal, senior", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "93af757d-fe5c-4ea2-87cc-89cb1c1c4f33": { + "page_content": "the date and time of arrival and departure of all employees \n \n1 The term \"manager\" refers to positions such as academic \nsuperintendent, senior officer, headmaster, principal, senior \nprogram director, and director. A manager may in some cases \ndelegate authority to carry out these procedures to supervisory \npersonnel reporting to them.", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7faebcc3-e8f2-4cbc-9dfe-3745fc7aa87d": { + "page_content": "Superintendent\u2019s Circular HRS-PP05 \nPage 2 of 5 \n \nassigned to them. Employees must comply with the sign \nin/out process. An employee who fails to comply with the \nprocedure, falsifies such a record, and/or fraudulently \nreports their or another\u2019s time will be subject to discipline \nup to and including termination. \n2. Report your absence/early departure: Managers must \nestablish a process to report an absence/early departure due \nto illness. Employees must follow the process created and \nimplemented by their manager for each absence/early \ndeparture. If the employee fails to follow the protocol \nestablished by the manager, the employee\u2019s absence/early \ndeparture will be unexcused, and the employee will not be \npaid for the day(s)/hour(s) of absence(s). The employee may \nalso be subject to discipline up to and including termination. \na. Employees not serving in schools must follow the \nprotocol set by their manager. In the case of early", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "71bea07d-7dbb-4971-9509-ca72eadb267e": { + "page_content": "also be subject to discipline up to and including termination. \na. Employees not serving in schools must follow the \nprotocol set by their manager. In the case of early \ndeparture, the employee must notify their manager \nbefore leaving the building. \nb. If the employee\u2019s absence is for more than five (5) \nconsecutive days, refer to the Absence and Leaves \ncircular. Regardless of the duration of the time off due \nto illness, managers may at any time request medical \ndocumentation from the employee to substantiate \ntheir absence. \n3. Reasonable accommodations: An employee seeking \nreasonable accommodations for a disability may contact the \nOffice of Equity (617-635-9650) to begin an interactive \ndialogue process. Employees who inform their managers \nabout a disability will be referred to the Office of Equity by \nthe manager. The district will attempt to provide reasonable", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fc284960-82af-4865-94c4-359bb1f65bda": { + "page_content": "Superintendent\u2019s Circular HRS-PP05 \nPage 3 of 5 \n \naccommodations unless it would cause an undue hardship \nor fundamentally alter the district\u2019s programs. Medical \ninformation concerning any employee will be maintained in \nstrict confidence. \nChapter 151B and the ADA define a person with a disability \nas someone who: (1) has a physical or mental impairment \nthat substantially limits one or more major life activities; (2) \nhas a record of such an impairment; or (3) is regarded as \nhaving such an impairment. Major life activities include, but \nare not limited to: caring for one\u2019s self, performing manual \ntasks, seeing, hearing, speaking, breathing, or learning. \nThe person may also qualify for an extended or intermittent \nleave of absence. Please refer to the Absence and Leave \nPolicy circular and your collective bargaining agreement or \nconditions of employment for more information. \nFor more information about the reasonable \naccommodations process, please see Superintendent\u2019s", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "218da28d-8aac-4a03-8ecd-4b11f0cac68a": { + "page_content": "conditions of employment for more information. \nFor more information about the reasonable \naccommodations process, please see Superintendent\u2019s \nCircular EQT-07. \nPATTERNS OF ABUSE \nWhen a manager determines that an employee\u2019s absences \nand/or tardiness exhibits a pattern of abuse and/or raises \nconcern, the manager will address it directly with the employee \nin the way the manager deems appropriate (i.e., informal \nmeeting versus investigatory meeting). The employee will have \nthe right to union representation at all types of meetings. \nIn the past, the following scenarios have been deemed as \npatterns of abuse (the list is not exhaustive/exclusive):", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "790ffa4c-d451-4438-aba6-0afadf0f38d9": { + "page_content": "Superintendent\u2019s Circular HRS-PP05 \nPage 4 of 5 \n \n1. Four (4) or more separate absences before or after the \nweekend or holiday/vacation \n2. Sick absences lasting six (6) or more consecutive days \nwithout a physician\u2019s certificate \n3. Scattered sick days/leave throughout the school year \nexceeding or projected to exceed fifteen (15) or more days \n4. Two (2) or more absences, consecutive or closely \npatterned, following layoff notification \n5. Two (2) or more absences, consecutive or closely \npatterned, following contract non-renewal notification \n6. Two (2) or more absences immediately following poor \nperformance evaluation \n7. Absence during a previously scheduled investigatory \nmeeting \n8. Absence after receiving a notice of an investigatory \nmeeting \n9. Absence on day of release or scheduled release of poor \nperformance evaluation \n10. Patterns of two (2) days out, two in, one out, etc. \n11. Tardiness: two (2) or more days within a one-week period", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d18edf08-f141-433b-a061-5ac5a35ebb7d": { + "page_content": "performance evaluation \n10. Patterns of two (2) days out, two in, one out, etc. \n11. Tardiness: two (2) or more days within a one-week period \n12. Tardiness: two (2) or more days within a two-week period \nCONSEQUENCES FOR ABUSE AND/OR EXCESSIVE \nABSENTEEISM/TARDINESS: \nThe following are the consequences an employee will face when \nthey have been deemed to engage in a pattern of abuse and/or \nexcessive absenteeism/tardiness. These consequences can be \napplied individually or in conjunction with one another. \n1. Discipline up to and including termination", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "55f3b9e4-1047-43da-813f-bcdaa7dfbab5": { + "page_content": "Superintendent\u2019s Circular HRS-PP05 \nPage 5 of 5 \n \n2. Requirement to provide medical documentation \nsubstantiating each absence (past, present, and future) \n3. No pay for time out of work if the employee fails to \nprovide requested medical documentation for absences; \nthe absences will be unexcused. \n4. Issuance of an \u201cunsatisfactory/does not meet standards\u201d \nrating on the employee's performance evaluation \nattendance/punctuality standard. \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nE-mail: OHCLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP05 Attendance Monitoring.pdf", + "source_link": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "06926f1a-1975-4545-8220-679f1dce91b4": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP12 \nVersion 01 \n \nDOMESTIC VIOLENCE LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools is committed to the health and safety of \nour employees and their families. This circular is intended to \ncomply with applicable state laws (1 ) that are designed to protect \nvictims of domestic violence. Should you or your family member \nbe a victim of domestic violence or abusive behavior, you are \nencouraged to communicate with the Office of Human resources \nabout the situation. \nBoston Public Schools must provide employees with up to 15 \ndays of time off in a 12-month period, if: \n\u2022 the employee or their family member is the victim of \nabusive behavior (such as domestic violence, stalking, sexual \nassault, or kidnapping); and \n\u2022 the purpose of the leave is to seek medical attention, \ncounseling, secure housing, or obtain legal or other victim", + "metadata": { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b2aa53ea-3631-42e4-862a-c90b2df602cc": { + "page_content": "assault, or kidnapping); and \n\u2022 the purpose of the leave is to seek medical attention, \ncounseling, secure housing, or obtain legal or other victim \nservices directly related to the abusive behavior against the \nemployee or family member of the employee. \n \n(1) Section 52E of Chapter 149 of the Massachusetts General Laws \n(Section 10 of Chapter 260 of the Acts of 2014)", + "metadata": { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "73725a6c-6600-462c-88e7-915b794cfc3a": { + "page_content": "Superintendent\u2019s Circular HRS-PP12 \nPage 2 of 3 \n \nFor purposes of this policy, a family member includes: \n\u2022 Married spouses \n\u2022 Persons \"in a substantive dating or engagement \nrelationship\" AND who reside together \n\u2022 Persons having a child in common regardless of whether \nthey have ever married or resided together \n\u2022 A parent, step-parent, child, step-child, sibling, grandparent, \nor grandchild \n\u2022 Persons in a guardianship relationship \nYou are immediately eligible for this leave upon the beginning of \nyour employment. Employees may use accrued sick, personal, \nand vacation time to remain in paid status during a covered leave \nunder this policy. If no accrued time is available, leave under this \npolicy will be unpaid. \nWe request that you provide appropriate advance notice of this \nleave (as required by the current leave policy), unless there is an \nimminent danger to your immediate health and safety (in which \ncase, we must receive notification within 3 workdays that the", + "metadata": { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d7046416-0e91-4e7f-8fc0-b37b95c6208c": { + "page_content": "leave (as required by the current leave policy), unless there is an \nimminent danger to your immediate health and safety (in which \ncase, we must receive notification within 3 workdays that the \nleave was taken or is being taken for reasons covered by this \npolicy). If you take this leave, please provide documentation \nevidencing that you or your family member has been a victim of \ndomestic violence or abusive behavior within 30 days of the leave \nrequest. Such forms of documentation may include: \n\u2022 A court issued protective order \n\u2022 An official document from a court, provider, or public \nagency \n\u2022 A police report or statement of a victim or witness provided \nto the police", + "metadata": { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fc35f6db-fbda-46ce-b3a2-fcd59aa1af97": { + "page_content": "Superintendent\u2019s Circular HRS-PP12 \nPage 3 of 3 \n \n\u2022 Official legal documentation attesting to perpetrator\u2019s guilt \n\u2022 Medical documentation of treatment for the abusive \nbehavior \n\u2022 A sworn statement from the employee attesting to being a \nvictim of abusive behavior \n\u2022 A sworn statement from a professional who has assisted the \nemployee or the employee's family, e.g., a counselor, social \nworker, health care worker, or member of the clergy. \nPerpetrators of domestic violence are not entitled to leave under \nthis statute. \nProvided you have submitted proper documentation, your \nemployment is protected for leave taken under this policy. If you \nhave questions at any time as to how this policy applies to you, \nplease do not hesitate to contact the Office of Human resources. \nFor more information about this circular, contact: \nName: Employee Services \u2013 Leave of Absence Team \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington", + "metadata": { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7153abbd-3875-49e3-ac50-3b89fbe587c1": { + "page_content": "Name: Employee Services \u2013 Leave of Absence Team \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "cfdc5af9-c17d-4e4f-b822-899521c7514d": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM02 \nVersion 01 \n \nPERFORMANCE EVALUATION OF INSTRUCTIONAL \nBASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \nHeads of school, principals, and other administrative heads are \nresponsible for evaluating the performance of administrators \nunder their direct supervision. This employee group is school-\nbased, requires DESE licensure, and is represented as part of the \nBASAS bargaining unit. Instructional BASAS administrators will \nbe evaluated using the VectorEvals platform as the evaluation \ninstrument. As of September 2023, non-instructional BASAS \nadministrators in roles that do not require DESE-licensure will be \nevaluated using Superintendent Circular HRS-PM02A \nPerformance Evaluation of Non-Instructional BASAS \nAdministrators. \nThe purpose of this memorandum is to explain who is \nresponsible for evaluation and to outline the philosophy,", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "61acb133-481f-401c-b09f-bdcd6337c461": { + "page_content": "Performance Evaluation of Non-Instructional BASAS \nAdministrators. \nThe purpose of this memorandum is to explain who is \nresponsible for evaluation and to outline the philosophy, \nobjectives, guidelines, and procedures applicable to that process. \nPHILOSOPHY \nThe Boston Public Schools and the BASAS bargaining unit \nrecognize that the quality of education provided depends upon \nthe professional performance and the total job effectiveness of \nthe teachers and administrators in the system. Thus, since the \nsystem's professionals can and should be held accountable for", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "93458200-00b9-44ff-bf20-271aa5d77076": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 2 of 10 \n \nthe quality of their performance, a just and effective process for \nevaluating that performance is essential. Such a process must be \norganized to: \n\u2022 foster effective leadership in promoting improvements of \nschools and educational programs \n\u2022 develop in the professional staff a clearer understanding of \nthe goals of education \n\u2022 promote sound organizational and management \nprocedures \n\u2022 demonstrate active support of the policies of the School \nCommittee and superintendent. \nThe performance evaluation program to be implemented to \nsatisfy this philosophy for administrators is diagnostic and \nprescriptive, is generally positively directed, and encourages \nprofessionals to maximize unique strengths and skills. \nAll instructional BASAS administrators whose evaluations are \nsubject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles \nrequire DESE licensure) shall be evaluated on a cycle consistent", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "194242e8-c383-49da-8d67-7c988e0ad53d": { + "page_content": "All instructional BASAS administrators whose evaluations are \nsubject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles \nrequire DESE licensure) shall be evaluated on a cycle consistent \nwith those regulations. Evaluees not subject to 603 CMR 35.00 et. \nseq. shall be evaluated annually, except that such employees \nneed not be evaluated in the following year if they remain in the \nsame job title and position unless the evaluator determines a \nneed to do so. \nINSTRUMENTS/EVALUATORS \nA. Instructional BASAS members shall be evaluated by a \ndesignee of the superintendent outside the BASAS \nbargaining unit. \nB. The evaluation instrument to be used for instructional \nBASAS administrators in DESE-licensed roles as of", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0e8e82c4-77c1-4c0c-8d5f-d47f5cb66c35": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 3 of 10 \n \nSeptember 2019 is known as VectorEvals. It is accessible via \nthe employee\u2019s BPS Google account. Comprehensive \ninformation pertaining to the performance evaluation of \ninstructional BASAS administrators under the 2011 education \nregulation amendments (603 CMR 35.00) is now located at \nthe Office of Human Resources website: \nhttps://www.bostonpublicschools.org/Page/8586. \n \nPROCEDURAL STEPS \nA. Preparation - No later than 30 days after the start of a rating \nyear, and no later than 45 days after a change in a person\u2019s \nevaluator, the person\u2019s evaluator shall meet with the \nevaluee(s) for the purpose of explaining the diagnostic \nprescriptive evaluation program, reviewing the evaluation \ninstrument and which parts of it may not be applicable, \nanswering questions, and determining additional job \nrelated responsibilities which will be covered in the \nevaluation. Within 5 days after said meeting, the evaluee will", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3e625ac8-c3c0-41ba-90ab-18258b95ea1d": { + "page_content": "answering questions, and determining additional job \nrelated responsibilities which will be covered in the \nevaluation. Within 5 days after said meeting, the evaluee will \nreceive a copy of a list of job related functions for which they \nare responsible and on which their performance will be \nevaluated. \nThe evaluee may propose a professional practice goal as \nwell as a student learning goal. All goals are subject to the \napproval of the evaluator. \nB. Data Gathering - It should be clearly understood by the \nevaluee that the data gathering process is ongoing and \ncumulative. Evaluation data includes information gathered \nby observation or other means. Data should be collected \nover a sufficient period and should be accessible to the \nevaluee in compliance with applicable state and federal", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "34f64f2e-7cbe-4169-b22c-3eba616fb6d4": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 4 of 10 \n \nlaws. All complaints or derogatory comments obtained from \nparents, community, etc., shall be promptly provided to the \ninstructional BASAS member, or they may not be used as a \nbasis for evaluation. \nThe evaluator must provide feedback within five school days \nto the evaluee (via email or in person) after any observation \nor collection of evidence that results in the evaluator having \na concern that one or more standards may be rated as \nunsatisfactory or needs improvement on a formative or \nsummative evaluation for the first time. \nC. Post-Evaluation Conference - Evaluation reports may be \nfilled out periodically throughout the school year whenever \nan evaluator determines that assistance, supervision, or \nintervention is deemed appropriate. Within ten (10) school \ndays during which the BASAS member is present following \nthe completion of each evaluation, the evaluator shall meet \nwith the evaluee for the purpose of discussing the", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fbf60e8a-3a1f-40e2-b5c6-a1fa46eb0e4d": { + "page_content": "days during which the BASAS member is present following \nthe completion of each evaluation, the evaluator shall meet \nwith the evaluee for the purpose of discussing the \nevaluation, providing an appraisal of professional strengths \nand areas in need of improvement. \nIn any area where the evaluator indicates a need for \nimprovement, or that the evaluee is \u201cUnsatisfactory\u201d, the \nevaluator will provide the evaluee with a written \nprescription. The prescription must be fully descriptive, \ninstructive, reasonable, attainable, and educationally sound \nas to the specific remedy sought by the evaluator. \nAt the post-evaluation conference, the evaluee will be \nshown their written evaluation by the evaluator and will sign \nit to indicate they have seen it and acknowledge that it will \nbe placed in their personnel file, but not to indicate \nagreement or disagreement. A copy of the evaluation will be", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ab5dd2fb-ae7d-42ea-a096-ba290730ef26": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 5 of 10 \n \nprovided to the evaluee, and the evaluee will be allowed to \nattach comments to the evaluation. \nD. Follow-Up - In general, the number and scope of the \nsubsequent conferences can be gauged at the first post-\nevaluation conference and should be communicated to and \ndiscussed with the evaluee at the end of that conference. \nFORMATIVE ASSESSMENT/EVALUATION AND OBSERVATIONAL \nFEEDBACK \nA. A formative assessment shall be a part of the process used \nto assess progress towards attaining goals set forth in \nadministrator plans, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may \nbe used to inform employment decisions. This process may \ntake place at any time during the cycle of evaluation, but \ntypically takes place at mid-cycle. \nB. A formative evaluation shall be an evaluation conducted at \nthe end of Year 1 for an administrator on a two-year self-", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "940915b9-2e6c-4653-8d26-a1a98d7f42ca": { + "page_content": "typically takes place at mid-cycle. \nB. A formative evaluation shall be an evaluation conducted at \nthe end of Year 1 for an administrator on a two-year self-\ndirected growth plan. This evaluation is to be used to arrive \nat a rating on progress towards attaining the goals set forth \nin the evaluee\u2019s plan, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may \nbe used to inform employment decisions. \nC. If an evaluee\u2019s performance results in a rating of \u201cNeeds \nImprovement,\u201d or \u201cUnsatisfactory\u201d on a formative \nassessment or evaluation, the evaluation prescription may \ncontain a requirement that an administrator take advantage \nof additional professional development training or other \nopportunities.", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ce4d1f24-0f2e-4655-9dee-c863ed6c7180": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 6 of 10 \n \nSUMMATIVE EVALUATION AND REPORTS \nA. A summative evaluation is an evaluation used to arrive at a \nrating on each standard, an overall rating, and as a basis to \nmake personnel decisions. The summative evaluation \nincludes the evaluator\u2019s judgments of the evaluee\u2019s \nperformance against performance standards and the \nevaluee\u2019s attainment of goals set forth in the evaluee\u2019s plan. \nB. During the entire evaluation process, continuous assistance, \nsupport, and encouragement should be extended to assist \nthe evaluee in meeting established objectives. \nC. Continued failure to achieve an overall rating of \u201cProficient\u201d \nwill result in additional prescriptions, warnings, additional \nevaluations, and further personnel action, including \nevaluation visits from other School Department \nadministrators. \nD. An evaluee whose overall performance has been judged as \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d shall be notified in", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "eb114e51-3722-457a-8f7d-339be2761f13": { + "page_content": "evaluation visits from other School Department \nadministrators. \nD. An evaluee whose overall performance has been judged as \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d shall be notified in \nwriting and shall meet directly with the evaluator. \nDISPUTE RESOLUTION \nA. An overall rating of \u201cUnsatisfactory\u201d on a summative \nevaluation for BASAS members shall be subject to the \ngrievance and arbitration procedure. An administrator may \ngrieve a summative rating of \u201cProficient\u201d evaluation up to \nand including the level of the responsible administrator \nabove the level of the evaluator. Any evaluation that is used \nor referred to as any part of the rationale for removal, \nreassignment, or any other negative action against an \nemployee shall be subject to the grievance and arbitration \nprocedures.", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "53157f0e-1aa6-4ab1-bb59-7438c4f38cc8": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 7 of 10 \n \nB. Any evaluation of an instructional BASAS administrator \nwhich is overall \u201cUnsatisfactory\u201d shall be promptly \nforwarded to BASAS along with any other recommended \nprofessional development or corrective action plan, \nprovided that the BASAS member has so requested in \nwriting. The superintendent\u2019s designee and BASAS agree to \nmeet to discuss the plan, when requested by the BASAS \nmember. \nC. Alleged violations of the performance evaluation process are \nsubject to the grievance and arbitration procedures if the \nemployee has been dismissed. \nPROCEDURES FOR DISMISSAL/DEMOTION \nIf the performance evaluation of an evaluee results in a \nrecommendation for dismissal/demotion by the evaluator \n(confirmed by the head of school or other senior administrator), \nthe following procedures will be followed: \nA. The superintendent's designee shall discuss each \nrecommendation for dismissal with the appropriate", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e8e207ba-6e4f-4c85-a313-8b8cd777aeab": { + "page_content": "the following procedures will be followed: \nA. The superintendent's designee shall discuss each \nrecommendation for dismissal with the appropriate \nevaluator and/or other senior administrator. The \nsuperintendent's designee shall then undertake the \nnecessary investigation to substantiate the evaluation of the \nadministrator. \nBased on the above, the superintendent or their designee \nshall decide on the appropriateness of the recommendation \nfor dismissal/demotion. The evaluator and/or other senior \nadministrator must present supporting documents to the \nSuperintendent or their designee when presenting a \nrecommendation for dismissal. \nB. The superintendent or their designee or senior", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "70eaaa9c-e930-4b37-90d1-0e3cb7b61696": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 8 of 10 \n \nadministrator shall submit all processed recommendations \nfor dismissal to the Office of Labor Relations. \nC. The decisions of the superintendent or their designee shall \nbe confined to the following: \n1. Retention - This is a rejection of the recommendation \nof the evaluator based on the evidence presented on \nan individual administrator. \n2. Notice - The superintendent's designee, having \nreviewed the materials, decides that the case does not \nwarrant a recommendation for dismissal/demotion, \nbut instead warrants placing the administrator on \nnotice that their performance is highly unacceptable. \nThis status stands as a final warning that the \nadministrator will be subject to additional evaluation \nduring the academic year and, if performance is not \nimproved, may be subject to dismissal/demotion. \n3. Dismissal/Demotion - This recommendation is the \naffirmation of the evidence presented by the evaluator.", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a8400b22-738f-41d7-9ffa-02f7e79b184b": { + "page_content": "improved, may be subject to dismissal/demotion. \n3. Dismissal/Demotion - This recommendation is the \naffirmation of the evidence presented by the evaluator. \nThe evaluee may call for a hearing before the \nsuperintendent or designee thirty days after written \nnotification to the administrator of the \nrecommendation for dismissal/demotion. \nD. The Office of Labor Relations shall: (1) evaluate the evidence \nfor dismissal/demotion; (2) review the recommendation, if \nnecessary, with the evaluator and/or superintendent or their \ndesignee; and (3) determine that relevant procedures for \nevaluations were substantially complied with and that the \nevaluations warrant dismissal of the employee. \nE. The Office of Labor Relations shall forward its analysis to the", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "636da63c-1fd2-4f35-8e82-cae217e5ceee": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 9 of 10 \n \nsuperintendent of schools with copies to the principal leader \nor other senior administrator. \nF. The superintendent shall review the materials, make a \ndecision, and give notice to the employee in accordance \nwith G.L. c.71, Section 42. \nPROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or supervisor determines that an \nadministrator has violated work rules, the supervisor should \nfollow procedures outlined in Superintendent's Circular HRS-\nPP10 Employee Discipline Procedures. Additionally, the principal, \nhead of school, or supervisor may consider the infraction in \nevaluating the administrator's overall performance. \nFailure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of a supervisor. This \nproblem is further compounded when \"problem staff\" are given a \nsatisfactory rating by the supervisor and encouraged to transfer", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2bbf3d3d-643a-4e5e-b1a7-23aec6794e28": { + "page_content": "unacceptable performance on the part of a supervisor. This \nproblem is further compounded when \"problem staff\" are given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative \nperformance on the part of that person and they will be held \naccountable by the appropriate senior administrator and \nsuperintendent.", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c76bb12f-dd4a-49b2-a3ca-93ca1e42a6d3": { + "page_content": "Superintendent\u2019s Circular HRS-PM02 \nPage 10 of 10 \n \nPlease refer in advance to Superintendent's Circular HRS-PP10 \nEmployee Discipline Procedures. \nSummary of significant dates and deadlines: \nDate Activity \nJune 15 \nDeadline for evaluators to submit \nevaluation to Instructional BASAS \nAdministrators via VectorEvals \nplatform. \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-9627 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ec0e92f6-72b1-4623-a0e4-af871563de26": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP14 \nVersion 01 \n \nPAID LEAVE FOR CANCER SCREENING AND/OR LIVING \nORGAN DONATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nTwo additional paid leave benefits are available to City of Boston \nemployees for annual cancer screenings and living organ \ndonations. \nANNUAL CANCER SCREENING \nThe mayor has signed an executive order that allows all City of \nBoston employees to use up to four (4) hours of leave per \ncalendar year for various types of cancer screening. (Types of \ncancer screening that fall under the four hours off per year policy \nare as follows: breast, prostate, colon, skin, thyroid, oral cavity, \nlymph nodes, reproductive organs, and lungs). \nThe following procedure is in effect in the Boston Public Schools: \n\u2022 Employees will be allowed up to four (4) hours of leave, per \ncalendar year, that can be used intermittently or in one (1) \nfour-hour period.", + "metadata": { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "472d4794-c339-478a-bc55-243f53196f11": { + "page_content": "\u2022 Employees will be allowed up to four (4) hours of leave, per \ncalendar year, that can be used intermittently or in one (1) \nfour-hour period. \n\u2022 Employees must make a request through their \nResponsibility Center manager.", + "metadata": { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4a10299e-db5f-4aaf-8fc0-52b8ea8a2153": { + "page_content": "Superintendent\u2019s Circular HRS-PP14 \nPage 2 of 4 \n \n\u2022 A signed copy of a medical document verifying the date that \nthe employee was given a cancer screening must be filed \nwith the Responsibility Center manager. \n\u2022 This time is not charged to any accumulated sick leave; and \ntime in position, creditable service, pay, leave and health \nbenefits are all protected while on this type of leave. \nTo report time for an annual cancer screening, please add an \nabsence event on the timesheet using the absence name \u201cPre-\nCancer Screening.\u201d \nLIVING ORGAN DONATION \nEffective October 3, 2006, the mayor has issued an executive \norder adopting An Act Relative to Living Organ Donation which \ngrants leave of absence without loss of pay for living organ \ndonation. It applies to leave taken by an employee to provide live \norgan donation to be transplanted into another individual. Live \norgan donation includes donation of kidney, liver, pancreas, lung, \nintestine, or heart (domino transplants).", + "metadata": { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "047fc7e3-5c72-4dde-b53c-27ccea24f7f7": { + "page_content": "organ donation to be transplanted into another individual. Live \norgan donation includes donation of kidney, liver, pancreas, lung, \nintestine, or heart (domino transplants). \nAll City of Boston employees are eligible for this leave, which \nincludes full-time, part-time, seasonal, and temporary employees \neligible for paid leave benefits. It does not include independent \ncontractors, substitutes, cab monitors, transportation attendants, \nintermittent, or any other employees who are not eligible for paid \nleave benefits. \nThe following procedure is in effect in the Boston Public Schools: \n\u2022 Employees will be allowed a maximum total of 30 days of \npaid leave in a calendar year to donate an organ. \n\u2022 This time only covers days taken for the medical procedure", + "metadata": { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e6cfcf68-c7ef-41aa-ad8f-fd3d306490ca": { + "page_content": "Superintendent\u2019s Circular HRS-PP14 \nPage 3 of 4 \n \nand the recovery from it. \n\u2022 Part-time employees will receive a prorated portion of the \n30 days based on their part-time schedule. \n\u2022 Leave can be used intermittently. \n\u2022 Employee must obtain a letter on a physician\u2019s letterhead \ndisclosing that the employee is approved to be a live organ \ndonor and the type of organ being donated. \n\u2022 A signed copy of a medical document verifying the date of \nthe living organ donation procedure that the employee has \nundergone must be submitted to Human Resources \nthrough their Responsibility Center manager (e.g., principal \nor department head). \n\u2022 This time is not charged to any accumulated sick leave; time \nin position, creditable service, pay, leave, and health benefits \nare protected while on this type of leave. \nTo report time for a living organ donation, please add an \nabsence event on the timesheet using the absence name \n\u201cOrgan Donation.\u201d", + "metadata": { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "725727ee-d6f0-4003-b783-170bcd0e2e1b": { + "page_content": "are protected while on this type of leave. \nTo report time for a living organ donation, please add an \nabsence event on the timesheet using the absence name \n\u201cOrgan Donation.\u201d \nQuestions on specific health insurance coverage should be \ndirected to Health Benefits and Insurance at 617-635-4570 or to \nyour health insurance provider. More information about live \norgan donation may be found at the following link: \nhttps://optn.transplant.hrsa.gov/resources/living-donation", + "metadata": { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "29df78cd-6201-4f92-8db0-eb20ed0b13af": { + "page_content": "Superintendent\u2019s Circular HRS-PP14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf", + "source_link": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2e4cf388-9b80-4bf9-9ac4-7a83e3740a74": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP20 \nVersion 01 \n \n \n \nCHANGES IN PAY FREQUENCY FOR \nPARAPROFESSIONALS AND COMMUNITY FIELD \nCOORDINATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPursuant to the Memorandum of Agreement between the School \nCommittee of the City of Boston and The Boston Teachers Union, \nLocal 66, AFT, AFL-CIO (\u2018Union\u2019), Article III, Compensation and \nBenefits Section A: \u201cAdd \u2013 If 200 paraprofessionals choose the \noption, a paraprofessional shall have the option of being paid \nbiweekly over 26 paychecks\u201d. \n1. Paraprofessionals and community field coordinators may \nelect to be paid biweekly over 26 paychecks. \n2. An employee must be active or on paid leave at the \nbeginning of the school year. \n3. Applications can be submitted to the Payroll Unit via fax to \n617-635-9003, via Google form \nhttps://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq-\ni9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or", + "metadata": { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "aa3555bb-d012-42db-84ee-b9745528c98a": { + "page_content": "617-635-9003, via Google form \nhttps://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq-\ni9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or \nUS postal service to 2300 Washington Street, Roxbury MA \n02119, Attn: Payroll, only during the open enrollment period \nwhich begins on April 1 and ends on June 1. \n4. Applicants who wish to change their pay frequency from 10", + "metadata": { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "26900bfa-d9fd-484d-90e9-e6493e1776f7": { + "page_content": "Superintendent\u2019s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 2 of 3 \n \n \n \nmonths to 12 months or 12 months to 10 months must notify \nPayroll by submitting the Para Pay Frequency application or \ncompleting the Google form prior to the June 1 deadline to \nbe effective September of the next school year. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nApril 1 Para pay frequency open enrollment period begins. \nJune 1 Para pay frequency open enrollment period closes. \n \nFor more information about this circular, contact: \nDepartment: Office of Human Capital \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-9003 \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fc39ff16-dca6-43ab-871c-08f3182256ce": { + "page_content": "Superintendent\u2019s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 3 of 3 \n \n \n \nAPPLICATION FOR CHANGE IN PAY FREQUENCY FOR ALL \nPARAPROFESSIONALS & COMMUNITY FIELD COORDINATORS \n\uf06f Change from 21 to 26 payments (paid 12 months): \nI am electing to change my paycheck frequency to 26 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \n\uf06f Change from 26 to 21 payments (paid 10 months): \nI am electing to change my paycheck frequency to 21 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \nName: ___________________________________________________________ \nEmployee I.D.: ____________________________________________________ \nSchool/Department: ______________________________________________ \nSignature: _______________________________________________________ \nDate: __________________________ \nPlease submit your completed form on or before June 1. The \nchange will become effective in September of the new school", + "metadata": { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3fb76adb-8b39-443a-ad39-6776dea5918c": { + "page_content": "Date: __________________________ \nPlease submit your completed form on or before June 1. The \nchange will become effective in September of the new school \nyear. If you have any questions regarding this matter, please \ncontact the Office of Human Capital at 617-635-9600.", + "metadata": { + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf", + "source_link": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b1730a3a-0f98-449e-bb91-530f70b55082": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM05 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nLUNCH HOUR MONITORS ASSOCIATION \nThe contract between the School Committee and the Lunch \nMonitors Association provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Association. The evaluation process relates to the duties and \nresponsibilities of the employee\u2019s position, as set forth in the \nemployee\u2019s job description. \nI. ROLES AND RESPONSIBILITIES \nThe principal/head or school or assistant principal shall be \nresponsible for the evaluation of the performance of all lunch \nhour monitors. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "cecabf2b-6001-46d5-a609-e04d7988847c": { + "page_content": "represents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an \nunderperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nAt the end of each evaluation year, the Evaluator should retain \ncopies of all evaluations and send the originals of all evaluations", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "600943f7-5cd9-4cc3-82cf-5edd536dd317": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 2 of 10 \n \nto the Office of Human Resources. \nII. EVALUATION \nPreliminary Procedures \nAt a reasonable time period after the start of the school year, the \nprincipal/assistant principal shall meet with the lunch hour \nmonitors for the purpose of explaining the evaluation program \nand answering questions. The evaluation instrument will be \nreviewed during this meeting. \nAfter the evaluation has been presented to the employee, the \nsigned evaluation form must be submitted to the Office of \nHuman Resources. \nInterim Evaluations \nAll lunch hour monitors shall receive an Interim evaluation at \nleast once, or as required for the efficient running of the school. \nAll interim evaluations should be conducted no earlier than \nFebruary 1st each year. \nAnnual Evaluations \nAnnual evaluations must be completed no later than the last day \nof school each year. \nEvaluation Completion \nEvery interim and annual evaluation must result in a mark for", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5f6ed60f-3825-48a5-b365-9b910d8b8fb4": { + "page_content": "Annual Evaluations \nAnnual evaluations must be completed no later than the last day \nof school each year. \nEvaluation Completion \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the evaluee with a written prescription. The diagnosis \nand subsequent prescription should be fully descriptive and", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d3f19037-0c3a-4f4c-b388-6e3b34a03d09": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 3 of 10 \n \ninstructive, suggesting specific remedies or recommendations \nfor adoption by the evaluee. \nEvaluation Conference \nWithin ten (10) school days following the completion of an \nevaluation, the evaluator shall meet with the evaluee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluee will be shown their written evaluation and will sign it to \nindicate having seen it and to acknowledge that it will be placed \nin their personnel file, but not to indicate agreement or \ndisagreement with the evaluation results. \nA copy of the evaluation shall be provided to the evaluee. The \nevaluee will be allowed to attach their comments to the \nevaluation. An evaluee whose overall performance has been \njudged unsatisfactory shall be notified in writing and shall meet \ndirectly with the evaluator.1 \nIII. RATINGS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4854a9c8-df52-4b8a-9a33-495ce0ce530c": { + "page_content": "directly with the evaluator.1 \nIII. RATINGS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are three possible \nratings: \n \nE - EXCELLENT: The employee\u2019s performance of the duties and \nresponsibilities of their position exceeds \n \n1 See Section V: Procedures for Unsatisfactory Evaluations for \nmore information on this process.", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b413b475-6d86-4ca1-96b9-375cd7c9aef8": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 4 of 10 \n \nexpectations. \nS - SATISFACTORY: The employee\u2019s performance of the duties and \nresponsibilities of their position meets expectations. \nU - UNSATISFACTORY: The employee has failed to meet expectations and \ntheir performance of the duties and responsibilities of \ntheir position needs improvement. \nIV. PROCEDURES FOR UNSATISFACTORY EVALUATIONS \nIf an evaluee receives an annual overall Unsatisfactory evaluation, \nplus an interim Unsatisfactory evaluation, the supervisor may \ninitiate termination by recommending to the Superintendent \nthat such employee be terminated. \nIf the first evaluation is Unsatisfactory, it will be followed by a \nsecond evaluation no less than twenty-five (25) days in which the \nlunch monitor is present and no more than fifty (50) days in \nwhich the lunch monitor is present. \nIf the second evaluation is Unsatisfactory, the lunch monitor will \nbe given ten (10) school days to improve their performance.", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f34d516a-32cd-42e2-84ec-1f7c21f999e0": { + "page_content": "which the lunch monitor is present. \nIf the second evaluation is Unsatisfactory, the lunch monitor will \nbe given ten (10) school days to improve their performance. \nDuring these ten (10) school days following the second \nevaluation, the evaluator must informally evaluate the lunch \nmonitor, but is not required to formally observe the employee or \nmake any record of this evaluation. \nShould the lunch monitor\u2019s performance not improve within the \nten (10) days following an Unsatisfactory second evaluation, the \nmonitor may be recommended for dismissal to the \nsuperintendent.", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0bda8f5e-6af3-46d1-af09-adc604ada9ef": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 5 of 10 \n \n V. PROCEDURES FOR DISCIPLINE \nIf an Evaluator determines that an employee has committed an \ninfraction of work rules such as excessive tardiness, absences, \netc., the supervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures.2 \nAdditionally, the supervisor should consider the infraction in \nevaluating the evaluee\u2019s overall performance. \n \n \n2 Also refer to Superintendent Circular (HRS-PP10) Employee \nDiscipline Procedures. at this link: \nwww.bostonpublicschools.org/domain/1884", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d4e6fe1e-2126-457a-971f-b9d42d01d125": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 6 of 10 \n \nVI. Summary of significant dates and deadlines: \nDate Activity \nShortly after the start of a \nschool year \nReview job description and evaluation instrument. \nSign cover page to acknowledge meeting \nNo later than Feb. 1 \nComplete first Interim evaluation; to be conducted \nno earlier than 15 school days after the start of the \nschool year. \nNo later than the last day of \nschool \nDeadline to complete annual evaluation. Send \nsigned, original copies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: HRFront Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1b15e20a-3e73-4bdb-ab83-3b6f5952192b": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 7 of 10 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA 02119 \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "62dbdd90-e3dc-421f-86b2-0c264cebb739": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 8 of 10 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FOR LUNCH HOUR MONITORS \nName _______________________________ Empl ID# \nSchool ___________________________________________________________ \nEvaluator ________________________________________________________ \n Permanent Provisional Substitute \n \nLast Overall Rating ______ \n E= Excellent S= Satisfactory U= Unsatisfactory \n \n \nEvaluation procedure and form reviewed on (Date): ______________ \nAcknowledged (Evaluator): ______________________________________ \nAcknowledged (Lunch Monitor): _________________________________ \nCategory (check the applicable rating box for each \ncategory) \nE S U \nMaintains safety and order during lunch and recess. \nMaintains appropriate schedule for lunch and recess. \nPerforms ordinary school tasks as directed and performs the work \naccurately.", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8afef621-617e-4c62-9c7e-addc9fd87d9c": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 9 of 10 \n \nCategory (check the applicable rating box for each \ncategory) \nE S U \nComes to work on time and maintains good attendance. \nWorks productively during all scheduled work hours and continues \nwork in the absence of supervision. \n \nKnows the work and organizes appropriately. \nUses good judgment. \nAbides by rules and regulations and complies with oral and written \ninstructions. \n \nCommunicates effectively and in a constructive way with students \nand the school's staff. \n \nWorks harmoniously with others and maintains a high level of \nprofessionalism. \n \nTreats students with respect, fairness, and consistency. \nAccepts constructive criticism. \nOverall Rating: \n \n_______________________________________________ _________________ \n Evaluator\u2019s Signature Date \n \n_______________________________________________ _________________ \n Lunch Hour Monitor\u2019s Signature Date \n \nEvaluator\u2019s Comments:", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "76508af3-bd45-4d64-90a9-ae5fad5d2cef": { + "page_content": "Superintendent\u2019s Circular HRS-PM05 \nPage 10 of 10 \n \n \n \n \n \n \n \n \n \n \n \nEvaluee\u2019s Comments:", + "metadata": { + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors.pdf", + "source_link": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6cc4ba9e-de3a-4903-a4aa-5435b3f9036a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS07.1 \nVersion 01 \n \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nThis circular will remain in effect unless rescinded by a \nsubsequent version. \nPermanent teachers in Boston Public Schools may choose to \napply for additional program areas. These are non-primary \nsubject area(s) in which a teacher currently holds license(s). \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nTo be deemed qualified in program areas other than the \n\"primary\" subject area in which a teacher is currently teaching, a \nteacher must hold a valid license in the subject area. The Office of \nHuman Resources will verify licensure with the Massachusetts \nDepartment of Education. Re-licensure does not meet this \ncriterion. \nIn addition to holding a valid license in the subject area, the \nemployee must satisfy at least one of the criteria below: \n1. The Massachusetts State license is not more than five (5) \nyears old.", + "metadata": { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4f50dbe1-857a-414a-abe3-8e90d72e8e7e": { + "page_content": "In addition to holding a valid license in the subject area, the \nemployee must satisfy at least one of the criteria below: \n1. The Massachusetts State license is not more than five (5) \nyears old. \n2. A mean score on the Praxis Exam, not more than ten (10) \nyears old. \n3. Fifteen (15) course credits, graduate or undergraduate, \napproved as relevant to the program area qualification. All", + "metadata": { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b690c060-3504-4b16-a0af-af9d8ed33cd3": { + "page_content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 2 of 4 \n \ncoursework must have been completed within the past five \n(5) years. Original transcripts are required if claiming an area \nunder this provision. When submitting transcripts, please \nindicate the fifteen (15) course credits relevant to the \nprogram area qualification. If transcripts are not submitted \nby the deadline, the application can be denied. \n4. Two (2) years of teaching experience within Boston Public \nSchools in the subject area in the last ten (10) years. A \ncreditable year is one in which at least 50% of the weekly \nschedule is in the subject area. A letter from the head of \nschool or principal stating that you taught at least 50% of \nthe weekly schedule in that area and designation of the \nspecific year(s) will be required in the area you are claiming \nunder this provision. If a letter is not submitted by the \ndeadline, the application can be denied. \n \nPermanent teachers who wish to apply for additional program", + "metadata": { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "de56556d-3241-4793-ab67-49dc49abe7ce": { + "page_content": "under this provision. If a letter is not submitted by the \ndeadline, the application can be denied. \n \nPermanent teachers who wish to apply for additional program \nareas must submit their request via the Additional Program Area \nRequest form. Supplemental materials must be submitted to the \nOffice of Human Resources by mail or in person. \n\uf075 Applications and complete documentation must be \nsubmitted to the Office of Human Resources by January \n15, 2024. Applications received after this date will not be \nreviewed. \nThe Office of Human Resources has transitioned to using online \nforms. The link to the Additional Program Area Request form can \nbe found below. Employees will be required to sign in with their \nBoston Public Schools Gmail account. Supplemental materials", + "metadata": { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bf29b2bf-4636-4242-9dd0-395a2596d12c": { + "page_content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 3 of 4 \n \nsuch as transcripts can be submitted via mail or in person to the \nOffice of Human Resources. \nLINK TO APPLY \n\u2022 Additional Program Area Request form \n\u2022 Or copy this URL: \nhttps://docs.google.com/forms/d/e/1FAIpQLSdD7uA5nLZH\nuEKE5pP4uD-gYtf74RCtzEcYZrgeauvwmNBB-\ng/viewform \nSUPPLEMENTAL DOCUMENTATION \nApplication approval is contingent on submission of one of the \nfollowing documents: \n\u25cf Official transcript(s) indicating the completion of fifteen \n(15) graduate or undergraduate course credits relevant to \nthe program area qualification \n\u25cf A signed letter from the head of school/principal \nconfirming the following information: \n\u25cb The subject area you taught (relevant to your \napplication) \n\u25cb The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \n\u25cb Confirmation that you taught at least 50% of the \nweekly schedule in that area.", + "metadata": { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "025f28da-208a-4a43-961f-a02e75410402": { + "page_content": "\u25cb The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \n\u25cb Confirmation that you taught at least 50% of the \nweekly schedule in that area. \n \nPlease submit supplemental documents to the contact listed \nbelow. \nFor more information about this circular, please contact:", + "metadata": { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d6f38848-6c39-4e5b-bf7b-376da9328250": { + "page_content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 4 of 4 \n \nOwner: School Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nEmail: For additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston \n(access.boston.gov). \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2aa05e65-b03d-4a39-94f0-d402c7c19b73": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-L01 \nVersion 01 \n \n \n \nSTATE LICENSURE AND REQUIREMENTS FOR \nTEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAccording to Massachusetts General Law, all teachers must hold \na valid license issued by the Massachusetts Department of \nElementary and Secondary Education (DESE) in the most \nappropriate subject and grade level corresponding to their \nteaching assignment(s). Teachers are not hired by BPS unless \nthey qualify for the appropriate license or license waiver. A waiver \npermits the district to employ an unlicensed teacher for one \nschool year only and does not count as a license. Waivers are \nrequested only by the BPS Office of Human Resources in rare \ncircumstances where there are no licensed candidates available \nto fill a position. \nThis Superintendent\u2019s Circular provides guidance for meeting \nMassachusetts state licensure requirements.", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2327ff55-177c-4ba3-883a-515211dbb055": { + "page_content": "circumstances where there are no licensed candidates available \nto fill a position. \nThis Superintendent\u2019s Circular provides guidance for meeting \nMassachusetts state licensure requirements. \nI. DATA COLLECTION AND TRACKING PROCEDURES \nTo collect and track data about the licensure of BPS teachers and \nparaprofessionals, the BPS Office of Human Resources requires \nonline reporting of critical information, including Massachusetts \nTests for Educator Licensure (MTEL) results, licensure status,", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7a17880c-b3de-4cc2-bd69-cfa75ecd1f8d": { + "page_content": "Superintendent\u2019s Circular HRS-L01 \nPage 2 of 8 \n \n \n \ncoursework, and degree information of teachers. All teachers and \ntheir administrators must comply with these data collection \nprocedures. Furthermore, it is every educator\u2019s professional \nresponsibility to know their personal licensure status and take \nthe necessary steps to maintain their license validity. \nII. MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nA. Know what license is required by your teaching position: \no The license required for your position should be made \nclear to you upon hire, but when in doubt, ask your \nprincipal/head of school, Human Resources \ncoordinator, or Human Resources manager. \no The fundamental requirement is that teachers must \npossess the license that affords the most appropriate \nfit for their teaching assignment. For example, while it \nmay seem acceptable for a teacher of 6th grade math \nand science to work under an Elementary (1-6) license, \nthe MA DESE offers a Middle School Math/Science (5-8)", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fe4ca2b5-ed8d-454e-a62e-e8179c1945a6": { + "page_content": "may seem acceptable for a teacher of 6th grade math \nand science to work under an Elementary (1-6) license, \nthe MA DESE offers a Middle School Math/Science (5-8) \nlicense which is a more appropriate license for this \nteaching assignment. \no For more information about currently offered licenses \nand specific requirements, visit \nwww.doe.mass.edu/licensurehelp. \no Individual\u2019s official state licensure records and history \ncan be accessed securely through the MA DESE\u2019s ELAR \nportal at https://www.doe.mass.edu/licensure/elar/. If \nyou do not know your username and/or password, click \non \"Forgot username/password\" and it will walk you \nthrough some steps to retrieve the username and reset", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f34eba6f-fa26-49ff-8070-59941ac86be3": { + "page_content": "Superintendent\u2019s Circular HRS-L01 \nPage 3 of 8 \n \n \n \nthe password. If you still have difficulty, you can call the \nDESE Licensure Help Desk at 781-338-6600 and they \nshould be able to reset it for you. \no See Attachment A for guidance on which \u201ctype\u201d of \nlicense (Provisional, Initial, Professional, Temporary) \nsuits your level of preparation and/or experience. \nB. Apply for the appropriate license. \no When interested in obtaining a new license, or \nadvancing your non-professional license, the best first \nstep is to apply for the license you plan to pursue. Even \nif you have not yet met all of the requirements, this is \nDESE's opportunity to evaluate your standing with \nregard to the current requirements and give you \nwritten instructions on what remains to be done. They \nleave all applications open until you are granted the \nlicense. \no Online applications can be submitted through the MA \nDESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/, where you", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a7371b34-d742-44a1-bde3-82b1dfb0ce3a": { + "page_content": "leave all applications open until you are granted the \nlicense. \no Online applications can be submitted through the MA \nDESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/, where you \nindicate which license you are interested in obtaining \nand pay the application fees. Applications cost $100 for \nthe first submission and $25 for each additional. \no Submit official transcripts (undergraduate and \ngraduate) to the MA DESE by mail or in person. The \naddress is: \nOffice of Educator Licensure \nMass. Dept. of Education \n75 Pleasant Street", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "91716239-56eb-4ad2-a21b-958bbc80adea": { + "page_content": "Superintendent\u2019s Circular HRS-L01 \nPage 4 of 8 \n \n \n \nMalden, MA 02148 \no Additional documentation, such as out-of-state \nteaching licenses and letters verifying applicable \nteaching experience or preparation, may also need to \nbe submitted. \no Upon review of your application and transcripts, the \nMA DESE will notify you in writing if additional \ndocumentation or clarification is necessary, or if you \nstill have additional requirements to complete. This is \ncalled the evaluation letter. It will give you instructions \non your next steps. \no Make sure your social security number appears on all \ndocuments sent to MA DESE. \nC. Take and pass all relevant MTELs. \no The test(s) you are required to take will be dictated by \nthe DESE, based on the application that you submitted. \nGeneral information about which tests are required for \nwhich license can be found online at \nwww.doe.mass.edu/licensurehelp. If you still aren\u2019t \ncertain which tests you need, and you do not have time", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e7f31867-6f9b-4cc3-bd4d-071fc9c11b6a": { + "page_content": "which license can be found online at \nwww.doe.mass.edu/licensurehelp. If you still aren\u2019t \ncertain which tests you need, and you do not have time \nto wait for the DESE\u2019s evaluation letter, you may call \nthe Office of Human Resources at 617-635-9600. \nD. Advance or renew your license. \no Teachers who hold a temporary, provisional, or initial \nlicense are required to be working to advance toward a \nprofessional license. See attachment A for guidance on \nthe progression of licenses.", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b26847a5-9eaa-436d-aac8-8cb5ee6181a5": { + "page_content": "Superintendent\u2019s Circular HRS-L01 \nPage 5 of 8 \n \n \n \no Teachers who hold a professional license must renew it \nevery five calendar years. There is an expiration date \nassociated with each individual\u2019s professional license \nindicating when it needs to be renewed. \no Renewal of a professional license requires the \ncompletion of 150 Professional Development Points \n(PDPs) within the five-year renewal period. At least 15 of \nthese points must be in the content of the license (i.e., \nwhat you teach). The next 15 points must be in \npedagogy (i.e., how you teach). Fifteen points must be \nin Sheltered English Immersion or English as a Second \nLanguage (SEI or ESL), 15 points must relate to training \nin schooling methods for students with disabilities \nand/or diverse learning styles, and the remaining 90 \npoints can be in \u201celective activities\u201d that address other \neducational issues or improve student learning, \ncontent knowledge, or pedagogy.", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "82a45595-206d-460a-a8f3-d86c93f10776": { + "page_content": "and/or diverse learning styles, and the remaining 90 \npoints can be in \u201celective activities\u201d that address other \neducational issues or improve student learning, \ncontent knowledge, or pedagogy. \no The activities that teachers participate in to earn PDPs \nshould be dictated by their Individualized Professional \nDevelopment Plan (IPDP), which must be reviewed \nand signed for approval by their principal/head of \nschool every two years. Signed copies of the approved \nIPDP must be maintained in the school building. \no Visit https://www.doe.mass.edu/pd/ipdp.docx to view \nor print an IPDP template. \no Online applications for renewal can be submitted \nthrough the MA DESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/ after all PDP \nrequirements have been completed.", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "47220e9d-aabb-47a4-936c-1535ce4e6c0d": { + "page_content": "Superintendent\u2019s Circular HRS-L01 \nPage 6 of 8 \n \n \n \no All educators and other employees seeking licensure \nrelated verifications must complete this form. \n \nFor more information about this circular, contact: \nOwner: Licensure Manager \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9212 \nEmail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c0a96128-6e10-4633-9130-ba39984cf5e3": { + "page_content": "Superintendent\u2019s Circular HRS-L01 \nPage 7 of 8 \n \n \n \nATTACHMENT A \nMassachusetts Teacher Licensure \u2013 At a Glance \nMASSACHUSETTS EDUCATOR LICENSURE \nLicenses granted by the Massachusetts Department of \nElementary & Secondary Education \n75 Pleasant Street, Malden, MA 02148 \n781-338-6600 \nwww.doe.mass.edu/licensurehelp \n \nYOU MAY START HERE\u2026 \nPROVISIONAL LICENSE TEMPORARY LICENSE \n\u2022 Valid for 5 years of employment \n\u2022 For people who have not \ncompleted an approved \neducator preparation program \nRequires: \n\u2022 A bachelor's degree \n\u2022 Passing score(s) on MTEL \nwww.mtel.nesinc.com \n\u2022 Additional coursework required \nfor elementary, early childhood, \nmoderate disabilities, severe \ndisabilities, library, and/or \ninstructional technology \n\u2022 Valid for 1 calendar year \n\u2022 For experienced teachers \nfrom another state \nRequires: \n\u2022 Possession of a valid \neducator license/certificate \nfrom another state that is \ncomparable to at least an \ninitial license in \nMassachusetts", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ebaa99d8-ff51-4834-8dfa-9bb382d861b2": { + "page_content": "from another state \nRequires: \n\u2022 Possession of a valid \neducator license/certificate \nfrom another state that is \ncomparable to at least an \ninitial license in \nMassachusetts \n\u2022 3 years teaching under a \nvalid out-of-state \nlicense/certificate", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8572d8a6-4321-446e-b393-4393c8b53c99": { + "page_content": "Superintendent\u2019s Circular HRS-L01 \nPage 8 of 8 \n \n \n \n\u2026OR YOU MAY START HERE: \nINITIAL LICENSE PROFESSIONAL LICENSE \n\u2022 Valid for 5 years of employment \n\u2022 (May be extended one time for 5 \nadditional years of employment) \nRequires: \n\u2022 A bachelor's degree \n\u2022 Passing score(s) on MTEL, \nwww.mtel.nesinc.com \n\u2022 Completion of an approved \neducator preparation program \n \n\u2022 Valid for 5 calendar years \nRequires: \n\u2022 3 years of employment \nunder the Initial license \n\u2022 Completion of a beginning \nteacher induction program \n\u2022 One of the capstone \noptions for the Professional \nlicense (i.e., master\u2019s degree \nincluding or in addition to \n12 graduate credits in \ncontent) \n\u2022 Continuing professional \ndevelopment required to \nrenew Professional licenses \nevery 5 calendar years", + "metadata": { + "file_name": "HRS-L01 Teacher Licensure.pdf", + "source_link": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ea021450-9a5d-4f6a-b7a8-5b98374fb382": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM02A \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF \nNON-INSTRUCTIONAL BASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment \nStep 5: Summative Evaluation (June 15) \nUpward Feedback \nEvaluation Platform and Documentation \nTimeline and Tools", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d8115567-0785-4ab4-90de-184a07b09c4d": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 2 of 11 \n \n \n \nAppendix A: Core Competencies \nAppendix B: Rating Levels \nAppendix C: Goal Status Scale \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for Non-Instructional BASAS Administrators \nassigned to schools and central office departments. The purpose \nof this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. Please refer to Circular HRS-PM02 - Performance \nEvaluation of Instructional BASAS Administrators for \nInstructional BASAS staff evaluation procedures. \nPURPOSE OF PERFORMANCE MANAGEMENT \nBoston Public Schools (BPS) students are the citizens, leaders, \nscholars, entrepreneurs, advocates, and innovators of tomorrow. \nAs a city and district, we must ensure that 100 percent of our \nstudents are prepared for college, career, and life in the 21st \ncentury. We must model our district and Central Office on the", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1537e7b5-1495-4ab2-a5c5-2dba2bbdf438": { + "page_content": "As a city and district, we must ensure that 100 percent of our \nstudents are prepared for college, career, and life in the 21st \ncentury. We must model our district and Central Office on the \nclassroom we want to see. We have established a system of \nperformance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors.", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a17e2935-0466-4872-9329-a93b96194631": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 3 of 11 \n \n \n \nThe fundamental purpose of performance management in BPS \nschools and Central Office is to maximize the productivity and \nimpact of our employees by enabling them to perform at their \nfullest potential. Our approach is designed to provide high-\nquality support to schools, students, and families in BPS to \nensure our graduates are college, career, and life ready. To do so, \nour performance management system will: \n \n1. Establish a consistent set of competencies to clearly set and \ncommunicate expectations for employee performance. \n2. Align employee efforts with department and organizational \ngoals. \n3. Create systems and structures that gather and monitor \nperformance to support employee feedback, growth, and \ndevelopment. \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support. \n5. Provide accountability for individuals and enable them to", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bdcaf015-6d39-4d92-ae10-03f5084b9716": { + "page_content": "development. \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support. \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals. \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nNon-instructional BASAS members may be evaluated by the \nteam leader, responsibility center manager, supervisor, or their", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fcc97765-675f-4d04-a0d5-ebae1c5728e5": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 4 of 11 \n \n \n \ndesignee. The criteria for effective practice for non-instructional \nBASAS administrators are identified in the Core Competencies, \nwhich defines six categories listed below. See Appendix A for \ngreater detail on the Core Competencies. \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \n \nEvaluations will result in goal \nratings, competency ratings, \nand an overall performance \nrating, which will be based on \nthe supervisor\u2019s judgment on \nevidence of performance \nagainst the standards and \nprogress toward goals. \nProgress toward goals will be \nrated as \u201cGoal Achieved,\u201d \u201cGoal \nSignificantly Met,\u201d \u201cActive \nGoal,\u201d \u201cGoal Not Met,\u201d and \u201cGoal Deferred.\u201d Greater details \non these rating levels can be found in Appendix B (at the \nend of this document).", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8e657746-4721-42b0-a293-416a595049ac": { + "page_content": "Significantly Met,\u201d \u201cActive \nGoal,\u201d \u201cGoal Not Met,\u201d and \u201cGoal Deferred.\u201d Greater details \non these rating levels can be found in Appendix B (at the \nend of this document).", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1e996745-c958-4eb5-9b45-a9dd97bc81ca": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 5 of 11 \n \n \n \nThe five levels of performance which apply to performance on \neach competency and the overall performance rating shall be: \n\u201cHighly Effective,\u201d \u201cEffective,\u201d \u201cDeveloping,\u201d \u201cMinimally Effective,\u201d \nand \u201cIneffective.\u201d Greater details on these rating levels can be \nfound in Appendix B (at the end of this document). \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by the employee and their supervisor. \n \nStep 1: Self-Assessment (by September 1) \nThe employee reviews available evidence of work performance, \nprior feedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The \nSelf-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nStep 2: Analysis, Goal Setting, and Analysis (by October 1)", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "792b50a4-5706-408c-963c-8039a83defaf": { + "page_content": "Self-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nStep 2: Analysis, Goal Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand their supervisor establish 2-4 goals, related to professional \npractice or performance: \n\u25cf A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, the", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d2fb447b-0556-4bf6-b06d-baf633fe7317": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 6 of 11 \n \n \n \nemployee and their supervisor should both look at past \nperformance and feedback, as well as the employee\u2019s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies. \n\u25cf A performance goal is a measurable target or outcome \nrelated to an employee\u2019s work. Goals should align with an \nemployee\u2019s team and/or departmental goal(s). \nStep 3: Implementation of the Plan (ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nStep 4: Formative Assessment (optional by February 1)", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b8e563a4-8559-481a-8a68-ad579d18c5aa": { + "page_content": "feedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nStep 4: Formative Assessment (optional by February 1) \nEach employee should receive a formative assessment to provide \nthe employee with formal feedback on their performance against \nthe Core Competencies and their progress toward goals. \nTypically, the formative will occur midway through the \nassessment year, though may take place earlier for individuals in \nneed of additional support.", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c32019b2-7168-4bc6-bd3e-a55f6d8aa223": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 7 of 11 \n \n \n \nStep 5: Summative Evaluation (June 15) \nEach employee shall receive a summative evaluation to provide \nthe employee with formal feedback and ratings of their \nperformance, and progress toward goals. \nUpward Feedback \nIn this process, upward feedback from direct reports and school \nleaders (when applicable), as well as peer feedback, should be \nincorporated into an employee\u2019s performance evaluation. \nEVALUATION PLATFORM AND DOCUMENTATION \nBeginning September 2023, non-instructional BASAS \nadministrators\u2019 evaluations and related documentation will be \ngenerated and stored in the BPS online performance \nmanagement platform, VectorEvals. Employees and supervisors \nwill receive training in accessing, navigating, and using the \nplatform prior to the start of their evaluation cycle. Training \nmodules will be available in an online, on-demand format to the \nemployee and their supervisor for reference, as well.", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a01d4879-0cc9-4f59-8a0a-d229827bce87": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 8 of 11 \n \n \n \nTIMELINE \nDate Activity \nJuly - August Office, team, and individual goal setting begins. \nSupervisors review of standards and expectations with \nemployees. \nSeptember 1 Employee self-assessments due. \nEmployee goals & action plans draft due. \nOctober 1 Finalized employee goals & action plans due. \nOngoing Employee check-ins, at the discretion of individual. \nProvide feedback (verbal and written) to employees on \nprogress toward goals, observed performance, and \nwork products/artifacts. \nImplementation also includes peer feedback. \nJanuary 1 - \nFebruary 1 \nFormative assessment meetings with employees. \nFebruary 1 Formative assessments (optional) finalized and \nsubmitted. \nJune 1 Last day to submit artifacts for review prior to \nsummative evaluation. \nJune 15 Summative evaluations finalized and submitted. \nAPPENDIX A: THE CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6f6255c0-c3d7-4364-b3d0-fbd13591fcbb": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 9 of 11 \n \n \n \nAPPENDIX B: RATING LEVELS \nEffectiveness \nLevel \nDescription \nHighly Effective Performance far exceeded expectations due to \nexceptionally high quality of work performed in all essential \nareas of responsibility, resulting in an overall quality of work \nthat was superior; and either \nincluded the completion of a major goal or project or \nmade an exceptional or unique contribution in support of \nteam, department, or district objectives. \nThis level is achievable by any employee though given \ninfrequently (<10% of employees). \nEffective Performance met expectations in all essential areas of \nresponsibility, and the quality of work overall was excellent. \nAnnual goals were met. \nDeveloping Performance consistently met expectations in all essential \nareas of responsibility, at times possibly exceeding \nexpectations, and the quality of work overall was very good. \nThe most critical annual goals were met.", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d2554b9a-0249-4481-b21b-c48b1e11d04e": { + "page_content": "areas of responsibility, at times possibly exceeding \nexpectations, and the quality of work overall was very good. \nThe most critical annual goals were met. \nThis level is expected for individuals who are new to the \norganization or to a role.", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0e286fca-93f1-49dc-b7e6-5a2dba8ba08f": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 10 of 11 \n \n \n \nMinimally \nEffective \nPerformance did not consistently meet expectations \u2013 \nperformance failed to meet expectations in one or more \nessential areas of responsibility, and/or one or more of the \nmost critical goals were not met. A professional \ndevelopment plan to improve performance must be \nattached, including timelines, and monitored to measure \nprogress. \nIneffective Performance was consistently below expectations in most \nessential areas of responsibility, and/or reasonable progress \ntoward critical goals was not made. Significant \nimprovement is needed in one or more important areas. A \nplan to correct performance, including timelines, must be \noutlined and monitored to measure progress. \n \n \nAPPENDIX C: GOAL STATUS SCALE \nGoal Status Description \nGoal Achieved All goal milestones and success measures have \nbeen achieved for 100% of goals. \nGoal Significantly \nMet \nAll goal milestones and success measures have", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "dbc535f1-cd21-49e9-9250-2a376038d814": { + "page_content": "Goal Status Description \nGoal Achieved All goal milestones and success measures have \nbeen achieved for 100% of goals. \nGoal Significantly \nMet \nAll goal milestones and success measures have \nbeen achieved for at least 85% of goal. \nActive Goal The goal is still in progress, though some \nmilestones may have been achieved.", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e413a4ec-b556-4125-9313-ca81c36af0e0": { + "page_content": "Superintendent\u2019s Circular HRS-PM02A \nPage 11 of 11 \n \n \n \nGoal Not Met For this goal, some or all milestones and success \nmeasures have not been met. \nGoal Deferred For timing or organizational reasons, this goal has \nbeen deferred. \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-9627 \nE-mail: eval@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf", + "source_link": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "91f1198a-f95e-4925-900a-12d2b39c826b": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM04 \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-DESE-\nLICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \n \nBelow is the evaluation instrument for BTU employees in roles \nwhich do not require licensure by the Massachusetts Department \nof Elementary and Secondary Education, in accordance with 603 \nCMR 35.00, et seq, or where otherwise agreed upon by BPS and \nBTU. \nSummary of significant dates and deadlines: \nDate Activity \nJune 1 Deadline for completion of annual \nevaluations. \nJune 15 \nDeadline for signed, original copies of \nevaluation form (below/attached) to be \nsubmitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119 \nJuly 1 to June 30 The evaluation year of non-DESE-\nlicensed BTU Employees.", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0d326a1c-49b1-4027-9e07-c9f987045dea": { + "page_content": "Superintendent\u2019s Circular HRS-PM04 \nPage 2 of 8 \n \nFor more information about this circular, contact: \nName: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2eecbc7c-2490-4b71-8fad-54312bfacc0d": { + "page_content": "Superintendent\u2019s Circular HRS-PM04 \nPage 3 of 8 \n \n \nBOSTON PUBLIC SCHOOLS PERFORMANCE EVALUATION FORM \nNON-DESE-LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \nName of Employee ________________________ Empl No. ___________ \nPosition _______________________________ Dept./Level \nEvaluator ________________________________ Prior Rating \nCheck One: Interim Year end \n \nThe administrator/professional will be rated on each standard \nwithin the various categories. There are two possible ratings: \nSatisfactory (S): The performance of the administrator/ \nprofessional meets the standards and expectations of the school \ndepartment. \nUnsatisfactory (U): The administrator/professional fails to meet \nthe standards and their performance, as measured against these \nstandards, is unsatisfactory. \nThe evaluator will place a check or an X in the box under the \nrating that describes the administrator/professional\u2019s", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "006b6213-c9f5-4006-af8a-c20a04ef722c": { + "page_content": "standards, is unsatisfactory. \nThe evaluator will place a check or an X in the box under the \nrating that describes the administrator/professional\u2019s \nperformance on that standard. Any rating of \u201cUnsatisfactory\u201d \nmust be accompanied by a description of the problem and \nprescription for improvement on the attached sheet. In the event \na particular standard does not apply, record \u201cNA\u201d for not \napplicable. An overall evaluation of \u201cUnsatisfactory\u201d or \n\u201cSatisfactory\u201d must be given and recorded below.", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7dfe29f8-536f-4f31-bf8e-30a3be0a7941": { + "page_content": "Superintendent\u2019s Circular HRS-PM04 \nPage 4 of 8 \n \nOverall Rating: Satisfactory Unsatisfactory \nSignature of Evaluator_______________________Date ____ /____/ \nSignature of Employee _______________________Date ____/____/____ \nThe employee's signature indicates that they have received the \nevaluation and acknowledges it will be placed in their personnel \nfile, but it does not denote agreement with its contents. \n \n1. INSTRUCTIONAL LEADERSHIP ROLE S U \nDevelop plans for the effective delivery of services. \nMonitors the quality and/or quantity of services provided. \nAssesses operations and recommends or makes changes as \nnecessary. \n \nCompletes all required reports thoroughly, clearly, accurately, \nand on time. \n \nWorks cooperatively with Central Office, Cluster Office, and \nschool personnel \n \nCollaborates with external agencies as necessary. \nCommunicates, implements, and monitors compliance with \npolicies and procedures of the School Department and", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a2912234-5f9e-4eba-a7ad-799aa6021123": { + "page_content": "school personnel \n \nCollaborates with external agencies as necessary. \nCommunicates, implements, and monitors compliance with \npolicies and procedures of the School Department and \nexternal agencies as appropriate. \n \nDemonstrates sound fiscal judgment in budgetary decisions. \nProvides staff with leadership, orientation and training as \nrequired. \n \nActs in accordance with prescribed organizational structure. \nOrganizes and coordinates own activities and those of staff. \nEnsures compliance in area of responsibility with policies, \nprocedures, and contractual obligations of the School", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e66a8a9a-8c8f-48e0-81a0-58a36f8b9d30": { + "page_content": "Superintendent\u2019s Circular HRS-PM04 \nPage 5 of 8 \n \nDepartment, and all legal mandates. \nDemonstrates ability to analyze and use information in \ndecision-making process. \n \nExplains performance standards, duties and responsibilities \nand evaluates staff in accordance with School Department \npolicies. \n \nMaintains all appropriate records required for the operation of \nthe unit. \n \nExercises sound judgment in the performance of one\u2019s duties \nExercises sound judgment in the performance of one\u2019s duties. \nCommunicates accurately and effectively. \n2. PROFESSIONAL ROLE S U \nCarries out responsibilities in a professional manner. \nMaintains regular attendance and punctuality. \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development.", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ee8828e7-af01-41ab-bd03-4570a3ab8bd1": { + "page_content": "contribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nUtilizes appropriate resources to effectively carry out \nprofessional responsibilities. \n \nDemonstrates receptivity to constructive suggestions related to \nprofessional role and responds appropriately. \n \nMaintains professional demeanor. \nPerforms additional job-related tasks and functions assigned to \nthem.", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "94486dcc-cbd5-45bf-8650-47d74693a752": { + "page_content": "Superintendent\u2019s Circular HRS-PM04 \nPage 6 of 8 \n \nList additional mutually agreed upon standards or objectives, if \nany.", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9606772c-c572-4415-88fe-559faa061922": { + "page_content": "Superintendent\u2019s Circular HRS-PM04 \nPage 7 of 8 \n \nNOTES OF OBSERVATION \n(Use additional pages if necessary) \n \n \n \n \n \n \n \n______________________________________________________________________ \nDESCRIPTION OF THE PROBLEM AND PRESCRIPTION FOR \nIMPROVEMENT \n(Use additional pages if necessary) \n \n1. Description of the problem: \n \nPrescription: \n \n \n2. Description of the problem: \n \nPrescription: \n \n \n3. Description of the problem:", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9808c209-be28-46fa-9a04-6e2d62c25f24": { + "page_content": "Superintendent\u2019s Circular HRS-PM04 \nPage 8 of 8 \n \n \nPrescription: \n \n \nGeneral Comments (use additional pages if necessary): \n \n \n \n \n \n \n \n \nEmployee\u2019s Comments (use additional pages if necessary):", + "metadata": { + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf", + "source_link": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a0577988-1bd9-438c-b581-c173eb2678d8": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP11 \nVersion 01 \n \nDRUG FREE WORKPLACE POLICY AND PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIt is the policy of the Boston Public Schools to maintain a \nworkplace free from all unlawful drugs and substances and to \ninsist that all staff, students, contracted providers, and others \nwho work, attend, and/or visit facilities under the jurisdiction of \nthe School Department avoid unlawful drug and substance use \nand abuse at all times. In compliance with the federal Drug-Free \nWorkplace Act of 1988 (P.L. 100-690) and its implementing \nregulations, all employees of the Boston Public Schools, \ncontracted providers, students, and visitors to facilities under the \njurisdiction of the School Committee are hereby notified that the \nunlawful manufacture, distribution, dispensation, possession, or \nuse of a controlled substance (as listed in schedules I-V of Section", + "metadata": { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5dece7da-8f3b-4539-9437-3617be45ae0a": { + "page_content": "unlawful manufacture, distribution, dispensation, possession, or \nuse of a controlled substance (as listed in schedules I-V of Section \n202 of the Controlled Substances Act) is prohibited. Violations of \nthis policy shall be subject to the provisions of federal and state \nlaw, to procedures relative to the discipline of employees, and to \nthe provisions of the Code of Conduct of the Boston Public \nSchools. \nAll employees must abide by this policy as a condition of \nemployment. Employees must notify their immediate supervisor \nwithin forty-eight (48) hours of any conviction (including a plea of \nnolo contendre) of a violation of any federal or state criminal drug \nlaw by an action committed in the workplace. The employee\u2019s \nimmediate supervisor will notify the Office of Human Capital.", + "metadata": { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1d7ccd14-d183-4986-baf2-168840a16342": { + "page_content": "Superintendent\u2019s Circular HRS-PP11 \nPage 2 of 2 \n \nWithin ten (10) days of receiving notice of such a conviction, it will \nbe the responsibility of the superintendent or designee to notify \nthe funding agency in those cases where the employee is directly \nengaged in the performance of work and is paid through a direct \nfederal grant. The Development Office will prepare, annually for \nthe Office of Human Capital, a list of employees covered by this \nprovision of the regulations. \nWithin thirty (30) days of receiving notice of such conviction, an \ninvestigation will be initiated. It will be the responsibility of the \nsuperintendent to recommend disciplinary action, including but \nnot limited to suspension or dismissal. \nBoston Public Schools staff should be made aware of the services \navailable through the City of Boston Employee Assistance \nProgram (B.E.A.P.). Responsibility Center managers and directors \nare urged to refer to the B.E.A.P. any employee who", + "metadata": { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "eff555eb-42f4-4eb8-84d5-2cf1c5fe75dd": { + "page_content": "available through the City of Boston Employee Assistance \nProgram (B.E.A.P.). Responsibility Center managers and directors \nare urged to refer to the B.E.A.P. any employee who \ndemonstrates symptoms of drug or alcohol abuse at 617-635-\n2200 or eap@boston.gov. The program is located at 43 Hawkins \nSt., Boston. \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7956 \nPhone: 617-635-9600 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "200f11e3-5f9e-486f-a0f7-79b86e55ddab": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP06 \nVersion 01 \n \n \nCONFIDENTIALITY OF PERSONNEL RECORDS AND \nEMPLOYMENT VERIFICATIONS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nState laws and regulations regulate disclosure of information \ncollected about personnel by the Boston Public Schools. These \nlaws and regulations provide that, with some exceptions such as \npersonnel and medical records, the School Department's records \nmust be available for public inspection. State law further provides \nthat individuals may review and challenge information in the files \nconcerning them. \nPERSONNEL RECORDS \nThe Office of Human resources maintains both publicly available \nand confidential files about each employee. The Office of Human \nresources will disclose allowable information when requested to \ndo so in writing. \nPlease note that the following are public records, which will be \nreleased upon receipt of a written request: \n\u25cf Names", + "metadata": { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5d53c0b2-aca5-4f62-910b-1ff1b0ceb67a": { + "page_content": "do so in writing. \nPlease note that the following are public records, which will be \nreleased upon receipt of a written request: \n\u25cf Names \n\u25cf Other materials or data relating to a specifically named \nindividual, the release of which would not publicize intimate \ndetails of a highly personal nature.", + "metadata": { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b44994d2-76a9-4bb7-a989-2b00222a019d": { + "page_content": "Superintendent\u2019s Circular HRS-PP06 \nPage 2 of 4 \n \n \n \nConfidential information is not released, such as social security \nnumbers, home addresses and phone numbers, transcripts, \nmedical forms, and evaluations. \nOnly an employee may view their entire file unless a court order \nor other legal mandates require otherwise. An employee may \nview their file in the Office of Human resources by appointment \nonly. To schedule an appointment, place an HR Inquiry request \nvia the Beacon. This can be found for internal employees by \nnavigating to Access.Boston.gov. \nTo obtain a copy of your personnel card for the City of Boston \nRetirement Board, please place an HR inquiry request via the \nBeacon. This can be found for internal employees by navigating \nto Access.Boston.gov. Any former employee will need to submit a \nrequest via email at ohr@bostonpublicschools.org. \nEMPLOYMENT VERIFICATION \nAll inquiries regarding employees, employment status, and other", + "metadata": { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ab6352d8-febb-427e-84a2-57b9e039f2a0": { + "page_content": "request via email at ohr@bostonpublicschools.org. \nEMPLOYMENT VERIFICATION \nAll inquiries regarding employees, employment status, and other \nsuch information must be directed to the Office of Human \nresources, where official personnel records are maintained. \nIf an employee is seeking employment verification (mortgage, \nhousing, substitute time, standard verification, etc.), they should \ncreate an HR Inquiry request via Beacon. An employee must scan \nand attach the verification to the HR Inquiry submission. If an \nemployee needs an email address to submit to their potential \nmortgage company, housing office or any other loan provider, \nthey should provide the OHR email ohr@bostonpublicschools.org \nor fax a request to 617-635-7957. Please note that requests for", + "metadata": { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7e45e48f-5526-4376-8db8-265703fff376": { + "page_content": "Superintendent\u2019s Circular HRS-PP06 \nPage 3 of 4 \n \n \nemployment verification are processed in the order they are \nreceived and take between 5 and 10 business days to complete. If \nsalary/payroll information is needed, it can take longer than 5-10 \nbusiness days. Please plan accordingly. \nAny subpoenas for records should be directed to the Office of the \nLegal Advisor, 2300 Washington Street, Roxbury, MA 02119. \nLICENSURE RELATED EMPLOYMENT VERIFICATIONS \nAll educators and other employees seeking licensure related \nverification must complete the BPS Educator Licensure \nVerification Requests form. \nFor loan forgiveness requests, please submit an HR Inquiry with \nforms attached on the Beacon via Access.Boston.gov. All former \nemployees must email ohr@bostonpublicschools.org and include \nany supporting documentation.", + "metadata": { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7258a7a0-d9f4-4e96-a118-6d09a927c217": { + "page_content": "Superintendent\u2019s Circular HRS-PP06 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nOwner: Shared Services \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf", + "source_link": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2c5e4b5d-52fb-40fb-80d4-78030a95e986": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP03 \nVersion 01 \n \nTUITION REIMBURSEMENT BTU AND ADMINISTRATIVE \nGUILD MEMBERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston School Committee (BSC) has agreed to several \nprograms that allow for reimbursement of tuition costs to eligible \ncollective bargaining unit members in exchange for a \ncommitment of continued employment. \nBOSTON TEACHERS UNION MEMBER ELIGIBILITY \nPermanent teachers who are not eligible for a career award and \nwho commit to three years of continuous employment in the \nBoston Public Schools will be reimbursed for tuition expenses \naccrued in a given school year. Payment will not exceed $1,000 \nper teacher per school year. \nPer agreement between BSC and BTU, provisional teachers who \nhave completed at least one year of service in the Boston Public \nSchools will be eligible for a tuition reimbursement payment not \nto exceed $500 per school year.", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c4de1b05-3e6a-47ec-b6fd-713415c37391": { + "page_content": "have completed at least one year of service in the Boston Public \nSchools will be eligible for a tuition reimbursement payment not \nto exceed $500 per school year. \nThis definition of eligibility is explicitly meant to include those \nemployees who are in job titles that are compensated based on \nGroup I or Group II of the BTU salary schedules.", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2f6c7ee3-8130-4216-abc0-22e4ee481d56": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 2 of 11 \n \nABA SPECIALISTS ELIGIBILITY \nPer agreement between BSC and BTU, ABA specialists who have \ncompleted at least one year of service shall be eligible for tuition \nreimbursement of up to $500 per year for approved college or \ngraduate credits. \nAt three years of successful employment, ABA specialists will be \neligible for tuition reimbursements of up to $1,000 for approved \ncollege courses until they become eligible to receive their career \naward. \nPARAPROFESSIONALS ELIGIBILITY \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed five or more years of full-time service as of the \nend of the prior school year will be entitled to tuition \nreimbursement of up to $1,000 a year for approved college \ncourses. \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed more than three years of full-time service as of \nthe end of the prior school year will be entitled to tuition", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a5d4a398-a15f-45a6-8368-a3168148b879": { + "page_content": "courses. \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed more than three years of full-time service as of \nthe end of the prior school year will be entitled to tuition \nreimbursement of up to $500 a year for approved college \ncourses. \nADMINISTRATIVE GUILD MEMBERS ELIGIBILITY \nTo be eligible to receive tuition reimbursement, members of the \nAdministrative Guild must have served at least one full school \nyear commencing on September 1 prior to the year in which the \ntuition reimbursement application is filed. \nTuition reimbursement for members of the Administrative Guild", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "21678a10-96cc-444b-8c8c-146134f99b1b": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 3 of 11 \n \nis capped at $1,000 per member, per year. \nELIGIBLE COURSES \nAll coursework must be approved by the assistant \nsuperintendent of Human Capital (or designee), consistent with \nthe current policy. Further, eligible courses for school year 2023-\n2024 are courses that begin anytime from September 1, 2023 \nthrough August 31, 2024. Courses that meet the criteria \nestablished for salary lane advancement as articulated in \nSuperintendent\u2019s Circular HRS-PP01 will be considered eligible \nfor tuition reimbursement. \nThe Boston Public Schools will only reimburse employees for the \ncost of the class itself and does include consultant or facilitator \nfees. Please send receipts of out-of-pocket payment directly from \nthe institution in which your transcript was issued. \nGUILD: All courses, certificate programs and job-related training \nmust be approved by the assistant superintendent of Human \nCapital, consistent with current policy.", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "95a3fbc2-ccf0-4f5d-8dd4-4295030795b8": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 4 of 11 \n \nAPPLICATION PROCESS \nTo receive tuition reimbursement payments, eligible employees \nmust submit: \n\u25cf A signed Form PS-03 (Personnel Action Request Form). In \nthe \u201cPay Adjustment\u201d category, place a check mark in the \ntuition reimbursement block. \n\u25cb The PS03 form can be downloaded here: \nhttps://drive.google.com/file/d/0B9Pn1K0-\nQB_FWTRJV2JaSDdNbEU/view?resourcekey=0-\ny7E5QNx7B_HmLeFHKLJauQ \n\u25cb Employees must sign and date the form in the \n\u201cOriginator\u2019s Signature / Date\u201d block. \n\u25cf BTU: A signed affidavit agreeing to three continuous years \nof employment with the Boston Public Schools. A copy of \nthe affidavit is attached to this circular. An affidavit is not \nrequired for paraprofessionals or members of the \nAdministrative Guild. \n\u25cf Official original transcripts clearly indicating a passing \ngrade and graduate credit was awarded from an accredited \ninstitution. Undergraduate course work is accepted for", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f1c6aae3-45d2-4d6f-a7c2-ea9dc447943c": { + "page_content": "Administrative Guild. \n\u25cf Official original transcripts clearly indicating a passing \ngrade and graduate credit was awarded from an accredited \ninstitution. Undergraduate course work is accepted for \nparaprofessionals and Administrative Guild members. \nElectronic transcripts must be sent directly to the Office of \nHuman Capital. Please send to \nEmployeeServices@BostonPublicSchools.org \n* Guild members are also eligible for completion of \ncertificate programs.", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6ff74c58-cd39-4f1a-9614-05c78e75a413": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 5 of 11 \n \n\u25cf Documentation of tuition payment. This documentation \nshould be in the form of receipt for an out-of-pocket \npayment or a credit card statement indicating that payment \nwas made to the institution from which courses were taken \nand credit was granted. \nSubmit all materials to: \nEmployee Services Department \nBoston Public Schools \n2300 Washington Street \nRoxbury, MA 02119 \n \nPAYMENT OF TUITION REIMBURSEMENTS \nThe Office of Human Capital will make every effort to issue tuition \nreimbursements within 60 days of receipt of all required \napplication documentation as listed above. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 1 Start of reimbursement year \nAugust 31 \n \nDeadline for submitting tuition reimbursement \ndocumentation to be processed for the \nprevious academic year \nAugust 31 End of reimbursement year", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3d57a447-88d0-418e-8fea-ee3a46851f30": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 6 of 11 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e51233d2-e4bf-47a8-b963-f0dc62165f5f": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 7 of 11 \n \nAFFIDAVIT FOR BTU (TEACHER) MEMBERS \nI hereby agree to continue my employment with the Boston \nPublic Schools for three continuous years from the date of receipt \nof tuition reimbursement payment in the qualifying amount of \n$500 or $1,000.00. All course work must be approved by the \nassistant superintendent of Human Capital, consistent with \ncurrent policy, prior to my reimbursement of monies. If I fail to \ncontinue my employment for three continuous years, I agree to \nreimburse the Boston Public Schools for the entire amount of \n$500 or $1,000.00 within one month of my discontinuance of \nservice with the Boston Public Schools. Failure to do so will result \nin initiation of legal action by the Boston Public Schools to \nreceive said monies. \nCheck one: \n____I am a Permanent Teacher entitled to $1,000. \n____I am a Provisional Teacher entitled to $500. \nSigned under the pains and penalties of perjury.", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ab550aec-f203-48bd-866e-8d11f4ab7afd": { + "page_content": "receive said monies. \nCheck one: \n____I am a Permanent Teacher entitled to $1,000. \n____I am a Provisional Teacher entitled to $500. \nSigned under the pains and penalties of perjury. \n _________________________________________________________________ \nSignature \n \n______________________________________________ __________________ \n Print Name Date \n \nWitness signature: ______________________________________________ \nBPS: BTU DUAL LICENSE REIMBURSEMENT FOR BTU", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2fcd766a-1921-4273-8eb1-7be6e60527cf": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 8 of 11 \n \nTEACHERS \nPer the most recent Collective Bargaining Agreement effective \nfrom September 1, 2022, through August 31, 2024, (the \u201cCBA\u201d) \nwhere a position requires two licenses and the incumbent does \nnot possess the same, educators will be required to obtain a \nsecond license. Teachers will be reimbursed for up to $3,000 in \nexpenses incurred to obtain the required second license. \nBOSTON TEACHER UNION MEMBER ELIGIBILITY \nTeachers who are required by BPS to obtain another license to \nteach in their existing position and do not currently hold the \nrequired license. \nPer the CBA, BPS will reimburse teachers up to $3,000 during \ntheir employment with BPS for the cost of obtaining another \nlicense required by BPS for the teacher\u2019s position, including but \nnot limited to those working under a waiver or emergency \nlicense. \nELIGIBLE COURSES \nTeachers shall be reimbursed for the following expenses incurred \nto obtain the required license:", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "74967cdd-07fb-46bd-b2bd-fc3cc093ce44": { + "page_content": "not limited to those working under a waiver or emergency \nlicense. \nELIGIBLE COURSES \nTeachers shall be reimbursed for the following expenses incurred \nto obtain the required license: \n\u25cf MTEL prep courses from a provider on a list established by \nthe Office of Human Capital \n\u25cf MTEL tests \n\u25cf Graduate coursework1 \n \n1 Credit equivalency is not considered graduate course work", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1ef917f6-420b-41e0-9b30-94a22ac49687": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 9 of 11 \n \n\u25cf License Fees \n\u25cf BPS Pathway Programs \nReimbursements will be considered provided teachers submit \nreceipts to the Office of Human Capital within the fiscal year that \nexpenses were incurred. \nThis definition of eligibility is explicitly meant to include those \nemployees who are in job titles that are compensated based on \nGroup I or Group II of the BTU salary schedules. \nAPPLICATION PROCESS \nTo receive the Dual License reimbursement payments, eligible \nemployees must submit: \n\u25cf A Google form response \n\u25cb The Google form can be found here: \nhttps://docs.google.com/forms/d/e/1FAIpQLSf35H7BTyp\nO0rLPZKgzRgKTi3lQfbyRycfy0sgFaNi5IvHlfA/viewform \n\u25cb All submissions must include proof of payment. \n\u25cf A copy of the Dual Licensure Notice informing the \nincumbent that their position will require two licenses going \nforward. \n\u25cf Documentation of expenses payment. This documentation \nshould be in the form of receipt for an out-of-pocket", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "baa0e520-61b0-4204-a467-d1b49ef180a2": { + "page_content": "incumbent that their position will require two licenses going \nforward. \n\u25cf Documentation of expenses payment. This documentation \nshould be in the form of receipt for an out-of-pocket \npayment, or a credit card statement indicating that \npayment was made to the institution from which courses \nwere taken and credit was granted. Documentation should \nbe clearly dated. \nSubmit all materials via Google form.", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0f5a488b-3fe0-46fd-9695-3a43b06fdeef": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 10 of 11 \n \nPAYMENT OF DUAL LICENSE REIMBURSEMENTS \nThe Office of Human Capital will make every effort to issue Dual \nLicense reimbursements within 60 days of receipt of all required \napplication documentation as listed above. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 1 Start of reimbursement year \nAugust 31 \n \nDeadline for submitting Dual License \nreimbursement documentation to be \nprocessed for the previous academic year \nAugust 31 End of reimbursement year", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "61adb1cd-1b60-421e-b39f-c858756432d2": { + "page_content": "Superintendent\u2019s Circular HRS-PP03 \nPage 11 of 11 \n \nFor more information about this circular, contact: \nOwner: School Based Staffing \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-9600 \nEmail: \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can be \nfound on Access Boston. \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP03 Tuition Reimbursement.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fc601872-aec1-45de-b2f6-ee70dfcf49fe": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM08 \nVersion 01 \n \n2024BUS MONITOR PERFORMANCE EVALUATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAccording to the collective bargaining agreement between the \nBoston School Committee and the United Steelworkers of \nAmerica, Local 2936, a principal or head of school (or designee) is \nresponsible for completing a performance evaluation for each \ntransportation monitor assigned to the school. This includes both \nSPED cab monitors and transportation attendants hired by the \nschool to ride the regular buses. The purpose of this evaluation is \nto assess the performance of monitors assigned to schools. \nSPED CAB MONITORS \nA performance evaluation form will be sent to principals/heads of \nschool (or designee) along with a list of monitors who are \nassigned to their school. Principals must submit a form for each \nof their assigned monitors via email to", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6406ac57-133d-4e96-918b-ad5515b01a27": { + "page_content": "school (or designee) along with a list of monitors who are \nassigned to their school. Principals must submit a form for each \nof their assigned monitors via email to \nbpsdot@bostonpublicschools.org by May 23, 2025 for all assigned \n(not standby) bus monitors that monitor their students. Using the \nevaluation form, the principal/head of school or designee will \nassess the monitor\u2019s performance. To assist school leaders in \ncompleting this form, information about the monitors' duties and \nresponsibilities is included in this circular.", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0b99ecd7-23a3-4304-8251-ce3e94404785": { + "page_content": "Superintendent\u2019s Circular HRS-PM08 \nPage 2 of 8 \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the assistant director of the Monitors \nUnit, Transportation Department at 617-230-3561. \nTRANSPORTATION ATTENDANTS \nThe principal/head of school of any school with a transportation \nattendant assigned to a regular bus must complete (or designate \nsomeone to complete) an evaluation form and send it as a PDF \nattachment via email to bpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org by May 23. \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the Director of Evaluation and \nPerformance Management, at 617-635-9627. \nDUTIES AND RESPONSIBILITIES FOR SPECIAL EDUCATION BUS \nMONITORS \nSpecial Education bus monitors have been assigned to monitor \nand assist students with special needs while they are being \ntransported to and from school. Their primary responsibilities \ninclude:", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "29be1376-0de0-4be7-b40b-1de60c31e0b6": { + "page_content": "Special Education bus monitors have been assigned to monitor \nand assist students with special needs while they are being \ntransported to and from school. Their primary responsibilities \ninclude: \n\u25cf Boarding the vehicle before or at the same time as the first \nmonitor-required student on the route and remaining on the \nvehicle at all times until every monitor-required student has \nreached their stop \n\u25cf Attending to the special needs of monitor-required students, \nalthough monitors are also responsible for the general \nsupervision of all students on the vehicle \n\u25cf Riding with the students in the back of the vehicle and not in \nthe front seat unless only the front seat is available", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7aaecc42-2af9-4b68-91cf-4d1e0f1930cc": { + "page_content": "Superintendent\u2019s Circular HRS-PM08 \nPage 3 of 8 \n \n\u25cf Assisting students in and out of the vehicle if necessary. This \nincludes setting up and collapsing wheelchairs or other \nequipment when necessary \n\u25cf Exhibiting proper behavior at all times \n\u25cf Ensuring that all students wear seat belts \n\u25cf Ensuring that students not leave the vehicle anywhere other \nthan their assigned stops. If a student leaves the vehicle \nwithout authorization, the driver must be instructed to contact \nthe dispatcher immediately \n\u25cf Prohibiting the consumption of food or beverages, smoking, or \nbringing radios on the vehicle \n\u25cf Notifying the school to which the monitor is assigned and the \noperations coordinator at the yard if the monitor will be absent \nfrom work. Notification must take place by 4:30 am for the \nmorning or at least two hours prior to the scheduled reporting \ntime for the afternoon \n\u25cf Performing other related duties as directed by the supervisors. \n \nSummary of significant dates and deadlines:", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f43c68df-8ba2-4d56-a4fc-107377729edf": { + "page_content": "time for the afternoon \n\u25cf Performing other related duties as directed by the supervisors. \n \nSummary of significant dates and deadlines: \nDate Activity \nMay 23 \nDeadline for principals/heads of school to submit signed copies \nas PDF attachments via email to \nbpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org.", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a59dff8a-7a4b-4105-a5d3-f2c95f02ad63": { + "page_content": "Superintendent\u2019s Circular HRS-PM08 \nPage 4 of 8 \n \nFor more information about this circular, contact: \nOwner: Assistant Director of the Monitors Unit \nDepartment: Transportation Department \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-230-3561 \nFax: 617-635-7705 \nEmail: bpsdot@bostonpublicschools.org \n \nName: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \n \nEmail eval@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "910949b1-152b-4322-9a40-9b415254a3a7": { + "page_content": "Superintendent\u2019s Circular HRS-PM08 \nPage 5 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nBUS MONITOR \u2013 SCHOOL YEAR 2024-2025 \n \nNAME OF MONITOR _________________________DATE \n \nEMPLOYEE # ___________NAME OF SCHOOL \nA.M.______ P.M._______ BUS NUMBER \n \nPlease review the position overview and complete the form. The \nfollowing scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee\u2019s performance of this \nposition\u2019s duties and responsibilities needs improvement. \nS MEETS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \n \nQuality of Work: performs assigned tasks as per job", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "93b60d0c-950f-41c9-9403-7dd346ce0ae4": { + "page_content": "E EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \n \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. U N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. U N S E", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "dda71b64-3ae0-4721-b908-386329c26fe7": { + "page_content": "Superintendent\u2019s Circular HRS-PM08 \nPage 6 of 8 \n \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to \npeople at all levels of the School Department and \nthe public. U N S E \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n Evaluator\u2019s Signature Date \n_____________________________________________ \n Principal/Head of School Date \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2d601a0b-c124-4868-8075-006c8f09aebf": { + "page_content": "Superintendent\u2019s Circular HRS-PM08 \nPage 7 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nTRANSPORTATION ATTENDANT \u2013 SUMMER 2025 \n \nNAME OF TRANSPORTATION \nATTENDANT: _______________________________ DATE \nEMPLOYEE # ____________NAME OF SCHOOL \n \n \nThe following scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee\u2019s performance of this \nposition\u2019s duties and responsibilities needs improvement. \nS MEETS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1cc29d73-440c-4a9a-9e32-c446a4d672b9": { + "page_content": "Quality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. U N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. U N S E \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "514ae036-a048-4467-a8a8-91ef20ba1939": { + "page_content": "Superintendent\u2019s Circular HRS-PM08 \nPage 8 of 8 \n \npeople at all levels of the School Department and \nthe public. U N S E \n \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n Evaluator\u2019s Signature Date \n_____________________________________________ \n Principal/Head of School Date \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org", + "metadata": { + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf", + "source_link": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "38387d9f-af8f-434d-b239-7a61a2e5b269": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM10 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF ABA SPECIALISTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nThe following sets forth the coverage, philosophy, roles and \nresponsibilities and procedures applicable to the evaluation \nprocess of Applied Behavior Analysis (ABA) specialists. \nI. COVERAGE \nThe performance management process covers all ABA specialists. \nThe evaluation process relates to the duties and responsibilities \nof the employee\u2019s position, as set forth in the employee\u2019s job \ndescription. \nII. PHILOSOPHY \nPerformance management is one of the key processes driving \nthe comprehensive reform of the Boston Public Schools. The \nperformance management process for ABA specialists is \ndesigned to: (a) align the work of ABA specialists with the \nsuperintendent\u2019s district wide priorities and with team goals and \n(b) improve the work performance of ABA specialists.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6d1a7ad9-7e55-4e9f-9ca7-2279ef452623": { + "page_content": "designed to: (a) align the work of ABA specialists with the \nsuperintendent\u2019s district wide priorities and with team goals and \n(b) improve the work performance of ABA specialists. \nIII. ROLES AND RESPONSIBILITIES \nThe performance management process for ABA specialists will \nbe led by the assistant superintendent of special education,", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "218c80ec-2432-4925-b213-f5408e270ef6": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 2 of 25 \n \n \nassistant director for ABA, and program directors for ABA. ABA \nspecialists will be evaluated by their immediate supervisors \nunless the assistant director designates another person to \nconduct the evaluation. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. Further, a supervisor will also be \nperforming unsatisfactorily if an underperforming staff member \nis given a \u201cProficient\u201d rating and then the staff member is \nencouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "54494a46-96de-4953-bdcd-f3fb8c4b04e9": { + "page_content": "performance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. \nThere are four possible ratings: 1) Unsatisfactory; 2) Needs \nImprovement; 3) Proficient; and 4) Exemplary. \nV. PERFORMANCE MANAGEMENT PROCESS \nSupervisors will conduct evaluations of their ABA specialists every \nyear. The period for the performance evaluation for ABA \nspecialists will cover September 1 \u2013 August 30 of the school year \nin which the employee is being evaluated. A supervisor may \nevaluate staff members more frequently if they choose to do so \nbut must complete no fewer than 5 (five) direct observations over", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "263ea3a6-bf6b-4485-9862-f5be954f1a3f": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 3 of 25 \n \n \nthe course of the school year. \nSupervisors are expected to provide timely written feedback to \ntheir staff members, especially for employees who, upon \nobservation, are not meeting the expectations of the supervisor. \nAn employee who is not meeting their supervisor\u2019s expectations \nshould have been informed of the supervisor\u2019s concerns and \nprovided recommendations for improvement through written \nfeedback before the performance evaluation meeting and should \nbe given a reasonable amount of time to address the observed \ndeficient performance. \nStep 1 \u2013 REVIEW GOALS AND PROFESSIONAL DEVELOPMENT \nPLAN FOR THE COMING SCHOOL YEAR (September-October) \nSupervisors will meet individually with each of their ABA \nspecialists to jointly review the employee\u2019s goals and professional \ndevelopment plan for the September 1 - August 30 period. When \npossible, goal development should be done during the prior", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "41b06977-ad19-43f8-9ed3-8dd5502202b7": { + "page_content": "specialists to jointly review the employee\u2019s goals and professional \ndevelopment plan for the September 1 - August 30 period. When \npossible, goal development should be done during the prior \nyear\u2019s performance evaluation meeting. \nDuring this meeting, the employee and their supervisor should \nreview the employee\u2019s job description to ensure the employee\u2019s \ngoals and professional development plans are in alignment with \nthe job description. \nIf there is a change in the employee\u2019s goals and professional \ndevelopment plan after the prior year\u2019s performance evaluation \nmeeting, the revised goals and professional development plan \nmust be documented.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1e508291-6ee6-4e42-b4b8-c982669848c1": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 4 of 25 \n \n \nStep 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (as \nneeded) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation and make recommendations for improvement. \nThe supervisor must share their written feedback with the \nemployee within a reasonable amount of time, and thereafter \nshould meet at least monthly with the employee to discuss their \njob performance. These meetings must be held until the \nemployee\u2019s job performance meets the supervisor\u2019s expectations. \nIf the employee\u2019s job performance does not improve sufficiently, \nthe employee may be separated from employment. \nStep 3 \u2013 COMPLETE STAFF OBSERVATIONS AND DATA CHECKS \n(September-May) \nAs outlined in the ABA specialist evaluation, at least 5 (five)", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "faa4faba-31c7-4b64-adfb-369004a9c48d": { + "page_content": "the employee may be separated from employment. \nStep 3 \u2013 COMPLETE STAFF OBSERVATIONS AND DATA CHECKS \n(September-May) \nAs outlined in the ABA specialist evaluation, at least 5 (five) \nobservations must be completed prior to the final performance \nevaluation in May. These observations must include direct \nobservation of the ABA specialist performing essential job \nfunctions and working with students. The observations may or \nmay not be announced and can occur at any time throughout \nthe year. Following each observation session, the program \ndirector for ABA will provide written and vocal feedback to the \nABA specialist outlining the strengths and areas of growth seen \nduring the observation. \nAs part of each observation, data checks and programming \nanalyses will be conducted. These data checks will assess the", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "084e49a9-3a35-46e3-959a-24982f5a2b47": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 5 of 25 \n \n \nperformance with programming and data entry for some portion \nof the time between observations. \nStep 4 \u2013 HOLD INTERIM EVALUATION MEETING (February-\nMarch). \nABA specialists will submit a formative self-assessment no later \nthan February 10. This self-assessment will include the ABA \nspecialist\u2019s assessment of their work performance and feedback \nfrom previous observations to be incorporated into the interim \nevaluation. \nSupervisors will hold an interim evaluation meeting with each of \ntheir ABA specialists no later than March 1. During this meeting, \nthe supervisor must give oral feedback on (1) the employee\u2019s \nprogress in achieving their goals, and (2) the employee\u2019s overall \njob performance, especially with reference to the employee\u2019s job \ndescription and customer focus. In addition, a written interim \nevaluation will be provided in a timely manner after the interim \nevaluation meeting.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ce71e463-e9de-4a2c-903d-051ffc697e89": { + "page_content": "description and customer focus. In addition, a written interim \nevaluation will be provided in a timely manner after the interim \nevaluation meeting. \nStep 5 \u2013 COMPLETE PERFORMANCE EVALUATION FORMS (May). \nThe supervisor will prepare a performance evaluation on each \nABA specialist each school year by filling out the Performance \nEvaluation Form \u2013 ABA Specialists attached at the end of this \ncircular.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0ca4786e-04c6-481c-98ac-e62063aee432": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 6 of 25 \n \n \nStep 6 \u2013 CONDUCT PERFORMANCE EVALUATION MEETING \n(June) \n \nThe supervisor will meet with the employee to discuss their \nperformance evaluation. The meeting will cover the employee\u2019s \njob performance, their progress toward their annual goals, and \ntheir overall performance. \nDuring this meeting, based on the employee\u2019s performance \nevaluation, the supervisor and employee should establish the \nemployee\u2019s goals for the coming school year. These goals should \nbe tentative if the department\u2019s (and team\u2019s) goals have not been \nset. Similarly, the supervisor and employee should also discuss \nthe employee\u2019s professional development plan for the coming \nschool year, with particular reference to the areas of growth or \nchallenge identified in the performance evaluation. \nStep 7 \u2013 EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE \nThe employee\u2019s signature on the evaluation instrument \nacknowledges receipt, and not necessarily agreement with the", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "989041d0-d9fb-4de3-9284-09c1d0df4a79": { + "page_content": "Step 7 \u2013 EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE \nThe employee\u2019s signature on the evaluation instrument \nacknowledges receipt, and not necessarily agreement with the \ncontent of the evaluation. The employee may provide a written \nresponse to the evaluation within 10 (ten) days of receiving the \nperformance evaluation form. \nStep 8 \u2013 SUBMIT PERFORMANCE EVALUATION FORMS TO \nHUMAN RESOURCES (June) \nThe supervisor will submit completed performance evaluation \nforms to Human Resources no later than June 1. Step increases \nare automatic.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "874300d0-9380-4026-ac45-16d53cb81a76": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 7 of 25 \n \n \nStep 9 \u2013 FOLLOW UP FOR AN EMPLOYEE WHO RECEIVES AN \n\u201cUNSATISFACTORY\u201d RATING \nIf an ABA specialist receives an \u201cUnsatisfactory'' rating on their \nperformance evaluation, the supervisor should meet with the \nemployee at least monthly to discuss their job performance. \nThese meetings must be held until the employee\u2019s job \nperformance meets the supervisor\u2019s expectations. If the \nemployee\u2019s job performance does not improve sufficiently, the \nemployee may be separated from employment. \nVII. PROCEDURES FOR DISCIPLINE \nIf a supervisor determines that an ABA specialist has committed \nan infraction of work rules, the supervisor should follow the \nprocedures outlined in Superintendent\u2019s Circular \u2013 Employee \nDiscipline Procedures (see footnote below)1. Additionally, the \nsupervisor may consider the infraction in evaluating the \nemployee\u2019s overall performance. \nVIII. FORMS \nThe Performance Evaluation Form \u2013 ABA Specialists is attached.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "35b3eecb-c934-440e-b184-67f3adb7abf2": { + "page_content": "supervisor may consider the infraction in evaluating the \nemployee\u2019s overall performance. \nVIII. FORMS \nThe Performance Evaluation Form \u2013 ABA Specialists is attached. \n \n \n(Footnote) Refer to Superintendent\u2019s Circular HRS-PP10 \n\u201cEmployee Discipline Procedures\u201d under the category \u201cHuman \nResources\u201d on the Superintendent\u2019s Circulars page of the BPS \nwebsite for more information.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "44df06fd-6731-4315-9d43-ecc21818a8f2": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 8 of 25 \n \n \nIX. SUMMARY OF SIGNIFICANT DATES AND DEADLINES \nSTEP INCREASES ARE AUTOMATIC. Please adhere to the given \ndeadlines for submission. \n \nDate Activity \nSeptember 1 - \nOctober 15 \nFinalize goals and professional \ndevelopment plan for the coming year \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nPrepare diagnosis and \nrecommendations \nNo later than \nFebruary 10 Request self-assessment \nFebruary 1 - March 1 Hold Formative Evaluation meeting \nNo later than May 31 Complete Performance Evaluation forms \nNo later than May 31 Conduct Summative Performance \nEvaluation meeting \nNo later than June 1 Submit Performance Evaluation forms to \nHuman Resources \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nFollow up for an employee who receives \nan \u201cUnsatisfactory\u201d rating", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5cb19786-ad45-490c-81e1-f6488f884955": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 9 of 25 \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director for Applied Behavior \nAnalysis \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-8599 \nEmail: ohc@bostonpublicschools.org \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ed55b593-a879-4146-a4f5-5a58ed2c4dee": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 10 of 25 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nABA SPECIALISTS \n \nName of Employee: ______________________________________________ \nEmployee Identification #:________________________________________ \nDepartment: ABA \nSchool: ___________________________________________________________ \nPosition: ABA specialist \nEvaluator: ________________________________________________________ \n \nSECTION I: JOB PERFORMANCE \nPlease rate the employee\u2019s performance according to the \nfollowing competencies, as measured by documented \nopportunities. A documented opportunity will consist of written \nfeedback from a program director as a result of a direct \nobservation or data analysis from work products. Documented \nopportunities will include no fewer than 5 measured \nopportunities for each subcategory listed below. \nEach objective was rated in one of four categories: \n \n1 Unsatisfactory \nEmployee meets the objective for 65% or less", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "cc1db11d-56a8-403b-97dd-f91c539c5b6e": { + "page_content": "opportunities for each subcategory listed below. \nEach objective was rated in one of four categories: \n \n1 Unsatisfactory \nEmployee meets the objective for 65% or less \nof documented opportunities.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "68c007bc-db5e-4691-9950-35faedc5b6c4": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 11 of 25 \n \n \n2 Needs \nImprovement \nEmployee meets the objective for 66% to 75% \nof documented opportunities. \n3 Proficient \nEmployee meets the objective for 76 to 85% \nof documented opportunities. \n4 Exemplary \nEmployee meets the objective for 86% or \ngreater of documented opportunities. \n*The numbers listed above will be what is indicated in the rating \nbox for each area in the evaluation below. \n \nA. Data Collection \nA-1: Accurately conducts and implements \nall required assessments, including \npreference assessments, Skills \nAssessments, and Core Skills Assessments. \nSelf Rating \n \nSupervisor Rating \n \n \nA-2: Accurately updates targets as needed, \nand proactively implements any \nprogrammatic changes given by the \nprogram director or strand specialist. \nSelf Rating \n \nSupervisor Rating \n \n \nA-3: Accurately takes programmatic data (both behavior and \nacquisition) in a timely manner.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9f0dc7c1-ad2b-4039-a362-826792730af0": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 12 of 25 \n \n \nSelf Sup \n \nUnsatisfactory \nRuns less than 24 ACE sessions per \nweek across all programs and \nstudents per week across 5 or more \nmeasured opportunities for the year. \n \nNeeds \nImprovement \nRuns between 25 and 49 ACE \nsessions per week across all \nprograms and students per week \nacross 5 or more measured \nopportunities for the year. \n \nProficient \nRuns between 50 and 74 sessions \nper week across all ACE programs \nand students across 5 or more \nmeasured opportunities for the year. \n \nExemplary \nRuns at least 75 sessions per week \nacross all ACE programs and \nstudents across 5 or more measured \nopportunities for the year.", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9c08223e-66a1-49e0-8844-5c9254157f7a": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 13 of 25 \n \n \n \nA-4: Follows prompting hierarchies and \nerror correction procedures as prescribed by \nACE and/or Program Director. \nSelf Rating \n \nSupervisor Rating \n \n \nA-5: Ensures that challenging behavior data \ncollection sheets are updated as necessary, \nand that challenging behavior data \ncollection sheets are filed in the correct \nplace. \nSelf Rating \n \nSupervisor Rating \n \n \nA-6: Identifies when there is a problem with \ndata/data collection, and appropriately \nbrings to the attention of the Program \nDirector. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Data Collection:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "30034869-337f-493f-9a5b-41d545eaca0c": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 14 of 25 \n \n \nB. Behavior Support \nB-1: Develops, maintains, and shares any \nnecessary materials to follow through with \nbehavior plans (token boards, timers, visuals, \netc.) as written. \nSelf Rating \n \nSupervisor Rating \n \n \nB-2: Follows each Behavior Support Plan as \nwritten for student, including effective \nantecedent strategies, reinforcement \nprocedures, following crisis procedures, and \nseeking help when needed. \nSelf Rating \n \nSupervisor Rating \n \n \nB-3: Responds to any behaviors not outlined \nin the behavior support plan using standard \nABA techniques. \n \n \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Behavior Support:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4656c0ca-d8b6-4521-9287-22384fdcb6cf": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 15 of 25 \n \n \nC. Professionalism \nC-1: Participates in feedback sessions and \naccepts feedback given by Program Director. \nEngages in consultation with Program \nDirector and/or Strand Specialist. \nCommunicates with the Strand Specialist, \nProgram Director, and other school-based \nstaff, including keeping student schedules \nup to date, sharing with all necessary parties, \nand following the set schedule. Is flexible \nwhen caseloads or school assignment \nrequires change, due to caseload demands \nor due to specific needs of a student or \nstudents. If there is a concern regarding \ncaseload and/or programmatic changes, \nprofessionally communicates the concern to \nthe Program Director. \n*This language does not constitute \nexpansion of caseloads beyond the contract \nlimits \nSelf Rating \n \nSupervisor Rating \n \n \nC-2: Follows Office of Special Education \nadministrative procedures, such as signing \nin/out, requesting absences (sick or personal", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "31b1df08-d138-4b30-bc15-ef3db1272d0e": { + "page_content": "limits \nSelf Rating \n \nSupervisor Rating \n \n \nC-2: Follows Office of Special Education \nadministrative procedures, such as signing \nin/out, requesting absences (sick or personal \ndays) on ESS in a timely manner, using \nplanning time effectively, following cell \nphone use policy, and arriving to \nwork/meetings on time. \nSelf Rating \n \nSupervisor Rating", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bcd66f7f-2a58-4d2c-abf7-c4e6ee0d6c15": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 16 of 25 \n \n \nC-3: Consistently exudes a professional \ndisposition towards Special Education, \nApplied Behavior Analysis, students, and \nfamilies, as well as other school personnel; \nand maintains student confidentiality. \nSelf Rating \n \nSupervisor Rating \n \n \nC-4: Demonstrates fluent use of technology \nnecessary to complete job requirements, \nsuch as Google Drive, EdPlan, ACE, Teach \nNow, etc. Ensures that all appropriate \ntechnology is up to date. \nSelf Rating \n \nSupervisor Rating \n \n \nC-5: Engages in and attends all professional \ndevelopment activities as scheduled, \nincluding all that were described in the prior \nyear\u2019s professional development plan. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Professionalism:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "150d21a1-9ab3-442b-acc6-556cc0540258": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 17 of 25 \n \n \nD. Direct Service \nD-1: Ensures that tasks are prepared and \nready for instruction on time and efficiently. \nDemonstrates fluency with materials \nnecessary to conduct direct service sessions, \nsuch as token boards, first/then boards, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-2: Activates appropriate programs as \noutlined in the IEP within 2 weeks of \nnotification of a signed IEP, and implements \nall programs as written on the curriculum \nsheet across multiple settings including \ninclusion, specials, lunch/recess, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-3: Establishes attending and reinforcers \nbefore beginning the session. Prompts \nfunctional communication as necessary. \nCompletes the prescribed number of trials for \neach program according to the prescription \nsheet. Keeps student break time to a \nreasonable duration. \nSelf Rating \n \nSupervisor Rating", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "11479522-7798-430d-8b9e-c37cde079989": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 18 of 25 \n \n \n \nD-4: Ensures that the student is clear on \nhow and when reinforcement is delivered, \nand delivers reinforcement on prescribed \nschedules. \nSelf Rating \n \nSupervisor Rating \n \n \nD-5: Builds rapport with the students and is \nalways engaging and energetic when \nworking with students. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Direct Service:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "44f01af4-9c4f-45ab-be38-554fdf500416": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 19 of 25 \n \n \nE. Communication/Written Skills \nE-1: Completes progress reports and annual \nreviews at least 1 week before the due date, \nby referencing the ABA specialist Task Due \nGoogle Calendar when applicable and using \nplanning time effectively. Ensures that each \ndocument is complete with proper spelling, \ngrammar, and data, following the most \nrecent format provided by the program \ndirectors. \nSelf Rating \n \nSupervisor Rating \n \n \nE-2: Completes EdPlan session notes within \n24 hours of each session and takes no more \nthan 10 minutes per 60-minute session to do \nso. \nSelf Rating \n \nSupervisor Rating \n \n \nE-3: Ensures that written communications \nare clear, concise, and free of error, utilizing \nappropriate professional language. \nSelf Rating \n \nSupervisor Rating", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a22dfbf3-a4ce-4f22-a319-4fadc2c131db": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 20 of 25 \n \n \nE-4: Communicates questions and concerns \nin a professional manner with teachers, ABA \nspecialists, strand specialists, program \ndirectors, and paraprofessionals, as \ndemonstrated by initiation and response to \nemails within 48 hours. \nSelf Rating \n \nSupervisor Rating \n \n \nE-5: Responds to emails within 2 working \ndays and completes RMTS (Random Moment \nTime Study) moments within the 48 hour \ntimeline as required by state agencies. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Communication/Written Skills:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9d416d76-5e42-4548-8947-0ba5ccdd0ef6": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 21 of 25 \n \n \nSECTION II: PERFORMANCE AGAINST PAST YEAR\u2019S GOALS \nProvide a concise description of each of the employee\u2019s goals for \nthe past year. Mark whether the employee achieved the goal. \nProvide specific data supporting your assessment that the goal \nwas or was not achieved. \n \nGoal 1: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments: \n \n \nGoal 2: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments: \n \n \nGoal 3: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "21431033-0242-4853-a125-c7ca6eda5e3d": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 22 of 25 \n \n \nSECTION III: GOALS FOR NEXT YEAR \nPlease list the employee\u2019s goals for next year. Goals are to be set \nby supervisor and agreed to by employee. These goals should \nalign with the department\u2019s goals and priorities and include key \nperformance indicators. \nGoal 1: \n \nGoal 2: \n \nGoal 3:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7b9f2a7a-46be-4b88-ac8e-873d7c042a8d": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 23 of 25 \n \n \nSECTION IV: OVERALL PERFORMANCE \nPlease rate the employee\u2019s overall performance this year. If the \nemployee receives a \u201cDoes Not Meet Expectations\u201d rating, their \nsupervisor must provide a diagnosis and recommendations for \nhow the employee must improve their performance in the \nfollowing Additional Comments section. The supervisor may also \nuse this section to provide other additional comments on the \nemployee\u2019s performance. \n \n\uf0a8 Unsatisfactory \n\uf0a8 Proficient \n\uf0a8 Needs Improvement \n\uf0a8 Exemplary \n \nComments:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "af8c8fe0-ae5c-45c4-9f5f-3e4a225807d8": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 24 of 25 \n \n \nSECTION V: PROFESSIONAL DEVELOPMENT PLAN \nDescribe the employee\u2019s Professional Development Plan for the \ncoming year. This plan should help the employee build skills \nand/or knowledge to accomplish their goals for the year. Please \ndescribe the specific areas that the employee is trying to develop, \nand the related activities that they will take part in this year. \n \n1. Skill/Knowledge Development Area 1: \n \nRelated activities to help develop skill: \n \n \n \n2. Skill/Knowledge Development Area 2: \n \nRelated activities to help develop skill: \n \n \n \n3. Skill/Knowledge Development Area 3: \n \nRelated activities to help develop skill:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b0978df8-b26f-445c-a89c-59a22012e091": { + "page_content": "Superintendent\u2019s Circular HRS-PM10 \nPage 25 of 25 \n \n \nSECTION VI: ACKNOWLEDGEMENTS \n \n ____________________________________________ ____________________ \n Evaluator\u2019s Signature Date \n \n \n ____________________________________________ ____________________ \n Employee\u2019s Signature Date \n \nThe employee\u2019s signature indicates that they have seen the \nevaluation and acknowledge that it will be placed in their \npersonnel file, but it does not denote agreement with the \nevaluation. \n \n \n \nThe employee may provide a written response to the evaluation \nin the space provided below, and/or in attached pages. \n \nEmployee Comments:", + "metadata": { + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists.pdf", + "source_link": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d92b76da-9629-4f92-b518-2229d3c86be9": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP08 \nVersion 01 \n \nINCENTIVE FOR EARLY NOTIFICATION OF TERMINATION \nFOR BOSTON TEACHERS UNION \u2014 TEACHERS UNIT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo assist hiring for the 2024-2025 school year, the Boston Public \nSchools is offering a one-time incentive for early notification of \ntermination to members of the BTU Teachers Union. \n1. An individual must be a permanent BTU teacher, have a \nminimum of ten (10) years of continuous service in the \nBoston Public Schools, and must meet the minimum age \nrequirement of fifty-five (55) years. \n2. Eligible employees presently on paid or unpaid leave of \nabsence can apply by completing the online application for \nIncentive for Early Notification of Termination and \nsubmitting it to the Office of Human Resources (application \nlink located below). \n3. A Separation Agreement must be completed in order for the", + "metadata": { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a74cf843-98e2-4ec5-bd2b-8c235536cf06": { + "page_content": "Incentive for Early Notification of Termination and \nsubmitting it to the Office of Human Resources (application \nlink located below). \n3. A Separation Agreement must be completed in order for the \nOffice of Human Resources to accept the application in full. \nOnce the application is accepted in full, it is binding on both \nparties and irrevocable. \n4. Applicants understand that the termination must be \neffective between June 30, 2025 and August 31, 2025.", + "metadata": { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "08c33d87-3ae3-40ff-8ea0-777b68a47fef": { + "page_content": "Superintendent\u2019s Circular HRS-PP08 \nPage 2 of 3 \n \n5. Applicants will be ineligible for hire into full-time positions \nat Boston Public Schools for the school year 2024-2025. \n6. Applicants further understand that: \na. They will not be eligible for unemployment \ncompensation, and \nb. Acceptance of this incentive shall not affect any rights \nof a member under the Teacher Retirement Law. \n7. Applications must be filed with the Office of Human \nResources by the close of business on Friday, January 10, \n2025. If accepted, a one-time payment of $1,500 will be \nmade by Friday, February 28, 2025. \n8. Individuals planning to retire must also file an \u201cIntent to \nRetire\u201d form with the City of Boston Retirement Board. The \nincentive application does not replace this process. Please \nnote that pursuant to Retirement Board policy, an individual \ncannot file an \u201cIntent to Retire\u201d more than forty-five (45) \ndays before the retirement date. \n9. BTU/Teachers Unit employees wishing to apply for this", + "metadata": { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e582dce7-ebc1-417f-8b75-83bb98b5f6b2": { + "page_content": "cannot file an \u201cIntent to Retire\u201d more than forty-five (45) \ndays before the retirement date. \n9. BTU/Teachers Unit employees wishing to apply for this \nincentive for early notification of termination must submit \nthe following Google form to the Office of Human \nResources: \nApplication for Incentive for Early Notification of Termination \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nApplication Deadline Payment \nFriday, January 10 Friday, February 28", + "metadata": { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "526144e1-657e-4feb-8c31-443aa87309f2": { + "page_content": "Superintendent\u2019s Circular HRS-PP08 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Employee Information \nDepartment: Office of Human Resources \nMailing \nAddress: 2300 Washington Street, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeinformation@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf", + "source_link": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "40e71c05-0719-4324-99f2-ec6bbe1ae215": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP13A \nVersion 01 \n \nFAMILY AND MEDICAL LEAVE ACT AND SMALL \nNECESSITIES LEAVE ACT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEligible employees are entitled to take up to 12 weeks of leave for \nfamily or medical leave under federal law and up to 24 hours of \nleave for family obligations under state law during a fiscal year \n(July 1 through June 30). School-based employees who report to a \nprincipal/head of school (except custodians, cafeteria workers, \nand itinerants) may submit their leave requests via the Hub. \nFEDERAL FAMILY AND MEDICAL LEAVE ACT \n1. Eligibility \nEmployees who have been employed in the Boston Public \nSchools for at least 12 months at the BPS and who have \nworked at least 1,250 hours in the prior 12-month period are \neligible. \n2. Purpose \n\u25cf For incapacity due to pregnancy, prenatal medical care, \nor childbirth", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6118faf2-6881-43ef-bfb1-9e3e9cd1c3c1": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 2 of 11 \n \n\u25cf To care for a son or daughter within the first 12 months \nafter birth, adoption or placement for adoption or foster \ncare \n\u25cf Because the employee is needed to care for a spouse, son, \ndaughter, or parent who has a serious health condition. \n\u25cb Son or daughter means a biological, adopted, or foster \nchild, a stepchild, a legal ward, or a child of a person \nstanding in loco parentis, who is either under age 18, or \nage 18 or older and incapable of self-care because of a \nmental or physical disability. Parent does not include \nin-laws. \n\u25cf Because of the employee's own serious health condition \nwhich makes the employee unable to perform their job. \nA serious health condition means an illness, injury, \nimpairment or physical or mental condition that involves: \n\u25cb a period of incapacity or treatment connected with \ninpatient care \n\u25cb a period of incapacity requiring absence of more than 3 \ncalendar days from work or daily activities also", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "52e1c638-1fbe-43e8-a861-ae74e8ef011b": { + "page_content": "\u25cb a period of incapacity or treatment connected with \ninpatient care \n\u25cb a period of incapacity requiring absence of more than 3 \ncalendar days from work or daily activities also \ninvolving continuing treatment by a health care \nprovider \n\u25cb any period of incapacity due to pregnancy or for \nprenatal care \n\u25cb any period of incapacity due to a chronic serious health \ncondition (e.g., asthma, diabetes, epilepsy) \n\u25cb any period of incapacity that is permanent or long term \ndue to a condition for which treatment may not be \neffective (e.g., Alzheimer\u2019s, stroke, terminal diseases) \n\u25cb a period of absence to receive multiple treatments for \nan injury or condition which would result in incapacity", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "77798067-eabd-4a82-8d82-dad37f6a24bb": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 3 of 11 \n \nfor more than three days if not treated (e.g., \nchemotherapy, physical therapy, dialysis). \n3. Length of Leave \nSubject to FMLA qualification, up to 12 weeks of leave may \nbe taken in any fiscal year. For qualifying exigencies arising \nout of the fact that the employee\u2019s spouse, son, daughter, or \nparent is on active duty or call to active duty status as a \nmember of the National Guard or Reserves in support of a \ncontingency operation to permit a \"spouse, son, daughter, \nparent, or next of kin\" to take up to 26 work weeks of leave \nto care for a \"member of the Armed Forces, including a \nmember of the National Guard or Reserves, who is \nundergoing medical treatment, recuperation, or therapy, is \notherwise in outpatient status, or is otherwise on temporary \ndisability retired list, for a serious injury or illness.\" \nQualifying exigencies include: \n\u25cf Issues arising from a covered military member\u2019s short", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "40ff10b1-f53a-4f46-ad9f-1d95d8916e56": { + "page_content": "disability retired list, for a serious injury or illness.\" \nQualifying exigencies include: \n\u25cf Issues arising from a covered military member\u2019s short \nnotice deployment (i.e., deployment on seven or less days \nof notice) for a period of seven days from the date of \nnotification \n\u25cf Military events and related activities such as official \nceremonies, programs, or events sponsored by the \nmilitary or family support or assistance programs and \ninformational briefings sponsored or promoted by the \nmilitary, military service organizations, or the American \nRed Cross that are related to the active duty or call to \nactive duty status of a covered military member;", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0ef30107-1deb-4874-8c1b-4a4834ca915e": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 4 of 11 \n \n\u25cf Certain childcare and related activities arising from the \nactive duty or call to active duty status of a covered \nmilitary member, such as arranging for alternative \nchildcare, providing childcare on a non-routine, urgent, \nimmediate need basis, enrolling, or transferring a child in \na new school or day care facility, and attending certain \nmeetings at a school or a day care facility if they are \nnecessary due to circumstances arising from the active \nduty or call to active duty of the covered military member \n\u25cf Making or updating financial and legal arrangements to \naddress a covered military member\u2019s absence \n\u25cf Attending counseling provided by someone other than a \nhealth care provider for oneself, the covered military \nmember, or the child of the covered military member, the \nneed for which arises from the active duty or call to active \nduty status of a covered military member", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1b42a73c-1f95-4d3a-b117-9cbd4ed61960": { + "page_content": "member, or the child of the covered military member, the \nneed for which arises from the active duty or call to active \nduty status of a covered military member \n\u25cf Taking up to five days of leave to spend time with a \ncovered military member who is on short-term \ntemporary, rest and recuperation leave during \ndeployment \n\u25cf Attending to certain post-deployment activities, \nincluding attending arrival ceremonies, reintegration \nbriefings and events, and other official ceremonies or \nprograms sponsored by the military for a period of 90 \ndays following the termination of the covered military \nmember\u2019s active duty status, and addressing issues \narising from the death of a covered military member \n\u25cf Any other event that the employee and employer agree is \na qualifying exigency", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7bdaebdf-e79d-450a-b501-cae279775303": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 5 of 11 \n \nSpecial restrictions apply to teachers requesting leaves, \ndepending on the length and timing of the leave(s). Please \ncall the Office of Human Resources for advice regarding \nspecial rules that apply to teachers in these situations. \n4. Requesting a Leave of Absence: Notice Requirement \nIf the need for leave is foreseeable, an employee must \nprovide BPS with at least 30 days notice. If 30 days notice is \nnot practicable, notice must be given as soon as possible, \ngenerally the same or next business day. All employees \nmust submit their leave request through the online Request \nfor Leave of Absence application (instructions and more \ninformation below in Section 8). \nEmployees requesting absences of 5 days or less to fulfill \nNational Guard or Military Reserve responsibilities must \nsubmit a request on ess.boston.gov and provide supporting \ndocumentation to the Responsibility Center manager.", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "398f26de-c96d-468c-b5c5-13722876de55": { + "page_content": "National Guard or Military Reserve responsibilities must \nsubmit a request on ess.boston.gov and provide supporting \ndocumentation to the Responsibility Center manager. \nAbsences of 6 days or more must be submitted through the \nonline application. \n5. Certification(s)/Documentation \nWH-380-E/F form or medical certification/documentation \non official letterhead from a health care provider is required \nfor leave because of a serious health condition. Second or \nthird opinions may be required, as well as a fitness for duty \nreport to return to work. \n6. Paid or Unpaid Leave and Benefits \nLeave is unpaid except to the extent that accrued sick leave, \npersonal leave, or vacation leave applies, as provided in", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b959d244-df15-462a-b03b-23bb2c625a89": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 6 of 11 \n \napplicable collective bargaining agreements or school \ndepartment policy. Employees who are taking leave for their \nown serious health condition will be required to use their \naccrued paid sick leave and vacation leave during their \nFMLA leave until such paid leave has been exhausted. \nEmployees who are taking FMLA leave to care for their \nspouse, child, or parent will be required to use all accrued \npaid vacation leave during their FMLA leave until such paid \nleave has been exhausted. After an employee\u2019s accrued paid \nleave has been exhausted, any remaining FMLA leave will be \nunpaid. \nMedical insurance as part of a group health plan must be \nmaintained. However, benefits do not accrue during unpaid \nleave unless otherwise provided by the terms of an \napplicable collective bargaining agreement. \n7. Relationship to Other Leaves Provided by Collective \nBargaining Agreements or Policy", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "792197b3-a48b-40d6-8b39-ea2eec16cfdc": { + "page_content": "leave unless otherwise provided by the terms of an \napplicable collective bargaining agreement. \n7. Relationship to Other Leaves Provided by Collective \nBargaining Agreements or Policy \nThis leave neither diminishes nor augments any greater \nleave for the same purpose which may be provided for in a \ncollective bargaining agreement or other law or policy.", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "241abe5a-0f4d-4f68-a4aa-fe81e14e46c4": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 7 of 11 \n \n8. Requesting Leave of Absence \nAll employees must submit a request for leave electronically \nvia the online application. Once the leave request is \nsubmitted electronically, it is automatically sent to the \nprincipal/head of school of the employee\u2019s school for \nnotification and to the Office of Human Resources for \nreview. Employees and supervisors will automatically be \nnotified whether the leave was approved, denied, or is \npending due to documentation, through their BPS email. To \nrequest a leave: \n\u25cf Access the Office of Human Resources Workspace. \n\u25cb Click on \u201cOffice of Human Resources Workspace.\u201d \n\u25cb Click on \u201cForms\u201d tab. \n\u25cb From the drop-down menu, select \u201cLeave \nRequest.\u201d \n\u25cb Read through the instructions and complete \napplication. \n\u25cf Access the application to request a leave of absence \nonline. \nSMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR \nFAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] \n1. Eligibility", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "833f94e6-9051-4575-9408-afab602d3a9f": { + "page_content": "\u25cf Access the application to request a leave of absence \nonline. \nSMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR \nFAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] \n1. Eligibility \nEmployees who have been employed for at least 12 months \nat the BPS and who have worked at least 1,250 hours in the \nprior 12-month period are eligible (same as for federal family \nand medical leave).", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "26b9ffa6-53b3-434a-ad3c-07911901eb7b": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 8 of 11 \n \n2. Purpose \n\u25cf To participate in school activities directly related to the \nadvancement of the employee's son or daughter, such as \na parent-teacher conference or interview for a new \nschool. \n\u25cb A son or daughter includes foster child, a legal \nward or a child of a person standing in loco \nparentis, under 18 years of age or older but \nincapable of self-care. \n\u25cb School includes Head Start or a licensed day care \nfacility. \n\u25cf To accompany a son or daughter to a routine medical or \ndental appointment, such as a routine check-up or \nvaccination. \n\u25cf Accompany an elderly relative (60 years or more) to a \nroutine medical or dental appointment or for other \nprofessional services, such as interviewing at a nursing \nhome. \n3. Length of Leave and Increments \nLeave may be taken in increments of at least one hour for \nup to 24 hours in any fiscal year. \nThis leave augments leave taken under the federal Family", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e0f0f904-0727-436d-bff1-759ebe18a179": { + "page_content": "home. \n3. Length of Leave and Increments \nLeave may be taken in increments of at least one hour for \nup to 24 hours in any fiscal year. \nThis leave augments leave taken under the federal Family \nand Medical Leave Act, as it is for a different purpose. It \ndoes not diminish any greater leave which may be provided \nfor in a collective bargaining agreement or other school \npolicy. \nREQUEST FOR LEAVE: NOTICE REQUIREMENTS", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b62f714a-3f43-449c-a2c8-f1039d7b9c6b": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 9 of 11 \n \nIf the need for leave is foreseeable, employees must give the \nOffice of Human Resources at least seven (7) days prior notice. If \nthe need is not foreseeable, the employee must notify their \nResponsibility Center manager as soon as practicable given the \ncircumstances of the case. To the extent possible, employees \nmust provide written notice of the need for leave. \n1. Certification/Documentation \nAll employees must use the attached certification (page 7) \nto request a SNLA leave. Applying for this leave cannot be \ndone through the Hub. The original copy must be submitted \nto the Responsibility Center manager, who will forward it to \nthe Office of Human Resources. \n2. Paid or Unpaid Leave \nLeave for family obligations is unpaid unless an employee \nchooses to substitute accrued vacation or personal time for \nthe unpaid leave, as provided in the applicable collective \nbargaining agreement, school department policy, and", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7321673f-4dac-425c-bc4d-bb344972331f": { + "page_content": "chooses to substitute accrued vacation or personal time for \nthe unpaid leave, as provided in the applicable collective \nbargaining agreement, school department policy, and \nexcept as may be provided for in state law or city ordinance.", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a949df69-8567-48b2-93fd-86c7f2f5bb6f": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 10 of 11 \n \nFor more information about this circular, contact: \n \nOwner: Leave of Absence Team \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4f239bd0-d1ef-4068-a9ad-b3566af24756": { + "page_content": "Superintendent\u2019s Circular HRS-PP13A \nPage 11 of 11 \n \nSMALL NECESSITIES LEAVE ACT \nEMPLOYEE LEAVE FOR FAMILY OBLIGATIONS UP TO \nTWENTY-FOUR (24) HOURS \nEMPLOYEE'S CERTIFICATION \nI certify that on ________________________I will/did take _____________ \n hours of leave for the following purpose: \n\uf06f to participate in school activities directly related to the \neducational advancement of a son or daughter. \n\uf06f to accompany a son or daughter to routine medical or \ndental appointments, such as check-ups or \nvaccinations. \n\uf06f to accompany an elderly relative to routine medical or \ndental appointment or appointment for other \nprofessional services related to the elder's care. \nFurthermore, I understand that this absence will be recorded \nwith the use of my (please select one): \n\uf06f Sick Time \uf06f Comp. Time \n\uf06f Floating Holiday \uf06f Vacation Time \n\uf06f Personal Time \nEmployee\u2019s Signature: ____________________________________________", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9974f48c-f44d-41a5-aad1-54650b3a618c": { + "page_content": "with the use of my (please select one): \n\uf06f Sick Time \uf06f Comp. Time \n\uf06f Floating Holiday \uf06f Vacation Time \n\uf06f Personal Time \nEmployee\u2019s Signature: ____________________________________________ \nEmployee\u2019s Name (print): _________________________________________ \nEmployee\u2019s ID Number: _____________________ \nDate: ________________________________________ \nSubmit original copy to Responsibility Center Manager.", + "metadata": { + "file_name": "HRS-PP13A Family and Medical Leave Act.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e9607baa-efe1-4fbb-8c33-9477260b289e": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-L02 \nVersion 01 \n \nREQUIREMENTS FOR PARAPROFESSIONALS \nUNDER ESSA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe US Department of Education Every Student Succeeds Act \n(ESSA) requires that all instructional paraprofessionals meet \nspecific employment requirements in order to be designated \n\u201cHighly Qualified\u201d. These requirements apply to all schoolwide \nprograms without regard to whether the positions are funded \nwith federal, state, or local funds. To be considered Highly \nQualified, paraprofessionals will need to possess specific skills in \nreading, writing, math, and instruction (as outlined in \nAttachment A of this Superintendent\u2019s Circular). \nI. ESSA REQUIREMENTS FOR PARAPROFESSIONALS \nThere are currently two available options for paraprofessionals to \nbe deemed Highly Qualified: \n\u25cf Pathway 1: Associate\u2019s Degree or 48 Credit Hours of \nCoursework", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "100c974f-e7d2-447f-91a8-b6c19555b023": { + "page_content": "There are currently two available options for paraprofessionals to \nbe deemed Highly Qualified: \n\u25cf Pathway 1: Associate\u2019s Degree or 48 Credit Hours of \nCoursework \nThe paraprofessional obtained an Associate\u2019s (or higher) \ndegree OR completed at least 48 credit hours of \ncoursework at an institution of higher education (IHE). If \nthis pathway was selected the paraprofessional should \nsubmit to the Principal/Headmaster all relevant transcripts.", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "79dbd79b-045e-4459-adce-44600b40f578": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 2 of 12 \n \n\u25cf Pathway 2: Formal Standardized Assessment \nThe paraprofessional passed a formal standardized \nassessment. The Massachusetts ESE has selected both the \nParaPro Assessment and the WorkKeys Certificate of \nProficiency for Teacher Assistants as the formal state-\nendorsed assessments. Either of these assessments will \nenable instructional paraprofessionals to meet this \nrequirement. If this pathway is selected the \nparaprofessional should submit to the \nPrincipal/Headmaster an official score report confirming a \npassing score. \nII. RESOURCES FOR PATHWAY 2 \nInformation about the ParaPro Assessment, including content \noverview, and registration can be accessed on-line at \nhttp://www.ets.org/parapro. The test is generally offered as a \npaper/pencil test given four times per year at Roxbury \nCommunity College. BPS does not currently administer the \nInternet-based ParaPro test. A scaled score of 464 must be", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f66c6ec4-b520-49e6-b011-46943c0ae0f0": { + "page_content": "paper/pencil test given four times per year at Roxbury \nCommunity College. BPS does not currently administer the \nInternet-based ParaPro test. A scaled score of 464 must be \nachieved in order to pass and be deemed \u201cHighly Qualified\u201d. \nInformation about the WorkKeys Proficiency Certificate for \nTeacher Assistants can be accessed on-line at \nhttp://www.act.org/workkeys/. It consists of a three-part \nassessment as well as an observation-based tool known as the \nInstructional Support Inventory (ISI). It is administered by \nWorkSource Partners, Inc., One Harvard Street, Ste 200, \nBrookline, MA 02445 (phone: 617-232-0330). To meet the \nrequirements of ESSA, paraprofessionals must achieve at the \nfollowing skill levels on the three-part assessment: \n\u25cf Reading for Information: Skill Level 5", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2304161b-be76-4669-9724-17ab9990e1b9": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 3 of 12 \n \n\u25cf Applied Mathematics: Skill Level 4 \n\u25cf Business Writing: Skill Level 3 \nIII. FEDERAL DEFINITIONS \nDefinition of Instructional Paraprofessional \nAn instructional paraprofessional is an individual who provides \ninstruction and support for classroom teachers. Aides, assistants, \nor tutors who engage in instructional support are considered to \nbe instructional paraprofessionals as defined by ESSA. Individuals \nwho work solely in non-instructional roles, such as food service, \ncafeteria or playground supervision, personal care services, and \nnon-instructional computer assistance are not considered to be \ninstructional paraprofessionals. \nResponsibilities of Instructional Paraprofessionals \nESEA specifies that instructional paraprofessionals may engage \nin the following activities: \n\u25cf Provide one-on-one tutoring for eligible students, if the \ntutoring is scheduled at a time when a student would not", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0fb072a0-6e5e-4668-aa6f-cd9f8bfde0ef": { + "page_content": "in the following activities: \n\u25cf Provide one-on-one tutoring for eligible students, if the \ntutoring is scheduled at a time when a student would not \notherwise receive instruction from a teacher. \n\u25cf Assist with classroom management, such as organizing \ninstructional and other materials. \n\u25cf Assist in a computer laboratory. \n\u25cf Provide instructional support in a library or media center. \n\u25cf Provide instructional services to students under the direct \nsupervision of a teacher.", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8bd26321-d5be-4d02-8aa4-4f9b4c43d6ca": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 4 of 12 \n \nAll instructional paraprofessionals must be supervised directly by \nteachers. Instructional paraprofessionals cannot be supervised by \na peer or group of peers. \nThe following two categories of paraprofessionals need only \npossess a high school diploma or equivalent and are not required \nto meet the additional requirements listed above: \n\u25cf Paraprofessionals in Title I programs who serve primarily as \ntranslators (as long as these paraprofessionals are proficient \nin English and a language other than English); and \n\u25cf Paraprofessionals working solely on parental involvement \nactivities. \nVisit the Mass. DESE website for additional details. \n \nFor more information about this circular, contact: \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Boston MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b70537ad-11f7-4f33-bb56-a0722d1b7e17": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 5 of 12 \n \nATTACHMENT A \nMassachusetts Department of Education Learning Guidelines \nfor Title I Instructional Paraprofessionals \nThe Department of Education strongly encourages districts and \ncharter schools to use these guidelines as a model for all \nparaprofessionals who provide instructional support to students. \nBASIC ASSUMPTIONS \n\u25cf Instructional paraprofessionals are respected team \nmembers responsible for assisting in the delivery of \ninstruction and other student-related activities. As valued \nmembers of the faculty, they are essential partners in the \nwork of Title I programs. \n\u25cf Given their responsibilities, instructional paraprofessionals \nmust be skilled in reading, writing, and mathematics, and \nfamiliar with instructional practices that ensure and \nsupport the achievement of all students. \n\u25cf To enhance the continuity and quality of services for \nstudents, paraprofessionals must be encouraged and", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f91a4bd0-e1bb-47da-9754-ef0f5f1e14c0": { + "page_content": "support the achievement of all students. \n\u25cf To enhance the continuity and quality of services for \nstudents, paraprofessionals must be encouraged and \nsupported in their efforts to participate in ongoing \nprofessional development programs. \n\u25cf Programs for instructional paraprofessionals are best when \nthey are comprehensive, acknowledge the diverse roles \nparaprofessionals play in schools and provide pathways to \nfurther education and teacher licensure, if desired.", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e63ef26c-991e-4bcb-b209-3a8146e7e08d": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 6 of 12 \n \n1. LITERACY DOMAIN \n01 Language \nA paraprofessional will know how and be able to: \n\u25cf Use agreed-upon rules for informal and formal discussions \nin small and large groups \n\u25cf Pose questions, listen to the ideas of others, and contribute \ntheir own information or ideas in group discussions or \ninterviews in order to acquire new knowledge \n\u25cf Understand new vocabulary and use it correctly in reading \nand writing \n\u25cf Analyze and use Standard English grammar \n\u25cf Describe, analyze, and use appropriately formal and \ninformal English \n\u25cf Identify and use the correct meaning of words and phrases \n\u25cf Recognize and use words with multiple meanings \n\u25cf Use a paragraph or passage as the context for determining \nthe meaning of an unfamiliar or uncommon word or phrase \n\u25cf Use dictionaries, thesauruses, and other related references \n02 Literature \nA paraprofessional will know how and be able to: \n\u25cf Identify the basic facts and main ideas in a text and use", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e1670b51-2926-457b-8704-2bc50b7b6c83": { + "page_content": "\u25cf Use dictionaries, thesauruses, and other related references \n02 Literature \nA paraprofessional will know how and be able to: \n\u25cf Identify the basic facts and main ideas in a text and use \nthem as the basis for interpretation \n\u25cf Identify and paraphrase the main idea of a passage \n\u25cf Identify supporting evidence", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b073b938-a58c-49dd-a10d-89906dd52503": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 7 of 12 \n \n\u25cf Identify, organize, and draw conclusions using the \nrelationship(s) among the ideas in written material \n\u25cf Identify, analyze, and apply knowledge of the theme, \nstructure and elements of fiction and provide evidence \nfrom the text to support their understanding \n\u25cf Identify, analyze, and apply knowledge of the purposes, \nstructure, and elements of nonfiction or informational \nmaterials and provide evidence from the text to support \ntheir understanding \n\u25cf Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of poetry and provide evidence \nfrom the text to support their understanding \n\u25cf Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of drama and provide evidence \nfrom the text to support their understanding \n\u25cf Identify and analyze how an author\u2019s words appeal to the \nsenses, create imagery, suggest mood, and set tone and \nprovide evidence from the text to support their", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "022fe8ef-9a15-4445-bf92-528bad7c6758": { + "page_content": "\u25cf Identify and analyze how an author\u2019s words appeal to the \nsenses, create imagery, suggest mood, and set tone and \nprovide evidence from the text to support their \nunderstanding \n03 Composition \nA paraprofessional will know how and be able to: \n\u25cf Write with a clear focus, coherent organization, and \nsufficient detail \n\u25cf Write for different audiences and purposes \n\u25cf Demonstrate adequate paragraph development and \nappropriate style, tone, and word choice in their \ncompositions", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "257af08e-7ad3-4d2c-b663-28f02273e238": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 8 of 12 \n \n\u25cf Use standard English conventions in their writing, revising, \nand editing \n\u25cf Organize ideas in writing in a way that makes sense for \ntheir purpose \n\u25cf Gather information from a variety of sources, analyze, and \nevaluate the quality of the information they obtain, and use \nit to answer their own questions \n\u25cf Outline, summarize, and take notes \n\u25cf Interpret information presented in graphic form \n2. NUMERACY DOMAIN \n01 Number Sense \nA paraprofessional will know how and be able to: \n\u25cf Understand numbers, ways of representing numbers, \nrelationships among numbers, and number systems \n\u25cf Understand principles and operations related to integers, \nfractions, decimals, percents, ratios, and proportions \n\u25cf Understand and solve problems involving integers, \nfractions, decimals, percents, ratios, and proportions \n\u25cf Understand meanings of mathematical operations and how \nthey relate to one another. \n\u25cf Compute fluently and make reasonable estimates", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b7c092f2-c757-4ede-9480-62830f47cf07": { + "page_content": "fractions, decimals, percents, ratios, and proportions \n\u25cf Understand meanings of mathematical operations and how \nthey relate to one another. \n\u25cf Compute fluently and make reasonable estimates \n\u25cf Know how to use standard arithmetical algorithms", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1d4fed77-4ecc-4aff-8993-2eeb87a7b007": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 9 of 12 \n \n02 Algebra \nA paraprofessional will know how and be able to: \n\u25cf Understand and use patterns to model and solve problems \n\u25cf Understand how to manipulate and simplify algebraic \nexpressions and translate problems into algebraic notation \n\u25cf Understand the properties of different types of functions \nand relations \n03 Geometry \nA paraprofessional will know how and be able to: \n\u25cf Analyze characteristics and properties of two- and three-\ndimensional geometric shapes \n\u25cf Specify locations and describe spatial relationships using \ncoordinate geometry and other representational systems \n\u25cf Understand the principles and properties of coordinate and \ntransformational geometry, apply transformations, and use \nsymmetry to analyze mathematical situations \n\u25cf Use visualization, spatial reasoning, and geometric \nmodeling to solve problems. \n04 Measurement and Data Analysis \nA paraprofessional will know how and be able to:", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9df5304e-a784-4be2-917c-0fe1c80f34b9": { + "page_content": "\u25cf Use visualization, spatial reasoning, and geometric \nmodeling to solve problems. \n04 Measurement and Data Analysis \nA paraprofessional will know how and be able to: \n\u25cf Identify measurable attributes of objects and use the \nstandard units, systems, and processes of measurement \n\u25cf Formulate questions that can be addressed with data; and \ncollect, organize, and display relevant data to answer them", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b6bd8f92-060a-4fc6-8b9c-19976962c00c": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 10 of 12 \n \n\u25cf Select and use appropriate statistical methods to analyze \ndata \n\u25cf Develop and evaluate inferences and predictions that are \nbased on data \n3. INSTRUCTION DOMAIN \n01 Curriculum Planning \nA paraprofessional will know how and be able to: \n\u25cf Assist with activities addressing standards that will advance \nstudents\u2019 level of content knowledge \n\u25cf Assist with activities appropriate for the full range of \nstudents within a classroom and appropriate to the specific \ndiscipline, age, and level of proficiency with the English \nlanguage and Individualized Education Programs (IEP) \n02 Effective Instruction \nA paraprofessional will know how and be able to: \n\u25cf Communicate lesson objectives clearly \n\u25cf Build on students\u2019 prior knowledge and experience \n\u25cf Provide support under the guidance of a classroom teacher \nto address student needs \n\u25cf Help students use appropriate instructional resources to", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "dee57e71-624e-4d27-9fc5-f1a864848b32": { + "page_content": "\u25cf Build on students\u2019 prior knowledge and experience \n\u25cf Provide support under the guidance of a classroom teacher \nto address student needs \n\u25cf Help students use appropriate instructional resources to \nsupport learning in reading, writing, and mathematics \n\u25cf Help students use a variety of approaches to understand \nwhat they read \n\u25cf Help students focus their writing \n\u25cf Help students relate mathematics to everyday situations", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1cb10069-ec2b-42ba-af82-7a318ba51cc2": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 11 of 12 \n \n\u25cf Employ a variety and range of instructional techniques \nfrom direct instruction to cooperative learning groups \n\u25cf Use instructional technology appropriately \n\u25cf Provide regular feedback to students on their progress \n\u25cf Provide formal and informal assessment of student \nprogress \n03 Classroom Climate and Equity \nA paraprofessional will know how and be able to: \n\u25cf Maintain appropriate standards of behavior, mutual \nrespect, and safety in the classroom \n\u25cf Promote achievement for all students, including those with \ndisabilities, those with limited English proficiency, and \nthose who are gifted and talented, without exception \n\u25cf Promote civic and self-responsibility in the classroom, \nschool, and community \n04 Professional Responsibilities \nA paraprofessional will know how and be able to: \n\u25cf Carry out their legal and ethical responsibilities. \n\u25cf Carry out health, safety, and emergency procedures of the \nlearning environment.", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3fcd3cc3-4ccf-4d4f-afad-d636c0aac03a": { + "page_content": "A paraprofessional will know how and be able to: \n\u25cf Carry out their legal and ethical responsibilities. \n\u25cf Carry out health, safety, and emergency procedures of the \nlearning environment. \n\u25cf Maintain high standards and expectations for all students. \n05 Professional Skills \nA paraprofessional will understand how and be able to:", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bcb34fd8-6e2a-46b9-ac40-15332d807bbf": { + "page_content": "Superintendent\u2019s Circular HRS-L02 \nPage 12 of 12 \n \n\u25cf Accept supervision to reflect critically upon their classroom \nexperience and identify areas for further skill and \nprofessional development. \n\u25cf Work collaboratively with school personnel. \n\u25cf Confer with supervisor(s) and/or content specialist(s) when \nassistance is needed in supporting students\u2019 learning \nprocess.", + "metadata": { + "file_name": "HRS-L02 Paraprofessional ESSA Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4bfec888-f2ce-4c00-b151-26cb4b785c51": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS- L03 \nVersion 01 \n \n \nLICENSURE REQUIREMENTS FOR PRINCIPALS/HEADS \nOF SCHOOL AND BASAS EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll principals and heads of school as well as most BASAS \nemployees are required to hold one of five administrative licenses \nissued by the State of Massachusetts Department of Elementary \nand Secondary Education (DESE). \nTYPES OF ADMINISTRATOR LICENSES \nThe DESE issues the following five administrator licenses: \n\u2022 Superintendent/Assistant Superintendent \n\u2022 Principal/Assistant Principal \n\u2022 Supervisor/Director \n\u2022 Special Education Administrator \n\u2022 School Business Administrator \nREQUIREMENTS BY ADMINISTRATOR POSITION \nThe BPS positions/titles below require the following licenses in \nthe appropriate grade level(s):", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e58c0cd7-0fd7-45fa-8fea-14f6d3a6cb5e": { + "page_content": "Superintendent\u2019s Circular HRS-L03 \nPage 2 of 7 \n \n \nBPS Position/Title Required License \nPrincipal / Head of School Principal/Assistant Principal \nAssistant Principal / Head of \nSchool \nPrincipal/Assistant Principal \nAcademy Director Supervisor/Director OR \nPrincipal/Assistant Principal \nAcademy Leader Supervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Instruction Supervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Alternative \nEducation \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSmall Learning Community \nLeader \nSupervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Curriculum, \nAssessment and Placement \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSenior Curriculum Access \nSpecialist \nSpecial Education Administrator \nlicense OR Moderate/Severe \nDisabilities teaching license in \ncombination with Principal/ \nAssistant Principal license. \nSenior Curriculum Manager \nPrincipal/Assistant Principal OR", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "59067609-c5bd-4005-a379-1f8866b791a1": { + "page_content": "license OR Moderate/Severe \nDisabilities teaching license in \ncombination with Principal/ \nAssistant Principal license. \nSenior Curriculum Manager \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSenior Program Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nProgram Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSome BASAS classifications may require licensure depending", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8437021a-65e9-4a70-b7d7-2ff668c4c732": { + "page_content": "Superintendent\u2019s Circular HRS-L03 \nPage 3 of 7 \n \n \nupon the types of duties performed. If a BASAS member is \nresponsible for the \u201cPlanning, Implementing, or Developing of \nCurriculum and Instruction\u201d (for 50% or more of their time), they \nmust hold an administrator license. Additionally, if the BASAS \nadministrator is responsible for the \u201cEvaluation of Employees,'' \nthey must hold an administrator license. \nIf they are responsible for the planning, implementing, or \ndeveloping of Curriculum and Instruction, or the evaluation of \nemployees, the following BPS employees must hold these \nlicenses: \nBPS Position/Title Required License \nSenior Coordinator \nPrincipal/Assistant Principal or \nSupervisor/Director or Special \nEducation Administrator license \nCoordinator \nJunior Coordinator \nDirector \nAssistant Director \nBilingual Program Specialist \nSenior Program Coordinator \nMEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nThe following information outlines general guidelines that", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "84b96aa5-340f-4024-881a-3a6c860e5e61": { + "page_content": "Director \nAssistant Director \nBilingual Program Specialist \nSenior Program Coordinator \nMEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nThe following information outlines general guidelines that \nprincipals, heads of school, and relevant BASAS employees \nshould follow to meet Massachusetts state licensure \nrequirements. The DESE will determine individual licensure \nrequirements upon review of the administrator\u2019s application. \n1. Pass the Massachusetts Test for Educator Licensure (MTEL)", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4b8b2aaf-031a-4739-92c7-29609868b706": { + "page_content": "Superintendent\u2019s Circular HRS-L03 \nPage 4 of 7 \n \n \nin Communication and Literacy Skills. To register for the \nMTEL, go to: http://www.doe.mass.edu/mtel/. \n2. Complete the licensure requirements for the administrator \nrole sought through one of the available routes: \na. Complete an Approved Program of Study. DESE \napproves educator preparation programs sponsored by \nhigher education, professional associations, \ncollaboratives, school districts, charter schools, and \nother organizations. Approved programs are designed \nto meet the requirements for a specific administrator \nlicense. The DESE website, \nhttp://www.doe.mass.edu/edprep, contains a list of \napproved administrator preparation programs. \nb. Complete an Administrative \nApprenticeship/Internship. This route to licensure is \nprimarily a field-based experience requiring a \nminimum of 300-500 hours depending on the license \nbeing pursued in the role of the license sought. \nCandidates completing this route must be guided by a", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4d043e7e-2258-4d37-93ef-bed17bed3123": { + "page_content": "minimum of 300-500 hours depending on the license \nbeing pursued in the role of the license sought. \nCandidates completing this route must be guided by a \ntrained mentor (who has held a professional license in \nthe same role for at least three years) and participate in \nseminars, workshops, and other opportunities that will \nassist the candidates in adequately addressing the \nProfessional Standards for Administrators. \nc. Be recommended for licensure through the Panel \nReview process. This route is only available for \nadministrator licensure candidates who have specific \nprerequisite experiences and for all superintendent \ncandidates. \n3. Apply for licensure and make payment through the online", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "eccb9088-8ba6-4b6a-91fd-737a674146a2": { + "page_content": "Superintendent\u2019s Circular HRS-L03 \nPage 5 of 7 \n \n \nprocess: (https://www.doe.mass.edu/licensure/apply-check-\nstatus-license.html). \n4. Submit the following supporting documentation and \ninformation to the DESE: \na. One of the following: \ni. Approved program endorsement \nii. Administrative Apprenticeship/Internship \nEndorsement Form. This form is accessible \nthrough the Guidelines for Administrator Routes \nto Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-\nadministrator-routes.pdf \nb. A letter written on official letterhead by the \nsuperintendent/designee, principal, or previous \nemployer that documents the candidate has \ncompleted three years of employment in the role of the \ncurrent license or other required experience. \nc. Successful completion of the Performance Assessment \nfor Initial License. Applicants for the Principal/Assistant \nPrincipal license are required to successfully complete", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4b845607-acd3-40d1-944d-6c07b4c2a840": { + "page_content": "c. Successful completion of the Performance Assessment \nfor Initial License. Applicants for the Principal/Assistant \nPrincipal license are required to successfully complete \nthe Performance Assessment for Initial Licensure \n(MA_PAL). This requirement is currently under \ndevelopment for all other administrative licenses. \nLicensure can be granted to those who satisfy all other \nlicensure requirements prior to this requirement \nbecoming available. \n \nd. Official transcripts of undergraduate/graduate studies \nif required for specific license.", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d64987fd-26cf-4c90-9571-a943e0b0d751": { + "page_content": "Superintendent\u2019s Circular HRS-L03 \nPage 6 of 7 \n \n \n \nMore information about the requirements for the administrator \nlicenses is available through the Guidelines for Administrator \nRoutes to Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-administrator-\nroutes.pdf \nPROCESS FOR REPORTING LICENSURE TO THE OFFICE OF \nHUMAN RESOURCES \nIt is the responsibility of principals, heads of school, and relevant \nBASAS employees, as well as their supervisors, to ensure proper \nlicensure is in place and recorded in the \u201cBPS Licenses\u201d section of \nPeopleSoft (found under \u201cWorkforce Development\u201d) which is \nmaintained by the Office of Human Resources via an electronic \ndownload from the Department of Elementary and Secondary \nEducation. \nPROCESS FOR LICENSURE RELATED VERIFICATIONS \nAll educators and other employees seeking licensure related \nverifications and/or loan forgiveness must complete the BPS", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a85fee06-ddea-4249-8deb-289c0279a3da": { + "page_content": "Education. \nPROCESS FOR LICENSURE RELATED VERIFICATIONS \nAll educators and other employees seeking licensure related \nverifications and/or loan forgiveness must complete the BPS \nEducator Licensure-Related Verification Requests form.", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2f7b7933-458e-4dc1-bd7a-08d8567ea676": { + "page_content": "Superintendent\u2019s Circular HRS-L03 \nPage 7 of 7 \n \n \nFor more Information about this circular, contact: \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf", + "source_link": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f04ea1ca-5ec0-4d35-a46f-e514bce3027a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS04 \nVersion 01 \n \nSCHOOL LEADER SCREENING PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe process for recruiting, screening and hiring for school leader \nvacancies requires collaboration among many offices, including \nthe Superintendent, Regional School Superintendents, the Office \nof Human Resources, the Office of Engagement, the Division of \nSchools, and the schools with vacant leadership positions. \nSchool leader vacancies may be filled either through this process, \nor through the appointment of an existing employee or an \nexternal candidate by the Superintendent. The latter would not \nrequire the position be posted in the manner described in this \ncircular. \n \nPOSITION POSTING \nA job posting for school leader positions will be available by \nNovember 1, 2024. The application can be found by searching \n'school leader'. The selection process will yield qualified", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "96b9b2e9-ef2c-40e4-a8af-617c2a9d5029": { + "page_content": "A job posting for school leader positions will be available by \nNovember 1, 2024. The application can be found by searching \n'school leader'. The selection process will yield qualified \ncandidates for the entire district and for autonomous schools. \n\u25ba Please note: Autonomous schools have the right to create \nand advertise their own job postings in order to recruit", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b7d30a78-1bf7-4977-a1e1-27405d12f2c6": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 2 of 10 \n \ncandidates who align with the specific vision and values of \ntheir communities. See \u201cAUTONOMOUS SCHOOLS\u201d, page 8. \n \nMINIMUM QUALIFICATIONS \nMinimum qualifications are as follows: \n\u25cf Master\u2019s degree in education or related field. \n\u25cf Evidence of submission or successful completion of all MA-\nPAL tasks (Massachusetts Performance Assessment for \nLeaders) or \n\u25cf Principal/Assistant Principal licensure or equivalent by time \nof appointment. \nPREFERRED QUALIFICATIONS \nPreferred qualifications are as follows: \n\u25cf Fluency in one or more non-English languages. \n\u25cf 5+ years of experience as a school leader in a large, urban \nschool district. \nPRE-SCREENING AND SELECTION PROCESS \nThe selection process consists of the following phases: \n\u25cf Phase I: Application and Resume Review (Nov 2024 - Feb \n2025). \n\u25cf Phase II: Performance Tasks (Nov 2024 - Feb 2025). \n\u25cf Phase III: School-Based Interview (Jan - April 2025).", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bd99d0dd-78ee-456b-9f96-78ca2ec8f207": { + "page_content": "\u25cf Phase I: Application and Resume Review (Nov 2024 - Feb \n2025). \n\u25cf Phase II: Performance Tasks (Nov 2024 - Feb 2025). \n\u25cf Phase III: School-Based Interview (Jan - April 2025). \n\u25cf Phase IV: Interview with Superintendent or Superintendent \nDesignee (March - April 2025).", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "acea8214-d94b-4065-b881-80bed88c198a": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 3 of 10 \n \n \nCandidates who successfully advance through the first two \nphases of the process will be eligible to interview with school-\nbased hiring teams The school-based hiring process is led by the \nRegional School Superintendent or their designee. The Regional \nSchool Superintendent or designee will convene the School \nScreening Committee and serve as the Chairperson. As \nChairperson they shall decide which of the approved candidates \nshall interview with the Committee, based on the characteristics \nand needs of that school community. \nSCHOOL SCREENING COMMITTEE GUIDELINES \nThe Regional School Superintendent or designee shall chair the \nSchool Screening Committee for all school leader positions, \nincluding those for autonomous schools. The Office of \nEngagement will provide support to the Chairperson of the \nSchool Screening Committee by coordinating the vote to \ndetermine who will serve on the School Screening Committee as", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "37327142-bf8b-43af-9847-caf891908926": { + "page_content": "Engagement will provide support to the Chairperson of the \nSchool Screening Committee by coordinating the vote to \ndetermine who will serve on the School Screening Committee as \nwell as by leading those committee members through a bias \ntraining. \nMembers: \nThe membership of the School Screening Committee shall \ninclude the following: \n\u25cf The Regional School Superintendent and/or \nsuperintendent\u2019s designee, who serves as Chairperson. \n\u25cf Three teacher members of the Boston Teachers Union (BTU) \nrepresenting the racial and ethnic diversity of the school\u2019s", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "df67aea8-2d11-4cd9-8bcb-a366069e84a2": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 4 of 10 \n \nstudent population, selected by BTU members on the \nSchool Site Council. \n\u25cf One member of the Boston Association of School \nAdministrators and Supervisors (BASAS), as selected by the \nChairperson, with special consideration for any BASAS \nmembers working at the school. \n\u25cf Three parents from the school, selected by parent members \nof the School Site Council, and representing the racial and \nethnic diversity of the school\u2019s student population. At least \none must be an elected member of the School Site Council \nor School Parent Council. \n\u25cb Among the three parent members selected, one must \nbe a parent of a special education student or a student \nin a program for Multilingual Learners if a special \neducation program or program for English Learners is \nin place at the school. Parent members of the School \nSite Council shall select this parent. \n\u25cf Optional: At the discretion of the School Screening", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0462ffbb-683a-4b7b-a857-5b8c96e7a963": { + "page_content": "in place at the school. Parent members of the School \nSite Council shall select this parent. \n\u25cf Optional: At the discretion of the School Screening \nCommittee Chairperson, one representative from a partner \norganization that works closely with the school, such as a \ncommunity, business or higher education partner. \n\u25cf Secondary only: One student from the School Site Council or \na student from the Student Advisory Council. \n\u25cf School mergers only: In the event two schools are scheduled \nto merge and, as a result must complete a screening \nprocess for a new School Leader, the School Screening \nCommittee shall be comprised of the same members as \nlisted above, with the following adjustments: \n\u25cb Two BTU members from each school from different \nracial groups, selected by BTU members on the School \nSite Council", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a6ffc681-cbd9-4372-be81-ce4c2dde383a": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 5 of 10 \n \n\u25cb Two parents from each school, selected by parent \nmembers of the School Site Council, and representing \nthe racial and ethnic diversity of the school\u2019s student \npopulation. At least one must be an elected member of \nthe School Site Council or School Parent Council. \n\u25cb The Operational Leader for the region, who shall serve \nas the BASAS representative. \nAll Committee members shall adhere to norms of respect, \ncollaboration and confidentiality throughout the screening \nprocess. In the event any committee member fails to conduct \nthemselves according to these norms, that member may be \nremoved from the process, per the discretion of the Chairperson. \nProcess: \nUpon creation of the School Screening Committee, the \nChairperson shall give written notice to each committee member \nat least five working days prior to the first meeting. Screening \nCommittee members shall also receive from the Chairperson a", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "38806c67-bf8e-4ad3-a555-f4957bcdb215": { + "page_content": "Chairperson shall give written notice to each committee member \nat least five working days prior to the first meeting. Screening \nCommittee members shall also receive from the Chairperson a \ncopy of each candidate\u2019s application materials and a screening \npacket, which will include guidelines for interviewing and scoring \ncandidates and a list of all committee members. \nSchool mergers only: In the event two schools are scheduled to \nmerge, both sitting school leaders shall have the opportunity to \nbe interviewed by the School Screening Committee. \n \nUpon convening, the Committee will:", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b64e7220-c4bd-4daf-b62c-702f96512d68": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 6 of 10 \n \n\u25cf Review the responsibilities and functions of the committee, \nincluding this Superintendent\u2019s Circular. \n\u25cf Review the job description, including the qualifications \nneeded for the position. \n\u25cf Review the School Leader Rubric & Scoring Guide for \ncandidate interviews, which shall be based on candidates\u2019 \nproficiency in the standards for school-level administrators \nas enumerated by DESE: \n\u25cb Instructional Leadership \n\u25cb Management and Operations \n\u25cb Family & Community Engagement \n\u25cb Professional Culture \n\u25cf Committees shall use the School Leader Rubric & Scoring \nGuide as the basis for their scoring. \n\u25cb Per the Guide, School Screening Committee members \nshall score candidate responses in private. The \nChairperson shall then aggregate scores and \nrecommend the top three candidates based on these \nscores (See \u201cReports\u201d below). \n\u25cf Establish an interview schedule. \n\u25cb Set dates and times for candidate interviews and \nfuture meetings.", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "421fc3c5-265c-474b-af4f-36090065677c": { + "page_content": "recommend the top three candidates based on these \nscores (See \u201cReports\u201d below). \n\u25cf Establish an interview schedule. \n\u25cb Set dates and times for candidate interviews and \nfuture meetings. \nQuorum for the meetings shall be a majority of the members and \nmust include the Chairperson and at least one parent and one \nteacher. At least one member present must be a person of color. \nIf any of these groups is not represented, the remaining \ncommittee members may, by unanimous vote, decide to proceed \nwith meetings. Decisions of the Screening Committee must be \nmade with a quorum present and shall be carried by a majority of \nthe members present at the meetings. Voting shall be done by", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "49a83cae-753b-4890-a815-e687f15570a3": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 7 of 10 \n \nsecret ballot unless the committee decides otherwise. All \nmembers of the Screening Committee are equal in status and \nhave one vote. \nRepresentatives from the Office of Human Capital, the Office of \nEquity, the Office of Engagement or the Office of Leadership \nDevelopment may attend meetings. \nTIMELINE \nIn order to ensure the placement of strong candidates as early as \npossible, School Screening Committees shall make every attempt \nto move efficiently through the above-listed steps, while still \nmaintaining the integrity of the process. Specifically, School \nScreening Committees shall aim to convene, establish an \ninterview schedule and determine the three highest-scoring \ncandidates within one month from the date a vacancy becomes \npublic. Should the Committee not be on pace to accomplish this, \nthe Chairperson reserves the right to waive the quorum \nrequirements listed above in order to convene meetings and \nconduct interviews.", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "17a0bd17-b3bc-4d0b-a808-ec7d5c9691c9": { + "page_content": "the Chairperson reserves the right to waive the quorum \nrequirements listed above in order to convene meetings and \nconduct interviews. \nINTERIM APPOINTMENTS \nAny schools which have Interim School Leaders shall convene the \nSchool Screening Committee in January and shall conclude their \nsearch by March 1, 2025. \nAny schools with vacancies which emerge following May 1, 2025 \nmay, at the discretion of the Regional School Superintendent, \nforgo the above-listed steps and the Superintendent shall instead \nappoint an Interim School Leader for the following year.", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "049d5b2f-cd69-4d48-acef-86bbfe98cd5c": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 8 of 10 \n \nSCREENING COMMITTEE MEETING NOTES \nThe Chairperson shall ensure that Screening Committee meeting \nnotes are taken at each meeting and that the following \ninformation is accurately noted: \n\u25cf Name, race, and affiliation of each Screening Committee \nmember. \n\u25cf Dates and times of meetings. \n\u25cf Attendance at each meeting. \n\u25cf All votes taken. \nAll members may have copies of the meeting notes. After the \nscreening process is complete, the members of the Screening \nCommittee will return all resumes and meeting notes to the \nOffice of Leadership Development. All information disclosed at all \nScreening Committee meetings is assumed confidential, both to \nensure the integrity of the hiring process and to protect \napplicants whose employers may not be aware they are applying \nfor a position. \nThe Chairperson is responsible for working with the Department \nof Schools to improve and/or increase the pool of applicants. \nREPORTS", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "dc68aee5-3a7d-43de-9a7b-aef97ba4b736": { + "page_content": "for a position. \nThe Chairperson is responsible for working with the Department \nof Schools to improve and/or increase the pool of applicants. \nREPORTS \nPer the School Leader Rubric & Scoring Guide, the Chairperson of \nthe Screening Committee will ensure that the scores from the \nCommittee\u2019s resume screening and interviews are accurately \ntracked and recorded. The Chairperson will tally the candidate \nscores from the Committee and will identify the top three \nrecommended candidates based on these scores. The \nChairperson will then complete a School Leader Nomination", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2ef6fd0c-11b0-413a-ab4e-b9a98d193aa4": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 9 of 10 \n \nForm which lists these three candidates. The form will be \nsubmitted to the Chief of Schools, the Chief of Staff and the \nExecutive Director of Leadership Development for next steps \nwith the Superintendent, who will make the final determination. \n\u25cf At least one of these three candidates must be a person of \ncolor. \n\u25cf The Chairperson of the Committee may add additional \ncandidate(s) to the nomination form, above and beyond the \nthree required, per their discretion. \nFINAL INTERVIEWS AND DECISION \n\u25cf Upon receipt of the Screening Committee\u2019s \nrecommendations, the Superintendent and/or the Regional \nSchool Superintendent will interview recommended \ncandidates. \n\u25cf The Regional School Superintendent and/or designee will \ncheck references and report back information to the \nSuperintendent, who will determine the final appointments. \nThe Superintendent retains the authority to appoint the \nschool leader recommended by the School Screening", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "896f9fe9-05cd-410f-8a61-abaaf5837ec4": { + "page_content": "Superintendent, who will determine the final appointments. \nThe Superintendent retains the authority to appoint the \nschool leader recommended by the School Screening \nCommittee or may choose to appoint another candidate. \n\u25cf The Superintendent will notify the Screening Committee of \nthe final decision of the selected candidate. \n\u25cf The Office of Human Resources will send offer letters to new \nhires.", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bd156f12-e007-4ea0-b0a2-bab8ba83080e": { + "page_content": "Superintendent\u2019s Circular HRS-HS04 \nPage 10 of 10 \n \nAUTONOMOUS SCHOOLS \nAll elements of this circular shall apply to autonomous schools \n(Pilot, Horace Mann Charters, Innovation and In-District Charter \nSchools) in the same manner they apply to non-autonomous \nschools. The School Screening Committee Chairperson shall \ncollaborate closely with the governing boards of autonomous \nschools to ensure an efficient and effective process that aligns \nwith the vision of the school community. \nUniquely, the governing boards of autonomous schools have the \nright to create and advertise their own job postings in order to \nrecruit candidates who align with the specific vision and values of \ntheir communities. Such candidates must still be vetted and \napproved through Phase 1 & Phase 2 of the district-wide process \noutlined above (\u201cPre-Screening and Selection Process,\u201d pg.1). \n \nFor more information about this circular, contact: \nDepartment: Division of Schools", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c1b685a3-4568-442d-9a3e-7e0ccc53095c": { + "page_content": "outlined above (\u201cPre-Screening and Selection Process,\u201d pg.1). \n \nFor more information about this circular, contact: \nDepartment: Division of Schools \nMailing Address: Bruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-HS04 School Leader Screening Process.pdf", + "source_link": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e7f5db86-1034-4524-a0e5-a4a4c803c946": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PP09 \n \n \nCRIMINAL HISTORY SCREENING \nThis policy circular shall remain in effect unless rescinded or \nreplaced by a subsequent version. \nThe Boston School Committee and superintendent are \ncommitted to providing a safe learning and work environment \nfor Boston Public Schools students and employees. Following all \napplicable federal and state laws and regulations regarding \nCriminal Offender Record Information (CORI), including \nfingerprinting and Sex Offender Registry Information (SORI), it is \nthe policy of the Boston Public Schools to conduct a criminal \nbackground check (\u201cCORI check\u201d) at least once every three (3) \nyears on current and prospective employees, contracted service \nproviders, volunteers, school transportation providers, and other \nindividuals who may have direct and unmonitored contact with \nchildren.1 The Boston Public Schools criminal history screening \npolicy applies to all current and prospective:", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "01b3eb26-a1f4-4cb0-bd90-cabeca1d166b": { + "page_content": "individuals who may have direct and unmonitored contact with \nchildren.1 The Boston Public Schools criminal history screening \npolicy applies to all current and prospective: \na. full-time or part-time employees and candidates for \nemployment, including promotions \nb. substitute employees \nc. student teachers, apprentices, and interns \n \n1 See also the Boston Public Schools Sexual Offender Registry \nInformation (SORI) Policy.", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e059a324-1450-4da0-8c14-a8ce24493229": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 2 of 32 \n \nd. employees of educational programs \ne. individuals who regularly provide school-related \ntransportation to children \nf. contractors \ng. volunteers, subcontractors, and laborers who perform work \nin school buildings or on school grounds 2 \nThe Department of Criminal Justice Information Services (DCJIS) \nprovides Boston Public Schools with \u201cRequired 2\u201d access to CORI. \nRequired 2 access produces a CORI record that includes all \nadult/youthful offender convictions, non-convictions, and \npending offenses but does not list any sealed, juvenile, civil, or \nnon-incarcerable crimes. The following practices and procedures \nare applicable when CORI and other criminal history checks, \nincluding fingerprint screening, are part of a general background \ncheck for employment or volunteer work in BPS. \nCONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) \nSCREENING \nCriminal history checks, including CORI checks and fingerprint", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6bc96604-11fe-4c95-afee-5edb458f4c78": { + "page_content": "check for employment or volunteer work in BPS. \nCONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) \nSCREENING \nCriminal history checks, including CORI checks and fingerprint \nscreenings, will only be conducted as authorized by the \nDepartment of Criminal Justice Information Services (DCJIS) \nunder Mass. Gen. Laws c. 6, \u00a7\u00a7 172 and 172B \u00bd, c. 71, \u00a7 38R, 28 CFR \n20.33(a)(3), and Public Law 92\u2010544. Boston Public Schools will only \nperform a criminal history check after receiving a completed \n \n2 Volunteers, subcontractors, and laborers will not be subject to \nfingerprinting.", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ffadde98-5729-4bda-bf87-138c28c809e8": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 3 of 32 \n \nCORI/Fingerprinting Acknowledgement Form and confirming \nthe individual\u2019s identity. \nNOTE: BPS policy and procedures for criminal history checks \nincluding fingerprint screening are also subject to the \nregulations, policies, and procedures promulgated by the DCJIS \nand state board of elementary and secondary education. In \naccordance with those procedures, all candidates\u2019 fingerprints \nwill be searched against the Automated Fingerprint \nIdentification System (AFIS) fingerprint database which is \nmaintained by the Massachusetts State Police and the Federal \nBureau of Investigation\u2019s (FBI) Integrated Automated Fingerprint \nIdentification System (IAFIS) fingerprint database. A fee will be \nrequired to conduct a fingerprint screen. \nIn the instance that the Boston Public Schools requests an \nadditional CORI Check from the DCJIS on an individual whose \nCORI has already been obtained within a year of signing the", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "854d2ba0-83a0-42e0-b0e0-6b66aed9526e": { + "page_content": "In the instance that the Boston Public Schools requests an \nadditional CORI Check from the DCJIS on an individual whose \nCORI has already been obtained within a year of signing the \noriginal CORI/Fingerprinting Acknowledgement Form, the \nindividual will receive notice within 72 hours that it intends to \nconduct an additional CORI check. A current employee being \nconsidered for promotion must submit to a CORI check, \nregardless of whether a CORI check has been conducted within \nthat year. \nACCESS TO CRIMINAL HISTORY INFORMATION (CORI AND \nFINGERPRINT SCREENING) \nAll criminal history information obtained from the DCJIS is \nconfidential, and access to the information must be limited to \nthose individuals who have a \u201cneed to know.\u201d This may include, \nbut is not limited to, staff submitting the CORI requests and staff", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "61e56623-c6fd-4423-8065-f3c360f16165": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 4 of 32 \n \nmembers of the CORI/Criminal History Review Panel. The Boston \nPublic Schools maintains and keeps a current list of each \nindividual authorized to have access to, or view, a CORI and the \nresults of a fingerprint screen. This list must be updated every six \n(6) months and is subject to inspection at any time only upon \nrequest by the DCJIS. \nCORI TRAINING \nThe Boston Public Schools is an agency required to maintain a \nCORI Policy under Mass. Gen. Laws c. 6, \u00a7171A. Accordingly, all \npersonnel authorized to conduct criminal history background \nchecks or inspect CORI information will review and familiarize \nthemselves with the educational and relevant training materials \nregarding CORI laws and regulations made available by the \nDCJIS. \nUSE OF CRIMINAL HISTORY IN BACKGROUND SCREENING \nThe Boston Public Schools shall only access, for employment \npurposes, the CORI and fingerprinting information for candidates", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d372d16a-09aa-4cfe-b0f6-e31e63a2fc0c": { + "page_content": "DCJIS. \nUSE OF CRIMINAL HISTORY IN BACKGROUND SCREENING \nThe Boston Public Schools shall only access, for employment \npurposes, the CORI and fingerprinting information for candidates \nwho are otherwise qualified for the position for which they have \napplied and for current employees during periodic criminal \nbackground checks. \nUnless otherwise provided by law, a criminal record will not \nautomatically disqualify an individual for employment, contract \nwork, subcontract work, volunteering, or interning. Suitability \ndeterminations based on criminal background checks will be \nconsistent with this policy and applicable laws or regulations. \nI. Verifying a Subject\u2019s Identity", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8b1ec4f0-18df-42c4-b9e5-993ee710012f": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 5 of 32 \n \nIf a criminal record is received from the DCJIS, the information is \nto be closely compared with the information on the \nCORI/Fingerprinting Acknowledgement Form and any other \nidentifying information provided by an individual to ensure the \nrecord belongs to the individual. \nIf the information in the CORI record provided does not precisely \nmatch the identification information provided by the individual, a \ndetermination is to be made by a Boston Public Schools \nemployee(s) authorized to make such determinations based on a \ncomparison of the CORI record and documents provided by the \nindividual. \nII. Inquiring About Criminal History \nIn connection with any decision regarding employment, \ninternships, or volunteer opportunities within the Boston Public \nSchools, the individual shall be provided with a copy of their \ncriminal history record, whether obtained from the DCJIS or any", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9b56aed7-e002-4982-8fc1-bf944e99f34f": { + "page_content": "internships, or volunteer opportunities within the Boston Public \nSchools, the individual shall be provided with a copy of their \ncriminal history record, whether obtained from the DCJIS or any \nother source, before asking the subject questions about their \ncriminal history. The source(s) of the criminal history record is \nalso to be disclosed to the subject.", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ca3046e2-800a-4c7b-83d2-03c0e50b9156": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 6 of 32 \n \nIII. Determining Suitability \nWhen an individual\u2019s CORI record or fingerprint screen lists one \nor more offenses, the first step is to convene the CORI/Criminal \nHistory Review Panel. The panel will verify that the criminal \nrecord belongs to the individual and that the individual has not \ndisputed the criminal record\u2019s accuracy based on the procedure \ndescribed in Section V of this policy. \nFindings from CORI Investigations \u2013 No Further Review \u2013 \nOutstanding Warrants \n1) If the CORI investigation reveals a conviction of a Table B \ncrime that is a felony more than ten years old or a Table B \ncrime that is a misdemeanor more than five years old, and \nthere are no subsequent convictions or pending cases of \nany kind, the CORI/Criminal History Review Panel will not \nconsider such crime. For purposes of computing the five- \nand ten-year periods, the period will run from the date any", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6eb8868c-4147-4fdc-b9cc-9c79a3e59a35": { + "page_content": "any kind, the CORI/Criminal History Review Panel will not \nconsider such crime. For purposes of computing the five- \nand ten-year periods, the period will run from the date any \ncourt supervision, probation, or sentence was terminated. \n2) If the CORI investigation reveals an outstanding warrant for \nany offense, the CORI/Criminal History Review Panel will \ninform the candidate that they are ineligible for \nemployment unless the warrant is removed. \n3) Storage, retention, and destruction of all CORI reports, \nincluding those with a finding of \u201cno record,\u201d shall follow \nDCJIS regulations at 803 CMR 2.00: Criminal Offender \nRecord Information (CORI).", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "666372b8-d3b1-4198-8189-7117252891a0": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 7 of 32 \n \nFindings from CORI Investigation - Crimes Subject to Review \n1) If the CORI investigation reveals a conviction of a Table A \ncrime, regardless of when it occurred, or a pending Table A \ncrime, or a conviction of a Table B crime within the five- and \nten-year periods or a pending Table B crime, the \nCORI/Criminal History Review Panel will carefully consider \nthe following factors in its decision to hire or not hire the \ncandidate: \na. time since the conviction or pending offense \nb. age of the candidate at the time of the offense \nc. nature and specific circumstances of the offense \nd. the sentence imposed and the length of any period of \nincarceration \ne. relationship of the criminal act to the nature of the \nwork to be performed \nf. number of offenses \ng. whether offenses were committed in association with a \ndependence on drugs or alcohol, from which the \ncandidate has since recovered", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fea4a651-1dd2-4c0b-a398-4fd78c4f7f22": { + "page_content": "work to be performed \nf. number of offenses \ng. whether offenses were committed in association with a \ndependence on drugs or alcohol, from which the \ncandidate has since recovered \nh. any relevant evidence of rehabilitation or lack thereof, \nsuch as information about compliance with conditions \nof parole or probation, including orders of no contact \nwith victims and witnesses; and the individual\u2019s \nconduct and experience since the time of the offense, \nincluding but not limited to educational or professional \ncertifications obtained; and", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4ea29156-220f-449a-8dce-f565bae072bc": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 8 of 32 \n \ni. any other relevant information, including information \nsubmitted by the candidate or requested by the \nCORI/Criminal History Review Panel. \n2) The CORI/Criminal History Review Panel, using a form \nprescribed by BPS, will also make a written determination of \nits decision to hire or not hire such candidate. This form will \ndocument the factors and rationale for the decision of the \nCORI/Criminal History Review Panel. A copy of such written \ndetermination will be maintained by the CORI/Criminal \nHistory Review Panel in a secure location, together with the \nCORI and criminal record disclosure information that may \nhave been requested under this policy. \nCompletion of the written determination form will serve to \nconfirm that the CORI/Criminal History Review Panel has \ncarefully reviewed the CORI and other relevant information, \nincluding information provided by the candidate, so that the", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6cc623a8-ddd6-4c50-8519-486a8386fd9f": { + "page_content": "confirm that the CORI/Criminal History Review Panel has \ncarefully reviewed the CORI and other relevant information, \nincluding information provided by the candidate, so that the \nvulnerable populations served by BPS are protected, and \ncandidates with criminal histories are given a fair \nopportunity to be employed and to reintegrate successfully \ninto the workforce. \n3) If the CORI/Criminal History Review Panel decides to hire a \ncandidate with a CORI showing a conviction of or pending \nTable A crime, the CORI/Criminal History Review Panel will \nsubmit the prescribed form to the Chief Human Resources \nOfficer, the Superintendent of Schools, or their designees. \nThe CORI/Criminal History Review Panel will not proceed to \nhire the candidate for ten business days from the date the \nChief Human Resources Officer or the Superintendent of \nSchools, or their designees receive the form. During such \ntime, the Chief Human Resources Officer, the", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "72bfc5b1-a194-41ac-b8e6-c073e2324f95": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 9 of 32 \n \nSuperintendent of Schools, or their designees may \ndisapprove the hire or request additional information. \nNotwithstanding the foregoing, a CORI/Criminal History \nReview Panel may proceed to hire the candidate before the \nexpiration of the five days if the Chief Human Resources \nOfficer or the Superintendent of Schools or their designees, \nafter receiving the prescribed form, informs the \nCORI/Criminal History Review Panel that they do not intend \nto disapprove the hire or request additional information. \n4) If the CORI/Criminal History Review Panel does not wish to \nhire a candidate with a Table A crime or a Table B crime \nwithin the five- and ten-year period, the prescribed form will \nbe completed and maintained on file in a secure location. \nADVERSE DECISIONS BASED ON CRIMINAL HISTORY \nINFORMATION (CORI AND FINGERPRINT SCREENING) \nIf the Boston Public Schools is inclined to make an adverse", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "84d64436-9545-406c-9b76-b61159bfb886": { + "page_content": "ADVERSE DECISIONS BASED ON CRIMINAL HISTORY \nINFORMATION (CORI AND FINGERPRINT SCREENING) \nIf the Boston Public Schools is inclined to make an adverse \ndecision based on criminal history background check results, the \ncandidate will be notified immediately. The candidate shall be \nprovided with a copy of the Boston Public Schools Criminal \nHistory Screening policy and their criminal history. The source(s) \nof the criminal history will also be revealed. The individual will \nthen be provided with an opportunity to dispute the accuracy of \nthe information. Individuals shall also be provided a copy of \nDCJIS\u2019 Information Concerning the Process for Correcting a \nCriminal Record. The Boston Public Schools will stay the decision \nfor a brief time and document the steps taken to comply with \nthis procedure. \nSECONDARY DISSEMINATION LOGS", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e7f8c2fe-5b9f-4e14-b10d-953ccad49ade": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 10 of 32 \n \nAll CORIs obtained from the DCJIS are confidential and can only \nbe disseminated as authorized under the applicable law and \nregulations. A central secondary dissemination log shall be used \nto record any dissemination of a CORI outside this organization, \nincluding dissemination at the individual\u2019s request. \nCORI/CRIMINAL HISTORY REVIEW PANEL \nThe Boston Public Schools CORI/Criminal History Review Panel \nshall consist of four or more of the following individuals: the \nDeputy Superintendent of Operations, the Chief Human \nResources Officer, the Director of Transportation, the Director of \nFacilities, the Director of Labor Relations, the Director of Equity, \nor their designees. The panel, as well as the Superintendent, \nLegal Advisor, and Chief Operations Officer, shall all have access \nto criminal history information on a case-by-case basis as is \nnecessary to perform their job functions. When reviewing an", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7b7b3d7d-a3f7-40c6-a0cd-aba92a0b8ae5": { + "page_content": "Legal Advisor, and Chief Operations Officer, shall all have access \nto criminal history information on a case-by-case basis as is \nnecessary to perform their job functions. When reviewing an \nindividual\u2019s criminal history information to determine whether an \nindividual is qualified for employment as a BPS employee or is \nqualified to work as a contractor, subcontractor, laborer, intern, or \nvolunteer, the panel will review such factors as outlined in \nSection VII. The panel will determine whether an individual \nqualifies for employment or will commence work as a contractor, \nsubcontractor, laborer, intern, or volunteer. The decision made by \nthe CORI/Criminal History Review Panel shall be recorded and \nshall be made by a majority of members present. A minimum of \nfour panel members must be present for a decision to be made. \nIn the interests of confidentiality and the furtherance of the \nprotection of school children, the identity of the panel reviewing", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8fe9d174-fe08-4fef-9422-4a41babad2d5": { + "page_content": "four panel members must be present for a decision to be made. \nIn the interests of confidentiality and the furtherance of the \nprotection of school children, the identity of the panel reviewing \na particular subject\u2019s confidential criminal history will not be \ndisclosed.", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c60bc14e-54e9-45cf-8bd6-0fa825a33e01": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 11 of 32 \n \nREGISTRATION PROCESS FOR FINGERPRINTING \nYou must submit to fingerprinting as part of your criminal \nbackground screening to work for Boston Public Schools. Please \nfollow the steps below to register for an appointment to get \nfingerprinted at the nearest site (most likely Dorchester) \noperated by MorphoTrust USA. \nThe below summarizes the procedure to register and get your \nfingerprints taken. For further information and details, please see \nthe state\u2019s guide, \u201cStatewide Applicant Fingerprint Identification \nServices (SAFIS) Program: Registration Guide,\u201d available at the \nfollowing link: https://www.mass.gov/files/2017-06/safis-\nregistration-guide-dcf-fv1-0_0.pdf \nStep 1: Sign up for an appointment online or over the phone. \n https://ma.ibtfingerprint.com/ \n 866-349-8130 \nStep 2: Give the Provider ID for Boston Public Schools. \n Enter the following number as the district Provider ID: \n00350000", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bfb39df6-56a4-4d00-bf5b-9be6084ac0cc": { + "page_content": "https://ma.ibtfingerprint.com/ \n 866-349-8130 \nStep 2: Give the Provider ID for Boston Public Schools. \n Enter the following number as the district Provider ID: \n00350000 \nStep 3: Pay a fee for the FBI and state government agencies \nto process your fingerprints. \nLicensed educators: $55 \nNon-licensed staffers: $35 \nStep 4: Make an appointment and get a Registration \nConfirmation Number. You will need to bring the \nRegistration Confirmation Number with you to your \nappointment. \nStep 5: Go to your appointment and bring a proper ID. \n Your ID must contain a photo, your full name, and \ndate of birth and be unexpired.", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "434ab6c3-a59c-4817-951a-c1def727894c": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 12 of 32 \n \nStep 6: Obtain a receipt from MorphoTrust showing your \nfingerprints were taken. \n Keep your receipt and make a copy of it. \nStep 7: Mail the copy of your receipt to: \nBPS Office of Human Capital \n2300 Washington Street, 4th Floor \nBoston MA 02119 \nMISCELLANEOUS \na) All individuals covered by the Boston Public Schools CORI \nPolicy must submit an annual CORI Acknowledgment Form \nwithin ten days or following a request from the Office of \nHuman Capital. \nb) A CORI Acknowledgment Form is valid for one year from the \ndate the individual signs the form or until the conclusion of \na subject\u2019s employment, whichever comes first, and must be \nmaintained for a minimum of one year from the date of \nexecution. Within the year, the Boston Public Schools may \nsubmit an additional request for CORI but will first provide a \n72-hour written notice. If the individual objects to an \nadditional CORI, the CORI Acknowledgment Form becomes", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "71e46a47-d01b-4062-af33-4aa7dee5a822": { + "page_content": "submit an additional request for CORI but will first provide a \n72-hour written notice. If the individual objects to an \nadditional CORI, the CORI Acknowledgment Form becomes \ninvalid. However, the Boston Public Schools may make an \nadverse employment decision based on an individual\u2019s \nobjection to a request for CORI. Criminal history information \nwill be maintained confidentially, on a need-to-know basis \nonly, by the Office of Human Capital. A limited number of \ndesignated individuals will routinely review criminal history \ninformation. The Office of Human resourcesdesignee(s) will \nreceive and maintain all properly obtained criminal history", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "df7f04cf-8e16-4551-bb7b-86a088c7ea20": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 13 of 32 \n \ninformation and will keep the assistant superintendent of \nHuman resourcesinformed. \nc) CORI information will remain segregated and secured from \nall personnel files or other personnel information. Hard \ncopies will be stored in a locked, secured location. If the \nBoston Public Schools retains electronic copies of CORI \nreports, then the Boston Public Schools will password \nprotect and encrypt the reports. The reports will not be \nmaintained for more than seven (7) years after the \nemployee\u2019s last date of employment or after the final \ndecision not to hire the candidate. \nd) For any adverse decision based on the criminal background \ncheck results, the individual will be notified immediately, \neither in person or by telephone, fax, email, or letter. \ne) CORI information may be used only to further the protection \nof children and for no other purpose. Access to such \ninformation shall be obtained in accordance with Mass. Gen", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2ee278f8-19d3-4d86-8ae2-995433b25cf6": { + "page_content": "e) CORI information may be used only to further the protection \nof children and for no other purpose. Access to such \ninformation shall be obtained in accordance with Mass. Gen \nLaws c. 6, \u00a7\u00a7167 to 168, inclusive. Improper use of CORI \ninformation is both a civil and a criminal offense and may \nsubject an employee to discipline.", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b1f86dd3-67aa-4db6-97ca-c7b035677692": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 14 of 32 \n \nFor more information about this circular, contact: \nOwner: Director of Labor Relations \nDepartment: Office of Labor Relations \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-1576 \nEmail: OLR@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4736c571-ecc6-438c-8546-3a82e5823e0d": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 15 of 32 \n \nTABLE A \nCrime Name MGL \nABANDON CHILD UNDER 10, RESULTING IN DEATH c. 119, \u00a7 39 \nABUSE OF PATIENT IN LONG TERM CARE FACILITY c. 265, \u00a7 38 \nANIMALS, CRUELTY TO c. 272, \u00a7 77 \nARMED CAREER CRIMINAL c. 269, \u00a7 10G \nARSON OF DWELLING HOUSE c. 266, \u00a7 1 \nASSAULT, AGGRAVATED c. 265, \u00a7 13A(b) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nAGGRAVATED \nc. 265, \u00a7 15A(c) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nVICTIM 60 AND OLDER \nc. 265, \u00a7 15A(a) \nASSAULT & BATTERY ON CHILD c. 265, \u00a7 13J \nASSAULT & BATTERY ON ELDER OR PERSON WITH \nDISABILITY \nc. 265, \u00a7 13K \nASSAULT & BATTERY, INTIMIDATION, \nRACE/COLOR/RELIGION \nc. 265, \u00a7\u00a7 39(a) and \n39(b) \nASSAULT & BATTERY ON PERSON WITH \nINTELLECTUAL DISABILTY \nc. 265, \u00a7 13F \nASSAULT WITH INTENT TO MURDER OR ROB, \nARMED \nc. 265, \u00a7 18(b) \nASSAULT WITH INTENT TO MURDER OR ROB, \nVICTIM 60 AND OLDER, ARMED \nc. 265, \u00a7 18(a) \nASSAULT IN DWELLING, ARMED c. 265, \u00a7 18A \nASSAULT BY DANGEROUS WEAPON, VICTIM 60 \nAND OLDER", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9d6994e0-eab5-40f4-be09-99a212430063": { + "page_content": "c. 265, \u00a7 18(b) \nASSAULT WITH INTENT TO MURDER OR ROB, \nVICTIM 60 AND OLDER, ARMED \nc. 265, \u00a7 18(a) \nASSAULT IN DWELLING, ARMED c. 265, \u00a7 18A \nASSAULT BY DANGEROUS WEAPON, VICTIM 60 \nAND OLDER \nc. 265, \u00a7 15B(a)", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "24424e67-0146-418c-836e-98660db340b9": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 16 of 32 \n \nASSAULT WITH INTENT TO MURDER OR MAIM c. 265, \u00a7 15 \nASSAULT WITH INTENT TO RAPE c. 265, \u00a7 24 \nASSAULT WITH INTENT TO RAPE CHILD UNDER 16 c. 265, \u00a7 24B \nBREAKING AND ENTERING NIGHT, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO COMMIT \nFELONY \n \nc. 266, \u00a7 16 \nCARJACKING, ARMED c. 265, \u00a7 21A \nCHILD IN NUDE OR SEXUAL ACT, POSE/EXHIBIT OR \nDISTRIBUTE MATERIAL \nc. 272, \u00a7\u00a7 29A and 29B \nCHILD ENTICEMENT c. 265, \u00a7 26C \nCIVIL RIGHTS VIOLATION, BODILY INJURY c. 265, \u00a7 37 \nCRIMINAL HARASSMENT, SUBSEQUENT OFFENSE c. 265, \u00a7 43A(B) \nDRUGS, DISTRIBUTE TO MINOR c. 94C, \u00a7 32F \nDRUGS, TRAFFICKING IN COCAINE c. 94C, \u00a7 32E(b)(1)-(4) \nDRUGS, TRAFFICKING IN HEROIN c. 94C, \u00a7 32E(c)(4) \nDRUGS, TRAFFICKING IN MARIJUANA c. 94C, \u00a7 32E(a)(4) \nELDER/DISABLED, PERMIT ABUSE ON c. 265, \u00a7 13K(a \u00bd) \nEXPLOSION, MALICIOUS c. 266, \u00a7 102B \n(c. 266, \u00a7101 prior to \nJuly 15, 2010) \n \nEXTORTION c. 265, \u00a7 25 \nFIREARM, ARMED CAREER CRIMNAL c. 269, \u00a7 10G \nHOME INVASION c. 265, \u00a7 18C", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6da1328a-1507-4f17-9a2f-7ad252407d94": { + "page_content": "EXPLOSION, MALICIOUS c. 266, \u00a7 102B \n(c. 266, \u00a7101 prior to \nJuly 15, 2010) \n \nEXTORTION c. 265, \u00a7 25 \nFIREARM, ARMED CAREER CRIMNAL c. 269, \u00a7 10G \nHOME INVASION c. 265, \u00a7 18C \nIDENTITY FRAUD c. 266, \u00a7 37E", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "879fe5de-a33d-4275-b0ca-d2a148e6eee8": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 17 of 32 \n \nINCEST c. 272, \u00a7 17 \nINDECENT ASSAULT & BATTERY ON PERSON 14 OR \nOVER \nc. 265, \u00a7 13H \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14 \nc. 265, \u00a7 13B \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED \nc. 265, \u00a7 13B\u00bd \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED, SUBSEQUENT EVENT \nc. 265, \u00a7 13B\u00be \nINDECENT ASSAULT & BATTERY ON \nDIABLED/PERSON OVER 60 \nc. 265, \u00a7 13K \nINDECENT ASSAULT & BATTERY ON RETARDED \nPERSON \nc. 265, \u00a7 13F \nKIDNAPPING c. 265, \u00a7 26 \nKIDNAPPING MINOR BY RELATIVE, ENDANGER \nSAFETY \nc. 265, \u00a7 26A \nMANSLAUGHTER (Voluntary or Involuntary) c. 265, \u00a7 13 \nMAYHEM c. 265, \u00a7 14 \nMURDER c. 265, \u00a7\u00a7 1 and 2 \nOBSCENE PICTURES, DISTRIBUTING c. 272, \u00a7\u00a7 28 and 29 \nOBSCENE MATERIALS HARMFUL TO MINOR, \nDISTRIBUTE OR POSSESS WITH INTENT TO \nDISTRIBUTE \nc. 272, \u00a7 28 \nPHOTOGRAPH UNSUSPECTING NUDE PERSON/ \nPHOTOGRAPH OF UNSUSPECTING NUDE PERSON, \nDISSEMINATE \nc. 272, \u00a7\u00a7 105(b) and (c) \nc.272, \u00a7\u00a7104(b) and (c)", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1e55df27-5c50-43ff-9b0d-4107323537b5": { + "page_content": "DISTRIBUTE \nc. 272, \u00a7 28 \nPHOTOGRAPH UNSUSPECTING NUDE PERSON/ \nPHOTOGRAPH OF UNSUSPECTING NUDE PERSON, \nDISSEMINATE \nc. 272, \u00a7\u00a7 105(b) and (c) \nc.272, \u00a7\u00a7104(b) and (c) \nprior to March 7, 2014 \nPRESCRIPTION; FORGERY, ALTER, SUBSEQUENT \nOFFENSE \nc. 94C, \u00a7 33(c)", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b85482f0-ad26-421f-bdab-1741d484e79a": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 18 of 32 \n \nPROSTITUTION, DERIVE SUPPORT FROM c. 272, \u00a7 7 \nPROSTITUTION, DERIVE SUPPORT FROM CHILD c. 272, \u00a7 4B \nPROSTITUTION, INDUCE MINOR TO c. 272, \u00a7 4A \nPROSTITUTION, MAINTAIN HOUSE OF c. 272, \u00a7 6 \nPROSTITUTION/UNLAWFUL SEX/ABDUCT PERSON \nFOR \nc. 272, \u00a7 2 \nPROSTITUTION/SOLICITATION (With Person under \n18); \nPROSTITUTION/SOLICITATION (With person under \n14); Prior to February 19, 2012 \nc. 272, \u00a7 53A(b) \nRAPE c. 265, \u00a7 22(b) \nRAPE, AGGRAVATED c. 265, \u00a7 22(a) \nRAPE & ABUSE OF A CHILD, AGGRAVATED c. 265, \u00a7 23A \nRAPE & ABUSE OF A CHILD, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, \u00a7 23B \nRAPE OF CHILD WITH FORCE c. 265, \u00a7 22A \nRAPE OF CHILD WITH FORCE, AGGRAVATED c. 265, \u00a7 22B \nRAPE OF CHILD WITH FORCE, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, \u00a7 22C \nRAPE OF CHILD (STATUTORY) c. 265, \u00a7 23 \nRECKLESS ENDANGERMENT TO CHILDREN c. 265, \u00a7 13L \nROBBERY, ARMED c. 265, \u00a7 17 \nSEX OFFENDER, FAILURE TO REGISTER c. 6, \u00a7 178H(a)", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9cac0c40-8267-4b0c-8f59-c50c723ef811": { + "page_content": "c. 265, \u00a7 22C \nRAPE OF CHILD (STATUTORY) c. 265, \u00a7 23 \nRECKLESS ENDANGERMENT TO CHILDREN c. 265, \u00a7 13L \nROBBERY, ARMED c. 265, \u00a7 17 \nSEX OFFENDER, FAILURE TO REGISTER c. 6, \u00a7 178H(a) \nSEXUAL CONDUCT WITH CHILD UNDER 18, PAY \nFOR OR FOR FEE; SEXUAL CONDUCT WITH CHILD \nUNDER 14, PAY FOR OR FOR A FEE; Prior to \nFebruary 19, 2012 \nc. 272, \u00a7 53A(b) \nSEXUAL INTERCOURSE, ADMINISTER DRUGS FOR c. 272, \u00a7 3", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3ef0de52-d399-40e0-870e-eaf268d2d7e3": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 19 of 32 \n \nSEXUAL INTERCOURSE, INDUCE MINOR c. 272, \u00a7 4 \nSTALKING c. 265, \u00a7 43(a) \nSTALKING IN VIOLATION OF RESTRAINING ORDER c. 265, \u00a7 43(b) \nUNNATURAL ACTS WITH CHILD UNDER 16 c. 272, \u00a7 35A \nVIOLATE DOMESTIC PROTECTIVE ORDER c. 208, \u00a7 34C \nVIOLATION OF PROTECTIVE ORDER (209A) c. 209A, \u00a7 7 \nWEAPON OF MASS DESTRUCTION c. 266, \u00a7 102C \nCONSPIRACY TO COMMIT ANY OF THE ABOVE \nTABLE A CRIMES \nc. 274, \u00a7 7", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d35dae54-5de5-42ed-9db4-611e21c2c9ce": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 20 of 32 \n \nACCESSORY BEFORE THE FACT OF ANY OF THE \nABOVE TABLE A CRIMES \nc. 274, \u00a7 2 \nATTEMPT TO COMMIT ANY OF THE ABOVE TABLE A \nCRIMES \nc. 274, \u00a7 6", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6514e46d-45aa-4a9f-9685-4f587d7c656b": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 21 of 32 \n \nTABLE B \n \nCrime Name \n \nMGL \nFelony or \nMis-demeanor \nABANDON CHILD UNDER 10 c. 119, \u00a7 39 M \nACCESSORY AFTER FACT (VARIABLE) c. 274, \u00a7 4 F \nACCOSTING; LEWD & LASCIVIOUS \nCONDUCT; INDECENT EXPOSURE \nc. 272, \u00a7 53 M \nAFFRAY, SUBSEQUENT OFFENSE AFFRAY \n(Prior to August 1, 2009) \nc. 272, \u00a7 53 M \nAID ESCAPE FROM CUSTODY c. 268, \u00a7 17 M \nALCOHOLIC BEVERAGES, SELL/DELIVER \nTO PERSON UNDER 21 \nc. 138, \u00a7 34 M \nALIEN IN POSSESS OF FIREARM c. 140, \u00a7 131H M \nASSAULT c. 265, \u00a7 13A(a) M \nASSAULT WITH INTENT TO ROB, \nUNARMED \nc. 265, \u00a7 20 F \nASSAULT & BATTERY c. 265, \u00a7 13A(a) M \nASSAULT & BATTERY ON PUBLIC \nSERVANT/POLICE OFFICER \nc. 265, \u00a7 13D M \nASSAULT & BATTERY ON CORRECTIONAL \nOFFICER \nc. 127, \u00a7 38B F \nASSAULT & BATTERY DANGEROUS \nWEAPON \nc. 265, \u00a7 15A(b) F \nASSAULT BY DANGEROUS WEAPON c. 265, \u00a7 15B(b) F \nASSAULT WITH HYPODERMIC NEEDLE, \nSYRINGE \nc. 265, \u00a7 15C(a) F", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8f5c8179-42b3-4d0d-a94d-37bdaf97c2fe": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 22 of 32 \n \nASSAULT & BATTERY WITH HYPODERMIC \nNEEDLE, SYRINGE \nc. 265, \u00a7 15C(b) F \nATTEMPT TO INJURE DEPOSITORY OF \nVALUABLES \nc. 266, \u00a7 16 F \nBETTING; TAKING, ALLOWING c. 271, \u00a7 17 M \nBODY ARMOR, USE OF IN COMMISSION \nOF FELONY \nc. 269, \u00a7 10D F \nBOMB SCARE /HIJACK THREAT c. 269, \u00a7 14 F \nBOMB/EXPLOSIVES, UNLAWFUL \nPOSSESSION \n \n \nc. 266, \u00a7102. \nc. 148, \u00a7 35 prior \nto July 15, 2010 \nF \n(M prior to July \n15, 2010) \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY, PERSON IN FEAR \nc. 266, \u00a7 17 \nF \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY \nc. 266, \u00a7 18 F \nBREAKING AND ENTERING RAILROAD \nCAR \nc. 266, \u00a7 19 F \nBREAKING AND ENTERING TRUCK, \nINTENT TO COMMIT FELONY \nc. 266, \u00a7 20A F \nBREAKING AND ENTERING, INTENT TO \nCOMMIT MISDEMEANOR \nc. 266, \u00a7 16A M \nBRIBERY OF A POLICE OFFICER \n(state/local official or member of the \njudiciary) \nc. 268A, \u00a7 2 F \nBRIBERY/GIFTS TO INFLUENCE \nBUSINESS AFFAIRS \nc. 271, \u00a7 39 F \nBURGLARIOUS TOOLS, MAKE OR", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b7dcbefb-d1f0-4c0d-a8ba-a055ccc4a84c": { + "page_content": "BRIBERY OF A POLICE OFFICER \n(state/local official or member of the \njudiciary) \nc. 268A, \u00a7 2 F \nBRIBERY/GIFTS TO INFLUENCE \nBUSINESS AFFAIRS \nc. 271, \u00a7 39 F \nBURGLARIOUS TOOLS, MAKE OR \nPOSSESS \nc. 266, \u00a7 49 F", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0c7e605c-bd1e-42ea-ab18-e1fa81c5904e": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 23 of 32 \n \nBURGLARIOUS TOOLS, MOTOR VEHICLE \nMASTER KEY, MAKE OR POSSESS \nc. 266, \u00a7 49 F \nBURGLARY, ARMED c. 266, \u00a7 14 F \nBURGLARY, UNARMED c. 266, \u00a7 15 F \nBURNING BUILDING c. 266, \u00a7 2 F \nBURNING MOTOR VEHICLE OR \nPERSONAL PROPERTY \nc. 266, \u00a7 5 F \nBURNING TO DEFRAUD INSURANCE CO. c. 266, \u00a7 10 F \nBURN MOTOR VEHICLE, WILLFUL & \nMALICIOUS \nc. 266, \u00a7 127 F \nCIVIL RIGHTS VIOLATION, NO BODILY \nINJURY \nc. 265, \u00a7 37 M \nCOMPOUNDING OR CONCEALING \nFELONY \nc. 268, \u00a7 36 F \nCONTRIBUTE TO DELINQUENCY OF \nCHILD \nc. 119, \u00a7 63 M \nCONFINE OR PUT IN FEAR TO STEAL OR \nATTEMPT TO STEAL \nc. 265, \u00a7 21 F \nCREDIT CARD, LARCENY OR MISUSE OF c. 266, \u00a7 37B M \nCREDIT CARD, UNAUTHORIZED USE, \nOVER $250 \nc. 266, \u00a7 37C F \nCRIMINAL HARASSMENT c. 265, \u00a7 43A(a) M \nDANGEROUS WEAPON, CARRYING c. 269, \u00a7\u00a7 10(b) \nand 10(d) \n \nF \nDANGEROUS WEAPON, UNLAWFUL \nPOSSESSION \nc. 269, \u00a7 10(b) F \nDEFACEMENT OF REAL OR PERSONAL \nPROPERTY \nc. 266, \u00a7 126A F", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8113804a-400c-40e7-812b-62252eff71aa": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 24 of 32 \n \nDESTRUCTION OF PROPERTY OVER $250, \nMALICIOUS \nc. 266, \u00a7 127 F \nDISORDERLY CONDUCT c. 272, \u00a7 53 M \nDRUGS, LARCENY FROM AUTHORIZED \nPERSON \nc. 94C, \u00a7 37 F \nDRUGS, FAILURE TO KEEP RECORDS c. 94C, \u00a7 15 M \nDRUGS, ILLEGAL POSSESSION CLASS C \nSUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, ILLEGAL POSSESSION CLASS D \nSUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, ILLEGAL POSSESSESSION CLASS \nE SUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, DISPENSE WITHOUT \nPRESCRIPTION OR WHEN NOT \nREGISTERED \nc. 94C, \u00a7 25 M \nDRUG PARAPHENELIA, DISTRIBUTE OR \nINTEND TO DISTRIBUTE \nc. 94C, \u00a7 32I(a) M \nDRUG PARAPHENELIA, SELL TO MINOR c. 94C, \u00a7 32I(B) F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS A SUBSTANCE \nc. 94C, \u00a7 32 F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS B SUBSTANCE \nc. 94C, \u00a7 32A F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS C SUBSTANCE \nc. 94C, \u00a7 32B F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS D SUBSTANCE \nc. 94C, \u00a7 32C F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS E SUBSTANCE \nc. 94C, \u00a7 32D(a) M", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6f7ede08-e448-4184-b97a-b92bab2c6ca3": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 25 of 32 \n \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE \nc. 94C, \u00a7 32A F \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS A SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, MOTOR VEHICLE HOMICIDE, \nNEGLIGENT OPERATION \nc. 90, \u00a7 24G(b) F \nDRUGS, POSSESS CLASS A SUBSTANCE c. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS A SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32(a) F \nDRUGS, POSSESS CLASS B SUBSTANCE c. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS B SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32A(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32B(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32C(a) M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "613f4bf5-4a96-445e-a868-bb2e7348f8a9": { + "page_content": "SUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32C(a) M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS E SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32D M", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "265bf06d-074b-4536-b27c-7e87bb418206": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 26 of 32 \n \nDRUGS, POSSESS CONTROLLED \nSUBSTANCE WITH INTENT TO \nDISTRIBUTE, SUBSEQUENT OFFENSE \n \nc. 94C, \u00a7 32(b) \n \nF \nDRUGS, POSSESS COUNTERFEIT \nSUBSTANCES WITH INTENT TO \nDISTRIBUTE \n \nc. 94C, \u00a7 32G \n \nM \nDRUGS, POSSESS CLASS A SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, POSSESS CLASS B SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, POSSESS CLASS D SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, TRAFFICKING IN COCAINE IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, TRAFFICKING IN HEROIN IN, ON, \nOR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, TRAFFICKING IN MARIJUANA IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, UNLAWFULLY OBTAINING \nCONTROLLED SUBSTANCE, FALSE \nPRESCRIPTION, FRAUD, FALSE \nREGISTRATION \nc. 94C, \u00a7 33 F \nEMBEZZLEMENT c. 266, \u00a7\u00a7 51-52, \n55-59 \nF", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5be337b0-406f-4d66-91b6-c468fda6a69b": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 27 of 32 \n \nENTER WITHOUT BREAKING, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO \nCOMMIT A FELONY, PERSON IN FEAR \nc. 266, \u00a7 17 F \nENTER WITHOUT BREAKING A \nDWELLING IN NIGHT, INTENT TO COMMIT \nFELONY \nc. 266, \u00a7 18 F \nENTER WITHOUT BREAKING, TRUCK, \nWITH INTENT TO COMMIT FELONY \nc. 266, \u00a7 20A F \nESCAPE BY PRISONER c. 268, \u00a7 16 F \nESCAPE, FURLOUGH c. 268, \u00a7 16 F \nEXPLOSIVES, THROWING c. 266, \u00a7 102 F \nEXPLOSIVES, THROW/PLACE/EXPLODE \nOR POSSESS WITH INTENT TO INJURE \n \nc. 266, \u00a7 102 \n \nF \nFIREARM, CARRYING LOADED \nRIFLE/SHOTGUN \nc. 269, \u00a7 12D(a) M \nFIREARM, CARRYING LOADED OR \nUNLOADED FIREARM ON A PUBLIC WAY; \nUNENCLOSED CASE \n \nc. 269, \u00a7 12D(b) \n \nF \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A BUILDING \nc. 269, \u00a7 12E M \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A DWELLING OR NEAR HIGHWAY \n \nc. 131, \u00a7 58 \n \nM \nFIREARM LICENSE/ID CARD, FALSE c. 140, \u00a7 131I F \nFIREARM, POSSESS WITHOUT FIREARMS \nID \nc. 269, \u00a7 10(h) M \nFIREARM, POSSESS OF, SERIAL/ID", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "dbe1446e-cf5e-4a7e-9887-7fa004a585ff": { + "page_content": "OF A DWELLING OR NEAR HIGHWAY \n \nc. 131, \u00a7 58 \n \nM \nFIREARM LICENSE/ID CARD, FALSE c. 140, \u00a7 131I F \nFIREARM, POSSESS WITHOUT FIREARMS \nID \nc. 269, \u00a7 10(h) M \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED \nc. 269, \u00a7 11C F", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a689b3e3-2c11-449a-a8fc-468ec9c31ed4": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 28 of 32 \n \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED, USED IN \nCOMMISION OR ATTEMPTED \nCOMMISION OF A FELONY \n \nc. 269, \u00a7 11B \n \nF \nFIREARM, SELL WITHOUT LICENSE c. 140, \u00a7 128 F \nFIREARM, SHOTGUN, BARREL UND 18 \n\u201cSAWED OFF\u201d, POSSESS, SUBSEQUENT \nOFFENSE \nc. 269, \u00a7 10(d) F \nFIREARM, SHOTGUN, BARREL UND 18 \n\u201cSAWED OFF\u201d, POSSESS \nc. 269, \u00a7 10(c) F \nFIREARM UNATTENDED c. 269, \u00a7 10(h) F \nFIREARM, UNLAWFUL POSSESSION, \nCOMMISSION FELONY \nc. 265, \u00a7 18B F \nFIREARM, SHOTGUN, UNLAWFUL \nPOSSESSION \nc. 140, \u00a7 129C M \nFIREARM VIOLATION, CARRY WITH \nAMMUNITION \nc. 269, \u00a7 10(n) M \nFORGED INSTRUMENT, UTTER c. 267, \u00a7 5 F \nFUGITIVE FROM JUSTICE c. 276, \u00a7 19 M \nGUN PERMIT, FALSE INFORMATION FOR c. 140, \u00a7 129 M \nHOAX DEVICE/SUBSTANCE, \nPOSSESS/TRANSPORT/USE \nc. 266, \u00a7 102A \u00bd; \nc. 266, \u00a7102 \nprior to July 15, \n2010 \n \nF \nINDECENT EXPOSURE c. 272, \u00a7 53 M \nINFERNAL MACHINE, POSSESS c. 266, \u00a7 102A \nc. 266, \u00a7102 \nprior to July 15, \n2010 \nF", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f550b07d-d8ef-47a1-a1e6-7f27fd7605e2": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 29 of 32 \n \nKIDNAPPING MINOR BY RELATIVE c. 265, \u00a7 26A M \nKILL BEAST, WILLFUL & MALICIOUS c. 266, \u00a7 112 F \nLARCENY, MOTOR VEHICLE OR TRAILER c. 266, \u00a7 28 F \nLARCENY, PERSON c. 266, \u00a7 25 F \nLARCENY, PERSON 65+ c. 266, \u00a7 25 F \nLARCENY BY CHECK UNDER $250 c. 266, \u00a7 37 M \nLARCENY BY CHECK OVER $250 c. 266, \u00a7 37 F \nLARCENY FIREARM c. 266, \u00a7 30 F \nLARCENY IN BLDG, SHIP, VESSEL, OR RR \nCAR \nc. 266, \u00a7 20 F \nLARCENY IN TRUCK/TRAILER c. 266, \u00a7 20B F \nLARCENY OVER $250 c. 266, \u00a7 30 F \nLARCENY UNDER $250 c. 266, \u00a730 M \nLARCENY, BANK EMPLOYEE OR OFFICER c. 266, \u00a7 52 F \nLEAVE SCENE AFTER PERSONAL INJURY, \nMOTOR VEHICLE \nc. 90, \u00a7 \n24(2)(a1/2)(1) \nM \nLEWD & LASCIVIOUS CONDUCT c. 272, \u00a7 53 M \nLEWDNESS, OPEN & GROSS c. 272, \u00a7 16 F \nLIQUOR, PROCURE FOR MINOR c. 138, \u00a7 34 M \nMACHINE OR SAWED OFF SHOT GUN, \nPOSSESSION OF \nc. 269, \u00a7 10(c) F \nMACHINE GUN, POSSESSION OF \nWITHOUT LICENSE \nc. 269, \u00a7 10(c) F \nMANSLAUGHTER BY OPERATING UNDER \nTHE INFLUENCE", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c25b111e-c273-4485-9d73-9e1f12b7623c": { + "page_content": "MACHINE OR SAWED OFF SHOT GUN, \nPOSSESSION OF \nc. 269, \u00a7 10(c) F \nMACHINE GUN, POSSESSION OF \nWITHOUT LICENSE \nc. 269, \u00a7 10(c) F \nMANSLAUGHTER BY OPERATING UNDER \nTHE INFLUENCE \nc. 265, \u00a7 13 \u00bd F \nMEDICAL ASSISTANCE (MEDICAID) \nFRAUD \nc. 118E, \u00a7 40 F", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d9433942-4df7-47f9-ba94-d434b2b8e754": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 30 of 32 \n \nMEDICAL ASSISTANCE (MEDICAID) \nKICKBACK \nc. 118E, \u00a7 41 F \nMOTOR VEHICLE HOMICIDE, RECKLESS \nOPERATION \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE DRUGS, NEGLIGENT OR \nRECKLESS \nc. 90, \u00a7 24G(a) F \nMOTOR VEHICLE, USE OF IN \nCOMMISSION OF FELONY \nc. 90, \u00a7 24(2)(a) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR, NEGLIGENT OR \nRECKLESS \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE, OPERATING AFTER \nLICENSE REVOKED FOR DRUNK DRIVING \nc. 90, \u00a7 23 M \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL \nc. 90, \u00a7 \n24(1)(a)(1) \nM \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL, 3rd \nAND SUBSEQUENT OFFENSE \nc. 90, \u00a7 \n24(1)(a)(1) \n \nF \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, LIQUOR, 3rd AND \nSUBSEQUENT OFFENSE \nc. 90, \u00a7 24 F \nMOTOR VEHICLE, TAKE WITHOUT \nAUTHORITY, STEAL PARTS \nc. 266, \u00a7 28 F \nOBSCENE MATERIALS, POSSESS WITH", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3130fdda-8f5c-422a-9d83-a079edb6e1b0": { + "page_content": "INFLUENCE OF DRUGS, LIQUOR, 3rd AND \nSUBSEQUENT OFFENSE \nc. 90, \u00a7 24 F \nMOTOR VEHICLE, TAKE WITHOUT \nAUTHORITY, STEAL PARTS \nc. 266, \u00a7 28 F \nOBSCENE MATERIALS, POSSESS WITH \nINTENT TO DISTRIBUTE \nc. 272, \u00a7 29 F \nOBSCENE LITERATURE, SELL TO MINOR c. 272, \u00a7 28 F", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "31787913-fd48-4b12-a215-4049f4d7f516": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 31 of 32 \n \nOBSTRUCTION OF JUSTICE Common law M [See c. 279, \u00a7 5 \nre: penalty for \nCommon Law \nCrimes.] \nPERJURY c. 268, \u00a7 1 F \nPRESCRIPTION; FORGERY, ALTER c. 94C, \u00a7 33(b) F \nPRESCRIPTION, UTTER FALSE c. 94C, \u00a7 33 F \nPRISONER, DELIVER ARTICLES TO OR \nFROM INMATE \nc. 268, \u00a7 31 F \nPRISONER, DELIVER DRUGS TO c. 268, \u00a7 28 F \nPROSTITUTION/SOLICITATION c. 272, \u00a7 53A M \nPROSTITUTION, ENGAGING IN SEX \n\u201cJOHN\u201d \nc. 272, \u00a7 53A M \nPROSTITUTION, KEEP HOUSE OF c. 272, \u00a7 24 M \nPROSTITUTE, SOLICIT FOR c. 272, \u00a7 8 M \nRESISTING ARREST c. 268, \u00a7 32B M \nRIOT c. 269, \u00a7 1 M \nROBBERY, UNARMED c. 265, \u00a7 19(b) F \nROBBERY, UNARMED, VICTIM 60+ c. 265, \u00a7 19(a) F \nSHOPLIFTING, 3rd OR SUBSEQUENT \nOFFENSE \nc. 266, \u00a7 30A M \nSTOLEN PROPERTY, RECEIVE, OVER $250 c. 266, \u00a7 60 F \nSTOLEN MOTOR VEHICLE, RECEIVE/BUY c. 266, \u00a7 28(a) F \nTELECOMMUNICATIONS FRAUD c. 166, \u00a7 42A M \nTELEPHONE CALLS, ANNOYING OR \nOBSCENE \nc. 269, \u00a7 14A M \nUNNATURAL ACTS c. 272, \u00a7 35 F", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5e88d69b-8773-4553-bdd3-6a61dab84a5b": { + "page_content": "Superintendent\u2019s Circular HRS-PP09 \nPage 32 of 32 \n \nVANDALIZE \nCHURCH/SYNAGOGUE/CEMETERY \nc. 266, \u00a7 127A F \nVANDALIZE \nSCHOOL/CHURCH/EDUCATIONAL BLDG \nc. 266, \u00a7 98 F \nWITNESS, INTIMIDATE OR RETALIATE \nAGAINST \nc. 268, \u00a7 13B F \nCONSPIRACY TO COMMIT ANY OF \nABOVE TABLE B CRIMES \n \nATTEMPTS TO COMMIT ANY OF THE \nABOVE TABLE B CRIMES \n \nACCESSORY BEFORE ANY OF THE \nABOVE TABLE B CRIMES", + "metadata": { + "file_name": "HRS-PP09 Criminal History Screening.pdf", + "source_link": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "26178d93-df46-4687-b9e2-72c20b61c1e5": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM09 \nVersion 01 \n \nCLUSTER SUBSTITUTE PERFORMANCE EVALUATION \nCluster Substitute Teachers are: \nThose teachers who are assigned to a school for a full year to \nrotate into the various teacher absence positions in the school, as \nneeded, on a daily basis. \nA cluster substitute teacher shall be given two (2) overall \nperformance evaluations for the academic year by the \nappropriate building administrator or their designee outside of \nthe bargaining unit. The evaluation instrument for use with \nCluster Substitutes is attached to this Circular. \nEVALUATION CRITERIA (RATING OPTIONS: YES, NO, N/A) \n1. Teaching Ability: Conveys clear and concise instruction. \nFocuses on student achievement and content meaningful to \nstudents. Accommodates the varied needs of students. \n2. Classroom Management: Accountable for classroom \nenvironment and culture. Ability to effectively deal with \nnegative student behavior. Focused and productive when", + "metadata": { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "83fe89f7-384f-44e3-a857-0b0d486c6346": { + "page_content": "2. Classroom Management: Accountable for classroom \nenvironment and culture. Ability to effectively deal with \nnegative student behavior. Focused and productive when \nfaced with challenges and a willingness to adapt classroom \ninstruction to meet the need/culture of the school. \n3. School Fit: Respects the opinion of others. Creates a positive \nrelationship with administrators, teachers, school staff and \nstudents. Demonstrates interest and skills that match the", + "metadata": { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a62167ec-e6b6-475f-9de1-dcfd7e2bbb96": { + "page_content": "Superintendent\u2019s Circular HRS-PM09 \nPage 2 of 5 \n \nschool\u2019s culture and needs. Interacts appropriately with \nsupervisors, colleagues, parents, and students. \n4. Summary Question: \u201cWould you use this substitute teacher at \nyour school going forward?\u201d (\u201cYes\u201d constitutes a rating of \n\u201cMeets Expectations.\u201d) \nThe evaluator may provide written comments in addition to \nratings. \nDate Activity \nJanuary 15 (recommended) Meet with cluster substitute teachers to discuss \nperformance. Completion of evaluation form. \nMay 15 Complete and submit final evaluation form of all Cluster \nSubstitutes within the school. \nJune 1 Deadline for signed, original copies of evaluation form \n(below/attached) to be submitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources (Attn: Performance \nManagement Team) \n2300 Washington Street, 4th floor \nRoxbury, MA 02119", + "metadata": { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6d632a53-bddb-47ad-a86a-c2e874b359bc": { + "page_content": "Superintendent\u2019s Circular HRS-PM09 \nPage 3 of 5 \n \nFor more information about this circular, contact: \nName: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c18f76da-b3a4-4d5c-a137-d3d7fb203b66": { + "page_content": "Superintendent\u2019s Circular HRS-PM09 \nPage 4 of 5 \n \nBOSTON PUBLIC SCHOOLS \nSUBSTITUTE MANAGEMENT DEPARTMENT EVALUATION FORM \nSubstitute Name \nBPS ID: ________________ \nSchool Name: ________________________________Date: \n \nEvaluator Name: ____________________________ Title: \n \nSUMMARY QUESTION: Would you use this substitute teacher at \nyour school going forward? \u25fb Yes \u25fb No \n(YES constitutes a rating of \u201cMeets Expectations\u201d) \nTEACHING ABILITY: Demonstrates an appropriate knowledge of \ncontent. \nConveys ideas and Information clearly. Yes / No / NA \nMakes content meaningful to students. Yes / No / NA \nAddresses the multiple and varied needs of \nclassroom students. Yes / No / NA \nFocuses on achieving results with students. Yes / No / NA", + "metadata": { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "dcb8b96e-263d-447b-ab80-256db40b1a3e": { + "page_content": "Superintendent\u2019s Circular HRS-PM09 \nPage 5 of 5 \n \nCLASSROOM MANAGEMENT: Demonstrates ability to deal \neffectively with negative student behavior. \nAssumes accountability for classroom environment \nand culture. Yes / No / NA \nDemonstrates ability to deal effectively with \nnegative student behavior. Yes / No / NA \nRemains productive and focused when faced \nwith challenges. Yes / No / NA \nDisplays a willingness to adapt classroom \nmanagement style to meet a particular need/ \nculture of school. Yes / No / NA \nSCHOOL FIT: Demonstrates skills and needs for development \nthat can be a good fit for the school. \nRespects the opinion of others. Yes / No / NA \nCreate positive relationships with administrators, \nteachers, school staff and students. Yes / No / NA \nDemonstrates interest and skills that match the \nschool\u2019s culture and needs. Yes / No / NA \nInteracts appropriately with supervisors, \ncolleagues, parents, and students. Yes / No / NA \nCOMMENTS:", + "metadata": { + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf", + "source_link": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "09d05473-2fed-4f02-b166-e8d00e1e1c70": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP16 \nVersion 01 \n \n \nEMPLOYEE SAVINGS AND INVESTMENT BENEFITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nFLEXIBLE SPENDING ACCOUNT \nThe City of Boston\u2019s Flexible Spending Accounts are administered \nby Cafeteria Plan Advisors, Inc. Flex spending lets you deduct pre-\ntax money for out-of-pocket medical expenses, dependent care, \nand transportation. Annual enrollment for flex spending occurs in \nNovember for the plan year beginning January 1. Participants of \nthis program will receive a Benny Card at the start of the new \nyear that they can begin using immediately for eligible expenses. \n\u25cf Read more about Flexible Spending \n\u25cf Download the Flexible Spending Application \n\u25cf Cafeteria Plan Advisors, Inc. website \n \nTo contact Cafeteria Plan Advisors directly with questions: \nMailing Address: 420 Washington Street, Suite 100, Braintree, \nMA 02184 \nPhone: 1-800-544-2340", + "metadata": { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3c049eaf-f456-4d99-8079-7ed0a040bb29": { + "page_content": "To contact Cafeteria Plan Advisors directly with questions: \nMailing Address: 420 Washington Street, Suite 100, Braintree, \nMA 02184 \nPhone: 1-800-544-2340 \nFAX: 1-781-848-8477 \nEmail: info@cpa125.com", + "metadata": { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bd5099b1-ee79-4bd2-9eb8-bfea3efaa0f8": { + "page_content": "Superintendent\u2019s Circular HRS-PP16 \nPage 2 of 4 \n \n \nRETIREMENT PLANNING \nState-Boston Retirement System \nAll employees are eligible to participate in the State Boston \nRetirement System. For more information, visit the Retirement \nBoard website. \nVoluntary Retirement Plans \nEmployees are eligible to participate in two types of voluntary \ndeferred compensation retirement plans: \n\u2022 Massachusetts Deferred Comp 457 SMART Plan \n\u2022 403(b) tax-sheltered annuities \nSee information below on these two types of voluntary deferred \ncompensation plans. \nDEFERRED COMPENSATION \n1. 457 SMART Plan \nEmployees are eligible to participate in the \nCommonwealth\u2019s Deferred Compensation Plan (also known \nas a Section 457 Plan). This allows an employee to shelter \nincome from federal and state income tax through a payroll \ndeduction. Additional information is available at the \nMassachusetts Deferred Compensation Smart Plan website. \nClick here for more information Deferred Compensation (IRS \n457).", + "metadata": { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8ac76e77-49e6-4a47-b37f-a68f059bac73": { + "page_content": "deduction. Additional information is available at the \nMassachusetts Deferred Compensation Smart Plan website. \nClick here for more information Deferred Compensation (IRS \n457). \n2. 403(b) Plans \nEmployees are eligible to participate, at no cost, in tax-\nsheltered annuities (also known as 403(b) plans). An annuity \nis a tax-saving retirement planning device that allows an", + "metadata": { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7912b774-9b36-488c-8e05-7d0b779a16aa": { + "page_content": "Superintendent\u2019s Circular HRS-PP16 \nPage 3 of 4 \n \n \nemployee to shelter income from federal and state income \ntax through a payroll deduction. A representative at a \nparticipating company will provide a payroll deduction form, \nwhich you may also download and print out here. This form \nmust be filled out and submitted according to BPS 403(b) \nprocedures. \no AIG/VALIC (Variable Annuity Life Insurance Co.), \nNashua, NH. (603) 594-8340 \no American United Life Insurance Company \no Ameriprise Financial Services, Inc., Minneapolis, MN \n(800) 862-7919 \no Ameritas Life Insurance Corporation, Lincoln, NE (800) \n745-1112 \no ASPire Financial Services, Tampa, FL (866) 634-5873 \no AXA Equitable Life Insurance Company, Wellesley, MA \n(781) 237-8264 \no Commonwealth Annuity and Life Ins. Co., Topeka, KS \n(800) 457-9047 \no Fidelity Investments Mutual Funds \no Great American Advisors, Inc., Cincinnati, OH (800) 216-\n3354 \no Great American Financial Resources, Inc., Cincinnati, \nOH (888) 497-8556", + "metadata": { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f533c750-ab65-4a53-839f-faa191c933c7": { + "page_content": "(800) 457-9047 \no Fidelity Investments Mutual Funds \no Great American Advisors, Inc., Cincinnati, OH (800) 216-\n3354 \no Great American Financial Resources, Inc., Cincinnati, \nOH (888) 497-8556 \no Horace Mann, Springfield, IL (866) 999-1945 \no Kemper Annuity and Life Ins. Co., Topeka, KS (800) 457-\n9047 \no Lincoln Investment Planning Mutual Funds, Waltham, \nMA (781) 647-3050 \no Lincoln National Life Insurance Company, Fort Wayne, \nIN (800) 454-6265 \no MetLife, Bloomfield, CT (860) 768-0139", + "metadata": { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "22275a55-905f-43b2-add4-f171b87b0bb7": { + "page_content": "Superintendent\u2019s Circular HRS-PP16 \nPage 4 of 4 \n \n \no MetLife of CT, Bloomfield, CT (860) 768-0139 \no Midland National Life \no North American Company for Life and Health \no New York Life Insurance Company, Sleepy Hollow, NY \n(914) 846-5608 \no Protective Life, Topeka, KS (800) 457-9047 \no The Union Central Life Ins. Co., Cincinnati, OH (800) \n825-1551 \nVOLUNTARY INSURANCE \nOther insurance providers offer short and long-term disability. \nThey also offer optional life insurance and critical illness coverage. \nThese are voluntary insurance programs. Please be advised that \nthese benefits are not administered by the Health Benefits Office. \nFor more information about this circular, contact: \nOwner: Employee Services, Office Human Resources \nPhone: 617-635-9600 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP16 Employee Savings and Investment Benefits.pdf", + "source_link": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e1029619-ca3c-49ab-8456-d1b9d913a826": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP15 \nVersion 01 \nSICK LEAVE DONATION PROGRAM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools will be continuing the Sick Leave Donation \nProgram with Administrative Guild, BASAS, BTU, managerial, and \nSchool Police Patrolmen's Association. \nPURPOSE \nThe Sick Leave Donation Program is a voluntary program where \neligible employees can donate sick leave hours to help a seriously \nill or injured colleague who has exhausted their sick, personal, \nvacation, and/or compensatory leave entitlements. An eligible \nemployee who wants to withdraw hours from the Sick Leave \nBank must be on an approved leave of absence. Please refer to \nSuperintendent\u2019s Circular HRS-PP13 for more information \nregarding the process to apply for a leave of absence. If time is \nawarded by the Sick Leave Donation Committee, recipients can \nwithdraw sick leave hours from the leave bank and maintain", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "89b95d7a-1ed5-4407-83e6-8111bb239436": { + "page_content": "regarding the process to apply for a leave of absence. If time is \nawarded by the Sick Leave Donation Committee, recipients can \nwithdraw sick leave hours from the leave bank and maintain \nactive pay status. \nMembership and eligibility requirements by unit are detailed in \nthe attachment. \nTHE DONATION PROCESS \nWhen the sick leave bank for a union/group becomes depleted,", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "84dde7a3-47ab-41d6-a867-9921b511a38a": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 2 of 12 \n \nan email notification will be sent to all members requesting the \ndonation of an additional day(s). All employees who wish to enroll \nwill be required to complete an online form during the \naforementioned period. All donations are irrevocable. \nSICK LEAVE COMMITTEE \nThe leave committee for each union/group will consist of six \nmembers: three administrative members from the union/group \nand three administrative members from the Boston Public \nSchools district (appointed by the superintendent or their \ndesignee). A majority vote (4 of 6) is required to grant awards of \nsick leave time. All decisions are made on a case-by-case basis. \nAPPLICATION PROCESS FOR SICK BANK MEMBERS \n1. Complete a Sick Leave Bank Donation Withdrawal Request \nform, including submission of medical documentation and a \nletter stating the reason for the request in accordance with \nthe application deadline listed on the form.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f744c5ed-a07d-48ab-925e-a038790a5409": { + "page_content": "form, including submission of medical documentation and a \nletter stating the reason for the request in accordance with \nthe application deadline listed on the form. \n2. The Leave Bank Committee will meet and review all \npertinent information. Committee will render a decision and \nHuman Capital will inform the employee and supervisor of \nthe decision. \n3. If approved, the Office of Human Capital representative will \nadd donated hours to the recipient\u2019s leave accrual balance \nin PeopleSoft. \n4. Withdrawals from the leave bank cease when the recipient \nhas either returned to work or withdrawn the maximum \nnumber of hours allotted from their union or conditions of \nemployment. \nThere is no appeal procedure. The decision of the Sick Leave", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c846a3cb-7f3c-4edb-83f3-c230ef317d0d": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 3 of 12 \n \nBank Committee is final. \nAPPLICATION DEADLINE \nThe Sick Bank Oversight Committee meets on the first \nWednesday of each month. \nTo be included on the agenda, your application, along with all \nsupporting documentation, must be submitted by the close of \nbusiness on the preceding Friday. \n \nFor more information about this circular, contact: \nOwner: Manager of Employee Information Systems \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9649 \nFax: 617-635-7957 \nEmail: ohr@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3eb5caaf-d7f1-4f0b-9922-80bfd7633183": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 4 of 12 \n \nATTACHMENT A: \nSICK LEAVE DONATION PROGRAM: MEMBERSHIP \nREQUIREMENTS AND ELIGIBILITY BY UNIT \nBASAS \nMembership Requirements: \n\u2022 To establish this program, there must be at least 50 eligible \nBASAS employees who participate in it. \n\u2022 A BASAS employee must be permanent or entering their \nthird consecutive year of Boston Public Schools service to be \neligible to participate. \n\u2022 A BASAS employee must donate one sick day (eight hours) \nto enroll in the program. \n\u2022 Donation days (hours) will be deducted from the donor\u2019s \naccumulated sick leave balance. \nEligibility for Recipient: \n\u2022 Only BASAS employees who have donated to the sick leave \ndonation program are eligible to apply for sick leave time. \n\u2022 Applicants for sick leave time must have exhausted all \naccumulated sick and personal leave to be eligible to \nreceive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "cd6c09df-4b42-412b-acf5-3664d023806c": { + "page_content": "accumulated sick and personal leave to be eligible to \nreceive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n\u2022 The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d0f86ae7-6931-41c6-aab2-9e6c6038167e": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 5 of 12 \n \n\u2022 For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day-to-day basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 For employees receiving workers\u2019 compensation benefits, \nthe combination of workers\u2019 compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient per school year. In exceptional \ncircumstances, the committee may also grant additional 30-\nday increments, up to a maximum of 90 days (including the \noriginal 30 days). \n\u2022 Requests for sick leave time may not be made retroactively. \n\u2022 Days that have been granted but are not used will revert to \nthe sick leave bank. \nBOSTON TEACHERS UNION (BTU) \nMembership Requirements:", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "148e3117-f3a7-481e-8e76-1c576b173821": { + "page_content": "\u2022 Days that have been granted but are not used will revert to \nthe sick leave bank. \nBOSTON TEACHERS UNION (BTU) \nMembership Requirements: \n\u2022 To establish this program, there must be at least 500 \nteacher unit members and 100 paraprofessional unit \nmembers. \n\u2022 Must be a BTU member to participate in the program. \n\u2022 Teacher unit members must be permanent or entering their \nfourth consecutive year of service. Paraprofessional \nmembers must have at least three consecutive years of \nservice. \n\u2022 Must donate one sick day for inclusion in the program. \n\u2022 Donations will be deducted from the donor\u2019s accumulated", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e0c41709-39f0-4699-a15d-aae7316ab820": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 6 of 12 \n \nsick leave balance. \n\u2022 Donations and withdrawals can only be in the same BTU \nunit (e.g., teachers cannot donate to or withdraw from the \nparaprofessional unit; paraprofessionals cannot donate to or \nwithdraw from the teacher unit). \nEligibility for Recipient: \n\u2022 Must have exhausted all accumulated sick leave and other \npaid leaves (e.g., personal days, etc.). \n\u2022 Application for the BTU sick bank withdrawal must be \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness, which prevents the employee\u2019s \nimmediate return to work. \n\u2022 For those individuals who have a disability plan, the \ncombination of disability payment and sick bank days do \nnot, on a day-to-day basis, equal more than the daily rate of \npay. \n\u2022 For those individuals who are receiving worker\u2019s \ncompensation, the combination of workers\u2019 compensation", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "533bb14b-2611-4a3a-9ea7-f4bc786fd420": { + "page_content": "not, on a day-to-day basis, equal more than the daily rate of \npay. \n\u2022 For those individuals who are receiving worker\u2019s \ncompensation, the combination of workers\u2019 compensation \npayment and sick bank days do not, on a daily basis, equal \nmore than the daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the \nCommittee may also grant additional 30-day increments, up \nto a maximum of 90 days (including the original 30 days). \n\u2022 Requests/withdrawals cannot be made retroactively. \n\u2022 Days requested and granted but not used will revert to the \nsick leave bank. \n\u2022 This program is for employees only and cannot be used for", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7c9c94d6-28f5-48a5-b60e-298e53ccfe21": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 7 of 12 \n \nthe illness of family members. \n\u2022 This program does not meet for the months of June \u2013 \nSeptember for the following reasons: \no June: The bank only issues donations in 30-day \nincrements and the month of June does not have 30 \nschool days. \no July \u2013 August: Employees do not work these months \nand therefore would not be eligible to use \nsick/personal time. \no September: Employees receive sick/personal \nentitlements up front and therefore, would have time \nto use at the beginning of the school year. \nCUSTODIAN \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 \nCustodian Bank members. \n\u2022 Must be a custodian to participate. \n\u2022 Must have completed three or more years of continuous \nservice with the union to be eligible. \n\u2022 Must donate two sick days for the first year, and thereafter \none sick day annually during enrollment period. \n\u2022 Donation days will be deducted from an employee\u2019s sick \nleave balance.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ce6ea86b-2907-445c-9859-c10442f11b7e": { + "page_content": "\u2022 Must donate two sick days for the first year, and thereafter \none sick day annually during enrollment period. \n\u2022 Donation days will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time. \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7085e797-53f1-42ae-a1c8-2967a6d90e8c": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 8 of 12 \n \n\u2022 The bank is for employees\u2019 illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving worker\u2019s \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nADMINISTRATIVE GUILD \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 Guild \nbank members. \n\u2022 Must be Administrative Guild members to participate.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0eb10c5d-1e43-4a36-b4a2-573bea13e2c6": { + "page_content": "bank. \nADMINISTRATIVE GUILD \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 Guild \nbank members. \n\u2022 Must be Administrative Guild members to participate. \n\u2022 Must have completed three or more years of continuous \nservice to be eligible to participate. \n\u2022 Must donate one sick day to enroll in the program. \n\u2022 Donation day will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f5631cc2-3b40-497e-9cf4-a035551845e0": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 9 of 12 \n \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time. \n\u2022 The bank is for employee\u2019s illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers\u2019 \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nMANAGEMENT \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 eligible", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "52ff0f01-c7b8-4192-b395-d85fdbc1e3f5": { + "page_content": "a maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nMANAGEMENT \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 eligible \nManagerial employees who participate in it. \n\u2022 A Managerial employee must be permanent or entering \ntheir fourth consecutive year of Boston Public Schools \nservice to be eligible to participate. \n\u2022 A Managerial employee must donate one sick day (eight \nhours) to enroll in the program. \n\u2022 Donation days (hours) will be deducted from the donor\u2019s \naccumulated sick leave balance.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b1c22143-4e2e-418c-94aa-3e834dfe1a4f": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 10 of 12 \n \nEligibility for Recipient: \n\u2022 Only Managerial employees who have donated to the sick \nleave donation program are eligible to apply for sick leave \ntime. \n\u2022 Applicants for sick leave time must have exhausted all \naccumulated sick, personal, and vacation leave to be eligible \nto receive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n\u2022 The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness. \n\u2022 For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day- to-day basis, equal more than \nthe employee\u2019s daily rate of pay.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bf7b6844-5464-4db3-942f-7703b3658a97": { + "page_content": "plan, the combination of disability payments and donated \nsick days may not, on a day- to-day basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 For employees receiving worker\u2019s compensation benefits, \nthe combination of worker\u2019s compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the \ncommittee may also grant additional 30-day increments, up \nto a maximum of ninety 90 days (including the original 30 \ndays). \n\u2022 Requests for sick leave time may not be made retroactively. \n\u2022 Days that have been granted but are not used will revert to", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "538465e5-ca83-49f9-9254-c282ad01f2b0": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 11 of 12 \n \nthe sick leave bank. \nSCHOOL POLICE PATROLMEN ASSOCIATION \nMembership Requirements: \n\u2022 To establish this program, there must be at least 25 \nAssociation bank members. \n\u2022 Must be association members to participate. \n\u2022 Must have completed three or more years of continuous \nservice to be eligible to participate. \n\u2022 Must donate one sick day to enroll in the program. \n\u2022 Donation day will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time. \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time. \n\u2022 The bank is for employee\u2019s illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "465b2f70-4740-4224-8bd8-f82e4c808b30": { + "page_content": "\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers\u2019 \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "120b214a-c826-4de6-bca0-483cc43695f2": { + "page_content": "Superintendent\u2019s Circular HRS-PP15 \nPage 12 of 12 \n \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank.", + "metadata": { + "file_name": "HRS-PP15 Sick Leave Donation Program.pdf", + "source_link": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "52d8c658-6313-4ebc-9fc6-585d8af8a642": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM06 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MANAGERIAL EMPLOYEES \n \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal-Setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment (Optional) \nStep 5: Summative Evaluation (June 1) \n \nEvaluation Platform and Documentation \nTimeline and Tools \nAppendix A: The Core Competencies \nAppendix B: Rating Levels \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for managerial employees of Boston Public \nSchools (BPS), both Central Office and school-based. The", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "20b37c43-1c9d-40cf-a572-12c08a98cd8e": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 2 of 10 \n \npurpose of this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. This document was created as part of a cross-\ndepartmental working group on central office performance \nmanagement. \n \nPURPOSE OF PERFORMANCE MANAGEMENT \nBPS students are the citizens, leaders, scholars, entrepreneurs, \nadvocates, and innovators of tomorrow. As a district, we must \nensure that 100 percent of our students are prepared for college, \ncareer, and life in the 21st century. We must model the district on \nthe classroom we want to see. We have established a system of \nperformance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors. \nThe fundamental purpose of performance management in the \nBPS Central Office is to maximize the productivity and impact of", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fa51a080-bca9-4e71-aa3a-283639ea9ec2": { + "page_content": "endeavors. \nThe fundamental purpose of performance management in the \nBPS Central Office is to maximize the productivity and impact of \nour employees by enabling them to perform at their fullest \npotential. Our approach is designed to provide high-quality \nsupport to schools, students, and families in BPS to ensure our \ngraduates are college, career, and life ready. To do so, our \nperformance management system will: \n1. Establish a consistent set of competencies to clearly set and \ncommunicate expectations for employee performance \n2. Align employee efforts with department and organizational \ngoals \n3. Create systems and structures that gather and monitor \nperformance in order to support employee feedback, \ngrowth, and development", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4657063c-5e5f-4fb4-98aa-d228c075c271": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 3 of 10 \n \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nThe criteria for effective practice for Central Office managerial \nemployees are identified in the Core Competencies, which \ndefines six categories: \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \nSee Appendix A for greater detail on the set of core \ncompetencies. \nEvaluations will result in ratings on an employee\u2019s goals, on the", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "48a17fcf-8ef3-4c8f-8567-49b76def9a43": { + "page_content": "projects] \nSee Appendix A for greater detail on the set of core \ncompetencies. \nEvaluations will result in ratings on an employee\u2019s goals, on the \nsix Core Competencies, and on overall performance, which will be \nbased on the supervisor\u2019s judgment of performance against the \nstandards and progress toward goals. Progress toward goals will \nbe rated as Goal Achieved, Goal Significantly Met, Active Goal, \nGoal Not Met, and Goal Deferred. Greater details on these rating \nlevels can be found in Appendix B. \nThe five levels of performance, which apply to performance on \neach competency and the Overall performance rating shall be:", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c482f32a-c4b4-4a92-b6c5-54dbc4675fe5": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 4 of 10 \n \n\u201cHighly Effective\u201d, \u201cEffective\u201d, \u201cDeveloping,\u201d \u201cMinimally Effective,\u201d \nand \u201cIneffective.\u201d Greater details on these rating levels can be \nfound in Appendix B. \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by employees and supervisors. \nFive-Step Process Overview \n \nSTEP 1: Self-Assessment (by September 1) \nEmployee reviews available evidence of work performance, prior \nfeedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The \nSelf-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nSTEP 2: Analysis, Goal-Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a667b9db-5b84-4906-ae94-149a463146a3": { + "page_content": "STEP 2: Analysis, Goal-Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand supervisor establish 2-4 goals, related to professional", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5e64ddc1-e28b-4458-96b1-d65896bfa799": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 5 of 10 \n \npractice or performance: \n\u25cf A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, \nemployees and supervisors should both look at past \nperformance and feedback, as well as the employee\u2019s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies \n\u25cf A performance goal is a measurable target or outcome \nrelated to an employee\u2019s work. Goals should align with an \nemployee\u2019s team and/or departmental goal(s). \nSTEP 3: Implementation of the Plan (Ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5f8c9ed3-e9e9-40f8-ab4f-d185f91e165c": { + "page_content": "supporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nSTEP 4: Formative Assessment (Optional or By February 1) \nEach employee should receive a Formative Assessment to \nprovide the employee with written feedback on their \nperformance against the Core Competencies and their progress \ntoward goals. Typically, the formative will occur midway through \nthe assessment year, though it may take place at other times for \nindividuals in need of additional support. \nProfessional Development Plans are implemented when an", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6d738ee2-1bce-4752-bec7-384df1cb41b5": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 6 of 10 \n \nemployee\u2019s performance is rated Minimally Effective under one \nor more competencies, or overall. They are meant to include \nincreased supervision and support for improvement in specific \nareas identified by the supervisor. \nPerformance Improvement Plans (PIPs) are implemented when \nan employee\u2019s performance is rated Ineffective under one or \nmore competencies, or overall. They are more highly directed \nplans that are typically followed by another evaluation and may \nresult in employment action if performance is not sufficiently \nimproved. \nSTEP 5: Summative Evaluation (June 1) \nEach employee shall receive a Summative Evaluation to provide \nthe employee with written feedback and ratings of their \nperformance and progress toward goals. \n \nEVALUATION PLATFORM AND DOCUMENTATION \nManagerial employee performance evaluations and related \ndocumentation are generated and stored in the BPS online", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "866a791a-bab7-4bc9-a4eb-9f5d2b87e715": { + "page_content": "performance and progress toward goals. \n \nEVALUATION PLATFORM AND DOCUMENTATION \nManagerial employee performance evaluations and related \ndocumentation are generated and stored in the BPS online \nperformance management platform, VectorEvals. Employees \nand supervisors will receive training in accessing, navigating, and \nusing the platform prior to the start of their evaluation cycle. \nTraining modules will be available in an online, on-demand \nformat to employees and supervisors for reference, as well.", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9256d31f-afb9-486f-9de0-93289069ab6f": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 7 of 10 \n \nTIMELINE \nDate Activity \nJuly - August \u25cf Office, team, and individual goal-setting begins \n\u25cf Supervisors review of standards and expectations with employees \nSeptember 1 \u25cf Employee Self-Assessments due \n\u25cf Employee Goals & Action Plans draft due \nOctober 1 \u25cf Finalized Employee Goals & Action Plans due \nOngoing \u25cf Employee check-ins, at the discretion of supervisor \n\u25cf Provide feedback (verbal and written) to employees on progress toward \ngoals, observed performance, and work products/artifacts. \n\u25cf Implementation also includes peer feedback. \nJanuary \u25cf Formative Assessment meetings with employees (Optional) \nFebruary 1 \u25cf Formative Assessments finalized and submitted (Optional) \nMay 21 - 25 \u25cf Last day to submit artifacts for review prior to Summative Evaluation \nJune 1 \u25cf Summative Evaluations finalized and submitted \n \nAPPENDIX A: CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2e54b3d8-e478-4572-9774-9bd199146345": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 8 of 10 \n \nAPPENDIX B: OVERALL EFFECTIVENESS LEVELS (BELOW) \nEffectiveness \nLevel Description \nHighly Effective Performance far exceeded expectations due to exceptionally high \nquality of work performed in all essential areas of responsibility, \nresulting in an overall quality of work that was superior; and either \nincluded the completion of a major goal or project, or \nmade an exceptional or unique contribution in support of team, \ndepartment, or district objectives. \nThis level is achievable by any employee though given infrequently \n(<10% of employees) \nEffective Performance met expectations in all essential areas of responsibility, \nand the quality of work overall was excellent. Annual goals were met. \nDeveloping Performance consistently met expectations in all essential areas of \nresponsibility, at times possibly exceeding expectations, and the quality \nof work overall was very good. The most critical annual goals were \nmet.", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "418c939d-2bab-4c34-9fff-138624bee0b2": { + "page_content": "responsibility, at times possibly exceeding expectations, and the quality \nof work overall was very good. The most critical annual goals were \nmet. \nThis level is expected for individuals who are new to the organization \nor to a role. \nMinimally Effective Performance did not consistently meet expectations \u2013 performance \nfailed to meet expectations in one or more essential areas of \nresponsibility, and/or one or more of the most critical goals were not \nmet. A professional development plan (not necessarily a PIP) to \nimprove performance must be implemented, including timelines, and \nmonitored to measure progress. \nIneffective Performance was consistently below expectations in most essential \nareas of responsibility, and/or reasonable progress toward critical goals \nwas not made. Significant improvement is needed in one or more", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b0f8b857-7e8d-4317-b04e-c53c6c89a1d9": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 9 of 10 \n \nEffectiveness \nLevel Description \nimportant areas. A Performance Improvement Plan (PIP) to correct \nperformance, including timelines, must be outlined and monitored to \nmeasure progress. \n \nGoal Status Scale \nGoal Status Description \nGoal Achieved: All goal milestones and success measures have been achieved for \n100% of goals. \nGoal Significantly \nMet: \nAll goal milestones and success measures have been achieved for at \nleast 85% of goal. \nActive Goal: The goal is still in progress, though some milestones may have been \nachieved. \nGoal Not Met: For this goal, some or all milestones and success measures have not \nbeen met. \nGoal Deferred: For timing or organizational reasons, this goal has been deferred.", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7e6a8c88-2115-4cf9-b947-5c8da04822e6": { + "page_content": "Superintendent\u2019s Circular HRS-PM06 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA 02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees.pdf", + "source_link": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a2b2c6f2-7557-412c-bcec-4f92e3e825e5": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP07 \nVersion 01 \n \n \nWORKERS\u2019 COMPENSATION PROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOBJECTIVE \nThe Boston Public Schools Workers\u2019 Compensation Service is \nlocated within Boston City Hall, 6th Floor, Room 613. Workers\u2019 \nCompensation Service administers benefits for city workers, \nincluding Boston Public Schools employees. The Workers\u2019 \nCompensation Service strives to ensure effective and efficient \ndelivery of benefits and collects injury data for state and federal \nreporting requirements. \nADMINISTERING WORKERS\u2019 COMPENSATION BENEFITS \nFor the City of Boston Workers\u2019 Compensation Service to provide \nadequate service, it is imperative that all work-related injuries be \nreported as soon as possible, preferably within twenty-four hours \nof the occurrence. \nFor the Workers\u2019 Compensation Service to provide timely \nbenefits, your cooperation in obtaining medical documentation is", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "35b8ddfd-244d-4b85-81b2-2f3e070916ec": { + "page_content": "of the occurrence. \nFor the Workers\u2019 Compensation Service to provide timely \nbenefits, your cooperation in obtaining medical documentation is \ncritical. If a case is reported late, or if the Workers\u2019 Compensation \nService does not have sufficient medical documentation, the \nemployee\u2019s receipt of benefits may be delayed.", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "07e1f209-7653-4013-9a36-479e5e56200d": { + "page_content": "Superintendent\u2019s Circular HRS-PP07 \nPage 2 of 7 \n \n \n\u25ba It is the employee\u2019s responsibility to request complete \nmedical treatment records for the work-related injury \nand provide them or have them sent to the Workers\u2019 \nCompensation Service. Out-of-work notes are NOT \nsufficient to maintain workers\u2019 compensation benefits. \nIncomplete or late reports of injury could also subject Boston \nPublic Schools to financial penalties. \n\u25cf To find the City\u2019s accident report form, as well as a \ncomplete guide to the city\u2019s workers\u2019 compensation \nprocess, please see the City of Boston Workers\u2019 \nCompensation Service employee guide at \nhttps://www.boston.gov/departments/human-\nresources/workers-compensation-process. \n\u25cf The accident report can be accessed directly at \nhttps://www.boston.gov/sites/default/files/file/2022/02/\naccident-report-form_2-7-2022.pdf. \nSTEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF \nYOUR EMPLOYMENT \nIf emergency services (i.e., life threatening, bleeding, head", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e0b5eaa6-77ec-4344-9285-a649d4db44fd": { + "page_content": "accident-report-form_2-7-2022.pdf. \nSTEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF \nYOUR EMPLOYMENT \nIf emergency services (i.e., life threatening, bleeding, head \ninjuries, severe fractures, etc.) are necessary: \n1. Seek out emergency care (via ambulance if necessary) at \nthe closest emergency care facility to where you were \ninjured. \n2. Fill out and sign the accident report form. Submit it to the \nworkers\u2019 compensation office and your supervisor or human \nresources representative in your department. If you are \nunable to fill it out, you can have someone else fill it out for \nyou.", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "233c34ec-639b-4e8d-a008-2453996de727": { + "page_content": "Superintendent\u2019s Circular HRS-PP07 \nPage 3 of 7 \n \n \n3. Medical documentation must be sent to Workers\u2019 \nCompensation Services (Room 613). \n4. A supervisor\u2019s signature is requested solely for the purpose \nof notification that an injury occurred. A supervisor\u2019s \nsignature does not indicate that the supervisor \nagrees/disagrees with the report, nor does it indicate the \nsupervisor witnessed the accident. \n5. Reasonable and necessary medical expenses for accepted \nwork-related injuries will be covered by Workers\u2019 \nCompensation Service, regardless of whether time has been \nlost due to the injury. However, salary replacement benefits \nfor accepted work-related injuries are given only if the \nemployee lost 5 days or more. Substantial medical \ndocumentation is required for employees who have lost 5 \ndays or more. \n6. A representative from Workers\u2019 Compensation will contact \nyou to follow up on your injury. They will also explain your", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "649d2171-9b74-4184-800b-0bdc1da88eb6": { + "page_content": "documentation is required for employees who have lost 5 \ndays or more. \n6. A representative from Workers\u2019 Compensation will contact \nyou to follow up on your injury. They will also explain your \nbenefits and discuss your medical treatment. If you haven\u2019t \nheard back within seven (7) days of reporting your injury, \nyou can speak with a case manager by calling 617-635-3193 \nor emailing workerscompstaff@boston.gov. \n WHILE ON WORKERS\u2019 COMPENSATION \nWhile on workers\u2019 compensation, the employee must maintain \nan approved leave of absence status with the Office of Human \nresources by applying for a leave of absence on the HUB and \nproviding a WH-380-E form or medical \ncertification/documentation on official letterhead from a health \ncare provider. For more information on leaves of absence, please \nsee Superintendent\u2019s Circular HRS-PP13.", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "89bbd2f5-ca9f-4f2d-93ee-53a5cb7d7e16": { + "page_content": "Superintendent\u2019s Circular HRS-PP07 \nPage 4 of 7 \n \n \nWhile on workers\u2019 compensation, the employee is permitted to \nuse available sick, personal, or vacation time to supplement the \ndifference in workers\u2019 compensation earnings to continue to \nreceive 100% of their normal earnings. This applies to employees \nwho have available time and have completed the Workers' \nCompensation Earnings Consent Form, allowing the use of \nearned time. Without consent, the Office of Human resources will \nnot supplement your workers\u2019 compensation earnings. The \nconsent form can be accessed directly at: \nhttps://docs.google.com/forms/d/e/1FAIpQLSf0E_fnOzpBy2kNdqn\nHyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform. \nSupplementing your WC earnings allows employees to maintain \ntheir normal deductions (retirement, union dues, health \ninsurance, etc.). For some unions, it also minimizes the impact of \nearnings that are normally paid over the summer. To be sure of", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e7ca0699-65ac-404c-bf86-3cd60597584f": { + "page_content": "their normal deductions (retirement, union dues, health \ninsurance, etc.). For some unions, it also minimizes the impact of \nearnings that are normally paid over the summer. To be sure of \nthe financial impact that supplementing (or not supplementing) \nyour WC earnings will have your pay once you return to work, \nplease reach out to the BPS Payroll team at 617-635-9460. \nEmployees are permitted up to 1 year of leave for an injury related \nto an approved Workers\u2019 Compensation injury. Employees who \nare absent more than 1 year may have an essential functions \nmeeting held to determine whether they are able to continue \ntheir employment with BPS. \nEMPLOYEE RETURNING TO WORK \nAn employee who is ready to return to work after having been \nout due to a work-related injury must have medical clearance \nfrom their doctor. Before returning to work, the employee must \nprovide copies of the medical clearance note to both OHR and", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "335b84d8-ae5c-4246-afce-3d1a551bccc5": { + "page_content": "Superintendent\u2019s Circular HRS-PP07 \nPage 5 of 7 \n \n \nthe Workers\u2019 Compensation Service and inform both offices of \ntheir intent to return and the intended date. The clearance note \nshould be emailed to OHRLeaves@bostonpublicschools.org as \nwell as workerscompstaff@boston.gov. \nTransitional modified work may be offered by the Boston Public \nSchools to employees who have been injured on the job and can \nreturn to work on a modified basis. The Boston Public Schools \nmakes reasonable accommodations in compliance with the ADA \nand M.G.L. c. 151B for employees with handicaps or disabilities, as \noutlined in Superintendent's Circular EQT-01. If you wish to seek \nreasonable accommodations, please contact the Office of Equity \nat 617-635-9650 or accommodations@bostonpublicschools.org to \nengage in an interactive dialogue prior to your return. \nThe goals of the Workers\u2019 Compensation office are to ensure that \neligible injured employees receive quality and timely medical", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b468e1a0-77d7-4875-bb8b-07592e95c515": { + "page_content": "engage in an interactive dialogue prior to your return. \nThe goals of the Workers\u2019 Compensation office are to ensure that \neligible injured employees receive quality and timely medical \nservices, receive timely benefits, and return to the job as quickly \nas possible. Your case manager will remain in constant contact \nwith you, and you will be required to maintain contact and \nprovide the necessary medical information to your case manager \nso that these goals can be achieved. \nAll accident reports regarding an employee\u2019s injury should be \nforwarded to Workers\u2019 Compensation Services (address at the \nbottom of this circular). \nAny additional information or questions can be forwarded to the \nemployee\u2019s case manager. Case managers are assigned based on \nthe employee\u2019s last name.", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "513fe51c-101b-4b83-a4e0-8a36cc6c245e": { + "page_content": "Superintendent\u2019s Circular HRS-PP07 \nPage 6 of 7 \n \n \nMEDICAL TREATMENT INFORMATION FOR ALL EMPLOYEES \nREGARDING WORKERS\u2019 COMPENSATION \nIf you need medical care for your work injury or illness, contact a \nmedical provider. Let them know that you are seeking workers\u2019 \ncompensation coverage for the treatment. The city currently \ndoes not have any preferred medical providers. \nWORKERS\u2019 COMPENSATION CHECKLIST \nAs this circular is comprehensive, and to prevent delays in \nprocessing, please ensure that you have completed the following \naction items when applying for/returning from workers' \ncompensation. \nAPPLYING FOR WORKERS\u2019 COMPENSATION \n\u25cf Complete and submit the Report of Occupational Injury or \nAccident. This report should be verified and signed by your \nsupervisor. \n\u25cf Review Superintendent\u2019s Circular HRS-PP13 Absence and \nLeave Policy. \n\u25cf Complete a leave of absence application form and submit \nWH-380-E form or physician\u2019s certificate.", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "011fb5cf-ec57-42a4-921f-b14f121da0af": { + "page_content": "supervisor. \n\u25cf Review Superintendent\u2019s Circular HRS-PP13 Absence and \nLeave Policy. \n\u25cf Complete a leave of absence application form and submit \nWH-380-E form or physician\u2019s certificate. \n\u25cf Send medical updates to both the City of Boston Workers\u2019 \nCompensation Unit and the Office of Human resources to \nmaintain your leave of absence and workers' compensation \nbenefits. \n\u25cf If applicable, complete the workers' compensation \nsupplemental earnings consent form if you wish to \nsupplement your benefit with accrued time.", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e3ac89ff-61a8-4912-8cf7-7e128994e0ec": { + "page_content": "Superintendent\u2019s Circular HRS-PP07 \nPage 7 of 7 \n \n \nRETURNING FROM WORKERS\u2019 COMPENSATION \n\u25cf Send both Human resources and City of Boston Workers' \nCompensation Unit medical documentation certifying the \nability to return to work with/without restrictions. \nFor more information about this circular, contact: \nDepartment: Workers\u2019 Compensation Service \nMailing Address: Boston City Hall, Room 613, Boston, MA 02201 \nPhone: 617-635-3193 \nFax: 617-635-3119 \n \nFor submitting forms to the Office of Human resources: \nOwner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: OHRleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP07 Workers' Compensation Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "52567312-7144-43d2-aed2-f2eb730139f2": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM07A \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-CLASSROOM \nPARAPROFESSIONALS \nINCLUDED EMPLOYEES IN THIS CIRCULAR: \n\u25cf Community Field Coordinator (CFC) \n\u25cf Health Para \n\u25cf Library Para \n\u25cf Physical Ed Para \n\u25cf Security Para \n\u25cf Sign Language Interpreter \n\u25cf Swim Para \n\u25cf Cota Para \n\u25cf Family Liaison \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be: \u201cExemplary,\u201d \u201cProficient,\u201d \u201cNeeds \nImprovement,\u201d and \u201cUnsatisfactory,\u201d and shall be transmitted to \nParaprofessionals by the last business day prior to May 15 via the \nVectorEvals platform. If the para has access to a BPS-issued \ncomputer, they may sign digitally. If the para does not, the form \nmust be printed from VectorEvals for them to sign and then \nuploaded as a PDF attachment to the digital form.", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "83030aa1-184c-4b7d-baa0-ecfd1d4a434b": { + "page_content": "computer, they may sign digitally. If the para does not, the form \nmust be printed from VectorEvals for them to sign and then \nuploaded as a PDF attachment to the digital form. \nParaprofessionals will generally be evaluated formally every two", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4c9da35f-d7a6-41b3-8179-8893005586ff": { + "page_content": "Superintendent\u2019s Circular HRS-PM07A \nPage 2 of 8 \n \nyears, except as set forth in section 7 below. During each school \nyear, each principal/head of school or director will identify \napproximately one-half of the staff for which that administrator is \nresponsible for evaluating during that year. The process of \nidentifying the evaluees will be determined by the responsible \nadministrator. An administrator may also evaluate a staff \nmember not originally identified, if assistance, supervision, or \nintervention is deemed appropriate based on informal \nobservation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative. \n2. The head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department \nSCHEDULE, MEETINGS, AND PROCEDURES", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "94cdf899-9708-4929-94d5-9492f2773b7f": { + "page_content": "evaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nadministrator or their designee shall meet with \nParaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of \nannounced and unannounced visits. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional\u2019s practice, the \nresponsible supervisor shall provide such written feedback", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1766777b-f5c1-490e-8619-302e4c86e27e": { + "page_content": "Superintendent\u2019s Circular HRS-PM07A \nPage 3 of 8 \n \nto the paraprofessional before releasing the next Formative \nor Summative Evaluation. \n2. Within ten (10) school days during which the \nparaprofessional is present following the last observation to \nbe used as the basis of the evaluation, regardless of the \nrating mark, the responsible administrator or designee shall \nmeet with the paraprofessional for the purpose of \ndiscussing the evaluation. At this meeting, the \nparaprofessional will be given two (2) copies of the written \nevaluation, signed, and dated by the responsible \nadministrator. \nThe paraprofessional shall sign and return one (1) copy to \nindicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance has", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a95695aa-3146-4ed1-90fd-0040570c3a4c": { + "page_content": "incomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance has \nbeen judged as less than proficient at any point during the \nschool year shall be so notified in writing and shall meet \ndirectly with the responsible administrator. \n3. In any area where the responsible administrator or designee \nindicates a need for improvement, they will provide the \nparaprofessional with a written prescription. The \nparaprofessional may attach comments to the prescription. \nIf a paraprofessional\u2019s performance results in an overall \nformative evaluation or summative evaluation rating of \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d, the evaluation \nprescription may contain a requirement that a \nparaprofessional takes advantage of additional professional", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "408ee8ed-c8e5-45a9-abe6-42a36376d643": { + "page_content": "Superintendent\u2019s Circular HRS-PM07A \nPage 4 of 8 \n \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. For \npurposes of this contract, \u201cformative\u201d means evaluations \nthat at a minimum are twenty (20) school days apart. \nIf, after allowing adequate time to improve, the \nparaprofessional continues to need improvement, the \nresponsible administrator may include in the evaluation \nprescription that the paraprofessional may voluntarily take \nadvantage of training or in-service training to correct a \ndeficiency. \n4. If the responsible administrator had adjudged a \nparaprofessional\u2019s practice with an overall rating of \n\u201cUnsatisfactory\u201d on at least four (4) formative evaluations \nwithin a twelve (12) month period in which the \nParaprofessional reported to work or on at least (2) \nformative evaluations plus a summative evaluation, the", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b539275d-e871-4136-915a-c3c687062886": { + "page_content": "within a twelve (12) month period in which the \nParaprofessional reported to work or on at least (2) \nformative evaluations plus a summative evaluation, the \nresponsible administrator may initiate termination by \nrecommending to the Superintendent that such \nparaprofessional be terminated. If the Superintendent \napproves the principal\u2019s recommendation, the principal shall \nnotify the paraprofessional, in writing, of their intent to \ndismiss the paraprofessional. The paraprofessional may then \nrequest a meeting with the principal to discuss their intent \nto dismiss. This request must be made in writing within ten \n(10) days of the paraprofessional\u2019s receipt of the intent to \ndismiss notice. Overall \u201cUnsatisfactory\u201d evaluation ratings \nneed not occur in consecutive months. \nAn overall rating of \u201cUnsatisfactory\u201d on a summative", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "620a5851-a4b6-4a74-a5f0-85ef94b0475f": { + "page_content": "Superintendent\u2019s Circular HRS-PM07A \nPage 5 of 8 \n \nevaluation rating must be preceded by at least two \nformative overall \u201cUnsatisfactory\u201d ratings during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph. \n5. After each of the first three (3) formative evaluation overall \n\u201cUnsatisfactory\u201d ratings that are based in whole or in part \nupon observed performance, the responsible administrator \nshall conduct a follow-up evaluation. This evaluation shall \ninclude observation of performance and take place no \nsooner than twenty (20) school days and no later than fifty \n(50) school days after the previous \u201cUnsatisfactory\u201d \nevaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon other than performance, then the responsible \nadministrator must clearly convey the reasons in writing to", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "572d8f17-1782-4b95-8f2a-af65cd9c8d55": { + "page_content": "evaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon other than performance, then the responsible \nadministrator must clearly convey the reasons in writing to \nthe paraprofessional and follow prescribed procedures for \nprogressive discipline. \n6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved \nand arbitrated. an employee may grieve a summative \nevaluation with an overall rating other than \u201cUnsatisfactory\u201d \nup to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance.", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7eb2204a-0780-41bd-a13c-e345b2f53364": { + "page_content": "Superintendent\u2019s Circular HRS-PM07A \nPage 6 of 8 \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually prior to \nNovember 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as \u201cUnsatisfactory\u201d overall or in a \nparticular area. \nb. All paraprofessionals who are new to the building.", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "31dcfe88-75c5-4949-83bd-9b371b2e5488": { + "page_content": "Superintendent\u2019s Circular HRS-PM07A \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate Activity \nBy the last business day \nprior to November 15 \n\u25cf Evaluation of Paraprofessionals who \nreceived an \u201cUnsatisfactory\u201d in their \nevaluation from the prior school year. \n\u25cf Evaluation of Paraprofessionals who are \nnew to the school building. \nBy the last business day \nprior to May 15 \n\u25cf Deadline to submit evaluation on \nVectorEvals platform. \n* If the para has access to a BPS-issued \ncomputer, they may sign digitally. If \npara does not, the form must be \nprinted from VectorEvals for them to \nsign and then uploaded as a PDF \nattachment to the digital form. \n\u25cf Evaluation of paraprofessionals due \nevery 2 years except for \nparaprofessionals new to the building \nor who received a \u201cDoes Not Meet \nStandards\u201d rating the previous school \nyear.", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1a36b1e8-44e7-4619-b162-31fe1afcd4a3": { + "page_content": "Superintendent\u2019s Circular HRS-PM07A \nPage 8 of 8 \n \nFor more information about this circular, contact: \n \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\u25ba Click to view a SAMPLE Non-Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations.", + "metadata": { + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f5433e40-117d-4a51-b320-99fac6f865dd": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM03 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nADMINISTRATIVE GUILD \nThe following sets forth the philosophy, roles, responsibilities, and \nprocedures applicable to the evaluation process for members of \nthe Administrative Guild. \nI. COVERAGE \nThe contract between the School Committee and the \nAdministrative Guild provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Guild. The evaluation process relates to the duties and \nresponsibilities of the employee\u2019s position, as set forth in the \nemployee\u2019s job description. \nThe job descriptions are general in nature and are not intended \nto change any employee\u2019s existing responsibilities. The format of \nthe job descriptions allows supervisors to determine the specific \njob duties associated with the position\u2019s classification. \nThe supervisor should obtain a copy of the appropriate job", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e71a9254-4c8e-4787-9bfb-375e7321ce77": { + "page_content": "the job descriptions allows supervisors to determine the specific \njob duties associated with the position\u2019s classification. \nThe supervisor should obtain a copy of the appropriate job \ndescription and provide it to each employee under their \njurisdiction. The supervisor should also communicate clearly to \nthe employee the specific duties associated with the position as \nwell as any additional information pertaining to the position. \nMembers of the Administrative Guild can also contact their OHC \nStaffing Manager to access job descriptions.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ca69f5a9-0030-414b-9508-4b41d6077624": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 2 of 21 \n \nII. PHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service depends upon the professional performance \nand total job effectiveness of all employees. Since clerical and \ntechnical employees can and should be held accountable for the \nquality of their performance, a just and effective process for \nevaluating that performance is essential. True performance \nevaluation involves an analysis of an employee's strengths and \nweaknesses, resulting in diagnoses and prescriptions that lead to \nthe desired improvement of skills and performance. \nAll clerical and technical employees will be evaluated using the \ndiagnostic-prescriptive approach, and the procedures and forms \ndeveloped for the implementation of this approach. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages employees to maximize their unique \nstrengths and skills. It encourages employees to participate in", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0a2f25a6-eb6f-473c-91d6-43f90a28a7d1": { + "page_content": "A diagnostic-prescriptive evaluation program is positively \ndirected and encourages employees to maximize their unique \nstrengths and skills. It encourages employees to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication with and supervision of employees. \nAn effective performance evaluation program is one that is \ncontinuous rather than periodic and organized to: \n\u25cf develop a clear understanding of the goals of the \ndepartment or school; \n\u25cf assist employees in addressing more effectively the needs \nof each school or department; and \n\u25cf encourage cooperative staff relations through mutual trust \nand respect for each employee's role.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "88a66368-eb63-4163-ada7-7049954b3eef": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 3 of 21 \n \nIII. ROLES AND RESPONSIBILITIES \nHeads of school, principals, and other administrative heads have \nchief responsibility for the evaluation of all staff in their \nresponsibility centers. Performance evaluations must be \nconducted by the employee's most immediate supervisor who is \nnot a member of the Guild bargaining unit. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an \nunderperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "97368d81-1f35-4b0f-aa85-9e9d6bf78d0a": { + "page_content": "supervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are four possible \nratings: \n \nE \u2013 EXEMPLARY: The employee\u2019s performance of the duties and \nresponsibilities of their position exceeds \nexpectations. \nP \u2013 PROFICIENT: The employee\u2019s performance of the duties and \nresponsibilities of their position meets \nexpectations.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "024e438a-348d-4e5b-ae85-7a6c3e205eca": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 4 of 21 \n \nN \u2013 NEEDS \nIMPROVEMENT: \nThe employee\u2019s performance of the duties and \nresponsibilities of their position needs \nimprovement. \nU \u2013 UNSATISFACTORY: The employee has failed to meet expectations \nand their performance of the duties and \nresponsibilities of their position needs \nimprovement. \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the employee with a written prescription within the \nevaluation document. The diagnosis and subsequent \nprescription should be fully descriptive and instructive, \nsuggesting specific remedies or recommendations for adoption \nby the employee. The employee may suggest additional or \nalternative prescriptions. \nV. PERFORMANCE MANAGEMENT PROCESS \nThe performance of employees represented by the Guild", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b21a8261-21c8-4a57-88b3-a0aa7f6fb451": { + "page_content": "by the employee. The employee may suggest additional or \nalternative prescriptions. \nV. PERFORMANCE MANAGEMENT PROCESS \nThe performance of employees represented by the Guild \nbargaining unit is evaluated annually. The evaluation year is from \nJuly 1 to June 30 for each employee. \nPerformance evaluation activities may include, but are not \nlimited to, preliminary planning conferences, daily observations, \nnotations, formal interim evaluations, follow-up conferences, and \nrecommendations to the employee by the evaluator. \nDuring the entire evaluation process, continuous administrative \nassistance, support, and encouragement should be extended to \nassist the employee in meeting established objectives.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f8f89d0d-6886-4c32-b5e3-29c82cb24734": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 5 of 21 \n \nSTEP 1 \u2013 PRELIMINARY PROCEDURES \nAt the beginning of each evaluation year, the head of school, \nprincipal, or other administrative head should meet with their \nsupervisory staff to orient them to the performance evaluation \nprocess and to their roles and responsibilities within that process \nfor the upcoming year. Guild members will be evaluated by their \nmost direct supervisor or designee who is not a member of the \nGuild bargaining unit. \nFor all new employees or after a change in supervision, the \nevaluator must meet with the employee no later than 30 days \nafter the start of the evaluation year to discuss and explain the \nevaluation process, the evaluation instrument, and to clarify the \nresponsibilities and objectives of the position. \nThe evaluator and the Guild member will sign the evaluation \ninstrument indicating the date of such meeting. \nSTEP 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS \nNEEDED)", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "860dbc8a-c609-4fd6-97fa-7e9bf2687bc3": { + "page_content": "The evaluator and the Guild member will sign the evaluation \ninstrument indicating the date of such meeting. \nSTEP 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS \nNEEDED) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation, recommendations for improvement, and will share this \nfeedback with the employee within a reasonable amount of time. \nSTEP 3 \u2013 INTERIM EVALUATION PROCEDURES \nAll new employees or employees under new supervision should \nreceive an interim evaluation no later than November 15, if \nreasonably possible. All other employees will be evaluated a \nminimum of one time during the school year. However, to \nreceive a rating of \u201cUnsatisfactory\u201d in any category on an annual", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8a14017a-fb0d-48a1-b668-79a201c8482d": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 6 of 21 \n \nevaluation, an interim evaluation must have been previously \nconducted. \nIf an interim evaluation includes a rating(s) of Unsatisfactory \nand/or Needs Improvement in any category, then the supervisor \nwill communicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. A follow-up \nevaluation or evaluations for an interim overall unsatisfactory \nevaluation must be done after a minimum of 20 school days and \nno later than 50 school days from the last evaluation during \nwhich a member is present. All initial \u201cUnsatisfactory\u201d interim \nevaluations should have a follow-up evaluation no less than 20 \nschool days during which the employee is present. \nThe same form is used for interim and annual evaluations. \nSTEP 4 \u2013 POST INTERIM MEETING EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4404a799-4786-48b1-bd42-d7ad0358dd12": { + "page_content": "The same form is used for interim and annual evaluations. \nSTEP 4 \u2013 POST INTERIM MEETING EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of an interim evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but \nnot to indicate agreement or disagreement with its contents. The \nsupervisor must retain the signed copy. The employee has a right \nto attach a written response to the evaluation. \nIf an employee receives a mark of Needs Improvement or \nUnsatisfactory on any item on their performance evaluation form, \nthe principal, head of school, or other administrative head must \nimmediately submit this evaluation form to the Office of Human \nResources.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "087dd532-517d-4de2-bfc6-2b19be4d88bc": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 7 of 21 \n \nInterim evaluations will not be placed in the employee\u2019s \npermanent file. \nSTEP 5 \u2013 ANNUAL EVALUATION PROCEDURES \nAnnual evaluations must be completed no later than June 1 of \neach year. \nIf an evaluation includes a rating(s) of Unsatisfactory and/or \nNeeds Improvement in any category, then the supervisor will \ncommunicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. However, to \nreceive a rating of \u201cUnsatisfactory\u201d in any category on an annual \nevaluation, an interim evaluation must have been previously \nconducted. If an employee received a Needs Improvement or \nUnsatisfactory rating on any item on the form, the Principal, \nHead of School, other Administrative Head must immediately \nsubmit this evaluation form to The Office of Human Resources. \nSTEP 6 \u2013 POST ANNUAL EVALUATION CONFERENCE", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f819bdaf-36f7-4c04-a09d-be556b9f8b3d": { + "page_content": "Head of School, other Administrative Head must immediately \nsubmit this evaluation form to The Office of Human Resources. \nSTEP 6 \u2013 POST ANNUAL EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of any evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but \nnot to indicate agreement or disagreement with its contents. The \nemployee has the right to attach a written response to the \nevaluation form. \nIf an employee receives an annual overall Unsatisfactory \nevaluation, the supervisor may initiate termination by \nrecommending to the Superintendent that such employee be", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7992d677-020f-4ac8-8598-55dcaf1a739c": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 8 of 21 \n \nterminated. \nSTEP 7 \u2013 SUBMIT PERFORMANCE EVALUATION FORMS TO THE \nOFFICE OF HUMAN RESOURCES \nAt the end of each evaluation year, the principal, head of school, \nor other administrative head should retain the copies of all \nevaluations and send/deliver the originals of all evaluations to the \nOffice of Human Resources front desk. If the performance \nevaluation is overall Unsatisfactory, a copy should also be sent to \nthe director of evaluation and performance management, Office \nof Human Resources. \nNote: An employee with an \u201cUnsatisfactory\u201d performance \nevaluation has no bidding rights until that employee receives a \nsubsequent \u201csatisfactory\u201d performance evaluation. For the \npurposes of this section, an \u201cUnsatisfactory\u201d evaluation means an \nunsatisfactory rating in any two areas on an interim or annual \nevaluation. \nVI. PROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or other administrative head", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f93c2659-fbbf-473d-b442-574db39caaab": { + "page_content": "unsatisfactory rating in any two areas on an interim or annual \nevaluation. \nVI. PROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or other administrative head \ndetermines that an employee has committed an infraction of \nwork rules such as excessive tardiness, absences, etc., the \nsupervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures. \nAdditionally, the supervisor should consider the infraction in \nevaluating the employee's overall performance.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2ada1070-6778-472a-8732-a770d1de28ba": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 9 of 21 \n \nVII. FORMS \nThe Performance Evaluation Form for Members of the \nAdministrative Guild is attached. \nSummary of significant dates and deadlines: \nDATE ACTIVITY \nWithin the first 30 days \nof Evaluation Year \nFor new employees/employees under \nnew supervision only: Review job \ndescription and evaluation instrument. \nSign cover page to acknowledge \nmeeting. \nNo later than \nNovember 15 \nFor new employees/employees under \nnew supervision only: Complete first \nInterim Evaluation \nJune 15 Deadline to send signed, original \ncopies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, Massachusetts 02119 \nJuly 1 to June 30 The evaluation year of an \nAdministrative Guild employee", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9eb0a3de-a944-47d2-abf5-82b8075da6ea": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 10 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "84ab6bf2-1710-4fe4-b886-cde217059040": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \n \nPage 11 of 21 \n \nBOSTON PUBLIC SCHOOLS ADMINISTRATIVE GUILD \nPERFORMANCE EVALUATION FORM \nName: _________________________________Employee ID: ____________ \nCurrent Position and Grade: ___________________ Date: ____________ \nPermanent Position and Grade: __________________________________ \nDepartment/School: _____________________________________________ \nEvaluator: ________________________________________________________ \nCheck One: Interim Evaluation: \u2610 Annual Evaluation: \u2610 \nEvaluator's Signature: _________________________ Date: \n_____________ \nEmployee's Signature: _________________________ Date: ____________ \nThe employee's signature indicates that they have seen and \ndiscussed the evaluation. It does not denote agreement with it. \nEvaluator's Supervisor \nSignature: ____________________________________ Date: _____________ \nInitial Pre-Evaluation Conference: \n Evaluator\u2019s Signature:__________________________Date:____________", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6baf47cf-cd2c-417e-a569-28c788488326": { + "page_content": "Evaluator's Supervisor \nSignature: ____________________________________ Date: _____________ \nInitial Pre-Evaluation Conference: \n Evaluator\u2019s Signature:__________________________Date:____________ \n \nEmployee\u2019s Signature___________________________Date:", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "be1ce0b7-744f-4ca7-b609-cd2c8fbab02f": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 12 of 21 \n \nReview the employee\u2019s job description and then complete the \nform. The following scale will be used for ranking performance: \nE - EXEMPLARY The employee\u2019s performance of the \nduties and responsibilities of their \nposition exceeds expectations. \nP - PROFICIENT The employee\u2019s performance of the \nduties and responsibilities of their \nposition meets expectations. \nN - NEEDS \nIMPROVEMENT \nThe employee\u2019s performance of the \nduties and responsibilities of their \nposition needs improvement. \nU - UNSATISFACTORY The employee has failed to meet \nexpectations and their performance of \nthe duties and responsibilities of their \nposition needs improvement. \nThe evaluator will circle the letter that applies, or if the form is \nbeing completed electronically, the evaluator should underline or \nbold the letter that applies. Any rating of \"U\" or \u201cN\u201d must be \naccompanied by a supporting diagnosis and prescription. The", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f8e113be-609f-4b33-880c-fdee62e5bc3d": { + "page_content": "being completed electronically, the evaluator should underline or \nbold the letter that applies. Any rating of \"U\" or \u201cN\u201d must be \naccompanied by a supporting diagnosis and prescription. The \nevaluator may add comments to ratings of \"P\" and \"E\" at their \ndiscretion.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "510f0ca6-f434-48fc-b767-8c3804e34bc0": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 13 of 21 \n \nPerformance Ratings (see Performance Standards descriptions \nbelow): \n(Place an X in the appropriate box for each \nstandard and overall) E P N U \nStandard I: Job Functions \nStandard II: Collaboration and Initiative \nStandard III: Communication \nStandard IV: Professionalism and Growth \nOverall Rating \n \nSupervisor's Comments \n1. How long has this employee been under your supervision? \n \n2. General comments, significant other achievements, \nappraisal of potentialities.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8a434dc2-646f-40b8-b0d6-2542b53bd45e": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 14 of 21 \n \n3. This diagnosis and prescription section must be completed \nfor each category evaluated as U \u2013 Unsatisfactory. Identify \nthe item number, the observable need for improvement, the \nrecommendation, and the target date for improvement. \n \n \n \n \n \nEmployee's Comments:", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5c9d04e4-112e-4e3d-9b3c-0a85a446bc33": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \n \nPage 15 of 21 \n \nADMINISTRATIVE GUILD PERFORMANCE STANDARDS \nStandard I: Job Functions. The employee effectively supports the district's and department/school\u2019s \nmission through demonstrated job-specific skills, knowledge, and quality of work after proper \ninstruction. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nI-A. Skills and \nknowledge \nDemonstrates a \ncritical lack of \nnecessary skills \nand knowledge \nto perform one's \nown job, \nincluding the \nability to \neffectively use \nrelevant, position \nspecific \ntechnology. \nDemonstrates \nsome, but not all, of \nthe necessary skills \nand knowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nHas the necessary \ntechnical skills and \nknowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nDemonstrates \nproficiency AND", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "33878835-08ca-4b77-8b40-bd846b04a2ba": { + "page_content": "technical skills and \nknowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nDemonstrates \nproficiency AND \nserves as a resource \nfor other employees \nin similar or related \npositions.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d58dde06-68dd-47c0-83fe-af9809f84a39": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 16 of 21 \n \nI-B. Quality of \nWork \nDemonstrates \neffectiveness at \nfew to none of \nthe \nresponsibilities \ndefined in the \nemployee's job \ndescription. \nDemonstrates \neffectiveness at \nsome, but not all, of \nthe responsibilities \ndefined in the \nemployee's job \ndescription. \nAccurately, \ncompetently, and in a \ntimely manner \nperforms assigned \ntasks as set forth in \nthe job description. \nDemonstrates \nproficiency AND \nmakes significant or \nnoteworthy \ncontributions \ntowards helping \naccomplish the \nschool/department \ngoals.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5e61e534-5cb7-4b17-97de-6af39e2b6246": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 17 of 21 \n \nStandard II: Collaboration and Initiative. The employee supports the district's and the \ndepartment/school\u2019s mission and goals by cultivating a shared vision, modeling responsibility, \naccountability, and cooperation. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nII-A. \nTeamwork \nDemonstrates a \npattern of refusal \nto support \nsupervisor and \nothers as \nidentified in the \njob description. \nDemonstrates \nlimited accuracy \nand support of \nsupervisor and \nothers as identified \nin the job \ndescription when \nasked. \nEstablishes and \nmaintains \nrelationships that \npromote the \nadvancement of \ncommon goals by \nproviding accurate \nand reliable support. \nDemonstrates \nproficiency \nAND takes initiative \nto identify and act \nupon new \nopportunities to \nsupport \nschool/department \nmissions. \nII-B. \nMotivation and \nInitiative \nRequires direct \nintervention and \ncontinual \noversight from \nsupervisor to \nRequires increased", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b031b528-79dd-42eb-973e-9847c5c12dec": { + "page_content": "upon new \nopportunities to \nsupport \nschool/department \nmissions. \nII-B. \nMotivation and \nInitiative \nRequires direct \nintervention and \ncontinual \noversight from \nsupervisor to \nRequires increased \noversight or \nreminders for \nroutine duties \ndespite receiving \nAccomplishes work \nafter proper \ninstruction; seeks \nclarification when \nneeded performs \nDemonstrates \nproficiency AND \nrecommends \nsolutions, as well as \ntakes initiative on", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5406d9d4-8477-45cd-a4c4-09e9bcbfb04b": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 18 of 21 \n \nperform the \nduties outlined \nin job \ndescription. \nstandard support. tasks in anticipation \nof or extraneous to \nnormal \nresponsibilities, \neffectively copes with \nthe unexpected. \nstarting new tasks \nand projects, as \nappropriate, to \nsupport district and \nschool/department \ngoals. \n \nStandard III: Communication. Communicates effectively, professionally and with a customer-focused \napproach; speaking or writing originated by a Guild member. Cultural Proficiency: Actively creates \nand maintains an environment in which students and staff of diverse backgrounds, identities, \nstrengths, and challenges are respected \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nIII-A. Effective \nWritten and \nOral \nCommunicatio\nn \nDemonstrates a \npattern of \nineffectual \nwritten, oral, and \ninterpersonal \ncommunication. \nWritten, oral and \ninterpersonal \ncommunication \noccasionally lacks \nclarity, timeliness, \ncourtesy, or", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9d8188a7-4600-447f-852f-89d287e8acff": { + "page_content": "n \nDemonstrates a \npattern of \nineffectual \nwritten, oral, and \ninterpersonal \ncommunication. \nWritten, oral and \ninterpersonal \ncommunication \noccasionally lacks \nclarity, timeliness, \ncourtesy, or \nAll written, oral, and \ninterpersonal \ncommunication \nproduced is accurate, \nclear, concise, \ncourteous, and timely. \nDemonstrates \nproficiency AND \nmodels effective \npublic demeanor \nand/or participation \nskills.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8a4f4298-6a35-428b-af97-c9051fffa5ee": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 19 of 21 \n \nprecision. \nIII-B. \nCulturally \nProficient \nCommunicatio\nn \nDemonstrates a \npattern of failure \nto ensure \ncommunications \nare always \nrespectful and \ndemonstrate \nunderstanding of \nand sensitivity to \ncultural and \nother \ndifferences. \nDemonstrates \ninconsistency in \nensuring all \ncommunication is \nrespectful and \ndemonstrates an \nunderstanding and \nsensitivity to \ncultural and other \ndifferences. \nEnsures that all \ncommunication is \nconsistently \nrespectful and \ndemonstrates an \nunderstanding of and \nsensitivity to different \nlanguages, cultures \nand values \nrepresented. \nDemonstrates \nproficiency AND \nserves as a \nmodel/resource for \nstaff regarding \nculturally proficient \ncommunication.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2ab1cf46-25bc-4b7d-a00f-9cf6f9742741": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 20 of 21 \n \nStandard IV: Professionalism and Growth. The employee's conduct reflects good judgment and high \nstandards of performance, behavior, and a willingness to grow through ongoing professional \nlearning. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nIV-A. \nProfessional \nJudgment \nDemonstrates \npoor judgment \nand/or discloses \nconfidential \ninformation \ninappropriately. \nOccasionally \ndemonstrates \nquestionable \njudgment and \nsharing of \nconfidential \ninformation. \nDemonstrates sound \njudgment reflecting \nintegrity, honesty, \nfairness, and \ntrustworthiness and \nprotects \nconfidentiality \nappropriately. \nDemonstrates \nproficiency AND \nserves as a model for \nothers regarding \nprofessional \njudgment. \nIV-B. \nAttendance \nand \nPunctuality \nDemonstrates a \npattern of \nproblematic \nbehavior \nregarding \npunctuality, \nExhibits some \nnotable challenges \nwith punctuality, \nattendance, or \ngiving notice of \ntime off.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "cb304492-f324-43e0-a678-7fce17b15220": { + "page_content": "and \nPunctuality \nDemonstrates a \npattern of \nproblematic \nbehavior \nregarding \npunctuality, \nExhibits some \nnotable challenges \nwith punctuality, \nattendance, or \ngiving notice of \ntime off. \nIs punctual; follows \nattendance policy \nnotice requirements. \nDemonstrates \nproficiency AND \nensures that vacation \nand personal leave is \ntaken at a time that \nminimally impacts", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "313d24b7-042b-4043-b68e-edfd4083d438": { + "page_content": "Superintendent\u2019s Circular HRS-PM03 \nPage 21 of 21 \n \nattendance or \ngiving notice of \ntime off. \nthe functioning of \nthe department \nand/or school. \nIV-C. \nFeedback and \nGrowth \nDemonstrates \nresistance to \nfeedback related \nto performance \nand/or fails to \nuse feedback to \nimprove \nperformance. \nHas notable \ndifficulty receiving \nfeedback related to \nperformance and/or \nusing feedback to \nimprove \nperformance. \nResponds receptively \nand constructively to \nfeedback related to \nperformance and \nuses feedback to \nimprove \nperformance. \nDemonstrates \nproficiency AND \nmodels the use of \nfeedback to \npersonally improve.", + "metadata": { + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf", + "source_link": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "1007849e-755c-4eec-aa7c-b9dfec7c6195": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP13 \nVersion 01 \n \nEMPLOYEE SICK LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston School Committee will not permit any abuse of sick \nleave privileges. Sick leave is a benefit only to be used for \nabsences caused by illness, injury, or exposure to contagious \ndiseases. Those employees who use sick leave for any other \npurpose do a disservice to our students, to their co-workers, and \nto the taxpayers. A public perception that School Department \nemployees abuse sick leave will undermine confidence in and \nsupport for public education in Boston. \nAccordingly, it is and shall be the policy of the Boston School \nCommittee to monitor the sick leave practices of all its \nemployees, to detect any sick leave abuse, and to discipline any \nemployee found to have abused the sick leave privileges. No \nlegitimate sick leave will be denied. No abuse will be tolerated.", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0e355f04-43e5-4feb-bfe5-92c844294b8e": { + "page_content": "employees, to detect any sick leave abuse, and to discipline any \nemployee found to have abused the sick leave privileges. No \nlegitimate sick leave will be denied. No abuse will be tolerated. \nThe Superintendent shall develop and promulgate appropriate \nrules and procedures to implement this sick leave policy. Copies \nof this policy shall be prominently posted at all work locations. \nAttached you will find a document entitled Employee Sick Leave \nPolicy Guidelines. The document provides specific details \nregarding (1) the responsibility of each manager with regard to \nsick leave, (2) managerial intervention required, and (3)", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5bed764f-f89a-4709-a4a2-f4544d6695c1": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 2 of 10 \n \nprocedures mandated to ensure the effective implementation of \nthe Employee Sick Leave Policy. A copy of these guidelines \nshould be posted in the school office, and a copy should be made \navailable in teachers' rooms for review by staff. \nThe School Committee\u2019s Employee Sick Leave Policy and \nGuidelines cover all employees of the Boston Public Schools. In \naccordance with the guidelines, employees absent for six (6) or \nmore consecutive working days must apply for a leave of absence \nthrough the online application and provide a WH-380-E/F form or \nmedical certification/documentation on official letterhead from a \nhealth care provider as determined by their Collective Bargaining \nAgreement, as well as a fitness for duty report to return to work. \nThe medical certification should be on the physician's letterhead \nand should include: \n1. A statement that the physician understands the nature of", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8b279d7d-d6e5-4b00-97fa-87cd66169fba": { + "page_content": "The medical certification should be on the physician's letterhead \nand should include: \n1. A statement that the physician understands the nature of \nthe employee's duties and that the employee is incapable of \nperforming the duties and responsibilities of their position. \n2. A statement of anticipated duration of the absence or the \nexpected date of the return to work (if the duration is \nunknown, the letter should indicate when the employee will \nbe seeing a physician again and an updated letter would be \nrequired after that visit). \n\u25ba Failure to provide the proper physician's certificate \nwhen required may lead to loss of pay. \nAbsences interrupted by weekends and/or holidays are \nconsidered consecutive. \nAll managers are directed to discuss the guidelines with all staff \nmembers at the beginning of the school year to ensure mutual", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9bf2ae8f-c0b8-49b3-879c-9fc326c281d9": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 3 of 10 \n \nunderstanding. Please note the guidelines are consistent with \nthe BTU and BASAS contracts. \nThe Office of Human Resources has information readily available \non an employee's accumulated benefits such as vacation, sick \nleave, and personal days. It is also able to monitor the attendance \nof the entire School Department workforce. Principals, heads of \nschool, and other administrative heads will be provided with \nperiodic attendance data for employees under their jurisdiction. \nThese reports are expected to assist managers in providing \nappropriate supervision for individuals who exhibit problematic \nattendance patterns. \nFor more information about this circular, contact: \nOwner: Leave of Absence Team \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: OHRLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e897c160-d6cf-4c42-9c08-04fc8e21ab6b": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 4 of 10 \n \n \nEMPLOYEE SICK LEAVE POLICY GUIDELINES \nSTATEMENT \nThe term \u201cmanager,\u201d as used in these guidelines, refers to \npositions such as academic superintendent, senior officer, head \nof school, principal, program director, and director. It is expected \nthat managers may in some cases delegate authority to carry out \nthese procedures to supervisory personnel reporting to them. \nPURPOSE \nThe purpose of these guidelines is to improve employee \nattendance and eliminate any abuse of sick leave benefits. Their \nconsistent application by managers, and compliance by all \nemployees, will make a substantial contribution toward our \nultimate goal of providing an effective and high-quality \neducation for the students in the Boston Public Schools. \nTHE MANAGER HAS PRIMARY RESPONSIBILITY FOR \nEFFECTIVELY IMPLEMENTING THESE GUIDELINES: \n1. Managerial Responsibility: Absenteeism is one of the \nprimary reasons for a manager's inability to accomplish", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2ecafa78-8fe0-464a-b915-7e05e842c2c4": { + "page_content": "EFFECTIVELY IMPLEMENTING THESE GUIDELINES: \n1. Managerial Responsibility: Absenteeism is one of the \nprimary reasons for a manager's inability to accomplish \nexpected results, since it results in less than optimal student \nprogress, missed deadlines, low quality of work due to \ninexperienced replacements, scheduling and coverage \nproblems, and low morale of employees who must assume \nthe absentee's workload. Employee motivation and \nattendance are key factors affecting the productivity of each", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7858e178-1f9b-4ea6-a4e0-ed9f2bd1daad": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 5 of 10 \n \nunit in the school system. A good attendance practice \nwithin a school or department is indicative of a well-\nmotivated and supervised workforce. Therefore, managers \nshould realize that it is in their own best interest to develop \nand to maintain good attendance practices, since their \neffectiveness is measured by the accomplishments of their \nschools and departments. \n \n2. Managerial Judgment: Managers will be expected to \nimplement these procedures, to counsel employees, and to \ntake remedial action when a patterned abuse occurs. Each \nsupervisor should analyze each situation based on its merits, \nconsidering such factors as length of service, total sick leave \naccumulation, number of occurrences (frequency), patterns \nof absenteeism, such as before and after weekends, holidays \nand vacations, severity rate (the duration of absence), and \nthe employee's medical history that is previously known to", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "db5357ba-d5d4-4111-88f6-28e3c7b98544": { + "page_content": "of absenteeism, such as before and after weekends, holidays \nand vacations, severity rate (the duration of absence), and \nthe employee's medical history that is previously known to \nthe manager and/or from information that may be required \nto be on file with the School Department. \n \nMajor attendance problems facing managers are: \na. \"Pre-retirement illness\" \u2014 attempts by long-time \nemployees to exhaust their sick leave benefits before \nretirement \nb. \"Pre-layoff illness\" \u2014 attempts by employees who \nreceived a notice for layoff to exhaust their sick leave \nbenefits before the layoff becomes effective \n \nc. \"Post contract non-renewal illness\" \u2014attempts by \nemployees whose contract has not been renewed \nprior to exhausting sick leave.", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "fcef47b7-1c75-4d7b-ada9-f65cbfc7a55c": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 6 of 10 \n \n3. Managerial Intervention: It is important that the manager \nintervene as soon as an absence pattern is detectable. The \nmanager can discuss the reasons for the pattern or the \nabsences and can prevent the pattern of absences from \nbecoming worse. \nEach manager must review the attendance records of each \nemployee in their organization at least on a quarterly basis \nto monitor attendance practices and to determine if there \nare patterns of sick leave abuse. Each employee whose \nnumber of days or the number of occurrences exceed five \nconsecutive days absent, and there is reasonable cause to \nbelieve that the absence is not an appropriate use of sick \nleave, must be interviewed by the manager. The purpose of \nthis interview is to determine whether there is any \npossibility of sick leave abuse. A written record must be kept \nconcerning the nature of the supervisory discussion or \ninterview.", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e7542751-cb4b-4577-9503-4eef1ff7f2c3": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 7 of 10 \n \nPROCEDURAL REQUIREMENTS \nTo ensure the effective implementation of the Employee Sick \nLeave Policy, employees must adhere to the following \nprocedures: \n1. Notification \na. Employees Serving in Schools: These employees are \nnot entitled to sick leave without loss of pay unless \nthey have notified their head of school or principal, in \naccordance with the schedule established by the \nappropriate head of school/principal. Each employee \nmust indicate the nature of the illness and the period \nof anticipated absence. If, at the expiration of the \nanticipated period, the employee is not recovered, the \nemployee must again notify the head of \nschool/principal of the reason for the additional period \nof anticipated absence in accordance with established \npractice at their school. Each school must maintain and \npost in appropriate locations a standard policy for \nnotice of absence. \nb. Employees Not Serving in Schools: These employees", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "66a52bfe-2029-4187-97a3-624eec625050": { + "page_content": "practice at their school. Each school must maintain and \npost in appropriate locations a standard policy for \nnotice of absence. \nb. Employees Not Serving in Schools: These employees \nare not entitled to sick leave without loss of pay unless \nthey have notified their manager of the absence, its \ncause, and anticipated duration before the expiration \nof the first fifteen (15) minutes after their normal \nreporting time or as soon as practical. If, at the \nexpiration of the anticipated duration, the employee is \nnot recovered, the employee must again notify the \nmanager of the reason for the additional period of", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7cb7b75b-707d-4be0-b7d2-2223ef69a421": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 8 of 10 \n \nanticipated absence the day before the employee is \nexpected to return to work. \nc. Illness During Work Hours: When an employee \nbecomes ill during regular work hours, the employee \nmust notify the manager. The manager will record the \nlength of absence. \nd. Failure to Notify: Employees failing to give proper \nnotice in the absence of extenuating circumstances \nshall be considered without authorization and are \nsubject to progressive disciplinary action. \ne. Reporting time: All managers must ensure that all \ntime reporting is entered into the system consistent \nwith established procedures in order that employee\u2019s \nabsences are correctly charged and leave balances \nmaintained. As usual, Department Time Summary \nReports must be submitted to the BPS Payroll Office in \naccordance with the payroll schedule. \n2. Physician's Certificate: If the absence is of six (6) or more \nconsecutive working days' duration, a physician's certificate", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b64c5457-77bd-4222-9044-a17cca626303": { + "page_content": "accordance with the payroll schedule. \n2. Physician's Certificate: If the absence is of six (6) or more \nconsecutive working days' duration, a physician's certificate \nwill be required upon return to work, or prior to return if \nrequested. When the record of repeated absences reflects a \nclear pattern of abuse \u2014 such as consistent three (3) days \npresent, two (2) days absent \u2014 the manager should request \na physician's certificate, even though it may not be required \nunder the relevant collective bargaining contract. In such \ncircumstances, the employee should be advised that a \nphysician's certificate may be the only adequate refutation", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4e298b55-bec2-43d2-871b-38dc31c9e439": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 9 of 10 \n \nto the charge of sick leave abuse. The physician's certificate \nshould include the following: \na. A statement that the physician understands the nature \nof the employee's duties and that the employee is \nincapable of performing the duties and responsibilities \nof their position. \nb. A statement of anticipated duration of the absence or \nthe expected date of return to work (if the duration is \nunknown, the letter should indicate when the \nemployee will be seeing the physician again, and an \nupdated letter would be required after that visit). \nIf the physician's certificate does not include these \nstatements, the manager must notify the employee to \nobtain the omitted information before authorizing sick \nleave. \nALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A \nCONFIDENTIAL BASIS. \nIf, during the interview, the supervisor learns that an employee \nhas a chronic or disabling condition which may qualify that", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c721f223-4abb-4b84-81a8-6789754a5762": { + "page_content": "ALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A \nCONFIDENTIAL BASIS. \nIf, during the interview, the supervisor learns that an employee \nhas a chronic or disabling condition which may qualify that \nperson for consideration as a handicapped individual, (1) you \nshould contact the Office of Equity at 617-635-9650. \n \n(1) 1A handicapped individual includes someone who has, has \nhad, or is thought of as having a physical or mental condition \nthat substantially limits a major life activity, including working. \nThe condition may be permanent or temporary.", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bb3bb120-bfc6-435e-82dd-e998e4b227f4": { + "page_content": "Superintendent\u2019s Circular HRS-PP13 \nPage 10 of 10 \n \nA handicapped individual is defined as any person who has a \nphysical or mental impairment which substantially limits one or \nmore major life activities, such as: caring for oneself, performing \nmanual tasks, seeing, hearing, speaking, breathing, or learning. \nThe Office of Human Resources and Office of the Legal Advisor \nare available for advice and counsel. \nWhile the managers are the central figures in managing \nattendance, the Office of Human Resources and Office of the \nLegal Advisor are prepared to provide them with the following \ntechnical support: \n1. Advise managers in their effort to change unacceptable \nabsence patterns. \n2. Provide an early referral system for health, emotional, \nalcoholic, or drug-related matters. \n3. Provide an effective mechanism for a centralized sick leave \nand vacation reporting system. \n4. Interpret policy and procedures and assist in the resolution \nof operating problems.", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7e731191-4c18-40f1-844b-800dd78fcbfe": { + "page_content": "3. Provide an effective mechanism for a centralized sick leave \nand vacation reporting system. \n4. Interpret policy and procedures and assist in the resolution \nof operating problems. \n5. Provide advice concerning the implementation of \nprogressive disciplinary action.", + "metadata": { + "file_name": "HRS-PP13 Employee Sick Leave Policy.pdf", + "source_link": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "24e7b76a-9be0-4daf-80fc-0f22c174530b": { + "page_content": "Superintendent\u2019s \nCircular \nSchool Year 2023-2024 \nNUMBER: \nHRS-HS06 \nVersion 01 \n \n \nSUBSTITUTE TEACHERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis superintendent\u2019s circular sets forth information regarding \nthe employment and professional development of substitute \nteachers. \nUSE OF THE AUTOMATED BPS SMARTFIND EXPRESS SYSTEM \n(SUBCENTRAL) \n\u25ba All schools are required to use BPS SubCentral for substitute \nneeds. This will allow the school's central administration to \nunderstand and better manage operations. This will also \nallow OHC to monitor and accurately report fill rates as well \nas recruit for hard-to-fill vacancies. \nThe Office of Human Resources is committed to ensuring the \nactive substitute pool consists of high-quality substitute teachers. \nBPS SubCentral allows principals and heads of schools to view \nand coordinate substitute activities and view past, current, and", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "32c993fc-73c8-4603-9c12-442a3dc08354": { + "page_content": "active substitute pool consists of high-quality substitute teachers. \nBPS SubCentral allows principals and heads of schools to view \nand coordinate substitute activities and view past, current, and \nfuture jobs for the school, helping them to better understand and \nmanage absenteeism. \nBPS SubCentral is available via the Internet and mobile app 24 \nhours a day, 7 days a week, from any Internet-enabled computer \nor mobile device with an Access ID and PIN. BPS SubCentral can", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f0950d8a-0fd3-4d52-9657-8a75cbe40e49": { + "page_content": "Superintendent\u2019s Circular HRS-HS06 \nPage 2 of 7 \n \n \nbe accessed at https://bostonps.eschoolsolutions.com, or by \ntelephone at 857- 254-1707. \nWith BPS SubCentral, schools can create and manage their own \npreferred substitute list, create absences and vacancies, and pull \nindividual reports unique to their school. Preferred substitutes \nwill be contacted first about a substitute teaching opportunity. If \nthe vacancy still exists after all a school\u2019s preferred substitutes \nhave been contacted, the SubCentral platform will then begin \ncontacting other substitutes registered within the system. Those \nsubstitutes on a particular school\u2019s \u2018Do Not Use\u2019 list will not be \ncalled, nor will they be able to view open substitute opportunities \nfor that school. \nFor more information on BPS SubCentral, please contact \nSubCentral via email at bpsSubCentral@bostonpublicschools.org. \nTYPES OF SUBSTITUTE TEACHERS \n\u25cf Degree per diem substitute teachers work day-to-day", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0dcd246c-e1e7-4268-8f61-5b186f9a219b": { + "page_content": "SubCentral via email at bpsSubCentral@bostonpublicschools.org. \nTYPES OF SUBSTITUTE TEACHERS \n\u25cf Degree per diem substitute teachers work day-to-day \nassignments to temporarily fill positions. Those with at least \na bachelor's degree who are assigned to fill a position \nanticipated to be vacant for more than 20 consecutive \nworkdays, but less than a full year, or who serve \ncontinuously for more than 20 consecutive workdays in the \nsame assignment, are considered per diem substitute \nteachers covering a long-term assignment. \no A qualified and properly licensed long-term substitute will \nbe granted a provisional teacher contract on or before \nDecember 1st if the assignment in which they is serving \nbecomes vacant for the remainder of the school year.", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8b41bda9-9a15-491e-b142-2309499cd339": { + "page_content": "Superintendent\u2019s Circular HRS-HS06 \nPage 3 of 7 \n \n \n\u25cf Non-degree per diem substitute teachers do not hold a \nbachelor's degree. The non-degree per diem substitute \nteachers work day-to-day assignments to fill positions on an \ninterim basis and may not take on long-term assignments. \n\u25cf Cluster substitute teachers are assigned to a school for a full \nyear to cover various teacher absences in the school, as \nneeded, on a daily basis. The cluster substitute positions are \ntypically created during the budget season and charged to \nthe school\u2019s budget. If schools are interested in having a \ncluster substitute for the school year, please contact your \nbudget analyst and Human Resources staffing manager. \n \nMINIMUM QUALIFICATIONS \nPer Diem Substitutes: \nAre required to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org; you must complete the course with at \nleast an 85% average and submit a Sub Diploma from the course. \nLong-term Substitutes:", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0049956c-58f0-4b8a-8b7f-48eb514ba3d9": { + "page_content": "online at www.STEDI.org; you must complete the course with at \nleast an 85% average and submit a Sub Diploma from the course. \nLong-term Substitutes: \nMust have a bachelor\u2019s degree and at least one of the following \nrequirements: \n\u25cf A Mass. Teaching License (out of state licenses will be \nconsidered with teaching experience) \n\u25cf Complete the Sub Skills Basic Training Course online at \nwww.STEDI.org; you must complete the course with at least \nan 85% average.", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2dc499f2-7a22-4ec2-8e2e-1e39e2219809": { + "page_content": "Superintendent\u2019s Circular HRS-HS06 \nPage 4 of 7 \n \n \n\u25cf Two years\u2019 teaching experience. You may additionally be \nasked to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org. \n\u25cf If you were successfully hired for a substitute teaching \nposition and you do not hold an initial teaching license from \nthe Massachusetts Department of Elementary and \nSecondary Education, you must take and pass the Utah \nSubstitute Assessment test with a score of 85 or above. \n\u25cf All candidates must be fingerprinted and pass a criminal \noffender (CORI) and sexual offender (SORI) records check. \nThe criminal offender/sexual offender record check \nrequirement cannot be waived. \nThe Substitute Teaching Institute (STEDI) of Utah State University \ncreated and oversees the Substitute Teacher Training Program. It \nprovides 6\u201313 hours of sub instructor training, either online or via \nCDs, and an assessment at the completion of the program. The", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "97b22d42-6e8a-439c-9708-f32f82107c69": { + "page_content": "created and oversees the Substitute Teacher Training Program. It \nprovides 6\u201313 hours of sub instructor training, either online or via \nCDs, and an assessment at the completion of the program. The \ncost of the program, which will be borne by the candidate, is \n$39.95 plus shipping and includes the interactive SubInstructor \ntraining (included as a CD), a substitute teacher handbook, and \nthe online sub assessment and SubDiploma. Information for the \ncandidates is posted on the BPS website. \nSUBSTITUTE HIRING \nAll hiring for substitutes will take place through the online BPS \nCareer Center (TalentEd). Applicants must create a profile and \napply to the district-wide substitute teacher job posting through \nthe BPS Career Center (TalentEd). Applicants will be hired as a \nBPS per diem substitute teacher after review of their application \nin its entirety, submission of all required documentation, and", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "66c578a2-5b35-40b9-8264-dd784e1e68e8": { + "page_content": "Superintendent\u2019s Circular HRS-HS06 \nPage 5 of 7 \n \n \nsuccessful completion and passing of a background check, which \nincludes fingerprinting and CORI/SORI checks. \nSUBSTITUTE TEACHER REQUEST & RECOMMENDATIONS \nPrincipals and heads of schools can either request or recommend \nan individual for a per diem or long-term substitute appointment \nat their specific school. To submit a per diem and long-term \nsubstitute, the school leader or hiring manager will need to \nsubmit the candidate for hire via the BPS Career Center \n(TalentEd). All school leaders and hiring managers will have \naccess to the districtwide substitute job posting. Please note: \nonce the substitute has been hired, it is the responsibility of the \nschool to post the absence and vacancy in SubCentral and assign \nit to the substitute as required. \nPROFESSIONAL DEVELOPMENT \nLong-term and cluster substitute teachers are required to \nparticipate in up to 18 hours of professional development with", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "147f38b0-9757-4fa5-a552-394675d343b9": { + "page_content": "it to the substitute as required. \nPROFESSIONAL DEVELOPMENT \nLong-term and cluster substitute teachers are required to \nparticipate in up to 18 hours of professional development with \nregular teachers. If this professional development is scheduled \nbeyond the school day, long-term and cluster substitute teachers \nare paid for this time and are compensated through stipend \npayments provided by the school. \nNew substitute teachers may also be required to attend up to \nthree days of training to prepare them to teach in the Boston \nPublic Schools. \n \nADMINISTRATIVE RESPONSIBILITY \nHeads of schools and principals are responsible for establishing \npractices and procedures that enable substitute teachers to", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f0964dd0-2833-4578-96b1-9149411efd3d": { + "page_content": "Superintendent\u2019s Circular HRS-HS06 \nPage 6 of 7 \n \n \nprovide students with educationally meaningful work and allow \nfor the maximum educational use of the school day. As part of \nthis responsibility, heads of schools and principals or their \ndesignees should consider providing substitute teachers with the \nfollowing items: \n\u25cf A daily plan book, lesson plan, or other academic activity for \nall classes of the absent teacher. Heads of schools and \nprincipals are responsible for ensuring that all teachers \nprepare appropriately, and continually update plan books \nand lesson plans so that the lesson taught by the substitute \nteacher is consistent with the subject matter being taught \nto the class. \n\u25cf A copy of the absent teacher\u2019s schedule, including subjects \nand levels of instruction, room assignments, administrative \nassignments, lunch, and common planning time. \n\u25cf Homeroom and class lists and seating plans. \n\u25cf A bell schedule.", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "cc83e876-392a-452c-b8cd-e35f6f00ec7e": { + "page_content": "and levels of instruction, room assignments, administrative \nassignments, lunch, and common planning time. \n\u25cf Homeroom and class lists and seating plans. \n\u25cf A bell schedule. \n\u25cf A concise statement of school policies and procedures \nregarding the taking of attendance, modes of disciplinary \nreferral, referral for illness, emergency procedures, and any \nother pertinent information a substitute teacher may need. \n\u25cf Name and location of the administrator responsible for the \nschool's substitute teachers. \n \nThese materials may be kept in the school office or distributed to \nsubstitute teachers in some other manner that is effective.", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f6963bf8-64de-418d-b955-c08ad091a8be": { + "page_content": "Superintendent\u2019s Circular HRS-HS06 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nName: BPS SubCentral \nDepartment: Office of Human Resources \u2013 Sub Central \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-HS06 Substitute Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "cbfe5737-5977-4bbf-a730-13e75123750a": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP17 \nVersion 01 \n \nEMPLOYEE RESIGNATION, RETIREMENT, AND \nSEPARATION PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA resignation is a voluntary action taken by an employee who \nwishes to terminate their employment with the Boston Public \nSchools. \nRESIGNATION/SEPARATION \nAn employee shall notify their immediate supervisor regarding \ntermination of employment with Boston Public Schools. This \nnotice must be in writing, state the employee\u2019s last day of work, \nand be signed by the employee. A sample resignation letter \n(found on page 7) may be used to provide written notice. \nTo submit a resignation letter: \n1. Complete the resignation termination form by clicking on \nthe link Termination/Retirement/Resignation Notification \nForm. Complete the form and upload a signed letter of \nresignation. Please enter a personal email address on the", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d4829e15-68fb-45a0-8007-785cde646088": { + "page_content": "the link Termination/Retirement/Resignation Notification \nForm. Complete the form and upload a signed letter of \nresignation. Please enter a personal email address on the \nresignation/termination form to receive the final email \nnotification acknowledging your resignation from the Office \nof Human Resources.", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "add6a272-e02e-487d-ae58-1ecb8857bfa9": { + "page_content": "Superintendent\u2019s Circular HRS-PP17 \nPage 2 of 7 \n \n2. The resignation form will send an email notification to your \nsupervisor. \n3. Supervisors will approve/process, and notification will then \nbe sent to the Office of Human Resources to process. \n4. An email notification finalizing the process will be emailed \nto your personal email address that you provide on the \nresignation/termination form. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please \nprovide your personal email address to receive the final \nemail notification acknowledging your resignation from the \nOffice of Human Resources. \nRETIREMENTS \n1. An employee who is planning to retire must first file an \n\u201cIntent to Retire\u201d with the City of Boston Retirement Board. \nPlease note that pursuant to Retirement Board policy, an", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bdce7a38-8ca1-413b-ac29-0923040f448e": { + "page_content": "RETIREMENTS \n1. An employee who is planning to retire must first file an \n\u201cIntent to Retire\u201d with the City of Boston Retirement Board. \nPlease note that pursuant to Retirement Board policy, an \nemployee cannot file the Intent to Retire more than four (4) \nmonths prior to their intended retirement date. \n2. After you submit your signed Intent to Retire form to the \nBoston State Retirement Board, please complete the \nResignation/Retirement form by clicking on the link \nTermination/Retirement/Resignation Notification Form. \n3. Upload a signed letter resigning for the purpose of retiring \nalong with your signed Intent To Retire form that you \nsubmitted to the Retirement Board. Please enter a personal \nemail address on the retirement/resignation form to receive", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0fe691d9-1a99-406e-aee5-fee395bfefc8": { + "page_content": "Superintendent\u2019s Circular HRS-PP17 \nPage 3 of 7 \n \nan email notification acknowledging your \nretirement/resignation when finalized by the Office of \nHuman Resources. \n4. Resignation/Retirement form will send an email notification \nto your supervisor who will sign off on the notification of \nyour resignation/retirement and submit notification to the \nOffice of Human Resources to finalize the retirement \ntermination process. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please \nprovide your personal email address to receive the final \nemail notification acknowledging your \nretirement/resignation. \nFor more information on the retirement process, employees \nshould contact the Boston Retirement Board for an appointment \nby telephone at 617-635-4311 or via email at", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "12ad519f-617d-4652-a58c-586736701bb8": { + "page_content": "retirement/resignation. \nFor more information on the retirement process, employees \nshould contact the Boston Retirement Board for an appointment \nby telephone at 617-635-4311 or via email at \nretirementboard@boston.gov. The Retirement Board is located \nat 1 City Hall Square, Room 816, Boston, MA 02201-2038. \nCANCELLATION OF RESIGNATION/RETIREMENT \nResignations and retirements may be canceled before an \nemployee\u2019s effective date of termination. A signed letter must be \nreceived by the Office of Human Resources and Retirement \nBoard if canceling retirement prior to the close of business on the \noriginal resignation/retirement date. \nOnce the resignation effective date has passed, an employee may \nreturn to the Boston Public Schools only through the", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e47fc7b3-df78-4fc8-a296-4960b930c9a7": { + "page_content": "Superintendent\u2019s Circular HRS-PP17 \nPage 4 of 7 \n \nreemployment process by applying for a position. \nEMPLOYEE SEPARATION CHECKLIST (EMPLOYEE PORTION): \nTerminating employees are advised to complete the following \nprior to exiting Boston Public Schools: \n1. Complete the resignation/retirement termination \nnotification form and upload a signed letter of resignation to \nyour school/dept or OHC over the summer months by \nclicking on the link Termination/Retirement/Resignation \nNotification Form. See sample resignation letter on page 4 \nof this circular. \n2. Please return any Boston Public Schools property that you \nstill have in your possession, e.g., keys, cell phone, laptop, \netc., on or before your last day of employment. For keys and \nschool building materials, please contact your school leader \nto arrange to return those items. \n3. L4L Laptop (Laptops for Learning), please call the OIIT \nService Desk, 617-635-9200 to schedule an appointment to", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "22c9434e-efa6-43be-b4be-f7a1b28c3c3c": { + "page_content": "to arrange to return those items. \n3. L4L Laptop (Laptops for Learning), please call the OIIT \nService Desk, 617-635-9200 to schedule an appointment to \nreturn the laptop, bag, and peripherals. \n4. Enter all Absence Requests on Employee Self Service (ESS). \n5. Cancel any meetings or out of district activities that are \nscheduled prior to the last day of employment and work \nwith your supervisor to achieve a smooth transfer of duties. \n6. Update your home address for future correspondence (i.e., \nfinal paycheck, W2, benefit information, severance etc.); \nremove mailing address if home address is same as mailing \naddress. \n7. Remove all personal files from district servers and", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "04e52b59-65b9-44af-8e76-bf48029f2521": { + "page_content": "Superintendent\u2019s Circular HRS-PP17 \nPage 5 of 7 \n \ncomputers. \n8. Inform your supervisor of the location of job-related files and \nmake those files accessible to the supervisor. \nEMPLOYEE SEPARATION CHECKLIST (SUPERVISOR PORTION): \nAn employee\u2019s supervisor is responsible for collecting the \nfollowing applicable items and/or addressing the following \nissues: \n1. Have the employee enter the resignation/retirement letter \non the electronic termination form at this link \nTermination/Retirement/Resignation Notification Form, or \nyou or your secretary can complete the form and upload the \nemployee\u2019s signed letter of resignation on the employee\u2019s \nbehalf. A sample letter is located on page 4 of this circular. \n2. Process all absences on Employee Self Service in a timely \nmanner. \n3. Obtain the following items (all that apply): \na. Keys (office, building, cabinet, desk, vehicles, other). \nb. Badge/ID (office, building, other). \nc. Department issued equipment (computers, laptops", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "954988e9-2d8b-47d3-bf59-a3b9b693de8d": { + "page_content": "a. Keys (office, building, cabinet, desk, vehicles, other). \nb. Badge/ID (office, building, other). \nc. Department issued equipment (computers, laptops \n(except L4L laptops), printers, modems, etc.) See above \nfor L4L laptop returns to OIIT. \nd. Cell phone and accessories, pager, radios. \ne. Department issued uniforms. \nf. Department issued property.", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a7becdc6-edb1-4108-ac7e-a25145aaea4e": { + "page_content": "Superintendent\u2019s Circular HRS-PP17 \nPage 6 of 7 \n \nBENEFITS \nAn employee may be eligible to continue to purchase certain \nbenefits after they leave. Upon loss of coverage for an employee \nand/or their eligible dependent(s), a COBRA notification packet \nwill be mailed to the employee and/or their eligible dependent(s). \nThe law requires that this packet be sent by mail to the last \nknown address of the employee and/or the employee's eligible \ndependent(s). For additional information on COBRA, see COBRA \nQuestions and Answers. \nPlease contact the City of Boston Health Benefits Office at 617-\n635-4570 for further information. \nThe Office of Human Resources provides this FAQ Retirements, \nResigning, Non-Renewal, Lay Off. \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3301e2d8-f864-4e73-b699-314e4f2e2739": { + "page_content": "Owner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6b2925f1-c282-4dec-8ea0-130be07b0db4": { + "page_content": "Superintendent\u2019s Circular HRS-PP17 \nPage 7 of 7 \n \nSAMPLE EMPLOYEE RESIGNATION LETTER \nEmployee Name: \nEmployee Address: \nDate: \n \nDear (Principal/Head of School/Supervisor), \nThis letter is to inform you that I will be resigning from my \nposition as [name of position] at [name of school or department] \neffective [date]. \nOptional: May include reasons for resigning in the body of the \nform. \nI certify that this resignation is executed by me voluntarily and of \nmy own free will. \n \nEmployee Name: \nEmployee Signature: \nDate:", + "metadata": { + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf", + "source_link": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "43aa61e8-8a77-479f-8bb3-dbb73c851fd6": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-HS07 \nVersion 01 \n \n \nSTAFFING, REASSIGNMENT AND HIRING OF \nPERMANENT AND PROVISIONAL TEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular outlines important dates and procedures regarding \nthe staffing of schools for the 2023-2024 school year. Reflected in \nthis circular are policies from the BPS-BTU Collective Bargaining \nAgreement, as well as information regarding the accelerated \nhiring timeline and hiring autonomy framework designed to \nenable all BPS schools to attract and hire the most diverse, \nqualified, and effective teachers as early as possible. \nBoston Public Schools and our school leaders are committed to \nbuilding excellent schools that prepare our students to compete \nand succeed in the 21st century. To cultivate world-class, global \ncitizens, we commit to recruiting, retaining, and promoting a \ndiverse, highly qualified, and effective workforce.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "285bbb23-9bec-42ff-a7c7-61ec8bddf468": { + "page_content": "and succeed in the 21st century. To cultivate world-class, global \ncitizens, we commit to recruiting, retaining, and promoting a \ndiverse, highly qualified, and effective workforce. \nAs an urban district with an increasingly diverse student body, it \nis also imperative that schools fully comply with the Final \nJudgment of the Federal Court dated July 1994 that requires \ndistrict and examination schools to employ a minimum of 25% \nBlack teachers and staff and 10% other minority teachers.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f9b84589-197e-4a3f-911d-20268ca221c5": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 2 of 27 \n \n \nIn addition, one of our continuous hiring goals is to increase our \nnumber of bilingual teachers and staff to support our English \nLanguage Learner populations. We urge school leaders to take \nevery possible step to help each school, and the district as a \nwhole, to meet these mandates and goals. \nCONTENTS: links below jump to the section named. \nI. Determination of School Staffing Needs \nII. Posting of Teaching Positions \nIII. Excessing \nIV. Staffing of Provisional Teachers \nV. Leaves of Absence \nVI. Hiring of International Teachers \n \nAttachments: \nATTACHMENT 1: Application for Voluntary Excessing for Teachers \nand Paraprofessionals \nATTACHMENT 2: Application for Additional Program Areas (APA) \nATTACHMENT 3: Application Process for Job Sharing \nATTACHMENT 4: SY 2023-24 Staffing Calendar", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5972522e-d22a-43d2-aeba-754dabdc46b3": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 3 of 27 \n \n \nI. DETERMINATION OF SCHOOL STAFFING NEEDS \nTimeframe: November to February \nEvery fall, schools develop budget and staffing plans for the \nfollowing year based on each school\u2019s projected enrollment. \nOnce a school\u2019s estimated budget is established, the process \nknown as Probable Organization (\u201cProbable Org\u201d) begins, in \nwhich schools, together with representatives from the Office of \nHuman Resources, identify their staffing plans for the upcoming \nschool year. \nSeveral components make up the Probable Organization process: \nANNUAL BUDGET COLLABORATIVE AND PROBABLE \nORGANIZATION PROCESS \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \nFinance Office sends schools \ntheir enrollment projections for \nthe following year \nReview projections \nand report back to \nFinance and school \nsuperintendent if \ndiscrepancies exist \nMid-to-late \nNovember \nFinance Office calculates each \nschool\u2019s budget based on", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "984db9e5-2024-4afb-b161-135a7c4b1015": { + "page_content": "Review projections \nand report back to \nFinance and school \nsuperintendent if \ndiscrepancies exist \nMid-to-late \nNovember \nFinance Office calculates each \nschool\u2019s budget based on \nWeighted Student Funding \n(WSF), in which specific student \ncharacteristics (e.g., special \nneeds, early childhood, etc.) are \nassigned weights that \ndetermine school funding above \nReview budget and \ncomplete \nFutureForce Version \n1, in consultation \nwith Budget, OHC, \nOEL, and Special \nEducation, as \nneeded \nDecember", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "db221ff6-6b79-4709-9f39-1e04a8ce6bbf": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 4 of 27 \n \n \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \nthe school\u2019s foundation amount \nplus base per-pupil amounts. \nBudget Collaboratives: \nrepresentatives of Budget, OHC, \nOEL, Special Education, \nPlanning & Analysis, school \nsuperintendents and school \nleaders meet to map the school \nstructure for the following \nschool year in FutureForce \nVersion 2, including discussion \nof position reductions and \nadditions to ensure \nprogrammatic, enrollment, or \nbudget changes meet projected \nstudent needs \nEnsure all formative \nassessments are \nentered into \nTeachPoint for all \neducators on plans \nof one-year or less \nby January 15. This is \na contractual \ndeadline for all \nschools. \nEarly-mid \nJanuary \n\u2022 Office of Human Resources \nprepares staffing-related \ndata reports for schools, \nincluding relevant personnel \ninformation including: \n\u2022 Leaves of absence for SY \n2023-24 and SY 2024-25 \n\u2022 Licensure and Sheltered", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9da2548a-ad49-4261-a531-5fc4e68355ea": { + "page_content": "prepares staffing-related \ndata reports for schools, \nincluding relevant personnel \ninformation including: \n\u2022 Leaves of absence for SY \n2023-24 and SY 2024-25 \n\u2022 Licensure and Sheltered \nEnglish Immersion (SEI) \nendorsement \nReview staffing-\nrelated data and \nbegin planning for \nimplications of \npersonnel changes. \nDetermine which \nprovisional teachers \n(if any) can/will \nreceive letters of \nreasonable \nassurance. \nMid-January", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "664945de-c26b-4b40-acb2-d338e5377367": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 5 of 27 \n \n \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \n\u2022 Additional program area \nrequests \n\u2022 Voluntary requests for \nreassignment \n\u2022 Reasonable \nassurance/permanency \ndecisions for provisional \nteachers \n \nProbable Organization: OHC, \nBudget, OEL, Special Education, \nschool superintendents and \nschool leaders meet to map the \nstaffing for the following school \nyear in FutureForce Version 3. \nProvide BTU \nrepresentative with \nlist of provisional \nteachers \nrecommended to \nreceive Reasonable \nAssurance \nLate \nJanuary-\nearly \nFebruary \nPosting Positions: School \nleaders, OHC, and Budget \nrepresentatives confirm \nvacancies and newly created \npositions, then post positions for \nthe upcoming staffing cycle. \nSubmit job \ndescriptions for \nvacant and newly \ncreated positions to \nOHC \nLate \nFebruary", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4cb75ef0-b25e-4317-8307-6474f3835e0d": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 6 of 27 \n \n \nII. POSTING OF TEACHING POSITIONS \nThe staffing process for the 2023-2024 school year includes a \nhiring timeline designed to facilitate attracting and hiring the \nmost diverse, qualified, and effective teachers as early as possible. \nPersonnel Subcommittee \nSchools must ensure that the Personnel Subcommittee of the \nSchool Site Council is formed and ready to begin the hiring \nprocess by March 1. Schools must submit a complete roster of \nPersonnel Subcommittee members to the Office of Family and \nStudent Engagement by the end of October. Training related to \npersonnel subcommittees are offered by the Office of Family and \nStudent Engagement, the BTU, and the Office of Human \nResources. Details about the personnel subcommittee can be \nfound in Superintendent\u2019s Circular FAM-04. \nProcess \nHiring early will ensure that schools are able to secure the most \nqualified candidates. Positions will be posted on TalentEd in early", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c654ab03-277b-4f38-8f8a-bbc09651932c": { + "page_content": "found in Superintendent\u2019s Circular FAM-04. \nProcess \nHiring early will ensure that schools are able to secure the most \nqualified candidates. Positions will be posted on TalentEd in early \nMarch once Probable Org and determination of vacancies have \nbeen concluded. Teachers who wish to apply for a position \neffective the first day of school for the upcoming school year \nmust apply for postings online through TalentEd. Current BPS \nteachers may apply for any position for which they are qualified. \nApplicants who wish to be considered for inclusion in the district \npriority pool must submit their applications for the priority pool \nthrough TalentEd by March 1, 2024. Candidates for the priority \npool will undergo a competency-based phone and resume \nscreening process coordinated by the Office of Recruitment, \nCultivation, and Diversity.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "11cca848-16f0-4b05-adad-4ec9afba10ac": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 7 of 27 \n \n \nAll approved hires will become effective on the first day of work \nfor the upcoming school year. Any teacher who accepts a new \nposition is not eligible to apply for any additional teaching jobs \nfor the 2024-2025 school year. Beginning July 1, 2023, OHC will no \nlonger approve lateral hires to prevent unanticipated vacancies \nlate in the hiring season. \nHiring Approval \nThe Boston Public Schools is committed to recruiting, retaining, \nand promoting a highly qualified, culturally, and linguistically \ndiverse workforce that reflects the rich diversity of our students \nand positively impacts both academic and non-academic student \nlearning outcomes. The Office of Equity, Office of Human \nResources, and school superintendents will establish an \naccountability process to ensure that reasonable efforts have \nbeen made to hire teachers that move schools and the district \ntoward meeting our workforce diversity goals.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "a08cd8ca-22dc-419e-8dbf-8cebd6aef170": { + "page_content": "accountability process to ensure that reasonable efforts have \nbeen made to hire teachers that move schools and the district \ntoward meeting our workforce diversity goals. \nCandidates hired must be qualified and meet diversity hiring \nrequirements: \n\u2022 Teachers hired must hold valid licensure for the position. \n\u2022 Teachers hired must move the school toward meeting or \nmaintaining district diversity goals. \n\u2022 School hiring teams must complete reference checks. \nHeads of school or principals and School Site Council Personnel \nSubcommittees should also be sure to interview qualified \nexcessed permanent teachers. \nQualifications for Additional Program Areas \nDeadline: January 1, 2024", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4185c4ca-2d1f-4b76-9c46-40568355bafe": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 8 of 27 \n \n \nPermanent teachers may apply for additional program area(s) to \nidentify a non-primary subject area(s) in which they are licensed. \nPermanent teachers who wish to apply for additional program \nareas must submit their request via this online form to the online \nApplication for Additional Program Areas. Supplemental \nmaterials must be submitted to the Office of Human Resources \nby mail or in person. Applications and complete documentation \nmust be submitted to the Office of Human Resources by January \n15, 2024. \nFor additional information about applying for additional program \nareas, please refer to Superintendent\u2019s Circular HRS-HS07.1, \nQualifications for Additional Program Areas. \nJob Sharing for Permanent Teachers and Paraprofessionals \n1) Eligibility: All teachers requesting participation in job-\nsharing must hold the appropriate license for the position. \n2) Process: Permanent teachers or paraprofessionals who wish", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5d8cb161-6c29-4c0c-ac33-8ca1ed8a573f": { + "page_content": "1) Eligibility: All teachers requesting participation in job-\nsharing must hold the appropriate license for the position. \n2) Process: Permanent teachers or paraprofessionals who wish \nto indicate their interest in job sharing should submit an \napplication via the Application for Job Sharing form by \nMonday, March 25, 2024. Each candidate must submit their \nown application. This submission of the application is an \nindication of interest only and is not binding. \nParticipation in job-sharing requires approval by the \nprincipal/head of school. The principal/head of school should \nsubmit their approval via the Job Sharing Principal Approval form \nby Monday, March 25, 2024. \nFor additional information about job sharing please refer to \nSuperintendent\u2019s Circular HRS-HS02, Job Sharing for Permanent \nTeachers and Paraprofessionals for School Year 2023-2024. The \nBoston Teachers Union also holds an informational meeting", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "4f7c191d-a761-4a69-b0b5-88fa5bc0a875": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 9 of 27 \n \n \nevery spring. Information on the specific date and time will be \nshared in the BTU bulletin. \nIII. EXCESSING \nVoluntary and Involuntary Reassignment/Excess \nA. Voluntary Excessing \u2013 Teachers and Paraprofessionals \nDeadline: February 1, 2024 \nAll permanent teachers or paraprofessionals who meet the \nVoluntary Excessing eligibility criteria as outlined in the \nCollective Bargaining Agreement (1) including those on \nleave of absence, may voluntarily request excessing \nregardless of whether there is a reduction in the number of \npositions. Teachers and paraprofessionals who voluntarily \nexcess themselves forfeit their rights to the position they \nhave left. \nVoluntary Excessing Requirements for Teachers: \n\u25cf The teacher must hold permanent status. \n\u25cf The request must be submitted to OHC by February 1, 2024 \n(see instructions below). \n\u25cf The teacher must possess an overall rating of Proficient or", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "931b780d-f6a2-4af8-9159-40bfa563616d": { + "page_content": "\u25cf The teacher must hold permanent status. \n\u25cf The request must be submitted to OHC by February 1, 2024 \n(see instructions below). \n\u25cf The teacher must possess an overall rating of Proficient or \nhigher on their most recent evaluation, which includes the \nFormative Assessment. \n \n(1) Refer to the Collective Bargaining Agreement (September 1, \n2018 \u2013 August 31, 2021) pp. 76-77 for a list of requirements for \nteachers and pp. 136 for paraprofessionals.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e443f4f5-206b-43bc-90bc-8ee0fbb7e459": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 10 of 27 \n \n \n\u25cf The teacher may not have voluntarily excessed themselves \nwithin the prior two years. \n \nTeachers and paraprofessionals who wish to request \nexcessing should submit their Application for Reassignment \nor complete ATTACHMENT 1, Application for Reassignment, \nand submit it to their head of school or principal as well as \nthe Office of Human Resources by February 1, 2024. The \nOffice of Human Resources will review all applications and \ninform teachers or paraprofessionals and the school of the \nresults of the request. Teachers and paraprofessionals who \ndo not meet the above criteria will not be approved for \nvoluntary excessing. Requests for voluntary excessing can \nbe rescinded up until February 9, 2024. Approved requests \nare considered binding after that date. \nB. Involuntary Reassignment/Excessing \nDeadline: All involuntarily excessed teachers and nurses will \nbe notified on or before April 15, 2024.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9b5579cc-b42d-4891-99f3-e2758d0e621d": { + "page_content": "are considered binding after that date. \nB. Involuntary Reassignment/Excessing \nDeadline: All involuntarily excessed teachers and nurses will \nbe notified on or before April 15, 2024. \nTo stay in a current position, permanent educators must \nhold the appropriate license(s) for the role to which they are \nassigned; otherwise, the educator will be excessed. \n \nAdditionally, it may be necessary to excess permanent \nteachers if there is a reduction in the number of teaching \npositions for the following school year, a school is identified \nfor closure, or the Massachusetts Department of Education \ndesignates it as Level 4 school. When a reduction in the \nnumber of positions occurs, involuntary excessing will be", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9a86c455-2f86-43c0-ad2c-5c960494c6a9": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 11 of 27 \n \n \nfirst by volunteers in a program area, then by reverse \nseniority within a program area unless: \na. A teacher with more seniority voluntarily requests to be \nexcessed; or, \nb. The excessing of the least junior teacher would prohibit \ncompliance with U.S. District Court Order dated July \n1994. \nSchools with specific types of staffing autonomy may also \ninvoluntarily excess teachers. The school\u2019s ability to \ninvoluntarily excess teachers must be included in the \nschool\u2019s governing document. \nPlacement in Positions of Suitable Professional Capacity \nPermanent teachers who are not hired into vacant positions \nwill be assigned in a suitable professional capacity in \naccordance with the BPS/BTU contract. \nIV. STAFFING FOR PROVISIONAL TEACHERS \nA. Reasonable Assurance for Provisional Teachers \nFirst and second-year provisional teachers may be eligible to \nreceive reasonable assurance that they will continue in their", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ecc1e3ab-93c7-42bb-bd71-894cf22caf12": { + "page_content": "A. Reasonable Assurance for Provisional Teachers \nFirst and second-year provisional teachers may be eligible to \nreceive reasonable assurance that they will continue in their \ncurrent position for the following school year. Provisional \nteachers must hold a valid DESE license(s) for the position in \nwhich they are teaching in order for a Letter of Reasonable \nAssurance to be granted. No exceptions will be made. \nIn addition to budgetary and licensure concerns, a teacher\u2019s \nperformance, as measured through the Massachusetts \nRegulations on Evaluation of Educators (603 CMR 35.00), is a \nmajor factor in determining whether a provisional teacher \nreceives a Letter of Reasonable Assurance. Principals and", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c7a58992-37e6-420a-a059-0d0b5a9999c7": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 12 of 27 \n \n \nheads of school will be held accountable for ensuring that all \nprovisional teachers receive a Formative Assessment, which \nincludes an overall rating, by February 1, 2024. Provisional \nteachers who have not been evaluated will not be eligible to \nreceive a Letter of Reasonable Assurance. \nDuring Probable Organization, school leaders will work with \nOHC to identify all provisional teachers who are eligible to \nreceive reasonable assurance, listing them in their Probable \nOrganization template. OHC will send letters of Reasonable \nAssurance by April 15 to provisional teachers. \nRequests for permanent appointment for current \nProvisional 1 and Provisional 2 teachers will not be granted. \nSee section IV.A below for information regarding Provisional \n3 teachers and the awarding of permanent status. \nB. Permanent Appointment of Provisional Teachers \nEligibility \nThe Massachusetts Regulations on Evaluation of Educators", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e36c932e-a78b-4987-92d5-9f8fccfc51f8": { + "page_content": "3 teachers and the awarding of permanent status. \nB. Permanent Appointment of Provisional Teachers \nEligibility \nThe Massachusetts Regulations on Evaluation of Educators \nstipulate that achievement of Professional Teaching Status \n(being made a permanent teacher in BPS) is dependent \nupon receiving a rating of Proficient or above on all four of \nthe Standards of Effective Teaching Practice, as well as an \noverall rating of Proficient or Exemplary. See below for \nadditional criteria required for permanent status.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "be64f227-73e9-4483-b754-81295202571a": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 13 of 27 \n \n \nA school leader may recommend an educator (2) for \npermanent appointment (3) if they meet all the following \ncriteria: \n\u25cf The teacher is provisional, and in their third year at BPS. \n\u25cf The teacher received a rating of Proficient or Exemplary \noverall and on all four Standards of Effective Teaching on \na Formative Assessment, released by February 1, 2024. \n\u25cf The teacher will remain in the same position in their \ncurrent school for the 2023-24 school year. \n\u25cf The teacher holds a valid DESE license(s) for the content \narea in which they are teaching. \n\u25cf The teacher holds either an ESL license or SEI \nEndorsement (Core content teachers of ELLs as required \nby DESE) or a Bilingual Educator Endorsement (BEE), \nshould the BEE be requirement by their position. \nPlease note: While the head of school or principal may \nrecommend a Provisional 3 teacher for permanent status \nbased upon fulfillment of the criteria above, the teacher may", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0d956703-fe28-4b1d-9e58-34b2c9613298": { + "page_content": "Please note: While the head of school or principal may \nrecommend a Provisional 3 teacher for permanent status \nbased upon fulfillment of the criteria above, the teacher may \nnot be granted permanent status until a Summative \n \n(2) Educators considered teachers and eligible for Professional \nTeacher Status as defined by M.G.L. c.71 \u00a7 41 include teachers, \nschool librarians, school adjustment counselors, school nurses, \nschool social workers, or school psychologists. \n(3) A school leader may make the recommendation for \npermanent appointment when the educator is still in their third \nyear to take effect on the first day of their fourth year.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2baad696-d5a6-43b6-bfd3-31eff486702e": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 14 of 27 \n \n \nEvaluation is released which indicates Proficient or \nExemplary practice overall in all four standards. \nIf a Provisional 3 teacher does not achieve a rating of \nProficient or Exemplary overall on all four standards on their \nFormative Assessment, they may be required to take a one-\nyear break in service. During the break in service, the \nteacher would not be eligible for employment as a teacher \nor substitute within Boston Public Schools. After the year-\nlong break in service, the teacher would once again be \neligible for vacant teaching positions, and, if hired, would \nreturn to Provisional 1 status. \nProcess \nTo recommend a Provisional 3 teacher for Permanent \nAppointment during Probable Organization, the head of \nschool or principal must take the following steps: \n1) Release the teacher\u2019s Formative Assessment by January \n12, 2024 \n2) Identify the position that the teacher will hold for the \n2023-24 school year", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "806e2ba4-0281-44f5-ba67-7d40c0555a5c": { + "page_content": "1) Release the teacher\u2019s Formative Assessment by January \n12, 2024 \n2) Identify the position that the teacher will hold for the \n2023-24 school year \n3) Record the recommendation for Permanent \nAppointment on the Provisional Review Process page in \nFutureForce Version 2 \n \nIf, upon the principal or head of school\u2019s release of the end-\nof-year Summative Evaluation, the provisional teacher has \nsuccessfully demonstrated effective teaching practice(s) by \nachieving a rating of Proficient or Exemplary overall and on", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "805513dc-1121-4e71-b106-e6ce826365d2": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 15 of 27 \n \n \nall four standards of effective teaching, they will become \npermanent as of September 2023. \nV. LEAVES OF ABSENCE \nA. Planning to Take a Leave of Absence in 2024-2025 \nDeadline: January 15, 2024 \nPermanent teachers who are not currently on leave but \nare planning to take a Leave of Absence during the 2024-\n2025 school year (e.g., personal reasons, education), must \nsubmit a leave application by January 15, 2024. \nEmployees must submit a request for leave electronically \nvia Employee Self-Service. Employees should submit \napplications even if they have not officially been accepted \nfor a job and educational program but are in the \napplication process. If a teacher is not accepted into a \ngraduate program or job, the leave request can be \nrescinded, so long as the Office of Human Resources is \nnotified by April 1. \nFor further information regarding leaves of absences, \nincluding how to apply, please refer to Superintendent\u2019s", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "3f3884a7-ebe8-412c-b8df-1a106df7a631": { + "page_content": "rescinded, so long as the Office of Human Resources is \nnotified by April 1. \nFor further information regarding leaves of absences, \nincluding how to apply, please refer to Superintendent\u2019s \nCircular HRS-HS-PP13.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "37cfbb98-68ab-44e1-8fbe-a1dcd0c6d27f": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 16 of 27 \n \n \nB. Currently on a Leave of Absence \nDeadline: January 15, 2024 \nIn November 2023, teachers currently on non-medical leave \nwill be sent a letter informing them about the expiration of \ntheir leave. The teacher must submit the response form that \naccompanies the letter to the Office of Human Resources, \nstating their request to extend their leave/intent to remain \non their leave or return from leave by January 15, 2024. If the \nteacher does not respond by the deadline, they will forfeit \nrights to their position. \nThe leave letters are sent to the address listed on the Hub. \nEmployees are responsible for ensuring that this address is \ncorrect. For further information regarding leaves of \nabsences, please refer to Superintendent\u2019s Circular HRS-\nPP13, Absence and Leave Policy. \nVI. HIRING OF INTERNATIONAL TEACHERS \nInternational teachers are not legally permitted to work or", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b73612f0-0bd3-44c8-8c71-39a8f22e3dc6": { + "page_content": "absences, please refer to Superintendent\u2019s Circular HRS-\nPP13, Absence and Leave Policy. \nVI. HIRING OF INTERNATIONAL TEACHERS \nInternational teachers are not legally permitted to work or \nto be paid without proof of official United States Citizenship \n& Immigration Services (USCIS) work authorization. Heads of \nschool, principals, or RC managers should make it a \ncommon practice to inquire about the work authorization \nstatus of all their potential new hires.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c536d510-8fd2-4674-bba9-c44a282c9429": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 17 of 27 \n \n \nFor more information about this circular, contact: \nOwner: Chief Human Resources Officer \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Ave. Roxbury, MA 02119 \nPhone: 617-635-9600 \nEmail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bf259e51-502d-4583-b313-d0a2bbf72a4f": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 18 of 27 \n \n \nATTACHMENT 1 \nAPPLICATION FOR REASSIGNMENT FOR TEACHERS AND \nPARAPROFESSIONALS \n \nSCHOOL: ________________________________________________________ \nLast Name__________________ First Name_______________Initial _____ \nMaiden Name [if any} _____________________________________________ \nEmployee I.D. # __________________________________________________ \nSELECT ONE: \uf06f Permanent Teacher \uf06f Paraprofessional \n \nTHIS SECTION TO BE COMPLETED BY PERMANENT TEACHERS \nONLY: \nI am requesting reassignment for the coming 2023-2024 \nacademic year, because (please check one) \n\uf06f I am a permanent teacher. \n\uf06f I am a permanent school nurse. \n\uf06f I am a permanent student support services coordinator \n(COSESS). \n\uf06f I am a paraprofessional. \n\uf06f There is a reduction in my program area. My program area \nis_________________________and my seniority date is __________ .", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5acde16f-8fae-4870-abf9-2c0a2607c0f3": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 19 of 27 \n \n \nI understand that with this declaration this decision cannot be \nrescinded after February 14, 2024, and that I will be reassigned in \nthe coming school year in accordance with the provisions of the \nBoston Teachers Union Contract. \n \n______________________________________________ ___________________ \n Signature Date \nPLEASE RETURN THIS FORM TO YOUR HEAD OF SCHOOL OR \nPRINCIPAL AND OFFICE OF HUMAN RESOURCES. \nHEADS OF SCHOOL, PRINCIPALS, AND OTHER ADMINISTRATIVE \nHEADS MUST FORWARD THIS APPLICATION TO THE OFFICE OF \nHUMAN RESOURCES NO LATER THAN FEBRUARY 1, 2024. \nPlease mail, fax, or email this form to: \nName: School and Central Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-9326 \nEmail: ohc@bostonpublicschools.org \n \nFor additional questions, please submit an HR Inquiry Ticket via", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6e68351e-98c9-4562-ab49-43fed42e67a7": { + "page_content": "Phone: 617-635-9600 \nFax: 617-635-9326 \nEmail: ohc@bostonpublicschools.org \n \nFor additional questions, please submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access Boston. \nAn electronic version of this form can be found at: \nhttp://www.bostonpublicschools.org/Page/1019", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d9377ba1-88af-4647-82f5-c9a02ce9b0b2": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 20 of 27 \n \n \nATTACHMENT 2: \nAPPLICATION FOR ADDITIONAL PROGRAM AREAS (APA) \n2023-2024 ONLINE FORMS \n \nThe Office of Human Resources has transitioned to using online \nforms. The Application for Additional Program Areas can now be \nfound at the link below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. Supplemental materials such as transcripts can be \nsubmitted via mail or in person to the Office of Human \nResources. \nLink to Apply: \n\u2022 Click Here for Additional Program Area Application \n\u2022 Or copy this URL: http://goo.gl/forms/JqftW4IOx1 \nSupplemental Documentation \nApplication approval is contingent on submission of one of the \nfollowing documents: \n\u2022 Official transcript(s) indicating the completion of fifteen (15) \ngraduate or undergraduate course credits relevant to the \nprogram area qualification \nOR \n\u25cf A signed letter from the head of school or principal,", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "07e2b4d7-fa22-4e53-a346-1aaabd7cff86": { + "page_content": "graduate or undergraduate course credits relevant to the \nprogram area qualification \nOR \n\u25cf A signed letter from the head of school or principal, \nconfirming the following information: \no The subject area you taught (relevant to your \napplication)", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7c4f9da1-142f-4123-8fa8-80f6bcfc3abb": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 21 of 27 \n \n \no The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \no Confirmation that you taught at least 50% of the \nweekly schedule in that area. \nPlease fill out the application form and submit supplemental \ndocuments to the contact listed below by January 12, 2024. \n \nFor more information about this circular, please contact: \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9240 \nEmail: fcanty@bostonpublicschools.org", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c849543c-c9f4-49c7-a930-3e5a4bb1a30a": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 22 of 27 \n \n \nATTACHMENT 3: \nAPPLICATION FOR JOB SHARING \nTo Indicate Interest in Job Sharing \nPermanent teachers or paraprofessionals who wish to \nindicate their interest in job sharing should submit a request \nusing the online form shown below. The submission of an \napplication only serves an indication of interest and is not \nbinding. The job sharing application and principal/head of \nschool approval forms must be submitted via the online \nform no later than 5:00 p.m. Monday March 25, 2024. \nOnline Forms \nThe Office of Human Resources now accepts job sharing \napplications online. Candidate applications for job share as \nwell as principal/head of school approval can be submitted \nthrough the links below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. These links will also be made available through \nBTU and Paraprofessional representatives, the Boston", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c7a68de5-371b-4564-bcd6-8f35e85bcbad": { + "page_content": "required to sign in with their Boston Public Schools Gmail \naccount. These links will also be made available through \nBTU and Paraprofessional representatives, the Boston \nPublic Schools website, and the Superintendent\u2019s Bulletin. \nClick Here for Job Sharing Request\u2014Applicant Form \nEach applicant interested in job sharing must submit their \nown form. Principals must submit the form below for \napproval. \nClick Here for Job Sharing Request\u2014Principal Approval Form \nPrincipals/heads of school must submit this form to approve \na job share request.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e38e0238-fed9-40fb-9022-881a8942df56": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 23 of 27 \n \n \nFor more information about job sharing, please see \nSuperintendent\u2019s Circular HRS-HS02, or contact: \nOwner: Director of School-Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury MA, 02119 \nPhone: 617-635-9240 \nEmail: ohr@bostonpublicschools.org \n \n \n \n \n \n \n \n \n \n \n \n \n \nATTACHMENT 4: \nSTAFFING CALENDAR", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8da8f534-1f5a-4d2e-846d-55536992e954": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 24 of 27 \n \n \nDecember 2023 \nDecember 18 Deadline for teachers to submit Leave of Absence \nintent letters to OHC \nJanuary 2024 \nJanuary 10 \u2013 February 4 Budget Collaborative and Probable \nOrganization meetings \nJanuary 15 Deadline for: \nPermanent teachers to request Personal Reasons, \nor Educational Leaves, to commence at the \nbeginning of the next teacher work year \nPermanent teachers on approved year-long leaves \nto return November letter indicating intent to \nreturn at the start of next teacher work year or \nrequest an extension \n Teachers to submit Alternate Program Area \nrequests to OHC \nJanuary 17 Deadline for teachers to submit application for \nEarly Notification Incentive of Termination to \nreceive $1,500 \nDeadline for submission of Formative Assessments \nfor all educators on 1-year plans \n \nFebruary 2024 \nFebruary 1 (contractual deadlines) \nDeadline for teachers or paraprofessionals to \nsubmit reassignment requests (Voluntary Excess)", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0a9b5553-eaf9-4831-b003-0dfe5a717501": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 25 of 27 \n \n \n Deadline to notify permanent teachers of excess in \nLevel 4, Innovation and Pilot Schools (Involuntary \nExcess) \n Deadline to notify paraprofessionals of excess in \nLevel 5 Schools (Involuntary Excess) \nFebruary 11 Deadline for teachers or paraprofessionals to \nrescind reassignment requests (Voluntary Excess) \nMarch 2024 \nBeginning \nMarch 1 Teacher positions posted \nMarch 18 OHC sends excess and layoff notices to \nparaprofessionals (tentative) \nMarch 25 Deadline for job share applications \nApril 2024 \nApril 1 - April 15 Paraprofessional transfer process (tentative) \nApril 15 (contractual deadline) Deadline to OHC to \nnotify all Permanent teachers of excess \n deadline to notify Provisional teachers of \nreasonable assurance \nApril 27 Excess notification to Guild members (tentative) \nMay 2024 \nMay 6 Deadline for recommended paraprofessional \ntransfer applicant decisions to TalentEd (tentative)", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "57ab6c63-b00e-4519-b9cf-8f023d0de329": { + "page_content": "reasonable assurance \nApril 27 Excess notification to Guild members (tentative) \nMay 2024 \nMay 6 Deadline for recommended paraprofessional \ntransfer applicant decisions to TalentEd (tentative) \nMay 9 OHC sends assignment letters for paraprofessional \ntransfers (tentative)", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "99abf9ef-07b6-4b39-9e4c-86328a5553e6": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 26 of 27 \n \n \n Paraprofessional Excess Pool participant and \nposition lists available \nMay 15 (contractual deadline) All evaluations due for \nlicensed educators on 1-year plans \n Guild Layoff notices issued \nMay 19 Paraprofessional excess pool (tentative) \nJune 2024 \nJune 1 (contractual deadline) Deadline for OHC to notify \nPermanent teachers, BASAS, and managerial of \nlayoff \nJune 3 Deadline for principals to submit paraprofessional \nexcess pool rankings to OHC \nJune 6 OHC finalizes paraprofessional excess pool \nassignments (tentative) \nJune 13 Guild Excess Pool (tentative) \nJune 15 (contractual deadline) Deadline for OHC to notify \nProvisional teachers of non-renewal \nJuly 2024 \nJuly 1 Deadline for the approval of internal lateral \ntransfers (hires). \nAugust 2024 \nAugust 15 OHC sends initial Suitable Professional Capacity \nassignment letters to Permanent teachers without \npositions (tentative)", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "784fccd9-3bbf-4f10-87ff-eca842a0bbda": { + "page_content": "Superintendent\u2019s Circular HRS-HS07 \nPage 27 of 27 \n \n \nPlease Note: Dates not subject to contractual requirements may \nchange.", + "metadata": { + "file_name": "HRS-HS07 Staffing Reassignment and Hiring.pdf", + "source_link": "https://www.bostonpublicschools.org/Page/5357#HRS", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "919cf2c5-d26e-483d-b617-e2b25889bd7f": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP19 \nVersion 01 \n \n \n \nPERFORMANCE-RELATED DISMISSAL PROCESS \nFOR TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIn the event the performance evaluation of a teacher results in a \nrecommendation for dismissal by a Principal or Head of School, \nthe following procedures will be followed: (1) the Superintendent \nshall review all processed recommendations for dismissal and (2) \nif the Superintendent approves the recommendation to dismiss \nthe teacher, the Principal or Head of School may institute \ndismissal proceedings set forth in M.G.L. c. 71, section 42. \nNote: A teacher may be removed from the classroom, dismissed, \nor suspended for just cause prior to the completion of the \nevaluation-related process specified in this Circular. \nTERMINATION REQUIREMENTS \nThe minimum requirements to proceed with a teacher \ntermination can be met in one of two ways, both in cases where", + "metadata": { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9e5c6ed1-be3a-4bd4-a27d-274c3a4900d8": { + "page_content": "evaluation-related process specified in this Circular. \nTERMINATION REQUIREMENTS \nThe minimum requirements to proceed with a teacher \ntermination can be met in one of two ways, both in cases where \nthe teacher was placed on an Improvement Plan: \nIf the Evaluator determines that the Educator is not making \nsubstantial progress toward proficiency, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed.", + "metadata": { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b543443f-1193-4b01-97ad-0ca6c85ad064": { + "page_content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \nIf the evaluator determines that the Educator\u2019s practice \nremains at the level of unsatisfactory, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed. \n \nCopies of the following information will be submitted to the \nSuperintendent via the Office of Labor Relations in order to move \nforward with a recommendation for termination: \n1. All less-than-proficient performance evaluations you are \nrelying on for potential termination. \n2. All other performance evaluations within the last two years. \n3. All written feedback to the teacher following an observation \nin which you saw a need for improvement. \n4. All correspondence regarding pre-evaluation and post-\nevaluation meetings. \n5. All written notes from pre-evaluation or post-evaluation \nmeetings. \n6. A log documenting all artifacts (e.g., syllabus, lesson plan, \nevidence of planning, etc.) submitted to you by the teacher.", + "metadata": { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6abb49f1-18d9-47b5-8ea5-b73cec20e81e": { + "page_content": "5. All written notes from pre-evaluation or post-evaluation \nmeetings. \n6. A log documenting all artifacts (e.g., syllabus, lesson plan, \nevidence of planning, etc.) submitted to you by the teacher. \n7. All notes and correspondence from the teacher concerning \nevaluations, classroom observations, and other matters \nrelating to their performance. \n8. Correspondence from teachers, parents, or other individuals \nregarding a teacher\u2019s performance, complimentary or \ncritical. \n9. Attendance and tardiness records and correspondence if \nattendance and/or tardiness is an issue or if the teacher\u2019s \nabsences have affected contractually required timelines.", + "metadata": { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "444ff82b-831a-4c15-8e7f-a4fb582cda7f": { + "page_content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \n10. A log documenting any allegations of discrimination brought \nby the teacher to the BPS Office of Equity or the \nMassachusetts Commission Against Discrimination (MCAD), \ne.g., race, age, gender, disability. \n11. All documentation about any disciplinary action taken \nagainst the teacher, only if relevant to performance issues. \n12. A draft letter from the principal notifying the teacher of BPS\u2019 \nintent to dismiss based on unsatisfactory performance. \n \nSteps of the termination procedure: \n1. The principal/head of school recommends to the \nSuperintendent that a teacher be terminated. \n2. If the Superintendent approves the recommendation, the \nteacher receives a letter from the principal/head of school \nnotifying them of BPS\u2019 intent to dismiss. \n3. The teacher has 10 school days after receiving the notice \nof intent to dismiss to meet with the principal/head of \nschool to review the decision.", + "metadata": { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7692e5fb-8a80-4b4d-9c85-562c5b4bbaf7": { + "page_content": "notifying them of BPS\u2019 intent to dismiss. \n3. The teacher has 10 school days after receiving the notice \nof intent to dismiss to meet with the principal/head of \nschool to review the decision. \n4. After the meeting, if the termination decision remains \nunchanged, the principal/head of school sends the \nteacher a letter communicating the termination decision. \n5. The teacher with professional teacher status may seek \nreview of the termination decision within 30 days by filing \na petition for arbitration with the Commissioner of \nEducation. \n \n \nFor more information about this circular, contact:", + "metadata": { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ef5dc0b3-2f53-4ff0-82e5-9b38507ff65c": { + "page_content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \nOwner: Director of Labor Relations \nDepartment: Office of Labor Relations \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-1576 \nFax: 617-635-7959 \nE-mail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf", + "source_link": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "37382ebb-2d4d-4de6-892c-5f91e7285eaf": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP01 \nVersion 01 \n \nCONTRACTUAL BENEFITS: CAREER AWARDS, SALARY \nLANES, SALARY STEPS, ACADEMIC LADDER CREDITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools offer numerous contractual benefits such \nas career awards and salary lane increases based on the \ncompletion of accredited coursework, degrees, academic ladder \ncredits, and continuing education units. To receive these benefits, \nemployees must submit the appropriate documentation \n(described below) to the Office of Human Capital. Once their \ndocumentation is submitted, employees will receive confirmation \nvia email, within 4 to 6 weeks, except during peak seasons. \n1. CAREER AWARDS \nCareer awards are issued monthly by anniversary date, based on \na monthly reporting cycle in the Office of Human Capital, and \nvary by union affiliation. PS03s are no longer needed to initiate", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "64823608-f7ef-4e19-81a0-7afcb2a4f1ea": { + "page_content": "Career awards are issued monthly by anniversary date, based on \na monthly reporting cycle in the Office of Human Capital, and \nvary by union affiliation. PS03s are no longer needed to initiate \nthis process, except for BASAS members, who are required to \nsubmit a request via PS03. If an award is not received, the \nemployee should then submit a PS03 to the Office of Human \nCapital to address the issue: \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \ncareer award block and specify the career award requested. \n\u2022 Indicate initial date of employment. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "8c9360ff-6d0e-4aa2-b93f-d1774332a665": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 2 of 12 \n \nCareer awards are effective on an employee's anniversary date. \nEmployees will see their career award reflected within 2-3 pay \nperiods. Denied applicants will receive an email from the Office of \nHuman Capital (to the employee\u2019s bostonpublicschools.org email \naddress) providing the reason for the denial. \nParaprofessionals: Career awards are awarded by the number of \nworking days completed, not (wholly) by academic year \ncompleted. The schedule of awards is as follows: \nStep Length of Service \n2 3 Years \n3 6 Years \n4 9 Years \n5 12 Years \nCareer Award 1,800 Paraprofessional Seniority Days \nCareer Award 2,800 Paraprofessional Seniority Days \nCareer Award 3,800 Paraprofessional Seniority Days \nCareer Award 4,800 Paraprofessional Seniority Days \nCareer Award 5,800 Paraprofessional Seniority Days \n \nBTU: Career Awards are awarded at the completion of the \nthreshold year, for the start of the next academic year.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "5e1fb95d-f437-4242-a9cb-08a1757d9330": { + "page_content": "Career Award 5,800 Paraprofessional Seniority Days \n \nBTU: Career Awards are awarded at the completion of the \nthreshold year, for the start of the next academic year. \nAll other collective bargaining units: Career awards are awarded \non an employee\u2019s anniversary date based on a monthly reporting \ncycle. \n2. SALARY LANES \nEmployees who qualify by contract for a change in salary lane as", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "55ce48f8-ad55-4a05-bb3c-db916f099bac": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 3 of 12 \n \na result of the completion of accredited course work and degrees \nmust submit a PS-03 to receive this benefit. Lane changes are \nnot made automatically. \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \nsalary lane block and specify the salary lane requested. \n\u2022 Attach official original transcripts documenting accredited \ncourses and/or degree completion. Transcripts for \naccredited graduate coursework must include a passing \ngrade and/or a degree conferred date for acceptance. \nElectronic transcripts must be sent directly from the \ninstitution to EmployeeServices@BostonPublicSchools.org. \nBoston Public Schools In-Service and Academic Ladder \ncertificate(s) must be printed. An In-service/Academic \nLadder transcript summary is not acceptable. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \n\u27a2 Employees should only submit credits/degrees when \napplying for salary lane advancement; employees", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2d81f01c-c4b9-4a7e-8a9b-004459470f1b": { + "page_content": "\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \n\u27a2 Employees should only submit credits/degrees when \napplying for salary lane advancement; employees \nshould not submit single or multiple credits below the \nthreshold for lane advancement. \nApproved applicants can expect to see a change in their salary \nwithin 3-4 pay periods following submission of a salary lane \napplication. Denied applicants will receive an email from the \nOffice of Human Capital (to the employee\u2019s \nbostonpublicschools.org email address) providing the reason for \nthe denial. Please note that this process will take longer in the \nsummer months (June \u2013 September). \nSalary lane changes will be processed retroactively to September \n1 if the application is received in the Office of Human Capital by \nthe close of business on September 30. Otherwise, the change \nwill be effective on the first day of the month following complete", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d0e817b4-eb31-4dea-b011-e4b2ae7565dd": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 4 of 12 \n \nsubmission of all documentation during the school year. \nSubmissions after May 31 will be effective for the start of the \nfollowing school year. \nNote: Boston Public Schools reserves the right to approve salary \nlane advancement for only those courses that are related to the \nfield of education or enhance advancement up the educational \ncareer ladder. Requests for pre-approval of any courses shall be \nresponded to by the Office of Human Capital promptly. Courses \nmust meet the following criteria: \nAccredited College or University Courses \n1. Courses must be granted by an accredited college or \nuniversity listed on the Accredited Institutions of Post-\nSecondary Education registry and deemed acceptable by \nthe American Council on Education. \n2. Courses must award graduate credit. If the transcript does \nnot clearly state the course is at graduate level, then the \napplicant must supply a letter from the institution verifying", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ae8a9b08-e9b9-40b2-a75c-dcb8133bba97": { + "page_content": "2. Courses must award graduate credit. If the transcript does \nnot clearly state the course is at graduate level, then the \napplicant must supply a letter from the institution verifying \nthe course is offered for graduate credit. Note: for \nparaprofessionals, undergraduate credit and in-service \ncredits are acceptable for salary lane advancement, up to a \nbachelor\u2019s degree. \n3. Courses are evaluated by the semester hour only. Courses \ntaken by the quarter credit hour will be converted by the \nmetric specified by the respective institution. If a conversion \nrate is not specified, Boston Public Schools will use a .75 to \n1.0 ratio. \n4. Courses must clearly relate to the field of education in the \nBoston Public Schools.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "e35a4c75-b440-4a90-87ca-7c357864edcb": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 5 of 12 \n \nAcademic Ladder Credit \nAn Academic Ladder Credit, also known as an \u201cALC\u201d, is a new \n\u201ccredit\u201d for academic lane advancement. ALCs are equal in value \nto in-service credits, with no cap on the amount one can earn. \nEach ALC course has a clearly articulated target competency and \na range of options for demonstrating this competency through \nartifacts or reflections. ALCs require approximately 12 hours of \n\u201cseat time\u201d per credit. Credit will not be awarded until the \neducator submits a final product demonstrating successful \nimplementation of a specific instructional practice. Options for \ndemonstrating may include lesson or unit plans, videos, student \nwork analyses, reflections, or some combination of these. \nEmployees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, employees \nshould submit the actual ALC completion certificate from Vector.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f1df712a-8385-4df8-adee-5766563ea4e5": { + "page_content": "Employees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, employees \nshould submit the actual ALC completion certificate from Vector. \nOnly ALCs approved by the Boston Public Schools will be \nawarded credit for salary. \nAvailable ALC courses can be found on Vector. Additionally, a list \nof frequently asked questions can be found in APPENDIX A. \nIn-Service Courses \nCourse credit may be granted for courses previously offered by \nthe Boston Public Schools. Only courses approved by the Boston \nPublic Schools will be awarded credit for salary purposes. \nEmployees should submit the actual in-service completion \ncertificate, available on Vector. The transcript summary is not \naccepted. Please note that no more than 30 in-service credits \nmay be used for lane advancement during each employee\u2019s \nlifetime career with Boston Public Schools.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "79dce983-9c4c-4a43-8c31-5484d3b42429": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 6 of 12 \n \nContinuing Education Units (CEUs) \nCEUs, also known as contact hours, are accepted at the rate of 15 \ncontact hours for 1 graduate credit, not to exceed 30 graduate \ncredits. Please note that .1 CEU is the equivalent of 1 contact hour. \nThis applies to nurses, speech and language pathologists, school \npsychologists, social workers, adjustment counselors, guidance \ncounselors, occupational and physical therapists, vision teachers, \nand lead sign language interpreters only. CEUs are only accepted \nfrom approved CEU providers. The Boston Public Schools is not \nan approved CEU provider. \nProfessional Development Points (PDPs) \nAlthough professional development points may be awarded for \nthe completion of in-service courses, they are not applicable for \nsalary lane advancement. PDPs are most used as evidence \ntoward maintaining professional licensure. \n3. SALARY STEPS \nSalary step increases are automatically awarded based on the", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "96f09fa8-f064-4163-b968-8c884ee07b44": { + "page_content": "salary lane advancement. PDPs are most used as evidence \ntoward maintaining professional licensure. \n3. SALARY STEPS \nSalary step increases are automatically awarded based on the \ndate specified in the applicable collective bargaining agreement. \nAn employee who believes that they are being compensated on \nan incorrect step of the salary schedule should submit a PS-03 to \nthe Office of Human Capital, as follows:", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7f75b18d-533b-4bff-af39-325e43f812d6": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 7 of 12 \n \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \nsalary step block and specify the salary step requested. \n\u2022 Include a brief explanation for the request in the \u201cAdditional \nExplanation\u201d section. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \nSalary Steps as Related to Inside and Outside Service \nThere is no longer a cap on the amount of Inside Service credits \navailable for salary step adjustments/placement. Instead, the \ncredit is based on prior eligible years of service. To qualify, an \nemployee must have worked a minimum of 120 days in a \nqualifying academic year. \nA maximum of three years is awarded for an outside service \nsalary step adjustment. To qualify, an employee must provide \noriginal documentation from a previous employer, specifically \ncertifying the named employee has completed a minimum of 160 \ndays in the appropriate licensed capacity for each year.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "dbb4e732-df26-4dbc-a1fd-7d8dc24cfb54": { + "page_content": "original documentation from a previous employer, specifically \ncertifying the named employee has completed a minimum of 160 \ndays in the appropriate licensed capacity for each year. \nIndividuals should not knowingly falsify information and should \nunderstand that applications are signed under the pains and \npenalties of perjury. \nAs salary lane and salary step advancements are contractual \nentitlements, employees should forward these PS-03 requests \ndirectly to the Office of Human Capital. No further signatures are \nnecessary.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "90e76d09-b2e3-412c-96b9-b499dea015a6": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 8 of 12 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nMay 31 Academic year deadline for salary lane changes \nto be processed effective in the same year. \nJune, July & \nAugust \nSubmissions effective for the start of the next \nschool year. \nSeptember 30 \n \nDeadline for submitting salary lane changes to \nbe processed retroactively to September 1. \n \n4. NATIONAL BOARD-CERTIFIED TEACHERS \nWhen you achieve or renew National Board Certification, please \nsubmit the official notification letter and a PS03 Form. The Office \nof Human Capital will review and verify the candidate's successful \ncompletion of board certification, inception and expiration dates \nvia the NBPTS website. The National Board differential is \neffective on the 1st of the month following an eligible \nsubmission. Recertifications will be effective on the renewal date \nas long as the request is received prior to the expiration date. If", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "9fc38f7a-ac5e-4c68-b383-7f1d53542004": { + "page_content": "effective on the 1st of the month following an eligible \nsubmission. Recertifications will be effective on the renewal date \nas long as the request is received prior to the expiration date. If \nrecertification received after the original expiration date the \nrenewal will be dated for the first of the month following receipt.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c40051ce-75ab-49e5-ab3b-7b39f10f84d3": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "d4705974-2529-445b-a763-a75df16886b2": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 10 of 12 \n \nAPPENDIX A \nAcademic Ladder Credits: Frequently Asked Questions \n\u2022 What is an Academic Ladder Credit (ALC), and how does it \ndiffer from an in-service credit? \nAn Academic Ladder Credit, also known as ALC, is a new \n\u201ccredit\u201d for academic lane advancement. ALCs are equal in \nvalue to in-service credits, with no cap on the amount one \ncan earn. ALCs require approximately 12 hours of \u201cseat time\u201d \nper credit, but credit is not awarded until the educator \nsubmits a final product demonstrating successful \nimplementation of a specific instructional practice. \n\u2022 What do I need to do to earn ALCs? \nALCs are earned by demonstrating competence in the \npractices learned in the course. While courses are \napproximately 12 hours of instruction (in person or online), \ncredits are not awarded simply for attendance and \nparticipation. Each ALC course will have a clearly articulated \ntarget competency and a range of options for", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f704915b-df31-4206-baf0-00712cae1cec": { + "page_content": "credits are not awarded simply for attendance and \nparticipation. Each ALC course will have a clearly articulated \ntarget competency and a range of options for \ndemonstrating it through artifacts or reflections. \n\u2022 What kinds of options might be available for \ndemonstrating competencies? \nEach course will be different, but options include: lesson or \nunit plans, videos, student work analyses, reflections, or \nsome combination of these. \n\u2022 Who determines whether I have demonstrated a \ncompetency? \nA team of BTU educators and central office administrators", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "2425eefb-1f8d-47ea-bb2b-49b440e520da": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 11 of 12 \n \nwill review product submissions and award credits using a \nrubric made available to all course participants. Those who \ndo not earn credits on their first submission will receive \nfeedback and an opportunity to resubmit. \n\u2022 Am I eligible to take any ALC course I want? \nWhile any educator is technically able to apply for any ALC \ncourse, because earning an ALC requires demonstrating \ncompetence in a skill, it will be difficult to complete courses \nthat are not relevant to your context. OHC or APL reserves \nthe right to refuse admittance to those educators for whom \nthe content may not be relevant. \n\u2022 Is there a limit to the number of ALCs I can receive in a year \nor over my career? \nNo. ALCs are not subject to the same cap as in-service \ncredits. \n\u2022 Can you use ALCs in combination with graduate credits, \netc. towards advancement? \nYes. Employees may use combinations of graduate credits,", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "6d19cd19-bf43-4c8d-a137-a17feb51e388": { + "page_content": "credits. \n\u2022 Can you use ALCs in combination with graduate credits, \netc. towards advancement? \nYes. Employees may use combinations of graduate credits, \nin-service credits and ALCs for lane advancement. However, \na teacher must possess a master\u2019s degree to advance to the \nmaster\u2019s lanes and must possess a doctorate degree to \nadvance to the doctorate lane. \n\u2022 How do I submit my ALC credits to the Office of Human \nCapital for credit toward lane advancement? \nEmployees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, \nemployees should submit the actual ALC completion", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c151ba4e-35dc-4833-82bb-1f8ac2a181b4": { + "page_content": "Superintendent\u2019s Circular HRS-PP01 \nPage 12 of 12 \n \ncertificate from TeachPoint, along with any other graduate \nor in-service credits, and a completed PS03 to the Office of \nHuman Capital (4th Floor, Bolling Building). Only ALCs \napproved by the Boston Public Schools will be awarded \ncredit for salary. \n\u2022 Are ALC courses portable outside BPS? \nNo. \n\u2022 Are non-BTU members eligible to earn ALCs? \nWhile non-BTU members may participate in ALC courses, \nonly BTU members are eligible to receive credits. \n\u2022 Are paraprofessionals eligible to receive ALCs? \nYes. Please note that because earning an ALC requires \ndemonstrating competence in a skill, it will be difficult to \ncomplete courses that are not relevant to your role or \ncontext. OHC or APL reserves the right to refuse admittance \nto those educators for whom the content may not be \nrelevant. \n\u2022 I have an idea for an ALC course. How can I make that \nhappen? \nContact the Office of Academics and Professional Learning.", + "metadata": { + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf", + "source_link": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "39a61093-b7a1-4407-b54e-cdc1d7b51ce0": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM07 \nVersion 01 \n \nPERFORMANCE EVALUATION OF CLASSROOM \nPARAPROFESSIONALS \nEMPLOYEES COVERED BY THIS CIRCULAR: \n\u25cf Coverage Paraprofessional \n\u25cf Instructional Paraprofessional \n\u25cf One-to-One Paraprofessional \n\u25cf Surround Care Paraprofessional \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be \u201cExemplary,\u201d \u201cProficient,\u201d \u201cNeeds Improvement,\u201d \nand \u201cUnsatisfactory,\u201d and shall be transmitted to \nparaprofessionals by the last business day prior to May 15 via the \nVectorEvals platform. A paraprofessional may sign the evaluation \ndigitally only if the paraprofessional does so on a BPS-issued \ncomputer. If the paraprofessional does not have access to a BPS-\nissued computer, the form must be printed from VectorEvals for", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "bf3e8775-0f51-45e1-9570-13c77b8c6276": { + "page_content": "digitally only if the paraprofessional does so on a BPS-issued \ncomputer. If the paraprofessional does not have access to a BPS-\nissued computer, the form must be printed from VectorEvals for \ntheir signature and then uploaded as a PDF attachment to the \ndigital form. \nParaprofessionals will generally be evaluated formally every two \nyears, except as set forth in section (7) of Schedule, Meetings, and \nProcedures below. During each school year, each principal/head \nof school or their designee will identify approximately one-half of", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "0a76958a-8db4-48eb-99f3-e9db80a6c1c3": { + "page_content": "Superintendent\u2019s Circular HRS-PM07 \nPage 2 of 8 \n \nthe staff for which that administrator is responsible for evaluating \nduring that year. The process of identifying the evaluees will be \ndetermined by the responsible administrator. An administrator \nmay also evaluate a staff member not originally identified if \nassistance, supervision, or intervention is deemed appropriate \nbased on informal observation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative. \n2. the head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department. \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nbuilding administrator or their designee shall meet with \nparaprofessionals for the purpose of explaining the", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "f61eabd3-baa9-408b-b452-9d88bb5e4bad": { + "page_content": "1. At the beginning of each school year, the responsible \nbuilding administrator or their designee shall meet with \nparaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of \nannounced and unannounced observations. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional\u2019s practice, the \nresponsible supervisor shall provide such written feedback \nto the paraprofessional before releasing the next formative \nor summative evaluation. \n2. If a paraprofessional\u2019s performance results in an overall", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "29784ca7-2a5e-434d-a5b0-b4e41bea4567": { + "page_content": "Superintendent\u2019s Circular HRS-PM07 \nPage 3 of 8 \n \nFormative Evaluation or Summative Evaluation rating of \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory,\u201d the evaluation \nprescription may contain a requirement that the \nparaprofessional take advantage of additional professional \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. \nFormative refers to evaluations that at a minimum are \ntwenty (20) school days apart. \nRegardless of the rating mark, within ten (10) school days \nfollowing the last observation used as the basis of the \nevaluation, the responsible building administrator (or \ndesignee) shall meet with the paraprofessional to discuss \nthe evaluation. At this meeting, the paraprofessional will be \ngiven two (2) copies of the written evaluation, signed, and \ndated by the responsible building administrator. \nThe paraprofessional shall sign and return one (1) copy to", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "c8b5a331-182b-4889-a068-8fc78a6f04f8": { + "page_content": "given two (2) copies of the written evaluation, signed, and \ndated by the responsible building administrator. \nThe paraprofessional shall sign and return one (1) copy to \nindicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance is \ndetermined less than \u201cProficient\u201d at any point during the \nschool year shall be notified in writing and shall meet \ndirectly with the responsible building administrator. \n \n3. In any area where the responsible building administrator or \ntheir designee indicates a need for improvement, they will \nprovide the paraprofessional with a written prescription. \nThe paraprofessional may attach comments to the", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "38507a9e-74c0-464f-b31f-3cd5f17dcc9e": { + "page_content": "Superintendent\u2019s Circular HRS-PM07 \nPage 4 of 8 \n \nprescription. \nIf the paraprofessional continues to need improvement after \nallowing adequate time to improve, the responsible \nadministrator may include a prescription in the evaluation \nthat the paraprofessional may voluntarily take the \nopportunity of additional training or in-service training to \ncorrect a deficiency. \n4. If a paraprofessional receives an \u201cUnsatisfactory\u201d on at least \nfour (4) formative evaluations within a twelve (12) month \nperiod in which the paraprofessional reported to work, or on \nat least two (2) formative evaluations plus a summative \nevaluation, the principal/head of school may initiate \ntermination by recommending to the superintendent that \nthe paraprofessional be terminated. If the superintendent \napproves the head of school\u2019s/principal\u2019s recommendation, \nthe principal/head of school shall notify the paraprofessional \nin writing of their intent to dismiss the paraprofessional. The", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "22f39316-74eb-4299-9dab-cb081d071933": { + "page_content": "approves the head of school\u2019s/principal\u2019s recommendation, \nthe principal/head of school shall notify the paraprofessional \nin writing of their intent to dismiss the paraprofessional. The \nparaprofessional may then request a meeting with the \nprincipal/head of school to discuss their intent to dismiss. \nThis request must be made in writing within ten (10) days of \nthe paraprofessional\u2019s receipt of the intent to dismiss notice. \nOverall \u201cUnsatisfactory\u201d evaluation ratings need not occur in \nconsecutive months. \nAn overall rating of \u201cUnsatisfactory\u201d on a summative \nevaluation must be preceded by a rating of \u201cUnsatisfactory\u201d \non at least two (2) formative evaluations during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph.", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "295ccff4-4805-43fe-9b3b-ed1276d86351": { + "page_content": "Superintendent\u2019s Circular HRS-PM07 \nPage 5 of 8 \n \n5. After each of the first three (3) formative evaluation overall \n\u201cUnsatisfactory\u201d ratings that are based in whole or in part \nupon classroom performance, the responsible building \nadministrator shall conduct a follow-up evaluation. This \nevaluation shall include observation of classroom \nperformance and take place no sooner than twenty (20) \nschool days and no later than fifty (50) school days after the \nprevious \u201cUnsatisfactory\u201d evaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon grounds other than classroom performance, \nthen the responsible administrator must clearly convey the \nreasons in writing to the paraprofessional and follow \nprescribed procedures for progressive discipline. \n6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "643392d4-f8b9-4905-b50a-b8ff61472908": { + "page_content": "6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved \nand arbitrated. An employee may grieve a summative \nevaluation with an overall rating other than \u201cUnsatisfactory\u201d \nup to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance. \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "68723a1c-dc2a-4126-b19c-57f22c5a8977": { + "page_content": "Superintendent\u2019s Circular HRS-PM07 \nPage 6 of 8 \n \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually by the \nlast business day prior to November 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as \u201cUnsatisfactory\u201d overall or in a \nparticular area. \nb. All paraprofessionals who are new to the building.", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "b5439adb-48f5-408b-a705-4c126aed7226": { + "page_content": "Superintendent\u2019s Circular HRS-PM07 \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate Activity \nBy the last business day \nprior to November 15 \n\u25cf Evaluation of paraprofessionals who \nreceived an \u201cUnsatisfactory\u201d in their \nevaluation from the prior school year. \n\u25cf Evaluation p who are new to the school \nbuilding. \nBy the last business day \nprior to May 15 \n\u25cf Deadline to submit evaluation on \nVectorEvals platform. \nA paraprofessional may sign the \nevaluation digitally only if the \nparaprofessional does so on a BPS-\nissued computer. If the \nparaprofessional does not, the form \nmust be printed from VectorEvals for \nthem to sign and then uploaded as a \nPDF attachment to the digital form. \n\u25cf Evaluation of paraprofessionals due \nevery 2 years (except for \nparaprofessionals new to the building \nor who received an \u201cUnsatisfactory\u201d \nrating the previous school year).", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "7925a76c-80db-4b9f-896c-1bc8a2cb9ff9": { + "page_content": "Superintendent\u2019s Circular HRS-PM07 \nPage 8 of 8 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, \nMA 02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\u25ba Click to view a SAMPLE Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations.", + "metadata": { + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf", + "source_link": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HRS" + } + }, + "ae450b70-989b-402d-affa-5a305488ad1b": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nSPE-14 \nVersion 01 \n \n \n \nNON-IEP COUNSELING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nINTRODUCTION \nCounseling services are provided to Boston Public School \nstudents in myriad formats and modalities. Students with and \nwithout disabilities may receive counseling services within \nBoston Public Schools. Students with disabilities may have IEPs \nthat contain counseling as a related service mandating the \nfrequency and duration of counseling. Non-disabled students \nwithout IEPs may be participating in counseling sessions \nformulated as a result of a recommendation of the Student \nSupport Team in collaboration with staff from the Behavioral \nHealth Services department. As a result of partnerships with \nexternal agencies, counseling also may be provided to BPS \nstudents by mental health providers who are not BPS employees.", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "95e4f352-5747-448b-9125-9135415b3297": { + "page_content": "Health Services department. As a result of partnerships with \nexternal agencies, counseling also may be provided to BPS \nstudents by mental health providers who are not BPS employees. \nWith this document, the Boston Public Schools seeks to ensure a \nstandard level of practice for the provision of counseling services \nso that consistent practices may be implemented in assisting \nstudents to overcome school-based issues which may be \nhindering their achievement. \nAll mental health providers must conform with the Standards for \nSchool-based Mental Health Services developed in partnership \nbetween BPS and members of the Boston School-Based", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "e932970c-3ffd-4014-9aa6-4d1ea349dbaa": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 2 of 9 \n \n \n \nBehavioral Health Collaborative. These standards can be \nobtained on the Boston Public Schools website at \nhttps://www.bostonpublicschools.org/domain/2443. \nBACKGROUND \nThe American Psychological Association has defined counseling \nas a process to help individuals towards overcoming obstacles to \ntheir personal growth, wherever these may be encountered and \ntowards achieving development of their personal growth. \nMassachusetts Department of Mental Health states further that \nmental health counselors render professional services to \nindividuals, families, or groups. They apply principles, methods, \nand theories of counseling and psychotherapeutic techniques to \ndefine goals and develop a treatment plan of action aimed \ntowards the prevention, treatment, and resolution of mental and \nemotional dysfunction. \nThe American Counseling Association states that \u201ccounselors \nencourage client growth and development in ways that foster", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "06b771c9-0bba-45cd-a156-0c49d638f06f": { + "page_content": "emotional dysfunction. \nThe American Counseling Association states that \u201ccounselors \nencourage client growth and development in ways that foster \nthe client\u2019s interest and welfare; counselors avoid fostering \ndependent counseling relationships. The ACA states further that \n\u201ccounselors practice in specialty areas new to them only after \nappropriate education, training, and supervised experience. \nWhile developing new skills in specialty areas, counselors take \nsteps to ensure the competence of their work and to protect \nothers from possible harm.\u201d \nBoston Public Schools Counseling Work \nIn addition to these standard definitions and professional ethics \nof practice, all BPS and non-BPS providers should understand", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "07e42a9d-bb02-45e1-a608-03e9fcb1479f": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 3 of 9 \n \n \n \nand demonstrate that their counseling work should support \nteaching and learning goals and effective teaching practices. \nUltimately, the goal of counseling is to support success within the \nclassroom. \nPRIOR TO COUNSELING \n1. The Student Support Team serves as the hub of student \nservices within the school. The Student Support Team \nfacilitator should have knowledge of the referral for \ncounseling, and the recommendation for counseling should \nemerge from the Student Support Team. When necessary, \ncounseling referrals can also be made outside of the SST \nprocess. \n2. The direct service provider designated to be the counseling \nprovider should be clear about (1) the scope of the work \nrequested in counseling, (2) the reason for the referral, and \n(3) the expected outcome in counseling. If unclear regarding \nthe reason for counseling, a meeting should be scheduled \nbetween the counselor provider and the referring agent to", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "5bddccdc-a3bb-4e19-82df-8ed982efb5f3": { + "page_content": "(3) the expected outcome in counseling. If unclear regarding \nthe reason for counseling, a meeting should be scheduled \nbetween the counselor provider and the referring agent to \ndiscuss these concerns. \n3. The direct service provider should counsel students \nregarding behaviors that impact teaching and learning, \nacademic achievement, and daily school functioning. \n4. Specific issues that are trauma related, i.e., physical and/or \nsexual abuse (onset being past or present), death and dying, \nand behaviors that may need psychiatric intervention and \nmay necessitate a 51A Report, should be brought to the \nattention of the principal/head of school or the designated \nadministrator and the direct service provider\u2019s supervisor. \nThese issues should be referred to the appropriate", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "a869391b-b614-428c-9688-9563170e5cad": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 4 of 9 \n \n \n \ncommunity counseling agency/mental health facility. \n5. Written consent must be obtained from the student, parent, \nor legal guardian before beginning counseling (see attached \nconsent form). If a student is receiving counseling through \nan outside provider, but in a BPS building, parent/guardian \nshould also sign the agency specific consent form. \n6. The direct service provider must outline goals and objectives \nfor the individual student (see attached form). Furthermore, \nit is recommended that the direct service provider \nformulate the goals and objectives with input from the \nparent/legal guardian. \n7. Parents/legal guardians should be informed that pertinent \ninformation regarding specific students may be discussed at \nthe Student Support Team meetings. All ethical professional \nstandards of confidentiality will be maintained regarding \nthe specific nature of the counseling sessions(s).", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "bb9a143f-e7ab-4298-96af-12c4d54a8320": { + "page_content": "the Student Support Team meetings. All ethical professional \nstandards of confidentiality will be maintained regarding \nthe specific nature of the counseling sessions(s). \n8. All direct service providers should maintain professional, \nproper, safe, and appropriate safeguards for the student(s) \nand themselves. \nCOUNSELING PRACTICE \nAll direct service providers who are counseling students should: \n\u25cf Have a consistent counseling schedule which is \ndocumented and provided to their principal/head of school, \nsupervisor, and the needed personnel in the individual \nschools (i.e., teacher, OSS coordinator, Student Support \ncoordinator, guidance counselor, and other school \nadministrators).", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "f5776be9-6359-4505-8b12-b2f3add74290": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 5 of 9 \n \n \n \n\u25cf Meet in rooms that provide appropriate space and levels of \nconfidentiality. \n\u25cf Guarantee a measure of safety and protection for the \nstudent and provider, including consideration of the \ndistance between a counselor and student and leaving the \ndoor ajar at all times. \n\u25cf Not engage in any physical contact with the student(s) due \nto the possible risk of psychological harm to the student as a \nresult of the physical contact (i.e., cradling, \u201ctouch therapy,\u201d \ncaressing, massaging, and petting). This requirement of no \nphysical contact is due to the possibility of psychological \nand/or physical harm to the student as a result of such \ncontact. \n\u25cf Document each session held and keep progress notes on \neach student. Provisions should be made for sharing themes \nof concern and critical information with the parent/legal \nguardian. \n\u25cf Share specific information that relates to the student\u2019s \nacademic progress with appropriate staff.", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "34cf7eda-e800-4dba-ab5b-f46a04a50470": { + "page_content": "of concern and critical information with the parent/legal \nguardian. \n\u25cf Share specific information that relates to the student\u2019s \nacademic progress with appropriate staff. \n\u25cf Respond to inquiries from the principal/head of school \nregarding the student\u2019s progress in counseling. \nTERMINATING COUNSELING SERVICES \nWhen counseling goals and objectives have been reached and/or \nthere have been several documented absences and/or instances \nof resistance by the student, as well as several documented \nattempts to provide counseling services, termination of \ncounseling services may be appropriate. The direct service \nprovider should:", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "273b6b8b-9f2e-4091-83d6-2fe74b96229b": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 6 of 9 \n \n \n \n1. Notify the student\u2019s parent or legal guardian. \n2. Notify (in writing) appropriate school personnel \n(principal/head of school, Student Support coordinator, OSS \ncoordinator, supervisor, teacher, or other school \nadministrator). \n3. Summarize progress and recommendation and follow-up as \nneeded (this could be facilitated during the Student Support \nTeam meeting, discussions within small learning \ncommunities, common planning time, and/or teacher \nparent conferences). \nSUMMARY \nDirect service providers, both BPS and non-BPS staff, are an \nintegral component of helping students reach their fullest \nacademic achievement. Lack of knowledge or misunderstanding \nof ethical and professional practice standards are not a defense \nagainst charges of unethical and/or inappropriate practice \nconduct. It is important that these practice standards are \nmaintained and adhered to for the safety of students and the", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "16fc0369-399d-4707-98d9-d61ff58996c1": { + "page_content": "against charges of unethical and/or inappropriate practice \nconduct. It is important that these practice standards are \nmaintained and adhered to for the safety of students and the \ndirect service provider. These practice standards ensure a safe, \nprotected, and ethical delivery of service for both students and \nthe staff members who serve them. If it is determined that these \nguidelines have not been followed and/or that inappropriate, \nunethical and/or unprofessional conduct has occurred, Boston \nPublic Schools will take any such action as is appropriate under \nthe circumstances. Such action may range from discipline to \ntermination from employment or termination of any contract \nwith Boston Public Schools as BPS deems appropriate under the \ncircumstances.", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "905cae08-a290-487b-b18c-66db346e09ea": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 7 of 9 \n \n \n \n \nFor more information about this circular, contact: \nName: Director of Social Work \nDepartment: Social Work \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-8294 \nEmail: socialwork@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "44362b04-2a94-48f2-8a3a-c743d6917342": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 8 of 9 \n \n \n \nCONSENT FOR SCHOOL-BASED NON-IEP \nCOUNSELING SERVICES \nI, _________________________________________________________________ \n(Print Name of Parent/Legal Guardian) \nhave been provided with the reason (s) my child, \n__________________________________________________________________ \n(Print Child\u2019s Name) \nhas been recommended for school-based counseling services. \nThe reason (s) for the recommended school-based counseling \nservices are: \n \nI give consent for __________________________________________ \n(school name) to refer my child for the following school-based \ncounseling services (check all that are applied). I understand that \nthese services may be provided by a community mental health \nagency in partnership with the school. \n\u25a1 Individual Counseling \n\u25a1 Group Counseling \n \nBPS Staff Member: _______________________________________________ \n(Insert staff name) \nOutside Agency staff:", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "b478b8ce-f760-4025-83bc-3659483f9f19": { + "page_content": "\u25a1 Individual Counseling \n\u25a1 Group Counseling \n \nBPS Staff Member: _______________________________________________ \n(Insert staff name) \nOutside Agency staff: \n__________________________________________________________________ \n (Insert staff name)", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "0f5ecdad-ed27-4663-8979-3bc1a6ad81b9": { + "page_content": "Superintendent\u2019s Circular SPE-14 \nPage 9 of 9 \n \n \n \nI also give consent for the school to release my child\u2019s student \nrecord, health, and other confidential information to the school-\nbased counseling service provider and for my child to participate \nin these school-based counseling services. \nI understand that my participation in my child\u2019s school-based \ncounseling services will be appreciated and strongly encouraged. \nI have read this Consent for School-Based Counseling Services \nand understand its terms. I sign it voluntarily and with full \nknowledge of its significance. \n \n___________________________________________ __________________ \nParent/Legal Guardian Signature Date", + "metadata": { + "file_name": "SPE-14 Counseling Guidelines .pdf", + "source_link": "https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "59d69931-9490-48c5-9bae-b57fe77c0d0c": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nSPE-20 \nVersion 01 \n \n \nSPECIAL EDUCATION SCREENING PROGRAM FOR \nTHREE- AND FOUR-YEAR-OLD CHILDREN \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nMassachusetts state law mandates that each school system in the \nstate locate, identify, and provide special educational services for \nchildren ages three and four who may either have a substantial \ndisability or possibly experience challenges in a regular preschool or \nkindergarten program. \nThe Boston Public Schools will continue its ongoing screening \nprogram for three- and four-year-olds who are not attending a \nBPS school, to take place on the following dates: \nSCREENING DATES: \n\u25cf Thursday, October 17, 2024 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston \n\u25cf Thursday, March 6, 2025 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, March 26, 2025 Mario Umana Academy, East Boston", + "metadata": { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "8d0d5a02-d09a-4a39-9be1-ca3284f64bf4": { + "page_content": "\u25cf Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston \n\u25cf Thursday, March 6, 2025 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, March 26, 2025 Mario Umana Academy, East Boston \n\u25cf Thursday, April 17, 2025 @ CASH High School Annex, Dorchester \n \n \nThis screening is available to any child, ages three and four, who \nresides in the City of Boston. The screening program, coordinated", + "metadata": { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "c283a7f9-67dd-489a-8111-d86611137404": { + "page_content": "Superintendent\u2019s Circular SPE-20 \nPage 2 of 3 \n \nby the Office of Special Education, includes screening in the areas \nof readiness skills and language. A parent interview is conducted \nas well. \nNotices will be available in the language of the home, when \nindicated as necessary by the family. Efforts will be made to \ndisseminate notices at community centers, day care centers, and \ncommunity preschools. \nSummary of significant dates and deadlines: \nDate Location \nThursday, October 17, 2024 CASH High School Annex, Dorchester \nWednesday, December 4, 2024 Mario Umana Academy, East Boston \nThursday, March 6, 2025 CASH High School Annex, Dorchester \nWednesday, March 26, 2025 Mario Umana Academy, East Boston \nThursday, April 17, 2025 CASH High School Annex, Dorchester", + "metadata": { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "8e5e3eb7-076b-462c-abd8-b5f8981007eb": { + "page_content": "Superintendent\u2019s Circular SPE-20 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: Assistant Director for Early Childhood \nDepartment: Office of Special Education \nMailing Address: 2300 Washington Street 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-8599 \nFax: 617-635-6834 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds.pdf", + "source_link": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#SPE" + } + }, + "4b8763ae-f3fe-4d85-987b-f04d01854948": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-07 \nVersion 01 \n \n \nHOME-SCHOOL COMPACT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThe Home-School Compact is a document that clarifies what \nschool staff and families, working in collaboration, can do to help \nchildren reach high specific academic goals in core content \nareas. At their best, compacts link family engagement to school-\nwide and grade level instructional goals and help ground the \nrelationships between teachers and families in student learning. \nAdditionally, the compact serves as a clear reminder of the \nshared responsibility of the school and home to ensure that \nchildren can learn what is required of them. It is a written \ncommitment indicating how all members of a school community \n\u2014 families, teachers, principals, students, and concerned \ncommunity members \u2014 agree to share responsibility for student \nlearning.", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "988e4898-f351-4e87-83f8-d456a1f2cb43": { + "page_content": "commitment indicating how all members of a school community \n\u2014 families, teachers, principals, students, and concerned \ncommunity members \u2014 agree to share responsibility for student \nlearning. \nAll schools receiving Title I funds are required to develop a \nhome-school compact annually. \nWHAT IS INCLUDED IN A HOME-SCHOOL COMPACT? \nThe compact should clearly communicate the following:", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "be82138e-b931-449c-abc8-9b05c0ad3b47": { + "page_content": "Superintendent\u2019s Circular FAM-07 \nPage 2 of 6 \n \n \n1. Schoolwide instructional goals in core content areas and \nculturally and linguistically sustaining practices \n2. Specific learning goals for each grade level \n3. Key instructional strategies that the school plans to employ \n4. Specific strategies for families to support student learning at \nhome \n5. How stakeholders, especially families, are involved in \ndeveloping and revising the compact. \nAdditionally, the compact provides a vehicle for clearly defining \nthe expectations and shared responsibility for educating \nstudents. \nThe compact must describe how the school and teacher agree to \nbe responsible for: \n\u25cf Providing high-quality instruction for all students \n\u25cf Creating a supportive learning environment \n\u25cf Describing how school/teacher will build student agency in \ntheir learning \n\u25cf Showing respect for students and their families \n\u25cf Communicating with families and students about student \nprogress.", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "0d83320e-e145-469d-a735-f009bb436864": { + "page_content": "\u25cf Describing how school/teacher will build student agency in \ntheir learning \n\u25cf Showing respect for students and their families \n\u25cf Communicating with families and students about student \nprogress. \nThe compact must describe how families agree to be responsible \nfor: \n\u25cf Supporting their children\u2019s learning in school and out of \nschool \n\u25cf Seeing that their children attend school regularly and on \ntime", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "f3352681-652a-4302-b40a-94e713508004": { + "page_content": "Superintendent\u2019s Circular FAM-07 \nPage 3 of 6 \n \n \n\u25cf Participating in decisions relating to the education of their \nchild and the school \n\u25cf Communicating with teachers on a regular basis. \nThe compact must describe specific ways students agree to be \nresponsible learners with the support of their parent(s) and \nteacher(s) by: \n\u25cf Attending school regularly and on time \n\u25cf Showing respect for themselves, their school, and other \npeople \n\u25cf Believing they can and will learn \n\u25cf Trying to do their best in their work. \nThe compact must emphasize the importance of ongoing, two-\nway communication between home and school through the \nfollowing minimum requirements: \n\u25cf Annual parent-teacher conference(s) to discuss the \nrelationship between the compact agreements and the \nstudent\u2019s achievement \n\u25cf Frequent, timely progress reports to families \n\u25cf Reasonable access to school staff in a variety of ways \n\u25cf Opportunities to participate in and observe class activities.", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "9231e732-364f-478b-90aa-4679d7577cf5": { + "page_content": "student\u2019s achievement \n\u25cf Frequent, timely progress reports to families \n\u25cf Reasonable access to school staff in a variety of ways \n\u25cf Opportunities to participate in and observe class activities. \nDEVELOPING AND REVIEWING THE HOME-SCHOOL COMPACT \nThe following are key considerations for developing your home-\nschool compact: \n1. The compact must be developed by a committee consisting \nof administrators, school staff, families, students, and", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "1b6283a6-6fa8-4de4-8b25-321bfaf68a26": { + "page_content": "Superintendent\u2019s Circular FAM-07 \nPage 4 of 6 \n \n \nteachers. Existing school-based family engagement action \nteams or a subcommittee of the School Site Council are \noptions for the development of this document. \n2. The process for developing a compact should be open and \ninclusive, soliciting the input and contributions of a wide \nrange of stakeholders. \n3. The compact provides an opportunity for each stakeholder \nto articulate their expectations regarding the delivery of \nteaching and learning and what they agree to be held \naccountable for regarding student achievement. \n4. The compact should be written in clear, family-friendly \nlanguage, and translated into the languages spoken at the \nschool. \n5. The compact should be written using the Racial Equity \nPlanning Tool. \n6. Once a draft of the compact has been developed, families, \nteachers, and students should be given an opportunity to \nprovide feedback and input. \n7. The final version of the document must be approved by the", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "8bbb7e2b-115b-4fd0-ac3d-e43cae89e821": { + "page_content": "teachers, and students should be given an opportunity to \nprovide feedback and input. \n7. The final version of the document must be approved by the \nSchool Site Council annually in the spring in preparation for \nthe upcoming school year. \n8. A final version of the compact must be submitted to the \nOffice of Family and Community Advancement by \nOctober 31, 2024.", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "62e9dc71-0e1a-4d0d-8128-f018110f1805": { + "page_content": "Superintendent\u2019s Circular FAM-07 \nPage 5 of 6 \n \n \nUSING THE HOME-SCHOOL COMPACT \nSchools must also develop a process for utilizing the compact to \nframe the relationships between teachers and families. Examples \ninclude: \n\u25cf The compact is reviewed at the beginning of parent-teacher \nconferences to frame the conversation about student \nprogress and mutual accountability. \n\u25cf The compact is used throughout the year to frame \nconversations between teachers and families related to \nmonitoring student progress toward specific learning goals. \n\u25cf The compact is used to frame school-based workshops \ndesigned to help families understand schoolwide and \ngrade-level learning goals and how to support learning at \nhome. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe compact, if it is developed and used effectively and \nconsistently, can be used as evidence of reaching the proficiency \ntargets for the elements and indicators of Standard III in both the \nadministrator and teacher evaluation rubrics.", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "8f6c6bfa-1662-45ab-81f0-6a0747195471": { + "page_content": "consistently, can be used as evidence of reaching the proficiency \ntargets for the elements and indicators of Standard III in both the \nadministrator and teacher evaluation rubrics. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on home-school compacts, please see: \n\u25cf ESEA Title I, Part A, Section 1118(d) \n\u25cf www.ctsschoolparentcompact.org \n\u25cf Title I Toolkit", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "4c0298f5-c713-41f6-9a07-f4e239122e0a": { + "page_content": "Superintendent\u2019s Circular FAM-07 \nPage 6 of 6 \n \n \nThe Office of Family and Community Advancement is responsible \nfor supporting schools with the development and \nimplementation of the compacts. \nIMPORTANT DATES \nDate Activity \nOctober 31 \nDeadline for submitting current year Home-School \nCompact to Office of Family and Community \nAdvancement \nMay 31 \nDeadline for School Site Council to review and \napprove the Home School Compact for the \nfollowing school year \n \nFor more information about this circular, contact: \nOwner: Director, Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-07 Home-School Compact.pdf", + "source_link": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "acca7d6e-b1ef-44ce-881a-be1e1abf3836": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-03 \nVersion 01 \n \nMIDDLE AND HIGH SCHOOL STUDENT GOVERNMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n\u201cAs we continue to work at improving the quality of education \nfor all students, it is important that the voice of students be \nheard at the local, state and national levels.\u201d \nMassachusetts Dept. of Elementary and Secondary Education \n \nEvery Boston public middle and high school (including district \nschools, exam schools, and all alternative, pilot, and in-district \ncharter schools) must have a written student engagement policy \ndocumenting opportunities for students to assume leadership \nroles within classrooms and the broader school community, in \nalignment with the 2016 BPS Opportunity and Achievement Gaps \nPolicy. As part of this policy, each high school must also have a \nfunctioning and engaged student government. Middle schools", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "e80b4804-fa68-4f35-aa73-a551510a353a": { + "page_content": "alignment with the 2016 BPS Opportunity and Achievement Gaps \nPolicy. As part of this policy, each high school must also have a \nfunctioning and engaged student government. Middle schools \nare encouraged to have a student government. Student leaders \nin this body will represent their peers by serving as advisors, \nresearchers, and participants in the decision-making process at \nthe school and district level. Student government serves to \nengage students in learning about democracy and leadership. \nStudent government bodies are essential to ensuring equity in all \naspects of schooling. With faculty and administrative support, \nstudent government members should: \n\u25cf Ensure student voices are heard and incorporated in school", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "edf638bd-1935-4f61-b461-4a301e34a29f": { + "page_content": "Superintendent\u2019s Circular FAM-03 \nPage 2 of 7 \n \ndecision making through the School Site Council, \n(SSC)/Governing Board, and meetings with the \nadministration. \n\u25cf Develop and grow a body of student leaders by working \nclosely with the faculty advisor(s) and the head of school. \n\u25cf Organize the student body and advocate for policies, \npractices, and opportunities that will close opportunity gaps \nat the school and district level. \nThrough student government and SSC, students can assist in \nfulfilling the school\u2019s mission and design and improve the culture \nand climate of the school. \nSTUDENT GOVERNMENT COMPOSITION \nSchools will strive to form a student government that reflects the \ndiversity of the student population in terms of race/ethnicity, \ngender, grade level, educational program (e.g., general, special, \nand bilingual education), and other factors. The number of \nparticipants should depend on the size of the school and what is", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "1f05b464-d3d7-4dcd-96e7-e11a304706a9": { + "page_content": "gender, grade level, educational program (e.g., general, special, \nand bilingual education), and other factors. The number of \nparticipants should depend on the size of the school and what is \nmanageable for the advisor. The recommendation is to have 10-15 \nstudents serve in student government. \nIt is recommended that student government members be \nconnected to other school-based groups such as the School-\nBased Wellness Council and student clubs. These positions can \nbe dual roles with other positions on Student Government or can \nbe stand alone. The faculty advisor should help students think \nabout their time and commitments and what it would mean to \ntake on dual roles in the student government. \nROLE OF THE FACULTY ADVISOR \nThe principal/head of school, with student input, should appoint", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "a098bf3f-af31-4812-a265-47528a443d28": { + "page_content": "Superintendent\u2019s Circular FAM-03 \nPage 3 of 7 \n \none or more faculty advisors to support and oversee each student \ngovernment. The principal/head of school will include students in \nthe selection process. Student governments can be considered \nschool clubs, and as such principals/heads of school are strongly \nencouraged to pay a stipend to the faculty advisor(s). \nThe faculty advisor(s) will: \n\u25cf Facilitate youth leadership in all aspects of student \ngovernance. \n\u25cf Meet with the student government at least twice per month \nand provide support in organizing quarterly meetings each \nschool year. \n\u25cf Assist student government leaders in the development of \naction plans for the school and obtain the appropriate \napprovals before a plan is implemented. \n\u25cf Assist student government leaders in planning and \nmanaging their events/activities, supporting with logistics \nand approval. \n\u25cf Act as a liaison between the student government, School Site", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "ffc08706-c1a9-46df-a391-d11fa6edec0b": { + "page_content": "\u25cf Assist student government leaders in planning and \nmanaging their events/activities, supporting with logistics \nand approval. \n\u25cf Act as a liaison between the student government, School Site \nCouncil/Governing Board, and the Instructional Leadership \nTeam (ILT). \n\u25cf Ensure the tracking of data and support members as they \ncomplete reporting on activities. \n\u25cf Provide the principal/head of school with regular updates on \nhow the action plans are being carried out. \n\u25cf Advise student government leaders on their leadership and \nscholar-activism. \n\u25cf Monitor and record all student work and approvals for \nproposals and dates. \n\u25cf Develop student leaders by providing or facilitating training \nand support as necessary.", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "090fa9ef-1652-4cc2-80a4-76090acba9a5": { + "page_content": "Superintendent\u2019s Circular FAM-03 \nPage 4 of 7 \n \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nPlease refer to the Massachusetts Department of Elementary and \nSecondary Education Educator Evaluation: Appendix B: School-\nLevel Administrator Rubric. \n\u25cf Indicator III-A1. Family Engagement. \no Engages SG in activities, events, and opportunities to \ncreate a welcoming environment. \no Students contribute to the design by sharing their \nknowledge of family and culture. \no Students evaluate and problem solve with staff and \nleadership challenges/barriers to including families in the \nschool community. \n\u25cf Indicator IV-B1. Policies and Practices. \no Students participate in an activity identifying the makeup \nof the school. \no Cultural Sharing day. \no Students participate in SSC and/or other groups that \ndevelop culturally sensitive policies. \n\u25cf Indicator IV-E-1. Shared Vision Development. \no Students are part of the visioning process through focus", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "dbb8b428-0e9e-4fcc-83b7-706eebfc8e44": { + "page_content": "develop culturally sensitive policies. \n\u25cf Indicator IV-E-1. Shared Vision Development. \no Students are part of the visioning process through focus \ngroups, surveys, community meetings, etc. \no Students share in the developing messaging for the \nstudent body. \n\u25cf Indicator IV-F-3. Consensus Building. \no Conflict resolution. \no Restorative justice practices. \no Student involvement in SSC and decision-making body.", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "20fc2698-54cf-491d-a75a-478290dd4106": { + "page_content": "Superintendent\u2019s Circular FAM-03 \nPage 5 of 7 \n \nELECTIONS \nIt is the responsibility of every principal/head of school to ensure \nthat elections are held and the student government is \nestablished no later than October 15. The recommendation is that \nall student elections be held as one process by April 15 of the \ncurrent school year to roll out the following school year. See the \nStudent Elections Toolkit for guidance on facilitating student \nelections and all the necessary reporting forms. \nREPORTING \nOnce the student government is established, each school must \nsend the student government roster to the Office of Youth \nLeadership, which must include: \n1. Student information for all elected positions. \n2. Student information for the two (2) students who are \nelected to serve on SSC or Governing Board (these \nstudents shall also serve on the Personnel \nSubcommittee). \n3. Student information for the BSAC representative (see \nSuperintendent Circular FAM-06).", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "631f721c-18e9-46d0-88b5-b66b934994e2": { + "page_content": "students shall also serve on the Personnel \nSubcommittee). \n3. Student information for the BSAC representative (see \nSuperintendent Circular FAM-06). \n4. Student information for the Greater Boston Regional \nStudent Advisory Council (GBRSAC) representatives. \nPlease note the Department of Elementary and \nSecondary Education requires secondary schools to host \ntheir student elections for GBRSAC representatives and \nthose names be submitted no later than mid-April for the \nrepresentatives serving the following school year.", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "e3e573c1-f766-4d0f-81e4-6d927f2e255f": { + "page_content": "Superintendent\u2019s Circular FAM-03 \nPage 6 of 7 \n \nMIDDLE SCHOOL LEVEL OVERVIEW \nMiddle school student governments serve the same functions as \nhigh school student governments. During middle school, \nstudents are building their self-advocacy skills to develop their \nvoices, identities, and agency in the school community. Learning \nabout leadership is a key activity for many middle school student \ngovernments. Student government members learn how to \nresearch, plan, organize, and execute programs and activities for \nmany students. The student government advisor leads student \ngovernment members in developing their leadership skills. \nPracticing Democracy: Governing democratically is a skill \nstudents learn during student government. Student government \ngives students hands-on experience in the workings of a \ndemocracy and teaches them how to work cooperatively with \nothers. Meetings should be run to promote students' working \ntogether for the common good and learning how to put", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "087a273c-69c1-4a38-aea1-7ce56f0a9c7c": { + "page_content": "democracy and teaches them how to work cooperatively with \nothers. Meetings should be run to promote students' working \ntogether for the common good and learning how to put \nleadership into action. \nPlanning and Implementing School Spirit Activities : Building \nschool spirit and culture that is linguistically sustaining and \naffirming can be one of the projects of the student government. \nThrough school events such as talent shows, fundraisers, and \nassemblies, students, teachers, faculty members and parents \ncome together to help plan these activities throughout the \nschool year and appoint various people to run these functions. \nAddressing Cares, Concerns, and Restorative Justice: Students \nwill raise school concerns that can best be addressed in student \ngovernment. Whether it is more nutritious foods served in the \ncafeteria or issues regarding school spirit days, student \ngovernment meetings give students a forum for sharing their", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "7e344b86-483d-41da-9505-975ca2e594a2": { + "page_content": "government. Whether it is more nutritious foods served in the \ncafeteria or issues regarding school spirit days, student \ngovernment meetings give students a forum for sharing their \ngrievances and analyzing possible solutions to these problems. \nWith the support of the Office of Restorative Justice, students", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "28a07ffc-38bf-48bc-b0b9-f056224be7fd": { + "page_content": "Superintendent\u2019s Circular FAM-03 \nPage 7 of 7 \n \ncan be trained as circle keepers and can implement restorative \njustice to build community, repair harm, and promote collective \nhealing. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nOctober 15 Deadline for student government elections to be \nheld \nOctober 15 \nDeadline for reporting the student government \nroster, including all student and faculty \ninformation listed above, to the Office of Youth \nLeadership at BSAC@bostonpublicschools.org \nOctober 31 Deadline for the first student government meeting \nto be held \n \nFor more information about this circular, contact: \nOwner: Senior Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-03 Student Government.pdf", + "source_link": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "b47d21f1-727f-43f2-8e63-7ae851594fd0": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-02 \nVersion 01 \n \n \n SCHOOL SITE COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEngaging families and students as equal partners has been \nidentified as a core strategy for improving student performance \nin the Boston School Committee goals and the BPS Engagement \nPolicy. Family and student engagement is also a significant \ncomponent of the Massachusetts School-Level Administrator \nRubric. \nThis circular has been developed to help principals/heads of \nschool effectively implement School Site Councils (SSC) as a \nfoundational structure for engaging parents and students in \nschool-based decision-making and school improvement. The \nOffice of Family and Community Advancement (OFCA) \ncollaborates with the Boston Teachers Union (BTU) to provide \noversight and support for SSCs. \nFor the purposes of this circular, the term \u201cparent\u201d includes a", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "e0178554-08a7-4094-93a4-aab9004aafd2": { + "page_content": "collaborates with the Boston Teachers Union (BTU) to provide \noversight and support for SSCs. \nFor the purposes of this circular, the term \u201cparent\u201d includes a \nlegal guardian or other person standing in loco parentis (such as \na grandparent or stepparent with whom the child lives, or a \nperson who is legally responsible for the child's welfare). Sect. \n9101(31) ESEA.", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "60596f42-905c-415f-82a3-9747c3b238ec": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 2 of 14 \n \nROLE AND PURPOSE \nThe role of the School Site Council is to engage parents and \nteachers to serve with the principal/head of school as the central \ndecision-making body of the school. SSCs are required by the \nMassachusetts Education Reform Act of 1993 and by the \ncollective bargaining agreement between the Boston Teachers \nUnion (BTU) and the Boston School Committee. \nUnder the school-based management/shared decision-making \nmodel described in the collective bargaining agreement \nbetween BPS and the BTU, the role of the SSC is to: \n\u25cf Review and approve the Quality School Plan within \nguidelines established by the superintendent. \n\u25cf Review and approve the recommendations of the \nInstructional Leadership Team (ILT) that have been \nendorsed by the principal/head of school and that will have \na major effect on the school community. \n\u25cf Review and comment on the entire school budget,", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "77e330ce-cf60-499d-915b-44a940f56c3c": { + "page_content": "endorsed by the principal/head of school and that will have \na major effect on the school community. \n\u25cf Review and comment on the entire school budget, \nincluding the general funds and external funds budgets, in a \ntimely fashion. \n\u25cf Approve the budget for discretionary school materials, \nsupplies, textbooks, and equipment, including the use of \nschool improvement award funds. \n\u25cf Review and approve recommendations from any other \ncommittee or group that is established to recommend \nchanges that will have a major effect on the school \ncommunity. \n\u25cf Develop and approve plans for increasing parent \nengagement in the school.", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "20028ed4-10ca-4dee-b39b-c8652ab06cee": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 3 of 14 \n \n\u25cf Develop, review annually, and approve the School-Parent \nCompact as required by Title I. \n\u25cf Receive information about all outside programs or outside \nprofessionals that come into the school. \n\u25cf Approve waivers. \nAs the central governing body at the school, the SSC oversees all \nschool-based committees, including the ILT and the Personnel \nSubcommittee. \nThe role of the ILT is to: \n\u25cf Serve as an advisory body to the principal/head of school on \nissues related to teaching and learning, assessment, and \nprofessional development. \n\u25cf Give a report each month to the SSC on ILT activities. \n\u25cf Seek and receive SSC approval for any ILT recommendation \nthat alters the Quality School Plan or may have a major \neffect on the school community. \nEach school must elect a Personnel Subcommittee, whose \ncomposition must include two teachers, one parent, and the \nprincipal/head of school. The responsibilities of the Personnel \nSubcommittee are to:", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "46e32440-042e-4304-97e6-3f5a906762ef": { + "page_content": "composition must include two teachers, one parent, and the \nprincipal/head of school. The responsibilities of the Personnel \nSubcommittee are to: \n\u25cf Approve the hiring of new BTU teacher bargaining unit staff \nand in-transfer of BTU teachers\u2019 bargaining unit staff from \nother schools in the system and the choice of teachers from \nthe excess pools. \n\u25cf Approve the selection of lead teachers, mentor teachers, \nand new athletic coaches. \n\u25cf Determine the schedule and procedures for reviewing", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "e48cbb2c-8bd1-4677-80ce-dccc293fe279": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 4 of 14 \n \ncandidates for positions. \nSchools must submit the names of the members of the \nPersonnel Subcommittee to the Office of Family and Community \nAdvancement by October 31. For additional information on the \nPersonnel Subcommittee, see Superintendent\u2019s Circular FAM-04 \nPersonnel Subcommittee. \nSSC GOVERNANCE AND OPERATIONS \nThe following provisions describe how effective SSCs should \noperate. \n1. SSC operations are governed by a BPS/BTU Joint Steering \nCommittee, which includes parents and students. Any \nmember of the SSC may file a complaint with the Steering \nCommittee concerning the operation of the SSC at their \nschool. \n2. The SSC is expected to operate as a single decision-making \nteam, working together to reach consensus, as opposed to \nbeing individual representatives of specific constituent \ngroups. \n3. Formally, decisions made by the SSC will be made by \nmajority vote, with the principal/head of school voting with", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "e6e2e53e-ec6e-45a2-9131-c40e7487e475": { + "page_content": "being individual representatives of specific constituent \ngroups. \n3. Formally, decisions made by the SSC will be made by \nmajority vote, with the principal/head of school voting with \nthe majority. \n4. The principal/head of school is required to account in writing \nand in person (at a subsequent meeting) for any vote in \ncontravention of a majority of the council. \n5. A quorum must be present to vote on issues. To constitute a \nquorum, the principal/head of school must be present as \nwell as at least two teachers and two parents for SSCs with 9-\n12 members and three teachers and three parents for SSCs \nwith 13 or more members.", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "25f5939f-0e6a-472d-80d0-22112c331f84": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 5 of 14 \n \n6. The principal/head of school shall serve as SSC co-chair and \nat the first meeting of the school year; the elected members \nof the SSC are encouraged to select one member (preferably \na parent) to serve as the other co-chair. \n7. Other roles, such as note taker and any subcommittees, shall \nalso be selected at the first SSC meeting of the school year. \n8. At the first SSC meeting of the year, a calendar of meetings \nfor the entire school year shall be established, ensuring that \nthe times and dates are convenient for all members. \n9. The agenda for the meetings shall be developed by the SSC \nco-chairs with input from other members of the SSC and the \nschool community at large. \n10. Each SSC is required to pass by-laws to govern its operations. \nThe by-laws must be approved or amended by two-thirds of \nthe members of the bargaining unit in the school eligible to \nvote for the SSC and by two-thirds of the parents who come", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "f65d50b7-1117-4175-ae46-6a79a06a3c00": { + "page_content": "The by-laws must be approved or amended by two-thirds of \nthe members of the bargaining unit in the school eligible to \nvote for the SSC and by two-thirds of the parents who come \nto a parent meeting. There must be at least two weeks\u2019 \nnotice for the parent meeting. \n11. All SSC meetings are subject to DESE regulations regarding \nspecific law, including publicizing meeting dates in advance \nand sharing meeting minutes with the school community. \n12. On March 29, 2023, Governor Healey signed into law a \nsupplemental budget bill which, among other things, \nextends the temporary provisions pertaining to the Open \nMeeting Law to March 31, 2025. These provisions allow for \nSchool Site Councils to meet remotely, provided that \nadequate access to the meetings is still available to the \npublic. Please see https://www.mass.gov/the-open-meeting-\nlaw for more information or current updates. Decisions \nabout hosting in- person or virtual school-based meetings", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "394e6f44-ccfa-4ab9-bb4b-1cee3f194a7d": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 6 of 14 \n \nwith families for SY 24-25 should be a shared decision with \ncommunity members. \nFor additional information on SSC governance and operations, \nplease contact the Office of Family and Community \nAdvancement or refer to the Shared Decision-Making section of \nthe collective bargaining agreement between BPS and the BTU. \nCOMPOSITION OF THE SSC \nThe SSC shall be composed of: \n\u25cf The principal/head of school \n\u25cf Elected members of the BTU who work more than 50% of \ntheir work week at that school \n\u25cf Parents of children enrolled in that school elected by the \nSchool Parent Council \n\u25cf Two students (high school only) enrolled in that school \nelected by the Student Government. \nThe specific number of parent and teacher representatives on \nthe SSC is determined by the number of BTU members employed \nat the school. The number of parent representatives on the SSC \nmust be equal to the number of BTU representatives, plus the", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "bfb3e709-d8ec-4e69-9460-4df30e1a7379": { + "page_content": "the SSC is determined by the number of BTU members employed \nat the school. The number of parent representatives on the SSC \nmust be equal to the number of BTU representatives, plus the \nprincipal/head of school. The table below demonstrates how the \nnumber of teacher and parent representatives are calculated.", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "552c27b2-2943-4d63-a4a8-ada4deb9fe38": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 7 of 14 \n \nSchool Site Council Representation* \n# of BTU members \nin school # of BTU SSC Reps # of Parent SSC Reps \n30 or fewer BTU 4 4 \n31 \u2013 60 BTU 5 5 \n61 or more BTU 6 6 \n \n*Plus, the principal/head of school and, as applicable, two \nstudents, as outlined above. \nSchools may also select associate (non-voting) SSC members \nfrom community-based organizations, higher education, or \nbusinesses that partner closely with the school. \nEach school shall also elect each year alternate parent, teacher, \nand student members of the SSC to substitute for absent \nmembers of their group. Alternate members who are elected by \nBTU bargaining unit members or parents to substitute for absent \nmembers may also fill vacancies created by the resignation or \nremoval of SSC members. \nParents elected as SSC representatives must reflect the racial and \nethnic diversity of the student population at the school and", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "27fd6885-1baf-4983-8309-a592ebedc9cc": { + "page_content": "removal of SSC members. \nParents elected as SSC representatives must reflect the racial and \nethnic diversity of the student population at the school and \ninclude parents of students participating in a range of \neducational programs, such as special education and related \nservices and programming for English Language Learners. \nFor specific information on the election process of BTU \nrepresentatives, please refer to the Shared Decision-Making \nsection of the collective bargaining agreement between BPS and \nthe BTU.", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "0dda8861-0182-405d-ae04-b8fc7fe23f2e": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 8 of 14 \n \nSSC ELECTION PROCEDURES FOR SELECTING PARENT AND \nSTUDENT REPRESENTATIVES \nThe following are key points for conducting successful elections. \n\u25cf Principals/heads of school should designate an impartial \nstaff person as the school\u2019s Election Facilitator. Elections \nshould not be facilitated by the principal/head of school or \nby a parent currently serving on the SPC Executive \nCommittee or SSC. The Office of Family and Community \nAdvancement provides training, support, and materials for \nall election facilitators, and can facilitate elections provided \nthat (a) a facilitator cannot be identified from within the \nschool community, and (b) the school contacts Office of \nFamily and Community Advancement with the election \ndate, time, and location at least two weeks in advance. \n\u25cf OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election.", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "d2498b15-b68d-4a6e-9c63-b3a152f1490d": { + "page_content": "date, time, and location at least two weeks in advance. \n\u25cf OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n\u25cf Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n\u25cf Elections should be held at the first School Parent Council \n(SPC) meeting of the year and conducted at a time that is \nconvenient for parents. The SPC consists of all parents in the \nschool community. See Superintendent\u2019s Circular FAM-01 for \nadditional details. \n\u25cf Election of student SSC representatives at high schools \nshould be incorporated into schools\u2019 student government \nelection process. \n\u25cf Schools should be prepared to provide translation and", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "a5f4698d-f019-4383-9ea4-38386a9cfc94": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 9 of 14 \n \ninterpretation, as well as childcare, at the parent election \nand at the meetings as needed. \n\u25cf Parent elections typically take between 30 and 60 minutes. \nThe election facilitator should be prepared to explain the \nrole and purpose of the SPC and SSC, as well as provide an \noverview of each position and requirements of the election. \n\u25cf Parents or legal guardians of students currently enrolled at \nthe school are eligible to be elected to the SSC. Note: \nparents/legal guardians who work at their child\u2019s school \ncannot serve as the parent representative on the SSC. \n\u25cf Parents may be nominated and elected to serve on both the \nSSC and the SPC executive committee/team. \n\u25cf All families who are present at the election are allowed one \nvote per family per elected position. No absentee ballots will \nbe accepted. \n\u25cf Voting may be conducted by secret ballot or by majority \nvote. \n\u25cf Upon completion of voting, each newly elected parent", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "1beeff10-45de-4bc4-8cd8-6ea7818a7482": { + "page_content": "be accepted. \n\u25cf Voting may be conducted by secret ballot or by majority \nvote. \n\u25cf Upon completion of voting, each newly elected parent \nshould complete an Elected Member Information Form and \nreturn it to the election facilitator. \n\u25cf After the election, the school is responsible for submitting all \nelection results to the Office of Family and Community \nAdvancement \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council elects parent members to represent \nthe parent voice on the School Site Council. The SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "86bf6c87-ae88-41a4-bc58-5243d69e32d7": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 10 of 14 \n \nthe SSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSSC REPORTING \nAll BPS schools are required to submit their SSC rosters and \nmaterials listed below directly to the Office of Family, Student \nand Community Advancement by October 31. Additionally, \nschools are required to submit the following documents for the \npurposes of demonstrating compliance with MA Open Meeting \nLaw and BPS policy: \n\u25cf SPC roster \n\u25cf SSC roster \n\u25cf Personnel Subcommittee roster \n\u25cf SSC meeting calendar for the year \n\u25cf SSC meeting agendas, monthly \n\u25cf SSC meeting notes, monthly \n\u25cf SSC by-laws \n\u25cf Family Engagement Plan \n\u25cf Home-School Compact \nThe first deadline for submitting this documentation is October", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "09f1c5fb-6a14-413a-bcf8-d3c51e82ea70": { + "page_content": "\u25cf SSC meeting agendas, monthly \n\u25cf SSC meeting notes, monthly \n\u25cf SSC by-laws \n\u25cf Family Engagement Plan \n\u25cf Home-School Compact \nThe first deadline for submitting this documentation is October \n31, at which time every school will be assigned one of the \nfollowing statuses: \n\u25cf Full Compliance: School has uploaded SSC and SPC roster, \nas well as all other SSC documentation. \n\u25cf Reporting: School has uploaded SSC and SPC roster, with \nincomplete additional SSC documentation. \n\u25cf No Data: School has not uploaded SSC and SPC roster.", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "3c5fa6f9-42f7-448b-a77c-02627fe199da": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 11 of 14 \n \n \nSSC meeting agendas and notes should be submitted on request \nfor updated SSC status to be maintained and/or updated. \nSUPPORT AND TRAINING \nThe Office of Family, Student and Community Advancement \nprovides the following supports to schools to help them \neffectively conduct elections, provide the required \ndocumentation, and implement effective SSCs throughout the \nschool year: \n\u25cf Required election materials \n\u25cf Election facilitation training \n\u25cf Election facilitation, in the event that the school is not able \nto identify a facilitator and is able to request an election \nfacilitator at least ten school days in advance \n\u25cf SSC trainings, in collaboration with the BTU, on topics \nincluding SSC Basics, SSC Budget Basics, and Shared \nDecision-Making \n\u25cf SSC manuals, including specific tools to support SSC \noperations and answers to frequently asked questions \n\u25cf SSC trainings for high school students and adult allies", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "78d821d9-4ed1-4d01-b5ec-091443bf497d": { + "page_content": "Decision-Making \n\u25cf SSC manuals, including specific tools to support SSC \noperations and answers to frequently asked questions \n\u25cf SSC trainings for high school students and adult allies \n\u25cf Ongoing support, coaching, and technical assistance. \nOPEN MEETING LAW REQUIREMENT \nSSCs serve as the decision-making body of the school and are \nsubject to certain aspects of the Massachusetts Open Meeting \nLaw, per DESE Regulations. According to these laws, SSCs must \nadhere to the following requirements:", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "b52d395d-93dd-4539-971a-3fb5b82b05aa": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 12 of 14 \n \n\u25cf Meeting dates and agendas must be posted publicly, with \n48 hours advance notice. \n\u25cf All SSC meetings must be open to the public. \n\u25cf Meeting minutes and notes must be shared, posted, and \nkept in a place at the school where they are accessible. \nFor more complete information on the MA Open Meeting Law, go \nto www.mass.gov/ago/government-resources/open-meeting-\nlaw/ \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts School Level Administrator \nRubric: \n\u25cf Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n\u25cf Indicator IV-A-3. Professional Culture \no Plans and leads well-run and engaging meetings that \nhave a clear purpose, focus on matters of consequence,", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "a5f5de35-2774-4b28-99b4-6452f5b9ed10": { + "page_content": "responsibility engagement. \n\u25cf Indicator IV-A-3. Professional Culture \no Plans and leads well-run and engaging meetings that \nhave a clear purpose, focus on matters of consequence, \nand engage participants in a thoughtful and \nproductive series of conversations and deliberations \nabout important school matters. \n\u25cf Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n\u25cf Indicator IV-E-1. Shared Vision Development", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "05a7cd7f-9f16-4992-98e3-a62594c53f03": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 13 of 14 \n \no Parents, students, and teachers have an opportunity to \nshape the vision for the school as it pertains to \ninstruction and school climate. \n\u25cf Indicator IV-F-3. Consensus Building \no Decisions are made using a consensus model, in which \nall members of the SSC have an equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate Activity \nSeptember 15 \nElection dates submitted to the Family-School \nEngagement Practices Team, Office of Family \nand Community Advancement \nOctober 15 \nDeadline for completing elections of all parent, \nstudent, and teacher SSC representatives and \nsubmission of rosters \nOctober 31 Deadline for conducting first SSC meeting \nOctober 31 \nDeadline for submitting all required \ndocumentation to the Office of Family and \nCommunity Advancement \nTBA Districtwide SSC trainings", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "15a0c4b4-7bcf-4bab-ae4d-26015f49d85f": { + "page_content": "Superintendent\u2019s Circular FAM-02 \nPage 14 of 14 \n \nFor more information about this circular, contact: \nOwner: Director, Family-School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-02 School Site Councils.pdf", + "source_link": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "88e5869c-245d-46ca-87fa-35434df19463": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-05 \nVersion 01 \n \n \nTITLE I FAMILY ENGAGEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Strong family and home-\nschool connection focused on student academic learning has \nconsistently been shown to be associated with improved student \nachievement and school improvement. The shared responsibility \nthat results from partnerships has the potential to improve \nrelationships, strengthen schools, and ensure students are \nprepared to reach their educational potential in school and \nbeyond. \nThe BPS Five Core Elements of Engagement provide clear \nguidance for schools to develop and implement the Title I Family \nEngagement Requirements. Title I, Part A, Section 1118, of the", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "b776f3d0-886e-4149-900d-29f54c5b9696": { + "page_content": "beyond. \nThe BPS Five Core Elements of Engagement provide clear \nguidance for schools to develop and implement the Title I Family \nEngagement Requirements. Title I, Part A, Section 1118, of the \nElementary and Secondary Education Act (ESEA) identifies \nspecific family engagement practices required of all schools that \nreceive Title I funds. The Office of Engagement provides oversight \nand support to ensure all schools that receive Title I funds meet \nthe engagement requirements of Sec. 1118.", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "93c4bec0-e61c-44a1-82f0-76a4e48448f3": { + "page_content": "Superintendent\u2019s Circular FAM-05 \nPage 2 of 7 \n \n \nREQUIREMENTS OF SCHOOLS RECEIVING TITLE I FUNDS \nAll schools receiving Title I Funds are required to do the following: \n1. Have a written Family Engagement Plan/Policy, developed \nin collaboration with parents and approved by the School \nParent Council and School Site Council or Governing Board. \n2. Have a Home-School Compact, developed in collaboration \nwith parents and approved by the School Parent Council \nand School Site Council or Governing Board. \n3. Set aside a minimum of 1% of Title I allocation in the school\u2019s \nbudget for family engagement. Decisions on how to allocate \nthe 1% for family engagement must comply with federal \nguidelines and be made by the School Site Council or \nGoverning Board. \n4. Host an annual parent meeting to discuss school priorities \nand programs under Title I by October 31. \n5. Build capacity of both families and teachers to effectively \nengage with one another to improve student learning", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "4b700d18-58b1-49f4-a27b-678ffea94690": { + "page_content": "and programs under Title I by October 31. \n5. Build capacity of both families and teachers to effectively \nengage with one another to improve student learning \noutcomes. with an emphasis on the use of CRIOP, Pillar II. \nFAMILY ENGAGEMENT POLICY/PLAN \nThe family engagement policy/plan is jointly designed by families \nand school stakeholders to describe how the school will carry out \nparent engagement to meet the changing needs of families, \nstudents, and the school.", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "8d88ae92-87af-4e43-b73e-b7c9625b0e9d": { + "page_content": "Superintendent\u2019s Circular FAM-05 \nPage 3 of 7 \n \n \nThe Family Engagement Policy/Plan must: \n\u25cf Describe how parents will be engaged as equal partners in \nschool-based decision-making, including tools they will use, \nsuch tools as School-based Equity Roundtables. \n\u25cf Describe how parents will be engaged in school \nimprovement and student learning. \n\u25cf Identify strategies that the school will employ to build both \nparent and teacher capacity for partnering to support \nstudent learning. \n\u25cf Be shared with the school community in a format that is \nfamily friendly. \n\u25cf Be translated into families\u2019 home languages. \n\u25cf Be updated annually to reflect the changing concerns of \nfamilies\u2019 and school priorities related to school climate and \nstudent learning. \nFor additional information on the family engagement policy/plan, \nsee ESEA Title I, Part A, Section 1118(b). \nHOME-SCHOOL COMPACT \nThe purpose of the Home-School Compact is to establish shared \nresponsibility for student academic achievement.", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "4e932964-c908-449b-9ba1-8c9369af3ab4": { + "page_content": "see ESEA Title I, Part A, Section 1118(b). \nHOME-SCHOOL COMPACT \nThe purpose of the Home-School Compact is to establish shared \nresponsibility for student academic achievement. \nFor additional information on Home-School Compacts: \n\u25cf ESEA Title I, Part A, Section 1118(d) \n\u25cf BPS Circular FAM-7 Home-School Compacts \n\u25cf www.schoolparentcompact.org \n\u25cf Title I Toolkit", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "ae2e311a-4f2d-432e-8d66-92d6d07f9ccb": { + "page_content": "Superintendent\u2019s Circular FAM-05 \nPage 4 of 7 \n \n \n1% MINIMUM FAMILY ENGAGEMENT ALLOCATION \nAll schools receiving Title I funds are required to set aside a \nminimum of 1% of the Title I allocation in the school's budget for \nfamily engagement. As needed, the Family School Engagement \nPractice team can provide guidance in allowable expenditures to \nschools. Decisions on how to allocate the 1% for family \nengagement should be made by the School Site Council or \nGoverning Board in consultation with the parent body. \nFor additional information on the use of Title I funds for family \nengagement, please see ESEA Title 1, Part A, Section1118(a)(3)(C) \nand Section 1118(e)(8), (9), and (10). \nANNUAL MEETING \nSchools receiving Title I funds must convene an annual meeting \nwith families in which: \n\u25cf All families are invited and encouraged to attend. \n\u25cf Families are informed of the school\u2019s status as a Title I \nschool. \n\u25cf The requirements of Title I are explained to families.", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "7b0fc59f-ed29-48f5-8e31-0538aa5941b6": { + "page_content": "\u25cf All families are invited and encouraged to attend. \n\u25cf Families are informed of the school\u2019s status as a Title I \nschool. \n\u25cf The requirements of Title I are explained to families. \n\u25cf The school\u2019s use and allocation of Title I funds is shared with \nfamilies. \n\u25cf Families are informed of the different opportunities to be \ninvolved in school-based decision-making, school \nimprovement, and supporting student learning. \n \nFor additional information on the Annual Meeting as required \nunder Title I, please see ESEA Title I, Part A, Section 1118(C)(1). \nCAPACITY BUILDING", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "1845435d-8569-4511-b9b5-251748f2c9a0": { + "page_content": "Superintendent\u2019s Circular FAM-05 \nPage 5 of 7 \n \n \nSchools that receive Title I funds are required to provide capacity \nbuilding opportunities for both families and educators designed \nto: \n\u25cf Help families understand learning standards, assessment of \nstudent learning, and how to effectively monitor student \nprogress. \n\u25cf Strengthen families\u2019 ability to support student learning at \nhome. \n\u25cf Help principals/heads of school, teachers, and other school \nstaff develop the mindsets, beliefs, skills, and strategies to \neffectively build relationships and maintain ongoing, two-\nway, culturally appropriate communication with students\u2019 \nfamilies. \n\u25cf Collaborate with community-based organizations that work \nwith school staff and/or parents to strengthen student \nlearning outcomes. \n\u25cf Translate communications and provide interpretation from \nthe school to families who speak a language other than \nEnglish into the appropriate language.", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "c647454e-ef15-43e4-b744-6644bd5a0f6e": { + "page_content": "learning outcomes. \n\u25cf Translate communications and provide interpretation from \nthe school to families who speak a language other than \nEnglish into the appropriate language. \nFor additional information on the Title I requirements related to \nparent and teacher capacity building, please see ESEA, Title I, \nPart A, Section 1118(e). \nREPORTING \nTo be considered in compliance with the family engagement \nrequirements of Title I and the requirements of the BPS Core \nElements of Engagement, schools must submit the following \ndocuments to the Office of Family and Community \nAdvancement, or submit to their engagement folder:", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "732a8831-8b1f-4a79-b23d-e4e8c412210c": { + "page_content": "Superintendent\u2019s Circular FAM-05 \nPage 6 of 7 \n \n \n\u25cf School-based Family Engagement Plan/Policy \n\u25cf Home-School Compact \n\u25cf Agenda, meeting minutes, election documents, meetings \ndates, roster, and bylaws of School Site Council \n\u25cf A self-assessment of the school\u2019s engagement practices. \n \nThe Office of Family and Community Advancement will be \nresponsible for tracking parent participation in BPS Parent \nUniversity, which builds the capacity of parents to effectively \nsupport student learning and advocate for student needs. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Title I Family Engagement requirements align with the \neducator evaluation Standard III: Family and Community \nEngagement addressing the continuum of supports that reflect \nshared expectations, responsibility, and opportunities for active \nparticipation and collaborative partnerships between schools, \nfamilies, and community. Further, Title 1 requirements align with \nCulturally and Linguistically Sustaining Practices (CLSP),", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "3fd22d98-1562-430a-b152-3eceafe49b9c": { + "page_content": "participation and collaborative partnerships between schools, \nfamilies, and community. Further, Title 1 requirements align with \nCulturally and Linguistically Sustaining Practices (CLSP), \nincluding the Culturally Responsive Instructional Observation \nProtocol (CRIOP).", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "08285af6-243f-4ce2-bb9a-3b6f234fcbc9": { + "page_content": "Superintendent\u2019s Circular FAM-05 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nOwner: Director of Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 445 Warren Street, Roxbury, MA 02121 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-05 Title I Family Engagement Requirements.pdf", + "source_link": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "ea175348-7619-41d7-aba8-2ab6b4b3e032": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-01 \nVersion 01 \n \n \n \nSCHOOL PARENT COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools values the voices of families and seeks to \nengage families in both school governance and in an advisory \ncapacity at all levels throughout the district. School Parent \nCouncils (SPCs) serve as advocates and advisors to \nprincipals/heads of school, school superintendents, the \nsuperintendent, and the School Committee. \nSPCs provide an opportunity for families to be more deeply \nengaged at the school level, partnering with the principal/head of \nschool to improve school culture and outcomes for all students. \nIn addition to the school-based SPC, there are districtwide parent \nadvisory councils that bring together parents across schools to \nserve as advisors to district leadership. The Citywide Parent \nCouncil (CPC) serves as the districtwide voice for parents and is", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "d4e9eeb2-02bd-4079-95a4-6adfc1db4438": { + "page_content": "advisory councils that bring together parents across schools to \nserve as advisors to district leadership. The Citywide Parent \nCouncil (CPC) serves as the districtwide voice for parents and is \ncomposed of representatives from each school. The Special \nEducation Parent Advisory Council (SPED PAC) represents the \nfamilies of students with disabilities who receive special \neducation services. The District English Learner Advisory \nCommittee (DELAC) works to ensure that parents are informed \nabout all aspects of BPS that affect English learners and provide \nrecommendations to the Office of English Learners. These groups \nserve to empower parents and partner with BPS to improve", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "b5892d51-771d-435c-b9ad-bf0c539bf52a": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 2 of 10 \n \n \noutcomes for all students. This circular focuses on the role and \nfunction of the SPC. \nSCHOOL PARENT COUNCILS \nThe SPC is the independently established \"voice\" of all parents in \nthe school community. The SPC advocates for students and the \nschool, meets frequently and consistently, elects representatives \nto sit on the School Site Council (SSC), and promotes an \nenvironment of understanding and common purpose among \nparents, students, and school staff, with a focus on student \nlearning and school improvement. For the purposes of this \ncircular, the term \u201cparent\u201d includes a legal guardian or other \nperson standing in loco parentis (such as a grandparent or \nstepparent with whom the child lives, or a person who is legally \nresponsible for the child's welfare).\" Sect. 9101(31) ESEA. \nThe roles and responsibilities of the SPC are as follows: \nRoles: \n\u2022 Collaborate with school staff to create a welcoming school", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "d839de47-ce98-4c1d-bb75-124e30c6d27b": { + "page_content": "responsible for the child's welfare).\" Sect. 9101(31) ESEA. \nThe roles and responsibilities of the SPC are as follows: \nRoles: \n\u2022 Collaborate with school staff to create a welcoming school \nclimate for all students and families. \n\u2022 Coordinate school-wide activities and events that engage \nfamilies in student learning. \n\u2022 Raise funds to support school-based initiatives, activities, \nand events. \nResponsibilities: \n\u2022 Provide a safe forum for families to express concerns. \n\u2022 Contribute to school-based initiatives related to school \nimprovement, school climate, and student learning. \n \nAll parents or legal guardians of a child attending a particular", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "35265508-2e1e-425f-89f1-84c2c9554529": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 3 of 10 \n \n \nschool are automatically members of that school\u2019s SPC. \nThe SPC Executive Committee is the elected leadership of the \nSPC. Schools must adhere to the following guidelines for the \nelection of the Executive Committee: \n\u2022 OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n\u2022 Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n\u2022 Elections for the 2024-2025 school year may be conducted \nin person, virtually, or through a hybrid system, providing for \nequitable access to voting. \n\u2022 Parents/legal guardians who wish to become members of \nthe Executive Committee must have a child enrolled at the \nschool in which they are running. \n\u2022 Co-chairs and officers should be representative of the school \ncommunity.", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "8872b751-a899-457a-ad27-cada67f484ba": { + "page_content": "the Executive Committee must have a child enrolled at the \nschool in which they are running. \n\u2022 Co-chairs and officers should be representative of the school \ncommunity. \n\u2022 Any parent/legal guardian who is present at an SPC election \n(held in person or virtually) may be nominated for the SPC \nExecutive Committee (a parent may nominate themself). \n\u2022 Within one school, elected members can serve more than \none role only if there is an insufficient number of candidates \nto fill all roles. \n\u2022 Parents/legal guardians who are not present (in-person or \nvirtually) at the time of the election may not be nominated. \n\u2022 Parents/legal guardians who work at their child\u2019s school \nmay not be elected to the SPC Executive Committee, except \nfor extenuating circumstances. \n\u2022 Each family is allowed one vote per family.", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "5a3b9048-f988-46cf-a07c-3bd9b2a236ad": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 4 of 10 \n \n \n\u2022 Each candidate should be allowed one minute to introduce \nthemself. \n\u2022 Elections may be carried out by secret ballot or can be \napproved by a majority vote of the present group. \n\u2022 Nominations and elections are held during the same \nmeeting; therefore, voters must be present, virtually or in \nperson, to participate in the election. \n \nSPC EXECUTIVE COMMITTEE \nThe role of the SPC Executive Committee is to: \n\u2022 Provide leadership and to organize the work of the SPC . \n\u2022 Maintain ongoing communication with all parents to ensure \nthat they are connected to what is happening at school. \n\u2022 Maintain ongoing communication and a collaborative \nworking relationship with the principal/head of school, \nteachers, school staff, and community partners. \n\u2022 Create an inclusive environment on the SPC and in the \nwhole school community that welcomes the active \nparticipation of all parents. \n\u2022 Set a schedule and format of meetings that invites", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "e1dbac74-ab9e-4f09-9b81-30f77d43a82e": { + "page_content": "\u2022 Create an inclusive environment on the SPC and in the \nwhole school community that welcomes the active \nparticipation of all parents. \n\u2022 Set a schedule and format of meetings that invites \nmaximum participation of families. \n \nThe composition of the SPC Executive Committee should: \n\u2022 Reflect the racial and ethnic diversity of the student body. \n\u2022 Include parents of students who are English Learners \n\u2022 Include parents of students who receive special education \nservices. \n\u2022 Include parents of students in a range of grade levels. \n\u2022 Include a mix of newly elected and experienced parent \nleaders.", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "f6a4bcfa-51c4-4be2-912c-5b2d7b4b02dc": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 5 of 10 \n \n \n \nParents may serve in more than one SPC Executive Committee \nrole simultaneously at the same school if no other candidates \ncome forward. However, SPCs are encouraged to elect as many \nparents as possible for the various roles for the purposes of \nsharing responsibility and building leadership capacity. The SPC \nExecutive Committee consists of the following roles: \nCo-Chair \n\u2022 Number elected: 2 \n\u2022 Schedule and facilitate SPC meetings \n\u2022 Create agendas \n\u2022 Maintain ongoing two-way communication with \nprincipal/head of school \nTreasurer \n\u2022 Number elected: 1-2 \n\u2022 Maintain clear and accurate financial records for the SPC \n\u2022 Provide monthly expense reports \n\u2022 Lead or manage SPC fundraising efforts \nSecretary \n\u2022 Number elected: 1-2 \n\u2022 Conduct outreach to the parent community \n\u2022 Record and share meeting notes with the school \ncommunity \nSchool Site Council Reps \n\u2022 Number elected: 5-8 (based on the number of staff in the", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "93b49173-2583-4b9e-b14b-e7eb832986a3": { + "page_content": "\u2022 Conduct outreach to the parent community \n\u2022 Record and share meeting notes with the school \ncommunity \nSchool Site Council Reps \n\u2022 Number elected: 5-8 (based on the number of staff in the \nBTU bargaining unit) \n\u2022 Represent the parent community as a member of the SPC \n\u2022 Participate in school-based decision-making", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "b2d27717-d514-4cca-853a-78b606833793": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 6 of 10 \n \n \n\u2022 Attend SPC meetings to report out on SSC business and \nreceive information to bring back to the SSC \n\u2022 Facilitate communication between the SPC and SSC \nCitywide Parent Council Rep \n\u2022 Number elected: 1-2* \n\u2022 Participate in a districtwide parent group designed to \nadvocate for BPS families and students and influence BPS \npolicy \nSpecial Education Parent Advisory Council Rep \n\u2022 Number elected: 1-2* \n\u2022 Participate in a citywide parent organization designed to \nprovide information and resources to families of students \nwith disabilities who receive special education services \nDistrict English Learners Advisory Committee \n\u2022 Number elected: 1-2* \n\u2022 Participate in a citywide committee tasked with providing \nrecommendations to school and district officials regarding \nprograms and services provided to EL students \nTotal # of Parents Elected to SPC Executive Committee: 12-20", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "a8a1f641-7e40-4556-81b4-3e2479206d6e": { + "page_content": "recommendations to school and district officials regarding \nprograms and services provided to EL students \nTotal # of Parents Elected to SPC Executive Committee: 12-20 \n \n*If vacant, this position should be revisited throughout the school \nyear, and families should be reminded of the opportunity and \nthe benefit of representation on these citywide councils.", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "e515f189-ceda-479a-a5d4-9c3b516de08a": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 7 of 10 \n \n \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council (SPC) elects parent members to \nrepresent the parent voice on the School Site Council (SSC). SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on \nSSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSCHOOL PARENT COUNCIL BY-LAWS \nAll SPCs must develop by-laws for their council to provide \nstructure and guidance for SPC operations. SPCs must annually \nreview and approve their by-laws at their first meeting following \nthe election. The by-laws are a public document and should be \nmade available to all parents and members of the school", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "b0630478-82e8-4b7e-9951-912c6aa466ed": { + "page_content": "review and approve their by-laws at their first meeting following \nthe election. The by-laws are a public document and should be \nmade available to all parents and members of the school \ncommunity, upon request. The SPC by-laws should be submitted \nto the Office of Family and Community Advancement (OFCA) \nupon approval by the SPC. \nSCHOOL PARENT COUNCIL MEETINGS \nThe SPC should meet at least once monthly. The first meeting of \nthe year should include a presentation from the principal/head of \nschool on the school\u2019s goals for the year and election of \nrepresentatives to the Executive Committee and School Site \nCouncil (see Superintendent\u2019s Circular FAM-02 for more details). \nThe following meeting should focus on sharing the work that the \nSPC is doing and provide the opportunity for feedback from \nparents. SPCs are encouraged to meet monthly, in keeping with \nthe SSC frequency, to ensure that the parent body is kept", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "2f0b3a7d-f0b4-4982-bb29-ba7f2464ca0e": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 8 of 10 \n \n \nabreast of SSC activity. Meeting frequency and purpose should \nbe detailed in the SPC By-laws. \nSPC GUIDELINES FOR PRINCIPALS, HEADS OF SCHOOL, AND \nADMINISTRATORS \n\u2022 The principal/head of school must work with the SPC to host \nan annual Title I meeting to share with families (1) how the \nschool is investing its Title I allocation, (2) rights and \nresponsibilities of Title I parents, and (3) to seek feedback \nand/or input from parents on the Home-School Compact \nand Family Engagement Plan. \n\u2022 The principal/head of school should meet with the SPC on a \nregular basis to provide updates on school policies, the \ninstructional focus, school data, other pertinent information, \nand to address school-wide parent concerns. \n\u2022 The principal/head of school should provide families with \nperiodic updates on overall student/school progress, sharing \ndata at SPC meetings. \n\u2022 The principal/head of school should meet with the SPC co-", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "9c760cea-fbbf-451a-9a65-c271ad934caf": { + "page_content": "periodic updates on overall student/school progress, sharing \ndata at SPC meetings. \n\u2022 The principal/head of school should meet with the SPC co-\nchairs for ongoing communication regarding family and \nstudent engagement practices, student learning, and school \nimprovement. \n\u2022 The principal/head of school should work with the SPC co-\nchairs to have information translated into the home \nlanguages represented at their school and ensure that \narrangements for translation and interpretation have been \nnegotiated and agreed upon by the SPC and school staff \n(this includes election night). \n\u2022 The principal/head of school or designee should assist the \nSPC in notifying families of all SPC and/or Executive", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "08194ed9-75e5-498c-b59a-adf326ba6038": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 9 of 10 \n \n \nCommittee meetings, by providing access to a computer, \npaper, copying machine, and postage; and by working with \nthe SPC for timely dissemination of notices for the entire \ncommunity using a range of communication methods, \nincluding School Messenger, email, the school\u2019s website, \nand school media. \nThe SPC works collaboratively with the principal/head of school \nand school staff to solve problems and develop plans to improve \nthe engagement of families and students. The commitment to \npartnering with families reflects the value that BPS has placed on \nthe engagement of families and is grounded in decades of family \nengagement research. \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts Administrator Evaluation rubric: \n\u2022 Indicator III-A1. Family Engagement", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "6fc57383-44b2-4c7c-96b4-9052160f0d0e": { + "page_content": "parent, teacher, and student voice align with the following \nstandards of the Massachusetts Administrator Evaluation rubric: \n\u2022 Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n\u2022 Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n\u2022 Indicator IV-E-1. Shared Vision Development \no Parents, students, and teachers have an opportunity to \nshape the vision for the school as it pertains to \ninstruction and school climate. \n\u2022 Indicator IV-F-3. Consensus Building", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "04ca89ae-aea1-4f67-8dac-f25e6526be7b": { + "page_content": "Superintendent\u2019s Circular FAM-01 \nPage 10 of 10 \n \n \no Decisions are made using a consensus model, in which \nall members of the SSC (including SPC members) have \nan equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate Activity \nSeptember 15 Election dates submitted to OFCA \nOctober 31 Deadline for completing SPC elections of all \nparent reps, including SSC representatives; and \nsubmitting rosters to OFCA. \n \n \nFor more information about this circular, contact: \nOwner: Director, Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-01 School Parent Councils.pdf", + "source_link": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "40ac5c96-c63d-4d4d-9b4e-ba6a788b8fa1": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFAM-06 \n \n \nBOSTON STUDENT ADVISORY COUNCIL \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMassachusetts State Law Chapter 71: Section 38M. Student \nAdvisory Committee states: School committees of cities, towns \nand regional school districts shall meet at least once every other \nmonth, during the months school is in session, with a student \nadvisory committee to consist of five members to be composed \nof students elected by the student body of the high school or \nhigh schools in each city, town, or regional school district. \nMISSION STATEMENT \nThe Boston Student Advisory Council advocates for and protects \nthe voices of students in the Boston Public School system, \nempowers the student body to express their opinions regarding \neducational policy changes, and ensures that students are \nincluded in decision and policy making which impacts their lives \nand educational experiences.", + "metadata": { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "df1f4fc4-066f-490a-82cd-378f30708d31": { + "page_content": "educational policy changes, and ensures that students are \nincluded in decision and policy making which impacts their lives \nand educational experiences. \nIn the Boston Public Schools, students can apply to their school \nto serve on the Boston Student Advisory Council. The Boston \nStudent Advisory Council (BSAC), a citywide body of student \nleaders representing their respective high schools, serves as the \nvoice of students to the Boston School Committee, the \nsuperintendent, and central office departments. BSAC offers \nstudent perspectives on policies, initiatives, and reform efforts, \nand inform their respective schools about relevant citywide", + "metadata": { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "8a0b709a-3ba2-4f54-84f3-3d5f54a44543": { + "page_content": "Superintendent\u2019s Circular FAM-06 \nPage 2 of 4 \n \n \nschool issues. They also address student issues by developing \ndistrict-wide policies and working with student governments and \nheads of schools on school level policies and practices. \nBSAC is made up of a Full Council and Executive Committee. The \nFull Council is the think tank which generates the ideas for \nprojects, and the Executive Committee is the leadership team of \nsix (6) to twelve (12) students who serve as the advising body to \nthe Boston School Committee and superintendent. The Executive \nCommittee also plans and facilitates meetings with the support \nof the BSAC manager, facilitates youth engagement in district \ninitiatives and departments, develops BSAC priorities, and \nmonitors progress. \nEach Boston public high school (including district, exam, all high \nschool-level alternative, pilot, and in-district charter schools) is \nrequired to have at least one and up to two BSAC representatives", + "metadata": { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "66d51dcc-5400-4ab5-bdcf-e868c3d56f59": { + "page_content": "school-level alternative, pilot, and in-district charter schools) is \nrequired to have at least one and up to two BSAC representatives \nfrom their school. The BSAC representative is a part of the \nstudent government and must regularly attend student \ngovernment meetings to share BSAC\u2019s work, receive feedback, \nand gather input on projects/policies. Where possible, it is helpful \nto have a student representative who is on the School Site \nCouncil serve on BSAC as well. There are two ways students may \nbecome a BSAC member: (1) through student elections at the \nschool level, or (2) through the BSAC application managed by the \nOffice of Youth Leadership. \nROLE OF BSAC MEMBERS \n1. To elect a leadership team that will serve in advisory to the \nSchool Committee as part of its decision-making process. \n2. To keep their Student Government and school community \ninformed about relevant district initiatives and decisions, \nand actively seek and collect feedback to inform district", + "metadata": { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "5fd41067-842e-4b21-ab0f-12dab4ae4d33": { + "page_content": "Superintendent\u2019s Circular FAM-06 \nPage 3 of 4 \n \n \ndecision making through regular attendance and \nparticipation in Student Government meetings. \n3. To work on BSAC projects and initiatives. \nBSAC representatives will: \n\u2022 Represent their schools at BSAC meetings. \n\u2022 Assist in decision making for their schools by advising the \nadministration on student-centered citywide issues and \npolicies. \n\u2022 Work on policies that BSAC develops. \n\u2022 Perform tasks necessary to advance project work, such as \nsurveys, meetings with heads of schools and Student \nGovernment advisors, peer interviews, etc. \n\u2022 Ensure representation of student voice for their school \nthrough continuous engagement with the Student \nGovernment and their broader student body. \nThe Office of Youth Leadership is responsible for oversight and \nsupport of BSAC.", + "metadata": { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "fec29c72-99a2-43bc-ab27-84b4ed15c152": { + "page_content": "Superintendent\u2019s Circular FAM-06 \nPage 4 of 4 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember 29 First BSAC meeting for returning representatives \nOctober 15 Deadline to hold Student Government Elections \nOctober 15 \n \nEmail names of Student Government \nrepresentative(s) and BSAC member to Office of \nYouth Leadership, \nBSAC@bostonpublicschools.org \nOctober 28 \nDeadline for youth to apply to City of Boston\u2019s \nSuccess Link to qualify for a youth job slot. When \npossible, the Office of Youth Leadership partners \nwith the City of Boston\u2019s Department of Youth \nEngagement and Employment to provide paid \nyouth jobs to BSAC members. \n \nFor more information about this circular, contact: \nOwner Senior Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-06 Boston Student Advisory Council.pdf", + "source_link": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "39bba419-9458-4e82-8f3a-0847471526bb": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nFAM-08 \nVersion 01 \n \n \n \n\u2022 TRANSLATION AND INTERPRETATION SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nto a subsequent version. \n \nHISTORICAL CONTEXT \nThe \u201cParent Communications\u201d section of the Successor \nSettlement Agreement between the Boston Public Schools (BPS) \nand the Department of Justice (DOJ) outlines the services that \nmust be provided to ensure meaningful language access for our \nBPS families. The Office of Language Access, formerly the \nTranslation and Interpretation Unit (T&I), was established to \nimplement and coordinate interpretation and translation services \nthroughout BPS to centralize and standardize language access \nacross the district. The Office of Language Access strives to \nprovide meaningful language access to limited and non-English \nproficient constituents via qualified, trained, and professional \ninterpreters and translators. \nREQUEST PARAMETERS", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "fe19900c-b145-40f1-ad49-824d71c163c3": { + "page_content": "provide meaningful language access to limited and non-English \nproficient constituents via qualified, trained, and professional \ninterpreters and translators. \nREQUEST PARAMETERS \nThe Office of Language Access handles translation and \ninterpretation services for essential information. The following list \nprovides examples of essential information requiring translation \nand interpretation:", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "d063926c-89b0-45fe-ac2b-2bc795e908d3": { + "page_content": "Superintendent\u2019s Circular FAM-08 \nPage 2 of 7 \n \n \n \n \n\u2022 IEP/504 meetings \n\u2022 Report cards for students \n\u2022 Academic progress reports for students \n\u2022 Enrollment/registration documents \n\u2022 Disciplinary process information \n\u2022 Permission slips/forms for district and school activities and \nprograms \n\u2022 Applications for activities requiring parental consent \n\u2022 Parent-teacher conferences \n\u2022 Open houses \n\u2022 Parent handbooks \n\u2022 Public health and safety information \n\u2022 Documents on academic planning/options \n\u2022 Screening procedures needing students\u2019/parents\u2019 language \nbackgrounds, the process for refusing all/some ELL services \n\u2022 Written information on parents\u2019/students\u2019 rights and \nresponsibilities \n\u2022 Written information on services and benefits available to \nparents and students \nWith every request, the Office of Language Access will determine \nwhether the services sought are the most appropriate to fulfill \nthe specific language access need and may tailor the request", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "cdb13e45-7b4f-418a-83dd-ba2d3511959f": { + "page_content": "With every request, the Office of Language Access will determine \nwhether the services sought are the most appropriate to fulfill \nthe specific language access need and may tailor the request \naccordingly. Fulfilling requests for translation and interpretation \nof non-essential information is at the discretion of the Office of \nLanguage Access and is contingent on availability.", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "d8d8ea1c-9925-48bb-b8ae-3ac2c5253386": { + "page_content": "Superintendent\u2019s Circular FAM-08 \nPage 3 of 7 \n \n \n \nSERVICES PROVIDED BY QUALIFIED AND BILINGUAL STAFF \nThe district is charged with providing qualified and trained \ntranslators and interpreters to ensure families have meaningful \naccess to information. As such, the Office of Language Access \ndiscourages the use of non-approved professionals with \nbi/multilingual skills, save for in exceptional circumstances. In \naddition, the use of computers/machines to translate is strongly \ndiscouraged. \nREQUESTING TRANSLATION AND INTERPRETATION SERVICES \nAll services are requested and managed through the district's \nonline translation and interpretation request platform. Please be \naware that the Office of Language Access can only support \nBoston Public Schools' requests placed through the Office of \nLanguage Access online platform to comply with the City of \nBoston's procurement regulations and processes. To that end, \nany language access work performed outside of the district's", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "ead86676-c4f3-4f84-9d5f-5de249c7211e": { + "page_content": "Language Access online platform to comply with the City of \nBoston's procurement regulations and processes. To that end, \nany language access work performed outside of the district's \nestablished translation and interpretation protocol will be at the \nrequester's expense. \nSchools should designate one primary and one alternate point of \ncontact for submitting their translation and interpretation \nrequests. In addition, the point of contact (1) is responsible for \nanswering logistic questions about events, (2) will serve as the \ncontact for interpreters, (3) will provide informational materials \nfor interpreters before scheduled events, and (4) will clarify \nwritten content and receive the written translations. Lastly, this \nperson must also promptly fill out the post-service survey. \nFor district staff, designated central office employees may \nrequest translation and interpretation services. Similarly, the", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "1a388966-67e2-4c1f-a08e-9ef4c6c657f1": { + "page_content": "Superintendent\u2019s Circular FAM-08 \nPage 4 of 7 \n \n \n \ncentral office requester serves as the point of contact for that \nservice. This could entail (1) answering logistics questions about \nevents, (2) contacting on-site/virtual interpreters, (3) providing \ninformational materials for interpreters prior to the event, (4) \nclarifying written content/materials, and (5) receiving the written \ntranslations. This person must also promptly fill out the post-\nservice survey. \nFULFILLING REQUESTS FOR TRANSLATIONS AND \nINTERPRETATIONS \nFor translations, requesters should allow a minimum of 2 weeks, \nbearing in mind that larger jobs will, correspondingly, take longer \nto complete. As rush/short notice jobs do occur, please specify on \nthe request form if the translation needs expediting. Expediting \nis at the discretion of the Office of Language Access. \nFor in-person interpretations, the more advance notice given, the \neasier it is to secure interpreter services. Please submit a request", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "fbd4cd07-e967-4dae-8f0a-964bd3b31c3a": { + "page_content": "is at the discretion of the Office of Language Access. \nFor in-person interpretations, the more advance notice given, the \neasier it is to secure interpreter services. Please submit a request \na minimum of 2 weeks before the service date. For American Sign \nLanguage (ASL), a minimum of 3 weeks is recommended to \nsecure services. As rush/short notice jobs do occur, please specify \non the request form if the service needs to be expedited. \nInterpreter assignment is based on availability and not \nguaranteed. \nEmergent requests outside of the Superintendent\u2019s and \nCommunications offices that need to be expedited will be \ncompleted in a timeframe at the discretion of the Office of \nLanguage Access.", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "2003dc93-d737-4830-8e92-e4a98d0604ae": { + "page_content": "Superintendent\u2019s Circular FAM-08 \nPage 5 of 7 \n \n \n \nCANCELLATIONS OF SERVICES \nThe Office of Language Access must be notified immediately of \nany appointment cancellation in which an interpreter (i.e., oral, \nASL) has been scheduled. A 48-hour notice of cancellation is \nrequired for ASL. For oral interpreter services, we require a 24-\nhour notice of notice of cancellation. Please be aware that if you \nfail to cancel within the designated timeframes, the district will \nbe charged for the services you requested. This can lead to \ninefficient utilization of our limited funds and resources, which \nwe strive to avoid. To cancel interpreter services, please submit \nvia interpretations@bostonpublicschools.org. If you are canceling \ntranslation requests, please do so as early as possible via \ntranslations@bostonpublicschools.org. \nTELEPHONIC INTERPRETATION SERVICES \nSchools have the option to utilize the on-demand LionBridge", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "765ea961-36de-4485-a101-a061bde4ff4c": { + "page_content": "translation requests, please do so as early as possible via \ntranslations@bostonpublicschools.org. \nTELEPHONIC INTERPRETATION SERVICES \nSchools have the option to utilize the on-demand LionBridge \nTelephonic Interpretation service that is available 24 hours a day, \n7 days a week, 365 days a year, in more than 350 languages. \nTelephonic interpretation is the oral transmission of a message \nfrom one language to another via telephone. It is typically \nconducted in consecutive mode, meaning the interpreter will \ntranslate the message after the speaker has stopped speaking. \nThis service should be used for instances when parent \ncommunication is not pre-scheduled, e.g., a parent stops by a \nschool, a school must contact the parent of a sick/injured \nstudent, etc. When essential information is discussed, please \nensure that an interpreter or translation of relevant documents is \nrequested in advance. \nThe Office of Language Access will monitor calls and usage to", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "765346fb-4064-4080-8738-924cc3b90859": { + "page_content": "Superintendent\u2019s Circular FAM-08 \nPage 6 of 7 \n \n \n \nensure adherence to district protocols. Schools and/or central \noffice departments will be notified of usage restrictions due to \nnon-adherence, which will be at the discretion of the Office of \nLanguage Access. \nTALKING POINTS \nSchools have access to TalkingPoints, which is a two-way \nmultilingual family engagement platform allowing educators and \nadministrators the opportunity to communicate with families in \ntheir native language (including English speakers) via the web, \nmobile, or text messages. \n\u2022 TalkingPoints equips educators and administrators with a \nplatform for collaborative communication and analytics \naround family engagement and student progress to \nincrease student potential for long-term success. \n\u2022 The service is available 24 hours a day, 7 days a week, 365 \ndays a year, in more than 100 languages.1 \n\u2022 It removes the need for educators to provide parents with \ntheir personal cell phone numbers. \nASSISTANCE", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "6ab66b26-a30e-40fe-bdc6-7273d465c085": { + "page_content": "days a year, in more than 100 languages.1 \n\u2022 It removes the need for educators to provide parents with \ntheir personal cell phone numbers. \nASSISTANCE \nFor further information, including but not limited to detailed \n \n1 At present, the platform doesn't support Caboverdiano; \nhowever, a simplified version is currently being piloted at the \nOrchard Gardens Elementary School. The simplified version \nsupports outgoing one-way messaging/announcements to \nfamilies only. Additional functionality will be considered based on \npilot results.", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "a5d7474f-cd41-4720-b0e7-035cdd6b2dad": { + "page_content": "Superintendent\u2019s Circular FAM-08 \nPage 7 of 7 \n \n \n \ntranslation and interpretation policy and procedures, tutorials \n(i.e., How to Submit a Request, Request Platform User Guide, \nSchool-Based Administrator Training Webinar), and school and \nparent resources/materials to support your school-specific \nlanguage access efforts, please refer to the Office of Language \nAccess website at \nhttps://www.bostonpublicschools.org/translation-interpretation. \n \nFor more information about this circular, contact: \nOwner: Director of Language Access Services \nDepartment: Family and Community Advancement \n(Office of Language Access) \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7967 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-08 Translation and Interpretation Services.pdf", + "source_link": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "c9423b43-55d8-448c-aae8-b8526be7d4ee": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-04 \nVersion 01 \n \n \nSCHOOL SITE COUNCIL PERSONNEL SUBCOMMITTEE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Consistent with the principles \nof school-based management, the School Site Council engages \nparents and students in shared decision-making as a lever for \nschool improvement. The intention of the Personnel \nSubcommittee is to actively involve members of the school \ncommunity in the teacher hiring process, as these decisions will \nhave a significant impact on instructional practice and the lives of \nstudents. \nRESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE \nThe responsibilities of the Personnel Subcommittee of the School \nSite Council are to: \n\u2022 Approve the hiring of new Boston Teachers Union (BTU)", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "025e2f29-9f82-4783-bb0e-beedc0896641": { + "page_content": "RESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE \nThe responsibilities of the Personnel Subcommittee of the School \nSite Council are to: \n\u2022 Approve the hiring of new Boston Teachers Union (BTU) \nteachers\u2019 bargaining unit staff and in-transfer of BTU \nteachers\u2019 bargaining unit staff from other schools in the \nsystem and the choice of teachers from the excess pool. \n\u2022 Approve the selection of lead teachers, new teacher \ndevelopers, mentor teachers, and new athletic coaches. \n\u2022 Determine the schedule and procedures for reviewing", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "1845271e-5e65-4116-af6a-fd770953ccbc": { + "page_content": "Superintendent\u2019s Circular FAM-04 \nPage 2 of 5 \n \ncandidates for positions. \n \nThe decisions of the Personnel Subcommittee are not subject to \nthe approval of the School Site Council. \nPERSONNEL SUB-COMMITTEE MEMBERSHIP \n1. The Personnel Subcommittee shall consist of two teachers, \none parent, one student in high schools, and the \nprincipal/head of school or their designee. \n2. BTU members on the School Site Council shall select the BTU \nrepresentatives to serve on the Personnel Subcommittee. \n3. The parent members of the School Site Council shall select \nthe parent representative. \n4. The student members of the School Site Council at high \nschools shall select the student representative. \n5. The composition of the Personnel Subcommittee should \nreflect the racial and ethnic diversity of the school \ncommunity to the extent possible. \n6. Teacher, parent, and student representatives on the \nPersonnel Subcommittee may designate temporary", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "261f0a00-dc57-444e-a629-215d49c56f47": { + "page_content": "reflect the racial and ethnic diversity of the school \ncommunity to the extent possible. \n6. Teacher, parent, and student representatives on the \nPersonnel Subcommittee may designate temporary \nreplacement representatives to the subcommittee for \nspecific positions. \nSCHOOL STAFFING \nThe Personnel Subcommittee interviews and decides on the \nselection of permanent teachers who voluntarily apply for \ntransfer into the school and the hiring of new teachers for \nvacancies, consistent with the terms of the current collective \nbargaining agreement between Boston Public Schools (BPS) and \nthe BTU.", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "eaca50cd-72fc-470a-ac29-c7226a113b36": { + "page_content": "Superintendent\u2019s Circular FAM-04 \nPage 3 of 5 \n \n \nOPEN POSTING \nIn accordance with circular HRS-HS-07, schools must adhere to \nthe requirements to open post. Therefore, schools must ensure \nthat the Personnel Subcommittee of the School Site Council is \nformed and ready to begin the hiring process by March 1. \nTraining related to personnel subcommittees is offered by the \nOffice of Family and Community Advancement, the BTU, and the \nOffice of Human Capital. \nPERMANENT AND PROVISIONAL TEACHERS \nIn addition to permanent teachers who apply for transfer, a \nPersonnel Subcommittee may consider a provisional teacher \nwith a letter of reasonable assurance for a position which appears \non the transfer list and that the provisional currently holds within \nthe school. \nAfter interviewing candidates for a vacancy at a school that \nresults from the transfer process, or if a vacancy at a school \noccurs after the completion of the regular transfer process, a", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "4ed6ec17-d4b9-48b4-9a6c-c3e9c37e7941": { + "page_content": "After interviewing candidates for a vacancy at a school that \nresults from the transfer process, or if a vacancy at a school \noccurs after the completion of the regular transfer process, a \nschool may choose to advertise or re-advertise the position. \nTIME COMMITMENT \nThe Personnel Subcommittee is a standing committee of the \nSchool Site Council for the duration of the school year. As such, \nthe Personnel Subcommittee must be formed by October 31 and \nshould meet as vacancies occur. The Personnel Subcommittee is \nnot required to meet between the end of one school year and the \nbeginning of the succeeding school year. Before the summer \nrecess, members of the Personnel Subcommittee should leave", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "c2f34a99-003f-4723-8716-b7f2dda3e404": { + "page_content": "Superintendent\u2019s Circular FAM-04 \nPage 4 of 5 \n \ncontact information with the principal/head of school, who will \ncontact members prior to the interviewing or hiring of any \nteacher applicants. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Massachusetts School-Level Administrator Rubric includes \nFamily and Community Engagement (Standard III) as one of four \nstandards for effective principals/head of school practice. \nEngaging parents and students in shared decision-making as \nmembers of the Personnel Subcommittee aligns with Standard \nIII, Indicator A, Family Engagement of the rubric. Sharing \nevidence of effective implementation of the Personnel \nSubcommittee may be a valuable way for principals/heads of \nschool to demonstrate proficient practice in Standard III. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on the role and purpose of the School \nSite Council, shared decision-making, and school-based \nmanagement, please refer to circular FAM-01 School Site Council", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "f5b7fc53-fa66-41a1-baa7-5e29fc744979": { + "page_content": "For additional information on the role and purpose of the School \nSite Council, shared decision-making, and school-based \nmanagement, please refer to circular FAM-01 School Site Council \nand the School Site Council Manual. \nFor additional information on school staffing and hiring, please \nrefer to circular HRS-HS-07 School Staffing, Reassignment, and \nHiring. \nEngagement staff from the Office of Family and Community \nAdvancement (OFCA) are available to provide support, coaching, \nand technical assistance related to shared decision-making and \nschool-based management to all BPS schools.", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "01663bad-9436-44c8-a286-c59d4f3e0a51": { + "page_content": "Superintendent\u2019s Circular FAM-04 \nPage 5 of 5 \n \nAdditionally, OFCA and the BTU collaborate to provide training \nfor schools on all aspects of the School Site Council, including the \nPersonnel Subcommittee. \n \nFor more information about this circular, contact: \nOwner: Director of Family School Engagement \nPractice Team \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 443 Warren Street Boston, MA 02121 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FAM-04 Personnel Subcommittee.pdf", + "source_link": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FAM" + } + }, + "5e0db319-8b4c-412e-866b-9e97c3bae6d1": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nCOM-02 \nVersion 01 \n \n MEDIA RELATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to cultivating and \nmaintaining an open and productive relationship with the news \nmedia. The district recognizes that the media provides a public \nservice, are viewed as a reliable source of news about the Boston \nPublic Schools and seeks to provide timely and accurate \ninformation toward that end. \nThe district maintains that the top priority of schools is to \neducate students and ensure the safety and privacy of all \nstudents, staff, and families. \n To balance the responsibilities of schools and the need to provide \ninformation to the media, all press inquiries about the Boston \nPublic Schools or any individual school, student, staff member, \nprogram, or initiative are to be directed first to the \nCommunications Office.", + "metadata": { + "file_name": "COM-02 Media Relations Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "34849bb5-b6fe-4c0e-ab24-a1d459328660": { + "page_content": "Public Schools or any individual school, student, staff member, \nprogram, or initiative are to be directed first to the \nCommunications Office. \n Any staff member contacted directly by a member of the news \nmedia must refer the reporter to the Communications Office, \nwho will work with staff and the media outlet to respond \nappropriately to the inquiry. \n District officials, schools, and staff must cooperate with the news \nmedia to the extent required and appropriate by law while \nensuring that media coverage does not interfere with teaching \nand learning.", + "metadata": { + "file_name": "COM-02 Media Relations Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "ae987dda-f0f7-472c-84f8-2c8d2074944f": { + "page_content": "Superintendent\u2019s Circular COM-02 \nPage 2 of 2 \n \n It is critically important to protect the privacy of students and \nstaff while fulfilling the requirements of public records laws. The \nCommunications Office works closely with the Legal Advisor to \ndetermine what information is a matter of public record and \nwhat must remain confidential. Only a student whose parent or \nguardian has signed and returned a Media Appearances form \nmay be recorded, filmed, photographed, or interviewed. Students \nfor whom no such consent is on file in the school office may not \nparticipate in any media-related activities, and their name and \nimage are not to be released to the media or anyone else outside \nof the school. For more information, see the Guide to the Boston \nPublic Schools for Families and Students. \nFor more information about this circular, contact: \nOwner: Chief of Communications \nDepartment: Chief of Communications \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington", + "metadata": { + "file_name": "COM-02 Media Relations Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "c051933b-4632-475a-9ee0-243f899065d0": { + "page_content": "For more information about this circular, contact: \nOwner: Chief of Communications \nDepartment: Chief of Communications \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9265 \nEmail: communications@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "COM-02 Media Relations Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "649fa4ce-6d00-41d2-89b1-e8120be10aad": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCOM-01 \nVersion 01 \n \n \nCOMMUNICATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS), Boston School Committee, \nsuperintendent, and all central and school-based staff are \nresponsible for communicating accurately and effectively with \nfamilies, students, colleagues, partners, and the community. \nOngoing communication with all stakeholders is essential to \ndeveloping and sustaining effective home/school/community \npartnerships for improving student achievement. \nThe Boston School Committee affirms the following principles: \n\u25cf Families and citizens have a right to know what is occurring \nin their public schools. \n\u25cf All BPS employees have an obligation to ensure the public is \nkept systematically and adequately informed. \n\u25cf Boston Public Schools staff and families benefit from \nimproved sharing of information \u2013 positive and negative.", + "metadata": { + "file_name": "COM-01 Communications Policy.pdf", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "9071e8c3-e6ad-4487-8d85-53fdbe1381bf": { + "page_content": "kept systematically and adequately informed. \n\u25cf Boston Public Schools staff and families benefit from \nimproved sharing of information \u2013 positive and negative. \n\u25cf Written and verbal communication from schools and \nemployees should reflect the BPS commitment to \nsupporting all children and families, focusing on student \nachievement through high-quality teaching and learning. \n\u25cf Effective communication requires an ongoing two-way \nexchange between schools and constituents, including", + "metadata": { + "file_name": "COM-01 Communications Policy.pdf", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "20221feb-7e8b-417d-815d-f14f753f4e53": { + "page_content": "Superintendent\u2019s Circular COM-01 \nPage 2 of 4 \n \n \nthoughtful mechanisms at the school and district levels for \nseeking family, student, and community perspectives on \ncritical issues and decisions. \n\u25cf Language used to communicate with families and the \ncommunity must be free of educational jargon, acronyms, \nand other terminology unfamiliar to non-educators. \n\u25cf All communication must reflect and be sensitive to the \ndiversity of BPS families and staff, free of bias with respect \nto race, ethnicity, language, education, income, gender, \nreligion, sexual orientation, or disability. \nIn keeping with these principles, the superintendent shall issue \ndistrict-wide procedures and guidelines to foster effective \ncommunication in crucial areas such as media relations, \nemergency communications, customer service, publications, \npresentations, photography, events, and \ntranslation/interpretation. \nTo ensure brand consistency and help families identify official", + "metadata": { + "file_name": "COM-01 Communications Policy.pdf", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "3d8412c0-4209-4daa-a719-1ae548e8ef4b": { + "page_content": "emergency communications, customer service, publications, \npresentations, photography, events, and \ntranslation/interpretation. \nTo ensure brand consistency and help families identify official \nBPS publications and properties, schools and departments must \ndisplay the BPS logo on websites and publications. School and \ndepartment stationery and signage should incorporate the BPS \nlogo, the Boston city seal, or both. The BPS logo may not be \naltered and must be reproduced in its correct aspect ratio. The \nlogo digital and printable files are available at the BPS-LOGO \nfolder. \nIt is the responsibility of every school, office, and program in the \nBoston Public Schools to adhere to these procedures and \nexecute additional effective communication strategies. The BPS \nCommunications Office shall provide leadership, resources, \nguidance, and technical assistance to support the district and \nschools in these efforts.", + "metadata": { + "file_name": "COM-01 Communications Policy.pdf", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "35d000e5-aba5-436d-9572-cebfec9f09eb": { + "page_content": "Superintendent\u2019s Circular COM-01 \nPage 3 of 4", + "metadata": { + "file_name": "COM-01 Communications Policy.pdf", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "0ff52974-724c-446c-b08f-fe853986df64": { + "page_content": "Superintendent\u2019s Circular COM-01 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nowner: Chief of Communications \nDepartment: Chief of Communications \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9265 \nEmail: communications@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "COM-01 Communications Policy.pdf", + "source_link": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#COM" + } + }, + "98276ae4-b296-4f73-93ee-b155e5a99f73": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nEL-06 \nVersion 01 \n \n \n \n1 \nINITIAL IDENTIFICATION AND ASSESSMENT OF \nMULTILINGUAL LEARNERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to bring clarity and guidance \nregarding the initial identification and assessment of Multilingual \nLearners (MLs) in BPS. The district is obligated to appropriately \nassess and identify MLs as outlined in several key documents, \nincluding by the Massachusetts Department of Elementary and \nSecondary Education\u2019s Guidance1, the Successor Settlement \nAgreement and META Consent Decree. To meet our obligations \nto our MLs and their families, we must ensure that all BPS \nstudents are correctly assessed, identified, placed, and receive \nappropriate services. \n \n \n1 https://www.doe.mass.edu/ele/resources/id-assess-place-\nreclass.html", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "4922e256-4759-40db-a24c-cd96bb015de5": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 2 of 20 \n \nTABLE OF CONTENTS \n1. Assessment requirements \n2. Reason to suspect a student may be a Multilingual Learner \n3. Process to assess Students for Multilingual Learner status \nwho have an HLS of EEE \n4. K1 School-Based English Language Proficiency Assessment \nCalendar SY 2024 \n \n1. ASSESSMENT REQUIREMENTS \nUnder federal2 and state3 law, the Boston Public Schools (BPS) \nmust take appropriate steps to identify potential Multilingual \n \n2 Paragraph 28 of The Successor Agreement between the United \nStates of America and the Boston Public Schools and U.S. \nDepartment of Education (USDOE) and U.S. Department of \nJustice (USDOJ) EL policy document entitled Dear Colleague \nLetter, English Learner Students and Limited English Proficient \nparents/guardians (01/7/2015) (referred to as \u201cDear Colleague \nletter\u201d hereafter) at \nhttp://www2.ed.gov/about/offices/list/ocr/letters/colleague-el-\n201501.pdf. \n3 Guidance on Placement, Progress Monitoring and", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "ed94f1eb-5a5a-4beb-b306-e9cd09d639be": { + "page_content": "letter\u201d hereafter) at \nhttp://www2.ed.gov/about/offices/list/ocr/letters/colleague-el-\n201501.pdf. \n3 Guidance on Placement, Progress Monitoring and \nReclassification Procedures of English Learners, Massachusetts \nDepartment of Elementary and Secondary Education, and G. L. C. \n71A; 603 CMR 14.02.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "7a1e1329-a9a0-4ffe-8d93-6f5dd8e2cddd": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 3 of 20 \n \nLearners (MLs) in K2 through grade 12 and provide them with the \nappropriate English Learner services and supports. The initial \nidentification and assessment of Multilingual Learners follows the \nrequirements outlined in paragraphs 28-31 of the Successor \nSettlement Agreement: \nSuccessor Settlement Agreement Paragraph 28: \nA student must be referred for an English language proficiency \nassessment when the results of the Home Language Survey \n(HLS) indicate that a language other than English is: \n\u2022 The primary language used in the home, regardless of the \nlanguage spoken by the student \n\u2022 The language most often spoken by the student, and/or \n\u2022 The language that the student first acquired. \nIf the parent/guardian answered \u201cyes\u201d to one or more of the \nabove questions, the student is required to be assessed using the \ngrade-level, state-required language screening assessment. \nPlease refer to the MA Department of Elementary and Secondary", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "90aa4d5a-38f4-4da4-b268-1c282e9819b4": { + "page_content": "above questions, the student is required to be assessed using the \ngrade-level, state-required language screening assessment. \nPlease refer to the MA Department of Elementary and Secondary \nEducation Guidance on the Initial Identification of English \nLearners for more information on identifying and evaluating ELs. \nThe Successor Agreement obligates the district to ensure that \nEnglish language proficiency (ELP) assessments shall be \naccomplished as soon as possible, but no later than 20 days from \nthe student\u2019s enrollment during the school year, or within 20 \ndays or by the first day of the new school year, whichever comes \nlater, if the student enrolls during the summer. During peak \nseasons, January 1 through March 15 and August 1 through \nOctober 31, ELP assessments shall be accomplished as soon as \npossible, but no later than 25 days. Parents/guardians shall be", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "c3cb2d3d-e9d8-42aa-bebd-b00f6b53f942": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 4 of 20 \n \ninformed in writing of assessment results and student \nassignment options no later than 2 school days after the \ncompletion of the assessments. The Newcomers Assessment and \nCounseling Center provides written notice of the assessment \nscores and school choice options to the parent/guardian at the \nend of the assessment appointment. \nTABLE 1: The following table delineates the process of \nMultilingual Learner identification at the time of enrollment. It \nhighlights the departments\u2019 roles and responsibilities and their \norder in Multilingual Learner identification. \nPlease note: Bolded action steps relate directly to English \nLearner identification and placement.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "995541fc-df63-44e5-bccd-5ba97e7c3ee1": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 5 of 20 \n \nDepartment Action Steps \nWelcome \nCenter \n1. Collect and verify documents (medical forms, \nresidency, birth date). \n2. Administer Home Language Survey (HLS) to all \nfamilies to identify potential Els. \n3. Score HLS and inform families of the result. \n4. Schedule an appointment at NACC if the HLS score is \nanything other than EEE. \n5. Assign an initial case number to the student. \nNewcomers \nAssessment \nand \nCounseling \nCenter \n(NACC) \n1. Interview families and collect information about \nstudents\u2019 academic background. \n2. Assess K-12 students in English and determine the \ninitial ELD level. \n3. Administer Native Language test to newcomer \nstudents in grades 3-12 in the major languages spoken \nin BPS if students indicate interrupted learning or \nlimited formal education. \n4. Inform families of their program options so that they \nfeel equipped to make the best choice for their child. \n5. Enter families' choices in SIS so BPS can begin the", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "ab4da1b2-018b-42b6-8111-7219ebbf5d4d": { + "page_content": "limited formal education. \n4. Inform families of their program options so that they \nfeel equipped to make the best choice for their child. \n5. Enter families' choices in SIS so BPS can begin the \nassignment process. \nEnrollment \nPlanning \nServices \n1. Approve case for assignment. \n2. Assign a BPS identification number to the case. \n3. Review the school choices and use the NACC \nplacement recommendations to assign the student to \na school. \n4. Maintain student assignment data. \n5. Notify families by letter of their final assignment.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "b626e066-fa2f-4dc6-a8d2-7e8ddea57836": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 6 of 20 \n \nPARENT NOTIFICATION AND COUNSELING \nAfter scoring the assessment, assessment specialists review all \navailable information (e.g., transcripts, IEP, 504 plans) collected \nfrom the parent/guardian during the intake interview to propose \na program recommendation. \nNext, testers sit with the parent/guardian to inform them, in the \nlanguage of their preference, of the results of the assessment. \nTesters use all available information collected during the \nlanguage testing appointment to counsel the parent/guardian \nabout EL programs and services (e.g., SEI, SLIFE, Dual Language, \netc.) that are appropriate for their child's proficiency level. After \ncounseling the families, testers enter scores into the student's \ncase record in Aspen SIS, which generates a list of schools with \nthe appropriate programs and services. The parent/guardian \nthen ranks schools on their choice list and signs the school", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "4cdb2e9e-34fc-4ef2-b403-7cb39c6d92a3": { + "page_content": "case record in Aspen SIS, which generates a list of schools with \nthe appropriate programs and services. The parent/guardian \nthen ranks schools on their choice list and signs the school \nselection form. The tester enters the parent/guardian\u2019s rank order \nchoices into SIS, and the case is forwarded to the Welcome \nServices student assignment team. At the end of the visit, the \nfamily receives a copy of the documents (e.g. Notification of Initial \nAssessment Form they signed. \n2. REASON TO SUSPECT A STUDENT MAY BE AN ENGLISH \nLEARNER \nParagraph 28 of the Successor Settlement Agreement requires \nthe district to assess enrolling students whose Home Language \nSurvey does not indicate a language other than English in the \ncase that \u201cthere is any other reason to believe the student is not \nproficient in English.\u201d The district has operationalized this \nrequirement as detailed in the tables in section 3.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "4e1f5ded-0a57-4021-8243-04cf6ba3122a": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 7 of 20 \n \n3. PROCESS TO ASSESS STUDENTS FOR ENGLISH LEARNER \nSTATUS WHO HAVE AN HLS OF EEE \nSome students may be suspected of being MLs but may not have \nbeen identified during enrollment because of an HLS score of \nEEE. The following table outlines the action steps necessary to \ndetermine if such a student is an ML. \nTABLE 2: Please see Table 2 for the process to assess students \nwho have an HLS of EEE and are suspected of being Multilingual \nLearners. \nDepartment Action Steps \nSchool 1. Obtain written parent permission that they would \nlike to amend their HLS results in Aspen to indicate \nanother language is spoken at home and that they \nwould like their student tested for ELE services \nbefore administering testing. Parents must include \nthe updated home language on their request. \nParents must be informed that this change will \nresult in testing. \n2. Submit this request to the EL-CCR with a copy of the", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "71cc1bdb-b783-4308-8069-5d9892ae1290": { + "page_content": "the updated home language on their request. \nParents must be informed that this change will \nresult in testing. \n2. Submit this request to the EL-CCR with a copy of the \nupdated letter of the home language survey to \nupload, or, if it is an email, please make sure the \nemail is one that is stored in Aspen in the contact \nsection. \n3. Attach the documentation to the EL-CCR form and \nforward these items to the Office of Multilingual and \nMulticultural Education at \nommeequityteam@bostonpublicschools.org.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "44bfbe5b-d8eb-4376-8df7-cc4ff4487319": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 8 of 20 \n \nDepartment Action Steps \nOMME Equity \nand \nAccountability \n4. Review EL-CCR submission for a first language \nchange request and either approve or deny based \non meeting requirements for submission. \n5. Inform school of EL-CCR decision. \nSchool 6. Wait for an approval email and for the HLS results to \nbe changed in Aspen. Please do not test the student \nuntil you have received approval from OMME. \n7. Test the student with the WIDA Screener. You must \nadminister the test to the student in person with a \ntrained test administrator. \n8. Enter the test results in Aspen under the language \ntab. \n9. Submit another request to the EL-CCR for the \nstudent to have an ELD level and include the results \nof the test in the upload of documentation. \nOMME Equity \nand \nAccountability \n10. Review EL-CCR submission for a NEL to EL request \nand either approve or deny based on meeting \nrequirements for submission. \n11. Inform school of EL-CCR decision.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "9dd5c36d-57ba-4b46-a769-992f52f57ae7": { + "page_content": "and \nAccountability \n10. Review EL-CCR submission for a NEL to EL request \nand either approve or deny based on meeting \nrequirements for submission. \n11. Inform school of EL-CCR decision. \nSchool 12. Schedule student for ELE services appropriate to \ntheir ELP. \n \nTABLE 3: The following table outlines the steps that must be \ntaken before assessing a student\u2019s potential Multilingual Learner \nStatus based on their Home Language Survey Score.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "ecb9d9c8-b3c3-408a-965f-ed53bdefcc91": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 9 of 20 \n \nHLS Result Procedure \nOEE/EOE/E\nEO \nParent/ \nGuardian \nPermission \nRequired? \nYES: Welcome Center explains testing \nimplications of Home Language Survey results \nduring the enrollment process. \nAction \nSteps \n1. Student is identified as a potential ML \nupon registration via the Home Language \nSurvey at the Welcome Center. \n2. Student case is transferred to NACC \nwhere the family is interviewed and \nstudent is assessed. \n3. Student is assigned. \n4. Student receives ACCESS testing annually \nuntil they meet exit criteria. \nOEE/EOE/E\nEO \n \nBut \nstudent \ntested \nproficient \nduring \ntesting at \nthe time of \nenrollment \nParent/ \nGuardian \nPermission \nRequired? \nYES: Schools must contact the parent/guardian \nand inform them they have concerns based on \nevidence (i.e., academic performance, test \nresults) and want to assess their student. The \nschool must document all meetings and \ninformation shared with parents and include", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "42300599-88ee-4bdd-83ca-de93a2450858": { + "page_content": "evidence (i.e., academic performance, test \nresults) and want to assess their student. The \nschool must document all meetings and \ninformation shared with parents and include \nthem in the ELD folder. \nAction \nSteps \n1. Parent/guardian(s) must put in writing \nthat they would like to have their student \nreassessed. Please inform the parent that \nthis may lead to their student being \nidentified as a Multilingual Learner (ML) \nwhich will result in EL services being \nrequired and an annual ACCESS", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "609b3610-9a4e-4dc2-b0a1-5d7b36cd8695": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 10 of 20 \n \nHLS Result Procedure \nassessment. \n2. If the parent/guardian(s) agree, test the \nstudent with the appropriate WIDA \nassessment. You must administer the test \nto the student in person with a trained \ntest administrator. \n3. Enter the test results in Aspen under the \nLEP Testing Template. Contact NACC with \nquestions about the LEP Testing \nTemplate. \n4. Submit a request to the EL-CCR for the \nstudent to have a NEL to EL change, and \ninclude the parent\u2019s documentation, \nschool documentation, and results of the \ntest in the upload of documentation. \n \nTABLE 4: The following table outlines which test a trained test \nadministrator should administer to a student who may be a \npotential Multilingual Learner. \nPlease note: A grade level begins on July 1st of the summer \nbefore entering a grade and ends on June 30th of the year of \ncompleting that grade.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "19fef7f4-fb9a-4db7-be79-e68e4c91c3e4": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 11 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nK1 WIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nCurrently enrolled K1 students are \ntested annually beginning April 15 for \nK2 seats in the upcoming school year. \nK2 \nFirst half of \nthe school \nyear \n \nWIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \nK2 \nSecond half \nof the school \nyear (from \nTuesday \nafter MLK \nday) \nWIDA Screener \nfor Kindergarten \n(4 domains) \n \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \n1 \nFirst half of \nthe school \nyear (until", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "fcf8f2c3-6765-4502-8a45-03e2b1a943d5": { + "page_content": "Screener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \n1 \nFirst half of \nthe school \nyear (until \nFriday \nBefore MLK \nWIDA Screener \nfor Kindergarten \n(4 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "eddb3c1d-043e-4f20-a142-48c666921062": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 12 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nDay) \n1 \nSecond half \nof the school \nyear \n(from \nTuesday \nafter MLK \nDay) \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR \nNACC by request and with appointment \n3-12 \nWith 1 or 2 \nyears in \ndistrict \nWIDA Screener \nOnline & Native \nLanguage \nAssessment \nNACC only \n3-12 \nWith 3 or \nmore years \nin district \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR \nNACC by request and with appointment", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "b504826a-81d2-4ab1-988d-34e3b8ba9bbb": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 13 of 20 \n \nTABLE 5: The following table outlines when ACCESS Testing is \nappropriate for Multilingual Learners. \nStudent Details Administer ACCESS Test? \nA student is a suspected ML but has not \nbeen confirmed as a Multilingual \nLearner. \nNo. Do not administer ACCESS. \nInstead, follow the steps to \nconfirm a suspected EL outlined \nin Table 1. \nA student is a confirmed ML based on \nthe correct screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nYes. Administer ACCESS. \nA student is a confirmed ML based on \nthe correct screener test BUT has opted \nout of some or all English Learner \nservices. (Steps for identifying correct \nscreener test outlined in Table 2). \nYes. Administer ACCESS. \nA student scored Proficient on the \ncorrect screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nNo. Do not administer ACCESS. \n A student scored Proficient on ACCESS \nthe previous year", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "bf94c13e-7f75-4503-aef8-0b0a9fee16a0": { + "page_content": "correct screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nNo. Do not administer ACCESS. \n A student scored Proficient on ACCESS \nthe previous year \nNo. Do not administer ACCESS.", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "283f15c3-aeb4-47ed-b2b4-69cc06f1f42e": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 14 of 20 \n \n4. K1 SCHOOL-BASED ENGLISH LANGUAGE PROFICIENCY \nASSESSMENT CALENDAR SY 2024 \nEvery year, school-based designated testers assess approximately \n1,300 K1 students under the training and guidance of NACC. To \nensure that all K1 students identified as Multilingual Learners \n(MLs) receive the related services and programs in SY 2023-2024, \nwe ask schools to carefully review, prepare for, and adhere to the \nassessment calendar below. \nTABLE 6: \nAction Steps Instructions Date(s) \nSTEP 1 \nConvene Language \nAssessment Team \nSchool staff should review their K1 roster \nto start developing their assessment \nschedule: \nFollowing NACC training, schools will \nreceive a list of students that need to be \nassessed. Schools should carefully review \nthis list. \nIf a school suspects a student should be \non the list to be assessed because a \nlanguage other than English is spoken in \nthe home, the LAT should convene to", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "a2170ce2-05ff-4f4d-9490-abb637e97c5a": { + "page_content": "this list. \nIf a school suspects a student should be \non the list to be assessed because a \nlanguage other than English is spoken in \nthe home, the LAT should convene to \ndetermine if the student is eligible for \ntesting. Contact NACC and the OMME \nInstruction Team if you have any \nquestions about this. \nAlthough explicit parental consent is not \n03/01/24", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "0d973482-9030-49f4-b582-de8d03b5a78b": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 15 of 20 \n \nAction Steps Instructions Date(s) \nrequired, schools should meet with \nparents/guardians to discuss concerns \nand inform them of the plan to assess \nstudents with the grade level required \nlanguage screener (WIDA screener for \nK1). This communication allows the \nfamilies to have meaningful access to \ntheir child\u2019s education. \nSTEP 2 \nIdentify designated \ntesters \nThe principal identifies the staff \nmembers who will administer the \nEnglish language proficiency \nassessment. School leader should submit \nthe name of the school-based \ndesignated tester on this form. \nThe designated testers should be \nlicensed teachers or licensed staff \nmembers who are experienced EL \neducators. \nIt is recommended that schools select \ntheir Language Acquisition Team \nfacilitators (LAT-F), ESL teachers, and K1 \nteachers familiar with the students as the \ndesignated testers. \nBeginning April 15th, school leaders \nprovide 3 hours for K1 designated testers", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "5119d98a-691c-44ee-8260-daa0b122b007": { + "page_content": "facilitators (LAT-F), ESL teachers, and K1 \nteachers familiar with the students as the \ndesignated testers. \nBeginning April 15th, school leaders \nprovide 3 hours for K1 designated testers \nto watch the WIDA Screener for \n03/01/24", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f4546436-1b4a-4dee-9aef-1d11d5e6631a": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 16 of 20 \n \nAction Steps Instructions Date(s) \nKindergarten training course and take all \nthe required Quizzes on the WIDA Secure \nPortal before they come to overview \nsessions. (3 hours could be during their \ncommon planning time, school-based PD \ntime, etc.) Designated testers should use \nthe following Google Form link to submit \ntheir SY 2024 WIDA Certificates: Google \nForm. \nSchools with K1 programs should \ndesignate testers for a test \nadministration overview session. \nDesignated testers will receive a \nregistration link for an overview session \nno later than Tuesday, April 2, 2024. \nSTEP 3 \nAttend training \nsession \nSchools must allocate time for the \ndesignated testers to attend one of the \nK1 test administration overview sessions. \nAll test administration overview sessions \nwill take place online. \nTraining is designed to support new and \nexperienced testers. \n04/2/24 & \n04/03/23", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "424a46e5-8fd6-470e-8b67-8204d05f85d4": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 17 of 20 \n \nAction Steps Instructions Date(s) \nSTEP 4 \nPick up materials \nDesignated testers should pick up the \ntesting materials after the overview \nsession at NACC in the Bolling Building. \n04/04/24-\n04/09/23 \n \nSTEP 5 \nAssess identified K1 \nstudents \nDesignated testers assess all identified K1 \nstudents with the corresponding English \nlanguage proficiency assessment. \nOnly testers who attend the training \nsessions in April can administer the \nEnglish language proficiency \nassessments. \nTo ensure appropriate test \nadministration, designated testers \ncannot transfer assessment \nresponsibilities or \u201cdeputize\u201d educators \nwho have not attended a SY 2024 \ntraining session. \nStudents with disabilities should be \ntested according to their IEP \naccommodations. Copies of the IEP \naccommodations should be attached to \nthe students\u2019 test booklets and \nforwarded to NACC no later than Friday, \nMay 10, 2024. \nTo ensure that students receive the", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "11290a9b-b3a4-4acb-8108-f1c324bca377": { + "page_content": "accommodations should be attached to \nthe students\u2019 test booklets and \nforwarded to NACC no later than Friday, \nMay 10, 2024. \nTo ensure that students receive the \n05/10/24", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "1fd6e650-fe80-4b53-96e3-9ddb5f053b52": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 18 of 20 \n \nAction Steps Instructions Date(s) \nappropriate placements for the 2024-\n2025 school year, K1 English language \nproficiency assessments must be \ncompleted no later than Friday, May 10, \n2024. \nSTEP 6 \nLAT-F input test \nresults, return test \nanswer booklets and \nrequested \ndocuments \nLAT-F input results of English language \nproficiency assessments into Aspen SIS \nto ensure the initial ELD level and test \nresults become a part of the student\u2019s \nassessment record. All test results must \nbe entered into Aspen SIS by Friday, May \n10, 2024. \nSchools must keep copies of the test \nanswer sheets and a hard copy of the \nWIDA Score Report in the students\u2019 ELD \nfolders. \nIf a student was screened and found NOT \nto be an EL, the school should keep the \ntest answer sheet and the WIDA Score \nReport in the student\u2019s cumulative folder. \nSchools must return all original test \nanswer booklets and all requested \ndocuments to NACC no later than Friday,", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "4403392b-7a9c-47b1-a0c0-a3d4ff3e75a8": { + "page_content": "test answer sheet and the WIDA Score \nReport in the student\u2019s cumulative folder. \nSchools must return all original test \nanswer booklets and all requested \ndocuments to NACC no later than Friday, \nMay 10, 2024 so that OMME can review \nthe data before submitting final test \n05/10/24", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "ec1e3616-37af-4ee1-a040-be4756cdbb2f": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 19 of 20 \n \nAction Steps Instructions Date(s) \nscores to OIIT. \nSTEP 7 \n \nData Validation \nOMME will review assessment samples \nfor data validation. \nOMME will inform LATFs of any errors in \nassessment scoring. Schools will be able \nto see any updates to their data in Aspen \nSIS after May 17, 2024. \n05/17/24 \nSTEP 8 \n \nParent Notification \nLetter \nLAT-Fs will inform the parent/guardian of \ntheir student\u2019s assessment results via the \nParent Notification Letter in the parent\u2019s \npreferred language within two weeks \nafter the assessment data is confirmed in \nAspen SIS. \nFile a signed copy of the letter in the \nstudent\u2019s ELD folder. \n05/31/2024 \nSTEP 9 \n \nK1 students \nassigned after \n05/10/24 \n \nAfter the testing window closes on May \n10, 2024, schools must continue to assess \nall newly assigned K1 students whose \nHLS indicates any language other than \nEnglish. \nThe designated tester must borrow a \ncopy of the Kindergarten Screener for", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "a7ce60c9-2a7d-4d04-ba51-5b1947bf6a41": { + "page_content": "all newly assigned K1 students whose \nHLS indicates any language other than \nEnglish. \nThe designated tester must borrow a \ncopy of the Kindergarten Screener for \ntesting K1 students from NACC. \n06/14/24", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "1d8febfe-1f92-4646-9603-cf4b4c77683e": { + "page_content": "Superintendent\u2019s Circular EL-06 \nPage 20 of 20 \n \nAction Steps Instructions Date(s) \nDesignated testers should follow the \ninstructions in Step 4 and Step 5. \n \n \nFor more information about this circular, contact: \nOwner: NACC Director \nDepartment: Office of Multilingual and Multicultural \nEducation \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-1565 \nEmail: nacc@bostonpublicschools.org \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f5293210-92fd-41af-bbb3-ab4739d90c6d": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nEL-07 \nVersion 01 \n \nBPS INSTRUCTIONAL SYSTEM AND MONITORING FOR \nMULTILINGUAL LEARNERS \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis superintendent\u2019s circular outlines the district\u2019s instructional \nsystem and monitoring for multilingual learners, including: \n1. Instructional Expectations and Resources: \na. Defining high-quality instructional expectations and \nmaterials for our multilingual learners and multilingual \nlearners with disabilities (MLWD) \nb. Curating and outlining resources for schools, classroom \nstaff, and school leaders to change and improve \ncurrent practices in classrooms serving Multilingual \nlearners and those with disabilities \n2. Monitoring of Multilingual Learners\u2019 Instruction: \na. Monitoring Individualized Learning Plans (ILPs) for \nmultilingual learners who have not met ACCESS \nprogress benchmarks", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "68ac5c25-1271-48af-b8a2-2a132aa781a0": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 2 of 18 \n \nb. Conducting classroom observations by school leaders \nand district regional support teams or ESL and content \ninstruction across programs serving Multilingual \nlearners \nIn accordance with the DOJ agreement for ELE services, an \noverview of ELE services, compliance monitoring, accountability, \nand DOJ reporting schedule is outlined here. \n \nINSTRUCTIONAL EXPECTATIONS \nThe circular provides foundational information on practices and \nexpectations regarding high-quality instruction and grade-level \ncontent instruction for our MLs aligned to MA-DESE frameworks \nand grade-level standards. Included are resources for classroom \nstaff and school leaders to align and improve current classroom \npractices. The research-based resources and strategies will \nprovide consistent, high-quality educational practices across the \nDistrict to develop a systemwide understanding of expectations", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "e88e2e40-4875-43e1-b927-aec7de10e8c7": { + "page_content": "practices. The research-based resources and strategies will \nprovide consistent, high-quality educational practices across the \nDistrict to develop a systemwide understanding of expectations \nfor instructing our multilingual learners and those with \ndisabilities. \nOne priority of the Office of Multilingual and Multicultural \nEducation (OMME) is to outline instructional expectations with \nguidance and resources for multilingual learner (ML) educators to \naccelerate MLs\u2019 language acquisition and support their growth \nacross content. All MLs are entitled to meaningful access to \ngrade-level content learning and English language development \n(ELD) instruction to build their English language skills in all four \nlanguage domains (reading, writing, listening, and speaking). All", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "41ff0fd7-f682-4e2e-9b3f-b20c2b29a5ca": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 3 of 18 \n \nMLs regardless of program or placement are entitled to receive \nsheltered content with an SEI teacher and ESL services with an \nESL-certified teacher1. To that end, OMME is committed to \nproviding all ESL and SEI content teachers with tools that best \nsupport MLs. \n \nGROUNDING THE INSTRUCTIONAL CORE IN WIDA AND MA \nCURRICULUM FRAMEWORKS \nTo maintain high-quality content and language learning for MLs, \nit is paramount to center all ML instruction for Fall 2023 and \nbeyond on research-based standards for language development \nas well as grade-level content. OMME expects that the MA \nCurriculum Frameworks and WIDA 2020 Standards Framework \nare the foundations for all effective delivery of English as a \nSecond Language (ESL) instruction and English Learner \nEducation programs. \nOMME has created clear and explicit guidance around what \ndefines English as a Second Language (ESL) instruction in Boston", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "44a6006c-9472-4a2c-b835-79ccf6569dfd": { + "page_content": "Education programs. \nOMME has created clear and explicit guidance around what \ndefines English as a Second Language (ESL) instruction in Boston \nPublic Schools (BPS) and the varied programmatic structures it \nmay take. ESL is its own subject matter and provides explicit, \nsystematic, and sustained language instruction to promote MLs\u2019 \nsuccess at school and beyond. ESL is: \n \n1 Any core academic teacher of an Multilingual Learner (providing instruction in English): teachers of \nMLs with moderate disabilities; teachers of MLs with severe disabilities; teachers in English, reading or \nlanguage arts; mathematics, science; civics and government, economics, history, and geography; early \nchildhood and elementary teachers who teach MLs such subjects; and any career vocational technical \nteacher who instructs a ML.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "d03653c3-3b63-4d0a-94aa-c80481c596e9": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 4 of 18 \n \n \n\u2022 Asset-based and culturally sustaining \n\u2022 Language driven \n\u2022 Balanced, focused on both meaning and form \n\u2022 Standards-based (i.e. ELA, History, Math, Science), rigorous, \nand integrated \n\u2022 Designed for authentic language interactions, dialogue, and \ncollaboration \n\u2022 Planned and dynamic \n\u2022 Differentiated and scaffolded \n\u2022 Grounded in effective assessment practices \n \nSuccessful pedagogy is grounded in these frameworks and \napproaches: \n\u25cf MA Curriculum Frameworks: The frameworks establish clear \nacademic expectations for what students should know and \nbe able to do at the end of each school year. They \nemphasize the development of 21st-century skills with \ncollege and career readiness. Current curriculum \nframeworks for each content area can be found here. \n\u25cb English Language Arts & Literacy \n\u25cb Social Studies / Humanities \n\u25cb Science Technology & Engineering \n\u25cb World Language Standards", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "fd6de2cf-9c2b-4690-ad8f-3dac81b6b117": { + "page_content": "frameworks for each content area can be found here. \n\u25cb English Language Arts & Literacy \n\u25cb Social Studies / Humanities \n\u25cb Science Technology & Engineering \n\u25cb World Language Standards \n\u25cf WIDA: A research-based, comprehensive approach to", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "4d51d2f4-6356-47ac-8372-ea4a211ef0ab": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 5 of 18 \n \nsupporting, teaching, and assessing multilingual learners. \nThe WIDA 2020 Framework and Standards prioritize equity \nof opportunity and access, integration of content and \nlanguage, collaboration among stakeholders, and a \nfunctional approach to language development. \n \nKey components to effective ML teaching in the BPS: \n\u25cf Native Language : Research shows that using native \nlanguage instruction and resources has a positive effect on \nEnglish language development. Teachers should leverage \nstudents\u2019 native-language literacy skills whenever possible \nand use that knowledge to facilitate metalinguistic \nawareness and cross-linguistic transfer. When teachers have \na basic knowledge of students\u2019 native language structure, \nthey can better identify students\u2019 positive and negative \nlinguistic transfers. Furthermore, teachers should consider \nusing native language materials to build background", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "c41da4cc-c098-4d61-b555-5a6e3f5effc9": { + "page_content": "they can better identify students\u2019 positive and negative \nlinguistic transfers. Furthermore, teachers should consider \nusing native language materials to build background \nknowledge and help students transfer content-area skills \nand understandings from one language to another. \n\u25cf Collaboration Among ML Educators: BPS prioritizes teacher \ncollaboration to support MLs\u2019 success in content area \nclasses and programs. \u201cCo-Teaching ESL is a unique form of \nteacher collaboration where two teachers (an ESL and a \ngrade level/content area teacher) fully share teaching \nresponsibilities for a common group of students. The co-\nteachers jointly plan for, deliver, and assess dedicated, \nsystematic, explicit, and sustained standards-based and \nlanguage-focused ESL instruction that connects to content", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f819d9f3-5960-419d-985f-ec30cdbcd0df": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 6 of 18 \n \narea topics and analytical practices.\u201d (DESE\u2019s Quick \nReference Guide Co-Teaching Co-Teaching ESL) \n \nMATERIALS GUIDANCE \nOMME will continue to work across academic departments to \nensure that all materials provide scaffolding and supports for \nmultilingual learners. To support this initiative, OMME has \ndeveloped an ELD Look-For Tool that illustrates effective \nculturally and linguistically sustaining practices that are key \ninstructional components for all classrooms serving Multilingual \nLearners. This tool is aligned with research-based best practices \nfor MLs and to the BPS Equitable Literacy Look-Fors, and the \nCulturally Responsive Instruction Observation Protocol (CRIOP). \nIn order to support the integration of content and language, \nOMME created an integrated Language Objectives writing tool \nand a series of professional development to support this initiative.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "59bf7f36-3d09-4a3f-bf8f-8d4154aff5bb": { + "page_content": "In order to support the integration of content and language, \nOMME created an integrated Language Objectives writing tool \nand a series of professional development to support this initiative. \n \nMultilingual Instructional Coaches (MICs) worked throughout SY \n2022/23 to analyze district-approved tier 1 curriculum, thoroughly \nexamine the WIDA 2020 Standards Framework to create a scope \nand sequence and unit maps for ESL instruction for grades K-12: \nFocus in Grades K0-2, EL Education for Grades 3-5, and StudySync \nand core content in Grades 6-12. All curriculum and support \ndocuments will be housed in this Boston Public Schools ESL \nCurriculum Digital Notebook.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "e777d769-12b3-4e10-bd96-1dc0e91328bd": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 7 of 18 \n \nThe work was grounded in: \n\u2022 Massachusetts Department of Elementary and Secondary \n(DESE) Next Generation ESL Curriculum Guidance, \n\u2022 7 Forms of Bias, \n\u2022 Culturally Responsive Teaching, \n\u2022 Systemic Functional Linguistics, \n\u2022 Equitable Literacy and Culturally and Linguistically \nSustaining Practices, \n\u2022 the 3Ls, \n\u2022 WIDA 2020 Standards Framework, and \n\u2022 Understanding by Design (UbD). \n \nDual Language schools have adopted a variety of authentic texts \nor trans-adapted texts / materials in the native language. OMME \nrecommends usage of native language text sets aligned to grade \nlevel standards and units of study that meet the rigor and \nexpectations for quality materials using CURATE. Additionally, the \ndistrict recommends the following Spanish and English \ncomplimentary materials for dual language: \n1. Focus Transadapted Spanish Texts \n2. American Reading Company \nOther Dual Language and bilingual programs in majority BPS", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "9ca51932-00a4-49a8-b51b-b1bfa5e75498": { + "page_content": "complimentary materials for dual language: \n1. Focus Transadapted Spanish Texts \n2. American Reading Company \nOther Dual Language and bilingual programs in majority BPS \nlanguages are provided materials in the form of authentic texts \nor transadapted texts thematically aligned to the biliteracy \nframework for the target languages that must meet grade level \nstandards.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "725f3057-35e2-44cd-b515-282d9ceea542": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 8 of 18 \n \n \nIn setting expectations for high-quality instruction, the District \nhas a responsibility to provide district level and individualized \ncoaching support for school and classroom staff. The following is \na list of instructional recommendations with critical resources for \nteachers and school leaders serving multilingual learners and \nEnglish learners with disabilities (ELD). \n \nSEI PROGRAMS VS. SEI CLASSROOMS \nBoston Public Schools has the highest number of MLs across the \nstate. Therefore, it is expected that every BPS classroom is an SEI \nclassroom (if there is at least one multilingual learner enrolled) \nwith a qualified SEI teacher. Additionally, BPS offers SEI programs \nto students at ELD levels 1-3 with some language specific \nprograms at specified schools to better meet the needs of \nstudents at ELD levels 1-3 and provide language support if the \neducator has the same language. All MLs across ELD levels and", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "33f8589c-55f2-4675-865f-65a05b822088": { + "page_content": "programs at specified schools to better meet the needs of \nstudents at ELD levels 1-3 and provide language support if the \neducator has the same language. All MLs across ELD levels and \nplacement settings are expected to receive ESL instruction in \naccordance with their level, grouping per the Department of \nJustice (DOJ) and the Massachusetts Department of Elementary \n& Secondary Education (MA DESE). \n \nESL: English as a Second Language SCI: Sheltered Content Instruction \nNLI: Native Language Instruction NLS: Native Language Support", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "bb1cece4-544f-40eb-8bbf-84b0a59a031e": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 9 of 18 \n \nProgram Type & \nTarget \nInstructi\non Type \nBPS Instructional Expectations Resources \nSEI Multilingual \nProgram - targeted \nfor ML ELD 1-3 with \nlow incidence \nlanguages \n\u2713 ESL \n\u2713 SCI \n\u25cf Grade level aligned instruction \nusing district materials or \ncurriculum meets MA frameworks. \n\u25cf Adapting or differentiation for lower \nELD levels and/or low levels of \nliteracy to accelerate learning. \n\u25cf Educators teach academic \nlanguage and align to MA \nFramework content grade level \nstandards and WIDA standards. \n\u25cf Classroom teachers collaborate and \nplan with ESL teachers. \n\u25cf Educators are bilingual and believe \nthat the native language of \nstudents and families is an asset \nand promotes bilingual education. \n\u25cf Classroom environments are \nmulticultural, engage diverse \nperspectives and experiences and \nvalue all students' cultural and \nlinguistic backgrounds. \n\u25cf Student ILP (if needed) is aligned to \nWIDA Can Do and language \ndomains.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "d2e9ad53-12ce-4b5a-bb35-c668a62e750a": { + "page_content": "perspectives and experiences and \nvalue all students' cultural and \nlinguistic backgrounds. \n\u25cf Student ILP (if needed) is aligned to \nWIDA Can Do and language \ndomains. \n\u25cf ESL instructional pedagogy is \nconnected thematically with a \nfocus on academic language. \n\u25cf MASS \nLiteracy \nGuide \n\u25cf MA DESE \nCollaboration \nTool \n\u25cf Incorporating \nNative \nLanguage \ninto Learning \n\u25cf BPS \nEquitable \nLiteracy Look-\nFors \n\u25cf MA DESE ESL \nModel \nCurriculum \nUnits \n\u25cf CGCS 3Ls: \nLearning, \nLanguage \nand Literacy \n\u25cf SFL Writing \nPedagogy \n\u25cf UDL \nGuidelines \n\u25cf MA DESE\u2019s \nDefining ESL \nGuidance \nSEI Language \nSpecific Program - \ntargeted for ML ELD \n1-3 with high \nincidence languages \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Inclusion \nProgram - targeted \nfor dually \nidentified ML with \nELD levels 1-3 and \nMLs with Disabilities \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Classrooms \nwithout district ELE \nPrograms - targeted \nto ELD 4 and ELD 5 \nand at all schools \nwithout an SEI \nMultilingual, \nLanguage Specific", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "3e4a8828-e8fc-44e7-b10b-db360c7b9c43": { + "page_content": "MLs with Disabilities \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Classrooms \nwithout district ELE \nPrograms - targeted \nto ELD 4 and ELD 5 \nand at all schools \nwithout an SEI \nMultilingual, \nLanguage Specific \nor SEI Inclusion \nProgram \n \n\u2713 ESL \n\u2713 SCI", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "3e7f4f47-09c3-4e6d-ba2c-158d3fb2b320": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 10 of 18 \n \n \n \nDual Language - \ntargeted for MLs in \nELD levels 1-3 and \nEnglish monolingual \nstudents \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u25cf Biliteracy skills that support each \nlanguage and build metalinguistic \nawareness, such as teaching \ncognates. \n\u25cf Educators are bilingual and hold \nthe belief that the native language \nof students and families is an asset. \n\u25cf Materials reflect authentic texts or \nare \n\u25cf transadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n\u25cf The curriculum includes a \nstandards-based scope and \nsequence for language and literacy \ndevelopment in English and the \npartner language for all students. \n \n\u25cf Dual \nLanguage \nCAL \nGuidance \nSLIFE - targeted for \nnewcomer students \nwith low native \nliteracy \nassessments and \ngaps of education \n(Newcomer \nProgram) \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u2713 NLS * \n\u25cf Native language literacy and \nnumeracy skills that develop \nstudents academically.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "468ef51e-9f11-48dc-b80c-326054c957cb": { + "page_content": "literacy \nassessments and \ngaps of education \n(Newcomer \nProgram) \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u2713 NLS * \n\u25cf Native language literacy and \nnumeracy skills that develop \nstudents academically. \n\u25cf Appropriate developmental \nstrategies and pedagogy that build \non students\u2019 schema and life \nexperiences. \n\u25cf Educators are bilingual and hold \nthe belief that the native language \n\u25cf SLIFE DESE \nGuidance", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "83ef8e97-c4bf-4d94-8194-da2b5add023b": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 11 of 18 \n \nof students and families is an asset. \n\u25cf Materials reflect authentic texts or \nare \n\u25cf transadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n\u25cf Drawing on students\u2019 cultures and \nidentities with projects and life skills \nthat connect to their communities \nand assets. \nHeritage Program - \ntargeted for \nstudents with \ncommon ethnic and \nnative language \n\u2713 NLI \n\u2713 ESL \n\u25cf Students from heritage \nbackgrounds are taught target \nlanguage across modalities aligned \nto World Language Standards. \n\u25cf Identity is often a major factor in \nheritage speakers/signers\u2019 \nmotivations for language learning, \nand educators must discuss identity \nissues to effectively support \nstudents in making the cultural \nconnections described in world \nlanguage content standards. \n\u25cf World \nLanguage \nStandards \n\u25cf Heritage \nSpeakers' \nGuide \n \n \nMONITORING OF MULTILINGUAL LEARNERS INSTRUCTION", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "029eeccb-f2d3-417c-abae-3adbbd387bff": { + "page_content": "connections described in world \nlanguage content standards. \n\u25cf World \nLanguage \nStandards \n\u25cf Heritage \nSpeakers' \nGuide \n \n \nMONITORING OF MULTILINGUAL LEARNERS INSTRUCTION \nIn addition, this circular outlines the District's expectations for \nCentral Office and school leaders regarding a quality monitoring \nsystem for ESL and content instruction for multilingual learners \nacross English Learner Education (ELE) programs and general \neducation settings. This system facilitates the District's \nidentification of classrooms, programs, and schools of excellence \nso BPS can share these practices, trends and teaching pedagogy", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "bb5040d0-115a-4afa-90dd-99c84d49cede": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 12 of 18 \n \ndistrict-wide. In addition, routine observations will allow the \nDistrict to identify schools and classrooms that need support for \ninstructional improvement and, in some cases, intervention at a \nschool, program, or classroom. The BPS monitoring system will \nensure that students with an ILP are attended to with specific \nlanguage goals. \n \nMONITORING OF ML INDIVIDUALIZED LEARNING PLANS (ILPS) \nMultilingual Learners that are not meeting targeted ACCESS \nprogress benchmarks indicated by MA DESE are required to have \nIndividual Learning Plans (ILP) (also known as a student success \nplan) that track their language growth and academic progress. \nEach year, OMME will share guidance, the list of students who \nneed an ILP per DESE\u2019s criteria, and the template document. \nLATFs will support the dissemination of information and these \nmaterials to teachers for completion. The ILPs should be", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "906151dd-042c-471d-82d6-01edea72d5b8": { + "page_content": "need an ILP per DESE\u2019s criteria, and the template document. \nLATFs will support the dissemination of information and these \nmaterials to teachers for completion. The ILPs should be \ncompleted by the student\u2019s team of teachers, integrating how \nthe student will grow across content areas. The use of the WIDA \nframework and Can Do descriptors guide the BPS ILP document \nso that the goals within each language domain of where a \nstudent needs to grow to move to the next level on the English \nlanguage proficiency continuum are aligned with WIDA. A BPS \nILP sample template can be found here. \n \nWith the continued implementation of this policy, school leaders, \nLATFs and teachers are expected to: \n\u2022 Identify the areas in which identified MLs need", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "42b6295d-7368-403d-a59e-2cf5319803ea": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 13 of 18 \n \nimprovement and establish personalized goals for \nattaining English proficiency; \n\u2022 Assess and track the progress of MLs who did not meet \nbenchmarks in the identified areas in need of \nimprovement; \n\u2022 Review resources and services available to assist MLs in \nthe identified areas in need of improvement; and \n\u2022 Incorporate input from the parents or legal guardian of \nthe identified ML. \n \nOMME is developing a systemic approach to monitoring ILPs for \nML who have not met WIDA ACCESS Benchmarks as outlined \nbelow: \n\u2022 School leaders and LATFs will be notified and updated on \nthe percentage of ILP completion, and OMME will \nmonitor progress towards 100% completion of ILP plan; \n\u2022 ILPs should be finalized for students by October 15, 2023; \n\u2022 Schools principals and LATFs with incomplete ILPs will be \nnotified by late October to follow-up; \n\u2022 Any remaining incomplete ILPs will be reflected on school \nEL plans;", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f5fdc45b-5008-49f8-86f7-66268e027dad": { + "page_content": "\u2022 Schools principals and LATFs with incomplete ILPs will be \nnotified by late October to follow-up; \n\u2022 Any remaining incomplete ILPs will be reflected on school \nEL plans; \n\u2022 OMME Equity and Accountability regional liaisons will \nwork with school superintendents to ensure ILP \ncompletion for ML identified in need of a plan. \n \nMONITORING OF INSTRUCTION \nBPS recognizes that rigorous, standards-based, culturally \naffirming instruction is critical to student outcomes in our", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f203dd08-b649-4cdf-ab77-e02bba21ccf3": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 14 of 18 \n \nhighest needs schools. The district will implement a consistent \nmonitoring system to ensure ESL and content instruction for \nMultilingual learners and those with Disabilities receive high-\nquality instruction and opportunities for accelerated learning \nacross Equitable MTSS tiers. \n\u25cf The Office of Multilingual and Multicultural Education \n(OMME) is increasing staffing and instructional support in \nSY23/24 to support school leaders and educators in meeting \nconsistent expectations for instructional practices for \nMultilingual Learners and those with disabilities. OMME \nmultilingual instructional coaches will work to align \ninstructional expectations from the district to classroom \nlevel with materials, role expectations, instructional \npractices, and coaching cycles. \n\u25cf OMME has adopted an updated MLs observation tool using \nthe Equitable Literacy Self Reflection Tool and Learning,", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f8ccb8c0-e8f3-478e-a8d1-e12c5a3bf923": { + "page_content": "practices, and coaching cycles. \n\u25cf OMME has adopted an updated MLs observation tool using \nthe Equitable Literacy Self Reflection Tool and Learning, \nLanguage and Literacy observation tool with embedded \npractices that meet grade level content expectations for \nMLs. The updated MLs observation tool will be utilized \ndistrict-wide to perform learning walks and observations \nacross all ESL and content classrooms where MLs are placed \nin order to assess the quality of teaching and learning for \nMultilingual learners with a focus on Culturally and \nLinguistically Sustaining Practices (CLSP). \n\u25cf BPS district teams and schools will use the updated MLs \nobservation tool replicated in Bullseye online platform for \nobservers to input observation records in order to collect \ndata, assess outcomes and monitor trends towards", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "d3ec1c73-b57a-4a66-a625-ed5b1b71cb26": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 15 of 18 \n \nincreased instructional improvements. \n\u25cf All district staff, school leaders and other classroom \nobservers will be trained on the updated MLs observation \ntool via Bullseye online platform in order to implement \nacross the system and leverage as a consistent routine \nclassroom observation and monitoring tool. \n \nSCHOOL ACCOUNTABILITY \nThe following outlines the District\u2019s expectations for school \nleaders and central office regarding a quality monitoring system \nfor ESL and content instruction for multilingual learners \nregardless of program or placement. It will ensure that we \nmonitor schools for high-quality ML teaching practices and \ncoherence across the district. OMME will add training for school \nleaders on ML instruction expectations and observation look-fors \nto better prepare them for appropriately evaluating and growing \neducators towards meeting proficient or exemplary status", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "ffc51593-9853-4408-b139-9fa8df9f165e": { + "page_content": "leaders on ML instruction expectations and observation look-fors \nto better prepare them for appropriately evaluating and growing \neducators towards meeting proficient or exemplary status \nfollowing the MA DESE Classroom Teacher Rubric.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "86ef5c59-e07f-4db5-8417-693fb1b030ff": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 16 of 18 \n \nSchool leaders or assigned evaluators: \na) Once every two weeks, school leaders are expected to \ndo short observations (10-15 minutes) of all classrooms \nserving Multilingual Learners in the school. The school \nleaders should use the updated MLs observation tool to \ncollect observation notes and align to district \ninstructional vision. \nb) Within 48 hours of observations, school leaders should \nprovide the classroom leaders with a quick note \nincluding a positive practice observed and a noticing or \nwondering to improve instructional practices. \nResources aligned to expectations or improving \ninstructional practices should be included with the \nnoticings or wonderings. \nc) If any concerns arise from the short observation, the \nschool leader should schedule an observation, \nincluding a one-on-one discussion with the teacher \nthat offers resources, support, or coaching if available.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "7fb62f83-6c5a-4c40-bc1b-a46a4087c241": { + "page_content": "school leader should schedule an observation, \nincluding a one-on-one discussion with the teacher \nthat offers resources, support, or coaching if available. \nd) When a school leader observes consistent classroom \ninstruction below the expectations for teaching and \nlearning, the school leader must have a conversation \nwith the teacher and start the teacher improvement \nevaluation process. This should include expectations \nfor improvement and resources to support the growth \nof the classroom staff.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "5fd15d9c-803d-4b9f-9230-44ae376a5288": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 17 of 18 \n \nDISTRICT ACCOUNTABILITY \nRegional School Superintendents and District Regional Support \nStaff (District Team): \na) Once a quarter, starting at the end of September, \nregional school superintendents and other district \nregional support staff will join school leaders to observe \nclassroom practices in classrooms serving Multilingual \nLearners. The team will use the updated MLs \nobservation tool to observe, record, and provide \nfeedback on classroom instructional practices to \nidentify trends and growth areas and monitor progress. \nb) Regional support staff conducting walkthroughs will \nbe expected to record their observations in the \ncentrally maintained Bullseye online platform. This will \nallow for district-wide analysis and monitoring of data \ntrends. Additionally, school leaders and district staff will \nbe able to monitor progress and share evidence to \nnorm and validate observations.", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "d6fd06da-d9d4-44cd-90f7-d3ff3fcf2534": { + "page_content": "trends. Additionally, school leaders and district staff will \nbe able to monitor progress and share evidence to \nnorm and validate observations. \nc) Regional school superintendents and regional support \nstaff will debrief with school leaders on the day of the \nobservations and discuss highlights of classroom \ninstruction, how to grow pedagogically appropriate \ninstructional practices, identify which instructional \npractices need support, and support is provided. \nd) Every quarter, the district team will monitor trends for \nevidence of improvement and areas of growth. The \ndistrict team will be expected to coordinate central", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "a95ce581-fb44-4aa5-83cc-962f7286df41": { + "page_content": "Superintendent\u2019s Circular EL-07 \nPage 18 of 18 \n \noffice resources, including OMME coaches, and utilize \ndata to support the classroom and school\u2019s needs \neffectively. \ne) School superintendents will work with school leaders \nwho have not demonstrated progress to develop an \naction plan for improving instruction with clear metrics \nthat include district support and will be reflected in \nfuture QSP and on school leader evaluation. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Superintendent of Academics and Interim \nAssistant Superintendent of OMME \nDepartme\nnt: \nOffice of Multilingual and Multicultural Education \n(OMME) \nMailing \nAddress: \nBolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: 617-635-9435 \nEmail: OMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners.pdf", + "source_link": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "3a99beaf-2f21-4cfa-9562-39c98615b0c7": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nEL-04 \nVersion 01 \n \n \nTITLE I EXPENDITURES FOR ENGLISH LEARNERS \nAMENDED ORDER BETWEEN LATINO PARENTS ET AL \nAND BOSTON PUBLIC SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \n1. General Information \n2. English Learner Equity Requirement \n3. General Guidelines \n4. Sample Acceptable Uses \n5. Annual Reporting of Title I Services \n \n1. GENERAL INFORMATION \nIn 1992, the Boston Public Schools (BPS) and parents of English \nLearner students (ELs), who were represented by attorneys with \nMulticultural Education, Training and Advocacy, Inc. (META), \nentered into a binding consent decree that is enforceable by use \nof the federal court\u2019s power to hold violators in contempt of court", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "0a8cc907-4ab5-4f51-b35d-6f8a30ed8d95": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 2 of 19 \n \n \nto compel compliance. A copy of this consent decree can be \nfound on the Office of English Learners website. \nThis Superintendent\u2019s Circular outlines the basic components of \nthe consent decree regarding appropriate Title I expenditures for \nELs and provides guidelines to comply with the edict. The \nconsent decree defines many requirements of BPS, which \nincludes the equitable allocation of Title I funds to service the \nneeds of ELs. \nThe federal consent decree enforced by META commits BPS to: \n\u2022 Improve and provide equal access to programs for EL \nstudents \n\u2022 Refrain from discriminating against EL students relative to \nnon-ELs, in the provision of Title I services \n\u2022 Ensure proportionality in the provision of services; the \npercentage of Title I eligible but unserved EL students must \nnot exceed the percentage non-ELs who are not benefiting \nfrom Title I funds \n\u2022 Adjust Title I school budgets for staff and services annually", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "229f947a-a5c9-406b-b86e-4a7c1553d493": { + "page_content": "not exceed the percentage non-ELs who are not benefiting \nfrom Title I funds \n\u2022 Adjust Title I school budgets for staff and services annually \nand periodically in light of changing student needs \n\u2022 Provide literacy (HILT) programs for EL students ages 8-22 \nwith limited or interrupted formal education (SLIFE) \n\u2022 Consult with and involve EL parents in each school \n(additional guidance on how to document this consultation \nwill follow) \n\u2022 Report annually on the status of Title I services to EL \nstudents.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "4e41db7b-2cb6-44b7-a05b-02dab754df9c": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 3 of 19 \n \n \nNote: \n\u2022 All other district purchasing guidelines still apply. For \ngeneral information regarding purchasing, please refer to \nSuperintendent\u2019s Circular FIN-07. \n\u2022 For state guidance on the use of Title I Part A funds in \ngeneral (not specific to the additional requirements \npursuant to the consent decree), visit \nhttps://www.doe.mass.edu/federalgrants/titlei-a/ or contact \nthe BPS Grants Department. \n2. ENGLISH LEARNER EQUITY REQUIREMENT \nThe portion of Title 1 resources for EL students is based on the \npercentage of EL population in that school. \nEL Equity Amount example: If School-A receives $100,000 in Title \nI funding with a school population consisting of 25% ELs, $25,000 \nmust be spent to benefit ELs. In this example, $25,000 is the \u201cEL \nEquity amount\u201d that must be spent on supplemental services \ndirectly and solely benefitting ELs. \nAs part of the BPS annual Budget Collaborative process, the", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "be9153d0-444d-42f3-8eb1-9c0b6858f09f": { + "page_content": "Equity amount\u201d that must be spent on supplemental services \ndirectly and solely benefitting ELs. \nAs part of the BPS annual Budget Collaborative process, the \nFinance Department provides each school their Title I allocation \nand identifies for schools the EL Equity Amount subject to the \nspending guidelines outlined in this circular. \n\u2022 A school\u2019s Title I allocation is determined based on the \nschool\u2019s percentage of direct certified students and \nprojected enrollment, multiplied by a per pupil amount. \nDirect certification, in compliance with USED and DESE, \nincludes data from the Supplemental Nutrition Assistance", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "ee194c33-f650-4b9d-b6bc-bc9000cdb6dc": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 4 of 19 \n \n \nProgram (SNAP), Temporary Assistance for Needy Families \n(TANF), and Medicaid enrollment. \n\u2022 Within the school\u2019s Title I allocation, the EL Equity Amount is \nseparately identified. This is calculated based on the \nprojected enrollment of English Learner students as a \npercentage of the overall enrollment of projected students \nat each school. \n3. GENERAL GUIDELINES \nThe META Consent Decree requires the following: \n1) Each individual school must determine the additional \nservices for EL students that will supplement their \ninstruction, either for academic language in English and/or \nthrough native language supports. \n2) This determination must be conducted prior to spending \nTitle I funds for ELs at a school. \n3) These services must be supplemental, solely benefit ELs, \nand be tailored to meet the specific needs of EL students. \n4) The district, through the Office of English Learners, as part of", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "003124fb-a928-4a00-9f44-9df25f92bc55": { + "page_content": "3) These services must be supplemental, solely benefit ELs, \nand be tailored to meet the specific needs of EL students. \n4) The district, through the Office of English Learners, as part of \nits monitoring duties under the META Consent Decree, is \nobliged to ensure compliance with these legal \nrequirements, including working with schools to make \nappropriate revisions to any budget that does not reflect \ncompliance with Title I and META Consent Decree \nrequirements. \n5) Each school must annually submit both a plan for spending \nprior to any expenditures as well as an annual checklist that \nreports the use of Title I for ELs funds. \nServices Tailored to Meet the Specific Needs of ELs", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "b3fc212e-a44d-411b-a9bf-54ad36e83e93": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 5 of 19 \n \n \nServices provided with the use of Title I EL funds need to be \ntailored to meet the specific linguistic, cultural, socio-emotional \nand academic needs of ELs. These needs should be identified as \npart of the needs assessment process required by the consent \ndecree. \nServices Solely Benefitting ELs \nTitle I expenditures for ELs are also required to solely benefit ELs. \nThis means, for instance, if a school desires to fund a position, the \nresponsibilities for that position must be solely dedicated to ELs. \nThere is an expectation that the services provided by the staff \nshould focus on EL students with the highest needs such as \nthose with English language development (ELD) levels 1 and 2, as \nthey are the most vulnerable group of students requiring \nsupplemental services. \n4. SAMPLE ACCEPTABLE USES \nSupplement and Not Supplant Rule \nTitle I for ELs funds must be used to supplement, and not", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "39025800-b1b7-40db-92c2-819cc4195cb8": { + "page_content": "supplemental services. \n4. SAMPLE ACCEPTABLE USES \nSupplement and Not Supplant Rule \nTitle I for ELs funds must be used to supplement, and not \nsupplant, local, state or federal resources available or required \nunder state or federal law to meet the educational needs of ELs. \nIn other words, these Title I funds should not take the place of\u2014\nsupplant\u2014public education services that are to be provided by \nlaw to English Learner students. Instead, these funds must be \nused to supplement requisite education services, to provide \nservices that go above and beyond what is otherwise required. \nHere are a few examples:", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "bf74fee2-5419-4d7d-b178-30e77fe024ac": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 6 of 19 \n \n \n\u2022 Funding lunch monitors is an inappropriate use for which \nBPS was previously cited, since maintaining order in the \nlunchroom is a basic function that is not above and beyond \nwhat the district would do without Title I dollars and is also a \nfunction that does not solely benefit ELs. \n\u2022 General classroom supplies needed for everyday classroom \ninstruction (e.g., paper, notebooks, white boards) would not \nconstitute an allowable use of these funds, even if they only \nare used by ESL or other EL program classrooms, as the \nsupplies are not supplemental in nature. \n\u2022 It would not be allowable to use these funds to purchase \ncore curriculum materials \u2014 including core ESL materials \u2014 \nfor English Learner students. \n\u2022 Equally important is that even if an expenditure is \nsupplemental by nature, it would be a violation of the \n\u201csupplement, not supplant\u201d rule to fund a service or activity", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "9fee9cd3-0b8c-4ce1-92c2-a992c9526035": { + "page_content": "\u2022 Equally important is that even if an expenditure is \nsupplemental by nature, it would be a violation of the \n\u201csupplement, not supplant\u201d rule to fund a service or activity \nfor ELs out of the TItle I for ELs funds while also funding the \nsame service or activity with general funds for other \nstudents at the school. For example, if a school purchases \ntechnology with general funds for general education \nclassrooms, it would generally not be allowable to use the \nTitle I EL funds to purchase the same technology for English \nLearner program classrooms. Potential allowances may be \nmade if the technology is provided on a 1:1 basis for ELs only, \nand not for students as a whole. \nNote: The consent decree allows for an important exception to \nthe \u201csupplement, not supplant\u201d rule: generally, expenditures \nrelated to the High Intensity for Literacy Training for Students", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "22f7cee1-9894-4737-9934-96d58fc0329e": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 7 of 19 \n \n \nwith Limited or Interrupted Formal Education (HILT for SLIFE) \nprogram constitute an allowable use of these Title I EL funds. \nThe following table provides a list of sample acceptable uses of \nTitle I for ELs funds. \n\u2022 It is important to note that this list is not exhaustive, and \nthat the \u201csupplement, not supplant\u201d provision still applies. \nAdditional examples are posted on the Office of English \nLearners Title I for ELs website. \n\u2022 School leaders are advised to discuss their ideas for the use \nof these funds with the Title I EL coordinator \n(Title1EL@bostonpublicschools.org) to ensure compliance. \n \nSample Acceptable Uses of Title I Funds for English Learners \n\u2022 High Intensive Literacy Training for Students with Limited or \nInterrupted Formal Education (HILT for SLIFE) programs: \nstrongly recommended to be funded through Title I for ELs \nfunds. \n\u2022 Extra learning time outside of the school day: materials and", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "a3bf8f79-f998-4977-8706-1cb05ab9941d": { + "page_content": "Interrupted Formal Education (HILT for SLIFE) programs: \nstrongly recommended to be funded through Title I for ELs \nfunds. \n\u2022 Extra learning time outside of the school day: materials and \nstipends for after-school, summer, and Saturday programs \ntailored specifically to meet the needs of ELs. \n\u2022 Supplementary enrichment and accelerated curriculum \nmaterials for ELs. \n\u2022 Supplementary materials, including native language \nresources, that strengthen the core academic program for \nELs in the school. \n\u2022 Supplementary counseling, pupil services, and mentoring \nservices for ELs that is above and beyond what is offered to \nall students at the school.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "80ade5ba-6b7c-4ee9-9fe1-ea2f06859786": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 8 of 19 \n \n \n\u2022 College and career awareness programs solely for ELs that \nare above and beyond what is offered to all students at the \nschool. \n\u2022 Methods to assess the efficacy of all implemented strategies \n(such as stipends for after-school monitoring and planning \nmeetings) for ELs. \n\u2022 High-quality ongoing professional development for \nteachers, administrators, paraprofessionals, parents, and/or \npupil services personnel that is not otherwise required and \nis geared specifically towards meeting the needs of ELs. \n\u2022 Increasing EL parental involvement through literacy \nservices. \n\u2022 Consulting to strengthen the core academic standards or \nthe school improvement plan to meet the specific needs of \nELs. \n\u2022 Assessment fees associated with an EL student obtaining \nthe Seal of Biliteracy. \n\u2022 A supplemental bilingual paraprofessional (not for class size \nreasons) to assist former SLIFE students who exit SLIFE into", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "6f962bd1-eb52-45cb-908f-df9654346f65": { + "page_content": "the Seal of Biliteracy. \n\u2022 A supplemental bilingual paraprofessional (not for class size \nreasons) to assist former SLIFE students who exit SLIFE into \nSEI content classes but who need continuing native \nlanguage support. \n \nPrevious Findings of Non-compliance \nThe following are examples of inappropriate usages of Title I to \ncount towards the EL equity percentage: \n\u2022 Since ESL instruction is considered core, funding of a sole \nESL teacher to provide ESL for all ELs in the school is \nconsidered supplanting. However, it is acceptable for this", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "79518c45-7a2e-4183-a416-1f8bdcbc890b": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 9 of 19 \n \n \npurpose if it is used to supplement the core ESL \nrequirements by providing additional ESL support or \nproviding smaller group instruction to students targeting \nELs with ELD levels 1 and 2. \n\u2022 Funding instructional or other basic supplies (copy paper, \nclassroom supplies, notebooks, chart paper, printer \ncartridges, etc.) are basic classroom supplies needed for any \nclassroom and would therefore be a clear example of \nsupplanting. Similarly, Title I EL monies may neither be used \nto satisfy the district\u2019s minimum $1,000 supply budget per \nschool nor the minimum supply to be budgeted per \nstudent. \n\u2022 Funding lunch monitors is an illegal use for which BPS was \npreviously cited, since maintaining order in the lunchroom is \na basic function and not above and beyond what the district \nwould do without Title I dollars. \n\u2022 Title I EL funds may not be applied to the salaries of general \nadministrative personnel.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "ecd5e275-17e3-4510-add8-6dcbc285759c": { + "page_content": "a basic function and not above and beyond what the district \nwould do without Title I dollars. \n\u2022 Title I EL funds may not be applied to the salaries of general \nadministrative personnel. \n\u2022 Shifting a position from general funds that is a core position \nto Title I is a clear indication of supplanting and not an \nappropriate Title I EL expenditure. \n\u2022 Funding positions that serve the whole school, such as \nfamily and community outreach coordinator, physical \neducation, computer, music/art teacher, school wide \ncounselors, school wide literacy coordinators, school wide \nparaprofessionals, and parent coordinators/liaisons would \nbe considered supplanting and therefore would not be an \nallowable use of these funds.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "26414a9e-cf8b-4b2b-bd7c-bd255a686392": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 10 of 19 \n \n \n5. ANNUAL REPORTING OF TITLE I SERVICES \nTitle I funding for ELs is reported annually to META by the Office \nof English Learners (OEL). School leaders must submit a Title I EL \nBudget Plan (1) during their Budget Collaborative during January \nand a Title I for ELs Budget Monitoring Checklist by June of the \ncurrent school year to OEL. Using this Title I checklist, school \nleaders will be asked to verify and report what services the Title I \nfunded staff have provided, number of students serviced, and \nadditional resources/supplies purchased within the year. \nTitle I EL Budget Plan (future year budget): Each school will \nreceive a Title I EL Budget Plan that is pre-populated with the \nschools\u2019 Title I EL allocation for the upcoming fiscal year. The Title \nI EL Budget Plan requires school leaders to identify the needs \nassessment that undergirds their planned spending, and to \nidentify categories of planned spending (e.g., staffing,", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "a3d9fb5d-2750-41dc-b2b8-4635d9fd9e5d": { + "page_content": "I EL Budget Plan requires school leaders to identify the needs \nassessment that undergirds their planned spending, and to \nidentify categories of planned spending (e.g., staffing, \nsupplemental instructional supplies, contractual services, \nstipends, etc.). \nDuring a school\u2019s budget collaborative, each school leader is to \nsubmit their EL Budget Plan. A school\u2019s budget collaborative will \nnot be considered approved until the school\u2019s Title I EL Budget \nPlan is finalized and the budget lines can be structured \naccordingly in FutureForce. School leaders are encouraged to \nschedule appointments with their EL school support liaison for \nsupport. \n \n(1) Template. May be updated with feedback from stakeholders.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "9caa7c94-2c1c-4897-8545-baadbb8cc88e": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 11 of 19 \n \n \nThe following represents general considerations for school \nleaders to aid them in preparing sufficient plans: \nNeeds Assessment \n\u25cf The META consent decree specifies that, prior to spending \nTitle I for ELs funds at schools, the determination of the \nservices most needed by the school\u2019s ELs must be \nconducted first to ensure that the funds will be used to \nsupport the language development needs of English \nLearner students. \n\u25cf Schools should review multiple data points to identify the \nneeds of their English Learner student population, keeping \nin mind that English Learners do not constitute a monolithic \ngroup. \n\u25cf At a minimum, English Learner students\u2019 ACCESS \nperformance and progress data should be reviewed. \nAdditional data to be reviewed may include: MCAS and \ninterim/formative assessment data; attendance data; \nstudent/parent surveys; school Equity Roundtable notes; \nstudents\u2019 Individual Learning Plans for SLIFE or ELs who", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "e3a66414-4a44-4c6f-a6ed-d63ed65768f4": { + "page_content": "interim/formative assessment data; attendance data; \nstudent/parent surveys; school Equity Roundtable notes; \nstudents\u2019 Individual Learning Plans for SLIFE or ELs who \nhave not met ACCESS benchmarks; etc. \n\u25cb Schools should disaggregate the data for different EL \nsubgroups; e.g., EL students with disabilities, Students \nwith Limited or Interrupted Formal Education, \nnewcomers, long-term English Learners, etc. \n\u25cf School leaders should consult the LATF and other EL \nteachers as well as with English Learner parents when \ndeveloping their Title I EL Budget Plan. School leaders may \nalso consider consulting with English Learner students.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "5e6ca9ec-2d47-4b6e-865a-8d9d851474be": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 12 of 19 \n \n \n\u25cf When considering the types of goods and services to \ninclude in their Title I EL Budget Plan, school leaders should \nalso consider the effectiveness of purchases made with prior \nTitle I EL funds on improving EL student achievement. \nBudgeting for an FTE \n\u25cf If requesting an ESL FTE, make sure the minimum ESL FTE \nrequirement is met within your general funds before \nsubmitting an additional request on your EL Title 1 \nallocation. This should only be a supplemental position. This \nFTE cannot deliver core ESL instruction to meet minimum \nESL instructional compliance. \n\u25cf Identify how the position primarily serves ELD 1 and 2 \nstudents if applicable. \n\u25cf Both salary and benefits need to be accounted for. \n\u25cf It will be the school leader\u2019s responsibility to ensure that this \nFTE does not perform job responsibilities other than those \napproved with the use of the Title I EL funds.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "d0cf4e35-c3b2-4d7f-80ce-24486c1855d2": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 13 of 19 \n \n \nBudgeting for Stipends \n\u25cf If requesting stipends for supplemental EL instructional \nsupport outside of school hours, make sure that staff are \nappropriately qualified (e.g., ESL license, SEI endorsement, \nbilingual endorsement) to instruct ELs. Specify the nature of \nthe services provided to demonstrate that core ESL \ninstruction is not being delivered through these stipends. \n\u25cf Additionally, LATF duties are not permitted to be \ncompensated through these stipends. Ensure that all \nstipend requests adhere to district policy. \nBudgeting for Contractual Services \n\u25cf If requesting contractual services for professional \ndevelopment, make sure to demonstrate that the PD \nprovider is appropriately qualified to provide training on \nEnglish Learner instruction and that the PD is specific to \nEnglish Learner instruction or supports. \n\u25cf Schools can review the OEL website to identify other", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "064963ee-2680-40cc-80a8-1e1ccdacc041": { + "page_content": "English Learner instruction and that the PD is specific to \nEnglish Learner instruction or supports. \n\u25cf Schools can review the OEL website to identify other \napproved professional development that can be targeted for \nstudents or parents to integrate native language and \ncultural learning opportunities as part of the school PD \nofferings. \nBudgeting for Supplies/Materials/Technology \n\u25cf If requesting technology, make sure the technology is not \nalready in the school being used by non-ELs and that it is \nnot used for mandated assessments (e.g., ACCESS, MCAS). \n\u25cf If you\u2019re requesting books/instructional materials, make sure \nto indicate how this supplements the requisite or core", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "fc21d6bf-ee27-4377-a10b-3a2d694aab38": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 14 of 19 \n \n \ncurriculum and how it is specifically designed for English \nLearners. \nThe following provides a sample exemplar for the type of \nrationale that needs to be included in the Title I EL Budget Plan. \nQUESTION: How is this supplemental? \n\u25cf Weak Rationale: This text is supplemental because it is in \naddition to the core work. \n\u25cf Strong Rationale: This text provides a brief, accessible guide \nto this textbook to make the content comprehensible to \nELs, especially EL 1 and 2 students. This is a supplement to \ntraditional textbook and primary source materials for \nteaching this class. Newcomer students often haven't been \ntaught this curriculum, so it is even more important to \ncommunicate the essentials of this work (which many \ngeneral education students might already have learned). \n\u25cb Difference: This differs from the weak example because \nit includes detail on how the text will be used in the", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "20cffa0e-6efe-49a4-90d3-2474da7f9c70": { + "page_content": "general education students might already have learned). \n\u25cb Difference: This differs from the weak example because \nit includes detail on how the text will be used in the \nclassroom and demonstrates supplemental use. \nQUESTION: How will this solely benefit ELs? \n\u25cf Weak: This will only be used for ELs. ELDs 1-3. \n\u25cf Strong: This text has allowed me to make the content \naccessible, especially for ELs with ELD levels 1-3. Newcomer \nstudents often haven't been taught this curriculum, so it is \neven more important to communicate the essentials of this \nwork (which many general education students might \nalready have learned). \n\u25cb Difference: This differs from the weak example because \nit shows that non-EL students would not benefit from", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "cc22df03-ec05-4ce0-bc8e-9e9ae49800b8": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 15 of 19 \n \n \nthis book and that the ELs would need the book to help \nthem access the content and narrative. \nQUESTION: How is this tailored to meet the needs of your EL \nstudents? \n\u25cf Weak: This text is only used in ESL specific classrooms. \n\u25cf Strong: The visual and shorter, chunked text provides \ncomprehensible input for students to master the concepts \nin the traditional reading. This topic is especially important \nfor this time period both because my newcomer students \nconsistently express interest in learning about these two \nevents and because there are so many events within this \ntime period that a supplemental text would help students \nfollow the narrative. \n\u25cb Difference: This differs from the weak example because \nit demonstrates how the text is tailored to meet the \nlanguage needs of the EL students by stating it has \nvisuals and shorter texts. \nTitle I EL Budget Monitoring Checklist (current year actual", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "1a74e0d9-ace7-4134-9b79-1fca278bc65b": { + "page_content": "it demonstrates how the text is tailored to meet the \nlanguage needs of the EL students by stating it has \nvisuals and shorter texts. \nTitle I EL Budget Monitoring Checklist (current year actual \nspending): Whereas the Title I EL Budget Plan identifies the \nintended use of the funds, the Title I EL Budget Monitoring \nChecklist identifies how the funds were actually spent and \nprovides the rationale to demonstrate how the identified goals \nwithin the Title I EL Budget Plan from the previous year were \nmet. Once the district\u2019s spending deadline has passed, the Title I \nEL coordinator provides each school leader with their own \nchecklist document that is pre-populated with each line item of \nrequisitions and stipends. Prior to the close of the school year, \nschool leaders review the rationale they provided at the time of \nthe purchase request, sign the document, and return it to the \nTitle I EL coordinator.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f43b804b-f761-4fc7-95d5-5985e4114b1c": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 16 of 19 \n \n \nMONITORING COMPLIANCE \nThe district submits each school\u2019s Title I EL Budget Plan and Title \nI EL Budget Monitoring Checklist to META attorneys. Note: In the \nevent a school leader fails to comply with the submission \ndeadlines, the district may not process purchase requests that \nfall under the school\u2019s Title I EL budget lines until such \ncompliance is met. \nThe Title I EL funds are denoted in a school or department\u2019s Fund \n200 budget with a program code of 24xx. For instance, for FY23, \nthe budget line would include BPS23150 (Title I) and a program \ncode of 24xx (e.g., 2401). The use of these funds is subject to the \nterms of the META consent decree and this circular. \nThroughout the school year, the Title I EL coordinator \n(title1EL@bostonpublicschools.org) will review each requisition \nfor purchase (e.g., requisitions, stipends, EAEs, FTEs, budget \ntransfers, etc.) to ensure that the given request meets Title I EL", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "f46ffd0c-e876-42b6-be65-ca464cd00ae6": { + "page_content": "(title1EL@bostonpublicschools.org) will review each requisition \nfor purchase (e.g., requisitions, stipends, EAEs, FTEs, budget \ntransfers, etc.) to ensure that the given request meets Title I EL \nspending guidelines and aligns to the school\u2019s approved Title I EL \nBudget Plan. The Title I EL coordinator tracks each purchase and \nits rationale for annual reporting purposes. \n\u25cf When a given request has not been included in a school\u2019s \nTitle I EL Budget Plan, the Title I EL coordinator will request \nadditional information from the school to ensure \ncompliance. \n\u25cf The Budget and Finance departments will not process any \nrequests without prior written approval from the Title I EL \ncoordinator. \nThe Title I EL coordinator may also request additional information \nthroughout the school year when necessary to ensure that \nspending remains in compliance. The district reserves the right to", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "a4b56cc6-06b9-401c-8821-15a732404af1": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 17 of 19 \n \n \nimplement additional monitoring requirements throughout the \nschool year. \nTimely spending: Responsibility Centers receive monthly BAIS \nFinancials output reports that identify the balance of available \nTitle I EL funds. It is the responsibility of school leaders and \ndepartment heads to ensure that funds are spent appropriately \nand in a timely manner to support the unique needs of English \nLearner students most effectively. \n\u25cf To ensure appropriate spending, all unspent Title I EL funds \nat the school level will be re-allocated to the Office of \nEnglish Learners at the close of the fiscal year for \nappropriate spend- down. \nMETA visits and requests for information: META monitors \ncompliance by way of reviewing the Title I EL Budget Plans and \nthe end-of-year Title I EL Budget Monitoring Checklists, as well as \nconducting school visits. During the visit, META will meet with \nthe school team and may review the school\u2019s current and", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "8c752b76-6142-41d7-b1f3-c0bda200620a": { + "page_content": "the end-of-year Title I EL Budget Monitoring Checklists, as well as \nconducting school visits. During the visit, META will meet with \nthe school team and may review the school\u2019s current and \nprojected budget, Title I checklist, staff qualifications, and other \ninformation deemed necessary to comply with the Consent \nDecree. \n\u25cf Schools will be supported by the Office of English Learners \nand Grants Department prior to any such visits. \n\u25cf School personnel who receive direct contact from META \nattorneys with requests for information outside the context \nof a scheduled visit are directed to contact the BPS Office of \nLegal Advisor at legal@bostonpublicschools.org for \nguidance.", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "688f7d88-d26b-425e-8f7d-dea06cfb12db": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 18 of 19 \n \n \nKEY DATES \nResponsible Activity Date \nSchool Leader Submit FY25 Title I EL \nBudget Plan (planned \nexpenditures for the \nfollowing school year) to \nTitle I EL Coordinator for \napproval \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOEL Review and approve \nsubmitted FY25 Title I \nEL Budget Plan \n(planned expenditures \nfor the following school \nyear) \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOffice of Legal \nAdvisor \nSubmit annual Title I \nreport to META \nJanuary 2024 \nSchool Leader Submit FY24 Title I EL \nChecklist to OEL/Grants \n(accounting of \nexpenditures from the \ncurrent school year) \nJune 2024 (after \nspending deadline) \nSeptember 2024 (if \napplicable, for any \n2024 summer \nspending) \nOEL Review and analyze \nsubmitted FY24 Title I \nEL Checklist to \nOEL/Grants \nJuly 2024", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "a8930eeb-5a1c-4dba-a560-ee0be8e3fab8": { + "page_content": "Superintendent\u2019s Circular EL-04 \nPage 19 of 19 \n \n \nRESOURCES \nTitle I for English Learners website: \nhttps://www.bostonpublicschools.org/title1el. \nGuidance is also included annually in the district\u2019s Budget \nCollaborative and Probable Organization guidance document for \nschool leaders. \nFor more information about this circular, contact: \nOwner: Executive Director, or \nDirector of Grants and External Funds \nDepartment: Office of English Learners or Finance \nDepartment \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9435 or 617-635-6995 \nEmail: all-acad-division@bostonpublicschools.org \n \n Mary Skipper, Superintendent", + "metadata": { + "file_name": "EL-04 Title I Expenditures for ELs.pdf", + "source_link": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#EL" + } + }, + "fc8f075b-3966-479a-a75b-a071e009fa46": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-03 \nVersion 01 \n \n \n \n \nCOMPREHENSIVE HEALTH EDUCATION POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nHealth education, as defined by the CDC, helps students \u201cacquire \nfunctional health knowledge, strengthen attitudes and beliefs, \nand practice skills needed to adopt and maintain healthy \nbehaviors throughout their lives.\u201d Health education curricula \nshould address the National Health Education Standards (NHES), \nincorporate the characteristics of an effective health education \ncurriculum, and be taught by qualified, trained teachers. In \naddition, the American Cancer Society, the American Diabetes \nAssociation, and the American Heart Association believe that \nschool health education programs can reduce health risk \nbehaviors such as tobacco use, poor nutrition, lack of physical \nactivity, drug and alcohol use, as well as actions that increase", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0567d4c7-cd6f-4609-be50-d3984a299e62": { + "page_content": "school health education programs can reduce health risk \nbehaviors such as tobacco use, poor nutrition, lack of physical \nactivity, drug and alcohol use, as well as actions that increase \nstress and risk of injury and violence. Because these behaviors are \namenable to change, quality school health education taught by \ntrained and licensed health educators provides the best \nopportunity to promote positive health behavior among children \nand adolescents.What Works in Schools (Facts: Learning for Life \nHealth Education in School)", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "d74cb09c-2803-43e0-bc2f-591ae3166ca2": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 2 of 11 \n \n \n \nHealth education is an integral component of quality school \nprogramming. Schools have direct contact with a significant \nnumber of Boston\u2019s youth and for the critical years of students\u2019 \nsocial, psychological, physical, and intellectual development. As a \nresult, schools play an important role in improving students\u2019 \nhealth and social outcomes as well as promoting academic \nsuccess (CDC Healthy Schools). Healthy students are more ready \nand able to learn and are less likely to experience negative \nacademic impact (e.g., academic failure, lower test scores, \ntruancy, absenteeism) than students who engage in risky health \nbehaviors. According to the CDC, schools cannot achieve their \nprimary mission of education if students are not healthy, and \nschools can address the health needs of students in part through \neffective comprehensive health education. Research supports \nthat school health programs and policies may be one of the most", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f116d14a-0877-406f-bccb-ac1f995efab7": { + "page_content": "schools can address the health needs of students in part through \neffective comprehensive health education. Research supports \nthat school health programs and policies may be one of the most \nefficient ways to reduce risky behaviors in students, prevent \nhealth problems, and address the achievement gap. \nBoston Public Schools (BPS) believes, in accordance with the \nNHES, health education should empower students to practice \nbehaviors that protect and promote their health while \nminimizing risks. Therefore, health education in BPS includes \nteaching health skills and essential concepts such as health \nliteracy, health promotion, and health equity, with a strong focus \non understanding the social determinants of health. \nIn line with the NHES, BPS emphasizes a holistic approach to \nhealth by shifting the focus from specific health behaviors to \noverall well-being. This approach leverages the strengths and \nresources within students, their families, schools, and", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "1dbc9c26-9707-4863-945e-96d32e0516ed": { + "page_content": "health by shifting the focus from specific health behaviors to \noverall well-being. This approach leverages the strengths and \nresources within students, their families, schools, and \ncommunities. It prioritizes equipping students with the health \nskills and essential knowledge needed to assist them in living", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a31997a4-1b56-4b87-86da-e3a33f31b66c": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 3 of 11 \n \n \n \nhealthier lives and to enable them to actively support their own \nhealth and the health of others within a broader societal context. \nThe policy and implementation guidelines presented here \nexplain how we, at Boston Public Schools, will create effective \nhealth education programming. \n \nPOLICY \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public \nSchools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, substance misuse and harm \nreduction, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ff907f8d-1183-4f72-9eea-1edca1f480db": { + "page_content": "topics, such as tobacco, alcohol, substance misuse and harm \nreduction, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health \neducation curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth and Physical Education Framework and National Health", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "34f0b9be-2cc1-42ec-881f-d035c568d7c2": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 4 of 11 \n \n \n \nEducation Standards, as well as the National Sexuality Education \nStandards. Qualified and trained teachers will implement the \ncurricula. \n \nAll schools will follow relevant promotion and graduation \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one-semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course \nrequirements, health education topics will be integrated into \nother subject areas where possible, to reinforce their importance, \nprovide additional skill practice, and demonstrate the \nconnections of health concepts to many other content areas. \n \nIMPLEMENTATION GUIDELINES \nBoston Public Schools are committed to addressing the health", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ace44879-538c-41f5-86c2-e0d0c2534ef3": { + "page_content": "connections of health concepts to many other content areas. \n \nIMPLEMENTATION GUIDELINES \nBoston Public Schools are committed to addressing the health \nand wellness of all students, in part, through effective health \neducation programming. Therefore, BPS will require \ncomprehensive pre-K-12 health education to be taught to all \nstudents throughout the district. The Boston Public Schools take \na comprehensive approach to review and incorporate changes in \npolicy, curricula, and implementation. This effort will result in a \nskills-based approach to teaching health education that \npromotes healthy lifestyle habits, healthy relationships, and \nhealth literacy for all students.", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0636c808-2be9-4e14-bfd4-891b52a4e8e5": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 5 of 11 \n \n \n \nSchools will adhere to the following implementation guidelines: \nA. School leaders or their designees are responsible for \nimplementing and enforcing this policy. Grade-level teams, \nlead health education teacher, or other instructional lead \nwill determine, in collaboration with the school leader, how \ntheir school will meet the policy requirements relating to \ntime, staffing, and implementation. School leaders may \nconsult with the Director of Health Education in the Office of \nHealth and Wellness on how their school can meet the \npolicy requirements. \n \nB. BPS Policy requires that all students in PreK-12 should \nreceive health education in line with promotion and \ngraduation requirements that include a minimum of: \na. The BPS Healthy and Safe Body Unit in elementary \nschool \nb. Two semesters of health education in total grades 6 to \n8 \nc. A one-semester course of health education in total in \ngrades 9 to 12. \nC.", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "1c404908-e0c3-4385-acbc-1c2ef9097069": { + "page_content": "school \nb. Two semesters of health education in total grades 6 to \n8 \nc. A one-semester course of health education in total in \ngrades 9 to 12. \nC. \n The National Health Education Standards recommend \ni. Pre-K to grade 2 receive a minimum of 40 hours of \nHE each year. \nii. Grades 3 to 12 receive a minimum of 80 hours of", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7c6357a6-57a6-435c-a71c-b961ffd248ef": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 6 of 11 \n \n \n \nHE each year. \nD. Staffing requirements: \na. BPS supports a learning environment in which all \nteachers are highly qualified in the subject areas they \nteach. Therefore: \ni. In grades K-5, HE instruction must be \nimplemented by trained teachers who hold an \nactive and valid teaching license. \nii. In grades 6-12, HE instruction must be \nimplemented by trained teachers with an active \nand valid health education teaching license. \nb. If a school is unable to provide students with HE \ninstruction from licensed teachers, they should contact \nthe Office of Health and Wellness for support with \nidentifying district-approved staffing alternatives. All \nHE staffing alternatives should be approved by the \nOffice of Human Capital, the Office of Health and \nWellness, and the school\u2019s respective instructional \nsuperintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "828dda5e-c743-4677-a676-4045cdf35803": { + "page_content": "Office of Human Capital, the Office of Health and \nWellness, and the school\u2019s respective instructional \nsuperintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in \nsituations that increase opportunities for students. \nE. The BPS HE curriculum must meet the following criteria. \nThe district-endorsed curriculum is: \na. Aligned with the 2023 Massachusetts Comprehensive \nHealth and Physical Education Framework and 2024 \nNational Health Education Standards, as well as the \n2020 National Sex Education Standards", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5c74ba31-7a72-43ef-b113-33a93c9d4c1b": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 7 of 11 \n \n \n \nb. Comprehensive, standards-based, and sequential; \nteaching a variety of skills and topics in such a way that \nstudent learning and skill development is built upon \nwith each unit and each year \nc. Inclusive of a variety of topics, such as tobacco, alcohol, \nand other drug misuse; healthy eating/nutrition; \nmental and emotional health; personal health and \nwellness; physical activity; safety and injury prevention; \nviolence and bullying prevention; and comprehensive \nsexual health education that is LGBTQ-inclusive \nd. Medically accurate and age and developmentally-\nappropriate \ne. Culturally and linguistically sustaining, including but \nnot limited to race, gender, sexual orientation, and \ncultural identity \nf. Modified as needed for students with disabilities and \nstudents who are English Learners \ng. \nF. District endorsed high quality instructional materials \ninclude the following curricula: CATCH K-8 HE Journeys,", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b901d983-68e6-43b2-8b8d-dfbc5d529107": { + "page_content": "students who are English Learners \ng. \nF. District endorsed high quality instructional materials \ninclude the following curricula: CATCH K-8 HE Journeys, \nGoodheart-Wilcox Grades 6-12 Essential Health Skills and the \nPreK-Grade 12 Rights, Respect, Responsibility curriculum. \nG. Student assessments in HE must include graded \ncompetency (i.e. knowledge, skills, practice) and \nparticipation assessments that are reflected on all students\u2019 \nreport cards.", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "34414c4f-82eb-429d-abb6-901944b295f1": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 8 of 11 \n \n \n \nH. Implemented in safe and supportive learning environments \nin which all students feel acknowledged, respected, and \nvalued. \nI. Schools should include cross-curricular, interdepartmental \ncollaborations to enhance the value and meaning of health \neducation programming, including opportunities for \nstudents to think critically, globally, and inclusively to \ndevelop health literacy to enhance health equity. \na. For example, the school recognizes World Health Day \nby organizing a student-led Wellness Day. In \npreparation, health education classes explore the social \ndeterminants of health and identify Boston-based \ncommunity health resources to enhance personal, \nfamily, and community well-being. Meanwhile, in social \nstudies, students research global health issues and \ncreate maps or infographics to illustrate how different \nregions are impacted by various health challenges, as \nwell as the role of international organizations in", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2901fc9f-5f70-494d-9a59-e9b77d9366cf": { + "page_content": "create maps or infographics to illustrate how different \nregions are impacted by various health challenges, as \nwell as the role of international organizations in \naddressing these issues. In math, students analyze and \ncompare data from the National YRBS and the Boston \nYRBS creating graphs, and interpreting trends using a \nstrengths-based approach. In computer science, \nstudents design a simple app or website to promote \nhealthy habits, such as a sleep tracker, a nutrition diary, \nor a mental health check-in tool. This interdisciplinary \napproach encourages and motivates healthy behaviors \nby focusing on positive outcomes. \nJ. Professional development is an essential component of \neffective policy implementation. Therefore, HE teachers will", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "6460be38-b9c5-4380-a246-624ea57190a4": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 9 of 11 \n \n \n \nattend relevant professional development opportunities. \na. Schools will support and encourage school personnel \nin their professional development. \nb. Teachers are expected to stay current in the fields of \nhealth and health education through the review, \nanalysis, and implementation (when appropriate) of \nnational, state, and local health policies, procedures \nand standards, research in best practice, guidelines \nfrom international, national, and state organizations, \netc. \nK. Schools should monitor (or assign another individual to \nmonitor) relevant student and community information that \ncan assist in identifying priority areas for health education. \nThis should include, but not be limited to, district- level \nYouth Risk Behavior Survey data, School Health Profiles \ndata, school-level Health Services Data, and community \npublic health trends. Data should be used to review and", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7e756ff5-c35b-4037-8a9a-f60a486853ad": { + "page_content": "Youth Risk Behavior Survey data, School Health Profiles \ndata, school-level Health Services Data, and community \npublic health trends. Data should be used to review and \nmodify health education programming in order to ensure \nthat it is meeting the needs of the students. \nL. Schools are required by the state to notify \nparents/guardians about any curriculum that primarily \ninvolves human sexual education or human sexuality issues, \nand permit parents/guardians to exempt their children \nwithout penalty from any portion of that curriculum (see \nSuperintendent Circular HWD-05: Human Sexual Education \nEducation - Parent Notification). Schools will engage \nfamilies in their child\u2019s health education by providing access \nto curricular materials and health-related information.", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5ba279a3-dd69-43db-8f7b-114849b444f7": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 10 of 11 \n \n \n \nSchools will also encourage students to actively engage \nparents/caregivers and other family members in promoting \nhealthy behaviors. \nM. Should schools decide to utilize community partners to \nsupport their health education program, they will refer to \nPartnerBPS and consult with the Office of Health and \nWellness to identify the most appropriate community \npartners to meet their needs. Community partners can \nprovide an important aspect of quality health education and \ncan meaningfully support and enhance programming in \nBPS. If a school is using a community partner and/or \nsupplementary materials and curriculum to teach sexual \nhealth education, the school must consult the Office of \nHealth and Wellness for vetting and recommendations. \nN. The Office of Health and Wellness leads health education for \nthe district and will support schools by: \na. Vetting health education curriculum, materials, and \nresources", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "14c47443-3373-4ad4-b532-a8476aa48919": { + "page_content": "N. The Office of Health and Wellness leads health education for \nthe district and will support schools by: \na. Vetting health education curriculum, materials, and \nresources \nb. Providing curriculum training and materials, \nprofessional development, instructional coaching, and \ntechnical assistance \nc. Maintaining and enhancing the BPS health education \ndigital learning library \nd. Vetting and managing partnerships to ensure \nequitable support of HE education across the district \ne. Collaborating to offer family health education \ninformational workshops and events", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "00d6cc79-ec06-4b7f-9e51-4b4a23eb7028": { + "page_content": "Superintendent\u2019s Circular HWD-03 \nPage 11 of 11 \n \n \n \nf. Coordinate with other central office department to \ndevelop health promotions and family events on \nspecific health topics when applicable and align with \ntier II and tier III services and programs provided by \nthose departments \n \nWe recognize that effectively implementing a comprehensive \nskills-based health education program can be challenging. The \nOffice of Health and Wellness is committed to providing training, \nsupport, and resources to schools and school personnel to help in \nthe implementation of this policy. \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & Wellness \nDepartment: Health & Wellness \nMailing \nAddress: 370 Columbia Rd, Dorchester, MA 02125 \nPhone: 617-635-8709 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HWD-03 Comprehensive Health Ed.pdf", + "source_link": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "61bbb126-cd74-49ea-86f8-327e8766a436": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHWD-01 \nVersion 01 \n \n \n \n \nDISTRICT WELLNESS POLICY \n \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND 2 \nI. POLICY 5 \nA. Wellness Councils 6 \nB. Cultural Proficiency 13 \nC. School Food and Nutrition Promotion 16 \nD. Comprehensive Physical Activity and Physical Education 20 \nE. Comprehensive Health Education 25 \nF. Healthy School Environment 26 \nG. Safe and Supportive Schools 28 \nH. Health Services 30 \nI. Staff Wellness 33 \nII. IMPLEMENTATION GUIDELINES 33 \nA. District Wellness Council: 33", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fffb9cc6-7b68-49dc-aac1-e9be2e3c6f06": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 2 of 102 \n \n \n \nB. School-based Wellness Councils: 34 \nC. Implementation Guidelines for Monitoring and Evaluation 38 \nIII. DEFINITIONS 86 \nIV. INDEX OF FEDERAL, STATE, AND BOSTON PUBLIC SCHOOL \nWELLNESS-RELATED \nPOLICIES & GUIDELINES 91 \n \n \nBACKGROUND \n \nUnderstanding that physical and mental health, emotional well-\nbeing, and positive development are inextricably linked with \nacademic success, Boston Public Schools (BPS or the District) has \nworked to transform the District\u2019s capacity to meet the health \nneeds of Boston children. Improving overall student health is a \nkey factor in reaching the ambitious academic targets set forth in \nthe Superintendent\u2019s Strategic Implementation Plan. Beyond the \nacademic imperative however, school, civic and community \nleaders have a responsibility to help Boston\u2019s children overcome \nhealth barriers that may prevent them from successfully meeting", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "eaf35228-9e02-4b1d-a048-50be61567c74": { + "page_content": "academic imperative however, school, civic and community \nleaders have a responsibility to help Boston\u2019s children overcome \nhealth barriers that may prevent them from successfully meeting \nthe challenges of reaching adulthood and assuming their roles as \nthe eventual leaders and stewards of our community. Our vision \nfor the BPS graduate challenges us to develop young people who \nare more than scholars. It calls for graduates who are healthy in", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5f44fa18-b261-4012-8b20-5830792a4964": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 3 of 102 \n \n \n \nboth mind and body, prepared to make wise choices to ensure \ntheir own physical, mental, and emotional well-being. \n \nTo create a healthy school environment where the healthy choice \nis the easy choice, we have developed this policy regarding \nwellness initiatives in Boston Public Schools. This policy took \neffect September 1, 2017. \n \nFirst passed on June 30, 2006, the District Wellness Policy was \nimplemented in September 2006. It was updated in June 2013, \nand again in June 2017 taking into consideration the needs and \nperspectives expressed by members of the Boston School \ncommunity, and responding to both the Healthy, Hunger-Free \nKids Act1 and Massachusetts Standards for School Wellness \nAdvisory Committees.2 This document is intended to assist \nadministrators and Wellness Council members in implementing \nthese guidelines in their schools. \n \nThis District Wellness Policy reflects the comprehensive", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "32707665-f30c-4ea9-8807-fa7f98c1d2d1": { + "page_content": "administrators and Wellness Council members in implementing \nthese guidelines in their schools. \n \nThis District Wellness Policy reflects the comprehensive \napproach stated in the District\u2019s Strategic Plan for Health and \nWellness, Healthy Connections: Strengthening Coordination and \n \n1 P.L. 111\u2013296\u2014DEC. 13, 2010 \n2 105 CMR 215", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "3bf46a87-f33f-439d-8899-3272c7272def": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 4 of 102 \n \n \n \nCapacity in the Boston Public Schools to Advance Student \nHealth and Wellness and brings together content areas \nrecommended in the Centers for Disease Control and \nPrevention\u2019s Whole School Whole Community Whole Child \nApproach. A subcommittee of the District Wellness Council \nformed into seven work groups, representing these topic areas: \n1. Cultural Proficiency \n2. School Food and Nutrition Promotion \n3. Comprehensive Physical Activity \n4. Comprehensive Health Education \n5. Healthy School Environment \n6. Health Services \n7. Safe and Supportive Schools \n8. Staff Wellness \n \nThese work groups consulted the perspectives of the Boston \nSchool community as well as evidence-based national \nrecommendations and wrote specific policy language and \nimplementation guidelines that reference other relevant District \npolicies and further develop policy language regarding wellness", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "627bb183-5ec7-4b87-a339-2fab1e1ae4a4": { + "page_content": "recommendations and wrote specific policy language and \nimplementation guidelines that reference other relevant District \npolicies and further develop policy language regarding wellness \nfor all students. This comprehensive approach seeks to advance \nBoston Public Schools\u2019 strategic aims to: improve coordination \nacross programs and departments; improve and integrate data", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "aafd5b66-d680-41b0-9131-ee1980d562a3": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 5 of 102 \n \n \n \ncollection; establish guidelines for accountability appropriate to \nthe group\u2019s location within the organization; support building \nnoncompeting partnerships internally and externally; and build \nsustainability. \n \nI. POLICY \n \nThe Boston Public Schools (BPS or the District) aims to actively \npromote the social, emotional and physical health and wellness \nof all students to advance both their healthy development and \nreadiness to learn. Student and staff wellness is a core value of \nthe District and a key strategy to address health inequities and to \nclose opportunity and achievement gaps that impact BPS \nstudents. Thus, BPS strives to be one of the healthiest school \ndistricts in the country. BPS will ensure that the healthy choice is \nthe easy choice and that students learn the skills and knowledge \nneeded to make those choices. BPS is committed to \nimplementing a Whole School Whole Community Whole Child", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4d2f1d8a-4489-467e-9e84-7dd30674f256": { + "page_content": "the easy choice and that students learn the skills and knowledge \nneeded to make those choices. BPS is committed to \nimplementing a Whole School Whole Community Whole Child \n(WSCC) approach to wellness, as recommended by the Centers \nfor Disease Control and Prevention (CDC) and ASCD (Association \nof Supervisors and Curriculum Development). As a part of this \napproach, BPS will meet the health and wellness needs of all \nstudents through prevention, intervention and intensive \nresponse. As a result, all BPS students will be challenged, \nsupported, engaged, safe and healthy.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8d20b75d-fa6e-4ff8-b787-a10ac6f8c70f": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 6 of 102 \n \n \n \nThe District Wellness Policy is intended to link new and existing \nwellness-related policies and convey a framework for creating \nsafe, healthy and welcoming school environments. BPS shall take \na comprehensive approach to reviewing and incorporating \nchanges in policy, curriculum, and operating procedures to \npromote healthy lifestyles and sustainable wellness practices for \nall students and staff. The work of implementing this policy relies \non the work and collaboration of instructional, operational, \nclinical \nand administrative staff at schools and central office \ndepartments. BPS shall develop the capacity of schools to \nimplement the policy and improve the quality and equity of \nprograms, services, and supports. This policy is inclusive of all \nstudents, staff, and families. \n \nA. WELLNESS COUNCILS \n \n1.) District Wellness Council \nThe BPS shall maintain a superintendent-appointed District", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "cf5d81bb-800f-45e4-a884-fbf101c26895": { + "page_content": "students, staff, and families. \n \nA. WELLNESS COUNCILS \n \n1.) District Wellness Council \nThe BPS shall maintain a superintendent-appointed District \nWellness Council. This advisory group will develop, recommend, \nreview and advise on implementation of school District policies \nthat address student and staff wellness. The District Wellness \nPolicy shall be reviewed once yearly by the District Wellness \nCouncil and considered for updates based on other model school \nwellness policies and best practices, annual report findings and \nrecommendations, input from schools and the community,", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "38daad5a-8547-41e2-930a-8d9ab065f79f": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 7 of 102 \n \n \n \nresearch evidence, and regulations. The District Wellness Council \nshall seek ongoing feedback from BPS community stakeholders. \nAdditionally, the District Wellness Council will develop an annual \nWellness Action Plan with goals and SMART objectives for the \ncoming school year. \n \nThis council shall include at a minimum representatives from: \nfamilies, students, school and District instructional and \noperational administrators, relevant central department heads, \nschool food and nutrition services staff, physical education and \nhealth education teachers, school nurses and other school health \nprofessionals (e.g. psychologists, guidance counselors, social \nworkers) a school committee member, community youth serving \nagencies, Boston Public Health Commission representatives, \nhealthcare providers and the general public. Appointees to the \nmaximum extent possible shall reflect the cultural, linguistic, and", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "33c8079d-d19c-4623-a5e1-3ad1677fba4b": { + "page_content": "agencies, Boston Public Health Commission representatives, \nhealthcare providers and the general public. Appointees to the \nmaximum extent possible shall reflect the cultural, linguistic, and \nethnic composition of BPS schools. General membership and \nattendance at the District Wellness Council is open to all \nstakeholders and the general public. The District Wellness \nCouncil will implement a plan for involving and engaging all of \nthese stakeholders. \n \n2.) School-based Wellness Councils \nAll BPS schools shall establish and maintain a school-based \nwellness council. School-based wellness councils shall act as a \nshared leadership team to implement wellness-related District", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "be4e1ca9-ad81-4a26-9d2e-9211e55cf53b": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 8 of 102 \n \n \n \npolicies. Councils must assess their school\u2019s implementation of \nthe Wellness Policy and create and implement an annual \nWellness Action Plan as a part of the Quality School Plan. \nPrincipals shall name a wellness council chair(s) to coordinate the \nwellness council and act as a liaison to the District, community, \nand families. Wellness council chairs will attend District training. \nThe council shall include at a minimum a school administrator, \nfamily representatives, students (where feasible), representatives \nof a wide range of school health and health-related disciplines, \nincluding school nurses, school food service staff, health \neducation and physical education teachers and other school \nhealth professionals, such as psychologists, guidance counselors, \nand social workers. To the extent feasible, members will include \noperations and custodial staff, community partners and the", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "781f2e6d-1d3e-4261-91cb-6903a28d85dd": { + "page_content": "health professionals, such as psychologists, guidance counselors, \nand social workers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible shall \nreflect the cultural, linguistic and ethnic composition of the \nschool community. \n \n3.) Stakeholder Participation in Councils / Informing and \nUpdating the Public \nThe District will develop a district-level communication strategy \nand communication guidance for schools to increase awareness \nof the policy and its importance for creating a safe, healthy, and \nwelcoming school. a. The following are responsibilities for \ninforming stakeholders about policy: \n1. BPS will post the District Wellness Policy on the BPS \nwebsite.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5dc44c19-885a-4e31-b9bc-f3d79d140258": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 9 of 102 \n \n \n \n2. Schools must share a link to the District Wellness Policy on \ntheir school\u2019s website and send a message to families \nnotifying them of how they may obtain a copy or otherwise \naccess the policy. \n3. School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy requirements. \n4. BPS and schools shall notify families and the public about \nthe content of the District Wellness Policy and any updates \nto the policy on an annual basis. \n5. BPS will ensure that the District Wellness Policy and any \npublic announcement related to the policy are available in \nthe languages that represent the school community. \n \nb. The following are responsibilities for informing stakeholders \nabout the District Wellness Council and school-based councils: \n1. BPS will make available to the public and school \ncommunity, on the BPS website and through other regular", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ceb3bffc-8377-41fc-9e26-d87227d2f496": { + "page_content": "about the District Wellness Council and school-based councils: \n1. BPS will make available to the public and school \ncommunity, on the BPS website and through other regular \nchannels of communication that BPS utilizes, a list of names \nand position titles (or relationship to the school) of \nindividuals who are a part of the District Wellness Council, \nincluding the name, position title, and school- based contact \ninformation of the council leadership and subcommittee co-\nchairs. \n2. BPS will post the District Wellness Action Plan on the BPS", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b10bea6c-c67d-4c59-8560-5212f821ab13": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 10 of 102 \n \n \n \nwebsite to share District goals and objectives for the school \nyear. \n3. Schools must make available to the public and school \ncommunity on their website a list of names and position \ntitles (or relationship to the school) of individuals who are a \npart of their school-based wellness councils and include the \nname, position title, and school-based contact information \nof the council chairs(s). \n4. Schools must post their Wellness Action Plans on their \nschool\u2019s website to share local school goals and activities to \nimplement the policy. \n5. BPS shall make available to the public and the schools the \nresults of the annual assessment, which is detailed in the \nnext section, and actively notify families of the availability of \nthe assessment results. \n \nc. The following are responsibilities for engaging stakeholders: \n1. The District Wellness Council and school-based councils will \nencourage diverse membership on councils and", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "3bfc2fb7-77c1-4876-b46c-feb98835f0c6": { + "page_content": "c. The following are responsibilities for engaging stakeholders: \n1. The District Wellness Council and school-based councils will \nencourage diverse membership on councils and \nsubcommittees, attendance at meetings, and participation \nof all BPS stakeholders through public comment and \nfeedback. \n2. BPS will share information on the District website about \nhow the public can get involved with the District and \nschool-based wellness councils.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b7ef6a5f-ebd8-4e55-bce1-716cc0672c32": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 11 of 102 \n \n \n \n3. Schools must share information on their school\u2019s website \nabout how the public can get involved with the school \nwellness councils. \n4. BPS will develop methods to educate students about \nwellness policies and ways they can be involved in the \nwellness councils when developmentally appropriate. \n \n4.) Monitoring, Assessment and Reporting \nBPS shall develop and implement an evaluation plan designed to \nmeasure school-level implementation and student level \noutcomes of all policy components of the District Wellness Policy. \nWhere possible the metrics will align with other District \nindicators and be measurable using existing evaluation tools and \nsystems and be sustainable over time. This plan will be made \navailable to the public as a part of the District Wellness Policy \ncircular.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "72967169-2a1c-42dd-8f44-1e678559e6b7": { + "page_content": "systems and be sustainable over time. This plan will be made \navailable to the public as a part of the District Wellness Policy \ncircular. \n \nBPS shall annually assess compliance with the District Wellness \nPolicy, alternating between qualitative and quantitative annual \nassessments. The annual assessment will measure the extent to \nwhich schools are in compliance with the BPS policy and the \nprogress made in attaining the goals of the previous year\u2019s \nWellness Action Plan. The District Wellness Council will write an \nannual report that will include: the results of assessment, the \nextent to which the Boston Public School District Wellness Policy \ncompares to model local school wellness policies, a summary of", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f3f17f2d-12c2-4aa6-91d2-d23250f23309": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 12 of 102 \n \n \n \nthe District activities and accomplishments related to wellness \npolicy implementation of the previous year, and goals and \nobjectives for the upcoming year. This annual report shall be \npresented to the superintendent, the School Committee and the \nMassachusetts Department of Education. The District will \ndevelop a strategy for reporting on compliance of each school. \n \nBPS shall maintain records to document compliance with \nWellness Policy including: the written District Wellness Policy; \ndocumentation demonstrating compliance with community \ninvolvement requirements; documentation of the annual \nassessment of the District Wellness Policy; and documentation to \ndemonstrate compliance with the annual public notification \nrequirements. \n \n5.) Wellness Policy Leadership \nSchool principals are responsible for ensuring their school \ncomplies with the Wellness Policy. At the District level, the", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "71bd5928-1d3d-4244-b9a9-aa2d97a7a789": { + "page_content": "requirements. \n \n5.) Wellness Policy Leadership \nSchool principals are responsible for ensuring their school \ncomplies with the Wellness Policy. At the District level, the \nexecutive director of the Office of Health and Wellness is \nresponsible for overseeing monitoring, reporting, and \ncommunication of the BPS Wellness Policy. The following District \ndepartments are responsible for supporting implementation and \nmonitoring of specific components of the policy: \na. Behavioral Health Services \nb. Facilities & Capital Management", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "74e0d73c-5469-4bf9-adcd-dd5829b25598": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 13 of 102 \n \n \n \nc. Food and Nutrition Services \nd. Health and Wellness \ne. Health Services \nf. Office of Engagement \ng. Office of Equity \nh. Office of Opportunity Gaps \ni. Safe and Welcoming Schools \nj. Transportation \n \nThe compiled department information will be reported to \ninstructional superintendents and operational superintendents \nwho are granted the authority and responsibility by the \nsuperintendent to ensure each school complies with the policy. \nBPS will provide a means of contacting the District or school \nofficial(s) responsible for oversight by designating District or \nschool-based phone(s) number and/or email address for this \npurpose. \n \nB. CULTURAL PROFICIENCY \n \nThe Boston Public Schools is committed to creating a culturally", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8cd09f0b-cc5b-49ca-a6ae-5c14ba7b329c": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 14 of 102 \n \n \n \nproficient District that embraces at its fundamental core the \nculturally sustaining and affirming beliefs and practices that \nhonor differences while mitigating the effects of concentrated \npoverty and institutional racism in the effort to eliminate gaps \nand promote health and wellness for all. The District is \ncommitted to providing authentic learning opportunities for \nevery child in every classroom in every school to ensure they \ndevelop into healthy, engaged, self-determined, and \nindependent learners that are college and career ready. The \nDistrict recognizes that Culturally and Linguistically Sustaining \nPractices (CLSP) helps to create a safe, healthy and welcoming \nenvironment that supports all students\u2019 social, emotional, \nphysical and academic learning as well as their health and \nwellness. Cultural Proficiency is an approach that raises \nawareness of individual and institutional culture and bias,", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "d3cc02f3-3303-4943-8a54-556d0044745b": { + "page_content": "physical and academic learning as well as their health and \nwellness. Cultural Proficiency is an approach that raises \nawareness of individual and institutional culture and bias, \nencourages cultural learning and relationship building, and \nimplements CLSP, to respect, celebrate and build on cultural \nstrengths and diversity. Cultural diversity includes but is not \nlimited to group and/or individual identities based on race, \nethnicity, nationality, immigration status, religion, language, \ngender, sexual orientation, gender identity, ability, social class, \nand home life or family structure. Cultural Proficiency should be \nintegrated into the implementation of other areas of the District \nWellness Policy and is called out here to establish specific actions \nto be taken by the District and the schools. \n \nThe District will support the development of staff and \nadministrators\u2019 competencies to build cultural proficiency in", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "9fd7ad87-86ae-4876-81f3-5191704565b9": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 15 of 102 \n \n \n \nschools, classrooms and central office departments. Schools shall \ncollectively assess their organizational structure, policies and \nschool-wide practices for bias(es) as well as examine their \nphysical environment, classroom curricula, instructional materials \nand wellness promotions. Schools will use this assessment to \ninform their annual Wellness Action Plan. The District and the \nschools shall include student, family and community \nparticipation in decision-making bodies and create structures for \nfeedback from students, families and communities and increased \nengagement of all families in wellness-related policies and \ncommittees. This includes recognizing specific barriers faced by \nfamilies of ELL students and ELL students with disabilities by \ntargeting outreach to these groups and using the Translation and \nInterpretation Unit to translate family-focused communications", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5d40ac5d-d31d-4eac-86ef-ebd4369cb1ad": { + "page_content": "families of ELL students and ELL students with disabilities by \ntargeting outreach to these groups and using the Translation and \nInterpretation Unit to translate family-focused communications \nand to provide interpretation as requested during meetings. \n \nSchools will follow other cultural proficiency-related policies, \nincluding those regarding race, ethnicity, immigration status, \nreligion, language, gender, sexual orientation, gender identity, \nand disabilities and policies that promote family and student \nengagement. The work of creating a culturally proficient District \nrequires the participation of departments and staff across the \nDistrict and requires engagement in interdepartmental \ncollaboration.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "040ba4a7-5d89-48e9-9a13-426027b26fcc": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 16 of 102 \n \n \n \nC. SCHOOL FOOD AND NUTRITION PROMOTION \n \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthful foods and sugary drinks, and \nmaking water available to students throughout the day are some \nof the ways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the \ncafeteria meets high nutritional standards. \n \nBoston Public Schools believes the cafeteria is an essential \nsetting to educate and promote healthy eating habits. Boston \nPublic Schools is committed to serving students nutritious and \ndelicious food that is less processed, more locally sourced, and", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fb1b8672-c715-47a3-a5fb-c0b80d41c71e": { + "page_content": "setting to educate and promote healthy eating habits. Boston \nPublic Schools is committed to serving students nutritious and \ndelicious food that is less processed, more locally sourced, and \nculturally responsive to reflect the diverse student population. As \nan effective way to improve the nutritional quality of both foods \nserved in schools and consumed by students, BPS will create and \nimplement School Meals Nutrition Standards, going beyond \nfederal requirements. BPS shall undertake a constant review of \nschool food and the food environment to ensure safety, quality, \nmenu equity, and innovation. Boston Public Schools shall be an \ninnovator with school food, serving foods that are new and \nexciting for the students. We believe that students deserve meals \nreflective of their culture and tastes. We believe eating well is not", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7ce6a376-cc21-4213-93a9-e600159e2e5d": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 17 of 102 \n \n \n \na privilege; it is a right. Therefore, BPS is committed to ensuring \nall students are food secure. \n \nKey requirements of creating a healthy school food environment \nare: \n \n1.) School Meals Program \na. Ensure all menus meet USDA-mandated requirements, as \nwell as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow Bronze \nstatus standards for the Alliance for a Healthier Generation, \nand work toward Bronze status standards for the Healthier \nUS School Challenge. \nb. Ensure all menus offer variety and are well presented in an \nappealing way, and meals and menu items are labeled to \ncommunicate deliciousness, as well as specific ingredients. \nc. Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing children \nwho participate.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e40c2baf-0159-4126-858d-7ef8216595e3": { + "page_content": "c. Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing children \nwho participate. \nd. Provide foods that are free of unwanted ingredients \nincluding, trans fats, high fructose corn syrup, artificial \ncolors, artificial sweeteners, additives (azodicarbonamide, \nbromated flour), and artificial preservatives (nitrates, nitrites,", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5935d364-216a-4812-9bdb-1078cc62b453": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 18 of 102 \n \n \n \nsulfates, sulfites, MSG, BHA, BHT, TBHQ). Menus follow the \nBPS Menu and Ingredient Guidelines. The guidelines are \nupdated annually. \ne. Reduce material used for packaging, sourcing recyclable or \ncompostable materials when possible and working to \npromote best practices around recycling and composting. \nf. Water must be available at no cost during mealtimes \nwherever meals are served. \n \n2.) Food Safety \na. Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department). \nb. Implement a stringent and detailed internal Hazard Analysis \nand Control Points (HACCP) plan that provides regulations \nin following safety procedures for food recalls, emergency \npreparedness to avoid foodborne illnesses, and the spread \nof infectious diseases. \nc. Ensure all employees who work 5+ hours are certified in \nfood safety.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a2804f54-75e3-4c4c-a00f-639abb739ffa": { + "page_content": "preparedness to avoid foodborne illnesses, and the spread \nof infectious diseases. \nc. Ensure all employees who work 5+ hours are certified in \nfood safety. \nd. Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b6f06c46-d6df-440f-9fed-9b4ee1a42a59": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 19 of 102 \n \n \n \n3.) Nutrition Education, Promotion and Food & Beverage \nMarketing \na. Promote health and nutrition messages that encourage the \nconsumption of fruits and vegetables, whole grains, healthy \nfats, low-fat dairy products, and water and other messages \nconsistent with research-based findings that indicate a \npositive impact on health. \nb. Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \nc. Identify opportunities to support teachers, school staff, and \nparents around modeling healthy eating habits and \nfollowing appropriate nutritional standards at school \ncelebrations and staff meetings. \nd. Allow only food and beverage marketing on school grounds, \nincluding items shared with students, that promote foods \nand/or beverages that meet the BPS nutritional standards. \n \n4.) Competitive Food & Beverages", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e9cb3553-0996-4021-b26f-a581c6f117e1": { + "page_content": "including items shared with students, that promote foods \nand/or beverages that meet the BPS nutritional standards. \n \n4.) Competitive Food & Beverages \na. All schools shall follow federal, state, and local laws and \nregulations for competitive foods and beverages (i.e. foods \nsold, provided, or served within school buildings or on \nschool grounds outside of the school meals program) as \noutlined in this circular.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4cee7b24-68e8-47ae-aaba-44cd03a1c9f7": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 20 of 102 \n \n \n \nb. Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines \nduring the school day. \nc. The Food and Nutrition Services Department is solely \nresponsible for food and beverages sold to children during \nthe school day; consequently, the sale of food and beverages \nby others is expressly forbidden. \nd. Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations. \ne. Prohibit the use of food and beverage as a reward or means \nof discipline. \n \nAll Boston Public Schools shall follow Food and Nutrition Services \npolicies and circulars. \n \nD. COMPREHENSIVE PHYSICAL ACTIVITY AND PHYSICAL \nEDUCATION \n \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and \nfitness by bringing more physical education and physical activity", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "54a78fb8-bda4-4387-8e5f-328281d81283": { + "page_content": "The Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and \nfitness by bringing more physical education and physical activity \nto schools; improving the quality of physical education and \nrecess; and increasing the equity of physical activity programs \nand resources across our schools. Activities will be inclusive to", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ef6df209-f8fb-4e2f-9537-d4b5c5ec5e8a": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 21 of 102 \n \n \n \nmeet the needs, interests, abilities and cultural diversity of all \nstudents, including students of all gender identities, students \nwith disabilities, and students with special healthcare needs. \n \nNumerous studies indicate that regularly engaging in moderate-\nto-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children\u2019s cognitive function, \nability to concentrate in class, and academic performance. Thus, \nas a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "6c43d72d-deb2-418f-b17b-51be2060979c": { + "page_content": "Physical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \n \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a \nphysically active lifestyle. Additionally, by establishing a safe, \nsupportive and engaging school environment, athletic programs \nencourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "89e91940-ce95-4c04-9006-e65a40cbd9aa": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 22 of 102 \n \n \n \nschool. In this way, athletics contributes to the academic success \nof students. \n \nIn accordance with state law, all schools must provide all \nstudents in all grades with opportunities for physical activity. \nSchools must offer at least 150 minutes of in-school physical \nactivity weekly in grades PreK-8, including required physical \neducation, movement breaks, recess, or lessons involving \nmovement structured to support moderate-to-vigorous physical \nactivity (MVPA). In grades PreK-8, students are expected to have \nat least 20 minutes of daily recess. \n \nTeachers and other school and community personnel shall not \nuse physical activity (e.g., running laps, pushups) as punishment \nnor withhold opportunities for physical activity during the school \nday (including but not limited to recess, classroom physical \nactivity breaks, or physical education) as punishment for any", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0925c441-3878-4c2d-979e-e9d64137ca4f": { + "page_content": "nor withhold opportunities for physical activity during the school \nday (including but not limited to recess, classroom physical \nactivity breaks, or physical education) as punishment for any \nreason other than illness or safety or as approved by the school \nleader. This includes denying a student physical activity time in \norder to make up work unless under unusual circumstances. The \ndistrict will provide teachers and other school staff with a list of \nideas for alternative ways to discipline students. \n \nAll schools must offer standards-based physical education (PE) \nfor all students in all grades. Schools are required to offer at least \n45 minutes of weekly PE in grades PreK-8 and at least one", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ebc5f5ec-5650-4783-9068-63ba5afe645d": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 23 of 102 \n \n \n \nsemester (equivalent of a half school year) of PE each year in \ngrades 9-12. We recommend that schools provide at least 80 \nminutes of weekly PE in grades PreK-8. In order to help schools \nwork toward this recommendation, Boston Public Schools will \ndevelop an implementation plan with input from current \nprincipals and headmasters. This implementation plan will be \nshared with the School Committee. \n \nTeachers and other school and community personnel shall not \nuse physical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity \nbreaks or physical education) as punishment for any reason; or \ndeny a student physical activity time in order to make up work \nunless under unusual circumstances. \n \nExtended day programs and out of school time, which includes", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "12750e1a-7feb-43f7-9dcf-ff3e982f6636": { + "page_content": "deny a student physical activity time in order to make up work \nunless under unusual circumstances. \n \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array \nof physical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day, \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after \nschool programs, intramurals and interscholastic sports, and in \ntheir school commute.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0a9e1599-0a6b-4c2c-ab1c-b6b26c76f414": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 24 of 102 \n \n \n \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and \neasier trip to and from school when students and staff are \nwalking, bicycling, using public transit or other means of \nphysically active transport. The District will encourage 7-12th \ngrade students to use public transportation when available and \nappropriate for travel to school, and will work with the local \ntransit agency to provide transit passes for eligible 7-12th grade \nstudents. The District will provide resources to schools, students \nand families regarding walking, riding a bicycle, using public", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0c312056-0c16-430d-bd70-bb4743d3a98a": { + "page_content": "transit agency to provide transit passes for eligible 7-12th grade \nstudents. The District will provide resources to schools, students \nand families regarding walking, riding a bicycle, using public \ntransit or other forms of active transportation. The District will \nencourage wellness councils, school administrators and students, \nstaff, families and community partners to assist the District in \npromoting safe, physically active travel to and from school. \nSchools are encouraged to designate a transportation liaison to \nfacilitate communication regarding District efforts to promote \nsafe, physically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5d9a90e5-384e-4dd1-b98b-c7e3bacca68c": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 25 of 102 \n \n \n \nE. COMPREHENSIVE HEALTH EDUCATION \n \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public \nSchools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, and substance misuse and harm \nreducation, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ad4a9b9a-d204-4aaa-9717-295435808845": { + "page_content": "health education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health \neducation curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth Curriculum Framework and National Health Education \nStandards, as well as the National Sexuality Education Standards. \nQualified and trained teachers will implement the curricula. \n \nAll schools will follow relevant promotion and graduation", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "62726ba4-ab95-4c71-b314-04695403f1b2": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 26 of 102 \n \n \n \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course \nrequirements, health education topics will be integrated into \nother subject areas where possible, so as to reinforce their \nimportance, provide additional skill practice, and demonstrate \nthe connections of health concepts to many other content areas. \n \nF. HEALTHY SCHOOL ENVIRONMENT \n \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "74118fb8-d71f-4496-a2fb-0482dd4d5d32": { + "page_content": "environments are critical to the prevention of asthma and other \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact productivity, health, and wellness of all students \nand staff. To address environmental risk factors for chronic and \ninfectious disease, each school will receive an Annual \nEnvironmental Audit to evaluate health and safety conditions \nsuch as leaks, mold, pests, chemical storage and cleanliness. The", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fd1e9359-3dc4-4778-b8a9-fd9bdd32a51f": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 27 of 102 \n \n \n \nDistrict shall maintain a Healthy Schools Taskforce (HST) to \npromote and raise awareness of the health of the built \nenvironment and ensure continuous improvement of BPS \nhealthy school environment policies and programs. \n \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, shall comply with \nexisting federal and state regulations, city ordinances and District \npolicies related to promoting and managing healthy school \nenvironments, including but not limited to: \n\u25cb Green Cleaners \n\u25cb Integrated Pest Management \n\u25cb Trash and Recycling \n\u25cb Infection Prevention & Control \n\u25cb Tobacco Free Environmental Policy \n\u25cb Environmental Inspection/Audit \n\u25cb Student Safety/Health in School Shops \n\u25cb BPS Water Policy \n\u25cb Laboratories and Chemical Inventory \u201cRight to Know\u201d Law \n\u25cb Idling of buses and other motor vehicles on school property", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "07f0fa84-9b91-49ea-8958-c3d7b8d38486": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 28 of 102 \n \n \n \nSchools shall regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \n \nG. SAFE AND SUPPORTIVE SCHOOLS \n \nThe Boston Public Schools shall create a safe and supportive \nschool environment for all students that is culturally proficient, \nengaging, and inclusive and one that provides skills-based \neducation to promote healthy relationships and development \nand provides access to support services. Prevention, promotion \nand intervention-based work will address and integrate social \nemotional health and behavioral health. BPS will continue to \nfoster a variety of integrated community partnerships to \nmaximize support to students, families and schools. Partnerships \nin this area include allied city and state agencies, universities,", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "c47c831b-2109-4ba2-ae9f-ab06050f6a75": { + "page_content": "foster a variety of integrated community partnerships to \nmaximize support to students, families and schools. Partnerships \nin this area include allied city and state agencies, universities, \nhospitals and other community-based organizations. Schools will \nbetter meet the needs of students by creating safe and inclusive \nclimates that are responsive to all forms of bullying and violence, \nincluding bias-based conduct, suicide, intimate partner violence, \nand sexual harassment and assault, and using screening and \npromotion efforts, including mental health and substance use \nscreening. Special attention will be given to vulnerable student \npopulations, including but not limited to LGBTQ students, \nrefugee, asylee, documented and undocumented immigrant \nstudents, ELL students and ELL students with disabilities,", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7bcc2f8d-f1ed-416f-9ec9-f2aa67ab7432": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 29 of 102 \n \n \n \nexpectant and parenting students, court-involved students, \nstudents experiencing homelessness, and students experiencing \ntrauma. These efforts will create a safe and supportive learning \nenvironment that optimizes academic outcomes for all students. \nImplementation of these efforts requires school psychologists, \nsocial workers, guidance counselors, school nurses, community \npartners and trained classroom teachers working together on an \neffective student support team. Boston Public Schools shall \ndevelop and implement a plan for K-12 SEL standards. \n \nBoston Public Schools shall put in place systems that align to the \ndistrict-accepted Multi-tiered System of Supports (MTSS) \nframework to ensure that all students have access to key \nresources and services in a safe and supportive environment. \nSchools shall adopt a MTSS Framework to support the \ndevelopment of a continuum of behavioral health supports and", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fe97e94c-9e3f-457f-b959-164e6479bd50": { + "page_content": "resources and services in a safe and supportive environment. \nSchools shall adopt a MTSS Framework to support the \ndevelopment of a continuum of behavioral health supports and \ninterventions falling across three tiers: Tier 1: Prevention and \npromotion, Tier 2: At-risk interventions and services and Tier 3: \nIntensive interventions and services. Embedded into MTSS is the \nuse of positive behavioral interventions and supports and social \nemotional learning instruction designed to create safe and \nsupportive school climates and build the skills of staff and \nstudents. The Comprehensive Behavioral Health Model (CBHM) \nis an example of an evidence-based MTSS-Behavioral framework \ndesigned to meet the behavioral health needs of students and \nincludes evidence-based practices interventions and data to \ndetermine effectiveness. CBHM is used in many BPS schools and \nwill be made available to all schools. CBHM has been proven to", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "80edd989-83ad-4047-a88a-8b3f0119a5d1": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 30 of 102 \n \n \n \npromote positive behavioral health and reduce barriers to \nlearning for students in participating schools. MTSS framework, \nincluding CBHM, incorporates the following key elements: \n\u25cb Assessment including universal behavioral health screening \n\u25cb Instruction including social emotional learning curriculum \nand delivery of services \n\u25cb Data based decision making \n\u25cb Building staff leadership and capacity \n\u25cb Effective District and school structures and procedures (e.g. \nstudent support teams) \n \nIn addition, schools shall follow all BPS policies that address \nspecific areas of school safety and climate including the Code of \nConduct and other related policies such as those related to crisis \nmanagement, expectant and parenting students, sexual \nharassment, discrimination, and assault. \n \nH. HEALTH SERVICES \n \nThe Boston Public School Health Services support students to be \nhealthy, engaged, safe, and academically challenged by", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e64e2e7d-7588-4700-82b6-e02f3fec03a0": { + "page_content": "harassment, discrimination, and assault. \n \nH. HEALTH SERVICES \n \nThe Boston Public School Health Services support students to be \nhealthy, engaged, safe, and academically challenged by \nproviding high quality, cost-effective in-school health care. BPS \nnurses are responsible for evaluating and managing the health", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "eb2071ae-6943-4859-92dc-ac33e53b00f1": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 31 of 102 \n \n \n \nneeds of all students. That includes the following: \n\u25cb Case management students with special health needs, \nincluding chronic or acute illnesses \n\u25cb Monitoring and administering medications and medical \nprocedures as prescribed by a student\u2019s primary care \nprovider or medical specialist \n\u25cb Providing first aid and emergency care \n\u25cb Screening students for height, weight, Body Mass Index, \nvision, hearing, scoliosis, substance use (screening, brief \nintervention and referral to treatment) \n\u25cb Managing student medical records and immunization \nrecords \n\u25cb Managing the control of communicable diseases \n\u25cb Coordinating medical transportation for students \n\u25cb Coordinating special dietary accommodations for students \nwith food allergies \n\u25cb Working with other school-based groups to provide safe \nand healthy environments \n \nIn addition, school nurses engage in one-on-one education, small", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "c794a57a-aa40-4ce3-9952-8876665bc13f": { + "page_content": "with food allergies \n\u25cb Working with other school-based groups to provide safe \nand healthy environments \n \nIn addition, school nurses engage in one-on-one education, small \ngroup health counseling, wellness promotion, and preventive \nservices as part of the provision of care coordination services. BPS \nschool nurses ensure access and/or referrals to the medical home", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "11306686-f26d-4a9d-9140-4f5712551ad5": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 32 of 102 \n \n \n \nor private health care provider. Where lawful, Boston Public \nSchools encourages positive communication and involvement \nwith family regarding health services. Health Services actively \ncollaborates with school and community support services to \nincrease the ability of students and families to adapt to health \nand social stressors, such as chronic health conditions, adverse \nchildhood experiences (ACE) and other social, emotional and \neconomic determinants of health. BPS Health Services is \ncommitted to building partnerships with city agencies, medical \nproviders, and community partners to leverage additional \nresources and health services. \n \nUnder Massachusetts Adolescent Confidentiality laws, adolescent \nstudents may receive confidential services for diagnosis, \ntreatment and/or referral for drug addiction, family planning \nservices, sexually transmitted diseases, and mental health. In", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "c218a695-a11b-4449-84ab-49b3579dfe76": { + "page_content": "students may receive confidential services for diagnosis, \ntreatment and/or referral for drug addiction, family planning \nservices, sexually transmitted diseases, and mental health. In \naccordance with the BPS Condom Accessibility Circular, BPS \nHigh Schools shall provide access to condoms, with appropriate \nreproductive health counseling for students. Each high school \nwill have a Condom Accessibility Team (CAT) which will consist of \na minimum of at least three school staff members. Condoms will \nbe made available through the CAT at each school. Condoms will \nalso be accessible from community health service partners and \nthe Boston Public Health Commission (BPHC). Parents and legal \nguardians may exempt their children from receiving condoms by \nnotifying the school when they complete the family information \nforms at the beginning of the school year. This exemption to not \nreceive condoms does not apply to other confidential health", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2efa795c-c9af-45a9-81f4-db521e3d1853": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 33 of 102 \n \n \n \nservices. \n \nI. STAFF WELLNESS \n \nThe Boston Public Schools cares about the well-being of staff \nmembers and understands the influence that staff actions have \non all student health behaviors. All staff shall promote a school \nenvironment supportive of healthy behaviors. Adults are \nencouraged to model healthy behaviors, especially on school \nproperty and at school-sponsored meetings and events. Schools \nare encouraged to support staff wellness initiatives. \n \n \nII. IMPLEMENTATION GUIDELINES \n \nThe following guidelines will ensure the implementation of the \nBoston Public Schools Wellness Policy: \n \nA. DISTRICT WELLNESS COUNCIL: \n \nThe superintendent will appoint members to serve on the District", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a7673104-2ec7-4bf1-b696-152521204661": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 34 of 102 \n \n \n \nWellness Council. The council will: \n \na. Follow bylaws that are aligned with Massachusetts \nStandards for School Wellness Advisory Committees.3 \nb. Annually review, and if needed recommend, District-wide \npolicies to promote student wellness \nc. Annually set Council goals and objectives \nd. Annually report progress on Council goals, objectives, \npolicies, and monitoring & evaluation of Wellness Policy \nimplementation \n \nB. SCHOOL-BASED WELLNESS COUNCILS: \n \nSchools will establish and maintain a school-based wellness \ncouncil. Principals shall name a wellness council chair(s) to \ncoordinate the wellness council and act as a liaison to the District, \ncommunity, and families. Wellness council chairs will attend \nDistrict training. School-based Wellness Councils on an annual \nbasis shall: \n \n3 M.G.L. 105 CMR 215", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8f2e2690-e107-4310-9293-d7251dbbfa02": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 35 of 102 \n \n \n \n \na. Convene at least 4 times per school year. \nb. The council shall include at a minimum a school \nadministrator, family representatives, students (where \nfeasible), representatives of a wide range of school health \nand health-related disciplines, including school nurses, \nschool food service staff, health education and physical \neducation teachers and other school health professionals, \nsuch as psychologists, guidance counselors, and social \nworkers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible \nshall reflect the cultural, linguistic and ethnic composition of \nthe school community \nc. Implement District-level policies related to wellness. School \nWellness Councils will annually review District policies \nrelated to wellness. If applicable, the school wellness council", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "250ac918-055b-42c8-a8bc-8655f5dad63d": { + "page_content": "c. Implement District-level policies related to wellness. School \nWellness Councils will annually review District policies \nrelated to wellness. If applicable, the school wellness council \nwill apply strategies to implement these policies. See the \nIndex of Federal, State, and Boston Public School wellness-\nrelated Policies & Guidelines section on page 17. \nd. Assess the school\u2019s wellness status. Schools will use the \nfollowing surveys and audits to assess the wellness status of \nschool: \n\u25cb Healthy Schools Program Inventory, Alliance for a \nHealthier Generation. \n\u25cb Environmental Health Inspection Audit", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "bf37fdf8-b1ec-4eab-9ff0-234d557491b2": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 36 of 102 \n \n \n \n\u25cb School Health Profiles, Centers for Disease Control and \nPrevention \n\u25cb District data, such as the Youth Risk Behavior Survey \n\u25cb Other District priorities \nThe Health and Wellness Department will determine on an \nannual basis the exact timeline and process for completing \nthese assessments. \ne. Create and Implement a Wellness Action Plan. Schools will \ncomplete a BPS Wellness Action Plan template and include \na link to their plan in the Wellness section of their Quality \nSchool Plan (QSP) by Fall due date. The Wellness Council \ncoordinator(s) name and contact information should also be \nincluded on the QSP. Principals are ultimately responsible \nfor the implementation of the Wellness Action Plan. The \nHealth and Wellness Department, in collaboration with the \ninstructional and operational superintendents will \ndetermine on an annual basis the exact timeline and \nprocess. The school will complete this Plan as a Quality", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "45bc9ca5-12bc-4262-bfc6-d8f0cddf3d73": { + "page_content": "instructional and operational superintendents will \ndetermine on an annual basis the exact timeline and \nprocess. The school will complete this Plan as a Quality \nSchool Plan, or other academic improvement plans. \nWellness Action Plans must include goals and school-based \nactivities designed to promote student wellness based on \nthe results of the school\u2019s Healthy Schools Program \nInventory, Environmental Health Inspection/Audit, annual \nDistrict priorities, and other appropriate assessment tools. A \nRoster of each school\u2019s Wellness Council will be submitted \nas a part of the Wellness Action Plan template. Instructions \nand a template for the Wellness Action Plan can be found", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "1c25ae29-9cdb-43f2-ac94-da011e680740": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 37 of 102 \n \n \n \nonline at: http://www.bostonpublicschools.org/hwd \nf. Engaging stakeholders: \n\u25cb Schools must make available to the public and school \ncommunity on their website a list of names and \nposition titles (or relationship to the school) of \nindividuals who are a part of their school-based \nwellness councils and include the name, position title, \nand school-based contact information of the council \nchairs(s). \n\u25cb Schools must share information on their school\u2019s \nwebsite about how the public can get involved with \nthe school wellness councils. \n\u25cb Schools must post their Wellness Action Plans on their \nschool\u2019s website to share local school goals and \nactivities to implement the policy. \n\u25cb Schools must share a link to the District Wellness \nPolicy on their school\u2019s website and send a message to \nfamilies notifying them of how they may obtain a copy \nor otherwise access the policy. \n\u25cb School-based Wellness Councils shall annually", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a212ef91-fd81-41bf-aec7-1559181ce264": { + "page_content": "Policy on their school\u2019s website and send a message to \nfamilies notifying them of how they may obtain a copy \nor otherwise access the policy. \n\u25cb School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy \nrequirements.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "cf640494-7a17-474d-ae9b-d1b6ac91a6fa": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 38 of 102 \n \n \n \nAssociated Boston Public Schools District departments will \nprovide professional development, toolkits, resources, and \ntechnical assistance to support the implementation of District-\nlevel policies related to wellness. Schools will be able to access \nprofessional development using the District-supported My \nLearning Plan. Wellness related trainings will be culturally \nproficient by addressing race, ethnicity, and nationality; sexual \norientation and gender identity; special needs; language and \ndialect; and practical skills in mediating intercultural conflict. \n \nC. IMPLEMENTATION GUIDELINES FOR MONITORING AND \nEVALUATION \n \nThe Boston Public Schools Health and Wellness Department, in \ncollaboration with appropriate District Departments, will be \ndesignated to ensure that each school, including out of school", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "762c8c64-3a7b-4695-bd71-ea47e20c8c15": { + "page_content": "The Boston Public Schools Health and Wellness Department, in \ncollaboration with appropriate District Departments, will be \ndesignated to ensure that each school, including out of school \ntime programs, complies with this policy. Other wellness-related \npolicies will be monitored, evaluated, and supported by the \nDistrict departments that currently oversee these policies. The \nDistrict will collect additional data than listed in this section to \nmonitor compliance. \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District \ndepartments will facilitate school-based surveys and audits \nmeasuring changes in school environments over time. Such", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "51f23cd3-7a5d-45ce-8ef4-b10fe727d9bc": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 39 of 102 \n \n \n \nsurveys include: \na. Healthy Schools Program Assessment, Alliance for a \nHealthier Generation. \nb. School Health Profiles, Centers for Disease Control and \nPrevention \n\u25cb Principal Survey (all school levels) \n\u25cb Lead Health Ed. Teacher Survey (schools with grades 6-\n12) \n\u25cb Lead Phys. Ed. Teacher Survey (all school levels) \nc. District staffing reports from the Office of Human Capital \nd. Essential School Health Services Monthly Activities Report \ne. School Environmental Audit \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District \ndepartments will facilitate anonymous student surveys \nmeasuring changes in student outcomes over time. Where \npossible, data must be reported by vulnerable subgroups (e.g. \nrace/ethnicity, gender, sexual identity) Such surveys include, but \nare not limited to: \na. Youth Risk Behavior Survey (YRBS):", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2849e180-1764-4310-b4c2-5ec0d31b997d": { + "page_content": "possible, data must be reported by vulnerable subgroups (e.g. \nrace/ethnicity, gender, sexual identity) Such surveys include, but \nare not limited to: \na. Youth Risk Behavior Survey (YRBS): \n\u25cb Middle School YRBS (conducted biennially in", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fe9edca4-b961-41b3-9855-992f18f386ca": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 40 of 102 \n \n \n \nrandomized sample of schools serving students in \ngrades 6-8 during the Fall semester of even numbered \nschool years, i.e., Fall 2013, 2015, 2017, etc.). \n\u25cb High School YRBS (conducted biennially in randomized \nsample of schools serving students in grades 9-12 \nduring the Spring semester of odd numbered school \nyears, i.e., Spring 2015, 2017, 2019, etc.) \nb. School Climate Survey (conducted annually by the Office of \nData & Accountability) \nc. FITNESSGRAM (grades 3-12) \nd. Health Services SNAPNurse system \n \nAs stated above, the annual report shall be presented to the \nDWC, superintendent, the School Committee, and the \nMassachusetts Department of Education, and shared with BPS \nstakeholders. \n \nDistrict Wellness Policy Monitoring & Evaluation Plan \n \nTable Abbreviations: \nPO = Process Outcome; IMO = Intermediate Outcome; LTO =", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fdba4a4c-46d6-48c2-b065-05f4e02d987f": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 41 of 102 \n \n \n \nLong-term Outcomes \nGeneral Policy/Council (GEN) Metrics \nGEN Process Outcomes (PO)", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ae5cd3c3-ba4d-4337-95fc-aec56c935b7d": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 42 of 102 \n \n \n \nPO1: DWC and Subcommittee Meetings [DWC Records] \nPO1.1: # of Meetings (DWC & by subcommittee) \nPO1.2: # of attendees \nPO1.3: Action Plan completion (yes/no) \nPO1.4: Review Policy (yes/no) \nPO1.5: Hear Stakeholder Feedback through public comment \n(yes/no) \nPO1.6: Update policy (yes/no/not applicable) \nPO2: Policy Communication/Public Notification (yes/no) \n[DWC Records] \nPO2.1: Policy Translation \nPO2.2: Post to BPS website: Policy, meeting times, action \nplan, membership, contact information \nPO2.3: Policy in Parent Guidebook \nPO2.4: Policy update presentations to School Committee \nPO2.5: Policy update presentations to: BSAC, CPC, DELAC, \nSPEDPAC \nPO3: Policy Evaluation [DWC Records/Profiles] \nPO3.1: Evaluation Plan (in place)", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "6a68ca15-6dea-495e-beb9-2828cefecd5e": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 43 of 102 \n \n \n \nPO3.2: Annual Report (yes/no) \nPO3.2.1: Alternating Qualitative & Quantitative Reports \nPO3.2.2: Post to website \nPO3.2.3: Share with Superintendent, School Committee, \nDESE \nPO3.2.4: Sent to parent councils \nPO3.3: Biennial School Wellness Reports [Profiles] \nPO4: Policy Trainings \nPO4.1: PDs for school wellness council and teachers [HWD \nRecords] \nPO4.2: Training materials for Principals, Superintendents, \nCentral Office Leaders \nPO5: School-based Wellness Councils \nPO5.1: % of schools submitting WAPs [HWD Records] \nGEN Short-term Outcome (STO) 1: Increase awareness and \nknowledge of the District Wellness Policy among BPS \nfamilies, District staff, and school leadership and staff \nSTO1.1: % of schools that post WAP, council members, and \ncouncil chair(s) contact information to their website [Profiles \nSY19-20]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "d29fd64f-3eb7-4b7b-be85-d24c6cda8c21": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 44 of 102 \n \n \n \nSTO1.2: % of schools that send a communication about the \npolicy home to parents [Profiles] \nSTO1.3: % of schools that communicate policy to school staff \n[Profiles] \nGEN STO 2: Improve diverse stakeholder involvement on the \nDistrict Wellness Council, the DWC subcommittees & \nschool-based wellness councils \nSTO2.1: DWC membership includes representatives from \nfamilies, students, school and District instructional and \noperational administrators, relevant central department \nheads, school food and nutrition services staff, physical \neducation and health education teachers, school nurses and \nother school health professionals (e.g. psychologists, \nguidance counselors, social workers) a school committee \nmember, community youth serving agencies, Boston Public \nHealth Commission representatives, healthcare providers \nand the general public [DWC Records] \nSTO2.2: # of public comments made during DWC meetings \n[DWC Records]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "9e78e4cc-1588-4d2b-86ff-48fe4a22c139": { + "page_content": "Health Commission representatives, healthcare providers \nand the general public [DWC Records] \nSTO2.2: # of public comments made during DWC meetings \n[DWC Records] \nSTO2.2: #(%) of school wellness councils with 2 or more \nfamily reps on the wellness council [WAPs] \nSTO2.3: #(%) of school wellness councils with 2 or more \nstudents on the wellness council [WAPs]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "d2f0542c-554b-4620-a02d-73aeb30d8af2": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 45 of 102 \n \n \n \nGEN STO 3: Improve policy to align with model school \nwellness policies and best practices, annual report findings \nand recommendations, input from schools and the \ncommunity, research evidence, and government \nregulations. [DWC records] \nSTO3.1: Policy updates by area \nGEN STO 4: Increase the number of schools with quality \nwellness councils [HWD Records] \nSTO4.1: #(%) of schools with wellness councils that meet \nquarterly \nSTO4.2: #(%) of schools with identified wellness council \nchair(s) \nGEN IMO 1: Improve the functionality of the school-based \nwellness councils [WAPs] \nIMO1.1: % of WAPs with SMART Goals \nIMO1.2: % of WAPs goals in each policy area \nIMO1.3: % of wellness council with \nIMO1.3.1: Minimum representation of member roles \nIMO1.3.2: Addition representation of member roles", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "608026c9-2038-4956-aa0a-b333abf95946": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 46 of 102 \n \n \n \nIMO1.4: % of schools with trained wellness council co-chairs \nCultural Proficiency (CP) Metrics \nCP Process Outcomes: \nPO1: # of trainings on Equity policy and practices (e.g. Equity \nProtocol, Welcoming Schools, EQT-4) [Equity Office] \nPO2: # (%) of schools that have staff trained on CLSP \nPO3: # (%) of central office departments that have at least \n70% staff trained on CLSP \nPO4: # (%) of staff by school trained on CLSP \nCP STO 1: Increased # of schools assessing organizational \nstructure, policies, and school-wide practices for cultural \nproficiency \nSTO1.1: # (%) of schools with CLSP goal on their WAP \nCP STO 2: Increased # of schools engaging families, \nstudents, and community members in decision-making \n[WAPS]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "01cc7082-3799-4f82-844b-437fd09cc9dd": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 47 of 102 \n \n \n \nSTO2.1: # of family members on school-based wellness \ncouncil \nSTO2.2.: # of students on school-based wellness council \nSTO2.3: # of community orgs on school-based wellness \ncouncil \nSTO2.4: # (%) of schools that engage these groups in \nwellness council \nCP IMO 1: Positive perceived climate around cultural \nproficiency \nIMO1.1: District score on Community Involvement Scale \n[Climate Survey/ODA] \nIMO1.2: District score on Appreciation for Diversity Scale \n[Climate Survey/ODA] \nIMO1.3: District score on Family/School Relationship Scale \n[Climate Survey/ODA] \nIMO1.4: District score on Cultural Responsiveness Scale \n[Climate Survey/ODA] \nIMO1.5: District score on Student/Teacher Relationships Scale \n[Climate Survey/ODA] \nIMO1.6: Parent perception of school climate as safe and \nwelcoming [Climate Survey/ODA]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8cd1dba3-cc64-4bcb-94c8-2462508426c9": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 48 of 102 \n \n \n \nIMO1.7: % of middle and high school students that report \nhaving an adult at school that they can talk about issues in \ntheir life [2017 MS & HS YRBS] \nSchool Food & Nutrition Promotion (SFNP) Metrics \nSFNP Process Outcomes (PO) \nPO1: # (%) of schools participating in the School Breakfast \nProgram [FNS Records] \nPO1.1: # (%) of schools using different models of the School \nBreakfast program \nPO2: % (#) of schools participating in School Lunch Program \n[FNS Records] \nPO2.1: % (#) of school using different models of the School \nLunch Program \nPO3: # (%) of schools with cafeteria staff trained on food \nsafety [FNS Records] \nPO4: # (%) of schools with completed kitchen inspection \n[FNS records] \nPO5: # of Healthy Food Environment Wellness Champions \n[HWD records] \nPO6: # (%) of school leaders aware of the competitive sales", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a8ec544f-689b-475c-b06b-8761c661c7da": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 49 of 102 \n \n \n \npolicy [HWD Records] \nPO7: # of nutrition education PDs [HWD Records] \nPO8: # of staff trained at nutrition education PDs [HWD \nRecords] \nSFNP STO 1: Increase variety of foods that are local, culturally \ninfluenced, and clean label [FNS Records] \nSTO1.1: % of food items procured by the District that are local \nSTO1.2: % of menu items that are culturally influenced to \nreflect the student population \nCafeteria Schools \nVended Meals \nSFNP STO 2: Increase support of BIC from school \nadministration \nSTO2.1: #(%) of schools implementing BIC [FNS Records] \nSFNP STO 3: Increase awareness of competitive sales policy \nSTO3.1: #(%) of school leaders that inform their staff of the \ncompetitive sales policy [Profiles]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4d8c4077-2822-4dd3-b2ef-2d135efd54c2": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 50 of 102 \n \n \n \nSFNP STO 4: Maintain 100% of schools with cafeteria staff \nwith all required certifications, inspected kitchen, and a \nHazard Analysis and Control Points plan \nSTO4.1: % of schools with cafeteria staff with all required \ncertifications, compliant kitchen, and a Hazard Analysis and \nControl Points plan [FNS Records] \nSFNP STO 5: Increase in schools teaching healthy eating \nhabits in health education, physical education, and other \nsubjects \nSTO5.1: # (%) of schools teaching nutrition education through \nComprehensive Health Education [Profiles] \nSFNP STO 6: Increase in the number of satellite schools able \nto provide bulk, freshly prepared, on-site meal service [FNS \nRecords] \nSTO6.1: % of schools receiving vended meals \nSTO6.2: % of satellite schools that are converted to be able to \nprovide bulk, freshly prepared, on-site meal service (In three \nyears, all schools implementing My Way Cafe model)", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7ca5da8a-be9e-4145-ae0a-7ee44ef1133e": { + "page_content": "STO6.2: % of satellite schools that are converted to be able to \nprovide bulk, freshly prepared, on-site meal service (In three \nyears, all schools implementing My Way Cafe model) \nSFNP IMO 1: Increased participation in all school meal \nprograms", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2b7f1802-34a2-445e-8385-a210003e4cfc": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 51 of 102 \n \n \n \nIMO1.1: Number or percent of schools with at least XX% of \nstudents participating in SBP, NSLP, CACFP, and Summer \nMeals Program [FNS Records] \nSFNP IMO 2: Reduced food waste \nIMO2.1: Difference in weight between food served and food \nuneaten (thrown away) [BOSfoodlove] \nSFNP IMO 3: Increase in schools that do not sell, serve or \nprovide food and beverages outside of the school meal plan \nthat do not meet BPS nutritional guidelines [Profiles] \nIMO3.1: #(%) of schools where students cannot purchase \nsnacks, meals or beverages from school vending machines \nor at a school store, fundraisers, canteen, or snack bar during \nlunch \nIMO3.2: #(%) of schools that sell food and/or beverages from \nschool vending machines or at a school store, fundraisers, \ncanteen, or snack bar that met BPS nutritional guidelines \nSFNP IMO 4: Increase in student practicing healthy eating \nhabits [FNS Records] \nIMO4.1: # of breakfast provided", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f745b5ca-636b-4cf2-b538-9869c8e6e10d": { + "page_content": "canteen, or snack bar that met BPS nutritional guidelines \nSFNP IMO 4: Increase in student practicing healthy eating \nhabits [FNS Records] \nIMO4.1: # of breakfast provided \nIMO4.2: # of milk provided", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "3fb5d38b-5f53-4b6c-b9f9-9f8c76847c1e": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 52 of 102 \n \n \n \nIMO4.3: # of students choosing/served a fruit \nIMO4.4: # of students choosing/served a vegetable \nPhysical Activity & Physical Education (PE/PA) Metrics \nPE/PA Process Outcomes [HWD Records] \nPO1: # of PD opportunities for PE, PA and SRTS \nPO2: # of teachers in attendance at PDs \nPO3: # of IC sessions for PE, PA and SRTS \nPO4: Tools developed for school-based staff (Qual) \nPO5: # of TA sessions \nPO6: # of active PA community partnerships \nPO7: # of PE curricula distributed \nPO8: # of PE equipment distributed \nPO9: # of MS Athletic programs \nPO10: # of HS Athletic programs \nPE/PA STO1: Improve the staffing capacity of schools to \nprovide PE according to Policy \nSTO1.1: #(%) of schools with PE staff FTE to provide PE", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "462b0b24-e139-46d5-98f6-e47da8871b94": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 53 of 102 \n \n \n \naccording to policy. \nPE/PA STO 2: Increase capacity of school-based staff to \ndeliver high quality PE/PA programs \nSchool day: PE, Recess, Before/After school programming \n(including sports), SRTS [HWD Records] \nSTO2.1: #(%) of schools with PE teachers completed IC during \nlast 2 years \nSTO2.2: #(%) of schools implementing standards-based PE \ncurricula \nSTO2.3: #(%) of schools with PE teachers that have \ncompleted PD for PE \nSTO2.4: #(%) of schools with teachers that have completed \nPD for PA \nSTO2.5: #(%) of schools with teachers that have completed \nPD for SRTS \nSTO2.6: #(%) of schools receiving training on active recess \nPE/PA STO 3: Increase % of schools offering any PE \nSTO3.1: # (%) of schools offering any amount of PE classes \n[Profiles]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ce292f70-c7e8-4f50-b578-785a699cad52": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 54 of 102 \n \n \n \nPE/PA STO 4: Increase % of schools offering recess to grades \nPreK-8 [Profiles] \nSTO4.1: #(%) of schools offering at least 20 min of recess for \ngrades PreK-5 \nSTO4.2: #(%) of schools offering at least 20 min of recess for \ngrades 6-8 \nPE/PA STO 5: Increase % of schools offering before- and \nafter-school physical activity opportunities \nSTO5.1: #(%) of schools in SRTS program [HWD Records] \nSTO5.2: #(%) of schools with MS Athletic programs [Athletics \nDept] \nSTO5.3: #(%) of schools with HS Athletic programs [Athletics \nDept] \nSTO5.5: #(%) of schools offering opportunities for students to \nparticipate in intramural sports programs or physical activity \nclubs [Profiles] \nPE/PA STO 6: Increase % of schools not withholding physical \nactivity as punishment \nSTO6.1: # (%) of schools not withholding physical activity as \npunishment [Profiles]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "575352ba-10c7-46c5-aab5-e7e84bc19474": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 55 of 102 \n \n \n \nPE/PA STO 7: Increase number of schools that access \nresources, partnerships and supports \nSTO7.1: #(%) of schools with partnerships by PA/PE type \n[Partnership Portal] \nSTO7.2: #(%) of schools with resources/supports by PA/PE \ntype [HWD Records] \nPE/PA STO 8: Improve collaborations between the District, \ncity agencies, schools, families and schools around safe, \nactive transportation \nSTO8.1: # (%) of schools with identified priority walking \nroutes [HWD records] \nSTO8.2: # (%) of schools participating in Walk to School Day \n[HWD Records] \nSTO8.3: # (%) of schools that provide pedestrian safety \neducation programming [HWD Records] \nSTO8.4: # (%) of schools that provide support for families \nrelated to walking, rolling or transit [2019 Profiles] \nSTO8.5: # (%) of schools represented in requested \ntransportation surveys \nPE/PA IMO 1: Increase % of students reporting having PE", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b56ec896-4b67-4d1b-b572-a39083692f63": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 56 of 102 \n \n \n \n[YRBS] \nIMO1.1: # (%) MS and HS students reporting PE one or more \ntimes per week \nIMO1.2: # of students who receive physical education classes \n(enrollment in PE course; grade on their report card) \nPE/PA IMO 2: Increase % of schools providing PE according \nto BPS policy [Profiles] \nIMO2.1: # (%) of schools (which contain grades PreK-8) that \nare providing 45 minutes of weekly PE for students in grades \nPreK-8 \nIMO2.2: # (%) of schools (which contain grades PreK-8) that \nare providing recommended 80 min of weekly PE for \nstudents in grades PreK-8 \nIMO2.3: # (%) of schools (which contain grades 9-12) that are \nproviding 1 semester of PE each year for students grades 9-\n12 \nPE/PA IMO 3: Increase % of students reporting active \ntransportation to and from school \nIMO3.1: % of students that report walking or biking to school \n[YRBS]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b84ce6f9-6773-4181-8e7f-ce3b83fb2135": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 57 of 102 \n \n \n \nPE/PA IMO 4: Increase % of schools with grades PreK- 8 \nmeeting policy for 150 minutes of weekly PA \nIMO4.1: # (%) of schools providing students (PreK-8) with 150 \nminutes of physical activity, including at least 45 minutes of \nPE per week and 20 minutes of recess daily [Profiles] \nPE/PA IMO 5: Improve the equity of access to athletic \nprogramming [Athletics] \nIMO5.1: #(%) students participating in a school sports \nprogram \nIMO5.2: #(%) of schools offering access to Athletics Programs \naccording to the BPS Athletics Criteria for Equity \nIMO5.3: # (%) of schools with equal number of boys\u2019 and girls\u2019 \nathletic teams \nComprehensive Health Education (CHE) Metrics \nCHE Process Outcomes: [HWD records] \nPO1: # of HE PD opportunities \nPO2: # of teachers/staff in attendance at PDs \nPO4: Tools developed for school-based staff (Qual)", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "269e32c8-ba06-4e9a-a55d-866ac238380c": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 58 of 102 \n \n \n \nPO5: # of TA sessions \nPO6: # of HE related community partnerships \nPO7: # of resources provided to schools (curriculum, \ninstructional supplies) \nCHE STO 1: Increase capacity of school-based staff to deliver \nhigh-quality, skills-based comprehensive health education \n[HWD Records] \nSTO1.1: #(%) of HE teachers trained on CHE curricula \nSTO1.2: #(%) of teachers/staff trained on CHE curricula \nSTO1.3: #(%) of teachers/staff trained on Sexual Health Ed \ncurriculum \nSTO1.4: #(%) of teachers/staff reporting an increase in \nknowledge and skills post PD \n#(%) of schools with teachers who received IC \nCHE STO2: Increase number of qualified and trained \nteachers in elementary school and licensed health education \nteachers in middle and high schools \nSTO2.1: # of qualified and trained teachers delivering health \neducation in Elementary schools \nSTO2.3: # of Licensed health education teachers delivering", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fbc35f8b-8982-434b-8567-631fcbd97e41": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 59 of 102 \n \n \n \nhealth education in Middle and High Schools \nCHE STO 3: Increased number of schools implementing \ncomprehensive health education curricula for all grades \n[HWD Records/Profiles] \nSTO3.1: # (%) of schools with PreK-3 grades that use \napproved curriculum \nSTO3.2: # (%) of schools with 4-5 grades that use Healthy & \nSafe Body Unit \nSTO3.3: # (%) of schools with 6-8 grades that use approved \ncurriculum \nSTO3.4: # (%) of schools with 9-12 grades that use approved \ncurriculum \nCHE STO 4: Increase the number of schools providing Health \nEducation [HWD Records/Profiles] \nSTO4.1: # (%) of schools providing HE in 2+ elementary \ngrades \nSTO4.2: # (%) of schools offering 2 semesters of HE in MS \nSTO4.3: # (%) of schools offering 1 semester of HE in HS \nCHE STO 5: Increase number of schools that leverage", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "754c395a-9621-4d70-ae61-43b850573ae5": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 60 of 102 \n \n \n \nresources, partnerships and supports to improve the quality \nof HE [Profiles/HWD] \nSTO5.1: # (%) of schools with partnerships to support HE \nteaching [Profiles] \nSTO5.2: # (%) of school with partnerships to promote health \nliteracy among student and families \nSTO5.3: # (%) of schools accessing District \nresources/supports [Profiles] \nCHE IMO 1: Increase in number of schools providing HE \naccording to BPS policy [Profiles, HWD records, OHC Staffing \nData] \nIMO1.1: # (%) of schools with trained BPS teachers teaching \ngrades 4-5 Healthy and Safe Body Unit in all classes \nIMO1.2: # (%) of schools with grades 6-8 offering at least two \nsemesters of skills-based health education for all students \ntaught by a licensed health education teacher \nIM1.3: # (%) of schools with grades 9-12 offering at least one \nsemester of skills-based health education for all students \ntaught by a licensed health education teacher", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4779ccca-8f00-4db0-9321-b4aa96b35d1f": { + "page_content": "IM1.3: # (%) of schools with grades 9-12 offering at least one \nsemester of skills-based health education for all students \ntaught by a licensed health education teacher \nCHE IMO 2: Increased number of students who received \ndedicated health education time [ASPEN/SIS]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "254b1208-97f6-46d4-b0d9-a47381c5130d": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 61 of 102 \n \n \n \nIMO2.1: # of students who receive dedicated health \neducation time \nCHE IMO 3: Increase Comprehensiveness and Accessibility of \nHealth Education Content [Profiles] \nHealthy School Environment (HSE) Metrics \nHSE Process Outcomes: \nPO1: School Environmental Audits [Environmental \nDivision/BPHC records] \nPO1.1: #(%) of schools with SEA \nPO2: Green Cleaner Policy \nPO2.1: # of safer sanitizer bottles distributed [Facilities Mgmt] \nPO2.2: #(%) of programs trained to properly use Oxivir \nPO3: Rapid Response [Facilities Mgmt] \nPO3.1: # of custodians trained to properly clean/treat \noutbreaks \nPO3.2: Updated/Improved system for tracking \nillness/outbreak responses \nPO4: Integrated Pest Management Program [Facilities \nMgmt/IPM contractors\u2019 records]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "1ae46f5f-ce56-4b92-9a49-5bcb7ded8910": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 62 of 102 \n \n \n \nPO4.1: #(%) of Schools assigned IPM Contractors \nPO4.2: #(%) of Schools with IPM Plans \nPO5: Decluttering Initiative [Facilities Mgmt/Profiles (SY19-\n20)] \nPO5.1: Creation of a BPS Declutter Guide \nPO6: Water Policy [Facilities Mgmt] \nPO6.1: # (%) online and offline schools \nPO6.2: # of drinking water units by type \nPO7: Zero Waste Policy [Facilities Mgmt] \nPO7.1: #(%) of Schools with Zero Waste Coordinators \nPO7.2: #(%) of schools with zero waste equipment/bins \npresent \nPO7.3: #(%) of schools with book recycling bins \nPO7.4: #(%) of schools with textile recycling bins \nPO8: Communication of HSE Policies [Facilities \nMgmt/HWD/MassCOSH records] \nPO8.1: Plan/strategy to communicate the Healthy School \nEnvironment-related policies \nPO8.2: #(%) of school leaders trained on the Healthy School", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "09b77c05-5e48-4c75-995f-e190bdab1932": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 63 of 102 \n \n \n \nEnvironment-related policies \nPO9: HSE Wellness Champion Program [Facilities \nMgmt/HWD/MassCOSH records] \nPO9.1: # of training sessions \nPO9.2: # of schools participating in the HSE Wellness \nChampions Program \nHSE STO 1: Increase in use of SEAs to identify and address \nHSE improvements \nSTO1.1: Track requests generated from SEAs [Facilities Mgmt] \nSTO1.1.1: #(%) of repair requested as a result of SEA \nSTO1.1.2: #(%) of repair requests completed as a result of SEA \nSTO1.2: # of Principals reported reviewing results of SEA \n[Profiles] \nSTO1.3: # (# of schools with) WAP goals identified using SEA", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "cd805ecd-67c2-40ce-a71e-ac124e9a3280": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 64 of 102 \n \n \n \n[Profiles/WAP] \nHSE STO 2: Increase in the schools with staff using green \ncleaners in classrooms and offices \nSTO2.1: #(%) of schools with staff aware of green cleaning \npolicy [Profiles] \nSTO2.2: % of schools with staff using green cleaners in \nclassrooms and offices [Profiles] \nSTO2.3: #(%) of BPS Early Ed Programs, after-school \nprograms that serve food, and YMCA school-based programs \nreceiving and using Oxivir [Facilities] \nHSE STO 3: Increase school capacity to address IPM incidents \n[Profiles] \nSTO3.1: #(%) of schools that identified an IPM Coordinator \nSTO3.2: #(%) of schools with staff that know how to use IPM \nlog \nHSE STO 4: Increase schools implementing systems to \nreduce, reuse, and recycle to decrease waste and clutter \n[Facilities Mgmt]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "1602f8a3-b402-4ecc-8457-6c0708cd6fd3": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 65 of 102 \n \n \n \nSTO4.1: # of schools who complete declutter initiatives \n# of tons recycled \nSTO4.2: #(%) of schools with complete and functioning Zero \nWaste Programs [Facilities Mgmt] \nSTO4.1.1: #(%) of schools properly disposing of waste by type \nSTO4.1.2: # of tons of waste removed from schools \nSTO4.1.3: # of OIIT e-waste requests submitted in one year \nSTO4.1.4: # of universal and hazardous waste pick-ups in one \nyear \nHSE STO5: Decrease in bottled water needs [Facilities Mgmt] \nSTO5.1: #(%) of offline schools returning to online \nSTO5.2: #(%) of schools undergoing water infrastructure \nimprovements \nHSE STO 6: Decrease in causes of poor outdoor air quality \naround school buildings \nSTO6.1: #(%) of schools where staff are aware/promote \nTobacco Free Policy [Profiles] \nSTO6.2: #(%) of schools that limit busing idling to no more \nthan 5 minutes [Profiles]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "be5880ec-0cb3-4644-ab1b-297fd8984b7b": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 66 of 102 \n \n \n \nHSE STO 7: Improved building infrastructure to support \nactive transportation and active play \nSTO7.1: # (%) of playground assessment issues addressed \n[Profiles] \nSTO7.2: # (%) of schools that have bike racks or other storage \nsystems for students and staff [Facilities Mgmt] \nHSE STO 8: Increase Wellness Champion projects and \ninitiatives at schools [HWD Records] \nSTO8.1: #(%) of HSE WAP goals \nSTO8.2: #(%) of HSE WAP goals completed \nHSE IMO 1: Decrease in infection and illness outbreaks \n[Facilities Mgmt/Health Services] \nIMO1.1: # of infection and illness outbreaks \nHSE IMO 2: Decrease in pest-related incidents \nIMO2.1: #(%) of pest incidents logged, reported, and treated \n[Facilities Mgmt/IPM contractors\u2019 records] \nHSE IMO 3: Ensure water quality, maintenance, and \npromotion", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "dc99fe74-1fef-4c5e-8078-6ae5f1769f10": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 67 of 102 \n \n \n \nIMO3.1: #(%) of schools getting annual water system testing \nIMO3.2: #(%) schools with coolers cleaned \nIMO3.4: #(%) of schools that reviewed water policy with staff \nHSE LTO 1: Increase the number of high-performing school \nbuildings with grounds that are clean and in good repair \nLTO1.1: SEA Trends [Facilities Mgmt] \nSafe & Supportive Schools (SSS) Metrics \nSSS Process Outcomes: \nPO1: # of Behavioral Health community partnerships [BPS \nPartnership Portal] \nPO2: #(%) of schools using universal screening for mental \nhealth [BHS Records] \nPO3: # of PDs/ # of attendees \nPO3.1: Bullying/Violence Prevention [Succeed Boston] \nPO3.2: Restorative Justice [Succeed Boston] \nPO3.3: K-12 SEL Standards [SEL-I & SAWS Records] \nPO3.4: Targeted interventions for vulnerable populations", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "90499fbf-a6d7-420e-a317-cb539e457916": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 68 of 102 \n \n \n \n[BHS/Succeed Boston/Opportunity Youth Records] \nPO3.5: MTSS/CBHM [BHS Records] \nPO4: #(%) of schools with Student Support Team [Profiles] \nPO5: #(%) of middle and high schools with EPS liaisons \n[Profiles] \nPO6: #(%) of schools with a Homelessness Liaison \n[Opportunity Youth] \nPO7: #(%) of schools with trained Bullying Prevention \nLiaisons [Profiles] \nSSS STO 1: Increased # of schools trained in BPS K-12 SEL \nstandards \nSTO1.1: # (%) of schools that have all staff trained in BPS K-12 \nSEL standards [Profiles] \nSSS STO 2: Increased implementation of Multi-tiered System \nof Supports (MTSS-B) to improve school and classroom \nclimate [Profiles] \nSTO2.1: % (#) of schools that offer tier 1 supports \nSTO2.2: % (#) of schools that offer tier 2 supports \nSTO2.3: % (#) of schools that offer tier 3 supports", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "50c2a62f-144e-4054-b1dc-1b11c0a68d68": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 69 of 102 \n \n \n \nSTO2.4: % (#) of schools that implement Restorative Justice \nSSS STO 3: Increased targeted interventions for vulnerable \npopulations [Profiles] \nSTO3.1: #(%) of schools with gay straight alliances \nSTO3.2: #(%) of schools providing additional supports to \nvulnerable populations \nSSS STO 4: Increased CBHM implementation fidelity [BHS \nRecords] \nSTO4.1: Tiered fidelity inventory (measure normed) schools in \nCBHM model use \nSTO4.2: # of students screened in CBHM schools, fall and \nspring screening \nSSS STO 5: Increased # of schools with all staff trained on \nbullying prevention \nSTO5.1: #(%) of schools with staff trained on bullying \nprevention [Profiles] \nSSS STO 6: Increase in the number of schools with behavioral \nhealth partner supports", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "036ad554-1787-4468-bf6f-a8d9c7ffec35": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 70 of 102 \n \n \n \nSTO6.1: #(%) of schools with a minimum of 3 behavioral \nsupports partners [BHS Records] \nSSS STO 7: Increase in schools appropriately staffed to meet \nthe mental, emotional, and behavioral health needs of \nstudents as determined by the BPS staffing criteria for \nschool psychologists, social workers, and guidance \ncounselors \nSTO7.1: #(%) school appropriately staffed according to BPS \ncriteria [BHS/OHC Records] \nSSS STO 8: Increased quality of Student Support Teams \nSTO8.1: % of schools indicating a \u201cyes\u201d on the following \nProfiles question: \u201cInclude the following positions on their \nSST: school psychologists, social workers, guidance \ncounselors (for only HS), school nurses, community partners \nand trained classroom teachers\u201d [Profiles] \nSTO8.1: % of schools achieving Quality Index TBD \nSSS STO 9: Increased awareness of EPS policy and resources \nfor students \nSTO9.1: % of schools with an Expectant & Parenting Student", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "476b6993-e627-46e3-be7e-c1cc744e4103": { + "page_content": "STO8.1: % of schools achieving Quality Index TBD \nSSS STO 9: Increased awareness of EPS policy and resources \nfor students \nSTO9.1: % of schools with an Expectant & Parenting Student \nliaison [Profiles]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "d2662390-7d32-47ae-b8a0-9fd99a04615e": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 71 of 102 \n \n \n \nSSS IMO 1: Improved system for handling bullying incidents \nin schools \nIMO1.1: TBD \nIMO1.3: # of bullying incidents reported \nSSS IMO 2: Increased # schools with all teachers \nimplementing explicit SEL instruction \nIMO2.1: # (%) of CBHM schools with all teachers teaching \nexplicit SEL Instruction with fidelity. [BHS Records (SEL \nInstruction tool: fidelity measure)] \nIMO2.2: # (%) of all schools implementing [Profiles] \nSSS IMO 3: Decrease incidents of violence at schools \nIMO3.1: # of students with Code of Conduct Violations \n(violence)/Suspensions [SIS] \nIMO3.2: # of school referrals to Succeed Boston for violent \noffenses [Succeed Boston] \nSSS IMO 4: Increase number of schools with safe school \nclimate [School Climate Survey/ODA]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e48397f7-9369-4944-9e94-7ef368cd6df3": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 72 of 102 \n \n \n \nIMO4.1: District score on Sense of Belonging Scale \nIMO4.2: District score on Student Emotional Safety Scale \nIMO4.3: District score on Staff Support Scale \nIMO4.4: District score on Student Physical Safety Scale \nSSS IMO 5: Decrease in crisis/behavioral response requests \nfrom schools [Health Services/BHS] \nIMO5.1: # of incidents where ambulance or police has been \ncalled for behavioral health needs \nSSS IMO 6: Increase SEL Skills in students \nIMO6.1: BIMAS adaptive scales (CBHM schools) \nIMO6.2: TBD-District-wide \nSSS IMO 7: Increase in expectant and parenting students \naccessing resources \nIMO7.1: # (%) of schools with EPS liaisons \nusing/communicating liaison supports [Profiles] \nHealth Services Metrics \nHS Process Outcomes:", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ef9e7712-b335-436f-91d4-4770749aaced": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 73 of 102 \n \n \n \nPO1: Quality Improvement [HS Records] \nPO1.1: Electronic Medical Record Protocols written \nPO1.2: Formula for staffing school nurses developed \nPO1.3: System for creating a universal scorecard for nursing \npractice \nPO1.4: Nurse support system established \nPO2: Professional Development for Nurses [HS Records] \nPO2.1: #(%) of nurses trained \nPO2.3: #(%) of schools with nurses trained \nPO2.4: # of Nursing PD opportunities by type \nPO3: Nurse Liaison Technical Assistance [HS records] \nPO3.1: # of TA sessions \nPO3.2: # of schools receiving TA \nPO4: School Nurse Direct Services [SNAPNurse] \nPO4.1: # of injury visits \nPO4.2: # of acute disease management visits \nPO4.3: # of chronic disease management visits \nPO4.4: # of visit for treatments and medications", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4b8f1905-ea41-4383-8c1b-efb3b960654c": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 74 of 102 \n \n \n \nPO4.5: Case management (school nurse/PCP/parent) \nPO4.6: # of screenings/referral/completed referrals \nPO4.7: School Nurse Referrals \nPO4.7.1: # of referrals to HRCs \nPO4.7.2: # of referrals to SBHCs \nPO4.7.3: # of referrals for acute medical management \nPO4.7.4: # of referrals for chronic disease management \nPO5: # of nurse-led school staff training sessions \nPO6: # of Individual and group sessions with students \nPO7: # of health promotions \nPO8: Community partner services \nPO8.1: HRCs \nPO8.2: SBHCs \nPO8.3: # of schools receiving community partnerships by \ntype \nPO9: Condom Accessibility [HWD records] \nPO9.1: % of high schools with CATs \nPO9.3: % of CAT members trained on how to make referrals", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5f344844-f419-478c-ac39-8f0646ac5aba": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 75 of 102 \n \n \n \nand provide condoms \nHS STO 1: Increase schools appropriately staffed to meet the \nmedical needs of students as determined by the BPS Health \nServices staffing criteria \nSTO1.1: # (%) school appropriately staffed according to BPS \ncriteria [OHC]", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "9ab491ed-cf6d-442b-8173-1bf5908b1f93": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 76 of 102 \n \n \n \nHS STO 2: Increase capacity of school-based staff to deliver \nhigh quality nursing services \nSTO2.1: #(%) of schools with nurses receiving required Health \nService Professional Develop (18 hour and/or monthly \nexemplar practice) \nSTO2.2: # of nurses reviewed using the Health Services \nScorecard \nSTO2.3: # of schools with 90% or greater of immunization \ncompliance \nSTO2.4: % of Individual Health Care Plans (IHCP) \nSTO2.5: % of schools with 90% or greater compliance with \nDistrict physical exam policy \nSTO2.6: # One-on-one counseling \nSTO2.7: # of nurses receiving National Asthma Certification \nHS STO 3: Improve school-wide awareness for students with \nchronic disease \nSTO3.1: % of schools that have all Individual Health Care \nPlans (IHCP) for students with Individual Education Plans \nwith required signatures [SNAPNurse] \nHS STO 4: Increase the % of students receiving state-", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4e212501-effa-4168-badd-c3ed4e17876e": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 77 of 102 \n \n \n \nmandated screenings [SNAPNurse] \nSTO4.1: # (%) of schools with XX% of students screened \nSTO4.1.1: Hearing screening \nSTO4.1.2: Vision screening \nSTO4.1.3: SBIRT screening \nSTO4.1.4: Height & Weight (Body Mass Index) \nSTO4.2: # (%) of students with referrals for failed screening \nSTO4.3: # (%) of students with completed referrals for failed \nscreenings \nHS STO 5: Increase % of students visiting the nurse that are \nable to return to the classroom for continued learning \nSTO5.1: % of students returning to their classroom \n[SNAPNurse] \nHS STO 6: Increase the schools with nurse-lead health \npromotions campaigns \nSTO6.1: #(%) schools conducting nurse-lead health \npromotions campaigns [ESHS Data] \nHS STO 7: Increase in the % of CATs making referrals and", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "1a0675ac-c523-4a80-9055-ab0e8252873f": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 78 of 102 \n \n \n \nproviding condoms [ESHS Data] \nSTO7.1: # of condoms distributed by CATs \nSTO7.2: # of sexual health referrals by CATs \nSTO7.3: % of schools with functioning CATs \nHS STO 8: Increase the provision of sexual health referrals \n[Profiles] \nSTO8.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS STO 9: Increase in the provision sexual health services \n[Profiles] \nSTO9.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS IMO 1: Improved school-wide management for students \nwith chronic disease \nIMO1.1: # of dismissals from school related to chronic disease \n[SNAPNurse/TBD] \nStaff Wellness (SW) Metrics", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "c39f5301-0ef6-4e4d-9bd3-ced70d0ffe19": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 79 of 102 \n \n \n \nSW Process Outcomes: \nPO1: # of District communications on staff wellness related \ntopics [External Affairs/TBD] \nPO2: DWC Staff Wellness Subcommittee co-chairs identified \n[DWC Records] \nPO3: # Subcommittee meetings held [DWC Records] \nSW STO 1: Increased staff physical activity \nSTO1.1: % of staff reporting at least 30 minutes of physical \nactivity a day [TBD] \nSW STO 2: Increased staff healthy eating \nSTO2.1: % of staff reporting eating 5 servings of fruits and \nvegetables in a day [TBD] \nSW STO 3: Increased % of schools with staff wellness \nactivities and initiatives [Profiles] \nSTO3.1: % of schools with staff wellness as a goal on their \nWellness Action Plan \nSTO3.2: % of schools that answered yes to \u201cIn the past school \nyear, did your school offer any staff wellness initiatives?\u201d", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "9b0bd4b6-1be3-4fcf-950f-6ec5d58f26be": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 80 of 102 \n \n \n \nSW IMO 1: Increase in teachers\u2019 school climate \nIMO1.1: Improve professional community \nIMO1.2: Improve support for teacher development and \ngrowth \nSW IMO 2: Increased % of schools with an institutionalized \nStaff Wellness Program \nIMO2.1: % of schools with a staff wellness promotion or \nprogram that took place for an extended duration across the \nyear. [Profiles/WAP] \nWELLNESS POLICY LONG-TERM STUDENT IMPACTS \n1. Improve student physical fitness \na. % of students achieving health fitness levels (Source: \nFitnessgram) \ni. Health Fitness Zone in \u2157 assessments \nii. Health Fitness Zone for aerobic capacity \n2. Reduce prevalence of health-risk behaviors among \nstudents (Source: YRBS) \na. % of students who have ever had sexual intercourse", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2e4cfffa-eac0-431a-a832-190f5df502c6": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 81 of 102 \n \n \n \nb. % of students who had sexual intercourse in the last 3 \nmonths (i.e sexually active) \nc. % of students who had sexual intercourse with four or \nmore persons during their life \nd. % of students who have ever been pregnant or gotten \nsomeone pregnant \ne. % of students who did not go to school because they \nfelt unsafe at school or on their way to or from school \n(in the last 30 days) \nf. % of students who carried a weapon on school \nproperty (in the last 30 days) \ng. % of students who were threatened or injured with a \nweapon on school property (in the past 12 months) \nh. % of students who were in a physical fight on school \nproperty (in the past 12 months) \ni. % of students who were bullied on school property (in \nthe past 12 months) \nj. % of students who were electronically bullied (in the \npast 12 months) \nk. % of students who experienced physical dating \nviolence (in the past 12 months)", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "bfbf7632-5a2d-410e-85c7-3624470b4bfd": { + "page_content": "the past 12 months) \nj. % of students who were electronically bullied (in the \npast 12 months) \nk. % of students who experienced physical dating \nviolence (in the past 12 months) \nl. % of students who experienced sexual dating violence", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2ffa8e11-ebeb-4dac-9923-3cb9e0c59ab8": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 82 of 102 \n \n \n \n(in the past 12 months) \nm.% of students who were ever physically forced to have \nsexual intercourse (when they did not want to) \n3. Increase in protective health behaviors among students \n(Source: YRBS) \na. % of students who used a condom during last sexual \nintercourse (among students who were currently \nsexually active) \nb. % of students who used effective hormonal birth \ncontrol\u2020 to prevent pregnancy (during last sexual \nintercourse among students who were currently \nsexually active) \nc. % of students who used a condom and effective \nhormonal birth control during last sexual intercourse \n(among students who were currently sexually active) \nd. % of students who were ever tested for HIV (not \nincluding tests done when donating blood) \ne. % of students who were physically active at least 60 \nminutes per day on all 7 days \nf. % of students who did not watch 3+ hours of TV (on an \naverage school day)", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e16489f3-cbb7-43d5-8541-2d013787f437": { + "page_content": "e. % of students who were physically active at least 60 \nminutes per day on all 7 days \nf. % of students who did not watch 3+ hours of TV (on an \naverage school day) \ng. % of students who did not play video or computer \ngames or used a computer for 3+ hours per day (for", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "5ad0ce70-9c79-493b-95a9-81c6610ce479": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 83 of 102 \n \n \n \nsomething that was not school work, on an average \nschool day) \nh. % of students who ate breakfast daily (in the past \nweek) \ni. % of students who ate fruit or drank 100% fruit juices 2+ \ntimes per day (in the past week) \nj. % of students who ate vegetables 2+ times daily (in the \npast week) \nk. % of students who drank 3+ glasses of water daily (in \nthe past week) \nl. % of students who drank 1+ glasses of milk daily (in the \npast week) \nm.% of students who did not drink a soda (in the past \nweek) \nn. % of students who did not drink a sugar-sweetened \nbeverage\u2020 (in the past week) \n4. Improve feeling of school connectedness among students \n(Source: YRBS & Climate Survey) \na. % of students who have at least one teacher or other \nadult in their school that they can talk to if they have a \nproblem", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b4a654bc-d47e-4085-ae12-28279ff15d40": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 84 of 102 \n \n \n \nb. District score on student engagement in school scale \nc. District score on appreciation for diversity scale \nd. District score on student civic participation scale \n5. Improve student social-emotional wellbeing \na. District score on student social emotional health scale \nb. District score on student growth mindset scale \nc. District score on student perseverance and \ndetermination scale \n6. Improve student mental health outcomes (Source: YRBS) \na. % of students who felt depressed (sad or hopeless \nalmost every day for two weeks or more in a row that \nstopped them from doing some usual activities) \nb. % of students who did something to purposely hurt \nthemselves without wanting to die \nc. % of students who seriously considered attempting \nsuicide \nd. % of students who attempted suicide \n7. Reduce prevalence of substance use among students \na. % of students who currently used tobacco products", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "cd9ec142-aef0-45d0-808b-fb81e2a8bdba": { + "page_content": "suicide \nd. % of students who attempted suicide \n7. Reduce prevalence of substance use among students \na. % of students who currently used tobacco products \n(cigarettes, cigars, smokeless tobacco, electronic vapor", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "9aa504ed-3c3b-4edf-acea-c56016cb0e0e": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 85 of 102 \n \n \n \nproducts) \nb. % of students who currently smoked cigarettes or \ncigars \nc. % of students who currently used electronic vapor \nproducts \nd. % of students who currently drank alcohol \ne. % of students who currently binge drank (males 5+ \ndrinks; females 4+ drinks in a row) \nf. % of students who currently used marijuana \ng. % of students who ever took prescription pain \nmedication without a doctor\u2019s prescription or \ndifferently from how a doctor told them to use it \n8. Increase prevalence of students with health weight status \na. % of students with health MI status (Source: \nSNAPNurse) \n9. Reduce in prevalence of asthma among students \na. % of students with asthma diagnosis \n(Source:SNAPNurse) \n10. Reduce the prevalence of sexually transmitted diseases, \nHIV, and adolescent pregnancy among students (Source:", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "708cd900-e026-4626-9a6e-c1102ef128df": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 86 of 102 \n \n \n \nBPHC) \na. Incidence rate for chlamydia among Boston youth \nb. Incidence rate for gonorrhea among Boston youth \nc. Incidence rate for Incidence rate for gonorrhea among \nBoston youth among Boston youth \nd. Prevalence of Boston youth living with HIV \ne. Birth rate among adolescent females \n11. Decrease number of medically-related absences among \nstudents (Source: ODA) \na. # of medically-related absences among students \n12. Improve school climate for staff (Source: School Climate \nSurvey) \n \nIII. DEFINITIONS \n \nAll students attend a Boston Public School and include but are \nnot limited to students with identities that are related to culture, \nrace, ethnicity, sexual orientation, gender, gender identity, and \nability.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "6640ea3c-814c-4457-b6a4-ebe1d4fd8570": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 87 of 102 \n \n \n \nBullying is a form of emotional or physical abuse that has three \ndefining characteristics*: \n\u25cf Deliberate: A bully\u2019s intention is to hurt someone. \n\u25cf Repeated: A bully often targets the same victim again and \nagain. \n\u25cf Power imbalanced: A bully chooses victims he or she \nperceives as vulnerable. \n*Bullying is different from conflict, fights, or disagreements. It \nmust meet the above criteria. \n \nBoston Public Schools Property includes all properties where \nstudents and Boston Public School staff work or attend class. \n \nComprehensive Health Education is medically accurate, age and \ndevelopmentally appropriate, culturally inclusive, implemented \nin safe and supportive learning environments where all students \nfeel valued, and includes nutrition education. \n \nComprehensive School Physical Activity Program (CSPAP) is an \napproach by which school Districts and schools utilize all", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "97ef67f0-0681-42c9-a128-a530b59ef8fa": { + "page_content": "feel valued, and includes nutrition education. \n \nComprehensive School Physical Activity Program (CSPAP) is an \napproach by which school Districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a1bbc288-ff64-4acc-9c21-1a484c1137a6": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 88 of 102 \n \n \n \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and \ninvolvement; and family and community involvement. \n \nComprehensive Sexual Health Education is a planned, \nsequential, Pre-K \u2013 12 curriculum that is part of a comprehensive \nschool health approach which addresses age-appropriate \nphysical, mental, emotional and social dimensions of human \nsexuality. It should allow students to develop and demonstrate \ndevelopmentally appropriate sexual health-related knowledge, \nattitudes, skills and practices. The curriculum should be designed \nto motivate and assist students to maintain and improve their \nsexual health by delaying sexual initiation, preventing disease \nand too-early pregnancy and reducing sexual health-related risk \nbehaviors. It should be medically accurate, developmentally", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "3d2a4f55-d026-46df-b304-fa49fecc9636": { + "page_content": "sexual health by delaying sexual initiation, preventing disease \nand too-early pregnancy and reducing sexual health-related risk \nbehaviors. It should be medically accurate, developmentally \nappropriate, culturally, including LGBTQ inclusive, and be \nprovided by qualified, trained, and certified teachers (Future of \nSex Education). \n \nCultural Proficiency: esteeming culture, interacting effectively in \na variety of cultural groups, using inclusive language, committing \nto continuous learning. \n \nCyber bullying is bullying that takes place using electronic \ntechnology. Examples of cyber bullying include mean text", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "13330f70-119c-44e5-8ede-411c5d8c6a65": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 89 of 102 \n \n \n \nmessages or emails, rumors sent by email or posted on social \nnetworking sites, and embarrassing pictures, videos, websites, or \nfake profiles. \n \nFederally Funded Child Nutrition Programs include the National \nSchool Lunch Program, National School Breakfast Program, After \nSchool Snack Program, and the Child & Adult Care Food Program. \n \nLGBTQ is an acronym for individuals who identify as Lesbian, Gay, \nBisexual, Transgender, Queer or Questioning. \n \nHealth Literacy is the capacity of an individual to obtain, \ninterpret, and understand basic health information and services \nand the competence to use such information and services in \nways that are health enhancing (National Health Education \nStandards). \n \nHealth Services represents the component of a comprehensive \nschool health program that directly services the individual child \nand monitors health trends within the District. It includes both", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4f08865d-ddc9-44f5-bc6e-336830a8b613": { + "page_content": "Health Services represents the component of a comprehensive \nschool health program that directly services the individual child \nand monitors health trends within the District. It includes both \nthe school nurse programs and the school-based health center \nprograms. The goal of health services is to remove the \neducationally relevant health obstacles to learning by ensuring \naccess and/or referral to primary health care services, managing", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "bc3484f2-ac95-447c-97b1-e0a467af7cb6": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 90 of 102 \n \n \n \nchronic disease conditions during school hours, preventing and \ncontrolling communicable disease and other health problems, \nproviding emergency care for illness or injury, promoting and \nproviding optimum sanitary conditions for a safe school facility \nand school environment and providing educational and \ncounseling opportunities for promoting and maintaining \nindividual family and community health. \n \nNutrition Promotions are strategies, social marketing, materials, \nand oral & written communications that provide methods to shift \ncultural norms toward healthier foods and beverages. \n \nParent engagement occurs when schools are actively involving \nparents in an authentic partnership with aims of improving \nindividual student\u2019s outcomes and school wide initiatives. \n \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "aef484f0-447e-41d2-ac81-ac5f629da9ce": { + "page_content": "individual student\u2019s outcomes and school wide initiatives. \n \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE frameworks. \nPE activities that focus on a single activity, such as swimming \nand dance, count as PE only if it is part of a CSPAP and aligned \nwith BPS PE Frameworks.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8b6b7ca4-1860-4cf0-a411-c8337a1b7961": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 91 of 102 \n \n \n \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school \nday. Recess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should \nNOT be counted as PE; PA is not PE and it cannot be allocated as \nPE. \n \nSafe and Supportive Schools create a positive school climate that \nactively teaches positive behavior and engaging in prevention \nactivities to promote feelings of security and connectedness for \nstudents and adults. \n \nWellness is a process by which individuals move toward optimal \nphysical and mental health, regardless of current health status or \ndisability, by practicing healthy choices within an enabling \nenvironment that encourages healthy decision-making.", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e84b9714-fa7e-48e6-9410-4f4dda694110": { + "page_content": "physical and mental health, regardless of current health status or \ndisability, by practicing healthy choices within an enabling \nenvironment that encourages healthy decision-making. \n \n \n IV. INDEX OF FEDERAL, STATE, AND BOSTON \nPUBLIC SCHOOL WELLNESS-RELATED POLICIES & \nGUIDELINES \n \nRelevant and existing school policies, for which school-based", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a8660705-7ad0-4c0b-a44e-986cd727d616": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 92 of 102 \n \n \n \nWellness Councils and school staff must comply, are referenced \nbelow. \n \nA. School Food and Nutrition Promotion-related policies shall be \nfollowed by all Boston Public Schools: \n\u25cb Meals served in Boston Public Schools are in accordance \nwith the National School Meals Programs. Federally funded \nchild nutrition programs must comply with the nutrition \nstandards for school meals, outlined in the Healthy Hunger-\nFree Kids Act of 2010. \n\u25cb 105 CMR 225: Nutrition Standards for Competitive Foods and \nBeverages in Public Schools \n\u25cb Mayor Menino\u2019s Executive Order for Healthy Beverages \n\u25cb FNS-01: Food Nutrition Services \n\u25cb FNS-02: Emergency Meal Procedures \n\u25cb FNS-03: Nutrition Policy \n\u25cb FNS-04: Responsibilities Regarding School Food Services \n \nB. Comprehensive Physical Activity and Physical Education-\nrelated policies shall be followed by all Boston Public Schools: \na. Massachusetts Legislation", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a10b681a-65bd-4fcf-996f-06950f8961ff": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 93 of 102 \n \n \n \n\u25cb MGL c. 71, s. 3: Physical Education \nb. District Circulars \n\u25cb HWD-02: Physical Education and Physical Activity Policy \n\u25cb ATH-01: Prevention & Management of Sports-Related \nHead Injuries \n \nC. Comprehensive Health Education-related policies shall be \nfollowed by all Boston Public Schools: \n\u25cb HWD-03: Comprehensive Health Education Policy \n\u25cb HWD-05: Human Sexuality Education-Parental Notification \n \nD. Healthy School Environment-related policies shall be followed \nby all Boston Public Schools: \na. Massachusetts Legislation \n\u25cb MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nb. District Circulars \n\u25cb BPS Water Access Policy \n\u25cb FMT-07: Chemical Inventory \u201cRight to Know\u201d Law \n\u25cb FMT-08: System-wide Zero Waste Policy", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "9c100b5c-fc43-47ac-ada2-a272a6905901": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 94 of 102 \n \n \n \n\u25cb FMT-10: Integrated Pest Management (IPM) \n\u25cb FMT-11: Green Cleaners Policy \n\u25cb FMT-14 Hearing Conservation Program \n\u25cb FMT-15: BPS/Boston Public Health Commission \nEnvironmental Inspection/Audit Program (City \nOrdinance 7.12.1-4) \n\u25cb FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \n\u25cb HWD-04: Whole School Health & Wellness: Healthy \nSchool Environment Policy \n\u25cb HWD-06: Tobacco Free Environment Policy \n\u25cb SHS-04: Infection Prevention and Control in School \nSettings \n\u25cb SHS-20: Asthma in Schools \n \nE. Safe and Supportive Schools-related policies shall be followed \nby all Boston Public Schools: \na. Federal Legislation \n\u25cb Elementary and Secondary Education Act of 1965, as \namended, Title IV, Part A, Subpart 2, Section 4121 - \nFEDERAL ACTIVITIES; 20 U.S.C. 7131", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "77d3073c-396e-4532-864f-42518e4c9a1e": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 95 of 102 \n \n \n \nb. Federal Regulations \n\u25cb Education Department General Administrative \nRegulations (EDGAR) - 34 CFR Parts 75, 77, 79, 80, 81, 82, \n84, 85, 86, 97, 98, 99 (b) The regulation in 34 CFR part 299 \n\u25cb Title VI of the Civil Rights Act of 19641 (Title VI), which \nprohibits discrimination on the basis of race, color, or \nnational origin; \n\u25cb Section 504 of the Rehabilitation Act of 19733 (Section \n504); and Title II of the Americans with Disabilities Act of \n19904 (Title II). Section 504 and Title II prohibit \ndiscrimination on the basis of disability,5 as referenced \nin the Office of the Assistant Secretary\u2019s \u201cDear \nColleague\u201d letter of October 2010. \n\u25cb Title IX, Education Amendments of 1972 which prohibits \ndiscrimination on the basis of sex, including individuals \nwho are pregnant or parenting. \n\u25a0 Title 20 U.S.C. Sections 1681-1688 \nc. Massachusetts Legislation \n\u25cb SL 2010, c.92: Bullying in Schools", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "c6e5e065-c4cd-4f51-a5eb-78ef0b556a85": { + "page_content": "discrimination on the basis of sex, including individuals \nwho are pregnant or parenting. \n\u25a0 Title 20 U.S.C. Sections 1681-1688 \nc. Massachusetts Legislation \n\u25cb SL 2010, c.92: Bullying in Schools \n\u25cb MGL c.12, s.11H: Violation of Constitutional Rights \n\u25cb MGL c.265 s.43: Stalking \n\u25cb MGL c.265, s.43A: Criminal Harassment \n\u25cb MGL c.266, s.37E: Identity Fraud", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2a331e25-daf5-4990-900a-818eccca10cd": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 96 of 102 \n \n \n \n\u25cb MGL c.269, s.17: Hazing \n\u25cb MGL c.269, s.18: Failure to Report Hazing \n\u25cb MGL c.269, s.19: Schools to provide copy of hazing law to \nstudents \n\u25cb MGL c.119, s.21: Mandated Reporters defined. \n\u25cb MGL c.119, s.51A: Mandated Reporting explained \n\u25cb MGL c.76, s. 5 An Act Relative to Gender Identity \n\u25cb CHAPTER 188 An Act Improving the Public Schools of \nthe Commonwealth \nd. Massachusetts Regulations \n\u25cb 610 CMR 5 Hazing Reporting- Secondary Schools \n\u25cb 603 CMR 33 Hazing Reporting- Higher Educations \n\u25cb 603 CMR 49 Notification of Bullying or Retaliation \ne. District Circulars \n\u25cb ACA-18: Attendance Policies \n\u25cb ACA18A: Attendance Procedures \n\u25cb ACA-18B: Procedures for Referral to Supervisors of \nAttendance \n\u25cb EQT-07: Accommodating Employees with Disabilities", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2327e9ca-85c5-4b13-9aa7-5824c020460e": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 97 of 102 \n \n \n \n\u25cb EQT-05: Employee Reports of Bias \n\u25cb EQT-02: Student, Family or Other Third Party Reports of \nBias \n\u25cb EQT-01: Non-Discrimination Policy and Statement \n\u25cb EQT-06: Sexual Misconduct Toward Employees \n\u25cb EQT-03: Sexual Misconduct Toward Students \n\u25cb EQT-04: Students and Gender Identity \n\u25cb LGL-11: Sexual Orientation \u2013 Protection of Students \nAgainst Discrimination \n\u25cb FAM-01: School Site Councils \n\u25cb FAM-02: School Parent Council \n\u25cb FAM-03: Middle and High School Student Government \n\u25cb FAM-05: Title I Family Engagement Requirements \n\u25cb FSE-01: School Safety Contingency Plans \n\u25cb FSE-02 Fire Safety Practices \n\u25cb FSE-04 Bomb Threat Procedures \n\u25cb FSE-05 Medical Emergency Management \n\u25cb FSE-06 Student Safety / Health in School Shops, \nLaboratories and Classrooms", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f9180d53-c7ba-4a87-8b51-256a1a13356f": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 98 of 102 \n \n \n \n\u25cb FSE-07 Public Health and Workplace Safety \n\u25cb FSE-08 Teaching Students the Containment Protocol \nMini-Session \n\u25cb LGL-01 Hazing Law \n\u25cb LGL-04 School Visitors Guidelines \n\u25cb LGL-05 Racial or Ethnic Discrimination/Harassment of \nStudents \n\u25cb LGL-06 Religious Holy Days \n\u25cb LGL-13 Sexual Assault Policy \n\u25cb LGL-15 Student Surveys \n\u25cb LGL-17 Religious Expression in Public Schools \n\u25cb LGL-20 Corporal Punishment \n\u25cb SAF-01 Student Search Procedures \n\u25cb SAF-02 Weapons and Objects of No Reasonable Use \n\u25cb SAF-04 Incident Data Reporting and Release \n\u25cb SAF-07 Metal Detectors \n\u25cb SAF-09 Lost Children Procedures \n\u25cb SAF-11 Sexual Offender Registry Information (SORI) \n\u25cb SAF-12: School Access Control", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7fc4996d-deac-44ee-9953-849a5ff6c948": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 99 of 102 \n \n \n \n\u25cb SHS-01: Drug and Alcohol Abuse \n\u25cb SHS-16: Suicide Prevention and Intervention \n\u25cb SPE-03: Physical Restraint Policy \n\u25cb SPE-14: Counseling Guidelines \n\u25cb SPE-15: Discipline of Students with Disabilities \n\u25cb SSS-02: Homeless Students - Guidelines and Procedures \n\u25cb SSS-07: Persistently Dangerous Schools \n\u25cb SSS-18: Bullying Prevention and Intervention Plan \n\u25cb SUP-20: Child Abuse and Neglect \n\u25cb SUP-21: Expectant & Parenting Students \n\u25cb SUP-05: Code of Discipline \n \nF. Health Services-related policies shall be followed by all Boston \nPublic Schools \n\u25cb ATH-01: Prevention & Management of Sports-Related Head \nInjuries \n\u25cb FSE-05 Medical Emergencies \n\u25cb SHS-23: Condom Accessibility \n\u25cb LGL-16: Student Health Information", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "109ff658-bdcf-459e-8e4c-217c7933552b": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 100 of 102 \n \n \n \n\u25cb SHS-04: Infection Prevention and Control in School Settings \n\u25cb SHS-05: Tuberculosis Program \n\u25cb SHS-06: Immunization Law \n\u25cb SHS-08: Medication Dispensation \n\u25cb SHS-11: Life Threatening Allergies (LTA or Anaphylaxis) Policy \nand Implementation \n\u25cb SHS-12: HIV/AID Policy and Guidelines \n\u25cb SHS-13: Medical Transportation \n\u25cb SHS-20: Asthma in Schools \n\u25cb SHS-21: Diabetes Policy \n\u25cb SHS-22: Automatic External Defibrillator (AED) Use and \nAccess Policy \n \nG. Cultural Proficiency-related policies shall be followed by all \nBoston Public Schools \n\u25cb CAO-05: Services to Limited English Proficient Students \n\u25cb ELL-04: Title I Expenditures for English Language Learners \n\u25cb EQT-01: Non-Discrimination Policy and Statement \n\u25cb EQT-02: Student, Family or Other Third Party Reports of Bias", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8fd44262-69c4-440c-bf21-4dd84366da76": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 101 of 102 \n \n \n \n\u25cb EQT-03: Sexual Misconduct Toward Students \n\u25cb EQT-05: Employee Reports of Bias \n\u25cb EQT-06: Sexual Misconduct Toward Employees \n\u25cb EQT-07: Accommodating Employees with Disabilities \n\u25cb FAM-02: School Site Councils \n\u25cb FAM-01: School Parent Council \n\u25cb FAM-03: Middle and High School Student Government \n\u25cb FAM-05: Title I Family Engagement Requirements \n\u25cb FAM-06: Boston Student Advisory Council \n\u25cb LGL-05: Racial or Ethnic Discrimination/Harassment of \nStudents \n\u25cb LGL-11: Sexual Orientation - Protection of Students Against \nDiscrimination", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b6e61b5b-34c8-4eb9-ac7c-9804798f4b7d": { + "page_content": "Superintendent\u2019s Circular HWD-01 \nPage 102 of 102 \n \n \n \n \nFor more information about this circular, contact: \n \nOwner: Senior Executive Director of Health & Wellness \nDepartmen\nt: Health & Wellness \nMailing \nAddress: 370 Columbia Rd, Dorchester, MA 02125 \nPhone: 617-635-9698 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HWD-01 Wellness Policy .pdf", + "source_link": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "b91f8d24-3bbd-4b3a-bd3f-72f5f343e1f8": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nHWD-02 \nVersion 01 \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nRegular physical activity is one of the most important factors \naffecting health. It helps control weight, reduces the risk of \ndeveloping cardiovascular disease and diabetes, improves mental \nhealth and mood, and increases longevity. Most Boston Public \nSchool (BPS) students are not physically active for the 60 minutes \nper day recommended by the Center for Disease Control. Only 16% \nof BPS high school students reported being physically active for \nthe recommended time, and only 40% reported having weekly \nphysical education, according to the 2015 Boston High School \nYouth Risk Behavior Survey (YRBS). Twenty-three percent of \nmiddle school students reported being physically active for the \nrecommended time and 80% reported having weekly physical", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7698a8e7-91b4-49d2-88e3-450aaa0947d9": { + "page_content": "Youth Risk Behavior Survey (YRBS). Twenty-three percent of \nmiddle school students reported being physically active for the \nrecommended time and 80% reported having weekly physical \neducation, according to the 2013 Boston Middle School YRBS. This \nlack of physical activity is contributing to an epidemic of \noverweight and obesity in BPS students. Measurement of \nstudents\u2019 Body Mass Index in 1st, 4th, 7th and 10th grades revealed \nthat 39% of BPS students are at an unhealthy weight (2015).", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "72ee842e-077e-411e-8cd6-141aca7f294d": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 2 of 18 \n \nRecent national, cumulative evidence shows clear links between \nschool-based physical activity, including physical education, and \nacademic success. Most of the studies report that physical activity \nwas positively related to academic performance, including \nacademic achievement (grades, standardized test scores); \nacademic behavior (on-task behavior, attendance); and factors \nthat can positively influence academic achievement \n(concentration, attention, improved classroom behavior). Most \nimportantly, adding time during the school day for physical \nactivity does not appear to take away from academic \nperformance. Given these findings, the BPS recommends that \nschools increase the amount of time spent in physical education \nand/or increase the quality of their physical education program, \nprovide recess and physical activity breaks in the classroom, \npromote walk/ bike to school programs, and offer non-competitive", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4e84c904-2bb1-4995-aa5c-9eb6c6cfb7ca": { + "page_content": "and/or increase the quality of their physical education program, \nprovide recess and physical activity breaks in the classroom, \npromote walk/ bike to school programs, and offer non-competitive \nintramural and interscholastic sports. \nTo improve health and academic outcomes, BPS is implementing \nstrategies to increase the frequency and quality of physical \neducation (PE) and physical activity (PA) for BPS students. A PE & \nPA Task Force was formed in November 2010 to align the district\u2019s \nPE-related policies and bring the district into compliance with MA \nGeneral Laws Chapter 71, Section 3 that states: \n\u201cPhysical education shall be taught as a required subject in all \ngrades for all students in the public schools for the purpose of \npromoting the physical well-being of students.\u201d \nWith input from BPS principals, physical education teachers, BPS \nWellness Council members, BPS department heads, Academic \nSuperintendents, Labor Relations, and other district-leaders, the", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ca824dec-0ee8-4343-a02d-bf0c988530ec": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 3 of 18 \n \nPE & PA Taskforce created the PE & PA Policy to align the former \nBPS policies. \n \nDEFINITIONS \nComprehensive School Physical Activity Program (CSPAP): An \napproach by which school districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and \ninvolvement; and family and community involvement. \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "22552d56-f31c-4eea-8511-fd9d259a77c5": { + "page_content": "curricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE Frameworks. PE \nis comprehensive and includes student learning competencies \nthat cross all four strands of the BPS PE Frameworks 1) Movement \n2) Health-Related Fitness 3) Personal and Social 4) Lifelong \nPhysical Activity. PE activities that focus on a single activity, such \nas swimming and dance, count as PE only if it is part of a CSPAP \nand align with the BPS PE Frameworks. \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school day.", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "05de943a-15d6-46b9-978c-ca5718f4c8bf": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 4 of 18 \n \nRecess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should NOT \nbe counted as PE; PA is not PE and it cannot be allocated as PE. \nModerate-to-Vigorous Physical Activity (MVPA) is measured by an \nincrease in heart rate, breathing, and body temperature. \nModerate physical activity refers to activities equivalent in \nintensity to brisk walking or bicycling. Vigorous physical activity \nproduces large increases in breathing or heart rate, such as \njogging, aerobic dance or bicycling uphill. \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and fitness \nby bringing more physical education and physical activity to \nschools; improving the quality of physical education and recess; \nand increasing the equity of physical activity programs and", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "d5db025b-7549-40ed-852a-bc11046d1da7": { + "page_content": "by bringing more physical education and physical activity to \nschools; improving the quality of physical education and recess; \nand increasing the equity of physical activity programs and \nresources across our schools. Activities will be inclusive to meet \nthe needs, interests, abilities and cultural diversity of all students, \nincluding students of all gender identities, students with \ndisabilities, and students with special healthcare needs. \nNumerous studies indicate that regularly engaging in moderate-\nto-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children\u2019s cognitive function, \nability to concentrate in class, and academic performance. Thus, \nas a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0256a343-ccea-443d-be7e-8c43f2823fae": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 5 of 18 \n \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a \nphysically active lifestyle. Additionally, by establishing a safe, \nsupportive and engaging school environment, athletic programs \nencourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "39dff34f-05b1-42bb-bba7-b6ca1f7d6b7d": { + "page_content": "healthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in \nschool. In this way, athletics contributes to the academic success \nof students. \nIn accordance with state law, all schools must provide all students \nin all grades with opportunities for physical activity. Schools must \noffer at least 150 minutes of in-school physical activity weekly in \ngrades PreK-8, including required physical education, movement \nbreaks, recess, or lessons involving movement structured to \nsupport moderate-to-vigorous physical activity (MVPA). In grades \nPreK-8, students are expected to have at least 20 minutes of daily \nrecess. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment nor \nwithhold opportunities for physical activity during the school day", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ce8c3110-7368-4714-8a71-a93f45b549e7": { + "page_content": "Teachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment nor \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8d6c3ebd-7210-4218-9735-51bbebf3c294": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 6 of 18 \n \nbreaks, or physical education) as punishment for any reason other \nthan illness or safety or as approved by the school leader. This \nincludes denying a student physical activity time in order to make \nup work unless under unusual circumstances. The district will \nprovide teachers and other school staff with a list of ideas for \nalternative ways to discipline students. \nAll schools must offer standards-based physical education (PE) for \nall students in all grades. Schools are required to offer at least 45 \nminutes of weekly PE in grades PreK-8 and at least one semester \n(equivalent of a half school year) of PE each year in grades 9-12. \nWe recommend that schools provide at least 80 minutes of \nweekly PE in grades PreK-8. In order to help schools work toward \nthis recommendation, Boston Public Schools will develop an \nimplementation plan with input from current principals and", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ea06475f-f6d1-4172-94aa-0940fb0aa5d4": { + "page_content": "weekly PE in grades PreK-8. In order to help schools work toward \nthis recommendation, Boston Public Schools will develop an \nimplementation plan with input from current principals and \nheadmasters. This implementation plan will be shared with the \nSchool Committee. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity \nbreaks or physical education) as punishment for any reason; or \ndeny a student physical activity time in order to make up work \nunless under unusual circumstances. \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array of \nphysical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "805e5784-d121-4ce2-b4b1-957414388396": { + "page_content": "physical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day,", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "fb1cb504-32de-4a34-8e9a-656466238f35": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 7 of 18 \n \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after \nschool programs, intramurals and interscholastic sports, and in \ntheir school commute. \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and \neasier trip to and from school when students and staff are walking, \nbicycling, using public transit or other means of physically active \ntransport. The District will encourage 7-12th grade students to use \npublic transportation when available and appropriate for travel to \nschool, and will work with the local transit agency to provide", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8a3442ba-8fa5-4cf6-8d53-715b969dff7f": { + "page_content": "public transportation when available and appropriate for travel to \nschool, and will work with the local transit agency to provide \ntransit passes for eligible 7-12th grade students. The District will \nprovide resources to schools, students and families regarding \nwalking, riding a bicycle, using public transit or other forms of \nactive transportation. The District will encourage wellness \ncouncils, school administrators and students, staff, families and \ncommunity partners to assist the District in promoting safe, \nphysically active travel to and from school. Schools are \nencouraged to designate a transportation liaison to facilitate \ncommunication regarding District efforts to promote safe, \nphysically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "625be7dd-e555-4ba5-b694-62330e540919": { + "page_content": "participate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport.", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "967e9784-0077-4091-b9e0-bfe2e79ee57b": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 8 of 18 \n \nIMPLEMENTATION GUIDELINES \nA. State law requires that all students in grade K-12 receive \nphysical education. \n \n1.) The BPS PE Curriculum must meet the following criteria: \na. The curriculum is standards-based and it aligns with BPS \nPE Curriculum Frameworks. \nb. The curriculum provides moderate-to-vigorous physical \nactivity (MVPA) during at least 50% of PE class time. \nc. The PE scope and sequence for each grade level must \ninclude district-sponsored PE curriculum, such as SPARK \nin K-12th grades and Project Adventure in K-12th grades. \n \n2.) Student assessments in PE must include the following: \na. Graded competency (i.e. knowledge, skills, practice) and \nparticipation (i.e. effort, proper attire, teamwork) \nassessments that are reflected on all students\u2019 report \ncards. \n \n3.) BPS PE classes have the following requirements for scheduling: \na. Reflected on all schools\u2019 master schedules and on all \nstudents\u2019 report cards.", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ea0961db-9d75-4c1d-a49d-f793aa2f6c1c": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 9 of 18 \n \n4.) Staffing requirements include: \na. BPS supports a learning environment in which all teachers \nare highly qualified in the subject areas they teach. \nTherefore, PE class must be taught by a teacher that holds \nan active and valid PE teaching license from the MA \nDepartment of Elementary and Secondary Education. \nb. If a school is unable to provide all students in all grades \nwith PE instruction from licensed PE teachers, they should \ncontact the Office of Health and Wellness for support with \nidentifying district-approved staffing alternatives. All PE \nstaffing alternatives must be approved by HR, the Office of \nHealth and Wellness, and the school\u2019s respective \ninstructional superintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in situations \nthat increase opportunities for students. \n \n5.). School Wellness Councils are required to develop a school-", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "47a04717-462d-421c-823f-1b00eb27a594": { + "page_content": "considered in extenuating circumstances or in situations \nthat increase opportunities for students. \n \n5.). School Wellness Councils are required to develop a school-\nbased Comprehensive School Physical Activity Plan (CSPAP) as a \npart of the Wellness Action Plan that includes: \na. A school-based CSPAP Policy that documents the CSPAP \nImplementation Guidelines. \nb. The CSPAP Implementation Guidelines must outline how \nall students in grades K-8 are to receive at least 45 minutes \nof PE per week, and how all students in grades 9-12 receive \nat least 1 semester of PE per grade. \nc. The CSPAP Implementation Guidelines also include a plan \nthat outlines how the school aims to provide 150 minutes \nof in-school physical activity in grades k-8, including", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "abe9a469-6fba-4525-a3ab-976278da5020": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 10 of 18 \n \nrequired physical education, movement breaks, recess, or \nlessons involving movement. In grades PreK-8, students \nare expected to have a minimum of 20 minutes of daily \nrecess; this must be included in the CSPAP. \nd. School staff shall be provided resources to integrate \nphysical activity into their academic lessons. Contact the \nOffice of Health and Wellness for resources. \ne. School wellness councils will work with building principals \nand Facilities Management/ Planning to identify safe and \nappropriate indoor and outdoor space for group physical \nactivity and physical education. The lack of identified \nsingle-use physical activity spaces (i.e., gymnasiums) will \nnot hinder schools from offering an environment \nconducive to physical activity and implementation of a \nCSPAP plan. Examples include: \n\u25cb Shared classroom space (mobile physical education \nclasses conducted in classrooms) \n\u25cb Schoolyard", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "424b953a-5cbb-4656-b0d6-1c4b943aa3e0": { + "page_content": "conducive to physical activity and implementation of a \nCSPAP plan. Examples include: \n\u25cb Shared classroom space (mobile physical education \nclasses conducted in classrooms) \n\u25cb Schoolyard \n\u25cb Creative use of hallway space or other shared spaces \nin buildings \n\u25cb Repurposing classroom or other building spaces for \nphysical activity \n\u25cb Co-teaching with other content areas \n \nB. Schools shall offer daily physical activity opportunities during \nthe school day. \nTo that end principals/heads of school can: \na. Integrate daily physical activity into the classroom", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4acc3df3-3ed4-4153-b417-29bc857ca8bf": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 11 of 18 \n \nsetting with kinesthetic learning, cross-curricular \nlessons, and team teaching \nb. Encourage short physical activity breaks between \nlessons or classes, as appropriate \nc. Encourage school-wide physical activity promotions like \npedometer challenges, field day, dance-a-thon, walk-a-\nthon, active transport, etc. \nd. Provide opportunities for daily recess with at least 20 \nminutes a day of supervised recess, preferably outdoors, \nduring which time staff encourage moderate to \nvigorous activity and provide appropriate space and \nequipment. In grades K-8, daily recess is required. \ne. Schedule recess before lunch so that students will come \nto lunch less distracted and ready to eat. \n \nC. Schools shall offer daily physical activity opportunities during \nextended day programs and out of school time which includes \nbefore and after school programs. \nTo that end principals/headmasters can:", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "14f7b3db-69f8-425e-90e4-56a25e782ce2": { + "page_content": "extended day programs and out of school time which includes \nbefore and after school programs. \nTo that end principals/headmasters can: \na. Allow school spaces and facilities to be available for school-\nsponsored activities that promote fitness for its students \nduring extended and non-school hours, as circumstances \npermit. \nb. Remain in alignment with best practices and \nrequirements for licensed school-age care programs \npartnering with schools (606 CMR 7). Specifically \n\u25cb Providing daily indoor and outdoor time periods, \nweather permitting, which include both small and", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "595ada4f-8e5e-4e05-bbf3-b14e021a253f": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 12 of 18 \n \nlarge muscle activities; \n\u25cb Each school shall dedicate at least 30-60 minutes of \nmorning or afterschool program time to physical \nactivity for all students; \nc. Partner with local government and community-based \nagencies to support active transport to school by \nreducing/eliminating hazards and increasing accessibility \n(i.e., bicycle parking). \n \nD. Safe Routes to School Boston \nThe District will encourage students to be physically active before \nand after school by promoting walking/ biking/rolling to school \nthrough a comprehensive Safe Routes to School Boston program, \nincluding encouragement, education, evaluation, \nengineering/environment, enforcement, and equity strategies. \nSchools should include Safe Routes to School in their Annual \nWellness Action Plans. \n \na. Equity strategies: Consider the barriers and concerns, and \nopportunities that face families and ensure equitable", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e14d3052-4f58-4e58-9bf6-d352285aca10": { + "page_content": "Wellness Action Plans. \n \na. Equity strategies: Consider the barriers and concerns, and \nopportunities that face families and ensure equitable \nopportunities in each strategy of this initiative. \nb. Encouragement strategies: \n\u25cb Walking Promotions (e.g. Walk to School Days, \nWalking Challenges, School-wide Promotions) \n\u25cb Establishing a school Park and Walk site \n\u25cb Walking School Buses \nc. Education strategies:", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f20f3ead-1d6c-4a93-b1f6-370b19b03e29": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 13 of 18 \n \n\u25cb Implementing an active transportation safety \ncurriculum in health or physical education. \n\u25cb Developing and disseminating preferred Walking \nRoute Maps that provide students and parents with \nthe additional tools to travel safely to and from \nschool. \n\u25cb Disseminating walking tips and simple pedestrian \nsafety information and promotional materials. \nd. Evaluation of Need strategies: \n\u25cb Conduct a walk audit to identify concerns regarding \nthe physical/environmental conditions that surround \nyour school. \n\u25cb Conduct a travel hand tally to understand the impact \nand number of students that will benefit. \ne. Engineering/Environment strategies: \n\u25cb Alert proper authorities regarding environmental \nsafety concerns. Engineering or other environmental \nissues should be reported through BOS: 311, other \npressing concerns should be reported to BPS \nTransportation. \n\u25cb Increase accessibility and support for those choosing", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f6c78ba9-4134-4351-b71e-20249e05c855": { + "page_content": "issues should be reported through BOS: 311, other \npressing concerns should be reported to BPS \nTransportation. \n\u25cb Increase accessibility and support for those choosing \nto ride by installing secure bicycle storage and \ndesignating facilities for storing other wheeled \ndevices like scooters. \nf. Enforcement strategies: Share Preferred Walking Routes \nwith local police stations for proper crossing guard \nassignment and heightened awareness on popular routes.", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "d82de4d7-1f60-4d43-bd29-1a97b770be8c": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 14 of 18 \n \nE. Community Partnerships \nProviding students and families with access to safe, affordable, \nand convenient places to be physically active is an important \nstrategy for promoting health and reducing risk for obesity. \nCommunity partners are a vital, valuable aspect of quality physical \nactivity programs and can meaningfully support PE and PA in \nBPS. School officials are encouraged to work with partners to \ndevelop a written joint use agreement that delineates the terms \nand conditions for joint use and the responsibilities of all parties. \nCommunity partners must follow the BPS Community Partner \nPolicy. To that end, principals/heads of school can work with \ncommunity partners to: \na. Secure mini-grant funding \nb. Use of facilities on and off-campus \nc. Training/professional development \nd. Assist with program implementation \ne. Work with community partners to create additional", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "dd8b762c-a6bf-4e42-82be-f0d2739d587e": { + "page_content": "b. Use of facilities on and off-campus \nc. Training/professional development \nd. Assist with program implementation \ne. Work with community partners to create additional \nopportunities that meet the unique needs of their school \n \nF. Physical Activity and Punishment \nTeachers and other school and community personnel shall not: \na. Use physical activity (e.g., running laps, pushups) as \npunishment \nb. Withhold opportunities for physical activity during the \nschool day (including but not limited to recess, \nclassroom physical activity breaks or physical education) \nas punishment for any reason", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "7ebc1491-d484-48ff-8082-6884b65402e7": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 15 of 18 \n \nc. Deny a student physical activity time in order to make \nup work unless under unusual circumstances \nThe district will provide teachers and other school staff with a list \nof ideas for alternative ways to discipline students. \n \nMONITORING, COMPLIANCE & SUPPORT \n \n1. Monitoring Curriculum \na. Scope and Sequence: Each school must annually \nsubmit a PE scope and sequence for each grade level to \nthe School Wellness Councils; the scope and sequences \nmust align with BPS PE Curriculum Frameworks. The \nOffice of Health and Wellness can support schools in \naligning their PE scope and sequence with the BPS PE \nCurriculum Frameworks. If necessary, the School \nWellness Councils may be asked to submit the school\u2019s \nPE scope and sequence. \n \n2. Monitoring Assessments \na. Report Cards: All students\u2019 report cards must include a \ngrade for taking PE class. \n \n3. Monitoring school-based Comprehensive School Physical \nActivity Plan (CSPAP)", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "82266db4-30ee-460f-a60d-a9c793edd968": { + "page_content": "2. Monitoring Assessments \na. Report Cards: All students\u2019 report cards must include a \ngrade for taking PE class. \n \n3. Monitoring school-based Comprehensive School Physical \nActivity Plan (CSPAP) \na. Wellness Actions Plans: School Wellness Councils\u2019", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "53c16236-b12a-42f4-8484-1f0c462fcba3": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 16 of 18 \n \nCSPAP will include their school-based CSPAP Policy \nthat outlines how all students in all grades will receive \nweekly physical activity. \nb. The Office of Health and Wellness will monitor School \nWellness Councils\u2019 CSPAP. \nc. The Office of Health and Wellness will monitor the \ncommunity partner\u2019s compliance with the BPS \nCommunity Partner Policy.. \n \n4. Monitoring Scheduling and Graduation Requirements \na. Master Schedules: All schools must reflect adequate PE \non their master schedule. \nb. Student Report Cards: All students\u2019 report cards must \ninclude PE to determine compliance with the PE & PA \nPolicy and to determine students\u2019 graduation eligibility. \n \n5. Monitoring Staffing: \na. Staffing Reports: The Office of Human Capital will \nannually conduct PE staffing reports for each school. \nThe PE staffing reports will be monitored to determine \ncompliance with the PE Staffing Policy for BPS.", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f99d73c8-d0a3-46c7-8d31-48dfa28f0a1f": { + "page_content": "annually conduct PE staffing reports for each school. \nThe PE staffing reports will be monitored to determine \ncompliance with the PE Staffing Policy for BPS. \n \n6. The Office of Health and Wellness will support schools in \ntheir efforts by providing: \na. Yearly professional development opportunities for both \nphysical education teachers and school-based \npersonnel", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "60f43394-08e8-4b6b-8541-adc646c44795": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 17 of 18 \n \nb. Professional development opportunities for recess-\nbased personnel \nc. Schools shall be provided resources to integrate \nphysical activity into their academic lessons \nd. Resources available for school staff include: \n\u25cb Field-day guides \n\u25cb Physical Activity Curriculum \n\u25cb Physical Activity Breaks \n\u25cb Recess temperature recommendations \n\u25cb Active Recess materials \n\u25cb Guide to Before and After School Activities \n\u25cb A list of physical activity community partners and \ncontact information \n7. Schools Non-Compliant with PE & PA Policy: \nThe principal and relevant school superintendent will be notified \nby the Office of Health and Wellness if a school is found not to be \ncompliant. The Office of Health and Wellness will work directly \nwith the school to support the development of a CSPAP \nImprovement Plan that puts the school on track for compliance \nwith the PE & PA Policy. \nSchool administration, teachers, families, students, community-", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "3f58117e-61b0-4c2a-82f5-eea09fcc68a5": { + "page_content": "Improvement Plan that puts the school on track for compliance \nwith the PE & PA Policy. \nSchool administration, teachers, families, students, community-\nbased organizations, and wellness councils will be provided \ninformation about the policy to engage and support \nimplementation, monitoring, and compliance. The BPS Office of \nHealth and Wellness will provide an implementation guide that \nwill include strategies and support for professional development, \ncurriculum, partnership development, instructional materials, \nschool-based PA strategies, and other resources.", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "90d6bbf6-8753-42ca-a60c-28ef45ca7d2a": { + "page_content": "Superintendent\u2019s Circular HWD-02 \nPage 18 of 18 \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & Wellness \nDepartment: Health and Wellness \nMailing \nAddress: \n370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-6643 \nEmail: healthandwellness@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HWD-02 Phys Ed & Physical Activity.pdf", + "source_link": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "3388f3b8-afb2-4b46-8215-0eae31e1c62a": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-06 \nVersion 01 \n \n \n \nTOBACCO AND NICOTINE-FREE ENVIRONMENT \nPOLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nA Tobacco Policy Task Force met during the 2010-2011 school year \nto review the BPS smoking policy and develop recommendations \nfor a comprehensive tobacco policy that addressed all tobacco \nproducts, including e-cigarettes or electronic vapor products for \nthe Boston Public Schools. Task force members included \nrepresentatives from Health Services, Facilities, Health & Wellness \nDepartment, School Safety, teachers, students, parents, and a \nhigh school head of school. The policy was updated again in the \nfall of 2019 to remain current with language around electronic \ncigarettes and best practices for vaping prevention. \nThe Tobacco and Nicotine-Free Environment Policy is motivated \nby the philosophy that every staff person, student, and visitor", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "33ff810b-b8cf-4d8a-a63a-cfd73865bc68": { + "page_content": "cigarettes and best practices for vaping prevention. \nThe Tobacco and Nicotine-Free Environment Policy is motivated \nby the philosophy that every staff person, student, and visitor \nshould have the right to breathe clean air in their school and \nwork environment and that BPS is acutely aware of the serious \nhealth risks associated with the use of tobacco or nicotine \nproducts, both to users and non-users. The policy recognizes that \nthe use or promotion of tobacco or nicotine products on school", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "adb6d23a-abfc-4f75-ae4c-3380194647e6": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 2 of 14 \n \n \n \ngrounds and at off-campus school-sponsored events is \ndetrimental to the health and safety of students, staff, and \nvisitors. BPS acknowledges that adult staff and visitors serve as \nrole models for students and embraces its obligation to promote \npositive role models in schools, and to provide an environment \nfor learning and working that is safe, healthy, and free from \nunwanted smoke and tobacco or nicotine product use, including \nvaping, for students, staff, and visitors. Therefore, a \ncomprehensive policy was adopted to prohibit the use of any \ntobacco or nicotine products. The Boston Public Schools have \nprohibited smoking on school property since 1987 when the \nSchool Committee of the City of Boston first adopted a Smoking \nPolicy. \nA Tobacco-Free Environment Policy has been developed to \ncomply with and extend beyond the Massachusetts Smoke-Free \nWorkplace Law (M.G.L. c. 270, \u00a7 22) and Boston\u2019s Clean Air Works", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0c8d919f-ac45-4c8d-ae74-43fb59865f71": { + "page_content": "Policy. \nA Tobacco-Free Environment Policy has been developed to \ncomply with and extend beyond the Massachusetts Smoke-Free \nWorkplace Law (M.G.L. c. 270, \u00a7 22) and Boston\u2019s Clean Air Works \nWorkplace Smoking Restrictions Regulation. Furthermore, this \npolicy has been reinforced by the Education Reform Act of 1993 \nand M.G.L. c.71 \u00a7 2A. This policy is a part of the District Wellness \nPolicy (HWD-01) and Healthy School Environment Policy (HWD-\n04) and is linked to the Drug and Alcohol Abuse Policy (SHS-01) \nand the Boston Public Schools Code of Conduct. Substance use \nintervention should be a part of a tiered approach that includes \nsubstance use prevention education for all students as a part of \nthe comprehensive health education required in HWD-01. \nDEFINITIONS \nSchool property: Includes inside and outside both administrative \nand school buildings, sidewalks/walkways, parking lots, \nplaygrounds, fields, school buses and other official vehicles,", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "861d72e8-2caa-4337-aa01-4af48bcad4ab": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 3 of 14 \n \n \n \nloading docks, and any other facility under BPS jurisdiction. \nTobacco and nicotine products: Include but are not limited to \ncigarettes, cigars, cigarillos (or little cigars), clove cigarettes, loose \ntobacco, blunt wrappers, chewing tobacco (chew, dip), or any \nother product not mentioned that contains tobacco of any kind. \nIt also includes any products containing nicotine such as \ndissolvable nicotine, electronic cigarettes, nicotine gel, nicotine \nwater, or any other preparation of tobacco and any product or \nformulation of matter containing biologically active amounts of \nnicotine that is manufactured, sold, or offered for sale, or \notherwise distributed, with the expectation that the product or \nmatter will be introduced into the human body. \nTobacco or nicotine paraphernalia: Any device used to aid, \ningest, light, burn, or consume tobacco products, including but", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "0f863d3c-79f7-482c-bf6b-f46a17121bcd": { + "page_content": "matter will be introduced into the human body. \nTobacco or nicotine paraphernalia: Any device used to aid, \ningest, light, burn, or consume tobacco products, including but \nnot limited to pipes, rolling papers, lighters, and matches. This \nalso includes the use of all electronic nicotine delivery systems or \nelectronic smoking devices, such as e-cigarettes, e-cigars, e-\nhookahs, e-pipes, vape pens, and advanced personal vaporizers. \nNicotine replacement products (NRP): Products containing \nnicotine as an active ingredient that are intended to help a \nperson quit smoking and are regulated through the FDA\u2019s Center \nfor Drug Evaluation and Research. Over-the-counter NRPs are \napproved for sale to people 18 years and older. The US Public \nHealth Service Clinical Practice Guideline on Treating Tobacco \nUse and Dependence does not recommend NRP as a component \nof pediatric tobacco use interventions. NRPs include skin \npatches, chewing gum, and lozenges. Prescription nicotine", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f25aa4fa-f64a-4389-8417-e052257ae5ae": { + "page_content": "Use and Dependence does not recommend NRP as a component \nof pediatric tobacco use interventions. NRPs include skin \npatches, chewing gum, and lozenges. Prescription nicotine \nreplacement therapy is also available; the products are FDA-\napproved only for use by adults. Electronic vapor products are", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "6b561df3-b520-4c9a-846f-4f635dd248e8": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 4 of 14 \n \n \n \nnot considered FDA-approved nicotine replacement products. \nPOLICY \nBPS students shall not possess, use, consume, display, distribute, \nor sell any tobacco or nicotine products or tobacco or nicotine \nparaphernalia at any time on school property, at off-campus, \nschool-sponsored events and extra-curricular activities, within \nvehicles located on school property, and within 50 feet of school \nproperty. \nBPS staff, administrators, or visitors to BPS shall not use, \nconsume, display, or sell any tobacco or nicotine products or any \ntobacco or nicotine paraphernalia at any time on school property, \nat off-campus, school-sponsored events, and extra-curricular \nactivities, within vehicles located on school property, and within \n50 feet of school property. \n BPS staff and administrators shall not promote or allow the \npromotion of tobacco or nicotine products, tobacco brands, \nnicotine brands, or any tobacco or nicotine paraphernalia on", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e749be78-dc62-4dc1-aa4c-1cf507ad7b57": { + "page_content": "BPS staff and administrators shall not promote or allow the \npromotion of tobacco or nicotine products, tobacco brands, \nnicotine brands, or any tobacco or nicotine paraphernalia on \nschool property, at off-campus, school-sponsored events, and \nextra-curricular activities, or within 50 feet of school property. \nThis includes promotion of any corporate name, trademark, logo, \nsymbol, motto, selling message, recognizable pattern of colors, or \nany other indication of product identification identical or similar \nto those used for any brand of tobacco or nicotine product \ncompany, or manufacturer of tobacco or nicotine products \nthrough the use of any gear, bags, clothing, any personal articles, \nsigns, structures, vehicles, flyers, or any other materials. \nBPS will act to enforce this policy and to take appropriate action \nagainst any students, staff, administrators, or visitors who are", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ab03cbd5-8d9f-459a-8810-0b90f7c87dd1": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 5 of 14 \n \n \n \nfound to have violated this policy. \nBPS staff and administrators will not solicit or accept any \ncontributions, gifts, money, curricula, or materials from the \nelectronic cigarette industry, tobacco industry, and tobacco or \nnicotine industry, or from any tobacco products shop. This \nincludes, but is not limited to, donations, monies for scholarships, \nadvertising, promotions, loans, or support for equipment, \nuniforms, and sports and/or training facilities. It shall also be a \nviolation of this policy to participate in any type of service funded \nby any of the industries listed above. \nExceptions/Exemptions: Tobacco and nicotine products, \nparaphernalia, devices, or imitation tobacco or nicotine products \nmay be used for the following: \n1. Instructional or work-related activities in Boston Public \nSchools if the activity is conducted by a staff member or an \napproved visitor and the activity does not include smoking,", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "44bd4c53-e0e5-4cf4-9156-d025e4207242": { + "page_content": "1. Instructional or work-related activities in Boston Public \nSchools if the activity is conducted by a staff member or an \napproved visitor and the activity does not include smoking, \nvaping, chewing, or otherwise ingesting the product. \n2. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by the US \nFood & Drug Administration for sale as a tobacco or nicotine \ncessation product, tobacco dependence product, or other \nmedical purposes and is being marketed and sold solely for \nsuch an approved purpose. \n \nIIMPLEMENTATION GUIDELINES \nA. Policy Owner: The Office of Health & Wellness (Policy \nOwner) is responsible for the review and update of the", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "aec80dac-88c5-49ce-954b-f67967a3e005": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 6 of 14 \n \n \n \nTobacco Policy. The policy owner will provide policy \ncommunication and implementation support and guidance, \nincluding community resources for cessation and \u201cTobacco-\nFree\u201d signage. \nB. Central Office Administration: School superintendents and \noperational leaders are responsible for informing school \nprincipals and heads of school about the Tobacco Policy. \n[Central office leader] is responsible for informing all central \noffice department heads, supervisors, and building \nadministrators about the Tobacco Policy. \nC. Building Administrators (i.e., School Principals and \nDepartment Heads): It is the responsibility of building \nadministrators to ensure compliance with the Tobacco \nPolicy at all BPS schools and buildings: \n1. Supervise the implementation and enforcement of the \npolicy at the school site. \n2. Ensure that \u201cTobacco-Free\u201d signs in accordance with \nthe Boston Public Health Commission are prominently", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8fa445c8-7691-45b4-8866-bb47a1454427": { + "page_content": "1. Supervise the implementation and enforcement of the \npolicy at the school site. \n2. Ensure that \u201cTobacco-Free\u201d signs in accordance with \nthe Boston Public Health Commission are prominently \nposted throughout the school property. Locations \nmust include all entrances/exits to buildings (including \nbasement and loading docks), athletic fields, \nplaygrounds, school buses/transportation vehicles, \nbathrooms, and teacher lounges. If signs are needed, \nplease contact the Office of Health & Wellness. \n3. Ensure that no marketing or promotion of tobacco or \nnicotine products, tobacco brands, nicotine brands, or \nany tobacco or nicotine paraphernalia occurs on \nschool property, at off-campus, school-sponsored \nevents and extra-curricular activities, or within 50 feet", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "073f52f1-e3fd-494e-bcff-a49cb354bcb9": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 7 of 14 \n \n \n \nof school property, including branding on gear, bags, \nclothing, any personal articles, signs, structures, \nvehicles, flyers, or any other materials. \n4. Ensure that any contributions, gifts, money, curricula, \nor materials from the electronic cigarette industry, \ntobacco industry, and tobacco or nicotine industry or \nfrom any tobacco products shop are neither solicited \nnor accepted. \n5. Inform all staff, students, parents, and visitors of their \nobligations with respect to the policy. \na. This policy must appear in all student, family, and \nstaff handbooks. \nb. Staff must sign that they have been informed of \nthe policy. \nc. Inform students and employees how to \nanonymously report a violation to the Boston \nPublic Health Commission: 617-534-4718. \nd. Communicate this policy to all visitors, which \nincludes vendors and those contracted to do \nwork, and those permitted to use the building and", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "13bf923e-1cff-49cb-96b7-0d307a16702b": { + "page_content": "Public Health Commission: 617-534-4718. \nd. Communicate this policy to all visitors, which \nincludes vendors and those contracted to do \nwork, and those permitted to use the building and \nfacilities before school, after school, and on the \nweekends. \n6. Make available information regarding tobacco \nsmoking and nicotine cessation options for students, \nstaff, and families. \n7. Consider appointing a designee to support the \nimplementation and enforcement of this policy. \nD. Boston Public Health Commission (BPHC): The BPHC is", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "100fab07-f735-46b5-b2d9-496c4ccf8dcd": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 8 of 14 \n \n \n \nresponsible for the implementation of the Workplace \nSmoking Restrictions Regulation. The authority to enforce \nthis regulation is held by the BPHC, its subsidiary programs \nor designees; the City of Boston Inspectional Services \nDepartment; the City of Boston Police Department; and the \nCity of Boston Fire Department. Anyone may anonymously \nreport a violation to the BPHC. As a result, a school or \ndepartment may receive: \n1. In the case of a first violation a fine of two hundred \ndollars ($200.00). \n2. In the case of a second violation, within 24 months of \nthe first violation, a fine of seven hundred dollars \n($700.00). \n3. In the case of three or more violations within 24 \nmonths of the second or current violation, a fine of one \nthousand dollars ($1000.00) for each violation. \nE. School Principals and Heads of School: In accordance with \nthe Comprehensive Health Education Policy (HWD-03), the", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "81d8ed97-ab46-4bbf-9597-ee725334a0b8": { + "page_content": "thousand dollars ($1000.00) for each violation. \nE. School Principals and Heads of School: In accordance with \nthe Comprehensive Health Education Policy (HWD-03), the \nschool administration must ensure students are receiving \nthe minimum health education course requirements and \nreceiving substance use prevention education in line with \nBPS Health Education Frameworks and Student Learning \nOutcomes. \n \nF. BPS Staff: In accordance with state law and local regulation, \nall BPS staff are required to follow the Tobacco Policy. The \nsuccess of this policy will depend upon the thoughtfulness, \nconsideration, and cooperation of both tobacco or nicotine \nusers and non-users. All individuals on school properties", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "456f869e-1760-4c07-bad4-3a968afd546b": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 9 of 14 \n \n \n \nshare in the responsibility to and enforcement of this policy. \n1. Do not use, consume, display, or sell any tobacco or \nnicotine products or any tobacco or nicotine \nparaphernalia at any time on school property, at off-\ncampus, school-sponsored events, and extracurricular \nactivities, within vehicles located on school property, \nand within 50 feet of school property. Exemptions are \nmade for only the following instances: \na. Instructional or work-related activities in Boston \nPublic Schools if the activity is conducted by a \nstaff member or an approved visitor and the \nactivity does not include smoking, vaping, \nchewing, or otherwise ingesting the product. \nb. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by \nthe US Food & Drug Administration for sale as a \ntobacco or nicotine cessation product, tobacco \ndependence product, or other medical purposes", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a319e8cb-9111-4a72-9b19-e8a7911453f0": { + "page_content": "replacement product that has been approved by \nthe US Food & Drug Administration for sale as a \ntobacco or nicotine cessation product, tobacco \ndependence product, or other medical purposes \nand is being marketed and sold solely for such an \napproved purpose. \n2. No marketing or promotion of tobacco or nicotine \nproducts, tobacco brands, nicotine brands, or any \ntobacco or nicotine paraphernalia occurs on school \nproperty, at off-campus, school-sponsored events and \nextra-curricular activities, or within 50 feet of school \nproperty, including branding on gear, bags, clothing, \nany personal articles, signs, structures, vehicles, flyers, \nor any other materials. \n3. Do not solicit or accept any contributions, gifts, money,", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "44d11644-f52f-4142-bb42-27443ae3bfd3": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 10 of 14 \n \n \n \ncurricula, or materials from the electronic cigarette \nindustry, the tobacco industry, and tobacco or nicotine \nindustry or from any tobacco products shop. \n4. Complaints regarding Tobacco Policy violations should \nbe directed to building administrators who are \nresponsible for following recommended disciplinary \nguidelines. \n5. Anonymous complaints may also be directed to \nBoston Public Health Commission (617-534-4718) \nwhere school departments and schools may be \nsubject to a fine as listed above in section D. \n6. Consult the building administrator, school nurse, or \nthe Boston Public Health Commission for information \nregarding tobacco smoking and nicotine cessation. \n7. Substance use prevention education to discourage the \nuse of tobacco and nicotine products shall be included \nin comprehensive health education. Staff responsible \nfor teaching tobacco and nicotine-use prevention", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "2390fdb4-7997-4689-8762-cda724cca775": { + "page_content": "use of tobacco and nicotine products shall be included \nin comprehensive health education. Staff responsible \nfor teaching tobacco and nicotine-use prevention \nmust have adequate training and will participate in \nongoing professional development activities to \neffectively deliver the education program as planned. \nG. School Nurses are responsible for working with the Health \nServices Department to provide local tobacco and nicotine-\nuse cessation resources at the school buildings. \nH. Central Office: Since youth substance use prevention and \nintervention must be a part of a multi-tiered approach, the \nfollowing central office departments are responsible for \nsupporting schools in these efforts: \n1. Office of Health and Wellness is responsible for", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "16d57f56-df68-40c7-8933-3ee3299598e4": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 11 of 14 \n \n \n \nproviding training, instructional coaching, and \ninstructional materials for substance use prevention \neducation as a part of tier one comprehensive health \neducation. Additionally, the office is responsible for \nmaintaining health promotion materials and policy \nimplementation support. \n2. The Health Services Department is responsible for \ncommunicating cessation resource information to \nschool nurses and training on the referral process for \ncessation services. \n3. School Operations & Safety Division will communicate \nalternatives to suspension for students found in \nviolation of the tobacco policy, including available \nworkshops and other intervention programs. \nVIOLATIONS \nEnforcement of this policy will be by school principals/heads of \nschool, building administrators, and department heads. Penalties \nfor violation of the Smoke-Free Workplace Law will be enforced \nby school officials, the Boston Public Health Commission, and", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "33821033-b7c0-4a5d-b5ca-e59ef2215fe9": { + "page_content": "school, building administrators, and department heads. Penalties \nfor violation of the Smoke-Free Workplace Law will be enforced \nby school officials, the Boston Public Health Commission, and \ntheir agents. It is recommended that building administrators, \nprincipals, and supervisors implement disciplinary measures \nconsistent with the progressive measures section of the BPS \nCode of Conduct: \nA. Students found in violation \n1. The first violation shall result in one or all of the \nfollowing: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "89678cd2-cc56-4ed5-bac2-4d1674432e9e": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 12 of 14 \n \n \n \nb. Notifying student\u2019s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions \nc. Meeting with appropriate school staff and the \nstudent\u2019s family \nd. Providing student referrals to available cessation \nprograms \n2. The second violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Notifying student\u2019s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions \nc. Providing student referrals to available cessation \nprograms \nd. One or more of the following: \ni. Meeting with appropriate school staff and \nthe student\u2019s family \nii. Participation in tobacco and nicotine \neducation program \n3. The third violation shall result in: \na. Confiscation of tobacco or nicotine", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a0d6e489-4e6c-43ba-8e47-061c9c6352ae": { + "page_content": "the student\u2019s family \nii. Participation in tobacco and nicotine \neducation program \n3. The third violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Meeting with appropriate school staff and the \nstudent\u2019s family \nc. Participation in tobacco or nicotine education \nprogram. Failure to participate in the education \nprogram may result in a suspension. \nd. One or more of the following:", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "4fee45ad-5b39-47e6-8f39-157218242c0e": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 13 of 14 \n \n \n \ni. Community service \nii. Suspension \nB. Staff found in violation \n1. Staff who are found to be in violation of this policy will \nbe subject to discipline up to and including \ntermination. \n2. Department heads and building administrators (such \nas principals) shall be responsible for any fines \nadministered by the Boston Public Health Commission \nto the school or department, as outlined in section D. \nC. Visitors found in violation \n1. Visitors who are observed violating this policy shall be \nasked to comply with the Tobacco and Nicotine-Free \nEnvironment Policy. If the visitor fails to comply with \nthe request, they will be referred to the building \nadministrator or another district supervisory personnel \navailable. The supervisor shall decide on further action \nthat may include a directive to leave school property. \n2. Repeated violations may result in a recommendation \nto the school principal or building administrator to", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "cabb4b11-f4a3-4896-a252-4a89e88cd1e5": { + "page_content": "that may include a directive to leave school property. \n2. Repeated violations may result in a recommendation \nto the school principal or building administrator to \nprohibit the individual from entering school district \nproperty for a specified time. If they refuse to leave, \nschool police may be called to have the individual \nleave. \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & \nWellness", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "58e2f7db-08a8-4218-99dd-b91e47fe9769": { + "page_content": "Superintendent\u2019s Circular HWD-06 \nPage 14 of 14 \n \n \n \nDepartment: Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-9698 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HWD-06 Tobacco-Nicotine Policy.pdf", + "source_link": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ad1b7d12-d042-4511-b4e5-8db727c6181d": { + "page_content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-04 \nVersion 01 \n \n \n \nHEALTHY SCHOOL ENVIRONMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nApproximately 20% of Americans go to school every day, with \nmany students, teachers, staff, faculty, and administrators in \naging facilities with deteriorating conditions. Meanwhile, studies \nhave shown that the condition and health of the school building \nand grounds directly impacts the productivity and health of its \noccupants. High-performance green schools with healthy indoor \nair quality, acoustical controls, revitalized schoolyards, and \ndaylight produce healthier, higher-performing students. A robust \namount of literature is available for identifying best practices, \nguidelines, and recommendations for achieving healthy school \nenvironments. \u2014 from the Lawrence Berkeley National \nLaboratory, to the Environmental Protection Agency, to the", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "9b760a63-c39c-45bd-ab88-61b2cb645692": { + "page_content": "guidelines, and recommendations for achieving healthy school \nenvironments. \u2014 from the Lawrence Berkeley National \nLaboratory, to the Environmental Protection Agency, to the \nAmerican Federation of Teachers Union. \nIn addition, the Center for Disease Controls (CDC) Whole School, \nWhole Community, Whole Child (WSCC) model states a healthy \nand safe physical school environment promotes learning by \nensuring the health and safety of students and staff. \nAsthma is one of the leading causes of school absenteeism, and", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "a8871961-69e2-4bc2-b238-2cae5641c6cf": { + "page_content": "Superintendent\u2019s Circular HWD-04 \nPage 2 of 8 \n \n \n \nchildren with asthma are especially vulnerable in buildings that \nhave evidence of environmental hazards that affect indoor air \nquality. The Federal National Heart, Lung, and Blood Institutes \nevidence-based guidelines for effective asthma management \nrecommends reducing exposure to indoor environmental \nasthma triggers such as mold, dust mites, pests, pesticides, \nhazardous cleaners, and disinfectants, and exposure to \nenvironmental tobacco smoke in indoor environments. \nIn partnership with the Boston Healthy Homes and Schools \nCollaborative (BHHSC) and the Healthy School Environment \nTaskforce, Boston Public Schools has implemented many of \nthese evidence-based guidelines through district policies and \nprograms (see below). As a result of the revised District Wellness \nPolicy, school-based Wellness Councils, which are focused on \nimproving health and wellness of students and staff, will be more", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "97b50031-72bd-4fee-9776-19aa7c5b95b6": { + "page_content": "programs (see below). As a result of the revised District Wellness \nPolicy, school-based Wellness Councils, which are focused on \nimproving health and wellness of students and staff, will be more \nclosely involved in maintaining the healthiest level of indoor air \nquality and environmental health of their school and school \ngrounds by working with Facilities Management, outside \npartners, and the school community. \nConsidering that Boston Public Schools is the oldest school \ndistrict in the country and home to existing buildings of all ages, \nit is critical that sustained resources, innovative programs, and an \nongoing focus be dedicated to designing, upgrading, and \nmaintaining our school buildings and grounds to fulfill whole-\nschool health and wellness goals. \nPOLICY \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "98ee3d9b-b2a0-4c53-ad58-99d85e3a150d": { + "page_content": "Superintendent\u2019s Circular HWD-04 \nPage 3 of 8 \n \n \n \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact the productivity, health, and wellness of all \nstudents and staff. To address environmental risk factors for \nchronic and infectious diseases, each school will receive an \nAnnual Environmental Audit to evaluate health and safety \nconditions such as leaks, mold, pests, chemical storage, and \ncleanliness. The district shall maintain a Healthy Schools \nTaskforce (HST) to promote and raise awareness of the health of \nthe built environment and ensure continuous improvement of", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "ee4c8f71-083d-49fc-9256-5f86cd885ecf": { + "page_content": "cleanliness. The district shall maintain a Healthy Schools \nTaskforce (HST) to promote and raise awareness of the health of \nthe built environment and ensure continuous improvement of \nBPS healthy school environment policies and programs. \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, will comply with \nexisting federal and state regulations, city ordinances, and \nDistrict policies related to promoting and managing healthy \nschool environments, including but not limited to: \n\u2022 Indoor air quality \n\u2022 Green cleaners \n\u2022 Integrated pest management \n\u2022 Trash and recycling \n\u2022 Infection prevention & control \n\u2022 Tobacco-free environmental policy \n\u2022 Environmental inspection/audit \n\u2022 Student safety/health in school shops", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "f8cf59d2-9962-4ab4-b88a-5eecaba4cbca": { + "page_content": "Superintendent\u2019s Circular HWD-04 \nPage 4 of 8 \n \n \n \n\u2022 BPS water policy \n\u2022 Laboratories and chemical Inventory \u201cRight to Know\u201d law \n\u2022 Idling of buses and other motor vehicles on school property \nSchools will regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \nIMPLEMENTATION, MONITORING & EVALUATION GUIDELINES \nThe Boston Public Schools and the Boston Public Health \nCommission must conduct annual Environmental \nInspection/Audits (audit) to evaluate the health and safety \nconditions of each school building and school grounds. The \nFacilities Management Department, in partnership with school \nleadership, will take action to mitigate critical issues such as \nunhealthy indoor air quality, signs of pests, leaks, clutter, mold, \nunsatisfactory chemical management, and critical health and", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "444c1adb-be96-493b-99cf-8cb831a9dcb0": { + "page_content": "leadership, will take action to mitigate critical issues such as \nunhealthy indoor air quality, signs of pests, leaks, clutter, mold, \nunsatisfactory chemical management, and critical health and \nsafety repairs. In addition, the audit results, along with best \npractices in the Healthy School Environment Resource Toolkit, \nshall be used by school principals/heads of school and school-\nbased Wellness Councils to develop annual environmental health \npriorities and goals as part of the school\u2019s Wellness Action Plan. \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, shall comply with \nexisting city ordinances and District policies related to promoting \nand managing healthy school environments. Examples of \nrelevant and existing healthy school environment policies, for \nwhich school-based Wellness Councils and school staff must \ncomply, are referenced below:", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "8b72644c-73d7-4685-8dc7-3a5cbb263179": { + "page_content": "Superintendent\u2019s Circular HWD-04 \nPage 5 of 8 \n \n \n \nMassachusetts Legislation \no MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nDistrict Circulars \no BPS Water Access Policy and FMT- 20 Drinking Water \nAccess Circular \no FMT-07: Chemical Inventory \u201cRight to Know\u201d Law \no FMT-08: BPS Recycling & Zero Waste Policy \no FMT-10: Integrated Pest Management (IPM) \no FMT-11: Green Cleaners Policy \no FMT-13: Respiratory Protection Program \no FMT-14 Hearing Conservation Program \no FMT-15: Annual Environmental Inspection/Audit \nProgram Conducted by Boston Public Schools/Boston \nPublic Health Commission (City Ordinance 7.12.1-4) \no FMT-17 Volunteer Projects \no FMT-19 Cleaning and Disinfecting Body Fluid Spills \no FMT-18: Science Safety in Laboratories and Classrooms \no FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \no HWD-04: Healthy School Environments Policy \no HWD-06: Tobacco-Free Environment Policy", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "748c56c0-13fe-47ef-91f5-a6bc8c78becc": { + "page_content": "o FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \no HWD-04: Healthy School Environments Policy \no HWD-06: Tobacco-Free Environment Policy \no SHS-04: Infection Prevention and Control in School \nSettings \no SHS-20: Asthma in Schools \nBPS Facilities Department & Boston Public Health \nCommission \nBoston Public Schools will ensure all schools comply", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "837d4e97-1b53-49b4-95d0-5b66abf5f075": { + "page_content": "Superintendent\u2019s Circular HWD-04 \nPage 6 of 8 \n \n \n \nwith healthy school environment policies. \nThe Facilities Management Department and the \nBoston Public Health Commission will comply with City \nOrdinance (Boston, MA Ordinances, ch. 10 \u00a7\u00a7 7-14.1-14.4 \n(1996)) by conducting annual environmental \ninspection/audits of each school. They will \ncommunicate a school\u2019s results to each school leader, \nand publish all results on the BPS website, available for \nreview by the public. \nUpon completion of the audit, Facilities Management \nwill immediately address critical health and safety \ndeficiencies by filing a work order with the appropriate \ndivision, and they will incorporate other needed work \nat the school sites into the annual budgeting process. \nOn an ongoing basis, Facilities Management will \nprovide technical assistance to principals/heads of \nschool on environmental problems and other building-\nrelated issues. \nSchool leadership and school-based Wellness Councils", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "00d4acd3-a047-456b-afcf-afac530ce0a8": { + "page_content": "provide technical assistance to principals/heads of \nschool on environmental problems and other building-\nrelated issues. \nSchool leadership and school-based Wellness Councils \nSchool administration and staff must actively \nparticipate in ensuring the school is following district \npolicies and proactively manage environmental health \nissues for the sake of their students and staff. \nSchool principals/heads of school will be responsible for \nreviewing their school\u2019s annual Environmental \nAudit/Inspection results and other related building \ncondition resources to develop environmental health \npriorities for the school.", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "101e8f6d-702b-4a4d-bc25-eae90c430ae6": { + "page_content": "Superintendent\u2019s Circular HWD-04 \nPage 7 of 8 \n \n \n \nAdministrators will engage in a collaborative planning effort \nwith their school-based Environmental Committee or \nWellness Council to finalize annual environmental health \npriorities, goals, action steps, and evaluation efforts. \nThe Health and Wellness Department, in partnership with \nthe Facilities Management Department, will annually assess \nall schools' Wellness Action Plans to ensure school leaders \nand school-based Wellness Councils are taking active steps \nto improve the health and cleanliness of their school \nbuilding environment. \nWellness Councils will track the progress of improved school \nconditions and evaluate annually what efforts worked best. \nWellness Champions will participate in their school Wellness \nCouncils.", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "577e9b6b-ec60-402b-831f-1571b8479cd0": { + "page_content": "Superintendent\u2019s Circular HWD-04 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & \nWellness \nDepartment: Office of Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-9698 \nFax: 617-635-1502 \nEmail: healthandwellness@bostonpublicschools.or\ng \n \n \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Dorchester, MA 02125 \nPhone: 617-635-9576 \nFax: 617-635-9306 \nEmail: Operations-Department- \nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "HWD-04 Healthy School Environment Policy.pdf", + "source_link": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#HWD" + } + }, + "e26907d4-f4a4-44e3-952a-86241491cc47": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-03 \nVersion 01 \n \nTEXTBOOK MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nSchool Committee policy and state law recognize the student's \nright to use textbooks, on a loan basis, without charge. As a \npublic school system, we have a responsibility to supply our \nstudents with the textbooks and other materials they need for \nschool use. Accordingly, School Committee policy states that \"no \nstudent should be required to furnish or pay for any books or \nother materials for school use, with the exception of materials \nused for certain practical arts projects that result in items that \nbelong to the student after the project's completion.\" \nSchool Committee policy and state law also recognize the \nstudent's responsibility to use and not abuse or lose these same \ntextbooks and materials. School Committee policy states that \n\"students will be required to pay for textbooks and other school-", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "330fe950-accd-47bb-9a73-f899e75c503a": { + "page_content": "student's responsibility to use and not abuse or lose these same \ntextbooks and materials. School Committee policy states that \n\"students will be required to pay for textbooks and other school-\nowned materials that they lose or damage\" (ref. Student Fees, \nFines and Charges - Policy File). Under Massachusetts law, the \nsums recovered from pupils in the public schools for loss of \nschoolbooks \u2026 may be used by the School Committee for the \nreplacement of such books or materials ... (M.G.L. c.44, \u00a753). \nAs school leaders and teachers, we are concerned that resources \nbe maximized and not misused. Instructional material costs are \nsignificant. It is important that school leaders, teachers, students,", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "de9a0df4-0dda-41e5-9a43-31bb525329ac": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 2 of 12 \n \nand parents understand and adhere to our policies and \nprocedures for the care of textbooks and other instructional \nmaterials. The following guidelines, based on long-standing \nSchool Committee policy, have been established and should be \nfollowed for the lending of books to pupils. \nPREPARATION, STORAGE, AND CONTROL OF TEXTBOOKS \n\u25cf All textbooks and library books shall be numbered and an \ninventory maintained by the school leader. School \nCommittee policy requires that \"Heads of school/principals \nwill be responsible for and will keep complete records of all \nbooks... and other instructional materials furnished to their \nschools.\" The inventory should include: \n\u25cb Title of book \n\u25cb Author \n\u25cb Publisher and year of publication \n\u25cb Date of purchase (for all books purchased for SY21 and \nbeyond) \n\u25cb Class subject for which it is used (textbooks) \n\u25cb Name of teachers to whom the textbooks are issued \n(textbooks)", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e8dea6f1-3d5e-463a-8fc6-918dfaa7ef53": { + "page_content": "\u25cb Date of purchase (for all books purchased for SY21 and \nbeyond) \n\u25cb Class subject for which it is used (textbooks) \n\u25cb Name of teachers to whom the textbooks are issued \n(textbooks) \n\u25cf All textbooks should be stamped with the school name on \nthe inside of the front cover. Each textbook should be \nnumbered and recorded on the inside of the front cover. \n\u25cf All textbooks shall be stored in secure rooms, lockers, or \ncabinets. Principals/heads of school or their designees shall \nensure that a record is maintained of every textbook that is \nremoved from storage. \n\u25cf Principals/heads of school shall ensure that teachers \nmaintain an inventory of textbooks that includes the", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a7253823-3ed1-4eb9-81f4-a87555be5e77": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 3 of 12 \n \ncondition of the text and who it is assigned to for each \nquarter, trimester, semester, or year. \n\u25cf Principals/heads of school should work with teachers, \nstudents, and parents to raise their awareness of the \nimportance of caring for and replacing textbooks. The Guide \nto the Boston Public Schools for Families and Students \nreferences this information. School-based rules should \noutline the rules and responsibilities for using textbooks and \nthe penalties for violations. \nTEACHER\u2019S RESPONSIBILITY \n\u25cf Teachers should maintain a record of the title, the textbook \nnumber, and the name of the pupil to whom each textbook \nis lent and should check periodically that students have the \ntextbook assigned. Librarians must establish and maintain \nan appropriate inventory control system and loan procedure \nfor all library books, materials and equipment assigned to \nthe school library. \n\u25cf Teachers should encourage students in the proper care,", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a027fd40-0596-4198-afea-21edf8d5501a": { + "page_content": "an appropriate inventory control system and loan procedure \nfor all library books, materials and equipment assigned to \nthe school library. \n\u25cf Teachers should encourage students in the proper care, \nincluding covering, of loaned textbooks. \nSTUDENT\u2019S RESPONSIBILITY \n\u25cf The book is to be returned to the principal of the school or \nto the teacher authorized to receive it at any time required \nby them and in as good condition as when received, \nallowance being made for the wear and damage caused by \ncareful use. \n\u25cf If lost or damaged by carelessness or accident beyond what \nmay be reasonably allowed, the book is to be replaced by", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "237e90c7-fae6-4e67-a01b-d2a368ea9d7b": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 4 of 12 \n \nthe pupil to whom it is loaned and as required by the School \nCommittee. \n\u25cf Written notice of any previous defacement is required when \nthe book is received. \n\u25cf Damage by marking, tearing, etc. is not allowed. \n\u25cf Students who transfer within the Boston Public Schools or \nwho leave the school system shall return all textbooks and \nlibrary books to the schools that loaned the books. \nPrincipals/heads of school should notify appropriate staff \n(e.g., registrars, guidance counselors) to make a note on the \nappropriate sign-out forms of any student leaving school \nwho has not paid the replacement costs of lost or damaged \nbooks. High school seniors should not be allowed to sign out \non the last day for seniors (i.e., day 170) without returning or \nmaking restitution for a lost or damaged book. A copy of \nany open account form should be retained in the temporary \nrecord of any student who does not pay the replacement", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7b31fe46-ac55-4f1a-a88e-df5b5852729b": { + "page_content": "making restitution for a lost or damaged book. A copy of \nany open account form should be retained in the temporary \nrecord of any student who does not pay the replacement \ncost of a damaged or lost book. \n\u25cf Students who transfer within the Boston Public Schools \nshould not be loaned textbooks or library books in their \nreceiving schools until they have returned or arranged to \nreplace all their books from their sending school. \nPARENT RESPONSIBILITY \n\u25cf Parents should be informed of textbook loan and/or library \nbook loan conditions at the beginning of the school year. \nNotification should be made in the form of a letter to \nparents in the language of the home and in any newsletters \nsent home to parents at the start of the school year.", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1551518a-db27-4566-adcb-93ff0a957971": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 5 of 12 \n \n\u25cf Parents of students who lose or damage textbooks and/or \nlibrary books should be informed by the principal/head of \nschool, in writing, within 30 days of learning of the \nloss/damage and the cost of replacement. \nREPLACEMENT OF TEXTBOOKS \n\u25cf If a student damages or loses a textbook and/or a library \nbook and the student and parent refuses to make \nrestitution, a replacement book must be made available for \nclassroom or library use. However, restrictions may be \nimposed (e.g., students may use text only during class but \nmay not take the text out of the classroom). \n\u25cf If a student damages or loses a textbook or library book and \nthe student and parent continue to refuse to make \nrestitution by the start of the following school years, the \nstudent will be subject to penalties under school-based \nrules. \n\u25cf With respect to penalties for students who do not pay the \nreplacement costs of lost or damaged books,", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "201757d9-f9df-4cb9-a6e9-0c938f409a07": { + "page_content": "student will be subject to penalties under school-based \nrules. \n\u25cf With respect to penalties for students who do not pay the \nreplacement costs of lost or damaged books, \nprincipals/heads of school should involve the School Site \nCouncil in establishing school-based rules and \ncorresponding penalties. These penalties might include but \nnot be limited to prohibiting the student from attending \ncertain school activities not related to the instructional \nprogram. Before any penalty is imposed, the principal/head \nof school must provide advance written notice to the \nstudent and their parents/guardians. The written notice \nmust provide the student and their parents/guardians with \nan opportunity to remedy the situation prior to actual \nimposition of the penalty.", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5258495f-c660-415c-9a33-92874ce42135": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 6 of 12 \n \n\u25cf An appeals process should be provided to address issues \nsuch as claims of \u201chardship\u201d or improper assessment of \ndamages (e.g., the loss or damage of a book which is not the \nresult of the student\u2019s negligence, parent has proof that \npayment was made, etc.). All appeals should be heard by the \nprincipal/head of school, who should issue a written \ndecision, a copy of which should be forwarded to the parent \nand a copy of which should be filed in the student\u2019s \ntemporary record. In addition, flexibility in the method of \npayment should be offered (e.g., school service projects \nbeing performed by the student in lieu of dollar payment is \none possibility). \n\u25cf All funds collected for lost or damaged textbooks and/or \nlibrary books should be forwarded by principals/heads of \nschool to the business manager for deposit in a revolving \naccount for the purchase of replacement textbooks. The", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bd0fa46e-a78d-4b18-9a58-f86ae9879ee8": { + "page_content": "library books should be forwarded by principals/heads of \nschool to the business manager for deposit in a revolving \naccount for the purchase of replacement textbooks. The \nbusiness manager will allocate the revolving account book \nfunds, giving priority to the schools that collected money for \nlost/damaged books. \nTEXTBOOK INVENTORY AND REPLACEMENT PLANS \n\u25cf Before budget collaborative, principals/heads of school shall \nestimate their textbook needs for the following school year, \nbased on textbooks checks and on projected student \nenrollment and shall develop a textbook replacement plan. \nInstructional Leadership Teams and School Site Councils \nshould be involved in the development of the replacement \nplan. Replacement books should be ordered by individual \nschools. Texts that are part of curriculum adoption of BPS-\nrecommended curricula or those that will be used in new \nclassrooms will be purchased by central office.", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "894a5dfb-87c5-441c-bfd9-9b73a92d8c49": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 7 of 12 \n \n\u25cf In June, at the end of the school year, principals/heads of \nschool shall conduct a thorough inventory of textbooks. \n\u25cf Principals/heads of school shall maintain a record of every \nstudent who does not arrange to replace textbooks that are \nlost or damaged. The record should include the book receipt \nsigned by the student when the book was loaned. \nSummary of significant dates and deadlines: \nDate Activity \nBy the end of the 2nd \nweek of school \nPrincipals/heads of school send letters \nto families regarding district textbook \npolicy.", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f98f695f-1157-4d12-a66a-586ce3778158": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 8 of 12 \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington St., Boston, MA 02119 \nPhone: 617-635-9000 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6fcd0bed-149c-44af-abfd-cfca1f4e8d48": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 9 of 12 \n \nATTACHMENT 1 \n \nDear Parent/Guardian: \nAs the new school year begins and we loan textbooks and other \nresource materials to our students, I would like to ask for the help \nof all parents. We need your help if we are to reduce the number \nof lost and damaged books. Textbooks are very expensive today, \nmany costing as much as $60.00 each. We have worked hard \nover the past two years to update and replace our books. As a \nresult, most of our textbooks are less than five years old and are \nin good condition. \nSome subjects or courses may not use a textbook; instead, they \nuse reference books, original source documents, and/or library \nresearch materials. \nPlease work with your child and with us to keep our books in \ngood condition. I ask that you remind your child of the following: \n\u25cf All textbooks and library books are the property of the \nBoston Public Schools and are loaned for the use of \nstudents while they are enrolled.", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "46a24737-7aa6-4d55-8de1-074722621ab4": { + "page_content": "\u25cf All textbooks and library books are the property of the \nBoston Public Schools and are loaned for the use of \nstudents while they are enrolled. \n\u25cf All textbooks and library books used for classroom work and \nhomework should be respected and returned in good \ncondition. \n\u25cf Students/parents are accountable for books and must pay \nfor the replacement of lost or damaged books.", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4dfb935d-f46c-468a-a2dc-5c3687e7e764": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 10 of 12 \n \n\u25cf All textbooks that are taken home by students should be \ncovered. \nAll materials used to support classroom instruction, all textbooks, \nlibrary books and resource materials should be cared for so that \nthey can be used by other students in the future. I appreciate \nyour assistance and cooperation in this effort and thank you for \nyour help. \nOur best wishes to you and your child for a successful school \nyear. \nSincerely yours, \n \nPrincipal/Head of School \n \nSchool", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "fa8726f9-a651-48e0-b54c-b8bac1bc162c": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 11 of 12 \n \nFile: EDB-R \n \nMAINTENANCE AND CONTROL OF MATERIALS AND \nEQUIPMENT \nHeads of school/principals will be responsible for and will keep \ncomplete records of all books, globes, maps, charts, apparatus \nand computers, and other state-of-the-art instructional materials \nfurnished to their schools. \n \nApproved prior to 1988. \nPolicy Manual, School Committee of the City of Boston", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f38464b5-4fb0-49db-80c8-a16c6f2920a6": { + "page_content": "Superintendent\u2019s Circular CAO-03 \nPage 12 of 12 \n \n \nFORM 134 \nBoston Public Schools \nPUPIL'S BOOK RECEIPT \nDate: \nSubject: \nTeacher: \nReceived: \nNumber: \nI promise to return in good order or replace with a new one. \nRoom: _____________ \nPupil's Signature: \nForm 134 9/98", + "metadata": { + "file_name": "CAO-03 Textbook Management.pdf", + "source_link": "https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3caab49a-e8a9-4866-bf9e-a28fe9cf8892": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-23 \nVersion 01 \n \nDAY FIELD TRIP GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance/guidance. \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \nThis circular should be read AFTER Superintendent\u2019s Circular \nCAO-22 General Guidelines and Procedures for All Field Trips, as \nadditional guidelines are outlined there. \nThe principal/head of school (and/or the district department \nsponsoring the trip) is responsible for ensuring that all field trip", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4ca292ae-c033-4a9a-8657-3e8a0de8cbe3": { + "page_content": "additional guidelines are outlined there. \nThe principal/head of school (and/or the district department \nsponsoring the trip) is responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular and CAO-22 \nare adhered to. \nTogether, the principal/head of school (and/or the district \ndepartment lead sponsoring the trip) and the program leader \n(lead chaperone) must review and complete checklists for this \ncircular. The signed checklist must be kept on file at the school.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "339a52db-771f-493b-9859-7a90ef1967f4": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 2 of 36 \n \nA day field trip is any domestic trip off school grounds that is no \nmore than one day in duration. \n\uf0a8 Day field trip forms are submitted to the principal/head of \nschool AT LEAST 4 weeks in advance (or at the \nprincipal/head of school \u2019s discretion) and approved by the \nprincipal/head of school; school leaders reserve the right to \ncancel a trip for any reason and at any time for safety \npurposes. \n\uf0a8 Walking field trips are day field trips that require walking \nwithin a 1-mile radius of the school (e.g., local garden, park, \nfield, etc.) The Parent/Guardian Authorization and \nAcknowledgement of Risks for Walking Trips form will apply \nfor all walking field trips during the current school year. It \nmust be updated each school year or as student/family \ninformation changes. The school is still required to inform \nfamilies in advance of each walking field trip and obtain \napproval from the principal/head of school. All forms,", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "45afbf49-90f0-48c0-a145-bd2778ef0b5d": { + "page_content": "information changes. The school is still required to inform \nfamilies in advance of each walking field trip and obtain \napproval from the principal/head of school. All forms, \nincluding signed CAO-23 checklist form, are filed at the \nschool. \nApplications: Schools shall communicate with families in \nadvance when students leave school grounds and ensure written \npermission is received. \nWater Activities: Organizers of trips that involve activities in or \non the water as part of the curriculum must immediately contact \nthe Department of Global Education for additional approval. \nThere is a separate and mandatory procedure for all trips \ninvolving water. See Superintendent\u2019s Circular CAO-27 for water \nactivity guidelines.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1cd9dc6c-0d51-41ac-9cb1-e1bb31777cff": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 3 of 36 \n \nDAY FIELD TRIP CHECKLIST \n(Checklist and request form must be completed for each day \nfield trip.) \n\uf0a8 Review Superintendent\u2019s Circular CAO-22 General \nGuidelines and Procedures for All Field Trips. \n\uf0a8 Review Superintendent\u2019s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Safety Services (617-635-8000) must be \nnotified in the event of a serious emergency and should be \nused as a resource for questions regarding safety on field \ntrips. \n\uf0a8 Select a site and investigate the appropriateness of the site \nin relation to the category of field trip. \nField Trip Category(s) (see CAO-22): _______________________ \nSite(s): ________________________________ ____________________ \n\uf0a8 Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9b4b49d2-3297-4be3-a78d-fe6d78226050": { + "page_content": "Site(s): ________________________________ ____________________ \n\uf0a8 Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \nDate: ________________________________ _____________________ \nAlternate Date: ________________________________ ___________ \n\uf0a8 All program leaders (the BPS employee organizing and \nleading the trip) must be approved by the principal/head of \nschool or district department sponsoring the trip. \n\uf0a8 All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "45a87a61-52e5-4066-ae30-b89b176390b4": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 4 of 36 \n \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to any fundraising or \nother detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. Consult \nwith the principal/head of school on potential chaperones \nand student recruitment. \n\uf0a8 Planning, organization, and preparation are critical to a \nsuccessful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security \nhave been addressed with due diligence. Program leaders \nmust be able to articulate what decisions were made, why \nthey were made, and the sources that informed that \ndecision making. If you have questions about the \nappropriateness of an activity, please consult with your \nprincipal/head of school.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "248ebb37-61ea-4456-9bda-a014e2d1a7a1": { + "page_content": "they were made, and the sources that informed that \ndecision making. If you have questions about the \nappropriateness of an activity, please consult with your \nprincipal/head of school. \n\uf0a8 School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult \nwith and, when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8000cda6-7fa4-47f4-ab34-4700f1fe345c": { + "page_content": "with and, when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ee7d61a4-5956-4499-9828-122c1638b863": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 5 of 36 \n \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips \nand medical forms. \nCHAPERONE REQUIREMENTS \n\uf0a8 Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school regarding potential \nchaperones and student recruitment. The program leader \n(lead chaperone) must be a BPS employee. Other \nauthorized chaperones may include parents and guardians \n21 years of age or older. Any parent on the trip must operate \nin the role of chaperone. All chaperones must be approved \nby the head of school/principal. Every effort should be made \nfor students to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "92526730-5c5f-4b99-98bb-73709698a365": { + "page_content": "for students to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals\u2019 thorough knowledge of \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n\uf0a8 Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who are 21 years of age or \nolder. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form. Contact the BPS Office of \nHuman Capital (OHC) for CORI check and confirmation \nsupport. The principal/head of school and the lead \nchaperone are responsible for submitting authorization", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "18d7930d-f7b2-4d63-9f15-5da130ce4b79": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 6 of 36 \n \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. \n\uf0a8 BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\uf0a8 All chaperones must complete the Chaperone Agreement \nform.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "04ca158c-9a8f-465b-9ba5-b13f7c39c8b0": { + "page_content": "chaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\uf0a8 All chaperones must complete the Chaperone Agreement \nform. \nChaperone Ratios: \n\u2022 A minimum of two chaperones is required. \n\u2022 Student-to-chaperone ratios are: \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \n\u2022 For students with IEPs, the ratio of staff to students must be \nat least the same as the ratio mandated in their IEPs for \ntheir classes. \n\u2022 For water activities: The student-to-chaperone ratio must \nremain 10:1 at all times during instructional swimming for all \ngrade levels. This ratio does not include lifeguards on duty. If \nyour trip involves activities on or in the water, you must", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "70063099-1bdd-4b76-abb1-bed86b3cecd3": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 7 of 36 \n \ncontact the Department of Global Education for approval \nimmediately. There is a separate, mandatory procedure for \nall trips involving water. See Superintendent\u2019s Circular CAO-\n27 for water activity guidelines. \nChaperone Team: \n\uf0a8 The program leader/lead chaperone will meet with the \nchaperone team to delegate responsibilities and review the \nstudent team. The program leader will record the names of \nthe chaperones and the students each chaperone is \nsupervising. Each chaperone must carry this list. \n\uf0a8 Chaperones will organize a \u201cbuddy system,\u201d pairing \nstudents with one another for safety purposes. \n\uf0a8 The lead chaperone will (1) review students\u2019 permission slips; \nand (2) prepare any questions for follow-up with families \nand the school nurse and counselor. \n\uf0a8 The lead chaperone will prepare a trip binder for all \nchaperones (See \u201cDuring the Trip\u201d section which lists all \nbinder contents).", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "690b9d06-f23f-4ed8-bda5-edab22ab8172": { + "page_content": "and the school nurse and counselor. \n\uf0a8 The lead chaperone will prepare a trip binder for all \nchaperones (See \u201cDuring the Trip\u201d section which lists all \nbinder contents). \n\uf0a8 The lead chaperone must carry original, signed Parental \nAuthorization for Day Trip forms for all students; all other \nchaperones must carry copies. \nSTUDENT PARTICIPATION \n\uf0a8 Participation Criteria: The program leader and \nprincipal/head of school will work together to establish (1) \nessential participation criteria for the trip that informs \nstudents and parents of all activities and risks associated \nwith each itinerary activity; and (2) trip location, to \ndetermine what accommodations or modifications may", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3e9e816b-c142-4b3d-8aa8-86bedb86eb02": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 8 of 36 \n \nneed to be made for the student to successfully and safely \nparticipation in all, or portions of the trip. Discuss with \nstudents the trip\u2019s purpose and learning goals in the weeks \nprior to the trip; plan to engage students in activities before, \nduring, and after the trip so that the field trip learning \npotential is maximized. Set aside time to process student \nlearning on the trip. \n\uf0a8 Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Field trips must be advertised \nto all students (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip) \nregardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. \n\uf0a8 Accommodations: English Learners and students with 504 \nPlans and/or IEPs cannot be denied access to field trips due", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f5958260-2ae9-493b-8426-2a30d6561dd3": { + "page_content": "affordable for all students. \n\uf0a8 Accommodations: English Learners and students with 504 \nPlans and/or IEPs cannot be denied access to field trips due \nto their status or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. To \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure, consult with, and when \nnecessary, receive training from (1) the school nurse \nregarding any students who have medical needs; and (2) the \nschool counselor regarding mental and behavioral health \nneeds. If any student has a serious medical condition, please \nbe sure that their doctor writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nEnsure the availability of a first aid kit. \n\uf0a8 Inclusivity: Program leaders must consider their student", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "937153f8-e80a-4955-bc23-93acd5426217": { + "page_content": "child may safely attend and participate in trip activities. \nEnsure the availability of a first aid kit. \n\uf0a8 Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "99a2d555-097e-42f1-b75b-38aa22717a19": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 9 of 36 \n \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for \nsensitive experiences and ensure that the program is safe \nand inclusive for all students. \n\uf0a8 Inclusive Accommodations: The program leader and \nprincipal/head of school will work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents reflect their legal names as", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1bb65a9f-15f9-40fb-b7ee-475426ac4bd6": { + "page_content": "student\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents reflect their legal names as \nlisted on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent\u2019s preferred name. \n\uf0a8 The BPS Code of Conduct applies on all field trips. Review \nconduct expectations with students in advance. \nDOCUMENTATION \n\uf0a8 Consult with the principal/head of school and nurse \nregarding the medical needs of potential participating \nstudents before you receive field trip approval (at least six \nweeks beforehand). Document notes from this consultation. \n\uf0a8 Complete and submit a Day Field Trip Request form and \naccompanying documents to obtain official consent from \nthe principal/head of school to execute the trip.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "23379657-de37-4726-8a62-c3dd9b933ab5": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 10 of 36 \n \n\uf0a8 Create a school file to house all important documents: Day \nField Trip Request form, student permission slips, and other \nsigned documents. These documents must be kept on file \nfor the current fiscal year plus three additional years after \nthe trip has occurred. \n\uf0a8 Distribute and collect the Parental Authorization for Day \nTrip form for each participating student. \n\uf0a8 Contact the field trip site and ensure that the necessary \narrangements are in place. \n\uf0a8 Share the trip details listed below with all teachers and \nother staff members so that they may plan accordingly: \no Trip overview (purpose); destination; date of trip; roster \no Chaperones\u2019 names and roles in school community \n\uf0a8 Inform the food service manager or attendant whether \nstudents will return to school for lunch, or whether brown \nbag lunches should be prepared. Be mindful of any student \nfood allergies. \nTRANSPORTATION", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d5004a62-159b-42f0-b0cb-50174138428e": { + "page_content": "students will return to school for lunch, or whether brown \nbag lunches should be prepared. Be mindful of any student \nfood allergies. \nTRANSPORTATION \n\uf0a8 Develop transportation plans: mode of transportation, travel \ntime, cost, etc. If applicable, be sure to note how and with \nwhom the child will travel to and from field trip departure \nand pick-up locations. \n\uf0a8 Staff are not permitted to drive students. Privately owned \nvehicles from non-approved vendors, ride sharing services \nsuch as Lyft or Uber, or leased vehicles are not to be utilized \nexcept in the case of a bona fide emergency. Staff who \nutilize their own vehicles or a leased vehicle risk being \nlegally liable. Please refer to TRN-03 for regulations on field \ntrip transportation.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3acce4d9-c432-4bb1-9ac0-c8abd34b2b97": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 11 of 36 \n \n\uf0a8 If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of \ninsurance on the Medical Information form. \nONE WEEK PRIOR TO TRIP \n\uf0a8 Verify all arrangements, including transportation and \nreception at the site. \n\uf0a8 Prepare name tags for younger students. \n\uf0a8 Provisions must be made in advance for any student not \nattending the trip and staying at school. If applicable, \nprovide alternative arrangements and/or comparable \nactivities for students not attending the trip or unable to \nparticipate in a portion of your trip. \n\uf0a8 If a student\u2019s family elects for their child not to attend a field \ntrip for any reason, the child may not be penalized through \ntheir grade or otherwise. \n\uf0a8 Remind students and chaperones of safety and behavior \nexpectations. \n\uf0a8 Notify/consult with the principal/head of school if trip plans", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "89c7b5a1-5410-4018-a3e5-44da71750f1e": { + "page_content": "their grade or otherwise. \n\uf0a8 Remind students and chaperones of safety and behavior \nexpectations. \n\uf0a8 Notify/consult with the principal/head of school if trip plans \nhave changed from the original field trip request. Prepare \nand leave a field trip package for the principal/head of \nschool that includes CAO-23 checklist, Day Field Trip \nRequest form, and permission slip copies. \nDURING THE FIELD TRIP \n\uf0a8 Take attendance and leave the current list of students \nattending the trip with the principal/head of school. \n\uf0a8 Record specific bus number and driver\u2019s name and leave \ninformation with the principal/head of school, all", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "04485e0d-04a9-4023-9d6f-0198d9b7ae2c": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 12 of 36 \n \nchaperones, and, if age appropriate, students. \n\uf0a8 Chaperones must supervise all assigned students. Conduct \nhead counts and buddy checks before embarking on your \ntrip, throughout your trip, and before departing the field trip \nsite for home. \n\uf0a8 Review standards for safety and behavior with students. \n\uf0a8 Chaperones must carry the trip binder at all times on the \ntrip which includes the following: permission slips (original, \nsigned permission slips must be carried by the lead \nchaperone), Emergency Action Plan, Day Field Trip Request \nform, and any accompanying itinerary details for this \nparticular trip. \n\uf0a8 All students must have the contact information of \nchaperones and other necessary emergency and contact \ninformation. \n\uf0a8 Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity of which parents have been informed and have", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0929c285-2ac9-4b84-bea5-ac86453a5782": { + "page_content": "information. \n\uf0a8 Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity of which parents have been informed and have \napproved in writing in advance, and that is age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least pairs AND \nalways know how to reach an adult chaperone. \n\uf0a8 Review with everyone where they are to go if separated \nfrom the group. \n\uf0a8 Program leaders and chaperones have the responsibility to \nmodify the program to ensure the ongoing safety of \ntravelers. Consult with principal/head of school and \nDepartment of Safety Services if this becomes necessary.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3f6cd9c7-824e-41c2-8884-02da324c8a71": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 13 of 36 \n \nAFTER THE FIELD TRIP (MANDATORY) \n\uf0a8 Retain completed, original Day Field Trip Request form, \noriginal permission slips, and any other signed documents \nfor the field trip in the school office. These records must be \nkept for the current fiscal year plus three additional years \nafter the field trip occurs. \n\uf0a8 Remind students (and inform parents/guardians) to see a \ndoctor immediately if they are not feeling well after the trip \nand to inform the doctor of their experience. \n\uf0a8 If applicable, file and follow up with an Incident Report. \nAFTER THE FIELD TRIP (SUGGESTED) \n\uf0a8 Write thank you notes. \n\uf0a8 Present to the school and family community about the \nstudents\u2019 observations while on the trip. \n\uf0a8 Conduct related creative and/or analytical projects to \nshowcase student learning. \n\uf0a8 Write a news article about the trip for a local newspaper or \nwebsite. \n\uf0a8 Email stories, journals, and pictures of your trip to the", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5dbecfab-7533-4610-b06d-b180dd3d187c": { + "page_content": "showcase student learning. \n\uf0a8 Write a news article about the trip for a local newspaper or \nwebsite. \n\uf0a8 Email stories, journals, and pictures of your trip to the \nDepartment of Global Education. \n\uf0a8 Evaluate the trip. \no Was the educational purpose of the trip served? \no What were the highlights of the trip? \no What might you do differently next time? \no Are there any incidents or accidents to report? \n \nPLEASE SIGN THIS CHECKLIST, RETAIN A COPY FOR YOUR FILE,", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "88078984-7cc9-4790-857f-3d2c0b0fbfd3": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 14 of 36 \n \nAND SUBMIT THE ORIGINAL TO THE SCHOOL OFFICE FOR \nFILING. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed, \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \nSchool Name: ___________________________________________________ \nSignature of Lead Chaperone: ___________________________________ \nDate: ____________________________________________________________ \nSignature of Principal/Head of School or Sponsoring District \nDepartment: ____________________________________________________ \nDate: ____________________________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "fbd9513e-4763-4b2c-9833-452ce025235f": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 15 of 36 \n \nFor more information, questions, and support about this \ncircular, please contact: \n Owner: Chief of Teaching and Learning \nDepartment: Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \nATTACHMENTS: \nI. Day Field Trip Request Form \nII. Emergency Action Plan \nIII. Parental Authorization for Day Field Trip \nIV. Parent/Guardian Authorization and Acknowledgement of \nRisks for Walking Trips \nV. Chaperone Agreement Form", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "769f46a3-89da-4bd2-8886-f2010afbc101": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 16 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART I) \nThis form is submitted to the principal/head of school for \napproval. This form and all original permission slips are kept on \nfile for the current fiscal year plus three additional years. \n \nSCHOOL INFORMATION \nSchool: __________________________________________________________ \nDate Submitted: _________________________________________________ \n \nOVERVIEW \nNumber of Students: ____________________________________________ \nNumber of Chaperones: (10:1 Ratio) _______________________________ \nDestination/s: ____________________________________________________ \n __________________________________________________________________ \nDate of Trip: _____________________________________________________ \nField Trip Category:_______________________________________________ \nOverview of Trip/ Educational Purpose: __________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1c83daa8-8da3-460f-893c-7943269f8f3e": { + "page_content": "Field Trip Category:_______________________________________________ \nOverview of Trip/ Educational Purpose: __________________________ \n __________________________________________________________________ \nItinerary: ________________________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9f10e7aa-0780-4425-bddb-03bb24487665": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 17 of 36 \n \n __________________________________________________________________ \nSITE/S CONTACT INFORMATION \n(If you are visiting multiple places, please list all.) \nSite/s: ____________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nAddress/s: _______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSite/s Contact Person: ___________________________________________ \n __________________________________________________________________ \nSite/s Telephone Number & Email(s):", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d944cb45-4bba-4bf4-83d8-bee744f462da": { + "page_content": "Site/s Contact Person: ___________________________________________ \n __________________________________________________________________ \nSite/s Telephone Number & Email(s): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c6ca4ea3-02dc-4d5d-a6b2-e83dfb9a96fb": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 18 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART II) \nSUPERVISION \nProgram Leader (Lead Chaperone): \n __________________________________________________________________ \nPhone (during the trip): __________________________________________ \nEmail: ___________________________________________________________ \nNames and phone numbers of all chaperones: (attach a separate \ndocument if necessary): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "03bfe006-1d73-47f1-a0d5-68089a7b66b1": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 19 of 36 \n \nTRANSPORTATION \nPick-up Location: _______________________________________________ \nDrop-off Location: _______________________________________________ \nDeparture Time: _________________________________________________ \nTime Back at School: _____________________________________________ \nMethod of Transportation: _______________________________________ \nTransportation Provider: _________________________________________ \n __________________________________________________________________ \nContact Information: (phone number and address) \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nStaff may not drive students. Privately owned vehicles, ride \nsharing services, vehicles from non-approved vendors, or leased", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "afdfb4b7-43e5-4998-b846-6e973aef4e4e": { + "page_content": "__________________________________________________________________ \nStaff may not drive students. Privately owned vehicles, ride \nsharing services, vehicles from non-approved vendors, or leased \nvehicles are not to be utilized to transport students to and from \nfield trips, except in the case of a bona fide emergency. Staff who \nutilize their own vehicles risk being legally liable. Schools must \nuse BPS buses or approved bus vendors regardless of how the \ntrip is paid for. (See TRN-03) \nTotal Cost: _______________________________________________________ \nFunding Source: _________________________________________________ \nGrant Number: __________________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "fde0dc75-4ea1-4a22-881b-278c8cc5eaa5": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 20 of 36 \n \nBEDF Account Code/Description: ________________________________ \nApproved by: ____________________________________________________ \nPrincipal/Head of School /Sponsoring District Department \nDate: ______________________________ \n \nYour signature indicates that all policies outlined in this circular \nregarding day trips will be followed.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "67614f57-2bc9-4bdf-ad17-2640088283e0": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 21 of 36 \n \n \nEMERGENCY ACTION PLAN (EAP) \nThe program leader and chaperones must have copies of this \nchecklist during the trip. \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP: \n\uf0a8 Do not leave the injured person alone or without an adult \npresent. \n\uf0a8 REMAIN CALM. This helps the operator receive your \ninformation. \n\uf0a8 DIAL 911. Remember, you may need to access an outside line \nfirst. \n\uf0a8 Answer the dispatcher\u2019s questions clearly and concisely. \nThey will ask for all the relevant facts. The dispatcher will \nend the call when all of the information is verified. \n\uf0a8 Wait with the person until EMS arrives. \n\uf0a8 Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \nNOTIFICATION OF INCIDENT \n\uf0a8 Call parent/guardian, principal/head of school, the \nSuperintendent\u2019s Office, and Department of Safety Services", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "31538e86-f632-4911-90dc-fe2dfeae6427": { + "page_content": "parent/guardian arrives. \nNOTIFICATION OF INCIDENT \n\uf0a8 Call parent/guardian, principal/head of school, the \nSuperintendent\u2019s Office, and Department of Safety Services \nregarding the incident immediately. \n\uf0a8 File an Incident Report.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5bcfab33-6c61-4312-a4bd-5186782f6cb7": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 22 of 36 \n \n \nPrincipal/Head of School Phone Numbers: \n __________________________________________________________________ \nDepartment of Safety Services: (617) 635-8000 \nAdditional Phone Numbers: ______________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f7448931-a00d-45fa-9797-226c77da4f65": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 23 of 36 \n \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nBPS STAFF: \n\uf0a8 Use one form per trip, per student. \n\uf0a8 Complete the School Portion of form. \n\uf0a8 Send a copy home for parent/guardian and student \nsignatures. \n\uf0a8 During the field trip, the signed, original form must be \ncarried by the lead chaperone, copies by all other \nchaperones and a photocopy must be left on file in the \nschool office. \nSTUDENTS: \n\uf0a8 Complete the \u201cStudent Agreement\u201d section. \nPARENT / LEGAL GUARDIAN, IF STUDENT IS UNDER 18 YEARS OF \nAGE; OR STUDENT, IF AT LEAST 18 YEARS OLD: \n\uf0a8 Complete the Authorization & Acknowledgement of Risks \nsection. \n\uf0a8 Complete the \u201cMedical Authorization\u201d section.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "04872d15-b91f-42a5-8471-c80af485ba52": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 24 of 36 \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nTo be completed by the school \n \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nDestination: ______________________________________________________ \nPurpose(s): ______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nList of Activities: ________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSupervision: (Check one)", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2898b056-716e-4825-8456-6f27ef3f7d87": { + "page_content": "__________________________________________________________________ \n __________________________________________________________________ \nSupervision: (Check one) \n\uf0a8 Students will be directly supervised by adult chaperones on \nthis trip at all times.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c57eff5d-47e0-49b9-8f4d-f2e13ed9e3f6": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 25 of 36 \n \nMode of Transportation (check all that apply): \n\u25a1 Walking \u25a1 School bus \u25a1 MBTA \n\u25a1 Other __________________________________________________________ \nStudents will leave from: \n_________________________________________ at ____________________. \n (location) (time) \n \nStudents will return to: (location) _________________________________ \nat about (time)__________________. \nChaperone(s) in Charge: _________________________________________ \n __________________________________________________________________ \nChaperone/Student Ratio: __________________________ (10:1 for all \ngrades; minimum of two chaperones) \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I am \nrepresenting BPS and my community. I understand that", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "99f3cdbb-0f87-4b97-9ed2-7688ac346e63": { + "page_content": "grades; minimum of two chaperones) \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I am \nrepresenting BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abide by school-\nbased rules and the Boston Public Schools\u2019 Code of Conduct. \nStudent signature _________________________ Date _________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b1fcf979-e472-4e71-b432-8229d53bd459": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 26 of 36 \n \nTo be completed by the parent/guardian or student (if 18 or over): \nPARENT/GUARDIAN AUTHORIZATION AND \nACKNOWLEDGEMENT OF RISKS FOR BPS DAY TRIPS \nI understand that my/my child\u2019s participation in this field trip is \nvoluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the first \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. \nI assume full responsibility for any risk of personal or property \ndamages arising out of or related to my/my child\u2019s participation \nin this field trip, including any acts of negligence or otherwise \nfrom the moment that my student is under BPS supervision and \nthroughout the duration of the trip. I further agree to indemnify \nand to hold harmless BPS and any of the individuals and other \norganizations associated with BPS in this field trip from any claim", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "32d5a67a-4d98-4159-a2b0-df4daa344442": { + "page_content": "throughout the duration of the trip. I further agree to indemnify \nand to hold harmless BPS and any of the individuals and other \norganizations associated with BPS in this field trip from any claim \nor liability arising out of my/my child\u2019s participation in this field \ntrip. I also understand that participation in the field trip will \ninvolve activities off school property; therefore, neither the \nBoston Public Schools, nor its employees nor volunteers, will have \nany responsibility for the condition and use of any non-school \nproperty. \nI understand that BPS is not responsible for my/my child\u2019s \nsupervision during such periods of time when I/my child may be \nabsent from a BPS supervised activity. Such occasions are noted \nin the \u201cSupervision\u201d section in this agreement. I state that I \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8cc9c50a-0d9e-4b80-9a36-d505ff0b8e70": { + "page_content": "have/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child\u2019s participation in this", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4459b722-c646-4791-a32e-be4a1c35c0b4": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 27 of 36 \n \nfield trip may at any time be terminated by BPS in the light of \nmy/my child\u2019s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense \nwith no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth, and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I \nagree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6b5fa649-1c9a-4282-9002-7491883b1d62": { + "page_content": "should take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency \nmedical care, if in the opinion of attending medical personnel, \nsuch action is advisable. \nFurther, I authorize the chaperones listed to act on my behalf as \nparent/guardian of my child/ward while participating in the trip \ndescribed above, including the admittance to and release from a \nmedical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f4e37e0f-d50c-4308-9ed0-fe9cca384073": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 28 of 36 \n \npage. \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: _____________________________________________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant,", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e3ef60ed-f518-4b86-a8c1-ae9659267a2d": { + "page_content": "must be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant, \nthat I have read and that I understand the above agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: \n____________________________________________________________ \n(student)", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ad2893b7-2a62-4972-80d5-3ca41305f308": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 29 of 36 \n \nto participate in all aspects of this trip. \nParent/Guardian Signature/s _____________________________________ \nDate: _____________________________________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal \nguardian must complete the information below: \nPrint parent/guardian/s first and last name(s): \n __________________________________________________________________ \nAddress: _________________________________________________________ \n __________________________________________________________________ \nTelephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency contact\u2019s first and last name (other than \nparent/guardians): _______________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b6536af0-5176-4b1c-9550-7e1e8e106117": { + "page_content": "__________________________________________________________________ \nEmergency contact\u2019s first and last name (other than \nparent/guardians): _______________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________ \n \n \nWALKING TRIPS", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4def97a1-259f-4d64-a7ce-25d19f2a1e43": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 30 of 36 \n \nParent/Guardian Authorization and Acknowledgement of Risks \nfor Walking Trips \nInstructions: This form is to be completed by parents/guardians \nto authorize BPS to engage students in day field trips that \nrequire walking within a 1-mile radius of the school. This form will \napply for all walking field trips during the current school year, \nand will need to be updated each school year, or as \nstudent/family information changes. The school is still required \nto inform families in advance of walking field trips, and obtain \nprincipal/head of school approval. \nI understand that my/my child\u2019s participation in this field trip is \nvoluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the front \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. I assume full", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "57f4c7a8-84b0-476f-9599-f56e9073b925": { + "page_content": "read and understand the description of the field trip (on the front \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. I assume full \nresponsibility for any risk of personal or property damages arising \nout of or related to my/my child\u2019s participation in this field trip, \nincluding any acts of negligence or otherwise from the moment \nthat my student is under BPS supervision and throughout the \nduration of the trip. I further agree to indemnify and to hold \nharmless BPS and any of the individuals and other organizations \nassociated with BPS in this field trip from any claim or liability \narising out of my/my child\u2019s participation in this field trip. I also \nunderstand that participation in the field trip will involve \nactivities off of school property; therefore, neither the Boston \nPublic Schools, nor its employees nor volunteers, will have any \nresponsibility for the condition and use of any non-school", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "50a00d76-147e-42b7-82ad-8d8adea2ebac": { + "page_content": "activities off of school property; therefore, neither the Boston \nPublic Schools, nor its employees nor volunteers, will have any \nresponsibility for the condition and use of any non-school \nproperty. I understand that BPS is not responsible for my/my \nchild\u2019s supervision during such periods of time when I/my child \nmay be absent from a BPS supervised activity. Such occasions are \nnoted in the \u201cSupervision\u201d section in this agreement. I state that I", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7929f958-6714-4565-85f3-d07d446be744": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 31 of 36 \n \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child\u2019s participation in this \nfield trip may at any time be terminated by BPS in the light of \nmy/my child\u2019s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense \nwith no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "994c4432-7314-4bf3-85fb-8a3110823640": { + "page_content": "I certify that I am/my child is in good physical and behavioral \nhealth and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I \nagree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency \nmedical care, if in the opinion of attending medical personnel, \nsuch action is advisable. Further, I authorize the chaperones \nlisted to act on my behalf as parent/guardian of my child/ward \nwhile participating in the trip described above, including the \nadmittance to and release from a medical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b24eb2ee-fb49-48eb-be65-4f2b4bf9df8a": { + "page_content": "NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b14c1b84-f4d4-41c3-a83d-49be4f6f6b3b": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 32 of 36 \n \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional \npage.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5681ae00-d74e-4d85-b566-15644491a881": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 33 of 36 \n \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: ___________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant, \nthat I have read and that I understand the above Agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: _____________________________________________ \n(student) \nto participate in all aspects of this trip.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "46762f5b-11b8-4bc7-8ed8-aa4f0a13c2f8": { + "page_content": "own behalf and on behalf of the student. \n \nI give permission for: _____________________________________________ \n(student) \nto participate in all aspects of this trip. \nParent/Guardian Signature/s: _____________________________________ \n __________________________________________________________________ \nDate: ___________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5209e5f0-1a1f-475e-9c13-16850d596511": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 34 of 36 \n \nguardian must complete the information below: \nPrint Parent/Guardian/s First and Last Name/s: \n __________________________________________________________________ \nAddress: ________________________________________________________ \n __________________________________________________________________ \nTelephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency Contact\u2019s First and Last Name (other than \nparent/guardians): _______________________________________________ \n __________________________________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c1ece0bc-0777-47b1-b1e4-0e4d0f0e6cb9": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 35 of 36 \n \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: _________________ Return Date: ___________________ \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants, \nis extremely important during this field trip. I agree to make \nsafety my first priority. I agree to conduct myself in a manner that \npromotes my safety and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "572162cf-8179-4460-980c-d8820fa25849": { + "page_content": "promotes my safety and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake up calls for students, are part of my responsibility. \nI agree to follow BPS policies, protocols, and guidance of BPS \nstaff when in the field.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b4f34527-1ae9-4fcf-87e3-403175e13b8a": { + "page_content": "Superintendent\u2019s Circular CAO-23 \nPage 36 of 36 \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling, and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication; and selling of \nprescription drugs. \nThe Code also prohibits the use of tobacco products (including e-\ncigarettes, hookah paraphernalia, and vapor cigarettes). I \nunderstand that these prohibitions apply to all students, \nregardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip.", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "05c68b80-8c4d-4e60-9333-1ea3f845319f": { + "page_content": "of tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Signature: ___________________________________________ \nDate: _________________________", + "metadata": { + "file_name": "CAO-23 Day Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c34a9772-ccdb-4ddc-adb9-9ded2658321a": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-22 \nVersion 01 \n \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nALL FIELD TRIPS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance and guidance. \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the field trip policy passed by the Boston School \nCommittee on November 20, 2019. \nProgram leaders (chaperones) must read this circular in its \nentirety. Principals/heads of school (and/or the district \ndepartment sponsoring the trip) are responsible for ensuring that \nall field trip policies and procedures outlined in this circular and", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0b9cf3cc-c6f9-44f6-aa0a-ea73140620ea": { + "page_content": "entirety. Principals/heads of school (and/or the district \ndepartment sponsoring the trip) are responsible for ensuring that \nall field trip policies and procedures outlined in this circular and \nall the field trip circulars are adhered to. \nBPS SPONSORED FIELD TRIP: DEFINITION \nA BPS sponsored trip is any trip involving BPS students and \nemployees that: uses BPS funds in any way; takes place during \nregular school operating hours; is organized by BPS employee(s)", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d60c030a-392a-4cd1-99bc-be58f3c77c20": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 2 of 22 \n \nduring normal employment hours, either while on BPS property \nor while using BPS-issued technology; and/or is related directly to \nthe instructional program at the school. Cases where students \nelect to participate in a third-party travel program with the \nconsent of their family, whereby they will travel alone, and not \nwith a school group, are not considered BPS sponsored field trips, \neven if students receive funding support from their school or \ndistrict. \nTYPES OF FIELD TRIPS \nBPS has divided field trips into three types: \n\u25cf Day field trip \n\u25cf Overnight field trip \n\u25cf International field trip \nThis division ensures that permission forms and procedures are \ndirectly relevant to the type of trip and activities students will \nengage in. \nRefer to the circular appropriate for your type of trip for further \ndetails: \n\u25cf Day field trips \u2014 Superintendent Circular CAO-23 \n\u25cf Overnight field trips \u2014 Superintendent Circular CAO-24", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1d4b9402-1324-49c6-acfc-a01be1152ddc": { + "page_content": "Refer to the circular appropriate for your type of trip for further \ndetails: \n\u25cf Day field trips \u2014 Superintendent Circular CAO-23 \n\u25cf Overnight field trips \u2014 Superintendent Circular CAO-24 \n\u25cf International field trips \u2014 Superintendent Circular CAO-25 \n\u25cf Water activities \u2014 Superintendent Circular CAO-27 \nPURPOSE OF FIELD TRIPS \nAll BPS sponsored field trips must serve the purpose of providing \neither instruction or enrichment. Instructional trips support the \ninstructional program and should be directly linked to the \ncurriculum and standards of that grade level or subject area.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9baddc10-e227-434a-b23b-73a90ff48061": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 3 of 22 \n \nEnrichment trips contribute to students\u2019 academic, cultural, or \nsocial development, and aim to deepen their engagement with \nschool and learning. Sites for field trips should be carefully \nselected to enrich student learning and exposure to the \ncommunity, new people, places, and activities. Discuss with \nstudents and families the trip\u2019s purpose, learning goals, and \nbehavior expectations in advance, and engage students in \nactivities before, during, and after the trip. It is important to note \nthe serious obligations that BPS staff members undertake to \nensure that all field trips are not only educationally sound, but \nalso manage risk. \nFIELD TRIP CATEGORIES \nA trip often meets more than one category. \n\u25cf Instructional field trip: Enhances a specific curriculum unit \nor serves a broader educational purpose. \n\u25cf Cultural field trip: Engages students in cultural awareness or \nunderstanding experiences to learn more about their own", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "67ec1926-c7c0-4701-b73f-90d8c863fe12": { + "page_content": "or serves a broader educational purpose. \n\u25cf Cultural field trip: Engages students in cultural awareness or \nunderstanding experiences to learn more about their own \ncultural identity, or that of others. \n\u25cf Community building field trip: May reinforce relationships \nin an existing group of students, prepare students for a \nsignificant transition into a new structure or community, \nhelp students work collaboratively, or assist in the \ndevelopment of leadership and decision-making skills. \n\u25cf Service learning field trip: Students learn the value of \nhelping others in their own community and beyond, while \nsimultaneously learning from the host community. These \ntrips show students how empowering service to others is \nwhile developing students\u2019 leadership skills.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5209c85a-7af0-4b1a-b676-3f25bdc9a370": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 4 of 22 \n \n\u25cf Personal growth and development: Students are exposed \nto new group or individual activities whereby they learn new \nskills and new ideas, develop identity, build self-esteem, \ngrow strengths, and build camaraderie. \nFIELD TRIP TYPES AND TIMELINES FOR APPROVAL \nIt is necessary that the proper procedures are followed, and that \ncopies of all checklists, permission and medical forms are kept on \nfile in the school office and, when appropriate, filed with the \ndistrict. If the deadlines and details below are not met, a field trip \napplication may be rejected. Please note that trip planning \ntimelines (i.e., \u201ctwelve weeks (or more) prior to the field trip\u201d, etc.) \nin each circular chronicle the minimal amount of time for \nplanning. More time for pre-trip planning is strongly \nrecommended for all types of field trips. \n\u25cf Day Field Trip (CAO-23): Any domestic trip off school grounds \nthat is no more than one day in duration.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d8c78ee8-2c52-4440-bfdd-b2290ffbd0a1": { + "page_content": "recommended for all types of field trips. \n\u25cf Day Field Trip (CAO-23): Any domestic trip off school grounds \nthat is no more than one day in duration. \no Day Field Trip forms are submitted to the \nprincipal/head of school at least 4 weeks in advance \n(or at the principal/head of school\u2019s discretion) and \napproved by the principals/heads of school. \no Walking field trips are day field trips that require \nwalking within a one-mile radius of the school (i.e., \nlocal garden, park, field, etc.). The Parent/Guardian \nAuthorization and Acknowledgement of Risks for \nWalking Trips form will apply for all walking field trips \nduring the current school year and will need to be \nupdated each school year, or as student/family \ninformation changes. The school is still required to \ninform families in advance of each walking field trip", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0a3e0315-3064-4bde-9d5c-d0b2fc63da45": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 5 of 22 \n \nand obtain principal/head of school approval. \no All forms, including the signed CAO-23 checklist \nform, are filed at the school. \no The principal/head of school or designee is the \nemergency contact for day field trips. \n\u25cf Overnight Field Trip (CAO-24): Any domestic trip off school \ngrounds that involves students\u2019 participation overnight. \nTravel to U.S. territories, including Puerto Rico, the United \nStates Virgin Islands, Guam, American Samoa, and Northern \nMariana Islands are considered domestic, but are covered \nunder international travel insurance. Travel to these \nterritories is subject to some forms, requirements, and \nprotocols in the CAO-25 International Field Trip guidelines. \nConsult with the Department of Global Education for \nrequired forms for these destinations. \no Overnight Field Trip forms are submitted to the \nprincipal/head of school at least 12 weeks in advance \nand approved by the principals/head of school.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ce893a69-30a0-4879-924b-22b3c0a3c8d0": { + "page_content": "required forms for these destinations. \no Overnight Field Trip forms are submitted to the \nprincipal/head of school at least 12 weeks in advance \nand approved by the principals/head of school. \no All forms, including the signed CAO-24 checklist \nform, are filed at the school. \no Overnight Field Trip Request forms, the list of \nstudent names, emergency contact name and \nnumber, grade, D.O.B, the list of chaperone names \nand their role in the school community, the itinerary, \nand if applicable, train and flight information are sent \nto the district to notify the district of trip plans at \nleast 6 weeks in advance. Scan and email the \nOvernight Field Trip Request form and information to \nthe appropriate operational leader as well as to the", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d9d9b830-afff-46cc-980c-49326dd5e257": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 6 of 22 \n \nDepartment of Global Education and follow up with \nboth to confirm receipt. \no The principal/head of school or designee is the \nemergency contact for overnight field trips. \n\u25cf International Field Trip (CAO-25): Any trip off school grounds \nthat involves travel to a location outside of the United States. \no International field trips should be planned at least a \nyear in advance, to maximize affordability and \nfundraising efforts, and when possible, scheduled \nduring non-school time (i.e., school vacations and \nsummer). \no As soon as a trip opportunity becomes known, or \nthere is interest in an international travel program, \nteachers must inform their principal/head of school \nand contact the Department of Global Education for \nsupport and guidance with the CAO-25 application, \nand planning process. No arrangements, payments, \nor deposits should be made without consultation \nwith the Department of Global Education and", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "129b2d1a-7b78-4c70-84dc-836c757121a6": { + "page_content": "support and guidance with the CAO-25 application, \nand planning process. No arrangements, payments, \nor deposits should be made without consultation \nwith the Department of Global Education and \nformal application approval from the \nsuperintendent. \no After consulting with the Department of Global \nEducation and head of school, CAO-25 applications \nshall be submitted no less than 9-12 months before \ndeparture. The application requires approval by the \nDepartment of Global Education, which will then \nseek approval from the appropriate district leaders \nbefore obtaining final approval from the \nsuperintendent. Again, no arrangements should be", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0def6165-dbed-4f6b-815d-f43e3b2d8054": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 7 of 22 \n \nmade or payments or deposits placed without \nconsultation with the Department of Global \nEducation and formal application approval from the \nsuperintendent. \no The principal/head of school or appointee and the \ndirector of Global Education or district designee are \nthe emergency contacts for international travel \nprograms. \nGENERAL GUIDELINES FOR ALL TYPES OF FIELD TRIPS \n\u25cf Principals/head of school or the district department \nsponsoring the trip have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparent internal \nprotocols for field trip requests and approvals at the school \nlevel. \n\u25cf All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a6173776-8619-4deb-9cad-efa388fc2c50": { + "page_content": "by the principal/head of school or district department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to fundraising efforts \nor other detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. \n\u25cf The program leader (the BPS employee and chaperone \norganizing and leading the trip) and supporting chaperones \nmust be approved by the principal/head of school, or district \ndepartment sponsoring the trip. \n\u25cf The principal/head of school and program leader must \nreview and complete the appropriate type of field trip \ncircular and checklist throughout the planning process.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "64d6d851-79d0-42a1-84fd-d7dabe1330ce": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 8 of 22 \n \n\u25cf Program leaders must consult with the principal/head of \nschool on potential chaperones and student recruitment. \nEvery effort should be made for students to have access to \nthe field experience, and for chaperones to be \nrepresentative of the student group and include males and \nfemales. The selection and approval of chaperones by the \nprincipal/head of school should be based on the individuals\u2019 \nthorough knowledge of, and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role. \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n\u25cf Students not enrolled in the Boston Public Schools may not \nparticipate. \n\u25cf Essential participation criteria: The program leader and \nprincipal/head of school shall work together to establish \nessential participation criteria for the trip. The criteria should", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "128dfc61-8ba5-429a-bbcd-373a17b13073": { + "page_content": "\u25cf Essential participation criteria: The program leader and \nprincipal/head of school shall work together to establish \nessential participation criteria for the trip. The criteria should \ninform students and parents of all activities and risks \nassociated with each itinerary activity and trip location to \ndetermine what accommodations or modifications may be \nneeded for the student to participate successfully and safely \nin all or portions of the trip. \n\u25cf Student recruitment: Field trips must be advertised to all \nstudents (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip), \nregardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. A student\u2019s ability to pay may not \nbe a criterion for field trip participation. If students are \ncharged individual fees for participation in a domestic", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3f58a035-3aea-45b5-88a4-5de7c8316baf": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 9 of 22 \n \ninstructional field trip that is directly linked to the \ncurriculum and standards, the school or district should \nmake every effort to provide scholarships where need is \nexpressed. \n\u25cf Student accessibility: Students with English Learner status, \n504 plans, and/or IEPs cannot be denied access to field trips \ndue to their status or ability. It is the responsibility of the \nschool to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent\u2019s Circular SHS-08 for information about \nmedical dispensation on field trips. \n\u25cf School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "904b94db-a0ea-465f-b181-96f0bfc27f81": { + "page_content": "approval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult \nwith, and when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "96380cb2-a26c-4a59-948a-0bb6e1e1dfc6": { + "page_content": "medical or mental health condition, be sure that their \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "32e0f9b5-008d-40f0-896e-9431450ccb08": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 10 of 22 \n \nand medical forms. \n\u25cf Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for \nsensitive experiences and ensure that the program is safe \nand inclusive for all students. Consult the Department of \nGlobal Education for resources if needed. \n\u25cf Inclusive accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b9748368-3273-4847-a9c9-5e4c418c0ee7": { + "page_content": "\u25cf Inclusive accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender-nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety for the \nstudent and group. Program leaders should work with \nstudents and families to make sure all travel documents \n(airline ticket, passport, etc.) reflect their legal names as \nlisted on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent\u2019s preferred name. Please view additional rooming \nguidelines from the Office of Equity. \n\u25cf Student conduct: The BPS Code of Conduct applies on all \nfield trips. BPS students and parents are required to sign a \nBPS Student Traveler & Family Agreement form regarding", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "57997bdc-8f61-4f08-b197-62a67e29d16b": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 11 of 22 \n \nstudent conduct while participating in a BPS sponsored \nfield trip. Participation in field trips may be denied to any \nstudent who has demonstrated disregard for the policies \nand rules of BPS or the school, immediately prior to or while \non the field trip. Parents/guardians and students must be \nmade aware of this policy in advance and communicated \nwith throughout any processes involving their child not \nparticipating in a field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school \nand central office staff, determines that a student\u2019s conduct \nwhile on an overnight trip poses a risk to themselves or the \nsafety of the group, or is no longer manageable by BPS staff \nin the field, the district reserves the right to request and \narrange for that student to return home. \nThe district also reserves the right to request that families", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b56dc36a-d3ef-481a-9319-f1bccb85d8d4": { + "page_content": "in the field, the district reserves the right to request and \narrange for that student to return home. \nThe district also reserves the right to request that families \nassume responsibility for all, or a portion of the costs \nassociated with their child\u2019s return. Students may be subject \nto further disciplinary action and will be provided the \nopportunity to have a formal hearing at the school level \nupon return. The school must document the \nparent/guardian\u2019s consent of this policy prior to the trip. \n\u25cf Student dismissal from field program: If a student is to be \ndismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon transportation destination. If the parent/guardian is \nnot reachable, the student\u2019s principal or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2e364592-20c4-441a-be16-89aeefe840d0": { + "page_content": "not reachable, the student\u2019s principal or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4bb4f7fc-df82-4c25-928f-d9e889fccdb6": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 12 of 22 \n \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. NOTE: Age requirements are subject to specific \nairline/train/bus guidelines. \n\u25cf Provisions for students not attending the trip: If applicable, \nalternative arrangements and/or comparable activities for \nstudents not attending the trip, or unable to participate in a \nportion of your trip, must be provided. If a student\u2019s family \nelects for their child not to attend a field trip for any reason, \nthe student may not be penalized through their grade or \notherwise. \n\u25cf Attendance: Attendance forms should indicate when a \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times.) \nCHAPERONE REQUIREMENTS", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "36bb9b49-f0fc-473a-99c8-942fc6b9985a": { + "page_content": "field trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times.) \nCHAPERONE REQUIREMENTS \n\u25cf Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are 21 \nyears of age or older. Any parent on the trip must operate in \nthe role of chaperone. All chaperones must be approved by \nthe head of school/principal. Every effort should be made for \nstudents to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals\u2019 thorough knowledge of", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ca9617cc-c989-48aa-a3ec-ac00e9e6645d": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 13 of 22 \n \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n\u25cf Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the online eCORI form. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the \nlead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "50f0b308-c778-450a-9d93-bd166e5be190": { + "page_content": "employees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. Non-BPS employee \nchaperones (parents/guardians) are required to show proof \nof COVID vaccination, or a negative COVID-19 test within 72 \nhours of the field trip. \n\u25cf BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2e0ad706-9055-4cfa-a67e-447e9d5f618c": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 14 of 22 \n \nAll chaperones must complete the Chaperone Agreement \nform. \n\u25cf Chaperone Ratios: The student-to-chaperone maximum \nratios must be: \no Day field trips: minimum of two chaperones \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \no Domestic Overnight field trips: 10:1 (minimum of \ntwo chaperones) \no International field trips: 7:1 (minimum of two \nchaperones) * Includes Puerto Rico \nNOTE: There should not be more chaperones than \nstudents, unless mandated by an educational plan or \nother circumstances approved by the principal/head \nof school and Department of Global Education. For \nstudents with disabilities, the ratio of staff to \nstudents must be at least the same as the ratio \nmandated in their IEPs for their classes. \no NEW: Tour guides and employees of third-party \nvendors contracted to help operate the trip are \nnot considered chaperones and do not factor into \nthe student to chaperone ratio. \nPERMISSION FORMS", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d4c64904-b6f7-448f-a5fc-7d60d6a0c4b7": { + "page_content": "vendors contracted to help operate the trip are \nnot considered chaperones and do not factor into \nthe student to chaperone ratio. \nPERMISSION FORMS \n\u25cf The student may not attend the field trip without a signed \npermission slip. Permission for field trips must be in written \nform only. Program leaders are responsible for seeing that \npermission slips are filled out completely and signed by the \nlegal parent(s)/guardian(s).", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "af143029-b9f6-4ae3-b22d-87318dadd7f7": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 15 of 22 \n \n\u25cf Permission slips are legal documents and may not be \naltered. Permission slips must be used for any excursion that \nis school sponsored, including those scheduled after school \nand on weekends. \n\u25cf No staff member may solicit students for any privately \narranged field trip or excursion without the permission of \nthe principal/head of school. \n\u25cf \u201cBlanket\u201d authorization (i.e., parental/guardian approval \nusing a single form for multiple trips to be taken during the \nschool year) should never be allowed (except for the \nWalking Trips and Water Activities form if they are in the \nsame location). A separate parent/guardian permission slip \nmust be obtained and filed for each field trip. \n\u25cf Parental/guardian permission slips must be sent home in \nEnglish and in the language of the home. \n\u25cf Only parents/guardians are authorized to sign permission \nforms. For questions regarding legal guardianship, refer to", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "45b77b06-dbb1-4303-a315-9a58e43a3895": { + "page_content": "English and in the language of the home. \n\u25cf Only parents/guardians are authorized to sign permission \nforms. For questions regarding legal guardianship, refer to \nthe SIS site or the local Welcome Center. \n\u25cf Check that students and their parents/guardians have \nsigned the BPS Media Appearances release section of the \nParent/Student Agreement document so that the trip may \nbe showcased upon your return. (This document can be \nfound in the Guide to the Boston Public Schools for Families \nand Students.) \n\u25cf Review each student's Emergency Information Card (Form \n460 or electronic equivalent) to ensure/cross-check \naccuracy of all field trip permissions and forms. \n\u25cf Program leaders must be specific when completing the", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3dc6cff4-f29a-4298-a3ed-1312561c81bf": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 16 of 22 \n \nschool portion of the Parental Authorization for Field Trip \nform. Parents/guardians must be given sufficient \ninformation to understand the nature and scope of the \nactivities on the itinerary. Additional customized waivers \nmay be developed for specific trips/itineraries. \nRECORD KEEPING FOR ALL TYPES OF TRIPS \n\u25cf Retain completed field trip request forms, original \npermission slips, medical forms, fire prevention and safety \nforms (if applicable), and all other signed documents for \nfield trips in the school office. Legally, these records must be \nkept for the current fiscal year plus three additional years \nafter all field trips have occurred.", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "31dfef23-7b00-4b78-a3ff-1e6dbf25440d": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 17 of 22 \n \nTRANSPORTATION FOR FIELD TRIPS \n\u25cf School buses or BPS approved transportation vendors\u2019 \nvehicles (per BPS Transportation Department) MUST be \nused to transport students to and from field trips or athletic \nevents regardless of how the trip is paid for. Privately owned \nvehicles, vehicles from non-approved vendors are not \npermitted. \nRide sharing transportation services, such as Uber and Lyft, or \nleased vans are not to be utilized to transport students to \nand from field trips or athletic events, except in the case of a \nbona fide emergency. \n\u25cf Students are prohibited from driving vehicles, operating, or \nbeing a passenger on any motorbike during a field trip. \n\u25cf Staff are not permitted to transport students. Staff who \nutilize their own vehicles, or leased vehicles, risk being \nlegally liable if students are injured while riding in their \nautomobiles. \n\u25cf Please refer to Superintendent\u2019s Circular TRN-03 for", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "feb0b550-2874-4287-8c52-dc56593e8a72": { + "page_content": "utilize their own vehicles, or leased vehicles, risk being \nlegally liable if students are injured while riding in their \nautomobiles. \n\u25cf Please refer to Superintendent\u2019s Circular TRN-03 for \ninformation and regulations regarding field trip \ntransportation. \nSAFETY GUIDELINES \nAs part of trip planning and itinerary development, ensuring the \nmajor aspects of health, safety, and security have been addressed \nwith appropriate due diligence. Program leaders should be able \nto articulate in an informed manner what decisions were made, \nwhy they were made, and the sources that informed their \ndecision making. If you are unsure as to whether an activity is \nappropriate in terms of safety or educational content for a \nschool-sponsored trip, please consult with your principal/head of", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c398dd73-698c-484d-9f22-78c44b6ef8be": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 18 of 22 \n \nschool and the Department of Global Education. \n\u25cf Review Superintendent\u2019s Circular FSE-05, Medical \nEmergency Management, and SAF-04 Incident Data-\nReporting and Release for important safety protocols. \n\u25cf Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity in which parents have been informed of and \napproved in writing in advance, and age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should at least be in groups of \nthree, AND always know how to reach an adult chaperone. \n\u25cf Day and water field trips: The Department of Safety Services \n(617-635-8000) must be notified in the event of a serious \nmedical or other emergency and should be used as a \nresource for questions regarding safety on day field trips, \nincluding water activity day trips. \n\u25cf Domestic overnight trips: The principal/head of school is the", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "667f16b5-06a4-477c-b608-4acc00ab15d4": { + "page_content": "resource for questions regarding safety on day field trips, \nincluding water activity day trips. \n\u25cf Domestic overnight trips: The principal/head of school is the \nemergency contact and must be notified in the event of a \nserious medical or other emergency. Prior to departure, the \nDepartment of Global Education should be used as a \nresource for questions regarding safety on trips, and for \nsupport with insurance and claims. Prior to departure, \nprogram leaders will receive emergency contact \ninformation. \n\u25cf International trips: The principal/head of school or designee, \nfollowed by the Department of Global Education or district \nappointee, are the emergency contacts for international \ntrips. DGE must be notified in the event of a serious medical \nor other emergency and should be used as a resource for", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3cef3336-43dd-4315-97e7-a47d6b95f237": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 19 of 22 \n \nquestions regarding safety on trips. Prior to departure, \nprogram leaders will receive emergency contact \ninformation. \n\u25cf Emergency Action Plan: At all times during the trip, all \nchaperones must carry with them a copy of the Emergency \nAction Plan (EAP) that outlines procedures for calling 911 in \nthe US or the foreign equivalent while abroad, as well as \nemergency protocols. The EAP can be found in the day, \novernight, and international circulars. \n\u25cf Personal Health: For overnight and international trips, \nstudents and staff must have had a recent doctor\u2019s visit, \nphysical exam, and any required vaccinations prior to \ndeparture. See CAO-24 and CAO-25 for details on healthy \ntravel requirements. \n\u25cf Training: The district reserves the right to require additional \ntraining and/or certifications such as CPR/AED, first aid, and \nprogram (chaperone) leader risk management training", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7631d272-206b-426a-97d5-fbf7f4b1a5d7": { + "page_content": "\u25cf Training: The district reserves the right to require additional \ntraining and/or certifications such as CPR/AED, first aid, and \nprogram (chaperone) leader risk management training \ndepending on the type, location, and purpose of the trip. \nReview the specific circular for your trip type for certification \nrequirements. \n\u25cf Phone/Social Media Usage: Set expectations with students \nregarding phone and social media usage during any field \ntrip. This is especially critical during an emergency. \n\u25cf Insurance: The district provides medical insurance coverage \nfor BPS-sponsored international and domestic trips for BPS \nstudents and BPS staff participants. [Domestic is defined as \n100 driven miles away from home or place of study or \nemployment.] Trip cancellation and interruption coverage \nare not provided by the district. Program leaders must", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0c88a327-b0d5-4156-8f76-5ee7c0faa98f": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 20 of 22 \n \ninform families (and funders) of this fact, and that they have \nthe option to voluntarily purchase these additional \ncoverages on their own. For Level 2 CDC or State \nDepartment Warning international destinations, trip \ncancellation and interruption coverages are strongly \nrecommended. \n\u25cf Cancellation: The superintendent reserves the right to \ncancel any field trip up to and including the day of \ndeparture to manage risk. Upon advance review of \nitineraries, BPS reserves the right to deny schools \npermission to participate in the field trip activities on their \nitinerary where the risks of the activity outweigh the \nintended learning outcomes of the program. \n\u25cf Post Field Trip: After the trip, follow up and communicate \nwith the student and parent/guardian, as well as the \nprincipal/head of school, Department of Safety Services, or \nthe Department of Global Education if there are any student", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e6fcf3be-9fe8-467d-a4c9-8c39be0583a5": { + "page_content": "with the student and parent/guardian, as well as the \nprincipal/head of school, Department of Safety Services, or \nthe Department of Global Education if there are any student \nsafety concerns (health or otherwise) during the trip that \nrequire further attention. \nHOMESTAYS IN BOSTON, NATIONALLY, AND ABROAD \n\u25cf For host family stays (both incoming and outgoing), review \nCAO-26 Guidelines for Homestays & International Student \nVisitors for more information. Please contact the \nDepartment of Global Education immediately for guidelines. \nAll BPS families (anyone in households 18 or over) who host \nnational or international guests must be CORI cleared by the \nBPS Office of Human Capital. \nINTERNATIONAL STUDENT VISITORS (CAO-26) \n\u25cf International/ students can register with BPS if they will be a", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6b55aced-f954-45c3-9558-8d286e71ceff": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 21 of 22 \n \nfull-time student at a BPS school, except the exam schools, \nfor one year. Students must be in their freshman, \nsophomore, or junior year. Please be advised that BPS does \nnot get involved with the J1 visa process. Review CAO-26 \nGuidelines for Homestays & International Student Visitors for \nmore information. Please contact the Department of Global \nEducation immediately for guidelines. \n\u25cf For visiting students, note immunization requirements for \nthose visiting us from abroad. Work with the program leader \n(lead chaperone) from visiting schools to ensure all health \nregulations are met. See attached letter for directives from \nthe Massachusetts Department of Public Health. \nhttp://www.mass.gov/eohhs/docs/dph/cdc/immunization/im\nmunization-requirements-exchange-and-visiting-\nstudents.pdf \nWATER ACTIVITIES (CAO-27) \n\u25cf If your trip involves activities in, or on the water, you must", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "cc9a167b-78c9-4a06-a12e-2748e4693747": { + "page_content": "munization-requirements-exchange-and-visiting-\nstudents.pdf \nWATER ACTIVITIES (CAO-27) \n\u25cf If your trip involves activities in, or on the water, you must \ncontact the Department of Global Education immediately to \nsubmit a mandatory Water Activity Request form and to \nensure that the site location for the water activity has up-to-\ndate insurance, liability, and certification documentation on \nfile with the district. Refer to CAO-27 for specific guidelines \nfor water activities. \nFor more information, questions, and support about this \ncircular, please contact: \n Owner: Chief of Teaching and Learning \nTitle: Director of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bbd82876-b057-4799-a336-e49a1172f65d": { + "page_content": "Superintendent\u2019s Circular CAO-22 \nPage 22 of 22 \n \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-22 General Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6e43403c-0a22-4f9c-9326-41c31ec1d68c": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-05 \nVersion 01 \n \nSERVICES FOR MULTILINGUAL LEARNER STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Office of Multilingual and Multicultural Education has \ngenerated this circular to provide an overview of the operational \nand instructional expectations to effectively service the needs of \nMultilingual Learners (ML), Former English Learners FEL), and \nother subgroups within this student population. All BPS staff are \nexpected to be familiar with the information contained in this \ncircular and to meaningfully incorporate it into their day-to-day \nwork as part of the district\u2019s work to respect the rights of our \nstudents and families and comply with all related federal and \nstate regulatory requirements. \nThe following actions are recommended for school leaders and \ntheir team to review in this circular: \n1. Schedule a dialogue with members of your school\u2019s", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5312338d-21f6-465d-8e31-7fb1e06fdf92": { + "page_content": "state regulatory requirements. \nThe following actions are recommended for school leaders and \ntheir team to review in this circular: \n1. Schedule a dialogue with members of your school\u2019s \nInstructional Leadership Team (ILT) and Language \nAssessment Team (LATF) around the items shared in this \ndocument to ensure all key stakeholders are aware of their \nresponsibilities. \n2. Using the LATF calendar, identify relevant information to be \nreviewed monthly by the school leader and other leaders in \nyour school who can support this work.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d1d1f97a-228b-4fa7-a89c-65d5d063e7cc": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 2 of 36 \n \n3. Work with your LATF to audit your school\u2019s scheduling data \nin Aspen SIS to assure that every EL is appropriately \nscheduled for all English Learner Education (ELE) services \nand special education services for MLs with disabilities. \nPlease Note: We will use the term \u201cMultilingual Learner\u201d to \ndescribe our students who enter BPS with or who are in the \nprocess of learning one or more languages. However, we will \ncontinue to use the terms \u201cEnglish Learner\u201d (EL) and \u201cFormer \nEnglish Learner\u201d when referring to state and federally defined \nlegal rights/services. \nTABLE OF CONTENTS \n1. Overview of Policies and Legal Responsibility \n2. ELE Service Compliance Reporting \n3. English Learner Education (ELE) Program Models \n3A. District-Wide ELE Program Requirements \n3B.BPS Formally Designated Program for ELs Descriptions \n3C. Special Notices about ELE Programs in BPS \n4. ESL Services and Teacher Qualifications Compliance \nInformation", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c3f0c6f9-7c89-4686-aa3b-b9f445c2df8d": { + "page_content": "3B.BPS Formally Designated Program for ELs Descriptions \n3C. Special Notices about ELE Programs in BPS \n4. ESL Services and Teacher Qualifications Compliance \nInformation \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \n4B. ESL Instructional Types, Requirements, and \nRecommendations \n4C. ESL Instructional Grouping Requirements \n4D. Educator Licensure and Endorsement Requirements \n5. SY23-24 ESL Service Delivery Determination Guidance", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2d8e720d-7db7-4998-94f2-295cf515d572": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 3 of 36 \n \n1. OVERVIEW OF POLICIES AND LEGAL RESPONSIBILITY \nUnder Massachusetts General Laws Chapter 71A, all Boston \nPublic Schools with an English Learner student assigned and \nenrolled are obligated to offer an English Learner Education (ELE) \nprogram. Under Massachusetts Department of Elementary and \nSecondary Education guidance, an ELE program consists of both \nSheltered English Immersion (SEI) core content and explicit ESL \ninstruction appropriate for the student\u2019s English Language \nDevelopment (ELD) level. Please note that under Section 6 of this \nChapter, \u201cany school district employee\u2026 may be held personally \nliable\u201d for not providing students with access to EL programming. \nThe following are additional legal regulations and guidelines that \npertain to Multilingual Learner Education offered in BPS and ELE \nservice requirements for students attending BPS: \n\u25ba Resource: The DOJ Successor Settlement Agreement", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b5f7b2b1-4745-419a-8d44-fcd4c15c7a97": { + "page_content": "pertain to Multilingual Learner Education offered in BPS and ELE \nservice requirements for students attending BPS: \n\u25ba Resource: The DOJ Successor Settlement Agreement \n\u25ba Resource: The META Consent Decree \n\u25ba Resource: The LOOK Act \n\u25ba Resource: The BPS Systemic Improvement Plan (SIP) \n2. ELE SERVICE COMPLIANCE REPORTING \nThe Office of Multilingual and Multicultural Education submits a \nseries of reports each year on the compliance of Multilingual \nLearner Education offered in BPS and ELE service requirements \nfor students attending BPS in accordance with the DOJ \nSuccessor Settlement Agreement. Described below is the \nreporting cycle of Paragraph 54, one of the key reports that \nschools are accountable for throughout the school year.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "917714cc-0c04-4a8f-baab-4dcfdef9587c": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 4 of 36 \n \nFor each cycle of this report (October, December, and March), \nBPS reviews the following quality indicators for ELE services in \naccordance with Paragraph 54 of The Successor\u2019s Agreement: \n1. Teacher Qualifications: Are teachers qualified to provide \nservices to ML students in their ESL and SEI or bilingual core \ncontent classes? \n2. ESL Instruction Type: Are ML students assigned to the right \ncourses per their program code and receiving daily ESL \nservices with the appropriate ESL instructional model/type \n(e.g., push in, pull out, or embedded ESL in grade-level \nEnglish Language Arts (ELS), etc.)? \n3. ESL Minutes: Are ML students receiving the right amount of \nESL instructional time for their ELD level? \n4. ESL Grouping: Are ML (ELD 1-5) students appropriately \ngrouped for ESL? \n \nTo support the district\u2019s compliance with the \nabove ELE service requirements and ensure \nthe accuracy of the reporting data, schools", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5b85c73f-153a-43f4-90b3-1d7fbb9eb291": { + "page_content": "grouped for ESL? \n \nTo support the district\u2019s compliance with the \nabove ELE service requirements and ensure \nthe accuracy of the reporting data, schools \nare expected to review and update ELE \nservice data in Aspen SIS at the beginning of \neach school year, and regularly thereafter in \npreparation for the reporting cycle deadlines \n(October, December, and March), as well as \nas needed upon changes in student enrollment or staffing \nchanges. \n\u25ba Resource: Consult The Aspen SIS Guide for Recording ESL \nMinutes, Instruction Type, and Teacher (Updated Nov 2023) \nfor detailed directions on entering ELE compliance data in \nAspen.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "77e94b49-ddc2-4146-bdfd-7fa0b21c3371": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 5 of 36 \n \n\u25ba Resource: Consult The DOJ Reporting Schedule with \nDescription for a full list of required DOJ reports. \n\u25ba Resource: Consult CAO-5 Cheat Sheet for a quick and simple \noutline of ESL compliance. \n\u25ba Resource: Consult K-12 Sheltered English Immersion (SEI) \nScheduling and Service Delivery for detailed ESL scheduling \nsuggestions and guidance. COMING SOON \n\u25ba \n \n3. ENGLISH LEARNER EDUCATION (ELE) PROGRAM MODELS \n3A. District-Wide ELE Program Requirements \nRegardless of an EL student being placed in a formally \ndesignated program for ELs, all BPS schools must comply with \nthe following requirements for ELE service: \n1. Casta\u00f1eda\u2019s Three-Pronged Test for Educationally \nSound ELE Programs \n2. Providing an equitable curricular and educational \nexperience for MLs \n3. Access to a Sheltered English Immersion Program \nEach of these three requirements are described in detail below: \nCasta\u00f1eda\u2019s Three-Pronged Test for Educationally Sound ELE", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "20b27447-3c5d-441c-b100-cd599ff92525": { + "page_content": "experience for MLs \n3. Access to a Sheltered English Immersion Program \nEach of these three requirements are described in detail below: \nCasta\u00f1eda\u2019s Three-Pronged Test for Educationally Sound ELE \nPrograms \nAll ELE program models implemented in BPS are required by \nDESE to meet \u201cCasta\u00f1eda\u2019s Three-Pronged Test,\u201d as defined by \nthe following components: \n1. The program is based on a sound educational theory or on \nresearch \n2. The program is implemented with adequate and \nappropriate resources", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b7cbcbf4-beb6-4772-a953-ac7f9b62d909": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 6 of 36 \n \n3. The program has resulted in demonstrable academic \noutcomes for ELs. \n\u25ba Resource: DESE Guidance on The Integration of Casta\u00f1eda\u2019s \nThree-Pronged Test into ELE Program Development and \nReview Process \nProviding an Equitable Curricular and Educational Experience \nfor MLs \nAll ELE programs implemented in BPS are required to provide \nMLs (SDD 1-4) comparable access to the standard curriculum \nwithin a reasonable period of time and to the range and level of \nextracurricular activities and additional services as non-ML \nstudents. Additionally, all ELE programs should provide \nopportunities for MLs (SDD 1-4) to take classes and participate \nin school activities with their English-proficient peers (non-MLs). \nAdditionally, all BPS classrooms that serve MLs and non-MLs \ntogether and provide sheltered content instruction have \nhistorically been coded as \u201cgeneral education,\u201d but will now be", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8d8f11d2-c0ea-4ca6-b053-f4f51fb09292": { + "page_content": "Additionally, all BPS classrooms that serve MLs and non-MLs \ntogether and provide sheltered content instruction have \nhistorically been coded as \u201cgeneral education,\u201d but will now be \ncoded as State SEI classrooms to be in alignment with State \nregulations and the findings from the 2023 DESE Tiered Focus \nMonitoring report. And students, regardless of receiving \nfoundational level scores1 on the ACCESS or WIDA Screener \nassessments, have equal access to enroll in such classrooms \nwhere they will be exposed to English-proficient peers. \n \nAccess to a Sheltered English Immersion Program \nDESE (2019) SEI guidance offers this helpful framework for the SEI \nELE program model implemented in Massachusetts: \n \n \n1 Foundational level scores are scores of a 1-2.5 on the ACCESS \ntest, or scores of a 1-2 on a WIDA Screener.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6cebd946-1db7-4dc5-aa62-3d9d529ac69d": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 7 of 36 \n \nSHELTERED ENGLISH IMMERSION (SEI) PROGRAM (2) \nA two-component program model \n \nSheltered Content Instruction \n(SCI) \nEnglish as a Second Language \n(ESL) \n\u25cf Taught by content-area \nlicensed and SEI-endorsed \nteacher (or BEE-endorsed in an \nofficial BPS Dual Language \nprogram). \n\u25cf Access to grade-level content & \ndevelopment of discipline-\nspecific academic language. \n\u25cf Occurs throughout the day and \nis designed for optimum EL \nengagement in content. \n \n\u25cf Taught by ESL-licensed \nteacher. \n\u25cf Additional linguistic support \nELs need to be delivered \nthrough systematic, explicit, \nsustained focus on language \nand literacy in the context of \nthe Massachusetts Curriculum \nFrameworks. \n\u25cf Occurs for a specific amount of \ntime each day [in accordance \nwith DOJ requirements \nspecified in this Circular]. \n \n2Massachusetts law (G.L. c. 71A, \u00a7) defines SEI as \u201can English language \nacquisition process for young children in which nearly all classroom", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a9ca6e4b-6327-4815-8d50-b3ca3092e45c": { + "page_content": "with DOJ requirements \nspecified in this Circular]. \n \n2Massachusetts law (G.L. c. 71A, \u00a7) defines SEI as \u201can English language \nacquisition process for young children in which nearly all classroom \ninstruction is in English but with the curriculum and presentation designed \nfor children who are learning the language. Books and instruction materials \nare in English and all reading, writing, and subject matter are taught in \nEnglish. Although teachers may use a minimal amount of the child's native \nlanguage, when necessary, no subject matter shall be taught in any \nlanguage other than English, and children in this program learn to read and \nwrite solely in English.\u201d", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "631eab1b-4178-4c30-9e63-68ac91d4664a": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 8 of 36 \n \nThis means that ML (ELD 1-5) students with \u201cGeneral Education,\u201d \nvocational, Inclusion, Substantially Separate, AWC, IB, Montessori, \nand Alternative Education program seat assignments are \nconsidered to be served in an SEI ELE model \u2014 entitled to both \nsheltered core content instruction and ESL.2 \n3B. BPS Formally Designated Program for MLs Descriptions \nAs stated in section 3A, while schools are required to comply with \noffering all ML students the requirements for ELE programs \nregardless of student placement, BPS also offers ML students \nenrollment opportunities in one of BPS\u2019s formally designated \nprograms for MLs. These program models are: \n1. Sheltered English Immersion (SEI) Program \na. State SEI - Sheltered English Immersion (SEI) Program \nwith Grade-Level English Proficient Peers \nb. BPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nc. Sheltered English Immersion (SEI) Program in", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6c0698b9-7347-4303-a295-266f02b1cffd": { + "page_content": "with Grade-Level English Proficient Peers \nb. BPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nc. Sheltered English Immersion (SEI) Program in \nSubstantially Separate Setting \nd. Sheltered English Immersion (SEI) Program in High \nIntensity Literacy Training (HILT) for SLIFE Multilingual \n2. High Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \n3. Dual Language Education (DLE) or Two-Way Immersion \nProgram \n4. Newcomer Program \n \nPlease Note: Schools are expected to implement the ELE \nprogram model designated for their school. Any deviation from \nthe models outlined in this section must be approved by the \nOffice of Multilingual and Multicultural Education (OMME) so as \nnot to constitute a violation of the student/parent rights. \n \nThe specifics of each program model is described below:", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1637a1e1-6239-4f7d-9511-5ad4eadafd44": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 9 of 36 \n \nSheltered English Immersion (SEI) Program3 \nAs described in section 3A, a Sheltered English Immersion \nProgram is a two component program. First, it incorporates \nstrategies to make content area instruction more \nunderstandable to MLs and to promote English language \ndevelopment in core-content classes throughout the day taught \nby SEI (or BEE as appropriate) endorsed teachers. Content area \ninstruction integrates sheltering strategies to make content \ncomprehensive and develop content area academic language in \nmathematics, English language arts (ELA), social studies, and/or \nscience. As the second component to a Sheltered English \nImmersion program, English learner students also receive explicit \nEnglish as a Second Language classes. \n \nBoston Public Schools offers various ways for English learner \nstudents to access a Sheltered English Immersion program as \noutlined below:", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8ed7f0b7-d515-4832-a3ab-272e911919c2": { + "page_content": "English as a Second Language classes. \n \nBoston Public Schools offers various ways for English learner \nstudents to access a Sheltered English Immersion program as \noutlined below: \n \nState SEI - Sheltered English Immersion (SEI) Program with \nGrade-Level English Proficient Peers \nSEI with grade-level English proficient peers offers MLs both \nSheltered Content Instruction from SEI endorsed teachers \nas well as explicit English as a Second Language classes. \nMLs in this SEI program type are not grouped according to \ntheir EL status, their first language, or their level of English \nproficiency in any way during core-content classes. They \n \n3 Massachusetts law (G.L. c. 71A, \u00a72) defines SEI as \u201can English \nlanguage acquisition process for young children in which nearly \nall classroom instruction is in English but with the curriculum and \npresentation designed for children who are learning the \nlanguage. Books and instruction materials are in English and all", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3629369d-a89a-44ba-b54b-f90aeaf5bfe5": { + "page_content": "all classroom instruction is in English but with the curriculum and \npresentation designed for children who are learning the \nlanguage. Books and instruction materials are in English and all \nreading, writing, and subject matter are taught in English. \nAlthough teachers may use a minimal amount of the child's \nnative language when necessary, no subject matter shall be \ntaught in any language other than English, and children in this \nprogram learn to read and write solely in English.\u201d", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "24eaea84-8b09-471f-bb92-25a440ef1d4e": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 10 of 36 \n \nreceive core-content instruction with English proficient \npeers as well as other MLs. Only during English as a Second \nLanguage classes are MLs in this SEI program type \nseparated from their grade-level English proficient peers \nand grouped according to their ESL Service Delivery \nDetermination (SDD). \n \nBPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nThis is a BPS ELE program that incorporates English \nlanguage development throughout the day with strategies \nto make core academic content instruction more \ncomprehensible to MLs who are ELD 1-2.5 (scored 1-2.5 on \nWIDA ACCESS Overall score). BPS SEI Language Specific \nprograms serve students who all speak the same first \nlanguage; in BPS SEI Multilingual programs, a variety of \nlanguages are spoken by the students. Instruction is \nconducted in English, with native language clarification for", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1850d1df-73ee-40eb-8a42-491c31e631b0": { + "page_content": "language; in BPS SEI Multilingual programs, a variety of \nlanguages are spoken by the students. Instruction is \nconducted in English, with native language clarification for \nstudents where available. ML Students in an SEI Language \nSpecific or SEI Multilingual Classroom in Grades K2-5/6 \nreceive ESL instruction within their classroom; for sheltered \ncontent instruction they may be scheduled with English \nProficient Peers for a portion of their day. Students in SEI \nLanguage Specific or Multilingual classrooms receive \ninstruction in smaller class sizes in comparison to General \nEducation classrooms. BPS SEI Language Specific or \nMultilingual programs in at the elementary level, English \nlearner students may receive their English as a Second \nLanguage instruction embedded within the content \ninstruction of the class if the homeroom teacher possesses \ntheir ESL license. For BPS SEI Language Specific or \nMultilingual programs at the secondary level, English", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bd56f5ae-98d6-423f-a266-feafc2e75cf7": { + "page_content": "instruction of the class if the homeroom teacher possesses \ntheir ESL license. For BPS SEI Language Specific or \nMultilingual programs at the secondary level, English \nlearner students must receive their English as a Second \nLanguage instruction in a standalone setting from an \nappropriately licensed teacher.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "428be88f-fd71-4e8d-82d9-7065ca67647a": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 11 of 36 \n \nSheltered English Immersion (SEI) Program in Substantially \nSeparate Setting \nPer the Individualized Education Plan (IEP) and/or 504 plan, \nMLs in this SEI program type will receive core-content \ninstruction and ESL services in a self-contained special \neducation classroom with specialized instruction \nthroughout their day within a small-group structured \nsetting. Research-based practices, specific to disability, are \nutilized in the specialized classroom. MLs will continue to \nreceive sheltered content instruction where SEI-endorsed, \ncontent-licensed educators shelter instruction so that they \ncan meaningfully engage with grade-level content, and \ndevelop discipline-specific academic language.Depending \non the nature of an MLs disability in this program, they may \nhave modifications to their ESL services specified in their IEP \nand/or 504 plan. \n \nSheltered English Immersion (SEI) Program in High Intensity", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "cd2761cc-d106-4118-8a3d-991aa0402b67": { + "page_content": "have modifications to their ESL services specified in their IEP \nand/or 504 plan. \n \nSheltered English Immersion (SEI) Program in High Intensity \nLiteracy Training (HILT) for SLIFE Multilingual \nIn SLIFE multilingual classrooms, the language of \ninstruction is English, and teachers provide native language \nsupport when feasible. All students in this classroom are EL \nstudents who enter BPS with Limited or Interrupted Formal \nEducation (SLIFE); students in the classroom may speak \ndifferent native languages. Students in SLIFE classrooms \nreceive instruction from an ESL teacher as well as content \nand literacy from a teacher(s) who is qualified to provide \nsheltered content instruction. Please also see general HILT \nfor SLIFE requirements here. \n \nHigh Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \nIn language specific HILT for SLIFE programs, MLs receive High \nIntensity Literacy Training (HILT) in their native language. This", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "916f0871-1c9b-4d1f-b125-b99d92a3af59": { + "page_content": "Specific \nIn language specific HILT for SLIFE programs, MLs receive High \nIntensity Literacy Training (HILT) in their native language. This \nprogram enrolls EL students who enter BPS with Limited or \nInterrupted Formal Education (SLIFE) who all speak the same \nlanguage. Core academic content is taught in the native", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9f025fcd-b40d-45ca-b6d9-f07a7de5a9f5": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 12 of 36 \n \nlanguage of the student, and is increasingly taught in English as \nthe student develops English fluency. Students in SLIFE \nclassrooms receive instruction from an ESL teacher as well as \ncontent and literacy from a Native Literacy/Content teacher(s) \nwho is qualified to provide sheltered content instruction. SLIFE \nNative Literacy classrooms have smaller class sizes than State SEI, \nBPS SEI, and Dual Language programs. \n \nGeneral HILT for SLIFE Program Requirements \nBPS recommends this program for MLs ages 8 or older who \nare newcomers to the United States, who have little to no \nliteracy in their native language, or whose formal schooling \nwas limited or interrupted in their native country. Students \nin HILT for SLIFE programs are grouped across a grade span \n(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic \nEnglish language and literacy development, native \nlanguage instruction designed to help them learn reading,", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9364be5a-0f0e-435c-a027-7428fcc8e912": { + "page_content": "(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic \nEnglish language and literacy development, native \nlanguage instruction designed to help them learn reading, \nwriting, math, science, and history/social studies, when \navailable, and additional classes such as technology, arts, \nand physical education. \n \nIn accordance with the META Consent Decree, HILT for \nSLIFE programs must also comply with the following \nrequirements: \n \n1) Class size should not exceed 15 students; \n2) During related arts / specials / electives courses, lunch, \nrecess, and allotted intervention time, SLIFE students \nmust be integrated with other ML students and with \nEnglish-proficient students (Never ELs, Former ELs), \nwho serve as peer language models. \n3) \u201cDaily Common Planning Time\u201d must be allocated for \nESL teachers and Native Language Teachers for age \nand grade-appropriate lesson design and materials \ndevelopment. \n4) In language-specific programs such as Spanish, Haitian", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b10c07ff-e1b4-4660-b827-b327aafcf093": { + "page_content": "ESL teachers and Native Language Teachers for age \nand grade-appropriate lesson design and materials \ndevelopment. \n4) In language-specific programs such as Spanish, Haitian \nCreole, and Cabo Verdean Creole, students must", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "500f5b4a-78a7-469c-abd8-392c3311833c": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 13 of 36 \n \nreceive Native Language High-Intensity Literacy \nTraining (HILT) as they develop literacy in their native \nlanguage as well as English. \n5) In SLIFE multilingual classrooms, teachers must \nprovide native language supports when feasible. \n6) All SLIFE students at the beginning of every year or \nupon assignment to the program must have a HILT for \nSLIFE Individual Learning Plan (ILP) generated that \nqualifies the individual learning targets for the \nacademic year. This HILT for SLIFE ILP must be \ncompleted in full to document progress and determine \na student's eligibility to exit the program. \n7) No student can be recommended to exit the HILT for \nSLIFE program without meeting the exit criteria as per \nthe META Consent Decree. \n \nDual Language: Two-Way Immersion Programs \nIn this program, the classroom is made up of both native \nlanguage and English dominant students. All students learn to", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3f99a7f9-a4f0-4075-8008-54dfa9298071": { + "page_content": "the META Consent Decree. \n \nDual Language: Two-Way Immersion Programs \nIn this program, the classroom is made up of both native \nlanguage and English dominant students. All students learn to \nread, write, speak, and understand both languages either \nthrough core academic content instruction or explicit language \ninstruction, taught by qualified teachers in the two languages. \nThe goal of these programs is for students to become bilingual \nand biliterate. BPS seeks to increase more dual-language \nopportunities such as two-way immersion programs, heritage \nlanguage programs, and ethnic studies courses in students\u2019 \nnative language. Programs are currently offered in Spanish, \nHaitian Creole, ASL, Vietnamese, and Cape Verdean Creole. \n \nNewcomer Program \nThis program is available for secondary MLs at the early stages of \ntheir English language development. Only MLs who are ELD 1-2.5 \n(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a5d0cd2e-a6c4-4e18-bd63-b954aa9adfb6": { + "page_content": "This program is available for secondary MLs at the early stages of \ntheir English language development. Only MLs who are ELD 1-2.5 \n(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this \nprogram. Instruction is conducted in English, with native \nlanguage clarification for students where available. English \nlearner students in this program receive ESL instruction in a", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "75360934-a143-45dc-b568-3e3551d92808": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 14 of 36 \n \nstandalone period and sheltered content instruction from core-\ncontent teachers. \no \n \n3C. Special Notices about ELE Programs in BPS \nMultilingual Learners with Disabilities \nMultilingual Learners with Disabilities (MLWD) are Multilingual \nLearners who receive disability-related, specialized instruction in \nan inclusion setting, resource room setting, or a substantially \nseparate Special Education classroom. Regardless of placement, \nBPS is obligated to provide Multilingual Learners with Disabilities \n(MLWD) with equal access to the same opportunities as other \nstudents; education, specialized instruction and related services, \nappropriate and effective ESL and content instruction by \naccessing grade-level curriculum while providing \naccommodations, modifications, and goals within the Individual \nEducation Plan (IEP). Schools are required to monitor students\u2019 \nprogress to ensure appropriate progress toward meeting their", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a4a9c574-4485-4003-9b22-10907b60fc3e": { + "page_content": "accommodations, modifications, and goals within the Individual \nEducation Plan (IEP). Schools are required to monitor students\u2019 \nprogress to ensure appropriate progress toward meeting their \nEnglish language proficiency benchmarks and IEP goals. \nAll MLWD (ELD1-5) are entitled to receive both Special Education \n(SPED) and ELE services in a manner appropriate to the student\u2019s \nindividual needs by appropriately qualified staff; the District is \nrequired to provide these services. No ML shall be denied ELE \nservices solely due to the nature or severity of the student\u2019s \ndisability, and no ML shall be denied SPED services due to their \nML status. This means, for example: \n\u25cf No modifications to ESL service requirements may be \nimplemented unless such modifications are determined \nnecessary by the student\u2019s IEP or Section 504 team, through \na documented team process, and in accordance with the", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b44cde10-23c2-4143-ba16-89860c5fce36": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 15 of 36 \n \nnarrow exceptions contained in Paragraph 67 of the \nSuccessor Settlement Agreement. \n\u25cf Any approved modification to ESL minutes, grouping, \nand/or instruction must be reflected on the EL Grid, an \ninternal monitoring section in EdPlan, and will be reviewed \nby the BPS Office of Special Education/Office of Multilingual \nand Multicultural Education Supervisor(s) of Multilingual \nLearners with Disabilities. \n\u25cf ESL may not take the place of a student\u2019s special education \nservices. For instance, a student may not be taken out of \nspeech therapy or counseling in order to get ESL. \n\u25cf Core content instruction and ESL services must be provided \nwith all accommodations as outlined in the student\u2019s 504 \nplan or IEP. \nParent Right to Opt Out of the ELE Program \nParents / guardians have the right to opt out their child from \nsome or all components of the district\u2019s ELE program pursuant to", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7b78351a-d08a-413b-8b0f-c549078185a0": { + "page_content": "plan or IEP. \nParent Right to Opt Out of the ELE Program \nParents / guardians have the right to opt out their child from \nsome or all components of the district\u2019s ELE program pursuant to \nParagraphs 33 to 35 of the Successor Agreement. The district \nshall approve a parent\u2019s request to opt out of some or all ELE \nservices, only by following the relevant safeguards that are set in \nplace: \n1. The decision to opt out must be voluntary and informed, \nand not the product of district practices or influence, the \nresult of inadequate or inaccurate information, or \ninadequate district resources. \n2. If any parent/guardian of an EL communicates a refusal to \nhave their child enrolled in an EL program, and/or refuses \nall or only specific ELE services (e.g., EL-only SEI classes, \nlanguage-specific SEI classes, or HILT classes) at a \nWelcome Center, NACC, or school, then a meeting will be", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6d969d25-310f-4517-ae8f-d1c02170bb40": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 16 of 36 \n \nconvened with a representative from OMME, the school \nleader, a representative of the LAT (typically the LAT-F), \nand the parent(s)/guardian(s) to explain the benefits of \nservices and address parent concerns AND encourage \nparents to allow their child to receive ELE services for at \nleast 30 days before deciding to refuse such services. \n3. If the parent continues to refuse ELE services after an \nexplanation of the benefits of the services, the Opt-Out \nform (documenting 1. Evidence of parent meeting and 2. \nParent request) must be submitted to OMME for review \nand approval and such documentation must \nsubsequently by submitted by OMME to the DOJ/OCR. \n4. Students approved as \u201copt-outs\u201d are still required to \nremain coded as an English Learner, required to \nparticipate in ACCESS, scheduled with an SEI-endorsed \nteacher(s) for core content, and have their English \nlanguage development monitored by the school.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2655f23f-0c13-41af-8abb-2685f0adefd6": { + "page_content": "participate in ACCESS, scheduled with an SEI-endorsed \nteacher(s) for core content, and have their English \nlanguage development monitored by the school. \n5. Parents or legal guardians should revisit their decision to \nopt out every year and submit a new request for the \ncurrent academic year and parents may request to \nrestore ELE services at any point. \nFormer English Learners \nUpon exit (reclassification to Former EL status), schools must \nregularly monitor students\u2019 academic progress for 4 school years \nupon their reclassification as is required by DESE and federal \nregulations. It is recommended that schools continue to schedule \nFormer ELs with an SEI-endorsed content teacher(s) during their \nmonitoring period. If during this monitoring period it is \ndetermined that the student\u2019s EL status be restored (with ELE \nservices provided), the LATF must seek written permission from \nthe student\u2019s parent/guardian.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "00b73d9f-7b01-4705-8e06-57740ace4aa1": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 17 of 36 \n \nPlease see: \no Section 5 of this circular for additional information on \nthe exit criteria for ELs \n \n4. ESL SERVICES AND TEACHER QUALIFICATIONS COMPLIANCE \nINFORMATION \nUnder the terms of the Department of Justice Successor \nAgreement and the policies of the Department of Elementary \nand Secondary Education, all BPS Multilingual Learner Education \nPrograms must comply with specific guidelines regarding ESL \nInstructional Minutes, Instructional Type, Instructional Grouping, \nand Educator Licensure and Endorsement. The following section \noutlines the specifics of each compliance measure as applicable \nfor each Multilingual / English Learner Education Program \ndescribed section 3. \nNote: Schools are advised to create their schedule for ELE \nservices first to ensure that the necessary qualified staff are \nscheduled to meet ML service needs. \nAll ML students, including Multilingual Learners with Disabilities", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9c5d53e2-8830-4177-bbe6-2184b307bf22": { + "page_content": "services first to ensure that the necessary qualified staff are \nscheduled to meet ML service needs. \nAll ML students, including Multilingual Learners with Disabilities \n(MLWD) and Students with Limited or Interrupted Formal \nEducation (SLIFE), must be scheduled for the requisite amount of \ndaily ESL instruction according to their SDD and must receive \nESL by an ESL licensed teacher. MLWD with severe disabilities for \nwhom compliant ESL instruction as described in the Successor\u2019s \nAgreement is not appropriate may have their services adjusted if \nreflected and recorded appropriately in the IEP through a team \nprocess.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9ad1c155-4608-4683-aed2-bdff7a251644": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 18 of 36 \n \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \nElementary (K2 to 5/6) \nConsistent with DESE\u2019s guidance, the table below provides the \nDOJ-approved ESL instructional time per ELD level that the \ndistrict shall provide, to the extent practicable: \nTABLE 2: MINIMUM REQUISITE ESL INSTRUCTIONAL TIME \nFOR MLS IN K2-5/6 \nELD \nLevel \nDaily ESL \nInstructional Time \nWeekly ESL Instructional \nTime \nELD 1 135 minutes (2 hours, \n15 minutes) \n675 minutes (11 hours, 15 \nminutes) \nELD 2 90 minutes (1 hour, 30 \nminutes) \n450 minutes (7 hours, 30 \nminutes) \nELD 3 60 minutes (1 hour) 300 minutes (5 hours) \nELD 4 45 minutes 225 minutes (3 hours, 45 \nminutes) \nELD 5 45 minutes 225 minutes (3 hours, 45 \nminutes) \n \nSecondary Grades (6-12) \nIn order to address the variety of scheduling at our Secondary \nSchools as well as to ensure that students can equitably access", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "04ce9ee1-cec4-438c-881a-450a3fe314e9": { + "page_content": "minutes) \n \nSecondary Grades (6-12) \nIn order to address the variety of scheduling at our Secondary \nSchools as well as to ensure that students can equitably access \nESL along with other MassCore / graduation requirements and \nspecialty courses (e.g Advanced Placement courses, Dual \nEnrollment, Early College, and any vocational or technical", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d61b4c8f-eaa7-4741-8234-721feee06cfc": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 19 of 36 \n \ntraining / courses), OMME has shifted from a \u201cminutes\u201d \nframework at the Secondary level to a \u201cblocks required\u201d \nframework. \nTABLE 3: SECONDARY SCHOOL ESL SCHEDULING* \nSchool\u2019s Daily \nCourse Block \nLength \n(Minutes) \n# of Daily ESL Blocks Required: \n ELD 1 ELD 2 ELD 3 ELD 4/5** \n45-59 minutes 3 2 1 1 \n60-74 minutes 2 2 1 1 \n75+ minutes 2 1 1 1 \n*ESL for ELD 4-5 may be embedded into the ELA block by an ESL-\nlicensed teacher. This is only allowable for ELD levels 4 and 5. \n \nPlease note: \n\u25cf Schools may leverage this framework, but may still opt to \nschedule ESL instruction based on the daily minutes \nspecified in Table 2. \n\u25cf OMME recommends schools consider scheduling MLs for \nadditional support from an ESL licensed teacher during \nTargeted Advisory / Intervention / WIN / SEL blocks (if \navailable) based on the needs of their students and in the \nbalance of other opportunities for students to access grade-", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "664d7d38-29cf-4555-8b27-d75b5df142b7": { + "page_content": "Targeted Advisory / Intervention / WIN / SEL blocks (if \navailable) based on the needs of their students and in the \nbalance of other opportunities for students to access grade-\nlevel core content, advanced learning, and specials \nalongside their English-proficient peers. Refer to the \nresource below for sample recommended schedules.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b88c8762-0de0-4d8a-8fa3-e89d03ebddea": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 20 of 36 \n \n\u25cf Part-time students (i.e., those attending for 1 or 2 remaining \ncredit requirements) who have fulfilled MassCore ELA \ngraduation requirements, and / or are only enrolled in BPS \nfor credit recovery or only online education (i.e., never \nphysically at a school building), will not be required to be \nscheduled for ESL. These students are typically over-age \nstudents who are balancing work and other adult \nresponsibilities. OMME highly recommends that these \nstudents have a direct connection with the Re-Engagement \nCenter and have a dedicated counselor that can assist them \nin creating an educational pathway that works best for their \nhome, family, and work obligations. Note: Schools may \nschedule these students for ESL if it will best support the \nstudent in meeting graduation requirements and their \nindividual needs. Regardless, schools should still be \nscheduling these students for core content classes with an", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b15a6c4b-7fcd-4c6f-98b0-a2131787f341": { + "page_content": "student in meeting graduation requirements and their \nindividual needs. Regardless, schools should still be \nscheduling these students for core content classes with an \nappropriately endorsed (SEI and/or Bilingual Endorsement) \nor ESL certified teacher.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9e763135-f6a7-48f8-b0a5-bed495fb199e": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 21 of 36 \n \n4B. ESL Instructional Types, Requirements, and \nRecommendations \nAll requisite ESL Instruction must occur during an ESL-Eligible \ncourse as designated by the BPS course catalog (e.g. reading, \nwriting, ELA, literacy / humanities). This is to ensure that ELs still \nhave equitable access to other grade-level core content and \nspecialty courses. \nRefer to the following tables for allowable types of ESL \ninstructional models. \n \nTABLE 4: ESL INSTRUCTIONAL MODELS FOR MLS IN K2-5/6 \nAll instructional models require an ESL licensed teacher during \nthe literacy/humanities block). \nStandalone ESL \u2014 For ELs in Gen Ed \n A standalone section is a scheduled class for ESL students \nwith an ESL licensed teacher. The student is not pulled out \nof classrooms to attend this class, it is a part of their student \nschedule (e.g., with an \u201cESL\u201d course title). An ESL licensed \nteacher must be the teacher of record of this classroom.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e9e16f5d-5429-4034-bb68-a6f9b1fbfe0c": { + "page_content": "of classrooms to attend this class, it is a part of their student \nschedule (e.g., with an \u201cESL\u201d course title). An ESL licensed \nteacher must be the teacher of record of this classroom. \nStandalone ESL is the recommended instructional model for \nML students with an ELD of 1-3 in grades K2-5 who are not \nassigned to an SEI language-specific or SEI Multilingual \nprogram. \nFor ELD 4-5: Standalone is an allowable option; however, \nrefer to the Embed ELA model as an alternative if the \nELA/homeroom teacher is ESL licensed.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f30b1737-b11d-49c6-aaec-83e98f8b3f84": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 22 of 36 \n \nPush-In ESL \nPush-In ESL may be provided to ML students in Elementary \ngrades (K2 to 5) when the ESL teacher is coming into an \nELA/Humanities course (or via a co-teacher in the \nclassroom) to provide ESL services for a specific, small group \nof students within the same classroom while other students \ncontinue to receive content instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nAt a minimum, weekly common planning time for the ESL \nand classroom teachers should be provided. \nPull-Out ESL \nPull-Out ESL may be provided to ML students in Elementary \ngrades (K2 to 5) when a student is being taken out of an ELA \n/ Humanities course to receive ESL instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nEmbed Homeroom \u2014 ESL in formal SEI programs \nThis is an instructional type allowable ONLY for ML students", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "99711713-0ae1-41ec-8fc7-4c18ec7aea90": { + "page_content": "adhere to ESL grouping requirements when utilizing this \ninstructional method. \nEmbed Homeroom \u2014 ESL in formal SEI programs \nThis is an instructional type allowable ONLY for ML students \n(ELD 1-3) in SEI language-specific or SEI multilingual \nprograms at the Elementary grade level (K2 to 5/6). \nPlease see section 5 of this circular for additional \ninformation on the criteria for a BPS SEI eligible ELD 3. \nIn this model, students receive ESL instruction embedded \nduring their literacy time (course titles: Reading and \nWriting). Teachers providing this embedded ESL instruction \nmust be ESL licensed and are required to complete OMME \ndesignated PD on differentiation and lesson planning.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6afbe190-2bb1-4f59-a5bc-7a023310f012": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 23 of 36 \n \nEmbed ELA \u2014 ESL \nFor ML students with ELD levels 4 and 5 only, the \nrecommended instructional model for ESL is for ESL to be \nembedded in core ELA or literacy courses, only by an ESL \nlicensed teacher. Students at these ELD levels may be \ngrouped together. \n \n \nInclusion Teacher ESL Stipend per BTU CBA \nFor special education inclusion classrooms only that utilize a 1.0 \nteacher model, where the teacher is using 3 licenses (two of \nwhich are special education and ESL), this ESL-licensed teacher \nof record may agree to be stipended (45 minutes per day at the \nBTU contractual hourly rate) to provide ESL instruction for ELD 4-\n5 students that is embedded into the ELA or literacy block (ESL \nEmbed ELA). Alternatively, if the teacher does not agree to the \nstipend, ESL instruction for ELD 4-5 students must be provided \nby a separate ESL licensed teacher. All ML (ELD 1-5) students are", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d9cb6da3-a60c-4da2-b2c4-8346587aa250": { + "page_content": "Embed ELA). Alternatively, if the teacher does not agree to the \nstipend, ESL instruction for ELD 4-5 students must be provided \nby a separate ESL licensed teacher. All ML (ELD 1-5) students are \nentitled to receive ESL services regardless of the teacher/stipend \nmodel.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "35a536d6-356b-4804-94ca-e4a3a40136ae": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 24 of 36 \n \nTABLE 5: TYPES OF ESL INSTRUCTIONAL MODELS FOR MLS IN \nGRADES 6-12 \nESL \nInstruction \nType \nDescription (all instructional models require \nan ESL licensed teacher) \nStandalone \nESL \n \n\u25cf For ELD levels 1 to 3, this is the only \ncompliant instructional model for ESL service \ndelivery for students. \n\u25cf Standalone is an allowable option for which \nELD 4-5 students may be grouped together; \nhowever, refer to the Embed ELA mode \nbelow as the recommended instructional \ntype if the ELA teacher is ESL licensed. \nEmbed ELA \nESL in English \nLanguage Arts \n\u25cf For ML students with ELD levels 4 and 5 only, \nthe recommended instructional model for \nESL is for ESL to be embedded in core ELA or \nliteracy courses, only by an ESL licensed \nteacher. Students at these ELD levels may be \ngrouped together.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "451358cc-072b-48bd-b89c-cdf2053b0de1": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 25 of 36 \n \n4C. ESL Instructional Grouping Requirements \nThe following table represents allowable groupings of students \nfor ESL instruction. \nTABLE 6: ELEMENTARY AND SECONDARY ESL GROUPING \nACROSS ELD AND GRADE LEVELS \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nELD 1 \n\u25cf With fellow ELD 1 only \nacross two consecutive \ngrades; OR \n\u25cf With ELD 2 in one grade \nlevel \n\u25cf With fellow ELD 1 across \nmultiple grades; OR \n\u25cf With ELD 2 only in one \ngrade level \nELD 2 \n\u25cf With ELD 1 in one grade \nlevel; OR \n\u25cf With fellow ELD 2 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n\u25cf With ELD 3 only in one \ngrade level \n\u25cf With fellow ELD 2 only \nacross multiple grades; \nOR \n\u25cf With ELD 1 only in one \ngrade level; OR \n\u25cf With ELD 3 only in one \ngrade level \nELD 3 \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only, in \none grade level or across \nup to two consecutive \ngrades; OR", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d72c3fe9-a9fb-4b44-a2ee-0a1a6ad93031": { + "page_content": "grade level \nELD 3 \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only \nacross multiple grades, \npreferably two \nconsecutive grade levels \n(e.g., in grades 9-10); OR", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7e76aab9-7e78-41e5-86aa-68599819e2e1": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 26 of 36 \n \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \n\u25cf With ELD 4 in one grade \nlevel \n\u25cf With ELD 4, in one grade \nlevel in a standalone \nsetting \nELD 4 \n\u25cf With ELD 3 in one grade \nlevel; OR \n\u25cf With ELD 5 in one grade \nlevel; OR \n\u25cf With fellow ELD 4 only \nacross two consecutive \ngrades \n\u25cf With ELD 3 in one grade \nlevel in a standalone \nsetting; OR \n\u25cf With ELD 5 in one grade \nlevel; OR \n\u25cf With fellow ELD 4 only \nacross multiple grades \nELD 5 \n\u25cf With ELD 4 in one grade \nlevel; OR \n\u25cf With fellow ELD 5 only \nacross two consecutive \ngrades \n\u25cf With ELD 4 in one grade \nlevel; OR \n\u25cf With fellow ELD 5 only \nacross multiple grades \nAllowable Exceptions: \nSEI Language \nSpecific or \nMultilingual \nProgram (ELD \n1-3) \n\u25cf ELD 1-3 of the same SEI \nprogram homeroom may \nbe grouped together for \nESL instruction* \n\u25cf This grouping is not \nallowable at the \nsecondary level. \nHILT for SLIFE \n\u25cf ELs, regardless of ELD", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f00805b4-2aaa-4d84-99c2-284f1cf81438": { + "page_content": "1-3) \n\u25cf ELD 1-3 of the same SEI \nprogram homeroom may \nbe grouped together for \nESL instruction* \n\u25cf This grouping is not \nallowable at the \nsecondary level. \nHILT for SLIFE \n\u25cf ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE \n\u25cf ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "15e8ac39-aacb-4d09-8883-7e9bbd128dc3": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 27 of 36 \n \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nPrograms (4) program homeroom may \nbe grouped together for \nESL instruction. \nprogram homeroom may \nbe grouped together for \nESL instruction. \nMLWD (with \napproved ESL \nmodifications) \n\u25cf Refer to the ELSWD ESL \nModifications section for \nguidance. \n\u25cf Refer to the ELSWD ESL \nModifications section for \nguidance. \n*Subject to the terms of DOJ Paragraph 39e. \n \n \n \n4() The META Consent Decree defines BPS HILT for SLIFE \nprograms as \u201cself-contained, ungraded, elementary format \nclassroom with two teachers [Native Literacy Content teacher \nand ESL teacher] responsible for all instruction.\u201d Students in the \nprogram are typically ELD 1 but may be at an ELD 2 level as they \nprogress in their English language acquisition until meeting the \nexit criteria required by the consent decree. Therefore, students \nin this program model may receive ESL grouped in this manner.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "535cbdd6-6846-4ceb-a0c8-82d56afe09a2": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 28 of 36 \n \n4D. Educator Licensure and Endorsement Requirements \nPlease Note: \nPer DESE (603 CMR 14.07 (3)), no EL student can be placed in \nclassrooms where the teachers lack the SEI Endorsement for two \nor more consecutive years. (5) \n\u25cf School Leaders are to keep detailed electronic records of all \nteachers who are in the process of obtaining the SEI or \nBilingual Education Endorsement and the pathway that \nthey are pursuing to meet this obligation. All ML (ELD 1-5) \nmust be assigned to core content (and vocational, if \napplicable) classrooms where the teachers are already \nendorsed or in a confirmed pathway. \n\u25cf When creating schedules, schools must take into \nconsideration teachers who are newly hired and who are \nreturning but lack the SEI endorsement. \n\u25cf It is recommended that students who have reclassified to \nFormer English Learner status be scheduled with SEI-\nendorsed teachers for their core content courses, especially", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ecee3ad0-14c6-4eba-b330-13afeaa8a495": { + "page_content": "\u25cf It is recommended that students who have reclassified to \nFormer English Learner status be scheduled with SEI-\nendorsed teachers for their core content courses, especially \nat the start of their 4-year monitoring period. \n\u25cf For any SEI Language-Specific / Multilingual elementary \nteacher to provide embed HR ESL to students at ELD 1-3, \nthey must have both an ESL license and have completed \nOMME-approved training on differentiation of ESL and \nlesson planning, as part of the qualifications for this \nprogram, to ensure that the unique needs of students at \nELD levels 1-3 are met (DOJ Paragraph 39e). Please also \nreference the 2018-2021 BTU Collective Bargaining \n \n5The teacher in this instance would also be required to get the SEI \nendorsement.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "06b49210-aea9-4d94-ba0b-2dea766266de": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 29 of 36 \n \nAgreement (p. 49 section 11) as it pertains to this \nrequirement. Teachers are expected to complete this \ntraining by the end of the school year. If the teacher has not \nsatisfied these requirements, the school must ensure an ESL \nlicensed teacher is scheduled to deliver the appropriate \nEnglish language development instruction to ML students \nfor the literacy portion of the day. \nThe following table outlines DESE educator licensure and \nendorsement requirements in order to instruct ML (ELD 1-5) \nstudents by job type.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9c3ea315-f0e2-495a-9a9a-1e0b8a9b99ab": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 30 of 36 \n \nTABLE 7: TEACHER QUALIFICATION BY JOB TYPE \nJob Type Required \nQualification \nAdditional Information \nESL \nTeacher \nESL License Individuals who have completed and passed all \nrequisite coursework / requirements and are \nonly waiting for the state to administratively \ngrant the ESL license may also be assigned to \nteach ESL. \nCore \nContent or \nVocational \nTeacher \n(English) \nSEI \nEndorsement \n(Teacher) \n \nCore Content Teachers: \n\u25cf teachers of students with moderate or \nsevere disabilities; subject-area teachers in \nEnglish, reading or language arts; \nmathematics, science; civics and \ngovernment, economics, history, and \ngeography and early childhood and \nelementary teachers who teach such \ncontent. \nVocational (CVTE) Teachers: \n\u25cf For purposes of SEI, CVTE is defined as \nprograms approved under M.G.L. c. 74; \nprograms that meet the definition of career \nand technical education listed in the Carl D.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bef1403c-b49a-456e-998b-56938621d54e": { + "page_content": "\u25cf For purposes of SEI, CVTE is defined as \nprograms approved under M.G.L. c. 74; \nprograms that meet the definition of career \nand technical education listed in the Carl D. \nPerkins Career and Technical Education \nImprovement Act of 2006, 20 U.S.C. \u00a7 2302(5); \nand any other programs that may be \ndesignated by the DESE Commissioner such \nas automotive technology, carpentry, \nculinary arts, engineering, exploratory, \nmasonry, information technology, and any \nother subjects listed by DESE.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0a76e17a-87bb-4caf-b041-118839c7761b": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 31 of 36 \n \nCore \nContent or \nVocational \nTeacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \nCore Content and CVTE Teachers as defined \nabove who: \n\u25cf Instruct in the partner language of a formal \nBPS dual language program \n\u25cf Instruct in the partner language of a formal \nlanguage specific HILT for SLIFE program \n \nEvaluator \nof ML \nTeacher \n(English) \nSEI \nEndorsement \n(Administrator \nor Teacher) \nA principal, assistant principal, supervisor, or \ndirector (\"administrator\") who supervises or \nevaluates one or more core academic teachers \nof ML (ELD 1-5) students \nEvaluator \nof ML \nTeacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \n \nOR \n \nSEI \nEndorsement \n(Administrator \nor Teacher) \nEvaluators as defined above who supervise a \ncore academic teacher assigned to provide \ninstruction to an English Learner in a bilingual \nELE program \nSubstitute \nTeachers \nN/A If for any ESL or core content class, no teacher", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8bb6ce98-5a80-4527-9da7-7361e0abec7e": { + "page_content": "core academic teacher assigned to provide \ninstruction to an English Learner in a bilingual \nELE program \nSubstitute \nTeachers \nN/A If for any ESL or core content class, no teacher \nis available who meets the qualifications to \ninstruct ML (ELD 1-5) students, school leaders \nshall, to the extent practicable, assign \nsubstitute teachers who are ESL-licensed for \nESL instruction or who are SEI or Bilingual \nEducation-endorsed (for core content classes). \n \nThe following table outlines DESE educator licensure and \nendorsement requirements in order to instruct ML (ELD 1-5) \nstudents by BPS ELE program model.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "42311ba6-0095-4e50-a428-aa2cfdc0b665": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 32 of 36 \n \nTABLE 8: EXAMPLES OF LICENSURE REQUIREMENTS FOR \nPOSITIONS SERVING EL STUDENTS* \nProgram BPS \nTeacher \nTitle \nPosition \nDescription \nRequired \nLicensure \nPreferred \n \n \n \n \nBPS SEI \nSEI Multi-\nlingual \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 and varying \nnative languages \nContent area \nlicense & SEI \nendorsement \nESL License \nand SEI PD \nSEI + \n[Specific \nLanguage] \ne.g. SEI \nSpanish \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 of the same \nnative language \nContent area \nlicense & SEI \nendorsement \nESL \nLicense, SEI \nPD, and \nOral fluency \nin students\u2019 \nprimary \nlanguage \nESL ESL \nTeacher \n(incl. SLIFE \nESL) \nProvides ESL \ninstruction only \n(regardless of ELE \nprogram model) \nESL license \n \n \n \n \n \nBilingual \nTwo-Way + \n[Specific \nLanguage] \ne.g., \nBilingual \nServes multiple \nclassrooms to \nprovide periods of \ninstruction in a \nlanguage other", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7fae37c2-4ee6-413b-b6df-da0010541ebc": { + "page_content": "program model) \nESL license \n \n \n \n \n \nBilingual \nTwo-Way + \n[Specific \nLanguage] \ne.g., \nBilingual \nServes multiple \nclassrooms to \nprovide periods of \ninstruction in a \nlanguage other \nthan English \nContent area \nlicense & Bilingual \nEducation \nEndorsement (if \nteaching in native \nlanguage)", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7a170762-bcac-4d1d-afe2-518dcae5071e": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 33 of 36 \n \nDual \nLang-\nuage/ \nTwo-way \nTwo-Way \nSpanish \n(complementary \nposition below) \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \nBilingual \nTwo-Way \nEnglish \nServes multiple \nclassrooms to \nprovide periods of \nEnglish \ninstruction to \nstudents \n(complementary \nposition above) \nContent area \nlicense & either SEI \nEndorsement or \nBilingual \nEducation \nEndorsement \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \n \n \nSLIFE \nSLIFE \nNative \nLiteracy \n(TBE) \nteacher \nProvides core \ncontent \ninstruction to \nSLIFE students in \nthe student\u2019s \nnative language \n(language other \nthan English) \nA Core Content \narea license & \nBilingual \nEducation \nEndorsement \n \n5. SY23-24 ELD AND ELP LEVELING GUIDANCE \nFor the 2023-2024 school year, the Office of Multilingual and \nMulticultural Education is continuing the transition of", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c10caf41-8da0-4696-ab73-b1de18e0845e": { + "page_content": "Bilingual \nEducation \nEndorsement \n \n5. SY23-24 ELD AND ELP LEVELING GUIDANCE \nFor the 2023-2024 school year, the Office of Multilingual and \nMulticultural Education is continuing the transition of \nMultilingual Learner students\u2019 English Language Development \nLevel (ELD Level) to Multilingual Learner students\u2019 English \nLanguage Proficiency Level (ELP Level). This shift aligns all", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "60e6415c-1582-46f3-92ff-ee38f2a164f2": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 34 of 36 \n \nstudents\u2019 ELP levels with their WIDA ACCESS 2.0 scores and \naligns our guidance and policies for Multilingual Learner students \nand Multilingual Learner Education with the guidance and \npolicies of the Department of Elementary and Secondary \nEducation. The following table shows the updated ACCESS and \nAlt ACCESS score to ELP level crosswalk. \nTABLE 9: ACCESS SCORE CROSSWALK \n2022 ACCESS and Alt ACCESS \nScore Range \n \nSY 23-24 English Language \nDevelopment (ELD) / English \nLanguage Proficiency (ELP) \nLevels \nACCESS: 1.0 - 1.9 / ACCESS Alt: A1-P1 Level 1 (Foundational) \nACCESS: 2.0-2.9 / ACCESS Alt: P2 Level 2 (Foundational) \nACCESS: 3.0-3.4 / ACCESS Alt: P3 Level 3 (Foundational) \nACCESS: 3.5-3.9 / ACCESS Alt: P3 Level 3 (Transitional) \nACCESS: 4.0 - 4.9 Level 4 (Transitional) \nACCESS: 5.0-5.9 Level 5 (Transitional) \nACCESS: 4.2 with 3.9 literacy \n(i.e., meets state exit criteria) \nFormer EL \n \nPlease note:", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0d75948d-ad22-4c55-9bf4-9e8f7bcd8f79": { + "page_content": "ACCESS: 4.0 - 4.9 Level 4 (Transitional) \nACCESS: 5.0-5.9 Level 5 (Transitional) \nACCESS: 4.2 with 3.9 literacy \n(i.e., meets state exit criteria) \nFormer EL \n \nPlease note: \n\u25cf Annual program placement recommendations are based on \nstudents\u2019 ELP level, and OMME will assume the \nresponsibility of using the annual program notification form \nto notify parents of program placement.", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "cf98e796-2994-42f1-8b6f-3176fd154851": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 35 of 36 \n \n\u25cf Consecutive year ELD 3 students will be automatically \nexited from BPS SEI Language Specific or Multilingual \nprogram placement if they currently occupy such a seat. \n\u25cb Per DOJ, consecutive year ELD 3 students may not be \ngrouped together with ELD 1-2 students for their ESL \ninstruction. \n\u25cf Transitional ELD 3 students (students who received an \nACCESS overall score of 3.5-3.9) will be automatically exited \nfrom BPS SEI Language Specific or Multilingual program \nplacement if they currently occupy such a seat. \n\u25cf Students who scored lower on their ACCESS test than their \nprevious ELD level will be held harmless. \n\u25cf Students who did not take the ACCESS or complete ACCESS \ndue to absence or other circumstance will retain their \nprevious ELD level. \n\u25cf Students who did not take all domains of ACCESS due to an \nSPD code will receive their appropriate levels and program \nplacements according to the policies listed above upon", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d6aad2ec-e119-450a-8b27-2e6032ae2644": { + "page_content": "previous ELD level. \n\u25cf Students who did not take all domains of ACCESS due to an \nSPD code will receive their appropriate levels and program \nplacements according to the policies listed above upon \nrelease of their ACCESS overall score by the state in early fall. \n\u25ba Resource: End of Year Leveling Guidance 22-23", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "18e674a9-6d94-4373-a429-48a45fce8a3d": { + "page_content": "Superintendent\u2019s Circular CAO-05 \nPage 36 of 36 \n \nFor more information about this circular, contact: \nOwner: \nLinda Chen, Senior Deputy Superintendent of \nAcademics and Interim Assistant \nSuperintendent of OMME \nDepartment: Office of Multilingual and Multicultural \nEducation (OMME) \nMailing Address: Bolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: 617-635-9435 \nEmail: OMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-05 Services for Multilingual Learner Students.pdf", + "source_link": "https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "969c5e65-fad9-4e36-bba6-1882e57937be": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-08 \nVersion 01 \n \n \n \nGRADING REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe spirit of this policy is to move away from the practice of \ngrading non-academic behavior and to the timely provision of \nmeaningful feedback to every family on every student\u2019s \nacademic progress. This policy is a critical part of propelling all \nstudents toward the Strategic Plan and School Committee goals \ncentered on college, career, and life readiness. As well, it will \nensure that grading practices are accurate, bias-resistant, \nmotivational, and coherent in the district, which will in turn \nensure the ability of our stakeholders to trust the district\u2019s \ncommitment to equity. This policy will provide accurate, \ndignifying feedback to every student about where they are \nacademically and what they need to be successful. As a vehicle \nfor closing opportunity and achievement gaps, the grading policy", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a5c2ca90-356a-430c-86f5-c943a98c3cc4": { + "page_content": "dignifying feedback to every student about where they are \nacademically and what they need to be successful. As a vehicle \nfor closing opportunity and achievement gaps, the grading policy \nwill provide clear and comprehensive guidance that aligns to our \nteaching practices, family engagement, and student experience, \ngrounded in equity and research. With the School Committee's \napproval of this policy, the Academics and Schools divisions will \nwork in collaboration with our stakeholders this spring to finalize \nand enact an implementation plan that focuses on the adaptive \nwork ahead. \nThe Boston Public Schools will at all times maintain \nSuperintendent\u2019s Circulars that: (1) outline procedures for", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "31e0d0ab-d8ee-45b5-b91e-7b59866fd076": { + "page_content": "Superintendent\u2019s Circular CAO-08 \nPage 2 of 6 \n \n \nmaintenance of grades to ensure that they are accurate, timely, \nand aligned to DESE standards; (2) outline a common report card \nstructure and timeline for schools by grade span and program; \nand (3) outline allowable flexibilities. \nSeparately, as a companion to this policy, the district will develop \nand maintain detailed implementation processes in the form of \nSuperintendent\u2019s Circulars ensuring: \n1. Implementation of MassCore graduation requirements and \nwaivers \n2. Common GPA calculation and transcription processes \n3. A common process for promotion to the next grade level \n4. A common process for retention at the current grade level \n5. A common and public course catalog that details for \nstudents and families course of study options for all \nsecondary schools as well as course descriptions, credit, and \ngovernance \n6. An updated process and calendar for course creation. \nADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c3cbffcd-f13c-47aa-88c9-27bce4c96f3e": { + "page_content": "secondary schools as well as course descriptions, credit, and \ngovernance \n6. An updated process and calendar for course creation. \nADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON \nPUBLIC SCHOOLS \nThe School Committee of the Boston Public Schools is \nresponsible for creating policies and practices that support the \npreparation of every student to be college, career, and life-ready \nand remove barriers that interfere with students graduating from \nBPS ready to succeed in the next stage of their lives. If we \nsupport BPS educators to effectively use culturally responsive \npractices, provide high levels of support, and adopt coherent \ngrading practices that are mathematically accurate, bias-\nresistant, and motivational for students, then we will see", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5e6f6a77-9cc1-4556-94ef-9ecec97fd08e": { + "page_content": "Superintendent\u2019s Circular CAO-08 \nPage 3 of 6 \n \n \nincreased student engagement, and grades that reflect student \nlearning. \nBPS will adopt the following policy for all students in the district. \nSpecifically, the following practices will be required of all \neducators in the district. \nPROPOSED: \nGrading Practice Why is it more equitable? \nAccuracy and timeliness Educators will ensure that term grades follow \nthe practices laid out in the BPS Grading Policy \nand are posted in Aspen by the closing date \naccording to the district grading calendar. \n\u201cNo Credit\u201d grades will \nno longer be given. \nAs an alternative, schools may mark a student \nwith an \u201cincomplete\u201d to enable equitable \nlearning recovery. \nIn all cases, a student not earning a passing \ngrade must be given the opportunity and \nresponsibility to equitably recover any learning \nloss or make up for the work missed within one \nmarking period. \nNo penalties will be \ngiven for late work.", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6624052f-b951-4625-9e5f-e784530eaee3": { + "page_content": "grade must be given the opportunity and \nresponsibility to equitably recover any learning \nloss or make up for the work missed within one \nmarking period. \nNo penalties will be \ngiven for late work. \nDeadlines will be given for work, and we expect \nstudents to meet these expectations. Deadlines \nwill be explained to students. When a student \nturns in the assignment, it will be graded, and \nthe grade in ASPEN/SMS will reflect student \nmastery (not the tardiness of the work).", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "12fd07b6-beb9-4b53-8011-f0978910cfb4": { + "page_content": "Superintendent\u2019s Circular CAO-08 \nPage 4 of 6 \n \n \nGrading Practice Why is it more equitable? \nA minimum grading (50 \nfor an assignment on a \n0-100 scale) will be used. \n \nTeachers will determine minimum grades for \nassignments where the lowest possible grade is \nbalanced with the value of the highest grade. \nBest practices would include the \nimplementation of a consistent numerical \ngrading scale (0-4, 1-7, etc.) that aligns to GPA \nscale. \nDemonstration of \ncompetency in \nsummative tasks must \nmake up at least 80% of \nterm grades. \nGrades for assignments should be \nrepresentative of what students have \ndemonstrated in terms of their learning, and \nnot non-academic behaviors. \nStudents will receive \nconsistent feedback on \nassignments before \nstudents are formally \nassessed. \nTeachers are intentional about taking time to \ngive students clear and actionable feedback. \nStudents understand what the criteria for \nsuccess are for any given assignment and have", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f198bb2d-22d1-4fc2-950a-1e475589affb": { + "page_content": "assessed. \nTeachers are intentional about taking time to \ngive students clear and actionable feedback. \nStudents understand what the criteria for \nsuccess are for any given assignment and have \nclear actions steps for getting there. We \nunderstand the importance of coherence in the \nways we provide feedback and are committed \nto making this an instructional focus for the \nupcoming school year to better support our \nstaff.", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3a29af80-8910-422b-806f-b986057c8569": { + "page_content": "Superintendent\u2019s Circular CAO-08 \nPage 5 of 6 \n \n \nGrading Practice Why is it more equitable? \nMiddle/High School: A \nconsistent, agreed-upon \nnumber of assignments \nper grade; and \nconsistent intervals for \ngrading updates in \nAspen/SMS. \nTeachers are expected to post at least one \nvisible grade on ASPEN/SMS every week for \nmiddle and high school students. \nElementary School: A \nconsistent approach \nacross all content areas \n(including speciality \nclasses) for providing \nstudents and families \nformative feedback \nroutinely. \nSchools serving elementary grades are required \nto have a consistent approach for providing \nstudents and families formative feedback \nweekly. Students are required to receive term \ngrades for Language Arts, Math, History/Social \nStudies, Science, and any specialty classes \noffered. \nAll grade levels Students may only receive a composite grade \nfor \u201cHumanities\u201d or \u201cSTEM\u201d or equivalent if the \ncourse is offered at the equivalent of a double", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "aedaf4af-31ce-433c-b74f-5b75b373fa4e": { + "page_content": "offered. \nAll grade levels Students may only receive a composite grade \nfor \u201cHumanities\u201d or \u201cSTEM\u201d or equivalent if the \ncourse is offered at the equivalent of a double \nblock. As well, students must receive formative \nand summative feedback on both grade level \nlanguage arts and history/social studies or math \nand science concepts and meet all the \nrequirements above.", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "208a2e77-44d6-4a9c-b72d-ac0ce3c58699": { + "page_content": "Superintendent\u2019s Circular CAO-08 \nPage 6 of 6 \n \n \nFor more information about this circular, contact: \nOwner: Elementary Superintendent \nDepartment: Academics and Professional Learning \nMailing Address: 2300 Washington St. Roxbury, MA 02119 \nPhone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-08 Grading Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f65980ff-f3db-4e5d-ac71-f3560ca0c5a6": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-25 \nDATE: \nVersion 01 \n \nGUIDELINES FOR INTERNATIONAL FIELD TRIPS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that \ncould impact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(kdorseytwumasi2@bostonpublicschools.org) for \nassistance/guidance. \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \n\u25cf This circular should be read AFTER the Superintendent\u2019s \nCircular CAO-22, General Guidelines and Procedures for All \nField Trips, as additional guidelines are outlined there. \n\u25cf The principal/head of school (and/or the district", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "83efafea-21f0-4bf5-a2e3-05d0364e1d02": { + "page_content": "Circular CAO-22, General Guidelines and Procedures for All \nField Trips, as additional guidelines are outlined there. \n\u25cf The principal/head of school (and/or the district \ndepartment lead sponsoring the trip) are responsible for \nensuring that all field trip policies and procedures as \noutlined in this circular and others are adhered to. \n\u25cf As soon as a trip opportunity becomes known, contact the \nDepartment of Global Education for support throughout \nthe planning process. The principal/head of school (and/or", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f749f28d-8f8b-4a21-8c2b-fe37c1c57fc8": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 2 of 104 \nthe district department sponsoring the trip) and the \nprogram leader (lead chaperone) must review and \ncomplete checklists for this circular throughout the \nplanning process. Signed checklists must be kept on file at \nthe school. \nPLANNING PROCESS \nInternational Field Trip Program: An international field trip \nprogram is any trip off school grounds that involves travel to a \nlocation outside of the United States. International field trips \nmust be planned at least a year in advance to maximize \naffordability and fundraising efforts, and when possible, \nscheduled during non-school time (i.e., school vacations, and \nsummer). NEW: BPS international field trip programs require \nexecution by a reputable travel vendor and will require a vetting \nprocess by the Department of Global Education and BPS legal. \nTravel to \u2018U. S. Territories, including Puerto Rico, the United States \nVirgin Islands, Guam, American Samoa, and Northern Mariana", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4b5e176e-279a-4ce3-8edd-6256e8e2b74f": { + "page_content": "process by the Department of Global Education and BPS legal. \nTravel to \u2018U. S. Territories, including Puerto Rico, the United States \nVirgin Islands, Guam, American Samoa, and Northern Mariana \nIslands are covered under international travel insurance. Travel to \nthese territories is subject to some forms and requirements in the \nCAO-25 International Field Trip guidelines, but only require \nPrincipal/Head of School approval. Consult with the Department \nof Global Education for required forms for these destinations. \nAPPROVAL PROCESS \n\u2022 STEP 1: Interest Form & Consultation: \nAs soon as a trip opportunity becomes known, or there is \ninterest in an international travel program, teachers must \ncomplete an Interest Form from the Department of Global \nEducation, and inform their principal/head of school.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "58c4a859-370f-4f40-8318-9a9183ace9c7": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 3 of 104 \nContact the Department of Global Education for support \nand guidance with the CAO-25 application, and throughout \nthe planning process. No arrangements should be made, \nmeetings held, payments, or deposits made without \nconsultation with the Department of Global Education and \nformal application approval from the Superintendent. \n\u2022 STEP 2: CAO-25 Application \nAfter consulting with the Department of Global Education \nand head of school, the CAO-25 application shall be \nsubmitted to the Director of Global Education no less than \n10-12 months before departure. The proposal and official \napplication must be completed, reviewed by the \nprincipal/head of school, and endorsed with an official letter \nfrom them. The application then requires approval by the \nDepartment of Global Education, which will then seek \napproval from the appropriate district leaders, before \nobtaining final approval from the Superintendent. Again, No", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f37d90d9-e6ce-483b-81c1-00c20f6c9532": { + "page_content": "Department of Global Education, which will then seek \napproval from the appropriate district leaders, before \nobtaining final approval from the Superintendent. Again, No \narrangements should be made, payments or deposits \nplaced without approval first from the Superintendent. You \ncannot gauge student interest or engage with families \nwithout program approval. District leadership and/or the \nSuperintendent may have questions about your application \nor ask that aspects of the proposal be changed or removed. \n\u2022 STEP 3: Approval \nOnce the CAO-25 application is approved by the \nSuperintendent, in consult with your principal/head of \nschool, you may begin to promote the international \nprogram to students, families, and your school community. \nShould your itinerary, roster, or any other aspect of your \napproved application package change, you must notify the", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8476eda5-309e-4308-b2c6-71c22e145798": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 4 of 104 \nDepartment of Global Education in writing as soon as \npossible. \nSAFETY PREPAREDNESS \n\u2022 Travel Advisories/Warnings: Travel to countries cited as a \nLevel 3 or 4 in the United States Department of State Travel \nWarning Listing or the Center for Disease Control (CDC) are \nprohibited. For countries listed as a Level 2, consult the \nDepartment of Global Education in advance. The Boston \nPublic Health Commission and Department of Global \nEducation will continue to monitor country destinations for \nsafety. The program leader, principal/head of school are also \nresponsible for checking the State Department and CDC \nthroughout the trip planning process as levels change. \nPlease note: The Superintendent reserves the right to cancel \nany field trip up to and including the day of departure to \nmanage risk. \n\u2022 Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international BPS", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1328eb0f-8197-48be-9b5a-abdf59f4e29f": { + "page_content": "any field trip up to and including the day of departure to \nmanage risk. \n\u2022 Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international BPS \nsponsored trips for BPS students, BPS staff participants, and \nchaperones. On Call will serve as the primary source for \nmedical insurance while abroad. However, in some cases, if \na hospital visit is required, students may be required to pay \nout of pocket, and be reimbursed by On Call later. Families \nwill want to budget for this just-in-case expense. \nThe On Call insurance policy does NOT include cancellation \nor trip interruption insurance should the trip be canceled or \ninterrupted for any reason other than medical. \nCancellation/interruption must be due to the traveler \ngetting sick, injured, or someone in the traveler\u2019s immediate", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b0eab6c1-66d9-4c59-8141-dc4cdd2f63d5": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 5 of 104 \nfamily being sick, injured, or death. Students/Families would \nneed to show proof of a sickness/injury and the \nsickness/injury must be so disabling as to cause them to \ncancel/interrupt their trip. If there is a sickness/death for \ntheir family member they would need to show proof of that \ntoo. Save all receipts for flights/lodging for reimbursement \npurposes and a claim form would need to be filled out. \nFamilies will need to know in advance that Trip Cancellation \nhas a $2,000 limit, and Trip Interruption has a $2,500 limit. \nAgain, the superintendent reserves the right to cancel a trip \nfor any reason and at any time for safety purposes\u2013Cancel \nfor Any Reason Insurance (CFAR) is NOT provided by the \ndistrict. Therefore, all trip participants are strongly \nencouraged to purchase their own (CFAR) insurance to \nprotect their trip investment. \nOn Call International provides overseas evacuation", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "be4f532e-a858-4eba-ac3c-46de2b53278f": { + "page_content": "district. Therefore, all trip participants are strongly \nencouraged to purchase their own (CFAR) insurance to \nprotect their trip investment. \nOn Call International provides overseas evacuation \ninsurance (enabling students who become seriously ill or for \nwhom there is some kind of emergency to be returned to \nthe United States). On Call International must coordinate, \napprove, and perform the evacuation. Emergency family \ntravel arrangements are covered up to a limit if the traveler \nis hospitalized for 2 or more days. \n\u2022 Informed Parental Consent, Associated Risks, and \nIndemnity: Families must sign the customized Informed \nParental Consent, Associated Risks, and Indemnity form \nexplicitly developed for their travel program by the director \nof Global Education and BPS Legal in collaboration with the \nprogram leader. The program leader is responsible for \ninitiating this form based on a template provided from the \nDepartment of Global Education.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "47592095-cadd-4651-bab7-c655ffc53bde": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 6 of 104 \n\u2022 District Training: Program leaders must attend training for \neffective in-field risk management and response practice. \nThis training is offered by the district once per year. Please \nemail the Department of Global Education for details. If you \nmiss the training, you must schedule a meeting with DGE to \nsupplement. \no While this training is mandatory for program leaders, it \nis recommended that one additional chaperone from \nthe team attend the training with the program leader. \nHowever, in cases where other chaperones (non-\nprogram leaders) are not able to attend the in-person \ntraining (due to budget, space, or scheduling), it is \nexpected that they will receive training and \ninformation from pre-travel meetings/virtual webinars, \nand guidance from the Department of Global \nEducation and program leader in preparation for their \nrole. All chaperones will be required to review this", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "fc813d0f-cbbd-4153-b642-9d4dab3c968e": { + "page_content": "and guidance from the Department of Global \nEducation and program leader in preparation for their \nrole. All chaperones will be required to review this \ndocument and participate in pre-travel meetings with \nthe Department of Global Education. \no CPR & First Aid: At least two chaperones (including the \nprogram leader) must hold valid CPR AND first aid \ncertification. The district will offer this training at least \nonce per year for program leaders. Please email the \nDepartment of Global Education for details. Ensure the \navailability of a first aid kit/supplies from the \nDepartment of Global Education. Verify emergency and \nmedical information and contact details. \n\u2022 STEP Program: Program leaders, or parents must register \nstudents and chaperones through the U.S. State \nDepartment\u2019s STEP (Smart Traveler Enrollment Program) \nprogram. If you have non-U.S. citizens traveling with your", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0118e559-bb9e-48aa-829a-9dad912e28a3": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 7 of 104 \ngroup, contact their respective embassies to see what \nservices they would provide these individuals in the event of \nan emergency. U.S. embassies abroad do not necessarily \nassist non-U.S. citizens in emergencies overseas. \n\u2022 Transportation: School buses or BPS approved \ntransportation vendors\u2019 vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be \nutilized to transport students to and from field trips or \nathletic events, except in the case of a bona fide medical \nemergency. Refer to TRN-03 and CAO-22 for information \nand regulations on field trip transportation. \n\u2022 Itineraries: Upon advance review of itineraries, BPS reserves \nthe right to deny schools to participate in field trip activities", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "239494f7-3dc9-4353-be7e-2af48653722f": { + "page_content": "and regulations on field trip transportation. \n\u2022 Itineraries: Upon advance review of itineraries, BPS reserves \nthe right to deny schools to participate in field trip activities \non their itinerary where the risks of the activity outweighs \nthe intended learning outcomes of the program. The \nprogram leader, in collaboration with the chaperone team, \nare required to submit a risk analysis for each part of the \nprogram that identifies the top 5 risks/concerns associated \nwith the program. \nGOVERNMENT RESOURCES TO SUPPORT PREPARATION \n\u2022 U.S. State Dept. Travel: www.travel.state.gov \n\u2022 Overseas Security Council: \nhttps://www.osac.gov/Pages/Home.aspx \n\u2022 U.S. State Dept. Passport Application: \nhttp://travel.state.gov/passport/", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d2af179c-ce3c-4eed-8b3a-5abdfba334e5": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 8 of 104 \n\u2022 U.S. State Dept. Medical: \nhttp://travel.state.gov/content/passports/english/go/checklis\nt.html#checklist_parentitem_1 \n\u2022 U.S. Embassies Abroad: www.usembassy.state.gov \n\u2022 Visa Req. for U.S. Citizens Abroad: \nhttp://travel.state.gov/content/visas/english/general/america\nns-traveling-abroad.html \n\u2022 Center for Disease Control Traveler\u2019s Health: \nhttp://wwwnc.cdc.gov/travel/destinations/list.aspx \n\u2022 U.S. Customs & Border Protection: http://www.cbp.gov/ (877-\n227-5512) \nMEDICAL PREPARATION FOR SAFE TRAVEL \n\u2022 Doctor\u2019s Visit: Prior to the trip, all students and chaperones \nmust inform their primary care doctor/travel clinic doctor of \ntheir trip location and have had a recent doctor\u2019s visit and \nphysical exam prior to departure. If any student has a \nserious medical or mental health condition, please be sure \nthat their doctor writes a letter indicating that the child may \nsafely attend and participate in trip activities. There are", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3d4ca2d8-2afe-4fc3-9b70-285f27071f6c": { + "page_content": "serious medical or mental health condition, please be sure \nthat their doctor writes a letter indicating that the child may \nsafely attend and participate in trip activities. There are \ncertain locations in the world where entry requires specific \nvaccinations, immunizations, and medications necessary for \nhealthy travel--in those cases--all participants will be \nrequired to obtain those vaccinations, immunizations, and \nmedications. \n\u2022 Medical Documentation: Chaperones must document and \ncarry all students\u2019 medical information, including any \nspecialized immunizations or medications required by their \ndoctors for travel. Participants are also required to list all", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "72c7b08e-04b3-47f0-952b-bbf4872e6ddb": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 9 of 104 \nmedications that might be prescribed with this particular \nprogram in mind along with the other medications that \nthey may take regularly. Program leaders should send a \nfinal email to all participants to check on additional \nmedications added before departure. \n\u2022 School Nurse & Counselor Review: The program leader \nmust consult with the school leader to determine if, and \nwhat type of medical assistance is needed for participating \nstudents. To ensure accessibility, this step is crucial, and \nmust take place before the field trip is secured. For \nadditional questions, please consult the Health Services \nDepartment. Additionally, to thoroughly support a student's \nparticipation in a field trip, at least six weeks before \ndeparture (much longer for international and overnight field \ntrip programs), consult with and, when necessary, receive \ntraining from the school nurse regarding any students who", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bcd04714-17dc-4e1d-952d-eae367e3c002": { + "page_content": "departure (much longer for international and overnight field \ntrip programs), consult with and, when necessary, receive \ntraining from the school nurse regarding any students who \nhave medical needs. Also consult with the school counselor \nregarding mental and behavioral health needs. If any \nstudent has a serious medical or mental health condition, be \nsure that their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip \nactivities. Keep this document on file with other key \npermissions slips and medical forms. \n\u2022 Nurse Verification Form: Review all students\u2019 medical forms \nwith the school nurse and guidance counselor to ensure all \ndocuments are completed and to be sure you are in the \nstrongest position to support each student\u2019s health while \nabroad. School nurses and counselors do not \u201cclear\u201d \nstudents for travel but will provide chaperones with", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "47981afe-3be1-412d-ac68-693f32d253ad": { + "page_content": "strongest position to support each student\u2019s health while \nabroad. School nurses and counselors do not \u201cclear\u201d \nstudents for travel but will provide chaperones with \nguidance in supporting students while traveling. Consult", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "00d7ff90-638c-4fbb-ae5f-183922e98e95": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 10 of 104 \nwith, and when necessary, receive training from and obtain \nwritten comments from the school nurse regarding any \nstudents who have expressed medical needs. Complete and \nsubmit the Nurse Verification form to the Department of \nGlobal Education. \nCHAPERONE CRITERIA \n\u2022 Role of the Program Leader (Lead Chaperone): The \nselection and approval of all chaperones is conducted by the \nprincipal/head of school. The program leader is a BPS \nemployee and the lead chaperone organizing and leading \nthe trip. The program leader is required to have experience \nleading, or co-leading BPS students (or students from \nanother district) abroad previously and has the full support \nand approval of the principal/head of school to do so. The \nprogram leader leads the entire school team and is the main \nrepresentative of the group and district while abroad. The \nprogram leader is responsible for ensuring all guidelines in", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ed016340-c61e-4270-b30f-bcf050f77436": { + "page_content": "program leader leads the entire school team and is the main \nrepresentative of the group and district while abroad. The \nprogram leader is responsible for ensuring all guidelines in \nCAO-22 and CAO-25 are followed and keeping the \nprincipal/head of school and the district informed of trip \ndevelopments. The program leader is responsible for \ncompleting the International Field Trip Request Form and \naccompanying documents that are submitted to the \nprincipal/head of school and Department of Global \nEducation for approval. The program leader is also \nresponsible for organizing the chaperone team, student \nteam, and pre-departure meetings. \n\u2022 Chaperone Selection: Every adult on the trip must be a \nchaperone and have a clear role.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d5bb4c45-6d59-4121-af13-90580a827ae7": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 11 of 104 \no Diverse Strengths: Choose a chaperone team \npurposefully and wisely, considering strengths and \nwhat each chaperone can contribute to the overall \nexperience. The goal is to have a well-rounded team of \nchaperones from different areas. We recommend that \nat least one member of the chaperone team \u2014 if not \nthe program leader \u2014 speak the local language of the \ncountry visited. For example, consider chaperones who \nhave visited the country before, and one who speaks \nthe local language. Additionally, consider chaperones \nwho are subject matter experts in the topic being \nexplored, or who have professional medical/social \nemotional health experience. Efforts should be made \nfor chaperones to be representative of the student \ngroup and include males and females where relevant. \no Knowledge of Students: The selection and approval of \nchaperones by the principal/head of school should also", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2a902efc-9390-4e11-aaf0-a308c3a20edf": { + "page_content": "group and include males and females where relevant. \no Knowledge of Students: The selection and approval of \nchaperones by the principal/head of school should also \nbe based on the individuals\u2019 knowledge of, and rapport \nwith, most of the student participants. \n\u2022 Chaperone Ratios: For international programs, the student-\nto-chaperone ratio is 7:1, with a two-chaperone minimum. It \nis recommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to \nparticipate at the last minute or must leave the field. The \nreserve chaperone should have a valid passport and visa to \ntravel to the destination. Tour guides and employees of \nthird-party vendors contracted to help operate the trip are \nnot considered chaperones, and do not factor into the \nstudent to chaperone ratio. All BPS and non-BPS \nchaperones are required to sign the Chaperone Agreement \nform. Refer to CAO-22 for additional chaperone criteria.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "af6796f6-3b97-4034-8e6a-36f2ee04f4a9": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 12 of 104 \n\u2022 Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form online. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the \nlead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. \n\u2022 BPS Employee Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL of the student \nparticipants. If a BPS chaperone\u2019s child who does not attend", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8f275a7b-0b7a-473d-82b1-363b986412de": { + "page_content": "parents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL of the student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild\u2019s participation. \nPASSPORTS & VISAS \n\u2022 Check Student & Chaperone Passports: During the \nrecruitment process, physically check all students\u2019 passports \nwell before your travel date to ensure that they are valid for \ntravel and will be valid at least six months after your return \ndate. Students must renew or apply for a first-time passport \nas soon as possible as the process can be lengthy.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "305f152a-4402-4897-93e5-1b2c5f0ef568": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 13 of 104 \n\u2022 Non-U.S. Passports: Determine who holds a non-U.S. \npassport. There are many countries that do not require U.S. \npassport holders to have a visa but require them for NON-\nU.S. passport holders. There are also countries that might \nrequire Americans to obtain a visa but do not require one for \na non-U.S. passport holder. Identify the countries from \nwhich your travelers hold passports, as they might be \nquestioned in customs or might have to contact other \nconsulates if they lose their passports abroad. *Also plan for \ndelays at border control at the airport for non-US passport \nholders. \n\u2022 Visa Requirements: Research if your destination requires a \nvisa. Every country has a different application and timeline \nfor obtaining a visa. \n\u2022 Parent Passports: Encourage parents to obtain valid \npassports and visas should they need to travel to the \ncountry for their child during an emergency.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8ed72cfd-cd35-4dd4-860e-3bd1bbe7f989": { + "page_content": "for obtaining a visa. \n\u2022 Parent Passports: Encourage parents to obtain valid \npassports and visas should they need to travel to the \ncountry for their child during an emergency. \n\u2022 Copy Passports: Copies of student and chaperone passports \nand visas must be left with families, and the principal/head \nof school.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9e3a2e90-f261-491e-a1c0-2a0b615de0a6": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 14 of 104 \nSTUDENT ACCESSIBILITY, PARTICIPATION, AND CONDUCT \nStudent Participation: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit friends, \nrelatives etc., and rejoin the group. Students must remain with \nthe group at all times. \n\u2022 Essential Participation Criteria: Before student recruitment \nbegins, the program leader and principal/head of school \nshall work together to establish essential participation \ncriteria for the trip that informs students and parents of the \nprogram objectives, all of the activities and risks associated \nwith each itinerary activity, and trip location, to determine \nwhat accommodations or modifications may need to be \nmade for students to successfully and safely participation in \nall or portions of the trip. \n\u2022 Student Recruitment: By default, any program is open to all", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a655f2be-b8b6-46c6-8662-acb57529698f": { + "page_content": "made for students to successfully and safely participation in \nall or portions of the trip. \n\u2022 Student Recruitment: By default, any program is open to all \nstudents. However, there may be programs that are specific \nto certain students (i.e., class, club, team, grade level specific \ntrips) with the consultation of the program leader and head \nof school that keeps in mind financial accessibility, diversity, \nand equity. The recruitment process must be transparent \nand fair. The chaperone team must create an environment \nand structures to support all students. Trips must be \nadvertised to all students (within the school, particular \ngrade, class, or program associated with the trip), regardless \nof their financial situation. If there is a formal process for \nbeing enrolled on your trip, such as an application, it must \nfirst be approved by the head of school and have a clear \nrubric that demonstrates the essential criteria for an", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b853c15b-1eb5-4a0f-94e1-0873a94b6bfa": { + "page_content": "being enrolled on your trip, such as an application, it must \nfirst be approved by the head of school and have a clear \nrubric that demonstrates the essential criteria for an \napplicant. A student\u2019s ability to pay may not be a criterion", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7d505c81-014a-4458-a07f-4efaada6b9f1": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 15 of 104 \nfor field trip participation. If a student is denied admission to \na trip, be prepared to speak to the student, administration, \nor family if there are questions about your selection process. \nKeep a record of all applications and decisions made. \nAccessibility \n\u2022 Field Trip Location Selection: Program leaders must \nconsider their student demographics when selecting field \ntrip locations, sites, and activities. The location of the trip \nmust tie directly to the objectives and learning outcomes of \nthe program. Specifically, determine the impact the \nlocations, sites, and activities that may have on diverse \npopulations such as students of color, ELL students, \nstudents who identify with the LGBTQIA+ community, \nstudents with disabilities, those who may be in the minority \nduring your field trip experience, and those students who \nbelong to groups that have experienced marginalization in", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4e62f3ec-54a9-4ee5-8b0b-bf300ed7719f": { + "page_content": "students with disabilities, those who may be in the minority \nduring your field trip experience, and those students who \nbelong to groups that have experienced marginalization in \nthe location being visited. Program leaders must work to \nprepare students for sensitive experiences and ensure that \nthe program is safe and inclusive for all students. Consult \nthe Department of Global Education for resources if needed. \n\u2022 Access and Inclusion: Students with English Language \nLearner status, 504 plans, and/or IEPs cannot be denied \naccess to field trips due to their ability. It is the responsibility \nof the school to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent\u2019s Circular SHS-08 Medication \nAdministration for information about medical dispensation \non field trips. Participating students\u2019 IEP or 504 plan shall be", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ca318aac-641a-40f7-96ad-0880856b6e1a": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 16 of 104 \navailable to any staff coordinating and/or participating in \nthe field trip to meet the child\u2019s needs. \n\u2022 Student Health: If a student has a serious medical or mental \nhealth condition, please be sure that their doctor is \ninformed of the essential participation criteria and location \nof the trip and writes a signed letter on letterhead indicating \nthat the child may safely attend and participate in trip \nactivities. The program leader must keep this document on \nfile with other key permissions slips and medical forms. \nAgain, also consult with your school nurse at least 6 weeks \nin advance. \n\u2022 Inclusive Accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "85e8aa3a-f83e-4bb8-be36-e9c2eed05599": { + "page_content": "gender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents (e.g., airline ticket, passport) \nreflect their legal names as listed on government issued \nidentification, while all unofficial documents and materials \nmay reflect the student\u2019s preferred name. Please view \nadditional rooming guidelines from the Office of Equity. \nCONDUCT \nThe BPS Code of Conduct applies on all field trips. BPS students \nand parents are required to sign a BPS Student Traveler & Family \nAgreement Form regarding student conduct while participating \nin a BPS sponsored field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school and", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d1f8a582-c66f-43c6-8c4e-f9e54fcea9fe": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 17 of 104 \nCentral Office staff, determines that a student\u2019s conduct while on \nan overnight trip poses a risk to themselves or the safety of the \ngroup, or is no longer manageable by BPS staff in the field, the \ndistrict reserves the right to request and arrange for that student \nto return home. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the costs \nassociated with their child\u2019s return. Students may be subject to \nfurther disciplinary action and will be provided the opportunity to \nhave a formal hearing at the school level upon return. The school \nmust document the parent/guardian\u2019s consent of this policy prior \nto the trip. \n\u2022 Dismissal Transportation Protocol: If a student is to be \ndismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0ec4a8cd-dd8a-4acc-a2eb-5ebd8569a51e": { + "page_content": "dismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal/head of school or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \nProgram leaders must inform families of this protocol at or \nbefore initial promotional meetings. \n\u2022 Pre-departure Program Dismissal: In the event a student is", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b21937f2-d2d8-46f8-89bd-7ebd64938101": { + "page_content": "Program leaders must inform families of this protocol at or \nbefore initial promotional meetings. \n\u2022 Pre-departure Program Dismissal: In the event a student is \nto be dismissed from an international field trip program \nbefore departure, a Pre-departure Incident Report must be", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a57d573f-d9e8-488b-9278-920234dd2751": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 18 of 104 \nsubmitted to the Department of Global Education (DGE). A \nchaperone cannot dismiss a student from a trip without \napproval from the principal/head of school. The \nprincipal/head of school must approve the recommendation \nfor dismissal by signing the pre-departure incident report. \nThe report should then be filed with the DGE, who will \nreview and file the report. Any loss of fees or deposits \nassociated with early dismissal will be absorbed by the \nfamily, which must be communicated before any deposits \nare made by families. Program leaders must inform families \nof this protocol at or before initial promotional meetings. \nPRE-DEPARTURE MEETINGS \n\u2022 Student Meetings: Program leaders must conduct at least \nthree (more are recommended) student meetings before \ndeparture. This does not include the mandatory parent \nmeeting; however, students should be encouraged to \nattend the parent meeting as well. Meetings should review", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8532b530-83bb-47d1-aeac-17956c8ca6ed": { + "page_content": "departure. This does not include the mandatory parent \nmeeting; however, students should be encouraged to \nattend the parent meeting as well. Meetings should review \nlogistics and prepare students to be mindful, healthy, \nresponsible, and safe travelers. Most programs hold many \nmore meetings to prepare students for the challenges and \nrewards of the travel experience. \n\u2022 Parent Meetings: Program leaders must conduct at least \none (more are recommended) parent/guardian meeting \n(with each family, or all families together). This does not \ninclude the initial meeting to promote the trip. Please note \nthat if traveling to a Level 2 destination issued by the Center \nfor Disease Control (CDC) or State Department, the program \nleader is required to inform parents of the medical or safety \nconcerns and precautionary plan. Please consult with the \nDepartment of Global Education before this meeting. For", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "edbec9d3-d805-4f05-a762-0028244687ed": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 19 of 104 \ninformation on staying healthy while traveling, go to the \nCDC page on Travelers\u2019 Health/Medical Tourism. Your entire \ngroup and their families must attend a mandatory \ninformation session. All chaperones should be present and \nplay a role in this meeting. \n\u2022 Meeting Topics: During pre-departure meetings, the \nfollowing topics must be reviewed (others may be discussed \nat the lead chaperone\u2019s discretion): \n\u25cb Trip\u2019s educational purpose \n\u25cb Behavior expectations \n\u25cb Detailed itinerary \n\u25cb Review of country landscape (health, cultural norms, \nsafety, and security) \n\u25cb Insurance coverage \n\u25cb Required travel documents \n\u25cb Packing list \n\u25cb Communication plan and emergency contact \ninformation \n\u25cb Transportation plans and logistics \n\u25cb Review and collect permission forms \n\u25cb Meals and accommodations \n\u25cb In-country transport (be specific, as modes of transport \nvary country to country) \n\u25cb Expectations for in-country expenses and procedures", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e6f9eb02-0462-4087-860b-85ab73677915": { + "page_content": "\u25cb Meals and accommodations \n\u25cb In-country transport (be specific, as modes of transport \nvary country to country) \n\u25cb Expectations for in-country expenses and procedures \nto exchange money, if applicable \n\u25cb Passport and visa requirements, if applicable \n\u25cb Program provider documents. \nContact the Department of Global Education for sample meeting \nagendas and templates and support with meeting agendas. \nImportant Meeting Notes:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f30831b2-cb7b-491b-8ba3-19fd3ef1823d": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 20 of 104 \n\u25cf Document parent/family attendance. \n\u25cf Utilize zoom meetings when necessary. \n\u25cf Develop a plan for families who may need translation \nservices at the meeting; students should not serve as their \nparent/guardian\u2019s translator. \n\u25cf If a parent/guardian is unable to attend a meeting, at least \none trip chaperone (who is a BPS employee) must \nphysically meet with the parent/guardian about the trip \nbefore taking the student abroad. Document this private \nmeeting for your records. \nChaperone Team Meetings: \nProgram leaders must conduct at least three pre-departure \nchaperone team meetings. Meeting topics to include: \n\u25cb Assign chaperone roles for pre, during, and post trip; \n\u25cb Review Emergency Action Plan (EAP) and insurance \ncoverage; \n\u25cb Student paperwork (Binders) \n\u25cb Participants \n\u25cb Student Code of Conduct Agreement \n\u25cb The Pre-Departure Incident Report and the incident \nreport form for while on the trip", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "22fc3ba1-9224-4490-b0f7-466c41586875": { + "page_content": "coverage; \n\u25cb Student paperwork (Binders) \n\u25cb Participants \n\u25cb Student Code of Conduct Agreement \n\u25cb The Pre-Departure Incident Report and the incident \nreport form for while on the trip \n\u25cb For non-BPS employee chaperones, review their \nknowledge of BPS policies and chaperone expectations \n\u25cb Review detailed itinerary \n\u25cb Distribute responsibilities \n\u25cb Map out plans that include movement from one place \nto another and program transitions. \n\u25cb Determine if there are any students who require extra \nsupport, or physical/medical accommodations", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "11c560e0-1025-4cf6-a13c-dd11ebc0a071": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 21 of 104 \n\u25cb Review with the team any recommendations, advice, \nor instructions that you have received from the school \nnurse, guidance counselor, parent, or primary care \ndoctor. \nNon-BPS Chaperones: \nAlong with CORI/SORI clearance they must schedule a \nconsult with the Department of Global Education at least 8 \nweeks prior to departure and attend at least one pre-trip \nparent meeting and at least one student meeting. \nAll non-BPS chaperones must know the details of the trip, \nthe Emergency Action Plan (EAP), the BPS Code of Conduct, \nand other district and school-based rules. The program \nleader must be sure all non-BPS chaperones understand \nBPS rules and schedule a consult with the Department of \nGlobal Education. \nCOMMUNICATION PLAN \n\u2022 International Phone Service Coverage: Program leaders \nmust have international cell phone coverage for the \nduration of the trip for communication with BPS and", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "dfcb740a-e52d-4d16-a7f8-5103c13837bc": { + "page_content": "COMMUNICATION PLAN \n\u2022 International Phone Service Coverage: Program leaders \nmust have international cell phone coverage for the \nduration of the trip for communication with BPS and \nfamilies in the event of an emergency. This cell phone must \nbe on at all times so you may be contacted in case of an \nemergency. If this is not possible due to your location, please \narrange a communication plan with your principal/head of \nschool and the Department of Global Education. If such \ninternational coverage requires you to purchase an \ninternational plan or to accrue additional costs due to the \ntrip, please submit your receipts to the BPS Finance Office \nfor reimbursement. Program leaders must also carry the \nphone numbers for the principal/head of school or", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "94fe9e01-2ec5-42df-bd93-a5befaba17a1": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 22 of 104 \nsponsoring district department, and the Department of \nGlobal Education. You are required to call your head of \nschool and the Department of Global Education anytime \nthere is an emergency. \n\u2022 District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment, and the Director of Global Education prior to \ndeparture. The director of Global Education will initiate a \ngroup chat with the program leader, and head of school on \nWhatsApp. You must check in with the Director of Global \nEducation via phone, text (download WhatsApp for free for \nmessaging), or email upon arrival, every 48 hours, whenever \nthe itinerary significantly changes, whenever you expect to \nlose cell/email coverage, upon departure, and upon safe \nreturn. You MUST check in via phone call to your Head of \nSchool and the Department of Global Education when there \nis an incident.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3a0839c4-b379-45b8-a350-c2ce6e7eba13": { + "page_content": "lose cell/email coverage, upon departure, and upon safe \nreturn. You MUST check in via phone call to your Head of \nSchool and the Department of Global Education when there \nis an incident. \n\u2022 Definitions of communication types and expectations:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "24518928-d33e-4d42-a0a1-223bed1d0c94": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 23 of 104 \n \nGreen Communication: No immediate concern. \nProgram leader: Notifies head of school and on-call BPS \nstaff about arrival, departure, changes in itinerary, loss of \nconnectivity, highlights of programs, photos. *Check in daily \nvia text, phone call, email. \nYellow Communication: A Yellow Call is a reportable situation or \nevent, but no threat to life, limb, eyesight, or potential for severe \nemotional trauma. The incident is managed effectively in the \nfield by program leader, but could devolve to a serious or critical \nincident, and requires attention from BPS on-call staff. \nProgram leader: (1) Notifies Head of School and on-call BPS \nstaff; (2) Documents Incident SOAP Report (3) Monitors (4) \nUpdates on-call BPS staff \nRed Communication: Critical, violent time sensitive incident, \nillness, injury; or event that resulted in loss or potential loss of life, \nlimb, eyesight. Student disciplinary violations.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "13c7b0c0-f964-4aab-a0fc-ad2ccc49128a": { + "page_content": "Red Communication: Critical, violent time sensitive incident, \nillness, injury; or event that resulted in loss or potential loss of life, \nlimb, eyesight. Student disciplinary violations. \nRequires IMMEDIATE RESPONSE of program leader: (1) \nAlerts appropriate local medical care, local law enforcement, \nand/or shelter, triggers insurance support if able to do so. (2) \nNotifies head of school and on-call BPS staff; (3) Documents \nIncident SOAP Report (4) Monitors (5) Updates head of \nschool and on-call BPS staff \nRefer to BPS International Field Trip Communication Plan for \nmore information. \n\u2022 Communication with Families: Set expectations regarding \ncommunication during travel between chaperones/student", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ed24227f-9926-4c9d-bb1b-c2b21241d0dd": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 24 of 104 \ntravelers and the principal/families. Families must know \nwhom to call 24/7 in case of an emergency. If you need \nsupport in family communication before, during, and after \nthe trip, contact the Department of Global Education. \n\u2022 Communication with Students: Set and remind students \nand families of the expectations for social media usage \nwhile abroad. Discuss what is, and is not acceptable for \nposting, recording, and sharing on social media. Make clear \nthe boundaries, confidentiality, and privacy of other \nstudents, staff members, and visiting communities as it \npertains to social media footage. These expectations should \nbe discussed several times during the pre-departure \nmeetings and while in the field. *Remember that the BPS \nCode of Conduct is applicable. \nDOCUMENTATION & FORMS \n\u25cf Documents for Students & Families: Prepare, distribute to, \nand collect from each participating student and chaperone \nthe following:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5ceab5b2-ca44-4556-a293-0a0dff59cde3": { + "page_content": "Code of Conduct is applicable. \nDOCUMENTATION & FORMS \n\u25cf Documents for Students & Families: Prepare, distribute to, \nand collect from each participating student and chaperone \nthe following: \n\u25cb Parental Authorization for International Field Trip form \n\u25cb Medical Information Form \n\u25cb Medication Administration Form \n\u25cb Chaperone Agreement Form \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Student Support for Field Trip Travel Form \n\u25cb Any Parental Waivers associated with your program. \n\u25cb If applicable, prepare, distribute, and collect the \nNotarized Parent/Guardian Airline Travel Consent \nForm. (Some countries, airlines, and travel companies", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "20090407-c1d4-4e8a-988f-96c1bd88ab52": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 25 of 104 \nrequire this. Research your particular trip to see if this \napplies.) \n\u25cb If your program includes a homestay, refer to CAO-26 \nHomestay Guidelines for required forms. \n\u25cf Documents to Submit to Central Office Approval: The \nfollowing documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation for the program to be reviewed, and the \nnecessary signatures obtained for approval. You must send \nyour completed application to the Department of Global \nEducation for review and feedback prior to final submission. \nBelow is an overview of the required documents. A more \ndetailed list is included in the application section of this \ncircular. \n\u25cb CAO-25 International Field Trip Request Form (with \noriginal signature of the Headmaster/Principal or \nsponsoring District Department, and Program Leader) \n\u25cb Signed Cover Letter (on school letterhead) addressed", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "87aca2a9-9f4c-4181-bbd9-bdfcd3df5888": { + "page_content": "original signature of the Headmaster/Principal or \nsponsoring District Department, and Program Leader) \n\u25cb Signed Cover Letter (on school letterhead) addressed \nto the superintendent and Department of Education \nfrom the principal/head of school/district department \nlead stating support for the proposed trip. \n\u25cb International trip narrative: \n\u25a0 What was the student recruitment and selection \nprocess? \n\u25a0 What are the student learning outcomes of your \nprogram? \n\u25a0 How will this program build students\u2019 global \ncompetence (investigate the world, communicate \nideas, weigh perspective, take action: identify all \nthat apply and how they will be addressed \nthrough your program).", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e63697ee-19c9-4d12-8106-8b28eb36a465": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 26 of 104 \n\u25a0 What specific standards are addressed in your \nprogram, and how will they be addressed? \n\u25a0 How and when will your students reflect on what \nthey learned from this experience? \n\u25cb Itinerary (detailed): Day-by-day and hour by hour (or \nmorning/afternoon/evening) format providing detailed \ninformation about program (i.e. \nhotels/accommodations, sites visited, activities \nplanned, meetings held, curfew set, and meals \nscheduled for the morning, afternoon, and evening) \n\u25cb Emergency Action Plan \n\u25cb Nurse Verification Form \n\u25cb CAO-25 Acknowledgment Form \n\u25cb Tentative Student Traveler Roster: [Prior to departure, \nthe program leader must submit a FINAL roster of all \nconfirmed student travelers that includes: BPS ID, their \nname, grade, age, D.O.B, the country in which their \npassport is issued, emergency contact name and \nnumber, and (NEW) if student is traveling abroad for \nthe first time.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "80812ec5-5151-4096-a8ed-31d6bf159999": { + "page_content": "name, grade, age, D.O.B, the country in which their \npassport is issued, emergency contact name and \nnumber, and (NEW) if student is traveling abroad for \nthe first time. \nImportant Note: **Submit documents for Water Activities \n(CAO-27)) if applicable.* While you do not need to submit \nto the central office a copy of each Parental Authorization \nfor International Field Trip permission, this form must be \non file at your school when your trip request is submitted \nto the district office. \n\u25cf Documents to Leave with your principal/head of school: \n\u25cb CAO-25 circular with checklists \n\u25cb Permissions Slips (updated based on contact \nverification done with families)", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "df42d31b-829f-49ae-98ab-274398d2e74a": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 27 of 104 \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Parental Waivers \n\u25cb Medical Information Form and Medical Administration \nForm \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP) \n\u25cb Insurance Information \n\u25cb Fire Prevention and Safety Information \n\u25cb International Program Incident Report (blank for \nreference) \n\u25cb Finalized Homestay List and other homestay \ndocuments (if applicable) \n\u25cb Water Activities Forms (if applicable) \n\u25cf Documents to Take Abroad: \n\u25cb Permissions Slips (updated based on contact \nverification done with families) \n\u25cb Medical Information Form and Medical Administration \nForm \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Parental Waivers \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP)", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "910de2cb-817e-4bb8-9156-a1813c13b5fe": { + "page_content": "\u25cb Parental Waivers \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP) \n\u25cb Insurance Information \n\u25cb BPS Field Guide Protocols with Emergency Phone \nNumbers \n\u25cb Fire Prevention and Safety Information", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f2ab7205-4d6f-472d-ab7e-ffe81d538e60": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 28 of 104 \n\u25cb International Programs Incident Report (blank and/or \ncompleted) \n\u25cb International Witness Report Form (blank and/or \ncompleted) \n\u25cb Incident Investigation Log (blank and/or completed) \n\u25cb SOAP Note (blank and/or completed) \n\u25cb List of addresses and emergency contacts in country \nfor all travelers \n\u25cb Homestay documents, if applicable \n\u25cb Water activities form, if applicable \n\u25cb Program leader carries originals of permission slips and \nmedical forms; other chaperones carry copies. \nDURING THE FIELD TRIP PROGRAM \n\u25cf Team Safety: If you believe conditions are unsafe or \nunhealthy at any point on the trip, it is the program leader\u2019s \nresponsibility to make adjustments in the interest of \ngroup/individual safety. Consult the Department of Global \nEducation during the trip when you have questions \nregarding trip safety. \n\u25cf Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "786fb065-39bf-4203-8d96-79f3bdb18bf6": { + "page_content": "Education during the trip when you have questions \nregarding trip safety. \n\u25cf Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n\u25cb Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nthe assessment with the chaperone team and prepare \nfor orientation and fire drill. \n\u25cb Share evacuation plan and emergency plans. Discuss \nwhere students go during an emergency or otherwise.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ece3d793-a520-4159-a7a1-86a846c13f54": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 29 of 104 \nDiscuss where students go if they are separated from \nthe group during an activity. \n\u25cb Ensure students have a list of the key addresses \n(hotel/chaperone/host family contact information) and \nemergency information for the US and the \ninternational destination as well as copies of all travel \ndocuments. Share where you are staying (room \nnumber if applicable) and how to reach you on the trip. \n\u25cb Conduct in-country orientation for conduct and \ncultural expectations. Set expectations regarding social \nmedia. This is especially critical during an emergency. \n\u25cb Conduct safety orientations for service learning \nprojects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating \nand for agricultural projects; chaperones, with support \nof program providers, must conduct a safety \norientation at the beginning of each activity. \n\u25cf Student Debriefs/Reflections:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5748166a-8d18-4438-b7c9-b0ad1a29e625": { + "page_content": "and for agricultural projects; chaperones, with support \nof program providers, must conduct a safety \norientation at the beginning of each activity. \n\u25cf Student Debriefs/Reflections: \n\u25cb Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\u25cb Conduct afternoon and/or evening debriefings to \nreview the next day\u2019s itinerary, gather feedback, \nprocess the day\u2019s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them to \nreflect and break down stereotypes so that when they \nreturn, they have a deeper understanding of the \nculture and country they visited. Draw connections to \nhow they will take the experience home with them, \nand how the lessons they have learned will translate \nback home.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3964ae7f-e059-45ae-8cd9-3c3271007f2c": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 30 of 104 \n\u25cf Check-Ins and Student Supervision: \n\u25cb Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n\u25cb Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n\u25cb Conduct nightly bed checks to ensure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel, be sure to request in advance for students \nto be placed near chaperones. If students are with host \nfamilies, share the BPS policy of nightly bed checks to \nensure students are safely in their rooms each night. \nStudents should know exactly how to get in touch with \na chaperone in case of an emergency (room number or \nphone number if staying with a host family). \n\u25cb Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7b8b8cc6-0d63-459a-be01-cfa6c9ec1825": { + "page_content": "phone number if staying with a host family). \n\u25cb Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful \nabout romantic relationships among students. \n\u25cb Do not leave students alone! Students should be \naccompanied by chaperones (or if applicable, host \nfamilies and students) unless part of a scheduled \nactivity and age appropriate, as approved by their \nparent/guardian in advance. However, if \nunaccompanied as part of a scheduled and structured \nactivity, students should be in at least groups of three, \nAND always know how to reach an adult chaperone. \n\u25cb Conduct regular, frequent headcounts and buddy \nchecks throughout the day.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "abac6d27-cba8-4b23-981c-8ad953b11210": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 31 of 104 \nINTERNATIONAL PROGRAM INCIDENT REPORTING AND \nSUPPORT \nContact your head of school and the Department of Global \nEducation for any emergency that results in the admittance of a \nstudent or chaperone to a hospital or clinic, or if you fear for the \nsafety of anyone on your trip at any time. When in doubt, call! \nEmergencies may be of a medical, environmental, political, \nbehavioral, legal, logistical, or other nature. You MUST check in \nvia phone call to the Department of Global Education when there \nis an incident. Refer to BPS International Field Trip \nCommunication Plan for more information. \n[NEW] Examples of incidents (this is not an exhaustive list): \nGreen Examples: Positive group gains, dynamic and culture, \nmedia coverage \nYellow Examples: Fever, loss of passport, diarrhea, \nconstipation, vomiting when prescription medication is \nadministered by BPS staff, lost/damaged/insufficient", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "15907bc9-41e3-47d3-b15e-70490c8ce462": { + "page_content": "media coverage \nYellow Examples: Fever, loss of passport, diarrhea, \nconstipation, vomiting when prescription medication is \nadministered by BPS staff, lost/damaged/insufficient \nprescription medication, tooth loss/ crack/chip, animal or \ninsect encounters that could potentially result in injury, any \ntime insurance is used or consulted, insect bites or stings \nout of the ordinary, lost or stolen luggage, challenges in \nCustoms. \nRed Examples: Sexual assault, terrorism, missing person, \ncrime/theft; head injury, loss of consciousness, contraction \nof parasite and/or infestation, animal bites, transportation \naccident, severe allergic reaction, exposure to any \ncommunicable diseases, eye injury, heat exhaustion/stroke, \nhyperthermia, significant violations of student/chaperone \nconduct contract (fighting, alcohol, drug use, possession of", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2667a197-84b8-47d6-bb62-21053dcddc2b": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 32 of 104 \nweapons, bullying, harassment, persistent behavior from \nparticipant that is disruptive, poses a risk to team and the \nsuccess of the program), severe weather, exposure to any \ntoxic or potentially toxic chemical/irritant \n\u27a4 Note: This list is not exhaustive. Any additional incident not \nlisted but deemed unusual or potentially harmful by the program \nleader, should be reported. Yellow incidents have the potential to \nquickly progress to Red incidents. Thus, yellow incidents should \nbe monitored closely, and On-Call BPS staff should be kept \nabreast of any updates, and changes in status. \nFile an International Program Incident Report via email if possible \nOR as soon as circumstances permit. Utilize the SOAP note, \nwitness reports and incident investigation logs as necessary. Turn \nin the original reports to the Department of Global Education as \nsoon as you return to Boston. When incidents occur, it is critical", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f72be7b6-21c1-46b9-b81c-5e1e64bfe474": { + "page_content": "in the original reports to the Department of Global Education as \nsoon as you return to Boston. When incidents occur, it is critical \nthat everything is documented. \nAFTER THE FIELD TRIP (MANDATORY) \n\u25cf Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students \n(and inform parents/guardians) to see a doctor immediately \nif they are not feeling well after the trip and to inform the \ndoctor of their recent travels. \n\u25cf Incident Reports: If applicable, file and follow up with \nInternational Programs Incident Report, International \nPrograms Witness Report and International Programs \nIncident Log.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "643030db-dbac-4bf9-9a40-17feb2c7d686": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 33 of 104 \n\u25cf District Survey: Complete the BPS Post-International \nProgram Survey to provide feedback on your experience. \nAFTER THE FIELD TRIP (SUGGESTED) \n\u25cf Write thank you notes. \n\u25cf Present to school, family, and the community about the \nexperience. \n\u25cf Conduct related creative and/or analytical projects to \nshowcase student learning. \n\u25cf Write a news article about the trip for a local newspaper or \nwebsite. \n\u25cf Email stories, journals, and pictures of your trip to the \nDepartment of Global Education.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "aa3197de-293b-4675-b8a7-a7d25b1d9a16": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 34 of 104 \n \nFor more information, questions, and support about this \ncircular, please contact: \nOwner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "56120933-ebef-4fd8-9b0a-0b8ce2cf50ba": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 35 of 104 \nINTERNATIONAL FIELD TRIP CHECKLIST \nField Trip Category(s): ____________________________________________ \n(For category, see CAO-22.) \nSite: _____________________________________________________________ \n \nDate: __________________________________ \n \nAlternate Date: _________________________ \n \nItem Complete? \nReview Superintendent Circular No. CAO-22, \nGeneral Guidelines and Procedures for All Field \nTrips. \n \nReview Superintendent\u2019s Circular on Medical \nEmergency Management, FSE-05 and Incident \nData-Reporting and Release, SAF-04 for \nimportant safety protocols. While on the trip, the \nDepartment of Global Education must be notified \nin the event of a serious incident or emergency \nand should be used as a resource for questions \nregarding safety on international field trips. \n \nSelect a site and investigate the appropriateness \nof the site in relation to the category of field trip. \n \n \nCAO-25 ACKNOWLEDGEMENT FORM", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "262b192a-35d5-453a-a350-e1309a9ff465": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 36 of 104 \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \nSchool Name: ____________________________________________________ \n \n_______________________________________________ __________________ \n Signature of Program Leader Date \n_______________________________________________ __________________ \nSignature of Principal/Head of School or Date \n Sponsoring District Department", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8e3a602a-391c-436c-9ac8-f7336561299c": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 37 of 104 \nINTERNATIONAL FIELD TRIP REQUEST DOCUMENT CHECKLIST \nThe following documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation so that the trip may be reviewed and the necessary \nsignatures may be obtained. Complete this application with as \nmuch information and detail as you have available. Should \nadditional and final details become available later, please update \nthe Department of Global Education as soon as possible. It is \nrecommended that you send drafts of these documents to the \nDepartment of Global Education for review and feedback prior to \nfinal submission. Please type all documents and retain copies of \nall documents submitted. \nDocuments to Submit to the Department of Global Education \nfor Approval \n1. International Field Trip Request Form (with original \nsignature of the principal/head of school or sponsoring \ndistrict department, and program leader)", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a2347fa3-961d-46b4-9fb5-0300aa697590": { + "page_content": "for Approval \n1. International Field Trip Request Form (with original \nsignature of the principal/head of school or sponsoring \ndistrict department, and program leader) \n2. Signed Cover letter (on school letterhead) addressed to the \nsuperintendent and Department of Education from the \nprincipal/head of school/district department lead stating \nsupport for the proposed trip. \n3. International Trip Narrative Educational Goals (please be \ndetailed): \na. What is the purpose of this international program? \nWhy is it necessary, and why is this specific location \nrelevant? \nb. What are the student learning outcomes of your \nprogram?", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "15259591-939f-43a6-ac0c-3b0663bb6b1e": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 38 of 104 \nc. How will this program build students\u2019 global \ncompetence (investigate the world, communicate \nideas, weigh perspective, take action: identify all that \napply and how they will be addressed through your \nprogram). \nd. What specific standards are addressed in your \nprogram, and how will they be addressed? \ne. Describe the student recruitment and selection \nprocess? How did you ensure the process was \nequitable and inclusive? \nf. How and when will your students reflect on what they \nlearned from this experience? \n4. Itinerary \na. Day-by-day and hour by hour (or morning/afternoon/ \nevening) format providing detailed information about \nprogram (i.e., sites visited, activities planned, meetings \nheld, curfew set, and meals scheduled for the morning, \nafternoon, and evening) \n5. Emergency Action Plan \n6. Nurse Verification Form \n7. CAO-25 Acknowledgment Form \n8. Tentative Student Traveler Roster (Prior to departure, the", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8d826470-9fba-4868-bd03-1d8848b23ea0": { + "page_content": "afternoon, and evening) \n5. Emergency Action Plan \n6. Nurse Verification Form \n7. CAO-25 Acknowledgment Form \n8. Tentative Student Traveler Roster (Prior to departure, the \nprogram leader must submit a FINAL roster of all confirmed \nstudent travelers that includes: BPS ID, their name, grade, \nage, D.O.B, the country in which their passport is issued, \nemergency contact name and number, and if student is \ntraveling abroad for the first time. \n\uf075\uf020Important Note: Submit documents for Water Activities \n(CAO-27) and/or Homestays (CAO-26) if applicable.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "702a2297-280d-40ed-87f8-c8cdecb014b1": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 39 of 104", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ef30f5ce-7f63-4387-9cfc-b44df1948756": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 40 of 104 \n \nINTERNATIONAL FIELD TRIP REQUEST FORM \n(This form along with all accompanying documents listed in this \ncircular must be completed by the lead chaperone in \nconsultation with the principal/head of school. It is submitted to \nthe Department of Global Education at least four months prior to \nthe trip.) \nSchool/District Department: _____________________________________ \n \nHead of School /Principal Information: \nName: ______________________________________________________ \nCell phone: __________________________________________________ \nEmail: _______________________________________________________ \nSelect Field Trip Category (See CAO-22 for descriptions): \n\u25cf Instructional \n\u25cf Cultural \n\u25cf Community Building \n\u25cf Service Learning \n\u25cf Personal Growth & Development \nProgram Destination(s): Include exact cities, or regions: \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "de21f45e-d0f6-4a9c-985b-a76d0b1b7205": { + "page_content": "\u25cf Service Learning \n\u25cf Personal Growth & Development \nProgram Destination(s): Include exact cities, or regions: \n __________________________________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "126b0904-62b5-44a7-a092-70b3ecbbf948": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 41 of 104 \nDates of Trip: \nDeparture Date: ________________ Return Date: ___________________ \nStudent Data: Send complete student roster to Dept. of Global \nEducation before travel. Roster must include D.O.B, grade, \ncountry of passport issuance, emergency contact name and \nnumber. \nNumber of Students: ________________ \n \nNumber of First Time Student International Travelers: _______ \n \nChaperone Data: Chaperones: 7:1 ratio and minimum of 2 \nchaperones \nInformation Program Leader Chaperone Chaperone \nName \nCell Phone \nNumber \nBPS \nEmployee (Y/N) (Y/N) (Y/N) \nBack up #", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a57dce07-4781-4c33-919a-12036e5b7788": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 42 of 104 \n \nInformation Chaperone Chaperone Chaperone \nName \nNumber \nBPS \nEmployee \n(Y/N) (Y/N) (Y/N) \nBack Up # \n \nInformation Chaperone Chaperone Chaperone \nName \nNumber \nBPS \nEmployee \n(Y/N) (Y/N) (Y/N) \nBack Up # \n \nFunding \nPlease note that: A criterion for participation, may not be the \nstudent and their family\u2019s ability to pay. Also \u201c100\u201d school funds \nmay not be used for international trips. \nCost Per Person: _________________________________ \n \nTotal Cost: $ _____________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "231f0fcd-ccd4-4d05-b3de-27e1a0e3e7d7": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 43 of 104 \nFunding Source(s): \n(List funding sources below. Please detail how the trip was paid \nfor and how students had access to this trip regardless of the \ntrip\u2019s cost.) \n \n \n \nGrant name/Grant Number (if applicable): _______________________ \n \nFundraise with Private Grants BEDF Account Code/Description (if \napplicable): _______________________________________________________ \n \nCountry/Site Information \nCountry(s) to be visited: \nIs this country(s) listed on the \nUnited States Department of \nState Travel warning list? \n \nIs this country(s) listed on the \nCenter for Disease Control \n(CDC) warning list? \n \nIn-Country/Site Contact Person \nand Title/Role: \n \nIn-Country/Site Telephone # \nIn-Country/Site Email Address", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "657fe488-102d-4d94-92a4-02e81a4a8ed4": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 44 of 104 \nNative language of in-\ncountry/site contact person \n \nCan the in-country/site contact \nperson speak English? \n \n \nHas your travel vendor/partner been vetted by the Department of \nGlobal Education/BPS Legal? \uf06f Yes \uf06f No \nVendor Name: ______________________________________________ \nVendor Contact Name: ______________________________________ \nVendor Contact Number & Email: ___________________________ \nAIRLINE TRANSPORTATION TO INTERNATIONAL DESTINATION \n(Please note: You may include your flight reservation as an \nattachment; however, the following section must still be \ncompleted.) \nDeparting flight from US/Boston: \nDeparture Date \nDeparture Time \nDeparture Location \nDeparture Airlines \nFlight Number \nDeparting Flight \nArrival Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bda65011-549c-4ffc-b25d-fd4940f227d9": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 45 of 104 \nArrival Time \nArrival Location \nReturn flight to US/Boston \nReturn Date \nReturn Time \nReturn Location \nReturn Airlines \nFlight Number \nReturn Flight Arrival \nDate \n \nArrival Time \nArrival Location \nAdditional Transportation in the U.S. (i.e., to and from airport): \nWill you be providing transportation for students to and from the \nairport? \u25a2 Yes \u25a2 No \nIf no, how will students get to and from the U.S. airport? \n __________________________________________________________________ \n __________________________________________________________________ \nIf yes, please complete the chart below.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "77d64f2f-0508-4a5a-b321-d7f8bb5863c5": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 46 of 104 \nMode of \nTransportation \n \nTransportation Co. \nBPS Vendor # \nCompany Number \nPickup Location \nPickup time \n \nTransportation to International Destination (other than airplane): \nMode of \nTransportation \n \nTransportation Co. \nBPS Vendor # \nCompany Number \nPickup Location \nPickup time \nWhere will you be \ntransported to? \n(Address of hotel, or \ndrop off site) \n \n \nTransportation in Foreign Country \nAll modes of transportation arranged within the foreign country:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "64c650a0-967d-4fae-a815-7be1fbad2833": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 47 of 104 \n \n \nIN-COUNTRY LODGING INFORMATION \nPrimary Lodging \nContact information if students will be staying in a hotel or \nhostel: Itinerary must provide detailed information regarding \nlodging each night. \nName of site \nAddress \nNumber \nDates \n \nName of site \nAddress \nNumber \nDates", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c589ad7f-c400-45e4-966f-5f19a1b976e4": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 48 of 104 \n \nName of site \nAddress \nNumber \nDates \n \nDoes your trip include water activities? \nYES \u25a2 NO \u25a2 \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? \nYES \u25a2 NO \u25a2 \nHome Stay \n*Note: The permissibility of Home Stay programs is currently \nunder review. \nWill this program include a home stay? YES \u25a2 NO \u25a2 \nIf yes, is this home stay facilitated by a third-party vendor? If yes, \nplease provide the company name and site contact info. \n __________________________________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "58d09756-039a-49da-886b-321598dc5be4": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 49 of 104 \nSafety is the highest priority in the Boston Public Schools. Have \nyou followed the Home Stay Guidelines CAO-26 and completed \nthe necessary forms? YES \u25a2 NO \u25a2 N/A \nHave parents/guardians signed the Home Stay Waiver form? \nYES \u25a2 NO \u25a2 N/A \nWater Activities \nDoes your program include water activities? \nYES \u25a2 NO \u25a2 N/A \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? YES \u25a2 NO \u25a2 N/A \nTRAVEL LOGISTICS \nHave you held (or will you hold prior to departure) at least three \npre-departure student meetings to prepare the student team for \nthe responsibilities of participating in an international trip as \noutlined in CAO-25? YES \u25a2 NO \u25a2 \nMeeting Date: Meeting Date: Meeting Date: \nHave you held (or will you hold prior to departure) at least three \nchaperone meetings to prepare the adult team for the \nresponsibilities of leading students on an international trip as", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "aa8c7464-b7ad-4933-848b-5ed959db74b1": { + "page_content": "Have you held (or will you hold prior to departure) at least three \nchaperone meetings to prepare the adult team for the \nresponsibilities of leading students on an international trip as \noutlined in CAO-25? YES \u25a2 NO \u25a2 \nMeeting Date: Meeting Date: Meeting Date:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "166acd45-7728-4c06-9720-25e10dd7e8f7": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 50 of 104 \nHave you conducted (or will you conduct prior to departure) at \nleast one parent meeting (in addition to the promotional \nmeeting) to review required topics outlined in CAO-25? \nYES \u25a2 NO \u25a2 \nMeeting Date: \nIf you are traveling to a destination with an alert from the CDC or \nState Department Level 2 country, will you provide families with \nthe respective Informed Parental Consent, Associated Risk, \nIndemnity Form? YES \u25a2 NO \u25a2 \nDo you have trip cancellation insurance? YES \u25a2 NO \u25a2 \nPlease describe the contingency plan should your departure \nand/or return travel be delayed: \n \n \nTRAVEL SAFETY AND RISK MANAGEMENT \nHave all travelers received (or will they all receive prior to \ndeparture) all travel immunizations, vaccinations, and relevant \nmedications recommended by the CDC and their primary care \ndoctors? YES \u25a2 NO \u25a2 \nComments: \n \nWho on your chaperone team speaks the local language?", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2bfd99cd-b091-4a05-b8ac-0957df1c4939": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 51 of 104 \n __________________________________________________________________ \n __________________________________________________________________ \nHave the program leader and other chaperones reviewed the \nBPS Insurance Policy? YES \u25a2 NO \u25a2 \nDoes each traveler have health insurance coverage abroad, \nincluding medical and political evacuation coverage? (BPS has \nthis insurance for ALL BPS students and BPS chaperones.) \nYES \u25a2 NO \u25a2 \nHas the program leader and other chaperones reviewed the BPS \nCode of Conduct? YES \u25a2 NO \u25a2 \nHave all non-BPS employed chaperones scheduled a meeting \nwith the DGE? YES \u25a2 NO \u25a2 N/A \u25a2 \nHas the program leader attended (or will they have attended \nprior to departure) BPS Risk Management Training Abroad? \n YES \u25a2 NO \u25a2 \nTraining Date: _______________________________________________ \n (Training is valid for two school calendar years.)", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "aa6faa35-7a47-46ef-9505-cec94281f9b6": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 52 of 104 \nHas the program leader led BPS students abroad before? \nYES \u25a2 NO \u25a2 \nWhen? Provide the most recent date: _______________________ \nIf not, what experience(s) have prepared you to lead BPS \nstudents abroad? \n \nDo at least two chaperones hold valid (duration of the trip) CPR \nand First Aid certification? YES \u25a2 NO \u25a2 \nNames of certified chaperones: ___________________________________ \n __________________________________________________________________ \nName of chaperones: ____________________________________________ \n __________________________________________________________________ \nHave you completed the Emergency Action Plan (EAP) for the \ncountry you are visiting? YES \u25a2 NO \u25a2 \nHave you (or will you prior to departure) set up a Pre-Departure \nRisk Management meeting with the Department of Global \nEducation? YES \u25a2 NO \u25a2 N/A \u25a2 \nHave you (or will you prior to departure) submitted the", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b9db11a5-dc1f-4098-bd81-a65f0676400b": { + "page_content": "Risk Management meeting with the Department of Global \nEducation? YES \u25a2 NO \u25a2 N/A \u25a2 \nHave you (or will you prior to departure) submitted the \nEmergency Contact List for all travelers to the Department of \nGlobal Education? YES \u25a2 NO \u25a2 \nHave you completed the Nurse Verification form? YES \u25a2 NO \u25a2", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "aed07c2c-7432-405d-882e-7370368dab31": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 53 of 104 \nAll CAO-25 \u201cChecklists\u201d MUST be followed by the program leader, \nother chaperones, and principal/head of school or district \ndepartment sponsoring the trip before, during, and after the trip. \nWill you complete all \u201cChecklists\u201d before, during, and after the \ntrip with the consult of your principal/head of school or district \ndepartment? YES \u25a2 NO \u25a2 \nSCHOOL/DISTRICT DEPARTMENT APPROVAL \n_________________________________________________ ________________ \n Program Leader/Lead Chaperone Date \n_________________________________________________ ________________ \n Head of School/Principal or Sponsoring Dept. Date \nSignatures above indicate approval for the trip and attest that \nthe CAO-25 checklist will be completed before, during, and after \nthe trip. \nDISTRICT APPROVALS \nInternational field trips require the District approvals below: \n_________________________________________________ ________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "fc3c78c2-8054-4281-8785-30e112bce31c": { + "page_content": "the trip. \nDISTRICT APPROVALS \nInternational field trips require the District approvals below: \n_________________________________________________ ________________ \n Director of Global Education Date \n_________________________________________________ ________________ \n Chief of Teaching & Learning Date \n_________________________________________________ ________________ \n Chief Financial Officer Date \n_________________________________________________ ________________ \n Superintendent Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "03c50ad1-74d0-4f0d-bd40-82a4be220cf2": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 54 of 104 \n \nEMERGENCY ACTION PLAN (EAP) \nInternational Field Trips \nDirections: \n\u25cf The lead chaperone must complete this form prior to \ndeparture. \n\u25cf All chaperones should carry this form throughout the trip. \n\u25cf Leave a copy of this form with the principal/head of school. \n\u25cf Submit this form as part of your package to the district. \n\u25cf Register your trip and student participants through the \nSafe Traveler Enrollment Program (STEP). program \nGeneral Guidelines: \n\u25cf In the event of an emergency, REMAIN CALM. \n\u25cf Do not leave the injured person alone or without an adult \npresent. \n\u25cf Call local EMS. \n\u25cf Accompany any injured student to the nearest medical \nfacility. An adult chaperone (or adult designee) must be \npresent with any injured student throughout the \nemergency.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f5de153e-d618-42de-b08e-f144a161421b": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 55 of 104 \nEmergency Contacts \n\u25cf Local EMS. \n\u25cf Insurance (See insurance card for the appropriate # for your \ndestination.) \n\u25cf Head of school or designee cell #_______________________and \ndirector of Global Education (315-601-0292) for emergencies. \nSee Emergency Communication and Protocols packet. \n\u25cf Parents/guardians must be informed and given updates \nthroughout the medical emergency. (Your Head of School \nand DGE will help coordinate communication with \nparents/family.) \nU.S. State Department, the Center for Disease Control and other \nreputable sources, please complete the information below: \nAddress and contact information for the nearest U.S. Embassy(s) \nwhile abroad: \n \n \nAddress and contact information for the nearest embassy(s) for \nnon-U.S. citizen travelers while abroad: \n \n \nName and address of the nearest medical hospital or facility/s:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b80be2ff-07b5-430c-ba5f-9a7b81ec025a": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 56 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nDirections: \nBPS Staff: \n\u25cf Use one form per trip. \n\u25cf Complete the School Portion of form. \n\u25cf Duplicate one form per student. \n\u25cf Send a copy home for parent and student signatures. \n\u25cf During the field trip, the signed, original form must be \ncarried by the program leader and copies by the other \nchaperones. A photocopy must be left on file in the school \noffice. \nStudent First & Last Name: _______________________________________ \nSchool: ___________________________________________________________ \nDestination (s): ___________________________________________________ \n __________________________________________________________________ \nPurpose of Trip: __________________________________________________ \nList of Activities: Parents must be informed of all activities.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4c1eae97-ee4e-46b8-b9d9-aa75ddbed46f": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 57 of 104 \nSupervision: (Check One.) \n\uf06f Students will be directly supervised by adult chaperones on \nthis trip at all times. \n\uf06f Students will be directly supervised by adult chaperones on \nthis trip with the following exceptions: \nMode of Transportation: (Check all that apply.) \n\uf06f walking \uf06f school bus \uf06f MBTA \uf06f Other _________________ \nStudents will leave from (where)_________________________at \n(time) ____________________. \nStudents will return to (where) ____________________________at \nabout (time) _______________. \n \nProgram Leader & Chaperone(s) in Charge: ______________________ \n __________________________________________________________________ \nChaperone/Student Ratio: ________________ (maximum ratio 7:1)", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "34b2aeeb-2590-4f05-b878-19a4ed129f6e": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 58 of 104 \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I will be a \nrepresentative of BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abiding by \nschool-based rules and the Boston Public Schools\u2019 Code of \nConduct. \n_____________________________________________ ____________________ \n Student Signature Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b0c10e9d-5f69-4075-9b34-578c57c39b21": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 59 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nAssumption of Risk, Waiver, Release, and Indemnity Hold \nHarmless Agreement \n \nProgram leaders: Access the required Assumption of Risk, \nWaiver, Release, and Indemnity Hold Harmless Agreement \ntemplate. Please make a copy of this template document before \nyou edit the text in RED, and then share it with the director of \nGlobal Education. This document is to be reviewed by the \ndirector of Global Education & BPS Legal BEFORE sharing with \nparents/guardians for signature** \nThis document is a requirement, and a binding legal document. \nShould you have any questions, please contact the Department \nof Global Education.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6d354dc5-1b9b-4638-8939-dd4c1dee1356": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 60 of 104 \n \nMEDICAL INFORMATION FORM \nIMPORTANT NOTES: \nStudents may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly and \naccurately so we may be in the best position possible to support \nyou/your child. \nPlease indicate with an X ______ HERE if you would like to \nschedule a meeting with the program leader of the trip to discuss \nyour child\u2019s medical or mental health. \nAll students must visit their primary care doctor prior to traveling \non a BPS trip and be current on all immunizations and \nvaccinations for the U.S. in addition to the recommended \nimmunizations and vaccinations for the country(s) to be visited.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a66eeebb-e3c0-4e0f-8a37-abb332444f65": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 61 of 104 \nSTUDENT INFORMATION \nStudent\u2019s Full Name \nDate of Birth \nCountry of Origin \nParent/ Guardian \nName(s) \n \nParent/Guardian \nAddress \n \nParent/Guardian \nContact \nCell: \nHome: \nWork:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0244e091-14c4-40ea-8936-8a52ab2fe7d9": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 62 of 104 \nEmergency Contact # 1 Emergency Contact # 2 \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nSTUDENT HEALTH QUESTIONS \nPrimary care physician\u2019s name and contact information (in case \nof an emergency): \n \n \nHealth insurance provider\u2019s name, policy #, and contact \ninformation (in case of emergency): \n \n \nInsurance provider claim instructions/procedures (in case of \nemergency):", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2aa55f8f-016f-487e-b4e6-e282a6b009d9": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 63 of 104 \nStudent has the following health conditions and/or allergies of \nwhich BPS should be aware: \n \n \nPhysical health conditions: \n \n \nBehavioral/mental health conditions: (e.g., depression, anxiety, \netc.) \n \n \nAllergies (food, medication, insects, plants, animals, etc.): \n \n \nStudent takes the following medications (including over-the-\ncounter/ herbal) and/or prescriptions of which BPS should be \naware. (Be sure to complete the Medical Administration Form): \n \n \nIf medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken and the \ntime at which it may be given again.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6466bfa5-5660-4fa7-8bf2-c6687560069d": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 64 of 104 \n \n \nIs there any factor that makes it advisable for your child to follow \na limited program of physical activity? (i.e., asthma, recent \nsurgery, heart condition, fear, etc.) If yes, specify the ways in \nwhich you wish their program limited. If the student has asthma, \nplease attach the asthma action plan to this medical form. \n \n \nAre there any activities on the itinerary that your child cannot or \nshould not do? \n \n \nOther than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5b594dea-f39c-4387-b610-37fa867fd79e": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 65 of 104 \nOther than a yearly physical, has the student been under a \nphysician\u2019s or other medical professional\u2019s (e.g., social worker, \ntherapist, etc.) care anytime in the last year. If yes, please detail \nthe reason and dates of treatment. \n \n \nPlease list any hospital, treatment center, surgical, psychiatric, or \nurgent care visits within the last year: (Please specify the date, \nthe reason, the physician or professional seen, and the length of \nstay.) \n \n \nAdditional information of which BPS should be aware concerning \nstudent\u2019s health:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4488cee3-39f5-4120-873a-8ed1fe1c5b2d": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 66 of 104 \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate services \nand understand that chaperones will consult with the school \nnurse about each student's health so they will be in the strongest \nposition to support you/your child on this program. \n \n________________________________________________ _________________ \n Student Signature, if at least 18 years of age Date \n \n________________________________________________ _________________ \n Parent/Guardian Signature, if student is Date \n under 18 years of age \n \n\u25aa If necessary, attach a doctor's letter to this form. \n\u25aa If necessary, attach the asthma action plan to this form. \n\u25aa If necessary, attach copies that document student\u2019s shots \nand immunizations to this form.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c035791c-da79-4cfe-a586-bc000c838a99": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 67 of 104 \n \nMEDICAL FORM \u2014 OVERNIGHT TRIPS \nMedication Administration \nPlease send only essential medications with your student on this \ntrip and include over-the counter/herbal medications on this list. \nStudent Name: ___________________________________________________ \nName of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \nName of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "79a4b1a6-ae7e-49fe-ad75-5702ef56b8fe": { + "page_content": "Reason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \nName of Medication: _____________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "070f21c2-9ad1-473f-8d2d-1f9ee53e4be6": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 68 of 104 \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \n _____________________________________________________________ \nAdditional information/special Instructions: \n \nI authorize my child to take the above medications on this trip. \n \n________________________________________________ _________________ \n Student Signature, if at least 18 years of age Date \n \n________________________________________________ _________________ \n Parent/Guardian Signature, if student is Date \n under 18 years of age", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0b33e5db-97c2-4fae-805a-642c41a6477d": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 69 of 104 \n \nNOTARIZED PARENT/GUARDIAN AIRLINE TRAVEL \nCONSENT FORM \nThe parties to this agreement are: \nParent/ Legal Guardian: \nFull Name and Surname: (hereinafter referred to as \u201cthe \nParent/ Guardian\u201d) __________________________________________ \nPhysical Address: ___________________________________________ \nContact Details: _____________________________________________ \n _____________________________________________________________ \nChild: (hereinafter referred to as \u201cthe Child\u201d) \nFull Name and Surname: ____________________________________ \n \nBirth Date: __________________________________________________ \n \nTraveling Guardian(s) and Contact Details: (hereinafter referred \nto as \u201cThe Traveling Guardians\u201d) \nFull Name and Address: _____________________________________ \n _____________________________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "118f7705-78d9-49dc-9628-ef9d1f61e4bc": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 70 of 104 \nI hereby authorize the Child to travel with the Traveling \nGuardians to the following destination: \nThe period of travel shall be from ____________ to ______________. \nShould it prove to be impossible to notify the Parent/ Guardian of \nany change in travel plans due to an emergency or unforeseen \ncircumstances arising, I authorize the Traveling Guardian to \nauthorize such travel plans. \nShould the Traveling Guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it advisable \nto make special travel arrangements for the Child to be returned \nhome due to unforeseen circumstances arising, I accept full \nresponsibility for the additional costs which shall be incurred \nthereby. \nI indemnify the Traveling Guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims arise \nfrom negligence, gross negligence, or willful intent during the", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "615554b0-813e-4a47-9904-ee4170762db7": { + "page_content": "I indemnify the Traveling Guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims arise \nfrom negligence, gross negligence, or willful intent during the \nspecified period of this Travel Consent. \nI declare that I am the legal custodian of the Child and that I have \nlegal authority to grant travel consent to the Traveling Guardian \nof the Child. \nUnless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "eb264f33-28ed-43b6-8caa-80ba0d853a77": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 71 of 104 \nSigned at ____________________________________ on the _______day \nof __________, 20____. \n \nSignature _____________________________________ (Parent/ Guardian) \n \nSignature _____________________________________________ (Witness 1) \n \nSignature ____________________________________________ (Witness 2) \nWitness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this _________ day of ___________________, 20___, before me, the \nundersigned authority, personally appeared and proved to me \nthrough satisfactory evidence of identity, to wit, to be the \nperson(s) whose name(s) is/are signed on the attached document \nand who signed in my presence. \nOfficial Notary Signature: _________________________________________ \n \nName of Notary Typed, Printed or Stamped: \n \n \nCommission Expires: _____________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a6a61cd6-c105-4ee9-85b7-81e82aa187c1": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 72 of 104 \n \nSTUDENT SUPPORT INTERNATIONAL PROGRAMS FORM \nNote: This form is to be completed by students who intend to \nparticipate in an international program. The information is \nconfidential, and will be used by Program Leaders to better \nunderstand, and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: _______________________________________ \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \nWhat are you nervous about? ____________________________________ \n __________________________________________________________________ \nWhat are you excited about? _____________________________________ \n __________________________________________________________________ \nWhat scares you about the trip location or activities on the", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "01b16ed2-d168-4f45-9b7a-cb0bdf8954cf": { + "page_content": "What are you excited about? _____________________________________ \n __________________________________________________________________ \nWhat scares you about the trip location or activities on the \nitinerary? _________________________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "db1f1b5a-750c-4ed1-8c6e-15c8cde8554a": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 73 of 104 \nWhen in a new environment, I get anxious when\u2026________________ \n __________________________________________________________________ \nWhen in a new environment, I get upset when\u2026.. _________________ \n __________________________________________________________________ \nIn order to get the most learning and benefits from this \nexperience, I will need ____________________________________________ \n \nGiven the laws, customs, and culture of the country that we are \nvisiting, what concerns do you have? ____________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n \nWould you prefer to speak in person with a member of the \nchaperone team to discuss this form, or share additional \ninformation? \uf06f Yes \uf06f No", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "04c62761-a860-4678-838b-4af76a67805d": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 74 of 104 \n \n \nINTERNATIONAL PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \nA. Complete all fields \nSchool/s: ____________________________________________________ \nDate of Report: _____________________________________________ \nCountry: ____________________________________________________ \nIncident Date and Time: ____________________________________ \nReporting Chaperone: _______________________________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "37570517-6534-44a1-9794-78170bf16f8f": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 75 of 104 \nB. Complete all Applicable Fields \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress \n \n \nC. Nature of Incident (check all that apply) \n\u2610Injury \n\u2610Equipment Failure \n\u2610Behavioral/ \nPsychological \n\u2610Illness \n\u2610Missing/Separated \nPerson \n\u2610Natural Disaster \n\u2610Physical Assault \n\u2610Sexual Assault \n\u2610Theft \n\u2610Property Damage \n\u2610Sexual \nHarassment \n\u2610Fatality \n\u2610Crime \n\u2610Political Upheaval \n\u2610Disease Outbreak \n\u2610Other: _________ \n\u2610BPS Code of \nConduct violation \nInternational Programs Incident Report, continued", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8b201569-68d4-4a83-99a7-f378256aad7a": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 76 of 104 \nD. Narrative (Using facts, describe what happened): \n \n \n \nE. Activity at Time of Incident (check all that apply) \n\u2610Class time \u2610Service \u2610Homestay \n\u2610Traveling \u2610Fieldtrip \u2610Camping \n\u2610Hike/Jog/Walk \u2610Swimming \u2610Water Activity \n\u2610Other _____________ \nF. Contributing Factors (Check all that apply) \n\u2610Not disclosed in Medical Form \u2610Animal/Insect/Plant \n\u2610Pre-Existing Condition \u2610Alcohol/Drugs/Medication \n\u2610Weather/Terrain \u2610Motor Vehicle \n\u2610Political/Cultural/Language \u2610Pre-Course Info \n\u2610Sports/Recreation \u2610Orientation/Training \n\u2610Other", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "89a854c9-44fa-4de6-b6d4-86b387cc9f48": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 77 of 104 \nG. Action Taken Details \nFirst Aid \nWhen \nBy Whom \nType (ie. \nMedication, CPR, \netc.) \n \nEmergency \nEvacuation \n \n \nVisit Medical \nFacility \nName of Facility \nDoctor/PA/Nurse \nReported \nDiagnosis \nMedication \nPrescribed \n \n \nEmergency \nContact Person \nNotified? \n\u2610Yes \u2610 No Name: \nDate and Time Contacted: \nNotes:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6afc8f1d-ac13-4252-905a-62b08d8a1f87": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 78 of 104 \nDepartment of \nGlobal Education \n(DGE) Contacted? \n\u2610Yes \u2610 No Name: \nDate and Time DGE Contacted: \nNotes: \n \n \nInsurance \nContacted? \n\u2610Yes \u2610 No Name: \nDate and Time Contacted: \nClaim #: \nNotes: \n \nLocal Authorities \nNotified? \n\u2610Yes \u2610No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes: \n \nFollow up Plan Details: \n \n_______________________________________________ __________________", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d783f677-e119-4911-8510-5a4294c60970": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 79 of 104 \n Signature of Reporting Chaperone Date \nFile this International Incident Programs Report along with any \naccompanying reports/documents from local law enforcement, \nmedical professionals and/or International Programs Witness \nReport via email if possible OR as soon as circumstances permit. \nTurn in the original report to the DGE as soon as you return to \nBoston. Incident reports require at least one witness signature, \nand where possible the signatures of all impacted participants. \n \n_______________________________________________ __________________ \n Signature of Witness Date \n Signatures of those impacted: \n_______________________________________________ __________________ \n Date \n \n_______________________________________________ __________________ \n Date \n \n_______________________________________________ __________________ \n Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "50f4ad58-92c2-4614-a3ef-512af6a75782": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 80 of 104 \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health-\nrelated incidents requiring further monitoring and/or evacuation. \nSOAP Notes should be attached to the corresponding Incident \nReport. \nSubjective: What the patient tells you. Note the chief \ncomplaint(s): \n \n \n \n \nObjective: What you see; vital signs; general survey of patient:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1d6af62d-d5f4-485b-9920-c2516f7c331d": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 81 of 104 \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \nAnticipated Problems: \n \n \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n_______________________________________________ __________________ \n Signature of Reporting Chaperone Date \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c57ebb9a-5019-440e-81e1-380908ff8be9": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 82 of 104 \n \nINTERNATIONAL PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \nWitness Statement of: ____________________________________________ \nPhone Number: __________________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDescription of Incident: \n \n \n \n \n \nI believe the contents in this statement are true. \n \n_______________________________________________ __________________ \n Witness Signature Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "10d75c9c-020a-419d-ba1e-f9d162b1d0ec": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 83 of 104 \n \nINTERNATIONAL PROGRAMS INCIDENT INVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \nEvent Time Location Parties Involved Source of \nInformation", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9c7bdad6-8303-4fd3-903f-a7717d46653f": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 84 of 104 \nEvent Time Location Parties Involved Source of \nInformation \n \n \n \n \n \n \n \n \n \n \n \n_______________________________________________ __________________ \n Signature of Investigator Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "11bfce17-2c53-477b-8e57-6dc1afc7d9c1": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 85 of 104 \n \nFIRE PREVENTION AND SAFETY PRACTICES \nInternational & Overnight Programs \nFire safety plans on overnight and international programs differ \nfrom the procedures set for our schools. The laws that regulate \nfire prevention may differ from what exists in Massachusetts. The \nsteps below must be followed on all overnight and international \nprograms: \n1. Conduct A Fire Prevention Assessment \nThe program leader must conduct a fire safety prevention \nassessment using the Fire Prevention and Safety Form \n(Attachment A) within 24 hours of arrival. Using the Fire \nPrevention and Safety Form, the program leader shall formulate \na plan for the evacuation of all persons on the trip in the event of \na fire or other emergency. This plan shall include alternate means \nof egress and should be created in consultation with an \naccommodation staff person, and if applicable, the third-party \nprovider.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "52617636-88c6-4f47-8c4d-261e0bebe691": { + "page_content": "of egress and should be created in consultation with an \naccommodation staff person, and if applicable, the third-party \nprovider. \n \n2. Prepare Chaperone Team on Fire Prevention Strategy \nBased on the results from the Fire Prevention and Safety Form, \nthe program leader should ensure that each staff member \nreceives and understands the fire prevention landscape and has", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f031f774-90e6-4c91-a5c2-9fabf3717ec6": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 86 of 104 \ninstructions on the fire drill procedure created for the \naccommodation. Questions to review include: \nA. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in \nand all places where the group may congregate. Use \nthe hotel\u2019s posted evacuation routes if applicable.) \nB. Where is the designated meeting point? (This meeting \npoint should be a safe distance from the building, but \neasy for the group to identify and locate.) \nC. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and \nshould serve as contact person for emergency \npersonnel.) \nD. What are some hazards that students and chaperones \nshould be aware of? \nE. What happens in the case of a missing person? \n3. Review Prevention Strategy with Students and Conduct a \nFire Drill", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3812c0a0-aaa4-474c-b750-152e8a3ce6bb": { + "page_content": "D. What are some hazards that students and chaperones \nshould be aware of? \nE. What happens in the case of a missing person? \n3. Review Prevention Strategy with Students and Conduct a \nFire Drill \nThe lead chaperone and the chaperone team will review the fire \nprevention strategy and conduct a fire drill (walkthrough) with \nthe students within the first 24 hours of the trip. Conducting a \nfire drill (walkthrough) is important as participants are unfamiliar \nwith the building.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b4d0ef77-060a-4ff8-b7c9-57f03a764460": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 87 of 104 \nInstructions For Fire Drills \nSince each accommodation is different, each plan and drill will \nvary. Regardless of the accommodation, it is critical that a \nprocedure is in place for evacuating the building, each chaperone \nknows their responsibilities, every student participates in the fire \ndrill (walkthrough), and each person knows the meeting location \nwhen evacuated from the building. Please note: A fire drill as \ndefined here is a walkthrough of the route the group will take to \nexit the premises in the event of an emergency. \nA few general instructions: \n\u2022 Evacuate immediately. \n\u2022 Do not use elevators during a fire evacuation. \n\u2022 Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n\u2022 Make sure all students know all possible exits from their \narea and that students know where the meeting location is \noutside of the building.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3c6c19eb-5852-4b45-918d-64ca9de08a5e": { + "page_content": "manner. \n\u2022 Make sure all students know all possible exits from their \narea and that students know where the meeting location is \noutside of the building. \n\u2022 Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities. \n(Have a staging location for students/staff with disabilities \nand make sure hotel/hostel personnel are also aware.) \n\u2022 Chaperones are responsible for students under their \nsupervision and must take attendance. \n\u2022 Upon the evacuation of a building, no person or persons \nshall re-enter the building without the authorization of the \nlead chaperone. The lead chaperone, as a part of their fire", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "460db685-45b7-4e0f-a114-1fd6e559bcd2": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 88 of 104 \ndrill procedures, must establish a command procedure for \nsuch evacuations. \n4. Conduct a Post-Fire Drill Debrief \nAfter the fire drill, the chaperone team should set aside time to \ndebrief. Record response on Attachment A.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d6d8e4a4-aaaf-499e-8cfa-5b9e564f59d0": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 89 of 104 \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nDirections: For each accommodation, please complete and upon \nyour return, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept on file \nfor the current fiscal year plus three additional years after the \nfield trip has occurred. \nBuilding: \nProgram Leader: ___________________________________________ \nDate of the Safety Prevention Assessment: _________________ \nName/s of Staff and Their Titles Consulted for Assessment \n(accommodation staff/ program provider staff): \n _____________________________________________________________ \n _____________________________________________________________ \nOutside the Building: \nList the possible hazards in the area: \n \nCan the accommodation be accessed by a fire department \nor emergency teams? \u25a2 YES \u25a2 NO", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3914dc54-f6a1-489b-925a-6bbb49e68e99": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 90 of 104 \nInside the Building: \nEquipment: \nDoes the building have fire alarms? \n \u25a2 YES \u25a2 NO \nAre there fire sprinklers? \u25a2 YES \u25a2 NO \nIf yes, where are they located? \n \nIs there adequate lighting in the corridors? \u25a2 YES \u25a2 NO \nAre there clear exit signs? \u25a2 YES \u25a2 NO \nAre there fire alarm pull stations? \u25a2 YES \u25a2 NO \nAre the fire alarm pull stations visible and \naccessible? \u25a2 YES \u25a2 NO \nAre there fire extinguishers? \u25a2 YES \u25a2 NO \nIf yes, where? \n \nAre there smoke detectors in the corridors and in every \nroom where participants are staying? \u25a2 YES \u25a2 NO", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "eb15f682-1957-4df2-8c87-637c0839fc72": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 91 of 104 \nHazards: \nList the potential fire hazards at the site: \n \nAre there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, \nblocked stairways, burned out exit lights or missing/broken \nfire equipment? \u25a2 YES \u25a2 NO \nMeans of Evacuation/Egress \nDoes the facility have an evacuation plan for each room? (If \nnot, be sure that when you conduct a fire drill (walkthrough) \nthat you develop a plan for leaving the room.) \u25a2 YES \u25a2 NO \nWhat are the means of egress? \n \nAre there primary exits and alternate exits? \u25a2 YES \u25a2 NO \nNote locations:", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "01ce0fdf-fccc-4719-8d2b-423d0005bc4f": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 92 of 104 \nFire Drill/Walkthrough Plan: (Please record notes below.) \n \n \nPost-Drill Debrief: \nDate and Time of the Fire Drill: ___________________________________ \n \nDid the students and chaperones follow the procedures of the \nfire drill? \u25a2 YES \u25a2 NO \nIf no, why not? \n \n \nBased on this debrief, either inform the students of your findings \nfor adjustments, or if necessary, conduct another fire drill. Once \nthe safety review and drill are completed, please sign below. \n \n________________________________________________ _________________ \n Signature of Program Leader Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e136250a-d344-47fe-88a7-0514335569f0": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 93 of 104 \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT FORM \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. Students: your signature on this contract \nseals your commitment to follow behavior expectations leading \nup to, and during your school trip. \n __________________________________________________________________ \nBEFORE I GO ON THE TRIP: (STUDENTS) \n\u25cf I understand that my acceptance to a trip prior to \ndeparture does not guarantee that I will be allowed to \nattend. \n\u25cf I have access to my school's handbook which includes all", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "83307a0e-9e97-4cb4-a924-b53287d6c6e7": { + "page_content": "\u25cf I understand that my acceptance to a trip prior to \ndeparture does not guarantee that I will be allowed to \nattend. \n\u25cf I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n\u25cf I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n\u25cf I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n\u25cf I will not violate the BPS Code of Conduct.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ebcc57f0-caa2-4e45-ba37-2eb44dd554de": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 94 of 104 \n\u25cf I will not distribute or consume alcohol or drugs (including \nedibles), and/or encourage actions that are against the BPS \nCode of Conduct or law. \n\u25cf I will not pack any illegal or inappropriate items (i.e., items \nin violation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n\u25cf I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as \ncompleted projects, journals, and service hours. \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWHILE I AM ON THE TRIP: (STUDENTS) \n\u25cf I will not violate the BPS Code of Conduct \n\u25cf I will ask for help from the adults when needed.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "fd380615-753f-401d-b50d-3e8fb83cab18": { + "page_content": "allowed to participate in the international trip program. \nWHILE I AM ON THE TRIP: (STUDENTS) \n\u25cf I will not violate the BPS Code of Conduct \n\u25cf I will ask for help from the adults when needed. \n\u25cf I will treat my peers, all adults and all people with the \nutmost level of respect. \n\u25cf I will not purchase, distribute, or consume any illegal or \ninappropriate items; (i.e., items in violation of BPS Code of \nConduct, including, but not limited to: weapons, pepper \nspray, alcohol, edibles, drug paraphernalia) even if these \nsubstances are legal in the state or foreign country, or I am \nof legal age in the foreign country.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "97a8164c-bb60-42cf-96be-627fbbbe75a9": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 95 of 104 \n\u25cf I will use social media responsibly during the trip, and will \nnot post or communicate any information regarding other \nstudents during an emergency situation. \n\u25cf I will abide by the established curfew, and sleep in my \nassigned bed, alone, and sleeping location each night. \n\u25cf I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n\u25cf I will obey the BPS dress code, as well as the suggested \nattire for the foreign country, and specific sites and \nlocations within the foreign country I will visit. \n\u25cf I will not share any medication with anyone on the trip. \n\u25cf I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (i.e., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c1d1de7b-f120-4862-aa83-ab024d9d26d5": { + "page_content": "depression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and \nconsideration for others and their property. \n\u25cf I understand that I am responsible for keeping my passport, \nimportant belongings and other travel documents safe. \n\u25cf I understand that partaking in any illegal activity abroad \ncan result in my arrest. \n\u25cf I understand that if an issue of any kind arises, my \nchaperone will address the issue, and their decision is final. \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "df39e188-ad18-4e2f-98c4-c7f7c4b64d93": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 96 of 104 \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n\u25cf The BPS Code of Conduct applies on all field trips. Following \nan investigation, if the program leader, in consult with the \nprincipal/head of school and central office staff, determines \nthat a student\u2019s conduct, while on an overnight trip, poses a \nrisk to themselves or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves \nthe right to request and arrange for that student to return \nhome. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "543dc548-d7e3-4679-b5f0-d49047240e77": { + "page_content": "families assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n\u25cf If a student is to be dismissed from an \ninternational/overnight field trip due to behavior that \nviolates the BPS Code of Conduct while participating in a \ndomestic overnight or international trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b915d86c-d672-4aad-9afb-f5a793d55b69": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 97 of 104 \nthe airport, or other agreed upon destination. Students \nunder the age of 16 must be accompanied on their flight by \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n\u25cf Parents or students who sign contracts, and or agreements \nwith third party company vendors, acknowledge that \noutside companies protocols and procedures might differ \nfrom BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS \nis not responsible for money paid to third party vendors. \n\u25cf BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "99186968-51e5-46e1-95c4-cec5cac4ced0": { + "page_content": "is not responsible for money paid to third party vendors. \n\u25cf BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances all families will be \nnotified immediately. \n \n(Families keep this page) \n \n \n \n \n(Program leaders keep this page.)", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4770876d-1df7-4eee-89c4-43e496718fcc": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 98 of 104 \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & Family \nAgreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \n \nPARENT/GUARDIAN (Print Name) ________________________________ \nPARENT/GUARDIAN (Signature) __________________________________ \nDATE: ____________________________ \nPHONE NUMBER: ________________________________ \nSTUDENT (Print Name) ___________________________________________ \nSTUDENT (Signature) _____________________________________________ \nDATE: ____________________________ \nPHONE NUMBER: ________________________________ \n \n \n(STUDENTS RETURN THIS PAGE TO YOUR PROGRAM LEADER)", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "89663643-53d0-42c9-afc0-0e900c782a63": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 99 of 104 \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS Sponsored \nfield trips and submitted to the program leader (lead chaperone). \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: __________________ Return Date __________________ \n \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants \nis extremely important during this field trip, and I agree to make \nsafety my first priority. I agree to conduct myself in a manner that \npromotes my safety, and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2ae8b597-5eac-41ce-a4bd-9a7dc9cf8882": { + "page_content": "promotes my safety, and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews, and room checks for students, as well as \nmorning wake up calls for students are part of my responsibility. I", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0cd6feea-5c8e-497f-b6e2-ff7cdb48b17d": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 100 of 104 \nagree to follow BPS policies, protocols, and guidance of BPS staff \nwhen in the field. \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication, and selling of \nprescription drugs. The Code also prohibits the use of tobacco \nproducts (including e-cigarettes, hookah paraphernalia, and \nvapor cigarettes). I understand that these prohibitions apply to all \nstudents, regardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2780e2b1-bb30-4200-b459-cd79aef78909": { + "page_content": "students, regardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Name (Signature): ___________________________________ \nDate: _____________________________ \n \nCAO-25: INTERNATIONAL TRIP REQUEST", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1b439266-e7fa-4113-a457-78a38a38f676": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 101 of 104 \nAttachment: Nurse Verification Form \nOVERVIEW & INSTRUCTIONS \nThis is a mandatory risk management procedure. Please \ncomplete this form at least 10 weeks prior to departure. \nIt is BPS\u2019 goal that you are in the strongest position to support \neach student\u2019s health while abroad. Program leaders must review \nall students\u2019 medical forms and consult with the school nurse to \nensure all documents are accurately completed. \nPlease note: the school nurse does not \u201cclear\u201d students for travel \nbut will provide trip leaders/chaperones with guidance in \nsupporting students medically while traveling. Program leaders \nshall consult with, and when necessary, receive training from and \nobtain written comments from the school nurse regarding any \nstudents who have expressed medical needs (e.g., medication, \nasthma, allergies, etc.). \nIt is important for program leaders and chaperones to know that", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0919bfb8-357d-4ff6-b412-e9b6853f8dc2": { + "page_content": "students who have expressed medical needs (e.g., medication, \nasthma, allergies, etc.). \nIt is important for program leaders and chaperones to know that \nmany students and families omit medical information from \npermission slips for a variety of reasons, and in some cases \nProgram leaders discover medical conditions that the nurse was \nnot aware of. Therefore, it becomes a collective duty to ensure \nthat we have the most up to date medical information for all \nstudent travelers. Program leaders should actively discuss the \nimportance of honesty and full medical disclosure with students \nand families at one of the pre-departure meetings. \nSchool nurses can assist with the following (list is not limited to \nwhat is below):", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7989aabd-c707-4479-b2d1-44649bc5003f": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 102 of 104 \n\u25cf A student's current medical status/current immunization \nrecord \n\u25cf Background information regarding a particular medical \ncondition \n\u25cf Specific medication instructions and training for \nmedication application if necessary \n\u25cf Epi Pen instructions \n\u25cf Can help determine appropriate trip accommodations and \nconsiderations for the student traveler \n\u25cf Can further consult with outside medical professionals who \nare involved with the student\u2019s medical needs. i.e. social \nworkers, occupational therapist and the child\u2019s primary care \nphysician. \nProgram leaders must provide the nurse with the following \ninformation and a student traveler roster: Trip destination, dates, \nand draft itinerary. The Nurse Verification Form to follow must \nbe submitted 10 weeks prior to departure. It may be mailed or \nscanned to DGE. For additional questions please contact Kayla \nDorsey-Twumasi, Director of Global Educcation.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5f070a41-fa65-4263-b7eb-cc50129054df": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 103 of 104 \nCAO-25: INTERNATIONAL TRIP REQUEST \nATTACHMENT: NURSE VERIFICATION FORM \nSchool/trip Name: _______________________________________________ \nTrip Destination: _________________________________________________ \nDates of Travel: __________________________________________________ \nTrip Leader Name: ______________________________________________ \nSchool Nurse Name: _____________________________________________ \nSchool Nurse Phone Number: ____________________________________ \nSchool Nurse Email: ____________________ @Bostonpublicshools.org \nPROGRAM LEADER: \nPlease sign this form to verify that you have consulted with your \nschool nurse regarding your student traveler roster, retain a copy \nfor your file, and submit the original to the department of global \neducation. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed.", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "175e3aae-2472-4fe3-b93c-8656734ed1d6": { + "page_content": "education. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed. \nAdditionally, your signature indicates that you have read and \nunderstand the nurse verification protocol. \n________________________________________________ _________________ \n Signature of Trip Leader Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5517c771-b66c-4365-82e1-2f4bce50c391": { + "page_content": "Superintendent\u2019s Circular CAO-25 \nPage 104 of 104 \nSCHOOL NURSE \nYour signature indicates that the above trip leader has shared the \nproposed international trip, student traveler roster, and medical \nforms with you. If they have completed this mandatory step, \nplease sign below to verify that. \n \n________________________________________________ _________________ \n Signature of School Nurse Date", + "metadata": { + "file_name": "CAO-25 International Field Trips Guidelines & Forms.pdf", + "source_link": "https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "12917b40-b0f6-43d4-b194-5f18c0a09ae8": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-27 \nVersion 01 \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nWATER ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact OPL@bostonpublicschools.org for assistance/guidance. \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \nThis circular MUST be read in its entirety by program leaders \n(chaperones), principal/head of school and/or the district \ndepartment sponsoring a field trip that includes an IN the water \nor ON the water activity. These parties are responsible for", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d4be02a3-a7fd-4c87-a5d8-a2f329629773": { + "page_content": "(chaperones), principal/head of school and/or the district \ndepartment sponsoring a field trip that includes an IN the water \nor ON the water activity. These parties are responsible for \nensuring that all field trip policies and procedures as outlined in \nthis circular AND all applicable field trip circulars (CAO-23, 24, \nand 25) are adhered to. \nWATER ACTIVITIES \n\u2022 If your trip involves ON or IN water activities, you must", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6cc68c13-a2c9-43c1-ba54-3ab8d8271213": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 2 of 13 \n \ncontact the Department of Global Education immediately \nto submit a mandatory Water Activity Request Form 16 \nweeks in advance to ensure that the site location for the \nwater activity has up-to-date insurance, a safety plan, and \ncertification documentation on file with the district. \n\u2022 For water activities: The student-to-chaperone ratio must \nremain 10:1 at all times during swimming for all grade \nlevels. (This ratio does not include the lifeguards on duty.) \nSWIMMING (IN THE WATER) \n\u2022 Instructional swimming is permitted only if proper \nswimmer-lifeguard ratios are maintained (20:1); the \nswimming teachers hold valid American Red Cross or \nYMCA Lifeguard Instruction/ Water Safety Instruction, \nCPR/AED, and First Aid certificates; the site is nationally \nrecognized for swim instruction (e.g., YMCA); and \nparents/guardians are informed in the appropriate \nParental Authorization for Field Trip form.", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a772eeca-a836-4014-a2fc-fbde86f545b3": { + "page_content": "recognized for swim instruction (e.g., YMCA); and \nparents/guardians are informed in the appropriate \nParental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n\u2022 Principal/head of school is responsible for ensuring these \nrequirements are met and must receive written \ndocumentation of all listed guard and instructor \ncertifications. Copies of these certifications, along with \nstudents\u2019 permission slips, must be kept on file for the \ncurrent fiscal year plus three additional years. \n\u2022 Therapeutic/adaptive swimming for students with \ndisabilities is permitted only with individuals with \nTherapeutic/Adaptive Swim certification or licensure \nand proper swimmer-lifeguard ratios are maintained", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "53c9b668-dba4-451b-9a76-9acfbe3d9d51": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 3 of 13 \n \n(10:1); and parents/guardians are informed in the \nappropriate Parental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n\u2022 Recreational swimming is NOT permitted on BPS field \ntrips. \nWATER ACTIVITIES (ON THE WATER) \n\u2022 Water activities are permitted involving larger \ncommercial or passenger vessels which meet U.S. Coast \nGuard standards for safety and hold a valid Certification of \nCompliance for the state or its international equivalent \n(Please note: There must be one life jacket per \npassenger). In addition, be sure the water-related activity \nis clearly listed in the appropriate Parental Authorization \nfor Field Trip form. Parents/guardians must be given \nsufficient information to understand the nature and \nscope of the activity(s). \n\u2022 Water activities such as kayaking, rowing, and canoeing", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9b37312f-2c59-4979-84d8-bdf4cca75c06": { + "page_content": "for Field Trip form. Parents/guardians must be given \nsufficient information to understand the nature and \nscope of the activity(s). \n\u2022 Water activities such as kayaking, rowing, and canoeing \n(or the equivalent where the movement of a craft \ndepends on the physical endurance of its operator) and \ntravel in small watercraft are not permitted on a BPS field \ntrip unless a request is submitted and approved by the \ndistrict. (Please note: There must be one life jacket per \npassenger.) These requests are submitted to and \nreviewed by the Department of Global Education. \nSignificant lead time is needed (16 weeks or more) to \nallow for safety requirements to be met. \n\u2022 The sponsoring water venue/facility must provide the \nfollowing documents to the district annually: 1) Safety", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ea80f1df-916d-4bf2-9955-dbcd5e2817cf": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 4 of 13 \n \nPlan; 2) Liability Insurance; and 3) Lifeguard Certification. \nCHAPERONE REQUIREMENTS: \n\u2022 The program leader (lead chaperone) must be a BPS \nemployee. Other authorized chaperones may include \nparents and guardians 21 years of age or older. \n\u2022 Chaperones must be equipped with hand sanitizer and \nadditional masks if the need arises for staff and students. \n\u2022 All chaperones must complete the Chaperone Agreement \nForm. \n\u2022 All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of \nHuman Capital. Complete the eCORI form online at this \nlink. Contact the BPS Office of Human Capital (OHC) for \nCORI check and confirmation support. The \nprincipal/head of school and the lead chaperone are \nresponsible for submitting authorization forms to OHC \nand must not allow chaperones to take part in activities \nuntil they have been CORI/SORI cleared. Non-BPS \nemployee chaperones (parents/guardians) must show", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6ca32e1e-f306-42f1-8f63-e05067b52387": { + "page_content": "and must not allow chaperones to take part in activities \nuntil they have been CORI/SORI cleared. Non-BPS \nemployee chaperones (parents/guardians) must show \nproof of vaccination or a negative COVID-19 test within 24 \nhours of the field trip. Non-BPS employees who \nchaperone on a field trip are not covered for liability by \nthe Boston Public Schools. \n\u2022 The program leader must be sure that all chaperones, \nincluding non-BPS chaperones, are informed of, adhere \nto, and uphold the BPS Code of Conduct and other \ndistrict and school-based rules. \n\u2022 Chaperones who are parents/guardians of BPS students", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a96ebc03-a12d-4aae-ba52-1c65a8322646": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 5 of 13 \n \non the trip must provide the same level of care and \nattention to ALL student participants. If a BPS \nchaperone\u2019s child who does not attend the participating \nschool must attend the program, the child must be a BPS \nstudent and in the same grade or age range as \nparticipating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild\u2019s participation. \n\u2022 Tour guides and employees of third-party vendors \ncontracted to help operate the trip are not considered \nchaperones and do not factor into the student-to-\nchaperone ratio. \n\u27a4 For Day & Water Field Trips, the Department of Safety Services \n(617-635-8000), must be notified in the event of a serious medical \nor other emergency and should be used as a resource for \nquestions regarding safety on day field trips, including WATER \nACTIVITY day trips.", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "df499342-f8d5-4ae5-bb37-d09bd01e7821": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 6 of 13 \n \nFor more information about this circular, contact: \n Owner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "542f7161-857c-4a71-b152-11ef520e890a": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 7 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY REQUEST FORM \n \nDIRECTIONS: \n1. This form must be submitted for water activities at least \n16 weeks in advance for the proposed water activity to be \nconsidered. Please email this form to \nOPL@bostonpublicschools.org and confirm its receipt. \n2. One form should be completed per field trip. However, if \nthere are multiple \u201cwater activities\u201d planned, each water \nexperience must be listed separately. For example, if you \nare taking students on a service-learning trip for one \nweek and would like students to participate in a water \nactivity on multiple days, each separate excursion should \nbe listed, even if the excursion is at the same location. \n3. Requests will be reviewed and schools will receive an \nanswer regarding their requests in 2-3 weeks. \n \nTO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5c433d74-cce8-45b2-9223-193db306aa18": { + "page_content": "3. Requests will be reviewed and schools will receive an \nanswer regarding their requests in 2-3 weeks. \n \nTO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL \nDate request submitted: _________________________________________ \nDate(s) of field trip: _______________________________________________ \nSchool: ___________________________________________________________ \n \nPrincipal/Head of School /District Department Name:", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "34b42ad4-a630-4609-a1af-92ac39c4b0d6": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 8 of 13 \n \n __________________________________________________________________ \nTrip leader\u2019s name, role, and contact number: \n __________________________________________________________________ \n __________________________________________________________________ \nChaperones\u2019 names and roles in school: \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nVendor/Organization: ____________________________________________ \nWhat is the purpose of the water activity? How does the water \nactivity add to the overall trip experience?________________________ \n __________________________________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b2e77df1-17e6-4b96-b0d9-bbd0ab729f71": { + "page_content": "__________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nNumber of students participating in the field trip: ________________ \nGrade level and ages of students: _________________________________", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "541eea4c-b6e6-4163-b28b-38e1b96a6ffb": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 9 of 13 \n \n \nPlease complete the information below for each water activity \nplanned for students: \n \nWater Activity # ________ \nDate \nHours \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact\u2019s \nEmail & Phone # \n \n \nWater Activity # _______", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4f96fdfa-e8d9-4a66-8c27-70ba5f7e2534": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 10 of 13 \n \nDate \nHours \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact\u2019s \nEmail & Phone # \n \n \n \n \nPrincipal/Head of School /District Department\u2019s Signature \n \nDate: ________________________________", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b3edd370-8205-4aec-9f88-af248af41e21": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 11 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY ADDENDUM TO PARENTAL AUTHORIZATION \nFIELD TRIP FORM FOR \u201cON\u201d WATER ACTIVITIES \nDirections: \n1. This form must be used if a water activity such as kayaking, \nrowing, or canoeing, or riding on a boat is listed as a possible \nactivity on the Attached Parental Authorization Field Trip \nform for this field trip. \n2. Complete the school portion of this form and attach it to the \nappropriate Parental Authorization Field Trip form for \nparent/guardian. \nParent/legal guardian, if student is under 18 years of age, or \nstudent, if at least 18 years old: Complete the Authorization & \nAcknowledgement of Risk Section. \n\u27a4 If a student does not wear a life jacket, the student may not \nparticipate in the water activity. \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bee03692-98ef-40ca-b582-1598539d453c": { + "page_content": "participate in the water activity. \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nWater Activity Location(s): ________________________________________ \nList of Water Activities: __________________________________________ \n __________________________________________________________________", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ede6b3c7-730f-4f00-b640-422840367e01": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 12 of 13 \n \nAUTHORIZATION AND ACKNOWLEDGEMENT OF RISKS \nI understand that participation in this field trip may involve water \nactivities, including but not limited to boating. I understand that \nparticipation in these activities is voluntary and may expose \nme/my child to some risks(s). I assume responsibility for any risk \nof personal or property damages arising out of or related to \nmy/my child\u2019s participation in this boating and/or other water \nrelated activity, including acts of negligence or otherwise. I \nfurther agree to hold harmless BPS and any of the individuals \nand other organizations associated with BPS in this activity from \nany claim or liability arising out of my/my child\u2019s participation in \nthis activity. I authorize myself/my child to participate in the \nplanned components of the field trip to the extent indicated by \nmy signature below. \n\u27a4 If the applicant is at least 18 years of age, the following", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "aae9a64c-2de5-4fd7-a67c-662b00fbdf89": { + "page_content": "planned components of the field trip to the extent indicated by \nmy signature below. \n\u27a4 If the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and \nunderstand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \n \n ________________________________________________________________ ____________________________ \nStudent Signature Date", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e9bb8bb7-dc5b-419b-b89a-cdb4128c53f9": { + "page_content": "Superintendent\u2019s Circular CAO-27 \nPage 13 of 13 \n \n\u27a4 If the applicant is under 18 years of age, the following \nstatement must be read and signed by the student\u2019s parent or \nlegal guardian: \nI certify that I am the parent/legal guardian of the applicant, \nthat I have read and understand the above Agreement, and that \nI accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \n ________________________________________________________________ ____________________________ \nParent/Guardian Signature Date \n \nEmergency Contact\u2019s Name (other than parent/guardian): \n __________________________________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contact\u2019s Telephone Number: _______________________", + "metadata": { + "file_name": "CAO-27 Water Activities on Field Trips.pdf", + "source_link": "https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e4314a2c-85c7-4561-8b9a-4eea220c4c27": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-07 \nVersion 01 \n \n \n \nMASSCORE GRADUATION REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has a priority to create policies and \npractices that support the preparation of every student to be \ncollege, career, and life ready while removing barriers that \nprevent students from graduating from BPS. Accordingly, it is \nimperative that BPS utilize standards-aligned graduation \nrequirements across the district that will promote and ensure \nrigor and excellence in our schools, resulting in the elimination of \nopportunity and achievement gaps and ensuring that every \nstudent graduates prepared for life after high school. \nApproved by the Boston School Committee in May of 2021, \nBoston Public Schools (BPS) adopted the MassCore Course of \nStudy as its graduation requirement for all students in the \ndistrict. The requirements will begin for students entering 9th", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7358330d-1e0a-44d9-838d-32de36c7e19c": { + "page_content": "Boston Public Schools (BPS) adopted the MassCore Course of \nStudy as its graduation requirement for all students in the \ndistrict. The requirements will begin for students entering 9th \ngrade in School Year 2022-2023 (SY22-23), with full \nimplementation by the start of SY25-26. This circular outlines the \ndetails of graduation course requirements, alignment to DESE \nstandards and state graduation requirements, and the course \nwaiver process. \nGRADUATION REQUIREMENTS \nBeginning with grade 9 in SY23-24, the following credits in", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "73665834-dbf5-4fe8-b653-d02d6cc3d207": { + "page_content": "Superintendent\u2019s Circular CAO-07 \nPage 2 of 6 \n \n \nvarious content categories are required for graduation from BPS. \nThe table below visually represents the course requirements for \ngraduation: \nMassCore Framework \nMassachusetts High School Program of Studies \nContent \nCategory \nUnits Notes \nEnglish \nLanguage Arts \n4 Units ESL courses for students designated as ELD 1, 2 \nor 3 will count toward ELA credits \nMathematics 4 Units Including completion of Algebra II or \nIntegrated Mathematics III. A mathematics \ncourse during senior year is recommended for \nall students. \nScience 3 Units \nof lab-\nbased \nscience \nCoursework in technology/engineering courses \nmay also count for MassCore science credit. \nHistory and \nSocial Science \n3 Units Including U.S. History and World History and \none additional core or MassCore elective. \n \nInclusion of an Ethnic Studies course is strongly \nencouraged. \nForeign \nLanguage \n2 Units Both units must be in the same language.", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "541901b3-d855-42a7-b0de-77cbbb00ab67": { + "page_content": "Superintendent\u2019s Circular CAO-07 \nPage 3 of 6 \n \n \nPhysical \nEducation \n1 unit, as \nrequired \nby law \nStudents will have one quarter course (or its \nequivalent) of PE per year or an equivalent. \n \nArts 1 Unit Students will have one quarter course (or its \nequivalent) of Art per year or a cumulative unit. \nAdditional \nCore Courses \n5 Units Inclusive of PE (1 credit) plus four additional \ncourses. Other additional coursework \n(including Health Education* & Career and \nTechnical Education) or any of the above. \n*Health Education: The BPS Wellness Policy requires 1 semester \n(at least \u00bc course equivalent) of Health Education in high \nschool. \nSTATE GRADUATION REQUIREMENTS \nThe policy does not and will not replace state laws and DESE \nregulations pertaining to high school graduation. These \nadditional requirements include, but are not limited to: \n\u2022 Action Civics Projects required by Chapter 296 of the Acts of \n2018, An Act to promote and enhance civic engagement.", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "99daf5fa-a749-460e-b70f-c3f23808a898": { + "page_content": "additional requirements include, but are not limited to: \n\u2022 Action Civics Projects required by Chapter 296 of the Acts of \n2018, An Act to promote and enhance civic engagement. \n\u2022 Earning a \u201ccompetency determination\u201d [passing scores on \nthe Grade 10 English language arts and mathematics and \nhigh school level science and technology/engineering \nMassachusetts Comprehensive Assessment System (MCAS) \ntests]. For students who do not pass an MCAS test, \neducators develop an Educational Proficiency Plan (EPP) for \nthe subject(s). Students need to meet course requirements \nfor their EPP in addition to meeting MassCore requirements.", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "adefa70d-7e0e-411d-a1d6-2664c6dc03d2": { + "page_content": "Superintendent\u2019s Circular CAO-07 \nPage 4 of 6 \n \n \nSUBSTITUTIONS \nThe following substitutions may be used to meet graduation \nrequirements without an additional waiver: \nPhysical Education \nMassCore reflects the legal requirement that physical education \nbe taught as a required subject in all grades. The BPS Wellness \nPolicy requires all schools to offer high quality physical education \nfor students in all grades. Under some circumstances, students \ncan meet the requirement through an approved organized \nprogram of instructional physical activity, including but not \nlimited to: participation in interscholastic athletics, skating, \nhockey, dance, yoga, martial arts, capoeira, or swimming; and any \nphysical activity through school based or community programs, \nor independent study. Substitutions and independent study \nopportunities must be approved by the Office of Health and \nWellness. \nComputer Science \nStudents may substitute one unit of Computer Science (AP", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2235763d-cd2b-45a1-be03-3047d1dc91ed": { + "page_content": "opportunities must be approved by the Office of Health and \nWellness. \nComputer Science \nStudents may substitute one unit of Computer Science (AP \nComputer Science Principles, Computer Science Principles, or \nExploring Computer Science) that includes rigorous \nmathematical concepts and aligns with the Digital Literacy and \nComputer Science standards for a mathematics course. \nHumanities Course \nDouble-blocked Humanities courses may count toward 1 ELA \ncredit and 1 History credit. One period Humanities courses count \nas 1 History credit and cannot be used toward ELA credit.", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c35ef9c4-d384-4f4b-9fa5-d91479ebdbf6": { + "page_content": "Superintendent\u2019s Circular CAO-07 \nPage 5 of 6 \n \n \nCareer and Technical Education \nStudents enrolled in a DESE approved Chapter 74 program can \nfulfill MassCore requirements without fulfilling arts and world \nlanguage requirements. While arts and world language \nrequirements may be waived, students are strongly encouraged \nto take these courses to comply with college admission \nrequirements. \nCredit for Courses in Grades 7 and 8 \nStudents will be able to apply high school credits for high school \nlevel courses completed successfully in 7th or 8th grade. \nWorld Language Competency \nMultilingual learners may earn up to two World Language credits \nfor demonstrated competency in their native language by \nachieving Intermediate Mid Level of language proficiency on the \nAVANT Stamp Assessment. The AVANT Stamp administration will \nbe administered at the BPS Welcome Center in the fall and \nspring of each year. Students scoring at the Intermediate High", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bd21b2bb-5465-45b3-a247-cbe37f7c6732": { + "page_content": "AVANT Stamp Assessment. The AVANT Stamp administration will \nbe administered at the BPS Welcome Center in the fall and \nspring of each year. Students scoring at the Intermediate High \nLevel of language proficiency can utilize the assessment results \ntowards attainment of the MA State Seal of Biliteracy upon \ngraduation if they also meet the minimum criteria for English \nlanguage proficiency set forth by the Massachusetts Department \nof Elementary and Secondary Education. \nCourse Waiver Process \nSchools may seek additional waivers for individual students or \ncourses.", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f0714b13-d3f4-49c1-9007-865c22e72cf5": { + "page_content": "Superintendent\u2019s Circular CAO-07 \nPage 6 of 6 \n \n \nIMPLEMENTATION \n\u2022 Each school will collaborate with the Academics team on \nensuring alignment of its course schedule with MassCore \nrequirements. \n\u2022 All 9th grade students should follow the recommended \ncourse sequence and must take at least a quarter of physical \neducation in SY23-24. \n\u2022 Schools should work with districts on ensuring they have \nthe proper staffing model to meet MassCore requirements, \nespecially for students in grade 9. \n \nFor more information about this circular, contact: \nOwner: Elementary Superintendent \nDepartment: Academics and Professional Learning \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-07 Graduation Requirements.pdf", + "source_link": "https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1b9b6f45-2eaf-47ff-b533-1c13e6f25a49": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-24 \nVersion 01 \n \n \nOVERNIGHT FIELD TRIP GUIDELINES \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by COVID-19 \nrestrictions and are subject to change based on public health, \ninternational security, or other emergent issues that could impact travel. \nFor the most up-to-date information and guidance, contact \nOPL@bostonpublicschools.org for assistance/guidance. \n \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \nThis circular should be read AFTER the Superintendent\u2019s Circular \nNo. CAO-22, General Guidelines and Procedures for All Field Trips \nas additional guidelines are outlined there. \nThe principal/head of school and/or the district department \nsponsoring the trip are responsible for ensuring that all field trip", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "72077ce6-ab05-4687-b91c-38d61ddb9408": { + "page_content": "as additional guidelines are outlined there. \nThe principal/head of school and/or the district department \nsponsoring the trip are responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular are adhered \nto. \nTogether, the principal/head of school and/or the district \ndepartment lead sponsoring the trip and the program leader", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8c930fb6-1b90-48fa-9795-e65da4a06825": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 2 of 80 \n \nmust review and complete checklists for this circular. Signed \nchecklists must be kept on file at the school/district department. \nOVERNIGHT FIELD TRIP: Any domestic trip off school grounds that \ninvolves students\u2019 participation overnight. \n\u25cf Overnight Field Trip forms are submitted to the \nprincipal/head of school AT LEAST 12 weeks in advance and \napproved by the principal/head of school. \n\u25cf All forms, including the signed CAO-24 checklist form, are \nfiled at the school. \n\u25cf Overnight Field Trip Request form, the list of student names, \nemergency contact name and number, grade, D.O.B, the list \nof chaperone names and their role in the school community, \nthe itinerary, and if applicable, train and flight information \nare sent to the district to notify the district of trip plans AT \nLEAST 4 weeks in advance. Scan and email the Overnight \nField Trip Request form and information to the appropriate", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b00ed927-be6c-4b50-9ece-bbac8e30485f": { + "page_content": "are sent to the district to notify the district of trip plans AT \nLEAST 4 weeks in advance. Scan and email the Overnight \nField Trip Request form and information to the appropriate \nprincipal/ leader as well as to the Department of Global \nEducation. Please follow up to ensure documentation has \nbeen received. \n \nOVERNIGHT FIELD TRIP CHECKLIST \n\uf06f Review Superintendent\u2019s Circular No. CAO-22, General \nGuidelines and Procedures for All Field Trips. \n\uf06f All field trip IDEAS must be preliminarily approved in writing \nby the principal/head of school or District Department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "462b44ad-a8a8-4abf-8d09-67fb549fb7fa": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 3 of 80 \n \nand their parents/guardians and prior to any fundraising or \nother detailed preparations. Consult with the principal/head \nof school on potential chaperones and student recruitment. \n\uf06f Review Superintendent\u2019s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Global Education should be used as a \nresource for questions regarding risk management on \novernight field trips. \n\uf06f Select a site and investigate the appropriateness of the site \nin relation to the category of field trip. \n\uf06f Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \n \nPLANNING PROCESS \nFor thorough planning and to maximize affordability and \nfundraising efforts, it is recommended that overnight trips are", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4129f288-4537-4918-a4cd-2561c90d52f5": { + "page_content": "important tests, religious holidays, or class work. \n \nPLANNING PROCESS \nFor thorough planning and to maximize affordability and \nfundraising efforts, it is recommended that overnight trips are \nplanned at least six months in advance. \n \nROLE OF THE PROGRAM LEADER (LEAD CHAPERONE) \nProgram Leader Description: The program leader is a BPS \nemployee and the lead chaperone organizing and leading the \ntrip. All program leaders (lead chaperones and the BPS employee \norganizing and leading the trip) and chaperones must be \napproved by the principal/head of school or district department \nsponsoring the trip. The program leader is responsible for", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9020ca39-c7fb-4ca5-9c06-3ccc18481d04": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 4 of 80 \n \nensuring all guidelines in CAO-22 and CAO-24 are followed and \nkeeping the principal/head of school and the district informed of \ntrip developments. The program leader is responsible for \ncompleting the Overnight Field Trip Request form and \naccompanying documents that are submitted to the \nprincipal/head of school for approval. The program leader is also \nresponsible for organizing the chaperone team, student team, \nand pre-departure meetings. \n\uf06f School Nurse and Guidance Counselor Consultation: Before \napproval of a field trip, the program leader must consult \nwith the school leader to determine if, and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip,", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "23884a2e-f0fb-4c76-9891-ec542b46603c": { + "page_content": "before the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nconsult with and, when necessary, receive training from the \nschool nurse regarding any students who have medical \nneeds at least six weeks before departure (much longer for \ninternational and overnight field trip programs). Also consult \nwith the school counselor regarding mental and behavioral \nhealth needs. If any student has a serious medical or mental \nhealth condition, be sure that their doctor is aware of the \nessential participation criteria and location of the trip and \nwrites a letter indicating that the child may safely attend \nand participate in trip activities. Keep this document on file \nwith other key permissions slips and medical forms. \n\uf06f Overnight Field Trip Form: Complete and submit an \nOvernight Field Trip Request form and accompanying", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "38a8719e-eb85-4bff-9400-895caa0b1753": { + "page_content": "with other key permissions slips and medical forms. \n\uf06f Overnight Field Trip Form: Complete and submit an \nOvernight Field Trip Request form and accompanying \ndocuments to obtain official consent from the", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ff19da61-4f65-443a-8885-880da329b966": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 5 of 80 \n \nprincipal/head of school to execute the trip. Once the \nprincipal/head of school has approved the trip, you must \nsend a copy of the request, itinerary, and supporting \ndocuments to the Department of Global Education. \n\uf06f Mindset: Planning, organization, and preparation are critical \nto a successful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security \nhave been addressed with due diligence. Program leaders \nmust be able to articulate in an informed manner what \ndecisions were made, why they were made, and the sources \nthat informed that decision making. If you have questions \nabout the appropriateness of an activity, please consult with \nyour principal/head of school and the Department of Global \nEducation. \n\uf06f School File: Create a school file to house all important \ndocuments: Overnight Field Trip Request form and", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "42394550-fda7-4d91-b279-36d5f158ee23": { + "page_content": "your principal/head of school and the Department of Global \nEducation. \n\uf06f School File: Create a school file to house all important \ndocuments: Overnight Field Trip Request form and \nattachments, student roster, student permission slips, and \nmedical forms, and other signed documents including \nincident reports, incident log, and the fire safety plan. These \ndocuments must be kept on file for the current fiscal year \nplus three additional years after the trip has occurred. \n\uf06f Communication: Share the trip details listed below with all \nteachers, nurses, and other staff members so that they may \nplan accordingly. \no Trip overview (purpose) \no Destination \no Date of trip \no Students\u2019 names", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7e6cec6a-c585-4f88-bced-802cce83c351": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 6 of 80 \n \no Chaperones\u2019 names and roles in school community \n\uf06f Documentation: Prepare and distribute the Parental \nAuthorization for Overnight Field Trip form, Medical \nInformation form, Student Traveler Behavior Contract, \nStudent Support for Overnight Programs, and the \nMedication Administration form to each participating \nstudent and chaperone. For preparedness and safety, you \nalso must have these medical forms from chaperones. If \napplicable, prepare and distribute the Notarized \nParent/Guardian Airline Travel Consent form. (Some airlines \nand travel companies require this; some do not. Research \nyour particular trip to see if this applies.) \n\uf06f Meetings: Conduct AT LEAST TWO pre-departure student \nmeetings. Discuss the trip\u2019s educational purpose and goals, \nconduct expectations, itinerary, healthy travel, and all other \nlogistics of the program. (For lengthy overnight programs, \nsee CAO-25 for additional student meeting topics.) Conduct", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7f53f68d-b1ca-4385-994a-ec9a67f01e0e": { + "page_content": "conduct expectations, itinerary, healthy travel, and all other \nlogistics of the program. (For lengthy overnight programs, \nsee CAO-25 for additional student meeting topics.) Conduct \nAT LEAST ONE parent/guardian meeting (with each family \nor all families together) to review the purpose of the trip, \nitinerary, review/sign permission forms, review logistics of \ntravel, and share medical and safety information. \nPlease note: Plan for families who may need translation \nservices at the meeting; students should not serve as their \nparent/guardian\u2019s translator at this meeting. If a \nparent/guardian is unable to attend the meeting, a \nchaperone (a BPS employee) must be sure to speak to the \nparent/guardian via telephone or in-person about the trip \nprior to taking the student on an overnight trip. Document \nthis personal contact for your records.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "352caa22-29d7-47cc-a667-2e136073d05a": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 7 of 80 \n \nSAFETY PREPAREDNESS \n\uf06f Travel Advisories/Warnings: The head of school and \nsuperintendent reserve the right to cancel any field trip up \nto and including the day of departure to manage risk. \n\uf06f Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international and \ndomestic BPS-sponsored trips (domestic being 100 driven \nmiles away from home or place of study or employment) for \nBPS students, BPS staff participants, and chaperones. On \nCall will serve as the primary source for medical insurance. \nHowever, in some cases, if a hospital visit is required, \nstudents may be required to pay out of pocket, and be \nreimbursed by On Call later. Families will want to budget for \nthis just-in-case expense. The On Call insurance policy does \nNOT include cancellation or trip interruption insurance \nshould the trip be canceled or interrupted for any reason", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "dbd11429-1b54-4e65-ad41-0663ffde4ccb": { + "page_content": "this just-in-case expense. The On Call insurance policy does \nNOT include cancellation or trip interruption insurance \nshould the trip be canceled or interrupted for any reason \nother than medical. Cancellation/interruption must be due \nto the traveler getting sick, injured, or someone in the \ntraveler\u2019s immediate family being sick, injured, or death. \nStudents/families would need to show proof of a \nsickness/injury; and the sickness/injury must be so disabling \nas to cause them to cancel/interrupt their trip. If there is a \nsickness/death for their family member, they would need to \nshow proof of that, too. Save all receipts for flights/lodging \nfor reimbursement purposes and a claim form would need \nto be filled out. Families will need to know in advance that \nTrip Cancellation has a $2,000 limit, and Trip Interruption \nhas a $2,500 limit. Again, the superintendent reserves the \nright to cancel a trip for any reason and at any time for", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b4523075-b984-4e80-b0a4-095b93fb2051": { + "page_content": "Trip Cancellation has a $2,000 limit, and Trip Interruption \nhas a $2,500 limit. Again, the superintendent reserves the \nright to cancel a trip for any reason and at any time for \nsafety purposes; Cancel for Any Reason Insurance (CFAR) is", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f630fd37-9300-4764-af3d-5eed38adaad8": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 8 of 80 \n \nNOT provided by the district. Therefore, all trip participants \nmust purchase their own (CFAR) insurance to protect their \ntrip investment. \n\uf06f Training: It is recommended that at least two chaperones \n(including the program leader) hold valid CPR AND first aid \ncertification. First Aid: Ensure the availability of a first aid kit. \nVerify emergency and medical information and contact \ndetails. \n\uf06f Chaperone Ratios: For overnight trips, the student-to- \nchaperone ratio is 7:1, with a two-chaperone minimum. It is \nrecommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to \nparticipate at the last minute or must leave the field. Tour \nguides, or employees of third-party vendors contracted to \nhelp operate the trip, are not considered chaperones, and \ndo not factor into the student to chaperone ratio. \n\uf06f Transportation: School buses or BPS-approved", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "064e68c0-5fd2-4966-ba9f-3fb445e53c2e": { + "page_content": "help operate the trip, are not considered chaperones, and \ndo not factor into the student to chaperone ratio. \n\uf06f Transportation: School buses or BPS-approved \ntransportation vendors\u2019 vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride-sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be \nutilized to transport students to and from field trips or \nathletic events, except in the case of a bona fide emergency. \nRefer to TRN-03 and CAO-22 for information and regulations \non field trip transportation. \n\uf06f Water Activities: If your trip involves any activities in or on \nthe water, you must contact the Department of Global \nEducation for approval at least 16 weeks in advance. There is", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3f946826-561f-495e-aa59-7ea9ea601b54": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 9 of 80 \n \na separate and mandatory procedure for all trips involving \nwater. Please review CAO-27 and contact the Department of \nGlobal Education immediately. \n\uf06f Healthy Travelers: Be sure students have had a recent \n(current school year) doctor\u2019s visit and physical exam prior to \ndeparture. Students and staff should be current on all \nimmunizations and vaccinations, including those related to \nthe location they will be traveling to. Travelers should \nconsult with their primary care doctor and can also visit the \nCenter for Disease Control\u2019s website for information on \nstaying healthy while traveling at \nhttp://wwwnc.cdc.gov/travel/. If any student has a serious \nmedical condition, please be sure that their doctor writes a \nletter indicating that the child may safely attend and \nparticipate in trip activities. \n \nCHAPERONE CRITERIA \n\uf06f Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7f08f759-6f34-463f-a1f2-1196da039278": { + "page_content": "participate in trip activities. \n \nCHAPERONE CRITERIA \n\uf06f Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are \nrequired to be 21 years of age or older. Any parent on the trip \nmust operate in the role of chaperone. All chaperones must \nbe approved by the head of school/principal. Every effort \nshould be made for students to have access to the field trip \nexperience, for chaperones to be representative of the \nstudent group, and for chaperones to include males and \nfemales. The selection and approval of chaperones by the", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "599ba492-b646-4886-b9c6-cbdb808a1c76": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 10 of 80 \n \nprincipal/head of school should be based on the individuals\u2019 \nthorough knowledge of and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role. \n\uf06f Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who are required to be 21 \nyears of age or older. All non-BPS employee chaperones \nmust submit a yearly CORI/SORI authorization form to the \nOffice of Human Capital. Complete the eCORI form online. \nContact the BPS Office of Human Capital (OHC) for CORI \ncheck and confirmation support. The principal/head of \nschool and the lead chaperone are responsible for \nsubmitting authorization forms to OHC and must not allow \nchaperones to take part in activities until they have been \nCORI/SORI cleared. Non-BPS employees who chaperone on", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4a620129-0f16-40e1-ba13-52c063195ac8": { + "page_content": "submitting authorization forms to OHC and must not allow \nchaperones to take part in activities until they have been \nCORI/SORI cleared. Non-BPS employees who chaperone on \na field trip are not covered for liability by the Boston Public \nSchools. The program leader must be sure that all \nchaperones, including non-BPS chaperones, are familiar \nwith the BPS Code of Conduct and other district and school- \nbased rules. \n\uf06f BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f52a9483-555b-4990-9f90-0b7ffa4d70fa": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 11 of 80 \n \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\u25cf All chaperones must complete the Chaperone \nAgreement form. \n\u25cf Non-BPS employees who chaperone on a field trip are \nnot covered for liability by the Boston Public Schools. \n\u25cf Refer to CAO-22 for additional chaperone criteria. \n \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n\uf06f Essential Criteria: The program leader and principal/head of \nschool shall work together to establish essential \nparticipation criteria for the trip that informs students and \nparents of all activities and risks associated with each \nitinerary activity and trip location, to determine what \naccommodations or modifications may need to be made for \nthe student to successfully and safely participate in all or \nportions of the trip. \n\uf06f Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "96ba511c-4a16-4d85-b319-3af11f8f2209": { + "page_content": "portions of the trip. \n\uf06f Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit \nfriends, relatives etc., and rejoin the group. Students must \nremain with the group at all times. Field trips must be \nadvertised to all students (within the whole school, \nparticular grade, class/subject, club, or program associated \nwith the trip), regardless of their financial situation. Schools \nshall make every reasonable effort to make instructional \nfield trips affordable for all students. A student\u2019s ability to \npay may not be a criterion for field trip participation. Trips \nmust be advertised to all students (within the school,", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7f186d98-a546-466f-ab25-249236c82156": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 12 of 80 \n \nparticular grade, class, or program associated with the trip), \nregardless of their financial situation. \n\uf06f Accommodations: Students with English Learner status, 504 \nplans, and/or IEPs cannot be denied access to field trips due \nto their status, or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. See \nSuperintendent\u2019s Circular SHS-8 for information about \nmedical dispensation on field trips. Participating students\u2019 \nIEP or 504 plan shall be available to any staff coordinating \nand/or participating in the field trip. If any student has a \nserious medical, or mental health condition, please be sure \nthat their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "85f1fc0e-d4d0-4166-be8a-f858faaf61eb": { + "page_content": "serious medical, or mental health condition, please be sure \nthat their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip \nactivities. Keep this document on file with other key \npermissions slips and medical forms. \n\uf06f Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQ community, students with disabilities, those who \nmay be in the minority during your field trip experience, and \nthose students who belong to groups that have experienced \nmarginalization in the location being visited. Program \nleaders must (1) work to prepare students for sensitive \nexperiences, and (2) ensure that the program is safe and", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1ea34579-d317-46e7-8644-aac9eea8a520": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 13 of 80 \n \ninclusive for all students. Consult the Department of Global \nEducation for resources if needed. \n\uf06f Inclusive Rooming: The program leader and principal/head \nof school shall work with transgender and gender \nnonconforming students to provide accommodations \n(including rooming) that affirm the student\u2019s gender \nidentity while also ensuring safety. Program leaders should \nwork with students and families to make sure all travel \ndocuments (airline tickets, passport) reflect their legal \nnames as listed on government-issued identification, while \nall unofficial documents and materials may reflect the \nstudent\u2019s preferred name. Please view additional rooming \nguidelines from the Office of Equity here. BPS students and \nparents are required to sign a BPS Student Traveler & Family \nAgreement form regarding student conduct while \nparticipating in a BPS sponsored field trip. Participation in \nfield trips may be denied to any student who has", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0899bafe-5a42-4153-9101-030948ec53bc": { + "page_content": "Agreement form regarding student conduct while \nparticipating in a BPS sponsored field trip. Participation in \nfield trips may be denied to any student who has \ndemonstrated disregard for the policies and rules of BPS or \nthe school prior to the field trip. Parents/guardians and \nstudents must be made aware of this policy in advance and \ncommunicated with throughout any processes involving \ntheir child not participating in a field trip. \n\uf06f Student Dismissal: Following an investigation, if the \nprogram leader, in consultation with the principal/head of \nschool and Central Office staff, determines that a student\u2019s \nconduct while on an overnight trip, poses a risk to \nthemselves, or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves \nthe right to request, and make arrangements for that", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "dc94f5a2-9c5e-44b8-9edd-6cd8fd5290f4": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 14 of 80 \n \nstudent to return home. The district also reserves the right \nto request that families assume responsibility for all or a \nportion of the costs associated with their child\u2019s return. \nStudents may be subject to further disciplinary action and \nwill be provided the opportunity to have a formal hearing at \nthe school level upon return. The school must document the \nparent/guardian\u2019s consent of this policy prior to the trip. \nIf a student is to be dismissed from an overnight field trip, \nthe student\u2019s parent/guardian must be notified in advance \nand should agree to meet the student at the airport or other \nagreed-upon destination. If the parent/guardian is not \nreachable, the student\u2019s principal or appropriate school- \nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed-upon destination. \nStudents under the age of 16 must be accompanied on their", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ab92e12d-2832-4fe2-b9c4-477d6f4f98ac": { + "page_content": "based point of contact must be notified and agree to meet \nthe student at the airport or other agreed-upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines.) Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n\uf06f Attendance: Provisions must be made in advance for any \nstudent not attending the trip and staying at school. If \napplicable, provide alternative arrangements and/or \ncomparable activities for students not attending the trip or \nunable to participate in a portion of your trip. If a student\u2019s \nfamily elects for their child not to attend a field trip for any \nreason, the child may not be penalized through their grade", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f24e126b-6270-4f69-a539-9a705d88575e": { + "page_content": "unable to participate in a portion of your trip. If a student\u2019s \nfamily elects for their child not to attend a field trip for any \nreason, the child may not be penalized through their grade \nor otherwise. Attendance forms should indicate when a", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "85d8b5c8-9034-4475-a8e7-8198b28db61e": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 15 of 80 \n \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times. \n \nPRE-DEPARTURE CONFIRMATION CHECK \n \nEight Weeks (or More) Prior to Your Trip: \n\uf06f Develop transportation plans: mode of transportation, travel \ntime, cost, etc. (If applicable, be sure to note how and with \nwhom the child will travel to and from a field trip\u2019s \ndeparture and pick-up locations.) \n\uf06f Review all students\u2019 medical forms with the school nurse \nand school counselor to ensure all documents are \ncompleted, to support each student\u2019s health during the trip. \n(Please note: nurses and counselors do not \u201cclear\u201d students \nfor travel but will provide chaperones with guidance in \nsupporting students while traveling.) Consult with and, \nwhen necessary, receive training from and obtain written", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4a947981-3c36-4b6c-8fda-7b6059f2c15f": { + "page_content": "for travel but will provide chaperones with guidance in \nsupporting students while traveling.) Consult with and, \nwhen necessary, receive training from and obtain written \ncomments from the school nurse and counselor regarding \nany students who have expressed medical needs (e.g., \nmedication, asthma, allergies, etc.). \n\uf06f If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of \ninsurance on the Medical Information Form.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1f58cdfb-a2e2-4d61-9460-8ae1a419c27d": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 16 of 80 \n \nFive Weeks (or More) Prior to the Field Trip: \n\uf06f Contact the field trip site and ensure that the necessary \narrangements are still in place. \n\uf06f Collect the completed and signed Parental Authorization for \nOvernight Trip, Medical Information, and Medication \nAdministration forms from each participating student and \nchaperone and ensure that copies of all forms (and the \nitinerary) are submitted to the principal/head of school. \n* Contact the Department of Global Education for the \nInformed Consent Template to be tailored for your trip and \nthen shared with families. \n\uf06f If necessary, collect the Notarized Parent/Guardian Airline \nTravel Consent form. \n\uf06f Hold a chaperone team meeting to distribute trip \nresponsibilities and to review the student team. \n\uf06f Review students\u2019 permission slips and medical forms; \nprepare any questions for follow-up with families and the \nschool nurse.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "58e30374-f188-4f71-9127-2736738b483a": { + "page_content": "responsibilities and to review the student team. \n\uf06f Review students\u2019 permission slips and medical forms; \nprepare any questions for follow-up with families and the \nschool nurse. \n\uf06f The lead chaperone will record the names of the chaperones \nand whom each chaperone is supervising; each chaperone \nmust carry this list. \n\uf06f Chaperones will organize a buddy system, pairing students \nwith one another for safety purposes.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "65248d81-082f-4d49-8229-b02023a1df0d": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 17 of 80 \n \n\uf06f The lead chaperone will prepare trip binder for all \nchaperones (see During the Trip section which lists all \nbinder contents). \n\uf06f Notify the appropriate principal leader and the Department \nof Global Education of your overnight travel plans by \nscanning and emailing the Overnight Field Trip Request \nForm at least four weeks in advance. \n \nTwo Weeks (or More) Prior to the Field Trip: \n\uf06f If applicable, inform the food service manager or attendant \nof the names of the students going on the trip and the date \nand time of the field trip. \n\uf06f Verify all arrangements, including transportation and \nreception at the site. \n\uf06f Contact parents/guardians via telephone or in-person to \nreview the final details of travel and verify emergency, \nmedical and safety information, and contact details. Be sure \nfamilies have copies of their child\u2019s permission and medical \nforms as well as the trip itinerary and contact details.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "384b71fc-66ad-4483-94a5-616094447001": { + "page_content": "medical and safety information, and contact details. Be sure \nfamilies have copies of their child\u2019s permission and medical \nforms as well as the trip itinerary and contact details. \n\uf06f Notify/consult with the principal/head of school (and \nDepartment of Global Education) if trip plans have changed \nfrom the original field trip request. \n \nCOMMUNICATION PLAN \n\uf06f For Domestic Overnight Trips: The principal/head of school \n(or designee) is the emergency contact for program leaders \nand must be notified in the event of a serious medical", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "0396ac70-b1ff-409f-8bff-6abede01df9b": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 18 of 80 \n \nemergency or other emergency event. The Department of \nGlobal Education should be used as a resource for questions \nregarding safety on trips, and for support with insurance \nsupport and claims. Prior to departure, program leaders will \nreceive emergency contact information. \n\uf06f Phone Service Coverage: Program leaders must have cell \nphone coverage for the duration of the trip for \ncommunication with BPS and families in the event of an \nemergency. This cell phone must be on at all times so you \nmay be contacted in case of an emergency. If this is not \npossible due to your location, please arrange a \ncommunication plan with the Department of Global \nEducation. Program leaders must carry the phone numbers \nfor the principal/head of school or sponsoring district \ndepartment and the Department of Global Education. You \nare required to call anytime there is an emergency. \n\uf06f District Communication: Codify a clear communication plan", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a1021f44-4a53-4667-ad40-e49d8d7e3cc1": { + "page_content": "department and the Department of Global Education. You \nare required to call anytime there is an emergency. \n\uf06f District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment prior to departure. You must check-in via phone \ncall, text, or email upon arrival, every 48 hours, whenever the \nitinerary significantly changes, whenever you expect to lose \ncell/email coverage, upon departure, and upon safe return. \nYou MUST check-in via phone when there is an incident.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c8faa31b-1e12-48ef-b2be-e50cf7dedad6": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 19 of 80 \n \nDefinitions of communication types and expectations: \nGreen Communication: No immediate concern. \nProgram leader: notifies principal about arrival, departure, \nchanges in itinerary, loss of connectivity, highlights of \nprograms, photos. *Check in daily via text, phone call, email. \nYellow Communication : A Yellow Call is a reportable \nsituation or event, but no threat to life, limb, eyesight, or \npotential for severe emotional trauma. The incident is \nmanaged effectively in the field by program leader, but \ncould devolve into a serious or critical incident, and requires \nattention from BPS on-call staff. \nProgram leader: (1) notifies principal; (2) documents Incident \nSOAP Report; (3) monitors; (4) updates on-call BPS staff. \nRed Communication: Critical, violent, time-sensitive \nincident, illness, injury; or event that resulted in the loss of \nOR potential loss of life, limb, eyesight. \nRequires IMMEDIATE RESPONSE of program leader:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7b94b080-e4d0-4ed4-a8e7-0b1881c1cda6": { + "page_content": "incident, illness, injury; or event that resulted in the loss of \nOR potential loss of life, limb, eyesight. \nRequires IMMEDIATE RESPONSE of program leader: \n(1) notifies principal; (2) alerts local medical assistance and/or \nlaw enforcement; (3) documents Incident SOAP Report; \n(4) monitors; (5) updates on-call BPS staff. \n\uf06f Communication with Families: Call students the night \nbefore travel to ensure transportation to the departure \nlocation is set, remind students to bring travel documents, \nand answer last-minute student and family questions. Set \nexpectations regarding communication during travel \nbetween chaperones/student travelers, and the", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e5ed629d-e475-4304-a7d5-1cf6f1a7647c": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 20 of 80 \n \nprincipal/families. Families must know who to call 24/7 in \ncase of an emergency. \n \nDURING THE FIELD TRIP PROGRAM \n\uf06f On the day of the trip, take attendance and leave the current \nlist of students attending the trip with the principal/head of \nschool. If applicable, record a specific bus number and \ndriver\u2019s name and leave this information with the \nprincipal/head of school and share with all chaperones and, if \nage-appropriate, students. \n\uf06f Team Safety: If you believe conditions are unsafe, or \nunhealthy at any point on the trip, it is the program leader\u2019s \nresponsibility to make adjustments in the interest of \ngroup/individual safety. Consult your principal/head of \nschool and the Department of Global Education during the \ntrip when you have questions regarding trip safety. \n\uf06f Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "49d6aa4c-2d9e-4123-8d06-48c6d209a205": { + "page_content": "trip when you have questions regarding trip safety. \n\uf06f Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n\uf06f Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nwith the chaperone team the \u201cAssessment\u201d and \nprepare for orientation and fire drill. \n\uf06f Share evacuation plan and emergency plans: Discuss \nwhere students go during an emergency or otherwise? \nDiscuss where students go if they are separated from \nthe group during an activity.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9f20dcba-4254-47a8-89b1-a1404e6575a3": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 21 of 80 \n \n\uf06f Ensure students have a list of the key addresses \n(hotel/chaperone information) and emergency \ninformation as well as copies of all travel documents. \nShare where you are staying (room number if \napplicable) and how to reach you on the trip. \n\uf06f Conduct in-country orientation for conduct and \ncultural expectations. Set expectations for phone usage \nand social media. This is especially critical during an \nemergency. \n\uf06f Conduct safety orientations for service learning \nprojects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating, \nand for agricultural projects, chaperones with the \nsupport of program providers, must conduct a safety \norientation at the beginning of each activity. \n \nStudent Debriefs/Reflections: \n\uf06f Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\uf06f Conduct afternoon and/or evening debriefings to", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f8e864bc-b059-4655-894c-6254bdb29db9": { + "page_content": "Student Debriefs/Reflections: \n\uf06f Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\uf06f Conduct afternoon and/or evening debriefings to \nreview the next day\u2019s itinerary, gather feedback, and \nprocess the day\u2019s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them break \ndown stereotypes so that when they return, they have \na deeper understanding of the culture and country \nthey visited. Draw connections to how they will take", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "aeca3dff-4799-4c5e-a5ff-2c6a772b88ef": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 22 of 80 \n \nthe experience home with them and how the lessons \nthey have learned will translate back home. \n \nCheck-Ins & Student Supervision: \n\uf06f Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n\uf06f Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n\uf06f Conduct nightly bed checks to be sure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel be sure to request in advance for students \nto be placed near chaperones. \n\uf06f Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful of \nromantic relationships amongst students. \n\uf06f Conduct regular and frequent headcounts and buddy", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e9ab72db-53d8-4654-9355-40984a6278ed": { + "page_content": "Adults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful of \nromantic relationships amongst students. \n\uf06f Conduct regular and frequent headcounts and buddy \nchecks throughout the day. Do not leave students \nalone. Students should be accompanied by chaperones \nunless part of a scheduled activity and age appropriate \nas approved by their parent/guardian in advance. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d3dcda0e-56ef-478f-89df-597b5017a6fd": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 23 of 80 \n \ngroups of three AND always know how to reach an \nadult chaperone. \n \nDOCUMENTS TO TAKE \nAll chaperones must carry a trip binder at all times (or have them \nvery close at hand) that includes the following documents. The \nprogram leader carries the original forms; all other chaperones \ncarry copies. \n\u25cf Permissions slips (updated based on contact \nverification done with families) \n\u25cf Medical Information Form and Medical Administration \nForm \n\u25cf Student & Family Conduct Agreement Form \n\u25cf Parental waivers (if applicable) \n\u25cf Notarized Airline Consent Form (if applicable) \n\u25cf Copies of passports, visas, resident cards, and other \ntravel-related documents \n\u25cf Emergency Action Plan (EAP) \n\u25cf Insurance information \n\u25cf BPS Field Guide protocols with emergency phone \nnumbers \n\u25cf Fire prevention and safety information \n\u25cf Incident Report (blank and/or completed) \n\u25cf Witness Report Form (blank and/or completed)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "23fcc6ba-2d12-46c8-807f-8b399b4d1aef": { + "page_content": "\u25cf BPS Field Guide protocols with emergency phone \nnumbers \n\u25cf Fire prevention and safety information \n\u25cf Incident Report (blank and/or completed) \n\u25cf Witness Report Form (blank and/or completed) \n\u25cf Incident Investigation Log (blank and/or completed)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a1b4d377-ea34-47a1-ab1d-0d757d95ab9d": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 24 of 80 \n \n\u25cf SOAP Note (blank and/or completed) \n\u25cf List of addresses and emergency contacts in-country \nfor all travelers \n\u25cf Water Activities Forms if applicable \n\u25cf Program leaders carry originals of permission slips and \nmedical forms; other chaperones carry copies. \n \nDOCUMENTS TO LEAVE FOR YOUR PRINCIPAL/HEAD OF \nSCHOOL \n\u25cf CAO-24 circular with checklists \n\u25cf Permissions slips (updated based on contact \nverification done with families) \n\u25cf Student & Family Conduct Agreement Form \n\u25cf Parental waivers (if applicable) \n\u25cf Medical Information Form and Medical Administration \nForm \n\u25cf Notarized Airline Consent Form (if applicable) \n\u25cf Copies of passports, visas, resident cards, and other \ntravel-related documents \n\u25cf Emergency Action Plan (EAP) \n\u25cf Insurance information \n\u25cf Fire prevention and safety information \n\u25cf International Program Incident Report (blank for \nreference) \n\u25cf Water Activities Forms (if applicable)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "129df441-f652-42bb-9f83-a71f85e24999": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 25 of 80 \n \nAFTER THE FIELD TRIP (MANDATORY) \nEnsure all students safely return to their parents/families \nwhen you arrive back from the destination by following \nexpectations set prior to the trip for student pick-up from \narrival location. \n\uf06f Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students \n(inform parents/guardians) to see a doctor immediately if \nthey are not feeling well after the trip and to inform the \ndoctor of their recent travels. \n\uf06f Incident Reports: If applicable, file and follow up with an \nIncident Report. \n \nAFTER THE FIELD TRIP (SUGGESTED) \n\uf06f Write thank-you notes. \n\uf06f Present to school, family, and the community about the \nexperience. \n\uf06f Conduct related creative and/or analytical projects to \nshowcase student learning.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6ac33656-a23d-452b-a045-0ecf488528de": { + "page_content": "\uf06f Write thank-you notes. \n\uf06f Present to school, family, and the community about the \nexperience. \n\uf06f Conduct related creative and/or analytical projects to \nshowcase student learning. \n\uf06f Write a news article about the trip for a local newspaper or \nwebsite. \n\uf06f Email stories, journals, and pictures of your trip to the \nDepartment of Global Education.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f022be04-3c7a-4a35-8a79-e42a0dba09d6": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 26 of 80 \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \n1. Overnight Field Trip Request Form \n2. Emergency Action Plan \n3. Parental Authorization for Overnight Field Trip \n4. Medical Information Form \n5. Medication Administration Form \n6. Notarized Parent/Guardian Airline Consent Form \n7. Overnight Programs Incident Report \n8. Overnight Programs Witness Report \n9. Overnight Programs Incident Log \n10. Fire Prevention and Safety Instructions \n11. BPS Student Traveler & Family Agreement Form \n12. BPS Chaperone Agreement Form", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "634b019f-1ff2-4a6d-8742-a2ace98757a2": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 27 of 80 \n \nOVERNIGHT FIELD TRIP CHECKLIST \nPlease sign this checklist, retain a copy for your file, and submit \nthe original to the school office for filing. \nYour signature indicates that you read and understand the \npolicies in this circular; that they have been/will be followed; and \nall checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \nProgram Leader: Date \n \n \nSignature of Principal/Head of School or Date \nSponsoring District Department", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b3219c4b-73f1-4675-9731-3ed93599e2c1": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 28 of 80 \n \nCAO- 24 ACKNOWLEDGEMENT FORM \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach it to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \n \n \n \nSignature of program leader Date \n \n \n \nSignature of Principal/Head of School Date \nor Sponsoring District Department", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c6692bcb-023a-4887-966f-8d237a9e9a79": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 29 of 80 \n \nOVERNIGHT FIELD TRIP REQUEST FORM \nThis form is submitted to the principal/head of school and is kept \non file in the school office. In addition, notify the appropriate \nNetwork Superintendent and the Department of Global \nEducation of your plans (four weeks in advance) by faxing or \nemailing as a PDF the following documents: 1) Overnight field \nTrip Request Form signed by the principal/head of school , 2) \nDay- by-Day trip itinerary, 3) Student roster; D.O.B, grade, \nemergency contact name, and number and 4) if applicable, your \nflight or train itinerary. Please call or email to ensure these \ndocuments have been received by all parties. \n \nSCHOOL INFORMATION: \nSchool: \n \nDate Submitted: \n \n \nTRIP OVERVIEW: \nNumber of Students: Number of Chaperones: \n \n \n(Supervision: maximum ratio 10:1 with a two-chaperone \nminimum. For students with disabilities, the ratio of staff to", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "87d60058-689c-45b3-afcb-0ebbb76a1200": { + "page_content": "TRIP OVERVIEW: \nNumber of Students: Number of Chaperones: \n \n \n(Supervision: maximum ratio 10:1 with a two-chaperone \nminimum. For students with disabilities, the ratio of staff to \nstudents must be at least the same as the ratio mandated in \ntheir IEPs for their classes.)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "46fa6205-b89d-4395-b3af-b071f5d330a4": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 30 of 80 \n \nField Trip Category: \nDestination: \nDates of Trip: \n \nOverview of Trip (Educational Purpose): \n \n \n \n \n \nACCOMMODATION/LODGING INFORMATION \n \n \nAccommodation Name: \nAddress: \nPhone Number:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a249ad85-1bd9-4f68-b3b0-de520e9f1646": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 31 of 80 \n \nPROGRAM PROVIDER INFORMATION \n(If working with a company, organization, or partner) \n \nProgram Provider: \nProgram Provider Contact Person: \nProgram Provider Telephone Number: \nProgram Email: \n \nITINERARY \nPlease attach the detailed day-by-day itinerary:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ca3060ee-06cd-4c7f-88d2-60c5b1beb7eb": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 32 of 80 \n \nPROGRAM LEADER: \n \nProgram Leader/Lead Chaperone: \n \nRole in School: \nProgram Leader Phone # (prior to the trip): \nProgram Leader Phone # (during the trip): \nProgram Leader Email: \nOther Chaperones/Roles in School/ Phone Numbers on Field Trip: \nAttach a separate sheet if necessary. \n \nName Role Phone # Email", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ce1ce331-4304-4302-9994-932862978f8a": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 33 of 80 \nStaff are not permitted to drive students. Privately owned \nvehicles, vehicles from non-approved vendors, or leased \nvehicles are not to be used to transport students to and from \nfield trips except in the case of a bona fide emergency. Staff \nwho use their own vehicles risk being legally liable. Please refer \nto TRN-03 for regulations regarding field trip transportation. \n \nSTUDENT PARTICIPANTS: \nPlease attach a student roster that includes: Legal and last \nname, D.O.B, grade, emergency contact name, and phone #. \n \nTRANSPORTATION INFORMATION: \n \n \nMethod of Transportation: \n \nTransportation Company: \n(For bus transportation, only BPS -approved vendors may be \nused regardless of how the trip is paid for. See TRN-3 for list.) \nContact Information (phone and address): \n \n \n \nDeparture Location and Time: \nReturn Location and Time: \n*If applicable, attach detailed train or flight information.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "600563ab-f957-48c7-a138-921c03a67002": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 34 of 80 \n \nFUNDING SOURCES: \nTotal Cost: $ \n \nFunding Source: \nGrant Number: \nBEDF Account Code/Description: \n \n \n \nApproved by: \nPrincipal/Head of School \nor Sponsoring District Department \nDate: \nYour signature indicates that all policies outlined in CAO-22 AND \nCAO-24 regarding overnight field trips will be followed.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ab1f2712-8546-4bab-988d-392cbd2e5f82": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 35 of 80 \n \nEMERGENCY ACTION PLAN (EAP) \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP \nDo not leave the injured person alone or without an adult \npresent. \n \n1. REMAIN CALM. This helps the operator receive your \ninformation. \n2. DIAL 911. Remember you may need to access an outside line \nfirst. \n3. My name is . I am a (your role) in the Boston \nPublic Schools. \n4. I need paramedics now. \n5. My exact address is . \n6. There is a person with a (state type/location of injury) injury. \n7. The person\u2019s name is and they are \nyears old. \n8. The person is located at which is on the \n(North/South/East/West) side of the facility. \n9. I am calling from (telephone number). \n10.(Name) will meet the ambulance. \n11. Don\u2019t hang up. Ask for the information to be repeated back \nto you and answer any questions the dispatcher may have. \nHang up the phone when all information is correct and \nverified.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9c62aad7-0b21-4683-b577-6ec80781fbaf": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 36 of 80 \n \n12. Wait with the person until EMS arrives. \n13. Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \n14. Call your head of school or appointee. The Department of \nGlobal Education can assist in contacting the necessary \ndistrict personnel and insurance providers. File an Overnight \nProgram Incident Report and Overnight Incident Log. \nPrincipal/Head of School: \n \nPhone Numbers: \nPrincipal Leader: \nDepartment of Safety Services: (617) 635-8000 \nDepartment of Global Education: \n \nAdditional Phone Numbers:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8cb5f956-f409-42d3-ad96-e763a229db52": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 37 of 80 \n \nPARENTAL AUTHORIZATION FOR DOMESTIC \nOVERNIGHT FIELD TRIP \nASSUMPTION OF RISK, WAIVER, RELEASE, AND INDEMNITY \nHOLD HARMLESS AGREEMENT \nProgram Leaders: \nAccess the required Assumption of Risk, Waiver, Release, and \nIndemnity Hold Harmless Agreement template here. Please \nmake a copy of this template document before you edit the text \nin RED, and then share it with the Director of Global Education. \nThis document is to be reviewed by the Director of Global \nEducation & BPS Legal BEFORE sharing with parents/guardians \nfor signature** \nThis document is a requirement, and a binding legal document. \nShould you have any questions, please contact the Department \nof Global Education.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "33f51812-4462-4ce9-bc00-a46563cdff28": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 38 of 80 \n \nMEDICAL FORM OVERNIGHT TRIPS \nGENERAL INFORMATION \nIMPORTANT NOTES: \n\u2022 Students may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly \nand accurately so we may be in the best position possible to \nsupport you/your child. \n\u2022 Please indicate with an X HERE if you would like to \nschedule a meeting with the program leader of the trip to \ndiscuss your child\u2019s medical or mental health. \n\u2022 To participate in a domestic overnight trip, a copy of the \nstudent\u2019s current school year physical examination record \nmust be on file at the school in order to participate on an \novernight field trip. If traveling internationally, all students \nmust visit their primary care doctor prior to traveling and be \ncurrent on all immunizations and vaccinations for the U.S. in \naddition to the recommended immunizations and \nvaccinations for the locations/country(s) to be visited.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "13af51d2-5be3-4b84-93da-4c8d2fabec10": { + "page_content": "current on all immunizations and vaccinations for the U.S. in \naddition to the recommended immunizations and \nvaccinations for the locations/country(s) to be visited. \n\u2022 To be completed by the parent/guardian of the BPS student.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1b1d1d2c-a33d-4947-a264-f4d7112abb5b": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 39 of 80 \n \nSTUDENT INFORMATION \n \nStudent\u2019s Full Name: \n \n \nDate of Birth: \n \n \nCountry of Origin: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d0de1073-956d-4536-912b-ca9ac7237fa5": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 40 of 80 \n \nEmergency Contact # 1 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail: \nEmergency Contact # 2 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1582809a-cc66-4114-a10f-0010603c3675": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 41 of 80 \n \nMEDICAL FORM OVERNIGHT TRIPS \nSTUDENT HEALTH QUESTIONS \nIMPORTANT NOTES to be completed by the parent/guardian of \nthe BPS student at least two months in advance of trip: \n1. Primary care physician\u2019s name and contact information (in \ncase of an emergency): \n \n \n2. Health insurance provider\u2019s name, policy #, and contact \ninformation (in case of emergency): \n \n \n3. Insurance provider claim instructions/procedures (in case of \nemergency): \n \n \n4. The student has the following health conditions and/or \nallergies of which BPS should be \naware: \n \n \n5. Physical health conditions: \n \n \n6. Behavioral/mental health conditions: (e.g., depression, \nanxiety, etc.) \n \n \n7. Allergies (food, medication, insects, plants, animals, etc.):", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a132609b-bcbc-4120-872e-fbbba24b6c6d": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 42 of 80 \n \n8. The student takes the following medications (including \nover-the-counter and herbal) and/or prescriptions of which \nBPS should be aware. (Be sure to complete the Medical \nAdministration Form): \n \n \n9. If medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken \nand the time at which it may be given again. \n \n \n10. Is there any factor that makes it advisable for your child to \nfollow a limited program of physical activity? (i.e., asthma, \nrecent surgery, heart condition, fear, etc.) If yes, specify the \nways in which you wish their program limited. If the student \nhas asthma, please attach the asthma action plan to this \nmedical form. \n \n \n11. Are there any activities on the itinerary that your child \ncannot or should not do? \n \n \n12. Other than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "cc80c5d0-c725-4ecf-998b-e319443bede0": { + "page_content": "cannot or should not do? \n \n \n12. Other than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e8a50e27-dbc5-442c-a538-3e8bb63e3329": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 43 of 80 \n \n13. Other than a yearly physical, has the student been under a \nphysician\u2019s or other medical professional\u2019s (e.g., social \nworker, therapist, etc.) care anytime in the last year. If yes, \nplease detail the reason and dates of treatment. \n \n \n14. Please list any hospital, treatment center, surgical, \npsychiatric, or urgent care visits within the last year: (Please \nspecify the date, the reason, the physician or professional \nseen, and the length of stay.) \n \n \n15. Additional information of which BPS should be aware \nconcerning student\u2019s health:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "69e20fc4-4348-49d1-b345-35f99ab58034": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 44 of 80 \n \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate \nservices and understand that chaperones will consult with \nthe school nurse about each student's health so they will be \nin the strongest position to support you/your child on this \nprogram. \n \n \n \nStudent Signature, if at least 18 years of age Date \n \n \n \n \nParent/Guardian Signature, if the student Date \nis under 18 years of age \n \n \n\u25aa If necessary, attach the doctor\u2019s letter to this form. \n\u25aa If necessary, attach the asthma action plan to this form. \n\u25aa If necessary, attach the diabetes action plan to this form. \n\u25aa If necessary, attach copies that document student shots \nand immunizations to this form.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c4711ee9-345c-47ef-ab1c-84f7bf2064a1": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 45 of 80 \n \nMEDICAL FORM: OVERNIGHT TRIPS \nMEDICATION ADMINISTRATION \n \n*Please send only essential medications with your student \non this trip. \n \n \nStudent Name: \n1. Name of Medication: \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n2. Name of Medication: \n \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "355fe5fd-52c8-4f1f-8944-b31fe65b0b77": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 46 of 80 \n \n3. Name of Medication: \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n4. Name of Medication: \n \nTime(s) to be taken: \n \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n \n \nAdditional information/special instructions:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c2bf610a-aece-48e2-b690-9e22615596ae": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 47 of 80 \n \nI authorize my child to take the above medications on this trip. \n \n \n \n \n \nStudent Signature, if at least 18 years of age Date \n \n \n \n \nParent/Guardian Signature, if student is Date \nunder 18 years of age", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "580d9cf4-97b3-4325-9074-79e248c39e7a": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 48 of 80 \n \nTRAVEL CONSENT FORM (PAGE 1) \n \nThe parties to this agreement are: \nParent/ Legal Guardian: (hereinafter referred to as \u201cthe \nparent/guardian\u201d) \n \nFirst and Last Name: \n \nPhysical Address: \n \nContact Details: \n \nChild: (hereinafter referred to as \u201cthe child\u201d) \n \n \nFirst and Last Name: \n \nBirthdate: \n \nTraveling Guardian(s) and Contact Details: (hereinafter referred \nto as \u201cThe Traveling Guardians\u201d) \n \n \nFull Name: \nAddress: \nContact Details:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8092e067-3bb0-4301-b757-53c7f10d3dd6": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 49 of 80 \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 2) \n \n1. I hereby authorize the child to travel with the traveling \nguardians to the following destination: \n2. The period of travel shall be from to \n . \n3. Should it prove to be impossible to notify the parent/ \nguardian of any change in travel plans due to an emergency \nor unforeseen circumstances arising, I authorize the \ntraveling guardian to authorize such travel plans. \n4. Should the traveling guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it \nadvisable to make special travel arrangements for the child \nto be returned home due to unforeseen circumstances \narising, I accept full responsibility for the additional costs \nwhich shall be incurred thereby. \n5. I indemnify the traveling guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3707df47-7652-4fc1-9713-1d5b5f575a93": { + "page_content": "which shall be incurred thereby. \n5. I indemnify the traveling guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims \narise from negligence, gross negligence, or willful intent \nduring the specified period of this travel consent. \n6. I declare that I am the legal custodian of the child and that I \nhave the legal authority to grant travel consent to the \ntraveling guardian of the child. \n7. Unless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "dcaff38d-f986-40d2-ae9b-6550f58516a3": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 50 of 80 \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 3) \n \n \nSigned at on the day of \n , 20 . \n \nSignature (Parent/ Guardian) \nSignature (Witness 1) \nSignature (Witness 2) \n*Witness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this day of , 20 , before me, \nthe undersigned authority, personally appeared and proved to \nme through satisfactory evidence of identity, to wit, to be the \nperson(s) whose name(s) is/are signed on the attached \ndocument and who signed in my presence. \n \n \nOfficial Notary Signature: \n \n \nName of Notary Typed, Printed or Stamped: \n \n \nCommission Expires:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "adfc48f5-3d75-4626-80d1-bf0c3d34bad3": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 51 of 80 \n \nSTUDENT SUPPORT DURING DOMESTIC OVERNIGHT \nPROGRAMS FORM (RECOMMENDED) \n \n \nNote: This form is to be completed by students who intend to \nparticipate in an overnight program. The information is \nconfidential and will be used by program leaders to better \nunderstand and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: \n \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \n1. What are you nervous about? \n \n \n \n \n2. What are you excited about? \n \n \n \n \n3. What scares you about the trip location or activities \n(itinerary)?", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "823e0bda-3e73-439f-86c9-2bdc51f41f8c": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 52 of 80 \n \n4. When in a new environment, I get anxious when\u2026 \n \n \n \n \n5. When in a new environment, I get upset when\u2026 \n \n \n \n \n6. In order to get the most learning and benefits from \nthis experience, I will need\u2026", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e62cc363-4a30-4b37-b6e1-0640276fd913": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 53 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \n \nA. Complete all Fields: \nSchool/s: \nDate of Report: \nCountry: \nIncident Date and Time: \nReporting Chaperone: \nB. Complete all Applicable Fields: \n \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "99382eb2-f2a8-4c71-a57d-027ad6e15a06": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 54 of 80 \n \nDomestic Overnight Programs Incident Report (page 2) \n \nC. Nature of Incident (check all that apply) \n \n\uf06f Injury \n\uf06f Equipment Fail \n\uf06f Behavioral/ \nPsychological \n\uf06f Illness \n\uf06f Missing/Separa- \nted Person \n\uf06f Natural Disaster \n\uf06f Physical Assault \n\uf06f Sexual \nAssault \n\uf06f Theft \n\uf06f Property \nDamage \n\uf06f Sexual \nHarassment \n\uf06f Fatality \n\uf06f Crime \n\uf06f Political \nUpheaval \n\uf06f Disease \nOutbreak \n\uf06f BPS Code \nof Conduct \nviolation \n\uf06f Other: \n \n \nD. Narrative (Using facts, describe what happened):", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "61ed43af-c836-460e-85e2-bc13a17e5548": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 55 of 80 \n \nDomestic Overnight Programs Incident Report (page 3) \n \nE. Activity at Time of Incident (check all that apply) \n \n\uf06f Class time \n\uf06f Service \n\uf06f Homestay \n\uf06f Traveling \n\uf06f Fieldtrip \n\uf06f Camping \n\uf06f Hike/Jog/Walk \n\uf06f Swimming \n\uf06f Water Activity \n\uf06f Other: \n \n \nF. Contributing Factors (Check all that apply) \n \n\uf06f Not disclosed in \nmedical form \n\uf06f Sports/Recreation \n\uf06f Animal/Insect/Plant \n\uf06f Pre-Existing \nCondition \n\uf06f Alcohol/Drugs/ \nMedication \n\uf06f Motor Vehicle \n\uf06f Weather/Terrain \n\uf06f Pre-Course Info \n\uf06f Orientation/ \nTraining \n\uf06f Political/ \nCultural/ \nLanguage \n\uf06f Other", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c01da78b-a8b3-4868-9193-e5de8bbb3673": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 56 of 80 \n \nDomestic Overnight Programs Incident Report (page 3) \n \nG. Action Taken Details \nFirst Aid \nWhen \nBy Whom \n \nType (i.e., medication, CPR, \netc.) \n \nEmergency Evacuation \nVisit Medical Facility \nName of Facility \nDoctor/PA/Nurse \nReported Diagnosis \nMedication Prescribed \n \nEmergency Contact Person \nNotified? \n\u2610 Yes \u2610No Name: \nDate and Time Contacted: \nNotes:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "365d9b04-2c15-4679-ae9a-d7685fa611ae": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 57 of 80 \n \nG. Action Taken Details \nDepartment of Global \nEducation (DGE) Contacted? \n\u2610 Yes \u2610No \nName: \nDate and Time DGE Contacted: \nNotes: \nInsurance Contacted? \u2610 Yes \u2610No \nName: \nDate and Time Contacted: \nClaim #: \nNotes: \nLocal Authorities Notified? \u2610 Yes \u2610No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "17d70193-4aec-4e6b-a066-857fb9b11ce8": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 58 of 80 \n \nG. Action Taken Details \nFollow-up Plan Details: \n \n \n \nSignature of Reporting Chaperone: Date: \nFile this Overnight Incident Programs Report along with \nany accompanying reports/documents from local law \nenforcement, medical professionals, and/or International \nPrograms Witness Report via email if possible OR as soon \nas circumstances permit. Turn in the original report to the \nDGE as soon as you return to Boston. Incident reports \nrequire at least one witness signature, and where possible \nthe signatures of all impacted participants.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f0f73e3b-cd8b-49b8-bea4-a03a7c12b95a": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 59 of 80 \n \nDomestic Overnight Programs Incident Report (page 6) \n \n \nWitness Signature Date \nSignatures of those impacted: \n1. Date: \n2. Date: \n \n3. Date: \n4. Date:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "4c942720-bbd4-48f4-b517-e5eae3af7840": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 60 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \n \nWitness Statement of [Name]: \nPhone Number: \nAddress: \n \n \n \nDescription of Incident: \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nI believe the contents of this statement are true. \nSignature: Date:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f5fd1d0b-dfb8-4eb1-ac0d-f4c162be192c": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 61 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS \nINVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \n \nEvent Time Location Parties \nInvolved \nSource of \nInformation", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1f475ee9-a43b-403b-ab07-ea6dee8c5f29": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 62 of 80 \n \nEvent Time Location Parties \nInvolved \nSource of \nInformation \n \n \n \n \n \n \n \n \nSignature of Investigator Date", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "bec4fc12-a3a7-4f4c-8a34-c227176b8eb5": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 63 of 80 \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health \nrelated incidents requiring further monitoring and/or \nevacuation. SOAP Notes should be attached to the \ncorresponding Incident Report. \n \nSubjective: What the patient tells you; note the chief \ncomplaint(s): \n \n \n \n \n \n \nObjective: What you see; vital signs; general survey of patient: \n \n \n \n \n \n \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \n \nAnticipated Problems:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "eee39e68-5a00-4d0d-ab23-e4235d9d9b84": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 64 of 80 \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n \n \n \n \n \n \nReporting Chaperone Date \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7b33048a-04da-45b9-9558-688ffeb63b5c": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 65 of 80 \n \nFIRE PREVENTION AND SAFETY PRACTICES \nOVERNIGHT PROGRAMS \nFire safety plans on overnight and international programs \ndiffer from the procedures set for our schools. The laws that \nregulate fire prevention may differ from what exists in \nMassachusetts. The steps below must be followed on all \novernight and international programs: \n1. Conduct a fire prevention assessment. \nThe program leader must conduct a fire safety \nprevention assessment using the Fire Prevention and \nSafety Form (Attachment A) within 24 hours of arrival. \nUsing the Fire Prevention and Safety Form, the \nprogram leader shall formulate a plan for the \nevacuation of all persons on the trip in the event of a \nfire or other emergency. This plan shall include \nalternate means of egress and should be created in \nconsultation with an accommodation staff person, and \nif applicable, the third-party provider. \n2. Prepare Chaperone Team on fire prevention strategy.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a279b1bc-3498-4479-a164-d44558fb9b94": { + "page_content": "consultation with an accommodation staff person, and \nif applicable, the third-party provider. \n2. Prepare Chaperone Team on fire prevention strategy. \nBased on the results from the Fire Prevention and \nSafety Form, the program leader should ensure that \neach staff member receives and understands the fire \nprevention landscape and has instructions on the fire \ndrill procedure created for the accommodation. \nQuestions to review include: \na. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a69ff913-18a9-43fe-b0c9-ef107f9bf30e": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 66 of 80 \n \nand all places where the group may congregate. Use \nthe hotel\u2019s posted evacuation routes if applicable.) \nb. Where is the designated meeting point? (This \nmeeting point should be a safe distance from the \nbuilding, but easy for the group to identify and \nlocate.) \nc. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and \nshould serve as the contact person for emergency \npersonnel.) \nd. What are some hazards that students and \nchaperones should be aware of? \ne. What happens in the case of a missing person? \n3. Review prevention strategy with students and conduct a \nfire drill. \nThe lead chaperone and the chaperone team will \nreview the fire prevention strategy and conduct a fire \ndrill (walkthrough) with the students within the first 24 \nhours of the trip. Conducting a fire drill (walkthrough)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "ad937a96-91a0-4942-bbab-c52c8f5bc1dc": { + "page_content": "review the fire prevention strategy and conduct a fire \ndrill (walkthrough) with the students within the first 24 \nhours of the trip. Conducting a fire drill (walkthrough) \nis important as participants are unfamiliar with the \nbuilding. \nInstructions for fire drills: \nSince each accommodation is different, each plan and \ndrill will vary. Regardless of the accommodation, it is \ncritical that a procedure is in place for evacuating the \nbuilding, each chaperone knows their responsibilities, \nevery student participates in the fire drill", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b9214cc9-1a82-4335-9ef2-4b29b8e637c0": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 67 of 80 \n \n(walkthrough), and each person knows the meeting \nlocation when evacuated from the building. Please \nnote: A fire drill as defined here is a walkthrough of the \nroute the group will take to exit the premises in the \nevent of an emergency. \nA few general instructions: \n\u25cf Evacuate immediately. \n\u25cf Do not use elevators during a fire evacuation. \n\u25cf Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n\u25cf Make sure all students know all possible exits from \ntheir area and that students know where the meeting \nlocation is outside of the building. \n\u25cf Fire drill plans must ensure adequate procedures for \nthe emergency evacuation of students and staff with \ndisabilities. (Have a staging location for students/staff \nwith disabilities and make sure hotel/hostel personnel \nare also aware.) \n\u25cf Chaperones are responsible for students under their \nsupervision and must take attendance.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5c31b59e-9076-4458-bdd6-bcb825e961d1": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 68 of 80 \n \n\u25cf Upon the evacuation of a building, no person or \npersons shall re-enter the building without the \nauthorization of the lead chaperone. The lead \nchaperone, as a part of their fire drill procedures, must \nestablish a command procedure for such evacuations. \n4. Conduct a post-fire drill debrief. \nAfter the fire drill, the chaperone team should set aside \ntime to debrief. Record response on Attachment A.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "93417d05-4808-48a9-aefe-60da75f976e7": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 69 of 80 \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nFor each accommodation, please complete and, upon your \nreturn, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept \non file for the current fiscal year plus three additional years \nafter the field trip has occurred. \n \nBUILDING: \nProgram Leader: \nDate of the Safety Prevention Assessment: \nName/s and Titles of Staff Consulted for Assessment: \n \n \n(accommodation staff/ program provider staff) \n \n \nOUTSIDE THE BUILDING: \nList the possible hazards in the area: \n \n \n \n \nCan the accommodation be accessed by a fire department \nor emergency team? \uf06f YES \uf06f NO", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "9fbf837b-fd25-453f-a7a2-9e531741a9e5": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 70 of 80 \n \nINSIDE THE BUILDING \nEquipment: \nDoes the building have fire alarms? \u2610 YES \u2610 NO \nAre there fire sprinklers? \u2610 YES \u2610 NO \nIf yes, where are they located? \n \nIs there adequate lighting in the corridors? \n \n\u2610 YES \n \n\u2610 NO \nAre there clear exit signs? \u2610 YES \u2610 NO \nAre there fire alarm pull stations? \u2610 YES \u2610 NO \nAre the fire alarm pull stations visible and \naccessible? \n \n\u2610 YES \n \n\u2610 NO \nAre there fire extinguishers? \u2610 YES \u2610 NO \nIf yes, where? \n \nAre there smoke detectors in the corridors and in \n \nevery room where participants are staying? \u2610YES \u2610NO \n \n \nHazards: \nList the potential fire hazards at the site: \n \n \n \n \nAre there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, blocked", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2afbda94-76f5-430e-92a9-2a6f5e38ff14": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 71 of 80 \n \nstairways, burned-out exit lights, or missing/broken fire \nequipment? \u2610 YES \u2610 NO \nMeans of Evacuation/Egress: \nDoes the facility have an evacuation plan for \neach room? (If not, be sure that when you \nconduct a fire drill (walkthrough) that you \ndevelop a plan for leaving the room.) \n \n \n \n\u2610 YES \n \n \n \n\u2610 NO \nWhat are the means of egress? \n \nAre there primary exits and alternate exits? \n \n\u2610 YES \n \n\u2610 NO \nNote locations: \n \nFIRE DRILL/WALKTHROUGH PLAN: \n \n(Please record notes below.)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5692c975-bab1-47bd-9a84-31e172627db9": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 72 of 80 \n \nPOST-DRILL DEBRIEF: \nDate and time of the fire drill: \n \n \nDid the students and chaperones follow the procedures of the \nfire drill? If no, why not? \u2610YES \u2610NO \n \n \n \n \nBased on this debrief, either inform the students of your \nfindings for adjustments or, if necessary, conduct another \nfire drill. Once the safety review and drill are completed, \nplease sign below. \n \nSignature of Program Leader:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "686d03ea-763d-44c9-b764-be5997595223": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 73 of 80 \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT \nFOR DOMESTIC OVERNIGHT TRAVEL \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. \nStudents: your signature on this contract seals your commitment \nto follow behavior expectations leading up to, and during your \nschool trip. \n \nSTUDENTS: \nBefore I go on the trip: \n\u25cf I understand that my acceptance to a trip prior to departure \ndoes not guarantee that I will be allowed to attend. \n\u25cf I have access to my school's handbook which includes all", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2a0e4da8-c05f-4bf0-9285-3e4848992a91": { + "page_content": "\u25cf I understand that my acceptance to a trip prior to departure \ndoes not guarantee that I will be allowed to attend. \n\u25cf I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n\u25cf I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n\u25cf I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n\u25cf I will not violate the BPS Code of Conduct.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "3e610820-856d-412e-8974-06f0e92161b8": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 74 of 80 \n \n\u25cf I will not distribute or consume alcohol or drugs (including \nedibles) and/or encourage actions that are against the BPS \nCode of Conduct or law. \n\u25cf I will not pack any illegal or inappropriate items (i.e., items in \nviolation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n\u25cf I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as completed \nprojects, journals, and service hours. \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWhile I am on the trip: \n\u25cf I will not violate the BPS Code of Conduct. \n\u25cf I will ask for help from the adults when needed.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "84e7f85d-ccf4-4d38-9b63-80a7d4bf2360": { + "page_content": "allowed to participate in the international trip program. \nWhile I am on the trip: \n\u25cf I will not violate the BPS Code of Conduct. \n\u25cf I will ask for help from the adults when needed. \n\u25cf I will treat my peers, all adults, and all people with the \nutmost level of respect. \n\u25cf I will not purchase, distribute, or consume any illegal or \ninappropriate items (i.e., items in violation of BPS Code of \nConduct, including but not limited to: weapons, alcohol, \nedibles, drug paraphernalia), even if these substances are \nlegal in the state or foreign country, or I am of legal age in \nthe foreign country.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "afd25880-29b5-445a-bf90-a4753fbaedc5": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 75 of 80 \n \n\u25cf I will use social media responsibly during the trip and will \nnot post or communicate any information regarding other \nstudents during an emergency. \n\u25cf I will abide by the established curfew and sleep alone in my \nassigned bed and sleeping location each night. \n\u25cf I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n\u25cf I will obey the BPS dress code, as well as the suggested \nattire for the foreign country and specific sites and locations \nwithin the foreign country I will visit. \n\u25cf I will not share any medication with anyone on the trip. \n\u25cf I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (e.g., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6938c97b-df7b-4faf-a158-5bb0d4f48069": { + "page_content": "depression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and \nconsideration for others and their property. \n\u25cf I understand that I am responsible for keeping my passport, \nimportant belongings, and other travel documents safe. \n\u25cf I understand that partaking in any illegal activity abroad can \nresult in my arrest. \n\u25cf I understand that if an issue of any kind arises, my \nchaperone will address the issue, and their decision is final.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e7d6b027-4331-45dc-8fb6-61e096c34f98": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 76 of 80 \n \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n1. The BPS Code of Conduct applies to all field trips. Following \nan investigation, if the program leader, in consultation with \nthe principal/head of school and Central Office staff, \ndetermines that a student\u2019s conduct while on an overnight \ntrip poses a risk to themselves, or the safety of the group, or \nis no longer manageable by BPS staff in the field, the district \nreserves the right to request and arrange for that student to \nreturn home. The district also reserves the right to request \nthat families assume responsibility for all or a portion of the", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "abd97bba-a497-4d7e-9864-3a5aba2c75b7": { + "page_content": "reserves the right to request and arrange for that student to \nreturn home. The district also reserves the right to request \nthat families assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n2. If a student is to be dismissed from an overnight field trip \ndue to behavior that violates the BPS Code of Conduct while \nparticipating in a domestic overnight trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed- \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at \nthe airport or other agreed-upon destination. Students \nunder the age of 16 must be accompanied on their flight by", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b15bd8cd-b49e-4d99-a42e-4808f4121094": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 77 of 80 \n \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n3. Parents or students who sign contracts and/or agreements \nwith third-party company vendors acknowledge that \noutside companies\u2019 protocols and procedures might differ \nfrom BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS \nis not responsible for money paid to third-party vendors. \n4. BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances, all families will be \nnotified immediately. \n \n \n(Families: Keep this page.)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "eb23ae86-bb11-4f44-aab3-76a3ae0dd9f8": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 78 of 80 \n \n(Program leaders: Keep this page.) \n \n \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & \nFamily Agreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \nPARENT/GUARDIAN (print name): \n \nPARENT/GUARDIAN (signature) \nDATE \nPHONE NUMBER: \nSTUDENT (print name): \n \nSTUDENT (signature): \nDATE: \nPHONE NUMBER: \n \n \n(Students: Return this page to your program leader.)", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "028ee63f-3500-4bb2-9318-bfc317652034": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 79 of 80 \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: \n \nDestination: \n \nDeparture Date: Return Date: \n \n \nAll chaperones must agree to abide by the following code of \nconduct in order to participate in a BPS-sponsored field trip. \n \nSAFETY & RESPONSIBILITY \nI understand that my safety and the safety of other \nparticipants are extremely important during this field trip, \nand I agree to make safety my first priority. I agree to \nconduct myself in a manner that promotes my safety and \nthe safety of others at all times. I understand that \nmaintaining students\u2019 safety requires that students must be \nsupervised by me and/or other chaperones at all times \nwhile students are engaged in field trip activities. For \novernight and international field trips, I understand that", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "c61e3eda-0c30-440e-bd53-af7f646e6968": { + "page_content": "supervised by me and/or other chaperones at all times \nwhile students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake-up calls for students, are part of my \nresponsibility. I agree to follow BPS policies, protocols, and \nguidance of BPS staff when in the field.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7aec592f-723d-4703-a61a-4e9c5dfc0a28": { + "page_content": "Superintendent\u2019s Circular CAO-24 \nPage 80 of 80 \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits \nstudents from possessing, using, selling, and/or distributing \nany of the following on all domestic and international field \ntrips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, \nuse, or distribution of over-the-counter medication, and \nselling of prescription drugs. The Code also prohibits the use \nof tobacco products (including e-cigarettes, hookah \nparaphernalia, and vapor cigarettes). I understand that \nthese prohibitions apply to all students, regardless of age. \nI understand that I am forbidden to use or visibly be in \npossession of tobacco in the presence of students. I also \nunderstand that the use of all other drugs, including \nalcohol, and weapons are strictly prohibited on the field trip.", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "d67f0976-7095-488c-9a16-f75cc95b8997": { + "page_content": "possession of tobacco in the presence of students. I also \nunderstand that the use of all other drugs, including \nalcohol, and weapons are strictly prohibited on the field trip. \n \n \nChaperone Name (Printed): \n \nChaperone Name (Signature): \n \nDate:", + "metadata": { + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines.pdf", + "source_link": "https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "04f1c342-caee-4c21-b98d-e636d8b64940": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-01 \nVersion 01 \n \nPROMOTION POLICY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBoston Public Schools students are the leaders, scholars, \nentrepreneurs, advocates, and innovators of tomorrow. BPS will \nensure that 100% of those students are ready for college, career, \nand life. We will ensure that every graduate: \n\u25cf is a proficient reader, communicator, problem-solver, and \ncritical thinker; \n\u25cf demonstrates the habits of mind and work required for \nsuccess in school and the world of work; \n\u25cf knows how to acquire knowledge, connect it to familiar \nconcepts and prior knowledge, and apply it, using \nsophisticated technologies; \n\u25cf has mastered key skills and understands important \nconcepts from English Language Arts, Mathematics, Science \nand Technology, History and Social Science, at least one \nWorld Language, the Arts, Health, and Physical Education;", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1b248cc1-ea44-4a57-8a04-f23b161f6846": { + "page_content": "concepts from English Language Arts, Mathematics, Science \nand Technology, History and Social Science, at least one \nWorld Language, the Arts, Health, and Physical Education; \n\u25cf has applied these concepts in real-life contexts; and \n\u25cf has made a valued contribution to the school and \ncommunity.", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a33af3ce-a07c-474a-8903-9d7c09da3e5a": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 2 of 10 \n \n \n \nThese expectations frame the teaching, learning, and assessment \nprocess. They are critical to lifelong learning and essential to \ngaining students\u2019 commitment to the learning process. \n \nRESPONSIBILITIES AND ACCOUNTABILITY \nEvery teacher, administrator, parent, and adult involved in the \nlives of our students share in the responsibility to ensure that all \nstudents meet these expectations. \nThe Boston Public Schools: \nSchools, and the adults who work in them, are accountable for \nensuring every student learns in an environment that is safe, \nwelcoming, and sustaining; receives quality instruction that is \nresponsive to their strengths and needs; and receives timely \ninformation about their progress. \nFamilies and Students: \nFamilies are responsible for ensuring their children come to \nschool each day, on time, ready to learn. Every student is also \nresponsible for coming to school and class prepared and on time,", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "a43cf5a2-ad87-4287-809a-a099030f7e5f": { + "page_content": "Families are responsible for ensuring their children come to \nschool each day, on time, ready to learn. Every student is also \nresponsible for coming to school and class prepared and on time, \nworking hard, and contributing to the school environment in a \npositive, responsible manner.", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "222ad712-79ce-4b44-8ef9-719560a2fe46": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 3 of 10 \n \n \n \nTHE BPS PROMOTION POLICY \nThis promotion policy has been developed in alignment with the \nBPS Opportunity and Achievement Gap Policy which states in its \npreamble: \u201cEvery child, in every classroom, in every school of the \nBoston Public School system has the same opportunity to \nachieve the greatness within them as anybody else. Every child \nhas the same unfettered access to every conceivable tool to \nunlock the greatness within them.\u201d The BPS Promotion Policy \noutlines the expectations for school teams that ensure that \nstudents have access to every conceivable tool that will support \nthem to meet grade-level learning expectations before \nconsidering the possibility of retention. \nBPS school teams and individual educators must provide all \nstudents with access to high-quality, differentiated, and relevant \ntier 1 instruction that is aligned with grade-level standards and", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "21f1d8e0-9873-4c7a-8b05-60e5d3e7fd0c": { + "page_content": "BPS school teams and individual educators must provide all \nstudents with access to high-quality, differentiated, and relevant \ntier 1 instruction that is aligned with grade-level standards and \nimplemented through high-quality materials. School teams and \nindividual educators must monitor student progress towards \ngrade-level expectations through formal and informal data \ncollection and make ongoing adjustments to instruction to \nrespond to evidence of student learning. School teams and \nindividual educators must ensure that all students have access to \ntiered supports that provide appropriate scaffolds and instruction \nso that students are able to develop grade-level knowledge and \nskills. \nIn cases where it is determined that a student may not, with all \navailable supports provided, develop the necessary grade-level \nknowledge and skills by the end of the school year, a school \nteam, including the student, family, teachers, and the school", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "03a447b1-9832-4169-9561-599ec3abdd6a": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 4 of 10 \n \n \n \nleader, will collectively make decisions regarding student \npromotion. If the team is unable to come to a decision or any \nmember would like to dispute a decision, the Chief of Teaching \nand Learning may be brought in to support the decision-making \nprocess. Principals and heads of school have the final authority \nfor all promotion decisions. School teams must make decisions \nbased on the following principles: \n\u25cf ensure promotions are earned and based on academic \nachievement \n\u25cf diminish grade retentions to the greatest extent possible \n\u25cf ensure students will enter classrooms with the skill and \nknowledge necessary to do grade-level work or have the \nnecessary supports to accelerate learning \n\u25cf ensure students are prepared to demonstrate proficiency on \nthe Massachusetts Comprehensive Assessments \n\u25cf establish a process that supports students and demands \nhard work from them", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "2cfa3f89-aed0-4744-a5f7-259cb372b065": { + "page_content": "\u25cf ensure students are prepared to demonstrate proficiency on \nthe Massachusetts Comprehensive Assessments \n\u25cf establish a process that supports students and demands \nhard work from them \n\u25cf recognize that students learn at different rates and call for \norganizational structures that respond to students\u2019 \ndifferences \n\u25cf define those inputs and outcomes for which teachers, \nadministrators, parents, and students are accountable.", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "be8c5d4b-32f8-4505-b0b4-8c3e107cb455": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 5 of 10 \n \n \n \nPROMOTION REQUIREMENTS FOR ALL GRADES \nStudents must fulfill several requirements to be promoted to the \nnext grade. All students must earn passing grades in core \nacademic courses and maintain good attendance. Schools may \nestablish promotion requirements that exceed those listed. The \nSchool Site Council must approve these additional requirements. \nHigh school students must pass courses that align to the BPS \nGraduation Policy (CAO-07) in order to earn the credits necessary \nto graduate. \n \nENGLISH LEARNERS \nStudents in programs for English learners must meet promotion \nand graduation requirements. However, EL students may not be \nretained in grade if the only reason for not passing the required \ntests is a lack of language knowledge. \n \nSTUDENTS WITH DISABILITIES \nStudents with disabilities are expected to meet promotion and \ngraduation requirements. A student\u2019s Individualized Education", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "896f98a9-b16f-4f2b-991e-816eea577d33": { + "page_content": "tests is a lack of language knowledge. \n \nSTUDENTS WITH DISABILITIES \nStudents with disabilities are expected to meet promotion and \ngraduation requirements. A student\u2019s Individualized Education \nProgram (IEP) or Section 504 plan will describe the conditions \nunder which the student will take standardized tests for each \nsubject scheduled for assessment or if the student requires an \nalternate assessment. Alternate assessments are intended for a \nminimal number of students with significant disabilities who are \nunable to take standard MCAS tests, even with accommodations.", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "674070e5-b9f3-4904-86f8-2fa3180a8207": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 6 of 10 \n \n \n \nA student\u2019s 504 plan will describe what, if any, testing \naccommodation will be needed. \n \nREQUIRED PROCESS \nPrincipals and heads of school are responsible for effectively \nimplementing the following process: \n1. Parents must be notified by the end of September of the name \nand phone number of the school staff member (in addition to \ntheir child\u2019s teachers) they should call about concerns related \nto their child\u2019s academic progress. Parents should also be \ninformed that if they ever have a concern about their child\u2019s \nacademic progress, they should notify the appropriate teacher \nand principal/head of school (or the designated administrative \nliaison to parents). \n \n2. If by mid-October, a teacher considers a student at-risk of not \nmeeting the subject or grade-level standards, the teacher will \nnotify the parent immediately, in writing, and refer the student \nto the appropriate administrator, guidance counselor, or", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5960bb8b-e8e7-4ff8-9b33-59b86d8c0a4b": { + "page_content": "meeting the subject or grade-level standards, the teacher will \nnotify the parent immediately, in writing, and refer the student \nto the appropriate administrator, guidance counselor, or \nstudent support services personnel. \n \n3. When a student has been identified as at-risk of not meeting \nsubject or grade-level standards, the principal/head of school, \nteacher(s), and other designated staff will work with parents \nand the student to resolve any problems. They may consider a \nvariety of options, including:", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "b63d0076-a165-4e09-bca4-c3c982fa939c": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 7 of 10 \n \n \n \n\u25cf tiered academic or social emotional supports \n\u25cf examining and altering current instructional strategies or \nmaterials \n\u25cf tutoring (during or after school) \n\u25cf a change in schedule \n\u25cf a change in teacher \n\u25cf referral to other support, social service, or health-related \nservices \n\u25cf problem-solving with other students or individuals who may \nhave an impact on the students\u2019 achievement. \n \n4. If by the close of the first marking term, the problem persists \nand the student remains at-risk for retention, additional \noptions will be considered, including: \n\u25cf referral to the school\u2019s Student Success Team (SST) \n\u25cf referral to safety net or alternative programs for more \nintensive services \n\u25cf access to additional instructional time (during the day, \nextended day, or summer school) \n\u25cf referral to special education, where necessary and \nappropriate, to determine evidence of a disability (pre-", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "50f77a46-243a-41db-8211-3ec91adc9a5f": { + "page_content": "extended day, or summer school) \n\u25cf referral to special education, where necessary and \nappropriate, to determine evidence of a disability (pre-\nreferral documentation must provide evidence that other \ninterventions have been attempted).", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8404a8b5-438c-4175-b622-5b79794ac28d": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 8 of 10 \n \n \n \nParents will be engaged in consideration of additional \nintervention strategies and will be informed, in writing, of any \ndecisions that result. Parents may request a referral for special \neducation services in any case. The final determination of \nappropriate services will rest with the appropriate (IEP or \nSection 504) team. \n \n5. Only when all other interventions have been unsuccessful and \nthe student has not made sufficient academic progress during \nthe course of a school year will the student be considered for \nretention. All potential retentions will be reviewed by a \nPromotion Review Team, including the principal/head of \nschool (or designee), a guidance counselor or student support \nteam member, at least one of the student\u2019s teachers, and the \nchild\u2019s parent. \n \n6. The review team will include the liaison teacher for any \nstudent with an IEP, and a bilingual teacher, counselor, or", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "50843845-9f83-4356-b606-a2022e9f8de2": { + "page_content": "child\u2019s parent. \n \n6. The review team will include the liaison teacher for any \nstudent with an IEP, and a bilingual teacher, counselor, or \nadministrator for any student enrolled in a transitional \nbilingual program. \n \n7. By the end of January, formal, written notices must be sent to \nparents of students who remain at risk of being retained. The \nPromotion Review Team will meet in February and again \nbefore the end of the year to review and make decisions on \nstudents who are at risk of being retained. Principals and \nheads of school have the final authority for all promotion \ndecisions.", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "7a8719fd-64eb-40df-bafd-f1e115aa0d78": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 9 of 10 \n \n \n \n8. During the period from February through June, schools must \nmaintain written, bimonthly contact with parents who were \nsent formal, written notices to apprise them of their child\u2019s \nprogress. Copies of these notifications must be kept on file. \n \n9. Any student who is retained, or remains at-risk even though \nthey were promoted, will be provided with additional support, \nincluding tutoring during the subsequent school year. \n \nHOME-SCHOOL PARTNERSHIPS \nThe success of many students receiving transition support \ndepends on the engagement of their parent(s) in their education. \nSchools implement a variety of strategies to help parents \nbecome successful partners in their children's development. \nThese efforts are coordinated by the school\u2019s guidance and other \nsupport staff. \n \nCONNECTIONS TO COMMUNITY RESOURCES \nSchools will collaborate with community agencies, community", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "e8df8b42-fc8f-4d58-afd0-c6527824b614": { + "page_content": "These efforts are coordinated by the school\u2019s guidance and other \nsupport staff. \n \nCONNECTIONS TO COMMUNITY RESOURCES \nSchools will collaborate with community agencies, community \nschools, and higher education institutions to support students' \noverall literacy and math development, increase volunteer \ninvolvement in schools, and diminish the many health, social, and \nemotional problems that undermine success in school. These \nefforts are supported by the school\u2019s guidance and other support \nstaff.", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "f173273f-de71-49a0-81b7-4ec27f7a3284": { + "page_content": "Superintendent\u2019s Circular CAO-01 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington St., Boston, MA 02119 \nPhone: 617-635-9000 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-01 Promotion Policy.pdf", + "source_link": "https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "822d9fc1-d04b-4c99-b6ef-c7cd435be865": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-02 \nVersion 01 \n \n1 \nEMERGENCY MEAL PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n In the event of an unforeseen emergency, school staff must \nadhere to the following procedures to ensure meals are made \navailable to students in a safe and timely manner. \u201cEmergency\u201d is \ndefined as equipment breakdown, weather, facility issues, etc. or \na situation that prevents staff from serving safe meals during the \nallotted mealtimes scheduled. The procedures are: \n1. Principal or custodian should inform onsite food service \npersonnel that there is an emergency preventing the service \nof meals and approximately how long the emergency will \nlast. Often this is difficult to assess. However, if the \nemergency is anticipated to be longer than 60 to 90 \nminutes after the start of the school day, alternative meal \nservice plans need to be made to ensure students receive", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a4d5b9c2-e65a-41b7-8e7f-1090865e2eaa": { + "page_content": "emergency is anticipated to be longer than 60 to 90 \nminutes after the start of the school day, alternative meal \nservice plans need to be made to ensure students receive \nmeals in a safe and timely manner. \n2. The Food and Nutrition Services Department should be \ninformed immediately. The phone number is 617-635-9144. \nThe onsite Food Services Staff should also contact their \nrespective field coordinator. \n3. Once the Food and Nutrition Services Department is \nnotified about the emergency, a contingency plan that", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "ded73ecd-b388-4d72-b569-ffb6b1602285": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 2 of 9 \n \nincludes an alternate menu, mealtimes, or location will be \njointly decided upon. A substitute emergency meal (shelf-\nstable) which meets regulations may be provided if the \nemergency prevents access to the kitchen. \n4. If there is an emergency just before lunch, the onsite Food \nServices staff should be notified immediately. If needed, \nappropriate arrangements will be made to ensure students \nare fed quickly and efficiently. Food and Nutrition Services \nmay need to provide an alternative meal, depending on the \nemergency. Delays may be expected. All staff should be \nflexible and patient. \n5. When and if the administration makes the decision to send \nthe student body to another school or alternative location, \nthe Food and Nutrition Services Department needs to be \nnotified immediately to ensure food is available at the new \nlocation. \n6. This plan of action is dependent on cooperation from \neveryone.", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b172392e-b73c-4f49-9815-a4f80a5789c9": { + "page_content": "the Food and Nutrition Services Department needs to be \nnotified immediately to ensure food is available at the new \nlocation. \n6. This plan of action is dependent on cooperation from \neveryone. \n7. During a declared state of emergency, the attached \ninstructions will be followed to issue USDA commodities.", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "4bba645a-d508-4399-94b6-e7fe13aa9bb6": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 3 of 9 \n \nFor more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9158 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "68023f5f-55db-47dd-b665-6150f658acf6": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 4 of 9 \n \nMASSACHUSETTS PLAN FOR UTILIZATION OF USDA DONATED \nFOODS FOR DISASTER RELIEF \n1. Purpose: The purpose of this plan is to establish the \nprocedure for obtaining the United States Department of \nAgriculture (USDA) donated commodities in Massachusetts \nduring a presidential disaster. \n2. Background: The Secretary of Agriculture is responsible for \nensuring that adequate stocks of food are available for \ngroup feeding or household distribution in any area \nsuffering from a major disaster or emergency. During a \ndisaster, food that has been purchased by the USDA for use \nin the state's food programs is made available to disaster \norganizations in that state. Food that is stored in school or \nstate warehouses can be used immediately. The USDA will \nreplace this food. \n3. General: \n\u2022 USDA donated foods will not be distributed to \nindividual families except when the Secretary of \nAgriculture determines that the commercial channels", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "87e2ada7-d587-4da7-8389-43f8b02b7aac": { + "page_content": "replace this food. \n3. General: \n\u2022 USDA donated foods will not be distributed to \nindividual families except when the Secretary of \nAgriculture determines that the commercial channels \nof trade have been disrupted because of the \nemergency caused by a disaster. \n\u2022 In Massachusetts, USDA foods (which become the \nproperty of the Commonwealth) are distributed by the \nMassachusetts Department of Elementary and \nSecondary Education, Nutrition Programs and Services, \n75 Pleasant Street, Malden, MA 02148-4906. \n\u2022 Contact should be made with the local authorities to \nestablish a plan to procure these items. All foods are \nfree of charge to the Red Cross. There may be a small", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a7f826fe-af73-4b10-a125-85215dc74a01": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 5 of 9 \n \nservice charge for handling. \n\u2022 Food items are also stored in bulk in four warehouses \nthroughout the Commonwealth. In the event sufficient \nfoods are not available in the schools, they may be \nrequested by the school lunch personnel through their \nchannels or through the American Red Cross Mass Bay \nChapter office. \n\u2022 Transportation needed to move the food to the disaster \narea is not available from the Department of \nElementary and Secondary Education. It is \nrecommended that chapters develop local \ncontingency plans. The key to prompt and efficient \ntransportation of these foods is prior planning by the \nchapter. \n\u2022 Food will be released when the President has declared \na disaster area, or when the Commonwealth has \nrequested a declaration. They will also be released \nupon request of Red Cross or governmental authorities \nwhen a disaster appears to be imminent, people being \nevacuated, or mass feeding is needed for a substantial", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "eec3a724-5c29-491e-b4bf-d9987e2d6b76": { + "page_content": "upon request of Red Cross or governmental authorities \nwhen a disaster appears to be imminent, people being \nevacuated, or mass feeding is needed for a substantial \nnumber of dislocated families and individuals. \n4. Procedure for obtaining USDA donated foods for Red Cross \nmass feeding: \n\u2022 When the feeding is being done by school lunch \npersonnel: \no They will make food available from their supply. \no When additional foods are required, they will \nrequest them.", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b22a0f5b-0702-444f-ae25-c61d293cb153": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 6 of 9 \n \n\u2022 When the feeding is being done by other than school \nlunch personnel, the Red Cross will make its request \nthrough the Mass Bay office of the Red Cross. It will \ninclude a synopsis of the disaster situation and the \nestimated amounts and kinds of food commodities \nrequired. \n\u2022 The nearest warehouse or other facility will be \ninstructed to release the food. \n\u2022 The Red Cross will dispatch the necessary \ntransportation to pick up the foods. \n\u2022 In all instances, temporary receipts will be signed, \nfollowed by more formal procedures. \n5. Procedures for returning used foods: \n\u2022 If a large amount of food is to be returned, the \nDepartment of Elementary and Secondary Education \nwill send an agent to the Red Cross to arrange the \ndetails of the return. If only a small amount is to be \nreturned, the Red Cross will be instructed to turn it \nover to the designated school in the area. In either", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "9e1f9cac-d67c-43e9-99cd-c473bb03ef7c": { + "page_content": "details of the return. If only a small amount is to be \nreturned, the Red Cross will be instructed to turn it \nover to the designated school in the area. In either \ncase, the Red Cross should obtain and file a receipt for \nthe returned food. \n6. Procedure for reporting on USDA donated foods: \n\u2022 After mass feeding is completed, the Red Cross will be \nadvised on the information necessary to enable the \nDepartment of Elementary and Secondary Education \nto report on commodities distributed for disaster relief, \nincluding certification that all food products were used \nin accordance with existing regulations and used for \nmass feeding.", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "d004cf9d-2058-41f0-8355-ef41f14a38ce": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 7 of 9 \n \n\u2022 The program for use of USDA donated foods in the \ndisaster will be considered completed when all unused \nfood has been returned and the above report has been \nsubmitted. \nAmerican Red Cross: \nLiberty Black \nDirector of Disaster Services \nMass. DESE: \nRobert M. Leshin \nDirector, Office for Food and Nutrition Programs", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "db2bd080-1276-4c11-b8c3-2abfec09bfd8": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 8 of 9 \n \nMASSACHUSETTS DEPARTMENT OF ELEMENTARY AND \nSECONDARY EDUCATION \n75 Pleasant Street, Malden, Massachusetts 02148-4906 \n Telephone: (781) 338-3000 \nTTY: N.E.T. Relay 1-800-439-2370 \nMEMORANDUM \nTo: All School and Child and Adult Care Food Program \nSponsors \nFrom: Kathleen C. Millett \nFormer Executive Director, Office for Nutrition, Health \nand Safety Programs \nDate: January 26, 2015 \nSubject: Procedures for Using USDA Foods During an \nEmergency \nIn the case where a school or childcare setting is officially \ndesignated as an emergency shelter, USDA Foods may be \nreplaced. This memorandum serves to identify the process to use \nthe USDA Foods and request replacement. After approval from \nthis office, USDA donated foods will be made available to the \nAmerican Red Cross or public schools for feeding in a congregate \nsetting. The following steps are to be used to receive food \nassistance for food services during an emergency declaration.", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "0571c91e-cf7d-4658-8f3e-9f2c4b05b37d": { + "page_content": "American Red Cross or public schools for feeding in a congregate \nsetting. The following steps are to be used to receive food \nassistance for food services during an emergency declaration. \nFirst, contact Marion Browning of the food distribution section at \nmbrowning@doe.mass.edu or 781-338-6460, email is preferred, \nwith your immediate food needs, along with the estimated \nnumber of meals to be served. If you are unable to reach Ms.", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "4636678f-7c21-4696-b854-f9c02ed3f665": { + "page_content": "Superintendent\u2019s Circular FNS-02 \nPage 9 of 9 \n \nBrowning, please email me at kmillett@doe.mass.edu or 781-338-\n6479. Include the following information to the extent possible: \n\u2022 Description of major disaster or emergency situation. \n\u2022 Number of people requiring meals and congregate meal \nservice period. \n\u2022 Quantity and types of food needed for congregate meal \nservice. \n\u2022 Number and location of sites providing congregate meal \nservice. \nOnce the request for donated foods is approved, you may use any \nUSDA donated foods available at your school. After the crisis has \npassed, please report the following information to the \ncommodity distribution section: \n\u2022 Amount of USDA commodities actually utilized. \n\u2022 Number of days of the meal service and number of meals \nactually served (i.e., 2,000 persons, three meals per day for \nfive days). \nWe will make every effort to replace the value of USDA donated \nfoods used with inventory from our warehouse.", + "metadata": { + "file_name": "FNS-02 Emergency Meal Procedures.pdf", + "source_link": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a6c55e94-b08d-44a7-b0d1-7753f420e030": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-04 \nVersion 01 \n \n1 \nRESPONSIBILITIES REGARDING SCHOOL \nFOOD SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nFood and Nutrition services is a federally funded program. The \nprogram\u2019s operating revenue is supported by reimbursement \nfrom meals served to students. The department is audited \nannually, consisting of a review of the Community Eligibility \nProgram which includes point of service, accountability, fiscal \naccountability, and overall procedures. \nSchool leaders share responsibility with the executive director of \nFood and Nutrition Services in ensuring that all federal, state, and \nlocal regulations applicable to the school\u2019s food services are \nimplemented and administered daily. There are area field \ncoordinators who are assigned to oversee school-site foodservice \noperations. \nSCHOOL LUNCH AND BREAKFAST PROGRAMS \nBreakfast and Lunch Periods:", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "eed131bb-28f9-4cb3-a7e4-bf4b562f9330": { + "page_content": "coordinators who are assigned to oversee school-site foodservice \noperations. \nSCHOOL LUNCH AND BREAKFAST PROGRAMS \nBreakfast and Lunch Periods: \n\u25cf The state mandates sufficient time must be allocated for \nthe students to eat lunch. At least a 30-minute lunch \nperiod is recommended, whenever possible. No less than \n20 minutes can be designated for a lunch period.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "de3fbf94-f4be-40c6-8f52-312a8e230e0b": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 2 of 10 \n \n\u25cf If there is a change to the meal service time, the school \nleader must notify the Food Services staff immediately. \nAny changes to service impacts staffing and must be \nreviewed and discussed before finalizing. \n\u25cf Breakfast programs should be scheduled at least 15 to 30 \nminutes before the start of school. This time is needed for \nFood Services staff to have the necessary capability for \naccurate meal counting and reporting. \n\u25cf Supervision is required at breakfast as well as lunch \nservice. The school leader can make an administrative \nassignment or arrange for volunteers to provide student \nsupervision. Food Service employees will not assume \nresponsibility for supervising students. \nBreakfast After the Bell: \nAs a continuation from SY2018-2019, the Massachusetts State \nBudget mandates public schools with at least 60 percent of their \nstudent population eligible for free or reduced-price meals to", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "343a9f20-f337-47a5-8399-d004874d2fee": { + "page_content": "As a continuation from SY2018-2019, the Massachusetts State \nBudget mandates public schools with at least 60 percent of their \nstudent population eligible for free or reduced-price meals to \nserve breakfast after the instructional day begins. All BPS schools \nmust comply with this regulation. \nFNS understands implementing a change in breakfast service \nstyle has its challenges and has several resources available \nincluding marketing, equipment, and programs to ensure proper \nimplementation of a comprehensive breakfast after the bell \nprogram that provides access to meals. FNS will keep cafeterias \nopen 30 minutes past the bell time to continue provision of \nbreakfast to all students.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "87e649cd-1695-44f4-a7f5-1e15849c6974": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 3 of 10 \n \nLunch Menu: \nFederal regulations mandate lunch to consist of the following: \n\u25cf Meat or meat alternates \n\u25cf Whole grains \n\u25cf Vegetables \n\u25cf Fruits \n\u25cf Milk \nBreakfast Menu: \nFederal regulations mandate breakfast to consist of the \nfollowing: \n\u25cf Meat or meat alternates \n\u25cf Whole grains \n\u25cf Fruits \n\u25cf Vegetables \n\u25cf Milk \nThe menu as printed must be followed by FNS staff unless onsite \nfood service staff receive approval from Food Services supervisory \nstaff to make adjustments. Menu planning is the sole \nresponsibility of the Department of Food and Nutrition Services. \nSchool administrators are encouraged to discuss their menu \ninterest with the executive director of food services, 617-635-9144. \nCOMMUNITY ELIGIBILITY PROGRAM \nThis school year (2023-2024), in conjunction with the United \nStates Department of Agriculture (USDA) and the Massachusetts \nDepartment of Elementary and Secondary Education, Boston", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "84410919-c12f-4b83-83a1-6762a59c9bf8": { + "page_content": "This school year (2023-2024), in conjunction with the United \nStates Department of Agriculture (USDA) and the Massachusetts \nDepartment of Elementary and Secondary Education, Boston \nPublic Schools (BPS) will continue to participate in the", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "1637ed4f-3750-4d45-96b9-55d1270c2502": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 4 of 10 \n \nCommunity Eligibility Provision (CEP), created by the Healthy, \nHunger-Free Kids Act of 2010. This is available for schools with \nhigh percentages of low-income children to provide breakfast \nand lunch to all students at no cost to them. The program \nincreases participation in school meals, reduces labor costs for \nschools, and brings additional revenue to the school district from \nthe USDA. In short, it allows for a healthier student body and a \nhealthier school meal budget. \nAll students in a Community Eligibility Provision (CEP) school are \ndeemed as economically disadvantaged, and students are \nprovided all meals \u2014 breakfast, lunch, after-school meals, and \nsummer meals \u2014 at no cost. In the event a student requests a \nsecond meal, the cost is $4.00 . Students must pay at the time of \nthe meal request. There are no credits or charges allowed. \nSchool administrators may establish a revolving fund to cover the", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "91ae34ff-e61c-4d7c-bcab-619e65dbb9ca": { + "page_content": "second meal, the cost is $4.00 . Students must pay at the time of \nthe meal request. There are no credits or charges allowed. \nSchool administrators may establish a revolving fund to cover the \ncost of second meals for students without means. Second meals \nwill not be provided without a source of payment. \nAFTER SCHOOL MEAL PROGRAM \nSupper meals are available at no charge to schools that have \nafter school enrichment programs. Program directors must \ncontact this office to arrange for student meals. There is a brief \napplication process that should be completed at least 2 weeks \nprior to program start-up. All program directors are required to \nattend one mandatory annual training session. Program \nadministrators are responsible for completing the daily tally \nsheets to document meals served. Tardy submission of these \nreports could result in the discontinuance of the program.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "bef9a21b-8919-404b-a459-6d75c4e72beb": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 5 of 10 \n \nSUMMER MEAL PROGRAM \nMeals are provided throughout the City of Boston to all children. \nMeals consist of breakfast and lunch and are free to all children \nthrough age 18. \nFRESH FRUIT AND VEGETABLE PROGRAM (FFVP) \nThe goal of the FFVP is to introduce children to fresh fruits and \nvegetables, to include new and different varieties, and to increase \noverall acceptance and consumption of fresh, unprocessed \nproduce among children. The FFVP also encourages healthier \nschool environments by promoting nutrition education. \nUSE OF SCHOOL LUNCH FOR DISCIPLINARY ACTION \n\u25cf The National School Lunch Act and the State Department \nof Elementary and Secondary Education prohibit the \ndenial of meals and milk as disciplinary action against \nschool children. \n\u25cf Students may not be denied any part of the meal. \n\u25cf Students may not have a portion of the breakfast or lunch \nperiod taken away. \n\u25cf Any action that interferes with the student\u2019s right to", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "267939b9-8305-4952-aff6-83e4d045cc74": { + "page_content": "\u25cf Students may not be denied any part of the meal. \n\u25cf Students may not have a portion of the breakfast or lunch \nperiod taken away. \n\u25cf Any action that interferes with the student\u2019s right to \naccess meals or that discriminates against students in \nany way in the provision of meals is prohibited. \nCOMPLIANCE WITH PROGRAM REGULATIONS \nWe ask that school administrators assist with the enforcement of \nprogram regulations (e.g., federal regulations do not permit free \nor reduced reimbursement to ineligible children. There is no \nreimbursement for adult meals.) School administration will be \ncharged for meals in which payment has not been received for", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "752398e5-c77f-4399-b72c-839e2d30eeaf": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 6 of 10 \n \nstudent second meals and adult meals. Outstanding charges will \nbe posted against individual school instructional supply \naccounts. \nMEAL SERVICE ACCOUNTABILITY OF SCHOOL \nADMINISTRATORS \nTo participate in the school lunch and breakfast programs, it is \nnecessary for a contract to be in effect between the \nCommonwealth of Massachusetts and the superintendent of \nschools. This agreement stipulates that state-approved controls \nare maintained to account for meals served. \n\u25cf School administrators are required to comply with the \napproved system in operation at the particular school site. \n\u25cf To assist with decreasing meal waste and improving \naccountability, it is recommended that elementary \nteachers ask students beforehand who will be eating \nlunch in the cafeteria or classroom and give that \ninformation to the food service staff one hour before \nlunch so they can have more accurate counts.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "845d6bda-0f10-4cc6-abc7-4b6d3b30c9cb": { + "page_content": "lunch in the cafeteria or classroom and give that \ninformation to the food service staff one hour before \nlunch so they can have more accurate counts. \n\u25cf School leaders are to ensure that all students know their \nstudent ID numbers, required to be entered at the point \nof sale for accountability of each meal. \n\u25cf Milk cannot be served without payment. \n\u25cf Meal counts must be taken at the \u201cpoint of service\u201d (end \nof the line) when a student has received a reimbursable \nmeal. Five food components must be offered for lunch \nand three components for breakfast. \n\u25cf In schools with classroom meal service, it is necessary to \naccount for the meal served at the time of service.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "05b6a234-6a87-4e58-b133-522e52356138": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 7 of 10 \n \nCOMPETITIVE FOOD SALES AND VENDING MACHINES \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding (see FNS 03 \nNutrition Policy). \nRegulatory Authority: \n\u25cf M.G.L. C.15, \u00a7 1G \n\u25cf Federal Register, 2013, 7 CFR Parts 210 and 220, National \nSchool Lunch Program and School Breakfast Program: \nNutrition Standards for All Foods Sold in Schools as \nRequired by the Healthy, Hunger-Free Kids Act of 2010; \nInterim Final Rule, U.S. Department of Agriculture, 78 (125) \n(June 28, 2013). \n\u25cf Federal Register, 2014, 7 CFR Parts 210 and 220, Local \nSchool Wellness Policy Implementation under the \nHealthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. \nDepartment of Agriculture, 79 (38) (February 26, 2014). \n\u25cf Massachusetts General Laws (2010). Chapter 111, Section \n223.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "11e2c7fc-e6ef-4b01-bd94-3a5956d618c6": { + "page_content": "Healthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. \nDepartment of Agriculture, 79 (38) (February 26, 2014). \n\u25cf Massachusetts General Laws (2010). Chapter 111, Section \n223. \n\u25cf General Law - Part I, Title XVI, Chapter 111, Section 223. \n\u25cf State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law), Acts of 2012 Chapter 96 - \nSession Laws. \n\u25cf Massachusetts Department of Public Health (2010), \nNutrition Standards for Competitive Foods and Beverages \nin Public Schools,105 CMR 225.000 \n\u25cf Massachusetts Department of Public Health (2012). \n\u201cStudents, Healthy Schools: Revised Guidance for", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b5a832ad-638f-4cda-887c-cf9c6d5ea46e": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 8 of 10 \n \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages\u201d Healthy \nStudents, Healthy Schools: Revised GuIdance for \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages \nOnly Food Services is permitted to sell to students. \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nAll income must accrue to Food Services. \nThe income for the total food and beverage service regularly \nmaintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages and vending machines, \nmanaged by the Food and Nutrition Services Department. Food", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "4f14763b-0701-4206-9b31-fa5ca2ae68fc": { + "page_content": "improvement of such service. This shall include the income from \nthe sale of a la carte foods and beverages and vending machines, \nmanaged by the Food and Nutrition Services Department. Food \nsales operated for profit (this includes bake and candy sales) shall \nnot operate during the regular school day.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "98c42c6b-8721-41fe-970b-690fc1936b61": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 9 of 10 \n \nFood items allowed for sale: \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of \nthe breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nVending machines: \n603 CMR 29.01 Non-Profit Lunch Program/Use of Vending \nMachines: Vending machines are not to be in use during school \nhours. \nCanteen services at school site locations: \n603 CMR 29.05 Competitive Foods: \nFederal regulations prevent the sale of candy, gum, and \ncarbonated beverages to students on school premises from the \nbeginning of the school day to the end of the last lunch period. \nThe sale of food items from canteen trucks, school stores or other \nareas that compete with school meals, time, and money is in \nviolation of federal regulations. These sales further divert income", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "9d6f23f1-1c15-4dc8-a317-321d29b9e076": { + "page_content": "The sale of food items from canteen trucks, school stores or other \nareas that compete with school meals, time, and money is in \nviolation of federal regulations. These sales further divert income \nessential to the financial wellbeing of the Food and Nutrition \nServices program. \n\u25ba Use of canteen services on school premises by students \nshould be prohibited.", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b043018d-91ab-444f-9f34-1b9c944b1e72": { + "page_content": "Superintendent\u2019s Circular FNS-04 \nPage 10 of 10 \n \nCATERING SPECIAL FUNCTIONS AND FIELD TRIPS \nSpecial function considerations: \n\u25cf Schools planning special activities should contact the \ncafeteria manager/satellite attendant AND Office of Food \nand Nutrition Services with advance notice of the event. A \nwritten request for use of the cafeteria facility or hiring of \npersonnel must be made in writing at least 7 days before \nthe event. \n\u25cf Food and supplies or cooking utensils will not be \nprovided free of charge. Schools requesting such services \nwill be charged a fee to cover costs. \n\u25cf All evening and weekend functions will require hiring \nFood Services staff at an overtime rate. All costs must be \npaid prior to the date of the event. Credit will be given if \nthe event is canceled with 48 hours\u2019 notice. \n \nFor more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "8c337b60-b257-4eb2-b5c5-9b565e439fbc": { + "page_content": "For more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9158 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services.pdf", + "source_link": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "11259c06-9b81-404b-b7b5-c13c6e9eef55": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-03 \nVersion 01 \n \nFOOD AND NUTRITION POLICY ON COMPETITIVE FOOD \nAND BEVERAGES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThese guidelines will cover food and beverages that are sold, \nprovided, or served to students within school buildings or on \nschool grounds, in the student stores, cafeterias, classrooms, \nhallways, and vending machines, all of which are sold outside of \n(i.e., in competition with) the federally funded School Meal \nProgram. These guidelines also apply to fundraisers, classroom \nactivities, and school events. This includes food and beverages \nsupplied by schools during official transportation to and from \nschool and district-sponsored activities, including but not limited \nto field trips and interscholastic sporting events where the school \nis the visiting team. See the Implementation Guidelines section \nfor details. \nINTRODUCTION", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "2b57d074-c20d-4fb5-992e-1cfa9700a39d": { + "page_content": "to field trips and interscholastic sporting events where the school \nis the visiting team. See the Implementation Guidelines section \nfor details. \nINTRODUCTION \nIn response to continuing concerns regarding childhood \noverweight and obesity as well as other diet-related diseases in \nour city\u2019s school-aged children, the Boston School Committee \nhas approved the following policy language regarding beverages \nand food in schools.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "89b9a582-77f2-4a9b-b056-29efd9313c4e": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 2 of 21 \n \nThese guidelines were first adopted on July 1, 2004, and were \nimplemented with the start of school in September 2004. They \nwere updated in April 2011 and June 2015 to take into \nconsideration new federal and state nutrition guidelines that \nimpact the overall health and wellness of our students and staff, \nspecifically the Healthy Hunger-Free Kids Act, 2010. Most recently, \nthey were updated in August 2017 to reflect changes in the \nDistrict Wellness Policy. This document is intended to assist \nschool administrators in implementing these guidelines in their \nschools. \nAll such competitive foods shall meet the criteria outlined in the \nimplementation guidelines that follow. This includes food and \nbeverages sold, provided, or served to students in: \n\u25cf School cafeterias, specifically \u201ca la carte\u201d entrees and \nsnacks \n\u25cf Vending machines \n\u25cf School stores \n\u25cf School snack bars \n\u25cf Concession stands \n\u25cf Classrooms and hallways", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "bc9ae79c-cac7-4d63-921b-3de07f91a439": { + "page_content": "\u25cf School cafeterias, specifically \u201ca la carte\u201d entrees and \nsnacks \n\u25cf Vending machines \n\u25cf School stores \n\u25cf School snack bars \n\u25cf Concession stands \n\u25cf Classrooms and hallways \n\u25cf Booster sales \n\u25cf Fundraising activities \n\u25cf School-sponsored or school-related events, including \nthose with school-sponsored transportation occurring off \nschool grounds, such as sporting events and field days \n\u25cf Food trucks on school grounds \n \nThese guidelines apply to entrees, snacks, side items, and \ndesserts offered or sold outside of the school meals program.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "e5383888-56ba-47d4-9627-7822aa982064": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 3 of 21 \n \nItems that would be considered entr\u00e9es if sold in the \nreimbursable meal program, but are sold a la carte as \nCompetitive Foods, are not subject to these guidelines. This \npolicy will be reviewed once yearly by a sub-committee of the \nBoston Public Schools (BPS) District Wellness Council. \nBACKGROUND \nSchools across the city, state, and nation have been grappling \nwith developing meaningful and applicable guidelines on this \nissue of obesity for the past decade. Earlier \u201cCompetitive Food \nGuidelines,\u201d set forth by USDA and individual state departments \nof education, prohibited only the sale of foods of minimal \nnutritional value (Federal Register: 7 CFR Part 210.11). These \nstandards attempted to address types of foods and beverages \nsold, provided, or served to students within school buildings. \nWhile some state standards may have been useful thirty years \nago, most are outdated, as they do not address the growing", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "75d31818-10ce-4f06-96d5-b35d6b16cc3a": { + "page_content": "sold, provided, or served to students within school buildings. \nWhile some state standards may have been useful thirty years \nago, most are outdated, as they do not address the growing \navailability of vending machines, foods, candy, and soda sold \ninside and outside of the cafeteria at fundraisers or in student \nstores. Competitive foods are relatively low in nutrient density \nand high in fat, added sugar, and calories. Neither a la carte nor \ncompetitive foods are bound by dietary guidelines that the \nNational School Lunch (NSLP), National School Breakfast, and \nAfter School Snack Programs must adhere to. \nNational and state departments of education, school boards, food \npolicy advocacy organizations, the American Academy of \nPediatrics, the Center for Science in the Public Interest, state \ndietetic and school food service associations, and other \nrepresentative groups have met over the past several years to \nestablish or recommend nutrition standards to promote healthy", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "0b64f3b5-7dbd-4ec4-8a46-7480edaf2960": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 4 of 21 \n \neating habits among children. Massachusetts A La Carte Food \nStandards to Promote a Healthier School Environment is a \nguideline that has been established by the Massachusetts Action \nfor Healthy Kids, first adopted in January 2004 and updated in \nDecember 2009. These guidelines, along with the Institute of \nMedicine, the Alliance for a Healthier Generation Competitive \nFoods and School Beverage Guidelines, nutrition standards from \nthe School Nutrition Bill (H4459, S2322), and the HealthierUS \nSchool Challenge informed the latest revision to our policy. In \naccordance with Mayor Menino\u2019s Executive Order Relative to \nHealthy Beverage Options1, all beverages sold on school grounds \nshall meet the city\u2019s Healthy Options Beverage Standards. \nPOLICY \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a3132ee0-f831-40e6-88d9-2b774371c481": { + "page_content": "POLICY \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthy foods and sugary drinks, and making \nwater available to students throughout the day are some of the \nways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the \ncafeteria meets high nutritional standards. \nBPS believes the cafeteria is an essential setting to educate and \npromote healthy eating habits. BPS is committed to serving \nstudents nutritious and delicious food that is less processed, \nmore locally sourced, and culturally responsive to reflect the \ndiverse student population. As an effective way to improve the \nnutritional quality of foods served in schools and consumed by", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "072039ce-69bf-4737-a1f6-8c9c1f19d317": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 5 of 21 \n \nstudents, the district created and implemented menu and \ningredient guidelines exceeding federal requirements. BPS will \ncontinue a constant review of school food and the food \nenvironment to ensure safety, quality, menu equity, and \ninnovation. The district will be an innovator with school food, \nserving foods that are new and exciting for the students. We \nbelieve that students deserve meals reflective of their culture and \ntastes. We believe eating well is not a privilege; it is a right. \nKey requirements of creating a healthy school food environment \nare: \nSchool Meals Program \n\u25cf Ensure all menus meet USDA-mandated requirements, as \nwell as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow \nBronze status standards for the Alliance for a Healthier \nGeneration2, and work toward Bronze status standards", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a265c7c5-73b3-44e7-96be-a37add1f911f": { + "page_content": "eating practices. At a minimum, schools must follow \nBronze status standards for the Alliance for a Healthier \nGeneration2, and work toward Bronze status standards \nfor the HealthierUS School Challenge3. \n\u25cf Ensure all menus offer variety and are well presented in \nan appealing way, and meals and menu items are labeled \nto communicate deliciousness, as well as specific \ningredients. \n\u25cf Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing \nchildren who participate. \n\u25cf Provide food with \u201cclean\u201d labels that are free of unwanted \ningredients, including trans fats, high fructose corn syrup, \nartificial colors, artificial sweeteners, additives", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "bf1d0925-ee87-48a5-8edf-cdccbeed169a": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 6 of 21 \n \n(azodicarbonamide, bromated flour), and artificial \npreservatives (nitrates, nitrites, sulfates, sulfites, MSG, \nBHA, BHT, TBHQ). \n\u25cf Reduce material used for packaging, sourcing recyclable \nor compostable materials when possible, and working to \npromote best practices around recycling and \ncomposting. \n\u25cf Make water available at no cost during mealtimes \nwherever meals are served. \nFood Safety \n\u25cf Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department). \n\u25cf Implement a stringent and detailed internal Hazard \nAnalysis and Control Points (HACCP) plan that provides \nregulations in following safety procedures for food recalls, \nemergency preparedness to avoid foodborne illnesses, \nand the spread of infectious diseases. \n\u25cf Ensure all employees who work 5+ hours are Food Safety. \n\u25cf Ensure all lead employees are allergy awareness certified", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a858dd93-aec0-4238-9e74-b0b3a07cf0a7": { + "page_content": "and the spread of infectious diseases. \n\u25cf Ensure all employees who work 5+ hours are Food Safety. \n\u25cf Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification. \nNutrition Education, Promotion and Food & Beverage Marketing \n\u25cf Promote health and nutrition messages that encourage \nthe consumption of fruits and vegetables, whole grains, \nhealthy fats, low-fat dairy products, and water; and other", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b794f172-7dce-4595-807f-f9f8d45698dc": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 7 of 21 \n \nmessages consistent with research-based findings that \nindicate a positive impact on health. \n\u25cf Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \n\u25cf Identify opportunities to support teachers, school staff, \nand parents around modeling healthy eating habits and \nfollowing appropriate nutritional standards at school \ncelebrations and staff meetings. \n\u25cf Only allow food and beverage marketing on school \ngrounds, including items shared with students, that \npromote foods and/or beverages that meet the BPS \nnutritional standards. \nCompetitive Food & Beverages \n\u25cf Follow federal, state, and local laws and Forbid the sale of \nfood and beverages by anyone other than the Food and \nNutrition Services Department, which is solely responsible \nfor food and beverages sold to children during the school", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "13efb92e-3611-4bfd-a163-bd241d778b7c": { + "page_content": "food and beverages by anyone other than the Food and \nNutrition Services Department, which is solely responsible \nfor food and beverages sold to children during the school \nday. regulations for competitive foods and beverages (i.e., \nfoods sold, provided, or served within school buildings or \non school grounds outside of the school meals program) \nin all schools, as outlined in this circular. \n\u25cf Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines \nduring the school day. \n\u25cf Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "45156d1d-56e1-4920-a4ff-2f7969a3b3e7": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 8 of 21 \n \n\u25cf Prohibit the use of food and beverage as a reward or \nmeans of discipline. \nAll BPS schools shall follow Food and Nutrition Services policies \nand circulars. \nIMPLEMENTATION GUIDELINES \nCompetitive Food and Beverages \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "961feeac-9153-4d3b-bdde-a1d1155e528c": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 9 of 21 \n \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding.1,2,3,4,5,6,7 \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \n \n1 Regulatory Authority M.G.L. C.15, \u00a7 1G \n2 Federal Register, 2013, 7 CFR Parts 210 and 220, National School \nLunch Program and School Breakfast Program: Nutrition \nStandards for All Foods Sold in Schools as Required by the \nHealthy, Hunger-Free Kids Act of 2010; Interim Final Rule, U.S. \nDepartment of Agriculture, 78 (125) (June 28, 2013). \n3 Federal Register, 2014, 7 CFR Parts 210 and 220, Local School \nWellness Policy Implementation under the Healthy, Hunger-Free \nKids Act of 2010: Proposed Rule, U.S. Department of Agriculture, \n79 (38) (February 26, 2014). \n4 Massachusetts General Laws (2010). Chapter 111, Section 223, \n5 State of Massachusetts, Chapter 96 of the Acts of 2012", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b460166e-bbc4-4daa-89fe-0e99474dd3ac": { + "page_content": "79 (38) (February 26, 2014). \n4 Massachusetts General Laws (2010). Chapter 111, Section 223, \n5 State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law),. \n6 Massachusetts Department of Public Health (2010), Nutrition \nStandards for Competitive Foods and Beverages in Public \nSchools, 105 CMR 225.000 \n7 Massachusetts Department of Public Health (2012). \u201cStudents, \nHealthy Schools: Revised Guidance for Implementing the \nMassachusetts School Nutrition Standards for Competitive Foods \nand Beverages\u201d", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a666b189-263e-4b32-96c8-982c50fcbd88": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 10 of 21 \n \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nThe income for the total food and beverage service regularly \nmaintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages. Food sales operated for \nprofit (this includes bake and candy sales) shall not operate \nduring the regular school day. \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of \nthe breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nCanteen Services at School Site Locations \n7 CFR 210, 220 Competitive Foods: Federal regulations prevent", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "e72e8e23-1357-4f9a-b907-50cab6c795b6": { + "page_content": "activities can only operate after school hours. \nCanteen Services at School Site Locations \n7 CFR 210, 220 Competitive Foods: Federal regulations prevent \nthe sale of candy, gum, and carbonated beverages to students on \nschool premises from the beginning of the school day to the end \nof the last lunch period. \nThe sale of food items from canteen trucks (with the exception of \nan open campus), school stores, or other areas that compete with \nschool meals, time, and money is in violation of federal \nregulations. These sales further divert income essential to the \nfinancial well-being of the Food and Nutrition Services program. \nUse of canteen services on school premises by students should \nbe prohibited.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "4996aa09-a1bc-4e4d-aaa9-efb585bc3695": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 11 of 21 \n \nPreparation of all competitive foods and beverages must meet \nstate and federal food safety guidelines. \nIn accordance with 105 CMR 225.100, nutrition information must \nbe made available to students for non-prepackaged competitive \nfoods and beverages as of August 1, 2013. This requirement shall \nnot apply to the sale or provision of fresh fruits or fresh \nvegetables, and foods or beverages sold during the school day at \nbooster sales, concession stands and other school-sponsored or \nschool-related fundraisers and events. \nNo competitive food and beverages shall be sold, served, or \nprovided during school mealtimes. \nImplementation guidelines must comply with or exceed nutrition \nstandards delineated by 105 CMR 225.000: Nutrition Standards \nfor Competitive Foods and Beverages in Public Schools. \nAll foods sold, served, or provided at schools should meet the \nguidelines given in FNS-06. \nBeverages", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "3e0266ac-a623-4e87-be38-42d085f638bd": { + "page_content": "for Competitive Foods and Beverages in Public Schools. \nAll foods sold, served, or provided at schools should meet the \nguidelines given in FNS-06. \nBeverages \nThe total beverage product line must meet the following criteria: \n\u25cf Schools may sell, provide, or serve only plain water and \njuice. All milk is unflavored. No flavored milk will be \noffered to students. Beverages such as soft drinks, fruit \ndrinks with the minimal nutritional value, and sports \ndrinks cannot be sold, provided, or served to students \nanywhere in school buildings or on the school campus. \n\u25cf Plain drinking water must be readily available during the \nschool day at no cost.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "4249b5b8-d09e-4116-89e7-01cee20054db": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 12 of 21 \n \n\u25cf Drinking water must be caffeine-free, have 0 mg of \nsodium, and have no nutritive or non-nutritive \nsweeteners. Natural flavorings and carbonation are \nacceptable. \n\u25cf Beverages shall not contain added sugars, including high \nfructose corn syrup and non-nutritive sweeteners. \n\u25cf No beverages shall contain artificial sweeteners. \n\u25cf Competitive juice beverages will not be offered in \nelementary schools (i.e., grades PreK-5). Fruit and/or \nvegetable based drinks sold in middle and high schools \n(i.e., grades 6-12) must be composed of no less than 100% \nfruit/vegetable juices with no added sweeteners, not to \nexceed 4 ounces in middle schools (i.e. grades 6-8), and \nnot to exceed 8 ounces in high school (i.e., grades 9-12), \nwith 120 calories/8 oz. plus 10% Daily Value of 3 vitamins \nand nutrients, such as Vitamin A, C, D and calcium \n\u25cf All milk and milk substitute products shall be pasteurized", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "fd130a2e-b5e2-4828-8e01-a156fdbd20ca": { + "page_content": "with 120 calories/8 oz. plus 10% Daily Value of 3 vitamins \nand nutrients, such as Vitamin A, C, D and calcium \n\u25cf All milk and milk substitute products shall be pasteurized \nfluid types of low fat (1%) or skim (fat free) milk which \nmeet USDA, state, and local standards for milk. All milk \nshall contain Vitamins A and D at levels specified by the \nFood and Drug Administration and shall be consistent \nwith the state and local standards for such milk. All milk, \nflavored milk, and milk substitute container sizes shall not \nexceed 8 ounces. \n\u25cf Soy, rice, and other milk-substitute drinks shall be \ncalcium and vitamin-fortified and shall contain no more \nthan 22 grams total sugars per 8 ounces. \n\u25cf No beverages shall contain more than trace amounts of \ncaffeine.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "daae90ab-1905-4bc1-9023-cabad6a21850": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 13 of 21 \n \n\u25cf City of Boston agencies in BPS buildings may offer 8 oz. of \n100% juice or low-fat and nonfat milk products in vending \nmachines available only outside of the school day. \nFoods \nFresh fruits and/or non-fried vegetables must be offered \nwherever competitive foods are sold, provided, or served to \nstudents except in non-refrigerated vending machines and \nvending machines offering only beverages. Use of fryolators in \npreparing competitive foods is prohibited. \nIn addition, competitive foods must meet the following \nnutritional criteria per item: \n\u2022 Any other food that meets all the following criteria: \na. \u2264 35% of total calories from fat. \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nii. Fruit and nut combination products are exempt \nfrom the above limitation. \niii. If products are dairy, they must be non-fat or low \nfat dairy.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "571109a1-4665-4308-84b9-858765602fca": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 14 of 21 \n \nb. \u2264 10% of calories from saturated fat OR \u22641g saturated \nfat \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nc. 0g trans fat \nd. \u2264 35% of weight from total sugars in foods \ni. Non-fat or low-fat yogurt with a maximum of 30g \nsugar per 8 ounces. \ne. \u2264 200 mg sodium \ni. A la carte entrees like cheese sandwiches, \nvegetables with sauce, and soups must be less \nthan 480 mg sodium if they contain one or more \nof the following: \n1. \u22652g fiber \n2. \u22655g protein \n3. \u226510% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron \nf. Meet 1 of the following calorie requirements: \ni. \u2264100 calories \nii. Vegetables with sauce and soups can have 150 \ncalories if they contain two or more of the \nfollowing: \u22652g fiber; or \u22655g protein; or \u226510% DV of \nVitamin A, C, E, folate, calcium, magnesium, \npotassium, or iron; or \u2265\u00bd serving (\u00bc cup) of fruit \nor vegetables.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "be53514e-b36b-494e-8a99-4cb9919f9bfe": { + "page_content": "following: \u22652g fiber; or \u22655g protein; or \u226510% DV of \nVitamin A, C, E, folate, calcium, magnesium, \npotassium, or iron; or \u2265\u00bd serving (\u00bc cup) of fruit \nor vegetables. \niii. Other foods can have calorie limits per below if \nthey contain one or more of the following:", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "4a80b421-20d6-4150-a9bf-345b338057b1": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 15 of 21 \n \n1. \u2265 2g fiber \n2. \u2265 5g protein \n3. \u2265 10% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron \n4. \u2265 \u00bd serving (1/4 cup) of fruit or vegetables: \na. \u2264 150 calories for elementary schools \nb. \u2264 180 calories for middle and \nc. \u2264 200 calories for high schools \n\u2022 Bread and other whole grain-based products shall have a \nwhole grain (such as whole wheat) listed as the first \ningredient or contain grains that are at least 51% whole \ngrains. \n\u2022 No more than trace amounts of caffeine are allowed in \nfoods. \n\u2022 Foods must contain no artificial sweeteners. \n\u2022 Foods must have limited added sweeteners as much as \npossible. \n\u2022 Fruits shall have no added sweeteners and have 0g total fat. \nSince fresh fruits and vegetables vary in size and calories \nnaturally, they have no calorie limit. \n\u2022 Fruits packaged in their own juices or dried will not exceed \nthe following calorie limits: 150 calories for elementary", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "ab86d501-28c7-41c0-9a30-9163837af668": { + "page_content": "naturally, they have no calorie limit. \n\u2022 Fruits packaged in their own juices or dried will not exceed \nthe following calorie limits: 150 calories for elementary \nschools, 180 calories for middle schools and 200 calories for \nhigh schools. \n\u2022 Dried fruit and nut combination products (commonly \nknown as trail mix) can be included within these guidelines \nif they meet the following standards: \na. The items found in the combination product include \nonly unsweetened dried fruit, nuts, and/or seeds.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "f16faebd-713b-4d97-8b92-6e596ad417ea": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 16 of 21 \n \nb. The product contains no added sweeteners. \nc. The combination product is exempt from the \u2264 35% of \ntotal calories from fat requirement, but must meet all \nrequirements around calories, saturated fat, trans fat, \nsodium, sugar, and positive nutrients. \n\u2022 Any one egg or equal amount of egg equivalent is allowable \nif it contains no added fat. \n\u2022 Any reduced-fat or part-skim cheese \u22641 oz. \nTime Of Day \nThe guidelines apply to all food and beverages (outside the USDA \nSchool Meals and After School Snack Program) provided to \nstudents on school grounds during the regular and extended \nschool day when events are primarily under the control of the \nschool or third parties on behalf of the school. \nThe extended school day is the time before or after the official \nschool day that includes activities such as clubs, yearbook, band \nand choir practice, student government, drama, sports practices,", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "42d47921-4f98-499e-9ac0-14a96bc9ecdd": { + "page_content": "The extended school day is the time before or after the official \nschool day that includes activities such as clubs, yearbook, band \nand choir practice, student government, drama, sports practices, \nintramural sports, and childcare/latchkey programs. \nVending machines, including those controlled by other entities in \nBPS buildings and grounds, shall comply with these guidelines at \nall times. Automatic timers will be used to limit access to \ncompetitive foods and beverages in vending machines during \nthe school day, including during school mealtimes. \nFundraisers, Classroom Parties, Food Rewards, and Meetings \nAll fundraisers must meet Boston Public Schools\u2019 \nimplementation guidelines for competitive food. No food-based", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "acc2e8da-bab4-49a9-8e59-75c4a94bd269": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 17 of 21 \n \nfundraisers are permitted during school meals. The building \nadministrator or designee is responsible for approving all \nfundraisers. Classroom parties must also comply with Boston \nPublic School\u2019s competitive food guidelines and notification of \nthe cafeteria manager is requested to help the cafeteria plan \nappropriately. Principals and staff will promote a school \nenvironment supportive of healthy eating. Adults are encouraged \nto model healthy eating by serving nutritious food and beverages \nat school meetings and events. \nTeachers and staff should refrain from providing candy and \nsnacks of minimal nutritional value as rewards for students and \ninstead integrate practices of non-food rewards. Food and \nbeverage cannot be used as a reward means of discipline. \nIf schools participate in fundraising involving food and beverages, \nthe fundraiser should support a healthy school environment and", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b0771d4a-2d51-427c-8ff0-63a75c87a996": { + "page_content": "beverage cannot be used as a reward means of discipline. \nIf schools participate in fundraising involving food and beverages, \nthe fundraiser should support a healthy school environment and \nbe free from solicitation of foods that do not meet the \nspecifications of the Dietary Guidelines for Americans. \nFundraisers should not include the sale of candy, beverages, and \nsnacks that do not meet the Boston Public Schools\u2019 \nimplementation guidelines for competitive foods. \n \nSchools should develop communication and tools to provide to \nPTA and other groups who are conducting fundraising, \ncelebrations, meetings, and rewards for the school so that non-\nfood activities are used. \nAllergies \nSchools should consider all students with food allergies and \nmake appropriate plans and accommodations in any food-based", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "24b0c251-d9e9-4818-9787-f7744f1c89a8": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 18 of 21 \n \nfundraiser, celebration, and/or reward according to the guidance \nprovided in Superintendent\u2019s Circular SHS-11, which provides \nmore information on student allergies. \nSupport For Implementation \nThis is a citywide initiative, with the Boston Public Schools taking \nthe lead to implement healthy snack and beverage guidelines. \nThe Mayor\u2019s Office, the Boston Public Health Commission (BPHC), \nand the Boston Centers for Youth and Families (BCYF) are all in \nfull support of these policies. \nTo assist with this transition, Food and Nutrition Services will \ncontinue meeting with vendors and manufacturers to discuss \nproduct specifications that meet these guidelines. Language \nreferencing new policies is included in the Request for Bids for \nbeverages, dairy and ice cream, and snack food products. \nVendors who are awarded single-year or multiple-year contracts \nmust comply with the stated guidelines.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "231774c7-42bd-4a6b-b042-e54ec9585326": { + "page_content": "beverages, dairy and ice cream, and snack food products. \nVendors who are awarded single-year or multiple-year contracts \nmust comply with the stated guidelines. \nWith assistance from the School Wellness Council, students, \nteachers, parents, and administrators will be informed and \neducated about the new guidelines. Technical support will be \nprovided to help schools and agency partners adjust to the \nrevised standards, including providing resources on healthful \nforms of fundraising and meeting guidelines. The \nCommonwealth of Massachusetts passed a School Nutrition Bill \n(H4459, S2322). The BPS implementation guidelines have been \nrevised to include state nutritional standards. \nMONITORING AND COMPLIANCE \nSchools will monitor compliance in the following ways:", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "aad75a39-c8d9-45f2-a91f-a273a0a1d5a2": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 19 of 21 \n \n\u25cf School wellness councils should assess and track their \nschool\u2019s compliance with this policy and include \nimplementing goals on their Wellness Action Plan to \nensure compliance with the policy. \n\u25cf All schools will biennially complete the School Health \nProfiles Surveys (Profiles), including questions on \ncompetitive foods and beverages. Individual school \nreports will be shared back with schools after completing \nProfiles, stating whether the school is complying with the \npolicy. \nThe principal and relevant operational leaders will be notified by \nFNS and the Office of Health & Wellness if a school is found to not \nbe compliant. School administration, families, students, and \nWellness Council will be provided information about the policy to \nengage and support monitoring, enforcement, and compliance.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "ca5040e0-548a-4ce0-bafb-5721d40fdcfc": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 20 of 21 \n \nDEFINITIONS \nFood of Minimal Nutritional Value: Food that provides less than \nfive percent of the Reference Daily Intakes (RDI) for each of eight \nspecified nutrients per serving. \nA La Carte Foods: Sold typically in the cafeteria by the school \nfood service department. They are separately and individually \npriced and are not usually part of the NSLP. \nCompetitive Foods: Competitive foods or beverages means all \nfoods or beverages sold or provided in public schools, other than \nnon-sweetened carbonated water and those items sold or \nprovided as part of federal nutrition programs such as the School \nBreakfast Program, School Lunch Program, and the Child and \nAdult Care including those offered in: School cafeterias; school \nstores; school snack bars; concession stands, booster sales, \nvending machines; fundraising activities; school-sponsored or \nschool-related events; food trucks, and any other location in \npublic schools.", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "9c6e0e6e-1cc1-4c97-90d8-40ee9dbbd2f7": { + "page_content": "vending machines; fundraising activities; school-sponsored or \nschool-related events; food trucks, and any other location in \npublic schools. \nREFERENCES \nAlliance for a Healthier Generation Standards \nHealthier US School Challenge Standards", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "ec27c1b5-7a28-4f1b-8382-621fd5d2984a": { + "page_content": "Superintendent\u2019s Circular FNS-03 \nPage 21 of 21 \n \nFor more information about this circular, contact: \n \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9143 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Executive Director \nDepartment: Office of Health and Wellness \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-6643 \nFax: 617-635-1502 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FNS-03 Competitive Foods Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "a5cd5807-320b-497f-acc3-463c31c9a02d": { + "page_content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-06 \nVersion 01 \n \n \n \n1 \nFOOD AND NUTRITION SERVICES MENU AND \nINGREDIENT GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS) Food and Nutrition Services \n(FNS) Menu and Ingredient Guidelines are the benchmarks for \nfood quality, food safety, nutrition, and variety. They are applied \nprimarily to menu development and procurement and support \nthe Nutrition Standard of Food and Nutrition Services. They \npertain to all USDA programs administered by FNS. \nFNS continuously monitors its work related to these guidelines \nand updates them annually between school years. The guidelines \nare informed by sources of evidence-based research, and ad hoc \nrelated to ingredients and standards for operation. \nFNS Menu and Ingredient Guidelines align with the Good Food \nPurchasing Program and continuously strive to meet the Menus", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "fe681cff-f68e-44a7-a541-17a650119b68": { + "page_content": "related to ingredients and standards for operation. \nFNS Menu and Ingredient Guidelines align with the Good Food \nPurchasing Program and continuously strive to meet the Menus \nof Change Principles of the Culinary Institute of America. These \nvalues and principles, respectively, are embedded within the FNS \nMenu and Ingredient Guidelines. \nThe Menu and Ingredient Guidelines are grouped below under \nthe following headings:", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "370bde02-1d78-4ce3-9b29-f3fd5650204e": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 2 of 17 \n \n \n \n \nA. Provide nourishing and culturally diverse food choices \naccording to regulations \nB. Offer variety of whole, fresh, local foods \nC. Establish levels for some fats, sugar, sodium \nD. Eliminate additives \nE. Define animal welfare standards \nF. Other \n \nA. Provide nourishing and culturally diverse food choices that \nmeet or exceed USDA National School Lunch and School \nBreakfast Program guidelines as well as guidelines of \nMassachusetts Department of Public Health, City of Boston, \nand Boston Public Schools Wellness Policy. \nFNS strictly follows or exceeds the USDA National School \nLunch and School Breakfast Programs Meal Pattern for the \nhealthy meal choices that it offers and the frequency that \nchoices are served. \nFor Boston schools: \n\u2022 Menus follow at least a four-week cycle and continuously \nevolve for diversity, updates, variety, and trends, reflecting \nstudent preferences.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "5d3880f9-0570-48d7-b585-a8608e2c9679": { + "page_content": "choices are served. \nFor Boston schools: \n\u2022 Menus follow at least a four-week cycle and continuously \nevolve for diversity, updates, variety, and trends, reflecting \nstudent preferences. \n\u2022 Menus for all BPS food service models are as much like \neach other as possible. \n\u2022 Lunch menus have at least one vegetarian entr\u00e9e daily \nand feature at least one vegan protein option per menu \ncycle during in-person meal service.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "e00830d3-9b13-4317-b3fa-60849c9d6297": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 3 of 17 \n \n \n \nB. Offer a variety of whole foods that are fresh, high quality, \nemphasize local, and foods, as purchased, that retain most \nof their inherent physical, chemical, sensory and nutritional \nproperties. These foods should meet the food quality \nrequirement as noted throughout these Guidelines. \n\u2022 Menus favor local, seasonal ingredients. Local items are \nfeatured based on availability, primarily on salad bars, as \nwell as one or more additional local meal components \nduring the week, to include whole grains, fish, and dairy, \nwithin budget parameters. Local, defined as New \nEngland, is intended to increase in volume over time for \nall service models. \n\u2022 Menus offer a variety of fruits and vegetables. \no FNS offers at least two fruits (minimum one fresh; may \nalso serve unsweetened canned/frozen, packed in its \nown juice, and dried fruit at breakfast and lunch) \no FNS offers at least three fresh vegetables and one fresh", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "b2bc8a2b-66c4-49a4-a6c3-06fd94feef97": { + "page_content": "also serve unsweetened canned/frozen, packed in its \nown juice, and dried fruit at breakfast and lunch) \no FNS offers at least three fresh vegetables and one fresh \nfruit daily at schools (MWCs) with salad bars. Schools \nwithout salad bars offer a minimum of one or more \nfresh fruit and/or vegetables daily. \no Frozen and canned vegetables (salt-free or low-\nsodium) may be served, as appropriate. \no Legumes/beans are offered at a minimum of once per \nweek at all sites for lunch. \n\u2022 Menus offer legumes and beans as a plant-based protein \noption to meet the meat alternate component \nrequirements of meal pattern. \n\u2022 Menus will provide all the weekly grains as whole grain-\nrich and offered in salad bars, sides, and entrees. Local", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "9ec62917-d6ce-4dc8-8ab7-466612dccdc6": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 4 of 17 \n \n \n \nwhole grain-rich items will be featured. \n\u2022 Menus offer a variety of lean proteins, including animal \nand plant-based options (i.e.., chicken, turkey, beef, fish, \ntofu, beans). Menus offer commercially purchased whole \nmuscle meat or entrees made from whole muscle meat, \nwith no fillers. \n\u2022 Beef is lean, USDA Grade Choice or better, and contains \n100% beef only. \n\u2022 Eggs are USDA Grade A or equivalent and USDA \ninspected; frozen eggs are USDA inspected. \n\u2022 Seafood must be U.S. Department of Commerce-\ninspected. \n\u2022 FNS offers foods that have as little packaging as possible, \nwith the goal of eliminating all but reasonable, necessary \npackaging. Packaged foods include those served \nselectively, at the discretion of FNS and primarily in \nsettings that have no cooking equipment, for Breakfast in \nthe Classroom, field trips, and occasionally for grab-and-\ngo carts. Where possible, meals offered in the classroom,", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "328d1182-44aa-4abe-8607-72b5ef55b58f": { + "page_content": "settings that have no cooking equipment, for Breakfast in \nthe Classroom, field trips, and occasionally for grab-and-\ngo carts. Where possible, meals offered in the classroom, \nfor field trips and on carts align with meals offered in \ndining rooms. \n\u2022 FNS is moving away from unitized/packaged meals \ntoward on-site meal preparation. \nC. Decrease the amount of saturated fat, monitor added \nsugar and excess sodium. \n\u2022 Menu choices favor entrees that are low in saturated fat \n(less than 10% based on the average for a 5-day menu \nweek).", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "263843a1-0d84-492d-80ce-57de3b724d38": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 5 of 17 \n \n \n \n\u2022 Healthy oil(s) are used in most food preparation. Butter is \nused sparingly. \n\u2022 All liquid milk is rBGH-free. \n\u2022 All dairy is low fat (1%) or non-fat (skim), excluding butter. \n\u2022 FNS currently observes USDA Target 1 sodium limits: \no In line with the federal rules, on or before school year \n2024-2025, FNS intends to decrease average daily \nsodium levels to reach Target 2 standards established \nby the USDA Final Rule \u201cNutrition Standards in the \nNational School Lunch and School Breakfast Programs \n(1/26/12)\u201d. \n\u2022 Added sugar content is monitored by following the below \nguidelines, with the aim to decrease daily added sugar \nintake: \no Cereal may contain no more than 6 gm added sugar \n(1.5 teaspoons) (for 1 grain equivalent) and must be \nidentical nutritional/ingredients with retail product. \no Breakfast grain/grain components may contain up to 8 \ngm (2 teaspoons) added sugar.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "850bb61b-06ef-4714-8d82-3e956a63a81d": { + "page_content": "(1.5 teaspoons) (for 1 grain equivalent) and must be \nidentical nutritional/ingredients with retail product. \no Breakfast grain/grain components may contain up to 8 \ngm (2 teaspoons) added sugar. \no For two grain equivalents, there will be no more than \n14 gm (4.5 teaspoons) added sugar. \no Yogurt may have 15 gm of added sugar (4.5+ \nteaspoons) or less per serving. \n\u2022 Beverages may include fruit-infused water at hydration \nstations in school dining rooms. \nD. Eliminate additives and ingredients that aren\u2019t needed for \nproduct integrity.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "4491ea9e-e668-4470-93c6-328e78a16fe3": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 6 of 17 \n \n \n \n\u2022 The following unnecessary or unnatural ingredients are \nprohibited from menu items. \n\u2022 Additives and ingredients will be monitored and adjusted \naccording to evidence-based research. \n\u2022 Coloring: \no Artificial colors (including synthetic food dyes) \no Annatto and Cochineal extract/carmine \no Caramel color class III and IV avoided in beverages, \nfood, and sauces. Caramel color class IV may be \nfeatured in gravies, which are used sparingly. \n\u2022 Artificial flavors: artificial synthetic flavors \n\u2022 Artificial preservatives: Benzoates & benzoic acid, \nBHA/BHT/TBHQ; nitrates/nitrites; propyl gallate, sulfites \n\u2022 Artificial sweeteners & other sugar free non-nutritive, low \ncalorie and reduced calorie sweeteners: Sucralose, \naspartame, saccharine, Neotame, acesulfame k \n[acesulfame potassium] \n\u2022 Flavor enhancers: GMP, MSG \n\u2022 Binders and Fillers: isolate vegetable proteins and \nhydrolyzed vegetable protein as filler", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "bc9fa9fb-4d52-4fc0-a757-c4436feb0009": { + "page_content": "aspartame, saccharine, Neotame, acesulfame k \n[acesulfame potassium] \n\u2022 Flavor enhancers: GMP, MSG \n\u2022 Binders and Fillers: isolate vegetable proteins and \nhydrolyzed vegetable protein as filler \n\u2022 Thickening agents: Carrageenan \n\u2022 Caffeine \n\u2022 Sugary syrups: High fructose corn syrup (HFCS), high \nmaltose corn syrup, high dextrose corn syrup, tapioca \nsyrup \n\u2022 Partially hydrogenated oils; trans fats \n\u2022 Emulsifiers:", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "bc58c5c0-43e3-4317-bcb2-b87c710f119b": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 7 of 17 \n \n \n \no Brominated Vegetable Oil (BVO) \no Carboxymethylcellulose (CMC) and Polysorbates \n\u2022 Flour treatment agents: (azodicarbonamide, bleached \nflour, bromated flour [potassium bromate], potassium \niodate) \n\u2022 Nitrites/Nitrates and Processed Meat: Meat that has been \ntransformed through salting., curing, fermentation, \nsmoking, or other processes to enhance flavor or improve \npreservation. Examples of processed meat include hot \ndogs (frankfurters), deli meat, ham, sausage, corned beef, \nbeef jerky and canned meat. \n\u2022 Rendered meat, irradiated meat, meat with latent Tgf-\nbeta binding protein (LTBP)* \n\u2022 Ammonium hydroxide, vegetable protein analogues, or \nextenders \nE. Work toward procurement of animals untreated with \nhormones, steroids, or antibiotics that serve no vital \nfunction. \n\u2022 Due to growing concerns of animal husbandry practices, \nFNS supports responsible use of antibiotics in animals.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "2efd3e51-c47a-44a1-8fe4-bc75b844ad8d": { + "page_content": "hormones, steroids, or antibiotics that serve no vital \nfunction. \n\u2022 Due to growing concerns of animal husbandry practices, \nFNS supports responsible use of antibiotics in animals. \no Menu features chickens raised without the use of \nantibiotics ever. \n\u25aa Menu features entrees utilizing chicken products \nfollowing One Health Certified (OHC) standards.37 \nOHC addresses several important areas of animal \nagriculture within a sustainable continuous \nimprovement process. \no Menu features turkey products produced under a", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "e2d43f6d-2d85-4a3c-9169-137c73365a09": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 8 of 17 \n \n \n \nUSDA process verified program that includes \ncompliance with the following Certified Responsible \nAntibiotic Use (CRAU) criteria: \ni. No administration of antibiotics pre-hatch \nii. Antibiotics with analogues in human medicine are \nnot allowed for: \n\u25aa Disease prevention \n\u25aa Growth promotion \n\u25aa Feed efficiency, or \n\u25aa Weight gain \niii. Antibiotics with human analogs can only be used \ntherapeutically to: \n\u2022 Treat disease in poultry with bacterial disease \n\u2022 Control disease in poultry exposed to infectious \nbacteria \n\u2022 FNS is opposed to the use of hormones and steroid \ngrowth promoters in beef and dairy cattle production. \nFNS continues to research food products from beef or \ndairy cattle produced without hormone growth \npromoters and grass-fed products as options become \navailable. FNS acknowledges some USDA commodity \nproducts (beef, dairy and poultry) are purchased without \nthe transparency of animal practices, and therefore, FNS", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "7cf645be-1cdc-4c38-b082-0f8f637813f8": { + "page_content": "available. FNS acknowledges some USDA commodity \nproducts (beef, dairy and poultry) are purchased without \nthe transparency of animal practices, and therefore, FNS \nlimits how often these products are served. USDA \ncommodity proteins may be made from whole muscle \nmeat or restructured meat*. \nF. Other guidelines are observed as follows:", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "748da49a-abbc-49cb-b2fb-85f0a0854a56": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 9 of 17 \n \n \n \n\u2022 All school dining areas are peanut aware. No school \nkitchens will serve peanuts or tree nuts. \n\u2022 FNS accommodates students with medically prescribed \ndietary requirements. \n \nFor more information about this circular, contact: \nOwner: Nutrition Manager \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9144 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "54dde885-ab80-417b-92d3-fdc201e555ee": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 10 of 17 \n \n \n \nREFERENCES \n1 Center for Good Food Purchasing. \nhttps://goodfoodpurchasing.org. Last reviewed 2020. Accessed \nJanuary 26, 2020. \n2 Menus of Change. https://www.menusofchange.org. Last \nreviewed 2021. Accessed May 14, 2021. \n3 Michigan State University. What is a processed food? \nhttps://www.canr.msu.edu/news/what_is_a_processed_food \n4 American Heart Association. Healthy Cooking Oils. \nhttps://www.heart.org/en/healthy-living/healthy-eating/eat-\nsmart/fats/healthy-cooking-oils. Last reviewed April 24, 2018. \nAccessed January 14, 2020. \n5 American Heart Association. Children should eat less than 25 \ngrams of added sugars daily. \nhttps://newsroom.heart.org/news/children-should-eat-less-than-\n25-grams-of-added-sugars-daily \n6 Center for Science in the Public Interest. Chemical Cuisine, \nLearn About Food Additives. https://cspinet.org/eating-\nhealthy/chemical-cuisine. Published 2014. Accessed June 26, 2019.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "bb7a2bdb-acec-4c5b-b17f-171257d5d8a5": { + "page_content": "6 Center for Science in the Public Interest. Chemical Cuisine, \nLearn About Food Additives. https://cspinet.org/eating-\nhealthy/chemical-cuisine. Published 2014. Accessed June 26, 2019. \n7 Kobylewski S, Jacobson MF. Food dyes: A Rainbow of Risks. \nWashington D.C.; 2010. https://cspinet.org/new/pdf/food-dyes-\nrainbow-of-risks.pdf. \n8 Lefferts LY, Jacobson MF, MacCleery L. Seeing Red: Time for \nAction in Food Dyes. Washington D.C.; 2016. \nhttp://cspinet.org/reports/seeing-red-report.pdf.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "5259101e-2e61-4aee-b3f3-344928f7d4ef": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 11 of 17 \n \n \n \n9 Conners CK, Goyette CH, Southwick DA, Lees JM, Andrulonis PA. \nFood additives and hyperkinesis: a controlled double-blind \nexperiment. Pediatrics. 1976;58(2):154-166. \n10 Stevenson J, Buitelaar J, Cortese S, et al. Research review: the \nrole of diet in the treatment of attention deficit/hyperactivity \ndisorder\u2014an appraisal of the evidence on efficacy and \nrecommendations on the design of future studies. J Child \nPsychol Psychiatry. 2014;55(5):416-427. doi:10.1111/jcpp.12215. \n11 Bateman B, Warner JO, Hutchinson E, et al. The effects of a \ndouble blind, placebo controlled, artificial food colourings and \nbenzoate preservative challenge on hyperactivity in a general \npopulation sample of preschool children. Arch Dis Child. 2004; \n89:506-511. doi:10.1136/adc.2003.031435. \n12 McCann D, Barrett A, Cooper A, et al. Food additives and \nhyperactive behavior in 3-year-old and 8/9-year-old children in", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "6ffbabb0-3f42-4ef9-8837-6daf5cddb3f3": { + "page_content": "89:506-511. doi:10.1136/adc.2003.031435. \n12 McCann D, Barrett A, Cooper A, et al. Food additives and \nhyperactive behavior in 3-year-old and 8/9-year-old children in \nthe community: a randomized, double-blinded, placebo- \ncontrolled trial. Lancet. 2007;370(9598):1560-1567. doi:10.1016/ \nS0140-6736(07)61306-3. \n13 Saeed MG, Sayeed SA, Ashraf S, et al. Investigations of In vitro \nDigestibility of Proteins Bound to Food Colors. Journal of \nPharmacy and Nutrition Sciences. 2011, 1, 34-40. \n14 USDA Food and Drug Administration D of H and HS. Specific \nFood Labeling Requirements. Code of Federal Regulations. \nhttps://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/CFRSea\nrch.cfm?CFRPart=101. \n15 Piper, P. Potential safety issues surrounding the use of \nbenzoate preservatives. Beverages. 2018;4(2):33. doi:", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "813f8da9-370f-45dd-9a7a-8535f7ada245": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 12 of 17 \n \n \n \n10.3390/beverages4020033. \n16 NTP (National Toxicology Program). 2016. Report on \nCarcinogens, Fourteenth Edition.; Research Triangle Park, NC: U.S. \nDepartment of Health and Human Services, Public Health \nService. https://ntp.niehs.nih.gov/go/roc14. \n17 Jakszyn P, Gonzalez C-A. Nitrosamine and related food intake \nand gastric and esophageal cancer risk: a systematic review of \nthe epidemiological evidence. World J Gastroenterol. \n2006;12(27):4296-4303. \nhttp://www.ncbi.nlm.nih.gov/pubmed/16865769. \n18 Alhoff J, Grandjean C. In vivo studies in Syrian golden hamsters: \na transplacental bioassay of ten nitrosamines. Natl Cancer Inst \nMonogr. 1979;(51):251-255. \nhttp://www.ncbi.nlm.nih.gov/pubmed/481578. \n19 International Agency for Research on Cancer (IARC). IARC \nMonographs evaluate consumption of red meat and processed \nmeat. 2015. doi: https://www.iarc.fr/en/media-\ncentre/pr/2015/pdfs/pr240_E.pdf.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "5fbd8940-df38-4be2-9ada-bd0cbdec092d": { + "page_content": "Monographs evaluate consumption of red meat and processed \nmeat. 2015. doi: https://www.iarc.fr/en/media-\ncentre/pr/2015/pdfs/pr240_E.pdf. \n20 National Toxicology Program. Carcinogenesis Bioassay of \nPropyl Gallate in F344 Rats and B6C3F1 Mice. Bethesda; 1982. \nhttps://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf. \n21 Ham J, Lim W, Park S, et al. Synthetic phenolic antioxidant \npropyl gallate induces male infertility through disruption of \ncalcium homeostasis and mitochondrial function. Environ \nPollut.2019 May; 248:845-856. Doi: 10.1016/j.envpol.2019.02.087. \n22 Abdo KM, Kari FW. The sensitivity of the NTP bioassay for \ncarcinogen hazard evaluation can be modulated by dietary", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "0bf48b26-3ec4-4184-bd0f-6099fd6044ec": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 13 of 17 \n \n \n \nrestriction. Exp Toxicol Pathol. 1996;48(2-3):129-137. doi: \n10.1016/S0940-2993(96)80033-9. \n23 Soffritti M, Belpoggi F, Degli Esposti D, Lambertini L, Tibaldi E, \nRigano A. First experimental demonstration of the multipotential \ncarcinogenic effects of aspartame administered in the feed to \nSprague-Dawley rats. Environ Health Perspect. 2006;114(3):379-\n385. http://www.ncbi.nlm.nih.gov/pubmed/16507461. \n24 Schernhammer ES, Bertrand KA, Birmann BM, Sampson L, \nWillett WC, Feskanich D. Consumption of artificial sweetener-and \nsugar-containing soda and risk of lymphoma and leukemia in \nmen and women. Am J Clin Nutr. 2012;96(6):1419-1428. \ndoi:10.3945/ajcn.111.030833. \n25 M. S, M. P, E. T, et al. Sucralose administrated in feed, beginning \nprenatally through lifespan, induces hematopoietic neoplasias in \nmale swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: \n10.1080/10773525.2015.1106075.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "2a84290e-cefc-4963-8b07-e152df89ae12": { + "page_content": "prenatally through lifespan, induces hematopoietic neoplasias in \nmale swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: \n10.1080/10773525.2015.1106075. \n \n26 Liauchonak I, Qorri B, Dawoud F, Riat Y, Szewczuk MR. Non-\nNutritive Sweeteners and Their Implications on the Development \nof Metabolic Syndrome. Nutrients. 2019; 11(3):644. \n27 Raiten DJ, Talbot JM, Fisher KD. Executive summary from the \nreport: analysis of adverse reactions to monosodium glutamate \n(MSG). J Nutr. 1995;125(11):2891S-2906S. \nhttp://www.ncbi.nlm.nih.gov/pubmed/7472671. \n28 Bray GA, Nielsen SJ, Popkin BM. Consumption of high-fructose \ncorn syrup in beverages may play July 2019 a role in the epidemic \nof obesity. Am J Clin Nutr. 2004; 79(4):537-543.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "342eaf1c-11cf-41ee-8ccd-2bd68b26ad99": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 14 of 17 \n \n \n \nhttp://www.ncbi.nlm.nih.gov/pubmed/15051594. \n29 American Heart Association. Trans Fats. \nhttp://www.heart.org/HEARTORG/HealthyLiving/HealthEating/Nu\ntrition/TransFats_UCM_301120_Article.jsp#.V2HUpvkrJhE. \n30 US Food and Drug Administration. Frequently Asked Questions \non Azodicarbonamide (ADA). \nhttp://www.fda.gov/Food/IngredientsPackagingLabeling/FoodAd\nditivesIngredients/ucm387497.htm. \n31 Bukhari SSI, Azam I, Abbasi MH, Daud M, Sheikh N, Batool A, \nMahmood R, and Mukhtar M. Effect of Alloxan on IL-6 Gene \nExpression in Mus musulus. Biologia (Pakistan). 2018; 64(1):69-73. \nhttps://www.gcu.edu.pk/Publications/Biologia/Vol64_No1_2018.pd\nf#page=65. \n32 International Agency for Research on Cancer (IARC). \nSummaries & Evaluations Potassium Bromate (Group 2B). 1999. \nhttp://www.inchem.org/documents/iarc/vol73/73-17.html \n33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "c2af1a74-958e-4b29-ae66-a05bb931eb7d": { + "page_content": "Summaries & Evaluations Potassium Bromate (Group 2B). 1999. \nhttp://www.inchem.org/documents/iarc/vol73/73-17.html \n33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments. \nhttps://cfpub.epa.gov/ncea/iris2/chemicalLanding.cfm?substance\n_nmbr=1002. Published 2001. Accessed July 24, 2019. \n34 Cornucopia Institute. Behind the Bean: The Heroes and \nCharlatans of the Natural and Organic Soy Foods Industry.; 2009. \nhttps://www.cornucopia.org/wp-\ncontent/uploads/2017/09/behindthebean_color_final.pdf. \n35 Berkeley Wellness. Ask the Experts, Hexane in Soy Food. \nBerkeley Wellness, Univ Calif. May 2012. \nhttps://www.berkeleywellness.com/healthy-eating/food-\nsafety/article/hexane-soy-food.", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "f75d66f8-f0b8-4113-b98b-78c6028f251d": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 15 of 17 \n \n \n \n36 Women\u2019s Health. \u2018Soy Protein Isolate\u2019 Is in So Many Things\u2014But \nIs It Healthy?; 2019. \nhttps://www.womenshealthmag.com/food/a27559289/soy-\nisolate-protein/. \n37 One Health Certification Foundation. Five Core Principles. \nhttps://onehealthcertified.org/about/core-principles/ \n38 U.S. Department of Agriculture. Certified Responsible Antibiotic \nUse. https://www.ams.usda.gov/services/auditing/crau \nMinneapolis Public Schools Culinary and Wellness Services True \nFood Nutrition Philosophy 2019-2020 \n(https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd\nf) and Culinary & Wellness Services Ingredient Guide \n(https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p\ndf) served as models for the Boston Public Schools Food and \nNutrition Services Menu and Ingredient Guidelines. \nHealthy School Campaign Ingredient Guidelines \nhttps://www.google.com/url?q=https://healthyschoolscampaign.o", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "e52c4350-3b10-4a41-b211-e25879b0fdff": { + "page_content": "Nutrition Services Menu and Ingredient Guidelines. \nHealthy School Campaign Ingredient Guidelines \nhttps://www.google.com/url?q=https://healthyschoolscampaign.o\nrg/dev/wp-content/uploads/2020/01/Ingredient-Guide-\n2021.pdf&sa=D&source=docs&ust=1689510987098278&usg=AOvVa\nw2a5uRgrXBkhb6Xz9zJ6ESc", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "2cb7a880-8dfe-4904-9d37-01e89cb81b92": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 16 of 17 \n \n \n \nNOTES: \n*Sugar calculation \n Yogurt: \n12 grams of sugar in 4 oz. of \u201cSweetened Yogurt\u201d \n15 grams of sugar in 4 oz. vanilla-flavored yogurt \n Breakfast Condiment: \n6 grams of sugar in 1 oz. \u201cYogurt Dipping Sauce\u201d \n8 grams of sugar in .4 oz. of table syrup individual \npackage", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "952b20c1-203e-4fa1-a96c-899670482bce": { + "page_content": "Superintendent\u2019s Circular FNS-06 \nPage 17 of 17", + "metadata": { + "file_name": "FNS-06 Menu Standards and Guidelines.pdf", + "source_link": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#FNS" + } + }, + "2314392532623569691": { + "page_content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nCAO-06 \nVersion 01 \n \n \n \n GRADE POINT AVERAGE CALCULATION METHOD \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nRATIONALE \nThe purpose of this document is to outline how grade point \naverages (GPAs) are calculated and used within the Boston \nPublic Schools. \nDEFINITION \nThe grade point average (GPA) is a standard numerical \nconversion of letter grades given to a student. The GPA is a \nstandard method of comparing the cumulative academic \nperformance of students in grades 9-12 and sharing that \ninformation. The GPA is used for several purposes such as college \nadmissions, high school ranking, and selective program \nadmissions. The GPA calculation takes in a variety of information \nfrom courses such as credits and academic level. \nGPA CALCULATIONS \nUse the following steps to complete the weighted GPA \ncalculation: \nStep 1. Convert each final grade (numeric or letter grade) to", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6349875983796369171": { + "page_content": "GPA CALCULATIONS \nUse the following steps to complete the weighted GPA \ncalculation: \nStep 1. Convert each final grade (numeric or letter grade) to \nits equivalent on the 4.0 scale.", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "8899645700108395082": { + "page_content": "Superintendent\u2019s Circular CAO-06 \nPage 2 of 5 \n \n \n \nStep 2. Weight grades by adding .5 to each converted grade \nearned in an Honors level course and 1.0 to each converted \ngrade earned in Advanced Placement or Dual Enrollment \ncourse. \nStep 3. Multiply each converted grade or, if applicable, each \nweighted grade by the course credits earned. Where a full-\nyear course equals 1 credit; a semester course equals .5 \ncredits; a quarter course equals .25 credits. \nStep 4. Sum all the weighted grade points from Step 3. \nStep 5. Divide total from Step 4 by total number of course \ncredits attempted. Where a full-year course equals 1 credit; \na semester course equals .5 credits; a quarter course \nequals .25 credits. \nStep 6. The quotient is the student's weighted GPA. \nGPA = Total (Point + Weight) * Credit) for all courses / Total \nCredits for all courses \nCOURSE INFORMATION \n1. Course \na. Student courses taken in grades 9-12 will be included in", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "6927258451775148079": { + "page_content": "GPA = Total (Point + Weight) * Credit) for all courses / Total \nCredits for all courses \nCOURSE INFORMATION \n1. Course \na. Student courses taken in grades 9-12 will be included in \nthe GPA calculation. High school level courses taken by \na student in middle school grades will not be included \nin the calculation. \nb. Include in GPA or InGPA flag \nc. This indicator describes the courses that will be \nincluded in any academic GPA calculation. Courses", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1276729041112339339": { + "page_content": "Superintendent\u2019s Circular CAO-06 \nPage 3 of 5 \n \n \n \nthat are required for graduation are included in GPA \ncalculations. Courses that typically are excluded from \nacademic GPA calculations include enrichment \ncourses, functional courses, study periods and \nadministration blocks such as lunch. The district \ndetermines which courses are included within a \nstudent\u2019s GPA calculation, additionally such courses \nmay also be required by schools for graduation. The \nDivision of Academics maintains and updates the list of \nall applicable courses to be included in the GPA \ncalculation. School users can find InGPA information in \nthe Course Catalog feature in Aspen. \n2. Credits \na. Credits describe the number of \u2018points\u2019 that a course \nwill receive in a GPA after the course is completed. In \ngeneral, most courses will have 1 credit. However, \ncertain courses may have more than 1 credit, such as \ndouble-blocked humanities courses. Similarly, some", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5658748043980509820": { + "page_content": "general, most courses will have 1 credit. However, \ncertain courses may have more than 1 credit, such as \ndouble-blocked humanities courses. Similarly, some \ncourses have fewer than 1 credit, such as 1 semester \n(half-year) courses. In the cumulative GPA calculation \nwithin a school year, quarter or term grades for a 1 \nsemester course will be attributed .25 credits in the \nGPA calculation. \nb. Credits are generally distributed based on the \nsuccessful completion of the competencies of the \ncourse. \nc. Transfer-in credits are credits that a student earns in a \nsetting outside of BPS. These credits are included on a \nstudent\u2019s transcript and count towards a school\u2019s \ngraduation requirements. Therefore, these credits will", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "1857416566277392875": { + "page_content": "Superintendent\u2019s Circular CAO-06 \nPage 4 of 5 \n \n \n \nbe used in the GPA calculation. This is in alignment \nwith the Massachusetts Board of Higher Education\u2019s \n(MA BHE) process of calculating GPAs. \n3. Academic level \na. The academic level of a course can be one of 8 options \n(see table below). \nb. Weights are applied to courses through the academic \nlevel of the course. The following weights are given to \neach academic level based on the MA Board of Higher \nEducation recommendations (Link to full weighting \nchart). \n \nWeighting Course Academic Level \nNot included Functional Untracked \n+0 (standard) Regular \n+0.5 Honors IB MYP \n+1.0 College AP IB DP \n \nGPA CALCULATION DATES (BPS CALENDAR) \nThe GPA calculation dates for SY24 can be found here. \nGPA INCLUDED IN TRANSCRIPT \nWhile there are several GPA calculations in Aspen, only the \ncumulative weighted academic GPA calculation is included on a \nstudent\u2019s official transcript. The quarter, semester, and final GPAs", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + }, + "5587248816358987819": { + "page_content": "Superintendent\u2019s Circular CAO-06 \nPage 5 of 5 \n \n \n \nare saved throughout the school year but will be overwritten \neach year. The final cumulative GPA (accumulation over grades 9-\n12) as of the current year is saved in Aspen and transferred to the \nData Warehouse. \nHELPFUL LINKS \nGrade Point Average (GPA) Help Guides for Aspen \nWeighting Chart \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent", + "metadata": { + "file_name": "CAO-06 GPA Calculation Method.pdf", + "source_link": "https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x", + "backup_link": "https://www.bostonpublicschools.org/Page/5357#CAO" + } + } +} \ No newline at end of file diff --git a/BPS_chatbot_with_ui/requirements.txt b/BPS_chatbot_with_ui/requirements.txt new file mode 100644 index 0000000..c678e1a --- /dev/null +++ b/BPS_chatbot_with_ui/requirements.txt @@ -0,0 +1,10 @@ +pypdf +torch +sentence-transformers +datasets +faiss-cpu +langchain +langchain-community +langchain-huggingface +chainlit +openai \ No newline at end of file diff --git a/BPS_chatbot_with_ui/utils/__init__.py b/BPS_chatbot_with_ui/utils/__init__.py new file mode 100644 index 0000000..e69de29 diff --git a/BPS_chatbot_with_ui/utils/chunker.py b/BPS_chatbot_with_ui/utils/chunker.py new file mode 100644 index 0000000..c828ca1 --- /dev/null +++ b/BPS_chatbot_with_ui/utils/chunker.py @@ -0,0 +1,122 @@ +import os +import re +import json +from tqdm import tqdm +from langchain_community.document_loaders import PyPDFLoader +from langchain.text_splitter import RecursiveCharacterTextSplitter + +def clean_name(name): + name = re.sub(r'\s*', '', name) + name = re.sub(r'\.pdf$', '', name, flags=re.IGNORECASE) + return name.strip() + +def extract_abbreviation(folder_name): + match = re.search(r'\((.*?)\)', folder_name) + return match.group(1) if match else folder_name.split('-')[0] + +def get_source_link(file_name): + with open("./data/source_links.json", 'r') as file: + url_mapping = json.load(file) + file_name = clean_name(file_name) + for key in url_mapping: + if key in file_name: + return url_mapping[key] + return None + +def add_to_source_link(file_name, source_link): + source_links_path = "./data/source_links.json" + + # Ensure the source_links.json file exists + if not os.path.exists(source_links_path): + with open(source_links_path, 'w') as file: + json.dump({}, file) # Create an empty JSON object + + # Load the existing URL mappings + with open(source_links_path, 'r') as file: + url_mapping = json.load(file) + + # Clean the file name + file_name = clean_name(file_name) + + # Add or update the mapping + url_mapping[file_name] = source_link + + # Save the updated mappings back to the file + with open(source_links_path, 'w') as file: + json.dump(url_mapping, file, indent=4) + +def backup_source_link(file_name): + BASE_URL = "https://www.bostonpublicschools.org/Page/5357" + abbreviation = file_name.split('-')[0] + return f"{BASE_URL}#{abbreviation}" + +def process_pdf(pdf_path, text_splitter): + chunks = [] + try: + loader = PyPDFLoader(file_path=pdf_path) + docs_before_split = loader.load() + if not docs_before_split: + print(f"Warning: No content found in {pdf_path}. Skipping.") + return chunks + + docs_after_split = text_splitter.split_documents(docs_before_split) + if not docs_after_split: + print(f"Warning: No chunks created from {pdf_path}. Skipping.") + return chunks + + clean_file_name = clean_name(os.path.basename(pdf_path)) + + for doc in docs_after_split: + chunk_data = { + 'file_name': os.path.basename(pdf_path), + 'content': doc.page_content, + 'source_link': get_source_link(clean_file_name) or backup_source_link(clean_file_name), + 'backup_link': backup_source_link(clean_file_name), + } + chunks.append(chunk_data) + + print(f"Processed {pdf_path}, created {len(docs_after_split)} chunks.") + except Exception as e: + print(f"Error processing {pdf_path}: {e}") + return chunks + +def process_dataset(dataset_path, output_chunk_path): + all_chunks = [] + policies = {} + folder_count = 0 + pdf_count = 0 + text_splitter = RecursiveCharacterTextSplitter(chunk_size=1000, chunk_overlap=200) + + for root, _, files in tqdm(os.walk(dataset_path), desc="Processing folders"): + if files: + folder_count += 1 + for file_name in tqdm(files, desc="Processing PDFs", leave=False): + if file_name.endswith('.pdf'): + pdf_path = os.path.join(root, file_name) + folder_name = os.path.basename(root) + chunks = process_pdf(pdf_path, text_splitter) + all_chunks.extend(chunks) + + abbreviation = extract_abbreviation(folder_name) + clean_file_name = clean_name(file_name) + if abbreviation not in policies: + policies[abbreviation] = [] + policies[abbreviation].append(clean_file_name) + + pdf_count += 1 + + if all_chunks: + with open(output_chunk_path, 'w') as json_file: + json.dump(all_chunks, json_file, indent=4) + print(f"All PDF chunks with links saved to {output_chunk_path}.") + else: + print("No chunks created. Please check the input files.") + + print(f"Number of folders traversed: {folder_count}") + print(f"Number of PDFs processed: {pdf_count}") + +if __name__ == "__main__": + dataset_path = './data/documents/dataset' + output_chunk_path = './data/chunked_data_all_folders_with_links.json' + + process_dataset(dataset_path, output_chunk_path) diff --git a/BPS_chatbot_with_ui/utils/faiss_handler.py b/BPS_chatbot_with_ui/utils/faiss_handler.py new file mode 100644 index 0000000..3c72929 --- /dev/null +++ b/BPS_chatbot_with_ui/utils/faiss_handler.py @@ -0,0 +1,223 @@ +import faiss +import json +import numpy as np +from langchain.schema import Document +from langchain_community.docstore.in_memory import InMemoryDocstore +from langchain_community.vectorstores import FAISS +from langchain_huggingface import HuggingFaceEmbeddings +from langchain.schema import Document + +def get_embeddings(): + # Initialize HuggingFace embeddings + embeddings = HuggingFaceEmbeddings( + model_name="sentence-transformers/all-MiniLM-l6-v2", + model_kwargs={"device": "cpu"}, + encode_kwargs={"normalize_embeddings": False} + ) + return embeddings + +# Load the JSON data +def json_to_documents(json_file_path = "./data/chunked_data_all_folders_with_links.json"): + with open(json_file_path, 'r') as json_file: + chunked_data = json.load(json_file) + + # Initialize list to store documents + documents = [] + + # Process each entry in the JSON data + for entry in chunked_data: + # Extract fields from JSON entry + original_content = entry['content'] + file_name = entry['file_name'] + source_link = entry.get('source_link', 'Unknown Source Link') + backup_link = entry.get('backup_link', 'Unknown BackUp Link') + + # Create Document objects for each entry with metadata + doc = Document( + page_content=original_content, + metadata={ + 'file_name': file_name, + 'source_link': source_link, + 'backup_link': backup_link + } + ) + documents.append(doc) + + return documents + +def save_faiss(db, index_path, metadata_path): + # Save the FAISS index + faiss.write_index(db.index, index_path) + print(f"FAISS index saved to {index_path}") + + # Save metadata + metadata_dict = { + key: { + "page_content": value.page_content, + "metadata": value.metadata + } + for key, value in db.docstore._dict.items() + } + with open(metadata_path, 'w') as f: + json.dump(metadata_dict, f, indent=4) + print(f"Metadata saved to {metadata_path}") + +def load_faiss_from_files(index_path, metadata_path, embedding_function): + try: + # Load FAISS index + loaded_index = faiss.read_index(index_path) + print(f"FAISS index loaded from {index_path}") + + # Load metadata + with open(metadata_path, "r") as f: + metadata_dict = json.load(f) + print(f"Metadata loaded from {metadata_path}") + + # Ensure consistency between the index and metadata + if loaded_index.ntotal != len(metadata_dict): + raise ValueError( + f"Mismatch between FAISS index vectors ({loaded_index.ntotal}) and metadata entries ({len(metadata_dict)})." + ) + + # Reconstruct the document store + docstore = InMemoryDocstore({ + key: Document(page_content=value["page_content"], metadata=value["metadata"]) + for key, value in metadata_dict.items() + }) + + # Recreate the index_to_docstore_id mapping + index_to_docstore_id = {i: key for i, key in enumerate(metadata_dict.keys())} + + # Recreate the FAISS database + faiss_db = FAISS( + index=loaded_index, + docstore=docstore, + index_to_docstore_id=index_to_docstore_id, + embedding_function=embedding_function + ) + print("FAISS database successfully reconstructed.") + return faiss_db + except Exception as e: + print(f"Error loading FAISS data: {e}") + return None + +def ensure_index_idmap(faiss_index): + # If the index is already an IndexIDMap, return it as-is + if isinstance(faiss_index, faiss.IndexIDMap): + return faiss_index + + # If the index is empty, wrap it in IndexIDMap + if faiss_index.ntotal == 0: + return faiss.IndexIDMap(faiss_index) + + # Recreate an empty IndexIDMap with the same structure + dimension = faiss_index.d + new_index = faiss.IndexIDMap(faiss.IndexFlatL2(dimension)) + + # Transfer the existing data + xb = faiss_index.reconstruct_n(0, faiss_index.ntotal) + ids = np.arange(faiss_index.ntotal, dtype='int64') + new_index.add_with_ids(xb, ids) + + print(f"Transferred {faiss_index.ntotal} vectors to a new IndexIDMap.") + return new_index + +def add_to_faiss(faiss_db, embeddings, documents): + # Ensure the FAISS index is wrapped in IndexIDMap + faiss_db.index = ensure_index_idmap(faiss_db.index) + + # Add documents to the FAISS index and docstore + for i, doc in enumerate(documents): + try: + # Generate a unique vector ID for the document + vector_id = hash(doc.metadata["file_name"] + str(i)) % (2**63 - 1) + + # Generate embedding for the document content + vector = embeddings.embed_query(doc.page_content) + + # Add embedding to the FAISS index + faiss_db.index.add_with_ids( + np.array([vector]).astype("float32"), + np.array([vector_id], dtype="int64") + ) + + # Add document metadata to the docstore + faiss_db.docstore._dict[str(vector_id)] = doc + + # Update the index_to_docstore_id mapping + faiss_db.index_to_docstore_id[vector_id] = str(vector_id) + + except Exception as e: + print(f"Error adding document {doc.metadata.get('file_name', 'unknown')} to FAISS: {e}") + + print(f"Added {len(documents)} documents to the FAISS index.") + return faiss_db + +import numpy as np + +def remove_from_faiss(faiss_db, file_name): + # Identify all keys (IDs) associated with the file_name + keys_to_remove = [] + for key, doc in list(faiss_db.docstore._dict.items()): + if doc.metadata.get("file_name") == file_name: + keys_to_remove.append(key) + + # If no matching content is found, return the FAISS database unmodified + if not keys_to_remove: + print(f"No content found in FAISS metadata for file_name: {file_name}") + return faiss_db + + # Remove keys from the FAISS docstore and index + numeric_ids = [] + for key in keys_to_remove: + try: + # Convert the key to an integer if possible + numeric_id = int(key) + numeric_ids.append(numeric_id) + except ValueError: + pass # Skip non-numeric keys + # Remove from docstore + del faiss_db.docstore._dict[key] + + # Remove numeric IDs from the FAISS index + if numeric_ids: + # Convert numeric IDs to NumPy array + numeric_ids = np.array(numeric_ids, dtype='int64') + faiss_db.index.remove_ids(numeric_ids) + + print(f"Removed {len(keys_to_remove)} chunks related to file_name: {file_name}") + + # Debugging: Verify that no metadata for the file remains + remaining_metadata = [ + doc.metadata for key, doc in faiss_db.docstore._dict.items() + if doc.metadata.get("file_name") == file_name + ] + if remaining_metadata: + print(f"WARNING: Metadata for file_name '{file_name}' still exists in docstore: {remaining_metadata}") + else: + print(f"Successfully removed all metadata for file_name: {file_name}") + + return faiss_db + + +def search_faiss(faiss_db, query, top_k=5): + searchDocs = faiss_db.similarity_search(query, top_k=top_k) + + results = "" + + # Loop through relevant documents and format their content + for i, doc in enumerate(searchDocs): + results += f"Document {i+1} Content:\n{doc.page_content}\n{'-'*100}\n" + + file_name = doc.metadata.get("file_name", "None") + results += f"File Name: {file_name}\n" + + source_link = doc.metadata.get("source_link", "None") + results += f"Source Link: {source_link}\n" + + backup_link = doc.metadata.get("backup_link", "None") + results += f"Backup Link: {backup_link}\n" + + results += f"{'='*100}\n\n" + + return results.strip() \ No newline at end of file diff --git a/README.md b/README.md index 88777db..41c066a 100644 --- a/README.md +++ b/README.md @@ -1,7 +1,101 @@ -# TEMPLATE-base-repo +# Welcome To Boston Public School Policy Document Retrieval Chatbot -Create a new branch from dev, add changes on the new branch you just created. +# Project Overview -Open a Pull Request to dev. Add your PM and TPM as reviewers. +Our project aims to supports Boston Public Schools by simplifying access to English language public policy information through an intuitive RAG-based chatbot. Acting as a virtual assistant, the chatbot helps staff find policy-related answers and documents quickly, saving time on administrative tasks. By organizing policy documents into searchable pieces and using smart retrieval tools, it delivers accurate, clear responses through a user-friendly interface. With a focus on privacy and reliability, the chatbot enhances decision-making and streamlines navigating complex policies. -At the end of the semester during project wrap up open a final Pull Request to main from dev branch. +# Public Policies + +The following link provides access to the official policies of the Boston Public Schools. These policies cover a wide range of areas, including academic guidelines, student conduct, safety protocols, and other important regulations governing the operations of the school district. + +You can view the complete list of policies and guidelines by visiting the link below: +Link: [Boston Public Schools Policies](https://www.bostonpublicschools.org/domain/1884) + +# Repository breakdown + +The **`main`** branch of the repository contains several folders that document our progress throughout the project development lifecycle. Each folder represents a distinct phase of our work and provides a detailed snapshot of the progress made during that stage. The folders are organized in chronological order, allowing for a clear and systematic view of the project's evolution over time. + +1. **`dataset-documentation:`** This folder contains a detailed README file that provides comprehensive information about the dataset used in the project. The documentation covers the following key aspects: + + * Location: Where the dataset is stored and how to access it. + * Structure: A breakdown of the dataset's organization, including the types of data, fields, and how it is arranged. + * Composition: Detailed information about the content of the dataset, such as the number of records, data types (e.g., text, images, numerical values), and any associated metadata. + * Size: The overall size of the dataset, including the number of entries or files it contains, as well as the storage requirements. + * Usage: How the dataset is intended to be used within the project, including any necessary preprocessing steps. + * Purpose: The objective and relevance of the dataset in relation to the project's goals. + +This documentation is designed to serve as a complete reference for understanding the dataset, ensuring clarity on its structure, composition, size, and application in the project. + +2. **`project-outline:`** This folder contains the foundational outline of the project. It details our initial plans, objectives, and commitments made to the clients. The documents in this folder provide a clear understanding of the project's scope, goals, and the preliminary requirements necessary to achieve the desired outcomes. It serves as the starting point for defining the project's direction. + +3. **`project-research:`** This folder houses the research phase of the project, where we explored and analyzed various reference papers to inform our strategy. During this phase, we identified key academic and industry resources that helped us refine our approach and establish a concrete project plan. The insights gained during this phase also contributed to the development of the project's pipeline, laying the groundwork for subsequent stages. + +4. **`data:`** This folder contains the raw data used throughout the project. It includes files in different formats, such as: + + * PDF: Documents in PDF format that are part of the dataset. + * Text: Plain text files containing extracted or processed data. + * JSON: Structured data stored in JSON format for easy parsing and integration. + +These files represent the core data that is processed and utilized in the project, serving as the foundation for further analysis and model development. + +5. **`project-eda:`** This folder documents the Exploratory Data Analysis (EDA) conducted on the project's dataset. The EDA process began with scraping links from a website, followed by downloading files from Google Drive links. Our analysis focused exclusively on documents in English. We extracted text from PDF files, stored the content as .txt files, and performed tokenization and lemmatization to preprocess the data. Various EDA techniques were applied to better understand the dataset, including generating word clouds, analyzing word frequencies, creating histograms, conducting Latent Dirichlet Allocation (LDA) for topic modeling, and more. + +6. **`project-poc:`** This folder contains the Proof of Concept (PoC) for the project. Here, we implemented a basic version of the Retrieval-Augmented Generation (RAG) model, which served as a foundational prototype. This rudimentary implementation allowed us to structure and refine our approach. The PoC involved processing text data into metadata chunks structured as 'folder_name', 'file_name', 'chunk_id', 'uri', 'content'. We utilized the Hugging Face transformer model all-MiniLM-l6-v2 to generate embeddings, which were stored in a FAISS vector database. The PoC demonstrated the ability to retrieve the top four relevant chunks from the database in response to policy-related questions, providing a baseline for further improvements. + +7. **`project-UI:`** This folder showcases the work we performed beyond the original project scope by implementing a user interface (UI) for the chatbot model. We utilized Chainlit as the primary framework for creating an interactive and visually appealing UI. Chainlit allowed us to seamlessly integrate the chatbot's backend with its frontend components. To enhance functionality and modularity, we incorporated FastAPI, a high-performance web framework, to handle API endpoints and manage the communication between the chatbot logic and the frontend. Additionally, we leveraged iframe components to embed interactive elements, ensuring the UI was both dynamic and user-friendly. This implementation made the model accessible to end-users while maintaining flexibility for future customizations or enhancements. + +8. **`project-chatbot:`** This folder contains the final implementation of the complete project pipeline, integrating all previous steps and additional refinements. At its core, the pipeline leverages LangChain, a powerful framework for developing applications with language models. + + 1. Retrievers: We employed retrievers to fetch the most relevant pieces of information from the dataset based on user queries. This step ensures that the chatbot delivers precise and contextually accurate responses. The retrievers utilized embeddings stored in the FAISS vector database to identify and return relevant metadata chunks efficiently. + + 2. Generators: Generators were used to synthesize coherent and detailed responses by combining the information retrieved with the capabilities of the language model. This step involved transforming retrieved chunks into human-readable answers tailored to the user's query. + +To further enhance interaction, we incorporated an LLM agent as the final layer. This agent acts as an intermediary between the user and the RAG pipeline, utilizing advanced prompts to interpret user queries, orchestrate retrieval and generation tasks, and deliver polished, human-like responses. The implementation not only ensures accuracy but also prioritizes user experience by making responses intuitive and easy to understand. + +This folder represents the culmination of our efforts, showcasing a robust, end-to-end solution capable of handling complex queries, retrieving relevant data, and generating high-quality outputs. The modularity of the design ensures scalability and adaptability for future enhancements. + +# Project Pipeline +![Pipeline Diagram](data/pipeline/pipeline.png) +# Installation Instructions + +Follow the steps below to set up and configure the environment for the chatbot: + +## Step 1: Install Required Dependencies +Run the following command to install the necessary dependencies: +```bash +pip install -r requirements.txt +``` + +If you encounter issues with `torch` or its dependencies, use the following command to manually install the required PyTorch packages: +```bash +pip3 install --pre torch torchvision torchaudio --extra-index-url https://download.pytorch.org/whl/nightly/cpu +``` + +## Step 2: Set Up Environment Variables +Create a `.env` file in the root directory of the project and add the following lines: +```bash +export OPENAI_API_KEY='your-openai-api-key' +export LANGCHAIN_API_KEY='your-langchain-api-key' +export LANGCHAIN_TRACING_V2="true" +``` +Replace `'your-openai-api-key'` and `'your-langchain-api-key'` with your actual API keys. + +This application runs well for python verisons > 3.8, up til version specified in 'python_version.txt' + +## Step 3: Run the Chatbot Application +Start the chatbot by running the following command: +```bash +uvicorn code.main:app --reload --port 8000 +``` +The application will run on port `8000` by default. If you want to use a different port, replace `8000` with your preferred port number. + +## Usage +After completing these steps, the chatbot will be accessible via the specified port. You can interact with it using the user interface or API endpoints. + +By following these instructions, you will have the chatbot configured and ready to use seamlessly. + +**Contributors:** +Akshat Gurbuxani +Abhaya Shukla +Akuraju Mounika Chowdary +Duoduo Xu \ No newline at end of file diff --git a/data/data_json/chunked_data_all_folders_cleaned.json b/data/data_json/chunked_data_all_folders_cleaned.json new file mode 100644 index 0000000..450ccbe --- /dev/null +++ b/data/data_json/chunked_data_all_folders_cleaned.json @@ -0,0 +1,29084 @@ +[ + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-05 \nVersion 01 \n \nSERVICES FOR MULTILINGUAL LEARNER STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Office of Multilingual and Multicultural Education has \ngenerated this circular to provide an overview of the operational \nand instructional expectations to effectively service the needs of \nMultilingual Learners (ML), Former English Learners FEL), and \nother subgroups within this student population. All BPS staff are \nexpected to be familiar with the information contained in this \ncircular and to meaningfully incorporate it into their day-to-day" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 2, + "content": "work as part of the district\u2019s work to respect the rights of our \nstudents and families and comply with all related federal and \nstate regulatory requirements. \nThe following actions are recommended for school leaders and \ntheir team to review in this circular: \n1. Schedule a dialogue with members of your school\u2019s \nInstructional Leadership Team (ILT) and Language \nAssessment Team (LATF) around the items shared in this \ndocument to ensure all key stakeholders are aware of their \nresponsibilities. \n2. Using the LATF calendar, identify relevant information to be \nreviewed monthly by the school leader and other leaders in \nyour school who can support this work." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 2 of 36 \n \n3. Work with your LATF to audit your school\u2019s scheduling data \nin Aspen SIS to assure that every EL is appropriately \nscheduled for all English Learner Education (ELE) services \nand special education services for MLs with disabilities. \nPlease Note: We will use the term \u201cMultilingual Learner\u201d to \ndescribe our students who enter BPS with or who are in the \nprocess of learning one or more languages. However, we will \ncontinue to use the terms \u201cEnglish Learner\u201d (EL) and \u201cFormer \nEnglish Learner\u201d when referring to state and federally defined \nlegal rights/services. \nTABLE OF CONTENTS \n1. Overview of Policies and Legal Responsibility" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 4, + "content": "2. ELE Service Compliance Reporting \n3. English Learner Education (ELE) Program Models \n3A. District-Wide ELE Program Requirements \n3B.BPS Formally Designated Program for ELs Descriptions \n3C. Special Notices about ELE Programs in BPS \n4. ESL Services and Teacher Qualifications Compliance \nInformation \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \n4B. ESL Instructional Types, Requirements, and \nRecommendations \n4C. ESL Instructional Grouping Requirements \n4D. Educator Licensure and Endorsement Requirements \n5. SY23-24 ESL Service Delivery Determination Guidance" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 3 of 36 \n \n1. OVERVIEW OF POLICIES AND LEGAL RESPONSIBILITY \nUnder Massachusetts General Laws Chapter 71A, all Boston \nPublic Schools with an English Learner student assigned and \nenrolled are obligated to offer an English Learner Education (ELE) \nprogram. Under Massachusetts Department of Elementary and \nSecondary Education guidance, an ELE program consists of both \nSheltered English Immersion (SEI) core content and explicit ESL \ninstruction appropriate for the student\u2019s English Language \nDevelopment (ELD) level. Please note that under Section 6 of this \nChapter, \u201cany school district employee\u2026 may be held personally" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 6, + "content": "liable\u201d for not providing students with access to EL programming. \nThe following are additional legal regulations and guidelines that \npertain to Multilingual Learner Education offered in BPS and ELE \nservice requirements for students attending BPS: \n\u25ba Resource: The DOJ Successor Settlement Agreement \n\u25ba Resource: The META Consent Decree \n\u25ba Resource: The LOOK Act \n\u25ba Resource: The BPS Systemic Improvement Plan (SIP) \n2. ELE SERVICE COMPLIANCE REPORTING \nThe Office of Multilingual and Multicultural Education submits a \nseries of reports each year on the compliance of Multilingual \nLearner Education offered in BPS and ELE service requirements" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 7, + "content": "for students attending BPS in accordance with the DOJ \nSuccessor Settlement Agreement. Described below is the \nreporting cycle of Paragraph 54, one of the key reports that \nschools are accountable for throughout the school year." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 4 of 36 \n \nFor each cycle of this report (October, December, and March), \nBPS reviews the following quality indicators for ELE services in \naccordance with Paragraph 54 of The Successor\u2019s Agreement: \n1. Teacher Qualifications: Are teachers qualified to provide \nservices to ML students in their ESL and SEI or bilingual core \ncontent classes? \n2. ESL Instruction Type: Are ML students assigned to the right \ncourses per their program code and receiving daily ESL \nservices with the appropriate ESL instructional model/type \n(e.g., push in, pull out, or embedded ESL in grade-level \nEnglish Language Arts (ELS), etc.)?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 9, + "content": "English Language Arts (ELS), etc.)? \n3. ESL Minutes: Are ML students receiving the right amount of \nESL instructional time for their ELD level? \n4. ESL Grouping: Are ML (ELD 1-5) students appropriately \ngrouped for ESL? \n \nTo support the district\u2019s compliance with the \nabove ELE service requirements and ensure \nthe accuracy of the reporting data, schools \nare expected to review and update ELE \nservice data in Aspen SIS at the beginning of \neach school year, and regularly thereafter in \npreparation for the reporting cycle deadlines \n(October, December, and March), as well as \nas needed upon changes in student enrollment or staffing \nchanges." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 10, + "content": "changes. \n\u25ba Resource: Consult The Aspen SIS Guide for Recording ESL \nMinutes, Instruction Type, and Teacher (Updated Nov 2023) \nfor detailed directions on entering ELE compliance data in \nAspen." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 5 of 36 \n \n\u25ba Resource: Consult The DOJ Reporting Schedule with \nDescription for a full list of required DOJ reports. \n\u25ba Resource: Consult CAO-5 Cheat Sheet for a quick and simple \noutline of ESL compliance. \n\u25ba Resource: Consult K-12 Sheltered English Immersion (SEI) \nScheduling and Service Delivery for detailed ESL scheduling \nsuggestions and guidance. COMING SOON \n\u25ba \n \n3. ENGLISH LEARNER EDUCATION (ELE) PROGRAM MODELS \n3A. District-Wide ELE Program Requirements \nRegardless of an EL student being placed in a formally \ndesignated program for ELs, all BPS schools must comply with \nthe following requirements for ELE service:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 12, + "content": "the following requirements for ELE service: \n1. Casta\u00f1eda\u2019s Three-Pronged Test for Educationally \nSound ELE Programs \n2. Providing an equitable curricular and educational \nexperience for MLs \n3. Access to a Sheltered English Immersion Program \nEach of these three requirements are described in detail below: \nCasta\u00f1eda\u2019s Three-Pronged Test for Educationally Sound ELE \nPrograms \nAll ELE program models implemented in BPS are required by \nDESE to meet \u201cCasta\u00f1eda\u2019s Three-Pronged Test,\u201d as defined by \nthe following components: \n1. The program is based on a sound educational theory or on \nresearch \n2. The program is implemented with adequate and \nappropriate resources" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 6 of 36 \n \n3. The program has resulted in demonstrable academic \noutcomes for ELs. \n\u25ba Resource: DESE Guidance on The Integration of Casta\u00f1eda\u2019s \nThree-Pronged Test into ELE Program Development and \nReview Process \nProviding an Equitable Curricular and Educational Experience \nfor MLs \nAll ELE programs implemented in BPS are required to provide \nMLs (SDD 1-4) comparable access to the standard curriculum \nwithin a reasonable period of time and to the range and level of \nextracurricular activities and additional services as non-ML \nstudents. Additionally, all ELE programs should provide \nopportunities for MLs (SDD 1-4) to take classes and participate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 14, + "content": "in school activities with their English-proficient peers (non-MLs). \nAdditionally, all BPS classrooms that serve MLs and non-MLs \ntogether and provide sheltered content instruction have \nhistorically been coded as \u201cgeneral education,\u201d but will now be \ncoded as State SEI classrooms to be in alignment with State \nregulations and the findings from the 2023 DESE Tiered Focus \nMonitoring report. And students, regardless of receiving \nfoundational level scores1 on the ACCESS or WIDA Screener \nassessments, have equal access to enroll in such classrooms \nwhere they will be exposed to English-proficient peers. \n \nAccess to a Sheltered English Immersion Program" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 15, + "content": "Access to a Sheltered English Immersion Program \nDESE (2019) SEI guidance offers this helpful framework for the SEI \nELE program model implemented in Massachusetts: \n \n \n1 Foundational level scores are scores of a 1-2.5 on the ACCESS \ntest, or scores of a 1-2 on a WIDA Screener." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 7 of 36 \n \nSHELTERED ENGLISH IMMERSION (SEI) PROGRAM (2) \nA two-component program model \n \nSheltered Content Instruction \n(SCI) \nEnglish as a Second Language \n(ESL) \n\u25cf Taught by content-area \nlicensed and SEI-endorsed \nteacher (or BEE-endorsed in an \nofficial BPS Dual Language \nprogram). \n\u25cf Access to grade-level content & \ndevelopment of discipline-\nspecific academic language. \n\u25cf Occurs throughout the day and \nis designed for optimum EL \nengagement in content. \n \n\u25cf Taught by ESL-licensed \nteacher. \n\u25cf Additional linguistic support \nELs need to be delivered \nthrough systematic, explicit, \nsustained focus on language \nand literacy in the context of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 17, + "content": "and literacy in the context of \nthe Massachusetts Curriculum \nFrameworks. \n\u25cf Occurs for a specific amount of \ntime each day [in accordance \nwith DOJ requirements \nspecified in this Circular]. \n \n2Massachusetts law (G.L. c. 71A, \u00a7) defines SEI as \u201can English language \nacquisition process for young children in which nearly all classroom \ninstruction is in English but with the curriculum and presentation designed \nfor children who are learning the language. Books and instruction materials \nare in English and all reading, writing, and subject matter are taught in \nEnglish. Although teachers may use a minimal amount of the child's native" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 18, + "content": "language, when necessary, no subject matter shall be taught in any \nlanguage other than English, and children in this program learn to read and \nwrite solely in English.\u201d" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 8 of 36 \n \nThis means that ML (ELD 1-5) students with \u201cGeneral Education,\u201d \nvocational, Inclusion, Substantially Separate, AWC, IB, Montessori, \nand Alternative Education program seat assignments are \nconsidered to be served in an SEI ELE model \u2014 entitled to both \nsheltered core content instruction and ESL.2 \n3B. BPS Formally Designated Program for MLs Descriptions \nAs stated in section 3A, while schools are required to comply with \noffering all ML students the requirements for ELE programs \nregardless of student placement, BPS also offers ML students \nenrollment opportunities in one of BPS\u2019s formally designated" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 20, + "content": "programs for MLs. These program models are: \n1. Sheltered English Immersion (SEI) Program \na. State SEI - Sheltered English Immersion (SEI) Program \nwith Grade-Level English Proficient Peers \nb. BPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nc. Sheltered English Immersion (SEI) Program in \nSubstantially Separate Setting \nd. Sheltered English Immersion (SEI) Program in High \nIntensity Literacy Training (HILT) for SLIFE Multilingual \n2. High Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \n3. Dual Language Education (DLE) or Two-Way Immersion \nProgram \n4. Newcomer Program \n \nPlease Note: Schools are expected to implement the ELE" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 21, + "content": "program model designated for their school. Any deviation from \nthe models outlined in this section must be approved by the \nOffice of Multilingual and Multicultural Education (OMME) so as \nnot to constitute a violation of the student/parent rights. \n \nThe specifics of each program model is described below:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 9 of 36 \n \nSheltered English Immersion (SEI) Program3 \nAs described in section 3A, a Sheltered English Immersion \nProgram is a two component program. First, it incorporates \nstrategies to make content area instruction more \nunderstandable to MLs and to promote English language \ndevelopment in core-content classes throughout the day taught \nby SEI (or BEE as appropriate) endorsed teachers. Content area \ninstruction integrates sheltering strategies to make content \ncomprehensive and develop content area academic language in \nmathematics, English language arts (ELA), social studies, and/or \nscience. As the second component to a Sheltered English" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 23, + "content": "Immersion program, English learner students also receive explicit \nEnglish as a Second Language classes. \n \nBoston Public Schools offers various ways for English learner \nstudents to access a Sheltered English Immersion program as \noutlined below: \n \nState SEI - Sheltered English Immersion (SEI) Program with \nGrade-Level English Proficient Peers \nSEI with grade-level English proficient peers offers MLs both \nSheltered Content Instruction from SEI endorsed teachers \nas well as explicit English as a Second Language classes. \nMLs in this SEI program type are not grouped according to \ntheir EL status, their first language, or their level of English" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 24, + "content": "proficiency in any way during core-content classes. They \n \n3 Massachusetts law (G.L. c. 71A, \u00a72) defines SEI as \u201can English \nlanguage acquisition process for young children in which nearly \nall classroom instruction is in English but with the curriculum and \npresentation designed for children who are learning the \nlanguage. Books and instruction materials are in English and all \nreading, writing, and subject matter are taught in English. \nAlthough teachers may use a minimal amount of the child's \nnative language when necessary, no subject matter shall be \ntaught in any language other than English, and children in this \nprogram learn to read and write solely in English.\u201d" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 10 of 36 \n \nreceive core-content instruction with English proficient \npeers as well as other MLs. Only during English as a Second \nLanguage classes are MLs in this SEI program type \nseparated from their grade-level English proficient peers \nand grouped according to their ESL Service Delivery \nDetermination (SDD). \n \nBPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nThis is a BPS ELE program that incorporates English \nlanguage development throughout the day with strategies \nto make core academic content instruction more \ncomprehensible to MLs who are ELD 1-2.5 (scored 1-2.5 on" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 26, + "content": "WIDA ACCESS Overall score). BPS SEI Language Specific \nprograms serve students who all speak the same first \nlanguage; in BPS SEI Multilingual programs, a variety of \nlanguages are spoken by the students. Instruction is \nconducted in English, with native language clarification for \nstudents where available. ML Students in an SEI Language \nSpecific or SEI Multilingual Classroom in Grades K2-5/6 \nreceive ESL instruction within their classroom; for sheltered \ncontent instruction they may be scheduled with English \nProficient Peers for a portion of their day. Students in SEI \nLanguage Specific or Multilingual classrooms receive \ninstruction in smaller class sizes in comparison to General" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 27, + "content": "Education classrooms. BPS SEI Language Specific or \nMultilingual programs in at the elementary level, English \nlearner students may receive their English as a Second \nLanguage instruction embedded within the content \ninstruction of the class if the homeroom teacher possesses \ntheir ESL license. For BPS SEI Language Specific or \nMultilingual programs at the secondary level, English \nlearner students must receive their English as a Second \nLanguage instruction in a standalone setting from an \nappropriately licensed teacher." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 11 of 36 \n \nSheltered English Immersion (SEI) Program in Substantially \nSeparate Setting \nPer the Individualized Education Plan (IEP) and/or 504 plan, \nMLs in this SEI program type will receive core-content \ninstruction and ESL services in a self-contained special \neducation classroom with specialized instruction \nthroughout their day within a small-group structured \nsetting. Research-based practices, specific to disability, are \nutilized in the specialized classroom. MLs will continue to \nreceive sheltered content instruction where SEI-endorsed, \ncontent-licensed educators shelter instruction so that they" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 29, + "content": "can meaningfully engage with grade-level content, and \ndevelop discipline-specific academic language.Depending \non the nature of an MLs disability in this program, they may \nhave modifications to their ESL services specified in their IEP \nand/or 504 plan. \n \nSheltered English Immersion (SEI) Program in High Intensity \nLiteracy Training (HILT) for SLIFE Multilingual \nIn SLIFE multilingual classrooms, the language of \ninstruction is English, and teachers provide native language \nsupport when feasible. All students in this classroom are EL \nstudents who enter BPS with Limited or Interrupted Formal \nEducation (SLIFE); students in the classroom may speak" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 30, + "content": "different native languages. Students in SLIFE classrooms \nreceive instruction from an ESL teacher as well as content \nand literacy from a teacher(s) who is qualified to provide \nsheltered content instruction. Please also see general HILT \nfor SLIFE requirements here. \n \nHigh Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \nIn language specific HILT for SLIFE programs, MLs receive High \nIntensity Literacy Training (HILT) in their native language. This \nprogram enrolls EL students who enter BPS with Limited or \nInterrupted Formal Education (SLIFE) who all speak the same \nlanguage. Core academic content is taught in the native" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 12 of 36 \n \nlanguage of the student, and is increasingly taught in English as \nthe student develops English fluency. Students in SLIFE \nclassrooms receive instruction from an ESL teacher as well as \ncontent and literacy from a Native Literacy/Content teacher(s) \nwho is qualified to provide sheltered content instruction. SLIFE \nNative Literacy classrooms have smaller class sizes than State SEI, \nBPS SEI, and Dual Language programs. \n \nGeneral HILT for SLIFE Program Requirements \nBPS recommends this program for MLs ages 8 or older who \nare newcomers to the United States, who have little to no \nliteracy in their native language, or whose formal schooling" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 32, + "content": "was limited or interrupted in their native country. Students \nin HILT for SLIFE programs are grouped across a grade span \n(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic \nEnglish language and literacy development, native \nlanguage instruction designed to help them learn reading, \nwriting, math, science, and history/social studies, when \navailable, and additional classes such as technology, arts, \nand physical education. \n \nIn accordance with the META Consent Decree, HILT for \nSLIFE programs must also comply with the following \nrequirements: \n \n1) Class size should not exceed 15 students; \n2) During related arts / specials / electives courses, lunch," + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 33, + "content": "recess, and allotted intervention time, SLIFE students \nmust be integrated with other ML students and with \nEnglish-proficient students (Never ELs, Former ELs), \nwho serve as peer language models. \n3) \u201cDaily Common Planning Time\u201d must be allocated for \nESL teachers and Native Language Teachers for age \nand grade-appropriate lesson design and materials \ndevelopment. \n4) In language-specific programs such as Spanish, Haitian \nCreole, and Cabo Verdean Creole, students must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 13 of 36 \n \nreceive Native Language High-Intensity Literacy \nTraining (HILT) as they develop literacy in their native \nlanguage as well as English. \n5) In SLIFE multilingual classrooms, teachers must \nprovide native language supports when feasible. \n6) All SLIFE students at the beginning of every year or \nupon assignment to the program must have a HILT for \nSLIFE Individual Learning Plan (ILP) generated that \nqualifies the individual learning targets for the \nacademic year. This HILT for SLIFE ILP must be \ncompleted in full to document progress and determine \na student's eligibility to exit the program." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 35, + "content": "a student's eligibility to exit the program. \n7) No student can be recommended to exit the HILT for \nSLIFE program without meeting the exit criteria as per \nthe META Consent Decree. \n \nDual Language: Two-Way Immersion Programs \nIn this program, the classroom is made up of both native \nlanguage and English dominant students. All students learn to \nread, write, speak, and understand both languages either \nthrough core academic content instruction or explicit language \ninstruction, taught by qualified teachers in the two languages. \nThe goal of these programs is for students to become bilingual \nand biliterate. BPS seeks to increase more dual-language" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 36, + "content": "opportunities such as two-way immersion programs, heritage \nlanguage programs, and ethnic studies courses in students\u2019 \nnative language. Programs are currently offered in Spanish, \nHaitian Creole, ASL, Vietnamese, and Cape Verdean Creole. \n \nNewcomer Program \nThis program is available for secondary MLs at the early stages of \ntheir English language development. Only MLs who are ELD 1-2.5 \n(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this \nprogram. Instruction is conducted in English, with native \nlanguage clarification for students where available. English \nlearner students in this program receive ESL instruction in a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 14 of 36 \n \nstandalone period and sheltered content instruction from core-\ncontent teachers. \no \n \n3C. Special Notices about ELE Programs in BPS \nMultilingual Learners with Disabilities \nMultilingual Learners with Disabilities (MLWD) are Multilingual \nLearners who receive disability-related, specialized instruction in \nan inclusion setting, resource room setting, or a substantially \nseparate Special Education classroom. Regardless of placement, \nBPS is obligated to provide Multilingual Learners with Disabilities \n(MLWD) with equal access to the same opportunities as other \nstudents; education, specialized instruction and related services," + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 38, + "content": "appropriate and effective ESL and content instruction by \naccessing grade-level curriculum while providing \naccommodations, modifications, and goals within the Individual \nEducation Plan (IEP). Schools are required to monitor students\u2019 \nprogress to ensure appropriate progress toward meeting their \nEnglish language proficiency benchmarks and IEP goals. \nAll MLWD (ELD1-5) are entitled to receive both Special Education \n(SPED) and ELE services in a manner appropriate to the student\u2019s \nindividual needs by appropriately qualified staff; the District is \nrequired to provide these services. No ML shall be denied ELE \nservices solely due to the nature or severity of the student\u2019s" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 39, + "content": "disability, and no ML shall be denied SPED services due to their \nML status. This means, for example: \n\u25cf No modifications to ESL service requirements may be \nimplemented unless such modifications are determined \nnecessary by the student\u2019s IEP or Section 504 team, through \na documented team process, and in accordance with the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 40, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 15 of 36 \n \nnarrow exceptions contained in Paragraph 67 of the \nSuccessor Settlement Agreement. \n\u25cf Any approved modification to ESL minutes, grouping, \nand/or instruction must be reflected on the EL Grid, an \ninternal monitoring section in EdPlan, and will be reviewed \nby the BPS Office of Special Education/Office of Multilingual \nand Multicultural Education Supervisor(s) of Multilingual \nLearners with Disabilities. \n\u25cf ESL may not take the place of a student\u2019s special education \nservices. For instance, a student may not be taken out of \nspeech therapy or counseling in order to get ESL. \n\u25cf Core content instruction and ESL services must be provided" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 41, + "content": "with all accommodations as outlined in the student\u2019s 504 \nplan or IEP. \nParent Right to Opt Out of the ELE Program \nParents / guardians have the right to opt out their child from \nsome or all components of the district\u2019s ELE program pursuant to \nParagraphs 33 to 35 of the Successor Agreement. The district \nshall approve a parent\u2019s request to opt out of some or all ELE \nservices, only by following the relevant safeguards that are set in \nplace: \n1. The decision to opt out must be voluntary and informed, \nand not the product of district practices or influence, the \nresult of inadequate or inaccurate information, or \ninadequate district resources." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 42, + "content": "inadequate district resources. \n2. If any parent/guardian of an EL communicates a refusal to \nhave their child enrolled in an EL program, and/or refuses \nall or only specific ELE services (e.g., EL-only SEI classes, \nlanguage-specific SEI classes, or HILT classes) at a \nWelcome Center, NACC, or school, then a meeting will be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 16 of 36 \n \nconvened with a representative from OMME, the school \nleader, a representative of the LAT (typically the LAT-F), \nand the parent(s)/guardian(s) to explain the benefits of \nservices and address parent concerns AND encourage \nparents to allow their child to receive ELE services for at \nleast 30 days before deciding to refuse such services. \n3. If the parent continues to refuse ELE services after an \nexplanation of the benefits of the services, the Opt-Out \nform (documenting 1. Evidence of parent meeting and 2. \nParent request) must be submitted to OMME for review \nand approval and such documentation must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 44, + "content": "and approval and such documentation must \nsubsequently by submitted by OMME to the DOJ/OCR. \n4. Students approved as \u201copt-outs\u201d are still required to \nremain coded as an English Learner, required to \nparticipate in ACCESS, scheduled with an SEI-endorsed \nteacher(s) for core content, and have their English \nlanguage development monitored by the school. \n5. Parents or legal guardians should revisit their decision to \nopt out every year and submit a new request for the \ncurrent academic year and parents may request to \nrestore ELE services at any point. \nFormer English Learners \nUpon exit (reclassification to Former EL status), schools must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 45, + "content": "regularly monitor students\u2019 academic progress for 4 school years \nupon their reclassification as is required by DESE and federal \nregulations. It is recommended that schools continue to schedule \nFormer ELs with an SEI-endorsed content teacher(s) during their \nmonitoring period. If during this monitoring period it is \ndetermined that the student\u2019s EL status be restored (with ELE \nservices provided), the LATF must seek written permission from \nthe student\u2019s parent/guardian." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 46, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 17 of 36 \n \nPlease see: \no Section 5 of this circular for additional information on \nthe exit criteria for ELs \n \n4. ESL SERVICES AND TEACHER QUALIFICATIONS COMPLIANCE \nINFORMATION \nUnder the terms of the Department of Justice Successor \nAgreement and the policies of the Department of Elementary \nand Secondary Education, all BPS Multilingual Learner Education \nPrograms must comply with specific guidelines regarding ESL \nInstructional Minutes, Instructional Type, Instructional Grouping, \nand Educator Licensure and Endorsement. The following section \noutlines the specifics of each compliance measure as applicable" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 47, + "content": "for each Multilingual / English Learner Education Program \ndescribed section 3. \nNote: Schools are advised to create their schedule for ELE \nservices first to ensure that the necessary qualified staff are \nscheduled to meet ML service needs. \nAll ML students, including Multilingual Learners with Disabilities \n(MLWD) and Students with Limited or Interrupted Formal \nEducation (SLIFE), must be scheduled for the requisite amount of \ndaily ESL instruction according to their SDD and must receive \nESL by an ESL licensed teacher. MLWD with severe disabilities for \nwhom compliant ESL instruction as described in the Successor\u2019s \nAgreement is not appropriate may have their services adjusted if" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 48, + "content": "reflected and recorded appropriately in the IEP through a team \nprocess." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 18 of 36 \n \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \nElementary (K2 to 5/6) \nConsistent with DESE\u2019s guidance, the table below provides the \nDOJ-approved ESL instructional time per ELD level that the \ndistrict shall provide, to the extent practicable: \nTABLE 2: MINIMUM REQUISITE ESL INSTRUCTIONAL TIME \nFOR MLS IN K2-5/6 \nELD \nLevel \nDaily ESL \nInstructional Time \nWeekly ESL Instructional \nTime \nELD 1 135 minutes (2 hours, \n15 minutes) \n675 minutes (11 hours, 15 \nminutes) \nELD 2 90 minutes (1 hour, 30 \nminutes) \n450 minutes (7 hours, 30 \nminutes) \nELD 3 60 minutes (1 hour) 300 minutes (5 hours)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 50, + "content": "ELD 3 60 minutes (1 hour) 300 minutes (5 hours) \nELD 4 45 minutes 225 minutes (3 hours, 45 \nminutes) \nELD 5 45 minutes 225 minutes (3 hours, 45 \nminutes) \n \nSecondary Grades (6-12) \nIn order to address the variety of scheduling at our Secondary \nSchools as well as to ensure that students can equitably access \nESL along with other MassCore / graduation requirements and \nspecialty courses (e.g Advanced Placement courses, Dual \nEnrollment, Early College, and any vocational or technical" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 51, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 19 of 36 \n \ntraining / courses), OMME has shifted from a \u201cminutes\u201d \nframework at the Secondary level to a \u201cblocks required\u201d \nframework. \nTABLE 3: SECONDARY SCHOOL ESL SCHEDULING* \nSchool\u2019s Daily \nCourse Block \nLength \n(Minutes) \n# of Daily ESL Blocks Required: \n ELD 1 ELD 2 ELD 3 ELD 4/5** \n45-59 minutes 3 2 1 1 \n60-74 minutes 2 2 1 1 \n75+ minutes 2 1 1 1 \n*ESL for ELD 4-5 may be embedded into the ELA block by an ESL-\nlicensed teacher. This is only allowable for ELD levels 4 and 5. \n \nPlease note: \n\u25cf Schools may leverage this framework, but may still opt to \nschedule ESL instruction based on the daily minutes \nspecified in Table 2." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 52, + "content": "specified in Table 2. \n\u25cf OMME recommends schools consider scheduling MLs for \nadditional support from an ESL licensed teacher during \nTargeted Advisory / Intervention / WIN / SEL blocks (if \navailable) based on the needs of their students and in the \nbalance of other opportunities for students to access grade-\nlevel core content, advanced learning, and specials \nalongside their English-proficient peers. Refer to the \nresource below for sample recommended schedules." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 20 of 36 \n \n\u25cf Part-time students (i.e., those attending for 1 or 2 remaining \ncredit requirements) who have fulfilled MassCore ELA \ngraduation requirements, and / or are only enrolled in BPS \nfor credit recovery or only online education (i.e., never \nphysically at a school building), will not be required to be \nscheduled for ESL. These students are typically over-age \nstudents who are balancing work and other adult \nresponsibilities. OMME highly recommends that these \nstudents have a direct connection with the Re-Engagement \nCenter and have a dedicated counselor that can assist them \nin creating an educational pathway that works best for their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 54, + "content": "home, family, and work obligations. Note: Schools may \nschedule these students for ESL if it will best support the \nstudent in meeting graduation requirements and their \nindividual needs. Regardless, schools should still be \nscheduling these students for core content classes with an \nappropriately endorsed (SEI and/or Bilingual Endorsement) \nor ESL certified teacher." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 21 of 36 \n \n4B. ESL Instructional Types, Requirements, and \nRecommendations \nAll requisite ESL Instruction must occur during an ESL-Eligible \ncourse as designated by the BPS course catalog (e.g. reading, \nwriting, ELA, literacy / humanities). This is to ensure that ELs still \nhave equitable access to other grade-level core content and \nspecialty courses. \nRefer to the following tables for allowable types of ESL \ninstructional models. \n \nTABLE 4: ESL INSTRUCTIONAL MODELS FOR MLS IN K2-5/6 \nAll instructional models require an ESL licensed teacher during \nthe literacy/humanities block). \nStandalone ESL \u2014 For ELs in Gen Ed" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 56, + "content": "Standalone ESL \u2014 For ELs in Gen Ed \n A standalone section is a scheduled class for ESL students \nwith an ESL licensed teacher. The student is not pulled out \nof classrooms to attend this class, it is a part of their student \nschedule (e.g., with an \u201cESL\u201d course title). An ESL licensed \nteacher must be the teacher of record of this classroom. \nStandalone ESL is the recommended instructional model for \nML students with an ELD of 1-3 in grades K2-5 who are not \nassigned to an SEI language-specific or SEI Multilingual \nprogram. \nFor ELD 4-5: Standalone is an allowable option; however, \nrefer to the Embed ELA model as an alternative if the \nELA/homeroom teacher is ESL licensed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 57, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 22 of 36 \n \nPush-In ESL \nPush-In ESL may be provided to ML students in Elementary \ngrades (K2 to 5) when the ESL teacher is coming into an \nELA/Humanities course (or via a co-teacher in the \nclassroom) to provide ESL services for a specific, small group \nof students within the same classroom while other students \ncontinue to receive content instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nAt a minimum, weekly common planning time for the ESL \nand classroom teachers should be provided. \nPull-Out ESL \nPull-Out ESL may be provided to ML students in Elementary" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 58, + "content": "grades (K2 to 5) when a student is being taken out of an ELA \n/ Humanities course to receive ESL instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nEmbed Homeroom \u2014 ESL in formal SEI programs \nThis is an instructional type allowable ONLY for ML students \n(ELD 1-3) in SEI language-specific or SEI multilingual \nprograms at the Elementary grade level (K2 to 5/6). \nPlease see section 5 of this circular for additional \ninformation on the criteria for a BPS SEI eligible ELD 3. \nIn this model, students receive ESL instruction embedded \nduring their literacy time (course titles: Reading and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 59, + "content": "Writing). Teachers providing this embedded ESL instruction \nmust be ESL licensed and are required to complete OMME \ndesignated PD on differentiation and lesson planning." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 60, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 23 of 36 \n \nEmbed ELA \u2014 ESL \nFor ML students with ELD levels 4 and 5 only, the \nrecommended instructional model for ESL is for ESL to be \nembedded in core ELA or literacy courses, only by an ESL \nlicensed teacher. Students at these ELD levels may be \ngrouped together. \n \n \nInclusion Teacher ESL Stipend per BTU CBA \nFor special education inclusion classrooms only that utilize a 1.0 \nteacher model, where the teacher is using 3 licenses (two of \nwhich are special education and ESL), this ESL-licensed teacher \nof record may agree to be stipended (45 minutes per day at the \nBTU contractual hourly rate) to provide ESL instruction for ELD 4-" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 61, + "content": "5 students that is embedded into the ELA or literacy block (ESL \nEmbed ELA). Alternatively, if the teacher does not agree to the \nstipend, ESL instruction for ELD 4-5 students must be provided \nby a separate ESL licensed teacher. All ML (ELD 1-5) students are \nentitled to receive ESL services regardless of the teacher/stipend \nmodel." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 62, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 24 of 36 \n \nTABLE 5: TYPES OF ESL INSTRUCTIONAL MODELS FOR MLS IN \nGRADES 6-12 \nESL \nInstruction \nType \nDescription (all instructional models require \nan ESL licensed teacher) \nStandalone \nESL \n \n\u25cf For ELD levels 1 to 3, this is the only \ncompliant instructional model for ESL service \ndelivery for students. \n\u25cf Standalone is an allowable option for which \nELD 4-5 students may be grouped together; \nhowever, refer to the Embed ELA mode \nbelow as the recommended instructional \ntype if the ELA teacher is ESL licensed. \nEmbed ELA \nESL in English \nLanguage Arts \n\u25cf For ML students with ELD levels 4 and 5 only, \nthe recommended instructional model for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 63, + "content": "the recommended instructional model for \nESL is for ESL to be embedded in core ELA or \nliteracy courses, only by an ESL licensed \nteacher. Students at these ELD levels may be \ngrouped together." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 64, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 25 of 36 \n \n4C. ESL Instructional Grouping Requirements \nThe following table represents allowable groupings of students \nfor ESL instruction. \nTABLE 6: ELEMENTARY AND SECONDARY ESL GROUPING \nACROSS ELD AND GRADE LEVELS \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nELD 1 \n\u25cf With fellow ELD 1 only \nacross two consecutive \ngrades; OR \n\u25cf With ELD 2 in one grade \nlevel \n\u25cf With fellow ELD 1 across \nmultiple grades; OR \n\u25cf With ELD 2 only in one \ngrade level \nELD 2 \n\u25cf With ELD 1 in one grade \nlevel; OR \n\u25cf With fellow ELD 2 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n\u25cf With ELD 3 only in one \ngrade level" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 65, + "content": "\u25cf With ELD 3 only in one \ngrade level \n\u25cf With fellow ELD 2 only \nacross multiple grades; \nOR \n\u25cf With ELD 1 only in one \ngrade level; OR \n\u25cf With ELD 3 only in one \ngrade level \nELD 3 \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n\u25cf With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n\u25cf With fellow ELD 3 only \nacross multiple grades, \npreferably two \nconsecutive grade levels \n(e.g., in grades 9-10); OR" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 66, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 26 of 36 \n \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \n\u25cf With ELD 4 in one grade \nlevel \n\u25cf With ELD 4, in one grade \nlevel in a standalone \nsetting \nELD 4 \n\u25cf With ELD 3 in one grade \nlevel; OR \n\u25cf With ELD 5 in one grade \nlevel; OR \n\u25cf With fellow ELD 4 only \nacross two consecutive \ngrades \n\u25cf With ELD 3 in one grade \nlevel in a standalone \nsetting; OR \n\u25cf With ELD 5 in one grade \nlevel; OR \n\u25cf With fellow ELD 4 only \nacross multiple grades \nELD 5 \n\u25cf With ELD 4 in one grade \nlevel; OR \n\u25cf With fellow ELD 5 only \nacross two consecutive \ngrades \n\u25cf With ELD 4 in one grade \nlevel; OR \n\u25cf With fellow ELD 5 only \nacross multiple grades" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 67, + "content": "\u25cf With fellow ELD 5 only \nacross multiple grades \nAllowable Exceptions: \nSEI Language \nSpecific or \nMultilingual \nProgram (ELD \n1-3) \n\u25cf ELD 1-3 of the same SEI \nprogram homeroom may \nbe grouped together for \nESL instruction* \n\u25cf This grouping is not \nallowable at the \nsecondary level. \nHILT for SLIFE \n\u25cf ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE \n\u25cf ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 68, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 27 of 36 \n \nELD Levels Elementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nPrograms (4) program homeroom may \nbe grouped together for \nESL instruction. \nprogram homeroom may \nbe grouped together for \nESL instruction. \nMLWD (with \napproved ESL \nmodifications) \n\u25cf Refer to the ELSWD ESL \nModifications section for \nguidance. \n\u25cf Refer to the ELSWD ESL \nModifications section for \nguidance. \n*Subject to the terms of DOJ Paragraph 39e. \n \n \n \n4() The META Consent Decree defines BPS HILT for SLIFE \nprograms as \u201cself-contained, ungraded, elementary format \nclassroom with two teachers [Native Literacy Content teacher" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 69, + "content": "and ESL teacher] responsible for all instruction.\u201d Students in the \nprogram are typically ELD 1 but may be at an ELD 2 level as they \nprogress in their English language acquisition until meeting the \nexit criteria required by the consent decree. Therefore, students \nin this program model may receive ESL grouped in this manner." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 70, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 28 of 36 \n \n4D. Educator Licensure and Endorsement Requirements \nPlease Note: \nPer DESE (603 CMR 14.07 (3)), no EL student can be placed in \nclassrooms where the teachers lack the SEI Endorsement for two \nor more consecutive years. (5) \n\u25cf School Leaders are to keep detailed electronic records of all \nteachers who are in the process of obtaining the SEI or \nBilingual Education Endorsement and the pathway that \nthey are pursuing to meet this obligation. All ML (ELD 1-5) \nmust be assigned to core content (and vocational, if \napplicable) classrooms where the teachers are already \nendorsed or in a confirmed pathway." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 71, + "content": "endorsed or in a confirmed pathway. \n\u25cf When creating schedules, schools must take into \nconsideration teachers who are newly hired and who are \nreturning but lack the SEI endorsement. \n\u25cf It is recommended that students who have reclassified to \nFormer English Learner status be scheduled with SEI-\nendorsed teachers for their core content courses, especially \nat the start of their 4-year monitoring period. \n\u25cf For any SEI Language-Specific / Multilingual elementary \nteacher to provide embed HR ESL to students at ELD 1-3, \nthey must have both an ESL license and have completed \nOMME-approved training on differentiation of ESL and \nlesson planning, as part of the qualifications for this" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 72, + "content": "program, to ensure that the unique needs of students at \nELD levels 1-3 are met (DOJ Paragraph 39e). Please also \nreference the 2018-2021 BTU Collective Bargaining \n \n5The teacher in this instance would also be required to get the SEI \nendorsement." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 73, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 29 of 36 \n \nAgreement (p. 49 section 11) as it pertains to this \nrequirement. Teachers are expected to complete this \ntraining by the end of the school year. If the teacher has not \nsatisfied these requirements, the school must ensure an ESL \nlicensed teacher is scheduled to deliver the appropriate \nEnglish language development instruction to ML students \nfor the literacy portion of the day. \nThe following table outlines DESE educator licensure and \nendorsement requirements in order to instruct ML (ELD 1-5) \nstudents by job type." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 74, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 30 of 36 \n \nTABLE 7: TEACHER QUALIFICATION BY JOB TYPE \nJob Type Required \nQualification \nAdditional Information \nESL \nTeacher \nESL License Individuals who have completed and passed all \nrequisite coursework / requirements and are \nonly waiting for the state to administratively \ngrant the ESL license may also be assigned to \nteach ESL. \nCore \nContent or \nVocational \nTeacher \n(English) \nSEI \nEndorsement \n(Teacher) \n \nCore Content Teachers: \n\u25cf teachers of students with moderate or \nsevere disabilities; subject-area teachers in \nEnglish, reading or language arts; \nmathematics, science; civics and \ngovernment, economics, history, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 75, + "content": "government, economics, history, and \ngeography and early childhood and \nelementary teachers who teach such \ncontent. \nVocational (CVTE) Teachers: \n\u25cf For purposes of SEI, CVTE is defined as \nprograms approved under M.G.L. c. 74; \nprograms that meet the definition of career \nand technical education listed in the Carl D. \nPerkins Career and Technical Education \nImprovement Act of 2006, 20 U.S.C. \u00a7 2302(5); \nand any other programs that may be \ndesignated by the DESE Commissioner such \nas automotive technology, carpentry, \nculinary arts, engineering, exploratory, \nmasonry, information technology, and any \nother subjects listed by DESE." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 76, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 31 of 36 \n \nCore \nContent or \nVocational \nTeacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \nCore Content and CVTE Teachers as defined \nabove who: \n\u25cf Instruct in the partner language of a formal \nBPS dual language program \n\u25cf Instruct in the partner language of a formal \nlanguage specific HILT for SLIFE program \n \nEvaluator \nof ML \nTeacher \n(English) \nSEI \nEndorsement \n(Administrator \nor Teacher) \nA principal, assistant principal, supervisor, or \ndirector (\"administrator\") who supervises or \nevaluates one or more core academic teachers \nof ML (ELD 1-5) students \nEvaluator \nof ML \nTeacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \n \nOR" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 77, + "content": "Partner \nLanguage) \nBEE \nEndorsement \n \nOR \n \nSEI \nEndorsement \n(Administrator \nor Teacher) \nEvaluators as defined above who supervise a \ncore academic teacher assigned to provide \ninstruction to an English Learner in a bilingual \nELE program \nSubstitute \nTeachers \nN/A If for any ESL or core content class, no teacher \nis available who meets the qualifications to \ninstruct ML (ELD 1-5) students, school leaders \nshall, to the extent practicable, assign \nsubstitute teachers who are ESL-licensed for \nESL instruction or who are SEI or Bilingual \nEducation-endorsed (for core content classes). \n \nThe following table outlines DESE educator licensure and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 78, + "content": "endorsement requirements in order to instruct ML (ELD 1-5) \nstudents by BPS ELE program model." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 79, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 32 of 36 \n \nTABLE 8: EXAMPLES OF LICENSURE REQUIREMENTS FOR \nPOSITIONS SERVING EL STUDENTS* \nProgram BPS \nTeacher \nTitle \nPosition \nDescription \nRequired \nLicensure \nPreferred \n \n \n \n \nBPS SEI \nSEI Multi-\nlingual \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 and varying \nnative languages \nContent area \nlicense & SEI \nendorsement \nESL License \nand SEI PD \nSEI + \n[Specific \nLanguage] \ne.g. SEI \nSpanish \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 of the same \nnative language \nContent area \nlicense & SEI \nendorsement \nESL \nLicense, SEI \nPD, and \nOral fluency \nin students\u2019" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 80, + "content": "PD, and \nOral fluency \nin students\u2019 \nprimary \nlanguage \nESL ESL \nTeacher \n(incl. SLIFE \nESL) \nProvides ESL \ninstruction only \n(regardless of ELE \nprogram model) \nESL license \n \n \n \n \n \nBilingual \nTwo-Way + \n[Specific \nLanguage] \ne.g., \nBilingual \nServes multiple \nclassrooms to \nprovide periods of \ninstruction in a \nlanguage other \nthan English \nContent area \nlicense & Bilingual \nEducation \nEndorsement (if \nteaching in native \nlanguage)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 81, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 33 of 36 \n \nDual \nLang-\nuage/ \nTwo-way \nTwo-Way \nSpanish \n(complementary \nposition below) \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \nBilingual \nTwo-Way \nEnglish \nServes multiple \nclassrooms to \nprovide periods of \nEnglish \ninstruction to \nstudents \n(complementary \nposition above) \nContent area \nlicense & either SEI \nEndorsement or \nBilingual \nEducation \nEndorsement \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \n \n \nSLIFE \nSLIFE \nNative \nLiteracy \n(TBE) \nteacher \nProvides core \ncontent \ninstruction to \nSLIFE students in \nthe student\u2019s \nnative language \n(language other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 82, + "content": "the student\u2019s \nnative language \n(language other \nthan English) \nA Core Content \narea license & \nBilingual \nEducation \nEndorsement \n \n5. SY23-24 ELD AND ELP LEVELING GUIDANCE \nFor the 2023-2024 school year, the Office of Multilingual and \nMulticultural Education is continuing the transition of \nMultilingual Learner students\u2019 English Language Development \nLevel (ELD Level) to Multilingual Learner students\u2019 English \nLanguage Proficiency Level (ELP Level). This shift aligns all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 83, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 34 of 36 \n \nstudents\u2019 ELP levels with their WIDA ACCESS 2.0 scores and \naligns our guidance and policies for Multilingual Learner students \nand Multilingual Learner Education with the guidance and \npolicies of the Department of Elementary and Secondary \nEducation. The following table shows the updated ACCESS and \nAlt ACCESS score to ELP level crosswalk. \nTABLE 9: ACCESS SCORE CROSSWALK \n2022 ACCESS and Alt ACCESS \nScore Range \n \nSY 23-24 English Language \nDevelopment (ELD) / English \nLanguage Proficiency (ELP) \nLevels \nACCESS: 1.0 - 1.9 / ACCESS Alt: A1-P1 Level 1 (Foundational) \nACCESS: 2.0-2.9 / ACCESS Alt: P2 Level 2 (Foundational)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 84, + "content": "ACCESS: 3.0-3.4 / ACCESS Alt: P3 Level 3 (Foundational) \nACCESS: 3.5-3.9 / ACCESS Alt: P3 Level 3 (Transitional) \nACCESS: 4.0 - 4.9 Level 4 (Transitional) \nACCESS: 5.0-5.9 Level 5 (Transitional) \nACCESS: 4.2 with 3.9 literacy \n(i.e., meets state exit criteria) \nFormer EL \n \nPlease note: \n\u25cf Annual program placement recommendations are based on \nstudents\u2019 ELP level, and OMME will assume the \nresponsibility of using the annual program notification form \nto notify parents of program placement." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 85, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 35 of 36 \n \n\u25cf Consecutive year ELD 3 students will be automatically \nexited from BPS SEI Language Specific or Multilingual \nprogram placement if they currently occupy such a seat. \n\u25cb Per DOJ, consecutive year ELD 3 students may not be \ngrouped together with ELD 1-2 students for their ESL \ninstruction. \n\u25cf Transitional ELD 3 students (students who received an \nACCESS overall score of 3.5-3.9) will be automatically exited \nfrom BPS SEI Language Specific or Multilingual program \nplacement if they currently occupy such a seat. \n\u25cf Students who scored lower on their ACCESS test than their \nprevious ELD level will be held harmless." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 86, + "content": "previous ELD level will be held harmless. \n\u25cf Students who did not take the ACCESS or complete ACCESS \ndue to absence or other circumstance will retain their \nprevious ELD level. \n\u25cf Students who did not take all domains of ACCESS due to an \nSPD code will receive their appropriate levels and program \nplacements according to the policies listed above upon \nrelease of their ACCESS overall score by the state in early fall. \n\u25ba Resource: End of Year Leveling Guidance 22-23" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 87, + "content": "Superintendent\u2019s Circular CAO-05 \nPage 36 of 36 \n \nFor more information about this circular, contact: \nOwner: \nLinda Chen, Senior Deputy Superintendent of \nAcademics and Interim Assistant \nSuperintendent of OMME \nDepartment: Office of Multilingual and Multicultural \nEducation (OMME) \nMailing Address: Bolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: 617-635-9435 \nEmail: OMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-25 \nDATE: \nVersion 01 \n \nGUIDELINES FOR INTERNATIONAL FIELD TRIPS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that \ncould impact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(kdorseytwumasi2@bostonpublicschools.org) for \nassistance/guidance. \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 2, + "content": "Committee on November 20, 2019. \n\u25cf This circular should be read AFTER the Superintendent\u2019s \nCircular CAO-22, General Guidelines and Procedures for All \nField Trips, as additional guidelines are outlined there. \n\u25cf The principal/head of school (and/or the district \ndepartment lead sponsoring the trip) are responsible for \nensuring that all field trip policies and procedures as \noutlined in this circular and others are adhered to. \n\u25cf As soon as a trip opportunity becomes known, contact the \nDepartment of Global Education for support throughout \nthe planning process. The principal/head of school (and/or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 2 of 104 \nthe district department sponsoring the trip) and the \nprogram leader (lead chaperone) must review and \ncomplete checklists for this circular throughout the \nplanning process. Signed checklists must be kept on file at \nthe school. \nPLANNING PROCESS \nInternational Field Trip Program: An international field trip \nprogram is any trip off school grounds that involves travel to a \nlocation outside of the United States. International field trips \nmust be planned at least a year in advance to maximize \naffordability and fundraising efforts, and when possible, \nscheduled during non-school time (i.e., school vacations, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 4, + "content": "summer). NEW: BPS international field trip programs require \nexecution by a reputable travel vendor and will require a vetting \nprocess by the Department of Global Education and BPS legal. \nTravel to \u2018U. S. Territories, including Puerto Rico, the United States \nVirgin Islands, Guam, American Samoa, and Northern Mariana \nIslands are covered under international travel insurance. Travel to \nthese territories is subject to some forms and requirements in the \nCAO-25 International Field Trip guidelines, but only require \nPrincipal/Head of School approval. Consult with the Department \nof Global Education for required forms for these destinations. \nAPPROVAL PROCESS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 5, + "content": "APPROVAL PROCESS \n\u2022 STEP 1: Interest Form & Consultation: \nAs soon as a trip opportunity becomes known, or there is \ninterest in an international travel program, teachers must \ncomplete an Interest Form from the Department of Global \nEducation, and inform their principal/head of school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 3 of 104 \nContact the Department of Global Education for support \nand guidance with the CAO-25 application, and throughout \nthe planning process. No arrangements should be made, \nmeetings held, payments, or deposits made without \nconsultation with the Department of Global Education and \nformal application approval from the Superintendent. \n\u2022 STEP 2: CAO-25 Application \nAfter consulting with the Department of Global Education \nand head of school, the CAO-25 application shall be \nsubmitted to the Director of Global Education no less than \n10-12 months before departure. The proposal and official \napplication must be completed, reviewed by the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 7, + "content": "application must be completed, reviewed by the \nprincipal/head of school, and endorsed with an official letter \nfrom them. The application then requires approval by the \nDepartment of Global Education, which will then seek \napproval from the appropriate district leaders, before \nobtaining final approval from the Superintendent. Again, No \narrangements should be made, payments or deposits \nplaced without approval first from the Superintendent. You \ncannot gauge student interest or engage with families \nwithout program approval. District leadership and/or the \nSuperintendent may have questions about your application \nor ask that aspects of the proposal be changed or removed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 8, + "content": "\u2022 STEP 3: Approval \nOnce the CAO-25 application is approved by the \nSuperintendent, in consult with your principal/head of \nschool, you may begin to promote the international \nprogram to students, families, and your school community. \nShould your itinerary, roster, or any other aspect of your \napproved application package change, you must notify the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 4 of 104 \nDepartment of Global Education in writing as soon as \npossible. \nSAFETY PREPAREDNESS \n\u2022 Travel Advisories/Warnings: Travel to countries cited as a \nLevel 3 or 4 in the United States Department of State Travel \nWarning Listing or the Center for Disease Control (CDC) are \nprohibited. For countries listed as a Level 2, consult the \nDepartment of Global Education in advance. The Boston \nPublic Health Commission and Department of Global \nEducation will continue to monitor country destinations for \nsafety. The program leader, principal/head of school are also \nresponsible for checking the State Department and CDC" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 10, + "content": "throughout the trip planning process as levels change. \nPlease note: The Superintendent reserves the right to cancel \nany field trip up to and including the day of departure to \nmanage risk. \n\u2022 Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international BPS \nsponsored trips for BPS students, BPS staff participants, and \nchaperones. On Call will serve as the primary source for \nmedical insurance while abroad. However, in some cases, if \na hospital visit is required, students may be required to pay \nout of pocket, and be reimbursed by On Call later. Families \nwill want to budget for this just-in-case expense." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 11, + "content": "The On Call insurance policy does NOT include cancellation \nor trip interruption insurance should the trip be canceled or \ninterrupted for any reason other than medical. \nCancellation/interruption must be due to the traveler \ngetting sick, injured, or someone in the traveler\u2019s immediate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 5 of 104 \nfamily being sick, injured, or death. Students/Families would \nneed to show proof of a sickness/injury and the \nsickness/injury must be so disabling as to cause them to \ncancel/interrupt their trip. If there is a sickness/death for \ntheir family member they would need to show proof of that \ntoo. Save all receipts for flights/lodging for reimbursement \npurposes and a claim form would need to be filled out. \nFamilies will need to know in advance that Trip Cancellation \nhas a $2,000 limit, and Trip Interruption has a $2,500 limit. \nAgain, the superintendent reserves the right to cancel a trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 13, + "content": "for any reason and at any time for safety purposes\u2013Cancel \nfor Any Reason Insurance (CFAR) is NOT provided by the \ndistrict. Therefore, all trip participants are strongly \nencouraged to purchase their own (CFAR) insurance to \nprotect their trip investment. \nOn Call International provides overseas evacuation \ninsurance (enabling students who become seriously ill or for \nwhom there is some kind of emergency to be returned to \nthe United States). On Call International must coordinate, \napprove, and perform the evacuation. Emergency family \ntravel arrangements are covered up to a limit if the traveler \nis hospitalized for 2 or more days. \n\u2022 Informed Parental Consent, Associated Risks, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 14, + "content": "Indemnity: Families must sign the customized Informed \nParental Consent, Associated Risks, and Indemnity form \nexplicitly developed for their travel program by the director \nof Global Education and BPS Legal in collaboration with the \nprogram leader. The program leader is responsible for \ninitiating this form based on a template provided from the \nDepartment of Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 6 of 104 \n\u2022 District Training: Program leaders must attend training for \neffective in-field risk management and response practice. \nThis training is offered by the district once per year. Please \nemail the Department of Global Education for details. If you \nmiss the training, you must schedule a meeting with DGE to \nsupplement. \no While this training is mandatory for program leaders, it \nis recommended that one additional chaperone from \nthe team attend the training with the program leader. \nHowever, in cases where other chaperones (non-\nprogram leaders) are not able to attend the in-person \ntraining (due to budget, space, or scheduling), it is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 16, + "content": "expected that they will receive training and \ninformation from pre-travel meetings/virtual webinars, \nand guidance from the Department of Global \nEducation and program leader in preparation for their \nrole. All chaperones will be required to review this \ndocument and participate in pre-travel meetings with \nthe Department of Global Education. \no CPR & First Aid: At least two chaperones (including the \nprogram leader) must hold valid CPR AND first aid \ncertification. The district will offer this training at least \nonce per year for program leaders. Please email the \nDepartment of Global Education for details. Ensure the \navailability of a first aid kit/supplies from the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 17, + "content": "Department of Global Education. Verify emergency and \nmedical information and contact details. \n\u2022 STEP Program: Program leaders, or parents must register \nstudents and chaperones through the U.S. State \nDepartment\u2019s STEP (Smart Traveler Enrollment Program) \nprogram. If you have non-U.S. citizens traveling with your" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 7 of 104 \ngroup, contact their respective embassies to see what \nservices they would provide these individuals in the event of \nan emergency. U.S. embassies abroad do not necessarily \nassist non-U.S. citizens in emergencies overseas. \n\u2022 Transportation: School buses or BPS approved \ntransportation vendors\u2019 vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be \nutilized to transport students to and from field trips or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 19, + "content": "athletic events, except in the case of a bona fide medical \nemergency. Refer to TRN-03 and CAO-22 for information \nand regulations on field trip transportation. \n\u2022 Itineraries: Upon advance review of itineraries, BPS reserves \nthe right to deny schools to participate in field trip activities \non their itinerary where the risks of the activity outweighs \nthe intended learning outcomes of the program. The \nprogram leader, in collaboration with the chaperone team, \nare required to submit a risk analysis for each part of the \nprogram that identifies the top 5 risks/concerns associated \nwith the program. \nGOVERNMENT RESOURCES TO SUPPORT PREPARATION" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 20, + "content": "GOVERNMENT RESOURCES TO SUPPORT PREPARATION \n\u2022 U.S. State Dept. Travel: www.travel.state.gov \n\u2022 Overseas Security Council: \nhttps://www.osac.gov/Pages/Home.aspx \n\u2022 U.S. State Dept. Passport Application: \nhttp://travel.state.gov/passport/" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 8 of 104 \n\u2022 U.S. State Dept. Medical: \nhttp://travel.state.gov/content/passports/english/go/checklis\nt.html#checklist_parentitem_1 \n\u2022 U.S. Embassies Abroad: www.usembassy.state.gov \n\u2022 Visa Req. for U.S. Citizens Abroad: \nhttp://travel.state.gov/content/visas/english/general/america\nns-traveling-abroad.html \n\u2022 Center for Disease Control Traveler\u2019s Health: \nhttp://wwwnc.cdc.gov/travel/destinations/list.aspx \n\u2022 U.S. Customs & Border Protection: http://www.cbp.gov/ (877-\n227-5512) \nMEDICAL PREPARATION FOR SAFE TRAVEL \n\u2022 Doctor\u2019s Visit: Prior to the trip, all students and chaperones \nmust inform their primary care doctor/travel clinic doctor of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 22, + "content": "their trip location and have had a recent doctor\u2019s visit and \nphysical exam prior to departure. If any student has a \nserious medical or mental health condition, please be sure \nthat their doctor writes a letter indicating that the child may \nsafely attend and participate in trip activities. There are \ncertain locations in the world where entry requires specific \nvaccinations, immunizations, and medications necessary for \nhealthy travel--in those cases--all participants will be \nrequired to obtain those vaccinations, immunizations, and \nmedications. \n\u2022 Medical Documentation: Chaperones must document and \ncarry all students\u2019 medical information, including any" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 23, + "content": "specialized immunizations or medications required by their \ndoctors for travel. Participants are also required to list all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 9 of 104 \nmedications that might be prescribed with this particular \nprogram in mind along with the other medications that \nthey may take regularly. Program leaders should send a \nfinal email to all participants to check on additional \nmedications added before departure. \n\u2022 School Nurse & Counselor Review: The program leader \nmust consult with the school leader to determine if, and \nwhat type of medical assistance is needed for participating \nstudents. To ensure accessibility, this step is crucial, and \nmust take place before the field trip is secured. For \nadditional questions, please consult the Health Services" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 25, + "content": "Department. Additionally, to thoroughly support a student's \nparticipation in a field trip, at least six weeks before \ndeparture (much longer for international and overnight field \ntrip programs), consult with and, when necessary, receive \ntraining from the school nurse regarding any students who \nhave medical needs. Also consult with the school counselor \nregarding mental and behavioral health needs. If any \nstudent has a serious medical or mental health condition, be \nsure that their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 26, + "content": "activities. Keep this document on file with other key \npermissions slips and medical forms. \n\u2022 Nurse Verification Form: Review all students\u2019 medical forms \nwith the school nurse and guidance counselor to ensure all \ndocuments are completed and to be sure you are in the \nstrongest position to support each student\u2019s health while \nabroad. School nurses and counselors do not \u201cclear\u201d \nstudents for travel but will provide chaperones with \nguidance in supporting students while traveling. Consult" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 10 of 104 \nwith, and when necessary, receive training from and obtain \nwritten comments from the school nurse regarding any \nstudents who have expressed medical needs. Complete and \nsubmit the Nurse Verification form to the Department of \nGlobal Education. \nCHAPERONE CRITERIA \n\u2022 Role of the Program Leader (Lead Chaperone): The \nselection and approval of all chaperones is conducted by the \nprincipal/head of school. The program leader is a BPS \nemployee and the lead chaperone organizing and leading \nthe trip. The program leader is required to have experience \nleading, or co-leading BPS students (or students from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 28, + "content": "another district) abroad previously and has the full support \nand approval of the principal/head of school to do so. The \nprogram leader leads the entire school team and is the main \nrepresentative of the group and district while abroad. The \nprogram leader is responsible for ensuring all guidelines in \nCAO-22 and CAO-25 are followed and keeping the \nprincipal/head of school and the district informed of trip \ndevelopments. The program leader is responsible for \ncompleting the International Field Trip Request Form and \naccompanying documents that are submitted to the \nprincipal/head of school and Department of Global \nEducation for approval. The program leader is also" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 29, + "content": "responsible for organizing the chaperone team, student \nteam, and pre-departure meetings. \n\u2022 Chaperone Selection: Every adult on the trip must be a \nchaperone and have a clear role." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 11 of 104 \no Diverse Strengths: Choose a chaperone team \npurposefully and wisely, considering strengths and \nwhat each chaperone can contribute to the overall \nexperience. The goal is to have a well-rounded team of \nchaperones from different areas. We recommend that \nat least one member of the chaperone team \u2014 if not \nthe program leader \u2014 speak the local language of the \ncountry visited. For example, consider chaperones who \nhave visited the country before, and one who speaks \nthe local language. Additionally, consider chaperones \nwho are subject matter experts in the topic being \nexplored, or who have professional medical/social" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 31, + "content": "emotional health experience. Efforts should be made \nfor chaperones to be representative of the student \ngroup and include males and females where relevant. \no Knowledge of Students: The selection and approval of \nchaperones by the principal/head of school should also \nbe based on the individuals\u2019 knowledge of, and rapport \nwith, most of the student participants. \n\u2022 Chaperone Ratios: For international programs, the student-\nto-chaperone ratio is 7:1, with a two-chaperone minimum. It \nis recommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to \nparticipate at the last minute or must leave the field. The" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 32, + "content": "reserve chaperone should have a valid passport and visa to \ntravel to the destination. Tour guides and employees of \nthird-party vendors contracted to help operate the trip are \nnot considered chaperones, and do not factor into the \nstudent to chaperone ratio. All BPS and non-BPS \nchaperones are required to sign the Chaperone Agreement \nform. Refer to CAO-22 for additional chaperone criteria." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 12 of 104 \n\u2022 Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form online. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the \nlead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 34, + "content": "liability by the Boston Public Schools. \n\u2022 BPS Employee Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL of the student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild\u2019s participation. \nPASSPORTS & VISAS \n\u2022 Check Student & Chaperone Passports: During the \nrecruitment process, physically check all students\u2019 passports" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 35, + "content": "well before your travel date to ensure that they are valid for \ntravel and will be valid at least six months after your return \ndate. Students must renew or apply for a first-time passport \nas soon as possible as the process can be lengthy." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 13 of 104 \n\u2022 Non-U.S. Passports: Determine who holds a non-U.S. \npassport. There are many countries that do not require U.S. \npassport holders to have a visa but require them for NON-\nU.S. passport holders. There are also countries that might \nrequire Americans to obtain a visa but do not require one for \na non-U.S. passport holder. Identify the countries from \nwhich your travelers hold passports, as they might be \nquestioned in customs or might have to contact other \nconsulates if they lose their passports abroad. *Also plan for \ndelays at border control at the airport for non-US passport \nholders." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 37, + "content": "holders. \n\u2022 Visa Requirements: Research if your destination requires a \nvisa. Every country has a different application and timeline \nfor obtaining a visa. \n\u2022 Parent Passports: Encourage parents to obtain valid \npassports and visas should they need to travel to the \ncountry for their child during an emergency. \n\u2022 Copy Passports: Copies of student and chaperone passports \nand visas must be left with families, and the principal/head \nof school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 14 of 104 \nSTUDENT ACCESSIBILITY, PARTICIPATION, AND CONDUCT \nStudent Participation: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit friends, \nrelatives etc., and rejoin the group. Students must remain with \nthe group at all times. \n\u2022 Essential Participation Criteria: Before student recruitment \nbegins, the program leader and principal/head of school \nshall work together to establish essential participation \ncriteria for the trip that informs students and parents of the \nprogram objectives, all of the activities and risks associated" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 39, + "content": "with each itinerary activity, and trip location, to determine \nwhat accommodations or modifications may need to be \nmade for students to successfully and safely participation in \nall or portions of the trip. \n\u2022 Student Recruitment: By default, any program is open to all \nstudents. However, there may be programs that are specific \nto certain students (i.e., class, club, team, grade level specific \ntrips) with the consultation of the program leader and head \nof school that keeps in mind financial accessibility, diversity, \nand equity. The recruitment process must be transparent \nand fair. The chaperone team must create an environment \nand structures to support all students. Trips must be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 40, + "content": "advertised to all students (within the school, particular \ngrade, class, or program associated with the trip), regardless \nof their financial situation. If there is a formal process for \nbeing enrolled on your trip, such as an application, it must \nfirst be approved by the head of school and have a clear \nrubric that demonstrates the essential criteria for an \napplicant. A student\u2019s ability to pay may not be a criterion" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 15 of 104 \nfor field trip participation. If a student is denied admission to \na trip, be prepared to speak to the student, administration, \nor family if there are questions about your selection process. \nKeep a record of all applications and decisions made. \nAccessibility \n\u2022 Field Trip Location Selection: Program leaders must \nconsider their student demographics when selecting field \ntrip locations, sites, and activities. The location of the trip \nmust tie directly to the objectives and learning outcomes of \nthe program. Specifically, determine the impact the \nlocations, sites, and activities that may have on diverse" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 42, + "content": "populations such as students of color, ELL students, \nstudents who identify with the LGBTQIA+ community, \nstudents with disabilities, those who may be in the minority \nduring your field trip experience, and those students who \nbelong to groups that have experienced marginalization in \nthe location being visited. Program leaders must work to \nprepare students for sensitive experiences and ensure that \nthe program is safe and inclusive for all students. Consult \nthe Department of Global Education for resources if needed. \n\u2022 Access and Inclusion: Students with English Language \nLearner status, 504 plans, and/or IEPs cannot be denied" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 43, + "content": "access to field trips due to their ability. It is the responsibility \nof the school to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent\u2019s Circular SHS-08 Medication \nAdministration for information about medical dispensation \non field trips. Participating students\u2019 IEP or 504 plan shall be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 16 of 104 \navailable to any staff coordinating and/or participating in \nthe field trip to meet the child\u2019s needs. \n\u2022 Student Health: If a student has a serious medical or mental \nhealth condition, please be sure that their doctor is \ninformed of the essential participation criteria and location \nof the trip and writes a signed letter on letterhead indicating \nthat the child may safely attend and participate in trip \nactivities. The program leader must keep this document on \nfile with other key permissions slips and medical forms. \nAgain, also consult with your school nurse at least 6 weeks \nin advance." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 45, + "content": "in advance. \n\u2022 Inclusive Accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents (e.g., airline ticket, passport) \nreflect their legal names as listed on government issued \nidentification, while all unofficial documents and materials \nmay reflect the student\u2019s preferred name. Please view \nadditional rooming guidelines from the Office of Equity. \nCONDUCT" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 46, + "content": "CONDUCT \nThe BPS Code of Conduct applies on all field trips. BPS students \nand parents are required to sign a BPS Student Traveler & Family \nAgreement Form regarding student conduct while participating \nin a BPS sponsored field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 17 of 104 \nCentral Office staff, determines that a student\u2019s conduct while on \nan overnight trip poses a risk to themselves or the safety of the \ngroup, or is no longer manageable by BPS staff in the field, the \ndistrict reserves the right to request and arrange for that student \nto return home. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the costs \nassociated with their child\u2019s return. Students may be subject to \nfurther disciplinary action and will be provided the opportunity to \nhave a formal hearing at the school level upon return. The school" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 48, + "content": "must document the parent/guardian\u2019s consent of this policy prior \nto the trip. \n\u2022 Dismissal Transportation Protocol: If a student is to be \ndismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal/head of school or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 49, + "content": "unaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \nProgram leaders must inform families of this protocol at or \nbefore initial promotional meetings. \n\u2022 Pre-departure Program Dismissal: In the event a student is \nto be dismissed from an international field trip program \nbefore departure, a Pre-departure Incident Report must be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 50, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 18 of 104 \nsubmitted to the Department of Global Education (DGE). A \nchaperone cannot dismiss a student from a trip without \napproval from the principal/head of school. The \nprincipal/head of school must approve the recommendation \nfor dismissal by signing the pre-departure incident report. \nThe report should then be filed with the DGE, who will \nreview and file the report. Any loss of fees or deposits \nassociated with early dismissal will be absorbed by the \nfamily, which must be communicated before any deposits \nare made by families. Program leaders must inform families \nof this protocol at or before initial promotional meetings." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 51, + "content": "PRE-DEPARTURE MEETINGS \n\u2022 Student Meetings: Program leaders must conduct at least \nthree (more are recommended) student meetings before \ndeparture. This does not include the mandatory parent \nmeeting; however, students should be encouraged to \nattend the parent meeting as well. Meetings should review \nlogistics and prepare students to be mindful, healthy, \nresponsible, and safe travelers. Most programs hold many \nmore meetings to prepare students for the challenges and \nrewards of the travel experience. \n\u2022 Parent Meetings: Program leaders must conduct at least \none (more are recommended) parent/guardian meeting \n(with each family, or all families together). This does not" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 52, + "content": "include the initial meeting to promote the trip. Please note \nthat if traveling to a Level 2 destination issued by the Center \nfor Disease Control (CDC) or State Department, the program \nleader is required to inform parents of the medical or safety \nconcerns and precautionary plan. Please consult with the \nDepartment of Global Education before this meeting. For" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 19 of 104 \ninformation on staying healthy while traveling, go to the \nCDC page on Travelers\u2019 Health/Medical Tourism. Your entire \ngroup and their families must attend a mandatory \ninformation session. All chaperones should be present and \nplay a role in this meeting. \n\u2022 Meeting Topics: During pre-departure meetings, the \nfollowing topics must be reviewed (others may be discussed \nat the lead chaperone\u2019s discretion): \n\u25cb Trip\u2019s educational purpose \n\u25cb Behavior expectations \n\u25cb Detailed itinerary \n\u25cb Review of country landscape (health, cultural norms, \nsafety, and security) \n\u25cb Insurance coverage \n\u25cb Required travel documents \n\u25cb Packing list" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 54, + "content": "\u25cb Required travel documents \n\u25cb Packing list \n\u25cb Communication plan and emergency contact \ninformation \n\u25cb Transportation plans and logistics \n\u25cb Review and collect permission forms \n\u25cb Meals and accommodations \n\u25cb In-country transport (be specific, as modes of transport \nvary country to country) \n\u25cb Expectations for in-country expenses and procedures \nto exchange money, if applicable \n\u25cb Passport and visa requirements, if applicable \n\u25cb Program provider documents. \nContact the Department of Global Education for sample meeting \nagendas and templates and support with meeting agendas. \nImportant Meeting Notes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 20 of 104 \n\u25cf Document parent/family attendance. \n\u25cf Utilize zoom meetings when necessary. \n\u25cf Develop a plan for families who may need translation \nservices at the meeting; students should not serve as their \nparent/guardian\u2019s translator. \n\u25cf If a parent/guardian is unable to attend a meeting, at least \none trip chaperone (who is a BPS employee) must \nphysically meet with the parent/guardian about the trip \nbefore taking the student abroad. Document this private \nmeeting for your records. \nChaperone Team Meetings: \nProgram leaders must conduct at least three pre-departure \nchaperone team meetings. Meeting topics to include:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 56, + "content": "\u25cb Assign chaperone roles for pre, during, and post trip; \n\u25cb Review Emergency Action Plan (EAP) and insurance \ncoverage; \n\u25cb Student paperwork (Binders) \n\u25cb Participants \n\u25cb Student Code of Conduct Agreement \n\u25cb The Pre-Departure Incident Report and the incident \nreport form for while on the trip \n\u25cb For non-BPS employee chaperones, review their \nknowledge of BPS policies and chaperone expectations \n\u25cb Review detailed itinerary \n\u25cb Distribute responsibilities \n\u25cb Map out plans that include movement from one place \nto another and program transitions. \n\u25cb Determine if there are any students who require extra \nsupport, or physical/medical accommodations" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 57, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 21 of 104 \n\u25cb Review with the team any recommendations, advice, \nor instructions that you have received from the school \nnurse, guidance counselor, parent, or primary care \ndoctor. \nNon-BPS Chaperones: \nAlong with CORI/SORI clearance they must schedule a \nconsult with the Department of Global Education at least 8 \nweeks prior to departure and attend at least one pre-trip \nparent meeting and at least one student meeting. \nAll non-BPS chaperones must know the details of the trip, \nthe Emergency Action Plan (EAP), the BPS Code of Conduct, \nand other district and school-based rules. The program \nleader must be sure all non-BPS chaperones understand" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 58, + "content": "BPS rules and schedule a consult with the Department of \nGlobal Education. \nCOMMUNICATION PLAN \n\u2022 International Phone Service Coverage: Program leaders \nmust have international cell phone coverage for the \nduration of the trip for communication with BPS and \nfamilies in the event of an emergency. This cell phone must \nbe on at all times so you may be contacted in case of an \nemergency. If this is not possible due to your location, please \narrange a communication plan with your principal/head of \nschool and the Department of Global Education. If such \ninternational coverage requires you to purchase an \ninternational plan or to accrue additional costs due to the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 59, + "content": "trip, please submit your receipts to the BPS Finance Office \nfor reimbursement. Program leaders must also carry the \nphone numbers for the principal/head of school or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 60, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 22 of 104 \nsponsoring district department, and the Department of \nGlobal Education. You are required to call your head of \nschool and the Department of Global Education anytime \nthere is an emergency. \n\u2022 District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment, and the Director of Global Education prior to \ndeparture. The director of Global Education will initiate a \ngroup chat with the program leader, and head of school on \nWhatsApp. You must check in with the Director of Global \nEducation via phone, text (download WhatsApp for free for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 61, + "content": "messaging), or email upon arrival, every 48 hours, whenever \nthe itinerary significantly changes, whenever you expect to \nlose cell/email coverage, upon departure, and upon safe \nreturn. You MUST check in via phone call to your Head of \nSchool and the Department of Global Education when there \nis an incident. \n\u2022 Definitions of communication types and expectations:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 62, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 23 of 104 \n \nGreen Communication: No immediate concern. \nProgram leader: Notifies head of school and on-call BPS \nstaff about arrival, departure, changes in itinerary, loss of \nconnectivity, highlights of programs, photos. *Check in daily \nvia text, phone call, email. \nYellow Communication: A Yellow Call is a reportable situation or \nevent, but no threat to life, limb, eyesight, or potential for severe \nemotional trauma. The incident is managed effectively in the \nfield by program leader, but could devolve to a serious or critical \nincident, and requires attention from BPS on-call staff. \nProgram leader: (1) Notifies Head of School and on-call BPS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 63, + "content": "staff; (2) Documents Incident SOAP Report (3) Monitors (4) \nUpdates on-call BPS staff \nRed Communication: Critical, violent time sensitive incident, \nillness, injury; or event that resulted in loss or potential loss of life, \nlimb, eyesight. Student disciplinary violations. \nRequires IMMEDIATE RESPONSE of program leader: (1) \nAlerts appropriate local medical care, local law enforcement, \nand/or shelter, triggers insurance support if able to do so. (2) \nNotifies head of school and on-call BPS staff; (3) Documents \nIncident SOAP Report (4) Monitors (5) Updates head of \nschool and on-call BPS staff \nRefer to BPS International Field Trip Communication Plan for \nmore information." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 64, + "content": "more information. \n\u2022 Communication with Families: Set expectations regarding \ncommunication during travel between chaperones/student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 65, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 24 of 104 \ntravelers and the principal/families. Families must know \nwhom to call 24/7 in case of an emergency. If you need \nsupport in family communication before, during, and after \nthe trip, contact the Department of Global Education. \n\u2022 Communication with Students: Set and remind students \nand families of the expectations for social media usage \nwhile abroad. Discuss what is, and is not acceptable for \nposting, recording, and sharing on social media. Make clear \nthe boundaries, confidentiality, and privacy of other \nstudents, staff members, and visiting communities as it \npertains to social media footage. These expectations should" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 66, + "content": "be discussed several times during the pre-departure \nmeetings and while in the field. *Remember that the BPS \nCode of Conduct is applicable. \nDOCUMENTATION & FORMS \n\u25cf Documents for Students & Families: Prepare, distribute to, \nand collect from each participating student and chaperone \nthe following: \n\u25cb Parental Authorization for International Field Trip form \n\u25cb Medical Information Form \n\u25cb Medication Administration Form \n\u25cb Chaperone Agreement Form \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Student Support for Field Trip Travel Form \n\u25cb Any Parental Waivers associated with your program. \n\u25cb If applicable, prepare, distribute, and collect the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 67, + "content": "Notarized Parent/Guardian Airline Travel Consent \nForm. (Some countries, airlines, and travel companies" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 68, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 25 of 104 \nrequire this. Research your particular trip to see if this \napplies.) \n\u25cb If your program includes a homestay, refer to CAO-26 \nHomestay Guidelines for required forms. \n\u25cf Documents to Submit to Central Office Approval: The \nfollowing documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation for the program to be reviewed, and the \nnecessary signatures obtained for approval. You must send \nyour completed application to the Department of Global \nEducation for review and feedback prior to final submission. \nBelow is an overview of the required documents. A more" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 69, + "content": "detailed list is included in the application section of this \ncircular. \n\u25cb CAO-25 International Field Trip Request Form (with \noriginal signature of the Headmaster/Principal or \nsponsoring District Department, and Program Leader) \n\u25cb Signed Cover Letter (on school letterhead) addressed \nto the superintendent and Department of Education \nfrom the principal/head of school/district department \nlead stating support for the proposed trip. \n\u25cb International trip narrative: \n\u25a0 What was the student recruitment and selection \nprocess? \n\u25a0 What are the student learning outcomes of your \nprogram? \n\u25a0 How will this program build students\u2019 global \ncompetence (investigate the world, communicate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 70, + "content": "competence (investigate the world, communicate \nideas, weigh perspective, take action: identify all \nthat apply and how they will be addressed \nthrough your program)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 71, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 26 of 104 \n\u25a0 What specific standards are addressed in your \nprogram, and how will they be addressed? \n\u25a0 How and when will your students reflect on what \nthey learned from this experience? \n\u25cb Itinerary (detailed): Day-by-day and hour by hour (or \nmorning/afternoon/evening) format providing detailed \ninformation about program (i.e. \nhotels/accommodations, sites visited, activities \nplanned, meetings held, curfew set, and meals \nscheduled for the morning, afternoon, and evening) \n\u25cb Emergency Action Plan \n\u25cb Nurse Verification Form \n\u25cb CAO-25 Acknowledgment Form \n\u25cb Tentative Student Traveler Roster: [Prior to departure," + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 72, + "content": "the program leader must submit a FINAL roster of all \nconfirmed student travelers that includes: BPS ID, their \nname, grade, age, D.O.B, the country in which their \npassport is issued, emergency contact name and \nnumber, and (NEW) if student is traveling abroad for \nthe first time. \nImportant Note: **Submit documents for Water Activities \n(CAO-27)) if applicable.* While you do not need to submit \nto the central office a copy of each Parental Authorization \nfor International Field Trip permission, this form must be \non file at your school when your trip request is submitted \nto the district office. \n\u25cf Documents to Leave with your principal/head of school:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 73, + "content": "\u25cb CAO-25 circular with checklists \n\u25cb Permissions Slips (updated based on contact \nverification done with families)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 74, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 27 of 104 \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Parental Waivers \n\u25cb Medical Information Form and Medical Administration \nForm \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP) \n\u25cb Insurance Information \n\u25cb Fire Prevention and Safety Information \n\u25cb International Program Incident Report (blank for \nreference) \n\u25cb Finalized Homestay List and other homestay \ndocuments (if applicable) \n\u25cb Water Activities Forms (if applicable) \n\u25cf Documents to Take Abroad: \n\u25cb Permissions Slips (updated based on contact \nverification done with families)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 75, + "content": "verification done with families) \n\u25cb Medical Information Form and Medical Administration \nForm \n\u25cb Student & Family Conduct Agreement Form \n\u25cb Parental Waivers \n\u25cb Notarized Airline Consent Form (if applicable) \n\u25cb Copies of passports, visas, resident cards and other \ntravel related documents \n\u25cb Emergency Action Plan (EAP) \n\u25cb Insurance Information \n\u25cb BPS Field Guide Protocols with Emergency Phone \nNumbers \n\u25cb Fire Prevention and Safety Information" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 76, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 28 of 104 \n\u25cb International Programs Incident Report (blank and/or \ncompleted) \n\u25cb International Witness Report Form (blank and/or \ncompleted) \n\u25cb Incident Investigation Log (blank and/or completed) \n\u25cb SOAP Note (blank and/or completed) \n\u25cb List of addresses and emergency contacts in country \nfor all travelers \n\u25cb Homestay documents, if applicable \n\u25cb Water activities form, if applicable \n\u25cb Program leader carries originals of permission slips and \nmedical forms; other chaperones carry copies. \nDURING THE FIELD TRIP PROGRAM \n\u25cf Team Safety: If you believe conditions are unsafe or \nunhealthy at any point on the trip, it is the program leader\u2019s" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 77, + "content": "responsibility to make adjustments in the interest of \ngroup/individual safety. Consult the Department of Global \nEducation during the trip when you have questions \nregarding trip safety. \n\u25cf Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n\u25cb Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nthe assessment with the chaperone team and prepare \nfor orientation and fire drill. \n\u25cb Share evacuation plan and emergency plans. Discuss \nwhere students go during an emergency or otherwise." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 78, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 29 of 104 \nDiscuss where students go if they are separated from \nthe group during an activity. \n\u25cb Ensure students have a list of the key addresses \n(hotel/chaperone/host family contact information) and \nemergency information for the US and the \ninternational destination as well as copies of all travel \ndocuments. Share where you are staying (room \nnumber if applicable) and how to reach you on the trip. \n\u25cb Conduct in-country orientation for conduct and \ncultural expectations. Set expectations regarding social \nmedia. This is especially critical during an emergency. \n\u25cb Conduct safety orientations for service learning" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 79, + "content": "projects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating \nand for agricultural projects; chaperones, with support \nof program providers, must conduct a safety \norientation at the beginning of each activity. \n\u25cf Student Debriefs/Reflections: \n\u25cb Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\u25cb Conduct afternoon and/or evening debriefings to \nreview the next day\u2019s itinerary, gather feedback, \nprocess the day\u2019s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 80, + "content": "reflect and break down stereotypes so that when they \nreturn, they have a deeper understanding of the \nculture and country they visited. Draw connections to \nhow they will take the experience home with them, \nand how the lessons they have learned will translate \nback home." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 81, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 30 of 104 \n\u25cf Check-Ins and Student Supervision: \n\u25cb Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n\u25cb Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n\u25cb Conduct nightly bed checks to ensure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel, be sure to request in advance for students \nto be placed near chaperones. If students are with host \nfamilies, share the BPS policy of nightly bed checks to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 82, + "content": "ensure students are safely in their rooms each night. \nStudents should know exactly how to get in touch with \na chaperone in case of an emergency (room number or \nphone number if staying with a host family). \n\u25cb Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful \nabout romantic relationships among students. \n\u25cb Do not leave students alone! Students should be \naccompanied by chaperones (or if applicable, host \nfamilies and students) unless part of a scheduled \nactivity and age appropriate, as approved by their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 83, + "content": "parent/guardian in advance. However, if \nunaccompanied as part of a scheduled and structured \nactivity, students should be in at least groups of three, \nAND always know how to reach an adult chaperone. \n\u25cb Conduct regular, frequent headcounts and buddy \nchecks throughout the day." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 84, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 31 of 104 \nINTERNATIONAL PROGRAM INCIDENT REPORTING AND \nSUPPORT \nContact your head of school and the Department of Global \nEducation for any emergency that results in the admittance of a \nstudent or chaperone to a hospital or clinic, or if you fear for the \nsafety of anyone on your trip at any time. When in doubt, call! \nEmergencies may be of a medical, environmental, political, \nbehavioral, legal, logistical, or other nature. You MUST check in \nvia phone call to the Department of Global Education when there \nis an incident. Refer to BPS International Field Trip \nCommunication Plan for more information." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 85, + "content": "Communication Plan for more information. \n[NEW] Examples of incidents (this is not an exhaustive list): \nGreen Examples: Positive group gains, dynamic and culture, \nmedia coverage \nYellow Examples: Fever, loss of passport, diarrhea, \nconstipation, vomiting when prescription medication is \nadministered by BPS staff, lost/damaged/insufficient \nprescription medication, tooth loss/ crack/chip, animal or \ninsect encounters that could potentially result in injury, any \ntime insurance is used or consulted, insect bites or stings \nout of the ordinary, lost or stolen luggage, challenges in \nCustoms. \nRed Examples: Sexual assault, terrorism, missing person," + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 86, + "content": "crime/theft; head injury, loss of consciousness, contraction \nof parasite and/or infestation, animal bites, transportation \naccident, severe allergic reaction, exposure to any \ncommunicable diseases, eye injury, heat exhaustion/stroke, \nhyperthermia, significant violations of student/chaperone \nconduct contract (fighting, alcohol, drug use, possession of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 87, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 32 of 104 \nweapons, bullying, harassment, persistent behavior from \nparticipant that is disruptive, poses a risk to team and the \nsuccess of the program), severe weather, exposure to any \ntoxic or potentially toxic chemical/irritant \n\u27a4 Note: This list is not exhaustive. Any additional incident not \nlisted but deemed unusual or potentially harmful by the program \nleader, should be reported. Yellow incidents have the potential to \nquickly progress to Red incidents. Thus, yellow incidents should \nbe monitored closely, and On-Call BPS staff should be kept \nabreast of any updates, and changes in status." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 88, + "content": "abreast of any updates, and changes in status. \nFile an International Program Incident Report via email if possible \nOR as soon as circumstances permit. Utilize the SOAP note, \nwitness reports and incident investigation logs as necessary. Turn \nin the original reports to the Department of Global Education as \nsoon as you return to Boston. When incidents occur, it is critical \nthat everything is documented. \nAFTER THE FIELD TRIP (MANDATORY) \n\u25cf Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 89, + "content": "(and inform parents/guardians) to see a doctor immediately \nif they are not feeling well after the trip and to inform the \ndoctor of their recent travels. \n\u25cf Incident Reports: If applicable, file and follow up with \nInternational Programs Incident Report, International \nPrograms Witness Report and International Programs \nIncident Log." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 90, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 33 of 104 \n\u25cf District Survey: Complete the BPS Post-International \nProgram Survey to provide feedback on your experience. \nAFTER THE FIELD TRIP (SUGGESTED) \n\u25cf Write thank you notes. \n\u25cf Present to school, family, and the community about the \nexperience. \n\u25cf Conduct related creative and/or analytical projects to \nshowcase student learning. \n\u25cf Write a news article about the trip for a local newspaper or \nwebsite. \n\u25cf Email stories, journals, and pictures of your trip to the \nDepartment of Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 91, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 34 of 104 \n \nFor more information, questions, and support about this \ncircular, please contact: \nOwner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 92, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 35 of 104 \nINTERNATIONAL FIELD TRIP CHECKLIST \nField Trip Category(s): ____________________________________________ \n(For category, see CAO-22.) \nSite: _____________________________________________________________ \n \nDate: __________________________________ \n \nAlternate Date: _________________________ \n \nItem Complete? \nReview Superintendent Circular No. CAO-22, \nGeneral Guidelines and Procedures for All Field \nTrips. \n \nReview Superintendent\u2019s Circular on Medical \nEmergency Management, FSE-05 and Incident \nData-Reporting and Release, SAF-04 for \nimportant safety protocols. While on the trip, the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 93, + "content": "Department of Global Education must be notified \nin the event of a serious incident or emergency \nand should be used as a resource for questions \nregarding safety on international field trips. \n \nSelect a site and investigate the appropriateness \nof the site in relation to the category of field trip. \n \n \nCAO-25 ACKNOWLEDGEMENT FORM" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 94, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 36 of 104 \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \nSchool Name: ____________________________________________________ \n \n_______________________________________________ __________________ \n Signature of Program Leader Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 95, + "content": "Signature of Program Leader Date \n_______________________________________________ __________________ \nSignature of Principal/Head of School or Date \n Sponsoring District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 96, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 37 of 104 \nINTERNATIONAL FIELD TRIP REQUEST DOCUMENT CHECKLIST \nThe following documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation so that the trip may be reviewed and the necessary \nsignatures may be obtained. Complete this application with as \nmuch information and detail as you have available. Should \nadditional and final details become available later, please update \nthe Department of Global Education as soon as possible. It is \nrecommended that you send drafts of these documents to the \nDepartment of Global Education for review and feedback prior to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 97, + "content": "final submission. Please type all documents and retain copies of \nall documents submitted. \nDocuments to Submit to the Department of Global Education \nfor Approval \n1. International Field Trip Request Form (with original \nsignature of the principal/head of school or sponsoring \ndistrict department, and program leader) \n2. Signed Cover letter (on school letterhead) addressed to the \nsuperintendent and Department of Education from the \nprincipal/head of school/district department lead stating \nsupport for the proposed trip. \n3. International Trip Narrative Educational Goals (please be \ndetailed): \na. What is the purpose of this international program?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 98, + "content": "Why is it necessary, and why is this specific location \nrelevant? \nb. What are the student learning outcomes of your \nprogram?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 99, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 38 of 104 \nc. How will this program build students\u2019 global \ncompetence (investigate the world, communicate \nideas, weigh perspective, take action: identify all that \napply and how they will be addressed through your \nprogram). \nd. What specific standards are addressed in your \nprogram, and how will they be addressed? \ne. Describe the student recruitment and selection \nprocess? How did you ensure the process was \nequitable and inclusive? \nf. How and when will your students reflect on what they \nlearned from this experience? \n4. Itinerary \na. Day-by-day and hour by hour (or morning/afternoon/ \nevening) format providing detailed information about" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 100, + "content": "program (i.e., sites visited, activities planned, meetings \nheld, curfew set, and meals scheduled for the morning, \nafternoon, and evening) \n5. Emergency Action Plan \n6. Nurse Verification Form \n7. CAO-25 Acknowledgment Form \n8. Tentative Student Traveler Roster (Prior to departure, the \nprogram leader must submit a FINAL roster of all confirmed \nstudent travelers that includes: BPS ID, their name, grade, \nage, D.O.B, the country in which their passport is issued, \nemergency contact name and number, and if student is \ntraveling abroad for the first time. \n\uf075\uf020Important Note: Submit documents for Water Activities \n(CAO-27) and/or Homestays (CAO-26) if applicable." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 101, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 39 of 104" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 102, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 40 of 104 \n \nINTERNATIONAL FIELD TRIP REQUEST FORM \n(This form along with all accompanying documents listed in this \ncircular must be completed by the lead chaperone in \nconsultation with the principal/head of school. It is submitted to \nthe Department of Global Education at least four months prior to \nthe trip.) \nSchool/District Department: _____________________________________ \n \nHead of School /Principal Information: \nName: ______________________________________________________ \nCell phone: __________________________________________________ \nEmail: _______________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 103, + "content": "Select Field Trip Category (See CAO-22 for descriptions): \n\u25cf Instructional \n\u25cf Cultural \n\u25cf Community Building \n\u25cf Service Learning \n\u25cf Personal Growth & Development \nProgram Destination(s): Include exact cities, or regions: \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 104, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 41 of 104 \nDates of Trip: \nDeparture Date: ________________ Return Date: ___________________ \nStudent Data: Send complete student roster to Dept. of Global \nEducation before travel. Roster must include D.O.B, grade, \ncountry of passport issuance, emergency contact name and \nnumber. \nNumber of Students: ________________ \n \nNumber of First Time Student International Travelers: _______ \n \nChaperone Data: Chaperones: 7:1 ratio and minimum of 2 \nchaperones \nInformation Program Leader Chaperone Chaperone \nName \nCell Phone \nNumber \nBPS \nEmployee (Y/N) (Y/N) (Y/N) \nBack up #" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 105, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 42 of 104 \n \nInformation Chaperone Chaperone Chaperone \nName \nNumber \nBPS \nEmployee \n(Y/N) (Y/N) (Y/N) \nBack Up # \n \nInformation Chaperone Chaperone Chaperone \nName \nNumber \nBPS \nEmployee \n(Y/N) (Y/N) (Y/N) \nBack Up # \n \nFunding \nPlease note that: A criterion for participation, may not be the \nstudent and their family\u2019s ability to pay. Also \u201c100\u201d school funds \nmay not be used for international trips. \nCost Per Person: _________________________________ \n \nTotal Cost: $ _____________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 106, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 43 of 104 \nFunding Source(s): \n(List funding sources below. Please detail how the trip was paid \nfor and how students had access to this trip regardless of the \ntrip\u2019s cost.) \n \n \n \nGrant name/Grant Number (if applicable): _______________________ \n \nFundraise with Private Grants BEDF Account Code/Description (if \napplicable): _______________________________________________________ \n \nCountry/Site Information \nCountry(s) to be visited: \nIs this country(s) listed on the \nUnited States Department of \nState Travel warning list? \n \nIs this country(s) listed on the \nCenter for Disease Control \n(CDC) warning list? \n \nIn-Country/Site Contact Person" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 107, + "content": "In-Country/Site Contact Person \nand Title/Role: \n \nIn-Country/Site Telephone # \nIn-Country/Site Email Address" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 108, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 44 of 104 \nNative language of in-\ncountry/site contact person \n \nCan the in-country/site contact \nperson speak English? \n \n \nHas your travel vendor/partner been vetted by the Department of \nGlobal Education/BPS Legal? \uf06f Yes \uf06f No \nVendor Name: ______________________________________________ \nVendor Contact Name: ______________________________________ \nVendor Contact Number & Email: ___________________________ \nAIRLINE TRANSPORTATION TO INTERNATIONAL DESTINATION \n(Please note: You may include your flight reservation as an \nattachment; however, the following section must still be \ncompleted.) \nDeparting flight from US/Boston:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 109, + "content": "completed.) \nDeparting flight from US/Boston: \nDeparture Date \nDeparture Time \nDeparture Location \nDeparture Airlines \nFlight Number \nDeparting Flight \nArrival Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 110, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 45 of 104 \nArrival Time \nArrival Location \nReturn flight to US/Boston \nReturn Date \nReturn Time \nReturn Location \nReturn Airlines \nFlight Number \nReturn Flight Arrival \nDate \n \nArrival Time \nArrival Location \nAdditional Transportation in the U.S. (i.e., to and from airport): \nWill you be providing transportation for students to and from the \nairport? \u25a2 Yes \u25a2 No \nIf no, how will students get to and from the U.S. airport? \n __________________________________________________________________ \n __________________________________________________________________ \nIf yes, please complete the chart below." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 111, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 46 of 104 \nMode of \nTransportation \n \nTransportation Co. \nBPS Vendor # \nCompany Number \nPickup Location \nPickup time \n \nTransportation to International Destination (other than airplane): \nMode of \nTransportation \n \nTransportation Co. \nBPS Vendor # \nCompany Number \nPickup Location \nPickup time \nWhere will you be \ntransported to? \n(Address of hotel, or \ndrop off site) \n \n \nTransportation in Foreign Country \nAll modes of transportation arranged within the foreign country:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 112, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 47 of 104 \n \n \nIN-COUNTRY LODGING INFORMATION \nPrimary Lodging \nContact information if students will be staying in a hotel or \nhostel: Itinerary must provide detailed information regarding \nlodging each night. \nName of site \nAddress \nNumber \nDates \n \nName of site \nAddress \nNumber \nDates" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 113, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 48 of 104 \n \nName of site \nAddress \nNumber \nDates \n \nDoes your trip include water activities? \nYES \u25a2 NO \u25a2 \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? \nYES \u25a2 NO \u25a2 \nHome Stay \n*Note: The permissibility of Home Stay programs is currently \nunder review. \nWill this program include a home stay? YES \u25a2 NO \u25a2 \nIf yes, is this home stay facilitated by a third-party vendor? If yes, \nplease provide the company name and site contact info. \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 114, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 49 of 104 \nSafety is the highest priority in the Boston Public Schools. Have \nyou followed the Home Stay Guidelines CAO-26 and completed \nthe necessary forms? YES \u25a2 NO \u25a2 N/A \nHave parents/guardians signed the Home Stay Waiver form? \nYES \u25a2 NO \u25a2 N/A \nWater Activities \nDoes your program include water activities? \nYES \u25a2 NO \u25a2 N/A \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? YES \u25a2 NO \u25a2 N/A \nTRAVEL LOGISTICS \nHave you held (or will you hold prior to departure) at least three \npre-departure student meetings to prepare the student team for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 115, + "content": "the responsibilities of participating in an international trip as \noutlined in CAO-25? YES \u25a2 NO \u25a2 \nMeeting Date: Meeting Date: Meeting Date: \nHave you held (or will you hold prior to departure) at least three \nchaperone meetings to prepare the adult team for the \nresponsibilities of leading students on an international trip as \noutlined in CAO-25? YES \u25a2 NO \u25a2 \nMeeting Date: Meeting Date: Meeting Date:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 116, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 50 of 104 \nHave you conducted (or will you conduct prior to departure) at \nleast one parent meeting (in addition to the promotional \nmeeting) to review required topics outlined in CAO-25? \nYES \u25a2 NO \u25a2 \nMeeting Date: \nIf you are traveling to a destination with an alert from the CDC or \nState Department Level 2 country, will you provide families with \nthe respective Informed Parental Consent, Associated Risk, \nIndemnity Form? YES \u25a2 NO \u25a2 \nDo you have trip cancellation insurance? YES \u25a2 NO \u25a2 \nPlease describe the contingency plan should your departure \nand/or return travel be delayed: \n \n \nTRAVEL SAFETY AND RISK MANAGEMENT" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 117, + "content": "TRAVEL SAFETY AND RISK MANAGEMENT \nHave all travelers received (or will they all receive prior to \ndeparture) all travel immunizations, vaccinations, and relevant \nmedications recommended by the CDC and their primary care \ndoctors? YES \u25a2 NO \u25a2 \nComments: \n \nWho on your chaperone team speaks the local language?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 118, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 51 of 104 \n __________________________________________________________________ \n __________________________________________________________________ \nHave the program leader and other chaperones reviewed the \nBPS Insurance Policy? YES \u25a2 NO \u25a2 \nDoes each traveler have health insurance coverage abroad, \nincluding medical and political evacuation coverage? (BPS has \nthis insurance for ALL BPS students and BPS chaperones.) \nYES \u25a2 NO \u25a2 \nHas the program leader and other chaperones reviewed the BPS \nCode of Conduct? YES \u25a2 NO \u25a2 \nHave all non-BPS employed chaperones scheduled a meeting \nwith the DGE? YES \u25a2 NO \u25a2 N/A \u25a2" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 119, + "content": "with the DGE? YES \u25a2 NO \u25a2 N/A \u25a2 \nHas the program leader attended (or will they have attended \nprior to departure) BPS Risk Management Training Abroad? \n YES \u25a2 NO \u25a2 \nTraining Date: _______________________________________________ \n (Training is valid for two school calendar years.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 120, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 52 of 104 \nHas the program leader led BPS students abroad before? \nYES \u25a2 NO \u25a2 \nWhen? Provide the most recent date: _______________________ \nIf not, what experience(s) have prepared you to lead BPS \nstudents abroad? \n \nDo at least two chaperones hold valid (duration of the trip) CPR \nand First Aid certification? YES \u25a2 NO \u25a2 \nNames of certified chaperones: ___________________________________ \n __________________________________________________________________ \nName of chaperones: ____________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 121, + "content": "Have you completed the Emergency Action Plan (EAP) for the \ncountry you are visiting? YES \u25a2 NO \u25a2 \nHave you (or will you prior to departure) set up a Pre-Departure \nRisk Management meeting with the Department of Global \nEducation? YES \u25a2 NO \u25a2 N/A \u25a2 \nHave you (or will you prior to departure) submitted the \nEmergency Contact List for all travelers to the Department of \nGlobal Education? YES \u25a2 NO \u25a2 \nHave you completed the Nurse Verification form? YES \u25a2 NO \u25a2" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 122, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 53 of 104 \nAll CAO-25 \u201cChecklists\u201d MUST be followed by the program leader, \nother chaperones, and principal/head of school or district \ndepartment sponsoring the trip before, during, and after the trip. \nWill you complete all \u201cChecklists\u201d before, during, and after the \ntrip with the consult of your principal/head of school or district \ndepartment? YES \u25a2 NO \u25a2 \nSCHOOL/DISTRICT DEPARTMENT APPROVAL \n_________________________________________________ ________________ \n Program Leader/Lead Chaperone Date \n_________________________________________________ ________________ \n Head of School/Principal or Sponsoring Dept. Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 123, + "content": "Signatures above indicate approval for the trip and attest that \nthe CAO-25 checklist will be completed before, during, and after \nthe trip. \nDISTRICT APPROVALS \nInternational field trips require the District approvals below: \n_________________________________________________ ________________ \n Director of Global Education Date \n_________________________________________________ ________________ \n Chief of Teaching & Learning Date \n_________________________________________________ ________________ \n Chief Financial Officer Date \n_________________________________________________ ________________ \n Superintendent Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 124, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 54 of 104 \n \nEMERGENCY ACTION PLAN (EAP) \nInternational Field Trips \nDirections: \n\u25cf The lead chaperone must complete this form prior to \ndeparture. \n\u25cf All chaperones should carry this form throughout the trip. \n\u25cf Leave a copy of this form with the principal/head of school. \n\u25cf Submit this form as part of your package to the district. \n\u25cf Register your trip and student participants through the \nSafe Traveler Enrollment Program (STEP). program \nGeneral Guidelines: \n\u25cf In the event of an emergency, REMAIN CALM. \n\u25cf Do not leave the injured person alone or without an adult \npresent. \n\u25cf Call local EMS. \n\u25cf Accompany any injured student to the nearest medical" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 125, + "content": "facility. An adult chaperone (or adult designee) must be \npresent with any injured student throughout the \nemergency." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 126, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 55 of 104 \nEmergency Contacts \n\u25cf Local EMS. \n\u25cf Insurance (See insurance card for the appropriate # for your \ndestination.) \n\u25cf Head of school or designee cell #_______________________and \ndirector of Global Education (315-601-0292) for emergencies. \nSee Emergency Communication and Protocols packet. \n\u25cf Parents/guardians must be informed and given updates \nthroughout the medical emergency. (Your Head of School \nand DGE will help coordinate communication with \nparents/family.) \nU.S. State Department, the Center for Disease Control and other \nreputable sources, please complete the information below:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 127, + "content": "Address and contact information for the nearest U.S. Embassy(s) \nwhile abroad: \n \n \nAddress and contact information for the nearest embassy(s) for \nnon-U.S. citizen travelers while abroad: \n \n \nName and address of the nearest medical hospital or facility/s:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 128, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 56 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nDirections: \nBPS Staff: \n\u25cf Use one form per trip. \n\u25cf Complete the School Portion of form. \n\u25cf Duplicate one form per student. \n\u25cf Send a copy home for parent and student signatures. \n\u25cf During the field trip, the signed, original form must be \ncarried by the program leader and copies by the other \nchaperones. A photocopy must be left on file in the school \noffice. \nStudent First & Last Name: _______________________________________ \nSchool: ___________________________________________________________ \nDestination (s): ___________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 129, + "content": "__________________________________________________________________ \nPurpose of Trip: __________________________________________________ \nList of Activities: Parents must be informed of all activities." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 130, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 57 of 104 \nSupervision: (Check One.) \n\uf06f Students will be directly supervised by adult chaperones on \nthis trip at all times. \n\uf06f Students will be directly supervised by adult chaperones on \nthis trip with the following exceptions: \nMode of Transportation: (Check all that apply.) \n\uf06f walking \uf06f school bus \uf06f MBTA \uf06f Other _________________ \nStudents will leave from (where)_________________________at \n(time) ____________________. \nStudents will return to (where) ____________________________at \nabout (time) _______________. \n \nProgram Leader & Chaperone(s) in Charge: ______________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 131, + "content": "__________________________________________________________________ \nChaperone/Student Ratio: ________________ (maximum ratio 7:1)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 132, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 58 of 104 \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I will be a \nrepresentative of BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abiding by \nschool-based rules and the Boston Public Schools\u2019 Code of \nConduct. \n_____________________________________________ ____________________ \n Student Signature Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 133, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 59 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nAssumption of Risk, Waiver, Release, and Indemnity Hold \nHarmless Agreement \n \nProgram leaders: Access the required Assumption of Risk, \nWaiver, Release, and Indemnity Hold Harmless Agreement \ntemplate. Please make a copy of this template document before \nyou edit the text in RED, and then share it with the director of \nGlobal Education. This document is to be reviewed by the \ndirector of Global Education & BPS Legal BEFORE sharing with \nparents/guardians for signature** \nThis document is a requirement, and a binding legal document." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 134, + "content": "Should you have any questions, please contact the Department \nof Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 135, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 60 of 104 \n \nMEDICAL INFORMATION FORM \nIMPORTANT NOTES: \nStudents may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly and \naccurately so we may be in the best position possible to support \nyou/your child. \nPlease indicate with an X ______ HERE if you would like to \nschedule a meeting with the program leader of the trip to discuss \nyour child\u2019s medical or mental health. \nAll students must visit their primary care doctor prior to traveling \non a BPS trip and be current on all immunizations and \nvaccinations for the U.S. in addition to the recommended" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 136, + "content": "immunizations and vaccinations for the country(s) to be visited." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 137, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 61 of 104 \nSTUDENT INFORMATION \nStudent\u2019s Full Name \nDate of Birth \nCountry of Origin \nParent/ Guardian \nName(s) \n \nParent/Guardian \nAddress \n \nParent/Guardian \nContact \nCell: \nHome: \nWork:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 138, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 62 of 104 \nEmergency Contact # 1 Emergency Contact # 2 \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nSTUDENT HEALTH QUESTIONS \nPrimary care physician\u2019s name and contact information (in case \nof an emergency): \n \n \nHealth insurance provider\u2019s name, policy #, and contact \ninformation (in case of emergency): \n \n \nInsurance provider claim instructions/procedures (in case of \nemergency):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 139, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 63 of 104 \nStudent has the following health conditions and/or allergies of \nwhich BPS should be aware: \n \n \nPhysical health conditions: \n \n \nBehavioral/mental health conditions: (e.g., depression, anxiety, \netc.) \n \n \nAllergies (food, medication, insects, plants, animals, etc.): \n \n \nStudent takes the following medications (including over-the-\ncounter/ herbal) and/or prescriptions of which BPS should be \naware. (Be sure to complete the Medical Administration Form): \n \n \nIf medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken and the \ntime at which it may be given again." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 140, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 64 of 104 \n \n \nIs there any factor that makes it advisable for your child to follow \na limited program of physical activity? (i.e., asthma, recent \nsurgery, heart condition, fear, etc.) If yes, specify the ways in \nwhich you wish their program limited. If the student has asthma, \nplease attach the asthma action plan to this medical form. \n \n \nAre there any activities on the itinerary that your child cannot or \nshould not do? \n \n \nOther than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 141, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 65 of 104 \nOther than a yearly physical, has the student been under a \nphysician\u2019s or other medical professional\u2019s (e.g., social worker, \ntherapist, etc.) care anytime in the last year. If yes, please detail \nthe reason and dates of treatment. \n \n \nPlease list any hospital, treatment center, surgical, psychiatric, or \nurgent care visits within the last year: (Please specify the date, \nthe reason, the physician or professional seen, and the length of \nstay.) \n \n \nAdditional information of which BPS should be aware concerning \nstudent\u2019s health:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 142, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 66 of 104 \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate services \nand understand that chaperones will consult with the school \nnurse about each student's health so they will be in the strongest \nposition to support you/your child on this program. \n \n________________________________________________ _________________ \n Student Signature, if at least 18 years of age Date \n \n________________________________________________ _________________ \n Parent/Guardian Signature, if student is Date \n under 18 years of age" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 143, + "content": "under 18 years of age \n \n\u25aa If necessary, attach a doctor's letter to this form. \n\u25aa If necessary, attach the asthma action plan to this form. \n\u25aa If necessary, attach copies that document student\u2019s shots \nand immunizations to this form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 144, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 67 of 104 \n \nMEDICAL FORM \u2014 OVERNIGHT TRIPS \nMedication Administration \nPlease send only essential medications with your student on this \ntrip and include over-the counter/herbal medications on this list. \nStudent Name: ___________________________________________________ \nName of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 145, + "content": "Name of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \nName of Medication: _____________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 146, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 68 of 104 \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \n _____________________________________________________________ \nAdditional information/special Instructions: \n \nI authorize my child to take the above medications on this trip. \n \n________________________________________________ _________________ \n Student Signature, if at least 18 years of age Date \n \n________________________________________________ _________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 147, + "content": "Parent/Guardian Signature, if student is Date \n under 18 years of age" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 148, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 69 of 104 \n \nNOTARIZED PARENT/GUARDIAN AIRLINE TRAVEL \nCONSENT FORM \nThe parties to this agreement are: \nParent/ Legal Guardian: \nFull Name and Surname: (hereinafter referred to as \u201cthe \nParent/ Guardian\u201d) __________________________________________ \nPhysical Address: ___________________________________________ \nContact Details: _____________________________________________ \n _____________________________________________________________ \nChild: (hereinafter referred to as \u201cthe Child\u201d) \nFull Name and Surname: ____________________________________ \n \nBirth Date: __________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 149, + "content": "Traveling Guardian(s) and Contact Details: (hereinafter referred \nto as \u201cThe Traveling Guardians\u201d) \nFull Name and Address: _____________________________________ \n _____________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 150, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 70 of 104 \nI hereby authorize the Child to travel with the Traveling \nGuardians to the following destination: \nThe period of travel shall be from ____________ to ______________. \nShould it prove to be impossible to notify the Parent/ Guardian of \nany change in travel plans due to an emergency or unforeseen \ncircumstances arising, I authorize the Traveling Guardian to \nauthorize such travel plans. \nShould the Traveling Guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it advisable \nto make special travel arrangements for the Child to be returned \nhome due to unforeseen circumstances arising, I accept full" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 151, + "content": "responsibility for the additional costs which shall be incurred \nthereby. \nI indemnify the Traveling Guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims arise \nfrom negligence, gross negligence, or willful intent during the \nspecified period of this Travel Consent. \nI declare that I am the legal custodian of the Child and that I have \nlegal authority to grant travel consent to the Traveling Guardian \nof the Child. \nUnless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 152, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 71 of 104 \nSigned at ____________________________________ on the _______day \nof __________, 20____. \n \nSignature _____________________________________ (Parent/ Guardian) \n \nSignature _____________________________________________ (Witness 1) \n \nSignature ____________________________________________ (Witness 2) \nWitness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this _________ day of ___________________, 20___, before me, the \nundersigned authority, personally appeared and proved to me \nthrough satisfactory evidence of identity, to wit, to be the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 153, + "content": "person(s) whose name(s) is/are signed on the attached document \nand who signed in my presence. \nOfficial Notary Signature: _________________________________________ \n \nName of Notary Typed, Printed or Stamped: \n \n \nCommission Expires: _____________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 154, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 72 of 104 \n \nSTUDENT SUPPORT INTERNATIONAL PROGRAMS FORM \nNote: This form is to be completed by students who intend to \nparticipate in an international program. The information is \nconfidential, and will be used by Program Leaders to better \nunderstand, and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: _______________________________________ \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \nWhat are you nervous about? ____________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 155, + "content": "__________________________________________________________________ \nWhat are you excited about? _____________________________________ \n __________________________________________________________________ \nWhat scares you about the trip location or activities on the \nitinerary? _________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 156, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 73 of 104 \nWhen in a new environment, I get anxious when\u2026________________ \n __________________________________________________________________ \nWhen in a new environment, I get upset when\u2026.. _________________ \n __________________________________________________________________ \nIn order to get the most learning and benefits from this \nexperience, I will need ____________________________________________ \n \nGiven the laws, customs, and culture of the country that we are \nvisiting, what concerns do you have? ____________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 157, + "content": "__________________________________________________________________ \n \nWould you prefer to speak in person with a member of the \nchaperone team to discuss this form, or share additional \ninformation? \uf06f Yes \uf06f No" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 158, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 74 of 104 \n \n \nINTERNATIONAL PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \nA. Complete all fields \nSchool/s: ____________________________________________________ \nDate of Report: _____________________________________________ \nCountry: ____________________________________________________ \nIncident Date and Time: ____________________________________ \nReporting Chaperone: _______________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 159, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 75 of 104 \nB. Complete all Applicable Fields \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress \n \n \nC. Nature of Incident (check all that apply) \n\u2610Injury \n\u2610Equipment Failure \n\u2610Behavioral/ \nPsychological \n\u2610Illness \n\u2610Missing/Separated \nPerson \n\u2610Natural Disaster \n\u2610Physical Assault \n\u2610Sexual Assault \n\u2610Theft \n\u2610Property Damage \n\u2610Sexual \nHarassment \n\u2610Fatality \n\u2610Crime \n\u2610Political Upheaval \n\u2610Disease Outbreak \n\u2610Other: _________ \n\u2610BPS Code of \nConduct violation \nInternational Programs Incident Report, continued" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 160, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 76 of 104 \nD. Narrative (Using facts, describe what happened): \n \n \n \nE. Activity at Time of Incident (check all that apply) \n\u2610Class time \u2610Service \u2610Homestay \n\u2610Traveling \u2610Fieldtrip \u2610Camping \n\u2610Hike/Jog/Walk \u2610Swimming \u2610Water Activity \n\u2610Other _____________ \nF. Contributing Factors (Check all that apply) \n\u2610Not disclosed in Medical Form \u2610Animal/Insect/Plant \n\u2610Pre-Existing Condition \u2610Alcohol/Drugs/Medication \n\u2610Weather/Terrain \u2610Motor Vehicle \n\u2610Political/Cultural/Language \u2610Pre-Course Info \n\u2610Sports/Recreation \u2610Orientation/Training \n\u2610Other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 161, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 77 of 104 \nG. Action Taken Details \nFirst Aid \nWhen \nBy Whom \nType (ie. \nMedication, CPR, \netc.) \n \nEmergency \nEvacuation \n \n \nVisit Medical \nFacility \nName of Facility \nDoctor/PA/Nurse \nReported \nDiagnosis \nMedication \nPrescribed \n \n \nEmergency \nContact Person \nNotified? \n\u2610Yes \u2610 No Name: \nDate and Time Contacted: \nNotes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 162, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 78 of 104 \nDepartment of \nGlobal Education \n(DGE) Contacted? \n\u2610Yes \u2610 No Name: \nDate and Time DGE Contacted: \nNotes: \n \n \nInsurance \nContacted? \n\u2610Yes \u2610 No Name: \nDate and Time Contacted: \nClaim #: \nNotes: \n \nLocal Authorities \nNotified? \n\u2610Yes \u2610No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes: \n \nFollow up Plan Details: \n \n_______________________________________________ __________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 163, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 79 of 104 \n Signature of Reporting Chaperone Date \nFile this International Incident Programs Report along with any \naccompanying reports/documents from local law enforcement, \nmedical professionals and/or International Programs Witness \nReport via email if possible OR as soon as circumstances permit. \nTurn in the original report to the DGE as soon as you return to \nBoston. Incident reports require at least one witness signature, \nand where possible the signatures of all impacted participants. \n \n_______________________________________________ __________________ \n Signature of Witness Date \n Signatures of those impacted:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 164, + "content": "Signatures of those impacted: \n_______________________________________________ __________________ \n Date \n \n_______________________________________________ __________________ \n Date \n \n_______________________________________________ __________________ \n Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 165, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 80 of 104 \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health-\nrelated incidents requiring further monitoring and/or evacuation. \nSOAP Notes should be attached to the corresponding Incident \nReport. \nSubjective: What the patient tells you. Note the chief \ncomplaint(s): \n \n \n \n \nObjective: What you see; vital signs; general survey of patient:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 166, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 81 of 104 \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \nAnticipated Problems: \n \n \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n_______________________________________________ __________________ \n Signature of Reporting Chaperone Date \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 167, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 82 of 104 \n \nINTERNATIONAL PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \nWitness Statement of: ____________________________________________ \nPhone Number: __________________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDescription of Incident: \n \n \n \n \n \nI believe the contents in this statement are true. \n \n_______________________________________________ __________________ \n Witness Signature Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 168, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 83 of 104 \n \nINTERNATIONAL PROGRAMS INCIDENT INVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \nEvent Time Location Parties Involved Source of \nInformation" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 169, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 84 of 104 \nEvent Time Location Parties Involved Source of \nInformation \n \n \n \n \n \n \n \n \n \n \n \n_______________________________________________ __________________ \n Signature of Investigator Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 170, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 85 of 104 \n \nFIRE PREVENTION AND SAFETY PRACTICES \nInternational & Overnight Programs \nFire safety plans on overnight and international programs differ \nfrom the procedures set for our schools. The laws that regulate \nfire prevention may differ from what exists in Massachusetts. The \nsteps below must be followed on all overnight and international \nprograms: \n1. Conduct A Fire Prevention Assessment \nThe program leader must conduct a fire safety prevention \nassessment using the Fire Prevention and Safety Form \n(Attachment A) within 24 hours of arrival. Using the Fire \nPrevention and Safety Form, the program leader shall formulate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 171, + "content": "a plan for the evacuation of all persons on the trip in the event of \na fire or other emergency. This plan shall include alternate means \nof egress and should be created in consultation with an \naccommodation staff person, and if applicable, the third-party \nprovider. \n \n2. Prepare Chaperone Team on Fire Prevention Strategy \nBased on the results from the Fire Prevention and Safety Form, \nthe program leader should ensure that each staff member \nreceives and understands the fire prevention landscape and has" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 172, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 86 of 104 \ninstructions on the fire drill procedure created for the \naccommodation. Questions to review include: \nA. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in \nand all places where the group may congregate. Use \nthe hotel\u2019s posted evacuation routes if applicable.) \nB. Where is the designated meeting point? (This meeting \npoint should be a safe distance from the building, but \neasy for the group to identify and locate.) \nC. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 173, + "content": "chaperone should not be assigned to a group and \nshould serve as contact person for emergency \npersonnel.) \nD. What are some hazards that students and chaperones \nshould be aware of? \nE. What happens in the case of a missing person? \n3. Review Prevention Strategy with Students and Conduct a \nFire Drill \nThe lead chaperone and the chaperone team will review the fire \nprevention strategy and conduct a fire drill (walkthrough) with \nthe students within the first 24 hours of the trip. Conducting a \nfire drill (walkthrough) is important as participants are unfamiliar \nwith the building." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 174, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 87 of 104 \nInstructions For Fire Drills \nSince each accommodation is different, each plan and drill will \nvary. Regardless of the accommodation, it is critical that a \nprocedure is in place for evacuating the building, each chaperone \nknows their responsibilities, every student participates in the fire \ndrill (walkthrough), and each person knows the meeting location \nwhen evacuated from the building. Please note: A fire drill as \ndefined here is a walkthrough of the route the group will take to \nexit the premises in the event of an emergency. \nA few general instructions: \n\u2022 Evacuate immediately. \n\u2022 Do not use elevators during a fire evacuation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 175, + "content": "\u2022 Do not use elevators during a fire evacuation. \n\u2022 Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n\u2022 Make sure all students know all possible exits from their \narea and that students know where the meeting location is \noutside of the building. \n\u2022 Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities. \n(Have a staging location for students/staff with disabilities \nand make sure hotel/hostel personnel are also aware.) \n\u2022 Chaperones are responsible for students under their \nsupervision and must take attendance." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 176, + "content": "supervision and must take attendance. \n\u2022 Upon the evacuation of a building, no person or persons \nshall re-enter the building without the authorization of the \nlead chaperone. The lead chaperone, as a part of their fire" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 177, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 88 of 104 \ndrill procedures, must establish a command procedure for \nsuch evacuations. \n4. Conduct a Post-Fire Drill Debrief \nAfter the fire drill, the chaperone team should set aside time to \ndebrief. Record response on Attachment A." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 178, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 89 of 104 \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nDirections: For each accommodation, please complete and upon \nyour return, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept on file \nfor the current fiscal year plus three additional years after the \nfield trip has occurred. \nBuilding: \nProgram Leader: ___________________________________________ \nDate of the Safety Prevention Assessment: _________________ \nName/s of Staff and Their Titles Consulted for Assessment \n(accommodation staff/ program provider staff): \n _____________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 179, + "content": "_____________________________________________________________ \nOutside the Building: \nList the possible hazards in the area: \n \nCan the accommodation be accessed by a fire department \nor emergency teams? \u25a2 YES \u25a2 NO" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 180, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 90 of 104 \nInside the Building: \nEquipment: \nDoes the building have fire alarms? \n \u25a2 YES \u25a2 NO \nAre there fire sprinklers? \u25a2 YES \u25a2 NO \nIf yes, where are they located? \n \nIs there adequate lighting in the corridors? \u25a2 YES \u25a2 NO \nAre there clear exit signs? \u25a2 YES \u25a2 NO \nAre there fire alarm pull stations? \u25a2 YES \u25a2 NO \nAre the fire alarm pull stations visible and \naccessible? \u25a2 YES \u25a2 NO \nAre there fire extinguishers? \u25a2 YES \u25a2 NO \nIf yes, where? \n \nAre there smoke detectors in the corridors and in every \nroom where participants are staying? \u25a2 YES \u25a2 NO" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 181, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 91 of 104 \nHazards: \nList the potential fire hazards at the site: \n \nAre there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, \nblocked stairways, burned out exit lights or missing/broken \nfire equipment? \u25a2 YES \u25a2 NO \nMeans of Evacuation/Egress \nDoes the facility have an evacuation plan for each room? (If \nnot, be sure that when you conduct a fire drill (walkthrough) \nthat you develop a plan for leaving the room.) \u25a2 YES \u25a2 NO \nWhat are the means of egress? \n \nAre there primary exits and alternate exits? \u25a2 YES \u25a2 NO \nNote locations:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 182, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 92 of 104 \nFire Drill/Walkthrough Plan: (Please record notes below.) \n \n \nPost-Drill Debrief: \nDate and Time of the Fire Drill: ___________________________________ \n \nDid the students and chaperones follow the procedures of the \nfire drill? \u25a2 YES \u25a2 NO \nIf no, why not? \n \n \nBased on this debrief, either inform the students of your findings \nfor adjustments, or if necessary, conduct another fire drill. Once \nthe safety review and drill are completed, please sign below. \n \n________________________________________________ _________________ \n Signature of Program Leader Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 183, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 93 of 104 \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT FORM \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. Students: your signature on this contract \nseals your commitment to follow behavior expectations leading" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 184, + "content": "up to, and during your school trip. \n __________________________________________________________________ \nBEFORE I GO ON THE TRIP: (STUDENTS) \n\u25cf I understand that my acceptance to a trip prior to \ndeparture does not guarantee that I will be allowed to \nattend. \n\u25cf I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n\u25cf I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n\u25cf I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n\u25cf I will not violate the BPS Code of Conduct." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 185, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 94 of 104 \n\u25cf I will not distribute or consume alcohol or drugs (including \nedibles), and/or encourage actions that are against the BPS \nCode of Conduct or law. \n\u25cf I will not pack any illegal or inappropriate items (i.e., items \nin violation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n\u25cf I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as \ncompleted projects, journals, and service hours. \n\u25cf I know that if I do not act appropriately, or if I violate any" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 186, + "content": "rule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWHILE I AM ON THE TRIP: (STUDENTS) \n\u25cf I will not violate the BPS Code of Conduct \n\u25cf I will ask for help from the adults when needed. \n\u25cf I will treat my peers, all adults and all people with the \nutmost level of respect. \n\u25cf I will not purchase, distribute, or consume any illegal or \ninappropriate items; (i.e., items in violation of BPS Code of \nConduct, including, but not limited to: weapons, pepper \nspray, alcohol, edibles, drug paraphernalia) even if these" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 187, + "content": "substances are legal in the state or foreign country, or I am \nof legal age in the foreign country." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 188, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 95 of 104 \n\u25cf I will use social media responsibly during the trip, and will \nnot post or communicate any information regarding other \nstudents during an emergency situation. \n\u25cf I will abide by the established curfew, and sleep in my \nassigned bed, alone, and sleeping location each night. \n\u25cf I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n\u25cf I will obey the BPS dress code, as well as the suggested \nattire for the foreign country, and specific sites and \nlocations within the foreign country I will visit. \n\u25cf I will not share any medication with anyone on the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 189, + "content": "\u25cf I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (i.e., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and \nconsideration for others and their property. \n\u25cf I understand that I am responsible for keeping my passport, \nimportant belongings and other travel documents safe. \n\u25cf I understand that partaking in any illegal activity abroad \ncan result in my arrest. \n\u25cf I understand that if an issue of any kind arises, my" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 190, + "content": "chaperone will address the issue, and their decision is final. \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 191, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 96 of 104 \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n\u25cf The BPS Code of Conduct applies on all field trips. Following \nan investigation, if the program leader, in consult with the \nprincipal/head of school and central office staff, determines \nthat a student\u2019s conduct, while on an overnight trip, poses a \nrisk to themselves or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 192, + "content": "the right to request and arrange for that student to return \nhome. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n\u25cf If a student is to be dismissed from an \ninternational/overnight field trip due to behavior that \nviolates the BPS Code of Conduct while participating in a \ndomestic overnight or international trip, the student\u2019s \nparent/guardian must be notified in advance and should" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 193, + "content": "agree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 194, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 97 of 104 \nthe airport, or other agreed upon destination. Students \nunder the age of 16 must be accompanied on their flight by \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n\u25cf Parents or students who sign contracts, and or agreements \nwith third party company vendors, acknowledge that \noutside companies protocols and procedures might differ" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 195, + "content": "from BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS \nis not responsible for money paid to third party vendors. \n\u25cf BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances all families will be \nnotified immediately. \n \n(Families keep this page) \n \n \n \n \n(Program leaders keep this page.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 196, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 98 of 104 \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & Family \nAgreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \n \nPARENT/GUARDIAN (Print Name) ________________________________ \nPARENT/GUARDIAN (Signature) __________________________________ \nDATE: ____________________________ \nPHONE NUMBER: ________________________________ \nSTUDENT (Print Name) ___________________________________________ \nSTUDENT (Signature) _____________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 197, + "content": "DATE: ____________________________ \nPHONE NUMBER: ________________________________ \n \n \n(STUDENTS RETURN THIS PAGE TO YOUR PROGRAM LEADER)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 198, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 99 of 104 \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS Sponsored \nfield trips and submitted to the program leader (lead chaperone). \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: __________________ Return Date __________________ \n \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 199, + "content": "is extremely important during this field trip, and I agree to make \nsafety my first priority. I agree to conduct myself in a manner that \npromotes my safety, and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews, and room checks for students, as well as \nmorning wake up calls for students are part of my responsibility. I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 200, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 100 of 104 \nagree to follow BPS policies, protocols, and guidance of BPS staff \nwhen in the field. \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication, and selling of \nprescription drugs. The Code also prohibits the use of tobacco" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 201, + "content": "products (including e-cigarettes, hookah paraphernalia, and \nvapor cigarettes). I understand that these prohibitions apply to all \nstudents, regardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Name (Signature): ___________________________________ \nDate: _____________________________ \n \nCAO-25: INTERNATIONAL TRIP REQUEST" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 202, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 101 of 104 \nAttachment: Nurse Verification Form \nOVERVIEW & INSTRUCTIONS \nThis is a mandatory risk management procedure. Please \ncomplete this form at least 10 weeks prior to departure. \nIt is BPS\u2019 goal that you are in the strongest position to support \neach student\u2019s health while abroad. Program leaders must review \nall students\u2019 medical forms and consult with the school nurse to \nensure all documents are accurately completed. \nPlease note: the school nurse does not \u201cclear\u201d students for travel \nbut will provide trip leaders/chaperones with guidance in \nsupporting students medically while traveling. Program leaders" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 203, + "content": "shall consult with, and when necessary, receive training from and \nobtain written comments from the school nurse regarding any \nstudents who have expressed medical needs (e.g., medication, \nasthma, allergies, etc.). \nIt is important for program leaders and chaperones to know that \nmany students and families omit medical information from \npermission slips for a variety of reasons, and in some cases \nProgram leaders discover medical conditions that the nurse was \nnot aware of. Therefore, it becomes a collective duty to ensure \nthat we have the most up to date medical information for all \nstudent travelers. Program leaders should actively discuss the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 204, + "content": "importance of honesty and full medical disclosure with students \nand families at one of the pre-departure meetings. \nSchool nurses can assist with the following (list is not limited to \nwhat is below):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 205, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 102 of 104 \n\u25cf A student's current medical status/current immunization \nrecord \n\u25cf Background information regarding a particular medical \ncondition \n\u25cf Specific medication instructions and training for \nmedication application if necessary \n\u25cf Epi Pen instructions \n\u25cf Can help determine appropriate trip accommodations and \nconsiderations for the student traveler \n\u25cf Can further consult with outside medical professionals who \nare involved with the student\u2019s medical needs. i.e. social \nworkers, occupational therapist and the child\u2019s primary care \nphysician. \nProgram leaders must provide the nurse with the following" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 206, + "content": "information and a student traveler roster: Trip destination, dates, \nand draft itinerary. The Nurse Verification Form to follow must \nbe submitted 10 weeks prior to departure. It may be mailed or \nscanned to DGE. For additional questions please contact Kayla \nDorsey-Twumasi, Director of Global Educcation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 207, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 103 of 104 \nCAO-25: INTERNATIONAL TRIP REQUEST \nATTACHMENT: NURSE VERIFICATION FORM \nSchool/trip Name: _______________________________________________ \nTrip Destination: _________________________________________________ \nDates of Travel: __________________________________________________ \nTrip Leader Name: ______________________________________________ \nSchool Nurse Name: _____________________________________________ \nSchool Nurse Phone Number: ____________________________________ \nSchool Nurse Email: ____________________ @Bostonpublicshools.org \nPROGRAM LEADER: \nPlease sign this form to verify that you have consulted with your" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 208, + "content": "school nurse regarding your student traveler roster, retain a copy \nfor your file, and submit the original to the department of global \neducation. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed. \nAdditionally, your signature indicates that you have read and \nunderstand the nurse verification protocol. \n________________________________________________ _________________ \n Signature of Trip Leader Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 209, + "content": "Superintendent\u2019s Circular CAO-25 \nPage 104 of 104 \nSCHOOL NURSE \nYour signature indicates that the above trip leader has shared the \nproposed international trip, student traveler roster, and medical \nforms with you. If they have completed this mandatory step, \nplease sign below to verify that. \n \n________________________________________________ _________________ \n Signature of School Nurse Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-08 \nVersion 01 \n \n \n \nGRADING REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe spirit of this policy is to move away from the practice of \ngrading non-academic behavior and to the timely provision of \nmeaningful feedback to every family on every student\u2019s \nacademic progress. This policy is a critical part of propelling all \nstudents toward the Strategic Plan and School Committee goals \ncentered on college, career, and life readiness. As well, it will \nensure that grading practices are accurate, bias-resistant, \nmotivational, and coherent in the district, which will in turn" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 2, + "content": "ensure the ability of our stakeholders to trust the district\u2019s \ncommitment to equity. This policy will provide accurate, \ndignifying feedback to every student about where they are \nacademically and what they need to be successful. As a vehicle \nfor closing opportunity and achievement gaps, the grading policy \nwill provide clear and comprehensive guidance that aligns to our \nteaching practices, family engagement, and student experience, \ngrounded in equity and research. With the School Committee's \napproval of this policy, the Academics and Schools divisions will \nwork in collaboration with our stakeholders this spring to finalize" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 3, + "content": "and enact an implementation plan that focuses on the adaptive \nwork ahead. \nThe Boston Public Schools will at all times maintain \nSuperintendent\u2019s Circulars that: (1) outline procedures for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular CAO-08 \nPage 2 of 6 \n \n \nmaintenance of grades to ensure that they are accurate, timely, \nand aligned to DESE standards; (2) outline a common report card \nstructure and timeline for schools by grade span and program; \nand (3) outline allowable flexibilities. \nSeparately, as a companion to this policy, the district will develop \nand maintain detailed implementation processes in the form of \nSuperintendent\u2019s Circulars ensuring: \n1. Implementation of MassCore graduation requirements and \nwaivers \n2. Common GPA calculation and transcription processes \n3. A common process for promotion to the next grade level" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 5, + "content": "4. A common process for retention at the current grade level \n5. A common and public course catalog that details for \nstudents and families course of study options for all \nsecondary schools as well as course descriptions, credit, and \ngovernance \n6. An updated process and calendar for course creation. \nADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON \nPUBLIC SCHOOLS \nThe School Committee of the Boston Public Schools is \nresponsible for creating policies and practices that support the \npreparation of every student to be college, career, and life-ready \nand remove barriers that interfere with students graduating from \nBPS ready to succeed in the next stage of their lives. If we" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 6, + "content": "support BPS educators to effectively use culturally responsive \npractices, provide high levels of support, and adopt coherent \ngrading practices that are mathematically accurate, bias-\nresistant, and motivational for students, then we will see" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular CAO-08 \nPage 3 of 6 \n \n \nincreased student engagement, and grades that reflect student \nlearning. \nBPS will adopt the following policy for all students in the district. \nSpecifically, the following practices will be required of all \neducators in the district. \nPROPOSED: \nGrading Practice Why is it more equitable? \nAccuracy and timeliness Educators will ensure that term grades follow \nthe practices laid out in the BPS Grading Policy \nand are posted in Aspen by the closing date \naccording to the district grading calendar. \n\u201cNo Credit\u201d grades will \nno longer be given. \nAs an alternative, schools may mark a student \nwith an \u201cincomplete\u201d to enable equitable" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 8, + "content": "with an \u201cincomplete\u201d to enable equitable \nlearning recovery. \nIn all cases, a student not earning a passing \ngrade must be given the opportunity and \nresponsibility to equitably recover any learning \nloss or make up for the work missed within one \nmarking period. \nNo penalties will be \ngiven for late work. \nDeadlines will be given for work, and we expect \nstudents to meet these expectations. Deadlines \nwill be explained to students. When a student \nturns in the assignment, it will be graded, and \nthe grade in ASPEN/SMS will reflect student \nmastery (not the tardiness of the work)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular CAO-08 \nPage 4 of 6 \n \n \nGrading Practice Why is it more equitable? \nA minimum grading (50 \nfor an assignment on a \n0-100 scale) will be used. \n \nTeachers will determine minimum grades for \nassignments where the lowest possible grade is \nbalanced with the value of the highest grade. \nBest practices would include the \nimplementation of a consistent numerical \ngrading scale (0-4, 1-7, etc.) that aligns to GPA \nscale. \nDemonstration of \ncompetency in \nsummative tasks must \nmake up at least 80% of \nterm grades. \nGrades for assignments should be \nrepresentative of what students have \ndemonstrated in terms of their learning, and \nnot non-academic behaviors." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 10, + "content": "not non-academic behaviors. \nStudents will receive \nconsistent feedback on \nassignments before \nstudents are formally \nassessed. \nTeachers are intentional about taking time to \ngive students clear and actionable feedback. \nStudents understand what the criteria for \nsuccess are for any given assignment and have \nclear actions steps for getting there. We \nunderstand the importance of coherence in the \nways we provide feedback and are committed \nto making this an instructional focus for the \nupcoming school year to better support our \nstaff." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular CAO-08 \nPage 5 of 6 \n \n \nGrading Practice Why is it more equitable? \nMiddle/High School: A \nconsistent, agreed-upon \nnumber of assignments \nper grade; and \nconsistent intervals for \ngrading updates in \nAspen/SMS. \nTeachers are expected to post at least one \nvisible grade on ASPEN/SMS every week for \nmiddle and high school students. \nElementary School: A \nconsistent approach \nacross all content areas \n(including speciality \nclasses) for providing \nstudents and families \nformative feedback \nroutinely. \nSchools serving elementary grades are required \nto have a consistent approach for providing \nstudents and families formative feedback" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 12, + "content": "students and families formative feedback \nweekly. Students are required to receive term \ngrades for Language Arts, Math, History/Social \nStudies, Science, and any specialty classes \noffered. \nAll grade levels Students may only receive a composite grade \nfor \u201cHumanities\u201d or \u201cSTEM\u201d or equivalent if the \ncourse is offered at the equivalent of a double \nblock. As well, students must receive formative \nand summative feedback on both grade level \nlanguage arts and history/social studies or math \nand science concepts and meet all the \nrequirements above." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular CAO-08 \nPage 6 of 6 \n \n \nFor more information about this circular, contact: \nOwner: Elementary Superintendent \nDepartment: Academics and Professional Learning \nMailing Address: 2300 Washington St. Roxbury, MA 02119 \nPhone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-24 \nVersion 01 \n \n \nOVERNIGHT FIELD TRIP GUIDELINES \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by COVID-19 \nrestrictions and are subject to change based on public health, \ninternational security, or other emergent issues that could impact travel. \nFor the most up-to-date information and guidance, contact \nOPL@bostonpublicschools.org for assistance/guidance. \n \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 2, + "content": "Committee on November 20, 2019. \nThis circular should be read AFTER the Superintendent\u2019s Circular \nNo. CAO-22, General Guidelines and Procedures for All Field Trips \nas additional guidelines are outlined there. \nThe principal/head of school and/or the district department \nsponsoring the trip are responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular are adhered \nto. \nTogether, the principal/head of school and/or the district \ndepartment lead sponsoring the trip and the program leader" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 2 of 80 \n \nmust review and complete checklists for this circular. Signed \nchecklists must be kept on file at the school/district department. \nOVERNIGHT FIELD TRIP: Any domestic trip off school grounds that \ninvolves students\u2019 participation overnight. \n\u25cf Overnight Field Trip forms are submitted to the \nprincipal/head of school AT LEAST 12 weeks in advance and \napproved by the principal/head of school. \n\u25cf All forms, including the signed CAO-24 checklist form, are \nfiled at the school. \n\u25cf Overnight Field Trip Request form, the list of student names, \nemergency contact name and number, grade, D.O.B, the list" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 4, + "content": "of chaperone names and their role in the school community, \nthe itinerary, and if applicable, train and flight information \nare sent to the district to notify the district of trip plans AT \nLEAST 4 weeks in advance. Scan and email the Overnight \nField Trip Request form and information to the appropriate \nprincipal/ leader as well as to the Department of Global \nEducation. Please follow up to ensure documentation has \nbeen received. \n \nOVERNIGHT FIELD TRIP CHECKLIST \n\uf06f Review Superintendent\u2019s Circular No. CAO-22, General \nGuidelines and Procedures for All Field Trips. \n\uf06f All field trip IDEAS must be preliminarily approved in writing \nby the principal/head of school or District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 5, + "content": "sponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 3 of 80 \n \nand their parents/guardians and prior to any fundraising or \nother detailed preparations. Consult with the principal/head \nof school on potential chaperones and student recruitment. \n\uf06f Review Superintendent\u2019s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Global Education should be used as a \nresource for questions regarding risk management on \novernight field trips. \n\uf06f Select a site and investigate the appropriateness of the site \nin relation to the category of field trip. \n\uf06f Select a date and an alternate date. Note: Check with the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 7, + "content": "principal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \n \nPLANNING PROCESS \nFor thorough planning and to maximize affordability and \nfundraising efforts, it is recommended that overnight trips are \nplanned at least six months in advance. \n \nROLE OF THE PROGRAM LEADER (LEAD CHAPERONE) \nProgram Leader Description: The program leader is a BPS \nemployee and the lead chaperone organizing and leading the \ntrip. All program leaders (lead chaperones and the BPS employee \norganizing and leading the trip) and chaperones must be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 8, + "content": "approved by the principal/head of school or district department \nsponsoring the trip. The program leader is responsible for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 4 of 80 \n \nensuring all guidelines in CAO-22 and CAO-24 are followed and \nkeeping the principal/head of school and the district informed of \ntrip developments. The program leader is responsible for \ncompleting the Overnight Field Trip Request form and \naccompanying documents that are submitted to the \nprincipal/head of school for approval. The program leader is also \nresponsible for organizing the chaperone team, student team, \nand pre-departure meetings. \n\uf06f School Nurse and Guidance Counselor Consultation: Before \napproval of a field trip, the program leader must consult \nwith the school leader to determine if, and what type of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 10, + "content": "medical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nconsult with and, when necessary, receive training from the \nschool nurse regarding any students who have medical \nneeds at least six weeks before departure (much longer for \ninternational and overnight field trip programs). Also consult \nwith the school counselor regarding mental and behavioral \nhealth needs. If any student has a serious medical or mental" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 11, + "content": "health condition, be sure that their doctor is aware of the \nessential participation criteria and location of the trip and \nwrites a letter indicating that the child may safely attend \nand participate in trip activities. Keep this document on file \nwith other key permissions slips and medical forms. \n\uf06f Overnight Field Trip Form: Complete and submit an \nOvernight Field Trip Request form and accompanying \ndocuments to obtain official consent from the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 5 of 80 \n \nprincipal/head of school to execute the trip. Once the \nprincipal/head of school has approved the trip, you must \nsend a copy of the request, itinerary, and supporting \ndocuments to the Department of Global Education. \n\uf06f Mindset: Planning, organization, and preparation are critical \nto a successful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security \nhave been addressed with due diligence. Program leaders \nmust be able to articulate in an informed manner what \ndecisions were made, why they were made, and the sources" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 13, + "content": "that informed that decision making. If you have questions \nabout the appropriateness of an activity, please consult with \nyour principal/head of school and the Department of Global \nEducation. \n\uf06f School File: Create a school file to house all important \ndocuments: Overnight Field Trip Request form and \nattachments, student roster, student permission slips, and \nmedical forms, and other signed documents including \nincident reports, incident log, and the fire safety plan. These \ndocuments must be kept on file for the current fiscal year \nplus three additional years after the trip has occurred. \n\uf06f Communication: Share the trip details listed below with all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 14, + "content": "teachers, nurses, and other staff members so that they may \nplan accordingly. \no Trip overview (purpose) \no Destination \no Date of trip \no Students\u2019 names" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 6 of 80 \n \no Chaperones\u2019 names and roles in school community \n\uf06f Documentation: Prepare and distribute the Parental \nAuthorization for Overnight Field Trip form, Medical \nInformation form, Student Traveler Behavior Contract, \nStudent Support for Overnight Programs, and the \nMedication Administration form to each participating \nstudent and chaperone. For preparedness and safety, you \nalso must have these medical forms from chaperones. If \napplicable, prepare and distribute the Notarized \nParent/Guardian Airline Travel Consent form. (Some airlines \nand travel companies require this; some do not. Research \nyour particular trip to see if this applies.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 16, + "content": "your particular trip to see if this applies.) \n\uf06f Meetings: Conduct AT LEAST TWO pre-departure student \nmeetings. Discuss the trip\u2019s educational purpose and goals, \nconduct expectations, itinerary, healthy travel, and all other \nlogistics of the program. (For lengthy overnight programs, \nsee CAO-25 for additional student meeting topics.) Conduct \nAT LEAST ONE parent/guardian meeting (with each family \nor all families together) to review the purpose of the trip, \nitinerary, review/sign permission forms, review logistics of \ntravel, and share medical and safety information. \nPlease note: Plan for families who may need translation \nservices at the meeting; students should not serve as their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 17, + "content": "parent/guardian\u2019s translator at this meeting. If a \nparent/guardian is unable to attend the meeting, a \nchaperone (a BPS employee) must be sure to speak to the \nparent/guardian via telephone or in-person about the trip \nprior to taking the student on an overnight trip. Document \nthis personal contact for your records." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 7 of 80 \n \nSAFETY PREPAREDNESS \n\uf06f Travel Advisories/Warnings: The head of school and \nsuperintendent reserve the right to cancel any field trip up \nto and including the day of departure to manage risk. \n\uf06f Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international and \ndomestic BPS-sponsored trips (domestic being 100 driven \nmiles away from home or place of study or employment) for \nBPS students, BPS staff participants, and chaperones. On \nCall will serve as the primary source for medical insurance. \nHowever, in some cases, if a hospital visit is required," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 19, + "content": "students may be required to pay out of pocket, and be \nreimbursed by On Call later. Families will want to budget for \nthis just-in-case expense. The On Call insurance policy does \nNOT include cancellation or trip interruption insurance \nshould the trip be canceled or interrupted for any reason \nother than medical. Cancellation/interruption must be due \nto the traveler getting sick, injured, or someone in the \ntraveler\u2019s immediate family being sick, injured, or death. \nStudents/families would need to show proof of a \nsickness/injury; and the sickness/injury must be so disabling \nas to cause them to cancel/interrupt their trip. If there is a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 20, + "content": "sickness/death for their family member, they would need to \nshow proof of that, too. Save all receipts for flights/lodging \nfor reimbursement purposes and a claim form would need \nto be filled out. Families will need to know in advance that \nTrip Cancellation has a $2,000 limit, and Trip Interruption \nhas a $2,500 limit. Again, the superintendent reserves the \nright to cancel a trip for any reason and at any time for \nsafety purposes; Cancel for Any Reason Insurance (CFAR) is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 8 of 80 \n \nNOT provided by the district. Therefore, all trip participants \nmust purchase their own (CFAR) insurance to protect their \ntrip investment. \n\uf06f Training: It is recommended that at least two chaperones \n(including the program leader) hold valid CPR AND first aid \ncertification. First Aid: Ensure the availability of a first aid kit. \nVerify emergency and medical information and contact \ndetails. \n\uf06f Chaperone Ratios: For overnight trips, the student-to- \nchaperone ratio is 7:1, with a two-chaperone minimum. It is \nrecommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 22, + "content": "participate at the last minute or must leave the field. Tour \nguides, or employees of third-party vendors contracted to \nhelp operate the trip, are not considered chaperones, and \ndo not factor into the student to chaperone ratio. \n\uf06f Transportation: School buses or BPS-approved \ntransportation vendors\u2019 vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride-sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be \nutilized to transport students to and from field trips or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 23, + "content": "athletic events, except in the case of a bona fide emergency. \nRefer to TRN-03 and CAO-22 for information and regulations \non field trip transportation. \n\uf06f Water Activities: If your trip involves any activities in or on \nthe water, you must contact the Department of Global \nEducation for approval at least 16 weeks in advance. There is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 9 of 80 \n \na separate and mandatory procedure for all trips involving \nwater. Please review CAO-27 and contact the Department of \nGlobal Education immediately. \n\uf06f Healthy Travelers: Be sure students have had a recent \n(current school year) doctor\u2019s visit and physical exam prior to \ndeparture. Students and staff should be current on all \nimmunizations and vaccinations, including those related to \nthe location they will be traveling to. Travelers should \nconsult with their primary care doctor and can also visit the \nCenter for Disease Control\u2019s website for information on \nstaying healthy while traveling at" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 25, + "content": "staying healthy while traveling at \nhttp://wwwnc.cdc.gov/travel/. If any student has a serious \nmedical condition, please be sure that their doctor writes a \nletter indicating that the child may safely attend and \nparticipate in trip activities. \n \nCHAPERONE CRITERIA \n\uf06f Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are \nrequired to be 21 years of age or older. Any parent on the trip \nmust operate in the role of chaperone. All chaperones must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 26, + "content": "be approved by the head of school/principal. Every effort \nshould be made for students to have access to the field trip \nexperience, for chaperones to be representative of the \nstudent group, and for chaperones to include males and \nfemales. The selection and approval of chaperones by the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 10 of 80 \n \nprincipal/head of school should be based on the individuals\u2019 \nthorough knowledge of and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role. \n\uf06f Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who are required to be 21 \nyears of age or older. All non-BPS employee chaperones \nmust submit a yearly CORI/SORI authorization form to the \nOffice of Human Capital. Complete the eCORI form online. \nContact the BPS Office of Human Capital (OHC) for CORI" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 28, + "content": "check and confirmation support. The principal/head of \nschool and the lead chaperone are responsible for \nsubmitting authorization forms to OHC and must not allow \nchaperones to take part in activities until they have been \nCORI/SORI cleared. Non-BPS employees who chaperone on \na field trip are not covered for liability by the Boston Public \nSchools. The program leader must be sure that all \nchaperones, including non-BPS chaperones, are familiar \nwith the BPS Code of Conduct and other district and school- \nbased rules. \n\uf06f BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 29, + "content": "participants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 11 of 80 \n \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\u25cf All chaperones must complete the Chaperone \nAgreement form. \n\u25cf Non-BPS employees who chaperone on a field trip are \nnot covered for liability by the Boston Public Schools. \n\u25cf Refer to CAO-22 for additional chaperone criteria. \n \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n\uf06f Essential Criteria: The program leader and principal/head of \nschool shall work together to establish essential \nparticipation criteria for the trip that informs students and \nparents of all activities and risks associated with each" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 31, + "content": "itinerary activity and trip location, to determine what \naccommodations or modifications may need to be made for \nthe student to successfully and safely participate in all or \nportions of the trip. \n\uf06f Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit \nfriends, relatives etc., and rejoin the group. Students must \nremain with the group at all times. Field trips must be \nadvertised to all students (within the whole school, \nparticular grade, class/subject, club, or program associated \nwith the trip), regardless of their financial situation. Schools" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 32, + "content": "shall make every reasonable effort to make instructional \nfield trips affordable for all students. A student\u2019s ability to \npay may not be a criterion for field trip participation. Trips \nmust be advertised to all students (within the school," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 12 of 80 \n \nparticular grade, class, or program associated with the trip), \nregardless of their financial situation. \n\uf06f Accommodations: Students with English Learner status, 504 \nplans, and/or IEPs cannot be denied access to field trips due \nto their status, or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. See \nSuperintendent\u2019s Circular SHS-8 for information about \nmedical dispensation on field trips. Participating students\u2019" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 34, + "content": "IEP or 504 plan shall be available to any staff coordinating \nand/or participating in the field trip. If any student has a \nserious medical, or mental health condition, please be sure \nthat their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip \nactivities. Keep this document on file with other key \npermissions slips and medical forms. \n\uf06f Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 35, + "content": "sites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQ community, students with disabilities, those who \nmay be in the minority during your field trip experience, and \nthose students who belong to groups that have experienced \nmarginalization in the location being visited. Program \nleaders must (1) work to prepare students for sensitive \nexperiences, and (2) ensure that the program is safe and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 13 of 80 \n \ninclusive for all students. Consult the Department of Global \nEducation for resources if needed. \n\uf06f Inclusive Rooming: The program leader and principal/head \nof school shall work with transgender and gender \nnonconforming students to provide accommodations \n(including rooming) that affirm the student\u2019s gender \nidentity while also ensuring safety. Program leaders should \nwork with students and families to make sure all travel \ndocuments (airline tickets, passport) reflect their legal \nnames as listed on government-issued identification, while \nall unofficial documents and materials may reflect the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 37, + "content": "student\u2019s preferred name. Please view additional rooming \nguidelines from the Office of Equity here. BPS students and \nparents are required to sign a BPS Student Traveler & Family \nAgreement form regarding student conduct while \nparticipating in a BPS sponsored field trip. Participation in \nfield trips may be denied to any student who has \ndemonstrated disregard for the policies and rules of BPS or \nthe school prior to the field trip. Parents/guardians and \nstudents must be made aware of this policy in advance and \ncommunicated with throughout any processes involving \ntheir child not participating in a field trip. \n\uf06f Student Dismissal: Following an investigation, if the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 38, + "content": "program leader, in consultation with the principal/head of \nschool and Central Office staff, determines that a student\u2019s \nconduct while on an overnight trip, poses a risk to \nthemselves, or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves \nthe right to request, and make arrangements for that" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 14 of 80 \n \nstudent to return home. The district also reserves the right \nto request that families assume responsibility for all or a \nportion of the costs associated with their child\u2019s return. \nStudents may be subject to further disciplinary action and \nwill be provided the opportunity to have a formal hearing at \nthe school level upon return. The school must document the \nparent/guardian\u2019s consent of this policy prior to the trip. \nIf a student is to be dismissed from an overnight field trip, \nthe student\u2019s parent/guardian must be notified in advance \nand should agree to meet the student at the airport or other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 40, + "content": "agreed-upon destination. If the parent/guardian is not \nreachable, the student\u2019s principal or appropriate school- \nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed-upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines.) Any costs assumed in this \nregard will be the responsibility of the parent/guardian." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 41, + "content": "\uf06f Attendance: Provisions must be made in advance for any \nstudent not attending the trip and staying at school. If \napplicable, provide alternative arrangements and/or \ncomparable activities for students not attending the trip or \nunable to participate in a portion of your trip. If a student\u2019s \nfamily elects for their child not to attend a field trip for any \nreason, the child may not be penalized through their grade \nor otherwise. Attendance forms should indicate when a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 42, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 15 of 80 \n \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times. \n \nPRE-DEPARTURE CONFIRMATION CHECK \n \nEight Weeks (or More) Prior to Your Trip: \n\uf06f Develop transportation plans: mode of transportation, travel \ntime, cost, etc. (If applicable, be sure to note how and with \nwhom the child will travel to and from a field trip\u2019s \ndeparture and pick-up locations.) \n\uf06f Review all students\u2019 medical forms with the school nurse \nand school counselor to ensure all documents are" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 43, + "content": "and school counselor to ensure all documents are \ncompleted, to support each student\u2019s health during the trip. \n(Please note: nurses and counselors do not \u201cclear\u201d students \nfor travel but will provide chaperones with guidance in \nsupporting students while traveling.) Consult with and, \nwhen necessary, receive training from and obtain written \ncomments from the school nurse and counselor regarding \nany students who have expressed medical needs (e.g., \nmedication, asthma, allergies, etc.). \n\uf06f If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 44, + "content": "insurance on the Medical Information Form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 16 of 80 \n \nFive Weeks (or More) Prior to the Field Trip: \n\uf06f Contact the field trip site and ensure that the necessary \narrangements are still in place. \n\uf06f Collect the completed and signed Parental Authorization for \nOvernight Trip, Medical Information, and Medication \nAdministration forms from each participating student and \nchaperone and ensure that copies of all forms (and the \nitinerary) are submitted to the principal/head of school. \n* Contact the Department of Global Education for the \nInformed Consent Template to be tailored for your trip and \nthen shared with families. \n\uf06f If necessary, collect the Notarized Parent/Guardian Airline" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 46, + "content": "Travel Consent form. \n\uf06f Hold a chaperone team meeting to distribute trip \nresponsibilities and to review the student team. \n\uf06f Review students\u2019 permission slips and medical forms; \nprepare any questions for follow-up with families and the \nschool nurse. \n\uf06f The lead chaperone will record the names of the chaperones \nand whom each chaperone is supervising; each chaperone \nmust carry this list. \n\uf06f Chaperones will organize a buddy system, pairing students \nwith one another for safety purposes." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 17 of 80 \n \n\uf06f The lead chaperone will prepare trip binder for all \nchaperones (see During the Trip section which lists all \nbinder contents). \n\uf06f Notify the appropriate principal leader and the Department \nof Global Education of your overnight travel plans by \nscanning and emailing the Overnight Field Trip Request \nForm at least four weeks in advance. \n \nTwo Weeks (or More) Prior to the Field Trip: \n\uf06f If applicable, inform the food service manager or attendant \nof the names of the students going on the trip and the date \nand time of the field trip. \n\uf06f Verify all arrangements, including transportation and \nreception at the site." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 48, + "content": "reception at the site. \n\uf06f Contact parents/guardians via telephone or in-person to \nreview the final details of travel and verify emergency, \nmedical and safety information, and contact details. Be sure \nfamilies have copies of their child\u2019s permission and medical \nforms as well as the trip itinerary and contact details. \n\uf06f Notify/consult with the principal/head of school (and \nDepartment of Global Education) if trip plans have changed \nfrom the original field trip request. \n \nCOMMUNICATION PLAN \n\uf06f For Domestic Overnight Trips: The principal/head of school \n(or designee) is the emergency contact for program leaders \nand must be notified in the event of a serious medical" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 18 of 80 \n \nemergency or other emergency event. The Department of \nGlobal Education should be used as a resource for questions \nregarding safety on trips, and for support with insurance \nsupport and claims. Prior to departure, program leaders will \nreceive emergency contact information. \n\uf06f Phone Service Coverage: Program leaders must have cell \nphone coverage for the duration of the trip for \ncommunication with BPS and families in the event of an \nemergency. This cell phone must be on at all times so you \nmay be contacted in case of an emergency. If this is not \npossible due to your location, please arrange a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 50, + "content": "possible due to your location, please arrange a \ncommunication plan with the Department of Global \nEducation. Program leaders must carry the phone numbers \nfor the principal/head of school or sponsoring district \ndepartment and the Department of Global Education. You \nare required to call anytime there is an emergency. \n\uf06f District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment prior to departure. You must check-in via phone \ncall, text, or email upon arrival, every 48 hours, whenever the \nitinerary significantly changes, whenever you expect to lose \ncell/email coverage, upon departure, and upon safe return." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 51, + "content": "You MUST check-in via phone when there is an incident." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 52, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 19 of 80 \n \nDefinitions of communication types and expectations: \nGreen Communication: No immediate concern. \nProgram leader: notifies principal about arrival, departure, \nchanges in itinerary, loss of connectivity, highlights of \nprograms, photos. *Check in daily via text, phone call, email. \nYellow Communication : A Yellow Call is a reportable \nsituation or event, but no threat to life, limb, eyesight, or \npotential for severe emotional trauma. The incident is \nmanaged effectively in the field by program leader, but \ncould devolve into a serious or critical incident, and requires \nattention from BPS on-call staff." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 53, + "content": "attention from BPS on-call staff. \nProgram leader: (1) notifies principal; (2) documents Incident \nSOAP Report; (3) monitors; (4) updates on-call BPS staff. \nRed Communication: Critical, violent, time-sensitive \nincident, illness, injury; or event that resulted in the loss of \nOR potential loss of life, limb, eyesight. \nRequires IMMEDIATE RESPONSE of program leader: \n(1) notifies principal; (2) alerts local medical assistance and/or \nlaw enforcement; (3) documents Incident SOAP Report; \n(4) monitors; (5) updates on-call BPS staff. \n\uf06f Communication with Families: Call students the night \nbefore travel to ensure transportation to the departure" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 54, + "content": "location is set, remind students to bring travel documents, \nand answer last-minute student and family questions. Set \nexpectations regarding communication during travel \nbetween chaperones/student travelers, and the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 20 of 80 \n \nprincipal/families. Families must know who to call 24/7 in \ncase of an emergency. \n \nDURING THE FIELD TRIP PROGRAM \n\uf06f On the day of the trip, take attendance and leave the current \nlist of students attending the trip with the principal/head of \nschool. If applicable, record a specific bus number and \ndriver\u2019s name and leave this information with the \nprincipal/head of school and share with all chaperones and, if \nage-appropriate, students. \n\uf06f Team Safety: If you believe conditions are unsafe, or \nunhealthy at any point on the trip, it is the program leader\u2019s \nresponsibility to make adjustments in the interest of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 56, + "content": "group/individual safety. Consult your principal/head of \nschool and the Department of Global Education during the \ntrip when you have questions regarding trip safety. \n\uf06f Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n\uf06f Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nwith the chaperone team the \u201cAssessment\u201d and \nprepare for orientation and fire drill. \n\uf06f Share evacuation plan and emergency plans: Discuss \nwhere students go during an emergency or otherwise? \nDiscuss where students go if they are separated from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 57, + "content": "the group during an activity." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 58, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 21 of 80 \n \n\uf06f Ensure students have a list of the key addresses \n(hotel/chaperone information) and emergency \ninformation as well as copies of all travel documents. \nShare where you are staying (room number if \napplicable) and how to reach you on the trip. \n\uf06f Conduct in-country orientation for conduct and \ncultural expectations. Set expectations for phone usage \nand social media. This is especially critical during an \nemergency. \n\uf06f Conduct safety orientations for service learning \nprojects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating, \nand for agricultural projects, chaperones with the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 59, + "content": "support of program providers, must conduct a safety \norientation at the beginning of each activity. \n \nStudent Debriefs/Reflections: \n\uf06f Conduct morning briefings to review the day\u2019s itinerary \nand key information. Ask and answer questions. \n\uf06f Conduct afternoon and/or evening debriefings to \nreview the next day\u2019s itinerary, gather feedback, and \nprocess the day\u2019s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them break \ndown stereotypes so that when they return, they have \na deeper understanding of the culture and country \nthey visited. Draw connections to how they will take" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 60, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 22 of 80 \n \nthe experience home with them and how the lessons \nthey have learned will translate back home. \n \nCheck-Ins & Student Supervision: \n\uf06f Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n\uf06f Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n\uf06f Conduct nightly bed checks to be sure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel be sure to request in advance for students \nto be placed near chaperones." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 61, + "content": "to be placed near chaperones. \n\uf06f Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful of \nromantic relationships amongst students. \n\uf06f Conduct regular and frequent headcounts and buddy \nchecks throughout the day. Do not leave students \nalone. Students should be accompanied by chaperones \nunless part of a scheduled activity and age appropriate \nas approved by their parent/guardian in advance. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 62, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 23 of 80 \n \ngroups of three AND always know how to reach an \nadult chaperone. \n \nDOCUMENTS TO TAKE \nAll chaperones must carry a trip binder at all times (or have them \nvery close at hand) that includes the following documents. The \nprogram leader carries the original forms; all other chaperones \ncarry copies. \n\u25cf Permissions slips (updated based on contact \nverification done with families) \n\u25cf Medical Information Form and Medical Administration \nForm \n\u25cf Student & Family Conduct Agreement Form \n\u25cf Parental waivers (if applicable) \n\u25cf Notarized Airline Consent Form (if applicable) \n\u25cf Copies of passports, visas, resident cards, and other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 63, + "content": "travel-related documents \n\u25cf Emergency Action Plan (EAP) \n\u25cf Insurance information \n\u25cf BPS Field Guide protocols with emergency phone \nnumbers \n\u25cf Fire prevention and safety information \n\u25cf Incident Report (blank and/or completed) \n\u25cf Witness Report Form (blank and/or completed) \n\u25cf Incident Investigation Log (blank and/or completed)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 64, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 24 of 80 \n \n\u25cf SOAP Note (blank and/or completed) \n\u25cf List of addresses and emergency contacts in-country \nfor all travelers \n\u25cf Water Activities Forms if applicable \n\u25cf Program leaders carry originals of permission slips and \nmedical forms; other chaperones carry copies. \n \nDOCUMENTS TO LEAVE FOR YOUR PRINCIPAL/HEAD OF \nSCHOOL \n\u25cf CAO-24 circular with checklists \n\u25cf Permissions slips (updated based on contact \nverification done with families) \n\u25cf Student & Family Conduct Agreement Form \n\u25cf Parental waivers (if applicable) \n\u25cf Medical Information Form and Medical Administration \nForm \n\u25cf Notarized Airline Consent Form (if applicable)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 65, + "content": "\u25cf Notarized Airline Consent Form (if applicable) \n\u25cf Copies of passports, visas, resident cards, and other \ntravel-related documents \n\u25cf Emergency Action Plan (EAP) \n\u25cf Insurance information \n\u25cf Fire prevention and safety information \n\u25cf International Program Incident Report (blank for \nreference) \n\u25cf Water Activities Forms (if applicable)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 66, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 25 of 80 \n \nAFTER THE FIELD TRIP (MANDATORY) \nEnsure all students safely return to their parents/families \nwhen you arrive back from the destination by following \nexpectations set prior to the trip for student pick-up from \narrival location. \n\uf06f Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students \n(inform parents/guardians) to see a doctor immediately if \nthey are not feeling well after the trip and to inform the \ndoctor of their recent travels." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 67, + "content": "doctor of their recent travels. \n\uf06f Incident Reports: If applicable, file and follow up with an \nIncident Report. \n \nAFTER THE FIELD TRIP (SUGGESTED) \n\uf06f Write thank-you notes. \n\uf06f Present to school, family, and the community about the \nexperience. \n\uf06f Conduct related creative and/or analytical projects to \nshowcase student learning. \n\uf06f Write a news article about the trip for a local newspaper or \nwebsite. \n\uf06f Email stories, journals, and pictures of your trip to the \nDepartment of Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 68, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 26 of 80 \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \n1. Overnight Field Trip Request Form \n2. Emergency Action Plan \n3. Parental Authorization for Overnight Field Trip \n4. Medical Information Form \n5. Medication Administration Form \n6. Notarized Parent/Guardian Airline Consent Form \n7. Overnight Programs Incident Report \n8. Overnight Programs Witness Report \n9. Overnight Programs Incident Log" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 69, + "content": "9. Overnight Programs Incident Log \n10. Fire Prevention and Safety Instructions \n11. BPS Student Traveler & Family Agreement Form \n12. BPS Chaperone Agreement Form" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 70, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 27 of 80 \n \nOVERNIGHT FIELD TRIP CHECKLIST \nPlease sign this checklist, retain a copy for your file, and submit \nthe original to the school office for filing. \nYour signature indicates that you read and understand the \npolicies in this circular; that they have been/will be followed; and \nall checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \nProgram Leader: Date \n \n \nSignature of Principal/Head of School or Date \nSponsoring District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 71, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 28 of 80 \n \nCAO- 24 ACKNOWLEDGEMENT FORM \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach it to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \n \n \n \nSignature of program leader Date \n \n \n \nSignature of Principal/Head of School Date \nor Sponsoring District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 72, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 29 of 80 \n \nOVERNIGHT FIELD TRIP REQUEST FORM \nThis form is submitted to the principal/head of school and is kept \non file in the school office. In addition, notify the appropriate \nNetwork Superintendent and the Department of Global \nEducation of your plans (four weeks in advance) by faxing or \nemailing as a PDF the following documents: 1) Overnight field \nTrip Request Form signed by the principal/head of school , 2) \nDay- by-Day trip itinerary, 3) Student roster; D.O.B, grade, \nemergency contact name, and number and 4) if applicable, your \nflight or train itinerary. Please call or email to ensure these \ndocuments have been received by all parties." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 73, + "content": "documents have been received by all parties. \n \nSCHOOL INFORMATION: \nSchool: \n \nDate Submitted: \n \n \nTRIP OVERVIEW: \nNumber of Students: Number of Chaperones: \n \n \n(Supervision: maximum ratio 10:1 with a two-chaperone \nminimum. For students with disabilities, the ratio of staff to \nstudents must be at least the same as the ratio mandated in \ntheir IEPs for their classes.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 74, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 30 of 80 \n \nField Trip Category: \nDestination: \nDates of Trip: \n \nOverview of Trip (Educational Purpose): \n \n \n \n \n \nACCOMMODATION/LODGING INFORMATION \n \n \nAccommodation Name: \nAddress: \nPhone Number:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 75, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 31 of 80 \n \nPROGRAM PROVIDER INFORMATION \n(If working with a company, organization, or partner) \n \nProgram Provider: \nProgram Provider Contact Person: \nProgram Provider Telephone Number: \nProgram Email: \n \nITINERARY \nPlease attach the detailed day-by-day itinerary:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 76, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 32 of 80 \n \nPROGRAM LEADER: \n \nProgram Leader/Lead Chaperone: \n \nRole in School: \nProgram Leader Phone # (prior to the trip): \nProgram Leader Phone # (during the trip): \nProgram Leader Email: \nOther Chaperones/Roles in School/ Phone Numbers on Field Trip: \nAttach a separate sheet if necessary. \n \nName Role Phone # Email" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 77, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 33 of 80 \nStaff are not permitted to drive students. Privately owned \nvehicles, vehicles from non-approved vendors, or leased \nvehicles are not to be used to transport students to and from \nfield trips except in the case of a bona fide emergency. Staff \nwho use their own vehicles risk being legally liable. Please refer \nto TRN-03 for regulations regarding field trip transportation. \n \nSTUDENT PARTICIPANTS: \nPlease attach a student roster that includes: Legal and last \nname, D.O.B, grade, emergency contact name, and phone #. \n \nTRANSPORTATION INFORMATION: \n \n \nMethod of Transportation: \n \nTransportation Company:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 78, + "content": "Transportation Company: \n(For bus transportation, only BPS -approved vendors may be \nused regardless of how the trip is paid for. See TRN-3 for list.) \nContact Information (phone and address): \n \n \n \nDeparture Location and Time: \nReturn Location and Time: \n*If applicable, attach detailed train or flight information." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 79, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 34 of 80 \n \nFUNDING SOURCES: \nTotal Cost: $ \n \nFunding Source: \nGrant Number: \nBEDF Account Code/Description: \n \n \n \nApproved by: \nPrincipal/Head of School \nor Sponsoring District Department \nDate: \nYour signature indicates that all policies outlined in CAO-22 AND \nCAO-24 regarding overnight field trips will be followed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 80, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 35 of 80 \n \nEMERGENCY ACTION PLAN (EAP) \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP \nDo not leave the injured person alone or without an adult \npresent. \n \n1. REMAIN CALM. This helps the operator receive your \ninformation. \n2. DIAL 911. Remember you may need to access an outside line \nfirst. \n3. My name is . I am a (your role) in the Boston \nPublic Schools. \n4. I need paramedics now. \n5. My exact address is . \n6. There is a person with a (state type/location of injury) injury. \n7. The person\u2019s name is and they are \nyears old. \n8. The person is located at which is on the \n(North/South/East/West) side of the facility." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 81, + "content": "(North/South/East/West) side of the facility. \n9. I am calling from (telephone number). \n10.(Name) will meet the ambulance. \n11. Don\u2019t hang up. Ask for the information to be repeated back \nto you and answer any questions the dispatcher may have. \nHang up the phone when all information is correct and \nverified." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 82, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 36 of 80 \n \n12. Wait with the person until EMS arrives. \n13. Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \n14. Call your head of school or appointee. The Department of \nGlobal Education can assist in contacting the necessary \ndistrict personnel and insurance providers. File an Overnight \nProgram Incident Report and Overnight Incident Log. \nPrincipal/Head of School: \n \nPhone Numbers: \nPrincipal Leader: \nDepartment of Safety Services: (617) 635-8000 \nDepartment of Global Education:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 83, + "content": "Department of Global Education: \n \nAdditional Phone Numbers:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 84, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 37 of 80 \n \nPARENTAL AUTHORIZATION FOR DOMESTIC \nOVERNIGHT FIELD TRIP \nASSUMPTION OF RISK, WAIVER, RELEASE, AND INDEMNITY \nHOLD HARMLESS AGREEMENT \nProgram Leaders: \nAccess the required Assumption of Risk, Waiver, Release, and \nIndemnity Hold Harmless Agreement template here. Please \nmake a copy of this template document before you edit the text \nin RED, and then share it with the Director of Global Education. \nThis document is to be reviewed by the Director of Global \nEducation & BPS Legal BEFORE sharing with parents/guardians \nfor signature** \nThis document is a requirement, and a binding legal document." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 85, + "content": "Should you have any questions, please contact the Department \nof Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 86, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 38 of 80 \n \nMEDICAL FORM OVERNIGHT TRIPS \nGENERAL INFORMATION \nIMPORTANT NOTES: \n\u2022 Students may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly \nand accurately so we may be in the best position possible to \nsupport you/your child. \n\u2022 Please indicate with an X HERE if you would like to \nschedule a meeting with the program leader of the trip to \ndiscuss your child\u2019s medical or mental health. \n\u2022 To participate in a domestic overnight trip, a copy of the \nstudent\u2019s current school year physical examination record \nmust be on file at the school in order to participate on an" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 87, + "content": "overnight field trip. If traveling internationally, all students \nmust visit their primary care doctor prior to traveling and be \ncurrent on all immunizations and vaccinations for the U.S. in \naddition to the recommended immunizations and \nvaccinations for the locations/country(s) to be visited. \n\u2022 To be completed by the parent/guardian of the BPS student." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 88, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 39 of 80 \n \nSTUDENT INFORMATION \n \nStudent\u2019s Full Name: \n \n \nDate of Birth: \n \n \nCountry of Origin: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 89, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 40 of 80 \n \nEmergency Contact # 1 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail: \nEmergency Contact # 2 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 90, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 41 of 80 \n \nMEDICAL FORM OVERNIGHT TRIPS \nSTUDENT HEALTH QUESTIONS \nIMPORTANT NOTES to be completed by the parent/guardian of \nthe BPS student at least two months in advance of trip: \n1. Primary care physician\u2019s name and contact information (in \ncase of an emergency): \n \n \n2. Health insurance provider\u2019s name, policy #, and contact \ninformation (in case of emergency): \n \n \n3. Insurance provider claim instructions/procedures (in case of \nemergency): \n \n \n4. The student has the following health conditions and/or \nallergies of which BPS should be \naware: \n \n \n5. Physical health conditions: \n \n \n6. Behavioral/mental health conditions: (e.g., depression," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 91, + "content": "anxiety, etc.) \n \n \n7. Allergies (food, medication, insects, plants, animals, etc.):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 92, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 42 of 80 \n \n8. The student takes the following medications (including \nover-the-counter and herbal) and/or prescriptions of which \nBPS should be aware. (Be sure to complete the Medical \nAdministration Form): \n \n \n9. If medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken \nand the time at which it may be given again. \n \n \n10. Is there any factor that makes it advisable for your child to \nfollow a limited program of physical activity? (i.e., asthma, \nrecent surgery, heart condition, fear, etc.) If yes, specify the \nways in which you wish their program limited. If the student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 93, + "content": "has asthma, please attach the asthma action plan to this \nmedical form. \n \n \n11. Are there any activities on the itinerary that your child \ncannot or should not do? \n \n \n12. Other than a yearly physical, is the student currently under a \nphysician\u2019s or other medical professional\u2019s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 94, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 43 of 80 \n \n13. Other than a yearly physical, has the student been under a \nphysician\u2019s or other medical professional\u2019s (e.g., social \nworker, therapist, etc.) care anytime in the last year. If yes, \nplease detail the reason and dates of treatment. \n \n \n14. Please list any hospital, treatment center, surgical, \npsychiatric, or urgent care visits within the last year: (Please \nspecify the date, the reason, the physician or professional \nseen, and the length of stay.) \n \n \n15. Additional information of which BPS should be aware \nconcerning student\u2019s health:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 95, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 44 of 80 \n \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate \nservices and understand that chaperones will consult with \nthe school nurse about each student's health so they will be \nin the strongest position to support you/your child on this \nprogram. \n \n \n \nStudent Signature, if at least 18 years of age Date \n \n \n \n \nParent/Guardian Signature, if the student Date \nis under 18 years of age \n \n \n\u25aa If necessary, attach the doctor\u2019s letter to this form. \n\u25aa If necessary, attach the asthma action plan to this form. \n\u25aa If necessary, attach the diabetes action plan to this form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 96, + "content": "\u25aa If necessary, attach copies that document student shots \nand immunizations to this form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 97, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 45 of 80 \n \nMEDICAL FORM: OVERNIGHT TRIPS \nMEDICATION ADMINISTRATION \n \n*Please send only essential medications with your student \non this trip. \n \n \nStudent Name: \n1. Name of Medication: \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n2. Name of Medication: \n \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 98, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 46 of 80 \n \n3. Name of Medication: \nTime(s) to be taken: \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n4. Name of Medication: \n \nTime(s) to be taken: \n \nReason for Medication: \nSide effects to be aware of/other information: \n \n \n \n \nAdditional information/special instructions:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 99, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 47 of 80 \n \nI authorize my child to take the above medications on this trip. \n \n \n \n \n \nStudent Signature, if at least 18 years of age Date \n \n \n \n \nParent/Guardian Signature, if student is Date \nunder 18 years of age" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 100, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 48 of 80 \n \nTRAVEL CONSENT FORM (PAGE 1) \n \nThe parties to this agreement are: \nParent/ Legal Guardian: (hereinafter referred to as \u201cthe \nparent/guardian\u201d) \n \nFirst and Last Name: \n \nPhysical Address: \n \nContact Details: \n \nChild: (hereinafter referred to as \u201cthe child\u201d) \n \n \nFirst and Last Name: \n \nBirthdate: \n \nTraveling Guardian(s) and Contact Details: (hereinafter referred \nto as \u201cThe Traveling Guardians\u201d) \n \n \nFull Name: \nAddress: \nContact Details:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 101, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 49 of 80 \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 2) \n \n1. I hereby authorize the child to travel with the traveling \nguardians to the following destination: \n2. The period of travel shall be from to \n . \n3. Should it prove to be impossible to notify the parent/ \nguardian of any change in travel plans due to an emergency \nor unforeseen circumstances arising, I authorize the \ntraveling guardian to authorize such travel plans. \n4. Should the traveling guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it \nadvisable to make special travel arrangements for the child" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 102, + "content": "to be returned home due to unforeseen circumstances \narising, I accept full responsibility for the additional costs \nwhich shall be incurred thereby. \n5. I indemnify the traveling guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims \narise from negligence, gross negligence, or willful intent \nduring the specified period of this travel consent. \n6. I declare that I am the legal custodian of the child and that I \nhave the legal authority to grant travel consent to the \ntraveling guardian of the child. \n7. Unless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 103, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 50 of 80 \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 3) \n \n \nSigned at on the day of \n , 20 . \n \nSignature (Parent/ Guardian) \nSignature (Witness 1) \nSignature (Witness 2) \n*Witness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this day of , 20 , before me, \nthe undersigned authority, personally appeared and proved to \nme through satisfactory evidence of identity, to wit, to be the \nperson(s) whose name(s) is/are signed on the attached \ndocument and who signed in my presence. \n \n \nOfficial Notary Signature: \n \n \nName of Notary Typed, Printed or Stamped:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 104, + "content": "Name of Notary Typed, Printed or Stamped: \n \n \nCommission Expires:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 105, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 51 of 80 \n \nSTUDENT SUPPORT DURING DOMESTIC OVERNIGHT \nPROGRAMS FORM (RECOMMENDED) \n \n \nNote: This form is to be completed by students who intend to \nparticipate in an overnight program. The information is \nconfidential and will be used by program leaders to better \nunderstand and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: \n \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \n1. What are you nervous about? \n \n \n \n \n2. What are you excited about?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 106, + "content": "2. What are you excited about? \n \n \n \n \n3. What scares you about the trip location or activities \n(itinerary)?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 107, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 52 of 80 \n \n4. When in a new environment, I get anxious when\u2026 \n \n \n \n \n5. When in a new environment, I get upset when\u2026 \n \n \n \n \n6. In order to get the most learning and benefits from \nthis experience, I will need\u2026" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 108, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 53 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \n \nA. Complete all Fields: \nSchool/s: \nDate of Report: \nCountry: \nIncident Date and Time: \nReporting Chaperone: \nB. Complete all Applicable Fields: \n \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 109, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 54 of 80 \n \nDomestic Overnight Programs Incident Report (page 2) \n \nC. Nature of Incident (check all that apply) \n \n\uf06f Injury \n\uf06f Equipment Fail \n\uf06f Behavioral/ \nPsychological \n\uf06f Illness \n\uf06f Missing/Separa- \nted Person \n\uf06f Natural Disaster \n\uf06f Physical Assault \n\uf06f Sexual \nAssault \n\uf06f Theft \n\uf06f Property \nDamage \n\uf06f Sexual \nHarassment \n\uf06f Fatality \n\uf06f Crime \n\uf06f Political \nUpheaval \n\uf06f Disease \nOutbreak \n\uf06f BPS Code \nof Conduct \nviolation \n\uf06f Other: \n \n \nD. Narrative (Using facts, describe what happened):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 110, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 55 of 80 \n \nDomestic Overnight Programs Incident Report (page 3) \n \nE. Activity at Time of Incident (check all that apply) \n \n\uf06f Class time \n\uf06f Service \n\uf06f Homestay \n\uf06f Traveling \n\uf06f Fieldtrip \n\uf06f Camping \n\uf06f Hike/Jog/Walk \n\uf06f Swimming \n\uf06f Water Activity \n\uf06f Other: \n \n \nF. Contributing Factors (Check all that apply) \n \n\uf06f Not disclosed in \nmedical form \n\uf06f Sports/Recreation \n\uf06f Animal/Insect/Plant \n\uf06f Pre-Existing \nCondition \n\uf06f Alcohol/Drugs/ \nMedication \n\uf06f Motor Vehicle \n\uf06f Weather/Terrain \n\uf06f Pre-Course Info \n\uf06f Orientation/ \nTraining \n\uf06f Political/ \nCultural/ \nLanguage \n\uf06f Other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 111, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 56 of 80 \n \nDomestic Overnight Programs Incident Report (page 3) \n \nG. Action Taken Details \nFirst Aid \nWhen \nBy Whom \n \nType (i.e., medication, CPR, \netc.) \n \nEmergency Evacuation \nVisit Medical Facility \nName of Facility \nDoctor/PA/Nurse \nReported Diagnosis \nMedication Prescribed \n \nEmergency Contact Person \nNotified? \n\u2610 Yes \u2610No Name: \nDate and Time Contacted: \nNotes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 112, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 57 of 80 \n \nG. Action Taken Details \nDepartment of Global \nEducation (DGE) Contacted? \n\u2610 Yes \u2610No \nName: \nDate and Time DGE Contacted: \nNotes: \nInsurance Contacted? \u2610 Yes \u2610No \nName: \nDate and Time Contacted: \nClaim #: \nNotes: \nLocal Authorities Notified? \u2610 Yes \u2610No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 113, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 58 of 80 \n \nG. Action Taken Details \nFollow-up Plan Details: \n \n \n \nSignature of Reporting Chaperone: Date: \nFile this Overnight Incident Programs Report along with \nany accompanying reports/documents from local law \nenforcement, medical professionals, and/or International \nPrograms Witness Report via email if possible OR as soon \nas circumstances permit. Turn in the original report to the \nDGE as soon as you return to Boston. Incident reports \nrequire at least one witness signature, and where possible \nthe signatures of all impacted participants." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 114, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 59 of 80 \n \nDomestic Overnight Programs Incident Report (page 6) \n \n \nWitness Signature Date \nSignatures of those impacted: \n1. Date: \n2. Date: \n \n3. Date: \n4. Date:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 115, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 60 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \n \nWitness Statement of [Name]: \nPhone Number: \nAddress: \n \n \n \nDescription of Incident: \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nI believe the contents of this statement are true. \nSignature: Date:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 116, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 61 of 80 \n \nDOMESTIC OVERNIGHT PROGRAMS \nINVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \n \nEvent Time Location Parties \nInvolved \nSource of \nInformation" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 117, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 62 of 80 \n \nEvent Time Location Parties \nInvolved \nSource of \nInformation \n \n \n \n \n \n \n \n \nSignature of Investigator Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 118, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 63 of 80 \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health \nrelated incidents requiring further monitoring and/or \nevacuation. SOAP Notes should be attached to the \ncorresponding Incident Report. \n \nSubjective: What the patient tells you; note the chief \ncomplaint(s): \n \n \n \n \n \n \nObjective: What you see; vital signs; general survey of patient: \n \n \n \n \n \n \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \n \nAnticipated Problems:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 119, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 64 of 80 \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n \n \n \n \n \n \nReporting Chaperone Date \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 120, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 65 of 80 \n \nFIRE PREVENTION AND SAFETY PRACTICES \nOVERNIGHT PROGRAMS \nFire safety plans on overnight and international programs \ndiffer from the procedures set for our schools. The laws that \nregulate fire prevention may differ from what exists in \nMassachusetts. The steps below must be followed on all \novernight and international programs: \n1. Conduct a fire prevention assessment. \nThe program leader must conduct a fire safety \nprevention assessment using the Fire Prevention and \nSafety Form (Attachment A) within 24 hours of arrival. \nUsing the Fire Prevention and Safety Form, the \nprogram leader shall formulate a plan for the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 121, + "content": "program leader shall formulate a plan for the \nevacuation of all persons on the trip in the event of a \nfire or other emergency. This plan shall include \nalternate means of egress and should be created in \nconsultation with an accommodation staff person, and \nif applicable, the third-party provider. \n2. Prepare Chaperone Team on fire prevention strategy. \nBased on the results from the Fire Prevention and \nSafety Form, the program leader should ensure that \neach staff member receives and understands the fire \nprevention landscape and has instructions on the fire \ndrill procedure created for the accommodation. \nQuestions to review include:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 122, + "content": "Questions to review include: \na. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 123, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 66 of 80 \n \nand all places where the group may congregate. Use \nthe hotel\u2019s posted evacuation routes if applicable.) \nb. Where is the designated meeting point? (This \nmeeting point should be a safe distance from the \nbuilding, but easy for the group to identify and \nlocate.) \nc. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and \nshould serve as the contact person for emergency \npersonnel.) \nd. What are some hazards that students and \nchaperones should be aware of? \ne. What happens in the case of a missing person?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 124, + "content": "e. What happens in the case of a missing person? \n3. Review prevention strategy with students and conduct a \nfire drill. \nThe lead chaperone and the chaperone team will \nreview the fire prevention strategy and conduct a fire \ndrill (walkthrough) with the students within the first 24 \nhours of the trip. Conducting a fire drill (walkthrough) \nis important as participants are unfamiliar with the \nbuilding. \nInstructions for fire drills: \nSince each accommodation is different, each plan and \ndrill will vary. Regardless of the accommodation, it is \ncritical that a procedure is in place for evacuating the \nbuilding, each chaperone knows their responsibilities," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 125, + "content": "every student participates in the fire drill" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 126, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 67 of 80 \n \n(walkthrough), and each person knows the meeting \nlocation when evacuated from the building. Please \nnote: A fire drill as defined here is a walkthrough of the \nroute the group will take to exit the premises in the \nevent of an emergency. \nA few general instructions: \n\u25cf Evacuate immediately. \n\u25cf Do not use elevators during a fire evacuation. \n\u25cf Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n\u25cf Make sure all students know all possible exits from \ntheir area and that students know where the meeting \nlocation is outside of the building." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 127, + "content": "location is outside of the building. \n\u25cf Fire drill plans must ensure adequate procedures for \nthe emergency evacuation of students and staff with \ndisabilities. (Have a staging location for students/staff \nwith disabilities and make sure hotel/hostel personnel \nare also aware.) \n\u25cf Chaperones are responsible for students under their \nsupervision and must take attendance." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 128, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 68 of 80 \n \n\u25cf Upon the evacuation of a building, no person or \npersons shall re-enter the building without the \nauthorization of the lead chaperone. The lead \nchaperone, as a part of their fire drill procedures, must \nestablish a command procedure for such evacuations. \n4. Conduct a post-fire drill debrief. \nAfter the fire drill, the chaperone team should set aside \ntime to debrief. Record response on Attachment A." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 129, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 69 of 80 \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nFor each accommodation, please complete and, upon your \nreturn, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept \non file for the current fiscal year plus three additional years \nafter the field trip has occurred. \n \nBUILDING: \nProgram Leader: \nDate of the Safety Prevention Assessment: \nName/s and Titles of Staff Consulted for Assessment: \n \n \n(accommodation staff/ program provider staff) \n \n \nOUTSIDE THE BUILDING: \nList the possible hazards in the area: \n \n \n \n \nCan the accommodation be accessed by a fire department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 130, + "content": "or emergency team? \uf06f YES \uf06f NO" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 131, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 70 of 80 \n \nINSIDE THE BUILDING \nEquipment: \nDoes the building have fire alarms? \u2610 YES \u2610 NO \nAre there fire sprinklers? \u2610 YES \u2610 NO \nIf yes, where are they located? \n \nIs there adequate lighting in the corridors? \n \n\u2610 YES \n \n\u2610 NO \nAre there clear exit signs? \u2610 YES \u2610 NO \nAre there fire alarm pull stations? \u2610 YES \u2610 NO \nAre the fire alarm pull stations visible and \naccessible? \n \n\u2610 YES \n \n\u2610 NO \nAre there fire extinguishers? \u2610 YES \u2610 NO \nIf yes, where? \n \nAre there smoke detectors in the corridors and in \n \nevery room where participants are staying? \u2610YES \u2610NO \n \n \nHazards: \nList the potential fire hazards at the site:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 132, + "content": "Are there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, blocked" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 133, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 71 of 80 \n \nstairways, burned-out exit lights, or missing/broken fire \nequipment? \u2610 YES \u2610 NO \nMeans of Evacuation/Egress: \nDoes the facility have an evacuation plan for \neach room? (If not, be sure that when you \nconduct a fire drill (walkthrough) that you \ndevelop a plan for leaving the room.) \n \n \n \n\u2610 YES \n \n \n \n\u2610 NO \nWhat are the means of egress? \n \nAre there primary exits and alternate exits? \n \n\u2610 YES \n \n\u2610 NO \nNote locations: \n \nFIRE DRILL/WALKTHROUGH PLAN: \n \n(Please record notes below.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 134, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 72 of 80 \n \nPOST-DRILL DEBRIEF: \nDate and time of the fire drill: \n \n \nDid the students and chaperones follow the procedures of the \nfire drill? If no, why not? \u2610YES \u2610NO \n \n \n \n \nBased on this debrief, either inform the students of your \nfindings for adjustments or, if necessary, conduct another \nfire drill. Once the safety review and drill are completed, \nplease sign below. \n \nSignature of Program Leader:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 135, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 73 of 80 \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT \nFOR DOMESTIC OVERNIGHT TRAVEL \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. \nStudents: your signature on this contract seals your commitment" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 136, + "content": "to follow behavior expectations leading up to, and during your \nschool trip. \n \nSTUDENTS: \nBefore I go on the trip: \n\u25cf I understand that my acceptance to a trip prior to departure \ndoes not guarantee that I will be allowed to attend. \n\u25cf I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n\u25cf I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n\u25cf I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n\u25cf I will not violate the BPS Code of Conduct." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 137, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 74 of 80 \n \n\u25cf I will not distribute or consume alcohol or drugs (including \nedibles) and/or encourage actions that are against the BPS \nCode of Conduct or law. \n\u25cf I will not pack any illegal or inappropriate items (i.e., items in \nviolation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n\u25cf I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as completed \nprojects, journals, and service hours. \n\u25cf I know that if I do not act appropriately, or if I violate any" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 138, + "content": "rule, there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWhile I am on the trip: \n\u25cf I will not violate the BPS Code of Conduct. \n\u25cf I will ask for help from the adults when needed. \n\u25cf I will treat my peers, all adults, and all people with the \nutmost level of respect. \n\u25cf I will not purchase, distribute, or consume any illegal or \ninappropriate items (i.e., items in violation of BPS Code of \nConduct, including but not limited to: weapons, alcohol, \nedibles, drug paraphernalia), even if these substances are \nlegal in the state or foreign country, or I am of legal age in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 139, + "content": "the foreign country." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 140, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 75 of 80 \n \n\u25cf I will use social media responsibly during the trip and will \nnot post or communicate any information regarding other \nstudents during an emergency. \n\u25cf I will abide by the established curfew and sleep alone in my \nassigned bed and sleeping location each night. \n\u25cf I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n\u25cf I will obey the BPS dress code, as well as the suggested \nattire for the foreign country and specific sites and locations \nwithin the foreign country I will visit. \n\u25cf I will not share any medication with anyone on the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 141, + "content": "\u25cf I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (e.g., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n\u25cf I will not leave the group at any time unless specifically \nauthorized to do so. \n\u25cf I will practice good common sense, respect, and \nconsideration for others and their property. \n\u25cf I understand that I am responsible for keeping my passport, \nimportant belongings, and other travel documents safe. \n\u25cf I understand that partaking in any illegal activity abroad can \nresult in my arrest. \n\u25cf I understand that if an issue of any kind arises, my \nchaperone will address the issue, and their decision is final." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 142, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 76 of 80 \n \n\u25cf I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n1. The BPS Code of Conduct applies to all field trips. Following \nan investigation, if the program leader, in consultation with \nthe principal/head of school and Central Office staff, \ndetermines that a student\u2019s conduct while on an overnight" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 143, + "content": "trip poses a risk to themselves, or the safety of the group, or \nis no longer manageable by BPS staff in the field, the district \nreserves the right to request and arrange for that student to \nreturn home. The district also reserves the right to request \nthat families assume responsibility for all or a portion of the \ncosts associated with their child\u2019s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n2. If a student is to be dismissed from an overnight field trip \ndue to behavior that violates the BPS Code of Conduct while" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 144, + "content": "participating in a domestic overnight trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed- \nupon destination. If the parent/guardian is not reachable, \nthe student\u2019s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at \nthe airport or other agreed-upon destination. Students \nunder the age of 16 must be accompanied on their flight by" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 145, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 77 of 80 \n \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n3. Parents or students who sign contracts and/or agreements \nwith third-party company vendors acknowledge that \noutside companies\u2019 protocols and procedures might differ \nfrom BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 146, + "content": "is not responsible for money paid to third-party vendors. \n4. BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances, all families will be \nnotified immediately. \n \n \n(Families: Keep this page.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 147, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 78 of 80 \n \n(Program leaders: Keep this page.) \n \n \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & \nFamily Agreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \nPARENT/GUARDIAN (print name): \n \nPARENT/GUARDIAN (signature) \nDATE \nPHONE NUMBER: \nSTUDENT (print name): \n \nSTUDENT (signature): \nDATE: \nPHONE NUMBER: \n \n \n(Students: Return this page to your program leader.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 148, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 79 of 80 \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: \n \nDestination: \n \nDeparture Date: Return Date: \n \n \nAll chaperones must agree to abide by the following code of \nconduct in order to participate in a BPS-sponsored field trip. \n \nSAFETY & RESPONSIBILITY \nI understand that my safety and the safety of other \nparticipants are extremely important during this field trip, \nand I agree to make safety my first priority. I agree to \nconduct myself in a manner that promotes my safety and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 149, + "content": "the safety of others at all times. I understand that \nmaintaining students\u2019 safety requires that students must be \nsupervised by me and/or other chaperones at all times \nwhile students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake-up calls for students, are part of my \nresponsibility. I agree to follow BPS policies, protocols, and \nguidance of BPS staff when in the field." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 150, + "content": "Superintendent\u2019s Circular CAO-24 \nPage 80 of 80 \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits \nstudents from possessing, using, selling, and/or distributing \nany of the following on all domestic and international field \ntrips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, \nuse, or distribution of over-the-counter medication, and \nselling of prescription drugs. The Code also prohibits the use \nof tobacco products (including e-cigarettes, hookah \nparaphernalia, and vapor cigarettes). I understand that" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 151, + "content": "these prohibitions apply to all students, regardless of age. \nI understand that I am forbidden to use or visibly be in \npossession of tobacco in the presence of students. I also \nunderstand that the use of all other drugs, including \nalcohol, and weapons are strictly prohibited on the field trip. \n \n \nChaperone Name (Printed): \n \nChaperone Name (Signature): \n \nDate:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-01 \nVersion 01 \n \nPROMOTION POLICY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBoston Public Schools students are the leaders, scholars, \nentrepreneurs, advocates, and innovators of tomorrow. BPS will \nensure that 100% of those students are ready for college, career, \nand life. We will ensure that every graduate: \n\u25cf is a proficient reader, communicator, problem-solver, and \ncritical thinker; \n\u25cf demonstrates the habits of mind and work required for \nsuccess in school and the world of work; \n\u25cf knows how to acquire knowledge, connect it to familiar \nconcepts and prior knowledge, and apply it, using" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 2, + "content": "sophisticated technologies; \n\u25cf has mastered key skills and understands important \nconcepts from English Language Arts, Mathematics, Science \nand Technology, History and Social Science, at least one \nWorld Language, the Arts, Health, and Physical Education; \n\u25cf has applied these concepts in real-life contexts; and \n\u25cf has made a valued contribution to the school and \ncommunity." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 2 of 10 \n \n \n \nThese expectations frame the teaching, learning, and assessment \nprocess. They are critical to lifelong learning and essential to \ngaining students\u2019 commitment to the learning process. \n \nRESPONSIBILITIES AND ACCOUNTABILITY \nEvery teacher, administrator, parent, and adult involved in the \nlives of our students share in the responsibility to ensure that all \nstudents meet these expectations. \nThe Boston Public Schools: \nSchools, and the adults who work in them, are accountable for \nensuring every student learns in an environment that is safe, \nwelcoming, and sustaining; receives quality instruction that is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 4, + "content": "responsive to their strengths and needs; and receives timely \ninformation about their progress. \nFamilies and Students: \nFamilies are responsible for ensuring their children come to \nschool each day, on time, ready to learn. Every student is also \nresponsible for coming to school and class prepared and on time, \nworking hard, and contributing to the school environment in a \npositive, responsible manner." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 3 of 10 \n \n \n \nTHE BPS PROMOTION POLICY \nThis promotion policy has been developed in alignment with the \nBPS Opportunity and Achievement Gap Policy which states in its \npreamble: \u201cEvery child, in every classroom, in every school of the \nBoston Public School system has the same opportunity to \nachieve the greatness within them as anybody else. Every child \nhas the same unfettered access to every conceivable tool to \nunlock the greatness within them.\u201d The BPS Promotion Policy \noutlines the expectations for school teams that ensure that \nstudents have access to every conceivable tool that will support \nthem to meet grade-level learning expectations before" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 6, + "content": "considering the possibility of retention. \nBPS school teams and individual educators must provide all \nstudents with access to high-quality, differentiated, and relevant \ntier 1 instruction that is aligned with grade-level standards and \nimplemented through high-quality materials. School teams and \nindividual educators must monitor student progress towards \ngrade-level expectations through formal and informal data \ncollection and make ongoing adjustments to instruction to \nrespond to evidence of student learning. School teams and \nindividual educators must ensure that all students have access to \ntiered supports that provide appropriate scaffolds and instruction" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 7, + "content": "so that students are able to develop grade-level knowledge and \nskills. \nIn cases where it is determined that a student may not, with all \navailable supports provided, develop the necessary grade-level \nknowledge and skills by the end of the school year, a school \nteam, including the student, family, teachers, and the school" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 4 of 10 \n \n \n \nleader, will collectively make decisions regarding student \npromotion. If the team is unable to come to a decision or any \nmember would like to dispute a decision, the Chief of Teaching \nand Learning may be brought in to support the decision-making \nprocess. Principals and heads of school have the final authority \nfor all promotion decisions. School teams must make decisions \nbased on the following principles: \n\u25cf ensure promotions are earned and based on academic \nachievement \n\u25cf diminish grade retentions to the greatest extent possible \n\u25cf ensure students will enter classrooms with the skill and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 9, + "content": "knowledge necessary to do grade-level work or have the \nnecessary supports to accelerate learning \n\u25cf ensure students are prepared to demonstrate proficiency on \nthe Massachusetts Comprehensive Assessments \n\u25cf establish a process that supports students and demands \nhard work from them \n\u25cf recognize that students learn at different rates and call for \norganizational structures that respond to students\u2019 \ndifferences \n\u25cf define those inputs and outcomes for which teachers, \nadministrators, parents, and students are accountable." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 5 of 10 \n \n \n \nPROMOTION REQUIREMENTS FOR ALL GRADES \nStudents must fulfill several requirements to be promoted to the \nnext grade. All students must earn passing grades in core \nacademic courses and maintain good attendance. Schools may \nestablish promotion requirements that exceed those listed. The \nSchool Site Council must approve these additional requirements. \nHigh school students must pass courses that align to the BPS \nGraduation Policy (CAO-07) in order to earn the credits necessary \nto graduate. \n \nENGLISH LEARNERS \nStudents in programs for English learners must meet promotion \nand graduation requirements. However, EL students may not be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 11, + "content": "retained in grade if the only reason for not passing the required \ntests is a lack of language knowledge. \n \nSTUDENTS WITH DISABILITIES \nStudents with disabilities are expected to meet promotion and \ngraduation requirements. A student\u2019s Individualized Education \nProgram (IEP) or Section 504 plan will describe the conditions \nunder which the student will take standardized tests for each \nsubject scheduled for assessment or if the student requires an \nalternate assessment. Alternate assessments are intended for a \nminimal number of students with significant disabilities who are \nunable to take standard MCAS tests, even with accommodations." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 6 of 10 \n \n \n \nA student\u2019s 504 plan will describe what, if any, testing \naccommodation will be needed. \n \nREQUIRED PROCESS \nPrincipals and heads of school are responsible for effectively \nimplementing the following process: \n1. Parents must be notified by the end of September of the name \nand phone number of the school staff member (in addition to \ntheir child\u2019s teachers) they should call about concerns related \nto their child\u2019s academic progress. Parents should also be \ninformed that if they ever have a concern about their child\u2019s \nacademic progress, they should notify the appropriate teacher" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 13, + "content": "and principal/head of school (or the designated administrative \nliaison to parents). \n \n2. If by mid-October, a teacher considers a student at-risk of not \nmeeting the subject or grade-level standards, the teacher will \nnotify the parent immediately, in writing, and refer the student \nto the appropriate administrator, guidance counselor, or \nstudent support services personnel. \n \n3. When a student has been identified as at-risk of not meeting \nsubject or grade-level standards, the principal/head of school, \nteacher(s), and other designated staff will work with parents \nand the student to resolve any problems. They may consider a \nvariety of options, including:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 7 of 10 \n \n \n \n\u25cf tiered academic or social emotional supports \n\u25cf examining and altering current instructional strategies or \nmaterials \n\u25cf tutoring (during or after school) \n\u25cf a change in schedule \n\u25cf a change in teacher \n\u25cf referral to other support, social service, or health-related \nservices \n\u25cf problem-solving with other students or individuals who may \nhave an impact on the students\u2019 achievement. \n \n4. If by the close of the first marking term, the problem persists \nand the student remains at-risk for retention, additional \noptions will be considered, including: \n\u25cf referral to the school\u2019s Student Success Team (SST)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 15, + "content": "\u25cf referral to safety net or alternative programs for more \nintensive services \n\u25cf access to additional instructional time (during the day, \nextended day, or summer school) \n\u25cf referral to special education, where necessary and \nappropriate, to determine evidence of a disability (pre-\nreferral documentation must provide evidence that other \ninterventions have been attempted)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 8 of 10 \n \n \n \nParents will be engaged in consideration of additional \nintervention strategies and will be informed, in writing, of any \ndecisions that result. Parents may request a referral for special \neducation services in any case. The final determination of \nappropriate services will rest with the appropriate (IEP or \nSection 504) team. \n \n5. Only when all other interventions have been unsuccessful and \nthe student has not made sufficient academic progress during \nthe course of a school year will the student be considered for \nretention. All potential retentions will be reviewed by a \nPromotion Review Team, including the principal/head of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 17, + "content": "school (or designee), a guidance counselor or student support \nteam member, at least one of the student\u2019s teachers, and the \nchild\u2019s parent. \n \n6. The review team will include the liaison teacher for any \nstudent with an IEP, and a bilingual teacher, counselor, or \nadministrator for any student enrolled in a transitional \nbilingual program. \n \n7. By the end of January, formal, written notices must be sent to \nparents of students who remain at risk of being retained. The \nPromotion Review Team will meet in February and again \nbefore the end of the year to review and make decisions on \nstudents who are at risk of being retained. Principals and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 18, + "content": "heads of school have the final authority for all promotion \ndecisions." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 9 of 10 \n \n \n \n8. During the period from February through June, schools must \nmaintain written, bimonthly contact with parents who were \nsent formal, written notices to apprise them of their child\u2019s \nprogress. Copies of these notifications must be kept on file. \n \n9. Any student who is retained, or remains at-risk even though \nthey were promoted, will be provided with additional support, \nincluding tutoring during the subsequent school year. \n \nHOME-SCHOOL PARTNERSHIPS \nThe success of many students receiving transition support \ndepends on the engagement of their parent(s) in their education. \nSchools implement a variety of strategies to help parents" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 20, + "content": "become successful partners in their children's development. \nThese efforts are coordinated by the school\u2019s guidance and other \nsupport staff. \n \nCONNECTIONS TO COMMUNITY RESOURCES \nSchools will collaborate with community agencies, community \nschools, and higher education institutions to support students' \noverall literacy and math development, increase volunteer \ninvolvement in schools, and diminish the many health, social, and \nemotional problems that undermine success in school. These \nefforts are supported by the school\u2019s guidance and other support \nstaff." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular CAO-01 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington St., Boston, MA 02119 \nPhone: 617-635-9000 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-22 \nVersion 01 \n \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nALL FIELD TRIPS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance and guidance. \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the field trip policy passed by the Boston School" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 2, + "content": "Committee on November 20, 2019. \nProgram leaders (chaperones) must read this circular in its \nentirety. Principals/heads of school (and/or the district \ndepartment sponsoring the trip) are responsible for ensuring that \nall field trip policies and procedures outlined in this circular and \nall the field trip circulars are adhered to. \nBPS SPONSORED FIELD TRIP: DEFINITION \nA BPS sponsored trip is any trip involving BPS students and \nemployees that: uses BPS funds in any way; takes place during \nregular school operating hours; is organized by BPS employee(s)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 2 of 22 \n \nduring normal employment hours, either while on BPS property \nor while using BPS-issued technology; and/or is related directly to \nthe instructional program at the school. Cases where students \nelect to participate in a third-party travel program with the \nconsent of their family, whereby they will travel alone, and not \nwith a school group, are not considered BPS sponsored field trips, \neven if students receive funding support from their school or \ndistrict. \nTYPES OF FIELD TRIPS \nBPS has divided field trips into three types: \n\u25cf Day field trip \n\u25cf Overnight field trip \n\u25cf International field trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 4, + "content": "\u25cf International field trip \nThis division ensures that permission forms and procedures are \ndirectly relevant to the type of trip and activities students will \nengage in. \nRefer to the circular appropriate for your type of trip for further \ndetails: \n\u25cf Day field trips \u2014 Superintendent Circular CAO-23 \n\u25cf Overnight field trips \u2014 Superintendent Circular CAO-24 \n\u25cf International field trips \u2014 Superintendent Circular CAO-25 \n\u25cf Water activities \u2014 Superintendent Circular CAO-27 \nPURPOSE OF FIELD TRIPS \nAll BPS sponsored field trips must serve the purpose of providing \neither instruction or enrichment. Instructional trips support the \ninstructional program and should be directly linked to the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 5, + "content": "curriculum and standards of that grade level or subject area." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 3 of 22 \n \nEnrichment trips contribute to students\u2019 academic, cultural, or \nsocial development, and aim to deepen their engagement with \nschool and learning. Sites for field trips should be carefully \nselected to enrich student learning and exposure to the \ncommunity, new people, places, and activities. Discuss with \nstudents and families the trip\u2019s purpose, learning goals, and \nbehavior expectations in advance, and engage students in \nactivities before, during, and after the trip. It is important to note \nthe serious obligations that BPS staff members undertake to \nensure that all field trips are not only educationally sound, but \nalso manage risk." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 7, + "content": "also manage risk. \nFIELD TRIP CATEGORIES \nA trip often meets more than one category. \n\u25cf Instructional field trip: Enhances a specific curriculum unit \nor serves a broader educational purpose. \n\u25cf Cultural field trip: Engages students in cultural awareness or \nunderstanding experiences to learn more about their own \ncultural identity, or that of others. \n\u25cf Community building field trip: May reinforce relationships \nin an existing group of students, prepare students for a \nsignificant transition into a new structure or community, \nhelp students work collaboratively, or assist in the \ndevelopment of leadership and decision-making skills." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 8, + "content": "\u25cf Service learning field trip: Students learn the value of \nhelping others in their own community and beyond, while \nsimultaneously learning from the host community. These \ntrips show students how empowering service to others is \nwhile developing students\u2019 leadership skills." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 4 of 22 \n \n\u25cf Personal growth and development: Students are exposed \nto new group or individual activities whereby they learn new \nskills and new ideas, develop identity, build self-esteem, \ngrow strengths, and build camaraderie. \nFIELD TRIP TYPES AND TIMELINES FOR APPROVAL \nIt is necessary that the proper procedures are followed, and that \ncopies of all checklists, permission and medical forms are kept on \nfile in the school office and, when appropriate, filed with the \ndistrict. If the deadlines and details below are not met, a field trip \napplication may be rejected. Please note that trip planning" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 10, + "content": "timelines (i.e., \u201ctwelve weeks (or more) prior to the field trip\u201d, etc.) \nin each circular chronicle the minimal amount of time for \nplanning. More time for pre-trip planning is strongly \nrecommended for all types of field trips. \n\u25cf Day Field Trip (CAO-23): Any domestic trip off school grounds \nthat is no more than one day in duration. \no Day Field Trip forms are submitted to the \nprincipal/head of school at least 4 weeks in advance \n(or at the principal/head of school\u2019s discretion) and \napproved by the principals/heads of school. \no Walking field trips are day field trips that require \nwalking within a one-mile radius of the school (i.e.," + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 11, + "content": "local garden, park, field, etc.). The Parent/Guardian \nAuthorization and Acknowledgement of Risks for \nWalking Trips form will apply for all walking field trips \nduring the current school year and will need to be \nupdated each school year, or as student/family \ninformation changes. The school is still required to \ninform families in advance of each walking field trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 5 of 22 \n \nand obtain principal/head of school approval. \no All forms, including the signed CAO-23 checklist \nform, are filed at the school. \no The principal/head of school or designee is the \nemergency contact for day field trips. \n\u25cf Overnight Field Trip (CAO-24): Any domestic trip off school \ngrounds that involves students\u2019 participation overnight. \nTravel to U.S. territories, including Puerto Rico, the United \nStates Virgin Islands, Guam, American Samoa, and Northern \nMariana Islands are considered domestic, but are covered \nunder international travel insurance. Travel to these \nterritories is subject to some forms, requirements, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 13, + "content": "protocols in the CAO-25 International Field Trip guidelines. \nConsult with the Department of Global Education for \nrequired forms for these destinations. \no Overnight Field Trip forms are submitted to the \nprincipal/head of school at least 12 weeks in advance \nand approved by the principals/head of school. \no All forms, including the signed CAO-24 checklist \nform, are filed at the school. \no Overnight Field Trip Request forms, the list of \nstudent names, emergency contact name and \nnumber, grade, D.O.B, the list of chaperone names \nand their role in the school community, the itinerary, \nand if applicable, train and flight information are sent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 14, + "content": "to the district to notify the district of trip plans at \nleast 6 weeks in advance. Scan and email the \nOvernight Field Trip Request form and information to \nthe appropriate operational leader as well as to the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 6 of 22 \n \nDepartment of Global Education and follow up with \nboth to confirm receipt. \no The principal/head of school or designee is the \nemergency contact for overnight field trips. \n\u25cf International Field Trip (CAO-25): Any trip off school grounds \nthat involves travel to a location outside of the United States. \no International field trips should be planned at least a \nyear in advance, to maximize affordability and \nfundraising efforts, and when possible, scheduled \nduring non-school time (i.e., school vacations and \nsummer). \no As soon as a trip opportunity becomes known, or \nthere is interest in an international travel program," + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 16, + "content": "teachers must inform their principal/head of school \nand contact the Department of Global Education for \nsupport and guidance with the CAO-25 application, \nand planning process. No arrangements, payments, \nor deposits should be made without consultation \nwith the Department of Global Education and \nformal application approval from the \nsuperintendent. \no After consulting with the Department of Global \nEducation and head of school, CAO-25 applications \nshall be submitted no less than 9-12 months before \ndeparture. The application requires approval by the \nDepartment of Global Education, which will then \nseek approval from the appropriate district leaders" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 17, + "content": "before obtaining final approval from the \nsuperintendent. Again, no arrangements should be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 7 of 22 \n \nmade or payments or deposits placed without \nconsultation with the Department of Global \nEducation and formal application approval from the \nsuperintendent. \no The principal/head of school or appointee and the \ndirector of Global Education or district designee are \nthe emergency contacts for international travel \nprograms. \nGENERAL GUIDELINES FOR ALL TYPES OF FIELD TRIPS \n\u25cf Principals/head of school or the district department \nsponsoring the trip have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparent internal" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 19, + "content": "protocols for field trip requests and approvals at the school \nlevel. \n\u25cf All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to fundraising efforts \nor other detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. \n\u25cf The program leader (the BPS employee and chaperone \norganizing and leading the trip) and supporting chaperones \nmust be approved by the principal/head of school, or district \ndepartment sponsoring the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 20, + "content": "department sponsoring the trip. \n\u25cf The principal/head of school and program leader must \nreview and complete the appropriate type of field trip \ncircular and checklist throughout the planning process." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 8 of 22 \n \n\u25cf Program leaders must consult with the principal/head of \nschool on potential chaperones and student recruitment. \nEvery effort should be made for students to have access to \nthe field experience, and for chaperones to be \nrepresentative of the student group and include males and \nfemales. The selection and approval of chaperones by the \nprincipal/head of school should be based on the individuals\u2019 \nthorough knowledge of, and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 22, + "content": "must be a chaperone and have a clear role. \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n\u25cf Students not enrolled in the Boston Public Schools may not \nparticipate. \n\u25cf Essential participation criteria: The program leader and \nprincipal/head of school shall work together to establish \nessential participation criteria for the trip. The criteria should \ninform students and parents of all activities and risks \nassociated with each itinerary activity and trip location to \ndetermine what accommodations or modifications may be \nneeded for the student to participate successfully and safely \nin all or portions of the trip. \n\u25cf Student recruitment: Field trips must be advertised to all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 23, + "content": "students (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip), \nregardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. A student\u2019s ability to pay may not \nbe a criterion for field trip participation. If students are \ncharged individual fees for participation in a domestic" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 9 of 22 \n \ninstructional field trip that is directly linked to the \ncurriculum and standards, the school or district should \nmake every effort to provide scholarships where need is \nexpressed. \n\u25cf Student accessibility: Students with English Learner status, \n504 plans, and/or IEPs cannot be denied access to field trips \ndue to their status or ability. It is the responsibility of the \nschool to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent\u2019s Circular SHS-08 for information about" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 25, + "content": "medical dispensation on field trips. \n\u25cf School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 26, + "content": "with, and when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 10 of 22 \n \nand medical forms. \n\u25cf Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 28, + "content": "sensitive experiences and ensure that the program is safe \nand inclusive for all students. Consult the Department of \nGlobal Education for resources if needed. \n\u25cf Inclusive accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender-nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety for the \nstudent and group. Program leaders should work with \nstudents and families to make sure all travel documents \n(airline ticket, passport, etc.) reflect their legal names as" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 29, + "content": "listed on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent\u2019s preferred name. Please view additional rooming \nguidelines from the Office of Equity. \n\u25cf Student conduct: The BPS Code of Conduct applies on all \nfield trips. BPS students and parents are required to sign a \nBPS Student Traveler & Family Agreement form regarding" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 11 of 22 \n \nstudent conduct while participating in a BPS sponsored \nfield trip. Participation in field trips may be denied to any \nstudent who has demonstrated disregard for the policies \nand rules of BPS or the school, immediately prior to or while \non the field trip. Parents/guardians and students must be \nmade aware of this policy in advance and communicated \nwith throughout any processes involving their child not \nparticipating in a field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school \nand central office staff, determines that a student\u2019s conduct" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 31, + "content": "while on an overnight trip poses a risk to themselves or the \nsafety of the group, or is no longer manageable by BPS staff \nin the field, the district reserves the right to request and \narrange for that student to return home. \nThe district also reserves the right to request that families \nassume responsibility for all, or a portion of the costs \nassociated with their child\u2019s return. Students may be subject \nto further disciplinary action and will be provided the \nopportunity to have a formal hearing at the school level \nupon return. The school must document the \nparent/guardian\u2019s consent of this policy prior to the trip. \n\u25cf Student dismissal from field program: If a student is to be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 32, + "content": "dismissed from an overnight field trip, the student\u2019s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon transportation destination. If the parent/guardian is \nnot reachable, the student\u2019s principal or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 12 of 22 \n \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. NOTE: Age requirements are subject to specific \nairline/train/bus guidelines. \n\u25cf Provisions for students not attending the trip: If applicable, \nalternative arrangements and/or comparable activities for \nstudents not attending the trip, or unable to participate in a \nportion of your trip, must be provided. If a student\u2019s family \nelects for their child not to attend a field trip for any reason, \nthe student may not be penalized through their grade or \notherwise." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 34, + "content": "otherwise. \n\u25cf Attendance: Attendance forms should indicate when a \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times.) \nCHAPERONE REQUIREMENTS \n\u25cf Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are 21 \nyears of age or older. Any parent on the trip must operate in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 35, + "content": "the role of chaperone. All chaperones must be approved by \nthe head of school/principal. Every effort should be made for \nstudents to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals\u2019 thorough knowledge of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 13 of 22 \n \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n\u25cf Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the online eCORI form. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 37, + "content": "lead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. Non-BPS employee \nchaperones (parents/guardians) are required to show proof \nof COVID vaccination, or a negative COVID-19 test within 72 \nhours of the field trip. \n\u25cf BPS Parent Chaperones: Chaperones who are" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 38, + "content": "\u25cf BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 14 of 22 \n \nAll chaperones must complete the Chaperone Agreement \nform. \n\u25cf Chaperone Ratios: The student-to-chaperone maximum \nratios must be: \no Day field trips: minimum of two chaperones \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \no Domestic Overnight field trips: 10:1 (minimum of \ntwo chaperones) \no International field trips: 7:1 (minimum of two \nchaperones) * Includes Puerto Rico \nNOTE: There should not be more chaperones than \nstudents, unless mandated by an educational plan or \nother circumstances approved by the principal/head \nof school and Department of Global Education. For \nstudents with disabilities, the ratio of staff to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 40, + "content": "students must be at least the same as the ratio \nmandated in their IEPs for their classes. \no NEW: Tour guides and employees of third-party \nvendors contracted to help operate the trip are \nnot considered chaperones and do not factor into \nthe student to chaperone ratio. \nPERMISSION FORMS \n\u25cf The student may not attend the field trip without a signed \npermission slip. Permission for field trips must be in written \nform only. Program leaders are responsible for seeing that \npermission slips are filled out completely and signed by the \nlegal parent(s)/guardian(s)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 15 of 22 \n \n\u25cf Permission slips are legal documents and may not be \naltered. Permission slips must be used for any excursion that \nis school sponsored, including those scheduled after school \nand on weekends. \n\u25cf No staff member may solicit students for any privately \narranged field trip or excursion without the permission of \nthe principal/head of school. \n\u25cf \u201cBlanket\u201d authorization (i.e., parental/guardian approval \nusing a single form for multiple trips to be taken during the \nschool year) should never be allowed (except for the \nWalking Trips and Water Activities form if they are in the \nsame location). A separate parent/guardian permission slip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 42, + "content": "must be obtained and filed for each field trip. \n\u25cf Parental/guardian permission slips must be sent home in \nEnglish and in the language of the home. \n\u25cf Only parents/guardians are authorized to sign permission \nforms. For questions regarding legal guardianship, refer to \nthe SIS site or the local Welcome Center. \n\u25cf Check that students and their parents/guardians have \nsigned the BPS Media Appearances release section of the \nParent/Student Agreement document so that the trip may \nbe showcased upon your return. (This document can be \nfound in the Guide to the Boston Public Schools for Families \nand Students.) \n\u25cf Review each student's Emergency Information Card (Form" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 43, + "content": "460 or electronic equivalent) to ensure/cross-check \naccuracy of all field trip permissions and forms. \n\u25cf Program leaders must be specific when completing the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 16 of 22 \n \nschool portion of the Parental Authorization for Field Trip \nform. Parents/guardians must be given sufficient \ninformation to understand the nature and scope of the \nactivities on the itinerary. Additional customized waivers \nmay be developed for specific trips/itineraries. \nRECORD KEEPING FOR ALL TYPES OF TRIPS \n\u25cf Retain completed field trip request forms, original \npermission slips, medical forms, fire prevention and safety \nforms (if applicable), and all other signed documents for \nfield trips in the school office. Legally, these records must be \nkept for the current fiscal year plus three additional years" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 45, + "content": "after all field trips have occurred." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 46, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 17 of 22 \n \nTRANSPORTATION FOR FIELD TRIPS \n\u25cf School buses or BPS approved transportation vendors\u2019 \nvehicles (per BPS Transportation Department) MUST be \nused to transport students to and from field trips or athletic \nevents regardless of how the trip is paid for. Privately owned \nvehicles, vehicles from non-approved vendors are not \npermitted. \nRide sharing transportation services, such as Uber and Lyft, or \nleased vans are not to be utilized to transport students to \nand from field trips or athletic events, except in the case of a \nbona fide emergency. \n\u25cf Students are prohibited from driving vehicles, operating, or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 47, + "content": "being a passenger on any motorbike during a field trip. \n\u25cf Staff are not permitted to transport students. Staff who \nutilize their own vehicles, or leased vehicles, risk being \nlegally liable if students are injured while riding in their \nautomobiles. \n\u25cf Please refer to Superintendent\u2019s Circular TRN-03 for \ninformation and regulations regarding field trip \ntransportation. \nSAFETY GUIDELINES \nAs part of trip planning and itinerary development, ensuring the \nmajor aspects of health, safety, and security have been addressed \nwith appropriate due diligence. Program leaders should be able \nto articulate in an informed manner what decisions were made," + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 48, + "content": "why they were made, and the sources that informed their \ndecision making. If you are unsure as to whether an activity is \nappropriate in terms of safety or educational content for a \nschool-sponsored trip, please consult with your principal/head of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 18 of 22 \n \nschool and the Department of Global Education. \n\u25cf Review Superintendent\u2019s Circular FSE-05, Medical \nEmergency Management, and SAF-04 Incident Data-\nReporting and Release for important safety protocols. \n\u25cf Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity in which parents have been informed of and \napproved in writing in advance, and age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should at least be in groups of \nthree, AND always know how to reach an adult chaperone." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 50, + "content": "\u25cf Day and water field trips: The Department of Safety Services \n(617-635-8000) must be notified in the event of a serious \nmedical or other emergency and should be used as a \nresource for questions regarding safety on day field trips, \nincluding water activity day trips. \n\u25cf Domestic overnight trips: The principal/head of school is the \nemergency contact and must be notified in the event of a \nserious medical or other emergency. Prior to departure, the \nDepartment of Global Education should be used as a \nresource for questions regarding safety on trips, and for \nsupport with insurance and claims. Prior to departure, \nprogram leaders will receive emergency contact \ninformation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 51, + "content": "information. \n\u25cf International trips: The principal/head of school or designee, \nfollowed by the Department of Global Education or district \nappointee, are the emergency contacts for international \ntrips. DGE must be notified in the event of a serious medical \nor other emergency and should be used as a resource for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 52, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 19 of 22 \n \nquestions regarding safety on trips. Prior to departure, \nprogram leaders will receive emergency contact \ninformation. \n\u25cf Emergency Action Plan: At all times during the trip, all \nchaperones must carry with them a copy of the Emergency \nAction Plan (EAP) that outlines procedures for calling 911 in \nthe US or the foreign equivalent while abroad, as well as \nemergency protocols. The EAP can be found in the day, \novernight, and international circulars. \n\u25cf Personal Health: For overnight and international trips, \nstudents and staff must have had a recent doctor\u2019s visit, \nphysical exam, and any required vaccinations prior to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 53, + "content": "departure. See CAO-24 and CAO-25 for details on healthy \ntravel requirements. \n\u25cf Training: The district reserves the right to require additional \ntraining and/or certifications such as CPR/AED, first aid, and \nprogram (chaperone) leader risk management training \ndepending on the type, location, and purpose of the trip. \nReview the specific circular for your trip type for certification \nrequirements. \n\u25cf Phone/Social Media Usage: Set expectations with students \nregarding phone and social media usage during any field \ntrip. This is especially critical during an emergency. \n\u25cf Insurance: The district provides medical insurance coverage" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 54, + "content": "for BPS-sponsored international and domestic trips for BPS \nstudents and BPS staff participants. [Domestic is defined as \n100 driven miles away from home or place of study or \nemployment.] Trip cancellation and interruption coverage \nare not provided by the district. Program leaders must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 20 of 22 \n \ninform families (and funders) of this fact, and that they have \nthe option to voluntarily purchase these additional \ncoverages on their own. For Level 2 CDC or State \nDepartment Warning international destinations, trip \ncancellation and interruption coverages are strongly \nrecommended. \n\u25cf Cancellation: The superintendent reserves the right to \ncancel any field trip up to and including the day of \ndeparture to manage risk. Upon advance review of \nitineraries, BPS reserves the right to deny schools \npermission to participate in the field trip activities on their \nitinerary where the risks of the activity outweigh the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 56, + "content": "intended learning outcomes of the program. \n\u25cf Post Field Trip: After the trip, follow up and communicate \nwith the student and parent/guardian, as well as the \nprincipal/head of school, Department of Safety Services, or \nthe Department of Global Education if there are any student \nsafety concerns (health or otherwise) during the trip that \nrequire further attention. \nHOMESTAYS IN BOSTON, NATIONALLY, AND ABROAD \n\u25cf For host family stays (both incoming and outgoing), review \nCAO-26 Guidelines for Homestays & International Student \nVisitors for more information. Please contact the \nDepartment of Global Education immediately for guidelines." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 57, + "content": "All BPS families (anyone in households 18 or over) who host \nnational or international guests must be CORI cleared by the \nBPS Office of Human Capital. \nINTERNATIONAL STUDENT VISITORS (CAO-26) \n\u25cf International/ students can register with BPS if they will be a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 58, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 21 of 22 \n \nfull-time student at a BPS school, except the exam schools, \nfor one year. Students must be in their freshman, \nsophomore, or junior year. Please be advised that BPS does \nnot get involved with the J1 visa process. Review CAO-26 \nGuidelines for Homestays & International Student Visitors for \nmore information. Please contact the Department of Global \nEducation immediately for guidelines. \n\u25cf For visiting students, note immunization requirements for \nthose visiting us from abroad. Work with the program leader \n(lead chaperone) from visiting schools to ensure all health \nregulations are met. See attached letter for directives from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 59, + "content": "the Massachusetts Department of Public Health. \nhttp://www.mass.gov/eohhs/docs/dph/cdc/immunization/im\nmunization-requirements-exchange-and-visiting-\nstudents.pdf \nWATER ACTIVITIES (CAO-27) \n\u25cf If your trip involves activities in, or on the water, you must \ncontact the Department of Global Education immediately to \nsubmit a mandatory Water Activity Request form and to \nensure that the site location for the water activity has up-to-\ndate insurance, liability, and certification documentation on \nfile with the district. Refer to CAO-27 for specific guidelines \nfor water activities. \nFor more information, questions, and support about this \ncircular, please contact:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 60, + "content": "circular, please contact: \n Owner: Chief of Teaching and Learning \nTitle: Director of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 61, + "content": "Superintendent\u2019s Circular CAO-22 \nPage 22 of 22 \n \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-23 \nVersion 01 \n \nDAY FIELD TRIP GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance/guidance. \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 2, + "content": "Committee on November 20, 2019. \nThis circular should be read AFTER Superintendent\u2019s Circular \nCAO-22 General Guidelines and Procedures for All Field Trips, as \nadditional guidelines are outlined there. \nThe principal/head of school (and/or the district department \nsponsoring the trip) is responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular and CAO-22 \nare adhered to. \nTogether, the principal/head of school (and/or the district \ndepartment lead sponsoring the trip) and the program leader \n(lead chaperone) must review and complete checklists for this \ncircular. The signed checklist must be kept on file at the school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 2 of 36 \n \nA day field trip is any domestic trip off school grounds that is no \nmore than one day in duration. \n\uf0a8 Day field trip forms are submitted to the principal/head of \nschool AT LEAST 4 weeks in advance (or at the \nprincipal/head of school \u2019s discretion) and approved by the \nprincipal/head of school; school leaders reserve the right to \ncancel a trip for any reason and at any time for safety \npurposes. \n\uf0a8 Walking field trips are day field trips that require walking \nwithin a 1-mile radius of the school (e.g., local garden, park, \nfield, etc.) The Parent/Guardian Authorization and \nAcknowledgement of Risks for Walking Trips form will apply" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 4, + "content": "for all walking field trips during the current school year. It \nmust be updated each school year or as student/family \ninformation changes. The school is still required to inform \nfamilies in advance of each walking field trip and obtain \napproval from the principal/head of school. All forms, \nincluding signed CAO-23 checklist form, are filed at the \nschool. \nApplications: Schools shall communicate with families in \nadvance when students leave school grounds and ensure written \npermission is received. \nWater Activities: Organizers of trips that involve activities in or \non the water as part of the curriculum must immediately contact" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 5, + "content": "the Department of Global Education for additional approval. \nThere is a separate and mandatory procedure for all trips \ninvolving water. See Superintendent\u2019s Circular CAO-27 for water \nactivity guidelines." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 3 of 36 \n \nDAY FIELD TRIP CHECKLIST \n(Checklist and request form must be completed for each day \nfield trip.) \n\uf0a8 Review Superintendent\u2019s Circular CAO-22 General \nGuidelines and Procedures for All Field Trips. \n\uf0a8 Review Superintendent\u2019s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Safety Services (617-635-8000) must be \nnotified in the event of a serious emergency and should be \nused as a resource for questions regarding safety on field \ntrips. \n\uf0a8 Select a site and investigate the appropriateness of the site \nin relation to the category of field trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 7, + "content": "in relation to the category of field trip. \nField Trip Category(s) (see CAO-22): _______________________ \nSite(s): ________________________________ ____________________ \n\uf0a8 Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \nDate: ________________________________ _____________________ \nAlternate Date: ________________________________ ___________ \n\uf0a8 All program leaders (the BPS employee organizing and \nleading the trip) must be approved by the principal/head of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 8, + "content": "school or district department sponsoring the trip. \n\uf0a8 All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 4 of 36 \n \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to any fundraising or \nother detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. Consult \nwith the principal/head of school on potential chaperones \nand student recruitment. \n\uf0a8 Planning, organization, and preparation are critical to a \nsuccessful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 10, + "content": "have been addressed with due diligence. Program leaders \nmust be able to articulate what decisions were made, why \nthey were made, and the sources that informed that \ndecision making. If you have questions about the \nappropriateness of an activity, please consult with your \nprincipal/head of school. \n\uf0a8 School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial and must take place \nbefore the field trip is secured. For additional questions," + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 11, + "content": "please consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult \nwith and, when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 5 of 36 \n \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips \nand medical forms. \nCHAPERONE REQUIREMENTS \n\uf0a8 Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school regarding potential \nchaperones and student recruitment. The program leader \n(lead chaperone) must be a BPS employee. Other \nauthorized chaperones may include parents and guardians \n21 years of age or older. Any parent on the trip must operate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 13, + "content": "in the role of chaperone. All chaperones must be approved \nby the head of school/principal. Every effort should be made \nfor students to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals\u2019 thorough knowledge of \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n\uf0a8 Non-BPS Chaperones: Other authorized chaperones may" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 14, + "content": "include parents and volunteers who are 21 years of age or \nolder. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form. Contact the BPS Office of \nHuman Capital (OHC) for CORI check and confirmation \nsupport. The principal/head of school and the lead \nchaperone are responsible for submitting authorization" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 6 of 36 \n \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. \n\uf0a8 BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone\u2019s child who does not attend" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 16, + "content": "the participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child\u2019s participation. \n\uf0a8 All chaperones must complete the Chaperone Agreement \nform. \nChaperone Ratios: \n\u2022 A minimum of two chaperones is required. \n\u2022 Student-to-chaperone ratios are: \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \n\u2022 For students with IEPs, the ratio of staff to students must be \nat least the same as the ratio mandated in their IEPs for \ntheir classes. \n\u2022 For water activities: The student-to-chaperone ratio must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 17, + "content": "remain 10:1 at all times during instructional swimming for all \ngrade levels. This ratio does not include lifeguards on duty. If \nyour trip involves activities on or in the water, you must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 7 of 36 \n \ncontact the Department of Global Education for approval \nimmediately. There is a separate, mandatory procedure for \nall trips involving water. See Superintendent\u2019s Circular CAO-\n27 for water activity guidelines. \nChaperone Team: \n\uf0a8 The program leader/lead chaperone will meet with the \nchaperone team to delegate responsibilities and review the \nstudent team. The program leader will record the names of \nthe chaperones and the students each chaperone is \nsupervising. Each chaperone must carry this list. \n\uf0a8 Chaperones will organize a \u201cbuddy system,\u201d pairing \nstudents with one another for safety purposes." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 19, + "content": "students with one another for safety purposes. \n\uf0a8 The lead chaperone will (1) review students\u2019 permission slips; \nand (2) prepare any questions for follow-up with families \nand the school nurse and counselor. \n\uf0a8 The lead chaperone will prepare a trip binder for all \nchaperones (See \u201cDuring the Trip\u201d section which lists all \nbinder contents). \n\uf0a8 The lead chaperone must carry original, signed Parental \nAuthorization for Day Trip forms for all students; all other \nchaperones must carry copies. \nSTUDENT PARTICIPATION \n\uf0a8 Participation Criteria: The program leader and \nprincipal/head of school will work together to establish (1) \nessential participation criteria for the trip that informs" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 20, + "content": "students and parents of all activities and risks associated \nwith each itinerary activity; and (2) trip location, to \ndetermine what accommodations or modifications may" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 8 of 36 \n \nneed to be made for the student to successfully and safely \nparticipation in all, or portions of the trip. Discuss with \nstudents the trip\u2019s purpose and learning goals in the weeks \nprior to the trip; plan to engage students in activities before, \nduring, and after the trip so that the field trip learning \npotential is maximized. Set aside time to process student \nlearning on the trip. \n\uf0a8 Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Field trips must be advertised \nto all students (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 22, + "content": "regardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. \n\uf0a8 Accommodations: English Learners and students with 504 \nPlans and/or IEPs cannot be denied access to field trips due \nto their status or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. To \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure, consult with, and when \nnecessary, receive training from (1) the school nurse" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 23, + "content": "regarding any students who have medical needs; and (2) the \nschool counselor regarding mental and behavioral health \nneeds. If any student has a serious medical condition, please \nbe sure that their doctor writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nEnsure the availability of a first aid kit. \n\uf0a8 Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 9 of 36 \n \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for \nsensitive experiences and ensure that the program is safe \nand inclusive for all students. \n\uf0a8 Inclusive Accommodations: The program leader and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 25, + "content": "principal/head of school will work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent\u2019s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents reflect their legal names as \nlisted on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent\u2019s preferred name. \n\uf0a8 The BPS Code of Conduct applies on all field trips. Review \nconduct expectations with students in advance. \nDOCUMENTATION \n\uf0a8 Consult with the principal/head of school and nurse \nregarding the medical needs of potential participating" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 26, + "content": "students before you receive field trip approval (at least six \nweeks beforehand). Document notes from this consultation. \n\uf0a8 Complete and submit a Day Field Trip Request form and \naccompanying documents to obtain official consent from \nthe principal/head of school to execute the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 10 of 36 \n \n\uf0a8 Create a school file to house all important documents: Day \nField Trip Request form, student permission slips, and other \nsigned documents. These documents must be kept on file \nfor the current fiscal year plus three additional years after \nthe trip has occurred. \n\uf0a8 Distribute and collect the Parental Authorization for Day \nTrip form for each participating student. \n\uf0a8 Contact the field trip site and ensure that the necessary \narrangements are in place. \n\uf0a8 Share the trip details listed below with all teachers and \nother staff members so that they may plan accordingly: \no Trip overview (purpose); destination; date of trip; roster" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 28, + "content": "o Chaperones\u2019 names and roles in school community \n\uf0a8 Inform the food service manager or attendant whether \nstudents will return to school for lunch, or whether brown \nbag lunches should be prepared. Be mindful of any student \nfood allergies. \nTRANSPORTATION \n\uf0a8 Develop transportation plans: mode of transportation, travel \ntime, cost, etc. If applicable, be sure to note how and with \nwhom the child will travel to and from field trip departure \nand pick-up locations. \n\uf0a8 Staff are not permitted to drive students. Privately owned \nvehicles from non-approved vendors, ride sharing services \nsuch as Lyft or Uber, or leased vehicles are not to be utilized" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 29, + "content": "except in the case of a bona fide emergency. Staff who \nutilize their own vehicles or a leased vehicle risk being \nlegally liable. Please refer to TRN-03 for regulations on field \ntrip transportation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 11 of 36 \n \n\uf0a8 If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of \ninsurance on the Medical Information form. \nONE WEEK PRIOR TO TRIP \n\uf0a8 Verify all arrangements, including transportation and \nreception at the site. \n\uf0a8 Prepare name tags for younger students. \n\uf0a8 Provisions must be made in advance for any student not \nattending the trip and staying at school. If applicable, \nprovide alternative arrangements and/or comparable \nactivities for students not attending the trip or unable to \nparticipate in a portion of your trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 31, + "content": "participate in a portion of your trip. \n\uf0a8 If a student\u2019s family elects for their child not to attend a field \ntrip for any reason, the child may not be penalized through \ntheir grade or otherwise. \n\uf0a8 Remind students and chaperones of safety and behavior \nexpectations. \n\uf0a8 Notify/consult with the principal/head of school if trip plans \nhave changed from the original field trip request. Prepare \nand leave a field trip package for the principal/head of \nschool that includes CAO-23 checklist, Day Field Trip \nRequest form, and permission slip copies. \nDURING THE FIELD TRIP \n\uf0a8 Take attendance and leave the current list of students \nattending the trip with the principal/head of school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 32, + "content": "\uf0a8 Record specific bus number and driver\u2019s name and leave \ninformation with the principal/head of school, all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 12 of 36 \n \nchaperones, and, if age appropriate, students. \n\uf0a8 Chaperones must supervise all assigned students. Conduct \nhead counts and buddy checks before embarking on your \ntrip, throughout your trip, and before departing the field trip \nsite for home. \n\uf0a8 Review standards for safety and behavior with students. \n\uf0a8 Chaperones must carry the trip binder at all times on the \ntrip which includes the following: permission slips (original, \nsigned permission slips must be carried by the lead \nchaperone), Emergency Action Plan, Day Field Trip Request \nform, and any accompanying itinerary details for this \nparticular trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 34, + "content": "particular trip. \n\uf0a8 All students must have the contact information of \nchaperones and other necessary emergency and contact \ninformation. \n\uf0a8 Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity of which parents have been informed and have \napproved in writing in advance, and that is age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least pairs AND \nalways know how to reach an adult chaperone. \n\uf0a8 Review with everyone where they are to go if separated \nfrom the group. \n\uf0a8 Program leaders and chaperones have the responsibility to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 35, + "content": "modify the program to ensure the ongoing safety of \ntravelers. Consult with principal/head of school and \nDepartment of Safety Services if this becomes necessary." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 13 of 36 \n \nAFTER THE FIELD TRIP (MANDATORY) \n\uf0a8 Retain completed, original Day Field Trip Request form, \noriginal permission slips, and any other signed documents \nfor the field trip in the school office. These records must be \nkept for the current fiscal year plus three additional years \nafter the field trip occurs. \n\uf0a8 Remind students (and inform parents/guardians) to see a \ndoctor immediately if they are not feeling well after the trip \nand to inform the doctor of their experience. \n\uf0a8 If applicable, file and follow up with an Incident Report. \nAFTER THE FIELD TRIP (SUGGESTED) \n\uf0a8 Write thank you notes." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 37, + "content": "\uf0a8 Write thank you notes. \n\uf0a8 Present to the school and family community about the \nstudents\u2019 observations while on the trip. \n\uf0a8 Conduct related creative and/or analytical projects to \nshowcase student learning. \n\uf0a8 Write a news article about the trip for a local newspaper or \nwebsite. \n\uf0a8 Email stories, journals, and pictures of your trip to the \nDepartment of Global Education. \n\uf0a8 Evaluate the trip. \no Was the educational purpose of the trip served? \no What were the highlights of the trip? \no What might you do differently next time? \no Are there any incidents or accidents to report? \n \nPLEASE SIGN THIS CHECKLIST, RETAIN A COPY FOR YOUR FILE," + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 14 of 36 \n \nAND SUBMIT THE ORIGINAL TO THE SCHOOL OFFICE FOR \nFILING. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed, \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \nSchool Name: ___________________________________________________ \nSignature of Lead Chaperone: ___________________________________ \nDate: ____________________________________________________________ \nSignature of Principal/Head of School or Sponsoring District \nDepartment: ____________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 39, + "content": "Date: ____________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 40, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 15 of 36 \n \nFor more information, questions, and support about this \ncircular, please contact: \n Owner: Chief of Teaching and Learning \nDepartment: Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \nATTACHMENTS: \nI. Day Field Trip Request Form \nII. Emergency Action Plan \nIII. Parental Authorization for Day Field Trip \nIV. Parent/Guardian Authorization and Acknowledgement of \nRisks for Walking Trips \nV. Chaperone Agreement Form" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 16 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART I) \nThis form is submitted to the principal/head of school for \napproval. This form and all original permission slips are kept on \nfile for the current fiscal year plus three additional years. \n \nSCHOOL INFORMATION \nSchool: __________________________________________________________ \nDate Submitted: _________________________________________________ \n \nOVERVIEW \nNumber of Students: ____________________________________________ \nNumber of Chaperones: (10:1 Ratio) _______________________________ \nDestination/s: ____________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 42, + "content": "__________________________________________________________________ \nDate of Trip: _____________________________________________________ \nField Trip Category:_______________________________________________ \nOverview of Trip/ Educational Purpose: __________________________ \n __________________________________________________________________ \nItinerary: ________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 17 of 36 \n \n __________________________________________________________________ \nSITE/S CONTACT INFORMATION \n(If you are visiting multiple places, please list all.) \nSite/s: ____________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nAddress/s: _______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 44, + "content": "__________________________________________________________________ \nSite/s Contact Person: ___________________________________________ \n __________________________________________________________________ \nSite/s Telephone Number & Email(s): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 18 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART II) \nSUPERVISION \nProgram Leader (Lead Chaperone): \n __________________________________________________________________ \nPhone (during the trip): __________________________________________ \nEmail: ___________________________________________________________ \nNames and phone numbers of all chaperones: (attach a separate \ndocument if necessary): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 46, + "content": "__________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 19 of 36 \n \nTRANSPORTATION \nPick-up Location: _______________________________________________ \nDrop-off Location: _______________________________________________ \nDeparture Time: _________________________________________________ \nTime Back at School: _____________________________________________ \nMethod of Transportation: _______________________________________ \nTransportation Provider: _________________________________________ \n __________________________________________________________________ \nContact Information: (phone number and address) \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 48, + "content": "__________________________________________________________________ \n __________________________________________________________________ \nStaff may not drive students. Privately owned vehicles, ride \nsharing services, vehicles from non-approved vendors, or leased \nvehicles are not to be utilized to transport students to and from \nfield trips, except in the case of a bona fide emergency. Staff who \nutilize their own vehicles risk being legally liable. Schools must \nuse BPS buses or approved bus vendors regardless of how the \ntrip is paid for. (See TRN-03) \nTotal Cost: _______________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 49, + "content": "Funding Source: _________________________________________________ \nGrant Number: __________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 50, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 20 of 36 \n \nBEDF Account Code/Description: ________________________________ \nApproved by: ____________________________________________________ \nPrincipal/Head of School /Sponsoring District Department \nDate: ______________________________ \n \nYour signature indicates that all policies outlined in this circular \nregarding day trips will be followed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 51, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 21 of 36 \n \n \nEMERGENCY ACTION PLAN (EAP) \nThe program leader and chaperones must have copies of this \nchecklist during the trip. \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP: \n\uf0a8 Do not leave the injured person alone or without an adult \npresent. \n\uf0a8 REMAIN CALM. This helps the operator receive your \ninformation. \n\uf0a8 DIAL 911. Remember, you may need to access an outside line \nfirst. \n\uf0a8 Answer the dispatcher\u2019s questions clearly and concisely. \nThey will ask for all the relevant facts. The dispatcher will \nend the call when all of the information is verified. \n\uf0a8 Wait with the person until EMS arrives." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 52, + "content": "\uf0a8 Wait with the person until EMS arrives. \n\uf0a8 Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \nNOTIFICATION OF INCIDENT \n\uf0a8 Call parent/guardian, principal/head of school, the \nSuperintendent\u2019s Office, and Department of Safety Services \nregarding the incident immediately. \n\uf0a8 File an Incident Report." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 22 of 36 \n \n \nPrincipal/Head of School Phone Numbers: \n __________________________________________________________________ \nDepartment of Safety Services: (617) 635-8000 \nAdditional Phone Numbers: ______________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 54, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 23 of 36 \n \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nBPS STAFF: \n\uf0a8 Use one form per trip, per student. \n\uf0a8 Complete the School Portion of form. \n\uf0a8 Send a copy home for parent/guardian and student \nsignatures. \n\uf0a8 During the field trip, the signed, original form must be \ncarried by the lead chaperone, copies by all other \nchaperones and a photocopy must be left on file in the \nschool office. \nSTUDENTS: \n\uf0a8 Complete the \u201cStudent Agreement\u201d section. \nPARENT / LEGAL GUARDIAN, IF STUDENT IS UNDER 18 YEARS OF \nAGE; OR STUDENT, IF AT LEAST 18 YEARS OLD: \n\uf0a8 Complete the Authorization & Acknowledgement of Risks \nsection." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 55, + "content": "section. \n\uf0a8 Complete the \u201cMedical Authorization\u201d section." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 56, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 24 of 36 \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nTo be completed by the school \n \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nDestination: ______________________________________________________ \nPurpose(s): ______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nList of Activities: ________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 57, + "content": "__________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSupervision: (Check one) \n\uf0a8 Students will be directly supervised by adult chaperones on \nthis trip at all times." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 58, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 25 of 36 \n \nMode of Transportation (check all that apply): \n\u25a1 Walking \u25a1 School bus \u25a1 MBTA \n\u25a1 Other __________________________________________________________ \nStudents will leave from: \n_________________________________________ at ____________________. \n (location) (time) \n \nStudents will return to: (location) _________________________________ \nat about (time)__________________. \nChaperone(s) in Charge: _________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 59, + "content": "__________________________________________________________________ \nChaperone/Student Ratio: __________________________ (10:1 for all \ngrades; minimum of two chaperones) \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I am \nrepresenting BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abide by school-\nbased rules and the Boston Public Schools\u2019 Code of Conduct. \nStudent signature _________________________ Date _________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 60, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 26 of 36 \n \nTo be completed by the parent/guardian or student (if 18 or over): \nPARENT/GUARDIAN AUTHORIZATION AND \nACKNOWLEDGEMENT OF RISKS FOR BPS DAY TRIPS \nI understand that my/my child\u2019s participation in this field trip is \nvoluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the first \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. \nI assume full responsibility for any risk of personal or property \ndamages arising out of or related to my/my child\u2019s participation" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 61, + "content": "in this field trip, including any acts of negligence or otherwise \nfrom the moment that my student is under BPS supervision and \nthroughout the duration of the trip. I further agree to indemnify \nand to hold harmless BPS and any of the individuals and other \norganizations associated with BPS in this field trip from any claim \nor liability arising out of my/my child\u2019s participation in this field \ntrip. I also understand that participation in the field trip will \ninvolve activities off school property; therefore, neither the \nBoston Public Schools, nor its employees nor volunteers, will have \nany responsibility for the condition and use of any non-school \nproperty." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 62, + "content": "property. \nI understand that BPS is not responsible for my/my child\u2019s \nsupervision during such periods of time when I/my child may be \nabsent from a BPS supervised activity. Such occasions are noted \nin the \u201cSupervision\u201d section in this agreement. I state that I \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child\u2019s participation in this" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 63, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 27 of 36 \n \nfield trip may at any time be terminated by BPS in the light of \nmy/my child\u2019s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense \nwith no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth, and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 64, + "content": "agree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency \nmedical care, if in the opinion of attending medical personnel, \nsuch action is advisable. \nFurther, I authorize the chaperones listed to act on my behalf as \nparent/guardian of my child/ward while participating in the trip \ndescribed above, including the admittance to and release from a \nmedical facility." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 65, + "content": "medical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 66, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 28 of 36 \n \npage. \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 67, + "content": "bound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: _____________________________________________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant, \nthat I have read and that I understand the above agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: \n____________________________________________________________ \n(student)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 68, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 29 of 36 \n \nto participate in all aspects of this trip. \nParent/Guardian Signature/s _____________________________________ \nDate: _____________________________________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal \nguardian must complete the information below: \nPrint parent/guardian/s first and last name(s): \n __________________________________________________________________ \nAddress: _________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 69, + "content": "Telephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency contact\u2019s first and last name (other than \nparent/guardians): _______________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________ \n \n \nWALKING TRIPS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 70, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 30 of 36 \n \nParent/Guardian Authorization and Acknowledgement of Risks \nfor Walking Trips \nInstructions: This form is to be completed by parents/guardians \nto authorize BPS to engage students in day field trips that \nrequire walking within a 1-mile radius of the school. This form will \napply for all walking field trips during the current school year, \nand will need to be updated each school year, or as \nstudent/family information changes. The school is still required \nto inform families in advance of walking field trips, and obtain \nprincipal/head of school approval. \nI understand that my/my child\u2019s participation in this field trip is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 71, + "content": "voluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the front \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. I assume full \nresponsibility for any risk of personal or property damages arising \nout of or related to my/my child\u2019s participation in this field trip, \nincluding any acts of negligence or otherwise from the moment \nthat my student is under BPS supervision and throughout the \nduration of the trip. I further agree to indemnify and to hold \nharmless BPS and any of the individuals and other organizations" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 72, + "content": "associated with BPS in this field trip from any claim or liability \narising out of my/my child\u2019s participation in this field trip. I also \nunderstand that participation in the field trip will involve \nactivities off of school property; therefore, neither the Boston \nPublic Schools, nor its employees nor volunteers, will have any \nresponsibility for the condition and use of any non-school \nproperty. I understand that BPS is not responsible for my/my \nchild\u2019s supervision during such periods of time when I/my child \nmay be absent from a BPS supervised activity. Such occasions are \nnoted in the \u201cSupervision\u201d section in this agreement. I state that I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 73, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 31 of 36 \n \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child\u2019s participation in this \nfield trip may at any time be terminated by BPS in the light of \nmy/my child\u2019s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 74, + "content": "with no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I \nagree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 75, + "content": "medical care, if in the opinion of attending medical personnel, \nsuch action is advisable. Further, I authorize the chaperones \nlisted to act on my behalf as parent/guardian of my child/ward \nwhile participating in the trip described above, including the \nadmittance to and release from a medical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 76, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 32 of 36 \n \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional \npage." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 77, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 33 of 36 \n \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: ___________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student\u2019s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant," + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 78, + "content": "that I have read and that I understand the above Agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: _____________________________________________ \n(student) \nto participate in all aspects of this trip. \nParent/Guardian Signature/s: _____________________________________ \n __________________________________________________________________ \nDate: ___________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 79, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 34 of 36 \n \nguardian must complete the information below: \nPrint Parent/Guardian/s First and Last Name/s: \n __________________________________________________________________ \nAddress: ________________________________________________________ \n __________________________________________________________________ \nTelephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency Contact\u2019s First and Last Name (other than \nparent/guardians): _______________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 80, + "content": "Relationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 81, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 35 of 36 \n \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: _________________ Return Date: ___________________ \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants, \nis extremely important during this field trip. I agree to make" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 82, + "content": "safety my first priority. I agree to conduct myself in a manner that \npromotes my safety and the safety of others at all times. I \nunderstand that maintaining students\u2019 safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake up calls for students, are part of my responsibility. \nI agree to follow BPS policies, protocols, and guidance of BPS \nstaff when in the field." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 83, + "content": "Superintendent\u2019s Circular CAO-23 \nPage 36 of 36 \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling, and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication; and selling of \nprescription drugs. \nThe Code also prohibits the use of tobacco products (including e-\ncigarettes, hookah paraphernalia, and vapor cigarettes). I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 84, + "content": "understand that these prohibitions apply to all students, \nregardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Signature: ___________________________________________ \nDate: _________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-07 \nVersion 01 \n \n \n \nMASSCORE GRADUATION REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has a priority to create policies and \npractices that support the preparation of every student to be \ncollege, career, and life ready while removing barriers that \nprevent students from graduating from BPS. Accordingly, it is \nimperative that BPS utilize standards-aligned graduation \nrequirements across the district that will promote and ensure \nrigor and excellence in our schools, resulting in the elimination of \nopportunity and achievement gaps and ensuring that every" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 2, + "content": "student graduates prepared for life after high school. \nApproved by the Boston School Committee in May of 2021, \nBoston Public Schools (BPS) adopted the MassCore Course of \nStudy as its graduation requirement for all students in the \ndistrict. The requirements will begin for students entering 9th \ngrade in School Year 2022-2023 (SY22-23), with full \nimplementation by the start of SY25-26. This circular outlines the \ndetails of graduation course requirements, alignment to DESE \nstandards and state graduation requirements, and the course \nwaiver process. \nGRADUATION REQUIREMENTS \nBeginning with grade 9 in SY23-24, the following credits in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-07 \nPage 2 of 6 \n \n \nvarious content categories are required for graduation from BPS. \nThe table below visually represents the course requirements for \ngraduation: \nMassCore Framework \nMassachusetts High School Program of Studies \nContent \nCategory \nUnits Notes \nEnglish \nLanguage Arts \n4 Units ESL courses for students designated as ELD 1, 2 \nor 3 will count toward ELA credits \nMathematics 4 Units Including completion of Algebra II or \nIntegrated Mathematics III. A mathematics \ncourse during senior year is recommended for \nall students. \nScience 3 Units \nof lab-\nbased \nscience \nCoursework in technology/engineering courses" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 4, + "content": "Coursework in technology/engineering courses \nmay also count for MassCore science credit. \nHistory and \nSocial Science \n3 Units Including U.S. History and World History and \none additional core or MassCore elective. \n \nInclusion of an Ethnic Studies course is strongly \nencouraged. \nForeign \nLanguage \n2 Units Both units must be in the same language." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular CAO-07 \nPage 3 of 6 \n \n \nPhysical \nEducation \n1 unit, as \nrequired \nby law \nStudents will have one quarter course (or its \nequivalent) of PE per year or an equivalent. \n \nArts 1 Unit Students will have one quarter course (or its \nequivalent) of Art per year or a cumulative unit. \nAdditional \nCore Courses \n5 Units Inclusive of PE (1 credit) plus four additional \ncourses. Other additional coursework \n(including Health Education* & Career and \nTechnical Education) or any of the above. \n*Health Education: The BPS Wellness Policy requires 1 semester \n(at least \u00bc course equivalent) of Health Education in high \nschool. \nSTATE GRADUATION REQUIREMENTS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 6, + "content": "school. \nSTATE GRADUATION REQUIREMENTS \nThe policy does not and will not replace state laws and DESE \nregulations pertaining to high school graduation. These \nadditional requirements include, but are not limited to: \n\u2022 Action Civics Projects required by Chapter 296 of the Acts of \n2018, An Act to promote and enhance civic engagement. \n\u2022 Earning a \u201ccompetency determination\u201d [passing scores on \nthe Grade 10 English language arts and mathematics and \nhigh school level science and technology/engineering \nMassachusetts Comprehensive Assessment System (MCAS) \ntests]. For students who do not pass an MCAS test, \neducators develop an Educational Proficiency Plan (EPP) for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 7, + "content": "the subject(s). Students need to meet course requirements \nfor their EPP in addition to meeting MassCore requirements." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular CAO-07 \nPage 4 of 6 \n \n \nSUBSTITUTIONS \nThe following substitutions may be used to meet graduation \nrequirements without an additional waiver: \nPhysical Education \nMassCore reflects the legal requirement that physical education \nbe taught as a required subject in all grades. The BPS Wellness \nPolicy requires all schools to offer high quality physical education \nfor students in all grades. Under some circumstances, students \ncan meet the requirement through an approved organized \nprogram of instructional physical activity, including but not \nlimited to: participation in interscholastic athletics, skating," + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 9, + "content": "hockey, dance, yoga, martial arts, capoeira, or swimming; and any \nphysical activity through school based or community programs, \nor independent study. Substitutions and independent study \nopportunities must be approved by the Office of Health and \nWellness. \nComputer Science \nStudents may substitute one unit of Computer Science (AP \nComputer Science Principles, Computer Science Principles, or \nExploring Computer Science) that includes rigorous \nmathematical concepts and aligns with the Digital Literacy and \nComputer Science standards for a mathematics course. \nHumanities Course \nDouble-blocked Humanities courses may count toward 1 ELA" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 10, + "content": "credit and 1 History credit. One period Humanities courses count \nas 1 History credit and cannot be used toward ELA credit." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular CAO-07 \nPage 5 of 6 \n \n \nCareer and Technical Education \nStudents enrolled in a DESE approved Chapter 74 program can \nfulfill MassCore requirements without fulfilling arts and world \nlanguage requirements. While arts and world language \nrequirements may be waived, students are strongly encouraged \nto take these courses to comply with college admission \nrequirements. \nCredit for Courses in Grades 7 and 8 \nStudents will be able to apply high school credits for high school \nlevel courses completed successfully in 7th or 8th grade. \nWorld Language Competency \nMultilingual learners may earn up to two World Language credits" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 12, + "content": "for demonstrated competency in their native language by \nachieving Intermediate Mid Level of language proficiency on the \nAVANT Stamp Assessment. The AVANT Stamp administration will \nbe administered at the BPS Welcome Center in the fall and \nspring of each year. Students scoring at the Intermediate High \nLevel of language proficiency can utilize the assessment results \ntowards attainment of the MA State Seal of Biliteracy upon \ngraduation if they also meet the minimum criteria for English \nlanguage proficiency set forth by the Massachusetts Department \nof Elementary and Secondary Education. \nCourse Waiver Process \nSchools may seek additional waivers for individual students or \ncourses." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular CAO-07 \nPage 6 of 6 \n \n \nIMPLEMENTATION \n\u2022 Each school will collaborate with the Academics team on \nensuring alignment of its course schedule with MassCore \nrequirements. \n\u2022 All 9th grade students should follow the recommended \ncourse sequence and must take at least a quarter of physical \neducation in SY23-24. \n\u2022 Schools should work with districts on ensuring they have \nthe proper staffing model to meet MassCore requirements, \nespecially for students in grade 9. \n \nFor more information about this circular, contact: \nOwner: Elementary Superintendent \nDepartment: Academics and Professional Learning \nMailing Address: 2300 Washington St., Roxbury, MA 02119" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 14, + "content": "Phone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-27 \nVersion 01 \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nWATER ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact OPL@bostonpublicschools.org for assistance/guidance. \n \nThis Superintendent\u2019s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019." + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 2, + "content": "Committee on November 20, 2019. \nThis circular MUST be read in its entirety by program leaders \n(chaperones), principal/head of school and/or the district \ndepartment sponsoring a field trip that includes an IN the water \nor ON the water activity. These parties are responsible for \nensuring that all field trip policies and procedures as outlined in \nthis circular AND all applicable field trip circulars (CAO-23, 24, \nand 25) are adhered to. \nWATER ACTIVITIES \n\u2022 If your trip involves ON or IN water activities, you must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 2 of 13 \n \ncontact the Department of Global Education immediately \nto submit a mandatory Water Activity Request Form 16 \nweeks in advance to ensure that the site location for the \nwater activity has up-to-date insurance, a safety plan, and \ncertification documentation on file with the district. \n\u2022 For water activities: The student-to-chaperone ratio must \nremain 10:1 at all times during swimming for all grade \nlevels. (This ratio does not include the lifeguards on duty.) \nSWIMMING (IN THE WATER) \n\u2022 Instructional swimming is permitted only if proper \nswimmer-lifeguard ratios are maintained (20:1); the \nswimming teachers hold valid American Red Cross or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 4, + "content": "YMCA Lifeguard Instruction/ Water Safety Instruction, \nCPR/AED, and First Aid certificates; the site is nationally \nrecognized for swim instruction (e.g., YMCA); and \nparents/guardians are informed in the appropriate \nParental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n\u2022 Principal/head of school is responsible for ensuring these \nrequirements are met and must receive written \ndocumentation of all listed guard and instructor \ncertifications. Copies of these certifications, along with \nstudents\u2019 permission slips, must be kept on file for the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 5, + "content": "current fiscal year plus three additional years. \n\u2022 Therapeutic/adaptive swimming for students with \ndisabilities is permitted only with individuals with \nTherapeutic/Adaptive Swim certification or licensure \nand proper swimmer-lifeguard ratios are maintained" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 3 of 13 \n \n(10:1); and parents/guardians are informed in the \nappropriate Parental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n\u2022 Recreational swimming is NOT permitted on BPS field \ntrips. \nWATER ACTIVITIES (ON THE WATER) \n\u2022 Water activities are permitted involving larger \ncommercial or passenger vessels which meet U.S. Coast \nGuard standards for safety and hold a valid Certification of \nCompliance for the state or its international equivalent \n(Please note: There must be one life jacket per" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 7, + "content": "(Please note: There must be one life jacket per \npassenger). In addition, be sure the water-related activity \nis clearly listed in the appropriate Parental Authorization \nfor Field Trip form. Parents/guardians must be given \nsufficient information to understand the nature and \nscope of the activity(s). \n\u2022 Water activities such as kayaking, rowing, and canoeing \n(or the equivalent where the movement of a craft \ndepends on the physical endurance of its operator) and \ntravel in small watercraft are not permitted on a BPS field \ntrip unless a request is submitted and approved by the \ndistrict. (Please note: There must be one life jacket per \npassenger.) These requests are submitted to and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 8, + "content": "passenger.) These requests are submitted to and \nreviewed by the Department of Global Education. \nSignificant lead time is needed (16 weeks or more) to \nallow for safety requirements to be met. \n\u2022 The sponsoring water venue/facility must provide the \nfollowing documents to the district annually: 1) Safety" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 4 of 13 \n \nPlan; 2) Liability Insurance; and 3) Lifeguard Certification. \nCHAPERONE REQUIREMENTS: \n\u2022 The program leader (lead chaperone) must be a BPS \nemployee. Other authorized chaperones may include \nparents and guardians 21 years of age or older. \n\u2022 Chaperones must be equipped with hand sanitizer and \nadditional masks if the need arises for staff and students. \n\u2022 All chaperones must complete the Chaperone Agreement \nForm. \n\u2022 All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of \nHuman Capital. Complete the eCORI form online at this \nlink. Contact the BPS Office of Human Capital (OHC) for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 10, + "content": "CORI check and confirmation support. The \nprincipal/head of school and the lead chaperone are \nresponsible for submitting authorization forms to OHC \nand must not allow chaperones to take part in activities \nuntil they have been CORI/SORI cleared. Non-BPS \nemployee chaperones (parents/guardians) must show \nproof of vaccination or a negative COVID-19 test within 24 \nhours of the field trip. Non-BPS employees who \nchaperone on a field trip are not covered for liability by \nthe Boston Public Schools. \n\u2022 The program leader must be sure that all chaperones, \nincluding non-BPS chaperones, are informed of, adhere \nto, and uphold the BPS Code of Conduct and other \ndistrict and school-based rules." + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 11, + "content": "district and school-based rules. \n\u2022 Chaperones who are parents/guardians of BPS students" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 5 of 13 \n \non the trip must provide the same level of care and \nattention to ALL student participants. If a BPS \nchaperone\u2019s child who does not attend the participating \nschool must attend the program, the child must be a BPS \nstudent and in the same grade or age range as \nparticipating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild\u2019s participation. \n\u2022 Tour guides and employees of third-party vendors \ncontracted to help operate the trip are not considered \nchaperones and do not factor into the student-to-\nchaperone ratio. \n\u27a4 For Day & Water Field Trips, the Department of Safety Services" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 13, + "content": "(617-635-8000), must be notified in the event of a serious medical \nor other emergency and should be used as a resource for \nquestions regarding safety on day field trips, including WATER \nACTIVITY day trips." + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 6 of 13 \n \nFor more information about this circular, contact: \n Owner: Chief of Teaching and Learning \nDepartment: Department of Global Education \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 315-601-0292 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 7 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY REQUEST FORM \n \nDIRECTIONS: \n1. This form must be submitted for water activities at least \n16 weeks in advance for the proposed water activity to be \nconsidered. Please email this form to \nOPL@bostonpublicschools.org and confirm its receipt. \n2. One form should be completed per field trip. However, if \nthere are multiple \u201cwater activities\u201d planned, each water \nexperience must be listed separately. For example, if you \nare taking students on a service-learning trip for one \nweek and would like students to participate in a water \nactivity on multiple days, each separate excursion should" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 16, + "content": "be listed, even if the excursion is at the same location. \n3. Requests will be reviewed and schools will receive an \nanswer regarding their requests in 2-3 weeks. \n \nTO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL \nDate request submitted: _________________________________________ \nDate(s) of field trip: _______________________________________________ \nSchool: ___________________________________________________________ \n \nPrincipal/Head of School /District Department Name:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 8 of 13 \n \n __________________________________________________________________ \nTrip leader\u2019s name, role, and contact number: \n __________________________________________________________________ \n __________________________________________________________________ \nChaperones\u2019 names and roles in school: \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nVendor/Organization: ____________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 18, + "content": "What is the purpose of the water activity? How does the water \nactivity add to the overall trip experience?________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nNumber of students participating in the field trip: ________________ \nGrade level and ages of students: _________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 9 of 13 \n \n \nPlease complete the information below for each water activity \nplanned for students: \n \nWater Activity # ________ \nDate \nHours \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact\u2019s \nEmail & Phone # \n \n \nWater Activity # _______" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 10 of 13 \n \nDate \nHours \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact\u2019s \nEmail & Phone # \n \n \n \n \nPrincipal/Head of School /District Department\u2019s Signature \n \nDate: ________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 11 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY ADDENDUM TO PARENTAL AUTHORIZATION \nFIELD TRIP FORM FOR \u201cON\u201d WATER ACTIVITIES \nDirections: \n1. This form must be used if a water activity such as kayaking, \nrowing, or canoeing, or riding on a boat is listed as a possible \nactivity on the Attached Parental Authorization Field Trip \nform for this field trip. \n2. Complete the school portion of this form and attach it to the \nappropriate Parental Authorization Field Trip form for \nparent/guardian. \nParent/legal guardian, if student is under 18 years of age, or \nstudent, if at least 18 years old: Complete the Authorization &" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 22, + "content": "Acknowledgement of Risk Section. \n\u27a4 If a student does not wear a life jacket, the student may not \nparticipate in the water activity. \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nWater Activity Location(s): ________________________________________ \nList of Water Activities: __________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 12 of 13 \n \nAUTHORIZATION AND ACKNOWLEDGEMENT OF RISKS \nI understand that participation in this field trip may involve water \nactivities, including but not limited to boating. I understand that \nparticipation in these activities is voluntary and may expose \nme/my child to some risks(s). I assume responsibility for any risk \nof personal or property damages arising out of or related to \nmy/my child\u2019s participation in this boating and/or other water \nrelated activity, including acts of negligence or otherwise. I \nfurther agree to hold harmless BPS and any of the individuals \nand other organizations associated with BPS in this activity from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 24, + "content": "any claim or liability arising out of my/my child\u2019s participation in \nthis activity. I authorize myself/my child to participate in the \nplanned components of the field trip to the extent indicated by \nmy signature below. \n\u27a4 If the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and \nunderstand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \n \n ________________________________________________________________ ____________________________ \nStudent Signature Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular CAO-27 \nPage 13 of 13 \n \n\u27a4 If the applicant is under 18 years of age, the following \nstatement must be read and signed by the student\u2019s parent or \nlegal guardian: \nI certify that I am the parent/legal guardian of the applicant, \nthat I have read and understand the above Agreement, and that \nI accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \n ________________________________________________________________ ____________________________ \nParent/Guardian Signature Date \n \nEmergency Contact\u2019s Name (other than parent/guardian):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 26, + "content": "__________________________________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contact\u2019s Telephone Number: _______________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nCAO-06 \nVersion 01 \n \n \n \n GRADE POINT AVERAGE CALCULATION METHOD \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nRATIONALE \nThe purpose of this document is to outline how grade point \naverages (GPAs) are calculated and used within the Boston \nPublic Schools. \nDEFINITION \nThe grade point average (GPA) is a standard numerical \nconversion of letter grades given to a student. The GPA is a \nstandard method of comparing the cumulative academic \nperformance of students in grades 9-12 and sharing that \ninformation. The GPA is used for several purposes such as college" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 2, + "content": "admissions, high school ranking, and selective program \nadmissions. The GPA calculation takes in a variety of information \nfrom courses such as credits and academic level. \nGPA CALCULATIONS \nUse the following steps to complete the weighted GPA \ncalculation: \nStep 1. Convert each final grade (numeric or letter grade) to \nits equivalent on the 4.0 scale." + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular CAO-06 \nPage 2 of 5 \n \n \n \nStep 2. Weight grades by adding .5 to each converted grade \nearned in an Honors level course and 1.0 to each converted \ngrade earned in Advanced Placement or Dual Enrollment \ncourse. \nStep 3. Multiply each converted grade or, if applicable, each \nweighted grade by the course credits earned. Where a full-\nyear course equals 1 credit; a semester course equals .5 \ncredits; a quarter course equals .25 credits. \nStep 4. Sum all the weighted grade points from Step 3. \nStep 5. Divide total from Step 4 by total number of course \ncredits attempted. Where a full-year course equals 1 credit; \na semester course equals .5 credits; a quarter course" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 4, + "content": "equals .25 credits. \nStep 6. The quotient is the student's weighted GPA. \nGPA = Total (Point + Weight) * Credit) for all courses / Total \nCredits for all courses \nCOURSE INFORMATION \n1. Course \na. Student courses taken in grades 9-12 will be included in \nthe GPA calculation. High school level courses taken by \na student in middle school grades will not be included \nin the calculation. \nb. Include in GPA or InGPA flag \nc. This indicator describes the courses that will be \nincluded in any academic GPA calculation. Courses" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular CAO-06 \nPage 3 of 5 \n \n \n \nthat are required for graduation are included in GPA \ncalculations. Courses that typically are excluded from \nacademic GPA calculations include enrichment \ncourses, functional courses, study periods and \nadministration blocks such as lunch. The district \ndetermines which courses are included within a \nstudent\u2019s GPA calculation, additionally such courses \nmay also be required by schools for graduation. The \nDivision of Academics maintains and updates the list of \nall applicable courses to be included in the GPA \ncalculation. School users can find InGPA information in \nthe Course Catalog feature in Aspen. \n2. Credits" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 6, + "content": "the Course Catalog feature in Aspen. \n2. Credits \na. Credits describe the number of \u2018points\u2019 that a course \nwill receive in a GPA after the course is completed. In \ngeneral, most courses will have 1 credit. However, \ncertain courses may have more than 1 credit, such as \ndouble-blocked humanities courses. Similarly, some \ncourses have fewer than 1 credit, such as 1 semester \n(half-year) courses. In the cumulative GPA calculation \nwithin a school year, quarter or term grades for a 1 \nsemester course will be attributed .25 credits in the \nGPA calculation. \nb. Credits are generally distributed based on the \nsuccessful completion of the competencies of the \ncourse." + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 7, + "content": "course. \nc. Transfer-in credits are credits that a student earns in a \nsetting outside of BPS. These credits are included on a \nstudent\u2019s transcript and count towards a school\u2019s \ngraduation requirements. Therefore, these credits will" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular CAO-06 \nPage 4 of 5 \n \n \n \nbe used in the GPA calculation. This is in alignment \nwith the Massachusetts Board of Higher Education\u2019s \n(MA BHE) process of calculating GPAs. \n3. Academic level \na. The academic level of a course can be one of 8 options \n(see table below). \nb. Weights are applied to courses through the academic \nlevel of the course. The following weights are given to \neach academic level based on the MA Board of Higher \nEducation recommendations (Link to full weighting \nchart). \n \nWeighting Course Academic Level \nNot included Functional Untracked \n+0 (standard) Regular \n+0.5 Honors IB MYP \n+1.0 College AP IB DP" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 9, + "content": "+0.5 Honors IB MYP \n+1.0 College AP IB DP \n \nGPA CALCULATION DATES (BPS CALENDAR) \nThe GPA calculation dates for SY24 can be found here. \nGPA INCLUDED IN TRANSCRIPT \nWhile there are several GPA calculations in Aspen, only the \ncumulative weighted academic GPA calculation is included on a \nstudent\u2019s official transcript. The quarter, semester, and final GPAs" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular CAO-06 \nPage 5 of 5 \n \n \n \nare saved throughout the school year but will be overwritten \neach year. The final cumulative GPA (accumulation over grades 9-\n12) as of the current year is saved in Aspen and transferred to the \nData Warehouse. \nHELPFUL LINKS \nGrade Point Average (GPA) Help Guides for Aspen \nWeighting Chart \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-6053 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCAO-03 \nVersion 01 \n \nTEXTBOOK MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nSchool Committee policy and state law recognize the student's \nright to use textbooks, on a loan basis, without charge. As a \npublic school system, we have a responsibility to supply our \nstudents with the textbooks and other materials they need for \nschool use. Accordingly, School Committee policy states that \"no \nstudent should be required to furnish or pay for any books or \nother materials for school use, with the exception of materials \nused for certain practical arts projects that result in items that" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 2, + "content": "belong to the student after the project's completion.\" \nSchool Committee policy and state law also recognize the \nstudent's responsibility to use and not abuse or lose these same \ntextbooks and materials. School Committee policy states that \n\"students will be required to pay for textbooks and other school-\nowned materials that they lose or damage\" (ref. Student Fees, \nFines and Charges - Policy File). Under Massachusetts law, the \nsums recovered from pupils in the public schools for loss of \nschoolbooks \u2026 may be used by the School Committee for the \nreplacement of such books or materials ... (M.G.L. c.44, \u00a753). \nAs school leaders and teachers, we are concerned that resources" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 3, + "content": "be maximized and not misused. Instructional material costs are \nsignificant. It is important that school leaders, teachers, students," + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 2 of 12 \n \nand parents understand and adhere to our policies and \nprocedures for the care of textbooks and other instructional \nmaterials. The following guidelines, based on long-standing \nSchool Committee policy, have been established and should be \nfollowed for the lending of books to pupils. \nPREPARATION, STORAGE, AND CONTROL OF TEXTBOOKS \n\u25cf All textbooks and library books shall be numbered and an \ninventory maintained by the school leader. School \nCommittee policy requires that \"Heads of school/principals \nwill be responsible for and will keep complete records of all \nbooks... and other instructional materials furnished to their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 5, + "content": "schools.\" The inventory should include: \n\u25cb Title of book \n\u25cb Author \n\u25cb Publisher and year of publication \n\u25cb Date of purchase (for all books purchased for SY21 and \nbeyond) \n\u25cb Class subject for which it is used (textbooks) \n\u25cb Name of teachers to whom the textbooks are issued \n(textbooks) \n\u25cf All textbooks should be stamped with the school name on \nthe inside of the front cover. Each textbook should be \nnumbered and recorded on the inside of the front cover. \n\u25cf All textbooks shall be stored in secure rooms, lockers, or \ncabinets. Principals/heads of school or their designees shall \nensure that a record is maintained of every textbook that is \nremoved from storage." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 6, + "content": "removed from storage. \n\u25cf Principals/heads of school shall ensure that teachers \nmaintain an inventory of textbooks that includes the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 3 of 12 \n \ncondition of the text and who it is assigned to for each \nquarter, trimester, semester, or year. \n\u25cf Principals/heads of school should work with teachers, \nstudents, and parents to raise their awareness of the \nimportance of caring for and replacing textbooks. The Guide \nto the Boston Public Schools for Families and Students \nreferences this information. School-based rules should \noutline the rules and responsibilities for using textbooks and \nthe penalties for violations. \nTEACHER\u2019S RESPONSIBILITY \n\u25cf Teachers should maintain a record of the title, the textbook \nnumber, and the name of the pupil to whom each textbook" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 8, + "content": "is lent and should check periodically that students have the \ntextbook assigned. Librarians must establish and maintain \nan appropriate inventory control system and loan procedure \nfor all library books, materials and equipment assigned to \nthe school library. \n\u25cf Teachers should encourage students in the proper care, \nincluding covering, of loaned textbooks. \nSTUDENT\u2019S RESPONSIBILITY \n\u25cf The book is to be returned to the principal of the school or \nto the teacher authorized to receive it at any time required \nby them and in as good condition as when received, \nallowance being made for the wear and damage caused by \ncareful use. \n\u25cf If lost or damaged by carelessness or accident beyond what" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 9, + "content": "may be reasonably allowed, the book is to be replaced by" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 4 of 12 \n \nthe pupil to whom it is loaned and as required by the School \nCommittee. \n\u25cf Written notice of any previous defacement is required when \nthe book is received. \n\u25cf Damage by marking, tearing, etc. is not allowed. \n\u25cf Students who transfer within the Boston Public Schools or \nwho leave the school system shall return all textbooks and \nlibrary books to the schools that loaned the books. \nPrincipals/heads of school should notify appropriate staff \n(e.g., registrars, guidance counselors) to make a note on the \nappropriate sign-out forms of any student leaving school \nwho has not paid the replacement costs of lost or damaged" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 11, + "content": "books. High school seniors should not be allowed to sign out \non the last day for seniors (i.e., day 170) without returning or \nmaking restitution for a lost or damaged book. A copy of \nany open account form should be retained in the temporary \nrecord of any student who does not pay the replacement \ncost of a damaged or lost book. \n\u25cf Students who transfer within the Boston Public Schools \nshould not be loaned textbooks or library books in their \nreceiving schools until they have returned or arranged to \nreplace all their books from their sending school. \nPARENT RESPONSIBILITY \n\u25cf Parents should be informed of textbook loan and/or library" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 12, + "content": "book loan conditions at the beginning of the school year. \nNotification should be made in the form of a letter to \nparents in the language of the home and in any newsletters \nsent home to parents at the start of the school year." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 5 of 12 \n \n\u25cf Parents of students who lose or damage textbooks and/or \nlibrary books should be informed by the principal/head of \nschool, in writing, within 30 days of learning of the \nloss/damage and the cost of replacement. \nREPLACEMENT OF TEXTBOOKS \n\u25cf If a student damages or loses a textbook and/or a library \nbook and the student and parent refuses to make \nrestitution, a replacement book must be made available for \nclassroom or library use. However, restrictions may be \nimposed (e.g., students may use text only during class but \nmay not take the text out of the classroom). \n\u25cf If a student damages or loses a textbook or library book and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 14, + "content": "the student and parent continue to refuse to make \nrestitution by the start of the following school years, the \nstudent will be subject to penalties under school-based \nrules. \n\u25cf With respect to penalties for students who do not pay the \nreplacement costs of lost or damaged books, \nprincipals/heads of school should involve the School Site \nCouncil in establishing school-based rules and \ncorresponding penalties. These penalties might include but \nnot be limited to prohibiting the student from attending \ncertain school activities not related to the instructional \nprogram. Before any penalty is imposed, the principal/head \nof school must provide advance written notice to the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 15, + "content": "student and their parents/guardians. The written notice \nmust provide the student and their parents/guardians with \nan opportunity to remedy the situation prior to actual \nimposition of the penalty." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 6 of 12 \n \n\u25cf An appeals process should be provided to address issues \nsuch as claims of \u201chardship\u201d or improper assessment of \ndamages (e.g., the loss or damage of a book which is not the \nresult of the student\u2019s negligence, parent has proof that \npayment was made, etc.). All appeals should be heard by the \nprincipal/head of school, who should issue a written \ndecision, a copy of which should be forwarded to the parent \nand a copy of which should be filed in the student\u2019s \ntemporary record. In addition, flexibility in the method of \npayment should be offered (e.g., school service projects \nbeing performed by the student in lieu of dollar payment is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 17, + "content": "one possibility). \n\u25cf All funds collected for lost or damaged textbooks and/or \nlibrary books should be forwarded by principals/heads of \nschool to the business manager for deposit in a revolving \naccount for the purchase of replacement textbooks. The \nbusiness manager will allocate the revolving account book \nfunds, giving priority to the schools that collected money for \nlost/damaged books. \nTEXTBOOK INVENTORY AND REPLACEMENT PLANS \n\u25cf Before budget collaborative, principals/heads of school shall \nestimate their textbook needs for the following school year, \nbased on textbooks checks and on projected student \nenrollment and shall develop a textbook replacement plan." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 18, + "content": "Instructional Leadership Teams and School Site Councils \nshould be involved in the development of the replacement \nplan. Replacement books should be ordered by individual \nschools. Texts that are part of curriculum adoption of BPS-\nrecommended curricula or those that will be used in new \nclassrooms will be purchased by central office." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 7 of 12 \n \n\u25cf In June, at the end of the school year, principals/heads of \nschool shall conduct a thorough inventory of textbooks. \n\u25cf Principals/heads of school shall maintain a record of every \nstudent who does not arrange to replace textbooks that are \nlost or damaged. The record should include the book receipt \nsigned by the student when the book was loaned. \nSummary of significant dates and deadlines: \nDate Activity \nBy the end of the 2nd \nweek of school \nPrincipals/heads of school send letters \nto families regarding district textbook \npolicy." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 8 of 12 \n \nFor more information about this circular, contact: \nOwner: Chief of Teaching and Learning \nDepartment: Office of Teaching & Learning \nMailing Address: 2300 Washington St., Boston, MA 02119 \nPhone: 617-635-9000 \nEmail: OPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 9 of 12 \n \nATTACHMENT 1 \n \nDear Parent/Guardian: \nAs the new school year begins and we loan textbooks and other \nresource materials to our students, I would like to ask for the help \nof all parents. We need your help if we are to reduce the number \nof lost and damaged books. Textbooks are very expensive today, \nmany costing as much as $60.00 each. We have worked hard \nover the past two years to update and replace our books. As a \nresult, most of our textbooks are less than five years old and are \nin good condition. \nSome subjects or courses may not use a textbook; instead, they \nuse reference books, original source documents, and/or library" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 22, + "content": "research materials. \nPlease work with your child and with us to keep our books in \ngood condition. I ask that you remind your child of the following: \n\u25cf All textbooks and library books are the property of the \nBoston Public Schools and are loaned for the use of \nstudents while they are enrolled. \n\u25cf All textbooks and library books used for classroom work and \nhomework should be respected and returned in good \ncondition. \n\u25cf Students/parents are accountable for books and must pay \nfor the replacement of lost or damaged books." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 10 of 12 \n \n\u25cf All textbooks that are taken home by students should be \ncovered. \nAll materials used to support classroom instruction, all textbooks, \nlibrary books and resource materials should be cared for so that \nthey can be used by other students in the future. I appreciate \nyour assistance and cooperation in this effort and thank you for \nyour help. \nOur best wishes to you and your child for a successful school \nyear. \nSincerely yours, \n \nPrincipal/Head of School \n \nSchool" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 11 of 12 \n \nFile: EDB-R \n \nMAINTENANCE AND CONTROL OF MATERIALS AND \nEQUIPMENT \nHeads of school/principals will be responsible for and will keep \ncomplete records of all books, globes, maps, charts, apparatus \nand computers, and other state-of-the-art instructional materials \nfurnished to their schools. \n \nApproved prior to 1988. \nPolicy Manual, School Committee of the City of Boston" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular CAO-03 \nPage 12 of 12 \n \n \nFORM 134 \nBoston Public Schools \nPUPIL'S BOOK RECEIPT \nDate: \nSubject: \nTeacher: \nReceived: \nNumber: \nI promise to return in good order or replace with a new one. \nRoom: _____________ \nPupil's Signature: \nForm 134 9/98" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-03 \nVersion 01 \n \nMIDDLE AND HIGH SCHOOL STUDENT GOVERNMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n\u201cAs we continue to work at improving the quality of education \nfor all students, it is important that the voice of students be \nheard at the local, state and national levels.\u201d \nMassachusetts Dept. of Elementary and Secondary Education \n \nEvery Boston public middle and high school (including district \nschools, exam schools, and all alternative, pilot, and in-district \ncharter schools) must have a written student engagement policy \ndocumenting opportunities for students to assume leadership" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 2, + "content": "roles within classrooms and the broader school community, in \nalignment with the 2016 BPS Opportunity and Achievement Gaps \nPolicy. As part of this policy, each high school must also have a \nfunctioning and engaged student government. Middle schools \nare encouraged to have a student government. Student leaders \nin this body will represent their peers by serving as advisors, \nresearchers, and participants in the decision-making process at \nthe school and district level. Student government serves to \nengage students in learning about democracy and leadership. \nStudent government bodies are essential to ensuring equity in all \naspects of schooling. With faculty and administrative support," + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 3, + "content": "student government members should: \n\u25cf Ensure student voices are heard and incorporated in school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FAM-03 \nPage 2 of 7 \n \ndecision making through the School Site Council, \n(SSC)/Governing Board, and meetings with the \nadministration. \n\u25cf Develop and grow a body of student leaders by working \nclosely with the faculty advisor(s) and the head of school. \n\u25cf Organize the student body and advocate for policies, \npractices, and opportunities that will close opportunity gaps \nat the school and district level. \nThrough student government and SSC, students can assist in \nfulfilling the school\u2019s mission and design and improve the culture \nand climate of the school. \nSTUDENT GOVERNMENT COMPOSITION \nSchools will strive to form a student government that reflects the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 5, + "content": "diversity of the student population in terms of race/ethnicity, \ngender, grade level, educational program (e.g., general, special, \nand bilingual education), and other factors. The number of \nparticipants should depend on the size of the school and what is \nmanageable for the advisor. The recommendation is to have 10-15 \nstudents serve in student government. \nIt is recommended that student government members be \nconnected to other school-based groups such as the School-\nBased Wellness Council and student clubs. These positions can \nbe dual roles with other positions on Student Government or can \nbe stand alone. The faculty advisor should help students think" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 6, + "content": "about their time and commitments and what it would mean to \ntake on dual roles in the student government. \nROLE OF THE FACULTY ADVISOR \nThe principal/head of school, with student input, should appoint" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FAM-03 \nPage 3 of 7 \n \none or more faculty advisors to support and oversee each student \ngovernment. The principal/head of school will include students in \nthe selection process. Student governments can be considered \nschool clubs, and as such principals/heads of school are strongly \nencouraged to pay a stipend to the faculty advisor(s). \nThe faculty advisor(s) will: \n\u25cf Facilitate youth leadership in all aspects of student \ngovernance. \n\u25cf Meet with the student government at least twice per month \nand provide support in organizing quarterly meetings each \nschool year. \n\u25cf Assist student government leaders in the development of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 8, + "content": "action plans for the school and obtain the appropriate \napprovals before a plan is implemented. \n\u25cf Assist student government leaders in planning and \nmanaging their events/activities, supporting with logistics \nand approval. \n\u25cf Act as a liaison between the student government, School Site \nCouncil/Governing Board, and the Instructional Leadership \nTeam (ILT). \n\u25cf Ensure the tracking of data and support members as they \ncomplete reporting on activities. \n\u25cf Provide the principal/head of school with regular updates on \nhow the action plans are being carried out. \n\u25cf Advise student government leaders on their leadership and \nscholar-activism." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 9, + "content": "scholar-activism. \n\u25cf Monitor and record all student work and approvals for \nproposals and dates. \n\u25cf Develop student leaders by providing or facilitating training \nand support as necessary." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FAM-03 \nPage 4 of 7 \n \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nPlease refer to the Massachusetts Department of Elementary and \nSecondary Education Educator Evaluation: Appendix B: School-\nLevel Administrator Rubric. \n\u25cf Indicator III-A1. Family Engagement. \no Engages SG in activities, events, and opportunities to \ncreate a welcoming environment. \no Students contribute to the design by sharing their \nknowledge of family and culture. \no Students evaluate and problem solve with staff and \nleadership challenges/barriers to including families in the \nschool community. \n\u25cf Indicator IV-B1. Policies and Practices." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 11, + "content": "\u25cf Indicator IV-B1. Policies and Practices. \no Students participate in an activity identifying the makeup \nof the school. \no Cultural Sharing day. \no Students participate in SSC and/or other groups that \ndevelop culturally sensitive policies. \n\u25cf Indicator IV-E-1. Shared Vision Development. \no Students are part of the visioning process through focus \ngroups, surveys, community meetings, etc. \no Students share in the developing messaging for the \nstudent body. \n\u25cf Indicator IV-F-3. Consensus Building. \no Conflict resolution. \no Restorative justice practices. \no Student involvement in SSC and decision-making body." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FAM-03 \nPage 5 of 7 \n \nELECTIONS \nIt is the responsibility of every principal/head of school to ensure \nthat elections are held and the student government is \nestablished no later than October 15. The recommendation is that \nall student elections be held as one process by April 15 of the \ncurrent school year to roll out the following school year. See the \nStudent Elections Toolkit for guidance on facilitating student \nelections and all the necessary reporting forms. \nREPORTING \nOnce the student government is established, each school must \nsend the student government roster to the Office of Youth \nLeadership, which must include:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 13, + "content": "Leadership, which must include: \n1. Student information for all elected positions. \n2. Student information for the two (2) students who are \nelected to serve on SSC or Governing Board (these \nstudents shall also serve on the Personnel \nSubcommittee). \n3. Student information for the BSAC representative (see \nSuperintendent Circular FAM-06). \n4. Student information for the Greater Boston Regional \nStudent Advisory Council (GBRSAC) representatives. \nPlease note the Department of Elementary and \nSecondary Education requires secondary schools to host \ntheir student elections for GBRSAC representatives and \nthose names be submitted no later than mid-April for the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 14, + "content": "representatives serving the following school year." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FAM-03 \nPage 6 of 7 \n \nMIDDLE SCHOOL LEVEL OVERVIEW \nMiddle school student governments serve the same functions as \nhigh school student governments. During middle school, \nstudents are building their self-advocacy skills to develop their \nvoices, identities, and agency in the school community. Learning \nabout leadership is a key activity for many middle school student \ngovernments. Student government members learn how to \nresearch, plan, organize, and execute programs and activities for \nmany students. The student government advisor leads student \ngovernment members in developing their leadership skills. \nPracticing Democracy: Governing democratically is a skill" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 16, + "content": "students learn during student government. Student government \ngives students hands-on experience in the workings of a \ndemocracy and teaches them how to work cooperatively with \nothers. Meetings should be run to promote students' working \ntogether for the common good and learning how to put \nleadership into action. \nPlanning and Implementing School Spirit Activities : Building \nschool spirit and culture that is linguistically sustaining and \naffirming can be one of the projects of the student government. \nThrough school events such as talent shows, fundraisers, and \nassemblies, students, teachers, faculty members and parents \ncome together to help plan these activities throughout the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 17, + "content": "school year and appoint various people to run these functions. \nAddressing Cares, Concerns, and Restorative Justice: Students \nwill raise school concerns that can best be addressed in student \ngovernment. Whether it is more nutritious foods served in the \ncafeteria or issues regarding school spirit days, student \ngovernment meetings give students a forum for sharing their \ngrievances and analyzing possible solutions to these problems. \nWith the support of the Office of Restorative Justice, students" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FAM-03 \nPage 7 of 7 \n \ncan be trained as circle keepers and can implement restorative \njustice to build community, repair harm, and promote collective \nhealing. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nOctober 15 Deadline for student government elections to be \nheld \nOctober 15 \nDeadline for reporting the student government \nroster, including all student and faculty \ninformation listed above, to the Office of Youth \nLeadership at BSAC@bostonpublicschools.org \nOctober 31 Deadline for the first student government meeting \nto be held \n \nFor more information about this circular, contact: \nOwner: Senior Director of Opportunity Youth" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 19, + "content": "Owner: Senior Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-01 \nVersion 01 \n \n \n \nSCHOOL PARENT COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools values the voices of families and seeks to \nengage families in both school governance and in an advisory \ncapacity at all levels throughout the district. School Parent \nCouncils (SPCs) serve as advocates and advisors to \nprincipals/heads of school, school superintendents, the \nsuperintendent, and the School Committee. \nSPCs provide an opportunity for families to be more deeply \nengaged at the school level, partnering with the principal/head of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 2, + "content": "school to improve school culture and outcomes for all students. \nIn addition to the school-based SPC, there are districtwide parent \nadvisory councils that bring together parents across schools to \nserve as advisors to district leadership. The Citywide Parent \nCouncil (CPC) serves as the districtwide voice for parents and is \ncomposed of representatives from each school. The Special \nEducation Parent Advisory Council (SPED PAC) represents the \nfamilies of students with disabilities who receive special \neducation services. The District English Learner Advisory \nCommittee (DELAC) works to ensure that parents are informed \nabout all aspects of BPS that affect English learners and provide" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 3, + "content": "recommendations to the Office of English Learners. These groups \nserve to empower parents and partner with BPS to improve" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 2 of 10 \n \n \noutcomes for all students. This circular focuses on the role and \nfunction of the SPC. \nSCHOOL PARENT COUNCILS \nThe SPC is the independently established \"voice\" of all parents in \nthe school community. The SPC advocates for students and the \nschool, meets frequently and consistently, elects representatives \nto sit on the School Site Council (SSC), and promotes an \nenvironment of understanding and common purpose among \nparents, students, and school staff, with a focus on student \nlearning and school improvement. For the purposes of this \ncircular, the term \u201cparent\u201d includes a legal guardian or other" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 5, + "content": "person standing in loco parentis (such as a grandparent or \nstepparent with whom the child lives, or a person who is legally \nresponsible for the child's welfare).\" Sect. 9101(31) ESEA. \nThe roles and responsibilities of the SPC are as follows: \nRoles: \n\u2022 Collaborate with school staff to create a welcoming school \nclimate for all students and families. \n\u2022 Coordinate school-wide activities and events that engage \nfamilies in student learning. \n\u2022 Raise funds to support school-based initiatives, activities, \nand events. \nResponsibilities: \n\u2022 Provide a safe forum for families to express concerns. \n\u2022 Contribute to school-based initiatives related to school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 6, + "content": "improvement, school climate, and student learning. \n \nAll parents or legal guardians of a child attending a particular" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 3 of 10 \n \n \nschool are automatically members of that school\u2019s SPC. \nThe SPC Executive Committee is the elected leadership of the \nSPC. Schools must adhere to the following guidelines for the \nelection of the Executive Committee: \n\u2022 OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n\u2022 Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n\u2022 Elections for the 2024-2025 school year may be conducted" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 8, + "content": "in person, virtually, or through a hybrid system, providing for \nequitable access to voting. \n\u2022 Parents/legal guardians who wish to become members of \nthe Executive Committee must have a child enrolled at the \nschool in which they are running. \n\u2022 Co-chairs and officers should be representative of the school \ncommunity. \n\u2022 Any parent/legal guardian who is present at an SPC election \n(held in person or virtually) may be nominated for the SPC \nExecutive Committee (a parent may nominate themself). \n\u2022 Within one school, elected members can serve more than \none role only if there is an insufficient number of candidates \nto fill all roles." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 9, + "content": "to fill all roles. \n\u2022 Parents/legal guardians who are not present (in-person or \nvirtually) at the time of the election may not be nominated. \n\u2022 Parents/legal guardians who work at their child\u2019s school \nmay not be elected to the SPC Executive Committee, except \nfor extenuating circumstances. \n\u2022 Each family is allowed one vote per family." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 4 of 10 \n \n \n\u2022 Each candidate should be allowed one minute to introduce \nthemself. \n\u2022 Elections may be carried out by secret ballot or can be \napproved by a majority vote of the present group. \n\u2022 Nominations and elections are held during the same \nmeeting; therefore, voters must be present, virtually or in \nperson, to participate in the election. \n \nSPC EXECUTIVE COMMITTEE \nThe role of the SPC Executive Committee is to: \n\u2022 Provide leadership and to organize the work of the SPC . \n\u2022 Maintain ongoing communication with all parents to ensure \nthat they are connected to what is happening at school. \n\u2022 Maintain ongoing communication and a collaborative" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 11, + "content": "working relationship with the principal/head of school, \nteachers, school staff, and community partners. \n\u2022 Create an inclusive environment on the SPC and in the \nwhole school community that welcomes the active \nparticipation of all parents. \n\u2022 Set a schedule and format of meetings that invites \nmaximum participation of families. \n \nThe composition of the SPC Executive Committee should: \n\u2022 Reflect the racial and ethnic diversity of the student body. \n\u2022 Include parents of students who are English Learners \n\u2022 Include parents of students who receive special education \nservices. \n\u2022 Include parents of students in a range of grade levels." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 12, + "content": "\u2022 Include a mix of newly elected and experienced parent \nleaders." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 5 of 10 \n \n \n \nParents may serve in more than one SPC Executive Committee \nrole simultaneously at the same school if no other candidates \ncome forward. However, SPCs are encouraged to elect as many \nparents as possible for the various roles for the purposes of \nsharing responsibility and building leadership capacity. The SPC \nExecutive Committee consists of the following roles: \nCo-Chair \n\u2022 Number elected: 2 \n\u2022 Schedule and facilitate SPC meetings \n\u2022 Create agendas \n\u2022 Maintain ongoing two-way communication with \nprincipal/head of school \nTreasurer \n\u2022 Number elected: 1-2 \n\u2022 Maintain clear and accurate financial records for the SPC" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 14, + "content": "\u2022 Provide monthly expense reports \n\u2022 Lead or manage SPC fundraising efforts \nSecretary \n\u2022 Number elected: 1-2 \n\u2022 Conduct outreach to the parent community \n\u2022 Record and share meeting notes with the school \ncommunity \nSchool Site Council Reps \n\u2022 Number elected: 5-8 (based on the number of staff in the \nBTU bargaining unit) \n\u2022 Represent the parent community as a member of the SPC \n\u2022 Participate in school-based decision-making" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 6 of 10 \n \n \n\u2022 Attend SPC meetings to report out on SSC business and \nreceive information to bring back to the SSC \n\u2022 Facilitate communication between the SPC and SSC \nCitywide Parent Council Rep \n\u2022 Number elected: 1-2* \n\u2022 Participate in a districtwide parent group designed to \nadvocate for BPS families and students and influence BPS \npolicy \nSpecial Education Parent Advisory Council Rep \n\u2022 Number elected: 1-2* \n\u2022 Participate in a citywide parent organization designed to \nprovide information and resources to families of students \nwith disabilities who receive special education services \nDistrict English Learners Advisory Committee" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 16, + "content": "District English Learners Advisory Committee \n\u2022 Number elected: 1-2* \n\u2022 Participate in a citywide committee tasked with providing \nrecommendations to school and district officials regarding \nprograms and services provided to EL students \nTotal # of Parents Elected to SPC Executive Committee: 12-20 \n \n*If vacant, this position should be revisited throughout the school \nyear, and families should be reminded of the opportunity and \nthe benefit of representation on these citywide councils." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 7 of 10 \n \n \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council (SPC) elects parent members to \nrepresent the parent voice on the School Site Council (SSC). SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on \nSSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSCHOOL PARENT COUNCIL BY-LAWS" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 18, + "content": "SCHOOL PARENT COUNCIL BY-LAWS \nAll SPCs must develop by-laws for their council to provide \nstructure and guidance for SPC operations. SPCs must annually \nreview and approve their by-laws at their first meeting following \nthe election. The by-laws are a public document and should be \nmade available to all parents and members of the school \ncommunity, upon request. The SPC by-laws should be submitted \nto the Office of Family and Community Advancement (OFCA) \nupon approval by the SPC. \nSCHOOL PARENT COUNCIL MEETINGS \nThe SPC should meet at least once monthly. The first meeting of \nthe year should include a presentation from the principal/head of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 19, + "content": "school on the school\u2019s goals for the year and election of \nrepresentatives to the Executive Committee and School Site \nCouncil (see Superintendent\u2019s Circular FAM-02 for more details). \nThe following meeting should focus on sharing the work that the \nSPC is doing and provide the opportunity for feedback from \nparents. SPCs are encouraged to meet monthly, in keeping with \nthe SSC frequency, to ensure that the parent body is kept" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 8 of 10 \n \n \nabreast of SSC activity. Meeting frequency and purpose should \nbe detailed in the SPC By-laws. \nSPC GUIDELINES FOR PRINCIPALS, HEADS OF SCHOOL, AND \nADMINISTRATORS \n\u2022 The principal/head of school must work with the SPC to host \nan annual Title I meeting to share with families (1) how the \nschool is investing its Title I allocation, (2) rights and \nresponsibilities of Title I parents, and (3) to seek feedback \nand/or input from parents on the Home-School Compact \nand Family Engagement Plan. \n\u2022 The principal/head of school should meet with the SPC on a \nregular basis to provide updates on school policies, the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 21, + "content": "instructional focus, school data, other pertinent information, \nand to address school-wide parent concerns. \n\u2022 The principal/head of school should provide families with \nperiodic updates on overall student/school progress, sharing \ndata at SPC meetings. \n\u2022 The principal/head of school should meet with the SPC co-\nchairs for ongoing communication regarding family and \nstudent engagement practices, student learning, and school \nimprovement. \n\u2022 The principal/head of school should work with the SPC co-\nchairs to have information translated into the home \nlanguages represented at their school and ensure that \narrangements for translation and interpretation have been" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 22, + "content": "negotiated and agreed upon by the SPC and school staff \n(this includes election night). \n\u2022 The principal/head of school or designee should assist the \nSPC in notifying families of all SPC and/or Executive" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 9 of 10 \n \n \nCommittee meetings, by providing access to a computer, \npaper, copying machine, and postage; and by working with \nthe SPC for timely dissemination of notices for the entire \ncommunity using a range of communication methods, \nincluding School Messenger, email, the school\u2019s website, \nand school media. \nThe SPC works collaboratively with the principal/head of school \nand school staff to solve problems and develop plans to improve \nthe engagement of families and students. The commitment to \npartnering with families reflects the value that BPS has placed on \nthe engagement of families and is grounded in decades of family \nengagement research." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 24, + "content": "engagement research. \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts Administrator Evaluation rubric: \n\u2022 Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n\u2022 Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n\u2022 Indicator IV-E-1. Shared Vision Development \no Parents, students, and teachers have an opportunity to" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 25, + "content": "shape the vision for the school as it pertains to \ninstruction and school climate. \n\u2022 Indicator IV-F-3. Consensus Building" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FAM-01 \nPage 10 of 10 \n \n \no Decisions are made using a consensus model, in which \nall members of the SSC (including SPC members) have \nan equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate Activity \nSeptember 15 Election dates submitted to OFCA \nOctober 31 Deadline for completing SPC elections of all \nparent reps, including SSC representatives; and \nsubmitting rosters to OFCA. \n \n \nFor more information about this circular, contact: \nOwner: Director, Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 27, + "content": "Phone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFAM-08 \nVersion 01 \n \n \n \n\u2022 TRANSLATION AND INTERPRETATION SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nto a subsequent version. \n \nHISTORICAL CONTEXT \nThe \u201cParent Communications\u201d section of the Successor \nSettlement Agreement between the Boston Public Schools (BPS) \nand the Department of Justice (DOJ) outlines the services that \nmust be provided to ensure meaningful language access for our \nBPS families. The Office of Language Access, formerly the \nTranslation and Interpretation Unit (T&I), was established to \nimplement and coordinate interpretation and translation services" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 2, + "content": "throughout BPS to centralize and standardize language access \nacross the district. The Office of Language Access strives to \nprovide meaningful language access to limited and non-English \nproficient constituents via qualified, trained, and professional \ninterpreters and translators. \nREQUEST PARAMETERS \nThe Office of Language Access handles translation and \ninterpretation services for essential information. The following list \nprovides examples of essential information requiring translation \nand interpretation:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FAM-08 \nPage 2 of 7 \n \n \n \n \n\u2022 IEP/504 meetings \n\u2022 Report cards for students \n\u2022 Academic progress reports for students \n\u2022 Enrollment/registration documents \n\u2022 Disciplinary process information \n\u2022 Permission slips/forms for district and school activities and \nprograms \n\u2022 Applications for activities requiring parental consent \n\u2022 Parent-teacher conferences \n\u2022 Open houses \n\u2022 Parent handbooks \n\u2022 Public health and safety information \n\u2022 Documents on academic planning/options \n\u2022 Screening procedures needing students\u2019/parents\u2019 language \nbackgrounds, the process for refusing all/some ELL services \n\u2022 Written information on parents\u2019/students\u2019 rights and \nresponsibilities" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 4, + "content": "responsibilities \n\u2022 Written information on services and benefits available to \nparents and students \nWith every request, the Office of Language Access will determine \nwhether the services sought are the most appropriate to fulfill \nthe specific language access need and may tailor the request \naccordingly. Fulfilling requests for translation and interpretation \nof non-essential information is at the discretion of the Office of \nLanguage Access and is contingent on availability." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FAM-08 \nPage 3 of 7 \n \n \n \nSERVICES PROVIDED BY QUALIFIED AND BILINGUAL STAFF \nThe district is charged with providing qualified and trained \ntranslators and interpreters to ensure families have meaningful \naccess to information. As such, the Office of Language Access \ndiscourages the use of non-approved professionals with \nbi/multilingual skills, save for in exceptional circumstances. In \naddition, the use of computers/machines to translate is strongly \ndiscouraged. \nREQUESTING TRANSLATION AND INTERPRETATION SERVICES \nAll services are requested and managed through the district's \nonline translation and interpretation request platform. Please be" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 6, + "content": "aware that the Office of Language Access can only support \nBoston Public Schools' requests placed through the Office of \nLanguage Access online platform to comply with the City of \nBoston's procurement regulations and processes. To that end, \nany language access work performed outside of the district's \nestablished translation and interpretation protocol will be at the \nrequester's expense. \nSchools should designate one primary and one alternate point of \ncontact for submitting their translation and interpretation \nrequests. In addition, the point of contact (1) is responsible for \nanswering logistic questions about events, (2) will serve as the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 7, + "content": "contact for interpreters, (3) will provide informational materials \nfor interpreters before scheduled events, and (4) will clarify \nwritten content and receive the written translations. Lastly, this \nperson must also promptly fill out the post-service survey. \nFor district staff, designated central office employees may \nrequest translation and interpretation services. Similarly, the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FAM-08 \nPage 4 of 7 \n \n \n \ncentral office requester serves as the point of contact for that \nservice. This could entail (1) answering logistics questions about \nevents, (2) contacting on-site/virtual interpreters, (3) providing \ninformational materials for interpreters prior to the event, (4) \nclarifying written content/materials, and (5) receiving the written \ntranslations. This person must also promptly fill out the post-\nservice survey. \nFULFILLING REQUESTS FOR TRANSLATIONS AND \nINTERPRETATIONS \nFor translations, requesters should allow a minimum of 2 weeks, \nbearing in mind that larger jobs will, correspondingly, take longer" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 9, + "content": "to complete. As rush/short notice jobs do occur, please specify on \nthe request form if the translation needs expediting. Expediting \nis at the discretion of the Office of Language Access. \nFor in-person interpretations, the more advance notice given, the \neasier it is to secure interpreter services. Please submit a request \na minimum of 2 weeks before the service date. For American Sign \nLanguage (ASL), a minimum of 3 weeks is recommended to \nsecure services. As rush/short notice jobs do occur, please specify \non the request form if the service needs to be expedited. \nInterpreter assignment is based on availability and not \nguaranteed." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 10, + "content": "guaranteed. \nEmergent requests outside of the Superintendent\u2019s and \nCommunications offices that need to be expedited will be \ncompleted in a timeframe at the discretion of the Office of \nLanguage Access." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FAM-08 \nPage 5 of 7 \n \n \n \nCANCELLATIONS OF SERVICES \nThe Office of Language Access must be notified immediately of \nany appointment cancellation in which an interpreter (i.e., oral, \nASL) has been scheduled. A 48-hour notice of cancellation is \nrequired for ASL. For oral interpreter services, we require a 24-\nhour notice of notice of cancellation. Please be aware that if you \nfail to cancel within the designated timeframes, the district will \nbe charged for the services you requested. This can lead to \ninefficient utilization of our limited funds and resources, which \nwe strive to avoid. To cancel interpreter services, please submit" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 12, + "content": "via interpretations@bostonpublicschools.org. If you are canceling \ntranslation requests, please do so as early as possible via \ntranslations@bostonpublicschools.org. \nTELEPHONIC INTERPRETATION SERVICES \nSchools have the option to utilize the on-demand LionBridge \nTelephonic Interpretation service that is available 24 hours a day, \n7 days a week, 365 days a year, in more than 350 languages. \nTelephonic interpretation is the oral transmission of a message \nfrom one language to another via telephone. It is typically \nconducted in consecutive mode, meaning the interpreter will \ntranslate the message after the speaker has stopped speaking. \nThis service should be used for instances when parent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 13, + "content": "communication is not pre-scheduled, e.g., a parent stops by a \nschool, a school must contact the parent of a sick/injured \nstudent, etc. When essential information is discussed, please \nensure that an interpreter or translation of relevant documents is \nrequested in advance. \nThe Office of Language Access will monitor calls and usage to" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FAM-08 \nPage 6 of 7 \n \n \n \nensure adherence to district protocols. Schools and/or central \noffice departments will be notified of usage restrictions due to \nnon-adherence, which will be at the discretion of the Office of \nLanguage Access. \nTALKING POINTS \nSchools have access to TalkingPoints, which is a two-way \nmultilingual family engagement platform allowing educators and \nadministrators the opportunity to communicate with families in \ntheir native language (including English speakers) via the web, \nmobile, or text messages. \n\u2022 TalkingPoints equips educators and administrators with a \nplatform for collaborative communication and analytics" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 15, + "content": "around family engagement and student progress to \nincrease student potential for long-term success. \n\u2022 The service is available 24 hours a day, 7 days a week, 365 \ndays a year, in more than 100 languages.1 \n\u2022 It removes the need for educators to provide parents with \ntheir personal cell phone numbers. \nASSISTANCE \nFor further information, including but not limited to detailed \n \n1 At present, the platform doesn't support Caboverdiano; \nhowever, a simplified version is currently being piloted at the \nOrchard Gardens Elementary School. The simplified version \nsupports outgoing one-way messaging/announcements to \nfamilies only. Additional functionality will be considered based on" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 16, + "content": "pilot results." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FAM-08 \nPage 7 of 7 \n \n \n \ntranslation and interpretation policy and procedures, tutorials \n(i.e., How to Submit a Request, Request Platform User Guide, \nSchool-Based Administrator Training Webinar), and school and \nparent resources/materials to support your school-specific \nlanguage access efforts, please refer to the Office of Language \nAccess website at \nhttps://www.bostonpublicschools.org/translation-interpretation. \n \nFor more information about this circular, contact: \nOwner: Director of Language Access Services \nDepartment: Family and Community Advancement \n(Office of Language Access) \nMailing Address: 2300 Washington Street, Roxbury, MA 02119" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 18, + "content": "Phone: 617-635-7967 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-07 \nVersion 01 \n \n \nHOME-SCHOOL COMPACT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThe Home-School Compact is a document that clarifies what \nschool staff and families, working in collaboration, can do to help \nchildren reach high specific academic goals in core content \nareas. At their best, compacts link family engagement to school-\nwide and grade level instructional goals and help ground the \nrelationships between teachers and families in student learning. \nAdditionally, the compact serves as a clear reminder of the \nshared responsibility of the school and home to ensure that" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 2, + "content": "children can learn what is required of them. It is a written \ncommitment indicating how all members of a school community \n\u2014 families, teachers, principals, students, and concerned \ncommunity members \u2014 agree to share responsibility for student \nlearning. \nAll schools receiving Title I funds are required to develop a \nhome-school compact annually. \nWHAT IS INCLUDED IN A HOME-SCHOOL COMPACT? \nThe compact should clearly communicate the following:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FAM-07 \nPage 2 of 6 \n \n \n1. Schoolwide instructional goals in core content areas and \nculturally and linguistically sustaining practices \n2. Specific learning goals for each grade level \n3. Key instructional strategies that the school plans to employ \n4. Specific strategies for families to support student learning at \nhome \n5. How stakeholders, especially families, are involved in \ndeveloping and revising the compact. \nAdditionally, the compact provides a vehicle for clearly defining \nthe expectations and shared responsibility for educating \nstudents. \nThe compact must describe how the school and teacher agree to \nbe responsible for:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 4, + "content": "be responsible for: \n\u25cf Providing high-quality instruction for all students \n\u25cf Creating a supportive learning environment \n\u25cf Describing how school/teacher will build student agency in \ntheir learning \n\u25cf Showing respect for students and their families \n\u25cf Communicating with families and students about student \nprogress. \nThe compact must describe how families agree to be responsible \nfor: \n\u25cf Supporting their children\u2019s learning in school and out of \nschool \n\u25cf Seeing that their children attend school regularly and on \ntime" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FAM-07 \nPage 3 of 6 \n \n \n\u25cf Participating in decisions relating to the education of their \nchild and the school \n\u25cf Communicating with teachers on a regular basis. \nThe compact must describe specific ways students agree to be \nresponsible learners with the support of their parent(s) and \nteacher(s) by: \n\u25cf Attending school regularly and on time \n\u25cf Showing respect for themselves, their school, and other \npeople \n\u25cf Believing they can and will learn \n\u25cf Trying to do their best in their work. \nThe compact must emphasize the importance of ongoing, two-\nway communication between home and school through the \nfollowing minimum requirements:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 6, + "content": "following minimum requirements: \n\u25cf Annual parent-teacher conference(s) to discuss the \nrelationship between the compact agreements and the \nstudent\u2019s achievement \n\u25cf Frequent, timely progress reports to families \n\u25cf Reasonable access to school staff in a variety of ways \n\u25cf Opportunities to participate in and observe class activities. \nDEVELOPING AND REVIEWING THE HOME-SCHOOL COMPACT \nThe following are key considerations for developing your home-\nschool compact: \n1. The compact must be developed by a committee consisting \nof administrators, school staff, families, students, and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FAM-07 \nPage 4 of 6 \n \n \nteachers. Existing school-based family engagement action \nteams or a subcommittee of the School Site Council are \noptions for the development of this document. \n2. The process for developing a compact should be open and \ninclusive, soliciting the input and contributions of a wide \nrange of stakeholders. \n3. The compact provides an opportunity for each stakeholder \nto articulate their expectations regarding the delivery of \nteaching and learning and what they agree to be held \naccountable for regarding student achievement. \n4. The compact should be written in clear, family-friendly \nlanguage, and translated into the languages spoken at the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 8, + "content": "school. \n5. The compact should be written using the Racial Equity \nPlanning Tool. \n6. Once a draft of the compact has been developed, families, \nteachers, and students should be given an opportunity to \nprovide feedback and input. \n7. The final version of the document must be approved by the \nSchool Site Council annually in the spring in preparation for \nthe upcoming school year. \n8. A final version of the compact must be submitted to the \nOffice of Family and Community Advancement by \nOctober 31, 2024." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FAM-07 \nPage 5 of 6 \n \n \nUSING THE HOME-SCHOOL COMPACT \nSchools must also develop a process for utilizing the compact to \nframe the relationships between teachers and families. Examples \ninclude: \n\u25cf The compact is reviewed at the beginning of parent-teacher \nconferences to frame the conversation about student \nprogress and mutual accountability. \n\u25cf The compact is used throughout the year to frame \nconversations between teachers and families related to \nmonitoring student progress toward specific learning goals. \n\u25cf The compact is used to frame school-based workshops \ndesigned to help families understand schoolwide and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 10, + "content": "grade-level learning goals and how to support learning at \nhome. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe compact, if it is developed and used effectively and \nconsistently, can be used as evidence of reaching the proficiency \ntargets for the elements and indicators of Standard III in both the \nadministrator and teacher evaluation rubrics. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on home-school compacts, please see: \n\u25cf ESEA Title I, Part A, Section 1118(d) \n\u25cf www.ctsschoolparentcompact.org \n\u25cf Title I Toolkit" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FAM-07 \nPage 6 of 6 \n \n \nThe Office of Family and Community Advancement is responsible \nfor supporting schools with the development and \nimplementation of the compacts. \nIMPORTANT DATES \nDate Activity \nOctober 31 \nDeadline for submitting current year Home-School \nCompact to Office of Family and Community \nAdvancement \nMay 31 \nDeadline for School Site Council to review and \napprove the Home School Compact for the \nfollowing school year \n \nFor more information about this circular, contact: \nOwner: Director, Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 12, + "content": "Phone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-05 \nVersion 01 \n \n \nTITLE I FAMILY ENGAGEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Strong family and home-\nschool connection focused on student academic learning has \nconsistently been shown to be associated with improved student \nachievement and school improvement. The shared responsibility \nthat results from partnerships has the potential to improve" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 2, + "content": "relationships, strengthen schools, and ensure students are \nprepared to reach their educational potential in school and \nbeyond. \nThe BPS Five Core Elements of Engagement provide clear \nguidance for schools to develop and implement the Title I Family \nEngagement Requirements. Title I, Part A, Section 1118, of the \nElementary and Secondary Education Act (ESEA) identifies \nspecific family engagement practices required of all schools that \nreceive Title I funds. The Office of Engagement provides oversight \nand support to ensure all schools that receive Title I funds meet \nthe engagement requirements of Sec. 1118." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FAM-05 \nPage 2 of 7 \n \n \nREQUIREMENTS OF SCHOOLS RECEIVING TITLE I FUNDS \nAll schools receiving Title I Funds are required to do the following: \n1. Have a written Family Engagement Plan/Policy, developed \nin collaboration with parents and approved by the School \nParent Council and School Site Council or Governing Board. \n2. Have a Home-School Compact, developed in collaboration \nwith parents and approved by the School Parent Council \nand School Site Council or Governing Board. \n3. Set aside a minimum of 1% of Title I allocation in the school\u2019s \nbudget for family engagement. Decisions on how to allocate \nthe 1% for family engagement must comply with federal" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 4, + "content": "guidelines and be made by the School Site Council or \nGoverning Board. \n4. Host an annual parent meeting to discuss school priorities \nand programs under Title I by October 31. \n5. Build capacity of both families and teachers to effectively \nengage with one another to improve student learning \noutcomes. with an emphasis on the use of CRIOP, Pillar II. \nFAMILY ENGAGEMENT POLICY/PLAN \nThe family engagement policy/plan is jointly designed by families \nand school stakeholders to describe how the school will carry out \nparent engagement to meet the changing needs of families, \nstudents, and the school." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FAM-05 \nPage 3 of 7 \n \n \nThe Family Engagement Policy/Plan must: \n\u25cf Describe how parents will be engaged as equal partners in \nschool-based decision-making, including tools they will use, \nsuch tools as School-based Equity Roundtables. \n\u25cf Describe how parents will be engaged in school \nimprovement and student learning. \n\u25cf Identify strategies that the school will employ to build both \nparent and teacher capacity for partnering to support \nstudent learning. \n\u25cf Be shared with the school community in a format that is \nfamily friendly. \n\u25cf Be translated into families\u2019 home languages. \n\u25cf Be updated annually to reflect the changing concerns of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 6, + "content": "families\u2019 and school priorities related to school climate and \nstudent learning. \nFor additional information on the family engagement policy/plan, \nsee ESEA Title I, Part A, Section 1118(b). \nHOME-SCHOOL COMPACT \nThe purpose of the Home-School Compact is to establish shared \nresponsibility for student academic achievement. \nFor additional information on Home-School Compacts: \n\u25cf ESEA Title I, Part A, Section 1118(d) \n\u25cf BPS Circular FAM-7 Home-School Compacts \n\u25cf www.schoolparentcompact.org \n\u25cf Title I Toolkit" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FAM-05 \nPage 4 of 7 \n \n \n1% MINIMUM FAMILY ENGAGEMENT ALLOCATION \nAll schools receiving Title I funds are required to set aside a \nminimum of 1% of the Title I allocation in the school's budget for \nfamily engagement. As needed, the Family School Engagement \nPractice team can provide guidance in allowable expenditures to \nschools. Decisions on how to allocate the 1% for family \nengagement should be made by the School Site Council or \nGoverning Board in consultation with the parent body. \nFor additional information on the use of Title I funds for family \nengagement, please see ESEA Title 1, Part A, Section1118(a)(3)(C) \nand Section 1118(e)(8), (9), and (10)." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 8, + "content": "and Section 1118(e)(8), (9), and (10). \nANNUAL MEETING \nSchools receiving Title I funds must convene an annual meeting \nwith families in which: \n\u25cf All families are invited and encouraged to attend. \n\u25cf Families are informed of the school\u2019s status as a Title I \nschool. \n\u25cf The requirements of Title I are explained to families. \n\u25cf The school\u2019s use and allocation of Title I funds is shared with \nfamilies. \n\u25cf Families are informed of the different opportunities to be \ninvolved in school-based decision-making, school \nimprovement, and supporting student learning. \n \nFor additional information on the Annual Meeting as required \nunder Title I, please see ESEA Title I, Part A, Section 1118(C)(1)." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 9, + "content": "CAPACITY BUILDING" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FAM-05 \nPage 5 of 7 \n \n \nSchools that receive Title I funds are required to provide capacity \nbuilding opportunities for both families and educators designed \nto: \n\u25cf Help families understand learning standards, assessment of \nstudent learning, and how to effectively monitor student \nprogress. \n\u25cf Strengthen families\u2019 ability to support student learning at \nhome. \n\u25cf Help principals/heads of school, teachers, and other school \nstaff develop the mindsets, beliefs, skills, and strategies to \neffectively build relationships and maintain ongoing, two-\nway, culturally appropriate communication with students\u2019 \nfamilies." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 11, + "content": "families. \n\u25cf Collaborate with community-based organizations that work \nwith school staff and/or parents to strengthen student \nlearning outcomes. \n\u25cf Translate communications and provide interpretation from \nthe school to families who speak a language other than \nEnglish into the appropriate language. \nFor additional information on the Title I requirements related to \nparent and teacher capacity building, please see ESEA, Title I, \nPart A, Section 1118(e). \nREPORTING \nTo be considered in compliance with the family engagement \nrequirements of Title I and the requirements of the BPS Core \nElements of Engagement, schools must submit the following" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 12, + "content": "documents to the Office of Family and Community \nAdvancement, or submit to their engagement folder:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular FAM-05 \nPage 6 of 7 \n \n \n\u25cf School-based Family Engagement Plan/Policy \n\u25cf Home-School Compact \n\u25cf Agenda, meeting minutes, election documents, meetings \ndates, roster, and bylaws of School Site Council \n\u25cf A self-assessment of the school\u2019s engagement practices. \n \nThe Office of Family and Community Advancement will be \nresponsible for tracking parent participation in BPS Parent \nUniversity, which builds the capacity of parents to effectively \nsupport student learning and advocate for student needs. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Title I Family Engagement requirements align with the \neducator evaluation Standard III: Family and Community" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 14, + "content": "Engagement addressing the continuum of supports that reflect \nshared expectations, responsibility, and opportunities for active \nparticipation and collaborative partnerships between schools, \nfamilies, and community. Further, Title 1 requirements align with \nCulturally and Linguistically Sustaining Practices (CLSP), \nincluding the Culturally Responsive Instructional Observation \nProtocol (CRIOP)." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FAM-05 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nOwner: Director of Family School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 445 Warren Street, Roxbury, MA 02121 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-02 \nVersion 01 \n \n \n SCHOOL SITE COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEngaging families and students as equal partners has been \nidentified as a core strategy for improving student performance \nin the Boston School Committee goals and the BPS Engagement \nPolicy. Family and student engagement is also a significant \ncomponent of the Massachusetts School-Level Administrator \nRubric. \nThis circular has been developed to help principals/heads of \nschool effectively implement School Site Councils (SSC) as a \nfoundational structure for engaging parents and students in" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 2, + "content": "school-based decision-making and school improvement. The \nOffice of Family and Community Advancement (OFCA) \ncollaborates with the Boston Teachers Union (BTU) to provide \noversight and support for SSCs. \nFor the purposes of this circular, the term \u201cparent\u201d includes a \nlegal guardian or other person standing in loco parentis (such as \na grandparent or stepparent with whom the child lives, or a \nperson who is legally responsible for the child's welfare). Sect. \n9101(31) ESEA." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 2 of 14 \n \nROLE AND PURPOSE \nThe role of the School Site Council is to engage parents and \nteachers to serve with the principal/head of school as the central \ndecision-making body of the school. SSCs are required by the \nMassachusetts Education Reform Act of 1993 and by the \ncollective bargaining agreement between the Boston Teachers \nUnion (BTU) and the Boston School Committee. \nUnder the school-based management/shared decision-making \nmodel described in the collective bargaining agreement \nbetween BPS and the BTU, the role of the SSC is to: \n\u25cf Review and approve the Quality School Plan within \nguidelines established by the superintendent." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 4, + "content": "guidelines established by the superintendent. \n\u25cf Review and approve the recommendations of the \nInstructional Leadership Team (ILT) that have been \nendorsed by the principal/head of school and that will have \na major effect on the school community. \n\u25cf Review and comment on the entire school budget, \nincluding the general funds and external funds budgets, in a \ntimely fashion. \n\u25cf Approve the budget for discretionary school materials, \nsupplies, textbooks, and equipment, including the use of \nschool improvement award funds. \n\u25cf Review and approve recommendations from any other \ncommittee or group that is established to recommend \nchanges that will have a major effect on the school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 5, + "content": "community. \n\u25cf Develop and approve plans for increasing parent \nengagement in the school." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 3 of 14 \n \n\u25cf Develop, review annually, and approve the School-Parent \nCompact as required by Title I. \n\u25cf Receive information about all outside programs or outside \nprofessionals that come into the school. \n\u25cf Approve waivers. \nAs the central governing body at the school, the SSC oversees all \nschool-based committees, including the ILT and the Personnel \nSubcommittee. \nThe role of the ILT is to: \n\u25cf Serve as an advisory body to the principal/head of school on \nissues related to teaching and learning, assessment, and \nprofessional development. \n\u25cf Give a report each month to the SSC on ILT activities." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 7, + "content": "\u25cf Seek and receive SSC approval for any ILT recommendation \nthat alters the Quality School Plan or may have a major \neffect on the school community. \nEach school must elect a Personnel Subcommittee, whose \ncomposition must include two teachers, one parent, and the \nprincipal/head of school. The responsibilities of the Personnel \nSubcommittee are to: \n\u25cf Approve the hiring of new BTU teacher bargaining unit staff \nand in-transfer of BTU teachers\u2019 bargaining unit staff from \nother schools in the system and the choice of teachers from \nthe excess pools. \n\u25cf Approve the selection of lead teachers, mentor teachers, \nand new athletic coaches. \n\u25cf Determine the schedule and procedures for reviewing" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 4 of 14 \n \ncandidates for positions. \nSchools must submit the names of the members of the \nPersonnel Subcommittee to the Office of Family and Community \nAdvancement by October 31. For additional information on the \nPersonnel Subcommittee, see Superintendent\u2019s Circular FAM-04 \nPersonnel Subcommittee. \nSSC GOVERNANCE AND OPERATIONS \nThe following provisions describe how effective SSCs should \noperate. \n1. SSC operations are governed by a BPS/BTU Joint Steering \nCommittee, which includes parents and students. Any \nmember of the SSC may file a complaint with the Steering \nCommittee concerning the operation of the SSC at their \nschool." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 9, + "content": "school. \n2. The SSC is expected to operate as a single decision-making \nteam, working together to reach consensus, as opposed to \nbeing individual representatives of specific constituent \ngroups. \n3. Formally, decisions made by the SSC will be made by \nmajority vote, with the principal/head of school voting with \nthe majority. \n4. The principal/head of school is required to account in writing \nand in person (at a subsequent meeting) for any vote in \ncontravention of a majority of the council. \n5. A quorum must be present to vote on issues. To constitute a \nquorum, the principal/head of school must be present as \nwell as at least two teachers and two parents for SSCs with 9-" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 10, + "content": "12 members and three teachers and three parents for SSCs \nwith 13 or more members." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 5 of 14 \n \n6. The principal/head of school shall serve as SSC co-chair and \nat the first meeting of the school year; the elected members \nof the SSC are encouraged to select one member (preferably \na parent) to serve as the other co-chair. \n7. Other roles, such as note taker and any subcommittees, shall \nalso be selected at the first SSC meeting of the school year. \n8. At the first SSC meeting of the year, a calendar of meetings \nfor the entire school year shall be established, ensuring that \nthe times and dates are convenient for all members. \n9. The agenda for the meetings shall be developed by the SSC" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 12, + "content": "co-chairs with input from other members of the SSC and the \nschool community at large. \n10. Each SSC is required to pass by-laws to govern its operations. \nThe by-laws must be approved or amended by two-thirds of \nthe members of the bargaining unit in the school eligible to \nvote for the SSC and by two-thirds of the parents who come \nto a parent meeting. There must be at least two weeks\u2019 \nnotice for the parent meeting. \n11. All SSC meetings are subject to DESE regulations regarding \nspecific law, including publicizing meeting dates in advance \nand sharing meeting minutes with the school community. \n12. On March 29, 2023, Governor Healey signed into law a" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 13, + "content": "supplemental budget bill which, among other things, \nextends the temporary provisions pertaining to the Open \nMeeting Law to March 31, 2025. These provisions allow for \nSchool Site Councils to meet remotely, provided that \nadequate access to the meetings is still available to the \npublic. Please see https://www.mass.gov/the-open-meeting-\nlaw for more information or current updates. Decisions \nabout hosting in- person or virtual school-based meetings" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 6 of 14 \n \nwith families for SY 24-25 should be a shared decision with \ncommunity members. \nFor additional information on SSC governance and operations, \nplease contact the Office of Family and Community \nAdvancement or refer to the Shared Decision-Making section of \nthe collective bargaining agreement between BPS and the BTU. \nCOMPOSITION OF THE SSC \nThe SSC shall be composed of: \n\u25cf The principal/head of school \n\u25cf Elected members of the BTU who work more than 50% of \ntheir work week at that school \n\u25cf Parents of children enrolled in that school elected by the \nSchool Parent Council \n\u25cf Two students (high school only) enrolled in that school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 15, + "content": "elected by the Student Government. \nThe specific number of parent and teacher representatives on \nthe SSC is determined by the number of BTU members employed \nat the school. The number of parent representatives on the SSC \nmust be equal to the number of BTU representatives, plus the \nprincipal/head of school. The table below demonstrates how the \nnumber of teacher and parent representatives are calculated." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 7 of 14 \n \nSchool Site Council Representation* \n# of BTU members \nin school # of BTU SSC Reps # of Parent SSC Reps \n30 or fewer BTU 4 4 \n31 \u2013 60 BTU 5 5 \n61 or more BTU 6 6 \n \n*Plus, the principal/head of school and, as applicable, two \nstudents, as outlined above. \nSchools may also select associate (non-voting) SSC members \nfrom community-based organizations, higher education, or \nbusinesses that partner closely with the school. \nEach school shall also elect each year alternate parent, teacher, \nand student members of the SSC to substitute for absent \nmembers of their group. Alternate members who are elected by" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 17, + "content": "BTU bargaining unit members or parents to substitute for absent \nmembers may also fill vacancies created by the resignation or \nremoval of SSC members. \nParents elected as SSC representatives must reflect the racial and \nethnic diversity of the student population at the school and \ninclude parents of students participating in a range of \neducational programs, such as special education and related \nservices and programming for English Language Learners. \nFor specific information on the election process of BTU \nrepresentatives, please refer to the Shared Decision-Making \nsection of the collective bargaining agreement between BPS and \nthe BTU." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 8 of 14 \n \nSSC ELECTION PROCEDURES FOR SELECTING PARENT AND \nSTUDENT REPRESENTATIVES \nThe following are key points for conducting successful elections. \n\u25cf Principals/heads of school should designate an impartial \nstaff person as the school\u2019s Election Facilitator. Elections \nshould not be facilitated by the principal/head of school or \nby a parent currently serving on the SPC Executive \nCommittee or SSC. The Office of Family and Community \nAdvancement provides training, support, and materials for \nall election facilitators, and can facilitate elections provided \nthat (a) a facilitator cannot be identified from within the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 19, + "content": "school community, and (b) the school contacts Office of \nFamily and Community Advancement with the election \ndate, time, and location at least two weeks in advance. \n\u25cf OFCA recommends that the school\u2019s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n\u25cf Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n\u25cf Elections should be held at the first School Parent Council \n(SPC) meeting of the year and conducted at a time that is \nconvenient for parents. The SPC consists of all parents in the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 20, + "content": "school community. See Superintendent\u2019s Circular FAM-01 for \nadditional details. \n\u25cf Election of student SSC representatives at high schools \nshould be incorporated into schools\u2019 student government \nelection process. \n\u25cf Schools should be prepared to provide translation and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 9 of 14 \n \ninterpretation, as well as childcare, at the parent election \nand at the meetings as needed. \n\u25cf Parent elections typically take between 30 and 60 minutes. \nThe election facilitator should be prepared to explain the \nrole and purpose of the SPC and SSC, as well as provide an \noverview of each position and requirements of the election. \n\u25cf Parents or legal guardians of students currently enrolled at \nthe school are eligible to be elected to the SSC. Note: \nparents/legal guardians who work at their child\u2019s school \ncannot serve as the parent representative on the SSC. \n\u25cf Parents may be nominated and elected to serve on both the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 22, + "content": "SSC and the SPC executive committee/team. \n\u25cf All families who are present at the election are allowed one \nvote per family per elected position. No absentee ballots will \nbe accepted. \n\u25cf Voting may be conducted by secret ballot or by majority \nvote. \n\u25cf Upon completion of voting, each newly elected parent \nshould complete an Elected Member Information Form and \nreturn it to the election facilitator. \n\u25cf After the election, the school is responsible for submitting all \nelection results to the Office of Family and Community \nAdvancement \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council elects parent members to represent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 23, + "content": "the parent voice on the School Site Council. The SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 10 of 14 \n \nthe SSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSSC REPORTING \nAll BPS schools are required to submit their SSC rosters and \nmaterials listed below directly to the Office of Family, Student \nand Community Advancement by October 31. Additionally, \nschools are required to submit the following documents for the \npurposes of demonstrating compliance with MA Open Meeting \nLaw and BPS policy: \n\u25cf SPC roster \n\u25cf SSC roster" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 25, + "content": "Law and BPS policy: \n\u25cf SPC roster \n\u25cf SSC roster \n\u25cf Personnel Subcommittee roster \n\u25cf SSC meeting calendar for the year \n\u25cf SSC meeting agendas, monthly \n\u25cf SSC meeting notes, monthly \n\u25cf SSC by-laws \n\u25cf Family Engagement Plan \n\u25cf Home-School Compact \nThe first deadline for submitting this documentation is October \n31, at which time every school will be assigned one of the \nfollowing statuses: \n\u25cf Full Compliance: School has uploaded SSC and SPC roster, \nas well as all other SSC documentation. \n\u25cf Reporting: School has uploaded SSC and SPC roster, with \nincomplete additional SSC documentation. \n\u25cf No Data: School has not uploaded SSC and SPC roster." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 11 of 14 \n \n \nSSC meeting agendas and notes should be submitted on request \nfor updated SSC status to be maintained and/or updated. \nSUPPORT AND TRAINING \nThe Office of Family, Student and Community Advancement \nprovides the following supports to schools to help them \neffectively conduct elections, provide the required \ndocumentation, and implement effective SSCs throughout the \nschool year: \n\u25cf Required election materials \n\u25cf Election facilitation training \n\u25cf Election facilitation, in the event that the school is not able \nto identify a facilitator and is able to request an election \nfacilitator at least ten school days in advance" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 27, + "content": "facilitator at least ten school days in advance \n\u25cf SSC trainings, in collaboration with the BTU, on topics \nincluding SSC Basics, SSC Budget Basics, and Shared \nDecision-Making \n\u25cf SSC manuals, including specific tools to support SSC \noperations and answers to frequently asked questions \n\u25cf SSC trainings for high school students and adult allies \n\u25cf Ongoing support, coaching, and technical assistance. \nOPEN MEETING LAW REQUIREMENT \nSSCs serve as the decision-making body of the school and are \nsubject to certain aspects of the Massachusetts Open Meeting \nLaw, per DESE Regulations. According to these laws, SSCs must \nadhere to the following requirements:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 12 of 14 \n \n\u25cf Meeting dates and agendas must be posted publicly, with \n48 hours advance notice. \n\u25cf All SSC meetings must be open to the public. \n\u25cf Meeting minutes and notes must be shared, posted, and \nkept in a place at the school where they are accessible. \nFor more complete information on the MA Open Meeting Law, go \nto www.mass.gov/ago/government-resources/open-meeting-\nlaw/ \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts School Level Administrator \nRubric: \n\u25cf Indicator III-A1. Family Engagement" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 29, + "content": "Rubric: \n\u25cf Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n\u25cf Indicator IV-A-3. Professional Culture \no Plans and leads well-run and engaging meetings that \nhave a clear purpose, focus on matters of consequence, \nand engage participants in a thoughtful and \nproductive series of conversations and deliberations \nabout important school matters. \n\u25cf Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n\u25cf Indicator IV-E-1. Shared Vision Development" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 13 of 14 \n \no Parents, students, and teachers have an opportunity to \nshape the vision for the school as it pertains to \ninstruction and school climate. \n\u25cf Indicator IV-F-3. Consensus Building \no Decisions are made using a consensus model, in which \nall members of the SSC have an equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate Activity \nSeptember 15 \nElection dates submitted to the Family-School \nEngagement Practices Team, Office of Family \nand Community Advancement \nOctober 15 \nDeadline for completing elections of all parent, \nstudent, and teacher SSC representatives and \nsubmission of rosters" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 31, + "content": "submission of rosters \nOctober 31 Deadline for conducting first SSC meeting \nOctober 31 \nDeadline for submitting all required \ndocumentation to the Office of Family and \nCommunity Advancement \nTBA Districtwide SSC trainings" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FAM-02 \nPage 14 of 14 \n \nFor more information about this circular, contact: \nOwner: Director, Family-School Engagement \nPractices \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFAM-06 \n \n \nBOSTON STUDENT ADVISORY COUNCIL \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMassachusetts State Law Chapter 71: Section 38M. Student \nAdvisory Committee states: School committees of cities, towns \nand regional school districts shall meet at least once every other \nmonth, during the months school is in session, with a student \nadvisory committee to consist of five members to be composed \nof students elected by the student body of the high school or \nhigh schools in each city, town, or regional school district. \nMISSION STATEMENT" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 2, + "content": "MISSION STATEMENT \nThe Boston Student Advisory Council advocates for and protects \nthe voices of students in the Boston Public School system, \nempowers the student body to express their opinions regarding \neducational policy changes, and ensures that students are \nincluded in decision and policy making which impacts their lives \nand educational experiences. \nIn the Boston Public Schools, students can apply to their school \nto serve on the Boston Student Advisory Council. The Boston \nStudent Advisory Council (BSAC), a citywide body of student \nleaders representing their respective high schools, serves as the \nvoice of students to the Boston School Committee, the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 3, + "content": "superintendent, and central office departments. BSAC offers \nstudent perspectives on policies, initiatives, and reform efforts, \nand inform their respective schools about relevant citywide" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FAM-06 \nPage 2 of 4 \n \n \nschool issues. They also address student issues by developing \ndistrict-wide policies and working with student governments and \nheads of schools on school level policies and practices. \nBSAC is made up of a Full Council and Executive Committee. The \nFull Council is the think tank which generates the ideas for \nprojects, and the Executive Committee is the leadership team of \nsix (6) to twelve (12) students who serve as the advising body to \nthe Boston School Committee and superintendent. The Executive \nCommittee also plans and facilitates meetings with the support \nof the BSAC manager, facilitates youth engagement in district" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 5, + "content": "initiatives and departments, develops BSAC priorities, and \nmonitors progress. \nEach Boston public high school (including district, exam, all high \nschool-level alternative, pilot, and in-district charter schools) is \nrequired to have at least one and up to two BSAC representatives \nfrom their school. The BSAC representative is a part of the \nstudent government and must regularly attend student \ngovernment meetings to share BSAC\u2019s work, receive feedback, \nand gather input on projects/policies. Where possible, it is helpful \nto have a student representative who is on the School Site \nCouncil serve on BSAC as well. There are two ways students may" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 6, + "content": "become a BSAC member: (1) through student elections at the \nschool level, or (2) through the BSAC application managed by the \nOffice of Youth Leadership. \nROLE OF BSAC MEMBERS \n1. To elect a leadership team that will serve in advisory to the \nSchool Committee as part of its decision-making process. \n2. To keep their Student Government and school community \ninformed about relevant district initiatives and decisions, \nand actively seek and collect feedback to inform district" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FAM-06 \nPage 3 of 4 \n \n \ndecision making through regular attendance and \nparticipation in Student Government meetings. \n3. To work on BSAC projects and initiatives. \nBSAC representatives will: \n\u2022 Represent their schools at BSAC meetings. \n\u2022 Assist in decision making for their schools by advising the \nadministration on student-centered citywide issues and \npolicies. \n\u2022 Work on policies that BSAC develops. \n\u2022 Perform tasks necessary to advance project work, such as \nsurveys, meetings with heads of schools and Student \nGovernment advisors, peer interviews, etc. \n\u2022 Ensure representation of student voice for their school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 8, + "content": "through continuous engagement with the Student \nGovernment and their broader student body. \nThe Office of Youth Leadership is responsible for oversight and \nsupport of BSAC." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FAM-06 \nPage 4 of 4 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember 29 First BSAC meeting for returning representatives \nOctober 15 Deadline to hold Student Government Elections \nOctober 15 \n \nEmail names of Student Government \nrepresentative(s) and BSAC member to Office of \nYouth Leadership, \nBSAC@bostonpublicschools.org \nOctober 28 \nDeadline for youth to apply to City of Boston\u2019s \nSuccess Link to qualify for a youth job slot. When \npossible, the Office of Youth Leadership partners \nwith the City of Boston\u2019s Department of Youth \nEngagement and Employment to provide paid \nyouth jobs to BSAC members." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 10, + "content": "youth jobs to BSAC members. \n \nFor more information about this circular, contact: \nOwner Senior Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFAM-04 \nVersion 01 \n \n \nSCHOOL SITE COUNCIL PERSONNEL SUBCOMMITTEE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Consistent with the principles \nof school-based management, the School Site Council engages \nparents and students in shared decision-making as a lever for \nschool improvement. The intention of the Personnel \nSubcommittee is to actively involve members of the school \ncommunity in the teacher hiring process, as these decisions will" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 2, + "content": "have a significant impact on instructional practice and the lives of \nstudents. \nRESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE \nThe responsibilities of the Personnel Subcommittee of the School \nSite Council are to: \n\u2022 Approve the hiring of new Boston Teachers Union (BTU) \nteachers\u2019 bargaining unit staff and in-transfer of BTU \nteachers\u2019 bargaining unit staff from other schools in the \nsystem and the choice of teachers from the excess pool. \n\u2022 Approve the selection of lead teachers, new teacher \ndevelopers, mentor teachers, and new athletic coaches. \n\u2022 Determine the schedule and procedures for reviewing" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FAM-04 \nPage 2 of 5 \n \ncandidates for positions. \n \nThe decisions of the Personnel Subcommittee are not subject to \nthe approval of the School Site Council. \nPERSONNEL SUB-COMMITTEE MEMBERSHIP \n1. The Personnel Subcommittee shall consist of two teachers, \none parent, one student in high schools, and the \nprincipal/head of school or their designee. \n2. BTU members on the School Site Council shall select the BTU \nrepresentatives to serve on the Personnel Subcommittee. \n3. The parent members of the School Site Council shall select \nthe parent representative. \n4. The student members of the School Site Council at high" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 4, + "content": "schools shall select the student representative. \n5. The composition of the Personnel Subcommittee should \nreflect the racial and ethnic diversity of the school \ncommunity to the extent possible. \n6. Teacher, parent, and student representatives on the \nPersonnel Subcommittee may designate temporary \nreplacement representatives to the subcommittee for \nspecific positions. \nSCHOOL STAFFING \nThe Personnel Subcommittee interviews and decides on the \nselection of permanent teachers who voluntarily apply for \ntransfer into the school and the hiring of new teachers for \nvacancies, consistent with the terms of the current collective \nbargaining agreement between Boston Public Schools (BPS) and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 5, + "content": "the BTU." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FAM-04 \nPage 3 of 5 \n \n \nOPEN POSTING \nIn accordance with circular HRS-HS-07, schools must adhere to \nthe requirements to open post. Therefore, schools must ensure \nthat the Personnel Subcommittee of the School Site Council is \nformed and ready to begin the hiring process by March 1. \nTraining related to personnel subcommittees is offered by the \nOffice of Family and Community Advancement, the BTU, and the \nOffice of Human Capital. \nPERMANENT AND PROVISIONAL TEACHERS \nIn addition to permanent teachers who apply for transfer, a \nPersonnel Subcommittee may consider a provisional teacher \nwith a letter of reasonable assurance for a position which appears" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 7, + "content": "on the transfer list and that the provisional currently holds within \nthe school. \nAfter interviewing candidates for a vacancy at a school that \nresults from the transfer process, or if a vacancy at a school \noccurs after the completion of the regular transfer process, a \nschool may choose to advertise or re-advertise the position. \nTIME COMMITMENT \nThe Personnel Subcommittee is a standing committee of the \nSchool Site Council for the duration of the school year. As such, \nthe Personnel Subcommittee must be formed by October 31 and \nshould meet as vacancies occur. The Personnel Subcommittee is \nnot required to meet between the end of one school year and the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 8, + "content": "beginning of the succeeding school year. Before the summer \nrecess, members of the Personnel Subcommittee should leave" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FAM-04 \nPage 4 of 5 \n \ncontact information with the principal/head of school, who will \ncontact members prior to the interviewing or hiring of any \nteacher applicants. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Massachusetts School-Level Administrator Rubric includes \nFamily and Community Engagement (Standard III) as one of four \nstandards for effective principals/head of school practice. \nEngaging parents and students in shared decision-making as \nmembers of the Personnel Subcommittee aligns with Standard \nIII, Indicator A, Family Engagement of the rubric. Sharing \nevidence of effective implementation of the Personnel" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 10, + "content": "Subcommittee may be a valuable way for principals/heads of \nschool to demonstrate proficient practice in Standard III. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on the role and purpose of the School \nSite Council, shared decision-making, and school-based \nmanagement, please refer to circular FAM-01 School Site Council \nand the School Site Council Manual. \nFor additional information on school staffing and hiring, please \nrefer to circular HRS-HS-07 School Staffing, Reassignment, and \nHiring. \nEngagement staff from the Office of Family and Community \nAdvancement (OFCA) are available to provide support, coaching," + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 11, + "content": "and technical assistance related to shared decision-making and \nschool-based management to all BPS schools." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FAM-04 \nPage 5 of 5 \n \nAdditionally, OFCA and the BTU collaborate to provide training \nfor schools on all aspects of the School Site Council, including the \nPersonnel Subcommittee. \n \nFor more information about this circular, contact: \nOwner: Director of Family School Engagement \nPractice Team \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: 443 Warren Street Boston, MA 02121 \nPhone: 617-635-7750 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-06 \nVersion 01 \n \n \n \nPARTICIPATION GUIDELINES FOR TESTING ENGLISH \nLEARNERS ON STATEWIDE ASSESSMENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent versions. \nThe purpose of this circular is to provide schools with the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) guidelines for testing English Learner (EL)1 \nstudents on statewide assessments. \nDEFINITION \nAccording to MA DESE, an EL student is a student whose native \nlanguage is not English, and currently unable to perform ordinary \nclassroom tasks in English. An EL student also scores less than" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 2, + "content": "proficient on an English language proficiency assessment. When \na student has been identified as an EL according to MA DESE and \nU.S. Department of Justice requirements, a student retains this \ndesignation, regardless of their program setting until they meet \n \n1 English Learner (EL) refers to a specific subset of Multilingual \nLearners (MLs) who are classified as English learners. This term is \nused in federal and state laws, regulations, and policies. For more \ninformation, see MA DESE\u2019s Guidance on English Learner \nEducation Services and Programming, page 5, available at \nhttps://www.doe.mass.edu/ele/guidance/." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 2 of 13 \n \n \n \nstate exit criteria2. Students who meet the exit criteria must be \nreclassified as Former English Learners (FELs). \nPARTICIPATION REQUIREMENTS FOR EL STUDENTS \nFederal and state laws require that all EL students participate in \nstatewide assessments. Massachusetts students will meet the \nrequirements of these laws by participating in both the MCAS \nand ACCESS for ELLs tests. \nEL Participation Requirements in Statewide Assessments \n \nACCESS \nGrades K2-12 \nMCAS \nELA Math \nScience \nand \nTech/Eng \nFirst-Year \nEL \nStudents3 \nRequired only for \nK2-12 grade \nstudents entering \nOptional4 Required Required" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 4, + "content": "students entering \nOptional4 Required Required \n \n2 Students must score 4.2+ overall and 3.9+ in literacy on ACCESS \nfor ELLs to be reclassified as former English learners (FELs). MA \nDESE will release Alternate ACCESS exit criteria in fall 2024. \n3 Results for first year EL students are not included in MCAS \nschool and district summary results or in state accountability \nreporting. \n4 Optional, provided that the student has participated in ACCESS \nfor ELLs testing. This first year exemption shall be applied one \ntime." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 3 of 13 \n \n \n \nbefore ACCESS \nfor ELLs testing is \ncompleted \nAll Other \nEL \nStudents \nRequired Required Required Required" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 4 of 13 \n \n \n \nACCESS FOR ELLS AND ALTERNATE ACCESS FOR ELLS \nAll EL students must be assessed annually to measure their \nEnglish language proficiency and progress in learning English in \nthe four domains of reading, writing, listening, and speaking. \nStudents in grades K2-12 who are identified as EL must \nparticipate in ACCESS for ELLs testing or the Alternate ACCESS \nfor ELLs for their grade. This requirement applies regardless of \nthe number of years a student has been enrolled in U.S. schools \nand whether their parent or guardian has an approved request to \nopt-out of ESL services. The following students must participate:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 7, + "content": "\u25cf students who were reported as EL in the October 2024 SIMS, \nand \n\u25cf students who enroll in school after the October 2024 SIMS \nsubmission and prior to February 7, 2025 who will be \nreported as EL in the March 2025 SIMS. \nForeign exchange students who are coded as #11 under DOE013 \n\u201cReason for Enrollment\u201d in SIMS must participate in an ACCESS \nfor ELLs test, if they are reported as English learners. They are also \nrequired to participate in the MCAS tests specified for the grade \nin which they are reported. \nALTERNATE ACCESS FOR ELLS \nThis is the state\u2019s alternate English language proficiency \nassessment for EL students in grades K2-12. This assessment is" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 8, + "content": "designed specifically for those EL students with the most" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 5 of 13 \n \n \n \nsignificant cognitive disabilities5 who are unable to meaningfully \nparticipate in ACCESS for ELLs, as indicated in the student\u2019s IEP. \nThis paper-based assessment is uniquely designed to monitor \nstudents\u2019 progress in acquiring academic English. \nMCAS \nEL students must participate in all MCAS tests scheduled for their \ngrades, regardless of the language program and services they are \nreceiving or the amount of time they have been in the United \nStates. The one exception applies to first-year EL students who \nenrolled in U.S. schools after March 1, 2025 and who were not \nreported in the March 2024 SIMS report, for whom only MCAS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 10, + "content": "ELA testing in Spring 2025 is optional. \nNote: EL students in high schools need to pass MCAS tests as a \nstate requirement for graduation. There are opportunities for \nretesting if students do not pass MCAS the first time. \n \n \n5 For more information, see \nhttps://www.doe.mass.edu/mcas/access/participation-\nguidelines.html." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 6 of 13 \n \n \n \nASSESSMENT TESTING WINDOWS \nThe testing windows for administering the SY2024-2025 annual \nassessments in Boston Public Schools are listed below: \n SY 2024-25 Dates State Assessment \nNov. 6- 7 November 2024 MCAS HS ELA Retests \nNov. 12-13 November 2024 MCAS HS Mathematics Retests \nJan. 6- Feb. 14 2025 ACCESS for ELLs \nFeb. 4- 5 February 2025 MCAS HS Biology and \nIntroductory Physics Tests \nMar. 6 & 7 March 2025 MCAS HS ELA Retests \nMar. 11- 12 March 2025 MCAS HS Mathematics Retests \nMar. 24 Apr. 18 Spring 2025 MCAS Grades 3-8 ELA Test \nMar. 25-26 Spring 20254 MCAS Grade 10 ELA Test \nMar. 28 2025 MCAS Alternate Assessment (MCAS-Alt)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 12, + "content": "Submission Deadline \nApr. 28-May 23 Spring 2025 MCAS Grades 3-8 Mathematics & \nGrades 5&8 STE Tests \nApr. 28- June 6 Spring 2025 MCAS Grade 8 Civics Test \nMay 20 21 Spring 2025 MCAS Grade 10 Mathematics Test \nJune 4-5 Spring 2025 MCAS High School STE Tests \n \nNote: dates are based on the State Initial Release of the 2024\u201325 \nMCAS and ACCESS for ELLs Testing Schedule, as of 5/15/2024. \nThese dates are not considered final until confirmed by DESE." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 7 of 13 \n \n \n \nGUIDELINES FOR ASSESSING EL STUDENTS IN THEIR FIRST 12 \nMONTHS OF ENROLLMENT IN U.S. SCHOOLS \nFor recently arrived ELs who have been enrolled in a U.S. school \nfor the first time after March 1, 2024, and who were not reported \nin the March 2024 SIMS report, the following apply: \n1. The participation in ACCESS for ELLs or Alternate ACCESS \nfor ELLs testing is required, provided that the student \nenrolls in school before February 7, 2025. \n2. The participation in Spring 2025 MCAS ELA assessment6 is \nnot required but is recommended for student diagnostic \npurposes only. Testing in MCAS ELA is strongly encouraged" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 14, + "content": "to be considered an opportunity for students in high school \ngrades to earn a passing score for graduation requirements. \n3. For students expected to participate in statewide \nassessments, non-participation in ACCESS and MCAS testing \nnegatively impacts the school and district accountability. \n \n \n6 ELA testing is also optional for EL students from Puerto Rico \nwho are in their first year of enrollment in a Massachusetts \nschool." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 8 of 13 \n \n \n \nSCHOOL AND DISTRICT REPORTING FOR EL STUDENTS \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n All Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district\u2019s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nAssessment \nParticipation \nRate for \nMCAS ELA is \nbased on \nACCESS \nStudents are \nexpected to take \nthe ACCESS test to \nbe counted in the \nschool MCAS \nparticipation rate \nfor ELA. Regardless, \nstudent\u2019s \nparticipation in the \nMCAS ELA test is \noptional. \n \nIf a student does \nnot participate in \nACCESS testing, the" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 16, + "content": "not participate in \nACCESS testing, the \nstudent counts as \n\u2018non-participant\u2019 for \nMCAS in the \nStudents count \nas participants \nregardless of \nparticipation in \nMCAS ELA \ntesting. ACCESS is \nnot required if a \nstudent enrolled \nat the end of the \ntesting window. \n \nStudents are \nexpected to take \nthe ACCESS test \nto be counted in \nthe school MCAS \nparticipation rate \nfor ELA. \nOtherwise, the \nstudent counts \nagainst the \nschool MCAS \nparticipation rate \nfor ELA. \n \nMCAS ELA testing \nis not optional." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 9 of 13 \n \n \n \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n All Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district\u2019s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nschool's MCAS ELA \nparticipation rate. \nAccounta-\nbility \nDetermina-\ntions \nStudents\u2019 MCAS results7 are not \nincluded in the accountability \ncalculations. For first year ELs who \nparticipate in ELA testing, results will be \nprovided at the school level and will be \nused for Competency Determination \npurposes for high school students. \nStudents\u2019 MCAS \nresults are" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 18, + "content": "Students\u2019 MCAS \nresults are \nincluded in the \naccountability \ncalculations. \n \n \n \n7 First-year EL students must participate in MCAS Mathematics \nand Science and Technology/Engineering tests, although results \nwill be reported for diagnostic purposes only and students\u2019 \nresults will not be included in school and district summary results \nor in state accountability reporting." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 10 of 13 \n \n \n \nPROVIDING APPROPRIATE TESTING ACCOMMODATIONS TO ELS \nTesting accommodations involve changes to testing procedures, \ntesting materials, or the testing situation to allow students \nmeaningfully participate in an assessment. However, testing \naccommodations must not alter the test construct or the test \ncontent being measured. \nTesting accommodations for ELs are designed to address their \nunique linguistic needs during the normal process of English \nlanguage acquisition. When appropriately assigned, testing \naccommodations offer ELs the opportunity to demonstrate \nknowledge in a subject, regardless of their English language" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 20, + "content": "proficiency level. This provides schools and divisions with an \naccurate picture of an EL\u2019s content area achievement. \nEL students may be eligible for testing accommodations on \nMCAS assessments. Certain testing accommodations may be \nmore appropriate for ELs at a particular language proficiency and \nfor certain MCAS assessments. Decisions about accommodations \nfor EL students should be made by the Language Acquisition \nteam of educators familiar with the student. These decisions \nshould be documented as described in the MA DESE MCAS \nAccessibility and Accommodations Manual. \nThe following accommodations are available to ELs, with or \nwithout disabilities, on MCAS tests:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 11 of 13 \n \n \n \nAccommodation Applicability \nPaper-based edition \n(EL1) \nMay be administered to a first year EL student \nwith a low level of English proficiency or an EL \nstudent who has little or no familiarity with \ntechnology (student does not use a computer \nroutinely). \nAuthorized Bilingual \nWord-to-Word \nDictionary and \nGlossary (if available) \n(EL2)8 \nList of authorized English/Native Language \ndictionaries (also available to Former ELs). \nBilingual dictionary use for MCAS tests is strictly \nlimited to those that provide word-to-word \ntranslations. Dictionaries that include definitions, \nsynonyms, antonyms, phrases, and other" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 22, + "content": "synonyms, antonyms, phrases, and other \ninformation are prohibited. Electronic dictionaries \nare not allowed. \nText-to-speech (TTS) \n(EL3.1) \n \nNext-generation computer-based Mathematics, \ngrades 5 and 8 Science and Technology/ \nEngineering (STE) and/or high school Biology or \nIntroductory Physics tests \nHuman read-aloud \n(EL3.2) \nNext-generation computer-based or paper-based \nMathematics and/or Science and Technology/ \n \n8 The use of DESE approved word-to-word bilingual dictionaries is \nstrongly encouraged if students have demonstrated usage with \nneed in accessing the native language definition. Some students \nwith limited academic proficiency in their native language may" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 23, + "content": "find the dictionary usage a deterrent or a barrier to access the \ndefinition and translation. School teams are advised to use \nprofessional judgment in assessing the need based on the \nindividual learner." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 12 of 13 \n \n \n \nAccommodation Applicability \nEngineering tests or legacy Mathematics or ELA \nComposition retests \nScribe (including \nhuman scribe or \nspeech-to-text) (EL4.1, \nEL4.2) \nMathematics and/or STE tests or legacy ELA \nReading Comprehension retest \nEnglish/Spanish test \nversion for \nMath/Biology/Physics \nonly (EL7) \nIntended only for a Spanish-speaking EL student \nwho has been in the U.S. for less than 3-years; \nAvailable in computer- and paper-based formats. \n \n \nThe student should be introduced to an accessibility feature or \naccommodation as early as possible in the school year, prior to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 25, + "content": "the assessment. Accessibility features and accommodations are \nintended to remove barriers and allow EL students to \ndemonstrate their knowledge and skills more effectively and \nshould never be provided for the first time on a statewide \nassessment. \nPlease consider the following resources available: \n\u25cf MA DESE MCAS and ACCESS Participation Requirements \n\u25cf MA DESE Authorized Bilingual Word-to-Word Dictionaries \nand Glossaries for Use by ELs and FELs on MCAS \n\u25cf MA DESE MCAS Accessibility and Accommodations Site \nIDENTIFYING FIRST YEAR EL STUDENTS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular ODA-06 \nPage 13 of 13 \n \n \n \nA list of the identified first year ELs, students who have been in \nthe U.S. for less than 12 months and are actively enrolled in your \nschool, can be retrieved through SIS (ASPEN). On the \u2018Student\u2019 \ntab in the field set menu, filter for \u201cFirst Year in U.S. Schools LEP \nStudent.\u201d A report will be generated based on the school \nenrollment up to the date of retrieval. \nIn January 2025, the Office of Data and Accountability will flag \nthese students in the SR/PNP file uploaded on the Spring 2025 \ntesting platform. Schools may later export this file to identify the \nFirst Year EL students. New first year EL students enrolled after" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 27, + "content": "January 2025 will not be coded in the file, but schools can identify \nthem in ASPEN. \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-05 \nVersion 01 \n \n \n \nBPS SURVEY ADMINISTRATION GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. \u00a71232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 2, + "content": "following policy. Additionally, a student survey that is not \ndeveloped or administered with funds received from the United \nStates Department of Education also does not need to comply \nwith this policy. \nFor those student surveys that are developed or administered \nusing federal education funds and in which a student is required \nto participate, the following policy applies. This policy applies to \nthose surveys that ask a student to reveal any of the following \ninformation: political affiliation; mental illness or psychological \nproblems; sexual behavior and/or attitudes; illegal, self-\nincriminating, and demeaning behavior; critical appraisals of" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 3, + "content": "close family members; relationships to which a privilege is \nrecognized, such as clergy, medical doctors, or attorneys; \nreligious affiliations or beliefs; and income, other than for" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 2 of 10 \n \n \n \neligibility for participation in a program. Prior to administering \nsuch a survey, the student\u2019s parent or guardian must consent, in \nwriting, to the student\u2019s participation in the survey. Also, a copy \nof the survey must be made available to the parent or guardian. \nAny such survey should also be brought to the attention of the \nOffice of Legal Advisor. \nPERCEPTION SURVEYS \nStudent, teacher, and family surveys are an effective tool to \nsupport success inside and outside of the classroom. These \nsurveys are required district-wide; however, schools and \nprograms may choose to administer additional surveys (please" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 5, + "content": "see further down for guidance about administering additional \nsurveys). It is the responsibility of all in the Boston Public Schools \nto use the data that emerge from the surveys to ensure that \nevery student receives what they need every day. \nPurpose \nThe Boston Public Schools\u2019 climate, culture, and feedback surveys \nsupport the district strategic goals of eliminating opportunity \ngaps and accelerating learning. The surveys: \n\u25cf provide teachers, administrators, students, parents, the \ndistrict, and the community with information \nregarding climate, culture, engagement, and student \nlearning. \n\u25cf are utilized to assess criteria for inclusion as a Family \nFriendly School." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 3 of 10 \n \n \n \n\u25cf are included in measures to calculate school scores for \nthe School Quality Framework and assignment tiers for \nthe Home-based Student Assignment System. \nA robust survey system includes surveys that provide information \non the classroom, school, and district levels and is responsive to \nneeds at each of these levels. \n\u25cf At the classroom level, the student feedback survey \nprovides teachers with data on student\u2019s perceptions \nof instruction and classroom climate, so that teachers \nmay create formative goals to better meet the learning \nneeds of their students. \n\u25cf At the school level, the surveys provide school leaders" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 7, + "content": "and leadership teams with data to help them measure \nschool success in relation to school and district goals; \nassess engagement and the creation of a safe and \nwelcoming environment; and work with teachers to \ndevelop strategies that attend to priority areas. \n\u25cf At the district level, the surveys provide district leaders \nwith information that allows them to determine if the \nsystem, individual schools, and central departments \nare making progress regarding the district\u2019s long term \nstrategic goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented \nto achieve those goals, to implement effective \npractices, and to eliminate practices that are" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 8, + "content": "practices, and to eliminate practices that are \nunsuccessful. Quality information allows comparisons \nacross programs, schools, and classrooms to be data-\ndriven and equitable." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 4 of 10 \n \n \n \nAdministration Expectations \nPerception survey administration is required for students, staff, \nteachers, and families in Boston Public Schools during SY24-25. \nBPS administers the Student, Family, Teacher, and Staff Surveys \nthrough Panorama. Communications are sent centrally; however, \nschool-based outreach makes the difference for many families! \nSchool leaders and coordinators have access to response rate \ntracking and completion lists via Panorama's platform. In \naddition, survey coordinators and school leaders are offered \ntraining and resources for administration prior to the survey \nwindow." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 10, + "content": "window. \nThe following table outlines the surveys required for students, \nstaff, teachers, and families in Boston Public Schools during \nSY24-25, including the purpose, grade level, and administration \nwindows. Specific dates are included in the annual assessment \ncalendar released during summer 2024." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 5 of 10 \n \n \n \n \nBPS Districtwide Surveys \nSurvey Purpose Grade \nAdminis-\ntration \nWindow \nStudent \nClimate \nand \nFeedback \nSurveys \nAssesses perceptions of pedagogical \neffectiveness, rigorous expectations, \nrelationships, engagement, \nclassroom climate, school culture & \ncommunity, belonging, mindset, \nschool safety, and more \n3-12 \nMid-Year: \nDecember \nSpring: April-\nMay \nSenior Exit \nSurvey \nCollects information regarding \nstudent postsecondary plans and \noverall experience in high schools. \nGradua-\nting \nSeniors \nApril-June \nTeacher \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 12, + "content": "climate, culture, relationships, peer \nvictimization, school leadership, \nprofessional learning, etc \nAll \nMid-Year: \nDecember \nSpring: April-\nMay \nStaff \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, and school leadership \nAll \n \nSpring: April-\nMay \nFamily \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, school \ncommunication, school fit, school \nsafety, engagement, etc. \nAll Spring: April-\nMay" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 6 of 10 \n \n \n \nAccessing Results \nTeachers and other school staff can access results in Panorama: \nsecure.panoramaed.com. (Select \u201cSign in with Google\u201d and \nchoose your BPS email to log in). Results should be reviewed and \nconsidered with respect to how they may impact planning and \nadjustments, and the alignment with your School Improvement \n90 Day Action Plan: specifically, the Student Culture and Adult \nCulture goals. Resources to support are available in Panorama \nAcademy. \nTo ensure the data is a reasonable representation of their student \npopulation, school-level results are only shown if (1) the response" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 14, + "content": "rate is greater than 10%; and (2) there are at least 7 responses to \nensure student confidentiality. Support is available through \nPanorama at support+bps@panoramaed.com. \nADMINISTERING SURVEYS TO MULTIPLE SCHOOL \nCOMMUNITIES OR WITHIN THE CENTRAL OFFICE \nThe above guidelines and recommendations are to support the \nadministration of surveys to students, families, and school staff. \nThe remainder of this circular describes the process that will be \nused to create and administer surveys for central office staff or \nmultiple school communities. To reduce the number of surveys \nthat staff are required to respond to, the Office of Data and" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 15, + "content": "Accountability will review all surveys prior to their administration. \nPlease refer to the BPS survey calendar for existing surveys and \ntheir timelines, if available. The process below describes how \nthese offices will review survey creation and administration. \nStep 1: Survey Request Process" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 7 of 10 \n \n \n \nIf your office is interested in administering a survey to staff \noutside of your department, you will need to submit a survey \nrequest form to the Office of Data and Accountability. The form \nwill collect information on: \n\u25cf the goals and objectives of the survey \n\u25cf decisions the survey is meant to inform \n\u25cf tabulations and analytics results that will inform the \ndecision \n\u25cf confirmation that this information is not already being \ncollected in other surveys \n\u25cf audience and users (especially if intended to for any \noutside agencies) \n\u25cf research approval requirement, if any \n\u25cf sensitivity of data being collected and any necessary" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 17, + "content": "security protections \n\u25cf ideal timeline for the survey/form to be administered \nas it relates to instructional priorities \n\u25cf \n\u25cf ideal method for distribution. \nDepending on the targeted survey population, surveys should be \nscheduled in coordination with any standing district surveys to \nmitigate overlap. Departments or teams must share the reasons \nfor collecting information and how this information will be used. \nWhether responding to the collection of information is \nmandatory or voluntary, each team should take into \nconsideration the timeline of requested responses in relation to \nother district required training, surveys, and events." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 8 of 10 \n \n \n \nStep 2: Consultation \nOnce you have submitted your survey request form, the Office \nData and Accountability will meet with you to review your \nrequest and determine whether it is appropriate and distinct \nfrom other survey collection tools already in use by the district. If \nthe survey is approved to be administered, the Office of Data and \nAccountability will be able to recommend a level of support for \ncreating and administering the survey. Examples of ODA support \nmay include, but are not limited to, item and domain \ncreation/review, sampling strategy, survey administration timing," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 19, + "content": "communication; design, hosting, and analysis of collected data." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 9 of 10 \n \n \n \nStep 3: Data Analysis and Dissemination of Information \nA plan for analysis of the survey data should be provided prior to \ninitiating the collection of data. Teams are expected to keep \ndetailed documentation of activities and decisions informed by \nthe data collected. Departments should plan to identify which \nportions of their evaluation will be shared with participants. High \nvisibility data, such as results that will be shared with the public, \nthe School Committee, and/or School Committee task \nforce/working groups should be shared with the Offices of the \nSuperintendent and Data and Accountability to interpret results" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 21, + "content": "from the analysis and inform the process for future recurring \nsurveys. \nBEST PRACTICES FOR SURVEYS AND DATA COLLECTION \n1. Shorter surveys will lead to increased response rates. \nLimiting the number of questions in a survey will increase \nthe response rate and improve your overall ability to collect \nfeedback. Surveys should be designed to minimize the \nrespondent\u2019s time and ideally designed to be completed on \na mobile device in 3-5 minutes. \n2. Minimize open response answers. \nOpen response answers (short or paragraph) will increase \nthe amount of time it takes to complete a survey and can \nlead to degraded response quality. Using drop-" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 22, + "content": "lead to degraded response quality. Using drop-\ndown/checkbox options as much as possible will improve \nyour survey response rates and allow for easier data analysis. \n3. Do not collect data that we already have." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular ODA-05 \nPage 10 of 10 \n \n \n \nA common practice when designing surveys is to ask for \ndata that we already have in a data system, such as names, \ngrade levels, school name, etc. However, this increases the \ntime to complete the survey and increases risk of data leak if \nthe responses are not safeguarded. Collecting a \nrespondent\u2019s email address or emp/student ID number \nshould be sufficient for identifying the person afterwards \nand additional identifying information that is already \ncontained in a BPS data system should be used during \nanalysis. \nFor more information about this circular, contact: \nOwner: Senior Executive Director" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 24, + "content": "Owner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-02 \nVersion 01 \n \n \nTEST SECURITY AND ETHICS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to ensure that all BPS staff \nunderstand and follow the appropriate procedures for test \nadministration and security on all state and local tests where \nsome or all content is deemed to be secure content that must \nnot be given to or accessed by unauthorized persons. This \nincludes, but is not limited to, paper or digital information. This \ncircular also outlines the reporting requirements in the case of a \nsecurity breach or a test irregularity. \nREQUIREMENTS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 2, + "content": "REQUIREMENTS \nTesting is not at the option of parent/guardian or the school, \nexcept if a student is not required to be tested based on certain \nconditions that are specified in the specific testing requirements. \nAppropriate testing accommodations must be provided to \neligible students on test day as documented in the students\u2019 \ncurrent Individualized Education Programs (IEPs), Section 504 \nPlans, or English Learner (EL) plans. \nSchool leaders and test administrators must read and adhere to \nall test procedures in the instructions that are issued by the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) and/or the Boston Public Schools. Visitors" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular ODA-02 \nPage 2 of 4 \n \n \nare never permitted in the school\u2019s designated testing area; but \nMA DESE and/or BPS staff may make announced or \nunannounced visits to schools during testing days to ensure \ncompliance with testing procedures. \nSchools must enforce a strict electronic devices policy during \ntesting to maintain test security. The term electronic device \nincludes any personal, non-educational device with an on-off \nswitch (with the exception of medical equipment), most \ncommonly cell phones, smart phones, iPods, iPads, iWatch, \ntablets, laptops, and pagers. \nSchools must clearly inform students that bringing an electronic" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 4, + "content": "device into the testing area violates district and state policy, and \nviolation of this policy is grounds for confiscation. If brought to \nschool during testing, electronic devices must be stored in a \nsecure location away from students. Acceptable storage includes \nin a bag, backpack, locker, central location in a classroom, or \nschool office. \nConsistent with the district\u2019s Acceptable Use Policy (AUP), school \nleaders have the authority to enforce security measures on \nelectronic devices when used to access testing materials and \nremove devices found to be in violation of the AUP. If any of the \nelectronic devices are accessed during testing, the student\u2019s test" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 5, + "content": "is compromised and is to be invalidated due to prohibited \nbehavior, even if the student did not use the device. For \nsuspected student cheating or electronic device violations, the \nschool should conduct the investigation of the incident, report \nthe test violation, and follow their school\u2019s disciplinary \nprocedures to impose sanctions." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ODA-02 \nPage 3 of 4 \n \n \nPENALTIES \nFailure by BPS staff to adhere to the Test Security and Ethics \nRequirements may result not only in sanctions and \nconsequences imposed by the state as outlined in the specific \nassessment policy, but also in disciplinary action by the \nsuperintendent. \nPROCEDURES IF TEST IRREGULARITIES OCCUR OR IF YOU \nSUSPECT A SECURITY VIOLATION \nEach person directly involved in secure test administrations is \nresponsible for immediately reporting any violation or suspected \nviolation of test security. If questions arise concerning test \nsecurity or if any situation occurs that could compromise any part" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 7, + "content": "of the test administration process and procedure for any state \ntests, call the MA DESE at 781-338-3625 immediately and/or \nreport the incident using any required form. Please also advise \nyour immediate supervisor and the Office of Data and \nAccountability. For any suspected BPS district assessment test \nviolations or irregularities, contact the Office of Data and \nAccountability at 617-635-9450." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular ODA-02 \nPage 4 of 4 \n \n \nFor additional information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-03 \nVersion 01 \n \n \n \nGUIDELINES AND PROCEDURES FOR ACCESSING \nSTUDENT DATA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nBoston Public Schools recognizes and values the planning, \nresearch, and evaluation work done by our partner organizations, \npolicymakers, and the greater education community to improve \neducation. The Office of Data and Accountability has established \nthe following guidelines regarding the processing of data \nrequests to improve the quality, timeliness, security, and \nappropriateness of requests and request handling. Additionally," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 2, + "content": "as the Office of Data and Accountability is charged with \nprotecting student privacy and confidentiality, all student data \nrequests will be evaluated against federal, state, and local data \nregulations to ensure student confidentiality. \nThe following data sources are considered directory information. \nBy federal, state, and local laws, they can be given to external \nparties without explicit consent from parents/guardians. All other \nstudent data are not considered directory and should not be \nshared with members of the public without express consent from \nparents/guardians or unless disclosure is expressly permitted by \nan exemption under federal or state law. Schools should not" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 3, + "content": "share any non-directory student data with external parties," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 2 of 11 \n \n \nmembers of the public, or media outlets. Common examples of \nnon-directory information that should not be shared include, but \nare not limited to, date of birth, BPSID, and school name. All \nrequests for non-directory student information should be \ndirected to the Office of Data and Accountability. \nDirectory Information: \n1. Student\u2019s name \n2. Age \n3. Grade Level \n4. Dates of enrollment \n \nGUIDELINES AND PROCEDURE FOR ACCESSING STUDENT DATA \nPublicly Available Data \nThe Boston Public Schools (BPS) and the Massachusetts \nDepartment of Elementary and Secondary Education (MA DESE)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 5, + "content": "make a number of datasets and reports publicly available online. \nBefore submitting a data request, please review Appendix I to see \nif your data request is included in publicly available data. \nAdditionally, BPS departments regularly make presentations to \nthe Boston School Committee. See Appendix I for links to \nmaterials from School Committee meetings.. Appendix I includes \nthe following types of data available for public use.\n\u25cf General data profile of \nBPS \n\u25cf Student Attendance \nand Discipline \n\u25cf Standardized test \nresults \n\u25cf School Climate \n\u25cf Student Enrollment \nand Demographics \n\u25cf High School and \nPostsecondary" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 3 of 11 \n \n \n \nFor school personnel, there are additional reports available in \nAspen and Panorama. \nLegal Guidelines on Requesting Student Data \nIf your data needs are not met by publicly available reports \nprovided by BPS and MA DESE (see Appendix I), you may be able \nto request certain additional data. The Family Educational Rights \nand Privacy Act (FERPA), the Massachusetts Department of \nElementary and Secondary Education (MA DESE), and the Boston \nPublic Schools establish regulations that maintain family and \nstudent data privacy rights. These regulations restrict BPS and \nschools governed by BPS from providing personally identifiable" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 7, + "content": "information without family or student consent1. Additionally, any \nindividual or organization intending to use BPS student data for \nresearch and/or evaluation purposes must submit a research \nproposal to the district before any research activities, including \nadministrative data sharing, may take place. Receipt of grant \nfunds does not guarantee approval to conduct research by the \nBPS Office of Data and Accountability. Guidelines for conducting \nresearch in BPS and the research application can be found on the \nBPS website. \nFor data requests that include either identifiable or de-identified \n \n1 Exceptions may apply to the general data request" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 8, + "content": "requirements. Three common exceptions include: \n1. District sponsored-studies to improve instruction (Studies); \n2. Evaluations or audits of federally-mandated programs \n(Audit); or \n3. Provisions of data to appropriate school and central office \nstaff (School Official)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 4 of 11 \n \n \nstudent-level data, a written and signed agreement will be \nrequired, depending on the scope of the request. The Office of \nData Accountability will communicate with all requesters to \nexecute the appropriate agreements prior to sharing data. \nFor requests for individual student records, please see the BPS \nSuperintendent\u2019s Circular LGL-7: Privacy of Student Information \nand Student Record Procedures: How to Respond to Student \nRecord Requests in Compliance with FERPA and State Law." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 5 of 11 \n \n \nIn order to determine the next steps for your data needs: \nWHAT CATEGORY OF DATA IS REQUESTED? \n \nLevel of Data Data Request Requirements \nAggregate Data \nDe-identified aggregate level data is generally \navailable to requesters without explicit \nparent/guardian consent. Aggregate groups that \ncontain fewer than 10 students will be suppressed to \nprotect privacy. To gain access to this data please see \nthe section below on the process to request data. \nStudent-Level \nAdministrative \nData \nDe-identified student-level administrative data \nrequires a current signed non-disclosure agreement \n(NDA) with the Office of Data and Accountability." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 11, + "content": "Student-Level \nRoster Data \nIdentifiable student-level roster data requires current \nfamily consent as well as a current signed NDA with \nthe Office of Data and Accountability." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 6 of 11 \n \n \nWHO IS REQUESTING DATA? \nRequester Notes \nBPS Officials \nand School \nPersonnel \nSchool leaders have access to identifiable and individual \nstudent data only for the students in their school for the \nacademic year that they are enrolled in the school. \nTeachers have access to identifiable and individual \nstudent data only for the students they are teaching in \nthat academic year. \nResearcher All research requests must go through the research \nproposal process. \nBPS School- \nCommunity \nPartners \nBPS deeply values and recognizes school-community \npartnerships as a key strategy in our collective efforts to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 13, + "content": "ensure all our students achieve success in college, career, \nand life. Data can be an important tool for partners to \neffectively collaborate with schools to strengthen \nservices for students. For partners to collect or access \nany data about students, school-community partners \nmust be fully registered on PartnerBPS. A complete \nregistration on PartnerBPS includes registration of all \nprograms the Partner runs in BPS and all partnerships \nthey have with BPS schools. More information on the \nPartnerBPS registration process can be found here. \nPartners must also have active parental consent to \nobtain individual and identifiable data on students" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 14, + "content": "unless the request falls under the FERPA exceptions. \nFurthermore, partners must sign a Non-Disclosure \nAgreement with the district before receiving any data. If \na school-community partner has any agreement with \nschools including memoranda of understanding," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 7 of 11 \n \n \ncontracts for services, and/or school-based partnership \nagreements, this must also be provided when \nsubmitting a data request. Typical school-community \npartner data requests include student demographics, \nquarterly attendance, and course grades for consented \nenrolled students. \nMedia All media requests must go through the BPS \nCommunications Office. \nAgencies \noutside of BPS \nAgencies may receive aggregate level de-identified data. \nAny aggregate group of fewer than 10 students may be \nsuppressed to protect student privacy. \n \nPROCESS FOR REQUESTING DATA \nTo receive data according to the guidelines listed above, requests" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 16, + "content": "must be submitted through the Office of Data and \nAccountability\u2019s Data Request Form. \nIn preparation for completing the form, please have the following \ninformation available: \n\u25cf Purpose/Use: how will the requested data be used? \n\u25cf Intended Audience: with whom will you share the \ndata/analysis? Note: depending on the nature of the data \nrequest, some data may not be appropriate for sharing \nwith the public. \n\u25cf Summary of data request: please describe in detail what \ndata is being requested, including school years, student \npopulation, student attributes, and data scope. \n \nPlease note that if you are requesting data for a specific group of" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 8 of 11 \n \n \nstudents, BPS student ID numbers or state-assigned student ID \nnumbers must be provided. Requests without ID numbers will \nnot be fulfilled. \nAfter submitting the form, requesters will receive an automatic \nconfirmation email. If analysts have any clarifying questions, they \nwill reach out to the requester within 3-5 business days. While \nODA endeavors to fulfill all non-research requests within 15 \nbusiness days, high volume and more complex requests may \ndictate a longer turnaround time. As such, we will attempt to \nfulfill partner data requests with an already executed NDA within" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 18, + "content": "15 business days; and, we will attempt to fulfill research requests \nwith a fully executed NDA within 25 business days. Please plan \naccordingly when submitting a data request. The Office of Data \nand Accountability reserves the right to deny certain data \nrequests. \n\u25ba All requests from the media must go through the BPS \nCommunications Office. Communications can be \nreached at 617-635-9265 or \ncommunications@bostonpublicschools.org. \n\u25ba All public records requests should be submitted through \nthe City of Boston\u2019s online Public Records Center. \nFEES FOR DATA REQUESTS \nSome data requests may incur a fee, dependent on size, the time" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 19, + "content": "required, and the scope of the request. Upon receipt of a data \nrequest, the Office of Data and Accountability will communicate \nwith the requester and provide a fee estimate, if applicable. \n \nFor additional information about this circular, contact:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 9 of 11 \n \n \nOwner Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9450 \nEmail: rc069@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 10 of 11 \n \n \nAPPENDIX I: PUBLICLY AVAILABLE DATA \nOverview of Boston Public Schools \n\u25cf BPS At a Glance \n\u25cf Facts and Figures \n\u25cf Boston District Profile (MA DESE) \n\u25cf BPS School Profiles (MA DESE) \n\u25cf Data and Reports produced by the Office of Data and \nAccountability \n\u25cf School Committee Meetings Materials \nStandardized test results \n\u25cf MCAS results by school and district, with options to \ndisaggregate by subgroup and grade level \n\u25cf PARCC results by school and district, with options to \ndisaggregate by subgroup \n\u25cf NAEP results \n\u25cf ACCESS results \nStudent Enrollment and Indicators \n\u25cf Attrition \n\u25cf Enrollment by Grade - Number of students by grade" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 22, + "content": "\u25cf Enrollment by Kindergarten - Enrollment by Kindergarten \n\u25cf Enrollment by Race/Gender - Percent of public school \nstudents by race and gender. \n\u25cf Enrollment by Selected Population - Number and percent \nof public school students in subgroups: First Language \nNot English (FLNE), English Language Learners (ELL), \nStudents with Disabilities, High Needs, and Low Income. \n\u25cf Enrollment for Students with Disabilities and CVTE \n\u25cf Mobility Rate Report - Students transferring into or out of \npublic schools, districts, or the state." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular ODA-03 \nPage 11 of 11 \n \n \n\u25cf Student Attendance Report \n\u25cf Student Retention Report \n\u25cf Student Discipline - Student Discipline data is reported \nfrom the Student Safety and Discipline Report (SSDR) \n\u25cf Student Discipline Days Missed Report - Student \nDiscipline Days Missed Report \nSchool Climate \n\u25cf Reports can be found on the BPS website. \nHigh School and Postsecondary Data \n\u25cf Advanced Placement Participation - Number of students \nwho took one or more Advanced Placement exams for \neach subject. \n\u25cf Advanced Placement Performance - Number of students \nwho received each possible score on the Advanced \nPlacement exam for each subject." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 24, + "content": "Placement exam for each subject. \n\u25cf Dropout Report - This report provides the percentage of \nMassachusetts public high school graduates who drop \nout of high school. \n\u25cf Graduates Attending Higher Ed. - Graduates Attending \nHigher Ed. \n\u25cf Graduation Rates - Percent of students who graduate \nwith a regular high school diploma within 4 or 5 years by \nstudent group. \n\u25cf MassCore - The Massachusetts High School Program of \nStudies (MassCore) is intended to help our state's high \nschool graduates arrive at college or the workplace well \nprepared and reduce the number of students taking \nremedial courses in college. \n\u25cf Plans of High School Grads \n\u25cf SAT Performance" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-01 \nVersion 01 \n \n \nPROCEDURES FOR CONDUCTING EDUCATIONAL \nRESEARCH \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to define the policy and procedures \nfor conducting educational research in the Boston Public \nSchools. \nOVERVIEW \nThe mission of the Boston Public Schools\u2019 Office of Data and \nAccountability is to serve the BPS community by facilitating \naccess to quality information and building capacity to make data-\ndriven decisions that advance educational equity, opportunity, \nand achievement for all students. Research is one way to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 2, + "content": "facilitate our community\u2019s access to quality information. It is the \nresponsibility of the Office of Data and Accountability to ensure \nthat researchers have access to quality data and can responsibly \ninterpret the results. As such, the Office of Data and \nAccountability reviews and approves research that works to \nadvance educational equity, opportunity, and achievement for all \nstudents by ensuring responsible access to and use of quality \ndata. \nAll research activities must be coordinated through the Office of \nData and Accountability\u2019s BPS Research Team. ODA approval is" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular ODA-01, \nPage 2 of 4 \n \nnot required for research that uses data that is publicly available \nsources such as on the BPS public website. A list of current \nsources of publicly available data can be found in the appendix of \nthe Policy and Guidelines document. In these instances, the \nresearcher may use the data presented from these sources as \nlong as the sources are cited, and any modifications or analysis \ndone by the researcher are clearly delineated. Approval by the \nresearcher\u2019s IRB and/or BPS school leaders does NOT guarantee \napproval of research proposals by the BPS Office of Data and \nAccountability (ODA). While research may be approved by ODA," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 4, + "content": "BPS school leaders have the final say in whether their particular \nschool will participate in any given study. \nWHO MAY CONDUCT RESEARCH \nAny academic or professional organization or any individual \ndoing doctoral work may submit a proposal to conduct research \nwith the Office of Data and Accountability in BPS. Doctoral \ncandidates must submit written evidence that their proposed \nresearch has been approved by their university\u2019s IRB and will be \nsupervised by their advisor(s). \nWHAT IS THE PURPOSE OF THE RESEARCH TEAM REVIEW? \nWhile it is necessary for all research submissions to have an \napproved/exempted IRB decision from their own institution, BPS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 5, + "content": "requires that all research is submitted to the BPS Research Team \nfor review prior to BPS approval. The BPS research review is not \nduplicative of the IRB process and aims to ensure the following: \n\u25cf The research is aligned with district priorities. \n\u25cf The research follows federal and local guidelines \nregarding conducting research with human subjects in" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ODA-01, \nPage 3 of 4 \n \nschool settings (This includes consent forms for all \nresearch participants; assurance that students receive no \nincentives of monetary value for students and not to \nexceed $50 for teachers; voluntary participation for all \nresearch subjects). \n\u25cf The research is not overly burdensome to classrooms and \nis new research that will advance the aims of the district. \n\u25cf The research is fully supported by an internal BPS staff \nmember (district sponsor) who is committed to using the \nresult of the research. \nWHAT ARE THE STEPS TO CONDUCTING RESEARCH IN THE \nBPS? \n1. Submit a research proposal adhering to the Guidelines and" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 7, + "content": "Procedures. In general, the research submission and review \ncalendar is as follows: \nReview Period Submission \nMonth \nReview Month Decision Letter \nSent \nP1 June 1-30 July 1-31 Mid-August \nP2 October 1-31 November 1-30 Mid-December \n2. For primary research (i.e., interviewing, focus groups, \nobservations, and in-person surveys), each researcher needs \nto have submitted and passed a CORI check. \n3. For secondary research (i.e., requesting administrative data: \nrecords that are maintained by the school district), \nresearchers need to submit a data request and sign a \nstandard NDA template. NOTE: for some administrative data \nrequests, a fee will be assessed to assist in the fulfillment of" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 8, + "content": "the data pull." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular ODA-01, \nPage 4 of 4 \n \n4. Submit policy brief updates annually to your district sponsor \nand the Research Team \n(research@bostonpublicschools.org). \n5. Annually renew your research proposal with the BPS \nresearch team. \n6. For continuing research, the following needs to be \nsubmitted: \na. Cover page describing research activities already \nconducted and proposed changes to the study for the \nnext year \nb. Most recent policy brief describing interim findings \nc. Updated district sponsor letter \nd. Updated IRB approval for next year of research \n7. Submit a final report and policy brief (template) for review to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 10, + "content": "research@bostonpublicschools.org once the study has been \nfinalized. The study is officially finalized once the final report \nand policy brief have been approved. \nFor additional information about this circular and the \napplication process, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-04 \nVersion 01 \n \n \n \nBPS BALANCED ASSESSMENT SYSTEM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nStudent assessment is an effective tool to support success inside \nand outside of the classroom. Assessment takes many forms, and \nit is the responsibility of all in the Boston Public Schools to use \nthe data that emerges from assessments to ensure that every \nstudent receives what they need every day. \nPURPOSE \nThe Boston Public Schools assessment system supports the \ndistrict's strategic goals of eliminating opportunity gaps and \naccelerating learning. The assessment system:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 2, + "content": "accelerating learning. The assessment system: \n\u25cf provides teachers, administrators, students, parents, \nthe district, and the community with ongoing \ninformation regarding student progress in relation to \nstate frameworks. \n\u25cf ensures all our students are prepared for college, \ncareer, and life. \nA balanced assessment system includes formative and \nsummative assessments that provide information on the \nclassroom, school, and district levels and is responsive to needs at \neach of these levels." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular ODA-04 \nPage 2 of 7 \n \n \n \n1. At the classroom level, the assessment system provides \nteachers with data on students\u2019 strengths and needs so that \nteachers may develop lessons that respond to individual \ndifferences. \n2. At the school level, the assessment system provides school \nleaders and instructional leadership teams with data to help \nthem measure school success based on school and district \ngoals: \na. Assess the effectiveness of curriculum, instruction, and \nprofessional development programs. \nb. Work with teachers to develop strategies that attend \nto priority areas. \n3. At the district level, the assessment system provides district" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 4, + "content": "leaders with information that allows them to determine if \nthe system, individual schools, and central departments are \nmaking progress regarding the district\u2019s long-term teaching \nand learning goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented to \nachieve those goals, to implement effective practices, and to \neliminate practices that are unsuccessful. Quality \ninformation allows comparisons across programs, schools, \nand classrooms to be data-driven and equitable. \nASSESSMENT EXPECTATIONS \nFor SY24-25, district assessment expectations will maintain its \ninstructional focus on Equitable Literacy across all content areas" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 5, + "content": "to strengthen equitable Multi-Tiered System of Support (MTSS), \nlaying a strong Tier 1 infrastructure to become a fully inclusive \ndistrict and expand access to bilingual/native language" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ODA-04 \nPage 3 of 7 \n \n \n \ninstruction. As BPS more consistently implements effective \nequitable literacy practices, the data provided by assessments \nwill inform educators to meet the learning needs of all students. \nThese expectations are a minimum for schools; school \ncommunities are encouraged to craft the assessment strategy \nthat supports their own work towards grade-level, standards-\naligned, culturally responsive instruction. \nThe following tables outline the formative and summative \nassessments in use in Boston Public Schools during SY24-25, \nincluding the purpose, grade level, participation expectation and \nfrequency. \nBPS FORMATIVE ASSESSMENTS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 7, + "content": "frequency. \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nPALS/ \nHeggerty \nScreener for all 4-year-\nold students in K1 used \nto understand student \nprogress in relation to \ndevelopmental \nbenchmarks. \nK1 Required \n2x per \nyear \nNWEA MAP \nReading \nFluency \nComputer adaptive \nuniversal screening tool \nthat assesses early \nliteracy skills, oral \nreading fluency, and \nreading \ncomprehension; DESE \napproved dyslexia \nscreener. \nK2\u20132 Required \n3x per \nyear \n3 Required \n2x per \nyear \n \n(extended \ntest \nwindows)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular ODA-04 \nPage 4 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nNWEA MAP \nReading \nGrowth \nComputer adaptive \nuniversal screening tool \nthat assesses reading \ncomprehension; \nidentifies what \nstudents are ready to \nlearn next. \n3 Required \n2x per \nyear \n \n4\u201311 Required \n3x per \nyear \nNWEA MAP \nMath Growth \nComputer adaptive \nuniversal screening tool \nthat assesses \nmathematical skills; \nidentifies what \nstudents are ready to \nlearn next. \n3\u201311 Required \n3x per \nyear \nPre-IPT \nDiagnostic measure of \nEnglish language \nproficiency of pre-\nschool children whose \nhome language is not \nEnglish, in compliance \nwith federal law. \nK0*" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 9, + "content": "English, in compliance \nwith federal law. \nK0* \n*ML \nstudents \nRequired 1x per year \nWIDA \nKindergarten \nScreener \nDiagnostic measure of \nEnglish language \nproficiency in \ncompliance with \nfederal law for English \nLanguage Learners. \nK1* \n*ML \nstudents \nRequired 1x per year" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular ODA-04 \nPage 5 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment Purpose Grade Expectation Frequency \nInterim \nAssessments \nin ELA and \nMath \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content. \n2\u201311 \nStrongly \nRecommended \n2x per \nyear \nInterim \nAssessments \nin Science \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content; \nunit-based. \n3 - 10 \nStrongly \nRecommended \n3x per \nyear \nLanguage \nAcquisition \n(TBD) \nStandard-aligned \nassessment to measure \nEnglish language \nacquisition \nK2-12* \n*EL \nstudents \nTBD \n2x per \nyear \n \nAdditionally, all district supported curricula include ongoing," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 11, + "content": "curriculum-embedded, formative assessments (classroom tasks \nand formal assessments) to provide real-time information to \neducators about what students have learned and are ready to \nlearn next. \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nMCAS \nAnnual assessment of grade \nlevel content standards for \nstate and federal \naccountability. \n3 - 8, High \nSchool Required 1x per \nyear" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular ODA-04 \nPage 6 of 7 \n \n \n \nBPS SUMMATIVE ASSESSMENTS \nAssessment Purpose Grade Expec-\ntation \nFre-\nquency \nACCESS for \nELLs \nAnnual assessment for EL \nstudents; measures English \nlanguage proficiency and \nprogress in compliance with \nfederal law. \nK2 - 12* \n*EL \nstudents \nRequired 1x per \nyear \nSAT \nA standardized assessment \nthat assesses mathematics \nand evidence-based \nreading/writing; used by most \ncolleges and universities to \nmake admissions decisions. \n11 \nStrongly \nRecom-\nmended \n1x per \nyear \nPSAT/ \nNMSQT \nA standardized assessment \nthat assesses much of the \nsame content (evidence-based \nreading/writing and \nmathematics) that is on the \nSAT; \n10, 11" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 13, + "content": "mathematics) that is on the \nSAT; \n10, 11 \nStrongly \nRecom-\nmended \n1x per \nyear \nAP \nStandardized exams designed \nto measure how well students \nhave mastered the content \nand skills of a specific AP \ncourse. \n10 - 12* \n*students \nin AP \ncourses \nStrongly \nRecom-\nmended \n1x per \nyear \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular ODA-04 \nPage 7 of 7 \n \n \n \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9450 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nODA-07 \nVersion 01 \n \n \n \nREQUIRED DOCUMENTATION TO WITHDRAW \nSTUDENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular lists the documentation schools are required to \nobtain when withdrawing students and includes information on \nmonitoring processes conducted by the central office. \nFor the last several years, Boston Public Schools has been under a \nstate audit regarding our documentation of student withdrawals. \nAuditors found that we collect insufficient documentation of \nstudents categorized as withdrawals. The audit finding has been" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 2, + "content": "upgraded to a \u201cmaterial weakness,\u201d which is a more severe \nfinding. Lack of action could result in loss of federal funds (e.g., \nTitle 1) and/or the City\u2019s overall credit rating. The Systemic \nImprovement Plan required the district to revise withdrawal \nprocedures and implement controls for monitoring. All \nadministrative school staff (school leaders, registrars, or any \nschool administrator whose responsibilities involve enrolling or \nwithdrawing students) are required to complete asynchronous \ntraining at the 2024 Management and Operations Institute. \nOVERVIEW OF REQUIRED DOCUMENTATION \nThis section seeks to clarify what documentation is required and" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 3, + "content": "acceptable. Schools can use this template to document" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 2 of 9 \n \n \n \ninteractions with families and upload along with supporting \ndocumentation or with a family signature. Your school may use \nyour own template as long as it contains the necessary \ninformation and has been approved by the central office (contact: \nstudent-withdrawal@bostonpublicschools.org). \nACCEPTABLE DOCUMENTATION TYPES FOR STUDENTS \nWITHDRAWING INCLUDES: \n1. A written request for a student\u2019s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This \nincludes requests from the receiving school that come to \nthe district through Scrib Order." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 5, + "content": "the district through Scrib Order. \n2. Written record of a response from an official receiving \nschool or program acknowledging the student\u2019s enrollment. \n3. Written confirmation from a parent or guardian that their \nstudent has moved to another state or country and will be \ncontinuing their education. \n4. Written confirmation from a parent/guardian updating the \nschool enrollment status of their child, including indication \nthat they will be continuing their education elsewhere. \n5. Letter from the BPS Office of Expanded Learning Time, \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 6, + "content": "Portal - Central Office Process)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 3 of 9 \n \n \n \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See \nAppendix for a table of withdrawal codes with acceptable \nmatching documentation. \nREQUIRED ELEMENTS OF SUFFICIENT WITHDRAWAL \nDOCUMENTATION FOR A TRANSFER STUDENT INCLUDE: \n1. Date when the transfer occurred or was confirmed, \nincluding the year. \n2. Identifiable name of the student withdrawing \n3. Identifiable information for who is confirming the \nwithdrawal, such as the parent name or receiving school \nregistrar\u2019s email address \n4. Indication that the student is continuing their education \nelsewhere" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 8, + "content": "elsewhere \na. New school name is ideal but not required. Stating a \nstudent will enroll in a school elsewhere is sufficient if \nthe new school name is not known. \nWithdrawal documentation must be uploaded to the student \nrecord in Aspen at the time of the withdrawal in a non-editable \nformat, such as a PDF, screenshot, scanned handwritten & signed \nwithdrawal form or letter. Word documents, Aspen journal \nentries, travel tickets or itineraries are not acceptable forms of \ndocumentation to confirm a transfer. \nMONITORING AND ACCOUNTABILITY \nSchool leaders will be required to identify a primary point of" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 4 of 9 \n \n \n \ncontact at their school for withdrawal related processes. \nAdditionally, school leaders will be required to sign off that they \nhave reviewed student records and that sufficient \ndocumentation exists for each student\u2019s withdrawal code. This \nsign off will align with the October state reporting period. Central \noffice staff will hold office hours and be available to answer \nquestions that may arise at this time period and will \ncommunicate these dates via the Friday Flyer and Weekly Recap. \nAdditionally, the central office team will be conducting periodic \naudits to confirm sufficient documentation is in place: Fall, Mid-" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 10, + "content": "Year, End of Year. Supervisors of attendance will be included as a \nresource to support schools in gathering the necessary \ndocumentation during review periods. \nFor questions and support, please contact the following: \nGeneral Questions student-withdrawal@bostonpublicschools.org \nTechnical Questions \nabout Aspen \nKevin Arias, karias@bostonpublicschools.org \nGraduation and \nDropout Reporting \nApryl Clarkson, \naclarkson@bostonpublicschools.org \nStudent Attendance \nRequirements \nBrian Marques, \nbmarques@bostonpublicschools.org \nSchool Specific \nQuestions \nSupervisors of Attendance, Regional \nOperational Leader and then School \nSuperintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 5 of 9 \n \n \n \nTECHNICAL RESOURCES \nWithdrawal Code Guidance \nHow to Update Withdrawal Codes in Aspen \nHow to Upload Documents in Aspen \n\"Did Not Report\" Protocol for Students with IEPs \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director \nDepartment: Office of Data and Accountability \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9450 \nEmail: \nstudent-\nwithdrawal@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 6 of 9 \n \n \n \nAPPENDIX A: TRANSFER CODES WITH REQUIRED \nDOCUMENTATION \nBPS \nCode \nBPS Description State \nCode \nState \nDescription \nRequired \nDocumen-\ntation Type \n06 Mass. Public Boston Resident 20 Transferred \u2014 \nIn state public \n1, 2, 4 \n \n09 EOY Flip Record \n10 Batch Assignment process school \nchange \n12 Mass. Public Non-Boston Resident \n42 Discharged to Charter School \n43 Discharged to Virtual School - Mass \nPublic \n98 Residency Violation \n99 Discharged - Student ID Error \n01 Boston Parochial 21 Transferred \u2014 \nIn state private \n1, 2, 4 \n03 Mass. Parochial Non-Boston \nResident \n04 Mass. Parochial Boston Resident \n07 Mass. Private (Non-Parochial)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 13, + "content": "07 Mass. Private (Non-Parochial) \nBoston Resident \n11 Boston Private (Non-Parochial) \n13 Mass. Private (Non-Parochial) Non-\nBoston Resident \n15 Home (*KINDERGARTEN ONLY) \n44 Discharged to Virtual School - Mass \nPrivate \n19 Out of Country 22 \n \nTransferred \u2014 \nOut-of-State \n(public or \nprivate) \n1, 2, 3, 4 \n14 Out of State 1, 2, 4 \n45 Discharged to Virtual School - Out \nof State \n1, 2, 3, 4" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 7 of 9 \n \n \n \n05 Home Schooled 23 Transferred \u2014 \nHome-school \n5 \n30 Adult Diploma Program 24 Transferred \u2014 \nAdult diploma \nprogram \nleading to MA \ndiploma \n1, 2, 4 \nSS No longer receiving special ed \nservices only \n41 Transferred \u2014 \nno longer \nreceiving \nspecial \neducation \nservices only." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 8 of 9 \n \n \n \nAPPENDIX B: NON-TRANSFER WITHDRAWAL CODES \nBPS \nCode \nBPS Description State \nCode \nState Description \n17 Graduate 04 Graduate with a Competency \nDetermination \n95 Expelled from BPS 05 Expelled \n96 Expelled from Other School \nSystem \n97 Multiple Expulsions \n16 Death 06 Deceased \n18 Student Reached Maximum \nAge (22 yrs.) \n09 Reached maximum age did not \ngraduate or receive a Certificate \nof Attainment \n33 Certificate of Attainment 10 Certificate of Attainment \n31 Grade 12 - Met local \nrequirements/Did not pass \nMCAS \n11 Completed grade 12 and district-\napproved program. (District does \nnot offer a Certificate of \nAttainment)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 16, + "content": "not offer a Certificate of \nAttainment) \n23 GED 30 Dropout \u2014 Enrolled in a non-\ndiploma granting adult education \nor HiSET program \n27 Non-Diploma Educational \nProgram (non GED) \n32 Job Corps 31 Dropout \u2014 Entered Job Corps \n22 Military Service 32 Dropout \u2014 Entered the military \n28 Incarcerated 33 Dropout \u2014 Incarcerated district \nno longer providing educational \nservices \n21 Work 34 Dropout \u2014 Left due to \nemployment \n24 Over 16/No plans known 35 Dropout \u2014 Confirmed Dropout \nplans unknown 25 Illness \n26 Married Pregnant or Parenting \n51 Registered - Did Not Report 36 Dropout \u2014 and/or student" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular ODA-07 \nPage 9 of 9 \n \n \n \n52 Moved - No Forwarding Address status/location unknown \nD1 DNR More Than 8 Days" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP05 \nVersion 01 \n \nEMPLOYEE ATTENDANCE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPoor attendance adversely affects the work we can accomplish \nand the morale of all Boston Public Schools employees. \nAttendance will be monitored throughout the year at all levels. \nAny excessive absences, tardiness, or perceived abuse of time \noff/leave benefits will be investigated and may subject the \nemployee to discipline. The procedures described herein may not \noccur if the superintendent exercises their statutory authority to \ndismiss, demote, or suspend. \nATTENDANCE MONITORING PROCESS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 2, + "content": "ATTENDANCE MONITORING PROCESS \n1. Sign in/out: Managers1 must establish and supervise a paper \nsign in/out procedure that provides an accurate record of \nthe date and time of arrival and departure of all employees \n \n1 The term \"manager\" refers to positions such as academic \nsuperintendent, senior officer, headmaster, principal, senior \nprogram director, and director. A manager may in some cases \ndelegate authority to carry out these procedures to supervisory \npersonnel reporting to them." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 2 of 5 \n \nassigned to them. Employees must comply with the sign \nin/out process. An employee who fails to comply with the \nprocedure, falsifies such a record, and/or fraudulently \nreports their or another\u2019s time will be subject to discipline \nup to and including termination. \n2. Report your absence/early departure: Managers must \nestablish a process to report an absence/early departure due \nto illness. Employees must follow the process created and \nimplemented by their manager for each absence/early \ndeparture. If the employee fails to follow the protocol \nestablished by the manager, the employee\u2019s absence/early" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 4, + "content": "departure will be unexcused, and the employee will not be \npaid for the day(s)/hour(s) of absence(s). The employee may \nalso be subject to discipline up to and including termination. \na. Employees not serving in schools must follow the \nprotocol set by their manager. In the case of early \ndeparture, the employee must notify their manager \nbefore leaving the building. \nb. If the employee\u2019s absence is for more than five (5) \nconsecutive days, refer to the Absence and Leaves \ncircular. Regardless of the duration of the time off due \nto illness, managers may at any time request medical \ndocumentation from the employee to substantiate \ntheir absence." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 5, + "content": "their absence. \n3. Reasonable accommodations: An employee seeking \nreasonable accommodations for a disability may contact the \nOffice of Equity (617-635-9650) to begin an interactive \ndialogue process. Employees who inform their managers \nabout a disability will be referred to the Office of Equity by \nthe manager. The district will attempt to provide reasonable" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 3 of 5 \n \naccommodations unless it would cause an undue hardship \nor fundamentally alter the district\u2019s programs. Medical \ninformation concerning any employee will be maintained in \nstrict confidence. \nChapter 151B and the ADA define a person with a disability \nas someone who: (1) has a physical or mental impairment \nthat substantially limits one or more major life activities; (2) \nhas a record of such an impairment; or (3) is regarded as \nhaving such an impairment. Major life activities include, but \nare not limited to: caring for one\u2019s self, performing manual \ntasks, seeing, hearing, speaking, breathing, or learning." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 7, + "content": "The person may also qualify for an extended or intermittent \nleave of absence. Please refer to the Absence and Leave \nPolicy circular and your collective bargaining agreement or \nconditions of employment for more information. \nFor more information about the reasonable \naccommodations process, please see Superintendent\u2019s \nCircular EQT-07. \nPATTERNS OF ABUSE \nWhen a manager determines that an employee\u2019s absences \nand/or tardiness exhibits a pattern of abuse and/or raises \nconcern, the manager will address it directly with the employee \nin the way the manager deems appropriate (i.e., informal \nmeeting versus investigatory meeting). The employee will have" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 8, + "content": "the right to union representation at all types of meetings. \nIn the past, the following scenarios have been deemed as \npatterns of abuse (the list is not exhaustive/exclusive):" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 4 of 5 \n \n1. Four (4) or more separate absences before or after the \nweekend or holiday/vacation \n2. Sick absences lasting six (6) or more consecutive days \nwithout a physician\u2019s certificate \n3. Scattered sick days/leave throughout the school year \nexceeding or projected to exceed fifteen (15) or more days \n4. Two (2) or more absences, consecutive or closely \npatterned, following layoff notification \n5. Two (2) or more absences, consecutive or closely \npatterned, following contract non-renewal notification \n6. Two (2) or more absences immediately following poor \nperformance evaluation \n7. Absence during a previously scheduled investigatory \nmeeting" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 10, + "content": "meeting \n8. Absence after receiving a notice of an investigatory \nmeeting \n9. Absence on day of release or scheduled release of poor \nperformance evaluation \n10. Patterns of two (2) days out, two in, one out, etc. \n11. Tardiness: two (2) or more days within a one-week period \n12. Tardiness: two (2) or more days within a two-week period \nCONSEQUENCES FOR ABUSE AND/OR EXCESSIVE \nABSENTEEISM/TARDINESS: \nThe following are the consequences an employee will face when \nthey have been deemed to engage in a pattern of abuse and/or \nexcessive absenteeism/tardiness. These consequences can be \napplied individually or in conjunction with one another. \n1. Discipline up to and including termination" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HRS-PP05 \nPage 5 of 5 \n \n2. Requirement to provide medical documentation \nsubstantiating each absence (past, present, and future) \n3. No pay for time out of work if the employee fails to \nprovide requested medical documentation for absences; \nthe absences will be unexcused. \n4. Issuance of an \u201cunsatisfactory/does not meet standards\u201d \nrating on the employee's performance evaluation \nattendance/punctuality standard. \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 12, + "content": "Street, Roxbury, MA 02119 \nFax: 617-635-7957 \nE-mail: OHCLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP19 \nVersion 01 \n \n \n \nPERFORMANCE-RELATED DISMISSAL PROCESS \nFOR TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIn the event the performance evaluation of a teacher results in a \nrecommendation for dismissal by a Principal or Head of School, \nthe following procedures will be followed: (1) the Superintendent \nshall review all processed recommendations for dismissal and (2) \nif the Superintendent approves the recommendation to dismiss \nthe teacher, the Principal or Head of School may institute \ndismissal proceedings set forth in M.G.L. c. 71, section 42." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 2, + "content": "Note: A teacher may be removed from the classroom, dismissed, \nor suspended for just cause prior to the completion of the \nevaluation-related process specified in this Circular. \nTERMINATION REQUIREMENTS \nThe minimum requirements to proceed with a teacher \ntermination can be met in one of two ways, both in cases where \nthe teacher was placed on an Improvement Plan: \nIf the Evaluator determines that the Educator is not making \nsubstantial progress toward proficiency, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \nIf the evaluator determines that the Educator\u2019s practice \nremains at the level of unsatisfactory, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed. \n \nCopies of the following information will be submitted to the \nSuperintendent via the Office of Labor Relations in order to move \nforward with a recommendation for termination: \n1. All less-than-proficient performance evaluations you are \nrelying on for potential termination. \n2. All other performance evaluations within the last two years. \n3. All written feedback to the teacher following an observation \nin which you saw a need for improvement." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 4, + "content": "in which you saw a need for improvement. \n4. All correspondence regarding pre-evaluation and post-\nevaluation meetings. \n5. All written notes from pre-evaluation or post-evaluation \nmeetings. \n6. A log documenting all artifacts (e.g., syllabus, lesson plan, \nevidence of planning, etc.) submitted to you by the teacher. \n7. All notes and correspondence from the teacher concerning \nevaluations, classroom observations, and other matters \nrelating to their performance. \n8. Correspondence from teachers, parents, or other individuals \nregarding a teacher\u2019s performance, complimentary or \ncritical. \n9. Attendance and tardiness records and correspondence if" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 5, + "content": "attendance and/or tardiness is an issue or if the teacher\u2019s \nabsences have affected contractually required timelines." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \n10. A log documenting any allegations of discrimination brought \nby the teacher to the BPS Office of Equity or the \nMassachusetts Commission Against Discrimination (MCAD), \ne.g., race, age, gender, disability. \n11. All documentation about any disciplinary action taken \nagainst the teacher, only if relevant to performance issues. \n12. A draft letter from the principal notifying the teacher of BPS\u2019 \nintent to dismiss based on unsatisfactory performance. \n \nSteps of the termination procedure: \n1. The principal/head of school recommends to the \nSuperintendent that a teacher be terminated." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 7, + "content": "Superintendent that a teacher be terminated. \n2. If the Superintendent approves the recommendation, the \nteacher receives a letter from the principal/head of school \nnotifying them of BPS\u2019 intent to dismiss. \n3. The teacher has 10 school days after receiving the notice \nof intent to dismiss to meet with the principal/head of \nschool to review the decision. \n4. After the meeting, if the termination decision remains \nunchanged, the principal/head of school sends the \nteacher a letter communicating the termination decision. \n5. The teacher with professional teacher status may seek \nreview of the termination decision within 30 days by filing \na petition for arbitration with the Commissioner of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 8, + "content": "Education. \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP19 \nPage 2 of 2 \n \n \nOwner: Director of Labor Relations \nDepartment: Office of Labor Relations \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-1576 \nFax: 617-635-7959 \nE-mail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-L01 \nVersion 01 \n \n \n \nSTATE LICENSURE AND REQUIREMENTS FOR \nTEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAccording to Massachusetts General Law, all teachers must hold \na valid license issued by the Massachusetts Department of \nElementary and Secondary Education (DESE) in the most \nappropriate subject and grade level corresponding to their \nteaching assignment(s). Teachers are not hired by BPS unless \nthey qualify for the appropriate license or license waiver. A waiver \npermits the district to employ an unlicensed teacher for one" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 2, + "content": "school year only and does not count as a license. Waivers are \nrequested only by the BPS Office of Human Resources in rare \ncircumstances where there are no licensed candidates available \nto fill a position. \nThis Superintendent\u2019s Circular provides guidance for meeting \nMassachusetts state licensure requirements. \nI. DATA COLLECTION AND TRACKING PROCEDURES \nTo collect and track data about the licensure of BPS teachers and \nparaprofessionals, the BPS Office of Human Resources requires \nonline reporting of critical information, including Massachusetts \nTests for Educator Licensure (MTEL) results, licensure status," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 2 of 8 \n \n \n \ncoursework, and degree information of teachers. All teachers and \ntheir administrators must comply with these data collection \nprocedures. Furthermore, it is every educator\u2019s professional \nresponsibility to know their personal licensure status and take \nthe necessary steps to maintain their license validity. \nII. MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nA. Know what license is required by your teaching position: \no The license required for your position should be made \nclear to you upon hire, but when in doubt, ask your \nprincipal/head of school, Human Resources \ncoordinator, or Human Resources manager." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 4, + "content": "coordinator, or Human Resources manager. \no The fundamental requirement is that teachers must \npossess the license that affords the most appropriate \nfit for their teaching assignment. For example, while it \nmay seem acceptable for a teacher of 6th grade math \nand science to work under an Elementary (1-6) license, \nthe MA DESE offers a Middle School Math/Science (5-8) \nlicense which is a more appropriate license for this \nteaching assignment. \no For more information about currently offered licenses \nand specific requirements, visit \nwww.doe.mass.edu/licensurehelp. \no Individual\u2019s official state licensure records and history \ncan be accessed securely through the MA DESE\u2019s ELAR" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 5, + "content": "portal at https://www.doe.mass.edu/licensure/elar/. If \nyou do not know your username and/or password, click \non \"Forgot username/password\" and it will walk you \nthrough some steps to retrieve the username and reset" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 3 of 8 \n \n \n \nthe password. If you still have difficulty, you can call the \nDESE Licensure Help Desk at 781-338-6600 and they \nshould be able to reset it for you. \no See Attachment A for guidance on which \u201ctype\u201d of \nlicense (Provisional, Initial, Professional, Temporary) \nsuits your level of preparation and/or experience. \nB. Apply for the appropriate license. \no When interested in obtaining a new license, or \nadvancing your non-professional license, the best first \nstep is to apply for the license you plan to pursue. Even \nif you have not yet met all of the requirements, this is \nDESE's opportunity to evaluate your standing with" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 7, + "content": "regard to the current requirements and give you \nwritten instructions on what remains to be done. They \nleave all applications open until you are granted the \nlicense. \no Online applications can be submitted through the MA \nDESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/, where you \nindicate which license you are interested in obtaining \nand pay the application fees. Applications cost $100 for \nthe first submission and $25 for each additional. \no Submit official transcripts (undergraduate and \ngraduate) to the MA DESE by mail or in person. The \naddress is: \nOffice of Educator Licensure \nMass. Dept. of Education \n75 Pleasant Street" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 4 of 8 \n \n \n \nMalden, MA 02148 \no Additional documentation, such as out-of-state \nteaching licenses and letters verifying applicable \nteaching experience or preparation, may also need to \nbe submitted. \no Upon review of your application and transcripts, the \nMA DESE will notify you in writing if additional \ndocumentation or clarification is necessary, or if you \nstill have additional requirements to complete. This is \ncalled the evaluation letter. It will give you instructions \non your next steps. \no Make sure your social security number appears on all \ndocuments sent to MA DESE. \nC. Take and pass all relevant MTELs." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 9, + "content": "C. Take and pass all relevant MTELs. \no The test(s) you are required to take will be dictated by \nthe DESE, based on the application that you submitted. \nGeneral information about which tests are required for \nwhich license can be found online at \nwww.doe.mass.edu/licensurehelp. If you still aren\u2019t \ncertain which tests you need, and you do not have time \nto wait for the DESE\u2019s evaluation letter, you may call \nthe Office of Human Resources at 617-635-9600. \nD. Advance or renew your license. \no Teachers who hold a temporary, provisional, or initial \nlicense are required to be working to advance toward a \nprofessional license. See attachment A for guidance on \nthe progression of licenses." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 5 of 8 \n \n \n \no Teachers who hold a professional license must renew it \nevery five calendar years. There is an expiration date \nassociated with each individual\u2019s professional license \nindicating when it needs to be renewed. \no Renewal of a professional license requires the \ncompletion of 150 Professional Development Points \n(PDPs) within the five-year renewal period. At least 15 of \nthese points must be in the content of the license (i.e., \nwhat you teach). The next 15 points must be in \npedagogy (i.e., how you teach). Fifteen points must be \nin Sheltered English Immersion or English as a Second" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 11, + "content": "Language (SEI or ESL), 15 points must relate to training \nin schooling methods for students with disabilities \nand/or diverse learning styles, and the remaining 90 \npoints can be in \u201celective activities\u201d that address other \neducational issues or improve student learning, \ncontent knowledge, or pedagogy. \no The activities that teachers participate in to earn PDPs \nshould be dictated by their Individualized Professional \nDevelopment Plan (IPDP), which must be reviewed \nand signed for approval by their principal/head of \nschool every two years. Signed copies of the approved \nIPDP must be maintained in the school building. \no Visit https://www.doe.mass.edu/pd/ipdp.docx to view" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 12, + "content": "or print an IPDP template. \no Online applications for renewal can be submitted \nthrough the MA DESE\u2019s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/ after all PDP \nrequirements have been completed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 6 of 8 \n \n \n \no All educators and other employees seeking licensure \nrelated verifications must complete this form. \n \nFor more information about this circular, contact: \nOwner: Licensure Manager \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9212 \nEmail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 7 of 8 \n \n \n \nATTACHMENT A \nMassachusetts Teacher Licensure \u2013 At a Glance \nMASSACHUSETTS EDUCATOR LICENSURE \nLicenses granted by the Massachusetts Department of \nElementary & Secondary Education \n75 Pleasant Street, Malden, MA 02148 \n781-338-6600 \nwww.doe.mass.edu/licensurehelp \n \nYOU MAY START HERE\u2026 \nPROVISIONAL LICENSE TEMPORARY LICENSE \n\u2022 Valid for 5 years of employment \n\u2022 For people who have not \ncompleted an approved \neducator preparation program \nRequires: \n\u2022 A bachelor's degree \n\u2022 Passing score(s) on MTEL \nwww.mtel.nesinc.com \n\u2022 Additional coursework required \nfor elementary, early childhood, \nmoderate disabilities, severe" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 15, + "content": "moderate disabilities, severe \ndisabilities, library, and/or \ninstructional technology \n\u2022 Valid for 1 calendar year \n\u2022 For experienced teachers \nfrom another state \nRequires: \n\u2022 Possession of a valid \neducator license/certificate \nfrom another state that is \ncomparable to at least an \ninitial license in \nMassachusetts \n\u2022 3 years teaching under a \nvalid out-of-state \nlicense/certificate" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-L01 \nPage 8 of 8 \n \n \n \n\u2026OR YOU MAY START HERE: \nINITIAL LICENSE PROFESSIONAL LICENSE \n\u2022 Valid for 5 years of employment \n\u2022 (May be extended one time for 5 \nadditional years of employment) \nRequires: \n\u2022 A bachelor's degree \n\u2022 Passing score(s) on MTEL, \nwww.mtel.nesinc.com \n\u2022 Completion of an approved \neducator preparation program \n \n\u2022 Valid for 5 calendar years \nRequires: \n\u2022 3 years of employment \nunder the Initial license \n\u2022 Completion of a beginning \nteacher induction program \n\u2022 One of the capstone \noptions for the Professional \nlicense (i.e., master\u2019s degree \nincluding or in addition to \n12 graduate credits in \ncontent) \n\u2022 Continuing professional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 17, + "content": "content) \n\u2022 Continuing professional \ndevelopment required to \nrenew Professional licenses \nevery 5 calendar years" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP11 \nVersion 01 \n \nDRUG FREE WORKPLACE POLICY AND PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIt is the policy of the Boston Public Schools to maintain a \nworkplace free from all unlawful drugs and substances and to \ninsist that all staff, students, contracted providers, and others \nwho work, attend, and/or visit facilities under the jurisdiction of \nthe School Department avoid unlawful drug and substance use \nand abuse at all times. In compliance with the federal Drug-Free \nWorkplace Act of 1988 (P.L. 100-690) and its implementing" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 2, + "content": "regulations, all employees of the Boston Public Schools, \ncontracted providers, students, and visitors to facilities under the \njurisdiction of the School Committee are hereby notified that the \nunlawful manufacture, distribution, dispensation, possession, or \nuse of a controlled substance (as listed in schedules I-V of Section \n202 of the Controlled Substances Act) is prohibited. Violations of \nthis policy shall be subject to the provisions of federal and state \nlaw, to procedures relative to the discipline of employees, and to \nthe provisions of the Code of Conduct of the Boston Public \nSchools. \nAll employees must abide by this policy as a condition of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 3, + "content": "employment. Employees must notify their immediate supervisor \nwithin forty-eight (48) hours of any conviction (including a plea of \nnolo contendre) of a violation of any federal or state criminal drug \nlaw by an action committed in the workplace. The employee\u2019s \nimmediate supervisor will notify the Office of Human Capital." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular HRS-PP11 \nPage 2 of 2 \n \nWithin ten (10) days of receiving notice of such a conviction, it will \nbe the responsibility of the superintendent or designee to notify \nthe funding agency in those cases where the employee is directly \nengaged in the performance of work and is paid through a direct \nfederal grant. The Development Office will prepare, annually for \nthe Office of Human Capital, a list of employees covered by this \nprovision of the regulations. \nWithin thirty (30) days of receiving notice of such conviction, an \ninvestigation will be initiated. It will be the responsibility of the \nsuperintendent to recommend disciplinary action, including but" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 5, + "content": "not limited to suspension or dismissal. \nBoston Public Schools staff should be made aware of the services \navailable through the City of Boston Employee Assistance \nProgram (B.E.A.P.). Responsibility Center managers and directors \nare urged to refer to the B.E.A.P. any employee who \ndemonstrates symptoms of drug or alcohol abuse at 617-635-\n2200 or eap@boston.gov. The program is located at 43 Hawkins \nSt., Boston. \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7956 \nPhone: 617-635-9600 \nEmail: employeeservices@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 6, + "content": "Mary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP03 \nVersion 01 \n \nTUITION REIMBURSEMENT BTU AND ADMINISTRATIVE \nGUILD MEMBERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston School Committee (BSC) has agreed to several \nprograms that allow for reimbursement of tuition costs to eligible \ncollective bargaining unit members in exchange for a \ncommitment of continued employment. \nBOSTON TEACHERS UNION MEMBER ELIGIBILITY \nPermanent teachers who are not eligible for a career award and \nwho commit to three years of continuous employment in the \nBoston Public Schools will be reimbursed for tuition expenses" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 2, + "content": "accrued in a given school year. Payment will not exceed $1,000 \nper teacher per school year. \nPer agreement between BSC and BTU, provisional teachers who \nhave completed at least one year of service in the Boston Public \nSchools will be eligible for a tuition reimbursement payment not \nto exceed $500 per school year. \nThis definition of eligibility is explicitly meant to include those \nemployees who are in job titles that are compensated based on \nGroup I or Group II of the BTU salary schedules." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 2 of 11 \n \nABA SPECIALISTS ELIGIBILITY \nPer agreement between BSC and BTU, ABA specialists who have \ncompleted at least one year of service shall be eligible for tuition \nreimbursement of up to $500 per year for approved college or \ngraduate credits. \nAt three years of successful employment, ABA specialists will be \neligible for tuition reimbursements of up to $1,000 for approved \ncollege courses until they become eligible to receive their career \naward. \nPARAPROFESSIONALS ELIGIBILITY \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed five or more years of full-time service as of the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 4, + "content": "end of the prior school year will be entitled to tuition \nreimbursement of up to $1,000 a year for approved college \ncourses. \nPer agreement between BSC and BTU, all paraprofessionals who \nhave completed more than three years of full-time service as of \nthe end of the prior school year will be entitled to tuition \nreimbursement of up to $500 a year for approved college \ncourses. \nADMINISTRATIVE GUILD MEMBERS ELIGIBILITY \nTo be eligible to receive tuition reimbursement, members of the \nAdministrative Guild must have served at least one full school \nyear commencing on September 1 prior to the year in which the \ntuition reimbursement application is filed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 5, + "content": "tuition reimbursement application is filed. \nTuition reimbursement for members of the Administrative Guild" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 3 of 11 \n \nis capped at $1,000 per member, per year. \nELIGIBLE COURSES \nAll coursework must be approved by the assistant \nsuperintendent of Human Capital (or designee), consistent with \nthe current policy. Further, eligible courses for school year 2023-\n2024 are courses that begin anytime from September 1, 2023 \nthrough August 31, 2024. Courses that meet the criteria \nestablished for salary lane advancement as articulated in \nSuperintendent\u2019s Circular HRS-PP01 will be considered eligible \nfor tuition reimbursement. \nThe Boston Public Schools will only reimburse employees for the \ncost of the class itself and does include consultant or facilitator" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 7, + "content": "fees. Please send receipts of out-of-pocket payment directly from \nthe institution in which your transcript was issued. \nGUILD: All courses, certificate programs and job-related training \nmust be approved by the assistant superintendent of Human \nCapital, consistent with current policy." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 4 of 11 \n \nAPPLICATION PROCESS \nTo receive tuition reimbursement payments, eligible employees \nmust submit: \n\u25cf A signed Form PS-03 (Personnel Action Request Form). In \nthe \u201cPay Adjustment\u201d category, place a check mark in the \ntuition reimbursement block. \n\u25cb The PS03 form can be downloaded here: \nhttps://drive.google.com/file/d/0B9Pn1K0-\nQB_FWTRJV2JaSDdNbEU/view?resourcekey=0-\ny7E5QNx7B_HmLeFHKLJauQ \n\u25cb Employees must sign and date the form in the \n\u201cOriginator\u2019s Signature / Date\u201d block. \n\u25cf BTU: A signed affidavit agreeing to three continuous years \nof employment with the Boston Public Schools. A copy of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 9, + "content": "the affidavit is attached to this circular. An affidavit is not \nrequired for paraprofessionals or members of the \nAdministrative Guild. \n\u25cf Official original transcripts clearly indicating a passing \ngrade and graduate credit was awarded from an accredited \ninstitution. Undergraduate course work is accepted for \nparaprofessionals and Administrative Guild members. \nElectronic transcripts must be sent directly to the Office of \nHuman Capital. Please send to \nEmployeeServices@BostonPublicSchools.org \n* Guild members are also eligible for completion of \ncertificate programs." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 5 of 11 \n \n\u25cf Documentation of tuition payment. This documentation \nshould be in the form of receipt for an out-of-pocket \npayment or a credit card statement indicating that payment \nwas made to the institution from which courses were taken \nand credit was granted. \nSubmit all materials to: \nEmployee Services Department \nBoston Public Schools \n2300 Washington Street \nRoxbury, MA 02119 \n \nPAYMENT OF TUITION REIMBURSEMENTS \nThe Office of Human Capital will make every effort to issue tuition \nreimbursements within 60 days of receipt of all required \napplication documentation as listed above. \nSummary of significant dates and deadlines: \nDate Activity" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 11, + "content": "Date Activity \nSeptember 1 Start of reimbursement year \nAugust 31 \n \nDeadline for submitting tuition reimbursement \ndocumentation to be processed for the \nprevious academic year \nAugust 31 End of reimbursement year" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 6 of 11 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 7 of 11 \n \nAFFIDAVIT FOR BTU (TEACHER) MEMBERS \nI hereby agree to continue my employment with the Boston \nPublic Schools for three continuous years from the date of receipt \nof tuition reimbursement payment in the qualifying amount of \n$500 or $1,000.00. All course work must be approved by the \nassistant superintendent of Human Capital, consistent with \ncurrent policy, prior to my reimbursement of monies. If I fail to \ncontinue my employment for three continuous years, I agree to \nreimburse the Boston Public Schools for the entire amount of \n$500 or $1,000.00 within one month of my discontinuance of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 14, + "content": "service with the Boston Public Schools. Failure to do so will result \nin initiation of legal action by the Boston Public Schools to \nreceive said monies. \nCheck one: \n____I am a Permanent Teacher entitled to $1,000. \n____I am a Provisional Teacher entitled to $500. \nSigned under the pains and penalties of perjury. \n _________________________________________________________________ \nSignature \n \n______________________________________________ __________________ \n Print Name Date \n \nWitness signature: ______________________________________________ \nBPS: BTU DUAL LICENSE REIMBURSEMENT FOR BTU" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 8 of 11 \n \nTEACHERS \nPer the most recent Collective Bargaining Agreement effective \nfrom September 1, 2022, through August 31, 2024, (the \u201cCBA\u201d) \nwhere a position requires two licenses and the incumbent does \nnot possess the same, educators will be required to obtain a \nsecond license. Teachers will be reimbursed for up to $3,000 in \nexpenses incurred to obtain the required second license. \nBOSTON TEACHER UNION MEMBER ELIGIBILITY \nTeachers who are required by BPS to obtain another license to \nteach in their existing position and do not currently hold the \nrequired license. \nPer the CBA, BPS will reimburse teachers up to $3,000 during" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 16, + "content": "their employment with BPS for the cost of obtaining another \nlicense required by BPS for the teacher\u2019s position, including but \nnot limited to those working under a waiver or emergency \nlicense. \nELIGIBLE COURSES \nTeachers shall be reimbursed for the following expenses incurred \nto obtain the required license: \n\u25cf MTEL prep courses from a provider on a list established by \nthe Office of Human Capital \n\u25cf MTEL tests \n\u25cf Graduate coursework1 \n \n1 Credit equivalency is not considered graduate course work" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 9 of 11 \n \n\u25cf License Fees \n\u25cf BPS Pathway Programs \nReimbursements will be considered provided teachers submit \nreceipts to the Office of Human Capital within the fiscal year that \nexpenses were incurred. \nThis definition of eligibility is explicitly meant to include those \nemployees who are in job titles that are compensated based on \nGroup I or Group II of the BTU salary schedules. \nAPPLICATION PROCESS \nTo receive the Dual License reimbursement payments, eligible \nemployees must submit: \n\u25cf A Google form response \n\u25cb The Google form can be found here: \nhttps://docs.google.com/forms/d/e/1FAIpQLSf35H7BTyp" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 18, + "content": "O0rLPZKgzRgKTi3lQfbyRycfy0sgFaNi5IvHlfA/viewform \n\u25cb All submissions must include proof of payment. \n\u25cf A copy of the Dual Licensure Notice informing the \nincumbent that their position will require two licenses going \nforward. \n\u25cf Documentation of expenses payment. This documentation \nshould be in the form of receipt for an out-of-pocket \npayment, or a credit card statement indicating that \npayment was made to the institution from which courses \nwere taken and credit was granted. Documentation should \nbe clearly dated. \nSubmit all materials via Google form." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 10 of 11 \n \nPAYMENT OF DUAL LICENSE REIMBURSEMENTS \nThe Office of Human Capital will make every effort to issue Dual \nLicense reimbursements within 60 days of receipt of all required \napplication documentation as listed above. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 1 Start of reimbursement year \nAugust 31 \n \nDeadline for submitting Dual License \nreimbursement documentation to be \nprocessed for the previous academic year \nAugust 31 End of reimbursement year" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP03 Tuition Reimbursement", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular HRS-PP03 \nPage 11 of 11 \n \nFor more information about this circular, contact: \nOwner: School Based Staffing \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-9600 \nEmail: \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can be \nfound on Access Boston. \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP01 \nVersion 01 \n \nCONTRACTUAL BENEFITS: CAREER AWARDS, SALARY \nLANES, SALARY STEPS, ACADEMIC LADDER CREDITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools offer numerous contractual benefits such \nas career awards and salary lane increases based on the \ncompletion of accredited coursework, degrees, academic ladder \ncredits, and continuing education units. To receive these benefits, \nemployees must submit the appropriate documentation \n(described below) to the Office of Human Capital. Once their \ndocumentation is submitted, employees will receive confirmation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 2, + "content": "via email, within 4 to 6 weeks, except during peak seasons. \n1. CAREER AWARDS \nCareer awards are issued monthly by anniversary date, based on \na monthly reporting cycle in the Office of Human Capital, and \nvary by union affiliation. PS03s are no longer needed to initiate \nthis process, except for BASAS members, who are required to \nsubmit a request via PS03. If an award is not received, the \nemployee should then submit a PS03 to the Office of Human \nCapital to address the issue: \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \ncareer award block and specify the career award requested. \n\u2022 Indicate initial date of employment." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 3, + "content": "\u2022 Indicate initial date of employment. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 2 of 12 \n \nCareer awards are effective on an employee's anniversary date. \nEmployees will see their career award reflected within 2-3 pay \nperiods. Denied applicants will receive an email from the Office of \nHuman Capital (to the employee\u2019s bostonpublicschools.org email \naddress) providing the reason for the denial. \nParaprofessionals: Career awards are awarded by the number of \nworking days completed, not (wholly) by academic year \ncompleted. The schedule of awards is as follows: \nStep Length of Service \n2 3 Years \n3 6 Years \n4 9 Years \n5 12 Years \nCareer Award 1,800 Paraprofessional Seniority Days" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 5, + "content": "Career Award 2,800 Paraprofessional Seniority Days \nCareer Award 3,800 Paraprofessional Seniority Days \nCareer Award 4,800 Paraprofessional Seniority Days \nCareer Award 5,800 Paraprofessional Seniority Days \n \nBTU: Career Awards are awarded at the completion of the \nthreshold year, for the start of the next academic year. \nAll other collective bargaining units: Career awards are awarded \non an employee\u2019s anniversary date based on a monthly reporting \ncycle. \n2. SALARY LANES \nEmployees who qualify by contract for a change in salary lane as" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 3 of 12 \n \na result of the completion of accredited course work and degrees \nmust submit a PS-03 to receive this benefit. Lane changes are \nnot made automatically. \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \nsalary lane block and specify the salary lane requested. \n\u2022 Attach official original transcripts documenting accredited \ncourses and/or degree completion. Transcripts for \naccredited graduate coursework must include a passing \ngrade and/or a degree conferred date for acceptance. \nElectronic transcripts must be sent directly from the \ninstitution to EmployeeServices@BostonPublicSchools.org." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 7, + "content": "Boston Public Schools In-Service and Academic Ladder \ncertificate(s) must be printed. An In-service/Academic \nLadder transcript summary is not acceptable. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \n\u27a2 Employees should only submit credits/degrees when \napplying for salary lane advancement; employees \nshould not submit single or multiple credits below the \nthreshold for lane advancement. \nApproved applicants can expect to see a change in their salary \nwithin 3-4 pay periods following submission of a salary lane \napplication. Denied applicants will receive an email from the \nOffice of Human Capital (to the employee\u2019s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 8, + "content": "Office of Human Capital (to the employee\u2019s \nbostonpublicschools.org email address) providing the reason for \nthe denial. Please note that this process will take longer in the \nsummer months (June \u2013 September). \nSalary lane changes will be processed retroactively to September \n1 if the application is received in the Office of Human Capital by \nthe close of business on September 30. Otherwise, the change \nwill be effective on the first day of the month following complete" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 4 of 12 \n \nsubmission of all documentation during the school year. \nSubmissions after May 31 will be effective for the start of the \nfollowing school year. \nNote: Boston Public Schools reserves the right to approve salary \nlane advancement for only those courses that are related to the \nfield of education or enhance advancement up the educational \ncareer ladder. Requests for pre-approval of any courses shall be \nresponded to by the Office of Human Capital promptly. Courses \nmust meet the following criteria: \nAccredited College or University Courses \n1. Courses must be granted by an accredited college or" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 10, + "content": "university listed on the Accredited Institutions of Post-\nSecondary Education registry and deemed acceptable by \nthe American Council on Education. \n2. Courses must award graduate credit. If the transcript does \nnot clearly state the course is at graduate level, then the \napplicant must supply a letter from the institution verifying \nthe course is offered for graduate credit. Note: for \nparaprofessionals, undergraduate credit and in-service \ncredits are acceptable for salary lane advancement, up to a \nbachelor\u2019s degree. \n3. Courses are evaluated by the semester hour only. Courses \ntaken by the quarter credit hour will be converted by the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 11, + "content": "metric specified by the respective institution. If a conversion \nrate is not specified, Boston Public Schools will use a .75 to \n1.0 ratio. \n4. Courses must clearly relate to the field of education in the \nBoston Public Schools." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 5 of 12 \n \nAcademic Ladder Credit \nAn Academic Ladder Credit, also known as an \u201cALC\u201d, is a new \n\u201ccredit\u201d for academic lane advancement. ALCs are equal in value \nto in-service credits, with no cap on the amount one can earn. \nEach ALC course has a clearly articulated target competency and \na range of options for demonstrating this competency through \nartifacts or reflections. ALCs require approximately 12 hours of \n\u201cseat time\u201d per credit. Credit will not be awarded until the \neducator submits a final product demonstrating successful \nimplementation of a specific instructional practice. Options for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 13, + "content": "demonstrating may include lesson or unit plans, videos, student \nwork analyses, reflections, or some combination of these. \nEmployees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, employees \nshould submit the actual ALC completion certificate from Vector. \nOnly ALCs approved by the Boston Public Schools will be \nawarded credit for salary. \nAvailable ALC courses can be found on Vector. Additionally, a list \nof frequently asked questions can be found in APPENDIX A. \nIn-Service Courses \nCourse credit may be granted for courses previously offered by \nthe Boston Public Schools. Only courses approved by the Boston" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 14, + "content": "Public Schools will be awarded credit for salary purposes. \nEmployees should submit the actual in-service completion \ncertificate, available on Vector. The transcript summary is not \naccepted. Please note that no more than 30 in-service credits \nmay be used for lane advancement during each employee\u2019s \nlifetime career with Boston Public Schools." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 6 of 12 \n \nContinuing Education Units (CEUs) \nCEUs, also known as contact hours, are accepted at the rate of 15 \ncontact hours for 1 graduate credit, not to exceed 30 graduate \ncredits. Please note that .1 CEU is the equivalent of 1 contact hour. \nThis applies to nurses, speech and language pathologists, school \npsychologists, social workers, adjustment counselors, guidance \ncounselors, occupational and physical therapists, vision teachers, \nand lead sign language interpreters only. CEUs are only accepted \nfrom approved CEU providers. The Boston Public Schools is not \nan approved CEU provider. \nProfessional Development Points (PDPs)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 16, + "content": "Professional Development Points (PDPs) \nAlthough professional development points may be awarded for \nthe completion of in-service courses, they are not applicable for \nsalary lane advancement. PDPs are most used as evidence \ntoward maintaining professional licensure. \n3. SALARY STEPS \nSalary step increases are automatically awarded based on the \ndate specified in the applicable collective bargaining agreement. \nAn employee who believes that they are being compensated on \nan incorrect step of the salary schedule should submit a PS-03 to \nthe Office of Human Capital, as follows:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 7 of 12 \n \n\u2022 In the \u201cPay Adjustment\u201d category, place a checkmark in the \nsalary step block and specify the salary step requested. \n\u2022 Include a brief explanation for the request in the \u201cAdditional \nExplanation\u201d section. \n\u2022 Sign and date the \u201cOriginator\u2019s signature/date\u201d block. \nSalary Steps as Related to Inside and Outside Service \nThere is no longer a cap on the amount of Inside Service credits \navailable for salary step adjustments/placement. Instead, the \ncredit is based on prior eligible years of service. To qualify, an \nemployee must have worked a minimum of 120 days in a \nqualifying academic year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 18, + "content": "qualifying academic year. \nA maximum of three years is awarded for an outside service \nsalary step adjustment. To qualify, an employee must provide \noriginal documentation from a previous employer, specifically \ncertifying the named employee has completed a minimum of 160 \ndays in the appropriate licensed capacity for each year. \nIndividuals should not knowingly falsify information and should \nunderstand that applications are signed under the pains and \npenalties of perjury. \nAs salary lane and salary step advancements are contractual \nentitlements, employees should forward these PS-03 requests \ndirectly to the Office of Human Capital. No further signatures are \nnecessary." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 8 of 12 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nMay 31 Academic year deadline for salary lane changes \nto be processed effective in the same year. \nJune, July & \nAugust \nSubmissions effective for the start of the next \nschool year. \nSeptember 30 \n \nDeadline for submitting salary lane changes to \nbe processed retroactively to September 1. \n \n4. NATIONAL BOARD-CERTIFIED TEACHERS \nWhen you achieve or renew National Board Certification, please \nsubmit the official notification letter and a PS03 Form. The Office \nof Human Capital will review and verify the candidate's successful" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 20, + "content": "completion of board certification, inception and expiration dates \nvia the NBPTS website. The National Board differential is \neffective on the 1st of the month following an eligible \nsubmission. Recertifications will be effective on the renewal date \nas long as the request is received prior to the expiration date. If \nrecertification received after the original expiration date the \nrenewal will be dated for the first of the month following receipt." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 10 of 12 \n \nAPPENDIX A \nAcademic Ladder Credits: Frequently Asked Questions \n\u2022 What is an Academic Ladder Credit (ALC), and how does it \ndiffer from an in-service credit? \nAn Academic Ladder Credit, also known as ALC, is a new \n\u201ccredit\u201d for academic lane advancement. ALCs are equal in \nvalue to in-service credits, with no cap on the amount one \ncan earn. ALCs require approximately 12 hours of \u201cseat time\u201d \nper credit, but credit is not awarded until the educator \nsubmits a final product demonstrating successful \nimplementation of a specific instructional practice. \n\u2022 What do I need to do to earn ALCs?" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 23, + "content": "\u2022 What do I need to do to earn ALCs? \nALCs are earned by demonstrating competence in the \npractices learned in the course. While courses are \napproximately 12 hours of instruction (in person or online), \ncredits are not awarded simply for attendance and \nparticipation. Each ALC course will have a clearly articulated \ntarget competency and a range of options for \ndemonstrating it through artifacts or reflections. \n\u2022 What kinds of options might be available for \ndemonstrating competencies? \nEach course will be different, but options include: lesson or \nunit plans, videos, student work analyses, reflections, or \nsome combination of these. \n\u2022 Who determines whether I have demonstrated a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 24, + "content": "\u2022 Who determines whether I have demonstrated a \ncompetency? \nA team of BTU educators and central office administrators" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 11 of 12 \n \nwill review product submissions and award credits using a \nrubric made available to all course participants. Those who \ndo not earn credits on their first submission will receive \nfeedback and an opportunity to resubmit. \n\u2022 Am I eligible to take any ALC course I want? \nWhile any educator is technically able to apply for any ALC \ncourse, because earning an ALC requires demonstrating \ncompetence in a skill, it will be difficult to complete courses \nthat are not relevant to your context. OHC or APL reserves \nthe right to refuse admittance to those educators for whom \nthe content may not be relevant." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 26, + "content": "the content may not be relevant. \n\u2022 Is there a limit to the number of ALCs I can receive in a year \nor over my career? \nNo. ALCs are not subject to the same cap as in-service \ncredits. \n\u2022 Can you use ALCs in combination with graduate credits, \netc. towards advancement? \nYes. Employees may use combinations of graduate credits, \nin-service credits and ALCs for lane advancement. However, \na teacher must possess a master\u2019s degree to advance to the \nmaster\u2019s lanes and must possess a doctorate degree to \nadvance to the doctorate lane. \n\u2022 How do I submit my ALC credits to the Office of Human \nCapital for credit toward lane advancement? \nEmployees should only submit ALC credits/degrees when" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 27, + "content": "applying for salary lane advancement. When doing so, \nemployees should submit the actual ALC completion" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular HRS-PP01 \nPage 12 of 12 \n \ncertificate from TeachPoint, along with any other graduate \nor in-service credits, and a completed PS03 to the Office of \nHuman Capital (4th Floor, Bolling Building). Only ALCs \napproved by the Boston Public Schools will be awarded \ncredit for salary. \n\u2022 Are ALC courses portable outside BPS? \nNo. \n\u2022 Are non-BTU members eligible to earn ALCs? \nWhile non-BTU members may participate in ALC courses, \nonly BTU members are eligible to receive credits. \n\u2022 Are paraprofessionals eligible to receive ALCs? \nYes. Please note that because earning an ALC requires \ndemonstrating competence in a skill, it will be difficult to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 29, + "content": "complete courses that are not relevant to your role or \ncontext. OHC or APL reserves the right to refuse admittance \nto those educators for whom the content may not be \nrelevant. \n\u2022 I have an idea for an ALC course. How can I make that \nhappen? \nContact the Office of Academics and Professional Learning." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM03 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nADMINISTRATIVE GUILD \nThe following sets forth the philosophy, roles, responsibilities, and \nprocedures applicable to the evaluation process for members of \nthe Administrative Guild. \nI. COVERAGE \nThe contract between the School Committee and the \nAdministrative Guild provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Guild. The evaluation process relates to the duties and \nresponsibilities of the employee\u2019s position, as set forth in the \nemployee\u2019s job description. \nThe job descriptions are general in nature and are not intended" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 2, + "content": "to change any employee\u2019s existing responsibilities. The format of \nthe job descriptions allows supervisors to determine the specific \njob duties associated with the position\u2019s classification. \nThe supervisor should obtain a copy of the appropriate job \ndescription and provide it to each employee under their \njurisdiction. The supervisor should also communicate clearly to \nthe employee the specific duties associated with the position as \nwell as any additional information pertaining to the position. \nMembers of the Administrative Guild can also contact their OHC \nStaffing Manager to access job descriptions." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 2 of 21 \n \nII. PHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service depends upon the professional performance \nand total job effectiveness of all employees. Since clerical and \ntechnical employees can and should be held accountable for the \nquality of their performance, a just and effective process for \nevaluating that performance is essential. True performance \nevaluation involves an analysis of an employee's strengths and \nweaknesses, resulting in diagnoses and prescriptions that lead to \nthe desired improvement of skills and performance. \nAll clerical and technical employees will be evaluated using the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 4, + "content": "diagnostic-prescriptive approach, and the procedures and forms \ndeveloped for the implementation of this approach. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages employees to maximize their unique \nstrengths and skills. It encourages employees to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication with and supervision of employees. \nAn effective performance evaluation program is one that is \ncontinuous rather than periodic and organized to:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 5, + "content": "\u25cf develop a clear understanding of the goals of the \ndepartment or school; \n\u25cf assist employees in addressing more effectively the needs \nof each school or department; and \n\u25cf encourage cooperative staff relations through mutual trust \nand respect for each employee's role." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 3 of 21 \n \nIII. ROLES AND RESPONSIBILITIES \nHeads of school, principals, and other administrative heads have \nchief responsibility for the evaluation of all staff in their \nresponsibility centers. Performance evaluations must be \nconducted by the employee's most immediate supervisor who is \nnot a member of the Guild bargaining unit. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 7, + "content": "underperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are four possible \nratings: \n \nE \u2013 EXEMPLARY: The employee\u2019s performance of the duties and \nresponsibilities of their position exceeds \nexpectations." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 8, + "content": "expectations. \nP \u2013 PROFICIENT: The employee\u2019s performance of the duties and \nresponsibilities of their position meets \nexpectations." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 4 of 21 \n \nN \u2013 NEEDS \nIMPROVEMENT: \nThe employee\u2019s performance of the duties and \nresponsibilities of their position needs \nimprovement. \nU \u2013 UNSATISFACTORY: The employee has failed to meet expectations \nand their performance of the duties and \nresponsibilities of their position needs \nimprovement. \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the employee with a written prescription within the \nevaluation document. The diagnosis and subsequent \nprescription should be fully descriptive and instructive," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 10, + "content": "suggesting specific remedies or recommendations for adoption \nby the employee. The employee may suggest additional or \nalternative prescriptions. \nV. PERFORMANCE MANAGEMENT PROCESS \nThe performance of employees represented by the Guild \nbargaining unit is evaluated annually. The evaluation year is from \nJuly 1 to June 30 for each employee. \nPerformance evaluation activities may include, but are not \nlimited to, preliminary planning conferences, daily observations, \nnotations, formal interim evaluations, follow-up conferences, and \nrecommendations to the employee by the evaluator. \nDuring the entire evaluation process, continuous administrative" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 11, + "content": "assistance, support, and encouragement should be extended to \nassist the employee in meeting established objectives." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 5 of 21 \n \nSTEP 1 \u2013 PRELIMINARY PROCEDURES \nAt the beginning of each evaluation year, the head of school, \nprincipal, or other administrative head should meet with their \nsupervisory staff to orient them to the performance evaluation \nprocess and to their roles and responsibilities within that process \nfor the upcoming year. Guild members will be evaluated by their \nmost direct supervisor or designee who is not a member of the \nGuild bargaining unit. \nFor all new employees or after a change in supervision, the \nevaluator must meet with the employee no later than 30 days \nafter the start of the evaluation year to discuss and explain the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 13, + "content": "evaluation process, the evaluation instrument, and to clarify the \nresponsibilities and objectives of the position. \nThe evaluator and the Guild member will sign the evaluation \ninstrument indicating the date of such meeting. \nSTEP 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS \nNEEDED) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation, recommendations for improvement, and will share this \nfeedback with the employee within a reasonable amount of time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 14, + "content": "STEP 3 \u2013 INTERIM EVALUATION PROCEDURES \nAll new employees or employees under new supervision should \nreceive an interim evaluation no later than November 15, if \nreasonably possible. All other employees will be evaluated a \nminimum of one time during the school year. However, to \nreceive a rating of \u201cUnsatisfactory\u201d in any category on an annual" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 6 of 21 \n \nevaluation, an interim evaluation must have been previously \nconducted. \nIf an interim evaluation includes a rating(s) of Unsatisfactory \nand/or Needs Improvement in any category, then the supervisor \nwill communicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. A follow-up \nevaluation or evaluations for an interim overall unsatisfactory \nevaluation must be done after a minimum of 20 school days and \nno later than 50 school days from the last evaluation during \nwhich a member is present. All initial \u201cUnsatisfactory\u201d interim" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 16, + "content": "evaluations should have a follow-up evaluation no less than 20 \nschool days during which the employee is present. \nThe same form is used for interim and annual evaluations. \nSTEP 4 \u2013 POST INTERIM MEETING EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of an interim evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but \nnot to indicate agreement or disagreement with its contents. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 17, + "content": "supervisor must retain the signed copy. The employee has a right \nto attach a written response to the evaluation. \nIf an employee receives a mark of Needs Improvement or \nUnsatisfactory on any item on their performance evaluation form, \nthe principal, head of school, or other administrative head must \nimmediately submit this evaluation form to the Office of Human \nResources." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 7 of 21 \n \nInterim evaluations will not be placed in the employee\u2019s \npermanent file. \nSTEP 5 \u2013 ANNUAL EVALUATION PROCEDURES \nAnnual evaluations must be completed no later than June 1 of \neach year. \nIf an evaluation includes a rating(s) of Unsatisfactory and/or \nNeeds Improvement in any category, then the supervisor will \ncommunicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. However, to \nreceive a rating of \u201cUnsatisfactory\u201d in any category on an annual \nevaluation, an interim evaluation must have been previously" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 19, + "content": "conducted. If an employee received a Needs Improvement or \nUnsatisfactory rating on any item on the form, the Principal, \nHead of School, other Administrative Head must immediately \nsubmit this evaluation form to The Office of Human Resources. \nSTEP 6 \u2013 POST ANNUAL EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of any evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 20, + "content": "not to indicate agreement or disagreement with its contents. The \nemployee has the right to attach a written response to the \nevaluation form. \nIf an employee receives an annual overall Unsatisfactory \nevaluation, the supervisor may initiate termination by \nrecommending to the Superintendent that such employee be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 8 of 21 \n \nterminated. \nSTEP 7 \u2013 SUBMIT PERFORMANCE EVALUATION FORMS TO THE \nOFFICE OF HUMAN RESOURCES \nAt the end of each evaluation year, the principal, head of school, \nor other administrative head should retain the copies of all \nevaluations and send/deliver the originals of all evaluations to the \nOffice of Human Resources front desk. If the performance \nevaluation is overall Unsatisfactory, a copy should also be sent to \nthe director of evaluation and performance management, Office \nof Human Resources. \nNote: An employee with an \u201cUnsatisfactory\u201d performance \nevaluation has no bidding rights until that employee receives a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 22, + "content": "subsequent \u201csatisfactory\u201d performance evaluation. For the \npurposes of this section, an \u201cUnsatisfactory\u201d evaluation means an \nunsatisfactory rating in any two areas on an interim or annual \nevaluation. \nVI. PROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or other administrative head \ndetermines that an employee has committed an infraction of \nwork rules such as excessive tardiness, absences, etc., the \nsupervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures. \nAdditionally, the supervisor should consider the infraction in \nevaluating the employee's overall performance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 9 of 21 \n \nVII. FORMS \nThe Performance Evaluation Form for Members of the \nAdministrative Guild is attached. \nSummary of significant dates and deadlines: \nDATE ACTIVITY \nWithin the first 30 days \nof Evaluation Year \nFor new employees/employees under \nnew supervision only: Review job \ndescription and evaluation instrument. \nSign cover page to acknowledge \nmeeting. \nNo later than \nNovember 15 \nFor new employees/employees under \nnew supervision only: Complete first \nInterim Evaluation \nJune 15 Deadline to send signed, original \ncopies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 24, + "content": "Office of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, Massachusetts 02119 \nJuly 1 to June 30 The evaluation year of an \nAdministrative Guild employee" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 10 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular HRS-PM03 \n \nPage 11 of 21 \n \nBOSTON PUBLIC SCHOOLS ADMINISTRATIVE GUILD \nPERFORMANCE EVALUATION FORM \nName: _________________________________Employee ID: ____________ \nCurrent Position and Grade: ___________________ Date: ____________ \nPermanent Position and Grade: __________________________________ \nDepartment/School: _____________________________________________ \nEvaluator: ________________________________________________________ \nCheck One: Interim Evaluation: \u2610 Annual Evaluation: \u2610 \nEvaluator's Signature: _________________________ Date: \n_____________ \nEmployee's Signature: _________________________ Date: ____________" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 27, + "content": "The employee's signature indicates that they have seen and \ndiscussed the evaluation. It does not denote agreement with it. \nEvaluator's Supervisor \nSignature: ____________________________________ Date: _____________ \nInitial Pre-Evaluation Conference: \n Evaluator\u2019s Signature:__________________________Date:____________ \n \nEmployee\u2019s Signature___________________________Date:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 12 of 21 \n \nReview the employee\u2019s job description and then complete the \nform. The following scale will be used for ranking performance: \nE - EXEMPLARY The employee\u2019s performance of the \nduties and responsibilities of their \nposition exceeds expectations. \nP - PROFICIENT The employee\u2019s performance of the \nduties and responsibilities of their \nposition meets expectations. \nN - NEEDS \nIMPROVEMENT \nThe employee\u2019s performance of the \nduties and responsibilities of their \nposition needs improvement. \nU - UNSATISFACTORY The employee has failed to meet \nexpectations and their performance of \nthe duties and responsibilities of their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 29, + "content": "the duties and responsibilities of their \nposition needs improvement. \nThe evaluator will circle the letter that applies, or if the form is \nbeing completed electronically, the evaluator should underline or \nbold the letter that applies. Any rating of \"U\" or \u201cN\u201d must be \naccompanied by a supporting diagnosis and prescription. The \nevaluator may add comments to ratings of \"P\" and \"E\" at their \ndiscretion." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 13 of 21 \n \nPerformance Ratings (see Performance Standards descriptions \nbelow): \n(Place an X in the appropriate box for each \nstandard and overall) E P N U \nStandard I: Job Functions \nStandard II: Collaboration and Initiative \nStandard III: Communication \nStandard IV: Professionalism and Growth \nOverall Rating \n \nSupervisor's Comments \n1. How long has this employee been under your supervision? \n \n2. General comments, significant other achievements, \nappraisal of potentialities." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 14 of 21 \n \n3. This diagnosis and prescription section must be completed \nfor each category evaluated as U \u2013 Unsatisfactory. Identify \nthe item number, the observable need for improvement, the \nrecommendation, and the target date for improvement. \n \n \n \n \n \nEmployee's Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular HRS-PM03 \n \nPage 15 of 21 \n \nADMINISTRATIVE GUILD PERFORMANCE STANDARDS \nStandard I: Job Functions. The employee effectively supports the district's and department/school\u2019s \nmission through demonstrated job-specific skills, knowledge, and quality of work after proper \ninstruction. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nI-A. Skills and \nknowledge \nDemonstrates a \ncritical lack of \nnecessary skills \nand knowledge \nto perform one's \nown job, \nincluding the \nability to \neffectively use \nrelevant, position \nspecific \ntechnology. \nDemonstrates \nsome, but not all, of \nthe necessary skills \nand knowledge to \nperform the \nemployee's own job," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 33, + "content": "perform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nHas the necessary \ntechnical skills and \nknowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nDemonstrates \nproficiency AND \nserves as a resource \nfor other employees \nin similar or related \npositions." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 16 of 21 \n \nI-B. Quality of \nWork \nDemonstrates \neffectiveness at \nfew to none of \nthe \nresponsibilities \ndefined in the \nemployee's job \ndescription. \nDemonstrates \neffectiveness at \nsome, but not all, of \nthe responsibilities \ndefined in the \nemployee's job \ndescription. \nAccurately, \ncompetently, and in a \ntimely manner \nperforms assigned \ntasks as set forth in \nthe job description. \nDemonstrates \nproficiency AND \nmakes significant or \nnoteworthy \ncontributions \ntowards helping \naccomplish the \nschool/department \ngoals." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 17 of 21 \n \nStandard II: Collaboration and Initiative. The employee supports the district's and the \ndepartment/school\u2019s mission and goals by cultivating a shared vision, modeling responsibility, \naccountability, and cooperation. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nII-A. \nTeamwork \nDemonstrates a \npattern of refusal \nto support \nsupervisor and \nothers as \nidentified in the \njob description. \nDemonstrates \nlimited accuracy \nand support of \nsupervisor and \nothers as identified \nin the job \ndescription when \nasked. \nEstablishes and \nmaintains \nrelationships that \npromote the \nadvancement of \ncommon goals by" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 36, + "content": "promote the \nadvancement of \ncommon goals by \nproviding accurate \nand reliable support. \nDemonstrates \nproficiency \nAND takes initiative \nto identify and act \nupon new \nopportunities to \nsupport \nschool/department \nmissions. \nII-B. \nMotivation and \nInitiative \nRequires direct \nintervention and \ncontinual \noversight from \nsupervisor to \nRequires increased \noversight or \nreminders for \nroutine duties \ndespite receiving \nAccomplishes work \nafter proper \ninstruction; seeks \nclarification when \nneeded performs \nDemonstrates \nproficiency AND \nrecommends \nsolutions, as well as \ntakes initiative on" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 18 of 21 \n \nperform the \nduties outlined \nin job \ndescription. \nstandard support. tasks in anticipation \nof or extraneous to \nnormal \nresponsibilities, \neffectively copes with \nthe unexpected. \nstarting new tasks \nand projects, as \nappropriate, to \nsupport district and \nschool/department \ngoals. \n \nStandard III: Communication. Communicates effectively, professionally and with a customer-focused \napproach; speaking or writing originated by a Guild member. Cultural Proficiency: Actively creates \nand maintains an environment in which students and staff of diverse backgrounds, identities, \nstrengths, and challenges are respected" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 38, + "content": "strengths, and challenges are respected \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nIII-A. Effective \nWritten and \nOral \nCommunicatio\nn \nDemonstrates a \npattern of \nineffectual \nwritten, oral, and \ninterpersonal \ncommunication. \nWritten, oral and \ninterpersonal \ncommunication \noccasionally lacks \nclarity, timeliness, \ncourtesy, or \nAll written, oral, and \ninterpersonal \ncommunication \nproduced is accurate, \nclear, concise, \ncourteous, and timely. \nDemonstrates \nproficiency AND \nmodels effective \npublic demeanor \nand/or participation \nskills." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 19 of 21 \n \nprecision. \nIII-B. \nCulturally \nProficient \nCommunicatio\nn \nDemonstrates a \npattern of failure \nto ensure \ncommunications \nare always \nrespectful and \ndemonstrate \nunderstanding of \nand sensitivity to \ncultural and \nother \ndifferences. \nDemonstrates \ninconsistency in \nensuring all \ncommunication is \nrespectful and \ndemonstrates an \nunderstanding and \nsensitivity to \ncultural and other \ndifferences. \nEnsures that all \ncommunication is \nconsistently \nrespectful and \ndemonstrates an \nunderstanding of and \nsensitivity to different \nlanguages, cultures \nand values \nrepresented. \nDemonstrates \nproficiency AND \nserves as a \nmodel/resource for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 40, + "content": "proficiency AND \nserves as a \nmodel/resource for \nstaff regarding \nculturally proficient \ncommunication." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 20 of 21 \n \nStandard IV: Professionalism and Growth. The employee's conduct reflects good judgment and high \nstandards of performance, behavior, and a willingness to grow through ongoing professional \nlearning. \nIndicators Unsatisfactory Needs \nImprovement \nProficient Exemplary \nIV-A. \nProfessional \nJudgment \nDemonstrates \npoor judgment \nand/or discloses \nconfidential \ninformation \ninappropriately. \nOccasionally \ndemonstrates \nquestionable \njudgment and \nsharing of \nconfidential \ninformation. \nDemonstrates sound \njudgment reflecting \nintegrity, honesty, \nfairness, and \ntrustworthiness and \nprotects \nconfidentiality \nappropriately. \nDemonstrates" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 42, + "content": "confidentiality \nappropriately. \nDemonstrates \nproficiency AND \nserves as a model for \nothers regarding \nprofessional \njudgment. \nIV-B. \nAttendance \nand \nPunctuality \nDemonstrates a \npattern of \nproblematic \nbehavior \nregarding \npunctuality, \nExhibits some \nnotable challenges \nwith punctuality, \nattendance, or \ngiving notice of \ntime off. \nIs punctual; follows \nattendance policy \nnotice requirements. \nDemonstrates \nproficiency AND \nensures that vacation \nand personal leave is \ntaken at a time that \nminimally impacts" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular HRS-PM03 \nPage 21 of 21 \n \nattendance or \ngiving notice of \ntime off. \nthe functioning of \nthe department \nand/or school. \nIV-C. \nFeedback and \nGrowth \nDemonstrates \nresistance to \nfeedback related \nto performance \nand/or fails to \nuse feedback to \nimprove \nperformance. \nHas notable \ndifficulty receiving \nfeedback related to \nperformance and/or \nusing feedback to \nimprove \nperformance. \nResponds receptively \nand constructively to \nfeedback related to \nperformance and \nuses feedback to \nimprove \nperformance. \nDemonstrates \nproficiency AND \nmodels the use of \nfeedback to \npersonally improve." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP20 \nVersion 01 \n \n \n \nCHANGES IN PAY FREQUENCY FOR \nPARAPROFESSIONALS AND COMMUNITY FIELD \nCOORDINATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPursuant to the Memorandum of Agreement between the School \nCommittee of the City of Boston and The Boston Teachers Union, \nLocal 66, AFT, AFL-CIO (\u2018Union\u2019), Article III, Compensation and \nBenefits Section A: \u201cAdd \u2013 If 200 paraprofessionals choose the \noption, a paraprofessional shall have the option of being paid \nbiweekly over 26 paychecks\u201d. \n1. Paraprofessionals and community field coordinators may" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 2, + "content": "elect to be paid biweekly over 26 paychecks. \n2. An employee must be active or on paid leave at the \nbeginning of the school year. \n3. Applications can be submitted to the Payroll Unit via fax to \n617-635-9003, via Google form \nhttps://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq-\ni9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or \nUS postal service to 2300 Washington Street, Roxbury MA \n02119, Attn: Payroll, only during the open enrollment period \nwhich begins on April 1 and ends on June 1. \n4. Applicants who wish to change their pay frequency from 10" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 2 of 3 \n \n \n \nmonths to 12 months or 12 months to 10 months must notify \nPayroll by submitting the Para Pay Frequency application or \ncompleting the Google form prior to the June 1 deadline to \nbe effective September of the next school year. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nApril 1 Para pay frequency open enrollment period begins. \nJune 1 Para pay frequency open enrollment period closes. \n \nFor more information about this circular, contact: \nDepartment: Office of Human Capital \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-9003" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 4, + "content": "Phone: 617-635-9600 \nFax: 617-635-9003 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 3 of 3 \n \n \n \nAPPLICATION FOR CHANGE IN PAY FREQUENCY FOR ALL \nPARAPROFESSIONALS & COMMUNITY FIELD COORDINATORS \n\uf06f Change from 21 to 26 payments (paid 12 months): \nI am electing to change my paycheck frequency to 26 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \n\uf06f Change from 26 to 21 payments (paid 10 months): \nI am electing to change my paycheck frequency to 21 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \nName: ___________________________________________________________" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 6, + "content": "Employee I.D.: ____________________________________________________ \nSchool/Department: ______________________________________________ \nSignature: _______________________________________________________ \nDate: __________________________ \nPlease submit your completed form on or before June 1. The \nchange will become effective in September of the new school \nyear. If you have any questions regarding this matter, please \ncontact the Office of Human Capital at 617-635-9600." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM09 \nVersion 01 \n \nCLUSTER SUBSTITUTE PERFORMANCE EVALUATION \nCluster Substitute Teachers are: \nThose teachers who are assigned to a school for a full year to \nrotate into the various teacher absence positions in the school, as \nneeded, on a daily basis. \nA cluster substitute teacher shall be given two (2) overall \nperformance evaluations for the academic year by the \nappropriate building administrator or their designee outside of \nthe bargaining unit. The evaluation instrument for use with \nCluster Substitutes is attached to this Circular. \nEVALUATION CRITERIA (RATING OPTIONS: YES, NO, N/A)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 2, + "content": "1. Teaching Ability: Conveys clear and concise instruction. \nFocuses on student achievement and content meaningful to \nstudents. Accommodates the varied needs of students. \n2. Classroom Management: Accountable for classroom \nenvironment and culture. Ability to effectively deal with \nnegative student behavior. Focused and productive when \nfaced with challenges and a willingness to adapt classroom \ninstruction to meet the need/culture of the school. \n3. School Fit: Respects the opinion of others. Creates a positive \nrelationship with administrators, teachers, school staff and \nstudents. Demonstrates interest and skills that match the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 2 of 5 \n \nschool\u2019s culture and needs. Interacts appropriately with \nsupervisors, colleagues, parents, and students. \n4. Summary Question: \u201cWould you use this substitute teacher at \nyour school going forward?\u201d (\u201cYes\u201d constitutes a rating of \n\u201cMeets Expectations.\u201d) \nThe evaluator may provide written comments in addition to \nratings. \nDate Activity \nJanuary 15 (recommended) Meet with cluster substitute teachers to discuss \nperformance. Completion of evaluation form. \nMay 15 Complete and submit final evaluation form of all Cluster \nSubstitutes within the school. \nJune 1 Deadline for signed, original copies of evaluation form" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 4, + "content": "(below/attached) to be submitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources (Attn: Performance \nManagement Team) \n2300 Washington Street, 4th floor \nRoxbury, MA 02119" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 3 of 5 \n \nFor more information about this circular, contact: \nName: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 4 of 5 \n \nBOSTON PUBLIC SCHOOLS \nSUBSTITUTE MANAGEMENT DEPARTMENT EVALUATION FORM \nSubstitute Name \nBPS ID: ________________ \nSchool Name: ________________________________Date: \n \nEvaluator Name: ____________________________ Title: \n \nSUMMARY QUESTION: Would you use this substitute teacher at \nyour school going forward? \u25fb Yes \u25fb No \n(YES constitutes a rating of \u201cMeets Expectations\u201d) \nTEACHING ABILITY: Demonstrates an appropriate knowledge of \ncontent. \nConveys ideas and Information clearly. Yes / No / NA \nMakes content meaningful to students. Yes / No / NA \nAddresses the multiple and varied needs of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 7, + "content": "Addresses the multiple and varied needs of \nclassroom students. Yes / No / NA \nFocuses on achieving results with students. Yes / No / NA" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-PM09 \nPage 5 of 5 \n \nCLASSROOM MANAGEMENT: Demonstrates ability to deal \neffectively with negative student behavior. \nAssumes accountability for classroom environment \nand culture. Yes / No / NA \nDemonstrates ability to deal effectively with \nnegative student behavior. Yes / No / NA \nRemains productive and focused when faced \nwith challenges. Yes / No / NA \nDisplays a willingness to adapt classroom \nmanagement style to meet a particular need/ \nculture of school. Yes / No / NA \nSCHOOL FIT: Demonstrates skills and needs for development \nthat can be a good fit for the school. \nRespects the opinion of others. Yes / No / NA" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 9, + "content": "Respects the opinion of others. Yes / No / NA \nCreate positive relationships with administrators, \nteachers, school staff and students. Yes / No / NA \nDemonstrates interest and skills that match the \nschool\u2019s culture and needs. Yes / No / NA \nInteracts appropriately with supervisors, \ncolleagues, parents, and students. Yes / No / NA \nCOMMENTS:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP08 \nVersion 01 \n \nINCENTIVE FOR EARLY NOTIFICATION OF TERMINATION \nFOR BOSTON TEACHERS UNION \u2014 TEACHERS UNIT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo assist hiring for the 2024-2025 school year, the Boston Public \nSchools is offering a one-time incentive for early notification of \ntermination to members of the BTU Teachers Union. \n1. An individual must be a permanent BTU teacher, have a \nminimum of ten (10) years of continuous service in the \nBoston Public Schools, and must meet the minimum age \nrequirement of fifty-five (55) years." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 2, + "content": "requirement of fifty-five (55) years. \n2. Eligible employees presently on paid or unpaid leave of \nabsence can apply by completing the online application for \nIncentive for Early Notification of Termination and \nsubmitting it to the Office of Human Resources (application \nlink located below). \n3. A Separation Agreement must be completed in order for the \nOffice of Human Resources to accept the application in full. \nOnce the application is accepted in full, it is binding on both \nparties and irrevocable. \n4. Applicants understand that the termination must be \neffective between June 30, 2025 and August 31, 2025." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP08 \nPage 2 of 3 \n \n5. Applicants will be ineligible for hire into full-time positions \nat Boston Public Schools for the school year 2024-2025. \n6. Applicants further understand that: \na. They will not be eligible for unemployment \ncompensation, and \nb. Acceptance of this incentive shall not affect any rights \nof a member under the Teacher Retirement Law. \n7. Applications must be filed with the Office of Human \nResources by the close of business on Friday, January 10, \n2025. If accepted, a one-time payment of $1,500 will be \nmade by Friday, February 28, 2025. \n8. Individuals planning to retire must also file an \u201cIntent to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 4, + "content": "Retire\u201d form with the City of Boston Retirement Board. The \nincentive application does not replace this process. Please \nnote that pursuant to Retirement Board policy, an individual \ncannot file an \u201cIntent to Retire\u201d more than forty-five (45) \ndays before the retirement date. \n9. BTU/Teachers Unit employees wishing to apply for this \nincentive for early notification of termination must submit \nthe following Google form to the Office of Human \nResources: \nApplication for Incentive for Early Notification of Termination \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nApplication Deadline Payment \nFriday, January 10 Friday, February 28" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-PP08 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Employee Information \nDepartment: Office of Human Resources \nMailing \nAddress: 2300 Washington Street, Roxbury, MA 02119 \nFax: 617-635-7957 \nEmail: employeeinformation@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS- L03 \nVersion 01 \n \n \nLICENSURE REQUIREMENTS FOR PRINCIPALS/HEADS \nOF SCHOOL AND BASAS EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll principals and heads of school as well as most BASAS \nemployees are required to hold one of five administrative licenses \nissued by the State of Massachusetts Department of Elementary \nand Secondary Education (DESE). \nTYPES OF ADMINISTRATOR LICENSES \nThe DESE issues the following five administrator licenses: \n\u2022 Superintendent/Assistant Superintendent \n\u2022 Principal/Assistant Principal \n\u2022 Supervisor/Director \n\u2022 Special Education Administrator" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 2, + "content": "\u2022 Special Education Administrator \n\u2022 School Business Administrator \nREQUIREMENTS BY ADMINISTRATOR POSITION \nThe BPS positions/titles below require the following licenses in \nthe appropriate grade level(s):" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 2 of 7 \n \n \nBPS Position/Title Required License \nPrincipal / Head of School Principal/Assistant Principal \nAssistant Principal / Head of \nSchool \nPrincipal/Assistant Principal \nAcademy Director Supervisor/Director OR \nPrincipal/Assistant Principal \nAcademy Leader Supervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Instruction Supervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Alternative \nEducation \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSmall Learning Community \nLeader \nSupervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Curriculum, \nAssessment and Placement \nSupervisor/Director OR" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 4, + "content": "Assessment and Placement \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSenior Curriculum Access \nSpecialist \nSpecial Education Administrator \nlicense OR Moderate/Severe \nDisabilities teaching license in \ncombination with Principal/ \nAssistant Principal license. \nSenior Curriculum Manager \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSenior Program Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nProgram Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSome BASAS classifications may require licensure depending" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 3 of 7 \n \n \nupon the types of duties performed. If a BASAS member is \nresponsible for the \u201cPlanning, Implementing, or Developing of \nCurriculum and Instruction\u201d (for 50% or more of their time), they \nmust hold an administrator license. Additionally, if the BASAS \nadministrator is responsible for the \u201cEvaluation of Employees,'' \nthey must hold an administrator license. \nIf they are responsible for the planning, implementing, or \ndeveloping of Curriculum and Instruction, or the evaluation of \nemployees, the following BPS employees must hold these \nlicenses: \nBPS Position/Title Required License \nSenior Coordinator \nPrincipal/Assistant Principal or" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 6, + "content": "Principal/Assistant Principal or \nSupervisor/Director or Special \nEducation Administrator license \nCoordinator \nJunior Coordinator \nDirector \nAssistant Director \nBilingual Program Specialist \nSenior Program Coordinator \nMEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nThe following information outlines general guidelines that \nprincipals, heads of school, and relevant BASAS employees \nshould follow to meet Massachusetts state licensure \nrequirements. The DESE will determine individual licensure \nrequirements upon review of the administrator\u2019s application. \n1. Pass the Massachusetts Test for Educator Licensure (MTEL)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 4 of 7 \n \n \nin Communication and Literacy Skills. To register for the \nMTEL, go to: http://www.doe.mass.edu/mtel/. \n2. Complete the licensure requirements for the administrator \nrole sought through one of the available routes: \na. Complete an Approved Program of Study. DESE \napproves educator preparation programs sponsored by \nhigher education, professional associations, \ncollaboratives, school districts, charter schools, and \nother organizations. Approved programs are designed \nto meet the requirements for a specific administrator \nlicense. The DESE website, \nhttp://www.doe.mass.edu/edprep, contains a list of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 8, + "content": "approved administrator preparation programs. \nb. Complete an Administrative \nApprenticeship/Internship. This route to licensure is \nprimarily a field-based experience requiring a \nminimum of 300-500 hours depending on the license \nbeing pursued in the role of the license sought. \nCandidates completing this route must be guided by a \ntrained mentor (who has held a professional license in \nthe same role for at least three years) and participate in \nseminars, workshops, and other opportunities that will \nassist the candidates in adequately addressing the \nProfessional Standards for Administrators. \nc. Be recommended for licensure through the Panel" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 9, + "content": "Review process. This route is only available for \nadministrator licensure candidates who have specific \nprerequisite experiences and for all superintendent \ncandidates. \n3. Apply for licensure and make payment through the online" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 5 of 7 \n \n \nprocess: (https://www.doe.mass.edu/licensure/apply-check-\nstatus-license.html). \n4. Submit the following supporting documentation and \ninformation to the DESE: \na. One of the following: \ni. Approved program endorsement \nii. Administrative Apprenticeship/Internship \nEndorsement Form. This form is accessible \nthrough the Guidelines for Administrator Routes \nto Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-\nadministrator-routes.pdf \nb. A letter written on official letterhead by the \nsuperintendent/designee, principal, or previous \nemployer that documents the candidate has" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 11, + "content": "employer that documents the candidate has \ncompleted three years of employment in the role of the \ncurrent license or other required experience. \nc. Successful completion of the Performance Assessment \nfor Initial License. Applicants for the Principal/Assistant \nPrincipal license are required to successfully complete \nthe Performance Assessment for Initial Licensure \n(MA_PAL). This requirement is currently under \ndevelopment for all other administrative licenses. \nLicensure can be granted to those who satisfy all other \nlicensure requirements prior to this requirement \nbecoming available. \n \nd. Official transcripts of undergraduate/graduate studies \nif required for specific license." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 6 of 7 \n \n \n \nMore information about the requirements for the administrator \nlicenses is available through the Guidelines for Administrator \nRoutes to Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-administrator-\nroutes.pdf \nPROCESS FOR REPORTING LICENSURE TO THE OFFICE OF \nHUMAN RESOURCES \nIt is the responsibility of principals, heads of school, and relevant \nBASAS employees, as well as their supervisors, to ensure proper \nlicensure is in place and recorded in the \u201cBPS Licenses\u201d section of \nPeopleSoft (found under \u201cWorkforce Development\u201d) which is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 13, + "content": "maintained by the Office of Human Resources via an electronic \ndownload from the Department of Elementary and Secondary \nEducation. \nPROCESS FOR LICENSURE RELATED VERIFICATIONS \nAll educators and other employees seeking licensure related \nverifications and/or loan forgiveness must complete the BPS \nEducator Licensure-Related Verification Requests form." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-L03 \nPage 7 of 7 \n \n \nFor more Information about this circular, contact: \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP13A \nVersion 01 \n \nFAMILY AND MEDICAL LEAVE ACT AND SMALL \nNECESSITIES LEAVE ACT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEligible employees are entitled to take up to 12 weeks of leave for \nfamily or medical leave under federal law and up to 24 hours of \nleave for family obligations under state law during a fiscal year \n(July 1 through June 30). School-based employees who report to a \nprincipal/head of school (except custodians, cafeteria workers, \nand itinerants) may submit their leave requests via the Hub. \nFEDERAL FAMILY AND MEDICAL LEAVE ACT \n1. Eligibility" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 2, + "content": "1. Eligibility \nEmployees who have been employed in the Boston Public \nSchools for at least 12 months at the BPS and who have \nworked at least 1,250 hours in the prior 12-month period are \neligible. \n2. Purpose \n\u25cf For incapacity due to pregnancy, prenatal medical care, \nor childbirth" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 2 of 11 \n \n\u25cf To care for a son or daughter within the first 12 months \nafter birth, adoption or placement for adoption or foster \ncare \n\u25cf Because the employee is needed to care for a spouse, son, \ndaughter, or parent who has a serious health condition. \n\u25cb Son or daughter means a biological, adopted, or foster \nchild, a stepchild, a legal ward, or a child of a person \nstanding in loco parentis, who is either under age 18, or \nage 18 or older and incapable of self-care because of a \nmental or physical disability. Parent does not include \nin-laws. \n\u25cf Because of the employee's own serious health condition" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 4, + "content": "which makes the employee unable to perform their job. \nA serious health condition means an illness, injury, \nimpairment or physical or mental condition that involves: \n\u25cb a period of incapacity or treatment connected with \ninpatient care \n\u25cb a period of incapacity requiring absence of more than 3 \ncalendar days from work or daily activities also \ninvolving continuing treatment by a health care \nprovider \n\u25cb any period of incapacity due to pregnancy or for \nprenatal care \n\u25cb any period of incapacity due to a chronic serious health \ncondition (e.g., asthma, diabetes, epilepsy) \n\u25cb any period of incapacity that is permanent or long term \ndue to a condition for which treatment may not be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 5, + "content": "effective (e.g., Alzheimer\u2019s, stroke, terminal diseases) \n\u25cb a period of absence to receive multiple treatments for \nan injury or condition which would result in incapacity" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 3 of 11 \n \nfor more than three days if not treated (e.g., \nchemotherapy, physical therapy, dialysis). \n3. Length of Leave \nSubject to FMLA qualification, up to 12 weeks of leave may \nbe taken in any fiscal year. For qualifying exigencies arising \nout of the fact that the employee\u2019s spouse, son, daughter, or \nparent is on active duty or call to active duty status as a \nmember of the National Guard or Reserves in support of a \ncontingency operation to permit a \"spouse, son, daughter, \nparent, or next of kin\" to take up to 26 work weeks of leave \nto care for a \"member of the Armed Forces, including a \nmember of the National Guard or Reserves, who is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 7, + "content": "member of the National Guard or Reserves, who is \nundergoing medical treatment, recuperation, or therapy, is \notherwise in outpatient status, or is otherwise on temporary \ndisability retired list, for a serious injury or illness.\" \nQualifying exigencies include: \n\u25cf Issues arising from a covered military member\u2019s short \nnotice deployment (i.e., deployment on seven or less days \nof notice) for a period of seven days from the date of \nnotification \n\u25cf Military events and related activities such as official \nceremonies, programs, or events sponsored by the \nmilitary or family support or assistance programs and \ninformational briefings sponsored or promoted by the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 8, + "content": "military, military service organizations, or the American \nRed Cross that are related to the active duty or call to \nactive duty status of a covered military member;" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 4 of 11 \n \n\u25cf Certain childcare and related activities arising from the \nactive duty or call to active duty status of a covered \nmilitary member, such as arranging for alternative \nchildcare, providing childcare on a non-routine, urgent, \nimmediate need basis, enrolling, or transferring a child in \na new school or day care facility, and attending certain \nmeetings at a school or a day care facility if they are \nnecessary due to circumstances arising from the active \nduty or call to active duty of the covered military member \n\u25cf Making or updating financial and legal arrangements to \naddress a covered military member\u2019s absence" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 10, + "content": "address a covered military member\u2019s absence \n\u25cf Attending counseling provided by someone other than a \nhealth care provider for oneself, the covered military \nmember, or the child of the covered military member, the \nneed for which arises from the active duty or call to active \nduty status of a covered military member \n\u25cf Taking up to five days of leave to spend time with a \ncovered military member who is on short-term \ntemporary, rest and recuperation leave during \ndeployment \n\u25cf Attending to certain post-deployment activities, \nincluding attending arrival ceremonies, reintegration \nbriefings and events, and other official ceremonies or \nprograms sponsored by the military for a period of 90" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 11, + "content": "days following the termination of the covered military \nmember\u2019s active duty status, and addressing issues \narising from the death of a covered military member \n\u25cf Any other event that the employee and employer agree is \na qualifying exigency" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 5 of 11 \n \nSpecial restrictions apply to teachers requesting leaves, \ndepending on the length and timing of the leave(s). Please \ncall the Office of Human Resources for advice regarding \nspecial rules that apply to teachers in these situations. \n4. Requesting a Leave of Absence: Notice Requirement \nIf the need for leave is foreseeable, an employee must \nprovide BPS with at least 30 days notice. If 30 days notice is \nnot practicable, notice must be given as soon as possible, \ngenerally the same or next business day. All employees \nmust submit their leave request through the online Request \nfor Leave of Absence application (instructions and more" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 13, + "content": "information below in Section 8). \nEmployees requesting absences of 5 days or less to fulfill \nNational Guard or Military Reserve responsibilities must \nsubmit a request on ess.boston.gov and provide supporting \ndocumentation to the Responsibility Center manager. \nAbsences of 6 days or more must be submitted through the \nonline application. \n5. Certification(s)/Documentation \nWH-380-E/F form or medical certification/documentation \non official letterhead from a health care provider is required \nfor leave because of a serious health condition. Second or \nthird opinions may be required, as well as a fitness for duty \nreport to return to work. \n6. Paid or Unpaid Leave and Benefits" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 14, + "content": "6. Paid or Unpaid Leave and Benefits \nLeave is unpaid except to the extent that accrued sick leave, \npersonal leave, or vacation leave applies, as provided in" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 6 of 11 \n \napplicable collective bargaining agreements or school \ndepartment policy. Employees who are taking leave for their \nown serious health condition will be required to use their \naccrued paid sick leave and vacation leave during their \nFMLA leave until such paid leave has been exhausted. \nEmployees who are taking FMLA leave to care for their \nspouse, child, or parent will be required to use all accrued \npaid vacation leave during their FMLA leave until such paid \nleave has been exhausted. After an employee\u2019s accrued paid \nleave has been exhausted, any remaining FMLA leave will be \nunpaid." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 16, + "content": "unpaid. \nMedical insurance as part of a group health plan must be \nmaintained. However, benefits do not accrue during unpaid \nleave unless otherwise provided by the terms of an \napplicable collective bargaining agreement. \n7. Relationship to Other Leaves Provided by Collective \nBargaining Agreements or Policy \nThis leave neither diminishes nor augments any greater \nleave for the same purpose which may be provided for in a \ncollective bargaining agreement or other law or policy." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 7 of 11 \n \n8. Requesting Leave of Absence \nAll employees must submit a request for leave electronically \nvia the online application. Once the leave request is \nsubmitted electronically, it is automatically sent to the \nprincipal/head of school of the employee\u2019s school for \nnotification and to the Office of Human Resources for \nreview. Employees and supervisors will automatically be \nnotified whether the leave was approved, denied, or is \npending due to documentation, through their BPS email. To \nrequest a leave: \n\u25cf Access the Office of Human Resources Workspace. \n\u25cb Click on \u201cOffice of Human Resources Workspace.\u201d \n\u25cb Click on \u201cForms\u201d tab." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 18, + "content": "\u25cb Click on \u201cForms\u201d tab. \n\u25cb From the drop-down menu, select \u201cLeave \nRequest.\u201d \n\u25cb Read through the instructions and complete \napplication. \n\u25cf Access the application to request a leave of absence \nonline. \nSMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR \nFAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] \n1. Eligibility \nEmployees who have been employed for at least 12 months \nat the BPS and who have worked at least 1,250 hours in the \nprior 12-month period are eligible (same as for federal family \nand medical leave)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 8 of 11 \n \n2. Purpose \n\u25cf To participate in school activities directly related to the \nadvancement of the employee's son or daughter, such as \na parent-teacher conference or interview for a new \nschool. \n\u25cb A son or daughter includes foster child, a legal \nward or a child of a person standing in loco \nparentis, under 18 years of age or older but \nincapable of self-care. \n\u25cb School includes Head Start or a licensed day care \nfacility. \n\u25cf To accompany a son or daughter to a routine medical or \ndental appointment, such as a routine check-up or \nvaccination. \n\u25cf Accompany an elderly relative (60 years or more) to a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 20, + "content": "routine medical or dental appointment or for other \nprofessional services, such as interviewing at a nursing \nhome. \n3. Length of Leave and Increments \nLeave may be taken in increments of at least one hour for \nup to 24 hours in any fiscal year. \nThis leave augments leave taken under the federal Family \nand Medical Leave Act, as it is for a different purpose. It \ndoes not diminish any greater leave which may be provided \nfor in a collective bargaining agreement or other school \npolicy. \nREQUEST FOR LEAVE: NOTICE REQUIREMENTS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 9 of 11 \n \nIf the need for leave is foreseeable, employees must give the \nOffice of Human Resources at least seven (7) days prior notice. If \nthe need is not foreseeable, the employee must notify their \nResponsibility Center manager as soon as practicable given the \ncircumstances of the case. To the extent possible, employees \nmust provide written notice of the need for leave. \n1. Certification/Documentation \nAll employees must use the attached certification (page 7) \nto request a SNLA leave. Applying for this leave cannot be \ndone through the Hub. The original copy must be submitted \nto the Responsibility Center manager, who will forward it to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 22, + "content": "the Office of Human Resources. \n2. Paid or Unpaid Leave \nLeave for family obligations is unpaid unless an employee \nchooses to substitute accrued vacation or personal time for \nthe unpaid leave, as provided in the applicable collective \nbargaining agreement, school department policy, and \nexcept as may be provided for in state law or city ordinance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 10 of 11 \n \nFor more information about this circular, contact: \n \nOwner: Leave of Absence Team \nDepartment: Office of Human Resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular HRS-PP13A \nPage 11 of 11 \n \nSMALL NECESSITIES LEAVE ACT \nEMPLOYEE LEAVE FOR FAMILY OBLIGATIONS UP TO \nTWENTY-FOUR (24) HOURS \nEMPLOYEE'S CERTIFICATION \nI certify that on ________________________I will/did take _____________ \n hours of leave for the following purpose: \n\uf06f to participate in school activities directly related to the \neducational advancement of a son or daughter. \n\uf06f to accompany a son or daughter to routine medical or \ndental appointments, such as check-ups or \nvaccinations. \n\uf06f to accompany an elderly relative to routine medical or \ndental appointment or appointment for other \nprofessional services related to the elder's care." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 25, + "content": "Furthermore, I understand that this absence will be recorded \nwith the use of my (please select one): \n\uf06f Sick Time \uf06f Comp. Time \n\uf06f Floating Holiday \uf06f Vacation Time \n\uf06f Personal Time \nEmployee\u2019s Signature: ____________________________________________ \nEmployee\u2019s Name (print): _________________________________________ \nEmployee\u2019s ID Number: _____________________ \nDate: ________________________________________ \nSubmit original copy to Responsibility Center Manager." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM02A \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF \nNON-INSTRUCTIONAL BASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment \nStep 5: Summative Evaluation (June 15) \nUpward Feedback \nEvaluation Platform and Documentation \nTimeline and Tools" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 2, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 2 of 11 \n \n \n \nAppendix A: Core Competencies \nAppendix B: Rating Levels \nAppendix C: Goal Status Scale \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for Non-Instructional BASAS Administrators \nassigned to schools and central office departments. The purpose \nof this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. Please refer to Circular HRS-PM02 - Performance \nEvaluation of Instructional BASAS Administrators for \nInstructional BASAS staff evaluation procedures. \nPURPOSE OF PERFORMANCE MANAGEMENT" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 3, + "content": "PURPOSE OF PERFORMANCE MANAGEMENT \nBoston Public Schools (BPS) students are the citizens, leaders, \nscholars, entrepreneurs, advocates, and innovators of tomorrow. \nAs a city and district, we must ensure that 100 percent of our \nstudents are prepared for college, career, and life in the 21st \ncentury. We must model our district and Central Office on the \nclassroom we want to see. We have established a system of \nperformance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 3 of 11 \n \n \n \nThe fundamental purpose of performance management in BPS \nschools and Central Office is to maximize the productivity and \nimpact of our employees by enabling them to perform at their \nfullest potential. Our approach is designed to provide high-\nquality support to schools, students, and families in BPS to \nensure our graduates are college, career, and life ready. To do so, \nour performance management system will: \n \n1. Establish a consistent set of competencies to clearly set and \ncommunicate expectations for employee performance. \n2. Align employee efforts with department and organizational \ngoals." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 5, + "content": "goals. \n3. Create systems and structures that gather and monitor \nperformance to support employee feedback, growth, and \ndevelopment. \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support. \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals. \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nNon-instructional BASAS members may be evaluated by the \nteam leader, responsibility center manager, supervisor, or their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 4 of 11 \n \n \n \ndesignee. The criteria for effective practice for non-instructional \nBASAS administrators are identified in the Core Competencies, \nwhich defines six categories listed below. See Appendix A for \ngreater detail on the Core Competencies. \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \n \nEvaluations will result in goal \nratings, competency ratings, \nand an overall performance \nrating, which will be based on \nthe supervisor\u2019s judgment on" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 7, + "content": "the supervisor\u2019s judgment on \nevidence of performance \nagainst the standards and \nprogress toward goals. \nProgress toward goals will be \nrated as \u201cGoal Achieved,\u201d \u201cGoal \nSignificantly Met,\u201d \u201cActive \nGoal,\u201d \u201cGoal Not Met,\u201d and \u201cGoal Deferred.\u201d Greater details \non these rating levels can be found in Appendix B (at the \nend of this document)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 5 of 11 \n \n \n \nThe five levels of performance which apply to performance on \neach competency and the overall performance rating shall be: \n\u201cHighly Effective,\u201d \u201cEffective,\u201d \u201cDeveloping,\u201d \u201cMinimally Effective,\u201d \nand \u201cIneffective.\u201d Greater details on these rating levels can be \nfound in Appendix B (at the end of this document). \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by the employee and their supervisor. \n \nStep 1: Self-Assessment (by September 1) \nThe employee reviews available evidence of work performance," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 9, + "content": "prior feedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The \nSelf-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nStep 2: Analysis, Goal Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand their supervisor establish 2-4 goals, related to professional \npractice or performance: \n\u25cf A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 6 of 11 \n \n \n \nemployee and their supervisor should both look at past \nperformance and feedback, as well as the employee\u2019s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies. \n\u25cf A performance goal is a measurable target or outcome \nrelated to an employee\u2019s work. Goals should align with an \nemployee\u2019s team and/or departmental goal(s). \nStep 3: Implementation of the Plan (ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 11, + "content": "receive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nStep 4: Formative Assessment (optional by February 1) \nEach employee should receive a formative assessment to provide \nthe employee with formal feedback on their performance against \nthe Core Competencies and their progress toward goals. \nTypically, the formative will occur midway through the \nassessment year, though may take place earlier for individuals in \nneed of additional support." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 7 of 11 \n \n \n \nStep 5: Summative Evaluation (June 15) \nEach employee shall receive a summative evaluation to provide \nthe employee with formal feedback and ratings of their \nperformance, and progress toward goals. \nUpward Feedback \nIn this process, upward feedback from direct reports and school \nleaders (when applicable), as well as peer feedback, should be \nincorporated into an employee\u2019s performance evaluation. \nEVALUATION PLATFORM AND DOCUMENTATION \nBeginning September 2023, non-instructional BASAS \nadministrators\u2019 evaluations and related documentation will be \ngenerated and stored in the BPS online performance" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 13, + "content": "management platform, VectorEvals. Employees and supervisors \nwill receive training in accessing, navigating, and using the \nplatform prior to the start of their evaluation cycle. Training \nmodules will be available in an online, on-demand format to the \nemployee and their supervisor for reference, as well." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 8 of 11 \n \n \n \nTIMELINE \nDate Activity \nJuly - August Office, team, and individual goal setting begins. \nSupervisors review of standards and expectations with \nemployees. \nSeptember 1 Employee self-assessments due. \nEmployee goals & action plans draft due. \nOctober 1 Finalized employee goals & action plans due. \nOngoing Employee check-ins, at the discretion of individual. \nProvide feedback (verbal and written) to employees on \nprogress toward goals, observed performance, and \nwork products/artifacts. \nImplementation also includes peer feedback. \nJanuary 1 - \nFebruary 1 \nFormative assessment meetings with employees." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 15, + "content": "Formative assessment meetings with employees. \nFebruary 1 Formative assessments (optional) finalized and \nsubmitted. \nJune 1 Last day to submit artifacts for review prior to \nsummative evaluation. \nJune 15 Summative evaluations finalized and submitted. \nAPPENDIX A: THE CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 9 of 11 \n \n \n \nAPPENDIX B: RATING LEVELS \nEffectiveness \nLevel \nDescription \nHighly Effective Performance far exceeded expectations due to \nexceptionally high quality of work performed in all essential \nareas of responsibility, resulting in an overall quality of work \nthat was superior; and either \nincluded the completion of a major goal or project or \nmade an exceptional or unique contribution in support of \nteam, department, or district objectives. \nThis level is achievable by any employee though given \ninfrequently (<10% of employees). \nEffective Performance met expectations in all essential areas of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 17, + "content": "responsibility, and the quality of work overall was excellent. \nAnnual goals were met. \nDeveloping Performance consistently met expectations in all essential \nareas of responsibility, at times possibly exceeding \nexpectations, and the quality of work overall was very good. \nThe most critical annual goals were met. \nThis level is expected for individuals who are new to the \norganization or to a role." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 10 of 11 \n \n \n \nMinimally \nEffective \nPerformance did not consistently meet expectations \u2013 \nperformance failed to meet expectations in one or more \nessential areas of responsibility, and/or one or more of the \nmost critical goals were not met. A professional \ndevelopment plan to improve performance must be \nattached, including timelines, and monitored to measure \nprogress. \nIneffective Performance was consistently below expectations in most \nessential areas of responsibility, and/or reasonable progress \ntoward critical goals was not made. Significant \nimprovement is needed in one or more important areas. A" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 19, + "content": "plan to correct performance, including timelines, must be \noutlined and monitored to measure progress. \n \n \nAPPENDIX C: GOAL STATUS SCALE \nGoal Status Description \nGoal Achieved All goal milestones and success measures have \nbeen achieved for 100% of goals. \nGoal Significantly \nMet \nAll goal milestones and success measures have \nbeen achieved for at least 85% of goal. \nActive Goal The goal is still in progress, though some \nmilestones may have been achieved." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular HRS-PM02A \nPage 11 of 11 \n \n \n \nGoal Not Met For this goal, some or all milestones and success \nmeasures have not been met. \nGoal Deferred For timing or organizational reasons, this goal has \nbeen deferred. \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-9627 \nE-mail: eval@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM07A \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-CLASSROOM \nPARAPROFESSIONALS \nINCLUDED EMPLOYEES IN THIS CIRCULAR: \n\u25cf Community Field Coordinator (CFC) \n\u25cf Health Para \n\u25cf Library Para \n\u25cf Physical Ed Para \n\u25cf Security Para \n\u25cf Sign Language Interpreter \n\u25cf Swim Para \n\u25cf Cota Para \n\u25cf Family Liaison \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be: \u201cExemplary,\u201d \u201cProficient,\u201d \u201cNeeds \nImprovement,\u201d and \u201cUnsatisfactory,\u201d and shall be transmitted to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 2, + "content": "Paraprofessionals by the last business day prior to May 15 via the \nVectorEvals platform. If the para has access to a BPS-issued \ncomputer, they may sign digitally. If the para does not, the form \nmust be printed from VectorEvals for them to sign and then \nuploaded as a PDF attachment to the digital form. \nParaprofessionals will generally be evaluated formally every two" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 2 of 8 \n \nyears, except as set forth in section 7 below. During each school \nyear, each principal/head of school or director will identify \napproximately one-half of the staff for which that administrator is \nresponsible for evaluating during that year. The process of \nidentifying the evaluees will be determined by the responsible \nadministrator. An administrator may also evaluate a staff \nmember not originally identified, if assistance, supervision, or \nintervention is deemed appropriate based on informal \nobservation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 4, + "content": "2. The head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nadministrator or their designee shall meet with \nParaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 5, + "content": "announced and unannounced visits. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional\u2019s practice, the \nresponsible supervisor shall provide such written feedback" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 3 of 8 \n \nto the paraprofessional before releasing the next Formative \nor Summative Evaluation. \n2. Within ten (10) school days during which the \nparaprofessional is present following the last observation to \nbe used as the basis of the evaluation, regardless of the \nrating mark, the responsible administrator or designee shall \nmeet with the paraprofessional for the purpose of \ndiscussing the evaluation. At this meeting, the \nparaprofessional will be given two (2) copies of the written \nevaluation, signed, and dated by the responsible \nadministrator. \nThe paraprofessional shall sign and return one (1) copy to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 7, + "content": "indicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance has \nbeen judged as less than proficient at any point during the \nschool year shall be so notified in writing and shall meet \ndirectly with the responsible administrator. \n3. In any area where the responsible administrator or designee \nindicates a need for improvement, they will provide the \nparaprofessional with a written prescription. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 8, + "content": "paraprofessional may attach comments to the prescription. \nIf a paraprofessional\u2019s performance results in an overall \nformative evaluation or summative evaluation rating of \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d, the evaluation \nprescription may contain a requirement that a \nparaprofessional takes advantage of additional professional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 4 of 8 \n \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. For \npurposes of this contract, \u201cformative\u201d means evaluations \nthat at a minimum are twenty (20) school days apart. \nIf, after allowing adequate time to improve, the \nparaprofessional continues to need improvement, the \nresponsible administrator may include in the evaluation \nprescription that the paraprofessional may voluntarily take \nadvantage of training or in-service training to correct a \ndeficiency. \n4. If the responsible administrator had adjudged a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 10, + "content": "paraprofessional\u2019s practice with an overall rating of \n\u201cUnsatisfactory\u201d on at least four (4) formative evaluations \nwithin a twelve (12) month period in which the \nParaprofessional reported to work or on at least (2) \nformative evaluations plus a summative evaluation, the \nresponsible administrator may initiate termination by \nrecommending to the Superintendent that such \nparaprofessional be terminated. If the Superintendent \napproves the principal\u2019s recommendation, the principal shall \nnotify the paraprofessional, in writing, of their intent to \ndismiss the paraprofessional. The paraprofessional may then \nrequest a meeting with the principal to discuss their intent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 11, + "content": "to dismiss. This request must be made in writing within ten \n(10) days of the paraprofessional\u2019s receipt of the intent to \ndismiss notice. Overall \u201cUnsatisfactory\u201d evaluation ratings \nneed not occur in consecutive months. \nAn overall rating of \u201cUnsatisfactory\u201d on a summative" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 5 of 8 \n \nevaluation rating must be preceded by at least two \nformative overall \u201cUnsatisfactory\u201d ratings during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph. \n5. After each of the first three (3) formative evaluation overall \n\u201cUnsatisfactory\u201d ratings that are based in whole or in part \nupon observed performance, the responsible administrator \nshall conduct a follow-up evaluation. This evaluation shall \ninclude observation of performance and take place no" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 13, + "content": "sooner than twenty (20) school days and no later than fifty \n(50) school days after the previous \u201cUnsatisfactory\u201d \nevaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon other than performance, then the responsible \nadministrator must clearly convey the reasons in writing to \nthe paraprofessional and follow prescribed procedures for \nprogressive discipline. \n6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved \nand arbitrated. an employee may grieve a summative \nevaluation with an overall rating other than \u201cUnsatisfactory\u201d" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 14, + "content": "up to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 6 of 8 \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually prior to \nNovember 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as \u201cUnsatisfactory\u201d overall or in a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 16, + "content": "particular area. \nb. All paraprofessionals who are new to the building." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate Activity \nBy the last business day \nprior to November 15 \n\u25cf Evaluation of Paraprofessionals who \nreceived an \u201cUnsatisfactory\u201d in their \nevaluation from the prior school year. \n\u25cf Evaluation of Paraprofessionals who are \nnew to the school building. \nBy the last business day \nprior to May 15 \n\u25cf Deadline to submit evaluation on \nVectorEvals platform. \n* If the para has access to a BPS-issued \ncomputer, they may sign digitally. If \npara does not, the form must be \nprinted from VectorEvals for them to \nsign and then uploaded as a PDF \nattachment to the digital form." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 18, + "content": "attachment to the digital form. \n\u25cf Evaluation of paraprofessionals due \nevery 2 years except for \nparaprofessionals new to the building \nor who received a \u201cDoes Not Meet \nStandards\u201d rating the previous school \nyear." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PM07A \nPage 8 of 8 \n \nFor more information about this circular, contact: \n \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\u25ba Click to view a SAMPLE Non-Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS07.1 \nVersion 01 \n \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nThis circular will remain in effect unless rescinded by a \nsubsequent version. \nPermanent teachers in Boston Public Schools may choose to \napply for additional program areas. These are non-primary \nsubject area(s) in which a teacher currently holds license(s). \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nTo be deemed qualified in program areas other than the \n\"primary\" subject area in which a teacher is currently teaching, a \nteacher must hold a valid license in the subject area. The Office of \nHuman Resources will verify licensure with the Massachusetts" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 2, + "content": "Department of Education. Re-licensure does not meet this \ncriterion. \nIn addition to holding a valid license in the subject area, the \nemployee must satisfy at least one of the criteria below: \n1. The Massachusetts State license is not more than five (5) \nyears old. \n2. A mean score on the Praxis Exam, not more than ten (10) \nyears old. \n3. Fifteen (15) course credits, graduate or undergraduate, \napproved as relevant to the program area qualification. All" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 2 of 4 \n \ncoursework must have been completed within the past five \n(5) years. Original transcripts are required if claiming an area \nunder this provision. When submitting transcripts, please \nindicate the fifteen (15) course credits relevant to the \nprogram area qualification. If transcripts are not submitted \nby the deadline, the application can be denied. \n4. Two (2) years of teaching experience within Boston Public \nSchools in the subject area in the last ten (10) years. A \ncreditable year is one in which at least 50% of the weekly \nschedule is in the subject area. A letter from the head of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 4, + "content": "school or principal stating that you taught at least 50% of \nthe weekly schedule in that area and designation of the \nspecific year(s) will be required in the area you are claiming \nunder this provision. If a letter is not submitted by the \ndeadline, the application can be denied. \n \nPermanent teachers who wish to apply for additional program \nareas must submit their request via the Additional Program Area \nRequest form. Supplemental materials must be submitted to the \nOffice of Human Resources by mail or in person. \n\uf075 Applications and complete documentation must be \nsubmitted to the Office of Human Resources by January \n15, 2024. Applications received after this date will not be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 5, + "content": "reviewed. \nThe Office of Human Resources has transitioned to using online \nforms. The link to the Additional Program Area Request form can \nbe found below. Employees will be required to sign in with their \nBoston Public Schools Gmail account. Supplemental materials" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 3 of 4 \n \nsuch as transcripts can be submitted via mail or in person to the \nOffice of Human Resources. \nLINK TO APPLY \n\u2022 Additional Program Area Request form \n\u2022 Or copy this URL: \nhttps://docs.google.com/forms/d/e/1FAIpQLSdD7uA5nLZH\nuEKE5pP4uD-gYtf74RCtzEcYZrgeauvwmNBB-\ng/viewform \nSUPPLEMENTAL DOCUMENTATION \nApplication approval is contingent on submission of one of the \nfollowing documents: \n\u25cf Official transcript(s) indicating the completion of fifteen \n(15) graduate or undergraduate course credits relevant to \nthe program area qualification \n\u25cf A signed letter from the head of school/principal \nconfirming the following information:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 7, + "content": "confirming the following information: \n\u25cb The subject area you taught (relevant to your \napplication) \n\u25cb The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \n\u25cb Confirmation that you taught at least 50% of the \nweekly schedule in that area. \n \nPlease submit supplemental documents to the contact listed \nbelow. \nFor more information about this circular, please contact:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-HS07.1 \nPage 4 of 4 \n \nOwner: School Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nEmail: For additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston \n(access.boston.gov). \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM04 \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-DESE-\nLICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \n \nBelow is the evaluation instrument for BTU employees in roles \nwhich do not require licensure by the Massachusetts Department \nof Elementary and Secondary Education, in accordance with 603 \nCMR 35.00, et seq, or where otherwise agreed upon by BPS and \nBTU. \nSummary of significant dates and deadlines: \nDate Activity \nJune 1 Deadline for completion of annual \nevaluations. \nJune 15 \nDeadline for signed, original copies of \nevaluation form (below/attached) to be \nsubmitted to:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 2, + "content": "submitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119 \nJuly 1 to June 30 The evaluation year of non-DESE-\nlicensed BTU Employees." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 2 of 8 \n \nFor more information about this circular, contact: \nName: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 3 of 8 \n \n \nBOSTON PUBLIC SCHOOLS PERFORMANCE EVALUATION FORM \nNON-DESE-LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \nName of Employee ________________________ Empl No. ___________ \nPosition _______________________________ Dept./Level \nEvaluator ________________________________ Prior Rating \nCheck One: Interim Year end \n \nThe administrator/professional will be rated on each standard \nwithin the various categories. There are two possible ratings: \nSatisfactory (S): The performance of the administrator/ \nprofessional meets the standards and expectations of the school \ndepartment." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 5, + "content": "department. \nUnsatisfactory (U): The administrator/professional fails to meet \nthe standards and their performance, as measured against these \nstandards, is unsatisfactory. \nThe evaluator will place a check or an X in the box under the \nrating that describes the administrator/professional\u2019s \nperformance on that standard. Any rating of \u201cUnsatisfactory\u201d \nmust be accompanied by a description of the problem and \nprescription for improvement on the attached sheet. In the event \na particular standard does not apply, record \u201cNA\u201d for not \napplicable. An overall evaluation of \u201cUnsatisfactory\u201d or \n\u201cSatisfactory\u201d must be given and recorded below." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 4 of 8 \n \nOverall Rating: Satisfactory Unsatisfactory \nSignature of Evaluator_______________________Date ____ /____/ \nSignature of Employee _______________________Date ____/____/____ \nThe employee's signature indicates that they have received the \nevaluation and acknowledges it will be placed in their personnel \nfile, but it does not denote agreement with its contents. \n \n1. INSTRUCTIONAL LEADERSHIP ROLE S U \nDevelop plans for the effective delivery of services. \nMonitors the quality and/or quantity of services provided. \nAssesses operations and recommends or makes changes as \nnecessary." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 7, + "content": "necessary. \n \nCompletes all required reports thoroughly, clearly, accurately, \nand on time. \n \nWorks cooperatively with Central Office, Cluster Office, and \nschool personnel \n \nCollaborates with external agencies as necessary. \nCommunicates, implements, and monitors compliance with \npolicies and procedures of the School Department and \nexternal agencies as appropriate. \n \nDemonstrates sound fiscal judgment in budgetary decisions. \nProvides staff with leadership, orientation and training as \nrequired. \n \nActs in accordance with prescribed organizational structure. \nOrganizes and coordinates own activities and those of staff." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 8, + "content": "Ensures compliance in area of responsibility with policies, \nprocedures, and contractual obligations of the School" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 5 of 8 \n \nDepartment, and all legal mandates. \nDemonstrates ability to analyze and use information in \ndecision-making process. \n \nExplains performance standards, duties and responsibilities \nand evaluates staff in accordance with School Department \npolicies. \n \nMaintains all appropriate records required for the operation of \nthe unit. \n \nExercises sound judgment in the performance of one\u2019s duties \nExercises sound judgment in the performance of one\u2019s duties. \nCommunicates accurately and effectively. \n2. PROFESSIONAL ROLE S U \nCarries out responsibilities in a professional manner. \nMaintains regular attendance and punctuality." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 10, + "content": "Maintains regular attendance and punctuality. \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one\u2019s professional growth and development. \n \nUtilizes appropriate resources to effectively carry out \nprofessional responsibilities. \n \nDemonstrates receptivity to constructive suggestions related to \nprofessional role and responds appropriately. \n \nMaintains professional demeanor." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 11, + "content": "Maintains professional demeanor. \nPerforms additional job-related tasks and functions assigned to \nthem." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 6 of 8 \n \nList additional mutually agreed upon standards or objectives, if \nany." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 7 of 8 \n \nNOTES OF OBSERVATION \n(Use additional pages if necessary) \n \n \n \n \n \n \n \n______________________________________________________________________ \nDESCRIPTION OF THE PROBLEM AND PRESCRIPTION FOR \nIMPROVEMENT \n(Use additional pages if necessary) \n \n1. Description of the problem: \n \nPrescription: \n \n \n2. Description of the problem: \n \nPrescription: \n \n \n3. Description of the problem:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PM04 \nPage 8 of 8 \n \n \nPrescription: \n \n \nGeneral Comments (use additional pages if necessary): \n \n \n \n \n \n \n \n \nEmployee\u2019s Comments (use additional pages if necessary):" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP13 \nVersion 01 \n \nEMPLOYEE SICK LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston School Committee will not permit any abuse of sick \nleave privileges. Sick leave is a benefit only to be used for \nabsences caused by illness, injury, or exposure to contagious \ndiseases. Those employees who use sick leave for any other \npurpose do a disservice to our students, to their co-workers, and \nto the taxpayers. A public perception that School Department \nemployees abuse sick leave will undermine confidence in and \nsupport for public education in Boston." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 2, + "content": "support for public education in Boston. \nAccordingly, it is and shall be the policy of the Boston School \nCommittee to monitor the sick leave practices of all its \nemployees, to detect any sick leave abuse, and to discipline any \nemployee found to have abused the sick leave privileges. No \nlegitimate sick leave will be denied. No abuse will be tolerated. \nThe Superintendent shall develop and promulgate appropriate \nrules and procedures to implement this sick leave policy. Copies \nof this policy shall be prominently posted at all work locations. \nAttached you will find a document entitled Employee Sick Leave \nPolicy Guidelines. The document provides specific details" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 3, + "content": "regarding (1) the responsibility of each manager with regard to \nsick leave, (2) managerial intervention required, and (3)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 2 of 10 \n \nprocedures mandated to ensure the effective implementation of \nthe Employee Sick Leave Policy. A copy of these guidelines \nshould be posted in the school office, and a copy should be made \navailable in teachers' rooms for review by staff. \nThe School Committee\u2019s Employee Sick Leave Policy and \nGuidelines cover all employees of the Boston Public Schools. In \naccordance with the guidelines, employees absent for six (6) or \nmore consecutive working days must apply for a leave of absence \nthrough the online application and provide a WH-380-E/F form or \nmedical certification/documentation on official letterhead from a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 5, + "content": "health care provider as determined by their Collective Bargaining \nAgreement, as well as a fitness for duty report to return to work. \nThe medical certification should be on the physician's letterhead \nand should include: \n1. A statement that the physician understands the nature of \nthe employee's duties and that the employee is incapable of \nperforming the duties and responsibilities of their position. \n2. A statement of anticipated duration of the absence or the \nexpected date of the return to work (if the duration is \nunknown, the letter should indicate when the employee will \nbe seeing a physician again and an updated letter would be \nrequired after that visit)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 6, + "content": "required after that visit). \n\u25ba Failure to provide the proper physician's certificate \nwhen required may lead to loss of pay. \nAbsences interrupted by weekends and/or holidays are \nconsidered consecutive. \nAll managers are directed to discuss the guidelines with all staff \nmembers at the beginning of the school year to ensure mutual" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 3 of 10 \n \nunderstanding. Please note the guidelines are consistent with \nthe BTU and BASAS contracts. \nThe Office of Human Resources has information readily available \non an employee's accumulated benefits such as vacation, sick \nleave, and personal days. It is also able to monitor the attendance \nof the entire School Department workforce. Principals, heads of \nschool, and other administrative heads will be provided with \nperiodic attendance data for employees under their jurisdiction. \nThese reports are expected to assist managers in providing \nappropriate supervision for individuals who exhibit problematic \nattendance patterns." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 8, + "content": "attendance patterns. \nFor more information about this circular, contact: \nOwner: Leave of Absence Team \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: OHRLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 4 of 10 \n \n \nEMPLOYEE SICK LEAVE POLICY GUIDELINES \nSTATEMENT \nThe term \u201cmanager,\u201d as used in these guidelines, refers to \npositions such as academic superintendent, senior officer, head \nof school, principal, program director, and director. It is expected \nthat managers may in some cases delegate authority to carry out \nthese procedures to supervisory personnel reporting to them. \nPURPOSE \nThe purpose of these guidelines is to improve employee \nattendance and eliminate any abuse of sick leave benefits. Their \nconsistent application by managers, and compliance by all \nemployees, will make a substantial contribution toward our" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 10, + "content": "ultimate goal of providing an effective and high-quality \neducation for the students in the Boston Public Schools. \nTHE MANAGER HAS PRIMARY RESPONSIBILITY FOR \nEFFECTIVELY IMPLEMENTING THESE GUIDELINES: \n1. Managerial Responsibility: Absenteeism is one of the \nprimary reasons for a manager's inability to accomplish \nexpected results, since it results in less than optimal student \nprogress, missed deadlines, low quality of work due to \ninexperienced replacements, scheduling and coverage \nproblems, and low morale of employees who must assume \nthe absentee's workload. Employee motivation and \nattendance are key factors affecting the productivity of each" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 5 of 10 \n \nunit in the school system. A good attendance practice \nwithin a school or department is indicative of a well-\nmotivated and supervised workforce. Therefore, managers \nshould realize that it is in their own best interest to develop \nand to maintain good attendance practices, since their \neffectiveness is measured by the accomplishments of their \nschools and departments. \n \n2. Managerial Judgment: Managers will be expected to \nimplement these procedures, to counsel employees, and to \ntake remedial action when a patterned abuse occurs. Each \nsupervisor should analyze each situation based on its merits," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 12, + "content": "considering such factors as length of service, total sick leave \naccumulation, number of occurrences (frequency), patterns \nof absenteeism, such as before and after weekends, holidays \nand vacations, severity rate (the duration of absence), and \nthe employee's medical history that is previously known to \nthe manager and/or from information that may be required \nto be on file with the School Department. \n \nMajor attendance problems facing managers are: \na. \"Pre-retirement illness\" \u2014 attempts by long-time \nemployees to exhaust their sick leave benefits before \nretirement \nb. \"Pre-layoff illness\" \u2014 attempts by employees who \nreceived a notice for layoff to exhaust their sick leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 13, + "content": "benefits before the layoff becomes effective \n \nc. \"Post contract non-renewal illness\" \u2014attempts by \nemployees whose contract has not been renewed \nprior to exhausting sick leave." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 6 of 10 \n \n3. Managerial Intervention: It is important that the manager \nintervene as soon as an absence pattern is detectable. The \nmanager can discuss the reasons for the pattern or the \nabsences and can prevent the pattern of absences from \nbecoming worse. \nEach manager must review the attendance records of each \nemployee in their organization at least on a quarterly basis \nto monitor attendance practices and to determine if there \nare patterns of sick leave abuse. Each employee whose \nnumber of days or the number of occurrences exceed five \nconsecutive days absent, and there is reasonable cause to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 15, + "content": "believe that the absence is not an appropriate use of sick \nleave, must be interviewed by the manager. The purpose of \nthis interview is to determine whether there is any \npossibility of sick leave abuse. A written record must be kept \nconcerning the nature of the supervisory discussion or \ninterview." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 7 of 10 \n \nPROCEDURAL REQUIREMENTS \nTo ensure the effective implementation of the Employee Sick \nLeave Policy, employees must adhere to the following \nprocedures: \n1. Notification \na. Employees Serving in Schools: These employees are \nnot entitled to sick leave without loss of pay unless \nthey have notified their head of school or principal, in \naccordance with the schedule established by the \nappropriate head of school/principal. Each employee \nmust indicate the nature of the illness and the period \nof anticipated absence. If, at the expiration of the \nanticipated period, the employee is not recovered, the \nemployee must again notify the head of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 17, + "content": "employee must again notify the head of \nschool/principal of the reason for the additional period \nof anticipated absence in accordance with established \npractice at their school. Each school must maintain and \npost in appropriate locations a standard policy for \nnotice of absence. \nb. Employees Not Serving in Schools: These employees \nare not entitled to sick leave without loss of pay unless \nthey have notified their manager of the absence, its \ncause, and anticipated duration before the expiration \nof the first fifteen (15) minutes after their normal \nreporting time or as soon as practical. If, at the \nexpiration of the anticipated duration, the employee is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 18, + "content": "not recovered, the employee must again notify the \nmanager of the reason for the additional period of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 8 of 10 \n \nanticipated absence the day before the employee is \nexpected to return to work. \nc. Illness During Work Hours: When an employee \nbecomes ill during regular work hours, the employee \nmust notify the manager. The manager will record the \nlength of absence. \nd. Failure to Notify: Employees failing to give proper \nnotice in the absence of extenuating circumstances \nshall be considered without authorization and are \nsubject to progressive disciplinary action. \ne. Reporting time: All managers must ensure that all \ntime reporting is entered into the system consistent \nwith established procedures in order that employee\u2019s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 20, + "content": "absences are correctly charged and leave balances \nmaintained. As usual, Department Time Summary \nReports must be submitted to the BPS Payroll Office in \naccordance with the payroll schedule. \n2. Physician's Certificate: If the absence is of six (6) or more \nconsecutive working days' duration, a physician's certificate \nwill be required upon return to work, or prior to return if \nrequested. When the record of repeated absences reflects a \nclear pattern of abuse \u2014 such as consistent three (3) days \npresent, two (2) days absent \u2014 the manager should request \na physician's certificate, even though it may not be required \nunder the relevant collective bargaining contract. In such" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 21, + "content": "circumstances, the employee should be advised that a \nphysician's certificate may be the only adequate refutation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 9 of 10 \n \nto the charge of sick leave abuse. The physician's certificate \nshould include the following: \na. A statement that the physician understands the nature \nof the employee's duties and that the employee is \nincapable of performing the duties and responsibilities \nof their position. \nb. A statement of anticipated duration of the absence or \nthe expected date of return to work (if the duration is \nunknown, the letter should indicate when the \nemployee will be seeing the physician again, and an \nupdated letter would be required after that visit). \nIf the physician's certificate does not include these" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 23, + "content": "statements, the manager must notify the employee to \nobtain the omitted information before authorizing sick \nleave. \nALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A \nCONFIDENTIAL BASIS. \nIf, during the interview, the supervisor learns that an employee \nhas a chronic or disabling condition which may qualify that \nperson for consideration as a handicapped individual, (1) you \nshould contact the Office of Equity at 617-635-9650. \n \n(1) 1A handicapped individual includes someone who has, has \nhad, or is thought of as having a physical or mental condition \nthat substantially limits a major life activity, including working. \nThe condition may be permanent or temporary." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular HRS-PP13 \nPage 10 of 10 \n \nA handicapped individual is defined as any person who has a \nphysical or mental impairment which substantially limits one or \nmore major life activities, such as: caring for oneself, performing \nmanual tasks, seeing, hearing, speaking, breathing, or learning. \nThe Office of Human Resources and Office of the Legal Advisor \nare available for advice and counsel. \nWhile the managers are the central figures in managing \nattendance, the Office of Human Resources and Office of the \nLegal Advisor are prepared to provide them with the following \ntechnical support: \n1. Advise managers in their effort to change unacceptable \nabsence patterns." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 25, + "content": "absence patterns. \n2. Provide an early referral system for health, emotional, \nalcoholic, or drug-related matters. \n3. Provide an effective mechanism for a centralized sick leave \nand vacation reporting system. \n4. Interpret policy and procedures and assist in the resolution \nof operating problems. \n5. Provide advice concerning the implementation of \nprogressive disciplinary action." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP17 \nVersion 01 \n \nEMPLOYEE RESIGNATION, RETIREMENT, AND \nSEPARATION PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA resignation is a voluntary action taken by an employee who \nwishes to terminate their employment with the Boston Public \nSchools. \nRESIGNATION/SEPARATION \nAn employee shall notify their immediate supervisor regarding \ntermination of employment with Boston Public Schools. This \nnotice must be in writing, state the employee\u2019s last day of work, \nand be signed by the employee. A sample resignation letter \n(found on page 7) may be used to provide written notice." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 2, + "content": "To submit a resignation letter: \n1. Complete the resignation termination form by clicking on \nthe link Termination/Retirement/Resignation Notification \nForm. Complete the form and upload a signed letter of \nresignation. Please enter a personal email address on the \nresignation/termination form to receive the final email \nnotification acknowledging your resignation from the Office \nof Human Resources." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 2 of 7 \n \n2. The resignation form will send an email notification to your \nsupervisor. \n3. Supervisors will approve/process, and notification will then \nbe sent to the Office of Human Resources to process. \n4. An email notification finalizing the process will be emailed \nto your personal email address that you provide on the \nresignation/termination form. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please \nprovide your personal email address to receive the final" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 4, + "content": "email notification acknowledging your resignation from the \nOffice of Human Resources. \nRETIREMENTS \n1. An employee who is planning to retire must first file an \n\u201cIntent to Retire\u201d with the City of Boston Retirement Board. \nPlease note that pursuant to Retirement Board policy, an \nemployee cannot file the Intent to Retire more than four (4) \nmonths prior to their intended retirement date. \n2. After you submit your signed Intent to Retire form to the \nBoston State Retirement Board, please complete the \nResignation/Retirement form by clicking on the link \nTermination/Retirement/Resignation Notification Form. \n3. Upload a signed letter resigning for the purpose of retiring" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 5, + "content": "along with your signed Intent To Retire form that you \nsubmitted to the Retirement Board. Please enter a personal \nemail address on the retirement/resignation form to receive" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 3 of 7 \n \nan email notification acknowledging your \nretirement/resignation when finalized by the Office of \nHuman Resources. \n4. Resignation/Retirement form will send an email notification \nto your supervisor who will sign off on the notification of \nyour resignation/retirement and submit notification to the \nOffice of Human Resources to finalize the retirement \ntermination process. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 7, + "content": "provide your personal email address to receive the final \nemail notification acknowledging your \nretirement/resignation. \nFor more information on the retirement process, employees \nshould contact the Boston Retirement Board for an appointment \nby telephone at 617-635-4311 or via email at \nretirementboard@boston.gov. The Retirement Board is located \nat 1 City Hall Square, Room 816, Boston, MA 02201-2038. \nCANCELLATION OF RESIGNATION/RETIREMENT \nResignations and retirements may be canceled before an \nemployee\u2019s effective date of termination. A signed letter must be \nreceived by the Office of Human Resources and Retirement" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 8, + "content": "Board if canceling retirement prior to the close of business on the \noriginal resignation/retirement date. \nOnce the resignation effective date has passed, an employee may \nreturn to the Boston Public Schools only through the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 4 of 7 \n \nreemployment process by applying for a position. \nEMPLOYEE SEPARATION CHECKLIST (EMPLOYEE PORTION): \nTerminating employees are advised to complete the following \nprior to exiting Boston Public Schools: \n1. Complete the resignation/retirement termination \nnotification form and upload a signed letter of resignation to \nyour school/dept or OHC over the summer months by \nclicking on the link Termination/Retirement/Resignation \nNotification Form. See sample resignation letter on page 4 \nof this circular. \n2. Please return any Boston Public Schools property that you \nstill have in your possession, e.g., keys, cell phone, laptop," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 10, + "content": "etc., on or before your last day of employment. For keys and \nschool building materials, please contact your school leader \nto arrange to return those items. \n3. L4L Laptop (Laptops for Learning), please call the OIIT \nService Desk, 617-635-9200 to schedule an appointment to \nreturn the laptop, bag, and peripherals. \n4. Enter all Absence Requests on Employee Self Service (ESS). \n5. Cancel any meetings or out of district activities that are \nscheduled prior to the last day of employment and work \nwith your supervisor to achieve a smooth transfer of duties. \n6. Update your home address for future correspondence (i.e., \nfinal paycheck, W2, benefit information, severance etc.);" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 11, + "content": "remove mailing address if home address is same as mailing \naddress. \n7. Remove all personal files from district servers and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 5 of 7 \n \ncomputers. \n8. Inform your supervisor of the location of job-related files and \nmake those files accessible to the supervisor. \nEMPLOYEE SEPARATION CHECKLIST (SUPERVISOR PORTION): \nAn employee\u2019s supervisor is responsible for collecting the \nfollowing applicable items and/or addressing the following \nissues: \n1. Have the employee enter the resignation/retirement letter \non the electronic termination form at this link \nTermination/Retirement/Resignation Notification Form, or \nyou or your secretary can complete the form and upload the \nemployee\u2019s signed letter of resignation on the employee\u2019s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 13, + "content": "behalf. A sample letter is located on page 4 of this circular. \n2. Process all absences on Employee Self Service in a timely \nmanner. \n3. Obtain the following items (all that apply): \na. Keys (office, building, cabinet, desk, vehicles, other). \nb. Badge/ID (office, building, other). \nc. Department issued equipment (computers, laptops \n(except L4L laptops), printers, modems, etc.) See above \nfor L4L laptop returns to OIIT. \nd. Cell phone and accessories, pager, radios. \ne. Department issued uniforms. \nf. Department issued property." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 6 of 7 \n \nBENEFITS \nAn employee may be eligible to continue to purchase certain \nbenefits after they leave. Upon loss of coverage for an employee \nand/or their eligible dependent(s), a COBRA notification packet \nwill be mailed to the employee and/or their eligible dependent(s). \nThe law requires that this packet be sent by mail to the last \nknown address of the employee and/or the employee's eligible \ndependent(s). For additional information on COBRA, see COBRA \nQuestions and Answers. \nPlease contact the City of Boston Health Benefits Office at 617-\n635-4570 for further information. \nThe Office of Human Resources provides this FAQ Retirements," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 15, + "content": "Resigning, Non-Renewal, Lay Off. \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-PP17 \nPage 7 of 7 \n \nSAMPLE EMPLOYEE RESIGNATION LETTER \nEmployee Name: \nEmployee Address: \nDate: \n \nDear (Principal/Head of School/Supervisor), \nThis letter is to inform you that I will be resigning from my \nposition as [name of position] at [name of school or department] \neffective [date]. \nOptional: May include reasons for resigning in the body of the \nform. \nI certify that this resignation is executed by me voluntarily and of \nmy own free will. \n \nEmployee Name: \nEmployee Signature: \nDate:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-L02 \nVersion 01 \n \nREQUIREMENTS FOR PARAPROFESSIONALS \nUNDER ESSA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe US Department of Education Every Student Succeeds Act \n(ESSA) requires that all instructional paraprofessionals meet \nspecific employment requirements in order to be designated \n\u201cHighly Qualified\u201d. These requirements apply to all schoolwide \nprograms without regard to whether the positions are funded \nwith federal, state, or local funds. To be considered Highly \nQualified, paraprofessionals will need to possess specific skills in" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 2, + "content": "reading, writing, math, and instruction (as outlined in \nAttachment A of this Superintendent\u2019s Circular). \nI. ESSA REQUIREMENTS FOR PARAPROFESSIONALS \nThere are currently two available options for paraprofessionals to \nbe deemed Highly Qualified: \n\u25cf Pathway 1: Associate\u2019s Degree or 48 Credit Hours of \nCoursework \nThe paraprofessional obtained an Associate\u2019s (or higher) \ndegree OR completed at least 48 credit hours of \ncoursework at an institution of higher education (IHE). If \nthis pathway was selected the paraprofessional should \nsubmit to the Principal/Headmaster all relevant transcripts." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 2 of 12 \n \n\u25cf Pathway 2: Formal Standardized Assessment \nThe paraprofessional passed a formal standardized \nassessment. The Massachusetts ESE has selected both the \nParaPro Assessment and the WorkKeys Certificate of \nProficiency for Teacher Assistants as the formal state-\nendorsed assessments. Either of these assessments will \nenable instructional paraprofessionals to meet this \nrequirement. If this pathway is selected the \nparaprofessional should submit to the \nPrincipal/Headmaster an official score report confirming a \npassing score. \nII. RESOURCES FOR PATHWAY 2 \nInformation about the ParaPro Assessment, including content" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 4, + "content": "overview, and registration can be accessed on-line at \nhttp://www.ets.org/parapro. The test is generally offered as a \npaper/pencil test given four times per year at Roxbury \nCommunity College. BPS does not currently administer the \nInternet-based ParaPro test. A scaled score of 464 must be \nachieved in order to pass and be deemed \u201cHighly Qualified\u201d. \nInformation about the WorkKeys Proficiency Certificate for \nTeacher Assistants can be accessed on-line at \nhttp://www.act.org/workkeys/. It consists of a three-part \nassessment as well as an observation-based tool known as the \nInstructional Support Inventory (ISI). It is administered by" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 5, + "content": "WorkSource Partners, Inc., One Harvard Street, Ste 200, \nBrookline, MA 02445 (phone: 617-232-0330). To meet the \nrequirements of ESSA, paraprofessionals must achieve at the \nfollowing skill levels on the three-part assessment: \n\u25cf Reading for Information: Skill Level 5" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 3 of 12 \n \n\u25cf Applied Mathematics: Skill Level 4 \n\u25cf Business Writing: Skill Level 3 \nIII. FEDERAL DEFINITIONS \nDefinition of Instructional Paraprofessional \nAn instructional paraprofessional is an individual who provides \ninstruction and support for classroom teachers. Aides, assistants, \nor tutors who engage in instructional support are considered to \nbe instructional paraprofessionals as defined by ESSA. Individuals \nwho work solely in non-instructional roles, such as food service, \ncafeteria or playground supervision, personal care services, and \nnon-instructional computer assistance are not considered to be \ninstructional paraprofessionals." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 7, + "content": "instructional paraprofessionals. \nResponsibilities of Instructional Paraprofessionals \nESEA specifies that instructional paraprofessionals may engage \nin the following activities: \n\u25cf Provide one-on-one tutoring for eligible students, if the \ntutoring is scheduled at a time when a student would not \notherwise receive instruction from a teacher. \n\u25cf Assist with classroom management, such as organizing \ninstructional and other materials. \n\u25cf Assist in a computer laboratory. \n\u25cf Provide instructional support in a library or media center. \n\u25cf Provide instructional services to students under the direct \nsupervision of a teacher." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 4 of 12 \n \nAll instructional paraprofessionals must be supervised directly by \nteachers. Instructional paraprofessionals cannot be supervised by \na peer or group of peers. \nThe following two categories of paraprofessionals need only \npossess a high school diploma or equivalent and are not required \nto meet the additional requirements listed above: \n\u25cf Paraprofessionals in Title I programs who serve primarily as \ntranslators (as long as these paraprofessionals are proficient \nin English and a language other than English); and \n\u25cf Paraprofessionals working solely on parental involvement \nactivities. \nVisit the Mass. DESE website for additional details." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 9, + "content": "For more information about this circular, contact: \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Boston MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 5 of 12 \n \nATTACHMENT A \nMassachusetts Department of Education Learning Guidelines \nfor Title I Instructional Paraprofessionals \nThe Department of Education strongly encourages districts and \ncharter schools to use these guidelines as a model for all \nparaprofessionals who provide instructional support to students. \nBASIC ASSUMPTIONS \n\u25cf Instructional paraprofessionals are respected team \nmembers responsible for assisting in the delivery of \ninstruction and other student-related activities. As valued \nmembers of the faculty, they are essential partners in the \nwork of Title I programs. \n\u25cf Given their responsibilities, instructional paraprofessionals" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 11, + "content": "must be skilled in reading, writing, and mathematics, and \nfamiliar with instructional practices that ensure and \nsupport the achievement of all students. \n\u25cf To enhance the continuity and quality of services for \nstudents, paraprofessionals must be encouraged and \nsupported in their efforts to participate in ongoing \nprofessional development programs. \n\u25cf Programs for instructional paraprofessionals are best when \nthey are comprehensive, acknowledge the diverse roles \nparaprofessionals play in schools and provide pathways to \nfurther education and teacher licensure, if desired." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 6 of 12 \n \n1. LITERACY DOMAIN \n01 Language \nA paraprofessional will know how and be able to: \n\u25cf Use agreed-upon rules for informal and formal discussions \nin small and large groups \n\u25cf Pose questions, listen to the ideas of others, and contribute \ntheir own information or ideas in group discussions or \ninterviews in order to acquire new knowledge \n\u25cf Understand new vocabulary and use it correctly in reading \nand writing \n\u25cf Analyze and use Standard English grammar \n\u25cf Describe, analyze, and use appropriately formal and \ninformal English \n\u25cf Identify and use the correct meaning of words and phrases \n\u25cf Recognize and use words with multiple meanings" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 13, + "content": "\u25cf Recognize and use words with multiple meanings \n\u25cf Use a paragraph or passage as the context for determining \nthe meaning of an unfamiliar or uncommon word or phrase \n\u25cf Use dictionaries, thesauruses, and other related references \n02 Literature \nA paraprofessional will know how and be able to: \n\u25cf Identify the basic facts and main ideas in a text and use \nthem as the basis for interpretation \n\u25cf Identify and paraphrase the main idea of a passage \n\u25cf Identify supporting evidence" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 7 of 12 \n \n\u25cf Identify, organize, and draw conclusions using the \nrelationship(s) among the ideas in written material \n\u25cf Identify, analyze, and apply knowledge of the theme, \nstructure and elements of fiction and provide evidence \nfrom the text to support their understanding \n\u25cf Identify, analyze, and apply knowledge of the purposes, \nstructure, and elements of nonfiction or informational \nmaterials and provide evidence from the text to support \ntheir understanding \n\u25cf Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of poetry and provide evidence \nfrom the text to support their understanding" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 15, + "content": "from the text to support their understanding \n\u25cf Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of drama and provide evidence \nfrom the text to support their understanding \n\u25cf Identify and analyze how an author\u2019s words appeal to the \nsenses, create imagery, suggest mood, and set tone and \nprovide evidence from the text to support their \nunderstanding \n03 Composition \nA paraprofessional will know how and be able to: \n\u25cf Write with a clear focus, coherent organization, and \nsufficient detail \n\u25cf Write for different audiences and purposes \n\u25cf Demonstrate adequate paragraph development and \nappropriate style, tone, and word choice in their \ncompositions" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 8 of 12 \n \n\u25cf Use standard English conventions in their writing, revising, \nand editing \n\u25cf Organize ideas in writing in a way that makes sense for \ntheir purpose \n\u25cf Gather information from a variety of sources, analyze, and \nevaluate the quality of the information they obtain, and use \nit to answer their own questions \n\u25cf Outline, summarize, and take notes \n\u25cf Interpret information presented in graphic form \n2. NUMERACY DOMAIN \n01 Number Sense \nA paraprofessional will know how and be able to: \n\u25cf Understand numbers, ways of representing numbers, \nrelationships among numbers, and number systems \n\u25cf Understand principles and operations related to integers," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 17, + "content": "fractions, decimals, percents, ratios, and proportions \n\u25cf Understand and solve problems involving integers, \nfractions, decimals, percents, ratios, and proportions \n\u25cf Understand meanings of mathematical operations and how \nthey relate to one another. \n\u25cf Compute fluently and make reasonable estimates \n\u25cf Know how to use standard arithmetical algorithms" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 9 of 12 \n \n02 Algebra \nA paraprofessional will know how and be able to: \n\u25cf Understand and use patterns to model and solve problems \n\u25cf Understand how to manipulate and simplify algebraic \nexpressions and translate problems into algebraic notation \n\u25cf Understand the properties of different types of functions \nand relations \n03 Geometry \nA paraprofessional will know how and be able to: \n\u25cf Analyze characteristics and properties of two- and three-\ndimensional geometric shapes \n\u25cf Specify locations and describe spatial relationships using \ncoordinate geometry and other representational systems \n\u25cf Understand the principles and properties of coordinate and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 19, + "content": "transformational geometry, apply transformations, and use \nsymmetry to analyze mathematical situations \n\u25cf Use visualization, spatial reasoning, and geometric \nmodeling to solve problems. \n04 Measurement and Data Analysis \nA paraprofessional will know how and be able to: \n\u25cf Identify measurable attributes of objects and use the \nstandard units, systems, and processes of measurement \n\u25cf Formulate questions that can be addressed with data; and \ncollect, organize, and display relevant data to answer them" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 10 of 12 \n \n\u25cf Select and use appropriate statistical methods to analyze \ndata \n\u25cf Develop and evaluate inferences and predictions that are \nbased on data \n3. INSTRUCTION DOMAIN \n01 Curriculum Planning \nA paraprofessional will know how and be able to: \n\u25cf Assist with activities addressing standards that will advance \nstudents\u2019 level of content knowledge \n\u25cf Assist with activities appropriate for the full range of \nstudents within a classroom and appropriate to the specific \ndiscipline, age, and level of proficiency with the English \nlanguage and Individualized Education Programs (IEP) \n02 Effective Instruction" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 21, + "content": "02 Effective Instruction \nA paraprofessional will know how and be able to: \n\u25cf Communicate lesson objectives clearly \n\u25cf Build on students\u2019 prior knowledge and experience \n\u25cf Provide support under the guidance of a classroom teacher \nto address student needs \n\u25cf Help students use appropriate instructional resources to \nsupport learning in reading, writing, and mathematics \n\u25cf Help students use a variety of approaches to understand \nwhat they read \n\u25cf Help students focus their writing \n\u25cf Help students relate mathematics to everyday situations" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 11 of 12 \n \n\u25cf Employ a variety and range of instructional techniques \nfrom direct instruction to cooperative learning groups \n\u25cf Use instructional technology appropriately \n\u25cf Provide regular feedback to students on their progress \n\u25cf Provide formal and informal assessment of student \nprogress \n03 Classroom Climate and Equity \nA paraprofessional will know how and be able to: \n\u25cf Maintain appropriate standards of behavior, mutual \nrespect, and safety in the classroom \n\u25cf Promote achievement for all students, including those with \ndisabilities, those with limited English proficiency, and \nthose who are gifted and talented, without exception" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 23, + "content": "\u25cf Promote civic and self-responsibility in the classroom, \nschool, and community \n04 Professional Responsibilities \nA paraprofessional will know how and be able to: \n\u25cf Carry out their legal and ethical responsibilities. \n\u25cf Carry out health, safety, and emergency procedures of the \nlearning environment. \n\u25cf Maintain high standards and expectations for all students. \n05 Professional Skills \nA paraprofessional will understand how and be able to:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular HRS-L02 \nPage 12 of 12 \n \n\u25cf Accept supervision to reflect critically upon their classroom \nexperience and identify areas for further skill and \nprofessional development. \n\u25cf Work collaboratively with school personnel. \n\u25cf Confer with supervisor(s) and/or content specialist(s) when \nassistance is needed in supporting students\u2019 learning \nprocess." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM06 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MANAGERIAL EMPLOYEES \n \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal-Setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment (Optional) \nStep 5: Summative Evaluation (June 1) \n \nEvaluation Platform and Documentation \nTimeline and Tools \nAppendix A: The Core Competencies \nAppendix B: Rating Levels \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for managerial employees of Boston Public" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 2, + "content": "Schools (BPS), both Central Office and school-based. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 2 of 10 \n \npurpose of this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. This document was created as part of a cross-\ndepartmental working group on central office performance \nmanagement. \n \nPURPOSE OF PERFORMANCE MANAGEMENT \nBPS students are the citizens, leaders, scholars, entrepreneurs, \nadvocates, and innovators of tomorrow. As a district, we must \nensure that 100 percent of our students are prepared for college, \ncareer, and life in the 21st century. We must model the district on \nthe classroom we want to see. We have established a system of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 4, + "content": "performance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors. \nThe fundamental purpose of performance management in the \nBPS Central Office is to maximize the productivity and impact of \nour employees by enabling them to perform at their fullest \npotential. Our approach is designed to provide high-quality \nsupport to schools, students, and families in BPS to ensure our \ngraduates are college, career, and life ready. To do so, our \nperformance management system will: \n1. Establish a consistent set of competencies to clearly set and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 5, + "content": "communicate expectations for employee performance \n2. Align employee efforts with department and organizational \ngoals \n3. Create systems and structures that gather and monitor \nperformance in order to support employee feedback, \ngrowth, and development" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 3 of 10 \n \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nThe criteria for effective practice for Central Office managerial \nemployees are identified in the Core Competencies, which \ndefines six categories: \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 7, + "content": "3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \nSee Appendix A for greater detail on the set of core \ncompetencies. \nEvaluations will result in ratings on an employee\u2019s goals, on the \nsix Core Competencies, and on overall performance, which will be \nbased on the supervisor\u2019s judgment of performance against the \nstandards and progress toward goals. Progress toward goals will \nbe rated as Goal Achieved, Goal Significantly Met, Active Goal, \nGoal Not Met, and Goal Deferred. Greater details on these rating \nlevels can be found in Appendix B." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 8, + "content": "levels can be found in Appendix B. \nThe five levels of performance, which apply to performance on \neach competency and the Overall performance rating shall be:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 4 of 10 \n \n\u201cHighly Effective\u201d, \u201cEffective\u201d, \u201cDeveloping,\u201d \u201cMinimally Effective,\u201d \nand \u201cIneffective.\u201d Greater details on these rating levels can be \nfound in Appendix B. \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by employees and supervisors. \nFive-Step Process Overview \n \nSTEP 1: Self-Assessment (by September 1) \nEmployee reviews available evidence of work performance, prior \nfeedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 10, + "content": "Self-Assessment is used to inform the employee\u2019s goals and \naction plan for the upcoming year. \nSTEP 2: Analysis, Goal-Setting, and Analysis (by October 1) \nBased on the employee\u2019s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand supervisor establish 2-4 goals, related to professional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 5 of 10 \n \npractice or performance: \n\u25cf A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, \nemployees and supervisors should both look at past \nperformance and feedback, as well as the employee\u2019s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies \n\u25cf A performance goal is a measurable target or outcome \nrelated to an employee\u2019s work. Goals should align with an \nemployee\u2019s team and/or departmental goal(s). \nSTEP 3: Implementation of the Plan (Ongoing)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 12, + "content": "STEP 3: Implementation of the Plan (Ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nSTEP 4: Formative Assessment (Optional or By February 1) \nEach employee should receive a Formative Assessment to \nprovide the employee with written feedback on their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 13, + "content": "performance against the Core Competencies and their progress \ntoward goals. Typically, the formative will occur midway through \nthe assessment year, though it may take place at other times for \nindividuals in need of additional support. \nProfessional Development Plans are implemented when an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 6 of 10 \n \nemployee\u2019s performance is rated Minimally Effective under one \nor more competencies, or overall. They are meant to include \nincreased supervision and support for improvement in specific \nareas identified by the supervisor. \nPerformance Improvement Plans (PIPs) are implemented when \nan employee\u2019s performance is rated Ineffective under one or \nmore competencies, or overall. They are more highly directed \nplans that are typically followed by another evaluation and may \nresult in employment action if performance is not sufficiently \nimproved. \nSTEP 5: Summative Evaluation (June 1) \nEach employee shall receive a Summative Evaluation to provide" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 15, + "content": "the employee with written feedback and ratings of their \nperformance and progress toward goals. \n \nEVALUATION PLATFORM AND DOCUMENTATION \nManagerial employee performance evaluations and related \ndocumentation are generated and stored in the BPS online \nperformance management platform, VectorEvals. Employees \nand supervisors will receive training in accessing, navigating, and \nusing the platform prior to the start of their evaluation cycle. \nTraining modules will be available in an online, on-demand \nformat to employees and supervisors for reference, as well." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 7 of 10 \n \nTIMELINE \nDate Activity \nJuly - August \u25cf Office, team, and individual goal-setting begins \n\u25cf Supervisors review of standards and expectations with employees \nSeptember 1 \u25cf Employee Self-Assessments due \n\u25cf Employee Goals & Action Plans draft due \nOctober 1 \u25cf Finalized Employee Goals & Action Plans due \nOngoing \u25cf Employee check-ins, at the discretion of supervisor \n\u25cf Provide feedback (verbal and written) to employees on progress toward \ngoals, observed performance, and work products/artifacts. \n\u25cf Implementation also includes peer feedback. \nJanuary \u25cf Formative Assessment meetings with employees (Optional)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 17, + "content": "February 1 \u25cf Formative Assessments finalized and submitted (Optional) \nMay 21 - 25 \u25cf Last day to submit artifacts for review prior to Summative Evaluation \nJune 1 \u25cf Summative Evaluations finalized and submitted \n \nAPPENDIX A: CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 8 of 10 \n \nAPPENDIX B: OVERALL EFFECTIVENESS LEVELS (BELOW) \nEffectiveness \nLevel Description \nHighly Effective Performance far exceeded expectations due to exceptionally high \nquality of work performed in all essential areas of responsibility, \nresulting in an overall quality of work that was superior; and either \nincluded the completion of a major goal or project, or \nmade an exceptional or unique contribution in support of team, \ndepartment, or district objectives. \nThis level is achievable by any employee though given infrequently \n(<10% of employees) \nEffective Performance met expectations in all essential areas of responsibility," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 19, + "content": "and the quality of work overall was excellent. Annual goals were met. \nDeveloping Performance consistently met expectations in all essential areas of \nresponsibility, at times possibly exceeding expectations, and the quality \nof work overall was very good. The most critical annual goals were \nmet. \nThis level is expected for individuals who are new to the organization \nor to a role. \nMinimally Effective Performance did not consistently meet expectations \u2013 performance \nfailed to meet expectations in one or more essential areas of \nresponsibility, and/or one or more of the most critical goals were not \nmet. A professional development plan (not necessarily a PIP) to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 20, + "content": "improve performance must be implemented, including timelines, and \nmonitored to measure progress. \nIneffective Performance was consistently below expectations in most essential \nareas of responsibility, and/or reasonable progress toward critical goals \nwas not made. Significant improvement is needed in one or more" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 9 of 10 \n \nEffectiveness \nLevel Description \nimportant areas. A Performance Improvement Plan (PIP) to correct \nperformance, including timelines, must be outlined and monitored to \nmeasure progress. \n \nGoal Status Scale \nGoal Status Description \nGoal Achieved: All goal milestones and success measures have been achieved for \n100% of goals. \nGoal Significantly \nMet: \nAll goal milestones and success measures have been achieved for at \nleast 85% of goal. \nActive Goal: The goal is still in progress, though some milestones may have been \nachieved. \nGoal Not Met: For this goal, some or all milestones and success measures have not \nbeen met." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 22, + "content": "been met. \nGoal Deferred: For timing or organizational reasons, this goal has been deferred." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular HRS-PM06 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA 02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP06 \nVersion 01 \n \n \nCONFIDENTIALITY OF PERSONNEL RECORDS AND \nEMPLOYMENT VERIFICATIONS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nState laws and regulations regulate disclosure of information \ncollected about personnel by the Boston Public Schools. These \nlaws and regulations provide that, with some exceptions such as \npersonnel and medical records, the School Department's records \nmust be available for public inspection. State law further provides \nthat individuals may review and challenge information in the files \nconcerning them. \nPERSONNEL RECORDS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 2, + "content": "concerning them. \nPERSONNEL RECORDS \nThe Office of Human resources maintains both publicly available \nand confidential files about each employee. The Office of Human \nresources will disclose allowable information when requested to \ndo so in writing. \nPlease note that the following are public records, which will be \nreleased upon receipt of a written request: \n\u25cf Names \n\u25cf Other materials or data relating to a specifically named \nindividual, the release of which would not publicize intimate \ndetails of a highly personal nature." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP06 \nPage 2 of 4 \n \n \n \nConfidential information is not released, such as social security \nnumbers, home addresses and phone numbers, transcripts, \nmedical forms, and evaluations. \nOnly an employee may view their entire file unless a court order \nor other legal mandates require otherwise. An employee may \nview their file in the Office of Human resources by appointment \nonly. To schedule an appointment, place an HR Inquiry request \nvia the Beacon. This can be found for internal employees by \nnavigating to Access.Boston.gov. \nTo obtain a copy of your personnel card for the City of Boston \nRetirement Board, please place an HR inquiry request via the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 4, + "content": "Beacon. This can be found for internal employees by navigating \nto Access.Boston.gov. Any former employee will need to submit a \nrequest via email at ohr@bostonpublicschools.org. \nEMPLOYMENT VERIFICATION \nAll inquiries regarding employees, employment status, and other \nsuch information must be directed to the Office of Human \nresources, where official personnel records are maintained. \nIf an employee is seeking employment verification (mortgage, \nhousing, substitute time, standard verification, etc.), they should \ncreate an HR Inquiry request via Beacon. An employee must scan \nand attach the verification to the HR Inquiry submission. If an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 5, + "content": "employee needs an email address to submit to their potential \nmortgage company, housing office or any other loan provider, \nthey should provide the OHR email ohr@bostonpublicschools.org \nor fax a request to 617-635-7957. Please note that requests for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP06 \nPage 3 of 4 \n \n \nemployment verification are processed in the order they are \nreceived and take between 5 and 10 business days to complete. If \nsalary/payroll information is needed, it can take longer than 5-10 \nbusiness days. Please plan accordingly. \nAny subpoenas for records should be directed to the Office of the \nLegal Advisor, 2300 Washington Street, Roxbury, MA 02119. \nLICENSURE RELATED EMPLOYMENT VERIFICATIONS \nAll educators and other employees seeking licensure related \nverification must complete the BPS Educator Licensure \nVerification Requests form. \nFor loan forgiveness requests, please submit an HR Inquiry with" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 7, + "content": "forms attached on the Beacon via Access.Boston.gov. All former \nemployees must email ohr@bostonpublicschools.org and include \nany supporting documentation." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-PP06 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nOwner: Shared Services \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP16 \nVersion 01 \n \n \nEMPLOYEE SAVINGS AND INVESTMENT BENEFITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nFLEXIBLE SPENDING ACCOUNT \nThe City of Boston\u2019s Flexible Spending Accounts are administered \nby Cafeteria Plan Advisors, Inc. Flex spending lets you deduct pre-\ntax money for out-of-pocket medical expenses, dependent care, \nand transportation. Annual enrollment for flex spending occurs in \nNovember for the plan year beginning January 1. Participants of \nthis program will receive a Benny Card at the start of the new \nyear that they can begin using immediately for eligible expenses." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 2, + "content": "\u25cf Read more about Flexible Spending \n\u25cf Download the Flexible Spending Application \n\u25cf Cafeteria Plan Advisors, Inc. website \n \nTo contact Cafeteria Plan Advisors directly with questions: \nMailing Address: 420 Washington Street, Suite 100, Braintree, \nMA 02184 \nPhone: 1-800-544-2340 \nFAX: 1-781-848-8477 \nEmail: info@cpa125.com" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP16 \nPage 2 of 4 \n \n \nRETIREMENT PLANNING \nState-Boston Retirement System \nAll employees are eligible to participate in the State Boston \nRetirement System. For more information, visit the Retirement \nBoard website. \nVoluntary Retirement Plans \nEmployees are eligible to participate in two types of voluntary \ndeferred compensation retirement plans: \n\u2022 Massachusetts Deferred Comp 457 SMART Plan \n\u2022 403(b) tax-sheltered annuities \nSee information below on these two types of voluntary deferred \ncompensation plans. \nDEFERRED COMPENSATION \n1. 457 SMART Plan \nEmployees are eligible to participate in the \nCommonwealth\u2019s Deferred Compensation Plan (also known" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 4, + "content": "as a Section 457 Plan). This allows an employee to shelter \nincome from federal and state income tax through a payroll \ndeduction. Additional information is available at the \nMassachusetts Deferred Compensation Smart Plan website. \nClick here for more information Deferred Compensation (IRS \n457). \n2. 403(b) Plans \nEmployees are eligible to participate, at no cost, in tax-\nsheltered annuities (also known as 403(b) plans). An annuity \nis a tax-saving retirement planning device that allows an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-PP16 \nPage 3 of 4 \n \n \nemployee to shelter income from federal and state income \ntax through a payroll deduction. A representative at a \nparticipating company will provide a payroll deduction form, \nwhich you may also download and print out here. This form \nmust be filled out and submitted according to BPS 403(b) \nprocedures. \no AIG/VALIC (Variable Annuity Life Insurance Co.), \nNashua, NH. (603) 594-8340 \no American United Life Insurance Company \no Ameriprise Financial Services, Inc., Minneapolis, MN \n(800) 862-7919 \no Ameritas Life Insurance Corporation, Lincoln, NE (800) \n745-1112 \no ASPire Financial Services, Tampa, FL (866) 634-5873" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 6, + "content": "o AXA Equitable Life Insurance Company, Wellesley, MA \n(781) 237-8264 \no Commonwealth Annuity and Life Ins. Co., Topeka, KS \n(800) 457-9047 \no Fidelity Investments Mutual Funds \no Great American Advisors, Inc., Cincinnati, OH (800) 216-\n3354 \no Great American Financial Resources, Inc., Cincinnati, \nOH (888) 497-8556 \no Horace Mann, Springfield, IL (866) 999-1945 \no Kemper Annuity and Life Ins. Co., Topeka, KS (800) 457-\n9047 \no Lincoln Investment Planning Mutual Funds, Waltham, \nMA (781) 647-3050 \no Lincoln National Life Insurance Company, Fort Wayne, \nIN (800) 454-6265 \no MetLife, Bloomfield, CT (860) 768-0139" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular HRS-PP16 \nPage 4 of 4 \n \n \no MetLife of CT, Bloomfield, CT (860) 768-0139 \no Midland National Life \no North American Company for Life and Health \no New York Life Insurance Company, Sleepy Hollow, NY \n(914) 846-5608 \no Protective Life, Topeka, KS (800) 457-9047 \no The Union Central Life Ins. Co., Cincinnati, OH (800) \n825-1551 \nVOLUNTARY INSURANCE \nOther insurance providers offer short and long-term disability. \nThey also offer optional life insurance and critical illness coverage. \nThese are voluntary insurance programs. Please be advised that \nthese benefits are not administered by the Health Benefits Office. \nFor more information about this circular, contact:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 8, + "content": "Owner: Employee Services, Office Human Resources \nPhone: 617-635-9600 \nFax: 617-635-7957 \nEmail: employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM05 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nLUNCH HOUR MONITORS ASSOCIATION \nThe contract between the School Committee and the Lunch \nMonitors Association provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Association. The evaluation process relates to the duties and \nresponsibilities of the employee\u2019s position, as set forth in the \nemployee\u2019s job description. \nI. ROLES AND RESPONSIBILITIES \nThe principal/head or school or assistant principal shall be \nresponsible for the evaluation of the performance of all lunch \nhour monitors." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 2, + "content": "hour monitors. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an \nunderperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nAt the end of each evaluation year, the Evaluator should retain \ncopies of all evaluations and send the originals of all evaluations" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 2 of 10 \n \nto the Office of Human Resources. \nII. EVALUATION \nPreliminary Procedures \nAt a reasonable time period after the start of the school year, the \nprincipal/assistant principal shall meet with the lunch hour \nmonitors for the purpose of explaining the evaluation program \nand answering questions. The evaluation instrument will be \nreviewed during this meeting. \nAfter the evaluation has been presented to the employee, the \nsigned evaluation form must be submitted to the Office of \nHuman Resources. \nInterim Evaluations \nAll lunch hour monitors shall receive an Interim evaluation at" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 4, + "content": "least once, or as required for the efficient running of the school. \nAll interim evaluations should be conducted no earlier than \nFebruary 1st each year. \nAnnual Evaluations \nAnnual evaluations must be completed no later than the last day \nof school each year. \nEvaluation Completion \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the evaluee with a written prescription. The diagnosis \nand subsequent prescription should be fully descriptive and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 3 of 10 \n \ninstructive, suggesting specific remedies or recommendations \nfor adoption by the evaluee. \nEvaluation Conference \nWithin ten (10) school days following the completion of an \nevaluation, the evaluator shall meet with the evaluee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluee will be shown their written evaluation and will sign it to \nindicate having seen it and to acknowledge that it will be placed \nin their personnel file, but not to indicate agreement or \ndisagreement with the evaluation results. \nA copy of the evaluation shall be provided to the evaluee. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 6, + "content": "evaluee will be allowed to attach their comments to the \nevaluation. An evaluee whose overall performance has been \njudged unsatisfactory shall be notified in writing and shall meet \ndirectly with the evaluator.1 \nIII. RATINGS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are three possible \nratings: \n \nE - EXCELLENT: The employee\u2019s performance of the duties and \nresponsibilities of their position exceeds \n \n1 See Section V: Procedures for Unsatisfactory Evaluations for \nmore information on this process." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 4 of 10 \n \nexpectations. \nS - SATISFACTORY: The employee\u2019s performance of the duties and \nresponsibilities of their position meets expectations. \nU - UNSATISFACTORY: The employee has failed to meet expectations and \ntheir performance of the duties and responsibilities of \ntheir position needs improvement. \nIV. PROCEDURES FOR UNSATISFACTORY EVALUATIONS \nIf an evaluee receives an annual overall Unsatisfactory evaluation, \nplus an interim Unsatisfactory evaluation, the supervisor may \ninitiate termination by recommending to the Superintendent \nthat such employee be terminated. \nIf the first evaluation is Unsatisfactory, it will be followed by a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 8, + "content": "second evaluation no less than twenty-five (25) days in which the \nlunch monitor is present and no more than fifty (50) days in \nwhich the lunch monitor is present. \nIf the second evaluation is Unsatisfactory, the lunch monitor will \nbe given ten (10) school days to improve their performance. \nDuring these ten (10) school days following the second \nevaluation, the evaluator must informally evaluate the lunch \nmonitor, but is not required to formally observe the employee or \nmake any record of this evaluation. \nShould the lunch monitor\u2019s performance not improve within the \nten (10) days following an Unsatisfactory second evaluation, the \nmonitor may be recommended for dismissal to the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 9, + "content": "monitor may be recommended for dismissal to the \nsuperintendent." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 5 of 10 \n \n V. PROCEDURES FOR DISCIPLINE \nIf an Evaluator determines that an employee has committed an \ninfraction of work rules such as excessive tardiness, absences, \netc., the supervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures.2 \nAdditionally, the supervisor should consider the infraction in \nevaluating the evaluee\u2019s overall performance. \n \n \n2 Also refer to Superintendent Circular (HRS-PP10) Employee \nDiscipline Procedures. at this link: \nwww.bostonpublicschools.org/domain/1884" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 6 of 10 \n \nVI. Summary of significant dates and deadlines: \nDate Activity \nShortly after the start of a \nschool year \nReview job description and evaluation instrument. \nSign cover page to acknowledge meeting \nNo later than Feb. 1 \nComplete first Interim evaluation; to be conducted \nno earlier than 15 school days after the start of the \nschool year. \nNo later than the last day of \nschool \nDeadline to complete annual evaluation. Send \nsigned, original copies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: HRFront Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 7 of 10 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA 02119 \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 8 of 10 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FOR LUNCH HOUR MONITORS \nName _______________________________ Empl ID# \nSchool ___________________________________________________________ \nEvaluator ________________________________________________________ \n Permanent Provisional Substitute \n \nLast Overall Rating ______ \n E= Excellent S= Satisfactory U= Unsatisfactory \n \n \nEvaluation procedure and form reviewed on (Date): ______________ \nAcknowledged (Evaluator): ______________________________________ \nAcknowledged (Lunch Monitor): _________________________________" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 14, + "content": "Category (check the applicable rating box for each \ncategory) \nE S U \nMaintains safety and order during lunch and recess. \nMaintains appropriate schedule for lunch and recess. \nPerforms ordinary school tasks as directed and performs the work \naccurately." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 9 of 10 \n \nCategory (check the applicable rating box for each \ncategory) \nE S U \nComes to work on time and maintains good attendance. \nWorks productively during all scheduled work hours and continues \nwork in the absence of supervision. \n \nKnows the work and organizes appropriately. \nUses good judgment. \nAbides by rules and regulations and complies with oral and written \ninstructions. \n \nCommunicates effectively and in a constructive way with students \nand the school's staff. \n \nWorks harmoniously with others and maintains a high level of \nprofessionalism. \n \nTreats students with respect, fairness, and consistency." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 16, + "content": "Accepts constructive criticism. \nOverall Rating: \n \n_______________________________________________ _________________ \n Evaluator\u2019s Signature Date \n \n_______________________________________________ _________________ \n Lunch Hour Monitor\u2019s Signature Date \n \nEvaluator\u2019s Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PM05 \nPage 10 of 10 \n \n \n \n \n \n \n \n \n \n \n \nEvaluee\u2019s Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP07 \nVersion 01 \n \n \nWORKERS\u2019 COMPENSATION PROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOBJECTIVE \nThe Boston Public Schools Workers\u2019 Compensation Service is \nlocated within Boston City Hall, 6th Floor, Room 613. Workers\u2019 \nCompensation Service administers benefits for city workers, \nincluding Boston Public Schools employees. The Workers\u2019 \nCompensation Service strives to ensure effective and efficient \ndelivery of benefits and collects injury data for state and federal \nreporting requirements. \nADMINISTERING WORKERS\u2019 COMPENSATION BENEFITS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 2, + "content": "ADMINISTERING WORKERS\u2019 COMPENSATION BENEFITS \nFor the City of Boston Workers\u2019 Compensation Service to provide \nadequate service, it is imperative that all work-related injuries be \nreported as soon as possible, preferably within twenty-four hours \nof the occurrence. \nFor the Workers\u2019 Compensation Service to provide timely \nbenefits, your cooperation in obtaining medical documentation is \ncritical. If a case is reported late, or if the Workers\u2019 Compensation \nService does not have sufficient medical documentation, the \nemployee\u2019s receipt of benefits may be delayed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 2 of 7 \n \n \n\u25ba It is the employee\u2019s responsibility to request complete \nmedical treatment records for the work-related injury \nand provide them or have them sent to the Workers\u2019 \nCompensation Service. Out-of-work notes are NOT \nsufficient to maintain workers\u2019 compensation benefits. \nIncomplete or late reports of injury could also subject Boston \nPublic Schools to financial penalties. \n\u25cf To find the City\u2019s accident report form, as well as a \ncomplete guide to the city\u2019s workers\u2019 compensation \nprocess, please see the City of Boston Workers\u2019 \nCompensation Service employee guide at \nhttps://www.boston.gov/departments/human-" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 4, + "content": "https://www.boston.gov/departments/human-\nresources/workers-compensation-process. \n\u25cf The accident report can be accessed directly at \nhttps://www.boston.gov/sites/default/files/file/2022/02/\naccident-report-form_2-7-2022.pdf. \nSTEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF \nYOUR EMPLOYMENT \nIf emergency services (i.e., life threatening, bleeding, head \ninjuries, severe fractures, etc.) are necessary: \n1. Seek out emergency care (via ambulance if necessary) at \nthe closest emergency care facility to where you were \ninjured. \n2. Fill out and sign the accident report form. Submit it to the \nworkers\u2019 compensation office and your supervisor or human" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 5, + "content": "resources representative in your department. If you are \nunable to fill it out, you can have someone else fill it out for \nyou." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 3 of 7 \n \n \n3. Medical documentation must be sent to Workers\u2019 \nCompensation Services (Room 613). \n4. A supervisor\u2019s signature is requested solely for the purpose \nof notification that an injury occurred. A supervisor\u2019s \nsignature does not indicate that the supervisor \nagrees/disagrees with the report, nor does it indicate the \nsupervisor witnessed the accident. \n5. Reasonable and necessary medical expenses for accepted \nwork-related injuries will be covered by Workers\u2019 \nCompensation Service, regardless of whether time has been \nlost due to the injury. However, salary replacement benefits \nfor accepted work-related injuries are given only if the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 7, + "content": "employee lost 5 days or more. Substantial medical \ndocumentation is required for employees who have lost 5 \ndays or more. \n6. A representative from Workers\u2019 Compensation will contact \nyou to follow up on your injury. They will also explain your \nbenefits and discuss your medical treatment. If you haven\u2019t \nheard back within seven (7) days of reporting your injury, \nyou can speak with a case manager by calling 617-635-3193 \nor emailing workerscompstaff@boston.gov. \n WHILE ON WORKERS\u2019 COMPENSATION \nWhile on workers\u2019 compensation, the employee must maintain \nan approved leave of absence status with the Office of Human \nresources by applying for a leave of absence on the HUB and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 8, + "content": "providing a WH-380-E form or medical \ncertification/documentation on official letterhead from a health \ncare provider. For more information on leaves of absence, please \nsee Superintendent\u2019s Circular HRS-PP13." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 4 of 7 \n \n \nWhile on workers\u2019 compensation, the employee is permitted to \nuse available sick, personal, or vacation time to supplement the \ndifference in workers\u2019 compensation earnings to continue to \nreceive 100% of their normal earnings. This applies to employees \nwho have available time and have completed the Workers' \nCompensation Earnings Consent Form, allowing the use of \nearned time. Without consent, the Office of Human resources will \nnot supplement your workers\u2019 compensation earnings. The \nconsent form can be accessed directly at: \nhttps://docs.google.com/forms/d/e/1FAIpQLSf0E_fnOzpBy2kNdqn\nHyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 10, + "content": "HyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform. \nSupplementing your WC earnings allows employees to maintain \ntheir normal deductions (retirement, union dues, health \ninsurance, etc.). For some unions, it also minimizes the impact of \nearnings that are normally paid over the summer. To be sure of \nthe financial impact that supplementing (or not supplementing) \nyour WC earnings will have your pay once you return to work, \nplease reach out to the BPS Payroll team at 617-635-9460. \nEmployees are permitted up to 1 year of leave for an injury related \nto an approved Workers\u2019 Compensation injury. Employees who \nare absent more than 1 year may have an essential functions" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 11, + "content": "meeting held to determine whether they are able to continue \ntheir employment with BPS. \nEMPLOYEE RETURNING TO WORK \nAn employee who is ready to return to work after having been \nout due to a work-related injury must have medical clearance \nfrom their doctor. Before returning to work, the employee must \nprovide copies of the medical clearance note to both OHR and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 5 of 7 \n \n \nthe Workers\u2019 Compensation Service and inform both offices of \ntheir intent to return and the intended date. The clearance note \nshould be emailed to OHRLeaves@bostonpublicschools.org as \nwell as workerscompstaff@boston.gov. \nTransitional modified work may be offered by the Boston Public \nSchools to employees who have been injured on the job and can \nreturn to work on a modified basis. The Boston Public Schools \nmakes reasonable accommodations in compliance with the ADA \nand M.G.L. c. 151B for employees with handicaps or disabilities, as \noutlined in Superintendent's Circular EQT-01. If you wish to seek" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 13, + "content": "reasonable accommodations, please contact the Office of Equity \nat 617-635-9650 or accommodations@bostonpublicschools.org to \nengage in an interactive dialogue prior to your return. \nThe goals of the Workers\u2019 Compensation office are to ensure that \neligible injured employees receive quality and timely medical \nservices, receive timely benefits, and return to the job as quickly \nas possible. Your case manager will remain in constant contact \nwith you, and you will be required to maintain contact and \nprovide the necessary medical information to your case manager \nso that these goals can be achieved. \nAll accident reports regarding an employee\u2019s injury should be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 14, + "content": "forwarded to Workers\u2019 Compensation Services (address at the \nbottom of this circular). \nAny additional information or questions can be forwarded to the \nemployee\u2019s case manager. Case managers are assigned based on \nthe employee\u2019s last name." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 6 of 7 \n \n \nMEDICAL TREATMENT INFORMATION FOR ALL EMPLOYEES \nREGARDING WORKERS\u2019 COMPENSATION \nIf you need medical care for your work injury or illness, contact a \nmedical provider. Let them know that you are seeking workers\u2019 \ncompensation coverage for the treatment. The city currently \ndoes not have any preferred medical providers. \nWORKERS\u2019 COMPENSATION CHECKLIST \nAs this circular is comprehensive, and to prevent delays in \nprocessing, please ensure that you have completed the following \naction items when applying for/returning from workers' \ncompensation. \nAPPLYING FOR WORKERS\u2019 COMPENSATION" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 16, + "content": "APPLYING FOR WORKERS\u2019 COMPENSATION \n\u25cf Complete and submit the Report of Occupational Injury or \nAccident. This report should be verified and signed by your \nsupervisor. \n\u25cf Review Superintendent\u2019s Circular HRS-PP13 Absence and \nLeave Policy. \n\u25cf Complete a leave of absence application form and submit \nWH-380-E form or physician\u2019s certificate. \n\u25cf Send medical updates to both the City of Boston Workers\u2019 \nCompensation Unit and the Office of Human resources to \nmaintain your leave of absence and workers' compensation \nbenefits. \n\u25cf If applicable, complete the workers' compensation \nsupplemental earnings consent form if you wish to \nsupplement your benefit with accrued time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PP07 \nPage 7 of 7 \n \n \nRETURNING FROM WORKERS\u2019 COMPENSATION \n\u25cf Send both Human resources and City of Boston Workers' \nCompensation Unit medical documentation certifying the \nability to return to work with/without restrictions. \nFor more information about this circular, contact: \nDepartment: Workers\u2019 Compensation Service \nMailing Address: Boston City Hall, Room 613, Boston, MA 02201 \nPhone: 617-635-3193 \nFax: 617-635-3119 \n \nFor submitting forms to the Office of Human resources: \nOwner: Employee Services \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 18, + "content": "Phone: 617-635-9255 \nFax: 617-635-7957 \nEmail: OHRleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM02 \nVersion 01 \n \nPERFORMANCE EVALUATION OF INSTRUCTIONAL \nBASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \nHeads of school, principals, and other administrative heads are \nresponsible for evaluating the performance of administrators \nunder their direct supervision. This employee group is school-\nbased, requires DESE licensure, and is represented as part of the \nBASAS bargaining unit. Instructional BASAS administrators will \nbe evaluated using the VectorEvals platform as the evaluation \ninstrument. As of September 2023, non-instructional BASAS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 2, + "content": "administrators in roles that do not require DESE-licensure will be \nevaluated using Superintendent Circular HRS-PM02A \nPerformance Evaluation of Non-Instructional BASAS \nAdministrators. \nThe purpose of this memorandum is to explain who is \nresponsible for evaluation and to outline the philosophy, \nobjectives, guidelines, and procedures applicable to that process. \nPHILOSOPHY \nThe Boston Public Schools and the BASAS bargaining unit \nrecognize that the quality of education provided depends upon \nthe professional performance and the total job effectiveness of \nthe teachers and administrators in the system. Thus, since the \nsystem's professionals can and should be held accountable for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 2 of 10 \n \nthe quality of their performance, a just and effective process for \nevaluating that performance is essential. Such a process must be \norganized to: \n\u2022 foster effective leadership in promoting improvements of \nschools and educational programs \n\u2022 develop in the professional staff a clearer understanding of \nthe goals of education \n\u2022 promote sound organizational and management \nprocedures \n\u2022 demonstrate active support of the policies of the School \nCommittee and superintendent. \nThe performance evaluation program to be implemented to \nsatisfy this philosophy for administrators is diagnostic and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 4, + "content": "prescriptive, is generally positively directed, and encourages \nprofessionals to maximize unique strengths and skills. \nAll instructional BASAS administrators whose evaluations are \nsubject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles \nrequire DESE licensure) shall be evaluated on a cycle consistent \nwith those regulations. Evaluees not subject to 603 CMR 35.00 et. \nseq. shall be evaluated annually, except that such employees \nneed not be evaluated in the following year if they remain in the \nsame job title and position unless the evaluator determines a \nneed to do so. \nINSTRUMENTS/EVALUATORS \nA. Instructional BASAS members shall be evaluated by a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 5, + "content": "designee of the superintendent outside the BASAS \nbargaining unit. \nB. The evaluation instrument to be used for instructional \nBASAS administrators in DESE-licensed roles as of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 3 of 10 \n \nSeptember 2019 is known as VectorEvals. It is accessible via \nthe employee\u2019s BPS Google account. Comprehensive \ninformation pertaining to the performance evaluation of \ninstructional BASAS administrators under the 2011 education \nregulation amendments (603 CMR 35.00) is now located at \nthe Office of Human Resources website: \nhttps://www.bostonpublicschools.org/Page/8586. \n \nPROCEDURAL STEPS \nA. Preparation - No later than 30 days after the start of a rating \nyear, and no later than 45 days after a change in a person\u2019s \nevaluator, the person\u2019s evaluator shall meet with the \nevaluee(s) for the purpose of explaining the diagnostic" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 7, + "content": "prescriptive evaluation program, reviewing the evaluation \ninstrument and which parts of it may not be applicable, \nanswering questions, and determining additional job \nrelated responsibilities which will be covered in the \nevaluation. Within 5 days after said meeting, the evaluee will \nreceive a copy of a list of job related functions for which they \nare responsible and on which their performance will be \nevaluated. \nThe evaluee may propose a professional practice goal as \nwell as a student learning goal. All goals are subject to the \napproval of the evaluator. \nB. Data Gathering - It should be clearly understood by the \nevaluee that the data gathering process is ongoing and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 8, + "content": "cumulative. Evaluation data includes information gathered \nby observation or other means. Data should be collected \nover a sufficient period and should be accessible to the \nevaluee in compliance with applicable state and federal" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 4 of 10 \n \nlaws. All complaints or derogatory comments obtained from \nparents, community, etc., shall be promptly provided to the \ninstructional BASAS member, or they may not be used as a \nbasis for evaluation. \nThe evaluator must provide feedback within five school days \nto the evaluee (via email or in person) after any observation \nor collection of evidence that results in the evaluator having \na concern that one or more standards may be rated as \nunsatisfactory or needs improvement on a formative or \nsummative evaluation for the first time. \nC. Post-Evaluation Conference - Evaluation reports may be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 10, + "content": "filled out periodically throughout the school year whenever \nan evaluator determines that assistance, supervision, or \nintervention is deemed appropriate. Within ten (10) school \ndays during which the BASAS member is present following \nthe completion of each evaluation, the evaluator shall meet \nwith the evaluee for the purpose of discussing the \nevaluation, providing an appraisal of professional strengths \nand areas in need of improvement. \nIn any area where the evaluator indicates a need for \nimprovement, or that the evaluee is \u201cUnsatisfactory\u201d, the \nevaluator will provide the evaluee with a written \nprescription. The prescription must be fully descriptive," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 11, + "content": "instructive, reasonable, attainable, and educationally sound \nas to the specific remedy sought by the evaluator. \nAt the post-evaluation conference, the evaluee will be \nshown their written evaluation by the evaluator and will sign \nit to indicate they have seen it and acknowledge that it will \nbe placed in their personnel file, but not to indicate \nagreement or disagreement. A copy of the evaluation will be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 5 of 10 \n \nprovided to the evaluee, and the evaluee will be allowed to \nattach comments to the evaluation. \nD. Follow-Up - In general, the number and scope of the \nsubsequent conferences can be gauged at the first post-\nevaluation conference and should be communicated to and \ndiscussed with the evaluee at the end of that conference. \nFORMATIVE ASSESSMENT/EVALUATION AND OBSERVATIONAL \nFEEDBACK \nA. A formative assessment shall be a part of the process used \nto assess progress towards attaining goals set forth in \nadministrator plans, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 13, + "content": "be used to inform employment decisions. This process may \ntake place at any time during the cycle of evaluation, but \ntypically takes place at mid-cycle. \nB. A formative evaluation shall be an evaluation conducted at \nthe end of Year 1 for an administrator on a two-year self-\ndirected growth plan. This evaluation is to be used to arrive \nat a rating on progress towards attaining the goals set forth \nin the evaluee\u2019s plan, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may \nbe used to inform employment decisions. \nC. If an evaluee\u2019s performance results in a rating of \u201cNeeds \nImprovement,\u201d or \u201cUnsatisfactory\u201d on a formative" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 14, + "content": "Improvement,\u201d or \u201cUnsatisfactory\u201d on a formative \nassessment or evaluation, the evaluation prescription may \ncontain a requirement that an administrator take advantage \nof additional professional development training or other \nopportunities." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 6 of 10 \n \nSUMMATIVE EVALUATION AND REPORTS \nA. A summative evaluation is an evaluation used to arrive at a \nrating on each standard, an overall rating, and as a basis to \nmake personnel decisions. The summative evaluation \nincludes the evaluator\u2019s judgments of the evaluee\u2019s \nperformance against performance standards and the \nevaluee\u2019s attainment of goals set forth in the evaluee\u2019s plan. \nB. During the entire evaluation process, continuous assistance, \nsupport, and encouragement should be extended to assist \nthe evaluee in meeting established objectives. \nC. Continued failure to achieve an overall rating of \u201cProficient\u201d" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 16, + "content": "will result in additional prescriptions, warnings, additional \nevaluations, and further personnel action, including \nevaluation visits from other School Department \nadministrators. \nD. An evaluee whose overall performance has been judged as \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory\u201d shall be notified in \nwriting and shall meet directly with the evaluator. \nDISPUTE RESOLUTION \nA. An overall rating of \u201cUnsatisfactory\u201d on a summative \nevaluation for BASAS members shall be subject to the \ngrievance and arbitration procedure. An administrator may \ngrieve a summative rating of \u201cProficient\u201d evaluation up to \nand including the level of the responsible administrator" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 17, + "content": "above the level of the evaluator. Any evaluation that is used \nor referred to as any part of the rationale for removal, \nreassignment, or any other negative action against an \nemployee shall be subject to the grievance and arbitration \nprocedures." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 7 of 10 \n \nB. Any evaluation of an instructional BASAS administrator \nwhich is overall \u201cUnsatisfactory\u201d shall be promptly \nforwarded to BASAS along with any other recommended \nprofessional development or corrective action plan, \nprovided that the BASAS member has so requested in \nwriting. The superintendent\u2019s designee and BASAS agree to \nmeet to discuss the plan, when requested by the BASAS \nmember. \nC. Alleged violations of the performance evaluation process are \nsubject to the grievance and arbitration procedures if the \nemployee has been dismissed. \nPROCEDURES FOR DISMISSAL/DEMOTION \nIf the performance evaluation of an evaluee results in a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 19, + "content": "recommendation for dismissal/demotion by the evaluator \n(confirmed by the head of school or other senior administrator), \nthe following procedures will be followed: \nA. The superintendent's designee shall discuss each \nrecommendation for dismissal with the appropriate \nevaluator and/or other senior administrator. The \nsuperintendent's designee shall then undertake the \nnecessary investigation to substantiate the evaluation of the \nadministrator. \nBased on the above, the superintendent or their designee \nshall decide on the appropriateness of the recommendation \nfor dismissal/demotion. The evaluator and/or other senior \nadministrator must present supporting documents to the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 20, + "content": "Superintendent or their designee when presenting a \nrecommendation for dismissal. \nB. The superintendent or their designee or senior" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 8 of 10 \n \nadministrator shall submit all processed recommendations \nfor dismissal to the Office of Labor Relations. \nC. The decisions of the superintendent or their designee shall \nbe confined to the following: \n1. Retention - This is a rejection of the recommendation \nof the evaluator based on the evidence presented on \nan individual administrator. \n2. Notice - The superintendent's designee, having \nreviewed the materials, decides that the case does not \nwarrant a recommendation for dismissal/demotion, \nbut instead warrants placing the administrator on \nnotice that their performance is highly unacceptable." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 22, + "content": "This status stands as a final warning that the \nadministrator will be subject to additional evaluation \nduring the academic year and, if performance is not \nimproved, may be subject to dismissal/demotion. \n3. Dismissal/Demotion - This recommendation is the \naffirmation of the evidence presented by the evaluator. \nThe evaluee may call for a hearing before the \nsuperintendent or designee thirty days after written \nnotification to the administrator of the \nrecommendation for dismissal/demotion. \nD. The Office of Labor Relations shall: (1) evaluate the evidence \nfor dismissal/demotion; (2) review the recommendation, if \nnecessary, with the evaluator and/or superintendent or their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 23, + "content": "designee; and (3) determine that relevant procedures for \nevaluations were substantially complied with and that the \nevaluations warrant dismissal of the employee. \nE. The Office of Labor Relations shall forward its analysis to the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 9 of 10 \n \nsuperintendent of schools with copies to the principal leader \nor other senior administrator. \nF. The superintendent shall review the materials, make a \ndecision, and give notice to the employee in accordance \nwith G.L. c.71, Section 42. \nPROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or supervisor determines that an \nadministrator has violated work rules, the supervisor should \nfollow procedures outlined in Superintendent's Circular HRS-\nPP10 Employee Discipline Procedures. Additionally, the principal, \nhead of school, or supervisor may consider the infraction in \nevaluating the administrator's overall performance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 25, + "content": "Failure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of a supervisor. This \nproblem is further compounded when \"problem staff\" are given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative \nperformance on the part of that person and they will be held \naccountable by the appropriate senior administrator and \nsuperintendent." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular HRS-PM02 \nPage 10 of 10 \n \nPlease refer in advance to Superintendent's Circular HRS-PP10 \nEmployee Discipline Procedures. \nSummary of significant dates and deadlines: \nDate Activity \nJune 15 \nDeadline for evaluators to submit \nevaluation to Instructional BASAS \nAdministrators via VectorEvals \nplatform. \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: 617-635-9627 \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-HS07 \nVersion 01 \n \n \nSTAFFING, REASSIGNMENT AND HIRING OF \nPERMANENT AND PROVISIONAL TEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular outlines important dates and procedures regarding \nthe staffing of schools for the 2023-2024 school year. Reflected in \nthis circular are policies from the BPS-BTU Collective Bargaining \nAgreement, as well as information regarding the accelerated \nhiring timeline and hiring autonomy framework designed to \nenable all BPS schools to attract and hire the most diverse, \nqualified, and effective teachers as early as possible." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 2, + "content": "Boston Public Schools and our school leaders are committed to \nbuilding excellent schools that prepare our students to compete \nand succeed in the 21st century. To cultivate world-class, global \ncitizens, we commit to recruiting, retaining, and promoting a \ndiverse, highly qualified, and effective workforce. \nAs an urban district with an increasingly diverse student body, it \nis also imperative that schools fully comply with the Final \nJudgment of the Federal Court dated July 1994 that requires \ndistrict and examination schools to employ a minimum of 25% \nBlack teachers and staff and 10% other minority teachers." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 2 of 27 \n \n \nIn addition, one of our continuous hiring goals is to increase our \nnumber of bilingual teachers and staff to support our English \nLanguage Learner populations. We urge school leaders to take \nevery possible step to help each school, and the district as a \nwhole, to meet these mandates and goals. \nCONTENTS: links below jump to the section named. \nI. Determination of School Staffing Needs \nII. Posting of Teaching Positions \nIII. Excessing \nIV. Staffing of Provisional Teachers \nV. Leaves of Absence \nVI. Hiring of International Teachers \n \nAttachments: \nATTACHMENT 1: Application for Voluntary Excessing for Teachers" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 4, + "content": "and Paraprofessionals \nATTACHMENT 2: Application for Additional Program Areas (APA) \nATTACHMENT 3: Application Process for Job Sharing \nATTACHMENT 4: SY 2023-24 Staffing Calendar" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 3 of 27 \n \n \nI. DETERMINATION OF SCHOOL STAFFING NEEDS \nTimeframe: November to February \nEvery fall, schools develop budget and staffing plans for the \nfollowing year based on each school\u2019s projected enrollment. \nOnce a school\u2019s estimated budget is established, the process \nknown as Probable Organization (\u201cProbable Org\u201d) begins, in \nwhich schools, together with representatives from the Office of \nHuman Resources, identify their staffing plans for the upcoming \nschool year. \nSeveral components make up the Probable Organization process: \nANNUAL BUDGET COLLABORATIVE AND PROBABLE \nORGANIZATION PROCESS \nCentral Office Responsibility School Leader" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 6, + "content": "Central Office Responsibility School Leader \nAction Step \nTimeframe \nFinance Office sends schools \ntheir enrollment projections for \nthe following year \nReview projections \nand report back to \nFinance and school \nsuperintendent if \ndiscrepancies exist \nMid-to-late \nNovember \nFinance Office calculates each \nschool\u2019s budget based on \nWeighted Student Funding \n(WSF), in which specific student \ncharacteristics (e.g., special \nneeds, early childhood, etc.) are \nassigned weights that \ndetermine school funding above \nReview budget and \ncomplete \nFutureForce Version \n1, in consultation \nwith Budget, OHC, \nOEL, and Special \nEducation, as \nneeded \nDecember" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 4 of 27 \n \n \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \nthe school\u2019s foundation amount \nplus base per-pupil amounts. \nBudget Collaboratives: \nrepresentatives of Budget, OHC, \nOEL, Special Education, \nPlanning & Analysis, school \nsuperintendents and school \nleaders meet to map the school \nstructure for the following \nschool year in FutureForce \nVersion 2, including discussion \nof position reductions and \nadditions to ensure \nprogrammatic, enrollment, or \nbudget changes meet projected \nstudent needs \nEnsure all formative \nassessments are \nentered into \nTeachPoint for all \neducators on plans \nof one-year or less" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 8, + "content": "educators on plans \nof one-year or less \nby January 15. This is \na contractual \ndeadline for all \nschools. \nEarly-mid \nJanuary \n\u2022 Office of Human Resources \nprepares staffing-related \ndata reports for schools, \nincluding relevant personnel \ninformation including: \n\u2022 Leaves of absence for SY \n2023-24 and SY 2024-25 \n\u2022 Licensure and Sheltered \nEnglish Immersion (SEI) \nendorsement \nReview staffing-\nrelated data and \nbegin planning for \nimplications of \npersonnel changes. \nDetermine which \nprovisional teachers \n(if any) can/will \nreceive letters of \nreasonable \nassurance. \nMid-January" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 5 of 27 \n \n \nCentral Office Responsibility School Leader \nAction Step \nTimeframe \n\u2022 Additional program area \nrequests \n\u2022 Voluntary requests for \nreassignment \n\u2022 Reasonable \nassurance/permanency \ndecisions for provisional \nteachers \n \nProbable Organization: OHC, \nBudget, OEL, Special Education, \nschool superintendents and \nschool leaders meet to map the \nstaffing for the following school \nyear in FutureForce Version 3. \nProvide BTU \nrepresentative with \nlist of provisional \nteachers \nrecommended to \nreceive Reasonable \nAssurance \nLate \nJanuary-\nearly \nFebruary \nPosting Positions: School \nleaders, OHC, and Budget \nrepresentatives confirm" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 10, + "content": "representatives confirm \nvacancies and newly created \npositions, then post positions for \nthe upcoming staffing cycle. \nSubmit job \ndescriptions for \nvacant and newly \ncreated positions to \nOHC \nLate \nFebruary" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 6 of 27 \n \n \nII. POSTING OF TEACHING POSITIONS \nThe staffing process for the 2023-2024 school year includes a \nhiring timeline designed to facilitate attracting and hiring the \nmost diverse, qualified, and effective teachers as early as possible. \nPersonnel Subcommittee \nSchools must ensure that the Personnel Subcommittee of the \nSchool Site Council is formed and ready to begin the hiring \nprocess by March 1. Schools must submit a complete roster of \nPersonnel Subcommittee members to the Office of Family and \nStudent Engagement by the end of October. Training related to \npersonnel subcommittees are offered by the Office of Family and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 12, + "content": "Student Engagement, the BTU, and the Office of Human \nResources. Details about the personnel subcommittee can be \nfound in Superintendent\u2019s Circular FAM-04. \nProcess \nHiring early will ensure that schools are able to secure the most \nqualified candidates. Positions will be posted on TalentEd in early \nMarch once Probable Org and determination of vacancies have \nbeen concluded. Teachers who wish to apply for a position \neffective the first day of school for the upcoming school year \nmust apply for postings online through TalentEd. Current BPS \nteachers may apply for any position for which they are qualified. \nApplicants who wish to be considered for inclusion in the district" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 13, + "content": "priority pool must submit their applications for the priority pool \nthrough TalentEd by March 1, 2024. Candidates for the priority \npool will undergo a competency-based phone and resume \nscreening process coordinated by the Office of Recruitment, \nCultivation, and Diversity." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 7 of 27 \n \n \nAll approved hires will become effective on the first day of work \nfor the upcoming school year. Any teacher who accepts a new \nposition is not eligible to apply for any additional teaching jobs \nfor the 2024-2025 school year. Beginning July 1, 2023, OHC will no \nlonger approve lateral hires to prevent unanticipated vacancies \nlate in the hiring season. \nHiring Approval \nThe Boston Public Schools is committed to recruiting, retaining, \nand promoting a highly qualified, culturally, and linguistically \ndiverse workforce that reflects the rich diversity of our students \nand positively impacts both academic and non-academic student" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 15, + "content": "learning outcomes. The Office of Equity, Office of Human \nResources, and school superintendents will establish an \naccountability process to ensure that reasonable efforts have \nbeen made to hire teachers that move schools and the district \ntoward meeting our workforce diversity goals. \nCandidates hired must be qualified and meet diversity hiring \nrequirements: \n\u2022 Teachers hired must hold valid licensure for the position. \n\u2022 Teachers hired must move the school toward meeting or \nmaintaining district diversity goals. \n\u2022 School hiring teams must complete reference checks. \nHeads of school or principals and School Site Council Personnel" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 16, + "content": "Subcommittees should also be sure to interview qualified \nexcessed permanent teachers. \nQualifications for Additional Program Areas \nDeadline: January 1, 2024" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 8 of 27 \n \n \nPermanent teachers may apply for additional program area(s) to \nidentify a non-primary subject area(s) in which they are licensed. \nPermanent teachers who wish to apply for additional program \nareas must submit their request via this online form to the online \nApplication for Additional Program Areas. Supplemental \nmaterials must be submitted to the Office of Human Resources \nby mail or in person. Applications and complete documentation \nmust be submitted to the Office of Human Resources by January \n15, 2024. \nFor additional information about applying for additional program \nareas, please refer to Superintendent\u2019s Circular HRS-HS07.1," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 18, + "content": "Qualifications for Additional Program Areas. \nJob Sharing for Permanent Teachers and Paraprofessionals \n1) Eligibility: All teachers requesting participation in job-\nsharing must hold the appropriate license for the position. \n2) Process: Permanent teachers or paraprofessionals who wish \nto indicate their interest in job sharing should submit an \napplication via the Application for Job Sharing form by \nMonday, March 25, 2024. Each candidate must submit their \nown application. This submission of the application is an \nindication of interest only and is not binding. \nParticipation in job-sharing requires approval by the \nprincipal/head of school. The principal/head of school should" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 19, + "content": "submit their approval via the Job Sharing Principal Approval form \nby Monday, March 25, 2024. \nFor additional information about job sharing please refer to \nSuperintendent\u2019s Circular HRS-HS02, Job Sharing for Permanent \nTeachers and Paraprofessionals for School Year 2023-2024. The \nBoston Teachers Union also holds an informational meeting" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 9 of 27 \n \n \nevery spring. Information on the specific date and time will be \nshared in the BTU bulletin. \nIII. EXCESSING \nVoluntary and Involuntary Reassignment/Excess \nA. Voluntary Excessing \u2013 Teachers and Paraprofessionals \nDeadline: February 1, 2024 \nAll permanent teachers or paraprofessionals who meet the \nVoluntary Excessing eligibility criteria as outlined in the \nCollective Bargaining Agreement (1) including those on \nleave of absence, may voluntarily request excessing \nregardless of whether there is a reduction in the number of \npositions. Teachers and paraprofessionals who voluntarily" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 21, + "content": "excess themselves forfeit their rights to the position they \nhave left. \nVoluntary Excessing Requirements for Teachers: \n\u25cf The teacher must hold permanent status. \n\u25cf The request must be submitted to OHC by February 1, 2024 \n(see instructions below). \n\u25cf The teacher must possess an overall rating of Proficient or \nhigher on their most recent evaluation, which includes the \nFormative Assessment. \n \n(1) Refer to the Collective Bargaining Agreement (September 1, \n2018 \u2013 August 31, 2021) pp. 76-77 for a list of requirements for \nteachers and pp. 136 for paraprofessionals." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 10 of 27 \n \n \n\u25cf The teacher may not have voluntarily excessed themselves \nwithin the prior two years. \n \nTeachers and paraprofessionals who wish to request \nexcessing should submit their Application for Reassignment \nor complete ATTACHMENT 1, Application for Reassignment, \nand submit it to their head of school or principal as well as \nthe Office of Human Resources by February 1, 2024. The \nOffice of Human Resources will review all applications and \ninform teachers or paraprofessionals and the school of the \nresults of the request. Teachers and paraprofessionals who \ndo not meet the above criteria will not be approved for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 23, + "content": "voluntary excessing. Requests for voluntary excessing can \nbe rescinded up until February 9, 2024. Approved requests \nare considered binding after that date. \nB. Involuntary Reassignment/Excessing \nDeadline: All involuntarily excessed teachers and nurses will \nbe notified on or before April 15, 2024. \nTo stay in a current position, permanent educators must \nhold the appropriate license(s) for the role to which they are \nassigned; otherwise, the educator will be excessed. \n \nAdditionally, it may be necessary to excess permanent \nteachers if there is a reduction in the number of teaching \npositions for the following school year, a school is identified" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 24, + "content": "for closure, or the Massachusetts Department of Education \ndesignates it as Level 4 school. When a reduction in the \nnumber of positions occurs, involuntary excessing will be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 11 of 27 \n \n \nfirst by volunteers in a program area, then by reverse \nseniority within a program area unless: \na. A teacher with more seniority voluntarily requests to be \nexcessed; or, \nb. The excessing of the least junior teacher would prohibit \ncompliance with U.S. District Court Order dated July \n1994. \nSchools with specific types of staffing autonomy may also \ninvoluntarily excess teachers. The school\u2019s ability to \ninvoluntarily excess teachers must be included in the \nschool\u2019s governing document. \nPlacement in Positions of Suitable Professional Capacity \nPermanent teachers who are not hired into vacant positions" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 26, + "content": "will be assigned in a suitable professional capacity in \naccordance with the BPS/BTU contract. \nIV. STAFFING FOR PROVISIONAL TEACHERS \nA. Reasonable Assurance for Provisional Teachers \nFirst and second-year provisional teachers may be eligible to \nreceive reasonable assurance that they will continue in their \ncurrent position for the following school year. Provisional \nteachers must hold a valid DESE license(s) for the position in \nwhich they are teaching in order for a Letter of Reasonable \nAssurance to be granted. No exceptions will be made. \nIn addition to budgetary and licensure concerns, a teacher\u2019s \nperformance, as measured through the Massachusetts" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 27, + "content": "Regulations on Evaluation of Educators (603 CMR 35.00), is a \nmajor factor in determining whether a provisional teacher \nreceives a Letter of Reasonable Assurance. Principals and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 12 of 27 \n \n \nheads of school will be held accountable for ensuring that all \nprovisional teachers receive a Formative Assessment, which \nincludes an overall rating, by February 1, 2024. Provisional \nteachers who have not been evaluated will not be eligible to \nreceive a Letter of Reasonable Assurance. \nDuring Probable Organization, school leaders will work with \nOHC to identify all provisional teachers who are eligible to \nreceive reasonable assurance, listing them in their Probable \nOrganization template. OHC will send letters of Reasonable \nAssurance by April 15 to provisional teachers. \nRequests for permanent appointment for current" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 29, + "content": "Requests for permanent appointment for current \nProvisional 1 and Provisional 2 teachers will not be granted. \nSee section IV.A below for information regarding Provisional \n3 teachers and the awarding of permanent status. \nB. Permanent Appointment of Provisional Teachers \nEligibility \nThe Massachusetts Regulations on Evaluation of Educators \nstipulate that achievement of Professional Teaching Status \n(being made a permanent teacher in BPS) is dependent \nupon receiving a rating of Proficient or above on all four of \nthe Standards of Effective Teaching Practice, as well as an \noverall rating of Proficient or Exemplary. See below for \nadditional criteria required for permanent status." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 13 of 27 \n \n \nA school leader may recommend an educator (2) for \npermanent appointment (3) if they meet all the following \ncriteria: \n\u25cf The teacher is provisional, and in their third year at BPS. \n\u25cf The teacher received a rating of Proficient or Exemplary \noverall and on all four Standards of Effective Teaching on \na Formative Assessment, released by February 1, 2024. \n\u25cf The teacher will remain in the same position in their \ncurrent school for the 2023-24 school year. \n\u25cf The teacher holds a valid DESE license(s) for the content \narea in which they are teaching. \n\u25cf The teacher holds either an ESL license or SEI" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 31, + "content": "\u25cf The teacher holds either an ESL license or SEI \nEndorsement (Core content teachers of ELLs as required \nby DESE) or a Bilingual Educator Endorsement (BEE), \nshould the BEE be requirement by their position. \nPlease note: While the head of school or principal may \nrecommend a Provisional 3 teacher for permanent status \nbased upon fulfillment of the criteria above, the teacher may \nnot be granted permanent status until a Summative \n \n(2) Educators considered teachers and eligible for Professional \nTeacher Status as defined by M.G.L. c.71 \u00a7 41 include teachers, \nschool librarians, school adjustment counselors, school nurses, \nschool social workers, or school psychologists." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 32, + "content": "school social workers, or school psychologists. \n(3) A school leader may make the recommendation for \npermanent appointment when the educator is still in their third \nyear to take effect on the first day of their fourth year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 14 of 27 \n \n \nEvaluation is released which indicates Proficient or \nExemplary practice overall in all four standards. \nIf a Provisional 3 teacher does not achieve a rating of \nProficient or Exemplary overall on all four standards on their \nFormative Assessment, they may be required to take a one-\nyear break in service. During the break in service, the \nteacher would not be eligible for employment as a teacher \nor substitute within Boston Public Schools. After the year-\nlong break in service, the teacher would once again be \neligible for vacant teaching positions, and, if hired, would \nreturn to Provisional 1 status. \nProcess" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 34, + "content": "return to Provisional 1 status. \nProcess \nTo recommend a Provisional 3 teacher for Permanent \nAppointment during Probable Organization, the head of \nschool or principal must take the following steps: \n1) Release the teacher\u2019s Formative Assessment by January \n12, 2024 \n2) Identify the position that the teacher will hold for the \n2023-24 school year \n3) Record the recommendation for Permanent \nAppointment on the Provisional Review Process page in \nFutureForce Version 2 \n \nIf, upon the principal or head of school\u2019s release of the end-\nof-year Summative Evaluation, the provisional teacher has \nsuccessfully demonstrated effective teaching practice(s) by" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 35, + "content": "achieving a rating of Proficient or Exemplary overall and on" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 15 of 27 \n \n \nall four standards of effective teaching, they will become \npermanent as of September 2023. \nV. LEAVES OF ABSENCE \nA. Planning to Take a Leave of Absence in 2024-2025 \nDeadline: January 15, 2024 \nPermanent teachers who are not currently on leave but \nare planning to take a Leave of Absence during the 2024-\n2025 school year (e.g., personal reasons, education), must \nsubmit a leave application by January 15, 2024. \nEmployees must submit a request for leave electronically \nvia Employee Self-Service. Employees should submit \napplications even if they have not officially been accepted \nfor a job and educational program but are in the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 37, + "content": "for a job and educational program but are in the \napplication process. If a teacher is not accepted into a \ngraduate program or job, the leave request can be \nrescinded, so long as the Office of Human Resources is \nnotified by April 1. \nFor further information regarding leaves of absences, \nincluding how to apply, please refer to Superintendent\u2019s \nCircular HRS-HS-PP13." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 16 of 27 \n \n \nB. Currently on a Leave of Absence \nDeadline: January 15, 2024 \nIn November 2023, teachers currently on non-medical leave \nwill be sent a letter informing them about the expiration of \ntheir leave. The teacher must submit the response form that \naccompanies the letter to the Office of Human Resources, \nstating their request to extend their leave/intent to remain \non their leave or return from leave by January 15, 2024. If the \nteacher does not respond by the deadline, they will forfeit \nrights to their position. \nThe leave letters are sent to the address listed on the Hub. \nEmployees are responsible for ensuring that this address is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 39, + "content": "correct. For further information regarding leaves of \nabsences, please refer to Superintendent\u2019s Circular HRS-\nPP13, Absence and Leave Policy. \nVI. HIRING OF INTERNATIONAL TEACHERS \nInternational teachers are not legally permitted to work or \nto be paid without proof of official United States Citizenship \n& Immigration Services (USCIS) work authorization. Heads of \nschool, principals, or RC managers should make it a \ncommon practice to inquire about the work authorization \nstatus of all their potential new hires." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 40, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 17 of 27 \n \n \nFor more information about this circular, contact: \nOwner: Chief Human Resources Officer \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Ave. Roxbury, MA 02119 \nPhone: 617-635-9600 \nEmail: ohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 18 of 27 \n \n \nATTACHMENT 1 \nAPPLICATION FOR REASSIGNMENT FOR TEACHERS AND \nPARAPROFESSIONALS \n \nSCHOOL: ________________________________________________________ \nLast Name__________________ First Name_______________Initial _____ \nMaiden Name [if any} _____________________________________________ \nEmployee I.D. # __________________________________________________ \nSELECT ONE: \uf06f Permanent Teacher \uf06f Paraprofessional \n \nTHIS SECTION TO BE COMPLETED BY PERMANENT TEACHERS \nONLY: \nI am requesting reassignment for the coming 2023-2024 \nacademic year, because (please check one) \n\uf06f I am a permanent teacher." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 42, + "content": "\uf06f I am a permanent teacher. \n\uf06f I am a permanent school nurse. \n\uf06f I am a permanent student support services coordinator \n(COSESS). \n\uf06f I am a paraprofessional. \n\uf06f There is a reduction in my program area. My program area \nis_________________________and my seniority date is __________ ." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 19 of 27 \n \n \nI understand that with this declaration this decision cannot be \nrescinded after February 14, 2024, and that I will be reassigned in \nthe coming school year in accordance with the provisions of the \nBoston Teachers Union Contract. \n \n______________________________________________ ___________________ \n Signature Date \nPLEASE RETURN THIS FORM TO YOUR HEAD OF SCHOOL OR \nPRINCIPAL AND OFFICE OF HUMAN RESOURCES. \nHEADS OF SCHOOL, PRINCIPALS, AND OTHER ADMINISTRATIVE \nHEADS MUST FORWARD THIS APPLICATION TO THE OFFICE OF \nHUMAN RESOURCES NO LATER THAN FEBRUARY 1, 2024. \nPlease mail, fax, or email this form to:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 44, + "content": "Please mail, fax, or email this form to: \nName: School and Central Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-9326 \nEmail: ohc@bostonpublicschools.org \n \nFor additional questions, please submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access Boston. \nAn electronic version of this form can be found at: \nhttp://www.bostonpublicschools.org/Page/1019" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 20 of 27 \n \n \nATTACHMENT 2: \nAPPLICATION FOR ADDITIONAL PROGRAM AREAS (APA) \n2023-2024 ONLINE FORMS \n \nThe Office of Human Resources has transitioned to using online \nforms. The Application for Additional Program Areas can now be \nfound at the link below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. Supplemental materials such as transcripts can be \nsubmitted via mail or in person to the Office of Human \nResources. \nLink to Apply: \n\u2022 Click Here for Additional Program Area Application \n\u2022 Or copy this URL: http://goo.gl/forms/JqftW4IOx1 \nSupplemental Documentation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 46, + "content": "Supplemental Documentation \nApplication approval is contingent on submission of one of the \nfollowing documents: \n\u2022 Official transcript(s) indicating the completion of fifteen (15) \ngraduate or undergraduate course credits relevant to the \nprogram area qualification \nOR \n\u25cf A signed letter from the head of school or principal, \nconfirming the following information: \no The subject area you taught (relevant to your \napplication)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 21 of 27 \n \n \no The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \no Confirmation that you taught at least 50% of the \nweekly schedule in that area. \nPlease fill out the application form and submit supplemental \ndocuments to the contact listed below by January 12, 2024. \n \nFor more information about this circular, please contact: \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9240 \nEmail: fcanty@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 48, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 22 of 27 \n \n \nATTACHMENT 3: \nAPPLICATION FOR JOB SHARING \nTo Indicate Interest in Job Sharing \nPermanent teachers or paraprofessionals who wish to \nindicate their interest in job sharing should submit a request \nusing the online form shown below. The submission of an \napplication only serves an indication of interest and is not \nbinding. The job sharing application and principal/head of \nschool approval forms must be submitted via the online \nform no later than 5:00 p.m. Monday March 25, 2024. \nOnline Forms \nThe Office of Human Resources now accepts job sharing \napplications online. Candidate applications for job share as" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 49, + "content": "well as principal/head of school approval can be submitted \nthrough the links below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. These links will also be made available through \nBTU and Paraprofessional representatives, the Boston \nPublic Schools website, and the Superintendent\u2019s Bulletin. \nClick Here for Job Sharing Request\u2014Applicant Form \nEach applicant interested in job sharing must submit their \nown form. Principals must submit the form below for \napproval. \nClick Here for Job Sharing Request\u2014Principal Approval Form \nPrincipals/heads of school must submit this form to approve \na job share request." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 50, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 23 of 27 \n \n \nFor more information about job sharing, please see \nSuperintendent\u2019s Circular HRS-HS02, or contact: \nOwner: Director of School-Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury MA, 02119 \nPhone: 617-635-9240 \nEmail: ohr@bostonpublicschools.org \n \n \n \n \n \n \n \n \n \n \n \n \n \nATTACHMENT 4: \nSTAFFING CALENDAR" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 51, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 24 of 27 \n \n \nDecember 2023 \nDecember 18 Deadline for teachers to submit Leave of Absence \nintent letters to OHC \nJanuary 2024 \nJanuary 10 \u2013 February 4 Budget Collaborative and Probable \nOrganization meetings \nJanuary 15 Deadline for: \nPermanent teachers to request Personal Reasons, \nor Educational Leaves, to commence at the \nbeginning of the next teacher work year \nPermanent teachers on approved year-long leaves \nto return November letter indicating intent to \nreturn at the start of next teacher work year or \nrequest an extension \n Teachers to submit Alternate Program Area \nrequests to OHC \nJanuary 17 Deadline for teachers to submit application for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 52, + "content": "Early Notification Incentive of Termination to \nreceive $1,500 \nDeadline for submission of Formative Assessments \nfor all educators on 1-year plans \n \nFebruary 2024 \nFebruary 1 (contractual deadlines) \nDeadline for teachers or paraprofessionals to \nsubmit reassignment requests (Voluntary Excess)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 25 of 27 \n \n \n Deadline to notify permanent teachers of excess in \nLevel 4, Innovation and Pilot Schools (Involuntary \nExcess) \n Deadline to notify paraprofessionals of excess in \nLevel 5 Schools (Involuntary Excess) \nFebruary 11 Deadline for teachers or paraprofessionals to \nrescind reassignment requests (Voluntary Excess) \nMarch 2024 \nBeginning \nMarch 1 Teacher positions posted \nMarch 18 OHC sends excess and layoff notices to \nparaprofessionals (tentative) \nMarch 25 Deadline for job share applications \nApril 2024 \nApril 1 - April 15 Paraprofessional transfer process (tentative) \nApril 15 (contractual deadline) Deadline to OHC to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 54, + "content": "notify all Permanent teachers of excess \n deadline to notify Provisional teachers of \nreasonable assurance \nApril 27 Excess notification to Guild members (tentative) \nMay 2024 \nMay 6 Deadline for recommended paraprofessional \ntransfer applicant decisions to TalentEd (tentative) \nMay 9 OHC sends assignment letters for paraprofessional \ntransfers (tentative)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 26 of 27 \n \n \n Paraprofessional Excess Pool participant and \nposition lists available \nMay 15 (contractual deadline) All evaluations due for \nlicensed educators on 1-year plans \n Guild Layoff notices issued \nMay 19 Paraprofessional excess pool (tentative) \nJune 2024 \nJune 1 (contractual deadline) Deadline for OHC to notify \nPermanent teachers, BASAS, and managerial of \nlayoff \nJune 3 Deadline for principals to submit paraprofessional \nexcess pool rankings to OHC \nJune 6 OHC finalizes paraprofessional excess pool \nassignments (tentative) \nJune 13 Guild Excess Pool (tentative) \nJune 15 (contractual deadline) Deadline for OHC to notify" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 56, + "content": "Provisional teachers of non-renewal \nJuly 2024 \nJuly 1 Deadline for the approval of internal lateral \ntransfers (hires). \nAugust 2024 \nAugust 15 OHC sends initial Suitable Professional Capacity \nassignment letters to Permanent teachers without \npositions (tentative)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 57, + "content": "Superintendent\u2019s Circular HRS-HS07 \nPage 27 of 27 \n \n \nPlease Note: Dates not subject to contractual requirements may \nchange." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM08 \nVersion 01 \n \n2024BUS MONITOR PERFORMANCE EVALUATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAccording to the collective bargaining agreement between the \nBoston School Committee and the United Steelworkers of \nAmerica, Local 2936, a principal or head of school (or designee) is \nresponsible for completing a performance evaluation for each \ntransportation monitor assigned to the school. This includes both \nSPED cab monitors and transportation attendants hired by the \nschool to ride the regular buses. The purpose of this evaluation is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 2, + "content": "to assess the performance of monitors assigned to schools. \nSPED CAB MONITORS \nA performance evaluation form will be sent to principals/heads of \nschool (or designee) along with a list of monitors who are \nassigned to their school. Principals must submit a form for each \nof their assigned monitors via email to \nbpsdot@bostonpublicschools.org by May 23, 2025 for all assigned \n(not standby) bus monitors that monitor their students. Using the \nevaluation form, the principal/head of school or designee will \nassess the monitor\u2019s performance. To assist school leaders in \ncompleting this form, information about the monitors' duties and \nresponsibilities is included in this circular." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 2 of 8 \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the assistant director of the Monitors \nUnit, Transportation Department at 617-230-3561. \nTRANSPORTATION ATTENDANTS \nThe principal/head of school of any school with a transportation \nattendant assigned to a regular bus must complete (or designate \nsomeone to complete) an evaluation form and send it as a PDF \nattachment via email to bpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org by May 23. \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the Director of Evaluation and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 4, + "content": "Performance Management, at 617-635-9627. \nDUTIES AND RESPONSIBILITIES FOR SPECIAL EDUCATION BUS \nMONITORS \nSpecial Education bus monitors have been assigned to monitor \nand assist students with special needs while they are being \ntransported to and from school. Their primary responsibilities \ninclude: \n\u25cf Boarding the vehicle before or at the same time as the first \nmonitor-required student on the route and remaining on the \nvehicle at all times until every monitor-required student has \nreached their stop \n\u25cf Attending to the special needs of monitor-required students, \nalthough monitors are also responsible for the general \nsupervision of all students on the vehicle" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 5, + "content": "supervision of all students on the vehicle \n\u25cf Riding with the students in the back of the vehicle and not in \nthe front seat unless only the front seat is available" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 3 of 8 \n \n\u25cf Assisting students in and out of the vehicle if necessary. This \nincludes setting up and collapsing wheelchairs or other \nequipment when necessary \n\u25cf Exhibiting proper behavior at all times \n\u25cf Ensuring that all students wear seat belts \n\u25cf Ensuring that students not leave the vehicle anywhere other \nthan their assigned stops. If a student leaves the vehicle \nwithout authorization, the driver must be instructed to contact \nthe dispatcher immediately \n\u25cf Prohibiting the consumption of food or beverages, smoking, or \nbringing radios on the vehicle \n\u25cf Notifying the school to which the monitor is assigned and the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 7, + "content": "operations coordinator at the yard if the monitor will be absent \nfrom work. Notification must take place by 4:30 am for the \nmorning or at least two hours prior to the scheduled reporting \ntime for the afternoon \n\u25cf Performing other related duties as directed by the supervisors. \n \nSummary of significant dates and deadlines: \nDate Activity \nMay 23 \nDeadline for principals/heads of school to submit signed copies \nas PDF attachments via email to \nbpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 4 of 8 \n \nFor more information about this circular, contact: \nOwner: Assistant Director of the Monitors Unit \nDepartment: Transportation Department \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-230-3561 \nFax: 617-635-7705 \nEmail: bpsdot@bostonpublicschools.org \n \nName: Director of Evaluation and Performance Management \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \n \nEmail eval@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 5 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nBUS MONITOR \u2013 SCHOOL YEAR 2024-2025 \n \nNAME OF MONITOR _________________________DATE \n \nEMPLOYEE # ___________NAME OF SCHOOL \nA.M.______ P.M._______ BUS NUMBER \n \nPlease review the position overview and complete the form. The \nfollowing scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee\u2019s performance of this \nposition\u2019s duties and responsibilities needs improvement." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 10, + "content": "S MEETS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \n \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. U N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. U N S E" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 6 of 8 \n \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to \npeople at all levels of the School Department and \nthe public. U N S E \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n Evaluator\u2019s Signature Date \n_____________________________________________ \n Principal/Head of School Date \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 7 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nTRANSPORTATION ATTENDANT \u2013 SUMMER 2025 \n \nNAME OF TRANSPORTATION \nATTENDANT: _______________________________ DATE \nEMPLOYEE # ____________NAME OF SCHOOL \n \n \nThe following scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee\u2019s performance of this \nposition\u2019s duties and responsibilities needs improvement. \nS MEETS EXPECTATIONS: The employee's performance of the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 13, + "content": "position's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. U N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. U N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. U N S E \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PM08 \nPage 8 of 8 \n \npeople at all levels of the School Department and \nthe public. U N S E \n \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n Evaluator\u2019s Signature Date \n_____________________________________________ \n Principal/Head of School Date \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM01 Performance Evaluation of Teachers", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM01 \nVersion 01 \n \n \n \nPERFORMANCE EVALUATION OF TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nComprehensive information pertaining to the performance \nevaluation of BTU under the 2011 education regulation \namendments (603 CMR 35.00) is now located at the Office of \nHuman ResourcesEvaluations webpage. \nA summary of BTU dates and deadlines can be found on Page \n73 of the BTU-BPS Collective Bargaining Agreement. \nLong-Term Substitute Teachers are considered Teachers for \nthe purposes of performance evaluation if they have been in \nposition continuously for more than fifteen (15) consecutive" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM01 Performance Evaluation of Teachers", + "chunk_id": 2, + "content": "days. \nGeneral inquiries regarding performance evaluation of DESE-\nlicensed educators may be directed to: \neval@bostonpublicschools.org \nInformation regarding performance-related dismissal of \nteachers may be found in Superintendent\u2019s Circular #HRS-\nPP19." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM01 Performance Evaluation of Teachers", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM01 \nPage 2 of 2 \n \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nPhone: 617-635-9627 \nE-mail: eval@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP12 \nVersion 01 \n \nDOMESTIC VIOLENCE LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools is committed to the health and safety of \nour employees and their families. This circular is intended to \ncomply with applicable state laws (1 ) that are designed to protect \nvictims of domestic violence. Should you or your family member \nbe a victim of domestic violence or abusive behavior, you are \nencouraged to communicate with the Office of Human resources \nabout the situation. \nBoston Public Schools must provide employees with up to 15" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 2, + "content": "days of time off in a 12-month period, if: \n\u2022 the employee or their family member is the victim of \nabusive behavior (such as domestic violence, stalking, sexual \nassault, or kidnapping); and \n\u2022 the purpose of the leave is to seek medical attention, \ncounseling, secure housing, or obtain legal or other victim \nservices directly related to the abusive behavior against the \nemployee or family member of the employee. \n \n(1) Section 52E of Chapter 149 of the Massachusetts General Laws \n(Section 10 of Chapter 260 of the Acts of 2014)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP12 \nPage 2 of 3 \n \nFor purposes of this policy, a family member includes: \n\u2022 Married spouses \n\u2022 Persons \"in a substantive dating or engagement \nrelationship\" AND who reside together \n\u2022 Persons having a child in common regardless of whether \nthey have ever married or resided together \n\u2022 A parent, step-parent, child, step-child, sibling, grandparent, \nor grandchild \n\u2022 Persons in a guardianship relationship \nYou are immediately eligible for this leave upon the beginning of \nyour employment. Employees may use accrued sick, personal, \nand vacation time to remain in paid status during a covered leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 4, + "content": "under this policy. If no accrued time is available, leave under this \npolicy will be unpaid. \nWe request that you provide appropriate advance notice of this \nleave (as required by the current leave policy), unless there is an \nimminent danger to your immediate health and safety (in which \ncase, we must receive notification within 3 workdays that the \nleave was taken or is being taken for reasons covered by this \npolicy). If you take this leave, please provide documentation \nevidencing that you or your family member has been a victim of \ndomestic violence or abusive behavior within 30 days of the leave \nrequest. Such forms of documentation may include: \n\u2022 A court issued protective order" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 5, + "content": "\u2022 A court issued protective order \n\u2022 An official document from a court, provider, or public \nagency \n\u2022 A police report or statement of a victim or witness provided \nto the police" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP12 \nPage 3 of 3 \n \n\u2022 Official legal documentation attesting to perpetrator\u2019s guilt \n\u2022 Medical documentation of treatment for the abusive \nbehavior \n\u2022 A sworn statement from the employee attesting to being a \nvictim of abusive behavior \n\u2022 A sworn statement from a professional who has assisted the \nemployee or the employee's family, e.g., a counselor, social \nworker, health care worker, or member of the clergy. \nPerpetrators of domestic violence are not entitled to leave under \nthis statute. \nProvided you have submitted proper documentation, your \nemployment is protected for leave taken under this policy. If you" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 7, + "content": "have questions at any time as to how this policy applies to you, \nplease do not hesitate to contact the Office of Human resources. \nFor more information about this circular, contact: \nName: Employee Services \u2013 Leave of Absence Team \nDepartment: Office of Human resources \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS04 \nVersion 01 \n \nSCHOOL LEADER SCREENING PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe process for recruiting, screening and hiring for school leader \nvacancies requires collaboration among many offices, including \nthe Superintendent, Regional School Superintendents, the Office \nof Human Resources, the Office of Engagement, the Division of \nSchools, and the schools with vacant leadership positions. \nSchool leader vacancies may be filled either through this process, \nor through the appointment of an existing employee or an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 2, + "content": "external candidate by the Superintendent. The latter would not \nrequire the position be posted in the manner described in this \ncircular. \n \nPOSITION POSTING \nA job posting for school leader positions will be available by \nNovember 1, 2024. The application can be found by searching \n'school leader'. The selection process will yield qualified \ncandidates for the entire district and for autonomous schools. \n\u25ba Please note: Autonomous schools have the right to create \nand advertise their own job postings in order to recruit" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 2 of 10 \n \ncandidates who align with the specific vision and values of \ntheir communities. See \u201cAUTONOMOUS SCHOOLS\u201d, page 8. \n \nMINIMUM QUALIFICATIONS \nMinimum qualifications are as follows: \n\u25cf Master\u2019s degree in education or related field. \n\u25cf Evidence of submission or successful completion of all MA-\nPAL tasks (Massachusetts Performance Assessment for \nLeaders) or \n\u25cf Principal/Assistant Principal licensure or equivalent by time \nof appointment. \nPREFERRED QUALIFICATIONS \nPreferred qualifications are as follows: \n\u25cf Fluency in one or more non-English languages. \n\u25cf 5+ years of experience as a school leader in a large, urban \nschool district." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 4, + "content": "school district. \nPRE-SCREENING AND SELECTION PROCESS \nThe selection process consists of the following phases: \n\u25cf Phase I: Application and Resume Review (Nov 2024 - Feb \n2025). \n\u25cf Phase II: Performance Tasks (Nov 2024 - Feb 2025). \n\u25cf Phase III: School-Based Interview (Jan - April 2025). \n\u25cf Phase IV: Interview with Superintendent or Superintendent \nDesignee (March - April 2025)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 3 of 10 \n \n \nCandidates who successfully advance through the first two \nphases of the process will be eligible to interview with school-\nbased hiring teams The school-based hiring process is led by the \nRegional School Superintendent or their designee. The Regional \nSchool Superintendent or designee will convene the School \nScreening Committee and serve as the Chairperson. As \nChairperson they shall decide which of the approved candidates \nshall interview with the Committee, based on the characteristics \nand needs of that school community. \nSCHOOL SCREENING COMMITTEE GUIDELINES \nThe Regional School Superintendent or designee shall chair the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 6, + "content": "School Screening Committee for all school leader positions, \nincluding those for autonomous schools. The Office of \nEngagement will provide support to the Chairperson of the \nSchool Screening Committee by coordinating the vote to \ndetermine who will serve on the School Screening Committee as \nwell as by leading those committee members through a bias \ntraining. \nMembers: \nThe membership of the School Screening Committee shall \ninclude the following: \n\u25cf The Regional School Superintendent and/or \nsuperintendent\u2019s designee, who serves as Chairperson. \n\u25cf Three teacher members of the Boston Teachers Union (BTU) \nrepresenting the racial and ethnic diversity of the school\u2019s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 4 of 10 \n \nstudent population, selected by BTU members on the \nSchool Site Council. \n\u25cf One member of the Boston Association of School \nAdministrators and Supervisors (BASAS), as selected by the \nChairperson, with special consideration for any BASAS \nmembers working at the school. \n\u25cf Three parents from the school, selected by parent members \nof the School Site Council, and representing the racial and \nethnic diversity of the school\u2019s student population. At least \none must be an elected member of the School Site Council \nor School Parent Council. \n\u25cb Among the three parent members selected, one must" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 8, + "content": "be a parent of a special education student or a student \nin a program for Multilingual Learners if a special \neducation program or program for English Learners is \nin place at the school. Parent members of the School \nSite Council shall select this parent. \n\u25cf Optional: At the discretion of the School Screening \nCommittee Chairperson, one representative from a partner \norganization that works closely with the school, such as a \ncommunity, business or higher education partner. \n\u25cf Secondary only: One student from the School Site Council or \na student from the Student Advisory Council. \n\u25cf School mergers only: In the event two schools are scheduled" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 9, + "content": "to merge and, as a result must complete a screening \nprocess for a new School Leader, the School Screening \nCommittee shall be comprised of the same members as \nlisted above, with the following adjustments: \n\u25cb Two BTU members from each school from different \nracial groups, selected by BTU members on the School \nSite Council" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 5 of 10 \n \n\u25cb Two parents from each school, selected by parent \nmembers of the School Site Council, and representing \nthe racial and ethnic diversity of the school\u2019s student \npopulation. At least one must be an elected member of \nthe School Site Council or School Parent Council. \n\u25cb The Operational Leader for the region, who shall serve \nas the BASAS representative. \nAll Committee members shall adhere to norms of respect, \ncollaboration and confidentiality throughout the screening \nprocess. In the event any committee member fails to conduct \nthemselves according to these norms, that member may be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 11, + "content": "removed from the process, per the discretion of the Chairperson. \nProcess: \nUpon creation of the School Screening Committee, the \nChairperson shall give written notice to each committee member \nat least five working days prior to the first meeting. Screening \nCommittee members shall also receive from the Chairperson a \ncopy of each candidate\u2019s application materials and a screening \npacket, which will include guidelines for interviewing and scoring \ncandidates and a list of all committee members. \nSchool mergers only: In the event two schools are scheduled to \nmerge, both sitting school leaders shall have the opportunity to \nbe interviewed by the School Screening Committee." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 12, + "content": "Upon convening, the Committee will:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 6 of 10 \n \n\u25cf Review the responsibilities and functions of the committee, \nincluding this Superintendent\u2019s Circular. \n\u25cf Review the job description, including the qualifications \nneeded for the position. \n\u25cf Review the School Leader Rubric & Scoring Guide for \ncandidate interviews, which shall be based on candidates\u2019 \nproficiency in the standards for school-level administrators \nas enumerated by DESE: \n\u25cb Instructional Leadership \n\u25cb Management and Operations \n\u25cb Family & Community Engagement \n\u25cb Professional Culture \n\u25cf Committees shall use the School Leader Rubric & Scoring \nGuide as the basis for their scoring." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 14, + "content": "Guide as the basis for their scoring. \n\u25cb Per the Guide, School Screening Committee members \nshall score candidate responses in private. The \nChairperson shall then aggregate scores and \nrecommend the top three candidates based on these \nscores (See \u201cReports\u201d below). \n\u25cf Establish an interview schedule. \n\u25cb Set dates and times for candidate interviews and \nfuture meetings. \nQuorum for the meetings shall be a majority of the members and \nmust include the Chairperson and at least one parent and one \nteacher. At least one member present must be a person of color. \nIf any of these groups is not represented, the remaining \ncommittee members may, by unanimous vote, decide to proceed" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 15, + "content": "with meetings. Decisions of the Screening Committee must be \nmade with a quorum present and shall be carried by a majority of \nthe members present at the meetings. Voting shall be done by" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 7 of 10 \n \nsecret ballot unless the committee decides otherwise. All \nmembers of the Screening Committee are equal in status and \nhave one vote. \nRepresentatives from the Office of Human Capital, the Office of \nEquity, the Office of Engagement or the Office of Leadership \nDevelopment may attend meetings. \nTIMELINE \nIn order to ensure the placement of strong candidates as early as \npossible, School Screening Committees shall make every attempt \nto move efficiently through the above-listed steps, while still \nmaintaining the integrity of the process. Specifically, School \nScreening Committees shall aim to convene, establish an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 17, + "content": "interview schedule and determine the three highest-scoring \ncandidates within one month from the date a vacancy becomes \npublic. Should the Committee not be on pace to accomplish this, \nthe Chairperson reserves the right to waive the quorum \nrequirements listed above in order to convene meetings and \nconduct interviews. \nINTERIM APPOINTMENTS \nAny schools which have Interim School Leaders shall convene the \nSchool Screening Committee in January and shall conclude their \nsearch by March 1, 2025. \nAny schools with vacancies which emerge following May 1, 2025 \nmay, at the discretion of the Regional School Superintendent, \nforgo the above-listed steps and the Superintendent shall instead" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 18, + "content": "appoint an Interim School Leader for the following year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 8 of 10 \n \nSCREENING COMMITTEE MEETING NOTES \nThe Chairperson shall ensure that Screening Committee meeting \nnotes are taken at each meeting and that the following \ninformation is accurately noted: \n\u25cf Name, race, and affiliation of each Screening Committee \nmember. \n\u25cf Dates and times of meetings. \n\u25cf Attendance at each meeting. \n\u25cf All votes taken. \nAll members may have copies of the meeting notes. After the \nscreening process is complete, the members of the Screening \nCommittee will return all resumes and meeting notes to the \nOffice of Leadership Development. All information disclosed at all" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 20, + "content": "Screening Committee meetings is assumed confidential, both to \nensure the integrity of the hiring process and to protect \napplicants whose employers may not be aware they are applying \nfor a position. \nThe Chairperson is responsible for working with the Department \nof Schools to improve and/or increase the pool of applicants. \nREPORTS \nPer the School Leader Rubric & Scoring Guide, the Chairperson of \nthe Screening Committee will ensure that the scores from the \nCommittee\u2019s resume screening and interviews are accurately \ntracked and recorded. The Chairperson will tally the candidate \nscores from the Committee and will identify the top three" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 21, + "content": "recommended candidates based on these scores. The \nChairperson will then complete a School Leader Nomination" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 9 of 10 \n \nForm which lists these three candidates. The form will be \nsubmitted to the Chief of Schools, the Chief of Staff and the \nExecutive Director of Leadership Development for next steps \nwith the Superintendent, who will make the final determination. \n\u25cf At least one of these three candidates must be a person of \ncolor. \n\u25cf The Chairperson of the Committee may add additional \ncandidate(s) to the nomination form, above and beyond the \nthree required, per their discretion. \nFINAL INTERVIEWS AND DECISION \n\u25cf Upon receipt of the Screening Committee\u2019s \nrecommendations, the Superintendent and/or the Regional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 23, + "content": "School Superintendent will interview recommended \ncandidates. \n\u25cf The Regional School Superintendent and/or designee will \ncheck references and report back information to the \nSuperintendent, who will determine the final appointments. \nThe Superintendent retains the authority to appoint the \nschool leader recommended by the School Screening \nCommittee or may choose to appoint another candidate. \n\u25cf The Superintendent will notify the Screening Committee of \nthe final decision of the selected candidate. \n\u25cf The Office of Human Resources will send offer letters to new \nhires." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular HRS-HS04 \nPage 10 of 10 \n \nAUTONOMOUS SCHOOLS \nAll elements of this circular shall apply to autonomous schools \n(Pilot, Horace Mann Charters, Innovation and In-District Charter \nSchools) in the same manner they apply to non-autonomous \nschools. The School Screening Committee Chairperson shall \ncollaborate closely with the governing boards of autonomous \nschools to ensure an efficient and effective process that aligns \nwith the vision of the school community. \nUniquely, the governing boards of autonomous schools have the \nright to create and advertise their own job postings in order to \nrecruit candidates who align with the specific vision and values of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 25, + "content": "their communities. Such candidates must still be vetted and \napproved through Phase 1 & Phase 2 of the district-wide process \noutlined above (\u201cPre-Screening and Selection Process,\u201d pg.1). \n \nFor more information about this circular, contact: \nDepartment: Division of Schools \nMailing Address: Bruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nFax: 617-635-7956 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PP09 \n \n \nCRIMINAL HISTORY SCREENING \nThis policy circular shall remain in effect unless rescinded or \nreplaced by a subsequent version. \nThe Boston School Committee and superintendent are \ncommitted to providing a safe learning and work environment \nfor Boston Public Schools students and employees. Following all \napplicable federal and state laws and regulations regarding \nCriminal Offender Record Information (CORI), including \nfingerprinting and Sex Offender Registry Information (SORI), it is \nthe policy of the Boston Public Schools to conduct a criminal \nbackground check (\u201cCORI check\u201d) at least once every three (3)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 2, + "content": "years on current and prospective employees, contracted service \nproviders, volunteers, school transportation providers, and other \nindividuals who may have direct and unmonitored contact with \nchildren.1 The Boston Public Schools criminal history screening \npolicy applies to all current and prospective: \na. full-time or part-time employees and candidates for \nemployment, including promotions \nb. substitute employees \nc. student teachers, apprentices, and interns \n \n1 See also the Boston Public Schools Sexual Offender Registry \nInformation (SORI) Policy." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 2 of 32 \n \nd. employees of educational programs \ne. individuals who regularly provide school-related \ntransportation to children \nf. contractors \ng. volunteers, subcontractors, and laborers who perform work \nin school buildings or on school grounds 2 \nThe Department of Criminal Justice Information Services (DCJIS) \nprovides Boston Public Schools with \u201cRequired 2\u201d access to CORI. \nRequired 2 access produces a CORI record that includes all \nadult/youthful offender convictions, non-convictions, and \npending offenses but does not list any sealed, juvenile, civil, or \nnon-incarcerable crimes. The following practices and procedures" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 4, + "content": "are applicable when CORI and other criminal history checks, \nincluding fingerprint screening, are part of a general background \ncheck for employment or volunteer work in BPS. \nCONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) \nSCREENING \nCriminal history checks, including CORI checks and fingerprint \nscreenings, will only be conducted as authorized by the \nDepartment of Criminal Justice Information Services (DCJIS) \nunder Mass. Gen. Laws c. 6, \u00a7\u00a7 172 and 172B \u00bd, c. 71, \u00a7 38R, 28 CFR \n20.33(a)(3), and Public Law 92\u2010544. Boston Public Schools will only \nperform a criminal history check after receiving a completed \n \n2 Volunteers, subcontractors, and laborers will not be subject to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 5, + "content": "fingerprinting." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 3 of 32 \n \nCORI/Fingerprinting Acknowledgement Form and confirming \nthe individual\u2019s identity. \nNOTE: BPS policy and procedures for criminal history checks \nincluding fingerprint screening are also subject to the \nregulations, policies, and procedures promulgated by the DCJIS \nand state board of elementary and secondary education. In \naccordance with those procedures, all candidates\u2019 fingerprints \nwill be searched against the Automated Fingerprint \nIdentification System (AFIS) fingerprint database which is \nmaintained by the Massachusetts State Police and the Federal \nBureau of Investigation\u2019s (FBI) Integrated Automated Fingerprint" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 7, + "content": "Identification System (IAFIS) fingerprint database. A fee will be \nrequired to conduct a fingerprint screen. \nIn the instance that the Boston Public Schools requests an \nadditional CORI Check from the DCJIS on an individual whose \nCORI has already been obtained within a year of signing the \noriginal CORI/Fingerprinting Acknowledgement Form, the \nindividual will receive notice within 72 hours that it intends to \nconduct an additional CORI check. A current employee being \nconsidered for promotion must submit to a CORI check, \nregardless of whether a CORI check has been conducted within \nthat year. \nACCESS TO CRIMINAL HISTORY INFORMATION (CORI AND \nFINGERPRINT SCREENING)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 8, + "content": "FINGERPRINT SCREENING) \nAll criminal history information obtained from the DCJIS is \nconfidential, and access to the information must be limited to \nthose individuals who have a \u201cneed to know.\u201d This may include, \nbut is not limited to, staff submitting the CORI requests and staff" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 4 of 32 \n \nmembers of the CORI/Criminal History Review Panel. The Boston \nPublic Schools maintains and keeps a current list of each \nindividual authorized to have access to, or view, a CORI and the \nresults of a fingerprint screen. This list must be updated every six \n(6) months and is subject to inspection at any time only upon \nrequest by the DCJIS. \nCORI TRAINING \nThe Boston Public Schools is an agency required to maintain a \nCORI Policy under Mass. Gen. Laws c. 6, \u00a7171A. Accordingly, all \npersonnel authorized to conduct criminal history background \nchecks or inspect CORI information will review and familiarize" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 10, + "content": "themselves with the educational and relevant training materials \nregarding CORI laws and regulations made available by the \nDCJIS. \nUSE OF CRIMINAL HISTORY IN BACKGROUND SCREENING \nThe Boston Public Schools shall only access, for employment \npurposes, the CORI and fingerprinting information for candidates \nwho are otherwise qualified for the position for which they have \napplied and for current employees during periodic criminal \nbackground checks. \nUnless otherwise provided by law, a criminal record will not \nautomatically disqualify an individual for employment, contract \nwork, subcontract work, volunteering, or interning. Suitability" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 11, + "content": "determinations based on criminal background checks will be \nconsistent with this policy and applicable laws or regulations. \nI. Verifying a Subject\u2019s Identity" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 5 of 32 \n \nIf a criminal record is received from the DCJIS, the information is \nto be closely compared with the information on the \nCORI/Fingerprinting Acknowledgement Form and any other \nidentifying information provided by an individual to ensure the \nrecord belongs to the individual. \nIf the information in the CORI record provided does not precisely \nmatch the identification information provided by the individual, a \ndetermination is to be made by a Boston Public Schools \nemployee(s) authorized to make such determinations based on a \ncomparison of the CORI record and documents provided by the \nindividual. \nII. Inquiring About Criminal History" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 13, + "content": "II. Inquiring About Criminal History \nIn connection with any decision regarding employment, \ninternships, or volunteer opportunities within the Boston Public \nSchools, the individual shall be provided with a copy of their \ncriminal history record, whether obtained from the DCJIS or any \nother source, before asking the subject questions about their \ncriminal history. The source(s) of the criminal history record is \nalso to be disclosed to the subject." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 6 of 32 \n \nIII. Determining Suitability \nWhen an individual\u2019s CORI record or fingerprint screen lists one \nor more offenses, the first step is to convene the CORI/Criminal \nHistory Review Panel. The panel will verify that the criminal \nrecord belongs to the individual and that the individual has not \ndisputed the criminal record\u2019s accuracy based on the procedure \ndescribed in Section V of this policy. \nFindings from CORI Investigations \u2013 No Further Review \u2013 \nOutstanding Warrants \n1) If the CORI investigation reveals a conviction of a Table B \ncrime that is a felony more than ten years old or a Table B" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 15, + "content": "crime that is a misdemeanor more than five years old, and \nthere are no subsequent convictions or pending cases of \nany kind, the CORI/Criminal History Review Panel will not \nconsider such crime. For purposes of computing the five- \nand ten-year periods, the period will run from the date any \ncourt supervision, probation, or sentence was terminated. \n2) If the CORI investigation reveals an outstanding warrant for \nany offense, the CORI/Criminal History Review Panel will \ninform the candidate that they are ineligible for \nemployment unless the warrant is removed. \n3) Storage, retention, and destruction of all CORI reports, \nincluding those with a finding of \u201cno record,\u201d shall follow" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 16, + "content": "DCJIS regulations at 803 CMR 2.00: Criminal Offender \nRecord Information (CORI)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 7 of 32 \n \nFindings from CORI Investigation - Crimes Subject to Review \n1) If the CORI investigation reveals a conviction of a Table A \ncrime, regardless of when it occurred, or a pending Table A \ncrime, or a conviction of a Table B crime within the five- and \nten-year periods or a pending Table B crime, the \nCORI/Criminal History Review Panel will carefully consider \nthe following factors in its decision to hire or not hire the \ncandidate: \na. time since the conviction or pending offense \nb. age of the candidate at the time of the offense \nc. nature and specific circumstances of the offense \nd. the sentence imposed and the length of any period of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 18, + "content": "incarceration \ne. relationship of the criminal act to the nature of the \nwork to be performed \nf. number of offenses \ng. whether offenses were committed in association with a \ndependence on drugs or alcohol, from which the \ncandidate has since recovered \nh. any relevant evidence of rehabilitation or lack thereof, \nsuch as information about compliance with conditions \nof parole or probation, including orders of no contact \nwith victims and witnesses; and the individual\u2019s \nconduct and experience since the time of the offense, \nincluding but not limited to educational or professional \ncertifications obtained; and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 8 of 32 \n \ni. any other relevant information, including information \nsubmitted by the candidate or requested by the \nCORI/Criminal History Review Panel. \n2) The CORI/Criminal History Review Panel, using a form \nprescribed by BPS, will also make a written determination of \nits decision to hire or not hire such candidate. This form will \ndocument the factors and rationale for the decision of the \nCORI/Criminal History Review Panel. A copy of such written \ndetermination will be maintained by the CORI/Criminal \nHistory Review Panel in a secure location, together with the \nCORI and criminal record disclosure information that may" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 20, + "content": "have been requested under this policy. \nCompletion of the written determination form will serve to \nconfirm that the CORI/Criminal History Review Panel has \ncarefully reviewed the CORI and other relevant information, \nincluding information provided by the candidate, so that the \nvulnerable populations served by BPS are protected, and \ncandidates with criminal histories are given a fair \nopportunity to be employed and to reintegrate successfully \ninto the workforce. \n3) If the CORI/Criminal History Review Panel decides to hire a \ncandidate with a CORI showing a conviction of or pending \nTable A crime, the CORI/Criminal History Review Panel will" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 21, + "content": "submit the prescribed form to the Chief Human Resources \nOfficer, the Superintendent of Schools, or their designees. \nThe CORI/Criminal History Review Panel will not proceed to \nhire the candidate for ten business days from the date the \nChief Human Resources Officer or the Superintendent of \nSchools, or their designees receive the form. During such \ntime, the Chief Human Resources Officer, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 9 of 32 \n \nSuperintendent of Schools, or their designees may \ndisapprove the hire or request additional information. \nNotwithstanding the foregoing, a CORI/Criminal History \nReview Panel may proceed to hire the candidate before the \nexpiration of the five days if the Chief Human Resources \nOfficer or the Superintendent of Schools or their designees, \nafter receiving the prescribed form, informs the \nCORI/Criminal History Review Panel that they do not intend \nto disapprove the hire or request additional information. \n4) If the CORI/Criminal History Review Panel does not wish to \nhire a candidate with a Table A crime or a Table B crime" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 23, + "content": "within the five- and ten-year period, the prescribed form will \nbe completed and maintained on file in a secure location. \nADVERSE DECISIONS BASED ON CRIMINAL HISTORY \nINFORMATION (CORI AND FINGERPRINT SCREENING) \nIf the Boston Public Schools is inclined to make an adverse \ndecision based on criminal history background check results, the \ncandidate will be notified immediately. The candidate shall be \nprovided with a copy of the Boston Public Schools Criminal \nHistory Screening policy and their criminal history. The source(s) \nof the criminal history will also be revealed. The individual will \nthen be provided with an opportunity to dispute the accuracy of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 24, + "content": "the information. Individuals shall also be provided a copy of \nDCJIS\u2019 Information Concerning the Process for Correcting a \nCriminal Record. The Boston Public Schools will stay the decision \nfor a brief time and document the steps taken to comply with \nthis procedure. \nSECONDARY DISSEMINATION LOGS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 10 of 32 \n \nAll CORIs obtained from the DCJIS are confidential and can only \nbe disseminated as authorized under the applicable law and \nregulations. A central secondary dissemination log shall be used \nto record any dissemination of a CORI outside this organization, \nincluding dissemination at the individual\u2019s request. \nCORI/CRIMINAL HISTORY REVIEW PANEL \nThe Boston Public Schools CORI/Criminal History Review Panel \nshall consist of four or more of the following individuals: the \nDeputy Superintendent of Operations, the Chief Human \nResources Officer, the Director of Transportation, the Director of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 26, + "content": "Facilities, the Director of Labor Relations, the Director of Equity, \nor their designees. The panel, as well as the Superintendent, \nLegal Advisor, and Chief Operations Officer, shall all have access \nto criminal history information on a case-by-case basis as is \nnecessary to perform their job functions. When reviewing an \nindividual\u2019s criminal history information to determine whether an \nindividual is qualified for employment as a BPS employee or is \nqualified to work as a contractor, subcontractor, laborer, intern, or \nvolunteer, the panel will review such factors as outlined in \nSection VII. The panel will determine whether an individual" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 27, + "content": "qualifies for employment or will commence work as a contractor, \nsubcontractor, laborer, intern, or volunteer. The decision made by \nthe CORI/Criminal History Review Panel shall be recorded and \nshall be made by a majority of members present. A minimum of \nfour panel members must be present for a decision to be made. \nIn the interests of confidentiality and the furtherance of the \nprotection of school children, the identity of the panel reviewing \na particular subject\u2019s confidential criminal history will not be \ndisclosed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 11 of 32 \n \nREGISTRATION PROCESS FOR FINGERPRINTING \nYou must submit to fingerprinting as part of your criminal \nbackground screening to work for Boston Public Schools. Please \nfollow the steps below to register for an appointment to get \nfingerprinted at the nearest site (most likely Dorchester) \noperated by MorphoTrust USA. \nThe below summarizes the procedure to register and get your \nfingerprints taken. For further information and details, please see \nthe state\u2019s guide, \u201cStatewide Applicant Fingerprint Identification \nServices (SAFIS) Program: Registration Guide,\u201d available at the \nfollowing link: https://www.mass.gov/files/2017-06/safis-" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 29, + "content": "registration-guide-dcf-fv1-0_0.pdf \nStep 1: Sign up for an appointment online or over the phone. \n https://ma.ibtfingerprint.com/ \n 866-349-8130 \nStep 2: Give the Provider ID for Boston Public Schools. \n Enter the following number as the district Provider ID: \n00350000 \nStep 3: Pay a fee for the FBI and state government agencies \nto process your fingerprints. \nLicensed educators: $55 \nNon-licensed staffers: $35 \nStep 4: Make an appointment and get a Registration \nConfirmation Number. You will need to bring the \nRegistration Confirmation Number with you to your \nappointment. \nStep 5: Go to your appointment and bring a proper ID. \n Your ID must contain a photo, your full name, and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 30, + "content": "date of birth and be unexpired." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 12 of 32 \n \nStep 6: Obtain a receipt from MorphoTrust showing your \nfingerprints were taken. \n Keep your receipt and make a copy of it. \nStep 7: Mail the copy of your receipt to: \nBPS Office of Human Capital \n2300 Washington Street, 4th Floor \nBoston MA 02119 \nMISCELLANEOUS \na) All individuals covered by the Boston Public Schools CORI \nPolicy must submit an annual CORI Acknowledgment Form \nwithin ten days or following a request from the Office of \nHuman Capital. \nb) A CORI Acknowledgment Form is valid for one year from the \ndate the individual signs the form or until the conclusion of \na subject\u2019s employment, whichever comes first, and must be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 32, + "content": "maintained for a minimum of one year from the date of \nexecution. Within the year, the Boston Public Schools may \nsubmit an additional request for CORI but will first provide a \n72-hour written notice. If the individual objects to an \nadditional CORI, the CORI Acknowledgment Form becomes \ninvalid. However, the Boston Public Schools may make an \nadverse employment decision based on an individual\u2019s \nobjection to a request for CORI. Criminal history information \nwill be maintained confidentially, on a need-to-know basis \nonly, by the Office of Human Capital. A limited number of \ndesignated individuals will routinely review criminal history" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 33, + "content": "information. The Office of Human resourcesdesignee(s) will \nreceive and maintain all properly obtained criminal history" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 13 of 32 \n \ninformation and will keep the assistant superintendent of \nHuman resourcesinformed. \nc) CORI information will remain segregated and secured from \nall personnel files or other personnel information. Hard \ncopies will be stored in a locked, secured location. If the \nBoston Public Schools retains electronic copies of CORI \nreports, then the Boston Public Schools will password \nprotect and encrypt the reports. The reports will not be \nmaintained for more than seven (7) years after the \nemployee\u2019s last date of employment or after the final \ndecision not to hire the candidate. \nd) For any adverse decision based on the criminal background" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 35, + "content": "check results, the individual will be notified immediately, \neither in person or by telephone, fax, email, or letter. \ne) CORI information may be used only to further the protection \nof children and for no other purpose. Access to such \ninformation shall be obtained in accordance with Mass. Gen \nLaws c. 6, \u00a7\u00a7167 to 168, inclusive. Improper use of CORI \ninformation is both a civil and a criminal offense and may \nsubject an employee to discipline." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 14 of 32 \n \nFor more information about this circular, contact: \nOwner: Director of Labor Relations \nDepartment: Office of Labor Relations \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-1576 \nEmail: OLR@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 15 of 32 \n \nTABLE A \nCrime Name MGL \nABANDON CHILD UNDER 10, RESULTING IN DEATH c. 119, \u00a7 39 \nABUSE OF PATIENT IN LONG TERM CARE FACILITY c. 265, \u00a7 38 \nANIMALS, CRUELTY TO c. 272, \u00a7 77 \nARMED CAREER CRIMINAL c. 269, \u00a7 10G \nARSON OF DWELLING HOUSE c. 266, \u00a7 1 \nASSAULT, AGGRAVATED c. 265, \u00a7 13A(b) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nAGGRAVATED \nc. 265, \u00a7 15A(c) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nVICTIM 60 AND OLDER \nc. 265, \u00a7 15A(a) \nASSAULT & BATTERY ON CHILD c. 265, \u00a7 13J \nASSAULT & BATTERY ON ELDER OR PERSON WITH \nDISABILITY \nc. 265, \u00a7 13K \nASSAULT & BATTERY, INTIMIDATION, \nRACE/COLOR/RELIGION \nc. 265, \u00a7\u00a7 39(a) and \n39(b)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 38, + "content": "RACE/COLOR/RELIGION \nc. 265, \u00a7\u00a7 39(a) and \n39(b) \nASSAULT & BATTERY ON PERSON WITH \nINTELLECTUAL DISABILTY \nc. 265, \u00a7 13F \nASSAULT WITH INTENT TO MURDER OR ROB, \nARMED \nc. 265, \u00a7 18(b) \nASSAULT WITH INTENT TO MURDER OR ROB, \nVICTIM 60 AND OLDER, ARMED \nc. 265, \u00a7 18(a) \nASSAULT IN DWELLING, ARMED c. 265, \u00a7 18A \nASSAULT BY DANGEROUS WEAPON, VICTIM 60 \nAND OLDER \nc. 265, \u00a7 15B(a)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 16 of 32 \n \nASSAULT WITH INTENT TO MURDER OR MAIM c. 265, \u00a7 15 \nASSAULT WITH INTENT TO RAPE c. 265, \u00a7 24 \nASSAULT WITH INTENT TO RAPE CHILD UNDER 16 c. 265, \u00a7 24B \nBREAKING AND ENTERING NIGHT, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO COMMIT \nFELONY \n \nc. 266, \u00a7 16 \nCARJACKING, ARMED c. 265, \u00a7 21A \nCHILD IN NUDE OR SEXUAL ACT, POSE/EXHIBIT OR \nDISTRIBUTE MATERIAL \nc. 272, \u00a7\u00a7 29A and 29B \nCHILD ENTICEMENT c. 265, \u00a7 26C \nCIVIL RIGHTS VIOLATION, BODILY INJURY c. 265, \u00a7 37 \nCRIMINAL HARASSMENT, SUBSEQUENT OFFENSE c. 265, \u00a7 43A(B) \nDRUGS, DISTRIBUTE TO MINOR c. 94C, \u00a7 32F \nDRUGS, TRAFFICKING IN COCAINE c. 94C, \u00a7 32E(b)(1)-(4)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 40, + "content": "DRUGS, TRAFFICKING IN HEROIN c. 94C, \u00a7 32E(c)(4) \nDRUGS, TRAFFICKING IN MARIJUANA c. 94C, \u00a7 32E(a)(4) \nELDER/DISABLED, PERMIT ABUSE ON c. 265, \u00a7 13K(a \u00bd) \nEXPLOSION, MALICIOUS c. 266, \u00a7 102B \n(c. 266, \u00a7101 prior to \nJuly 15, 2010) \n \nEXTORTION c. 265, \u00a7 25 \nFIREARM, ARMED CAREER CRIMNAL c. 269, \u00a7 10G \nHOME INVASION c. 265, \u00a7 18C \nIDENTITY FRAUD c. 266, \u00a7 37E" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 17 of 32 \n \nINCEST c. 272, \u00a7 17 \nINDECENT ASSAULT & BATTERY ON PERSON 14 OR \nOVER \nc. 265, \u00a7 13H \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14 \nc. 265, \u00a7 13B \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED \nc. 265, \u00a7 13B\u00bd \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED, SUBSEQUENT EVENT \nc. 265, \u00a7 13B\u00be \nINDECENT ASSAULT & BATTERY ON \nDIABLED/PERSON OVER 60 \nc. 265, \u00a7 13K \nINDECENT ASSAULT & BATTERY ON RETARDED \nPERSON \nc. 265, \u00a7 13F \nKIDNAPPING c. 265, \u00a7 26 \nKIDNAPPING MINOR BY RELATIVE, ENDANGER \nSAFETY \nc. 265, \u00a7 26A \nMANSLAUGHTER (Voluntary or Involuntary) c. 265, \u00a7 13 \nMAYHEM c. 265, \u00a7 14 \nMURDER c. 265, \u00a7\u00a7 1 and 2" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 42, + "content": "MAYHEM c. 265, \u00a7 14 \nMURDER c. 265, \u00a7\u00a7 1 and 2 \nOBSCENE PICTURES, DISTRIBUTING c. 272, \u00a7\u00a7 28 and 29 \nOBSCENE MATERIALS HARMFUL TO MINOR, \nDISTRIBUTE OR POSSESS WITH INTENT TO \nDISTRIBUTE \nc. 272, \u00a7 28 \nPHOTOGRAPH UNSUSPECTING NUDE PERSON/ \nPHOTOGRAPH OF UNSUSPECTING NUDE PERSON, \nDISSEMINATE \nc. 272, \u00a7\u00a7 105(b) and (c) \nc.272, \u00a7\u00a7104(b) and (c) \nprior to March 7, 2014 \nPRESCRIPTION; FORGERY, ALTER, SUBSEQUENT \nOFFENSE \nc. 94C, \u00a7 33(c)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 18 of 32 \n \nPROSTITUTION, DERIVE SUPPORT FROM c. 272, \u00a7 7 \nPROSTITUTION, DERIVE SUPPORT FROM CHILD c. 272, \u00a7 4B \nPROSTITUTION, INDUCE MINOR TO c. 272, \u00a7 4A \nPROSTITUTION, MAINTAIN HOUSE OF c. 272, \u00a7 6 \nPROSTITUTION/UNLAWFUL SEX/ABDUCT PERSON \nFOR \nc. 272, \u00a7 2 \nPROSTITUTION/SOLICITATION (With Person under \n18); \nPROSTITUTION/SOLICITATION (With person under \n14); Prior to February 19, 2012 \nc. 272, \u00a7 53A(b) \nRAPE c. 265, \u00a7 22(b) \nRAPE, AGGRAVATED c. 265, \u00a7 22(a) \nRAPE & ABUSE OF A CHILD, AGGRAVATED c. 265, \u00a7 23A \nRAPE & ABUSE OF A CHILD, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, \u00a7 23B \nRAPE OF CHILD WITH FORCE c. 265, \u00a7 22A" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 44, + "content": "RAPE OF CHILD WITH FORCE c. 265, \u00a7 22A \nRAPE OF CHILD WITH FORCE, AGGRAVATED c. 265, \u00a7 22B \nRAPE OF CHILD WITH FORCE, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, \u00a7 22C \nRAPE OF CHILD (STATUTORY) c. 265, \u00a7 23 \nRECKLESS ENDANGERMENT TO CHILDREN c. 265, \u00a7 13L \nROBBERY, ARMED c. 265, \u00a7 17 \nSEX OFFENDER, FAILURE TO REGISTER c. 6, \u00a7 178H(a) \nSEXUAL CONDUCT WITH CHILD UNDER 18, PAY \nFOR OR FOR FEE; SEXUAL CONDUCT WITH CHILD \nUNDER 14, PAY FOR OR FOR A FEE; Prior to \nFebruary 19, 2012 \nc. 272, \u00a7 53A(b) \nSEXUAL INTERCOURSE, ADMINISTER DRUGS FOR c. 272, \u00a7 3" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 19 of 32 \n \nSEXUAL INTERCOURSE, INDUCE MINOR c. 272, \u00a7 4 \nSTALKING c. 265, \u00a7 43(a) \nSTALKING IN VIOLATION OF RESTRAINING ORDER c. 265, \u00a7 43(b) \nUNNATURAL ACTS WITH CHILD UNDER 16 c. 272, \u00a7 35A \nVIOLATE DOMESTIC PROTECTIVE ORDER c. 208, \u00a7 34C \nVIOLATION OF PROTECTIVE ORDER (209A) c. 209A, \u00a7 7 \nWEAPON OF MASS DESTRUCTION c. 266, \u00a7 102C \nCONSPIRACY TO COMMIT ANY OF THE ABOVE \nTABLE A CRIMES \nc. 274, \u00a7 7" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 46, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 20 of 32 \n \nACCESSORY BEFORE THE FACT OF ANY OF THE \nABOVE TABLE A CRIMES \nc. 274, \u00a7 2 \nATTEMPT TO COMMIT ANY OF THE ABOVE TABLE A \nCRIMES \nc. 274, \u00a7 6" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 21 of 32 \n \nTABLE B \n \nCrime Name \n \nMGL \nFelony or \nMis-demeanor \nABANDON CHILD UNDER 10 c. 119, \u00a7 39 M \nACCESSORY AFTER FACT (VARIABLE) c. 274, \u00a7 4 F \nACCOSTING; LEWD & LASCIVIOUS \nCONDUCT; INDECENT EXPOSURE \nc. 272, \u00a7 53 M \nAFFRAY, SUBSEQUENT OFFENSE AFFRAY \n(Prior to August 1, 2009) \nc. 272, \u00a7 53 M \nAID ESCAPE FROM CUSTODY c. 268, \u00a7 17 M \nALCOHOLIC BEVERAGES, SELL/DELIVER \nTO PERSON UNDER 21 \nc. 138, \u00a7 34 M \nALIEN IN POSSESS OF FIREARM c. 140, \u00a7 131H M \nASSAULT c. 265, \u00a7 13A(a) M \nASSAULT WITH INTENT TO ROB, \nUNARMED \nc. 265, \u00a7 20 F \nASSAULT & BATTERY c. 265, \u00a7 13A(a) M \nASSAULT & BATTERY ON PUBLIC \nSERVANT/POLICE OFFICER \nc. 265, \u00a7 13D M" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 48, + "content": "SERVANT/POLICE OFFICER \nc. 265, \u00a7 13D M \nASSAULT & BATTERY ON CORRECTIONAL \nOFFICER \nc. 127, \u00a7 38B F \nASSAULT & BATTERY DANGEROUS \nWEAPON \nc. 265, \u00a7 15A(b) F \nASSAULT BY DANGEROUS WEAPON c. 265, \u00a7 15B(b) F \nASSAULT WITH HYPODERMIC NEEDLE, \nSYRINGE \nc. 265, \u00a7 15C(a) F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 22 of 32 \n \nASSAULT & BATTERY WITH HYPODERMIC \nNEEDLE, SYRINGE \nc. 265, \u00a7 15C(b) F \nATTEMPT TO INJURE DEPOSITORY OF \nVALUABLES \nc. 266, \u00a7 16 F \nBETTING; TAKING, ALLOWING c. 271, \u00a7 17 M \nBODY ARMOR, USE OF IN COMMISSION \nOF FELONY \nc. 269, \u00a7 10D F \nBOMB SCARE /HIJACK THREAT c. 269, \u00a7 14 F \nBOMB/EXPLOSIVES, UNLAWFUL \nPOSSESSION \n \n \nc. 266, \u00a7102. \nc. 148, \u00a7 35 prior \nto July 15, 2010 \nF \n(M prior to July \n15, 2010) \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY, PERSON IN FEAR \nc. 266, \u00a7 17 \nF \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY \nc. 266, \u00a7 18 F \nBREAKING AND ENTERING RAILROAD \nCAR \nc. 266, \u00a7 19 F \nBREAKING AND ENTERING TRUCK," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 50, + "content": "c. 266, \u00a7 19 F \nBREAKING AND ENTERING TRUCK, \nINTENT TO COMMIT FELONY \nc. 266, \u00a7 20A F \nBREAKING AND ENTERING, INTENT TO \nCOMMIT MISDEMEANOR \nc. 266, \u00a7 16A M \nBRIBERY OF A POLICE OFFICER \n(state/local official or member of the \njudiciary) \nc. 268A, \u00a7 2 F \nBRIBERY/GIFTS TO INFLUENCE \nBUSINESS AFFAIRS \nc. 271, \u00a7 39 F \nBURGLARIOUS TOOLS, MAKE OR \nPOSSESS \nc. 266, \u00a7 49 F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 51, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 23 of 32 \n \nBURGLARIOUS TOOLS, MOTOR VEHICLE \nMASTER KEY, MAKE OR POSSESS \nc. 266, \u00a7 49 F \nBURGLARY, ARMED c. 266, \u00a7 14 F \nBURGLARY, UNARMED c. 266, \u00a7 15 F \nBURNING BUILDING c. 266, \u00a7 2 F \nBURNING MOTOR VEHICLE OR \nPERSONAL PROPERTY \nc. 266, \u00a7 5 F \nBURNING TO DEFRAUD INSURANCE CO. c. 266, \u00a7 10 F \nBURN MOTOR VEHICLE, WILLFUL & \nMALICIOUS \nc. 266, \u00a7 127 F \nCIVIL RIGHTS VIOLATION, NO BODILY \nINJURY \nc. 265, \u00a7 37 M \nCOMPOUNDING OR CONCEALING \nFELONY \nc. 268, \u00a7 36 F \nCONTRIBUTE TO DELINQUENCY OF \nCHILD \nc. 119, \u00a7 63 M \nCONFINE OR PUT IN FEAR TO STEAL OR \nATTEMPT TO STEAL \nc. 265, \u00a7 21 F \nCREDIT CARD, LARCENY OR MISUSE OF c. 266, \u00a7 37B M" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 52, + "content": "CREDIT CARD, UNAUTHORIZED USE, \nOVER $250 \nc. 266, \u00a7 37C F \nCRIMINAL HARASSMENT c. 265, \u00a7 43A(a) M \nDANGEROUS WEAPON, CARRYING c. 269, \u00a7\u00a7 10(b) \nand 10(d) \n \nF \nDANGEROUS WEAPON, UNLAWFUL \nPOSSESSION \nc. 269, \u00a7 10(b) F \nDEFACEMENT OF REAL OR PERSONAL \nPROPERTY \nc. 266, \u00a7 126A F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 24 of 32 \n \nDESTRUCTION OF PROPERTY OVER $250, \nMALICIOUS \nc. 266, \u00a7 127 F \nDISORDERLY CONDUCT c. 272, \u00a7 53 M \nDRUGS, LARCENY FROM AUTHORIZED \nPERSON \nc. 94C, \u00a7 37 F \nDRUGS, FAILURE TO KEEP RECORDS c. 94C, \u00a7 15 M \nDRUGS, ILLEGAL POSSESSION CLASS C \nSUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, ILLEGAL POSSESSION CLASS D \nSUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, ILLEGAL POSSESSESSION CLASS \nE SUBSTANCE \nc. 94C, \u00a7 34 M \nDRUGS, DISPENSE WITHOUT \nPRESCRIPTION OR WHEN NOT \nREGISTERED \nc. 94C, \u00a7 25 M \nDRUG PARAPHENELIA, DISTRIBUTE OR \nINTEND TO DISTRIBUTE \nc. 94C, \u00a7 32I(a) M \nDRUG PARAPHENELIA, SELL TO MINOR c. 94C, \u00a7 32I(B) F \nDRUGS, MANUFACTURE/DISTRIBUTE" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 54, + "content": "DRUGS, MANUFACTURE/DISTRIBUTE \nCLASS A SUBSTANCE \nc. 94C, \u00a7 32 F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS B SUBSTANCE \nc. 94C, \u00a7 32A F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS C SUBSTANCE \nc. 94C, \u00a7 32B F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS D SUBSTANCE \nc. 94C, \u00a7 32C F \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS E SUBSTANCE \nc. 94C, \u00a7 32D(a) M" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 25 of 32 \n \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE \nc. 94C, \u00a7 32A F \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS A SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, MOTOR VEHICLE HOMICIDE, \nNEGLIGENT OPERATION \nc. 90, \u00a7 24G(b) F \nDRUGS, POSSESS CLASS A SUBSTANCE c. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS A SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32(a) F \nDRUGS, POSSESS CLASS B SUBSTANCE c. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS B SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32A(a) F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 56, + "content": "INTENT TO DISTRIBUTE \nc. 94C, \u00a7 32A(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32B(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32C(a) M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, \u00a7 34 M \nDRUGS, POSSESS CLASS E SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, \u00a7 32D M" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 57, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 26 of 32 \n \nDRUGS, POSSESS CONTROLLED \nSUBSTANCE WITH INTENT TO \nDISTRIBUTE, SUBSEQUENT OFFENSE \n \nc. 94C, \u00a7 32(b) \n \nF \nDRUGS, POSSESS COUNTERFEIT \nSUBSTANCES WITH INTENT TO \nDISTRIBUTE \n \nc. 94C, \u00a7 32G \n \nM \nDRUGS, POSSESS CLASS A SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, POSSESS CLASS B SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, POSSESS CLASS D SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, \u00a7 32J \n \nF \nDRUGS, TRAFFICKING IN COCAINE IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 58, + "content": "ON, OR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, TRAFFICKING IN HEROIN IN, ON, \nOR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, TRAFFICKING IN MARIJUANA IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, \u00a7 32J F \nDRUGS, UNLAWFULLY OBTAINING \nCONTROLLED SUBSTANCE, FALSE \nPRESCRIPTION, FRAUD, FALSE \nREGISTRATION \nc. 94C, \u00a7 33 F \nEMBEZZLEMENT c. 266, \u00a7\u00a7 51-52, \n55-59 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 59, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 27 of 32 \n \nENTER WITHOUT BREAKING, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO \nCOMMIT A FELONY, PERSON IN FEAR \nc. 266, \u00a7 17 F \nENTER WITHOUT BREAKING A \nDWELLING IN NIGHT, INTENT TO COMMIT \nFELONY \nc. 266, \u00a7 18 F \nENTER WITHOUT BREAKING, TRUCK, \nWITH INTENT TO COMMIT FELONY \nc. 266, \u00a7 20A F \nESCAPE BY PRISONER c. 268, \u00a7 16 F \nESCAPE, FURLOUGH c. 268, \u00a7 16 F \nEXPLOSIVES, THROWING c. 266, \u00a7 102 F \nEXPLOSIVES, THROW/PLACE/EXPLODE \nOR POSSESS WITH INTENT TO INJURE \n \nc. 266, \u00a7 102 \n \nF \nFIREARM, CARRYING LOADED \nRIFLE/SHOTGUN \nc. 269, \u00a7 12D(a) M \nFIREARM, CARRYING LOADED OR \nUNLOADED FIREARM ON A PUBLIC WAY; \nUNENCLOSED CASE \n \nc. 269, \u00a7 12D(b) \n \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 60, + "content": "UNENCLOSED CASE \n \nc. 269, \u00a7 12D(b) \n \nF \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A BUILDING \nc. 269, \u00a7 12E M \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A DWELLING OR NEAR HIGHWAY \n \nc. 131, \u00a7 58 \n \nM \nFIREARM LICENSE/ID CARD, FALSE c. 140, \u00a7 131I F \nFIREARM, POSSESS WITHOUT FIREARMS \nID \nc. 269, \u00a7 10(h) M \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED \nc. 269, \u00a7 11C F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 61, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 28 of 32 \n \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED, USED IN \nCOMMISION OR ATTEMPTED \nCOMMISION OF A FELONY \n \nc. 269, \u00a7 11B \n \nF \nFIREARM, SELL WITHOUT LICENSE c. 140, \u00a7 128 F \nFIREARM, SHOTGUN, BARREL UND 18 \n\u201cSAWED OFF\u201d, POSSESS, SUBSEQUENT \nOFFENSE \nc. 269, \u00a7 10(d) F \nFIREARM, SHOTGUN, BARREL UND 18 \n\u201cSAWED OFF\u201d, POSSESS \nc. 269, \u00a7 10(c) F \nFIREARM UNATTENDED c. 269, \u00a7 10(h) F \nFIREARM, UNLAWFUL POSSESSION, \nCOMMISSION FELONY \nc. 265, \u00a7 18B F \nFIREARM, SHOTGUN, UNLAWFUL \nPOSSESSION \nc. 140, \u00a7 129C M \nFIREARM VIOLATION, CARRY WITH \nAMMUNITION \nc. 269, \u00a7 10(n) M \nFORGED INSTRUMENT, UTTER c. 267, \u00a7 5 F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 62, + "content": "FORGED INSTRUMENT, UTTER c. 267, \u00a7 5 F \nFUGITIVE FROM JUSTICE c. 276, \u00a7 19 M \nGUN PERMIT, FALSE INFORMATION FOR c. 140, \u00a7 129 M \nHOAX DEVICE/SUBSTANCE, \nPOSSESS/TRANSPORT/USE \nc. 266, \u00a7 102A \u00bd; \nc. 266, \u00a7102 \nprior to July 15, \n2010 \n \nF \nINDECENT EXPOSURE c. 272, \u00a7 53 M \nINFERNAL MACHINE, POSSESS c. 266, \u00a7 102A \nc. 266, \u00a7102 \nprior to July 15, \n2010 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 63, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 29 of 32 \n \nKIDNAPPING MINOR BY RELATIVE c. 265, \u00a7 26A M \nKILL BEAST, WILLFUL & MALICIOUS c. 266, \u00a7 112 F \nLARCENY, MOTOR VEHICLE OR TRAILER c. 266, \u00a7 28 F \nLARCENY, PERSON c. 266, \u00a7 25 F \nLARCENY, PERSON 65+ c. 266, \u00a7 25 F \nLARCENY BY CHECK UNDER $250 c. 266, \u00a7 37 M \nLARCENY BY CHECK OVER $250 c. 266, \u00a7 37 F \nLARCENY FIREARM c. 266, \u00a7 30 F \nLARCENY IN BLDG, SHIP, VESSEL, OR RR \nCAR \nc. 266, \u00a7 20 F \nLARCENY IN TRUCK/TRAILER c. 266, \u00a7 20B F \nLARCENY OVER $250 c. 266, \u00a7 30 F \nLARCENY UNDER $250 c. 266, \u00a730 M \nLARCENY, BANK EMPLOYEE OR OFFICER c. 266, \u00a7 52 F \nLEAVE SCENE AFTER PERSONAL INJURY, \nMOTOR VEHICLE \nc. 90, \u00a7 \n24(2)(a1/2)(1) \nM" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 64, + "content": "MOTOR VEHICLE \nc. 90, \u00a7 \n24(2)(a1/2)(1) \nM \nLEWD & LASCIVIOUS CONDUCT c. 272, \u00a7 53 M \nLEWDNESS, OPEN & GROSS c. 272, \u00a7 16 F \nLIQUOR, PROCURE FOR MINOR c. 138, \u00a7 34 M \nMACHINE OR SAWED OFF SHOT GUN, \nPOSSESSION OF \nc. 269, \u00a7 10(c) F \nMACHINE GUN, POSSESSION OF \nWITHOUT LICENSE \nc. 269, \u00a7 10(c) F \nMANSLAUGHTER BY OPERATING UNDER \nTHE INFLUENCE \nc. 265, \u00a7 13 \u00bd F \nMEDICAL ASSISTANCE (MEDICAID) \nFRAUD \nc. 118E, \u00a7 40 F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 65, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 30 of 32 \n \nMEDICAL ASSISTANCE (MEDICAID) \nKICKBACK \nc. 118E, \u00a7 41 F \nMOTOR VEHICLE HOMICIDE, RECKLESS \nOPERATION \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE DRUGS, NEGLIGENT OR \nRECKLESS \nc. 90, \u00a7 24G(a) F \nMOTOR VEHICLE, USE OF IN \nCOMMISSION OF FELONY \nc. 90, \u00a7 24(2)(a) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR, NEGLIGENT OR \nRECKLESS \nc. 90, \u00a7 24G(b) F \nMOTOR VEHICLE, OPERATING AFTER \nLICENSE REVOKED FOR DRUNK DRIVING \nc. 90, \u00a7 23 M \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL \nc. 90, \u00a7 \n24(1)(a)(1) \nM \nMOTOR VEHICLE, OPERATING UNDER" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 66, + "content": "24(1)(a)(1) \nM \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL, 3rd \nAND SUBSEQUENT OFFENSE \nc. 90, \u00a7 \n24(1)(a)(1) \n \nF \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, LIQUOR, 3rd AND \nSUBSEQUENT OFFENSE \nc. 90, \u00a7 24 F \nMOTOR VEHICLE, TAKE WITHOUT \nAUTHORITY, STEAL PARTS \nc. 266, \u00a7 28 F \nOBSCENE MATERIALS, POSSESS WITH \nINTENT TO DISTRIBUTE \nc. 272, \u00a7 29 F \nOBSCENE LITERATURE, SELL TO MINOR c. 272, \u00a7 28 F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 67, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 31 of 32 \n \nOBSTRUCTION OF JUSTICE Common law M [See c. 279, \u00a7 5 \nre: penalty for \nCommon Law \nCrimes.] \nPERJURY c. 268, \u00a7 1 F \nPRESCRIPTION; FORGERY, ALTER c. 94C, \u00a7 33(b) F \nPRESCRIPTION, UTTER FALSE c. 94C, \u00a7 33 F \nPRISONER, DELIVER ARTICLES TO OR \nFROM INMATE \nc. 268, \u00a7 31 F \nPRISONER, DELIVER DRUGS TO c. 268, \u00a7 28 F \nPROSTITUTION/SOLICITATION c. 272, \u00a7 53A M \nPROSTITUTION, ENGAGING IN SEX \n\u201cJOHN\u201d \nc. 272, \u00a7 53A M \nPROSTITUTION, KEEP HOUSE OF c. 272, \u00a7 24 M \nPROSTITUTE, SOLICIT FOR c. 272, \u00a7 8 M \nRESISTING ARREST c. 268, \u00a7 32B M \nRIOT c. 269, \u00a7 1 M \nROBBERY, UNARMED c. 265, \u00a7 19(b) F \nROBBERY, UNARMED, VICTIM 60+ c. 265, \u00a7 19(a) F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 68, + "content": "ROBBERY, UNARMED, VICTIM 60+ c. 265, \u00a7 19(a) F \nSHOPLIFTING, 3rd OR SUBSEQUENT \nOFFENSE \nc. 266, \u00a7 30A M \nSTOLEN PROPERTY, RECEIVE, OVER $250 c. 266, \u00a7 60 F \nSTOLEN MOTOR VEHICLE, RECEIVE/BUY c. 266, \u00a7 28(a) F \nTELECOMMUNICATIONS FRAUD c. 166, \u00a7 42A M \nTELEPHONE CALLS, ANNOYING OR \nOBSCENE \nc. 269, \u00a7 14A M \nUNNATURAL ACTS c. 272, \u00a7 35 F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 69, + "content": "Superintendent\u2019s Circular HRS-PP09 \nPage 32 of 32 \n \nVANDALIZE \nCHURCH/SYNAGOGUE/CEMETERY \nc. 266, \u00a7 127A F \nVANDALIZE \nSCHOOL/CHURCH/EDUCATIONAL BLDG \nc. 266, \u00a7 98 F \nWITNESS, INTIMIDATE OR RETALIATE \nAGAINST \nc. 268, \u00a7 13B F \nCONSPIRACY TO COMMIT ANY OF \nABOVE TABLE B CRIMES \n \nATTEMPTS TO COMMIT ANY OF THE \nABOVE TABLE B CRIMES \n \nACCESSORY BEFORE ANY OF THE \nABOVE TABLE B CRIMES" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PP15 \nVersion 01 \nSICK LEAVE DONATION PROGRAM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools will be continuing the Sick Leave Donation \nProgram with Administrative Guild, BASAS, BTU, managerial, and \nSchool Police Patrolmen's Association. \nPURPOSE \nThe Sick Leave Donation Program is a voluntary program where \neligible employees can donate sick leave hours to help a seriously \nill or injured colleague who has exhausted their sick, personal, \nvacation, and/or compensatory leave entitlements. An eligible \nemployee who wants to withdraw hours from the Sick Leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 2, + "content": "Bank must be on an approved leave of absence. Please refer to \nSuperintendent\u2019s Circular HRS-PP13 for more information \nregarding the process to apply for a leave of absence. If time is \nawarded by the Sick Leave Donation Committee, recipients can \nwithdraw sick leave hours from the leave bank and maintain \nactive pay status. \nMembership and eligibility requirements by unit are detailed in \nthe attachment. \nTHE DONATION PROCESS \nWhen the sick leave bank for a union/group becomes depleted," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 2 of 12 \n \nan email notification will be sent to all members requesting the \ndonation of an additional day(s). All employees who wish to enroll \nwill be required to complete an online form during the \naforementioned period. All donations are irrevocable. \nSICK LEAVE COMMITTEE \nThe leave committee for each union/group will consist of six \nmembers: three administrative members from the union/group \nand three administrative members from the Boston Public \nSchools district (appointed by the superintendent or their \ndesignee). A majority vote (4 of 6) is required to grant awards of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 4, + "content": "sick leave time. All decisions are made on a case-by-case basis. \nAPPLICATION PROCESS FOR SICK BANK MEMBERS \n1. Complete a Sick Leave Bank Donation Withdrawal Request \nform, including submission of medical documentation and a \nletter stating the reason for the request in accordance with \nthe application deadline listed on the form. \n2. The Leave Bank Committee will meet and review all \npertinent information. Committee will render a decision and \nHuman Capital will inform the employee and supervisor of \nthe decision. \n3. If approved, the Office of Human Capital representative will \nadd donated hours to the recipient\u2019s leave accrual balance \nin PeopleSoft." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 5, + "content": "in PeopleSoft. \n4. Withdrawals from the leave bank cease when the recipient \nhas either returned to work or withdrawn the maximum \nnumber of hours allotted from their union or conditions of \nemployment. \nThere is no appeal procedure. The decision of the Sick Leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 3 of 12 \n \nBank Committee is final. \nAPPLICATION DEADLINE \nThe Sick Bank Oversight Committee meets on the first \nWednesday of each month. \nTo be included on the agenda, your application, along with all \nsupporting documentation, must be submitted by the close of \nbusiness on the preceding Friday. \n \nFor more information about this circular, contact: \nOwner: Manager of Employee Information Systems \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9649 \nFax: 617-635-7957 \nEmail: ohr@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 4 of 12 \n \nATTACHMENT A: \nSICK LEAVE DONATION PROGRAM: MEMBERSHIP \nREQUIREMENTS AND ELIGIBILITY BY UNIT \nBASAS \nMembership Requirements: \n\u2022 To establish this program, there must be at least 50 eligible \nBASAS employees who participate in it. \n\u2022 A BASAS employee must be permanent or entering their \nthird consecutive year of Boston Public Schools service to be \neligible to participate. \n\u2022 A BASAS employee must donate one sick day (eight hours) \nto enroll in the program. \n\u2022 Donation days (hours) will be deducted from the donor\u2019s \naccumulated sick leave balance. \nEligibility for Recipient: \n\u2022 Only BASAS employees who have donated to the sick leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 8, + "content": "donation program are eligible to apply for sick leave time. \n\u2022 Applicants for sick leave time must have exhausted all \naccumulated sick and personal leave to be eligible to \nreceive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n\u2022 The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 5 of 12 \n \n\u2022 For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day-to-day basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 For employees receiving workers\u2019 compensation benefits, \nthe combination of workers\u2019 compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient per school year. In exceptional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 10, + "content": "circumstances, the committee may also grant additional 30-\nday increments, up to a maximum of 90 days (including the \noriginal 30 days). \n\u2022 Requests for sick leave time may not be made retroactively. \n\u2022 Days that have been granted but are not used will revert to \nthe sick leave bank. \nBOSTON TEACHERS UNION (BTU) \nMembership Requirements: \n\u2022 To establish this program, there must be at least 500 \nteacher unit members and 100 paraprofessional unit \nmembers. \n\u2022 Must be a BTU member to participate in the program. \n\u2022 Teacher unit members must be permanent or entering their \nfourth consecutive year of service. Paraprofessional \nmembers must have at least three consecutive years of \nservice." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 11, + "content": "service. \n\u2022 Must donate one sick day for inclusion in the program. \n\u2022 Donations will be deducted from the donor\u2019s accumulated" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 6 of 12 \n \nsick leave balance. \n\u2022 Donations and withdrawals can only be in the same BTU \nunit (e.g., teachers cannot donate to or withdraw from the \nparaprofessional unit; paraprofessionals cannot donate to or \nwithdraw from the teacher unit). \nEligibility for Recipient: \n\u2022 Must have exhausted all accumulated sick leave and other \npaid leaves (e.g., personal days, etc.). \n\u2022 Application for the BTU sick bank withdrawal must be \naccompanied by adequate medical evidence, pursuant to \nSuperintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness, which prevents the employee\u2019s \nimmediate return to work." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 13, + "content": "immediate return to work. \n\u2022 For those individuals who have a disability plan, the \ncombination of disability payment and sick bank days do \nnot, on a day-to-day basis, equal more than the daily rate of \npay. \n\u2022 For those individuals who are receiving worker\u2019s \ncompensation, the combination of workers\u2019 compensation \npayment and sick bank days do not, on a daily basis, equal \nmore than the daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the \nCommittee may also grant additional 30-day increments, up" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 14, + "content": "to a maximum of 90 days (including the original 30 days). \n\u2022 Requests/withdrawals cannot be made retroactively. \n\u2022 Days requested and granted but not used will revert to the \nsick leave bank. \n\u2022 This program is for employees only and cannot be used for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 7 of 12 \n \nthe illness of family members. \n\u2022 This program does not meet for the months of June \u2013 \nSeptember for the following reasons: \no June: The bank only issues donations in 30-day \nincrements and the month of June does not have 30 \nschool days. \no July \u2013 August: Employees do not work these months \nand therefore would not be eligible to use \nsick/personal time. \no September: Employees receive sick/personal \nentitlements up front and therefore, would have time \nto use at the beginning of the school year. \nCUSTODIAN \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 \nCustodian Bank members." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 16, + "content": "Custodian Bank members. \n\u2022 Must be a custodian to participate. \n\u2022 Must have completed three or more years of continuous \nservice with the union to be eligible. \n\u2022 Must donate two sick days for the first year, and thereafter \none sick day annually during enrollment period. \n\u2022 Donation days will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time. \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 8 of 12 \n \n\u2022 The bank is for employees\u2019 illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving worker\u2019s \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 18, + "content": "a maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nADMINISTRATIVE GUILD \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 Guild \nbank members. \n\u2022 Must be Administrative Guild members to participate. \n\u2022 Must have completed three or more years of continuous \nservice to be eligible to participate. \n\u2022 Must donate one sick day to enroll in the program. \n\u2022 Donation day will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 9 of 12 \n \n\u2022 Employees must have exhausted all accumulated sick leave \nand other paid time. \n\u2022 The bank is for employee\u2019s illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers\u2019 \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 20, + "content": "rate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank. \nMANAGEMENT \nMembership Requirements: \n\u2022 To establish this program, there must be at least 100 eligible \nManagerial employees who participate in it. \n\u2022 A Managerial employee must be permanent or entering \ntheir fourth consecutive year of Boston Public Schools \nservice to be eligible to participate. \n\u2022 A Managerial employee must donate one sick day (eight \nhours) to enroll in the program. \n\u2022 Donation days (hours) will be deducted from the donor\u2019s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 21, + "content": "accumulated sick leave balance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 10 of 12 \n \nEligibility for Recipient: \n\u2022 Only Managerial employees who have donated to the sick \nleave donation program are eligible to apply for sick leave \ntime. \n\u2022 Applicants for sick leave time must have exhausted all \naccumulated sick, personal, and vacation leave to be eligible \nto receive sick leave donations. \n\u2022 Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n\u2022 The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness. \n\u2022 For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day- to-day basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 For employees receiving worker\u2019s compensation benefits, \nthe combination of worker\u2019s compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee\u2019s daily rate of pay. \n\u2022 Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 24, + "content": "committee may also grant additional 30-day increments, up \nto a maximum of ninety 90 days (including the original 30 \ndays). \n\u2022 Requests for sick leave time may not be made retroactively. \n\u2022 Days that have been granted but are not used will revert to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 11 of 12 \n \nthe sick leave bank. \nSCHOOL POLICE PATROLMEN ASSOCIATION \nMembership Requirements: \n\u2022 To establish this program, there must be at least 25 \nAssociation bank members. \n\u2022 Must be association members to participate. \n\u2022 Must have completed three or more years of continuous \nservice to be eligible to participate. \n\u2022 Must donate one sick day to enroll in the program. \n\u2022 Donation day will be deducted from an employee\u2019s sick \nleave balance. \nEligibility for Recipient: \n\u2022 Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time. \n\u2022 Employees must have exhausted all accumulated sick leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 26, + "content": "and other paid time. \n\u2022 The bank is for employee\u2019s illness only and cannot be used \nfor illness of family members. \n\u2022 All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n\u2022 Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers\u2019 \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual\u2019s daily \nrate of pay. \n\u2022 Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular HRS-PP15 \nPage 12 of 12 \n \na maximum of 60 days. \n\u2022 Time granted and not used shall revert to the sick leave \nbank." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \nNUMBER: \nHRS-PM07 \nVersion 01 \n \nPERFORMANCE EVALUATION OF CLASSROOM \nPARAPROFESSIONALS \nEMPLOYEES COVERED BY THIS CIRCULAR: \n\u25cf Coverage Paraprofessional \n\u25cf Instructional Paraprofessional \n\u25cf One-to-One Paraprofessional \n\u25cf Surround Care Paraprofessional \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be \u201cExemplary,\u201d \u201cProficient,\u201d \u201cNeeds Improvement,\u201d \nand \u201cUnsatisfactory,\u201d and shall be transmitted to \nparaprofessionals by the last business day prior to May 15 via the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 2, + "content": "VectorEvals platform. A paraprofessional may sign the evaluation \ndigitally only if the paraprofessional does so on a BPS-issued \ncomputer. If the paraprofessional does not have access to a BPS-\nissued computer, the form must be printed from VectorEvals for \ntheir signature and then uploaded as a PDF attachment to the \ndigital form. \nParaprofessionals will generally be evaluated formally every two \nyears, except as set forth in section (7) of Schedule, Meetings, and \nProcedures below. During each school year, each principal/head \nof school or their designee will identify approximately one-half of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 2 of 8 \n \nthe staff for which that administrator is responsible for evaluating \nduring that year. The process of identifying the evaluees will be \ndetermined by the responsible administrator. An administrator \nmay also evaluate a staff member not originally identified if \nassistance, supervision, or intervention is deemed appropriate \nbased on informal observation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative. \n2. the head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 4, + "content": "qualified persons (who are not members of the bargaining \nunit) designated by the School Department. \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nbuilding administrator or their designee shall meet with \nparaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of \nannounced and unannounced observations. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional\u2019s practice, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 5, + "content": "responsible supervisor shall provide such written feedback \nto the paraprofessional before releasing the next formative \nor summative evaluation. \n2. If a paraprofessional\u2019s performance results in an overall" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 3 of 8 \n \nFormative Evaluation or Summative Evaluation rating of \n\u201cNeeds Improvement\u201d or \u201cUnsatisfactory,\u201d the evaluation \nprescription may contain a requirement that the \nparaprofessional take advantage of additional professional \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. \nFormative refers to evaluations that at a minimum are \ntwenty (20) school days apart. \nRegardless of the rating mark, within ten (10) school days \nfollowing the last observation used as the basis of the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 7, + "content": "evaluation, the responsible building administrator (or \ndesignee) shall meet with the paraprofessional to discuss \nthe evaluation. At this meeting, the paraprofessional will be \ngiven two (2) copies of the written evaluation, signed, and \ndated by the responsible building administrator. \nThe paraprofessional shall sign and return one (1) copy to \nindicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 8, + "content": "determined less than \u201cProficient\u201d at any point during the \nschool year shall be notified in writing and shall meet \ndirectly with the responsible building administrator. \n \n3. In any area where the responsible building administrator or \ntheir designee indicates a need for improvement, they will \nprovide the paraprofessional with a written prescription. \nThe paraprofessional may attach comments to the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 4 of 8 \n \nprescription. \nIf the paraprofessional continues to need improvement after \nallowing adequate time to improve, the responsible \nadministrator may include a prescription in the evaluation \nthat the paraprofessional may voluntarily take the \nopportunity of additional training or in-service training to \ncorrect a deficiency. \n4. If a paraprofessional receives an \u201cUnsatisfactory\u201d on at least \nfour (4) formative evaluations within a twelve (12) month \nperiod in which the paraprofessional reported to work, or on \nat least two (2) formative evaluations plus a summative \nevaluation, the principal/head of school may initiate" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 10, + "content": "termination by recommending to the superintendent that \nthe paraprofessional be terminated. If the superintendent \napproves the head of school\u2019s/principal\u2019s recommendation, \nthe principal/head of school shall notify the paraprofessional \nin writing of their intent to dismiss the paraprofessional. The \nparaprofessional may then request a meeting with the \nprincipal/head of school to discuss their intent to dismiss. \nThis request must be made in writing within ten (10) days of \nthe paraprofessional\u2019s receipt of the intent to dismiss notice. \nOverall \u201cUnsatisfactory\u201d evaluation ratings need not occur in \nconsecutive months. \nAn overall rating of \u201cUnsatisfactory\u201d on a summative" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 11, + "content": "evaluation must be preceded by a rating of \u201cUnsatisfactory\u201d \non at least two (2) formative evaluations during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 5 of 8 \n \n5. After each of the first three (3) formative evaluation overall \n\u201cUnsatisfactory\u201d ratings that are based in whole or in part \nupon classroom performance, the responsible building \nadministrator shall conduct a follow-up evaluation. This \nevaluation shall include observation of classroom \nperformance and take place no sooner than twenty (20) \nschool days and no later than fifty (50) school days after the \nprevious \u201cUnsatisfactory\u201d evaluation. \nIf an overall formative evaluation \u201cUnsatisfactory\u201d rating is \nbased upon grounds other than classroom performance, \nthen the responsible administrator must clearly convey the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 13, + "content": "reasons in writing to the paraprofessional and follow \nprescribed procedures for progressive discipline. \n6. A formative or summative evaluation with an overall \n\u201cUnsatisfactory\u201d rating shall be maintained as a permanent \npart of the employee\u2019s personnel record and may be grieved \nand arbitrated. An employee may grieve a summative \nevaluation with an overall rating other than \u201cUnsatisfactory\u201d \nup to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 14, + "content": "merged and treated as a single grievance. \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 6 of 8 \n \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually by the \nlast business day prior to November 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as \u201cUnsatisfactory\u201d overall or in a \nparticular area. \nb. All paraprofessionals who are new to the building." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate Activity \nBy the last business day \nprior to November 15 \n\u25cf Evaluation of paraprofessionals who \nreceived an \u201cUnsatisfactory\u201d in their \nevaluation from the prior school year. \n\u25cf Evaluation p who are new to the school \nbuilding. \nBy the last business day \nprior to May 15 \n\u25cf Deadline to submit evaluation on \nVectorEvals platform. \nA paraprofessional may sign the \nevaluation digitally only if the \nparaprofessional does so on a BPS-\nissued computer. If the \nparaprofessional does not, the form \nmust be printed from VectorEvals for \nthem to sign and then uploaded as a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 17, + "content": "them to sign and then uploaded as a \nPDF attachment to the digital form. \n\u25cf Evaluation of paraprofessionals due \nevery 2 years (except for \nparaprofessionals new to the building \nor who received an \u201cUnsatisfactory\u201d \nrating the previous school year)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HRS-PM07 \nPage 8 of 8 \n \nFor more information about this circular, contact: \nOwner: Director of Evaluation and Performance \nManagement \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, \nMA 02119 \n \nEmail: eval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\u25ba Click to view a SAMPLE Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHRS-PP14 \nVersion 01 \n \nPAID LEAVE FOR CANCER SCREENING AND/OR LIVING \nORGAN DONATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nTwo additional paid leave benefits are available to City of Boston \nemployees for annual cancer screenings and living organ \ndonations. \nANNUAL CANCER SCREENING \nThe mayor has signed an executive order that allows all City of \nBoston employees to use up to four (4) hours of leave per \ncalendar year for various types of cancer screening. (Types of \ncancer screening that fall under the four hours off per year policy" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 2, + "content": "are as follows: breast, prostate, colon, skin, thyroid, oral cavity, \nlymph nodes, reproductive organs, and lungs). \nThe following procedure is in effect in the Boston Public Schools: \n\u2022 Employees will be allowed up to four (4) hours of leave, per \ncalendar year, that can be used intermittently or in one (1) \nfour-hour period. \n\u2022 Employees must make a request through their \nResponsibility Center manager." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PP14 \nPage 2 of 4 \n \n\u2022 A signed copy of a medical document verifying the date that \nthe employee was given a cancer screening must be filed \nwith the Responsibility Center manager. \n\u2022 This time is not charged to any accumulated sick leave; and \ntime in position, creditable service, pay, leave and health \nbenefits are all protected while on this type of leave. \nTo report time for an annual cancer screening, please add an \nabsence event on the timesheet using the absence name \u201cPre-\nCancer Screening.\u201d \nLIVING ORGAN DONATION \nEffective October 3, 2006, the mayor has issued an executive \norder adopting An Act Relative to Living Organ Donation which" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 4, + "content": "grants leave of absence without loss of pay for living organ \ndonation. It applies to leave taken by an employee to provide live \norgan donation to be transplanted into another individual. Live \norgan donation includes donation of kidney, liver, pancreas, lung, \nintestine, or heart (domino transplants). \nAll City of Boston employees are eligible for this leave, which \nincludes full-time, part-time, seasonal, and temporary employees \neligible for paid leave benefits. It does not include independent \ncontractors, substitutes, cab monitors, transportation attendants, \nintermittent, or any other employees who are not eligible for paid \nleave benefits." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 5, + "content": "leave benefits. \nThe following procedure is in effect in the Boston Public Schools: \n\u2022 Employees will be allowed a maximum total of 30 days of \npaid leave in a calendar year to donate an organ. \n\u2022 This time only covers days taken for the medical procedure" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PP14 \nPage 3 of 4 \n \nand the recovery from it. \n\u2022 Part-time employees will receive a prorated portion of the \n30 days based on their part-time schedule. \n\u2022 Leave can be used intermittently. \n\u2022 Employee must obtain a letter on a physician\u2019s letterhead \ndisclosing that the employee is approved to be a live organ \ndonor and the type of organ being donated. \n\u2022 A signed copy of a medical document verifying the date of \nthe living organ donation procedure that the employee has \nundergone must be submitted to Human Resources \nthrough their Responsibility Center manager (e.g., principal \nor department head)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 7, + "content": "or department head). \n\u2022 This time is not charged to any accumulated sick leave; time \nin position, creditable service, pay, leave, and health benefits \nare protected while on this type of leave. \nTo report time for a living organ donation, please add an \nabsence event on the timesheet using the absence name \n\u201cOrgan Donation.\u201d \nQuestions on specific health insurance coverage should be \ndirected to Health Benefits and Insurance at 617-635-4570 or to \nyour health insurance provider. More information about live \norgan donation may be found at the following link: \nhttps://optn.transplant.hrsa.gov/resources/living-donation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-PP14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: Employee Services \nDepartment: Human Resources \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9255 \nFax: 617-635-7957 \nEmail: ohrleaves@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-PM10 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF ABA SPECIALISTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nThe following sets forth the coverage, philosophy, roles and \nresponsibilities and procedures applicable to the evaluation \nprocess of Applied Behavior Analysis (ABA) specialists. \nI. COVERAGE \nThe performance management process covers all ABA specialists. \nThe evaluation process relates to the duties and responsibilities \nof the employee\u2019s position, as set forth in the employee\u2019s job \ndescription. \nII. PHILOSOPHY \nPerformance management is one of the key processes driving" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 2, + "content": "the comprehensive reform of the Boston Public Schools. The \nperformance management process for ABA specialists is \ndesigned to: (a) align the work of ABA specialists with the \nsuperintendent\u2019s district wide priorities and with team goals and \n(b) improve the work performance of ABA specialists. \nIII. ROLES AND RESPONSIBILITIES \nThe performance management process for ABA specialists will \nbe led by the assistant superintendent of special education," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 2 of 25 \n \n \nassistant director for ABA, and program directors for ABA. ABA \nspecialists will be evaluated by their immediate supervisors \nunless the assistant director designates another person to \nconduct the evaluation. \nA supervisor\u2019s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. Further, a supervisor will also be \nperforming unsatisfactorily if an underperforming staff member \nis given a \u201cProficient\u201d rating and then the staff member is \nencouraged to transfer to another school or department. A" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 4, + "content": "supervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. \nThere are four possible ratings: 1) Unsatisfactory; 2) Needs \nImprovement; 3) Proficient; and 4) Exemplary. \nV. PERFORMANCE MANAGEMENT PROCESS \nSupervisors will conduct evaluations of their ABA specialists every \nyear. The period for the performance evaluation for ABA \nspecialists will cover September 1 \u2013 August 30 of the school year" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 5, + "content": "in which the employee is being evaluated. A supervisor may \nevaluate staff members more frequently if they choose to do so \nbut must complete no fewer than 5 (five) direct observations over" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 3 of 25 \n \n \nthe course of the school year. \nSupervisors are expected to provide timely written feedback to \ntheir staff members, especially for employees who, upon \nobservation, are not meeting the expectations of the supervisor. \nAn employee who is not meeting their supervisor\u2019s expectations \nshould have been informed of the supervisor\u2019s concerns and \nprovided recommendations for improvement through written \nfeedback before the performance evaluation meeting and should \nbe given a reasonable amount of time to address the observed \ndeficient performance. \nStep 1 \u2013 REVIEW GOALS AND PROFESSIONAL DEVELOPMENT" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 7, + "content": "PLAN FOR THE COMING SCHOOL YEAR (September-October) \nSupervisors will meet individually with each of their ABA \nspecialists to jointly review the employee\u2019s goals and professional \ndevelopment plan for the September 1 - August 30 period. When \npossible, goal development should be done during the prior \nyear\u2019s performance evaluation meeting. \nDuring this meeting, the employee and their supervisor should \nreview the employee\u2019s job description to ensure the employee\u2019s \ngoals and professional development plans are in alignment with \nthe job description. \nIf there is a change in the employee\u2019s goals and professional \ndevelopment plan after the prior year\u2019s performance evaluation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 8, + "content": "meeting, the revised goals and professional development plan \nmust be documented." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 4 of 25 \n \n \nStep 2 \u2013 PREPARE DIAGNOSIS AND RECOMMENDATIONS (as \nneeded) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation and make recommendations for improvement. \nThe supervisor must share their written feedback with the \nemployee within a reasonable amount of time, and thereafter \nshould meet at least monthly with the employee to discuss their \njob performance. These meetings must be held until the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 10, + "content": "employee\u2019s job performance meets the supervisor\u2019s expectations. \nIf the employee\u2019s job performance does not improve sufficiently, \nthe employee may be separated from employment. \nStep 3 \u2013 COMPLETE STAFF OBSERVATIONS AND DATA CHECKS \n(September-May) \nAs outlined in the ABA specialist evaluation, at least 5 (five) \nobservations must be completed prior to the final performance \nevaluation in May. These observations must include direct \nobservation of the ABA specialist performing essential job \nfunctions and working with students. The observations may or \nmay not be announced and can occur at any time throughout \nthe year. Following each observation session, the program" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 11, + "content": "director for ABA will provide written and vocal feedback to the \nABA specialist outlining the strengths and areas of growth seen \nduring the observation. \nAs part of each observation, data checks and programming \nanalyses will be conducted. These data checks will assess the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 5 of 25 \n \n \nperformance with programming and data entry for some portion \nof the time between observations. \nStep 4 \u2013 HOLD INTERIM EVALUATION MEETING (February-\nMarch). \nABA specialists will submit a formative self-assessment no later \nthan February 10. This self-assessment will include the ABA \nspecialist\u2019s assessment of their work performance and feedback \nfrom previous observations to be incorporated into the interim \nevaluation. \nSupervisors will hold an interim evaluation meeting with each of \ntheir ABA specialists no later than March 1. During this meeting, \nthe supervisor must give oral feedback on (1) the employee\u2019s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 13, + "content": "progress in achieving their goals, and (2) the employee\u2019s overall \njob performance, especially with reference to the employee\u2019s job \ndescription and customer focus. In addition, a written interim \nevaluation will be provided in a timely manner after the interim \nevaluation meeting. \nStep 5 \u2013 COMPLETE PERFORMANCE EVALUATION FORMS (May). \nThe supervisor will prepare a performance evaluation on each \nABA specialist each school year by filling out the Performance \nEvaluation Form \u2013 ABA Specialists attached at the end of this \ncircular." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 6 of 25 \n \n \nStep 6 \u2013 CONDUCT PERFORMANCE EVALUATION MEETING \n(June) \n \nThe supervisor will meet with the employee to discuss their \nperformance evaluation. The meeting will cover the employee\u2019s \njob performance, their progress toward their annual goals, and \ntheir overall performance. \nDuring this meeting, based on the employee\u2019s performance \nevaluation, the supervisor and employee should establish the \nemployee\u2019s goals for the coming school year. These goals should \nbe tentative if the department\u2019s (and team\u2019s) goals have not been \nset. Similarly, the supervisor and employee should also discuss" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 15, + "content": "the employee\u2019s professional development plan for the coming \nschool year, with particular reference to the areas of growth or \nchallenge identified in the performance evaluation. \nStep 7 \u2013 EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE \nThe employee\u2019s signature on the evaluation instrument \nacknowledges receipt, and not necessarily agreement with the \ncontent of the evaluation. The employee may provide a written \nresponse to the evaluation within 10 (ten) days of receiving the \nperformance evaluation form. \nStep 8 \u2013 SUBMIT PERFORMANCE EVALUATION FORMS TO \nHUMAN RESOURCES (June) \nThe supervisor will submit completed performance evaluation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 16, + "content": "forms to Human Resources no later than June 1. Step increases \nare automatic." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 7 of 25 \n \n \nStep 9 \u2013 FOLLOW UP FOR AN EMPLOYEE WHO RECEIVES AN \n\u201cUNSATISFACTORY\u201d RATING \nIf an ABA specialist receives an \u201cUnsatisfactory'' rating on their \nperformance evaluation, the supervisor should meet with the \nemployee at least monthly to discuss their job performance. \nThese meetings must be held until the employee\u2019s job \nperformance meets the supervisor\u2019s expectations. If the \nemployee\u2019s job performance does not improve sufficiently, the \nemployee may be separated from employment. \nVII. PROCEDURES FOR DISCIPLINE \nIf a supervisor determines that an ABA specialist has committed \nan infraction of work rules, the supervisor should follow the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 18, + "content": "procedures outlined in Superintendent\u2019s Circular \u2013 Employee \nDiscipline Procedures (see footnote below)1. Additionally, the \nsupervisor may consider the infraction in evaluating the \nemployee\u2019s overall performance. \nVIII. FORMS \nThe Performance Evaluation Form \u2013 ABA Specialists is attached. \n \n \n(Footnote) Refer to Superintendent\u2019s Circular HRS-PP10 \n\u201cEmployee Discipline Procedures\u201d under the category \u201cHuman \nResources\u201d on the Superintendent\u2019s Circulars page of the BPS \nwebsite for more information." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 8 of 25 \n \n \nIX. SUMMARY OF SIGNIFICANT DATES AND DEADLINES \nSTEP INCREASES ARE AUTOMATIC. Please adhere to the given \ndeadlines for submission. \n \nDate Activity \nSeptember 1 - \nOctober 15 \nFinalize goals and professional \ndevelopment plan for the coming year \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nPrepare diagnosis and \nrecommendations \nNo later than \nFebruary 10 Request self-assessment \nFebruary 1 - March 1 Hold Formative Evaluation meeting \nNo later than May 31 Complete Performance Evaluation forms \nNo later than May 31 Conduct Summative Performance \nEvaluation meeting" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 20, + "content": "Evaluation meeting \nNo later than June 1 Submit Performance Evaluation forms to \nHuman Resources \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nFollow up for an employee who receives \nan \u201cUnsatisfactory\u201d rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 9 of 25 \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director for Applied Behavior \nAnalysis \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-8599 \nEmail: ohc@bostonpublicschools.org \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 10 of 25 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nABA SPECIALISTS \n \nName of Employee: ______________________________________________ \nEmployee Identification #:________________________________________ \nDepartment: ABA \nSchool: ___________________________________________________________ \nPosition: ABA specialist \nEvaluator: ________________________________________________________ \n \nSECTION I: JOB PERFORMANCE \nPlease rate the employee\u2019s performance according to the \nfollowing competencies, as measured by documented \nopportunities. A documented opportunity will consist of written" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 23, + "content": "feedback from a program director as a result of a direct \nobservation or data analysis from work products. Documented \nopportunities will include no fewer than 5 measured \nopportunities for each subcategory listed below. \nEach objective was rated in one of four categories: \n \n1 Unsatisfactory \nEmployee meets the objective for 65% or less \nof documented opportunities." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 11 of 25 \n \n \n2 Needs \nImprovement \nEmployee meets the objective for 66% to 75% \nof documented opportunities. \n3 Proficient \nEmployee meets the objective for 76 to 85% \nof documented opportunities. \n4 Exemplary \nEmployee meets the objective for 86% or \ngreater of documented opportunities. \n*The numbers listed above will be what is indicated in the rating \nbox for each area in the evaluation below. \n \nA. Data Collection \nA-1: Accurately conducts and implements \nall required assessments, including \npreference assessments, Skills \nAssessments, and Core Skills Assessments. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 25, + "content": "Self Rating \n \nSupervisor Rating \n \n \nA-2: Accurately updates targets as needed, \nand proactively implements any \nprogrammatic changes given by the \nprogram director or strand specialist. \nSelf Rating \n \nSupervisor Rating \n \n \nA-3: Accurately takes programmatic data (both behavior and \nacquisition) in a timely manner." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 12 of 25 \n \n \nSelf Sup \n \nUnsatisfactory \nRuns less than 24 ACE sessions per \nweek across all programs and \nstudents per week across 5 or more \nmeasured opportunities for the year. \n \nNeeds \nImprovement \nRuns between 25 and 49 ACE \nsessions per week across all \nprograms and students per week \nacross 5 or more measured \nopportunities for the year. \n \nProficient \nRuns between 50 and 74 sessions \nper week across all ACE programs \nand students across 5 or more \nmeasured opportunities for the year. \n \nExemplary \nRuns at least 75 sessions per week \nacross all ACE programs and \nstudents across 5 or more measured \nopportunities for the year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 13 of 25 \n \n \n \nA-4: Follows prompting hierarchies and \nerror correction procedures as prescribed by \nACE and/or Program Director. \nSelf Rating \n \nSupervisor Rating \n \n \nA-5: Ensures that challenging behavior data \ncollection sheets are updated as necessary, \nand that challenging behavior data \ncollection sheets are filed in the correct \nplace. \nSelf Rating \n \nSupervisor Rating \n \n \nA-6: Identifies when there is a problem with \ndata/data collection, and appropriately \nbrings to the attention of the Program \nDirector. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Data Collection:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 14 of 25 \n \n \nB. Behavior Support \nB-1: Develops, maintains, and shares any \nnecessary materials to follow through with \nbehavior plans (token boards, timers, visuals, \netc.) as written. \nSelf Rating \n \nSupervisor Rating \n \n \nB-2: Follows each Behavior Support Plan as \nwritten for student, including effective \nantecedent strategies, reinforcement \nprocedures, following crisis procedures, and \nseeking help when needed. \nSelf Rating \n \nSupervisor Rating \n \n \nB-3: Responds to any behaviors not outlined \nin the behavior support plan using standard \nABA techniques. \n \n \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Behavior Support:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 15 of 25 \n \n \nC. Professionalism \nC-1: Participates in feedback sessions and \naccepts feedback given by Program Director. \nEngages in consultation with Program \nDirector and/or Strand Specialist. \nCommunicates with the Strand Specialist, \nProgram Director, and other school-based \nstaff, including keeping student schedules \nup to date, sharing with all necessary parties, \nand following the set schedule. Is flexible \nwhen caseloads or school assignment \nrequires change, due to caseload demands \nor due to specific needs of a student or \nstudents. If there is a concern regarding \ncaseload and/or programmatic changes," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 30, + "content": "caseload and/or programmatic changes, \nprofessionally communicates the concern to \nthe Program Director. \n*This language does not constitute \nexpansion of caseloads beyond the contract \nlimits \nSelf Rating \n \nSupervisor Rating \n \n \nC-2: Follows Office of Special Education \nadministrative procedures, such as signing \nin/out, requesting absences (sick or personal \ndays) on ESS in a timely manner, using \nplanning time effectively, following cell \nphone use policy, and arriving to \nwork/meetings on time. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 16 of 25 \n \n \nC-3: Consistently exudes a professional \ndisposition towards Special Education, \nApplied Behavior Analysis, students, and \nfamilies, as well as other school personnel; \nand maintains student confidentiality. \nSelf Rating \n \nSupervisor Rating \n \n \nC-4: Demonstrates fluent use of technology \nnecessary to complete job requirements, \nsuch as Google Drive, EdPlan, ACE, Teach \nNow, etc. Ensures that all appropriate \ntechnology is up to date. \nSelf Rating \n \nSupervisor Rating \n \n \nC-5: Engages in and attends all professional \ndevelopment activities as scheduled, \nincluding all that were described in the prior" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 32, + "content": "including all that were described in the prior \nyear\u2019s professional development plan. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Professionalism:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 17 of 25 \n \n \nD. Direct Service \nD-1: Ensures that tasks are prepared and \nready for instruction on time and efficiently. \nDemonstrates fluency with materials \nnecessary to conduct direct service sessions, \nsuch as token boards, first/then boards, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-2: Activates appropriate programs as \noutlined in the IEP within 2 weeks of \nnotification of a signed IEP, and implements \nall programs as written on the curriculum \nsheet across multiple settings including \ninclusion, specials, lunch/recess, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-3: Establishes attending and reinforcers" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 34, + "content": "D-3: Establishes attending and reinforcers \nbefore beginning the session. Prompts \nfunctional communication as necessary. \nCompletes the prescribed number of trials for \neach program according to the prescription \nsheet. Keeps student break time to a \nreasonable duration. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 18 of 25 \n \n \n \nD-4: Ensures that the student is clear on \nhow and when reinforcement is delivered, \nand delivers reinforcement on prescribed \nschedules. \nSelf Rating \n \nSupervisor Rating \n \n \nD-5: Builds rapport with the students and is \nalways engaging and energetic when \nworking with students. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Direct Service:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 19 of 25 \n \n \nE. Communication/Written Skills \nE-1: Completes progress reports and annual \nreviews at least 1 week before the due date, \nby referencing the ABA specialist Task Due \nGoogle Calendar when applicable and using \nplanning time effectively. Ensures that each \ndocument is complete with proper spelling, \ngrammar, and data, following the most \nrecent format provided by the program \ndirectors. \nSelf Rating \n \nSupervisor Rating \n \n \nE-2: Completes EdPlan session notes within \n24 hours of each session and takes no more \nthan 10 minutes per 60-minute session to do \nso. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 37, + "content": "so. \nSelf Rating \n \nSupervisor Rating \n \n \nE-3: Ensures that written communications \nare clear, concise, and free of error, utilizing \nappropriate professional language. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 20 of 25 \n \n \nE-4: Communicates questions and concerns \nin a professional manner with teachers, ABA \nspecialists, strand specialists, program \ndirectors, and paraprofessionals, as \ndemonstrated by initiation and response to \nemails within 48 hours. \nSelf Rating \n \nSupervisor Rating \n \n \nE-5: Responds to emails within 2 working \ndays and completes RMTS (Random Moment \nTime Study) moments within the 48 hour \ntimeline as required by state agencies. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Communication/Written Skills:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 21 of 25 \n \n \nSECTION II: PERFORMANCE AGAINST PAST YEAR\u2019S GOALS \nProvide a concise description of each of the employee\u2019s goals for \nthe past year. Mark whether the employee achieved the goal. \nProvide specific data supporting your assessment that the goal \nwas or was not achieved. \n \nGoal 1: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments: \n \n \nGoal 2: \nTo what extent did the employee achieve this goal? \n\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments: \n \n \nGoal 3: \nTo what extent did the employee achieve this goal?" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 40, + "content": "\uf063 Met \uf063\uf020Did not meet \nDescription of results and comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 22 of 25 \n \n \nSECTION III: GOALS FOR NEXT YEAR \nPlease list the employee\u2019s goals for next year. Goals are to be set \nby supervisor and agreed to by employee. These goals should \nalign with the department\u2019s goals and priorities and include key \nperformance indicators. \nGoal 1: \n \nGoal 2: \n \nGoal 3:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 42, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 23 of 25 \n \n \nSECTION IV: OVERALL PERFORMANCE \nPlease rate the employee\u2019s overall performance this year. If the \nemployee receives a \u201cDoes Not Meet Expectations\u201d rating, their \nsupervisor must provide a diagnosis and recommendations for \nhow the employee must improve their performance in the \nfollowing Additional Comments section. The supervisor may also \nuse this section to provide other additional comments on the \nemployee\u2019s performance. \n \n\uf0a8 Unsatisfactory \n\uf0a8 Proficient \n\uf0a8 Needs Improvement \n\uf0a8 Exemplary \n \nComments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 24 of 25 \n \n \nSECTION V: PROFESSIONAL DEVELOPMENT PLAN \nDescribe the employee\u2019s Professional Development Plan for the \ncoming year. This plan should help the employee build skills \nand/or knowledge to accomplish their goals for the year. Please \ndescribe the specific areas that the employee is trying to develop, \nand the related activities that they will take part in this year. \n \n1. Skill/Knowledge Development Area 1: \n \nRelated activities to help develop skill: \n \n \n \n2. Skill/Knowledge Development Area 2: \n \nRelated activities to help develop skill: \n \n \n \n3. Skill/Knowledge Development Area 3: \n \nRelated activities to help develop skill:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular HRS-PM10 \nPage 25 of 25 \n \n \nSECTION VI: ACKNOWLEDGEMENTS \n \n ____________________________________________ ____________________ \n Evaluator\u2019s Signature Date \n \n \n ____________________________________________ ____________________ \n Employee\u2019s Signature Date \n \nThe employee\u2019s signature indicates that they have seen the \nevaluation and acknowledge that it will be placed in their \npersonnel file, but it does not denote agreement with the \nevaluation. \n \n \n \nThe employee may provide a written response to the evaluation \nin the space provided below, and/or in attached pages. \n \nEmployee Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nSchool Year 2023-2024 \nNUMBER: \nHRS-HS06 \nVersion 01 \n \n \nSUBSTITUTE TEACHERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis superintendent\u2019s circular sets forth information regarding \nthe employment and professional development of substitute \nteachers. \nUSE OF THE AUTOMATED BPS SMARTFIND EXPRESS SYSTEM \n(SUBCENTRAL) \n\u25ba All schools are required to use BPS SubCentral for substitute \nneeds. This will allow the school's central administration to \nunderstand and better manage operations. This will also \nallow OHC to monitor and accurately report fill rates as well \nas recruit for hard-to-fill vacancies." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 2, + "content": "as recruit for hard-to-fill vacancies. \nThe Office of Human Resources is committed to ensuring the \nactive substitute pool consists of high-quality substitute teachers. \nBPS SubCentral allows principals and heads of schools to view \nand coordinate substitute activities and view past, current, and \nfuture jobs for the school, helping them to better understand and \nmanage absenteeism. \nBPS SubCentral is available via the Internet and mobile app 24 \nhours a day, 7 days a week, from any Internet-enabled computer \nor mobile device with an Access ID and PIN. BPS SubCentral can" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 2 of 7 \n \n \nbe accessed at https://bostonps.eschoolsolutions.com, or by \ntelephone at 857- 254-1707. \nWith BPS SubCentral, schools can create and manage their own \npreferred substitute list, create absences and vacancies, and pull \nindividual reports unique to their school. Preferred substitutes \nwill be contacted first about a substitute teaching opportunity. If \nthe vacancy still exists after all a school\u2019s preferred substitutes \nhave been contacted, the SubCentral platform will then begin \ncontacting other substitutes registered within the system. Those \nsubstitutes on a particular school\u2019s \u2018Do Not Use\u2019 list will not be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 4, + "content": "called, nor will they be able to view open substitute opportunities \nfor that school. \nFor more information on BPS SubCentral, please contact \nSubCentral via email at bpsSubCentral@bostonpublicschools.org. \nTYPES OF SUBSTITUTE TEACHERS \n\u25cf Degree per diem substitute teachers work day-to-day \nassignments to temporarily fill positions. Those with at least \na bachelor's degree who are assigned to fill a position \nanticipated to be vacant for more than 20 consecutive \nworkdays, but less than a full year, or who serve \ncontinuously for more than 20 consecutive workdays in the \nsame assignment, are considered per diem substitute \nteachers covering a long-term assignment." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 5, + "content": "teachers covering a long-term assignment. \no A qualified and properly licensed long-term substitute will \nbe granted a provisional teacher contract on or before \nDecember 1st if the assignment in which they is serving \nbecomes vacant for the remainder of the school year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 3 of 7 \n \n \n\u25cf Non-degree per diem substitute teachers do not hold a \nbachelor's degree. The non-degree per diem substitute \nteachers work day-to-day assignments to fill positions on an \ninterim basis and may not take on long-term assignments. \n\u25cf Cluster substitute teachers are assigned to a school for a full \nyear to cover various teacher absences in the school, as \nneeded, on a daily basis. The cluster substitute positions are \ntypically created during the budget season and charged to \nthe school\u2019s budget. If schools are interested in having a \ncluster substitute for the school year, please contact your" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 7, + "content": "budget analyst and Human Resources staffing manager. \n \nMINIMUM QUALIFICATIONS \nPer Diem Substitutes: \nAre required to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org; you must complete the course with at \nleast an 85% average and submit a Sub Diploma from the course. \nLong-term Substitutes: \nMust have a bachelor\u2019s degree and at least one of the following \nrequirements: \n\u25cf A Mass. Teaching License (out of state licenses will be \nconsidered with teaching experience) \n\u25cf Complete the Sub Skills Basic Training Course online at \nwww.STEDI.org; you must complete the course with at least \nan 85% average." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 4 of 7 \n \n \n\u25cf Two years\u2019 teaching experience. You may additionally be \nasked to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org. \n\u25cf If you were successfully hired for a substitute teaching \nposition and you do not hold an initial teaching license from \nthe Massachusetts Department of Elementary and \nSecondary Education, you must take and pass the Utah \nSubstitute Assessment test with a score of 85 or above. \n\u25cf All candidates must be fingerprinted and pass a criminal \noffender (CORI) and sexual offender (SORI) records check. \nThe criminal offender/sexual offender record check \nrequirement cannot be waived." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 9, + "content": "requirement cannot be waived. \nThe Substitute Teaching Institute (STEDI) of Utah State University \ncreated and oversees the Substitute Teacher Training Program. It \nprovides 6\u201313 hours of sub instructor training, either online or via \nCDs, and an assessment at the completion of the program. The \ncost of the program, which will be borne by the candidate, is \n$39.95 plus shipping and includes the interactive SubInstructor \ntraining (included as a CD), a substitute teacher handbook, and \nthe online sub assessment and SubDiploma. Information for the \ncandidates is posted on the BPS website. \nSUBSTITUTE HIRING \nAll hiring for substitutes will take place through the online BPS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 10, + "content": "Career Center (TalentEd). Applicants must create a profile and \napply to the district-wide substitute teacher job posting through \nthe BPS Career Center (TalentEd). Applicants will be hired as a \nBPS per diem substitute teacher after review of their application \nin its entirety, submission of all required documentation, and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 5 of 7 \n \n \nsuccessful completion and passing of a background check, which \nincludes fingerprinting and CORI/SORI checks. \nSUBSTITUTE TEACHER REQUEST & RECOMMENDATIONS \nPrincipals and heads of schools can either request or recommend \nan individual for a per diem or long-term substitute appointment \nat their specific school. To submit a per diem and long-term \nsubstitute, the school leader or hiring manager will need to \nsubmit the candidate for hire via the BPS Career Center \n(TalentEd). All school leaders and hiring managers will have \naccess to the districtwide substitute job posting. Please note:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 12, + "content": "once the substitute has been hired, it is the responsibility of the \nschool to post the absence and vacancy in SubCentral and assign \nit to the substitute as required. \nPROFESSIONAL DEVELOPMENT \nLong-term and cluster substitute teachers are required to \nparticipate in up to 18 hours of professional development with \nregular teachers. If this professional development is scheduled \nbeyond the school day, long-term and cluster substitute teachers \nare paid for this time and are compensated through stipend \npayments provided by the school. \nNew substitute teachers may also be required to attend up to \nthree days of training to prepare them to teach in the Boston \nPublic Schools." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 13, + "content": "Public Schools. \n \nADMINISTRATIVE RESPONSIBILITY \nHeads of schools and principals are responsible for establishing \npractices and procedures that enable substitute teachers to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 6 of 7 \n \n \nprovide students with educationally meaningful work and allow \nfor the maximum educational use of the school day. As part of \nthis responsibility, heads of schools and principals or their \ndesignees should consider providing substitute teachers with the \nfollowing items: \n\u25cf A daily plan book, lesson plan, or other academic activity for \nall classes of the absent teacher. Heads of schools and \nprincipals are responsible for ensuring that all teachers \nprepare appropriately, and continually update plan books \nand lesson plans so that the lesson taught by the substitute \nteacher is consistent with the subject matter being taught" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 15, + "content": "to the class. \n\u25cf A copy of the absent teacher\u2019s schedule, including subjects \nand levels of instruction, room assignments, administrative \nassignments, lunch, and common planning time. \n\u25cf Homeroom and class lists and seating plans. \n\u25cf A bell schedule. \n\u25cf A concise statement of school policies and procedures \nregarding the taking of attendance, modes of disciplinary \nreferral, referral for illness, emergency procedures, and any \nother pertinent information a substitute teacher may need. \n\u25cf Name and location of the administrator responsible for the \nschool's substitute teachers. \n \nThese materials may be kept in the school office or distributed to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 16, + "content": "substitute teachers in some other manner that is effective." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HRS-HS06 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nName: BPS SubCentral \nDepartment: Office of Human Resources \u2013 Sub Central \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-15 \nVersion 01 \n \nSTUDENT SURVEYS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. \u00a71232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the \nfollowing policy. Additionally, a student survey that is not" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 2, + "content": "developed or administered through the use of funds received \nfrom the United States Department of Education also does not \nneed to comply with this policy. \nFor those student surveys that are developed or administered \nthrough the use of federal education funds and in which a \nstudent is required to participate, the following policy applies. \nThis policy applies to those surveys that ask a student to reveal \nany of the following information: political affiliation; mental \nillness or psychological problems; sexual behavior and/or \nattitudes; illegal, self-incriminating, and demeaning behavior; \ncritical appraisals of close family members; relationships to which" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 3, + "content": "a privilege is recognized, such as clergy, medical doctors, or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-15, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nattorneys; religious affiliations or beliefs; and income, other than \nfor eligibility for participation in a program. Prior to \nadministering such a survey, the student\u2019s parent or guardian \nmust consent, in writing, to the student\u2019s participation in the \nsurvey. Also, a copy of the survey must be made available to the \nparent or guardian. Any such survey should also be brought to \nthe attention of the Office of Legal Advisor. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 5, + "content": "Phone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-17 \nVersion 01 \n \nRELIGIOUS EXPRESSION IN PUBLIC SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Laws chapter 71, section 82, sets forth the \nlaw regarding the right of students to freedom of expression in \npublic schools. Freedom of expression must be balanced with \nany disruption or disorder caused to the school. Issues related \nspecifically to religious expression in public schools involve \nconstantly developing concepts and questions of constitutional \nlaw. Therefore, staff members are strongly encouraged to bring" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 2, + "content": "specific questions of religious expression to the Office of Legal \nAdvisor, 617-635-9320. \nSome general principles include: \n\u2022 Freedom of expression of individuals or groups of \nstudents includes the right to express their views through \nspeech, symbols, peaceable and planned assembly, and \nwritten publications. \n\u2022 Although the First Amendment forbids religious activity \nthat is sponsored by the government, it protects religious \nactivity initiated by private individuals that is non-\ndisruptive, including student prayer before meals or \nduring non-instructional time. Such non-disruptive \nreligious activity may also include speakers at student" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 3, + "content": "assemblies, extracurricular events, or graduation" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-17 \nPage 2 of 2 \n \nceremonies who are selected on the basis of genuinely \nneutral, evenhanded criteria and who retain control over \nthe content of their expression. Under such \ncircumstances, school officials may make neutral \ndisclaimers that the speech is the speaker\u2019s view and not \nof the school. \n\u2022 Teachers, administrators, and other school employees \nwho, when acting in their official capacities, are acting as \nagents of the state and must not encourage, discourage, \nor participate in prayer or other religious expression. \n(Note: this does not include the Pledge of Allegiance, \nwhich is not considered religious expression; see Supt. \nCircular LGL-18.)" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 5, + "content": "Circular LGL-18.) \n\u2022 School officials may not compel students to participate in \nprayer or other religious activities. \n \nFor more information about this circular, contact: \nOwner: Lisa Maki \nDepartment: Office Of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-05 Subpoenas", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-05 \nVersion 01 \n \nSUBPOENAS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version.. \nSUBPOENA: When receiving a subpoena for student records, \npersonnel records, medical records, or any other document, a \ncopy of the subpoena must be emailed or delivered \nimmediately to the Office of Legal Advisor for review. \nSubsequent to that, please forward all responsive records with \nthe original subpoena to the Office of Legal Advisor. Such a \nsubpoena should be emailed or delivered, even if it is addressed \nto an individual, rather than the \u201ckeeper of the records.\u201d Witness" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-05 Subpoenas", + "chunk_id": 2, + "content": "subpoenas (i.e., a subpoena that seeks testimony rather than \ndocuments) should also be emailed or delivered to the Office of \nLegal Advisor for appropriate consultation. \n If sending by email, please email legal@bostonpublicschools.org. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-05 Subpoenas", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular LGL-05, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-20 \nVersion 01 \n \nCORPORAL PUNISHMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nPrincipals and heads of school should remind staff that the use of \ncorporal punishment in schools is strictly forbidden by Boston \nSchool Committee policy as well as by Massachusetts State Law \nG.L. c. 71, \u00a7 37G, which provides: \n(a) The power of the school committee or of any teacher or \nany other employee or agent of the school committee to \nmaintain discipline upon school property shall not include \nthe right to inflict corporal punishment upon any pupil." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 2, + "content": "(b) The provisions of this section shall not preclude any \nmember of the school committee or any teacher or any \nemployee or agent of the school committee from using \nsuch reasonable force as is necessary to protect pupils, \nother persons, and themselves from an assault by a pupil. \nWhen such an assault has occurred, the principal shall file \na detailed report of such with the school committee. \n(c) The board of education shall promulgate regulations \nregarding the use of physical restraint for students. Such \nregulations shall not preclude any teacher or employee or \nagent of the school from using reasonable force to \nprotect pupils, other persons, and themselves from an" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 3, + "content": "assault by a pupil as set forth above in section (b). Such" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-20 \nPage 2 of 2 \n \nregulations shall require training of all personnel \nauthorized to administer any forms of restraint. Such \nregulations shall provide for procedures for notification to \nthe department and to the parents. \nCorporal punishment includes but is not limited to the following: \n\u2022 Slapping or hitting students \n\u2022 Pulling students by their arms, shoulders, etc. \n\u2022 Pushing students from one location to another \n\u2022 Forcibly causing students to sit down \n\u2022 Grasping students by any body part \nStaff may restrain students only to protect students, other \npersons, or themselves from an assault and may only use such" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 5, + "content": "force as is reasonably necessary to repel such an attack. Violation \nof the policy and law will result in disciplinary measures and may \nresult in the filing of abuse and/or criminal charges. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-04 \nVersion 01 \n \nSCHOOL VISITOR GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIt is School Committee policy to welcome all parents and other \nvisitors to our schools and to encourage their active support of \nand involvement in the schools. However, considering the \nchallenges of COVID-19 and to comply with current CDC, DESE, \nand district guidelines, we are asking all members of our school \ncommunities to support our effort to limit traffic in our buildings \nto only assigned students, BPS staff, BPS facilities contractors, \nand approved partners as described below until further notice." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 2, + "content": "Please see Superintendent Circular SAF-12 School Access \nControl. \nAll permitted visitors, including School Department personnel, \nare expected to report to the school main office before going \nelsewhere in the building. They will be required to sign in, noting \ntheir name, affiliation, and reason for the visit; and before leaving, \nto sign out of the building. Visitors will be required to park in \ncertain designated spaces or at certain designated times in \nschool parking lots. All visitors should be informed of these \nprocedures through such means as is determined by the school. \nOccasionally, visitors may disrupt school activities: by behaving" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 3, + "content": "inappropriately; by harassing staff; by shouting; or by insisting on \nvisiting at inappropriate times. Every effort should be made to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 2 of 13 \n \n \nwork with such visitors to inform them of established procedures \nin an effort to eliminate future disruptions. When such \ndisruptions occur, however, the building administrator may issue \nthe offender a Trespass Warning pursuant to M.G.L. c. 266, \u00a7 120. \nAttachment A provides an example of such a letter, with \nappropriate fields to be filled in by the building administrator. \nSuch a warning requires the offending party to contact the \nbuilding administrator, or a designee, prior to appearing at school \nfor any school-related matter. Additionally, depending upon the \nnature of the inappropriate behavior, a building administrator" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 5, + "content": "may choose to substitute any of the following restrictions in the \nthird paragraph of Attachment A: \n1. The visitor will be required to telephone prior to visiting the \nbuilding to inform the building administrator of their intent \nin visiting the building. \n2. The visitor will be required to be accompanied by the \nbuilding administrator or their designee to classrooms. \n3. Advance scheduling of consultations with teachers or other \nproviders will be required. \n4. Parents delivering student[s] to school may be required to \nleave the student[s] at the front door and not be permitted \nto accompany them to the classroom. \nThis warning should expire at the end of the academic year. As is" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 6, + "content": "noted on the Trespass Warning, it is appealable through the \noperational leader. \nAdditionally, by issuing the Trespass Warning, the building \nadministrator is placing the disruptive visitor on notice that any \nfurther inappropriate behavior will result in the issuance of a \nTrespass Notice. If inappropriate behaviors continue, Attachment" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 3 of 13 \n \n \nB provides an example of such a trespass notice, again with fields \nto be completed by the building administrator. No Trespass \nNotice shall issue, however, without the approval of the \nsuperintendent or designee, which may be sought through the \noperational leader, who will contact the Superintendent\u2019s Office. \nThe Trespass Notice will be effective for one year from the date it \nwas issued and may, in the reasonable exercise of the building \nadministrator\u2019s discretion and with the approval of the \nsuperintendent or designee, be renewed thereafter. Failure to \ncomply with any restriction imposed by the Trespass Notice may" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 8, + "content": "result in the visitor\u2019s arrest and prosecution for criminal trespass. \nLike the Trespass Warning, it is appealable at the visitor\u2019s election \nthrough the operational leader. \nIn instances of extreme behavior, such as assault or battery of an \nadministrator, faculty member, staff member, or student, a \nbuilding administrator with approval of the superintendent or \ndesignee may issue a Trespass Notice without prior issuance of a \nTrespass Warning. Attachment C is an example of such a notice. \nSuch a Trespass Notice as is contained in Attachment C should \nbe reserved, however, for particularly egregious behavior where \nthere is a particularized apprehension for the safety or well-being" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 9, + "content": "for a member or members of the school community. Once issued, \nor until such time it is vacated, the named visitor is prohibited, \nunder penalty of law, from entering or using school grounds for \nany reason. This Trespass Notice is effective immediately, and its \nduration is indefinite. A copy of this notice must be provided to \nthe Boston Police Department, the Safety Office, and the Office of \nLegal Advisor, and maintained in the school\u2019s file. A visitor\u2019s \nfailure to comply with this notice will result in immediate arrest \nand prosecution for trespassing if it is violated. This notice is \nlikewise appealable through the operational leader." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 4 of 13 \n \n \n \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 5 of 13 \n \n \nATTACHMENT A \nRe: TRESPASS WARNING PURSUANT TO G. L. c. 266 \u00a7 120 \nWarning notice of unacceptable conduct that incited a physical \nconfrontation \n \nDear [Visitor name]: \nBy this letter I am issuing a Trespass Warning pursuant to G. L. c. \n266, \u00a7 120. As a result of [description of incident] on [date], it is \nnecessary for [school name] to issue this warning to ensure the \nsafety of students, school staff, and the immediate community. \nTo foster and ensure effective teaching and learning, it is \nnecessary to maintain an environment that is positive and free of \ndisruption, so that the business of the school may be" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 12, + "content": "appropriately completed. It has been determined that your \npresence on [date] seriously disturbed the mental health of \nnumerous students here at [school name]. Such conduct cannot \nbe tolerated and does not reflect the type of behaviors we model \nfor our students. \nWe ask that you make every effort to avoid coming in or around \nthe area of [school name] at the arrival or dismissal of school. Any \nfurther incident[s] that disrupts the mental health of other \nstudents by inciting a physical confrontation during the \nremainder of this academic year may next result in the issuance \nof a formal Trespass Notice under G. L. c. 266, \u00a7 120. Failure to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 13, + "content": "comply with such a Trespass Notice would subject you to \nimmediate arrest and prosecution for violation of such a trespass \nnotice. \nThis action is being taken on behalf of and in the best interest of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 6 of 13 \n \n \nour students, staff, and community. Please contact the school at \n[school phone number] if you wish to discuss this warning notice \nor seek other assistance. You may also contact the Operational \nLeader at [phone number] to discuss the issuance of this \nTrespass Warning, including if you dispute the reasons for its \nissuance. \nThank you for your cooperation in this matter. \nSincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 7 of 13 \n \n \nATTACHMENT B \nRe: TRESPASS NOTICE PURSUANT TO G. L. c. 266, \u00a7120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [description of the incident of unacceptable \nbehavior that prompted a previous warning and the current \nnotice] at the [school name] on [date of original incident], it is \nnecessary for me to issue this Trespass Notice pursuant to M.G.L. \nc. 266, \u00a7 120. Therefore, from the date of this notice and until such \ntime as it is either vacated or for one calendar year whichever is \nfirst you are not allowed to be present on the premises of the \n[school name]." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 16, + "content": "[school name]. \nDespite the warning issued on [date], a copy of which is enclosed, \nyour behavior continues to disrupt the teaching and learning \nprocess and indeed places our students, staff, and faculty at risk \nof harm. \nI determined that your behavior on [dates of each incident for \nwhich a warning notice was issued and the current incident \nwhich prompts this Trespass Notice and describe behavior] \nseriously disturbed the school environment and the conduct of \nschool activities and related school business. This cannot be \ntolerated and is contrary to the mission of the [school name]. If in \nthe future you need to address particular school-related matters," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 17, + "content": "please contact either my designee or me by telephone so that \nyour concern may be addressed. \nBy this letter, I am formally notifying you of the Trespass Notice. A" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 8 of 13 \n \n \ncopy of this notice will be provided to the Boston Police \nDepartment, the Department of Safety Services, Office of Legal \nAdvisor, the [school name\u2019s] file, and will be sent to you by \nregular and certified mail. This trespass notice prohibits you, \nunder penalty of law, from entering or using the [school name] or \nfrom setting foot on school property for any reason. Failure to \ncomply with this Trespass Notice shall subject you to immediate \narrest and prosecution for violation of this Trespass Notice. This \nnotice will be effective for one year from the date it was issued \nand may, in the reasonable exercise of my discretion, be renewed" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 19, + "content": "thereafter. If renewed, I will notify you in writing prior to its \nrenewal. If not renewed, its effect will end one year after its \nissuance. \nI look forward to working with you in a cooperative manner. \nPlease contact me at [contact telephone and email] if you wish \nto discuss this Trespass Notice or seek other assistance. You may \nalso contact the operational leader [number of contact person] \nto discuss the issuance of this Trespass Notice. You may also \ncontact the operational leader if you dispute the reasons for \nissuing this notice, or if, during the duration of this notice, you \nwish to seek to vacate or modify its provisions." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 20, + "content": "This notice is likewise appealable through the operational leader." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 9 of 13 \n \n \nThank you for your cooperation in this matter. \nSincerely, \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 10 of 13 \n \n \nATTACHMENT C \n \nRe: TRESPASS NOTICE, PURSUANT to G. L. c. 266, \u00a7 120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [insert detailed description of the incident of \nunacceptable behavior] at the [school name] on [date of \nincident], it is necessary for me to issue this Trespass Notice, \npursuant to G.L. c. 266, \u00a7 120. Therefore, from the date of this \nnotice, you are not allowed to be present on the premises of the \n[name of school]. \nI have determined that your behavior on [date of incident] placed \nour students, staff, and faculty at risk of harm. Furthermore, your" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 23, + "content": "actions seriously disturbed both the school environment and the \nconduct of school activities and school-related business. This \ncannot be tolerated. It is contrary to the mission of the [name of \nschool]. If in the future you have a need to address particular \nschool-related matters, please contact either my designee or me \nby telephone so that your concerns can be addressed. \nThis letter serves to formally notify you of the Trespass Notice. A \ncopy of this notice has been provided to the Boston Police \nDepartment, the Superintendent\u2019s Office, the Office of Legal \nAdvisor, the Office of Safety Services, the [name of school]\u2019s file," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 24, + "content": "and to you by regular and certified mail. This Trespass Notice \nprohibits you, under penalty of law, from entering or using the \n[name of school] or from setting foot on school property for any" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 11 of 13 \n \n \nreason. Failure to comply with this trespass notice shall subject \nyou to immediate arrest and prosecution for violation of this \nTrespass Notice. This notice will be effective immediately, and its \nduration is indefinite. \nI look forward to working with you in a cooperative manner. \nPlease contact me by telephone if you wish to discuss this \nTrespass Notice or seek other assistance. You may also contact \nthe operational leader at [number of contact person] to discuss \nthe issuance of this Trespass Notice, including if you dispute the \nreasons therefore. \nThank you for your cooperation in this matter. \n \nSincerely," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 26, + "content": "Sincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files \nEnclosure [attach copy of incident report if available] \n \nGuidelines for Visiting the Boston Public Schools \n1. Until further notice, parents/guardians and staff from" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 12 of 13 \n \n \npartner agencies [except for BPS facilities service \ncontractors and approved partner agencies, as described \nabove] will not be allowed in school buildings. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building in the area[s] \ndesignated by the school leader/staff. \n2. ALL visitors MUST report to the school\u2019s main office and sign \nin before going elsewhere in the building, and they must \nsign out before leaving. Some schools have a desk near the \nmain entrance where visitors may sign in and out. However, \nif no one is sitting at the desk, the visitor must go to the \nmain office." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 28, + "content": "main office. \n3. All visitors will receive a Visitor\u2019s Pass when they sign in. \nThey must return it to the office or sign-in desk when they \nleave. Please be sure your Visitor\u2019s Pass is visible while you \nare in the school or schoolyard. Visitor\u2019s passes will not be \nrequired at Open Houses, Parent Nights or other school-\nsponsored events open to the public to the extent those \nevents are held. \n4. For the safety of our students and staff, we will consider that \nvisitors who do not sign in and cannot show a Visitor\u2019s Pass \nare trespassing. A school staff member may ask them to \nleave the building and schoolyard. \n5. Visitors who want to meet with a teacher or administrator" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 29, + "content": "should contact the school via phone or email to schedule \nany discussion or virtual appointments that they would like \nto have. \n6. Teachers or staff who are expecting a visitor should notify \nthe office they are expecting a visitor and provide name and \nreason prior to the visitor\u2019s arrival. In some cases, a staff" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular LGL-04 \nPage 13 of 13 \n \n \nmember may escort the visitor to the meeting place. \n7. If a student is sick/injured and needs to be picked up, school \nstaff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. \n8. It is very disruptive to the classroom for parents to pick up \ntheir children before the regular dismissal time. If this is \nnecessary, the parent should call the school office in \nadvance and pick their child up in the location designated \nby the school. Parents may not go directly to the classroom \nto pick up their child. The school will not release a student to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 31, + "content": "anyone other than a custodial parent without the parent\u2019s \nconsent and proper identification. \n9. Occasionally, visitors may disrupt school activities by \ninsisting on visiting classrooms unannounced, harassing \nstaff, shouting, or using inappropriate language. If such \ndisruptive behavior continues, the school administrator may \nrestrict the individual\u2019s visits or deny future access to the \nbuilding, schoolyard, or virtual learning environment. \n10. Thank you for your cooperation in observing these \nguidelines. Be assured that our goal is to create a safe, \nsecure, and positive learning experience for all our students \nand their families." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-19 \nVersion 01 \n \nCONFLICT OF INTEREST LAW \u2013 CITY EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAttached you will find a copy of the \"Summary of the Conflict of \nInterest Law for Municipal Employees,\" which outlines the \nstandards of ethics and conduct for all city employees. This \nsummary was prepared and issued by the State Ethics \nCommission, the state entity charged with enforcing \nMassachusetts\u2019 conflict of interest law, M.G.L. c. 268A. \nCopies of this summary should be distributed to all staff and \nSchool Site Council members on an annual basis. It may also be" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 2, + "content": "found at this link: Summary of the Conflict of Interest law. \nAll staff should be encouraged to read and be familiar with the \nlaw so that we all carry out our obligations honestly and fairly, \nand so that our actions are above reproach. Please use the \nattachment to this circular to make copies for your staff and \nSchool Site Council. \nAnnually, every City employee is required by law to sign the \nacknowledgment of receipt of the attached summary via The \nHub. Alternatively, the employee may return the signed \nacknowledgement to their supervisor for submission to the \nOffice of Human Resources." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 2 of 21 \n \nFurthermore, every two years, all current state, county, and \nmunicipal employees must complete online ethics training \nthrough the State Ethics Commission. New public employees \nmust complete this training within 30 days of beginning public \nservice, and every two years thereafter. Upon completing the \nprogram, employees should print out the completion certificate, \nkeep a copy for themselves, and provide a copy of the completion \ncertificate to Human Resources. The online training can be found \nat: \nComplete the Online Training Program for Municipal Employees | \nMass.gov \nFor specific questions regarding employment and/or individual" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 4, + "content": "activity under the conflict of interest laws should be directed to \nthe Office of Legal Advisor. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 3 of 21 \n \nSUMMARY OF THE CONFLICT OF INTEREST LAW FOR \nMUNICIPAL EMPLOYEES \nAll municipal employees must be provided with this summary of \nthe conflict of interest law annually. \nAll city and town employees must be provided with this \nSummary of the Conflict of Interest Law for Municipal Employees \nwithin 30 days of hire or election, and then annually. All city and \ntown employees are then required to acknowledge in writing \nthat they received the summary. \nThis summary of the conflict of interest law, General Laws \nchapter 268A, is intended to help municipal employees \nunderstand how that law applies to them." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 6, + "content": "understand how that law applies to them. \nThis summary is not a substitute for legal advice, nor does it \nmention every aspect of the law that may apply in a particular \nsituation. Municipal employees can obtain free confidential \nadvice about the conflict of interest law from the Commission's \nLegal Division at our website, phone number, and address above. \nMunicipal counsel may also provide advice. \nThe conflict of interest law seeks to prevent conflicts between \nprivate interests and public duties, foster integrity in public \nservice, and promote the public's trust and confidence in that \nservice by placing restrictions on what municipal employees may" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 7, + "content": "do on the job, after hours, and after leaving public service, as \ndescribed below. The sections referenced below are sections of \nG.L. c. 268A. \nWhen the Commission determines that the conflict of interest \nlaw has been violated, it can impose a civil penalty of up to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 4 of 21 \n \n$10,000 ($25,000 for bribery cases) for each violation. In addition, \nthe Commission can order the violator to repay any economic \nadvantage he gained by the violation, and to make restitution to \ninjured third parties. Violations of the conflict of interest law can \nalso be prosecuted criminally. \n1. Are you a municipal employee for conflict of interest law \npurposes? \nYou do not have to be a full-time, paid municipal employee \nto be considered a municipal employee for conflict of \ninterest purposes. Anyone performing services for a city or \ntown or holding a municipal position, whether paid or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 9, + "content": "unpaid, including full- and part-time municipal employees, \nelected officials, volunteers, and consultants, is a municipal \nemployee under the conflict of interest law. An employee of \na private firm can also be a municipal employee, if the \nprivate firm has a contract with the city or town and the \nemployee is a \"key employee\" under the contract, meaning \nthe town has specifically contracted for her services. The law \nalso covers private parties who engage in impermissible \ndealings with municipal employees, such as offering bribes \nor illegal gifts. Town meeting members and charter \ncommission members are not municipal employees under \nthe conflict of interest law." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 5 of 21 \n \n2. On-the-job restrictions. \na. Bribes. Asking for and taking bribes is prohibited. (See \nSection 2) \nA bribe is anything of value corruptly received by a \nmunicipal employee in exchange for the employee being \ninfluenced in his official actions. Giving, offering, \nreceiving, or asking for a bribe is illegal. \nBribes are more serious than illegal gifts because they \ninvolve corrupt intent. In other words, the municipal \nemployee intends to sell his office by agreeing to do or \nnot do some official act, and the giver intends to influence \nhim to do so. Bribes of any value are illegal. \nb. Gifts and gratuities. Asking for or accepting a gift" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 11, + "content": "because of your official position, or because of \nsomething you can do or have done in your official \nposition, is prohibited. (See Sections 3, 23(b)(2), and 26). \nMunicipal employees may not accept gifts and gratuities \nvalued at $50 or more given to influence their official \nactions or because of their official position. Accepting a \ngift intended to reward past official action or to bring \nabout future official action is illegal, as is giving such gifts. \nAccepting a gift given to you because of the municipal \nposition you hold is also illegal. Meals, entertainment \nevent tickets, golf, gift baskets, and payment of travel \nexpenses can all be illegal gifts if given in connection with" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 12, + "content": "official action or position, as can anything worth $50 or \nmore. A number of smaller gifts together worth $50 or \nmore may also violate these sections." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 6 of 21 \n \nExample of violation: A town administrator accepts \nreduced rental payments from developers. \nExample of violation: A developer offers a ski trip to a \nschool district employee who oversees the developer's \nwork for the school district. \nRegulatory exemptions. There are situations in which a \nmunicipal employee's receipt of a gift does not present a \ngenuine risk of a conflict of interest and may in fact \nadvance the public interest. The Commission has created \nexemptions permitting giving and receiving gifts in these \nsituations. One commonly used exemption permits \nmunicipal employees to accept payment of travel-related" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 14, + "content": "expenses when doing so advances a public purpose. \nAnother commonly used exemption permits municipal \nemployees to accept payment of costs involved in \nattendance at educational and training programs. Other \nexemptions are listed on the Commission's website. \nExample where there is no violation: A fire truck \nmanufacturer offers to pay the travel expenses of a fire \nchief to a trade show where the chief can examine \nvarious kinds of fire-fighting equipment that the town \nmay purchase. The chief fills out a disclosure form and \nobtains prior approval from his appointing authority. \nExample where there is no violation: A town treasurer \nattends a two-day annual school featuring multiple" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 15, + "content": "substantive seminars on issues relevant to treasurers. The \nannual school is paid for in part by banks that do business \nwith town treasurers. The treasurer is only required to \nmake a disclosure if one of the sponsoring banks has \nofficial business before her in the six months before or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 7 of 21 \n \nafter the annual school. \nc. Misuse of position. Using your official position to get \nsomething you are not entitled to, or to get someone \nelse something they are not entitled to, is prohibited. \nCausing someone else to do these things is also \nprohibited. (See Sections 23(b)(2) and 26) \nA municipal employee may not use her official position to \nget something worth $50 or more that would not be \nproperly available to other similarly situated individuals. \nSimilarly, a municipal employee may not use her official \nposition to get something worth $50 or more for \nsomeone else that would not be properly available to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 17, + "content": "other similarly situated individuals. Causing someone else \nto do these things is also prohibited. \nExample of violation: A full-time town employee writes a \nnovel on work time, using her office computer, and \ndirecting her secretary to proofread the draft. \nExample of violation: A city councilor directs \nsubordinates to drive the councilor's wife to and from the \ngrocery store. \nExample of violation: A mayor avoids a speeding ticket by \nasking the police officer who stops him, \"Do you know \nwho I am?\" and showing his municipal I.D. \nd. Self-dealing and nepotism. Participating as a municipal \nemployee in a matter in which you, your immediate" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 18, + "content": "family, your business organization, or your future \nemployer has a financial interest is prohibited. (See \nSection 19)" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 8 of 21 \n \nA municipal employee may not participate in any \nparticular matter in which he or a member of his \nimmediate family (parents, children, siblings, spouse, and \nspouse's parents, children, and siblings) has a financial \ninterest. He also may not participate in any particular \nmatter in which a prospective employer, or a business \norganization of which he is a director, officer, trustee, or \nemployee has a financial interest. Participation includes \ndiscussing as well as voting on a matter and delegating a \nmatter to someone else. \nA financial interest may create a conflict of interest \nwhether it is large or small, and positive or negative. In" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 20, + "content": "other words, it does not matter if a lot of money is \ninvolved or only a little. It also does not matter if you are \nputting money into your pocket or taking it out. If you, \nyour immediate family, your business, or your employer \nhave or has a financial interest in a matter, you may not \nparticipate. The financial interest must be direct and \nimmediate or reasonably foreseeable to create a conflict. \nFinancial interests which are remote, speculative, or not \nsufficiently identifiable do not create conflicts. \nExample of violation: A school committee member's wife \nis a teacher in the town's public schools. The school \ncommittee member votes on the budget line item for" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 21, + "content": "teachers' salaries. \nExample of violation: A member of a town affordable \nhousing committee is also the director of a non-profit \nhousing development corporation. The non-profit makes \nan application to the committee, and the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 9 of 21 \n \nmember/director participates in the discussion. \nExample: A planning board member lives next door to \nproperty where a developer plans to construct a new \nbuilding. Because the planning board member owns \nabutting property, he is presumed to have a financial \ninterest in the matter. He cannot participate unless he \nprovides the State Ethics Commission with an opinion \nfrom a qualified independent appraiser that the new \nconstruction will not affect his financial interest. \nIn many cases, where not otherwise required to \nparticipate, a municipal employee may comply with the \nlaw by simply not participating in the particular matter in" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 23, + "content": "which she has a financial interest. She need not give a \nreason for not participating. \nThere are several exemptions to this section of the law. An \nappointed municipal employee may file a written \ndisclosure about the financial interest with his appointing \nauthority and seek permission to participate \nnotwithstanding the conflict. The appointing authority \nmay grant written permission if she determines that the \nfinancial interest in question is not so substantial that it is \nlikely to affect the integrity of his services to the \nmunicipality. Participating without disclosing the \nfinancial interest is a violation. Elected employees cannot" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 24, + "content": "use the disclosure procedure because they have no \nappointing authority. \nExample where there is no violation : An appointed \nmember of the town zoning advisory committee, which" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 10 of 21 \n \nwill review and recommend changes to the town's by-\nlaws with regard to a commercial district, is a partner at a \ncompany that owns commercial property in the district. \nPrior to participating in any committee discussions, the \nmember files a disclosure with the zoning board of \nappeals that appointed him to his position, and that \nboard gives him a written determination authorizing his \nparticipation, despite his company's financial interest. \nThere is no violation. \nThere is also an exemption for both appointed and \nelected employees where the employee's task is to \naddress a matter of general policy and the employee's" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 26, + "content": "financial interest is shared with a substantial portion \n(generally 10% or more) of the town's population, such as, \nfor instance, a financial interest in real estate tax rates or \nmunicipal utility rates. \nRegulatory exemptions. In addition to the statutory \nexemptions just mentioned, the Commission has created \nseveral regulatory exemptions permitting municipal \nemployees to participate in particular matters \nnotwithstanding the presence of a financial interest in \ncertain very specific situations when permitting them to \ndo so advances a public purpose. There is an exemption \npermitting school committee members to participate in" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 27, + "content": "setting school fees that will affect their own children if \nthey make a prior written disclosure. There is an \nexemption permitting town clerks to perform election-\nrelated functions even when they, or their immediate \nfamily members, are on the ballot, because clerks\u2019 \nelection-related functions are extensively regulated by" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 11 of 21 \n \nother laws. There is also an exemption permitting a \nperson serving as a member of a municipal board \npursuant to a legal requirement that the board have \nmembers with a specified affiliation to participate fully in \ndeterminations of general policy by the board, even if the \nentity with which he is affiliated has a financial interest in \nthe matter. Other exemptions are listed in the \nCommission's regulations, available on the Commission\u2019s \nwebsite. \nExample where there is no violation: A municipal \nShellfish Advisory Board has been created to provide \nadvice to the Board of Selectmen on policy issues related" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 29, + "content": "to shellfishing. The Advisory Board is required to have \nmembers who are currently commercial fishermen. A \nboard member who is a commercial fisherman may \nparticipate in determinations of general policy in which \nhe has a financial interest common to all commercial \nfishermen but may not participate in determinations in \nwhich he alone has a financial interest, such as the \nextension of his own individual permits or leases. \ne. False claims. Presenting a false claim to your employer \nfor a payment or benefit is prohibited, and causing \nsomeone else to do so is also prohibited. (See Sections \n23(b)(4) and 26) \nA municipal employee may not present a false or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 30, + "content": "A municipal employee may not present a false or \nfraudulent claim to his employer for any payment or \nbenefit worth $50 or more or cause another person to do \nso." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 12 of 21 \n \nExample of violation : A public works director directs his \nsecretary to fill out time sheets to show him as present at \nwork on days when he was skiing. \nf. Appearance of conflict. Acting in a manner that would \nmake a reasonable person think you can be improperly \ninfluenced is prohibited. (See Section 23(b)(3)) \nA municipal employee may not act in a manner that \nwould cause a reasonable person to think that she would \nshow favor toward someone or that she can be \nimproperly influenced. Section 23(b)(3) requires a \nmunicipal employee to consider whether her \nrelationships and affiliations could prevent her from" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 32, + "content": "acting fairly and objectively when she performs her duties \nfor a city or town. If she cannot be fair and objective \nbecause of a relationship or affiliation, she should not \nperform her duties. However, a municipal employee, \nwhether elected or appointed, can avoid violating this \nprovision by making a public disclosure of the facts. An \nappointed employee must make the disclosure in writing \nto his appointing official. \nExample where there is no violation: A developer who is \nthe cousin of the chair of the conservation commission \nhas filed an application with the commission. A \nreasonable person could conclude that the chair might" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 33, + "content": "favor her cousin. The chair files a written disclosure with \nher appointing authority explaining her relationship with \nher cousin prior to the meeting at which the application \nwill be considered. There is no violation of Sec. 23(b)(3). \ng. Confidential information. Improperly disclosing or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 13 of 21 \n \npersonally using confidential information obtained \nthrough your job is prohibited. (See Section 23(c)) \nMunicipal employees may not improperly disclose \nconfidential information, or make personal use of non-\npublic information they acquired in the course of their \nofficial duties to further their personal interests. \n3. After-hours restrictions. \na. Taking a second paid job that conflicts with the duties of \nyour municipal job is prohibited. (See Section 23(b)(1)) \nA municipal employee may not accept other paid \nemployment if the responsibilities of the second job are \nincompatible with his or her municipal job." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 35, + "content": "incompatible with his or her municipal job. \nExample: A police officer may not work as a paid private \nsecurity guard in the town where he serves because the \ndemands of his private employment would conflict with \nhis duties as a police officer. \nDivided loyalties. Receiving pay from anyone other than \nthe city or town to work on a matter involving the city or \ntown is prohibited. Acting as agent or attorney for anyone \nother than the city or town in a matter involving the city \nor town is also prohibited whether or not you are paid. \n(See Sec. 17) \nBecause cities and towns are entitled to the undivided \nloyalty of their employees, a municipal employee may not" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 36, + "content": "be paid by other people and organizations in relation to a \nmatter if the city or town has an interest in the matter. In \naddition, a municipal employee may not act on behalf of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 14 of 21 \n \nother people and organizations or act as an attorney for \nother people and organizations in which the town has an \ninterest. Acting as agent includes contacting the \nmunicipality in person, by phone, or in writing; acting as a \nliaison; providing documents to the city or town; and \nserving as spokesman. \nA municipal employee may always represent his own \npersonal interests, even before his own municipal agency \nor board, on the same terms and conditions that other \nsimilarly situated members of the public would be \nallowed to do so. A municipal employee may also apply \nfor building and related permits on behalf of someone" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 38, + "content": "else and be paid for doing so, unless he works for the \npermitting agency, or an agency which regulates the \npermitting agency. \nExample of violation: A full-time health agent submits a \nseptic system plan that she has prepared for a private \nclient to the town's board of health. \nExample of violation: A planning board member \nrepresents a private client before the board of selectmen \non a request that town meeting consider rezoning the \nclient's property. \nWhile many municipal employees earn their livelihood in \nmunicipal jobs, some municipal employees volunteer \ntheir time to provide services to the town or receive small \nstipends. Others, such as a private attorney who provides" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 39, + "content": "legal services to a town as needed, may serve in a position \nin which they may have other personal or private" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 40, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 15 of 21 \n \nemployment during normal working hours. In recognition \nof the need not to unduly restrict the ability of town \nvolunteers and part-time employees to earn a living, the \nlaw is less restrictive for \"special\" municipal employees \nthan for other municipal employees. \nThe status of \"special\" municipal employee has to be \nassigned to a municipal position by vote of the board of \nselectmen, city council, or similar body. A position is \neligible to be designated as \"special\" if it is unpaid, or if it \nis part-time and the employee is allowed to have another \njob during normal working hours, or if the employee was" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 41, + "content": "not paid for working more than 800 hours during the \npreceding 365 days. It is the position that is designated as \n\"special\" and not the person or persons holding the \nposition. Selectmen in towns of 10,000 or fewer are \nautomatically \"special\"; selectman in larger towns cannot \nbe \"specials.\" \nIf a municipal position has been designated as \"special,\" \nan employee holding that position may be paid by others, \nact on behalf of others, and act as attorney for others with \nrespect to matters before municipal boards other than his \nown, provided that he has not officially participated in the \nmatter, and the matter is not now, and has not within the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 42, + "content": "past year been, under his official responsibility. \nExample: A school committee member who has been \ndesignated as a special municipal employee appears \nbefore the board of health on behalf of a client of his \nprivate law practice, on a matter that he has not \nparticipated in or had responsibility for as a school" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 16 of 21 \n \ncommittee member. There is no conflict. However, he \nmay not appear before the school committee, or the \nschool department, on behalf of a client because he has \nofficial responsibility for any matter that comes before the \nschool committee. This is still the case even if he has \nrecused himself from participating in the matter in his \nofficial capacity. \nExample: A member who sits as an alternate on the \nconservation commission is a special municipal \nemployee. Under town by-laws, he only has official \nresponsibility for matters assigned to him. He may \nrepresent a resident who wants to file an application with" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 44, + "content": "the conservation commission as long as the matter is not \nassigned to him and he will not participate in it. \nb. Inside track. Being paid by your city or town, directly or \nindirectly, under some second arrangement in addition \nto your job is prohibited, unless an exemption applies. \n(See Section 20) \nA municipal employee generally may not have a financial \ninterest in a municipal contract, including a second \nmunicipal job. A municipal employee is also generally \nprohibited from having an indirect financial interest in a \ncontract that the city or town has with someone else. This \nprovision is intended to prevent municipal employees \nfrom having an \"inside track\" to further financial" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 45, + "content": "opportunities. \nExample of violation: Legal counsel to the town housing \nauthority becomes the acting executive director of the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 46, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 17 of 21 \n \nauthority, and is paid in both positions. \nExample of violation: A selectman buys a surplus truck \nfrom the town DPW. \nExample of violation: A full-time secretary for the board \nof health wants to have a second paid job working part-\ntime for the town library. She will violate Section 20 unless \nshe can meet the requirements of an exemption. \nExample of violation: A city councilor wants to work for a \nnon-profit that receives funding under a contract with her \ncity. Unless she can satisfy the requirements of an \nexemption under Section 20, she cannot take the job. \nThere are numerous exemptions. A municipal employee" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 47, + "content": "may hold multiple unpaid or elected positions. Some \nexemptions apply only to special municipal employees. \nSpecific exemptions may cover serving as an unpaid \nvolunteer in a second town position, housing-related \nbenefits, public safety positions, certain elected positions, \nsmall towns, and other specific situations. Please call the \nEthics Commission's Legal Division for advice about a \nspecific situation. \n4. After you leave municipal employment. (See Section 18) \na. Forever ban. After you leave your municipal job, you may \nnever work for anyone other than the municipality on a \nmatter that you worked on as a municipal employee. \nIf you participated in a matter as a municipal employee," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 48, + "content": "you cannot ever be paid to work on that same matter for \nanyone other than the municipality, nor may you act for" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 18 of 21 \n \nsomeone else, whether paid or not. The purpose of this \nrestriction is to bar former employees from selling to \nprivate interests their familiarity with the facts of \nparticular matters that are of continuing concern to their \nformer municipal employer. The restriction does not \nprohibit former municipal employees from using the \nexpertise acquired in government service in their \nsubsequent private activities. \nExample of violation: A former school department \nemployee works for a contractor under a contract that \nshe helped to draft and oversee for the school \ndepartment. \nb. One year cooling-off period. For one year after you leave" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 50, + "content": "your municipal job you may not participate in any matter \nover which you had official responsibility during your last \ntwo years of public service. \nFormer municipal employees are barred for one year after \nthey leave municipal employment from personally \nappearing before any agency of the municipality in \nconnection with matters that were under their authority \nin their prior municipal positions during the two years \nbefore they left. \nExample: An assistant town manager negotiates a three-\nyear contract with a company. The town manager who \nsupervised the assistant and had official responsibility for \nthe contract, but did not participate in negotiating it," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 51, + "content": "leaves her job to work for the company to which the \ncontract was awarded. The former manager may not call" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 52, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 19 of 21 \n \nor write the town in connection with the company's work \non the contract for one year after leaving the town. \nA former municipal employee who participated as such in \ngeneral legislation on expanded gaming and related \nmatters may not become an officer or employee of, or \nacquire a financial interest in, an applicant for a gaming \nlicense, or a gaming licensee, for one year after his public \nemployment ceases. \nc. Partners. Your partners will be subject to restrictions \nwhile you serve as a municipal employee and after your \nmunicipal service ends. \nPartners of municipal employees and former municipal" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 53, + "content": "employees are also subject to restrictions under the \nconflict of interest law. If a municipal employee \nparticipated in a matter, or if he has official responsibility \nfor a matter, then his partner may not act on behalf of \nanyone other than the municipality or provide services as \nan attorney to anyone but the city or town in relation to \nthe matter. \nExample: While serving on a city's historic district \ncommission, an architect reviewed an application to get \nlandmark status for a building. His partners at his \narchitecture firm may not prepare and sign plans for the \nowner of the building or otherwise act on the owner's \nbehalf in relation to the application for landmark status." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 54, + "content": "In addition, because the architect has official \nresponsibility as a commissioner for every matter that \ncomes before the commission, his partners may not" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 20 of 21 \n \ncommunicate with the commission or otherwise act on \nbehalf of any client on any matter that comes before the \ncommission during the time that the architect serves on \nthe commission. \nExample: A former town counsel joins a law firm as a \npartner. Because she litigated a lawsuit for the town, her \nnew partners cannot represent any private clients in the \nlawsuit for one year after her job with the town ended. \n \n \nThis summary is not intended to be legal advice and, because it is \na summary, it does not mention every provision of the conflict \nlaw that may apply in a particular situation. Our website," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 56, + "content": "http://www.mass.gov/ethics contains further information about \nhow the law applies in many situations. You can also contact the \nCommission's Legal Division via our website, by telephone, or by \nletter. Our contact information is at the top of this document. \n \nVersion 7: Revised May 20, 2022" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 57, + "content": "Superintendent\u2019s Circular LGL-19 \nPage 21 of 21 \n \nACKNOWLEDGEMENT OF RECEIPT OF SUMMARY OF THE \nCONFLICT OF INTEREST LAW FOR MUNICIPAL EMPLOYEES \nI, (print your first and last name): \n _________________________________________________________________ , \nan employee at (name of your municipal agency or department): \n _________________________________________________________________ , \n \nhereby acknowledge that I received a copy of the summary of \nthe Conflict Of Interest Law for municipal employees, revised May \n20, 2022. \n \nSignature_____________________________________Date ______________ \nMunicipal employees should complete the acknowledgment of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 58, + "content": "receipt and return it to the individual who provided them with a \ncopy of the summary. Alternatively, municipal employees may \nsend an email acknowledging receipt of the summary to the \nindividual who provided them with a copy of it." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-08 Adherence to Court Orders", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-08 \nVersion 01 \n \nADHERENCE TO COURT ORDERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this memorandum is to remind Boston Public \nSchools staff of the need to continue to adhere to the court \norders entered against the District by courts of federal, state, and \nlocal jurisdiction. Such orders have the force of law and are \nbinding on the District. Therefore, it is the responsibility of \nadministrators and staff of the Boston Public Schools to comply \nwith the terms of such orders. \nAdditionally, an order by an arbitrator or state agency may also" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-08 Adherence to Court Orders", + "chunk_id": 2, + "content": "require compliance. Heads of school, principals, and other \nadministrators may contact the Office of Legal Advisor with \nquestions regarding adherence to court orders or the provisions \nof any order. \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-08 Adherence to Court Orders", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular #LGL-08, 2019-2020 \n[Date] \nPage 2 of 2 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-21 \nVersion 01 \n \nPOLICY ON USE OF BPS BUILDINGS & FACILITIES FOR \nPOLITICAL PURPOSES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll building administrators and managers of facilities within the \nBoston Public School Department should be aware of the Boston \nPublic Schools\u2019 policy on the use of its facilities for political \npurposes. \nNo Boston Public School facility may be used for predominantly \npolitical activity, such as activities in support of political \ncandidates or ballot questions. \nAny use of a Boston Public School facility for a predominantly" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 2, + "content": "governmental activity with an incidental political activity overlap, \nsuch as those activities related to education laws, funding, or \npolicies, but not related to specific teaching or learning at a \nparticular school, may only occur with prior notification to and \nspecific approval from the superintendent or their designee. \nExamples of such activities might include the signing of \neducation legislation, the announcement of educational policies \nor results, or announcements of receipt of grants or other funds. \nThese examples demonstrate activities in furtherance of the \npurpose for which governmental funds have been appropriated" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 3, + "content": "to Boston Public Schools, with an incidental political activity" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LG-21 \nPage 2 of 2 \n \nassociated therewith. Any use of a Boston public school or facility \nfor political activity without obtaining the prior approval of the \nsuperintendent or their designee is an unauthorized use and \nshould be considered an \u201cunwarranted privilege\u201d for the \npurposes of the Massachusetts Conflict of Interest Law. \nFor additional information, regarding political activities generally, \nplease see Superintendent\u2019s Circular LGL-09 Political Activity by \nPublic Employees. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 5, + "content": "Phone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-10 \nVersion 01 \n \nMILITARY RECRUITERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this circular is to provide clarification on the law \nrequiring the release of student information and access to \nstudents at the high school level by military recruiters. \nFederal legislation requires that a local educational agency (LEA) \nwhich receives federal funds release the names, addresses, and \ntelephone listings of secondary students (grade 9 and above) to \nmilitary recruiters and institutions of higher education. The Every \nStudent Succeeds Act (ESSA) contains similar language" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 2, + "content": "concerning this obligation. \nThe release of student names, addresses, and telephone listings \nto military recruiters and institutions of higher education requires \nthat LEAs provide parents and guardians with prior notification. \nSuch notification is provided by the Boston Public Schools in the \nGuide to the Boston Public Schools for Students and Families \n(\u201cPolicy Handbook\u201d). As noted, a parent/guardian may request \nthat this information not be released without giving the \nparent/guardian prior notification. Accordingly, copies of all such \nrequests by parents/guardians should be in writing and should \nbe on file in the school\u2019s office. A copy of these signed requests" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 3, + "content": "or a master list of these student names and student numbers" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-10 \nPage 2 of 3 \n \nmust be forwarded by October 15 by the head of school to the \nOffice of Data & Accountability. \nIf military recruiters contact a high school requesting a master \nlist of student names and addresses, the recruiter should be \nasked to make the request directly to the Office of Data & \nAccountability. \nA second provision of the law authorizes direct access to high \nschool students by military recruiters. Usually, this access is in the \nform of a request to make space available in the school for a \nmilitary recruiter to distribute literature and to speak with or \naddress interested students. The act requires that recruiters be" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 5, + "content": "given the same access to your students as you provide generally \nto post-secondary educational institutions or to prospective \nemployers. Please review your practices to assure that \nhenceforth all three (i.e., business, higher education, and military \nrecruiters) have the same access. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nBy October 15 \nHeads of school forward to the Office of Data & \nAccountability the list of students whose \nnames should not be given to military \nrecruiters." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular LGL-10 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-22 \nVersion 01 \n \nSEXUAL OFFENDER REGISTRY INFORMATION (S.O.R.I.) \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Sexual Offender Registry Law requires that all convicted \nsexual offenders in the Commonwealth of Massachusetts register \nwith the police departments in the cities or towns where they live \nand work. The State classifies the offender on a level of 1 to 3, \ndepending on the likelihood of whether the offender might \nrepeat his/her crimes. Once a local police department receives \nthe information, it can be shared with public school districts for" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 2, + "content": "the protection of children. As a result of this law, Boston Public \nSchools principals and heads of school can access SORI \ninformation per the state website as described below. \nThe Boston Public Schools will receive the Sexual Offender \nRegistry Information (S.O.R.I.) from the Boston Police \nDepartment. Pursuant to state regulations, BPD must notify all \nschools in the community of a finally classified Level 3 sex \noffender or a sexually dangerous predator. Information available \nincludes: the registered individual\u2019s name, home and/or \nworkplace address, date of birth, general physical description, \ncharges for which they were convicted, and a photograph, if \navailable." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 3, + "content": "available. \nInformation pertaining to the Sex Offender Registry website \nshould be shared with your staff to educate them on this \nresource and of the public availability of S.O.R.I information." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-22 \nPage 2 of 6 \n \nAlthough S.O.R.I. information is distributed to alert communities \nand protect children, it must be handled in a responsible manner. \nIt is against the law to distribute copies and/or use this \ninformation in an unlawful manner, e.g., threats, extortion, etc. It \nis also against the law to use the sex offender registry \ninformation to commit a crime or to engage in illegal \ndiscrimination or harassment of a sex offender. \nThe law was passed to prevent convicted offenders from preying \non innocent children. If you identify a registered offender acting \ninappropriately around a school building or approaching" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 5, + "content": "children, contact the Boston Police Department immediately. \nAttached, please find some common questions and answers. \n1. Who must register as a sex offender? \nA sex offender is anyone who lives, works, or attends school \nin Massachusetts who has: \n\u2022 Been convicted of a sex offense \n\u2022 Been adjudicated as a youthful offender or a delinquent \njuvenile for a sex offense \n\u2022 Been released from incarceration, parole, probation \nsupervision, or custody with the Department of Youth \nServices for a sex offense conviction or adjudication \n\u2022 Been adjudicated as a sexually dangerous person, or a \nperson released from civil commitment anytime from \nAugust 1, 1981" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 6, + "content": "August 1, 1981 \n2. How can a principal or head of school request information \nfrom the Sex Offender Registry Board? \nOnce a person registers with the Sex Offender Registry \nBoard and that information is shared with local police" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular LGL-22 \nPage 3 of 6 \n \ndepartments, those departments can share the information \nwith public school districts. Local police departments have \naccess to information pertaining to Levels 1, 2, and 3 sex \noffenders. \n3. How can non-school personnel or parents request \ninformation from the Sex Offender Registry Board? \nThe public may request information about sex offenders in \nthe community by sending a Sex Offender Inquiry Form \nrequest to the Sex Offender Registry Board. Requests may \neither be submitted online or at the following mail address: \nAttn: SORI Coordinator \nSex Offender Registry Board \nP.O. Box 392 \nNorth Billerica, MA 01862" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 8, + "content": "P.O. Box 392 \nNorth Billerica, MA 01862 \n \nPlease see https://www.mass.gov/how-to/request-sex-\noffender-registry-information-sori for more information. \nA person may also request information in person at a local \npolice station. \nUnlike local police departments, members of the public can \nonly access information about Level 2 and Level 3 offenders." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular LGL-22 \nPage 4 of 6 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \nOR \nOwner: Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular LGL-22 \nPage 5 of 6 \n \nSEX OFFENDER REGISTRY INFORMATION (S.O.R.I) \nQuestions and Answers \n\u2022 What should I as a principal/head of school do with the \ninformation I receive from Safety Services or BPD on S.O.R.I. \ncases? \nYou should establish a secure, central file for mandatory review \nby all staff members, including teachers, paraprofessionals and \nvolunteers who have an established pattern of work in the \nschool. This file will be a one-copy file, with opportunity for \nstaff to come and review. No copies of this S.O.R.I. information \ncan be made and/or distributed. \n\u2022 What if upon first review, I note that one of the offenders is an" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 11, + "content": "employee/volunteer at my school? \nContact the Office of Human Capital for further direction. The \nOffice of Human Capital will review each situation on a case-\nby-case basis and will work with the Office of Legal Advisor \nand the superintendent of schools on a final resolution. \n\u2022 What if upon first review, I note that one of the offenders is a \nstudent in my school? \nContact Safety Services Unit at 617-635-8000 for further \ndirection. \n\u2022 What should I do if a parent or community member comes to \nthe school or calls seeking S.O.R.I. information? \nThe individual should be directed to the nearest police district, \nwhich will provide the information upon request." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular LGL-22 \nPage 6 of 6 \n \n\u2022 How will S.O.R.I. be handled relative to BPS employees, BPS \nstudents, BPS volunteers, and bus drivers? \no All employees hired henceforth will have a S.O.R.I. check \ndone automatically. This will be in conjunction with the \nC.O.R.I. (Criminal Offender Registry Information) check that \nis already in place. Also, all information regarding S.O.R.I. \noffenders received by Safety Services will be run against the \ncurrent employee listing to identify any employees who \nmight be sex offenders. \no All information regarding S.O.R.I. offenders received by \nSafety Services will be run against the current student" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 13, + "content": "listing to identify any students who might be sex offenders. \no Partners in Education will request to be placed on the \nPolice Department\u2019s mailing list on all S.O.R.I. cases and will \ncheck this on a regular basis against their listing of \nvolunteers. \no BPS\u2019s contracted transportation provider will request to be \nplaced on the Police Department\u2019s mailing list on all S.O.R.I. \ncases and will check this on a regular basis against their \nlisting of bus drivers. \no Community Schools will request to be placed on the Police \nDepartment\u2019s mailing list on all S.O.R.I. cases and will check \nthis on a regular basis against their listing of employees." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 14, + "content": "\u2022 What if any situation, in general, occurs in or around my \nschool relative to the S.O.R.I. process? \nContact Safety Services Unit immediately at 617-635-8000." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-16 \nVersion 01 \n \nSTUDENT HEALTH INFORMATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nState and federal laws and regulations dealing with the \nconfidentiality of student record information recognize that \nstudent health information is treated differently from other \nstudent record information. It should be noted that the Health \nInsurance Portability and Accountability Act, also known as \nHIPAA, does not apply to student records, with some exceptions \nnot germane to this policy. See 65 Fed. Reg. 82805 (2000). \nSchool health personnel may have access to student health" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 2, + "content": "records when such access is required in the performance of their \nofficial duties. See 603 Code Mass. Regs. \u00a723.07 (4)(h). Of course, a \nparent/guardian, or in some circumstances the student, may \nconsent to the release of student health record information to \nschool personnel generally. In the absence of such informed \nwritten consent, however, the following standards should apply \nto a determination of which school officials may access what \nparts of a student\u2019s health record. In the first instance, such \ndeterminations should be made by the building administrator in \nconsultation with the school-based nurse. If a disagreement" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 3, + "content": "arises, such concerns should be brought to the attention of the \nsenior director of Health Services for resolution." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-16 \nPage 2 of 4 \n \n \nThe following guidelines should be used: \n1. Routine medical information. Such student health information \nshould be disseminated only as is appropriate to meet the \nregular and effective educational mission of the school. Such \ninformation may include information contained in an IEP or \n504 Plan, previously scheduled medical appointments, health-\nrelated incidents that may require or necessitate further \nreporting, dispensation of medications, and conditions such as \nfood allergies, seizures, and asthma. In all events, only the \nminimum necessary health record information should be \ndisclosed. Thus, the type of medications dispensed would," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 5, + "content": "absent more, not be disclosed in the above example. The fact \nthat a medical appointment necessitating early dismissal is \nwith a psychiatrist would also not normally be disclosed as a \nmatter of routine medical information. \nRoutine medical information is information that is appropriate \nfor certain staff to know in order to maximize the safety for \nchildren. For example, a child with diabetes needs to have \nteachers who are knowledgeable about the illness so the child \nmay have a safe learning environment. Low blood sugar can \nalso affect the child\u2019s ability to concentrate. In this \ncircumstance it would be appropriate to notify all the child\u2019s" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 6, + "content": "teachers individually. Health information should never be \ncirculated by an all-staff memo. \n2. Medical information of limited dissemination. This is student \nhealth information that is of a confidential nature and yet is of \nlittle educational benefit in the school. This is specific \ninformation that the Student Support Team needs to know to \nprovide accommodations. When possible, all diagnoses," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular LGL-16 \nPage 3 of 4 \n \nespecially those related to mental health, should be \nexpressed as a functional diagnosis. For example, it should be \nenough for the team to know that a child who is depressed is \ngetting counseling. The details of the diagnosis or the causes \nof the depression are not relevant to the team\u2019s provision of \naccommodations. The nurse provides the connection with \nthe provider to interpret the medical information or when \nclarification is required. \n3. Highly sensitive information. This is student health \ninformation of a highly sensitive nature that has no bearing \non educational achievement and is of no educational use or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 8, + "content": "consequence and in which a high expectation of privacy \nexists for students and/or parents or guardians. Such \ninformation may include: suicide attempts, treatment for \ndrug or alcohol abuse, mental health diagnoses, family \nplanning information, maternity/paternity tests or \ninformation, abortions, or HIV infection. This information is of \ntwo types: (1) no accommodations or safety issues and (2) \nhighly sensitive information. \nMedical diagnoses that have no relevance to a student\u2019s \nperformance do not need to be shared. For example, a child \nin therapy who is depressed but not suicidal and who is \nperforming well in school, does not need to have this" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 9, + "content": "information shared with the school community. There are \nalso highly sensitive medical situations that are protected by \nstate regulations. These include HIV and a minor\u2019s right to \nseek medical care for pregnancy, sexually transmitted \ndiseases, and substance abuse, without their parents\u2019 \nconsent. Any inclusion of this information in the educational \nrecord is a violation of the adolescent\u2019s right to privacy. With \nHIV, the student/family can choose to disclose and can limit" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular LGL-16 \nPage 4 of 4 \n \nthe individuals to disclose to. In some circumstances, such \ninformation is of such a private nature that even \ndissemination to a parent or guardian is prohibited. \nQuestions in this regard should be directed to the Office of \nLegal Advisor. Such highly sensitive health information \nshould, whenever possible, be segregated from the rest of a \nstudent\u2019s health information to reduce the chance of \ninadvertent disclosure. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 11, + "content": "Phone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-18 \nVersion 01 \n \nDISPLAY OF FLAG AND SCHOOL CEREMONIES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Law requires that a \u201cflag shall be \ndisplayed, weather permitting, on the school building or grounds \non every school day and on every legal holiday.\u201d In addition, we \nare required to ensure that \u201ca flag shall be displayed in every \nclassroom...and in each assembly hall\u201d (M.G.L. c.71, \u00a769). The \nimportant patriotic and historic holidays celebrated during the \nschool year place a focus on our responsibility with respect to the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 2, + "content": "display of the American flag in all schools and classrooms. \nPatriotic and national holidays offer the opportunity in our history \nand social studies classes to provide instruction about the flag, its \norigin, care, and symbolic significance. This instruction complies \nwith State Learning Standard 18 (Principles of American \nGovernment). In addition, student projects may afford the \nopportunity for students to conduct in-depth research on \nsubjects such as the flag and other patriotic symbols, documents, \nspeeches, and literature. \nSchool Committee policy and Massachusetts state law require \nthat \u201cpublic school teachers at the commencement of the 1st" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 3, + "content": "class of the day lead the class in group recitation of the Pledge of \nAllegiance\u201d (M.G.L. c.71, \u00a769). The Massachusetts Supreme Judicial" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-18 \nPage 2 of 2 \n \nCourt, however, has ruled that although students and teachers \nhave the right to a daily opportunity to participate in the Pledge \nof Allegiance, teachers and students have a constitutional right \nnot to participate in the pledge. Teachers and students who \nchoose not to participate (i.e., recite and/or stand) may not be \npenalized for declining to do so. All schools must comply with our \nresponsibility to display the flag and to provide daily opportunity \nfor recitation of the Pledge of Allegiance. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 5, + "content": "Department: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-06 \nVersion 01 \n \nRELIGIOUS HOLY DAYS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version. \n \nIt is the policy of the Boston Public Schools to make reasonable \nefforts to accommodate the religious beliefs of students and \nstaff. State and federal laws also mandate such reasonable \naccommodations. \nMassachusetts General Laws, Chapter 151C, Section 2B reads, in \npertinent part, as follows: \n\u201cAny student in an educational or vocational training \ninstitution, other than a religious or denominational \neducational or vocational training institution, who is unable," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 2, + "content": "because of [their] religious beliefs, to attend classes or to \nparticipate in any examination, study, or work requirement \non a particular day shall be excused from any such \nexamination or study or work requirement, and shall be \nprovided with an opportunity to make up such examination, \nstudy, or work requirement which [they] may have missed \nbecause of such absence on any particular day; provided, \nhowever, that such makeup examination or work shall not \ncreate an unreasonable burden upon such school. No fees of \nany kind shall be charged by the institution for making \navailable to the said student such opportunity. No adverse" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular LGL-06, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nor prejudicial effects shall result to any student because of \n[their] availing [themselves] of the provisions of this section.\u201d \nTo accommodate the religious beliefs of students, all who \nobserve any holiday because of religious beliefs should be \nmarked \u201cconstructively present\u201d upon submitting a valid note \nfrom a parent or guardian (see Circular ACA-18). In addition, \nteachers should refrain from giving tests on these religious \nholidays and allow sufficient time for these students to make up \ntheir work before administering tests. \n \nFor more information about this circular, contact: \nName: Lisa Maki" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 4, + "content": "Name: Lisa Maki \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: lmaki@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-07 \nVersion 01 \n \nPRIVACY OF STUDENT INFORMATION AND STUDENT \nRECORD PROCEDURES: HOW TO RESPOND TO \nSTUDENT RECORD REQUESTS IN COMPLIANCE WITH \nFERPA AND STATE LAW \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nI. GENERAL INFORMATION \nThese student record procedures pertain to all information \nmaintained by the Boston Public Schools concerning a student in \nwhich he/she may be individually identified. \nThe student record consists of two parts: the transcript and the \ntemporary record. \nA. The transcript contains administrative records that \nconstitute the minimum data necessary to reflect the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 2, + "content": "student's educational progress and to operate the \neducational system. The transcript is limited to the \nname, address, and phone number of the student, the \nstudent\u2019s birth date, name, address and phone number \nof the custodial parent or guardian, course titles, \ngrades (or the equivalent when grades are not \napplicable), course credit, grade level completed, and \nthe year completed. The transcript must be retained for \nat least sixty (60) years after the student leaves the \nschool system." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 2 of 21 \n \nB. The temporary record is all other student record \ninformation besides the transcript. Temporary record \ninformation may include health information, \ndisciplinary information, examples of student work, \nspecial education or 504 plan documents, incident \nreports, and any other information kept by the school \nwhich identifies the student individually. Duplicates of \nan original record do not need to be kept as part of the \ntemporary record. The temporary record should be \ndestroyed no later than seven (7) years after the \nstudent leaves the school system, provided proper \nnotification is given as directed below." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 4, + "content": "notification is given as directed below. \nII. PARENTS (AND STUDENTS) HAVE A LEGAL RIGHT TO \nCONTROL ACCESS TO STUDENT INFORMATION \nBoth federal and state law provide that a parent, and any student \nthat is 14 or older and/or in grade nine or above, have a legal right \nto control access to the student\u2019s educational record. The Family \nEducational Rights and Privacy Act (FERPA) and Massachusetts \nlaw define the parent\u2019s/student\u2019s right to access, seek to amend \nand exercise control over the disclosure of personally identifiable \ninformation in the student record. The Boston Public Schools is \nlegally responsible to respect and protect the parent\u2019s/student\u2019s" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 5, + "content": "rights to privacy and control under FERPA and state law. \nViolation of these legal rights can subject BPS to sanctions, \nincluding termination of federal funding, and can subject BPS \nemployees to discipline, up to and including termination. \nBPS notifies all students and parents of these rights annually by \nmeans of the \u201cGuide to BPS for Students & Families.\u201d The Guide \nfor Students & Families identifies the limited types of information \nthat may be released without consent (see Directory Information \nbelow). By September 30 of each year, parents and students have" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 3 of 21 \n \na right to inform the school that such information shall not be \nreleased without direct consent. \nSchools receive requests for student record information in many \nways and from many different sources. By law, a school\u2019s \nresponse to a request for student records must vary depending \non who is making the request and what is being requested. \nBelow are descriptions of the main categories of requests that \nschools may need to address. If the information below does not \ndirectly describe a situation presented, the school should contact \nthe Office of Legal Advisor at legal@bostonpublicschools.org for \nmore direction." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 7, + "content": "more direction. \nIII. REQUESTS AND CONSENT BY PARENT/STUDENT \nWhen a parent or student seeks to access, amend or consent to \nsharing of student records, the following definitions will aid you \nin understanding and complying with applicable law. \n\u2022 A parent is the student\u2019s natural parent, a guardian, or an \nindividual acting as a parent in the absence of a parent or \nguardian. \n\u2022 A custodial parent is any parent with whom a child \nresides, whether permanently or for periods of time, and \nwho supervises the child. \n\u2022 A non-custodial parent is any parent who does not have \nphysical custody of the child and who does not reside \nwith or supervise the child, even for short periods of time," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 8, + "content": "by court order. \n\u2022 An eligible student is a student who is at least 14 years of \nage and/or has entered the ninth grade." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 4 of 21 \n \nA. Request to Inspect/Copy Records \n1. Custodial Parents and Eligible Student. A custodial \nparent, and/or an eligible student have a right to \ninspect all portions of the student record upon \nrequest. The record will be made available to the \ncustodial parent and/or eligible student no later \nthan ten (10) days after the request. The custodial \nparent and/or eligible student have the right to \nreceive copies of any part of the record. In addition, \nthe custodial parent and/or eligible student may \nrequest to have parts of the record interpreted by a \nqualified professional of the school or may invite" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 10, + "content": "anyone else of their choosing to inspect or interpret \nthe record with them. Please see Attachment 1 for \nthe process of fulfilling a custodial parent\u2019s or \neligible student\u2019s request for the student record. \n2. Non-Custodial Parents. Non-custodial parents must \nbe given access to their children\u2019s student records, \nunless the school has been given written \ndocumentation that establishes either: \na. The non-custodial parent has been denied legal \ncustody by a court based upon a threat to the \nstudent or to the custodial parent. \nb. The non-custodial parent has been denied \nvisitation or has supervised visitation. \nc. Access to the student or to the custodial parent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 11, + "content": "has been restricted by a court-issued protective \norder against the non-custodial parent, \nprovided such protective order does not \nspecifically allow access to student record \ninformation." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 5 of 21 \n \nd. There is an order of a probate and family court \njudge which prohibits distribution of student \nrecords to the non-custodial parent. \nA school that receives a request for student record \ninformation from a non-custodial parent should send \na copy of the notification attached as Attachment 2, \nvia certified and first-class mail, to the custodial \nparent prior to providing student records to the non-\ncustodial parent. The notification must be in English \nand the primary language of the custodial parent. If \nno documentation related to any of the four (4) \nscenarios above is received within 21 days, the records" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 13, + "content": "must be provided to the non-custodial parent. If \ndocumentation related to any of the four (4) scenarios \nabove is received within 21 days, it must be kept in the \nstudent record and the non-custodial parent must be \nnotified, via certified and first class mail, of the reason \nfor denial of access. \nB. Request to Amend Student Record \nThe custodial parent and/or eligible student have the \nright to add relevant comments, information, or other \nwritten materials to the student record. In addition, the \ncustodial parent and/or eligible student have the right to \nmake a written request that information in the record be \namended or deleted, except information created by a" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 14, + "content": "special education team, which may not be amended or \ndeleted until after acceptance of the individualized \neducation plan or completion of the appeals process. \nThe custodial parent and/or eligible student have a right \nto a conference with the school principal to make their \nobjections known. Within one week after the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 6 of 21 \n \nconference, the principal must render a decision in \nwriting. If the custodial parent and/or eligible student \nare not satisfied with the decision, it may be appealed to \nthe operational leader. \nC. Consent to Share Student Information \nThe custodial parent and/or eligible student have the \nlegal right to consent to sharing of the student record \nwith any person or entity they choose. A school should \nuse Attachment 4 to document the custodial parent\u2019s \nand/or eligible student\u2019s specific, informed, written \nconsent and include the signed consent in the student \nrecord. \nExcept as specifically noted below, no individuals or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 16, + "content": "organizations other than the custodial parent, eligible \nstudent, and authorized school personnel are allowed to \nhave access to information in the student record without \nthe specific, informed, written consent of the custodial \nparent or the eligible student. \nIV. THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING \nINFORMATION: CONSENT NOT REQUIRED OR ASSUMED BY \nOPERATION OF LAW \nA. Subpoenaed Records. Boston Public Schools will \nproduce documents requested in court orders or \nlawfully issued subpoenas. Such requests should be \nemailed immediately to the Office of Legal Advisor. All \nrecords sought by the court order or subpoena should" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 17, + "content": "be forwarded via courier mail or hand delivery as soon \nas possible. Attachment 3 should be completed and \nused to notify the parent and/or eligible student that \nsubpoenaed information will be provided absent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 7 of 21 \n \nfurther court order. \nB. Authorized School Personnel. Authorized school \npersonnel (those providing direct services to the \nstudent, administrative staff whose duties require \nthem to access the student record, and an evaluation \nteam that evaluates a student) shall have access to the \nstudent\u2019s school record when such access is required in \nthe performance of their official duties. \nC. Directory Information. Unless the parent or eligible \nstudent has previously indicated in writing their \ndisapproval of the release of such information, the \nschool may release the following directory information:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 19, + "content": "student\u2019s name, age, grade level, and dates of \nenrollment. BPS notifies students and parents \nannually of the types of information that will be \nreleased by means of the \u201cGuide to BPS for Students & \nFamilies,\u201d and allows custodial parents and students \nuntil September 30 of each year to inform BPS that \nsuch information will not be released without prior \nconsent. \nD. Military Recruiters and Higher Education Institutions. \nUnless a parent or student has previously objected in \nwriting in response to notification through the \npublication of the \u201cGuide to BPS for Students & \nFamilies,\u201d military recruiters and institutions of higher \neducation must be provided, upon written request," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 20, + "content": "with the names, addresses and telephone numbers of \nsecondary school students. All requests by military \nrecruiters for such information must be forwarded to \nthe Office of Legal Advisor for centralized processing. \nE. Specified State Agencies and Local Authorities. A" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 8 of 21 \n \nschool may release student record information without \nprior written consent to the following agencies when \nacting in their official capacities: Department of \nChildren and Families, Department of Youth Services, a \nprobation officer, or a justice of the court. Attachment \n3 should be used to notify parents of such requests. \nF. Schools. When a student seeks or intends to transfer to \nanother school, the student record can be sent to the \nreceiving school. \nG. School Nurses and State Health Department. School \nnurses and local and state health department officials \nmay have access to student health record information" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 22, + "content": "when such access is required in the performance of \ntheir official duties. For further information related to \nstudent health information, please consult \nSuperintendent\u2019s Circular LGL-16, Student Health \nInformation. \nH. Health or Safety Emergency. Without the consent of \nthe parent or eligible student, a school may disclose \ninformation regarding a student to appropriate parties \nin connection with a health or safety emergency if \nknowledge of the information is necessary to protect \nthe health or safety of the student or individuals and if \nthe appropriate procedure has been followed. That \ndoes not mean that anyone who asks, and who thinks" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 23, + "content": "something is amiss or might happen, has a right to \naccess personally identifiable student information. \nRequired criteria: The regulations implementing \nFERPA (34 CFR \u00a7 99.36) requires that each of the \nfollowing criteria be met: \na. The request is made \u201cin connection with an" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 9 of 21 \n \nemergency.\u201d \ni. \u201cEmergency\u201d means the request must be \nrelated to an actual, impending, or imminent \nemergency. \nii. BPS requires that a school consider the \nfollowing criteria to determine whether the \nrequest is made in connection with an \nemergency: \n\u2022 The seriousness of the threat to the health \nor safety of the student or others \n\u2022 The need for the information to meet the \nthreat \n\u2022 Whether the requestor is able to deal with \nthe emergency \n\u2022 The extent to which time is of the essence \nin dealing with the emergency. \niii. Any release of records is limited to the period \nof the emergency; if the emergency is over no" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 25, + "content": "of the emergency; if the emergency is over no \nfurther release of student information is \nallowed. \nb. There is an articulable and significant threat to \nthe health or safety of the student or other \nindividuals. \nc. The requester (usually law enforcement, public \nhealth officials, and medical professionals) needs \nthe information to protect the health or safety of \nthe student or other individuals. \nd. No blanket release of personally identifiable \ninformation is allowed. Any release of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 10 of 21 \n \ninformation must be narrowly tailored \nconsidering the immediacy, magnitude, and \nspecificity of the threat. \ne. The determination is made on a case-by-case \nbasis, considering the totality of the \ncircumstances pertaining to the threat to the \nhealth or safety of the student or others. \nf. Within a reasonable time after making the \ndisclosure, the school must record in the \nstudent\u2019s record the articulable and significant \nthreat that formed the basis for the disclosure, \nand to whom the information was disclosed. \nV. THIRD PARTY REQUESTS FOR PUBLIC RECORDS \nCONTAINING ONLY REDACTED AND/OR NON-STUDENT-\nIDENTIFYING INFORMATION" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 27, + "content": "IDENTIFYING INFORMATION \nUpon receipt of a third-party request for public records, the \nschool should immediately send a copy of the request via \nemail to the Office of Legal Advisor for review and direction. \nAll public records requests must be reduced to writing, \ndated, and signed by the requestor, and must contain the \nreturn address information of the requestor. For more \ninformation, see Superintendent\u2019s Circular LGL-3, Public \nRecords Requests. \nVI. DESTRUCTION OF STUDENT RECORDS \nThe law sets forth different time periods for the retention \nand destruction of different portions of student records. \nThese different time periods are set forth below:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 28, + "content": "A. Transcripts - A student\u2019s transcript must be maintained \nby the school department for sixty (60) years following" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 11 of 21 \n \nthe student\u2019s graduation, transfer, or withdrawal from \nthe school system. \nB. Periodic Review of the Temporary Record - While a \nstudent is enrolled in a school, the principal/head of \nschool or his/her designee shall periodically review all \nstudents\u2019 temporary records and identify for destruction \nany misleading, outdated, or irrelevant information. This \nmay include, particularly, exemplars of student work or \nother impertinent information. Prior to destroying any \nsuch information, however, the student and his/her \nparent must be given written notification of the school\u2019s \nintent to destroy such information and must be given the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 30, + "content": "opportunity to receive the information or a copy of the \ninformation prior to its destruction. \nC. Temporary Record Destruction - The temporary record \nof any student may be destroyed no later than seven (7) \nyears after the student transfers, graduates or withdraws \nfrom the school district, if the student and his/her \nparent/guardian have been given written notification \nthat includes the approximate date of destruction of the \ntemporary record and indicating their right to receive the \ninformation in whole or in part at the time of the \nstudent\u2019s graduation, transfer or withdrawal from the \nschool system or prior to its destruction. Such notice" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 31, + "content": "must be in addition to the annual notice issued by \nBoston Public Schools in the \u201cGuide to BPS For Students \n& Families.\u201d" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 12 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 13 of 21 \n \nATTACHMENT 1 \nSTUDENT RECORD REQUEST PROCEDURES \n1. Parent/guardian or eligible student requests for the student\u2019s \nrecord are received, processed, and sent to the requestor \ndirectly by the school. Third-party requests are received by the \nOffice of Legal Advisor, processed by the school, and then sent \nback to the Office of Legal Advisor for transmission to the \nrequester. \n2. The principal/head of school will be responsible for certifying \nthat all portions of the student record have been copied as a \nresponse to the requestor. The principal/head of school will \ncomplete the checklist and certification. If the request is being" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 34, + "content": "sent to the parent, the certification will include the date sent to \nthe parent. A copy of the checklist will be sent with the record, \nand the original will be retained by the school. \n3. For third party requests, the principal/head of school will \ncomplete the same process but provide the copy of the entire \nrecord and the checklist to the Office of Legal Advisor for \nreview and delivery. \n4. Requests received during the summer months: By June 1 of \neach year, principals must identify who to contact for each \nweek of the summer break and provide that list to the school \nsuperintendent. The designated individual will check for \nincoming mail and for parent/guardian or eligible student" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 35, + "content": "requests, will obtain the records (copy and/or print), complete \nthe checklist, and deliver them to the requester. In the event \nof a third-party request, the same protocol will be followed but \nthe designated individual will send the record and the \ncompleted checklist to the Office of Legal Advisor." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 14 of 21 \n \nATTACHMENT 2 \nNOTICE OF NON-CUSTODIAL PARENT REQUEST \nFOR STUDENT RECORDS \nVIA REGISTERED MAIL AND FIRST CLASS MAIL \n \nDear Custodial Parent of ________________________________________ : \nThis is to notify you that a request from __________________________ \nwas received on_____________ for the following parts of your \nchild\u2019s student record: ___________________________________________. \nIn accordance with federal and Massachusetts law, non-custodial \nparents must be given access to their children\u2019s student records, \nunless the school has been given written documentation that \nestablishes either:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 37, + "content": "establishes either: \n1. The non-custodial parent was denied legal custody by court \norder based upon a threat to the student or to the custodial \nparent; \n2. The non-custodial parent has been denied visitation or has \nsupervised visitation; \n3. Access to the student or to the custodial parent has been \nrestricted by a court-issued protective order against the non-\ncustodial parent, provided such protective order does not \nspecifically allow access to student record information; or \n4. There is an order of a probate and family court judge which \nprohibits distribution of student records to the non-custodial \nparent." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 15 of 21 \n \nThe requested records will be released on _______________, unless \nthe documentation indicated in the paragraph above has been \nreceived by the Building Administrator of the School. If you have \nany questions, you may contact \n \n_____________________________________ at _________________________ . \nSincerely, \n \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \n \nDate: _________________________ \n \nNOTE: THIS NOTICE MUST BE SENT IN BOTH ENGLISH AND THE \nPRIMARY LANGUAGE OF THE CUSTODIAL PARENT." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 16 of 21 \n \nATTACHMENT 3 \nNOTICE OF DISSEMINATION OF STUDENT RECORD TO THIRD \nPARTIES FOR WHICH CONSENT IS NOT REQUIRED OR IS \nASSUMED BY OPERATION OF LAW \n \nDear ____________________________________________: \nThis is to notify you that a: \n\uf0a8 subpoena \n\uf0a8 request from a justice \n\uf0a8 other (specify) _______________________________________________ \nhas been received for the following parts of your/your child's \nstudent record: \n __________________________________________________________________ \n __________________________________________________________________ \nThe Massachusetts regulations pertaining to student records" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 40, + "content": "state that the school system must comply with the above \nrequest, but that this notification must be provided to you prior \nto the release of the records. In the case of a subpoena, court \norder, or request from a probation officer or the Department of \nYouth Services, you have the right to attempt to have the \nsubpoena, order or request stopped by a court." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 17 of 21 \n \nThe records will be released on _________________________________ . \nIf you have any questions, you may contact \n___________________________________ at ____________________________ . \nSincerely yours, \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \nDate:_____________________________ \n \nNOTE: This notice must be sent in both English and the primary \nlanguage of the custodial parent." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 42, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 18 of 21 \n \nATTACHMENT 4 \nPARENT\u2019S OR STUDENT\u2019S CONSENT FOR DISSEMINATION OF \nSTUDENT RECORD TO THIRD PARTY \nMy name is _____________________________________________. I am: \n\uf0a8 the parent/guardian of a BPS student named: \n _____________________________________________________________ \n\uf0a8 a BPS student age 14 or over and in at least ninth grade. \nI give permission for the following third parties to \n\uf0a8 inspect \n\uf0a8 secure a copy of \nthe parts of my/my child's student record noted below. \nTHIRD PARTIES: \n __________________________________________________________________" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 43, + "content": "__________________________________________________________________ \nREASONS FOR RELEASE OF RECORDS: \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 19 of 21 \n \nParts of Record to be Released* Permission \nGranted \nPermission \nDenied \nTranscript information (includes \nidentifying information, course titles, \ngrades or their equivalent, and grade \nlevel completed) \n \nDisciplinary record \nExtracurricular activities \nTeacher and counselor evaluations \nand comments \n \nAttendance record \nOther (specify): \n \n \n \n __________________________________________________________________ \n**Signature of eligible student or parent/guardian \nStudent's Class:_____________________________Date_________________ \n* Before seeking the parent's or eligible student's consent, the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 45, + "content": "school should cross out those items which have not been \nrequested by the third party. \n** This form may be signed by a student or former student of 14 \nyears of age or older, or a student in the ninth grade or above, \nor a custodial parent or guardian." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 46, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 20 of 21 \n \nATTACHMENT 5 \nCHECKLIST FOR RETRIEVAL OF COMPLETE STUDENT RECORD \n YES N/A \nPrint electronic student file from ASPEN, \nSNAP and EDPLAN \u25a2 \u25a2 \nTranscript information (includes identifying \ninformation, course titles, grades or equivalent, and \ngrade level completed) \u25a2 \u25a2 \nDisciplinary record \u25a2 \u25a2 \nNursing record \u25a2 \u25a2 \nSpecial education record \u25a2 \u25a2 \nELL file \u25a2 \u25a2 \nAttendance records \u25a2 \u25a2 \nPhysical restraint records \u25a2 \u25a2 \nCounseling records \u25a2 \u25a2 \nCorrection of student record \u25a2 \u25a2 \nOther (specify): _______________________________________ \u25a2 \u25a2 \n\u27a4 The school should cross out those items which have not been \nrequested." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular LGL-07 \nPage 21 of 21 \n \nAttachment 5, continued \nCERTIFICATION \nI, __________________________________________(Principal/School \nLeader) of _______________________________________________________ \nSchool, certify that to the best of my knowledge, all of the \ncomponents of the student record that are requested, applicable \nto this student, and maintained by the school or on an electronic \nBPS system have been copied and delivered to the requestor, \nName ___________________________________________________________ , \non [date]______________________. \n________________________________________________ \nSignature" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-01 \nVersion 01 \n \nHAZING LAW \nMassachusetts law makes it a crime to engage in hazing \nactivities. Hazing means any conduct or method of initiation into \nany student organization, whether on public or private property, \nwhich willfully or recklessly endangers the physical or mental \nhealth of any student or other person. A copy of the \nCommissioner of Elementary and Secondary Education\u2019s advisory \nis attached hereto as Attachment 1. \nMiddle school principals, heads of school, and principals of K-8 \nschools should treat hazing as a violation of Section 7.2.5 of the \nCode of Conduct with attendant sanctions. They are required by" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 2, + "content": "state law to take the following steps: \n1. Distribute a copy of the amended law [Attachment 1] to \neach school-based student organization on or before \nSeptember 15. \n2. Obtain from each such student organization a statement, \nsigned by a designated officer of the organization, \nindicating that: \na. the organization has received a copy of the law. \nb. each of its members, plebes, pledges, or applicants \nhas received a copy of the law. \nc. the organization understands and agrees to comply \nwith the law." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 2 of 11 \n \nThe designated officer's signature should be \nwitnessed by an adult (i.e., faculty advisor), who \nshould also sign the statement. These statements \nshould be retained in the main office. A sample \nacknowledgment is attached to this memorandum \nas Attachment 2 for your convenience. \n3. Distribute a copy of the law to all students in grades 7 \nthrough 12 at least annually. Middle school principals, \nheads of school, and principals of K-8 schools must certify \nthat the school complies with the anti-hazing law to the \nMassachusetts Department of Elementary and Secondary \nEducation on or before October 1, by logging into the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 4, + "content": "anti-hazing application accessible via MassEdu Gateway. \n4. The law also requires anyone who knows that another \nperson is the victim of hazing to report such an incident \nto an appropriate law enforcement official as soon as \npossible and provides criminal penalties for failure to do \nso. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nBy September 15 Building administrators distribute Attachment \n1 to all school-based student organizations. \nBy October 1 \nMiddle school principals, heads of school, and \nprincipals of K-8 schools certify compliance \nwith the anti-hazing law to DESE." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 3 of 11 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 4 of 11 \n \nATTACHMENT 1 \n \nREMINDER ABOUT MASSACHUSETTS LAW PROHIBITING THE \nPRACTICE OF HAZING \nSchool Year 2023-2024 Anti-Hazing Data Collection \n \nThe anti-hazing law, which was enacted in 1985, applies only to \nsecondary schools in Massachusetts. Please note that a middle \nschool that has been designated as a secondary school by the \nschool committee must comply with the anti-hazing law and \nregulations. \nUnder Massachusetts General Laws Chapter 269, Sections 17\u2013\n19 and 603 CMR 33.00, all secondary schools, both public and \nprivate, must: \n\u2022 Adopt anti-hazing policies as part of their disciplinary \npolicies." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 7, + "content": "policies. \n\u2022 Distribute copies of the anti-hazing law to all students \nenrolled full-time; to all student groups, teams, and \norganizations that are part of or are recognized by the \nschool or are permitted by the school to use its name and \nfacilities; and to all known unaffiliated student groups, \nteams, or organizations. \nEvery year, secondary school principals/heads of school must: \n\u2022 Certify that you have read and understood the Anti-Hazing \nPolicy and that the school has complied with the law by \nlogging into the new Anti-Hazing application accessible via" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 5 of 11 \n \nMassEdu Gateway at https://gateway.edu.state.ma.us/ \n\u2022 High school principals/heads of school (or a designee) who \nneed access should be assigned their school\u2019s Anti-Hazing \nuser role by their district\u2019s directory administrator. If you \nhave questions about this, contact your directory \nadministrator. \n\u2022 If your school does not have a directory administrator, or if \nyou need help with your user ID and password, please \ncontact Nermina Peric at nperic@doe.ma.us. \n\u2022 The schools must certify with the department on or before \nOctober 1. By November 1, the department must notify the \nAttorney General of any school that has not filed a report." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 9, + "content": "\u2022 Collect a signed acknowledgement from a contact person \nfor each student organization regarding distribution of \ninformation and agreement to comply with the law. The \nschools are not required to submit the Student Group Anti-\nHazing Form but should keep the form for their records. \nThe guidance in this memorandum is intended to ensure that all \npublic and private secondary schools meet their obligations \nunder this important law and that students know the rules, \nexpectations, and consequences regarding hazing. If you need \nadditional information about the anti-hazing law and secondary \nschools' responsibilities, please contact Nermina Peric at 781-338-\n3708." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 6 of 11 \n \nMASSACHUSETTS GENERAL LAWS \u2014 CHAPTER 269 \nC. 269, S.17. Crime of Hazing: Definition: Penalty \nWhoever is a principal organizer or participant in the crime of \nhazing, as defined herein, shall be punished by a fine of not more \nthan three thousand dollars or by imprisonment in a house of \ncorrection for not more than one year, or both such fine and \nimprisonment. \nThe term \"hazing\" as used in this section and in sections eighteen \nand nineteen, shall mean any conduct or method of initiation \ninto any student organization, whether on public or private \nproperty, which willfully or recklessly endangers the physical or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 11, + "content": "mental health of any student or any other person. Such conduct \nshall include whipping, beating, branding, forced calisthenics, \nexposure to the weather, forced consumption of any food, liquor, \nbeverage or drug or other substance, or any other brutal \ntreatment or forced physical activity which is likely to adversely \naffect the physical health or safety of any such student or other \nperson, or which subjects such student or other person to \nextreme mental stress, including extended deprivation of sleep \nor rest or extended isolation. \nNotwithstanding any other provisions of this section to the \ncontrary, consent shall not be available as a defense to any" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 12, + "content": "prosecution under this action. Added by St.1985, c.536; amended \nby St.1987, c.665." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 7 of 11 \n \nC. 269, S.18. Duty to Report Hazing \nWhoever knows that another person is the victim of hazing as \ndefined in section seventeen and is at the scene of such crime \nshall, to the extent that such person can do so without danger or \nperil to himself or others, report such crime to an appropriate law \nenforcement official as soon as reasonably practicable. Whoever \nfails to report such crime shall be punished by a fine or not more \nthan one thousand dollars. Added by St.1985, c.536; amended by \nSt.1987, c.665. \nC. 269, S.19. Hazing Statutes To Be Provided; Statement of \nCompliance and Discipline Policy Required" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 14, + "content": "Compliance and Discipline Policy Required \nEach institution of secondary education and each public and \nprivate institution of post-secondary education shall issue to \nevery student group, student team or student organization which \nis part of such institution or is recognized by the institution or \npermitted by the institution to use its name or facilities or is \nknown by the institution to exist as an unaffiliated student group, \nstudent team or student organization, a copy of this section and \nsections seventeen and eighteen; provided, however, that an \ninstitution\u2019s compliance with this section\u2019s requirements that an \ninstitution issue copies of this section and sections seventeen" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 15, + "content": "and eighteen to unaffiliated student groups, teams or \norganizations shall not constitute evidence of the institution\u2019s \nrecognition or endorsement of said unaffiliated student groups, \nteams or organizations. \nEach such group, team or organization shall distribute a copy of \nthis section and sections seventeen and eighteen to each of its \nmembers, plebes, pledges, or applicants for membership. It shall" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 8 of 11 \n \nbe the duty of each such group, team or organization, acting \nthrough its designated officer, to deliver annually, to the \ninstitution an attested acknowledgement stating that such \ngroup, team or organization has received a copy of this section \nand said sections seventeen and eighteen, that each of its \nmembers, plebes, pledges or applicants has received a copy of \nsections seventeen and eighteen, and that such group, team or \norganization understands and agrees to comply with the \nprovisions of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 17, + "content": "private institution of post-secondary education shall, at least \nannually, before or at the start of enrollment, deliver to each \nperson who enrolls as a full-time student in such institution a \ncopy of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or \nprivate institution of post-secondary education shall file, at least \nannually, a report with the board of higher education and in the \ncase of secondary schools, the board of education, certifying that \nsuch institution has complied with its responsibility to inform \nstudent groups, teams, or organizations and to notify each full" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 18, + "content": "time student enrolled by it of the provisions of this section and \nsections seventeen and eighteen and also certifying that said \ninstitution has adopted a disciplinary policy with regard to the \norganizers and participants of hazing, and that such policy has \nbeen set forth with appropriate emphasis in the student \nhandbook or similar means of communicating the institution's \npolicies to its students. The board of higher education and, in the \ncase of secondary institution, the board of education shall \npromulgate regulations governing the content and frequency of \nsuch reports, and shall forthwith report to the attorney general" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 9 of 11 \n \nany such institution, which fails to make such report. Added by \nSt.1985, c.536; amended by St.1987, c.665; St.1998, c. 161 \u00a7\u00a7 557, 558." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 10 of 11 \n \n ATTACHMENT 2 \nSAMPLE ANNUAL STATEMENT OF ACKNOWLEDGEMENT FOR \nSTUDENT GROUPS, TEAMS, AND ORGANIZATIONS \nANTI-HAZING LAW, M.G.L. C. 269, \u00a7\u00a7 17-19 \n \n \nTo: Secondary School Principal or Head of School \n \nOn behalf of _____________________________________________________ \n(name of student group, team, or organization) \nI certify that the _________________________________________________ \n(name of student group, team, or organization) \nand its members, plebes, pledges, or applicants for membership \nhave received a copy of An Act Prohibiting the Practice of Hazing, \nM.G.L. c. 269, \u00a7\u00a7 17-19; and that the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 21, + "content": "M.G.L. c. 269, \u00a7\u00a7 17-19; and that the \n __________________________________________________________________ \n(name of student group, team, or organization) \nunderstands and agrees to comply with the law." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular LGL-01 \nPage 11 of 11 \n \nDate: ____________________________ \nSigned: __________________________________________________________ \n(Designated Officer) \n __________________________________________________________________ \n(Printed Name) \n \nFaculty Advisor or Leader: (for school affiliated group, team, or \norganization only) ________________________________________________ \n \nDate Received by Principal or Designee: __________________________ \n \n \nC: School Files \n Central Office Files" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-03 \nVersion 01 \n \n \nPUBLIC RECORDS REQUESTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nSchool Department staff members frequently receive requests \nfrom individuals and agencies, asking for information or \ndocuments and cite the Freedom of Information Act (FOIA) or the \nMassachusetts Public Records Law as the authority for honoring \ntheir requests. \nThe Massachusetts Public Records Law, M.G.L. c. 66 \u00a710, provides \nthat any person has a right to access public records. This right of \naccess includes the right to inspect, copy or have copies of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 2, + "content": "records provided upon payment of a reasonable fee. The \nMassachusetts General Laws broadly define \"public records\" as \nany books, papers, maps, photographs, electronic storage media, \ncomputer files, digitally stored material, or any other information \nregardless of form, which is made or received by employees of \npublic agencies unless the material falls into one of several \nrecognized exemptions. Requests for public record information \nmust be in writing; therefore, you should require that any oral \nrequests for public record information be placed in writing by the \nrequestor prior to responding to such a request. Such writing" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 3, + "content": "must be signed, dated, and contain the address of the requestor." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular LGL-03 \nPage 2 of 3 \n \n \nRECORDS REQUEST \nAll written public records requests must be sent to the Office of \nLegal Advisor or filed through the City of Boston\u2019s public records \nrequest portal. You can access the public records request portal \nby visiting https://www.boston.gov/departments/public-records \nor clicking the \u201cPublic Records Request\u201d link at the bottom of \nevery page of the boston.gov website. To ensure a prompt \nresponse, use of the City\u2019s public records request portal is the \npreferred method for all requests. The Office of Legal Advisor will \nreview each request to see if it falls within an exception to the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 5, + "content": "public records law and will coordinate with your office or school \nfor the search, retrieval, and copying of such information. The law \nprovides that Boston Public Schools must respond to a request \nfor public records within ten (10) days of our receipt of such a \nrequest. It is imperative, therefore, that once you receive a public \nrecords request, it is faxed or delivered to the Office of Legal \nAdvisor. It is also imperative that, if you receive a request from \nthe Office of Legal Advisor to compile public records, you do so \nexpeditiously or call the Office of Legal Advisor if you cannot \ncomply in a timely manner with its request for information. \nSUBPOENA" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 6, + "content": "SUBPOENA \nWhen receiving a subpoena for student records, personnel \nrecords, medical records, or any other document, a copy of the \nsubpoena must be emailed or delivered immediately to the \nOffice of Legal Advisor for review. After that, please forward all \nresponsive records with the original subpoena to the Office of \nLegal Advisor. Such a subpoena should be emailed or delivered \neven if it is addressed to an individual, rather than the \u201ckeeper of \nthe records.\u201d Witness subpoenas (i.e., a subpoena that seeks" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular LGL-03 \nPage 3 of 3 \n \n \ntestimony rather than documents) should also be emailed or \ndelivered to the Office of Legal Advisor for appropriate \nconsultation. Please email legal@bostonpublicschools.org. \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-09 \nVersion 01 \n \nPOLITICAL ACTIVITY BY PUBLIC EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPublic employees have most of the same rights as other citizens \nto engage in private political activity. However, the conflict of \ninterest law, M.G.L. c. 268A, restricts some political activity of \npublic employees. In addition, the campaign finance law, M.G.L. \nc. 55, restricts public employees\u2019 political fundraising. \nPROHIBITED ACTIVITY \nThe following restrictions are imposed by law on public \nemployees and volunteers with respect to their participation in" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 2, + "content": "political activity whether on the local, state, or federal level. \n1. Participation in Political Activity \n\u2022 \u201cPolitical activity\u201d includes, but is not limited to, any activity \nthat is in support of or in opposition to a federal, state, or \nlocal candidate or political party or a state or local ballot \nquestion. \n\u2022 In general, a public employee may not use their public \nposition to engage in political activity. \n\u2022 Public employees may not participate in political activity: \no during their usual business hours \no while acting in an official capacity or while in official" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular LGL-09 \nPage 2 of 6 \n \nuniform \no with the use of other public facilities or property and \nresources, such as staff time, public office space and \nfacilities, public office equipment such as telephones \nand other communications equipment, computers, \ncopiers, public websites and links to public websites, or \npublic office supplies such as official stationery \n\u2022 Partisan political and campaign activity may be conducted \nby an employee only during non-business hours, including \nusual lunch hour, vacation time, personal time, or during a \nleave of absence without pay. \n2. Prohibitions Against Public Employees Soliciting Political \nContributions" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 4, + "content": "Contributions \nIt is a violation of state law for a public employee directly or \nindirectly to solicit or receive any contributions or anything of \nvalue for any political purpose, at any time \u2014 during both \nworking and non-working hours. \nNo person employed for compensation, other than an elected \nofficer, by the commonwealth or any county, city or town shall \ndirectly or indirectly solicit or receive any gift, payment, \ncontribution, assessment, subscription, or promise of money or \nother thing of value for the political campaign purposes of any \ncandidate for public office or of any political committee, or for \nany political purpose whatever (Mass. G.L. c. 55, Section 13," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 5, + "content": "emphasis added). \nThe principles supporting this prohibition \u2014 primarily to insulate \npublic employees from inappropriate political pressures and in \nturn to ensure that employees do not use their public positions" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular LGL-09 \nPage 3 of 6 \n \nfor personal or political gain \u2014 are important and must be \nstrongly protected. \nThis prohibition includes both direct and indirect solicitation: \n\u2022 A public employee may not ask any individual for a \ncontribution on behalf of a political candidate or committee. \n\u2022 A public employee may not encourage an individual to \ncontribute to a candidate for public or political office or to a \npolitical committee or sign a fundraising letter or \nadvertisement on behalf of a candidate or political \nfundraising event. \n\u2022 A public employee may not sponsor or allow the use of their \nname on an invitation to a fundraising event or on a political" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 7, + "content": "fundraising request. \n\u2022 A public employee may not serve as a host or sponsor of a \npolitical fundraising event. \n\u2022 A public employee may not distribute or sell tickets to \npolitical fundraising events. \nIt should be noted that Mass. G.L. c. 55, Section 7A, does permit \npublic employees, as individuals, to make financial contributions \nto political campaigns. \n3. Solicitation In a Public Building \nNo one may solicit a political contribution in a public building. \nSolicitations include requests for, or receipt of, a contribution and \nthe distribution of fundraising letters or tickets. Any public \nemployee convicted of such solicitation of funds may be removed" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 8, + "content": "from employment without a hearing (Mass. G.L. c. 55, Section 14)." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular LGL-09 \nPage 4 of 6 \n \n4. Public Employees Seeking Elective Office \nPublic employees seeking elective office may not solicit political \ncontributions either directly or indirectly. \nAny of the prohibitions against solicitation, which apply to public \nemployees, in general also apply to a public employee who is \nthemself a candidate for political office. Moreover, there are \nother restrictions which apply: \n\u2022 A public employee seeking office may attend an event held \non their behalf by a non-elected committee, but may not \nencourage contributions, directly or indirectly. \n\u2022 A public employee seeking public office may not give" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 10, + "content": "permission to have their name appear on such invitation as \nthe one who encourages contributions by an individual. \nPERMITTED ACTIVITY \nIn general, public employees of all types may engage in private \npolitical activity, subject to the restrictions on political \nfundraising imposed by G.L. c. 55. The conflict of interest law \ndoes not prohibit a public employee from engaging in political \nactivity on their own time, using their own or other private \nresources, and when they are acting as an individual and not as \nan agent or representative of anyone else. \nINFORMATION \n\u2022 Elected and Policy-Making Officials: The restrictions on \npublic employee political activity are not the same for all" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 11, + "content": "public positions. Elected officials may engage in more \npolitical activity than appointed officials and \nemployees. Public employees who hold policy-making" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular LGL-09 \nPage 5 of 6 \n \npositions have more leeway to make public statements and \nto take official action on political issues than do non-\npolicymakers. Employees are encouraged to contact the \nOffice of Legal Advisor with questions. \n\u2022 Campaign Finance: Employees seeking information on \nparticular questions are encouraged to call the \nMassachusetts Office of Campaign and Political Finance \n(OCPF). \n\u2022 Conflict of Interest: Employees may refer to State Ethics \nCommission\u2019s Advisory No. 11-1, entitled \u201cPublic Employee \nPolitical Activity,\u201d a copy of which can be obtained by \nclicking this link: \nState Ethics Commission Advisory 11-1: Public Employee" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 13, + "content": "Political Activity | Mass.gov \nFor information on campaign contributions and expenditures, \nplease see G.L. c. 55. \nENFORCEMENT \nThe City intends to ensure that the legal restrictions on political \nactivity by public employees are fully enforced. This bulletin \nshould serve as notice to public employees of the City of such \nrestrictions and their implications." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular LGL-09 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nLGL-14 \nVersion 01 \n \nGATHERINGS ON SCHOOL GROUNDS AND \nDISTRIBUTION OF MATERIALS IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIt is permissible for schools to regulate the time, place, and \nmanner of any demonstration to avoid disruption of classes or \nthe orderly entrance and departure of students into and out of \nthe building. Accordingly, principals and heads of school are \nadvised that gatherings of three (3) or more people or \ndistribution of leaflets shall be regulated as follows: \n1. All gatherings or demonstrations should be viewed as a" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 2, + "content": "legal expression of First Amendment rights. If a building \nadministrator questions whether the material being \ndistributed is protected by First Amendment rights, the \nOffice of the Legal Advisor should be contacted immediately \nat 617-635-9320. \n2. All gatherings or demonstrations shall not disrupt school \nclasses or the orderly entrance and departure of students \ninto and out of the school building. \n3. The Students\u2019 Freedom of Expression Law (G.L. c. 71, \u00a782) \npermits students to plan peaceable assemblies on school \nproperty for the purpose of expressing their opinions. \nBuilding administrators may designate the time and place" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular LGL-14 \nPage 2 of 4 \n \nfor such demonstrations to avoid disruption of classes and \ndisorder in the school. \n4. All other gatherings or demonstrations which are not \nplanned by students shall be restricted to areas off school \nproperty and in such areas as not to restrict the flow of \ntraffic and school buses. The building administrator may \ndesignate such areas. \n5. All gatherings or demonstrations shall be reported to the \nBoston Police Department (at 911), the operational leader, \nand the Department of Safety Services as soon as possible \nafter the gathering and/or demonstration is organized. \n6. Gatherings in school buildings may be limited if school is" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 4, + "content": "being conducted remotely. Any in-person gatherings or \ndemonstrations will comply with public health guidelines \nincluding those that mandate group size limits, physical \ndistancing, and the wearing of masks, as well as BPS policies \nregarding access to buildings. \n7. Materials and/or announcements of a public interest nature \nmust be submitted to the administrator in charge two \nschool days (at least 48 hours) prior to distribution for review \nand approval in order to be distributed in a school or a \nschool-sponsored forum. In addition, there should be no \ncost accrued by the BPS in the distribution of \nmaterials/announcements requested by external" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 5, + "content": "materials/announcements requested by external \norganizations. The following materials shall be prohibited \nfrom circulation in schools or school-sponsored forums: \n\u2022 Advertisements of for-profit and political organizations \nand/or events sponsored by said organizations (including \npolitical and commercial flyers)" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular LGL-14 \nPage 3 of 4 \n \n\u2022 Materials including those promoting anything illegal or \nimmoral and/or are otherwise pervasively indecent or \nvulgar \n\u2022 Materials which include false and/or misleading \ninformation and/or which interfere with the proper and \norderly operation and discipline of the school \n8. Requests for collections and donations, which do not have \nthe authorization of the School Department, shall be \nprohibited. \n9. The sale of merchandise, products, etc. by a recognized \nschool/parent organization may be authorized with the prior \napproval of a building administrator. \n10. The sale and/or promotion of merchandise, products, etc. by" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 7, + "content": "an external organization/agency will not be authorized \nunless the proceeds are used for the support of educational \nprograms and prior approval has been given. \n11. The sale of lottery tickets and/or other games of chance \nshall be prohibited. \n12. Distribution process: \n\u2022 Outside groups\u2019 literature should not be distributed to \nstudents during instructional time and, if possible, should \nnot be intermingled with official school notices, but may \nbe posted on a bulletin board used for such materials. \n\u2022 Students should not be compelled to take home or read \nany outside group\u2019s literature. \n\u2022 School newsletters and notices to parents may not recruit \nmembers for outside groups." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular LGL-14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSSS-02 \nVersion 01 \n \nHOMELESS STUDENTS \u2014 GUIDELINES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or \nsuperseded by a subsequent version \nINTRODUCTION \nThe McKinney-Vento Homeless Assistance Act, reauthorized in \nDecember 2015 through the federal Every Student Succeeds Act \n(ESSA), ensures educational rights and protection for children \nand youth experiencing homelessness. \nDEFINITION OF HOMELESSNESS \nThe federal government defines a child or youth who is homeless \nas one who lacks a fixed regular and adequate residence or has a \nprimary nighttime residence not designed for or ordinarily used" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 2, + "content": "as a regular sleeping accommodation for human beings. \n(McKinney-Vento Homeless Assistance Act, Section 103 (A) (1) (2)). \nUnder the federal definition, the following children are \nconsidered homeless: \n\u2022 Children and youth who are sharing the housing of other \npersons due to loss of housing, economic hardship, or a \nsimilar reason; are living in motels, hotels, trailer parks, or \ncamping grounds due to lack of alternative adequate" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 2 of 10 \n \naccommodations; are living in emergency or transitional \nshelters; are abandoned in hospital; or are awaiting foster \ncare placement. \n\u2022 Children and youth who have a primary nighttime residence \nthat is a public or private place not designed for or ordinarily \nused as a regular sleeping accommodation for human \nbeings. \n\u2022 Children and youth who are living in cars, parks, public \nspaces, abandoned buildings, substandard housing, bus or \ntrain stations, or similar settings. \n\u2022 Unaccompanied youth \u2013 youth not in the physical custody \nof a parent or guardian. \nBoston Public Schools (BPS) is responsible for ensuring the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 4, + "content": "identification, enrollment, attendance, and academic success of \nstudents who are homeless. All personnel should be aware of the \nunique needs of children, adolescents, and families who are \nhomeless. This growing population may be at risk due to the \ntransitional nature and status of their lives. For children and \nadolescents, school may represent stability and consistency in \nwhat otherwise is often an unstable situation. We are committed \nto supporting our students who are experiencing homelessness \nand strive to keep students in their home schools. \nSTATEMENT OF PURPOSE AND SCOPE \nThis circular is intended to provide school staff with guidance" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 5, + "content": "regarding the rights of students who are homeless and provide \nthem with the education services needed to ensure they have an \nequal opportunity to meet the same academic standards to \nwhich all students are held. There are, however, some procedures" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 3 of 10 \n \nthat may differ from the standard procedures. These may include \nchoice of school, registration, transportation, record transfer, and \nconfidentiality. \nSCHOOL SELECTION \nA student who is experiencing homelessness has the right to \ncontinue attending the school of origin (i.e., the school they were \nattending when permanently housed or the school in which they \nwere last enrolled) or a school within the new community where \nthey are temporarily housed. This right is guaranteed under the \nMcKinney-Vento Homeless Assistance Act. \nSCHOOL ASSIGNMENT AND TRANSPORTATION \nIf a student who is attending the Boston Public Schools becomes" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 7, + "content": "homeless and needs transportation, the family should visit one of \nthe BPS Welcome Centers: \nhttps://www.bostonpublicschools.org/welcomecenters \nFamilies requesting reassignment should also visit any of the \nWelcome Centers at various locations: \n\u2022 Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040 \n\u2022 Dorchester: 1216 Dorchester Ave. Dorchester, 617-635-8015 \n\u2022 Roxbury: 2300 Washington St., Roxbury, 617-635-9010 \n\u2022 East Boston: 312 Border Street, Boston, MA 02128, \n617-635-9597 \nFamilies who are experiencing homelessness and move into \nBoston have the right to enroll their children in the Boston Public \nSchools. They should go to any Welcome Center Site to register." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 8, + "content": "An individual may be considered to be homeless if that person is \n\u201cdoubled-up,\u201d a term that refers to a situation where individuals" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 4 of 10 \n \nare unable to maintain their housing situation and are forced to \nstay with a series of friends and/or extended family members. \nStudents who become homeless and move to a shelter or other \nfacilities outside the school district may continue to attend their \nschool of origin. Transportation will be available if they reside \nwithin an hour of their school. Please contact the Homeless \nEducation Resource Network (HERN) or 617-6359620 to discuss \nany difficulty that a child temporarily without a home may be \nexperiencing. \nDISPUTE RESOLUTION \nIf a dispute arises over enrollment and/or transportation, the local" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 10, + "content": "school district must immediately enroll the homeless student in \nthe school in which enrollment is sought pending resolution of \nthe dispute, and must provide the parent, guardian, or \nunaccompanied youth with both a written statement of the \nschool placement decision and a notice of the right to appeal the \ndecision. The school district must refer the unaccompanied \nyouth, parent, or guardian to the homeless education liaison, who \nwill expeditiously carry out the dispute resolution process. The \nfinal decision in such a situation resides with the Massachusetts \ncommissioner of education. \nReimbursement is available at the City of Boston mileage rate for" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 11, + "content": "parents who are sheltered outside of Boston and transport their \nchildren back to the school district. \nATTENDANCE WAIVERS \nStudents experiencing homelessness may have absences \nexcused and will be assessed on a case-by-case basis." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 5 of 10 \n \nAn absence may be excused for the following reasons: \n\u2022 Students who are homeless in or out of district and are \nawaiting transportation. \n\u2022 Students who are tardy due to placement issues. \nPlease contact Assistant Director, Opportunity Youth, for further \ninformation (Operations-Department-\nHeads@bostonpublicschools.org) \nSCHOOL ENROLLMENT AND RECORD TRANSFER \nPrincipals and heads of school should follow all current \nprocedures for the transfer of academic and health records for \nstudents who are experiencing homelessness. Although not \nmandated, it is helpful if students who are temporarily without" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 13, + "content": "homes provide the following documentation at the time of \nregistration: \n\u2022 Birth certificate \n\u2022 Immunization and medical records \n\u2022 Special Education Individual Educational Plan (IEP) \nSERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT \nLIVING IN SHELTERS \nStudents not living in shelters and are \u201cdoubled-up\u201d and identify \nthemselves as being homeless will have access to all services as \noutlined in this memorandum. \nA. Curriculum on Homeless Issues/Professional Development \nIt is important to teach all staff and students about homelessness \nand its causes and conditions to ensure all students understand \nthat homelessness is caused by lack of affordable housing and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 6 of 10 \n \nnot the fault of a child temporarily without a home or their \nparent. The BPS Homeless Education Resource Network (HERN), \nas well as the Massachusetts Department of Elementary and \nSecondary Education, have several videos on homelessness \navailable as well as expertise in workshop and curriculum \nplanning. In addition, training and seminars on homelessness are \navailable through HERN and are free to Boston Public Schools \nfaculty and staff. To arrange for these at your school or to enroll in \nan upcoming professional development opportunity, contact \nAssistant Director, Opportunity Youth Operations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 15, + "content": "Heads@bostonpublicschools.org \nIdentification of a School-based Homeless Liaison \nEach school in the district must identify one staff member \nto serve as the main contact point for homeless services if \none does not already exist (e.g., the school-based homeless \nliaison) to work in concert with HERN to connect the school \nand students and families experiencing homelessness, or at \nrisk of homelessness, to city and state resources. The school-\nbased homeless liaison works collaboratively with HERN to \nensure that students experiencing homelessness have the \nnecessary individualized resources and support to learn. \nHERN provides multiple opportunities for school-based" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 16, + "content": "homeless liaisons to receive targeted professional \ndevelopment throughout the school year. School-based \nhomeless liaisons serve an essential role in ensuring that all \nstaff and students in their school understand the available \nservices and process to request assistance. \nBy October 1, school leaders should submit the name, contact \ninformation and title of their designated school-based homeless" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 7 of 10 \n \nliaison to the Senior Director of Opportunity Youth Operations-\nDepartment-Heads@bostonpublicschools.org \nIdentification and Referrals of Students Experiencing \nHomelessness \nStudents and families experiencing homelessness or at risk \nof homelessness may request assistance using the HERN \nreferral form, which is available electronically on the ASPEN \nStudent Information System (SIS). A student or family \nmember may request that any BPS staff member with \nASPEN access submit a referral form on their behalf. This \nprocess increases access to assistance by allowing the \nreferral to be submitted by a BPS staff member with whom" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 18, + "content": "the student or family member has a trusting relationship. \nThis process will also increase the identification of students \nexperiencing homelessness by making it easier for students \nand family members to make the request at the school level. \nSchool-based homeless liaisons are expected to inform all \nstaff members in their school of the availability of the form \non ASPEN and their role in being able to submit a referral on \nthe student\u2019s behalf. Once the form is submitted, HERN will \nproceed with its normal process of verifying the information. \nOnce information has been verified and the student\u2019s \nservice needs have been identified, HERN will contact the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 19, + "content": "designated school-based liaison to work collaboratively to \ninstitute a service plan for the student and/or family. The \nhard copy version of the HERN referral form will still be \naccepted and can be submitted directly to the HERN office \nor any of the three BPS Welcome Centers." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 8 of 10 \n \nCONFIDENTIALITY \nFor many reasons, homeless families may not want to reveal that \ntheir living status has changed. While most shelters encourage \nparents to notify the schools of a change in residence, they \ncannot mandate it, since state and federal laws which regulate \nconfidentiality are very restrictive. Children who are temporarily \nwithout homes present many of the same characteristics as \nother at-risk children. Therefore, the best practice is to \nstrengthen the communications between all parents and school \npersonnel so that procedures are in place to reach out to families" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 21, + "content": "and students who are in transition or educationally at-risk. This \nmeans, at a minimum, schools should communicate frequently \nwith parents and stress the necessity of updating the student\u2019s \nemergency information. \nSchools, and school-based homeless liaisons in particular, are \nencouraged to maintain up-to-date records of students \nexperiencing homelessness in the ASPEN SIS and communicate \nwith HERN regularly to ensure adequate assistance and provision \nof services to students and families experiencing homelessness. \nIn serving students who are homeless, please be mindful of the \nfollowing: \n\u2022 Many students and parents who are temporarily without" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 22, + "content": "homes prefer to keep their current living situations private. \n\u2022 Students and their families may feel threatened and/or \nembarrassed if approached by school staff. Thus, to respect \ntheir privacy and confidentiality, school staff should not \napproach students or their families directly to discuss their \ntemporary lack of permanent residence. Rather, students" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 9 of 10 \n \nand families should be given the opportunity to raise the \nissue themselves if they so choose. \n\u2022 It may not be necessary for staff members to know that a \nstudent is homeless. Thus, school staff should be told this \ninformation on an as needed basis only. \nIn the event of an emergency, or when services and information \nare lacking for a child believed to be homeless, contact Assistant \nDirector, Opportunity Youth at 617-6359620 or Operations-\nDepartment-Heads@bostonpublicschools.org \nSenior Director of Health Services, 617-635-6788, should be \nnotified if families do not present current immunization records \nat the time of registration." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 24, + "content": "at the time of registration. \nHome and Hospital Instruction provides services for students \nwho are homeless and are impaired physically and/or mentally. \nFor additional information, contact Home and Hospital program \ncoordinator, 617-635-6633." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular SSS-02 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: Senior Director \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-18 \nVersion 01 \n \n \nBULLYING PREVENTION AND INTERVENTION PLAN \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS STATEMENT AGAINST STUDENT \nBULLYING \nBoston Public Schools will not tolerate any unlawful or disruptive \nbehavior, including bullying, harassment, cyberbullying, \ndiscrimination, retaliation, or hate crimes in all forms and types \ntowards others in any school or at school-related activities. Boston \nPublic Schools will promptly investigate all reports and \ncomplaints of bullying and take prompt, effective action to end" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 2, + "content": "that behavior and prevent its recurrence. Action will include, \nwhere appropriate, referral to a law enforcement agency. Boston \nPublic Schools will support this Bullying Prevention and \nIntervention Plan (\u201cPlan\u201d) in all aspects of its activities, including \nits curricula, instructional programs, staff development, family \nmeetings/training, and extracurricular activities. \nStudents, staff, families/caregivers, and any others who are \nconcerned or want to report bullying may confidently talk to a \ntrusted staff member or call the Safe Space and Bullying \nPrevention Hotline, 617-592-2378. Additional resources and \nsupport can be found at Succeed Boston. Succeed Boston leads" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 3, + "content": "this districtwide initiative." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 2 of 44 \n \nThe Student Handbook, AUP (Acceptable Use Policy), and the \nBoston Public Schools Code of Conduct are updated annually to \nassure alignment, to include language prohibiting bullying, and \ncyberbullying, and to clearly define the consequences connected \nto it. The district and principals/heads of schools at all levels in the \nBoston Public Schools play a critical role in the ongoing \ndevelopment and implementation of the Bullying Prevention and \nIntervention Plan in the context of other whole school and \ncommunity efforts to promote a positive school climate. \nPrincipals/school leaders have a primary role in teaching students" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 5, + "content": "to be civil to one another and promoting understanding of and \nrespect for diversity and difference. Principals/school leaders have \na responsibility for setting priorities and for staying up to date \nwith this policy and current research on ways to prevent and \neffectively respond to bullying. \nThe Boston Public Schools will not tolerate any unlawful or \ndisruptive behavior, including any form of bullying, cyberbullying, \nor retaliation, in our school buildings, on school grounds, on \nschool buses and at school bus stops, on a school bus or other \nvehicle owned, leased, or used by a school district; or through the \nuse of technology or an electronic device owned, leased, or used" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 6, + "content": "by a school district, and or in school-related activities. \nSchools will promptly investigate all reports and complaints of \nbullying, cyberbullying, and retaliation and take prompt action to \nend that behavior and restore the target\u2019s sense of safety. The \nBoston Public Schools will support this commitment in all aspects \nof our school community, including curricula, instructional \nprograms, staff development, extracurricular activities, and \nfamilies/caregivers involvement. \nA student who knowingly makes a false accusation of bullying will" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 3 of 44 \n \nbe subject to disciplinary action as defined by the BPS Code of \nConduct. \nThis Plan has been approved by the Massachusetts Department of \nElementary and Secondary Education and is posted at the BPS \nAnti Bulling web page. Copies of this plan shall be posted and \nreadily accessible in all schools in an area visible to \nfamilies/caregivers and staff. The Plan will be reviewed and \nupdated biennially, as mandated by M.G.L. c. 71, \u00a7 37O. \nPUBLIC INVOLVEMENT \nAs required by M.G.L. c. 71, \u00a7 37O, this Plan has been developed in \nconsultation with various constituencies. Since May 3, 2010, the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 8, + "content": "Boston Public Schools has met biennially with families/caregivers, \nteachers, school administrators, students, central administrators, \nand community stakeholders to develop this Plan. \nEffective SY 2024-2025, an advisory group of teachers, \nadministrators, families/caregivers and community members will \nbe developed to review and make recommendations related to \ncurricula, professional development, community and family \nengagement, and the Plan itself. Consultation will include, at a \nminimum, notice and a public comment period prior to adoption. \nSTATEMENT OF PURPOSE \nThe Boston Public Schools believes that school communities" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 9, + "content": "serve as a network of support for its diverse students, families, and \nstaff. We are committed to providing our students with equal \neducational opportunities and a safe and welcoming learning \nenvironment where all students and community members treat \neach other with respect and appreciate the rich diversity in our \nschools." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 4 of 44 \n \nThe Boston Public Schools recognizes that certain students may \nbe more vulnerable to become targets of bullying, harassment, or \nteasing based on actual or perceived characteristics, including \nrace, color, religion, ancestry, national origin, sex, socioeconomic, \nstatus, homelessness, academic status, gender identity or \nexpression, physical appearance, or sensory, disability, or by \nassociation with a person who has or is perceived to have one or \nmore of these characteristics. The Boston Public Schools will \ncontinuously work to identify specific steps it will take to create a" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 11, + "content": "safe, supportive environment for vulnerable populations in the \nschool community, and provide all students with the skills, \nknowledge, and strategies to prevent or respond to bullying, \nharassment, or teasing. \nUnder M.G.L. Ch. 71, \u00a7 37O, at the beginning of each school year, \neach school will provide the community, including students, \nadministrators, external providers, families/caregivers, and staff \nwith: \n\u25cf Written notice of its policies for reporting acts of bullying \nand retaliation, \n\u25cf A description of the reporting procedures and resources, \nincluding the name and contact information of the \nprincipal/school leader or designee \n\u25cf A copy of the Bullying Incident Reporting Form and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 12, + "content": "information about electronic reporting and \n\u25cf Shall provide and post the available resources (including the \nnumber to the Safe Space and Bullying Hotline and \ninformation about electronic reporting) in the school\u2019s main \noffice, the school\u2019s website, all counseling offices/spaces, the \nschool nurse\u2019s office, and other locations determined by the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 5 of 44 \n \nprincipal/school leader or designee \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan shall be incorporated in student and staff handbooks, on the \nschool and district website, and made available to \nfamilies/caregivers. \nDEFINITIONS UNDER M.G.L. CH. 71, \u00a7 37O \nNote: The following definitions contain terms and/or phrases that \nare different from the language of the statute. The language of \nthe definitions in this circular is drafted to align with the \ndefinitions that are used in the Boston Public Schools Code of \nConduct. BPS relies on these definitions when reviewing student \nconduct under the Code:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 14, + "content": "conduct under the Code: \n\u25cf Bullying: BPS has replaced the word \u201cvictim\u201d in the statute \nwith the word \u201ctarget.\u201d \n\u25cf Cyberbullying: BPS has added (iv) to the definition contained \nin the statute. \n\u25cf Retaliation: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n\u25cf School Community: BPS has added \u201cstaff\u201d to the definition \ncontained in the statute. \n\u25cf Perpetrator: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n\u25cf Aggressor is a student who engages in bullying or \ncyberbullying. \nBullying is the repeated use by one or more students or by a" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 15, + "content": "member of school staff including, but not limited to, an educator," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 6 of 44 \n \nadministrator, school nurse, cafeteria worker, custodian, bus \ndriver, athletic coach, advisor to an extracurricular activity, or \nparaprofessional of a written, verbal, or electronic expression or a \nphysical act or gesture or any combination thereof, directed at a \ntarget that: \nI. Causes physical or emotional harm to the target or damage \nto the target's property \nII. Places the target in reasonable fear of harm to themselves \nor of damage to their property \nIII. Creates a hostile environment at school for the target \nIV. Infringes on the rights of the target at school" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 17, + "content": "V. Materially and substantially disrupts the education process \nor the orderly operation of a school. \nCyberbullying is bullying through the use of technology or any \nelectronic communication which shall include, but shall not be \nlimited to, any transfer of signs, signals, writing, images, sounds, \ndata, or intelligence of any nature transmitted in whole or in part \nby a wire, radio, electromagnetic, photoelectric or photo-optical \nsystem, including, but not limited to, electronic mail, internet \ncommunications, instant messages or facsimile communications. \nCyber-bullying shall also include: \nI. The creation of a web page or blog in which the creator" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 18, + "content": "assumes the identity of another person \nII. The knowing impersonation of another person as the author \nof posted content or messages, if the creation or \nimpersonation creates any of the conditions enumerated in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 7 of 44 \n \nclauses (iv) to (v), inclusive, of the definition of bullying \nIII. The distribution by electronic means of a communication to \nmore than one person or the posting of material on an \nelectronic medium that may be accessed by one or more \npersons, if the distribution or posting creates any of the \nconditions enumerated in clauses (i) to (v), inclusive, of the \ndefinition of bullying \nIV. The use of the internet and/or social media used for bullying \noutside of school that disrupts the normal functioning of the \nschool day." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 8 of 44 \n \nHostile Environment is a situation in which bullying causes the \nschool environment to be permeated with intimidation, ridicule, \nor insult that is sufficiently severe or pervasive to alter the \nconditions of a student\u2019s education. \nRetaliation is any form of intimidation, reprisal, or harassment \ndirected against a student who reports bullying, provides \ninformation during an investigation of bullying, or witnesses or \nhas reliable information about bullying. \nThe School Community consists of students, staff and \nfamilies/caregivers. \nStaff includes, but is not limited to, educators, administrators," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 21, + "content": "counselors, school nurses, cafeteria workers, custodians, bus \ndrivers, athletic coaches, advisors to extracurricular activities, \nsupport staff, and paraprofessionals. \nTarget is a student against whom bullying, cyberbullying, or \nretaliation has been perpetrated. \n \nPOLICIES AND PROCEDURES FOR REPORTING AND \nRESPONDING TO BULLYING AND RETALIATION \nTo support efforts to respond promptly and effectively to bullying \nand retaliation, the Boston Public Schools have policies and \nprocedures in place for receiving and responding to reports of \nbullying or retaliation. These policies and procedures ensure that \nmembers of the school community \u2013 students," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 22, + "content": "members of the school community \u2013 students, \nfamilies/caregivers, and staff \u2013 know what will happen when \nincidents of bullying are reported or occur (Attachment 1). \nThe Boston Public Schools, in accordance with MA Law M.G.L. c." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 9 of 44 \n \n71, \u00a7 37O, has designated the principal/school leader or designee \nas the person responsible for receiving reports, recording \nincidents, and investigating all incidents. The principal/head of \nschool or designee is responsible for responding to and resolving \nall cases. All bullying allegations, no matter how they were \nreported, (e.g., through the Safe Space and Bullying reporting \nform or directly to the school leader, or directly to staff at the \nschool), shall be submitted to Succeed Boston using the Safe \nSchools & Bullying Investigation form. All findings, including \nsupporting information, including witness statements (target," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 24, + "content": "aggressor, and any other relevant person) findings, and \nconclusions, shall be submitted to Succeed Boston within five \nschool days, and findings of bullying shall be documented in the \nBPS Student Information System (SIS). \nA. Reporting Bullying or Retaliation \nReports of bullying or retaliation can be made by staff, students, \nfamilies/caregivers or others, and can be submitted through the \nSafe Space and Bullying Prevention Hotline at 617-592-2378 or \ndirectly online through the Safe Schools and Bullying Prevention \nIncident Reporting Form. To report in your native language, \nplease call the Hotline and ask for translation services. Allegations" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 25, + "content": "may also be submitted via email, text, or through the Bullying \nIncident Reporting Form (Attachment 3). \nAll employees are required to report immediately to the \nprincipal/school leader or designee, any instance of bullying or \nretaliation the staff member becomes aware of or witnesses. \nReports may be made anonymously (see Attachment 3 for the \nBoston Public Schools Safe Schools and Bullying Prevention and \nIntervention Reporting Form and Attachment 4 for the Boston" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 10 of 44 \n \nPublic Schools Safe Schools and Bullying Prevention and \nIntervention Anonymous Reporting Form). \nUse of the Boston Public Schools Safe Schools and Bullying \nPrevention and Intervention Reporting Form is not required as a \ncondition to making a report. \n1. Reporting by Staff \nA staff member shall report immediately to the principal/school \nleader or designee when they witness or become aware of \nconduct that may be bullying or retaliation. The requirement to \nreport to the principal/school leader or designee does not limit \nthe authority of the staff member to respond to behavioral or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 27, + "content": "disciplinary incidents consistent with each school\u2019s policies and \nprocedures for behavior management and discipline. \n2. Reporting by Students, Families/Caregivers, and Others \nBoston Public Schools expects students, families/caregivers, and \nothers who witness or become aware of an instance of bullying or \nretaliation involving a student to report it to the principal/school \nleader or designee. \nReports may be made anonymously or not by calling the Safe \nSchools and Bullying Prevention Hotline (617-592-2378) or filing a \nreport online using the Safe Space and Bullying Prevention \nReporting form. No disciplinary action will be taken against an" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 28, + "content": "alleged aggressor solely based on an anonymous report. \nStudents, families/caregivers, and others may request assistance \nfrom a staff member to complete a written report. Students will \nbe provided practical, safe, private, and age-appropriate ways to \nreport and discuss an incident of bullying with a staff member or \nwith the principal/school leader." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 11 of 44 \n \n3. Responding to a report of bullying or retaliation \nBefore fully investigating the allegations of bullying or retaliation, \nthe principal/school leader or designee will take steps to assess \nthe need to restore a sense of safety to the alleged target and/or \nto protect the alleged target from possible further incidents. The \nprincipal/school leader or designee shall contact the \nfamilies/caregivers prior to any investigation. Notice will be \nconsistent with state regulations at 603 CMR 49.00. \nUnder M.G.L. c. 71, \u00a7 37O, for children with special needs, the \nPrincipal/Head of School will review the child\u2019s IEP to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 30, + "content": "determine whether or not the child\u2019s disability impacted or \nimpacts their ability to comply with the Code of Conduct \nand/or this policy, and where appropriate, convene a TEAM \nmeeting to discuss and decide the appropriate \ndetermination which may include behavioral support \nservices or other specialized services. \nThe principal/Head of School or designee shall inform the parent \nor guardian of the target about the Department of Elementary \nand Secondary Education\u2019s Problem Resolution System (PRS) and \nthe process for accessing that system, regardless of the outcome \nof the bullying determination. \nResponses to promote safety may include, but not be limited to:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 31, + "content": "\u25cf Creating a personal safety or support plan \n\u25cf Pre-determining seating arrangements for the target and/or \nthe aggressor in the classroom, at lunch, or on the bus \n\u25cf Identifying a staff member who will act as a \u201csafe person\u201d for \nthe target \n\u25cf Altering the aggressor\u2019s schedule and access to the target." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 12 of 44 \n \n \nThe principal/school leader or designee will take additional steps \nto promote safety during and after the investigation, as necessary. \nThey will implement appropriate strategies to protect students \nfrom bullying or retaliation as a result of witnessing, providing \ninformation during an investigation, reporting bullying or \nretaliation or providing reliable information about a reported act \nof bullying or retaliation. \nThe confidentiality of students and witnesses reporting alleged \nacts of bullying will be maintained to the extent possible, given \nthe school\u2019s obligation to investigate the matter. \nB. Obligations to Notify Others" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 33, + "content": "B. Obligations to Notify Others \n1. Notice to Families/Caregivers: \nWithin 24 hours of receipt of the bullying complaint and before \ninterviewing students, the principal/school leader or designee will \nnotify the families/caregivers of the target and the aggressor of \nthe allegations and their intent to interview their child. \nFamilies of all student witnesses who may be interviewed will be \nnotified of their intent to interview their child. Should they \nchoose, the family has the right to be present for the interview \nwith their child. Upon completion of the investigation (not \nbeyond five school days after the receipt of the complaint), the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 34, + "content": "principal/school leader will notify the families/caregivers of the \ntarget and the aggressor of the findings of the investigation and \nthe procedures used in responding to the complaint. \nTo ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the head of school" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 13 of 44 \n \nwill be forwarded to the Operational Leader and the School \nSuperintendent for follow-up assistance. \n2. Notice to Another School or District: \nIf the reported incident involves students from more than one \nschool district, charter school, nonpublic school, approved private \nspecial education day or residential school, or collaborative \nschool, the principal/school leader or designee first informed of \nthe incident will promptly notify by telephone the principal/school \nleader or designee of the other school(s) of the incident so that \neach school may take appropriate action. All communications will" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 36, + "content": "be in accordance with state and federal privacy laws and \nregulations and 603 CMR 23.00. \n3. Notice to Law Enforcement: \nAt any point after receiving a report of bullying or retaliation, \nincluding after an investigation, if the principal/school leader or \ndesignee has a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor, the principal/school leader \nshall consult with their Operational Leader, the School \nSuperintendent, the Office of Safety Services and/or the Boston \nPolice Department School Unit, and other individuals the \nprincipal/school leader or designee deems appropriate. \nNote that pursuant to 603 CMR 49.06(2), notification to law" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 37, + "content": "enforcement is not required in those situations in which the \nschool leader determines that the bullying and retaliation can \nbe handled appropriately within the school district or school. \nAlso, if an incident occurs on school grounds and involves a \nformer student under the age of 21 who is no longer enrolled \nin school, the principal/head of school or designee shall \ncontact their Operational Leader, the School Superintendent, \nthe Office of Safety Services and/or the Boston Police \nDepartment School Unit, for notification to law enforcement if" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 14 of 44 \n \nthey have a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor. \nIn making this determination, the principal/School leader will, \nconsistent with the Plan and with applicable school or district \npolicies and procedures, consult with their Operational Leader, \nthe School Superintendent, Office of Safety Services and/or the \nBoston Police Department School Unit and other individuals \nthe principal/school leader or designee deems appropriate. \nThe Superintendent\u2019s Office shall be notified." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 15 of 44 \n \nC. Investigation (see Attachment 1) \nThe principal/school leader or designee will promptly investigate \nall reports of bullying or retaliation and, in doing so, will consider \nall available information known, including the nature of the \nallegation(s) and the ages of the students involved. All reports of \nstaff on student bullying shall be investigated as such, and the \nOffice of Labor Relations shall be notified. \nDuring the investigation, the school leader or their designee shall \nnotify the families/caregivers of the intent to interview their child \nand will proceed (in the presence of the families/caregivers, if" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 40, + "content": "requested) to gather information, interview students, staff, \nwitnesses, and others as necessary. \nThe principal/school leader or designee will remind the alleged \naggressor, target, and witnesses that retaliation is strictly \nprohibited and will result in disciplinary action, per section 7.6.3 of \nthe Boston Public Schools Code of Conduct. \nInterviews will be conducted by the principal/school leader or \ndesignee, and in consultation with the school counselor, as \nappropriate. To the extent practicable and given their obligation \nto investigate and address the matter, the principal/school leader \nor designee will maintain confidentiality during the investigative" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 41, + "content": "process. The principal/school leader or designee will maintain a \nwritten record of the investigation and upon completion, will file \nand forward the Safe Schools and Bullying Prevention \nInvestigation Form and any additional materials to \nsaws@bostonpublicschools.org. \nProcedures for investigating reports of bullying and retaliation will \nbe consistent with district policies and procedures for \ninvestigations and for possible disciplinary action. If necessary, the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 42, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 16 of 44 \n \nprincipal/school leader or designee will consult with Succeed \nBoston regarding consultation or appeals from \nfamilies/caregivers. The Office of the Superintendent shall be \nnotified should legal counsel pertaining to the investigation of the \nalleged report be necessary. (See Attachment 1 for more specifics.) \nD. Determinations \nThe principal/school leader or designee will make a determination \nof bullying based upon the definition of bullying, the interviews \nwith students, staff, and families/caregivers. If, after investigation, \nbullying or retaliation is substantiated, the principal/school leader" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 43, + "content": "or designee will take steps reasonably calculated to prevent \nrecurrence and to ensure that the target is not restricted in \nparticipating in school or in benefiting from school activities. \nWithin 5 days of receipt of the allegation, the principal/school \nleader or designee will: \n1. Determine what remedial action is required (e.g., \nSafety/Support Plan, seating plan), if any \n2. Determine what responsive actions and/or disciplinary \naction is necessary, if any \n3. Notify the families/caregivers of the target and the \naggressor about the results of the investigation and, if \nbullying or retaliation is found, what action is being taken to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 44, + "content": "prevent further acts of bullying or retaliation \n4. Submit the investigation and findings using the Safe \nSchools and Bullying Prevention Investigation Form and, if \nbullying was found, document the finding in the BPS SIS. \nDepending upon the circumstances, the principal/school leader or \ndesignee may choose to consult with the student\u2019s teacher(s) \nand/or school counselor, and the target\u2019s or aggressor\u2019s" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 17 of 44 \n \nfamilies/caregivers, to identify any underlying social or emotional \nissue(s) that may have contributed to the bullying behavior and to \nassess the level of need for additional social skills development. \nAll notices to families/caregivers must comply with applicable \nstate and federal privacy laws and regulations. Because of the \nlegal requirements regarding the confidentiality of student \nrecords, the principal/head of school or designee cannot report \nspecific information to the target\u2019s families/caregivers about the \ndisciplinary action taken unless it involves a \u201cstay away\u201d order or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 46, + "content": "other directives that the target must be aware of in order to \nreport violations. \nFor students with disabilities, the principal/school leader will \nreview the child\u2019s IEP to determine whether the child\u2019s disability \nimpacted or impacts their ability to comply with the Code of \nConduct and/or this policy, and where appropriate, convene a \nTEAM meeting to discuss and decide the appropriate \ndetermination which may include behavioral support services or \nother specialized services. \nNEW: Right to Appeal decisions related to the bullying \ninvestigation, findings, and/or response may be submitted \nusing this link." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 18 of 44 \n \nE. Planning & Oversight \nThe following school or district leaders are responsible for the \nfollowing tasks under the Plan: \nTask Responsible Party \n1) Receiving reports on bullying Succeed Boston, School \nAdministrators, School Staff \n2) Collecting and analyzing building- \nand/or school-wide data on bullying \nto assess the present problem and to \nmeasure improved outcomes \nSucceed Boston, \nSuperintendent\u2019s Office, Office of \nData and Accountability, \nRP/SAWS \n3) Creating a process for recording \nand tracking incident reports, and for \naccessing information related to \ntargets and aggressors \nSucceed Boston, Office of Data" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 48, + "content": "Succeed Boston, Office of Data \nand Accountability \n4) Planning for the ongoing \nprofessional development that is \nrequired by the law \nSucceed Boston \n5) Planning supports that respond to \nthe needs of targets and aggressors \nSucceed Boston, RP/SAWS, \nRegional Liaison Teams \n6) Choosing and implementing the \ncurricula that the school or district \nwill use \nSucceed Boston, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 19 of 44 \n \n7) Developing new or revising current \npolicies and protocols under the Plan, \nincluding an Internet Safety Plan, and \ndesignating key staff to be in charge \nof implementation \nPrincipals, school leaders, \nSucceed Boston, Office of the \nLegal Advisor, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group \n8) Amending district-wide and \nschool-based student and staff \nhandbooks and Codes of Conduct \nSucceed Boston, Operational \nLeaders, BPS Code of Conduct \nTeam and Office of the Legal \nAdvisor \n9) Leading the families/caregivers or \nfamily engagement efforts and \ndrafting information materials" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 50, + "content": "drafting information materials \nSucceed Boston, Office of Family \nand Community Advancement, \nParent University \n10) Reviewing and updating the Plan \nbiennially, or more frequently as \nneeded \nSuperintendent\u2019s Office, \nSucceed Boston, Bullying \nPrevention and Intervention \nAdvisory Group, Office of the \nLegal Advisor, Office of Equity \nAs required by Chapter 86, of the Acts \nof 2014, which amended G.L. c. 71, \n\u00a737O, the Boston Public Schools will \nadminister a department-developed \nstudent survey at least once every \nfour years to assess \u201cschool climate \nand the prevalence, nature and \nseverity of bullying in schools.\u201d (G.L. c. \n71, \u00a737O(k)). This may include results" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 51, + "content": "71, \u00a737O(k)). This may include results \nof the student/staff/family climate \nSucceed Boston, Office of Data \nand Accountability, Operational \nTeam" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 52, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 20 of 44 \n \nsurvey. \n \nEach school community member is responsible for: \n1. complying with this Plan, where applicable \n2. ensuring that they do not harass, discriminate against, or \ncommit a crime against another person on school grounds \nor in a school-related activity because of that person\u2019s race, \ncolor, religion, national origin, ethnicity, sex, sexual \norientation, age, or disability \n3. ensuring that they do not bully another person on \nschool grounds or in a school-related activity \n4. ensuring that they do not retaliate against any other \nperson for reporting or filing a complaint, for aiding or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 53, + "content": "encouraging the filing or a report or complaint, or for \ncooperating in an investigation of harassment, bullying, \ndiscrimination, or a hate crime \n5. cooperating in the investigation of reports or complaints \nof harassment, bullying discrimination, retaliation, or a hate \ncrime. \nTRAINING & PROFESSIONAL DEVELOPMENT \nAs required under M. G. L. c. 71, \u00a7 37O, Boston Public Schools \nrequires annual bullying prevention and intervention training \n(available in person or asynchronously) for all school staff, \nincluding lunch monitors, school police officers, secretaries, bus" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 54, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 21 of 44 \n \ndrivers, teachers, administrators, and all other itinerant staff. All \ntraining is posted on Vector. For more information contact \nSucceed Boston @ the Counseling and Intervention Center, (617) \n635-8123. \nAnnual Staff Training on the Plan \nBoston Public Schools will offer professional development to all \nadministrators, teachers, paraprofessionals, and all ancillary staff \nmembers under the employment of the Boston Public Schools. \nThis includes Identifying Bullying Behavior, Types of Bullying, \nRoles of Aggressors/Targets/Bystanders, Rights and \nResponsibilities under the Law M. G. L. c. 71, \u00a7 37O, Information" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 55, + "content": "regarding the most-risk populations (including LGBTQ+ students, \nstudents with disabilities, English Language Learners), Internet \nSafety, Reporting Responsibility, Adult Bias, and Addressing \nStudent Bias-Based Speech and Behavior. \nAdvanced Training \nTo provide effective bullying prevention and intervention services \nand to build capacity, each school shall have at least 2 staff \ntrained as Bullying \nIntervention Specialists (BIS). These specialists will: \n\u25cf Serve as a resource to their school community on bullying \nrelated matters \n\u25cf Lead relevant training within their school community \n\u25cf Coordinate the reporting and/or investigating of incidents if" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 56, + "content": "designated by their school leader. \nThe Regional RP/SAWS will provide semi-annual training to the \nregional BIS teams that will further develop best practices and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 57, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 22 of 44 \n \nresources. \nBoston Public Schools will provide a 2-day Bullying Intervention \nSpecialist professional development quarterly throughout the \nyear. The advanced bullying intervention specialist training (see \nAttachment 2) will be posted on Vector. \nThe training will include: \ni. developmentally appropriate strategies to prevent and \nintervene in bullying incidents \nii. information regarding the complex interaction and \npower differential that can take place between and \namong an aggressor, target, and witnesses to the \nbullying \niii. research findings on bullying, and resources for the \ndevelopment of programs in schools" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 58, + "content": "development of programs in schools \niv. information on the incidence and nature of \ncyberbullying and internet safety issues \nv. bias-based bullying and sexual harassment \nvi. issues specific to LGBTQ+ students \nviii. students with disabilities \n\u25cf legal rights/IDEA/FAPE \nix. adult bias and impact on bullying intervention \nand prevention. \n\u25cf The Regional RP/SAWS will continue to share literature \ncovering the latest information in bullying prevention & \nintervention. This literature will include strategies for" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 59, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 23 of 44 \n \ncreating a culture and environment that will prevent \nbullying. \n\u25cf Professional Development opportunities to identify \nstrategies for students with disabilities who are either \naccused of or are targets of bullying (per BPS Code of \nConduct). \n\u25cf Annual updated electronic links to the Bullying Prevention \nand Intervention Protocols." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 60, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 24 of 44 \n \n \nACCESS TO RESOURCES AND SERVICES \nA key aspect of promoting positive school climates that provide \nstudents with feelings of belonging and safety is ensuring that \nthe underlying emotional needs of all students are addressed. \nThese students include targets, aggressors, and bystanders of \nbullying or cyberbullying. The Boston Public Schools will also \naddress the emotional needs of these students\u2019 families. Please \nsee Anti-Bullying Resources for further information. \nIdentifying resources in schools \n\u25cf School staff, together with building administrators, will work \nto identify the school\u2019s capacity to provide counseling, case" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 61, + "content": "management, and other services for students (targets, \naggressors, bystanders) and their families. Curricula and \nresources can be accessed through the Boston Public \nSchool\u2019s Succeed Boston\u2019s website succeedboston.org \n\u25cf Schools will conduct an annual review of staffing and \nprograms that support the creation of positive school \nenvironments, focusing on early interventions and intensive \nservices, and develop recommendations and action steps to \nfill resource and service gaps. \n\u25cf The Boston Public Schools will continue to work in \ncollaboration with local and state agencies to adopt \nevidence-based curricula and to provide additional" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 62, + "content": "preventive services to students, families/caregivers and all \nschool staff." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 63, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 25 of 44 \n \n \nCounseling and other services \n\u25cf Succeed Boston\u2019s Student Support and Prevention \nWorkshops provide an alternative to a suspension to \nincrease students\u2019 understanding about the impact of \nbullying, build empathy and social and emotional skills to \nstop and prevent bullying. \n\u25cf School counselors, nurses, school psychologists, and special \neducators provide a variety of skill-based services to students \nwithin the educational setting that include ongoing \nemotional support, risk assessment, crisis intervention, and \nhelp with community-based counseling referrals when \nappropriate." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 64, + "content": "appropriate. \n\u25cf School staff meet with families/caregivers and teachers as \nneeded to help address students\u2019 academic, social, \nemotional, and behavioral concerns as collaboratively as \npossible. \n\u25cf Regional liaisons, especially the RP/SAWS, will work with \nschool teams and administrators to develop and, if needed, \nco-facilitate culturally and linguistically appropriate \nresources to identified families. \n\u25cf School counselors maintain up-to-date information on \ncommunity-based mental health referrals as well as \nCommunity Service Agencies (CSAs) within the local area, \nproviding services to students and families. \n\u25cf Regional liaisons, especially the RP/SAWS, will work" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 65, + "content": "collaboratively with and support the BIS, school counselors, \nschool psychologists, and intensive special needs educators" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 66, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 26 of 44 \n \nto: \n1. Develop behavior plans and groups for students to build \nupon their social and emotional skills, \n2. Educate and support families/caregivers, \n3. Conduct workshops for families/caregivers \n4. Connect families/caregivers of outside resources to build \nskills \nSTUDENTS WITH DISABILITIES \nAs required by M. G. L. c. 71B, \u00a7 3, as amended by Chapter 92 of the \nActs of 2010, when the IEP Team determines that the student has \na disability that affects social skills development or the student \nmay participate in or is vulnerable to bullying, harassment, or \nteasing because of their disability, the Team will consider what" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 67, + "content": "should be included in the IEP to develop the student\u2019s skills and \nproficiencies to avoid and respond to bullying, harassment, or \nteasing. \nREFERRAL TO OUTSIDE SERVICES \nBoston Public Schools school counselors and other specialists will \nhelp students and families access appropriate and timely services \nnecessary to address student needs as a result of bullying. \nReferrals shall comply with relevant laws and policies. \nACADEMIC & NON-ACADEMIC ACTIVITIES \nThe Boston Public Schools will provide age-appropriate \ninstruction on bullying prevention in each grade and incorporate \nit into the school\u2019s or district\u2019s curricula. Succeed Boston provides" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 68, + "content": "online Student Support and Prevention Workshops to students in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 69, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 27 of 44 \n \ngrades 1-12 to learn about the impact of bullying and develop skills \nto stop and prevent bullying. \nEffective instruction will include classroom approaches, whole \nschool initiatives, focused strategies for bullying prevention, and \nsocial skills development. \nSpecific bullying prevention approaches: \n\u25cf Using scripts and role plays to develop skills. \n\u25cf Empowering students to take action by knowing what to do \nwhen they witness other students engaged in acts of \nbullying or retaliation, including seeking adult assistance. \n\u25cf Helping students understand the dynamics of bullying and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 70, + "content": "cyberbullying, including the underlying power imbalance. \n\u25cf Build and reinforce student empathy. \n\u25cf Reinforce and elevate students who model being helpful \nbystanders \n\u25cf Emphasizing cyber safety, including safe and appropriate \nuse of electronic communication technologies \n\u25cf Enhancing students\u2019 skills for engaging in healthy \nrelationships and resolving conflicts with respectful \ncommunications. \n\u25cf Engaging students in a safe, supportive school environment \nthat \n\u25cf is respectful of diversity and difference." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 71, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 28 of 44 \n \nGeneral teaching approaches that support bullying prevention \nefforts: \n\u25cf Create a strong anti-bullying plan that will be enforced first \nand foremost by adults \n\u25cf Build in learning and embed bullying in the curriculum (e.g., \nELA, social studies, history, health classes) \n\u25cf Empower bystanders who witness bullying activities with \nskills and support to intervene appropriately \n\u25cf Promote acceptance and respect in order to improve the \nschool climate to include all students in meaningful ways \n\u25cf Help students and staff understand the definition of bullying \n\u2013 what it is and what it isn\u2019t (e.g., conflict, fighting, teasing)" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 72, + "content": "\u25cf Recognize the dynamics and complexities involved in \naggressor-target relationships \n\u25cf Develop intervention programs that will reduce the \nprevalence of bullying behaviors and create a safe school \nclimate that fosters positive learning experiences for all \nstudents \n\u25cf Be creative in developing strategies to promote social \ncompetence for children who are aggressors, targets of \nbullying, and bystanders \n\u25cf Develop ways to help students who are aggressors find more \nprosocial ways of experiencing positive rewards \n\u25cf Build an effective support system for protecting targets of \nbullying." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 73, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 29 of 44 \n \nThe Boston Public Schools has incorporated a range of \nindividualized strategies and interventions that may be used in \nresponse to remediate a student\u2019s skills or to prevent further \nincidents of bullying and/or retaliation. Combining and \nincorporating a Multi-Tiered System of Support (MTSS), social and \nemotional skill building, school-wide positive behavior \ninterventions and supports (PBIS) focused on prevention services \nschool-wide, creates a level change across the classroom, school, \nand district. These changes not only improve outcomes but \naddress and improve the academic and non-academic needs of" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 74, + "content": "all students, including students with disabilities. \nTEACHING APPROPRIATE BEHAVIOR THROUGH SKILL BUILDING \nUpon the principal/school leader or designee determining that \nbullying or retaliation has occurred, the law requires that the \nschool or district use a range of responses that balance the need \nfor accountability with the need to teach appropriate behavior. \nM.G.L. c. 71, \u00a7 37O. \nSkill-building approaches that the principal/school leader or \ndesignee may consider include: \n\u25cf referring students to Succeed Boston online Student \nSupport and Prevention Workshops for students in grades 1- \n12 to learn about the impact of bullying and develop skills to \nstop and prevent bullying" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 75, + "content": "stop and prevent bullying \n\u25cf providing relevant push in support and co-facilitation of \neducational and social and emotional skill building activities \nfor individual students or groups of students, in consultation \nwith school counselors and other appropriate school \npersonnel \n\u25cf implementing a range of academic and nonacademic" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 76, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 30 of 44 \n \npositive behavioral supports to help students understand \nprosocial ways to achieve their goals. \n\u25cf meeting with families/caregivers to support and to reinforce \nthe anti-bullying curricula and social skills building activities \nat home \n\u25cf adopting support plans to include a focus on developing \nspecific social skills; making a referral for evaluation. \nTAKING DISCIPLINARY ACTION \nIf the principal/school leader or designee decides that disciplinary \naction is appropriate, the disciplinary action will be determined \nbased on facts found by the principal/school leader or designee," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 77, + "content": "including the nature of the conduct, the age of the student(s) \ninvolved, a child\u2019s IEP where appropriate, and the need to balance \naccountability with the teaching of appropriate behavior. \nDiscipline will be consistent with the Boston Public Schools \nBullying Prevention and Intervention Plan, the Boston Public \nSchools Code of Conduct, and with the school-based student \nhandbook. Discipline procedures for students with disabilities are \ngoverned by the federal Individuals with Disabilities Education \nAct (IDEA), which should be read in cooperation with state laws \nregarding student discipline. \nIf the principal/school leader or designee determines that a" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 78, + "content": "student knowingly made a false allegation of bullying or \nretaliation, that student may be subject to disciplinary action \nconsistent with the BPS Code of Conduct." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 79, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 31 of 44 \n \n \nPROMOTING SAFETY FOR THE TARGET AND OTHERS \nThe principal/school leader or designee(s) will consider what \nadjustments (including a safety/support/action plan) are needed \nin the school environment to assure the target's sense of safety \nand that of others. \nWithin a reasonable period following the determination and the \nordering of remedial and/or disciplinary action, the \nprincipal/school leader or designee will contact the target and the \nfamilies/caregivers to determine whether there has been a \nrecurrence of the prohibited conduct and whether additional \nsupportive measures are needed. If so, the principal/school leader" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 80, + "content": "or designee will work with appropriate school staff to implement \nthem immediately. \nCOLLABORATION WITH FAMILIES/CAREGIVERS \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan includes strategies to engage and collaborate with students\u2019 \nfamilies/caregivers to increase the capacity of each of our schools \nas well as the district to prevent and respond to bullying. \nResources for families/caregivers and communication with them \nare essential aspects of effective collaboration. The bullying \nprevention and intervention curricula used by the schools shall be \nmade available to families/caregivers and include: \n1. How families/caregivers can reinforce the curricula at" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 81, + "content": "home and support the school or district plan \n2. The dynamics of bullying \n3. Online safety and cyberbullying" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 82, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 32 of 44 \n \nFamilies/caregivers will also be notified in writing each year about \nthe student-related sections of the Boston Public Schools Bullying \nPrevention and Intervention Plan and the Boston Public Schools \nInternet Acceptable Use Policy. \nSchools will collaborate with School Site Councils and parent \norganizations to create families/caregivers\u2019 resources and \ninformation networks. Schools will join with these \nfamilies/caregivers groups to offer education programs for them \nthat are focused on the components of the anti-bullying curricula \nand any social competency curricula used by the school(s)." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 83, + "content": "Schools will annually inform families/caregivers of enrolled \nstudents about the anti-bullying curricula that are being used. \nThis notice will include information about the dynamics of \nbullying, including cyberbullying and online safety. All notices \nand information made available to families/caregivers will be in \nhard copy and electronic formats and will be available in the \nlanguage(s) most prevalent in BPS. Each school will post the \nBoston Public Schools Bullying Prevention and Intervention Plan \nand related information on its website. \nRELATIONSHIP TO OTHER LAWS \nConsistent with state and federal laws and the policies of the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 84, + "content": "school or district, no person shall be discriminated against in \nadmission to a public school of any town or in obtaining the \nadvantages, privilege, and courses of study of such public school \non account of race, color, sex, religion, national origin, or sexual \norientation. Nothing in the Boston Public Schools Bullying \nPrevention and Intervention Plan prevents the school or district \nfrom taking action to remediate discrimination or harassment \nbased on a person\u2019s membership, or perceived membership, in a \nlegally protected category under local, state, or federal law, or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 85, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 33 of 44 \n \nschool or district policies. \nIn addition, nothing in this Plan is designed or intended to limit \nthe authority of the school or district to take disciplinary action or \nother action under M.G.L. c. 71, \u00a7\u00a7 37H or 37H\u00bd, other applicable \nlaws, or local school or district policies in response to violent, \nharmful, or disruptive behavior, regardless of whether this Plan \ncovers the behavior. \nFor more information about this circular, contact: \nOwner: \nSenior Director of Succeed Boston @ the \nCounseling and Intervention Center \nDepartment: \nSucceed Boston @ the Counseling and \nIntervention Center \nMailing \nAddress:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 86, + "content": "Intervention Center \nMailing \nAddress: \n515 Hyde Park Ave, Roslindale, MA 02131 \nPhone: \n617-635-8123 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nsaws@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 87, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 34 of 44 \n \n \nATTACHMENTS: \n1. How to Conduct a Bullying Investigation \n2. Professional Development \u2014 Bullying Intervention Specialist \nTraining \n3. Safe Schools and Bullying Prevention and Intervention \nReporting Form" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 88, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 35 of 44 \n \nATTACHMENT 1: \nHOW TO COMPLETE A BULLYING INVESTIGATION \nStep 1: After contacting families/caregivers, set up a \nmeeting with the alleged targeted student (target) \nAre there safety concerns? If yes, develop a safety plan with the \ninput of the target and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and \u201cspecials.\u201d \nb. With the help of the targeted student, identify a trusted \nadult the student can go to for assistance. \n\u25cf Notify the trusted adult of the plan. \n\u25cf Notify the teacher(s) of the allegation and the trusted \nadult. \nc. Consider an inconspicuous way the target could signal in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 89, + "content": "real-time that something was happening and/or the target \nneeded to leave the room to go to a prior agreed-upon class, \noffice, person. \nd. Take a statement from the target and get the names of \nwitnesses if any. \nStep 2: After contacting the families/caregivers of the alleged \naggressor, set up a meeting with the student. \nAre there any safety concerns? If yes, develop a safety or action \nplan with the input of the aggressor and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and \n\u201cspecials.\u201d" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 90, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 36 of 44 \n \nb. With the help of the aggressor, identify a trusted adult \nthe student can go to for assistance. \nc. Notify the trusted adult of the plan. \nd. Notify the teacher(s) of the allegation and the trusted \nadult. \ne. Consider an inconspicuous way the target could signal in \nreal-time that something was happening, and/or the target \nneeded to leave the room to go to a prior agreed-upon \nclass, office, or person. \nIf there are no safety concerns for the aggressor, develop an \naction plan that keeps the target and aggressor separate. \na. Consider class seating arrangements, lunch bus, \u201cspecials\u201d \nand recess." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 91, + "content": "and recess. \nb. Notify the teacher(s) of the allegation, and any action \nplans developed. \nc. Take a statement from the alleged aggressor. \nStep 3: Document statements from all witnesses \nStep 4: Assess whether the situation meets the standard for \nbullying: \n1. Power imbalance \n2. Repeated \n3. Intentional" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 92, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 37 of 44 \n \n \nStep 5: Does this allegation involve targeting based on, or \nperceived, membership in a protected class (race, color, national \norigin, ethnicity, religion, pregnancy, homelessness, criminal \nrecord, sex, sexual orientation, gender identity, disability, age, \ngenetics, or active military status?) If yes, contact the Boston \nPublic Schools Office of Equity. \nIf no, proceed to step 6. \nStep 6: All allegations of bullying that have been investigated \nmust be filed with Succeed Boston by completing the Safe \nSpace and Bullying Prevention Investigation Reporting Form \nand documented in the BPS SIS." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 93, + "content": "and documented in the BPS SIS. \n1. Document dates of meetings and calls with \nfamilies/caregivers. \n2. Document all interviews. \n3. Determine if the allegation is bullying, retaliation, simple \nconflict, or Code of Conduct violation. \n4. Document action taken. \n5. Schedule a date to follow up with all parties. \n6. Document incident in SIS under the Conduct Module \nSection 7.1. of the Code of Conduct. \nPlease note: \n\u25cf Upon receipt of the bullying complaint, the principal/school \nleader or designee must confirm receipt of the complaint to \nthe families/caregivers within 24 hours." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 94, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 38 of 44 \n \n\u25cf The investigation must be completed within 5 school days, \nand the principal/school leader or designee will notify the \nfamilies/caregivers of the target and the aggressor of the \nfindings, and of the procedures for responding to it. \n\u25cf To ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the \nprincipal/school leader will be forwarded to the operational \nleader and the school superintendent for follow-up." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 95, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 39 of 44 \n \nATTACHMENT 2: \nBOSTON PUBLIC SCHOOLS 12 HOUR PROFESSIONAL \nDEVELOPMENT \n\u201cBullying Intervention Specialist Training\u201d \nTo build capacity across the district and effectively deal with \nallegations of bullying, each school must have at least two staff \ncomplete the 12-hour training leading to certification as a \n\u201cBullying Intervention Specialist.\u201d Once certified, these specialists \nwill lead the annual bullying prevention and intervention training \nat their schools and will spearhead the creation and maintenance \nof Caring Communities and Bully Free Schools. Succeed Boston \nwill offer quarterly training sessions throughout the school year." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 96, + "content": "Please register on Teach Point. \nIn this training, staff will: \n\u25cf Learn about state and district regulations, procedures and \nprotocols \n\u25cf Become familiar with BPS reporting and investigation \nprotocols \n\u25cf Develop safety plans for targets and action plans for \naggressors \n\u25cf Learn about the different types of bullying \n\u25cf Differentiate between bullying and conflict and how to \nrespond to each \n\u25cf Understand the role school staff play in preventing bullying \n\u25cf Learn about culturally and linguistically sustaining practices" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 97, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 40 of 44 \n \nthat lead to spaces that feel safe, welcoming and are \ninclusive \n\u25cf Understand how adult bias and micro-aggression impact \nstaff\u2019s ability to effectively develop relationships with \nstudents involved in bullying \n\u25cf Develop an awareness of suicide and suicide prevention \nresources \n\u25cf Understand the unique way bullying impacts LGBTQ+ and \nELL students and students with disabilities \n\u25cb Become familiar with FAPE and IDEA as they relate to \nbullying \n\u25cf Develop strategies to empower bystanders \n\u25cf Learn to differentiate bullying and bias-based speech and \nbehavior \n\u25cf Learn best practices to address bullying" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 98, + "content": "\u25cf Learn best practices to address bullying \n\u25cf Listening and talking to families with empathy \n\u25cf Become familiar with resources to develop and implement \nschool-based programs. \n\u25cf Develop plans for family workshops" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 99, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 41 of 44 \n \nATTACHMENT 3: \nSAFE SPACE AND BULLYING PREVENTION REPORTING \nFORM - Boston Public Schools \n1. Name of the person reporting this bullying allegation. \nWrite \"NA\" if you want to report anonymously. Note, \nno disciplinary action will be taken solely on the basis \nof an anonymous report. \n2. Phone number of the person reporting this bullying \nallegation. Write \"NA\" to remain anonymous \n3. Who is reporting this bullying allegation? \n\u25cb I'm a student reporting for myself \n\u25cb I'm a student reporting for another student \n\u25cb I'm a family member/caregiver reporting on \nbehalf of my child \n\u25cb I'm a school staff member (admin, educators," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 100, + "content": "\u25cb I'm a school staff member (admin, educators, \nsupport staff, etc.) reporting for a student \n4. Name and email of person completing this form (if \ndifferent than above): Write \"NA\" if not relevant. \n5. Role of person completing this form (if different than \nabove) \n\u25cb Bullying Hotline Staff (Succeed Boston staff only) \n\u25cb BPS Help Line Staff \n\u25cb School Staff member" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 101, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 42 of 44 \n \n\u25cb NA \n6. Have you already reported this incident to the school \nleader? \n\u25cb Yes \n\u25cb No \n7. Name of alleged target: \n8. Student ID# of alleged target: (Please put 0 if \nunknown) \n9. School of alleged target: \n10. Grade of alleged target: \n11. Does the alleged target receive special education \nservices? \n\u25cb Yes \n\u25cb No \n\u25cb Unsure \n12. Name and grade of the alleged aggressor(s): (If the \nalleged aggressor is an adult, please indicate) \n13. Do any alleged aggressor(s) attend a different school? \nIf yes, please type the name of the school(s) below. (If \nnot, please write \"NA\") \n14. Date, time, and location of incident(s): (If not known," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 102, + "content": "please write \"NA\")" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 103, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 43 of 44 \n \n \n15. If the incident occurred on a school bus, please list \nthe bus number below: (If not on a bus, please write \n\"NA\") \n16. Describe the incident, including names, details of \nwhat happened, and specific words used. You may \nsend additional evidence (i.e., video, screenshots, \nemails) to saws@bostonpublicschools.org. \n17. Witnesses: List the names of any people who saw the \nincident or may have information about it: (If none, \nplease write \"NA\") \n18. Does this bullying allegation involve bias-based \nspeech or behavior? \u201cBias-based\u201d bullying, including \ncyberbullying or harassment, is when a person is" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 104, + "content": "cyberbullying or harassment, is when a person is \nbullied because of membership in, or perceived \nmembership in, a protected class. Protected classes: \nrace, color, age, physical or mental disability, \npregnancy and pregnancy-related conditions, \ncriminal record, homelessness, sex/gender, gender \nidentity, religion, national origin, ancestry, sexual \norientation, genetics, natural or protective hairstyle, \nsocioeconomics, and retaliation. Please note: All \ninvestigations involving bias-based speech or \nbehavior will be forwarded to the Office of Equity by \nSucceed Boston. \n\u25cb Yes \n\u25cb No" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 105, + "content": "Superintendent\u2019s Circular SSS-18 \nPage 44 of 44 \n \n19. Are you concerned for the student's safety? \n\u25cb Yes \n\u25cb No" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-07 \nVersion 01 \n \n \n \n \n\u201cPERSISTENTLY DANGEROUS\u201d SCHOOLS \u2013 \nSTANDARDS FOR DETERMINATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nBACKGROUND \nSection 9532 of the Elementary and Secondary Education Act \n(ESEA), as amended by the Every Student Succeeds Act of 2015 \n(ESSA) states: \nEach State receiving funds under this chapter shall establish \nand implement a statewide policy requiring that a student \nattending a persistently dangerous public elementary \nschool or secondary school, as determined by the State in \nconsultation with a representative sample of local" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 2, + "content": "educational agencies, or who becomes a victim of a violent \ncriminal offense, as determined by State law, while in or on \nthe grounds of a public elementary school or secondary \nschool that the student attends, be allowed to attend a safe \npublic elementary school or secondary school within the \nlocal educational agency, including a public charter school. \n20 U.S.C. \u00a7 7912." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SSS-07 \nPage 2 of 6 \n \n \nSTANDARDS \nThe Massachusetts Department of Elementary and Secondary \nEducation, at a meeting of the State Board of Education on \nMarch 25, 2003, established the standards to determine an \n\u201cunsafe\u201d or \u201cpersistently dangerous\u201d school. A school may be \ndeemed unsafe either as a whole entity or for an individual \nstudent who becomes a victim of a violent criminal offense. \nThese standards were implemented as of July 1, 2003. Following \nare the standards for (1) individual students and (2) the whole \nschool determination. \n \nINDIVIDUAL STUDENT OPTION \nBeginning in the 2003/2004 school year, any student who during" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 4, + "content": "school hours becomes a victim of a \u201cviolent criminal offense\u201d (as \ndefined by Massachusetts General Laws Chapter 140, Section 121) \nwhich takes place in or on the grounds of a public elementary or \nsecondary school that the student attends must be allowed, to \nthe extent feasible, to transfer immediately to another public \nschool within the school district. For purposes of this policy, \u201cin or \non the grounds\u201d of the school includes school premises, school \nbuses, and attendance at school sponsored or school related \nevents including athletic games and field trips." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular SSS-07 \nPage 3 of 6 \n \n \n \nWHOLE SCHOOL OPTION \nTo be designated as \u201cpersistently dangerous,\u201d a school must \nmeet either of the following criteria for three consecutive years \nbeginning with the most recent enrollment data available to the \nDepartment, as well as the prior two years: \n \n\u2022 One or more students have been expelled for violation of \nthe Federal Gun-Free Schools Act, v.z. Section 7.3.1. of the \nBPS Code of Discipline (October 2006 ed), or; \n \n\u2022 The number of students who have been expelled from \nschool for a period greater than 45 days under Mass. \nGeneral Laws Chapter 71, Section 37H for weapons or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 6, + "content": "physical assaults or for violent crimes as defined by Mass. \nGeneral Laws Chapter 140, Section 121 exceeds 1.5% of the \nstudent enrollment. The rate will be based on each \nindividual school\u2019s enrollment data submitted to the \nDepartment (i.e., October Report). \n \nStudents who qualify for a safety transfer under either of the \naforementioned options will be transferred through the safety \ntransfer process (Superintendent\u2019s Circular AMT-07, Safety \nTransfer Request Procedures). Documentation of a \u201cviolent \ncriminal offense\u201d must be attached to the safety transfer request \nform in the case of a single student option request. It is \nanticipated that the Department of Elementary and Secondary" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 7, + "content": "Education (DESE) will designate schools as \u201cpersistently \ndangerous\u201d based on the aforementioned criteria prior to the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SSS-07 \nPage 4 of 6 \n \n \nstart of school each year. Such a designation will be forwarded \ndirectly to the superintendent by the Massachusetts Department \nof Elementary and Secondary Education. \n \nREMEDIAL ACTION \nFor any school that meets either standard for a \u201cpersistently \ndangerous \u201c school designation for two consecutive years, \nDESE will request that the school and district evaluate their needs \nand adopt or revise a corrective action plan to ensure a safe school \nenvironment for all students and staff. The school and district shall \nmaintain the corrective action plan as a public record. To the \nextent feasible, DESE will provide technical assistance to the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 9, + "content": "school and district. \n \nFor any school that meets either standard for a \u201cpersistently \ndangerous \u201c school designation for three consecutive years, \nDESE will designate the school as \u201cpersistently dangerous.\u201d \nParents may then exercise their right to have their child attend a \nsafe public elementary or secondary school within the local \neducational agency (school district). The school will be required to \nsubmit a corrective action plan to DESE. To the extent feasible, \nDESE will collaborate with other state and local agencies to \nprovide support and technical assistance to the school and \ndistrict. \nIf DESE notifies a school or district that the school is or may be" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 10, + "content": "designated as \u201cpersistently dangerous,\u201d school officials will have \nten working days to present information to DESE that may have a \nbearing on the designation. The local officials\u2019 response may" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SSS-07 \nPage 5 of 6 \n \n \ninclude any or all of the following: \n \n1. Clarification of the disciplinary incident data submitted \n2. The school\u2019s safety plan \n3. Local efforts to address the school\u2019s safety concerns \n4. The school safety data reported to the state consistent with \nrequirements of ESEA, Title IVA \n5. Safe and Drug-Free Schools and Communities Act, section \n4112 (c) (3) \n6. More current data that the school may have available \n7. Any extenuating circumstances \n8. Any other information the school officials believe may be \nrelevant \n \nThe Massachusetts Department of Elementary and Secondary \nEducation will review the information provided by the school" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 12, + "content": "officials before making a final determination. \nIt is important to note that failure to transfer a student in a timely \nmanner as required by the law and the Massachusetts \nDepartment of Elementary and Secondary Education could result \nin the loss of federal funds." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SSS-07 \nPage 6 of 6 \n \n \n \nFor more information about this circular, contact: \nOwner: Deputy Superintendent of Operations \nDepartment: Deputy Superintendent of Operations \nMailing \nAddress: \n2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9643 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-19 \nVersion 01 \n \n \n \nHOME AND HOSPITAL INSTRUCTION SERVICES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nPOLICY \nThe intent of Boston Public Schools (BPS) Home and Hospital \nInstruction is to provide a student receiving a publicly funded \neducation with the opportunity to make educational progress \neven when a physician determines that the student is medically \nunable to attend school. In compliance with Massachusetts \nregulation 603 CMR 28.03(3), BPS Home and Hospital Instruction \ncollaborates with schools, parents, agencies, and hospitals to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 2, + "content": "ensure alignment of educational goals and curriculum for \naccurate service delivery to provide, at a minimum, the \ninstruction necessary to enable the student to maintain progress \nin their courses of study and minimize the educational loss that \nmight occur during the period when the student is confined at \nhome or in a hospital. Services are provided with sufficient \nfrequency to allow the student to continue their educational \nprogram, as long as such services do not interfere with the \nmedical needs of the student." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 2 of 13 \n \n \n \nINTENT OF MASSACHUSETTS REGULATIONS ON EDUCATIONAL \nSERVICES IN THE HOME OR HOSPITAL \nHome and Hospital Instruction is not to be confused with Special \nEducation services, \u201cunless the student has been determined \neligible for such services, and the services include services on the \nstudent\u2019s IEP.\u201d Home and Hospital Instruction is a special type of \nservice provided under the Americans with Disabilities Act (ADA) \nand state law for the purpose of ensuring that medically involved \nstudents receiving a publicly funded education have equal access \nto education as do their counterparts. Publicly funded education" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 4, + "content": "includes Boston Public Schools, charter schools, Boston resident \nstudents who are enrolled at out of district schools, including \nMETCO and private placements, and students on private tuition \n(see Attachment B). Students who are on private tuition are \neligible only if they have an Individualized Education Program \n(IEP) or fall under the special education umbrella. \nThe eligibility guidelines of Home and Hospital Instruction are: \n\u25cf A physician determines that a student is physically unable \nto attend school. \n\u25cf A student has been or will be out of school for more than 14 \nconsecutive days or can be anticipated to accumulate more" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 5, + "content": "than 14 absences in a school year at home or in a hospital \n(i.e., sickle cell disease, cancer treatment, etc.). \n\u25cf When it is deemed by the student\u2019s attending physician or \npediatrician that they will be confined to a home or hospital \nsetting for more than 60 (sixty) days, the student will then \nbe evaluated by the Special Education Department under \nstate guideline/regulation 603 CMR 28.04(4). When it is" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 3 of 13 \n \n \n \nknown that a student will be out for more than 60 (sixty) \ndays, it is recommended that the physician complete the 60 \nDay Physician Statement. \n\u25cf A student is marked Constructively Present (CP) for the \nperiod during which the student receives home/hospital-\nbased services and receives a passing grade for all work that \nhas been satisfactorily completed. No home/hospital-based \ninstruction will be provided over the summer break unless \ndesignated in an IEP and the child is unable to attend \nExtended School Year. \nIMPLEMENTATION OF HOME AND HOSPITAL INSTRUCTION \nRole of the parent:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 7, + "content": "Role of the parent: \n\u25cf Provide consent for the exchange of information between \nthe student's physician and the district to ensure an open \nline of communication between service providers. \n\u25cf Maintain communication with the school to ensure that \ngrading is occurring according to classroom guidelines. \n\u25cf Inform school of the student\u2019s medical needs that will \nrequire home and hospital instruction. \n\u25cf Provide the school nurse with all the medical information to \nensure that when the student is in school, the medications, \nprocedures, and protocols are in place to ensure medical \nsafety and optimal learning. This includes completing, along" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 8, + "content": "with the physician of record, the Individual Collaborative \nHealth Plan (ICHP) form if the physician indicates that the \nstudent\u2019s health during this period will affect the provision \nof full educational services and this form has not previously" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 4 of 13 \n \n \n \nbeen completed. \n\u25cf Ensure that the student\u2019s physician of record completes the \nHome and Hospital Physician Statement form and the ICHP. \n\u25cf Participate in the action plan for their child based on the \nICHP and the Physician Statement. \n\u25cf Provide an appropriate learning environment at home. \n\u25cf Ensure that someone over the age of 18 is at home when the \ntutoring occurs (or arranges a neutral meeting place such as \na library), notify the central office if the tutor does not keep \nthe appointment, and sign the instructor\u2019s sheet after each \nsession. \nRole of the physician: \n\u25cf Submits a completed Physician Statement (see Attachment" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 10, + "content": "A) verifying the medical or psychological illness to the \nschool\u2019s nurse for verification. When it is known that a \nstudent will be out for more than 60 days, it is \nrecommended that the physician complete the 60 Day \nPhysician Statement. \nThe Physician Statement should include the date the \nstudent will be confined, medical diagnosis, expected return \ndate, and medical information that may prevent the student \nfrom accessing the provision of a full education. \n\u25cf If the physician identifies on the Physician Statement that \nthe student\u2019s health during this period will affect the \nprovision of full educational services, the physician needs to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 11, + "content": "complete the ICHP in conjunction with the parent. \n\u25cf The physician is expected to remain aware of the time frame" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 5 of 13 \n \n \n \nthe child is out of school. \n\u25cf Participate in a re-entry plan to ensure the child can return \nto the school environment without impediments. \nROLE OF THE SCHOOL ADMINISTRATOR: \n\u25cf Identifies a person to be the school contact (i.e., guidance \ncounselor, student support staff, nurse, or administrator) \nwho will serve as a liaison for students who are home and \nhospital bound. \n\u25cf Submit the designated point of contact to the Home and \nHospital Instruction Program within the Department of \nOpportunity Youth (OY). \n\u25cf If needed, refer a school-based teacher to Home and \nHospital Instruction to serve as the home tutor." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 13, + "content": "\u25cf Ensure appropriate school-level communications to prompt \na timely N1 team meeting with special education for \nstudents who will be out for more than 60 days. \n\u25cf Oversee the coordination of key school staff to ensure \nstudents in Home and Hospital Instruction have school-\nbased support in the areas of academics, curriculum, \nattendance, and testing as appropriate and necessary. \nRole of the school nurse: \n\u25cf The school nurse reviews and submits the completed \nPhysician\u2019s Statement form and non-BPS student form to \nHome and Hospital Instruction (617-635-6633) for \ncoordination of services. \n\u25cf Communicate with the Home and Hospital Instruction team" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 6 of 13 \n \n \n \nas needed to ensure students have appropriate access to \nservices and tutoring. \n\u25cf Coordinate with the physician or medical provider as \nneeded to confirm, verify, or request updates to information \nin Physician Statement. \n\u25cf Collaborate with the school-based and Special Education \nteam to ensure appropriate support of the student\u2019s \nacademic goals while in Home and Hospital Instruction. \n\u25cf Request a medical update from the physician after 2 \nmonths if the student still needs home tutoring. \n\u25cf When it is known that a student will be out for more than 60 \ndays, it is recommended that the school nurse coordinate" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 15, + "content": "with the family and/or medical provider to ensure that the \nphysician completes the 60 Day Physician Statement. \nRole of the teacher: \n\u25cf Ensure that the student follows the same classroom syllabus \nand rubric as the non-medically involved students. \n\u25cf Modify home and hospital assignments as needed so the \nstudent can continue to make academic progress. \n\u25cf Correct the work and assign appropriate grades to the \nstudent. \n\u25cf Notify parents of the student\u2019s progress. \nRole of the identified school-based contact to Home and \nHospital Instruction: \n\u25cf Determine if online curriculum is appropriate and posts \nonline." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 7 of 13 \n \n \n \n\u25cf Collect materials/assignments from the student\u2019s teachers \nfor the home and hospital instructors. \n\u25cf If students are hospitalized, the school contact provides \nmaterials/assignments to parents. Work can also be faxed \nor emailed to the hospital instructors. \n\u25cf If a student is homebound, the school contact provides \nmaterials/assignments to the home instructors. \n\u25cf Communicate frequently with the Home & Hospital \nInstruction Program, home-based instructors, students, and \nparents to assure continuity of services and that student \nneeds are being met. \n\u25cf Receive completed work from the home or hospital" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 17, + "content": "instructors and deliver the work to the student\u2019s teachers. \n\u25cf Ensure students are not being marked absent but as \nConstructively Present (CP). Students\u2019 attendance should \nreflect \u201cHome Tutoring\u201d as the \u201creason code\u201d to avoid \u201cdid \nnot report\u2019 (DNR) and automatic withdrawal from school. \n\u25cf Ensure grades are entered and report cards are generated. \n\u25cf Sign off on home instructor timesheet once monthly. \n\u25cf Retain copy of scholastic and attendance records. \n\u25cf Work with the Office of Special Education to assure qualified \nstudents are evaluated for an IEP or 504 plan. \nRole of Home and Hospital Instruction: \n\u25cf Oversee the Home and Hospital Instruction program," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 18, + "content": "including tutor recruitment, application, assignment, \npayment, and training." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 8 of 13 \n \n \n \n\u25cf Identify tutoring vendors in conjunction with the hospital. \n\u25cf Identify a home instructor once eligibility is confirmed. \n\u25cf Maintain a tracking system of all students receiving Home \nand Hospital Instruction. \n\u25cf Provide training on protocol and procedures to all Home \nand Hospital instructors. \n\u25cf Perform quality assurance monitoring, which can include \nrandom visits to tutoring sites. \n\u25cf Assist schools in academic advising. \n\u25cf Determine, in conjunction with the school, the family and \nthe medical needs, the length and frequency of tutoring \nsessions. In general, the length should not exceed 3 hours in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 20, + "content": "one sitting, and the frequency is generally 3 times per week, \nwith a range of 2- 10 hours. \nRole of the Home and Hospital instructors: \n\u25cf Participate in the Home and Hospital Instruction training \nprogram and review/implement the Protocol and Procedure \nManual for Home Instructors. \n\u25cf Confirm tutoring assignments with the school within 24 \nhours of receipt. \n\u25cf Maintain communication with the school\u2019s designated \nschool-based contact person. \n\u25cf Complete scholastic records on individual students. \n\u25cf Maintain a timesheet with daily parental sign-off. \n\u25cf Provide direct tutorial services on an individualized basis to \nassigned students." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 9 of 13 \n \n \n \n\u25cf Arrange designated material pick-up times with the school\u2019s \ncontact. \n\u25cf Schedule tutoring sessions with parents. \n \nFor more information about this circular, contact: \nOwner: Senior Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 10 of 13" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 11 of 13" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 12 of 13 \n \n \n \nATTACHMENT B \nThis form is to be completed by the school on Non-BPS students: \nPrivate, Charter, Out of District, Private Placement and METCO \nThis student is currently receiving hospital/home tutorial services \nthrough Boston Public Schools. In addition to the Physician\u2019s \nStatement (form 603 CMR 28.3(3)c), please submit the following \ninformation for the referred student: \n \nStudent Name: ___________________________________________________ \nAddress: __________________________________________________________ \nParent/Guardian: _________________________________________________" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 25, + "content": "Telephone: Home______________________Cell ______________________ \nDate of Birth: ___________________________________________________ \nRace: ____________________________________________________________ \nM______ F______ Grade: ____________ \nSchool Name: ____________________________________________________ \nSchool Address: __________________________________________________ \nSchool Phone: ____________________________________________________ \nSchool Contact: __________________________________________________ \nEmail Address: ___________________________________________________ \nFAX #: _____________________________" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular SSS-19 \nPage 13 of 13 \n \n \n \nIs the student receiving special education services? \nYes____ No_____ Unknown ______ \n \nPlease return this form to: \nHome and Hospital Program Coordinator \nBoston Public School, Home and Hospital Instruction \n443 Warren Street, Dorchester, MA 02121, Suite #2 \nor email to: Operations-Department Heads@bostonpublicschools.org \nContact Information: \nOffice 617-635-6633 \nFAX 617-635-6635" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSSS-09 \nVersion 01 \n \n \n \nEMPLOYMENT PERMIT APPLICATIONS AND ISSUANCE \nOF WORK PERMITS FOR STUDENTS AGES 14 \nTHROUGH 17 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nDuring the school year, all Boston Public School students \nrequiring working papers (employment permits and educational \ncertificates) will obtain such from guidance counselors or \ndesignated staff in their individual schools. \n\u2022 Guidance counselors will supervise the issuance of working \npapers, but the secretary designated by the principal or \nhead of school will perform the clerical process of issuing \nthe papers." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 2, + "content": "the papers. \n\u2022 Principals and heads of school will determine the time that \nthe secretary will perform this function. \n\u2022 Occasionally, exceptional circumstances (e.g., heavy \nworkload, unscheduled assignments) occur, making it \nimpossible for the secretary to perform this task. During \nthose times, the guidance counselor will process working \npapers. \nCharter schools are public schools. Charter school students will \nobtain the employment permit from their school staff." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SSS-09 \nPage 2 of 4 \n \n \n \nParochial, private, and METCO school students who are residents \nof Boston will obtain the required permits/certificates through \nthe Welcome Centers of the Boston Public Schools using the \nonline process located on the BPS website \nwww.bostonpublicschools.org. Boston Public School students \ncan also obtain their permits/certificates using the online process \nlocated on the Boston Public Schools website \nwww.bostonpublicschools.org when their school is not in session \n(e.g., summer months, school vacations, etc.). \n \nPROCEDURE \nAll students under the age of 18 must obtain a work permit" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 4, + "content": "before starting a new job per Massachusetts General Laws, \nChapter 149, Sections 86-89. \nThe following process must be followed as outlined in the \nCommonwealth of Massachusetts Employment Permit \nApplication for 14 through 17-year-olds. \n1. All students must obtain a Promise of Employment. \n2. The employer must complete the Promise of Employment \nsection and sign off on it. \n3. ONLY 14 and 15-year-olds must obtain a signed physician\u2019s \ncertificate of health. \n4. All students must have their parent/guardian sign the \npermit application. \n5. The student must also sign the permit application." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular SSS-09 \nPage 3 of 4 \n \n \n \n6. When the permit application is completed, it should be \nreturned to the school guidance \n7. counselor or the school designee. \n \nThe school staff will verify the date of birth and issue a work \npermit. The employment permit application will be kept on file. If \nit is during non-school periods, or the student does not attend a \nBoston Public School, but is a resident of Boston, the student will \nutilize the BPS online Youth Work Permit Request form located \non the website www.bostonpublicschools.org. Proof of the \nstudent's age, such as a birth certificate, passport, immunization" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 6, + "content": "record, etc., should be provided. An employment permit will then \nbe issued. \nPlease note that a work permit may not be issued to a parent. \nMassachusetts General Laws Chapter 149, Section 89 requires \nthat the child appear in person with proper identification. \nAccording to the Commonwealth of Massachusetts \n(https://www.mass.gov/service-details/youth-employment-\npermit-information): all teens under 18 years of age must \ncomplete a work permit application and get a work permit \nbefore starting a new job. Please see the complete summary of \nthe Massachusetts laws regulating child labor for further \ninformation. \nWith very limited exceptions, minors under the age of 14 may not" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 7, + "content": "work. All minors under the age of 18 must complete an \nemployment permit application and get their permit before \nstarting a new job. You can download Youth Employment Permit" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SSS-09 \nPage 4 of 4 \n \n \n \nApplication and Youth Permit Process. You can also access these \nforms in Spanish, Portuguese, Chinese, and Vietnamese. \nFORMS \n1. Employment permit applications can be found and printed \nat https://www.mass.gov/service-details/youth-\nemployment-permit-information \n2. When school is not in session, please complete this form \nand upload the required documents. Once completed, a \nBPS Welcome Services team member will contact you \nwithin two business days regarding the next steps for your \nwork permit. Parochial, private and METCO school students \nthat are Boston residents may utilize this form during the \nentire year." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 9, + "content": "entire year. \nFor more information about this circular, contact: \nName: Director of Guidance, Office of Schools & \nAccountability \nDepartment: Guidance Services, Office of Schools & \nAccountability \nMailing \nAddress: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-8030 \nE-mail: cchiu@bostonpublicschools.org; Operations-\nDepartment-Heads@bostonpublicschools.org \nMary Skipper, Superintendent" + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nCOM-02 \nVersion 01 \n \n MEDIA RELATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to cultivating and \nmaintaining an open and productive relationship with the news \nmedia. The district recognizes that the media provides a public \nservice, are viewed as a reliable source of news about the Boston \nPublic Schools and seeks to provide timely and accurate \ninformation toward that end. \nThe district maintains that the top priority of schools is to \neducate students and ensure the safety and privacy of all \nstudents, staff, and families." + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 2, + "content": "students, staff, and families. \n To balance the responsibilities of schools and the need to provide \ninformation to the media, all press inquiries about the Boston \nPublic Schools or any individual school, student, staff member, \nprogram, or initiative are to be directed first to the \nCommunications Office. \n Any staff member contacted directly by a member of the news \nmedia must refer the reporter to the Communications Office, \nwho will work with staff and the media outlet to respond \nappropriately to the inquiry. \n District officials, schools, and staff must cooperate with the news \nmedia to the extent required and appropriate by law while" + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 3, + "content": "ensuring that media coverage does not interfere with teaching \nand learning." + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular COM-02 \nPage 2 of 2 \n \n It is critically important to protect the privacy of students and \nstaff while fulfilling the requirements of public records laws. The \nCommunications Office works closely with the Legal Advisor to \ndetermine what information is a matter of public record and \nwhat must remain confidential. Only a student whose parent or \nguardian has signed and returned a Media Appearances form \nmay be recorded, filmed, photographed, or interviewed. Students \nfor whom no such consent is on file in the school office may not \nparticipate in any media-related activities, and their name and \nimage are not to be released to the media or anyone else outside" + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 5, + "content": "of the school. For more information, see the Guide to the Boston \nPublic Schools for Families and Students. \nFor more information about this circular, contact: \nOwner: Chief of Communications \nDepartment: Chief of Communications \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9265 \nEmail: communications@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nCOM-01 \nVersion 01 \n \n \nCOMMUNICATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS), Boston School Committee, \nsuperintendent, and all central and school-based staff are \nresponsible for communicating accurately and effectively with \nfamilies, students, colleagues, partners, and the community. \nOngoing communication with all stakeholders is essential to \ndeveloping and sustaining effective home/school/community \npartnerships for improving student achievement. \nThe Boston School Committee affirms the following principles:" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 2, + "content": "\u25cf Families and citizens have a right to know what is occurring \nin their public schools. \n\u25cf All BPS employees have an obligation to ensure the public is \nkept systematically and adequately informed. \n\u25cf Boston Public Schools staff and families benefit from \nimproved sharing of information \u2013 positive and negative. \n\u25cf Written and verbal communication from schools and \nemployees should reflect the BPS commitment to \nsupporting all children and families, focusing on student \nachievement through high-quality teaching and learning. \n\u25cf Effective communication requires an ongoing two-way \nexchange between schools and constituents, including" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular COM-01 \nPage 2 of 4 \n \n \nthoughtful mechanisms at the school and district levels for \nseeking family, student, and community perspectives on \ncritical issues and decisions. \n\u25cf Language used to communicate with families and the \ncommunity must be free of educational jargon, acronyms, \nand other terminology unfamiliar to non-educators. \n\u25cf All communication must reflect and be sensitive to the \ndiversity of BPS families and staff, free of bias with respect \nto race, ethnicity, language, education, income, gender, \nreligion, sexual orientation, or disability. \nIn keeping with these principles, the superintendent shall issue" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 4, + "content": "district-wide procedures and guidelines to foster effective \ncommunication in crucial areas such as media relations, \nemergency communications, customer service, publications, \npresentations, photography, events, and \ntranslation/interpretation. \nTo ensure brand consistency and help families identify official \nBPS publications and properties, schools and departments must \ndisplay the BPS logo on websites and publications. School and \ndepartment stationery and signage should incorporate the BPS \nlogo, the Boston city seal, or both. The BPS logo may not be \naltered and must be reproduced in its correct aspect ratio. The \nlogo digital and printable files are available at the BPS-LOGO" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 5, + "content": "folder. \nIt is the responsibility of every school, office, and program in the \nBoston Public Schools to adhere to these procedures and \nexecute additional effective communication strategies. The BPS \nCommunications Office shall provide leadership, resources, \nguidance, and technical assistance to support the district and \nschools in these efforts." + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular COM-01 \nPage 3 of 4" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular COM-01 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nowner: Chief of Communications \nDepartment: Chief of Communications \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9265 \nEmail: communications@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nATH-01 \nVersion 01 \n \nPREVENTION AND MANAGEMENT OF SPORTS-RELATED \nHEAD INJURIES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBACKGROUND \nA concussion is a type of traumatic brain injury caused by a \nbump, blow, or jolt to the head that can affect brain functioning. \nConcussions can also occur from a blow to the body that causes \nthe head to move rapidly back and forth. Even a mild bump or \nblow to the head can be serious. \nConcussions can occur in any sport or recreational activity. \nChildren who return to play while still experiencing symptoms of" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 2, + "content": "a concussion are more likely to have another concussion or other \nlasting effects and symptoms. This circular outlines \nresponsibilities of all who are involved in athletic participation. It \nincludes the following components: \n\u25cf Pre-participation examination, including a history of \nprevious concussions. \n\u25cf Protocols for assessing and managing a child who has a \nconcussion on the field. \n\u25cf Protocols for returning a child who has had a concussion to \nfull participation. \n\u25cf Academic assessment and accommodation for a child with \ncontinued symptoms that interfere with cognitive function \nand academic progress." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular ATH-01 \nPage 2 of 7 \n\u25cf Prevention of head injuries and health promotion activities \nthat contribute to safe sports participation. \nHEADS OF SCHOOL AND PRINCIPALS SHALL BE RESPONSIBLE \nFOR: \n\u25cf Support and enforce the utilization of appropriate protocols, \nrequired documentation, training, and reporting outlined in \nthese procedures. \n\u25cf Supervising and reviewing that all documentation is in \nplace. \n\u25cb All active coaches must complete the annual \nconcussion certification required by the \nCommonwealth of Massachusetts. \nCOACHES, CERTIFIED ATHLETIC TRAINERS, ATHLETIC \nCOORDINATORS, SCHOOL NURSES, AND VOLUNTEERS (EMS, \nSPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR:" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 4, + "content": "SPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR: \n\u25cf Completing the annual educational training on \nidentification and management of head trauma. \n\u25cf Ensuring and documenting that all students/families have \nsubmitted: \n\u25cb Updated physical examinations consistent with \nCommonwealth of Massachusetts and Massachusetts \nInterscholastic Athletic Association (MIAA) sports \nparticipation guidelines. \n\u25cb Consents for: participation in athletics, emergency on-\nfield care, non-emergent injury or illness evaluation \nand associated follow up treatment related to athletics, \ndocumentation, travel, and medication." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular ATH-01 \nPage 3 of 7 \n\u25cb Completed department pre-participation forms (BPS \nSports Medical Questionnaire) before participating in \npractice or extracurricular athletic activities. \n\u25cb Commonwealth of Massachusetts head injury form. \n\u25cb An indication that the family has reviewed educational \nmaterials about concussion. \n\u25cf Ensuring that the medical history questionnaire and pre-\nparticipation sports physical form(s) are delivered to the \nschool nurse and certified athletic trainer (ATC) in a time \nframe consistent with the sport. The school nurse and \nathletic trainer will discuss any student with a concussion" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 6, + "content": "history (as indicated by the athlete's primary care physician, \npre-participation sports physical, or parent history) with \ntheir coach. All athletes must be cleared by the school \nnurse and athletic trainer in order to play. \n\u25cf Teaching techniques aimed at minimizing sports-related \nhead injury: \n\u25cb Discouraging and prohibiting student athletes from \nengaging in any unreasonably dangerous athletic \ntechnique that endangers the health or safety of a \nstudent, including using a helmet or any other sports \nequipment as a weapon. \n\u25cb Identifying students with head injuries or suspected \nconcussions that occur in play or practice and \nremoving them from play, using either:" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 7, + "content": "removing them from play, using either: \n\u25a0 Coach/volunteer recognition of potential head \ninjury \n\u25a0 Sideline assessment of concussion evaluation for \nMDs and ATCs." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular ATH-01 \nPage 4 of 7 \n\u25cf The results of the evaluation or screening tool must be \navailable to the school nurse and parent/guardian, who will \nforward it to the PCP or other designated physician. \n\u25cf The coach, athletic trainer, or physician who observed and \nevaluated the concussion shall complete the DPH \nCommonwealth of Massachusetts Report of Head Injury \nDuring Sports Season form and the Department Report of \nHead Injury form and transmit it to the athletic director, the \nparent/guardian, the school nurse, and the athletic trainer. \n\u25cf Communicating promptly with the parent/guardian of any \nstudent removed from play and providing them with" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 9, + "content": "documentation to bring to the student athlete\u2019s PCP or \nother designated physician. This documentation must \ninclude the DPT Commonwealth of Massachusetts Post \nSports-Related Head injury Medical Clearance and \nAuthorization form. This form must be completed by the \nphysician and returned to the school nurse and athletic \ntrainer. This form will be reviewed by the school nurse or \nathletic trainer and is required before the student athlete is \nallowed to begin a Return to Play protocol. \n\u25cf No student can return to play without clearance by the \nschool nurse or athletic trainer in consultation with a \nphysician per 105 CMR 201." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 10, + "content": "physician per 105 CMR 201. \n\u25cf All student athletes who have sustained a concussive event \nmust complete a graduated Return to Play protocol unless \notherwise stipulated by the treating physician, assuring that \nall documentation is in place by conducting an annual \ncompliance audit. This includes documentation that all \nstudents have:" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular ATH-01 \nPage 5 of 7 \n\u25cb pre-participation PEs, consent forms, and \nparent/athlete sign off that concussion information has \nbeen reviewed. \n\u25cb list of all students with concussion \n\u25cb documentation of follow up for each student with \nconcussion; documentation that athlete is cleared to \nplay. \nTHE SCHOOL NURSE AND ATHLETIC TRAINER WILL BE \nRESPONSIBLE FOR: \n\u25cf Completing the required annual educational training on \nconcussion: \n\u25cb School nurses will complete the Concussion \nManagement in Massachusetts Schools course \nprovided by Boston University School Health Institute \nannually. \n\u25cf Reviewing any questions raised by the athletic director" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 12, + "content": "and/or coaches, reviewing all medical questionnaires and \nphysical exams. \n\u25cf Athletic trainer: Following up with parents/guardians as \nneeded prior to the student's participation in extracurricular \nathletic activities. \n\u25cf School nurse: Following up with parents/guardians as \nneeded prior to the student's participation in classroom \nactivities. \n\u25cf Maintaining documentation of the medical questionnaire \nand physical in SNAP (the electronic medical record). \n\u25cf Maintaining documentation of the head injury assessments \nin the student's health record in the electronic medical \nrecord." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular ATH-01 \nPage 6 of 7 \n\u25cf Ensuring that any student who has experienced a \nconcussion or head injury, during sports activities or \notherwise, provides documentation of medical care and \nproper clearance to return to sports activities using the \nCommonwealth of Massachusetts Post Concussion \nClearance Form. \n\u25cf Participating in the graduated reentry planning meeting for \nstudents who have been diagnosed with a concussion to \ndiscuss any necessary accommodations or modifications \nwith respect to academics, course requirements, homework, \ntesting, scheduling, and other aspects of school activities \nconsistent with a graduated reentry plan for return to full" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 14, + "content": "academic and extracurricular activities after a head injury \nand revising the health care plan as needed. \n\u25cf Presenting appropriate and relevant medical information to \nthe service team, on a need-to-know basis maintaining \nstudent privacy. \n\u25cf Monitoring recuperating students with head injuries and \ncollaborating with teachers and coaches to ensure that the \ngraduated reentry plan for return to full academic and \nextracurricular activities. \n\u25cf Providing beginning of school year review of concussions as \nwell as ongoing educational materials on head injury and \nconcussion to teachers, staff, and students. \n \n \nPARENTS/STUDENTS SHALL BE RESPONSIBLE FOR: \n\u25cf Ensuring that the child has:" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 15, + "content": "\u25cf Ensuring that the child has: \na. A valid up to date pre-participation physical" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular ATH-01 \nPage 7 of 7 \nb. A completed sports medical questionnaire \nc. Completed the Commonwealth of Massachusetts Pre-\nParticipation Head Injury and Concussion Reporting \nForm for Extracurricular Activities \n\u25cf Reviewing concussion materials, including signed \ndocumentation of the review on the athletic permission \nform. \n\u25cf Ensuring that the child with a concussion is evaluated by \nPCP or other appropriate physician even if there has already \nbeen emergent transport deemed necessary by EMS or AT \nevaluation. \n\u25cf Working with the school nurse, athletic trainer, and the \nservice team to safely implement return to play guidelines." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 17, + "content": "For more information about this circular, contact: \nOwner: Senior Director, Athletics \nDepartment: Athletics Department \nMailing Address: White Stadium, P.O. Box 302205, Jamaica \nPlain, MA 02130 \nPhone: 617-635-8143 \nFax: 617-635-8147 \nEmail: bpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n \n NUMBER: \nATH-02 \nVersion 01 \n \n \n \nATHLETIC ELIGIBILITY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nASPEN/ ELIGIBILITY MANAGEMENT \nASPEN will be used to manage the students who are interested \nand ultimately participate in athletics each season. The students \nand sports they are participating in should be accurate in ASPEN \nat the start of each season. Key personnel (athletic coordinator, \nnurse, school admin) at the school level will have the ability to see \nthe seasonal list of participating students and the current \neligibility status. Athletic coordinators, athletic trainers, school" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 2, + "content": "nurses, and coaches should communicate regularly to ensure \nthat ASPEN accurately reflects who is participating on each team. \nThe ASPEN sign-up period will open 8 weeks prior to the start of \nthe season. The sign-up period in ASPEN will close 14 days after \nthe start of the season. Athletes who start within the 14-day \nwindow must have a minimum of 5 days of practice prior to \nbeing allowed to participate in a game competition. Using the \nlabels provided, each student in ASPEN should be identified as \nfollows: \nAspen Athletic Eligibility Status Definitions \n\u2022 INTEREST: defined as \u201cStudent identifies interest\u201d \u2014 \ncompletes sign-up in ASPEN" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 2 of 12 \n \n \n \n\u2022 ACTIVE: defined as \u201cWaiting on student\u201d; i.e., turn in ALL \nrequired documentation known as the BPS Athletic \nParticipation Forms, copy of a valid 13-month physical exam \nto the athletic trainer (or school nurse if athletic trainer not \navailable), and tryout status \n\u2022 ACTION REQUIRED: defined as \u201cCall to action\u201d; \nSchool/Athletic Department submit MIAA waivers/forms \nwhere applicable \n\u2022 INELIGIBLE: defined as \u201cDoes not meet baseline eligibility \nrequirements\u201d; i.e., valid 13-month physical exam on file as \ndocumented in ASPEN, does not meet academic \nenrollment, attendance, or GPA requirements" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 4, + "content": "enrollment, attendance, or GPA requirements \n\u2022 PENDING: defined as \u201cAwaiting decision from a higher \nauthority\u201d; i.e., MIAA waiver/approval, BPS Athletic \nDepartment, school principal/head of school or designee to \nreview student academic eligibility \n\u2022 ELIGIBLE: defined as \u201cMeets ALL eligibility requirements\u201d for \nparticipation and has MIAA approvals on record with the \nBPS Athletic Department \n\u2022 INACTIVE: defined as a \u201cno show,\u201d \u201cnot participating,\u201d or \u201cdid \nnot make the team after tryouts.\u201d \n \nRESPONSIBILITIES \nAthletic Coordinator \nWill serve as the athletics liaison and primary contact at the \nschool for the Athletics Department and coaches to support" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 5, + "content": "athletics. The athletic coordinator will be responsible for student-\nathlete eligibility in collaboration with coaches, athletic trainers, \nschool nurses, and school leadership." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 3 of 12 \n \n \n \nHead Coach and Assistant Coaches \nMust be knowledgeable of the MIAA eligibility rules and \nregulations. As interest lists and teams are being organized, \ncoaches must communicate any eligibility concerns to their \nathletic coordinator so they are resolved prior to the start of the \nseason and practice. \nAthletic Department Staff \nWill support schools through the eligibility/waiver process and \nserve as a liaison between the schools and the MIAA. Athletics \nDepartment staff will schedule meetings prior to the start of each \nseason with athletic coordinators, athletic trainers, and school" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 7, + "content": "nurses (if necessary/indicated) and support staff to review \nstudent-athlete eligibility. Athletic department staff will maintain \nAspen functionality and advise/teach athletic training staff \nnecessary operations of the Aspen system for their needs \nAthletic Trainers \nAthletic trainers are responsible for the primary review of athletic \nphysicals and determining the date(s) of valid pre-participation \nphysical examination (PPE) and athlete eligibility based on \nhaving an up-to-date PPE on file. Athletic trainers will route all \nPPE obtained from student-athletes to the school nurse to place \nin the student-athletes file. Athletic trainers will provide coaches" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 8, + "content": "with a list of all athletes who have a valid, up-to-date PPE and are \ndeemed eligible to play. \n \nHead of School/Principal \nMust be aware of and officially sign off on eligibility and rosters" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 4 of 12 \n \n \n \nfor teams each season. When needed, school leaders must \nsupport and sign off on any MIAA or BPS eligibility waiver \nrequests. New heads of school are required to attend an MIAA \nrules workshop. \nSUMMARY OF HIGH SCHOOL INTERSCHOLASTIC ELIGIBILITY \n\u2022 1.67 or higher GPA (schools may choose to have a higher \nGPA for athletic participation) \n\u2022 Must pass four (4) core classes \n\u2022 School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n\u2022 A physical examination completed within the last 13 months \nstating that the student-athlete is or is not cleared for" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 10, + "content": "athletics that does not expire before the end of the season, \nwith sports clearance from the r athletic trainer and/or \nschool nurse \n\u2022 Students who turn 19 before September 1 of the current \nacademic year are ineligible unless an age waiver is granted \nby the MIAA. \nSUMMARY OF MIDDLE-LEVEL ELIGIBILITY \n\u2022 2.0 or higher GPA (schools may choose to have a higher GPA \nfor athletic participation) \n\u2022 School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n\u2022 A physical examination completed within the last 13 months \nstating that the student-athlete is or is cleared for athletics \nthat does not expire before the end of the season, with" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 11, + "content": "verification from the school nurse or athletic trainer and/or \nschool nurse \n\u2022 Students who turn 15 before September 1 of the current" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 5 of 12 \n \n \n \nacademic year are ineligible to compete. \n\u2022 Yearly signed parental consent forms (transferable season to \nseason) \nDETAILED OVERVIEW OF HIGH SCHOOL INTERSCHOLASTIC/ \nMIAA ATHLETICS \n \nSeason Start Date \nFall Sports 3rd Friday in August (Football Aug 18) \nWinter Sports 1st Monday after Thanksgiving (November 27) \nSpring Sports Third Monday of March (March 18, 2024) \n \nParticipating student-athletes must meet the following criteria \nfor eligibility each season. \n \n1) Age (Rule #60) \na) A student shall be under 19 years of age but may \ncompete during the remainder of the school year, \nprovided that their birthday occurs on or after" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 13, + "content": "provided that their birthday occurs on or after \nSeptember 1 of that year. \n \n2) Transfer Students (Rule #57) \na) A student who transfers from any school to an MIAA \nmember HS is ineligible to participate in any \ninterscholastic athletic contest at any level for a period" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 6 of 12 \n \n \n \nof one year in all sports in which that student \nparticipated at the varsity level or its equivalent during \nthe one-year period immediately preceding the \ntransfer. \ni) Note: MIAA Form 200 may be executed between \nthe receiving and sending school principals of \nMIAA member schools only. \nii) All Form 200s must be submitted to the Athletics \nDepartment and MIAA Office for their records. \nb) Reason for Transfer \ni) Exemption to the transfer rule: When a student\u2019s \nschool transfer is necessitated (i.e., required) by a \nchange of residence of their parent(s) to the area \nserved by the school to which they transfer." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 15, + "content": "served by the school to which they transfer. \nii) This exception does not apply to a change in \ncustody, guardianship, or to a student\u2019s change in \nresidence from one parent to another, nor does it \napply when the student could continue to attend \nthe former school. \n3) Date entered school (MIAA Rule #51) \na) Student-athletes must be enrolled in the school at the \nstart of the season to be eligible to participate in \nathletics. \nb) This can be appealed with an MIAA waiver. \n4) Student Eligibility: Membership in School (MIAA Rule #55) \na) A student shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation)." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 7 of 12 \n \n \n \n5) Years of Eligibility \na) When a student enters 9th grade, they are eligible for \nonly four years. \nb) A student shall be eligible for interscholastic \ncompetition for no more than 12 consecutive athletic \nseasons after first entering grade 9. \nc) A waiver can be requested for an additional year of \neligibility if there is an extenuating circumstance \ninvolved. \n6) Grade Point Average (GPA) and Transcripts (MIAA Rule #58) \na) BPS requires that all students must have a cumulative \nGPA of 1.67 (or higher) to be eligible to participate in \ninterscholastic athletics. \nb) During the last marking period preceding the contest" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 17, + "content": "(e.g., second-quarter marks and not semester grades \ndetermine third quarter eligibility), a passing grade in \nthe equivalent of four major subjects \nc) To satisfy this requirement, a student must have \npassed sufficient courses for that marking period \nwhich carry Carnegie Units totaling the equivalent of \nfour traditional 1-year major English courses. \nd) Full-Time Student: A student cannot at any time \nrepresent a school unless that student is taking \ncourses that would provide Carnegie Units equivalent \nto four traditional 1-year major English courses. \ne) To be eligible for the Fall marking period, students are \nrequired to have passed for the previous academic year" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 18, + "content": "the equivalent of four traditional 1-year major English \ncourses." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 8 of 12 \n \n \n \ni) Incomplete grades may not be counted toward \neligibility until they are made up following school \npolicy \nii) A student who repeats work in which they have \nonce received credit cannot count that subject a \nsecond time for eligibility. \niii) A student cannot count for eligibility for any \nsubject taken during the summer vacation unless \nthat subject has been pursued and failed during \nthe preceding academic year. \n \n7) Boston Public Schools Athletic Programs Consent for \nParticipation Forms: \na) BPS Athletic Programs Consent for Participation Forms \nmust be completed and on file prior to any student-" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 20, + "content": "athlete being allowed to participate or play for any BPS \nAthletic Team \nb) All BPS Athletic Programs Consent for Participation \nForms will be sent to the parent/guardian of the \nstudent-athlete after completion of ASPEN registration. \nThese forms will be distributed via DocuSign and will \nbe distributed to ATC for review with the school \nathletic coordinator. These forms only need to be \ncompleted once per school year. The BPS Athletic \nPrograms Consent for Participation Forms will consist \nof the following required forms: \ni) Parent/Guardian Consent Form \nii) Acknowledgment of MIAA: \n(1) MIAA Rule 57: Student Eligibility: Transfer" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 9 of 12 \n \n \n \nStudents \n(2) MIAA Rule 59: Student Eligibility: Time \nAllowed for participation post 9th grade \nenrollment \n(3) MIAA Diversity Equity and Inclusion Pledge \n(new Nov 2022) \niii) Commonwealth of Massachusetts - Chapter 269 \nSection 17: Anti-Hazing Law \niv) Hold Harmless Agreement \nv) Concussion Awareness \nvi) Upload - current physical examination for review \nby ATC \nvii) Media Appearances \nviii) DPH Head Injury Form \nix) MGB Athletic Training Services Agreement \n \n8) Physical Exam (MIAA Rule #56) \na) Participating students must have a valid physical or \npre-participation examination (PPE) completed within \nthe last 13 months." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 22, + "content": "the last 13 months. \nb) Physicals or PPE forms must have a statement that \nclears the student for athletic/sports \nc) Physicals or PPE must be completed and on file with \nBPS Athletics in Aspen prior to any student-athlete \nbeing allowed to practice or play for any BPS Athletic \nTeam. \nd) Physicals or PPEs must be valid and on file for the" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 10 of 12 \n \n \n \nentire athletic seasons \ne) Physicals or PPEs must include the date of the \nexamination, physician's signature (electronic or \nactual), and wording that states that the student-\nathlete is cleared for athletics or sports competition \n \n9) Enrollment/ Attendance \na) Attendance for the term prior to the season must be \n90% or higher \nb) Students are ineligible to practice or compete if they \nare not in school for more than half of the school day. \nc) For a student to practice with or to represent a MIAA \nmember school in an athletic competition, the student \nmust be duly enrolled in that school (#51). Also, a" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 24, + "content": "student shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation) and have \nbeen issued a report card preceding the contest unless \nentering from an elementary or junior high school at \nthe start of the school year or transfers in from another \nschool. (MIAA Rule #55.1) \n \n10) MIAA Waiver Request Process \na) All \u201cForm 200s\u201d must be sent to the MIAA office so that \nall transfers are on file. \nb) Student Waiver of Athletic Eligibility waivers must \ninclude the following: \ni) A letter of support from the Principal/AD/School" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 11 of 12 \n \n \n \nAdministrator addressing the four standards of \nrule 87.5. \nii) Transcripts from every year since first entering \nGrade 9 (including current grades) \niii) Current school year attendance records \niv) Comprehensive athletic resume (now included in \napplication) \nv) League or District Advisory Vote \nvi) Form 200 (if applicable) \nc) The third standard, which must be addressed during a \nwaiver application, was changed to \u201caddress how this \nwaiver will impact the home school student body.\u201d The \nnew language captures the overall impact the waiver \nwill have on the home school student body. \nd) A new section was added to Rule 87 titled" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 26, + "content": "d) A new section was added to Rule 87 titled \n\u201cAccountability.\u201d This details the process in the event \ninaccurate or incomplete information is presented \nduring the waiver process. \n \n11) MIAA Appeals Process \na) As of Fall 2021, there is only one level of appeal. The \nappeal hearing board will consist of members from \nboth the MIAC and ERB. Their decision is final. \nb) The deadlines to submit waivers are as follows: \ni) Fall - September 21, 2023 \nii) Winter \u2013 December 14, 2023 \niii) Spring \u2013 March 31, 2024" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular ATH-02 \nPage 12 of 12 \n \n \n \nc) Waivers can be submitted after this date, but there will \nbe no appeal hearings granted. \n \n \nFor more information about this circular, contact: \nOwner: Senior Director, Athletics \nDepartment: Athletics Department \nMailing \nAddress: \nWhite Stadium \nP.O. Box 302205, Jamaica Plain, MA 02130 \nPhone: 617-635-8143 \nFax: 617-635-8147 \nEmail: bpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nACA-18 \nVersion 01 \n \nATTENDANCE AND PUNCTUALITY POLICIES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \nThis circular reflects the School Committee\u2019s approved policies \nand procedures for attendance and punctuality. It contains \ndetailed guidelines on: \n\u25cf Policy background \n\u25cf Chronic absenteeism \n\u25cf Attendance policy \n\u25cf Covid-19 attendance protocols \n\u25cf Punctuality policy (tardiness) \n\u25cf Recording and maintaining student attendance \n\u25cf Recording and following up on DNRs (did not reports) \n\u25cf Discharge/withdrawal protocols \n\u25cf Notification to parents/caregivers of student absence" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 2, + "content": "\u25cf Notifying parents/caregivers of a missing child \n\u25cf Safety concerns related to attendance \n\u25cf Approving home & hospital tutoring \n\u25cf Procedures for referral to supervisors of attendance \nBACKGROUND AND GENERAL PRINCIPLES \nIt is an essential priority of the Boston Public Schools to \nencourage students to maintain consistently high attendance \nrates throughout the school year. Students cannot take full \nadvantage of academic and extracurricular opportunities unless" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 2 of 41 \n \n \nthey are in school consistently. All BPS schools and their School \nSite Councils are expected to implement comprehensive \nprevention and intervention strategies to improve student \nattendance each school year. \nThe BPS student attendance policy was approved by the School \nCommittee in 1998-1999. It was revised in May 2006 and June \n2007 to include the system-wide prohibition of using cutoff times \nto refuse students\u2019 entry into buildings and the additional \nflexibility for schools to promote and ensure consistently high, \non-time attendance. It was further revised in 2018 to include" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 4, + "content": "cultural and religious holidays as an eligible excused absence \ncategory. In 2021, it was revised to discontinue the policies of \nconverting tardies to absences and issuing grades of \u201cNo Credit \n(NC)\u201d based on attendance, as well as elevating the importance of \nfocusing on chronic absenteeism, where all absences and missed \ninstructional time are considered to have a detrimental impact \non student outcomes. \nOn December 10, 2015, the Every Student Succeeds Act (ESSA) \nwas signed into law, reauthorizing the federal Elementary and \nSecondary Education Act of 1965 (ESEA). The law includes \nprovisions to help ensure improved outcomes for all students" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 5, + "content": "receiving elementary and secondary education, including the \nfollowing: \n\u25cf States must establish high academic content standards, and \nschools must teach all students those standards to help \nprepare them for college and careers. \n\u25cf States, districts, and schools must share information with \nfamilies, students, and communities regarding annual \nstatewide assessments that measure students' progress \ntoward these high standards." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 3 of 41 \n \n \n\u25cf States and districts must establish systems of support and \naccountability for all schools and provide particular support \nto the lowest-performing schools, schools with low-\nperforming subgroups, and schools with low graduation \nrates. \nUnder ESSA, each state must develop a consolidated state plan \nthat documents a comprehensive approach to improving \noutcomes for all students. The Massachusetts Consolidated State \nPlan under the Every Student Succeeds Act, approved in \nSeptember 2017, indicates that the state has included chronic \nabsenteeism as one of the accountability index indicators (core" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 7, + "content": "measures) to be adopted by all schools and school districts. \nThrough this policy, each school is given a target goal to reduce \nchronic absenteeism each school year. The BPS Attendance \nPolicy described in this document (ACA-18) has been updated to \nreflect changes to the core measures as it relates to attendance \nand chronic absenteeism. \nCHRONIC ABSENTEEISM \nResearch recognizes that addressing chronic absenteeism is one \nof the most important priorities in an equitable approach to \nattendance, as chronically absent students are less likely to be \nsuccessful academically and are disproportionately students of \ncolor. Chronic absenteeism is defined as missing 10 percent or" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 8, + "content": "more of the school year in any given period. All absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. For an entire \nschool year, a student who misses 18 school days, or about two \ndays per month, will be considered chronically absent. Students \nwho do not show up to school regularly miss out on fundamental \nlearning skills and the chance to build a habit of consistent" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 4 of 41 \n \n \nattendance that they can maintain in their post-secondary \neducation, their career, and throughout their life. \nChronic absenteeism significantly increases the likelihood that a \nstudent will fall off-track academically and struggle to keep pace \nwith their peers. Chronic absenteeism in the early grades can \ninfluence whether a student reads proficiently by the end of the \nthird grade; and by the sixth grade, it becomes a leading \nindicator of whether a student will drop out of high school. \nConsistent with the attendance policy is the need to maintain \naccurate, timely, and appropriate records, including information" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 10, + "content": "on the attendance of students and documentation of reasons for \nabsence. Accordingly, all staff must keep accurate records, \nmaintain documentation, and communicate with \nparents/caregivers in a timely and effective manner to ensure \nsound school attendance practices. In addition, Boston Public \nSchools is committed to addressing chronic absenteeism \nthrough prevention and intervention strategies at the school and \ndistrict levels that better support students and families to \nmaintain consistently high, on-time attendance. Each school will \nprioritize prevention and intervention strategies that reduce \nchronic student absenteeism. \nThe following general principles apply:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 11, + "content": "The following general principles apply: \n\u25cf Schools are required under the law to maintain an accurate \nrecord of student attendance. \n\u25cf Schools at all levels are required to make a concerted effort \nto contact the parent or caregiver each time students are \nabsent." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 5 of 41 \n \n \n\u25cf School leaders bear the final responsibility for attendance in \ntheir schools and complying with attendance and \npunctuality policies and procedures. \n\u25cf External agency support will be sought in those cases where \nschool-based meetings do not achieve a positive continuum \nin parental attitude and/or student attendance patterns. \nBOSTON PUBLIC SCHOOLS ATTENDANCE POLICY \nAttendance: Per the Department of Elementary and Secondary \nEducation (DESE)\u2019s attendance policy, a student must be at \nschool, at a school-related activity, or receiving academic \ninstruction for at least half of the school day to be counted as" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 13, + "content": "present. Students who are not physically present at school but \nreceive academic instruction from the district for at least half of \nthe school day should be counted as present. Examples of \nacademic instruction include tutoring, online learning, or \ndistance learning provided by the district. Under this guidance, \nthere are limited circumstances in which a student can be \nmarked \u201cconstructively present.\u201d \nAllowable circumstances to mark a student constructively \npresent: \n\u25cf Participation in Home & Hospital Instruction \n\u25cf Special education school visit \n\u25cf Out-of-district special education placement \n\u25cf Student is in Department of Youth Services (DYS) custody" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 14, + "content": "\u25cf Succeed Boston (alternative to suspension) \n\u25cf College tour or college interview when sponsored by the \nschool or approved by the school leader" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 6 of 41 \n \n \nLength of Time: A student must attend school for at least a half-\nday to be marked \u201cpresent.\u201d Check with the school leader to \ndetermine what constitutes a half-day. In most schools, it is: \n3 hours in elementary school \n3 hours and 5 minutes in middle school \n3 hours and 10 minutes in high school \n \nCredit Recovery (No Credit Policy Discontinued): To facilitate \ncompetency-based grading across the district, the No Credit (NC) \npolicy regarding students having three unexcused absences in a \nmarking term (four unexcused absences in schools with three \nmarking terms) has been discontinued. As a result, schools" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 16, + "content": "should no longer assign grades of \u201cNo Credit (NC)\u201d to students. \nThe following guidance has been provided regarding credit \nrecovery for students: \n\u25cf Passing grades should be competency-based, which may be \nimpacted by attendance due to missed assignments or \nschoolwork but should not be tied exclusively to attendance \nor participation. \n\u25cf It is essential that schools reach out early and often to \nstudents at risk of a failing grade. \n\u25cf As an alternative, schools may mark a student with an \n\u201cincomplete\u201d grade to enable equitable learning recovery. \n\u25cf In all cases, a student not earning a passing grade must be \ngiven the opportunity and responsibility to equitably" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 17, + "content": "recover any learning loss or make up the work missed \nwithin a marking period to earn a passing grade. \nExcused/Unexcused Absences: Certain absences may be \nexcused, meaning the absence will not be considered as it relates" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 7 of 41 \n \n \nto a referral to truancy court by a supervisor of attendance under \nMassachusetts law (see Massachusetts General Law c.119). \nHowever, all missed instructional time has the potential to \nnegatively impact student outcomes. In addition, all absences are \nincluded as they relate to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. \n\u25cf For an absence to be excused, students must bring in a note \nafter each day they are absent. \n\u25cf The note must include the date absent, the reason for the \nabsence, a phone number where a parent or caregiver can \nbe reached, and the parent or caregiver\u2019s signature." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 19, + "content": "\u25cf Upon return to school, the note must be provided no later \nthan seven (7) school days after the absence. \n\u25cf Excused absences may include: \na. An illness or injury that prevents the student from \nattending school. If the illness or hospitalization results in \nabsence for three or more consecutive days, a note from a \nhealth care provider documenting the health problem or \nhospitalization should be attached to the \nparent/caregiver note. Parents/caregivers are not \nexpected to have a letter from a health care provider for \nan illness of fewer than three days. The requirement to \nhave a letter from a health care provider will not \nsupersede specific public health determinations or" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 20, + "content": "guidance. The school nurse can be consulted regarding \nany questions or changes to this policy based on specific \ncircumstances. See COVID-19 Health and Safety Protocol \nfor students who exhibit symptoms of COVID-19." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 8 of 41 \n \n \nb. A death in the immediate family (parent/caregiver, \nsibling, grandparent, aunt, uncle, cousin) or other \nsignificant personal or family crisis. \nc. Suspension: Students should be marked as suspended. In \ncases of suspension, the school will provide an \nopportunity for the student to maintain academic \nstanding in school by being provided a list of assignments \nand other services which might enable the student to use \nthe time out of school productively. \nd. Students assigned to Succeed Boston shall be assigned \nwork by the school of assignment and marked \nconstructively present." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 22, + "content": "constructively present. \ne. Court appearances: Students should present evidence of \nthe requirement of the court appearance. \nf. Medical or psychological tests during the school day: The \nparent/caregiver must show evidence (such as a note \nfrom the health center) that the tests could not be \nscheduled after school. \ng. Visits to special education schools in some cases for \nstudents with disabilities. \nh. Other situations: From time to time, situations over which \nthe school, parent/caregiver, and student have little or no \ncontrol may cause absences (for example, transportation \nthat does not operate during inclement weather). These" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 23, + "content": "absences are excusable. The school leader may determine \nthat the students impacted shall be marked with an \nexcused absence. \ni. Other extraordinary situations, such as a family \nemergency, as approved by the school leader." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 9 of 41 \n \n \nj. Cultural holidays and religious holy days: To \naccommodate students\u2019 cultural and religious \nobservances on days when schools are in session, such \nabsences will be marked excused with the reason code \n\u201cReligious Holiday\u201d upon submitting a valid note signed \nby a parent or guardian. Please see Superintendent\u2019s \nCircular LGL-06 for more guidance or contact your \ndesignated supervisor of attendance. The following is a \nlist of examples of holidays that are eligible to be excused: \nDiwali, Eid al Adha, Edit al Fitr, Lunar New Year, Orthodox \nGood Friday, Rosh Hashanah, Three Kings Day, and Yom" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 25, + "content": "Kippur. This is not an exhaustive list, and students may \nrequest that absences be excused for other cultural \nholidays and religious holy days. Schools should provide \nopportunities for students who are excused to observe \ncultural holidays and religious holy days to submit missed \nassignments or other makeup work for their absence. \nPlease contact the Office of Equity, 617-635-9650 or \nbpsequity@bostonpublicschools.org, regarding any concerns \nrelated to a student absence that is more than two consecutive \ndays or is not included on this list. This can include participation \nin a cultural ceremony, bereavement or funeral, pilgrimage, trip," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 26, + "content": "etc., that requires students to be absent for more than two days. \nIn these instances, a student may be required to meet the \nfollowing criteria to be eligible to be given an excused absence of \nmore than two days for observance of a cultural or religious \nholiday or for bereavement to attend a funeral for more than two \ndays: \n\u25cf The student is not chronically absent, meaning the student \nattended more than 90% of the school days to date. \n\u25cf The student is earning a passing grade in all courses." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 10 of 41 \n \n \nAbsences that do not meet the above criteria will be considered \nunexcused. In all instances of student absence, students must be \ngiven the opportunity to equitably recover any missed work or \nlearning loss during a marking period. \nCOVID-19 HEALTH AND SAFETY PROTOCOL \nStudents, families, and schools should observe the latest \nguidance from the Center for Disease Control (CDC), BPS Health \nServices, and the Boston Public Health Commission as it relates \nto COVID-19 health and safety protocols. Absences as appropriate \nper the most up-to-date COVID-19 protocols are considered \nexcused due to \u201cmedical/illness.\u201d" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 28, + "content": "excused due to \u201cmedical/illness.\u201d \nRECORD-KEEPING AND ATTENDANCE IMPROVEMENT \nSchool leaders bear final responsibility for improving attendance \nin their schools, balancing between accountability and positive \nengagement in their approach, and ensuring that performance \nevaluations reflect staff members\u2019 efforts in complying with this \npolicy and achieving the goal of improved attendance. \nSchool-based governance: Each school\u2019s Attendance Team (AT) \nserves a critical role in prevention and intervention steps for \nstudents with high absenteeism. It is a best practice for school \nattendance teams to work in conjunction with the SST to refer" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 29, + "content": "students when all available attendance intervention strategies \nhave been unsuccessful. It is also best practice for schools to \ninitiate prevention steps with students in the early days of the \nschool year or marking period. Schools should review students\u2019 \npast attendance history to initiate prevention steps for students \nwith a history of high absenteeism and refer students to the \nschool\u2019s AT. Students with three or more unexcused absences will \nbe referred by a teacher or the school leader to the school\u2019s AT on \nan ongoing basis. The AT will review the case and work with the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 11 of 41 \n \n \nfamily to develop a success plan to help the student improve \nattendance. School-based rules should be amended to include \nattendance-related guidelines established through the Quality \nSchool Plan (QSP). See Attendance Team Overview for additional \nguidance. \nATTENDANCE IMPROVEMENT PLAN \nDeveloped as part of the QSP, a school\u2019s Attendance \nImprovement Plan provides a roadmap of the critical prevention \nand intervention activities a school will conduct throughout the \nschool year to ensure consistently high, on-time attendance for \nall students. Each school is required to update its attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 31, + "content": "strategies in the QSP every 90 days. Schools should link a \ndocument with their attendance prevention and intervention \nsteps by tier into the QSP. \nTo assess their implementation progress and request more \nintensive assistance, the AT should complete the QSP \nAttendance Implementation Progress Tool (Q3PT) at the 30- and \n60-day marks of the QSP cycle. \nThe Attendance Fundamentals by Tier serve as an additional \nresource. \nThis program should start with a warm and welcoming school \nclimate and should include phone calls home, student meetings, \nparent/caregiver meetings, development of an attendance \nplan/contract, attendance coaching, referral to Student Success" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 32, + "content": "Team meetings, and/or attendance meetings. \nConsistent follow-up and outreach to students and families \nstruggling with chronic absenteeism is a fundamental best \npractice. Schools are expected to use the Panorama Student \nSuccess Platform to monitor student attendance progress, as" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 12 of 41 \n \n \nwell as to document interventions and success plans. Schools \nshould also connect with community-based programs or \norganizations that can support truancy issues. \nDifferentiating the Use of Aspen SIS and Panorama Student \nSuccess Platform: \nThe Aspen Student Information System (SIS) is the system to \ncapture critical information for student records and maintain \ncompliance with regulatory requirements. As it relates to \nattendance, schools will take attendance in Aspen. However, \nschools expect to use the Panorama Student Success Platform to \ndocument all attendance prevention and intervention activities," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 34, + "content": "using both the Support Notes feature and Tier 2 and 3 \nAttendance Success Plans. Student attendance data entered in \nAspen is transmitted nightly to Panorama for attendance \nmonitoring and student success planning purposes. Staff should \nuse both Aspen and Panorama as follows: \nAspen will be used to: \n\u25cf input daily student attendance. \n\u25cf house the master student schedules and courses. \n\u25cf enter course grades. \n\u25cf house individual teacher schedules. \n\u25cf record teacher attendance. \n\u25cf record confidential student journal entries. \n\u25cf recommend to Suffolk County Juvenile Court and record \ndocumentation for an Attendance Intervention Plan (AIP). \nPanorama Student Success will be used to:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 35, + "content": "Panorama Student Success will be used to: \n\u25cf display student data. \n\u25cf house Attendance Success Plans (Tier 2 and Tier 3)." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 13 of 41 \n \n \n\u25cf assign team members for communication and \ncollaboration. \n\u25cf record support notes related to student interventions and \nstudent success plans. \n\u25cf help track information in one place, including assessments \nfrom Illuminate. \nNote: The SOA is responsible for copying Attendance Success \nPlan documentation from Panorama if the case is recommended \nto the court and in other cases as necessary for compliance. \nAll Attendance Success Plans should be recorded as Tier 2 or Tier \n3 plans in Panorama. Panorama allows the planning and \nrecording of interventions, along with notes, to monitor the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 37, + "content": "effectiveness of these interventions in setting improvement goals \nin the student success planning process. Attendance teams at \nthe school level ensure Attendance Success Plans are created \nand monitored in Panorama for all students with high chronic \nabsenteeism. At a minimum, every student who has attendance \nat or below 80% (appearing as attendance critical in \u201cred\u201d) should \nhave an Attendance Success Plan in Panorama. It is a best \npractice for schools to coordinate and communicate student \nsuccess planning with families. It is also a best practice for \nschools to establish an attendance success plan at the beginning \nof the school year for students who were chronically absent in" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 38, + "content": "the previous school year. Effective student success planning \nrequires sharing the responsibility of plan creation, monitoring, \nand intervention strategies among school staff, including \nteachers, in collaboration with families, \nWho should have an Attendance Success Plan? \nStaff create the plan based on data in Panorama:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 14 of 41 \n \n \n\u25cf Tier 2 plans (best practice): Students whose attendance is \n90% or below will display as chronically absent in Panorama \n(yellow). \n\u25cf Tier 3 plans (required): Students whose attendance is 80% or \nless will appear as attendance-critical (red). \nAn additional quality check: \n\u25cf Identify students with an AIP tag in Aspen (this tag indicates \nthe student has high absenteeism in the current marking \nperiod and is eligible for truancy court referral). \nWhat are the Essential Steps when creating an Attendance \nSuccess Plan? \nCreate Attendance Success Plan in Panorama, and remember \nthese two key details: \n\u25cf Log as Attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 40, + "content": "these two key details: \n\u25cf Log as Attendance \n\u25cf Log as Tier 2 or Tier 3 \n\u25cf Monitoring the plan collaborative and keeping it updated is \nessential to successful outcomes \n\u25cf Panorama will house student success plans (Tier 2 and Tier \n3) \u2014 academic, attendance, behavior. \nYou will find more help with Panorama at the Office of Data & \nAccountability (ODA) Platforms Help Site. \nQuestions: mtssdata@bostonpublicschools.org \nBOSTON PUBLIC SCHOOLS PUNCTUALITY POLICY \nStudents who arrive after the beginning of the school day are \ntardy. They must follow established tardy procedures to be \nconsidered present for the day. \nAll students are expected to report to school on time every day. It" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 41, + "content": "is the policy of the Boston School Committee (approved May 24," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 42, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 15 of 41 \n \n \n2006) that tardy students should be permitted into the school \nbuilding and not excluded. School leaders are directed to: \n(a) review their current school tardy policies in conjunction \nwith School Site Councils, \n(b) develop reasonable, non-exclusionary practices to deal \nwith student tardies and positive incentives to encourage \npunctuality, and \n(c) closely monitor compliance with these policies. \n \nIt is important to remember that the requirement that tardy \nstudents be admitted to school does not equal a relaxation of the \nrules covering attendance or tardies. Schools must make every" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 43, + "content": "effort to encourage punctuality and discourage tardies. Schools \nare also encouraged to distinguish between first-time instances \nand repeated tardiness. \nAccording to School Committee policy (approved June 6, 2007), \nall high schools are directed to work with their School Site \nCouncils and student representatives to establish fair and \nreasonable procedures to decrease student tardiness. These \nprocedures must adhere to the following guidelines: \n1. Families must be notified by telephone call, in writing, or by \nemail of a student\u2019s tardies. Schools should follow the same \nprevention/intervention steps conducted for student \nabsences." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 44, + "content": "absences. \n2. High school tardy procedures should explicitly detail how \nthey plan to further involve families in working with \nstudents who exhibit excessive tardiness. As a rule of thumb, \nexcessive tardiness can be defined as being tardy for 10% or \nmore of school days." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 16 of 41 \n \n \n3. High schools\u2019 tardy procedures should be linked in their \nQuality School Plan (QSP), the development of which is the \nresponsibility of the School Site Council. \n4. As a best practice, all schools should establish attendance \nsuccess plans in Panorama for students exhibiting excessive \ntardiness. \nAll high schools, including pilot and Horace Mann charter schools, \nare required to complete their tardy procedures with the above \nguidelines (and other incentives/supports as deemed necessary \nby the School Site Council) no later than October. Each school \nmust maintain a copy of its tardy procedures on file." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 46, + "content": "1. The teacher must take attendance at the beginning of every \nclass period in middle and high schools. After comparison of \nperiod attendance with the school's daily attendance, \nstudent cuts should be noted and addressed following the \nappropriate prevention/intervention steps. \n2. Middle and high school students who are tardy should be \nmarked absent for any class(es) they miss. \n3. A student must be in attendance at least half of the school \nday to be considered present. Notations of early dismissal \nmust be recorded with the time of dismissal, and \ndocumentation indicating the reason should be kept on file \nin accordance with school protocol. \nATTENDANCE RECORDS" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 47, + "content": "ATTENDANCE RECORDS \nThe accounting and reporting of the attendance or absence of \neach student assigned to a school is one of the school leader's \nmost critical responsibilities. Attendance record-keeping must be \nprecise to ensure accurate accounting of each student and \ntimely reporting of student attendance daily in the Aspen SIS. \nEvery school leader is required to account for the attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 48, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 17 of 41 \n \n \nand/or absence of students and is required to investigate and \ntake appropriate action for each absence. \nGENERAL ATTENDANCE REQUIREMENTS \n1. Attendance procedures must be reviewed with school staff \nby school leaders during the teacher professional \ndevelopment and training program before each school year. \nEach teacher must sign a document maintained at the \nschool, verifying that they received these procedures and \ntraining. \n2. During the first week of school, homeroom teachers at all \nlevels should make personal calls to the parents/guardians/ \ncaregivers of their students to introduce themselves and" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 49, + "content": "invite the parents/guardians/caregivers either to visit the \nschool or to call at any time to check on the attendance and \nprogress of their children. The message should reinforce the \nneed for consistent attendance and the procedures a \nparent/caregiver should follow if their child is absent. In the \nevent any student has not reported at the start of the school \nyear, the teacher should inquire about the student\u2019s failure \nto attend. Teachers should document all communications \nby updating the Aspen SIS with the attendance reason code, \nincluding if a student will not be returning to school, and \nupdate Panorama success plans and/or support notes when \napplicable." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 50, + "content": "applicable. \nStudents are expected to report within eight (8) days of the \nfirst day of school or after an initial assignment. On the \neighth day, the student will automatically become a DNR \n(Did Not Report) and be discharged from the school. Schools \nhave the responsibility to contact the parent/caregiver if a \nstudent has not reported. Parents/caregivers should be" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 51, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 18 of 41 \n \n \nmade aware of this procedure when called if their children \nhave not reported. \nNote: School leaders should always refer to the DNR \nProcedure Memo released annually by the Office of \nWelcome Services for the latest information regarding the \nDNR process. This memo also outlines the procedures for a \nDNR Exception. See the DNR Exception Form. \nDNR PROCEDURE \nFor all students who do not report to school (DNR), the \nfollowing procedures are in effect: \ni. A student will hold a NAS (Newly Assigned Student) \ncode for a maximum of five (5) days after the first \nday of school or after the initial assignment. On the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 52, + "content": "sixth day, a student will automatically become a \nDNR (Did Not Report). \nii. A student will hold a DNR code for a maximum of \nthree (3) days. At the end of the third day, a DNR \nstudent will automatically lose their seat at the \nassigned school. This will occur at the close of \nbusiness on the eighth (8th) day of school. \niii. On the third day of DNR status (or on the eighth day \nsince the first day of school or of initial assignment), \na student's seat will be eliminated, allowing the \nOffice of Welcome Services to assign another \nstudent to that seat. \niv. The student will remain on the DNR list of the \nschool. See below for important details:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 19 of 41 \n \n \nEach school leader still has the responsibility of \ninvestigating the situation and, if necessary, ultimately \ndischarging the student to remove them from the DNR list. \nThe discharge cannot happen until the school has \nconducted an exit interview and collected appropriate \ndocumentation from the family. This documentation must \nbe uploaded to Aspen. Please see the DNR Aspen Guide. \nIf you know that a student does not plan to enroll in BPS for \nthe current school year and you have collected appropriate \ndocumentation from the family, you can withdraw them \nfrom BPS without waiting for them to be withdrawn as a" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 54, + "content": "DNR at the end of the eight-day period. \nPlease make sure to maintain a record of the appropriate \ndocumentation, upload it to Aspen, and use the appropriate \ndischarge code when discharging the student. Here is a link \nto the BPS Discharge Codes. \nFor students with an IEP, the Special Education Department \nmust also conduct an exit interview to inform the student \nand caregivers of their rights. \nThe assigned supervisor of attendance (SOA) should be \nnotified to provide additional assistance when a school \ncannot locate a student. \nNote: The DNR process does not automatically discharge \nany high-need special education students in an inclusion or" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 55, + "content": "substantially separate program (.3 or .4 students). \n3. School Attendance Teams (AT) at all levels are directed to \nmonitor student attendance using the Panorama Student \nSuccess Platform and, in cases that so require, make \nreferrals to the Student Success Team (SST) and/or the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 56, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 20 of 41 \n \n \nappropriate health or human/social service agencies or \ndistrict services. \nOne of the initial responsibilities of the AT, in collaboration \nwith the SST, shall be to address the issues of (1) DNR \nstudents and (2) students who were chronically absent in \nthe previous school year. \nThe status of each student who did not report (DNR) at the \nstart of the school year must also be investigated and \ndetermined before discharging the student. \nA primary focus of the AT is developing school-based \nabsence prevention and intervention strategies. A three-\ntiered attendance system should be established, with" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 57, + "content": "defined prevention and intervention practices that promote \nconsistent attendance among all students. The Attendance \nFundamentals by Tier is a resource and the BPS Tiered \nAttendance System (TAS) is available to all schools as a \nframework to help establish and improve their attendance \npractices across tiers. \n4. Complex cases and students with extensive patterns of \nchronic absenteeism should be referred to supervisors of \nattendance and/or the SST as appropriate after extensive \nprevention/intervention steps have been tried and \ndocumented. \nWITHDRAWING STUDENTS \nOnce the school year has begun, the withdrawal of students that" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 58, + "content": "are no longer enrolled at your school can be made at the school \nlevel, not by Central Office staff. It is imperative that school staff \nverify where the student is enrolled prior to withdrawing a \nstudent. Please remember to keep documentation as to where" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 59, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 21 of 41 \n \n \nthe student is enrolling. Written or emailed documentation is \npreferred. If the family texts you, we suggest sending a \nscreenshot to your email to make sure it is saved. This \ndocumentation must be uploaded to the Aspen SIS. Also, please \nmake sure to use the appropriate discharge code when you \nwithdraw the student from BPS. Here are BPS Discharge Codes. \nAcceptable documentation for withdrawing students includes: \n1. A written request for a student\u2019s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 60, + "content": "includes requests from the receiving school that come to \nthe district through Scrib Order. \n2. Written record of a response from an official in the receiving \nschool or program acknowledging the student\u2019s enrollment. \n3. Written confirmation that a student has moved to another \ncountry and will be continuing their education. For example, \nif a parent informs a school administrator that the family is \nleaving the country, the school administrator may \ndocument this conversation in writing. \n4. Letter from a parent/guardian updating the school \nenrollment status of their child, including indication that \nthey will be continuing their education elsewhere." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 61, + "content": "5. Letter from the BPS Office of Expanded Learning Time \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process) \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 62, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 22 of 41 \n \n \nAspen HelpDoc BPS Withdrawal Codes for a table of withdrawal \ncodes with acceptable matching documentation. \nNote: The assigned supervisor of attendance should be notified \nto provide additional assistance when a school cannot locate a \nstudent. \nDISCHARGE PROCEDURES \nStudents 16 Years of Age or Older On October 1st of the School \nYear \u2013 Per MGL Ch. 76 Sec. 18: \n1. By the first week of October, the school leader shall have \naccess to the list of students with the designation NAS or \nDNR. \n2. Within 5 days of the tenth consecutive absence, the school \nleader must contact in writing (in the primary language" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 63, + "content": "spoken in the home) the parent/caregiver of the student 16 \nyears of age or older to inform them of the requirements of \nMGL c.76 s.18, and to request a meeting to discuss the \neducational implications for the student if they do not \nreturn to school, the benefits of earning a diploma, the \nstudent\u2019s reason(s) for wanting to leave school, and to \nconsider alternative education or other placements. The \nnotice shall offer at least two dates and times for an exit \ninterview, that the parties will agree to a date, and that the \nmeeting will take place within 10 days after the sending of \nthe notice. The school leader must reproduce and use the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 64, + "content": "sample form letter linked here and submit a copy to the \ndirector of the BPS Re-Engagement Center within one \nweek. For students who have an IEP, the Special Education \nDepartment must also conduct an exit interview to inform \nthe student and caregivers of their additional due process \nrights." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 65, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 23 of 41 \n \n \n3. The school leader must conduct the meeting at the \nconvenience of the parent/caregiver, but within 10 days of \nthe sending of the notice. Upon parent/caregiver request, an \nextension not to exceed 14 days may be granted. \n4. If the student reports to school after the exit interview with \nthe parent/caregiver, the school leader must ensure that the \nstudent is marked \u201cP\u201d on the attendance record. \n5. If the student does not or shall not return to school after the \nexit interview with the parent/caregiver, the school leader \nmust request a statement of the parent/caregiver on the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 66, + "content": "Sample Form Letter linked here. Submit a copy of this letter \nto the BPS Re-Engagement Center and operational leader \nand discharge the student using the protocol described in \nthis circular. This form is for a student whose assignment \nwithin the Boston Public Schools is to be terminated, i.e., the \nstudent is going to a private or public school outside the \nCity of Boston, or the unknown student whose absences \nhave been investigated thoroughly, or the student who has \n\"dropped out\" of school. This process requires the following: \na. Retain one copy of the documentation at the school in \nwhich the discharge is initiated. \nb. Upload documentation to the Aspen SIS." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 67, + "content": "b. Upload documentation to the Aspen SIS. \nc. Issue one copy to the parent/caregiver of the student \ngoing to a private school or another public school \nsystem. \nd. Issue one copy to the superintendent of the new school \nsystem. If the student has transferred to either a \nprivate school or to a charter school, this copy is sent to \nthe principal of the new school." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 68, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 24 of 41 \n \n \n6. Only after a good-faith effort to include the parent/caregiver \ncan the exit interview with the student take place without \nthe presence of the parent/caregiver. \n7. The school leader must maintain detailed and readily \naccessible records for each student justifying the activation \nof discharge, which should be uploaded to the Aspen SIS. \nStudents Under 6 Years of Age on October 1st of the School Year \n1. Within a week after the receipt of the NAS/DNR printout, \nthe school leader must contact in writing the \nparent/caregiver of the student to inform them that a place \nfor the student has been reserved in the educational" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 69, + "content": "program of the school. The parent/caregiver is encouraged \nto ensure the student's attendance, AND the student must \nreport within one week, or the student shall be discharged. \nPlease use the attached form letter. \n2. If the student does not report within one week, the school \nleader must discharge the student according to the \nprocedures described in this circular. No additional \ncommunication with the parent/caregiver is required. \nNote: School leaders shall not discharge a student between \nthe ages of six and sixteen years until all procedures noted \nin this circular are completed. Written notice should be \nreceived by the supervisors of attendance. \nDischarge Codes" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 70, + "content": "Discharge Codes \nIt is important to use the appropriate discharge code when \nwithdrawing the student from BPS. Here is a copy of the \nBPS Discharge Codes." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 71, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 25 of 41 \n \n \nGENERAL ATTENDANCE AND PUNCTUALITY PROCEDURES \n1. School leaders must designate a member of their staff who \nwill be responsible for coordinating and monitoring the \nschool's attendance plan. This person shall report directly to \nthe building administrator concerning this effort and should \nbe part of the school AT. A best practice is to have this \nperson lead or co-facilitate the AT when appropriate. The \nplan should take a whole-school approach and fully engage \nthe staff in implementing a tiered attendance system. \nSchool leaders should also ensure that staff is assigned to \nmonitor attendance data and trends on an ongoing basis," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 72, + "content": "which may require additional training from the Office of \nInstructional and Information Technology, Office of Data \nand Accountability, or Department of Opportunity Youth \n(SOAs). \n2. Each student is marked Absent in the Student Information \nSystem (SIS) on the first day of school and must be marked \nPresent to begin official enrollment. Enter a P on the first \nday of attendance. Students who appear after the first day \nof school should be entered on the date of appearance with \na P. \n3. Official attendance will be taken and reported on the SIS \nsystem by teachers. The central office will make an \nautomated call to all students coded as Absent by 11:00 am \nevery day." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 73, + "content": "every day. \n4. Students who arrive after the beginning of the day are tardy. \nThey must follow established tardy procedures to be \nconsidered present for the day." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 74, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 26 of 41 \n \n \nSUGGESTED STRATEGIES TO ADDRESS TARDINESS AND \nABSENTEEISM \nIn developing their Attendance Improvement Plan, schools \nshould focus on a positive approach to attendance, using \nconsistent prevention/intervention steps and implementing \nspecific strategies to address tardiness and absenteeism. The \ndistrict has developed a Tiered Attendance System (TAS) to \nsupport schools in ensuring the consistency and effectiveness of \ntheir attendance practices across the school, while the Panorama \nStudent Success Platform provides a framework to track and \nmonitor individual student attendance, interventions, and" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 75, + "content": "success planning. See also Attendance Fundamentals by Tier. \nExamples of strategies to address tardiness and absenteeism \ninclude: \n\u25cf Tiered intervention and prevention programs: \nTier 1: Reliable attendance reporting from every \nclassroom; positive school climate initiatives such as \nmaintaining positive relationships among school staff, \nstudents, and families; consistent intervention and \nprevention activities with documentation in Panorama; \nSchool Attendance Committee; School Attendance \nCulture. \nTier 2: Targeted attendance letters; attendance contracts; \nstudent/family conferences; attendance success plans; \nattendance coaching; mentorship programming." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 76, + "content": "attendance coaching; mentorship programming. \nTier 3: Intensive case management or mentorship; \nspecialized programming; assigning staff to intentional \nstudent check-ins; connections with and/or referrals to \nspecific support services or community resources. \n\u25cf Use of restorative justice practices" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 77, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 27 of 41 \n \n \n\u25cf Parent/caregiver and/or student-centered conferences \n\u25cf Contracting with the student and/or parent/caregiver \n\u25cf Learning Recovery/Attendance Buy-Back Time (for repeated \ntardiness or unexcused absences) \nNote: Schools are prohibited from excluding students from \nphysical activity during the school day, such as during recess \nor physical education, as a disciplinary consequence. However, \na student may be prohibited from participating in athletics or \nextracurricular activities on a school day when an unexcused \nabsence causes a student to miss more than 50% of the school \nday. \nSuggested other steps:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 78, + "content": "day. \nSuggested other steps: \n\u25cf Make MBTA schedules available at schools. \n\u25cf Post rules on tardiness and punctuality in visible locations. \n\u25cf Hold a conference with student and family for repeated \ntardiness. \n\u25cf Make phone calls to families of students who are tardy. \n\u25cf Work with Attendance Team and/or SST and/or to \ninvestigate root causes for student tardiness. \n\u25cf Establish Student Planning Centers. \nPlease see the BPS Code of Conduct for additional guidance \nregarding suggested strategies. \nNOTIFICATION TO PARENTS/CAREGIVERS WHEN STUDENTS \nARE ABSENT \nSchool leaders should inform all students and parents/caregivers \nby means of a written bulletin, newsletter, or SchoolMessenger at" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 79, + "content": "the beginning of each school year of the Attendance Policy and \nthe basic school attendance procedures adopted by the School" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 80, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 28 of 41 \n \n \nSite Council. This information should be sent in the language of \nthe home. \nParents/caregivers should be advised that a signed note of \nexplanation shall be required each time a student is absent. The \nnote should state the date(s) of absence, the reason, the \nparent/caregiver contact information, and the parent/caregiver \nsignature. The note should be sent in on the day the student \nreturns to school. The note must be received within seven (7) \nschool days following the absence. Here is a Sample \nParent/Caregiver Note for Excused Absence. Schools are \nexpected to use Panorama to document and monitor attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 81, + "content": "intervention activities, including documentation of each step \ndescribed below. \n1. First Absence \nThe building administrator is responsible for ensuring that \nschool staff notifies parents/caregivers by telephone of all \nstudent absences. This is best accomplished by the \nhomeroom teacher. In these conversations, \nparents/caregivers should be reminded of (1) the need to \nsubmit a note of explanation to document the reason each \ntime a student is absent, (2) the importance of consistent, \non-time attendance for a student to be successful in school, \nand (3) that unexcused absences could result in the student \nfalling behind academically. \n2. Second and Third Absence" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 82, + "content": "2. Second and Third Absence \nParents/caregivers must be notified in writing no later than \nthe student\u2019s third absence (even if the absences were \n\u201cexcused\u201d) and on a regular basis thereafter. This notification \nshould include the attendance requirement, the number of" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 83, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 29 of 41 \n \n \ndays missed compared to the number of school days in the \nmarking period, and the impact of continued absence on \nthe student\u2019s success. Note: These absences do not need to \nbe consecutive. This letter must be written in the language \nof the home. Here is a Sample Absence Letter which can be \nplaced on the school\u2019s letterhead. \n3. Third Unexcused Absence \nAfter the third unexcused absence, the student must be \nreferred to the SST by the homeroom teacher. The team will \nreview the case and meet to develop recommendations to \nassist the student in improving attendance. The team may" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 84, + "content": "invite the parent/caregiver and, at the secondary level, the \nstudent to the meeting; however, if the parent/caregiver \ndoes not attend the meeting, an effort must be made by the \nschool to contact and discuss the case with the \nparent/caregiver. It is recommended that the SST develop \nan attendance success plan in Panorama at this step." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 85, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 30 of 41 \n \n \n4. Fourth Unexcused Absence \nAt the fourth unexcused absence in any term, a meeting \nshall be convened by the school leader, to which the \nparent/caregiver shall be invited. If the school is unable to \ncontact the parent/caregiver, a home visit should be \nconducted. The implications of student absence from \nschool, as well as the current academic status of the \nstudent, will be discussed at this meeting. The success plan \ndeveloped by the SST after the third unexcused absence \nshould be reviewed. \n5. Fifth Through Seventh Unexcused Absence \nAt the fifth unexcused absence, the student and the family" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 86, + "content": "should be referred to the Family Resource Center or \nassigned supervisor of attendance. \n6. Eighth Unexcused Absence \nAfter the eighth unexcused absence, for a student younger \nthan 16 years of age, the school\u2019s designated attendance \nrepresentative shall coordinate with the assigned supervisor \nof attendance to determine if it is necessary and appropriate \nto file a truancy case with the Suffolk County Juvenile Court. \nInstructions for Recommending an Attendance Intervention \nPlan for Court describe the necessary steps to recommend a \ncase for court. In addition, the school should coordinate with \nthe school social worker for additional support." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 87, + "content": "This Notification to Parents/Caregivers When Students Are \nAbsent condenses the process described above. It serves as a \nreference document for staff." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 88, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 31 of 41 \n \n \nAbsence, tardy, and early dismissal notations must be recorded in \nthe Aspen SIS daily as the official system of record. School-wide \nattendance monitoring using the Panorama Student Success \nPlatform should be conducted by the school leader or their \ndesignee on a regular basis, but no less frequently than monthly. \nEXCUSED ABSENCES \nThe student attendance record must be updated to reflect the \nexcused absence. An excused absence is defined as an absence \ncaused by sickness, injury, hospitalization, court appearances, \nreligious holy days, or the death of an immediate family member." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 89, + "content": "The school may accept other reasons for an excused absence as \napproved by the school leader; however, if a note of explanation \nis not received, the absence shall be deemed \u201cunexcused.\u201d \nHowever, it is important to remember that all absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. Prevention and \nintervention steps should be conducted by the school to \nminimize missed instructional time, regardless of whether \nabsences are excused or unexcused. In addition, \nparents/caregivers should be informed of the definition of \nchronic absenteeism and the impact it has on student outcomes:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 90, + "content": "Chronic absenteeism is defined as missing 10 percent or more of \nthe school year in any given period. All absences are included as \nit relates to chronic absenteeism, regardless of whether the \nabsence is excused or unexcused. For an entire school year, a \nstudent who misses 18 school days, or about two days per month, \nwill be considered chronically absent. \nParents/guardians/caregivers should be informed, as part of the \nSchool-Based Rules, of those reasons that are accepted as" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 91, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 32 of 41 \n \n \n\u201cexcused\u201d and those that are not acceptable to excuse an \nabsence. \nNOTIFICATION TO PARENTS/CAREGIVERS SHOULD A CHILD \nLEAVE SCHOOL \n1. All students must be supervised by a responsible adult at all \ntimes during the school day. \n2. Should a child be noted as missing, the school leader should \nbe notified immediately. \n3. After an initial search of the school and immediate \nneighborhood, the parent/caregiver should be notified by \ntelephone as promptly as possible, and the appropriate \ndepartments should be notified. (See Superintendent\u2019s \nCircular SAF-09, Lost Children Procedures). \nSAFETY CONCERNS RELATED TO ATTENDANCE" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 92, + "content": "SAFETY CONCERNS RELATED TO ATTENDANCE \nTo maximize the protection and safety of all students, schools \nshould take the following measures: \n1. Emphasize to the parent/caregiver that they should arrange \nto be sure that their children reach the bus stop on time \nevery morning and that they board the bus. This should be \nstressed in newsletters sent home at the start of each school \nyear. \n2. Inform the parent/caregiver that they should notify the \nschool by telephone each day that their child will be absent \ndue to illness, etc. \n3. Inform the parent/caregiver as soon as possible, including \nthrough the SchoolMessenger system, of their children\u2019s \nabsence." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 93, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 33 of 41 \n \n \n4. Ensure that the parent/caregiver supplies the school with \naccurate, up-to-date home and emergency telephone \nnumbers and indicates the place their children should go if \nthey miss the bus, e.g., the home of a relative, friend, \nneighbor, etc. These emergency numbers should be \nupdated as necessary. \n \nHOME & HOSPITAL TUTORING \nWhen a physician determines that a student is physically unable \nto attend school for more than 14 consecutive days or anticipated \nto accumulate more than 14 absences in a school year, the \nstudent should be offered tutoring at home or in the hospital." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 94, + "content": "The referral should be made to the Home & Hospital Instruction \nprogram when the school nurse receives a Physician Statement. \nThe attendance for students participating in the Home & Hospital \nInstruction Program should be marked \u201cconstructively present\u201d \n(CP). The school must document in writing all offers of home \ntutoring and acceptances or rejections by the parent or caregiver. \nIf a parent/caregiver rejects home tutoring or other appropriate \nacademic services for a child who will be absent for an extended \nperiod, a record of that rejection must be retained in the \nstudent\u2019s file, and a 51A should be filed with the Department of" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 95, + "content": "Children and Families (DCF). When it is deemed by the student\u2019s \nattending physician or pediatrician that they will be confined to a \nhome or hospital setting for more than 60 days, the student will \nthen be considered for evaluation (if not a student with an IEP); \nor if a student with an IEP, the student will then be considered for \na possible IEP amendment or new IEP by the Office of Special \nEducation under state regulation 603 CMR 28.04(4)." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 96, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 34 of 41 \n \n \nPROCEDURES FOR REFERRAL TO SUPERVISORS OF \nATTENDANCE \nSOAs build schools\u2019 capacity to reduce chronic absenteeism. See \nSOA Overview for details on how they can support your school. \nThis iteration of the attendance policy calls on schools to take \nownership of attendance and supportive interventions and to use \nreferrals to supervisors of attendance as only a measure of last \nresort. In that context, this circular reflects the Boston Public \nSchools\u2019 procedures for referring students to the supervisors of \nattendance (SOA). Under M.G.L. c.119, Section 21, Section 39E, \nSection 39F, and Section 39G, Boston Juvenile Court may hear" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 97, + "content": "petitions to determine if a child needs services. In Boston Public \nSchools, only the SOA may file a Child Requiring Assistance (CRA) \npetition on behalf of the district for attendance or behavior-\nrelated matters. \n It contains guidelines on: \n\u25cf Procedures for referrals and Attendance Intervention Plan \n(AIP) \n\u25cf Child Requiring Assistance (CRA) filings \n\u25cf Adult Failure to Cause (ADF). \nBACKGROUND \nM.G.L. c.119 Part 1 Title XII Chapter 69 Section 10 states that the \nDepartment of Elementary and Secondary Education shall adopt \nregulations establishing a truancy prevention program \ncertification process, consistent with the behavioral health and" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 98, + "content": "public schools framework developed pursuant to section 19 of \nchapter 321 of the acts of 2008, and shall require that the truancy \nprevention program evaluate the level of out-of-school support \nfor students and families and address conditions that make \nstudents more likely to become truant including, but not limited" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 99, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 35 of 41 \n \n \nto, previously unidentified or inadequately addressed special \nneeds, bullying, and harassment. Any truancy prevention \nprogram established under this section by a school district shall \nmeet the requirements for certification adopted by the \ndepartment. \nSupervisors of attendance, working in collaboration with school \nstaff and external agencies, may file a court referral based on \ninvestigative findings, prior attendance patterns, and present \nproblematic attendance. The filing of a CRA is the last resort if \nother interventions by school, external agencies, and/or \nattendance staff fail to bring about improvement." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 100, + "content": "The SOA may file the following CRA petitions with the mandatory \nparent/caregiver date of birth: \n\u25cf Habitually Truant: Civil charge filed on students who miss \nschool for 8 days in a quarter. \n\u25cf Student Who Repeatedly Fails to Obey Regulations of the \nSchool: Civil charges filed on students who repeatedly fail to \nobey the lawful and reasonable regulations of the student\u2019s \nschool. \n\u25cf Adult Failure to Cause: Petition filed when a student\u2019s \nabsence is beyond their control, but due to a caretaker\u2019s \naction or inaction, e.g., the child is too young to get to school \non their own. \nATTENDANCE INTERVENTION PLAN (AIP) \nWhile all attendance intervention activities should now be" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 101, + "content": "documented in the Panorama Student Success Platform, the \nAttendance Intervention Plan (AIP) is available for each student \nhaving four or more unexcused absences in the Aspen SIS. The \nAIP in Aspen SIS serves the following purposes:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 102, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 36 of 41 \n \n \n\u25cf To identify students who are eligible for a court referral due \nto eight or more unexcused absences in a marking period. \n\u25cf For school leaders to recommend a case to court as a last \nresort when all attendance prevention/intervention \nstrategies have been exhausted. \n\u25cf To document any compliance-related attendance \nintervention activities, particularly for cases that are \nrecommended to the court. Supervisors of attendance \n(SOAs) will ensure that any compliance-related \ndocumentation from Panorama is also entered to Aspen \n(that is: if a case moves toward the court, the SOA is \nresponsible for copying the intervention plan from" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 103, + "content": "Panorama into Aspen). \n\u25cf For a quality check, wherein school attendance staff can \nverify that all students who have an AIP generated in Aspen \nSIS (because of four or more unexcused absences in a \nmarking period) also have an Attendance Success Plan \ncreated in Panorama. As a best practice, all chronically \nabsent students should have an Attendance Success Plan in \nPanorama. \nOnce a student has eight unexcused absences in a marking \nperiod, the school leader may recommend the AIP for court in \nthe SIS. Supervisors of attendance (SOAs) will ensure that any \ncompliance-related documentation is also entered into Aspen, \nincluding the attendance success plan, with attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 104, + "content": "intervention steps that were conducted with the student, as \ndocumented using Panorama. \nThe parent/caregiver date of birth (DOB) is required in the judicial \nprocess. The AIP will require the submission of the \nparent/caregiver date of birth and documentation of intervention" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 105, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 37 of 41 \n \n \nsteps as an Attendance Success Plan in Panorama. Without this \ninformation, the AIP cannot be recommended for court. \nThe SOA will investigate and report their recommendation in the \nSOA comment section. The comments can be viewed by the \nsenders and the school leaders. The senders and the school \nleaders can view the comments. Instructions for Recommending \nan Attendance Intervention Plan for Court are here. \nSCHOOL STEPS IN THE CHILD REQUIRING ASSISTANCE (CRA) \nPROCESS \nCRA: Truancy \n1. Upon the 4th unexcused absence, the school leader or \ndesignated staff and homeroom teacher will receive an" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 106, + "content": "email notification from SIS informing them that an \nAttendance Intervention Plan (AIP) has been initiated \nduring the term for a student. \n2. Upon the 8th unexcused absence during the term, the \nschool leader or designated staff or homeroom teacher can \nrecommend that a student AIP be sent to court due to \nexcessive absences and non-compliance with the student\u2019s \nAttendance Success Plan, as documented in Panorama. The \nAIP cannot be recommended for court if the student does \nnot have an Attendance Success Plan documented in \nPanorama. At this time, the appropriate SOA will investigate \nthe case, referring to the action already taken by the school" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 107, + "content": "to date and to the results that they have reported. The \ninvestigation may include phone calls, \nhome/parent/caregiver work-site visits, school visits and \ntelephone calls, letters to parents/caregivers where \nnecessary, and, in some cases, contact with and referral to \ninvolved agencies." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 108, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 38 of 41 \n \n \n3. The SOA will report the results of the investigation to the \nschool through the SIS system. The supervisor will also ask \nthat schools keep them informed of further attendance \nproblems. \n4. If attendance does not improve, schools must send \nadditional AIPs to the Attendance Office only if the open \nCRA has been closed, alerting the SOA to follow up once \nmore. Additional interventions should be documented in \nPanorama to update the SOA on the school's subsequent \nactions and results. \n5. Subsequent investigation and follow-up will occur through \nresponse in the SIS system, email, or attendance meeting." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 109, + "content": "6. Supervisors of attendance, working with school staff, make \ndecisions on future action based on investigative findings, \nprior attendance patterns, and correspondence with \nparents/caregivers and the school. One option is court \nreferral. The decision to file a CRA is made by the SOA based \non the finding and results of steps 1-4 and only after \nexhausting all other possible courses of action. The CRA will \nonly be filed if the student has accumulated eight or more \nunexcused absences in a single quarter and the school has \ndocumented intervention steps using the Attendance \nSuccess Plan feature in Panorama. \n7. When the AIP is recommended for court, the SOA will notify" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 110, + "content": "the school of this action using the Attendance Supervisor's \nInformation Form or will make personal or telephone \ncontact. A probation officer will be assigned to the child by \nthe court if a CRA is filed. \n8. If attendance does not improve following a CRA filing, \ncommunication with the assigned probation officer and/or \nthe SOA is required." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 111, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 39 of 41 \n \n \nCRA FOR STUDENT WHO REPEATEDLY FAILS TO OBEY \nREGULATIONS OF THE SCHOOL \nDecisions to file a Child Requiring Assistance (CRA) for a \nstudent who repeatedly fails to obey regulations of the school \nwith the Suffolk County Juvenile Court should follow the \nprevention/intervention steps and best practices of the BPS \nCode of Conduct, including the Philosophy and Guiding \nPrinciples. NOTE: A CRA for a student who repeatedly fails to \nobey the regulations of the school can only be filed for \nstudents in grade 6 and above. \n1. After the third serious violation of school rules, the school \nwill request a CRA (repeatedly fails to obey school" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 112, + "content": "regulations) in the SIS system to the Attendance Office for \nfollow-up and investigation. After filling out the request, the \nfollowing documents should be accompanied via fax: copies \nof a letter signed by a school official on letterhead with the \nprevention/intervention steps taken to improve the \nstudent\u2019s behavior. The school should also provide \ndocumentation of the three serious violations. \n2. The SOA will investigate the case and determine whether a \nfiling is warranted. They will report the decision to the \nschool. \n3. When the CRA petition is filed, the SOA will notify the school \nof this action using the attendance supervisor's SIS card or" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 113, + "content": "will make personal or telephone contact. A probation officer \nwill be assigned to the child by the court. \n4. If the student\u2019s behavior does not improve following a CRA \nfiling, communication with the assigned probation officer \nand/or the SOA is required, and the school should continue \nto proceed with appropriate action under the Code of \nConduct." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 114, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 40 of 41 \n \n \nCRA: ADULT-FAILURE-TO-CAUSE PROCESS (ADF) \nThese cases are criminal complaints filed against \nparents/caregivers who willfully prevent their children from \nattending school. This is a serious charge requiring the sworn \ntestimony of the SOA on the school's behalf. Courts can fine \nparents/caregivers, and in extreme cases, further \nconsequences can result from non-compliance. \nThe steps are the same as described for CRA cases, except that \nit is filed against the parent/caregiver if the investigation \nconducted by the SOA finds evidence to justify the filing, and \ninformation about the parent/caregiver is required, which, in" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 115, + "content": "some cases, can only be obtained by school staff. For example, \nthe complaint cannot be filed without the parent/caregiver\u2019s \ndate of birth and physical description, as well as documented \nevidence of attendance interventions using the Attendance \nSuccess Plan feature in Panorama. Therefore, it is important \nthat school staff capture this information in advance of \nrecommending a case for court." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 116, + "content": "Superintendent\u2019s Circular ACA-18 \nPage 41 of 41 \n \n \nFor more information about this circular, contact: \nOwner: Director of Opportunity Youth \nDepartment: Department of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-9620 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-02 \nVersion 01 \n \n \nWORK ORDER REQUESTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll work requests are to be submitted through Asset Essentials. \nThe following procedures are to be followed when originating \nwork requests. \nASSET ESSENTIALS \nYou will be able to login through your Google App launcher, \nwhich is the icon at the top of your Gmail (3 by 3 box.) Scroll down \nuntil you see the \"SchoolDude - Asset Essentials\" icon. \nREQUEST FORMAT \nEach request begins by selecting the school from the drop-down \nmenu. Please provide a detailed description of the work needed," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 2, + "content": "including the floor, room number, and room name (if there is \none). Please note the system will automatically collect your email \naddress for return messages. \nEMERGENCIES \nCall emergencies into the Planning and Engineering Office \nimmediately at 617-635-8300 or 617-635-9135. You may also call \nthe appropriate Planning and Engineering supervisor to report" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-02 \nPage 2 of 6 \n \n \nany emergency. After calling in the emergency, enter the \nemergency Work Order Request into the system by the end of \nthe day, indicating that it was an emergency, and the request is a \nconfirming order. \nEXTERNAL FUNDS \nIf the costs are to be charged to an external funding source, \nindicate in the request to what account the costs should be \ncharged. Refer to Superintendent\u2019s Circular \u2014 External Funding \nof Renovations to School Buildings and Yards. \nSTATUS OF WORK ORDER REQUESTS \nOnce a Work Order Request has been submitted for initial \nreview, you will be able to view the status and actions taken by" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 4, + "content": "Planning and Engineering staff on the initial request. \nStatus codes are as follows: \n\u25cf In Progress - We have decided to move forward with \nobtaining an estimate from a contractor. Once we have \nobtained an estimate from a contractor, we will assess and \nmake a final decision. \n\u25cf On Hold - The decision has been made to put this on hold \nfor right now. You will be able to view the status and actions \ntaken by Planning and Engineering staff on the initial \nrequest. There will be a detailed note explaining this \ndecision. \n\u25cf Denied - The decision has been made to not proceed with \nthis work order. You will be able to view the status and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 5, + "content": "actions taken by Planning and Engineering staff on the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-02 \nPage 3 of 6 \n \n \ninitial request. There will be a detailed note explaining this \ndecision. \n\u25cf Capital Project - This has been deemed to be a capital \nproject and so it has been forwarded to the Capital Project \nteam. \n\u25cf Completed - Once a supervisor has provided estimated \ncosts, contractors to complete the work, and estimated \ncompletion date, and a final decision has been rendered, \nyou will be able to review the status and actions taken by \nPlanning and Engineering staff. \n\u25ba Please note that, for most approved work orders, you \ngenerally will not receive a note. If your request is put On \nHold, Denied, or Capital Project, you will generally receive a" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 7, + "content": "note explaining the reason for the decision. \nSUBDIVISION OF CLASSROOMS/CHANGE IN \nOCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS \nFOR OFFICE SPACE \nRequests for subdivision for expanding classroom space must: \n\u25cf be submitted on the attached Request for Space \nModification Form (Attachment A) with location and \npurpose. \n\u25cf be approved by the director of Student Assignment and \ndirector of Facilities Management. \n\u25cf meet building codes for safety. \n \nPartitioning of non-educational spaces such as cafeterias, \ngymnasiums, or corridors is prohibited." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FMT-02 \nPage 4 of 6 \n \n \n\u25ba PLEASE NOTE, ALL APPROVALS ARE SUBJECT TO THE \nAVAILABILITY OF FUNDING \n \nFor more information about this circular, contact: \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Boston, MA 02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FMT-02 \nPage 5 of 6 \n \n \nATTACHMENT A \nREQUEST FOR SPACE MODIFICATION \nRequest for any programmatic plan that changes existing space \nin a school building must be done in writing. Please complete \nthe Request Form below and submit to the director of the \nStudent Assignment Unit. \nA. Request: \nSchool: _______________________________________Date: \nDetail of Space Modification: \n \n \nRationale for Modification: \n \n \nSource of Funding: \n\u2610 Requested from Facilities Management \n\u2610 School Funds Available \u2610 Grant Funds Available \nPrincipal/Head of School signature:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FMT-02 \nPage 6 of 6 \n \n \nB. Approval / Non-Approval: \nDirector of Student Assignment: \n\u25a1 Approved / supports enrollment capacity needs. \n\u25a1 Not approved / negatively impacts enrollment capacity \nneeds. \n\u25a1 No impact on enrollment capacity needs / move to Facilities \nManagement for decision. \n \nSignature: ___________________________________Date: \nDirector of Facilities Management: \n\u25a1 Approved / supports enrollment capacity needs. Funding \nwill be allocated. \n\u25a1 Approved / no impact on enrollment and funding identified \nby principal/head of school. \n\u25a1 Not approved / no funding available. \n\u25a1 Not approved / building code violation." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 11, + "content": "\u25a1 Not approved / building code violation. \n \nSignature: ___________________________________Date: \n \nUpon final decision regarding Approval / Non-Approval, a copy of \nsame will be forwarded to the principal/head of school initiating \nthe request for space modification." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-11 \nVersion 01 \n \n \n \nGREEN CLEANERS\u2019 POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nHigh-performance schools that have superior indoor air quality \nand are healthy and well maintained have been shown to reduce \nabsenteeism and improve student performance. Many Boston \nschool children suffer from allergies and asthma, which can be \ntriggered by poor air quality and chemical, biological, and \nparticulate contaminants. Long or short-term exposure to toxic \nchemicals or harmful particles, gasses, or vapors can have serious" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 2, + "content": "consequences, especially for children, such as asthma, allergies, \ndepression, hormonal changes, or even cancer. To ensure the \nbest quality learning environment for our students and working \nenvironment for our staff, it is the responsibility of the Boston \nPublic Schools (BPS) to minimize the negative impacts that \ncleaning products have on occupant health and the \nenvironment. \nPOLICY \nThe BPS is committed to providing and maintaining high-\nperforming buildings and grounds in an environmentally friendly \nand sustainable manner. The Green Cleaners Policy is in \naccordance with the City of Boston\u2019s executive order relative to" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-11 \nPage 2 of 5 \n \n \n \ngreening city building maintenance and operations and \nexecutive order relative to climate action. This policy applies to all \nBPS buildings and grounds, including offices, classrooms, \nrestrooms, cafeterias, gymnasiums, hallways, pathways, \nkitchenettes, stairwells, etc. \nUnder this green cleaning policy, BPS departments, school sites, \nand partner programs taking place in schools must comply with \nthe following: \n\u25cf Purchase, provide, and use only environmentally friendly \ncleaning products that comply with the Green Seal \nEnvironmental Standard (GS-37), including but not limited" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 4, + "content": "to glass, bathroom, carpet, and general-purpose cleaners \nused for industrial and institutional purposes. \n\u25cf All other non-approved cleaning products are prohibited \nfrom being used in BPS buildings and grounds by any staff, \nvolunteer, vendor, or partner. \n\u25cf Use of disinfectants for cleaning shall be limited to food \nservice areas and the clean-up of biological and bodily \nwastes and \u201chigh touch areas\u201d (when directed). All \ndisinfectants must be premixed, registered by the U.S. \nEnvironmental Protection Agency, and have a Hazardous \nMaterials Identification System (HMIS) rating of 2 or less. \n\u25cf Pre-approved or least toxic and asthma friendly" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 5, + "content": "sanitizer/disinfectants must be used in early learning \ncenters in accordance with the National Association of \nEducation for Young Children accreditation standards." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-11 \nPage 3 of 5 \n \n \n \nIMPLEMENTATION PLAN \nBPS Facilities Management and custodial staff will maintain this \npolicy through these implementation steps: \n\u25cf Ensure vendors can provide proof that their products meet \nthe criteria for Green Seal Environmental Standard for \nCleaning Products for Industrial and Institutional Use, GS-37. \nThe Green Seal program is a North American multi-attribute, \nlifecycle environmental standard and certification. \n\u25cf Burnish floor surfaces where applicable to reduce the use of \npotentially irritating cleaning and stripping compounds. Any \nnecessary floor stripping and waxing will be performed \nduring non-occupied hours." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 7, + "content": "during non-occupied hours. \n\u25cf Automatic mixing stations will be installed for custodial use \nthat dispense pre-mixed products to ensure the active \ningredient concentration required by the EPA, limit \nemployee contact with chemicals for enhanced safety, and \nminimize waste. \n\u25cf Upon request, school custodians will provide teachers and \nother BPS staff with OSHA-compliant pre-labeled spray \nbottles of mixed green cleaning compounds (desktop and \nglass cleaners) that meet the Green Cleaning Policy \nstandards. \n\u25cf Train and update BPS custodial staff and others who use \nchemicals on the Green Cleaners Policy, including but not \nlimited to hazard communications (Right to Know law," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 8, + "content": "MSDS, etc.), worker safety and personal protective \nequipment use, safe and proper product and equipment \nuse, etc." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FMT-11 \nPage 4 of 5 \n \n \n \n\u25cf Custodians will participate on the school\u2019s Wellness Council \nto ensure compliance with this policy as well as other \nHealthy School Environment policies and initiatives \n(recycling, integrated pest management, etc.). \n\u25cf To the greatest extent possible, cleaning materials and \nassociated packaging will be reused and/or recycled to \nminimize waste. \n\u25cf Protocols governing safe handling and storage of cleaning \nchemicals shall be adopted. Quality control checks will be \nused to ensure adoption. \nRESPONSIBLE PARTIES \nThis policy is overseen by the BPS Facilities Management \nDepartment and is updated annually to help ensure cleaning" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 10, + "content": "practices, products, and technologies specified in this policy \nmeet industry standards and best practices. \nBPS staff, contractors, and vendors shall review this policy and \nmay request additional information and training as required." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FMT-11 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9576 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-10 \n Version 01 \n \nINTEGRATED PEST MANAGEMENT (IPM) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMISSION STATEMENT \nTo further ensure a healthy and safe learning and work \nenvironment at all Boston Public School (BPS) buildings, BPS will \nbe implementing a systemwide IPM program. IPM is a holistic \napproach to control pest activity and to reduce pesticide usage in \nthe building and surrounding landscape. \nIMPLEMENTATION PLAN \nA key component of an effective IPM plan is the selection of an \nIPM coordinator. The IPM coordinator should be someone with" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 2, + "content": "administrative authority to adequately enforce and implement \nthe program. The IPM coordinator acts as a representative of the \nprincipal. The IPM coordinator is required to establish an IPM \nCommittee, which will include interested stockholders (e.g., \ncustodian(s), after school program, community school (as \napplicable), food service manager, teacher, etc.). \nState laws and regulations require all school buildings and \nlicensed daycares to register an indoor and outdoor IPM plan \nwith the Massachusetts Department of Agricultural Resources \n(MDAR). The law requires the IPM plans to be updated and \nregistered annually. The pest control contractor (PCC) is" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 3, + "content": "responsible to annually update the indoor and outdoor plan." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FMT-10 \nPage 2 of 7 \n \nAll IPM plans must be updated annually by the pest control \ncontractor by December 1. The PCC will meet with the \nprincipal/head of school or designee to update the plan. The \nupdates will include but not be limited to technical components, \npest treatment products, and devices of the IPM plan. The \nprincipal/head of school or designated representative (i.e., IPM \ncoordinator) will provide the PCC with the school's information, \nincluding but not limited to school name and address, name of \nprincipal/head of school, IPM coordinator\u2019s name, IPM Committee \nmembers, etc. \nThe logbook must contain the following sections:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 5, + "content": "The logbook must contain the following sections: \n\u2022 A copy of the MDAR approved indoor and outdoor IPM \nplan \n\u2022 Complaint/sighting forms \n\u2022 Pest control contractor inspection and treatment reports \n\u2022 Treatment product health and safety information (similar \nto a material safety data sheet) \n\u2022 Pest control contractor (PCC) information (name and \naddress of company, contact person, telephone number, \netc.) \nNOTE: It\u2019s very important that all pest problems/issues be \nentered into the logbook to ensure problem areas are treated \nduring monthly inspections. \nMONTHLY INSPECTION \n1. All PCCs working in BPS facilities will be familiar with \nthe BPS IPM protocol." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 6, + "content": "the BPS IPM protocol. \n2. Prior to the start of any service, the PCC will report to \nthe main office and review the IPM logbook for recent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FMT-10 \nPage 3 of 7 \n \nentries. \n3. The PCC will conduct a monthly inspection of all school \nbuildings. The minimum inspection will include a \nphysical inspection and assessment of the following \nareas, noting IPM related deficiencies: \na. Food prep and storage areas \nb. Dumpster and waste storage areas \nc. Loading and receiving areas \nd. Building grounds \ne. Teacher\u2019s lounge \nf. Entry points or connections from a mechanical \nspace or crawl space \ng. Boiler room area, mechanical rooms, and \nmoveable storage areas \nh. Storage rooms, sinks, and custodial storerooms \ni. Noted rooms with recent complaints (those \nareas/rooms marked with a complaint after the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 8, + "content": "areas/rooms marked with a complaint after the \nlast service call) \nj. Other suspected areas \n4. Temporarily seal all potential rodent access holes or \nvoids (< 3 in. diameter), including voids around pipes \nand duct penetrations or any other penetrations. The \nPCC will only use approved sealants. The PCC will \nprovide product specifications for sealants prior to any \nuse in BPS facilities. The Alterations and Repairs \nsupervisor will be contacted to permanently seal any \npenetrations. \n5. The PCC will vacuum any rodent droppings around any \narea where traps, glue boards, monitoring stations, etc. \nhave been placed. \n6. The PCC will inspect the above noted areas and make" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 9, + "content": "recommendations for enhanced treatment as" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FMT-10 \nPage 4 of 7 \n \nnecessary. \n7. The PCC will provide electronic copies of any IPM \ninspection, treatment, or service via email to the \nschool\u2019s email address, to the environmental supervisor \nor specialist with BPS and Food Services. \nThe pest control contractor or the school will notify and seek \napproval from BPS Environmental Division for any additional IPM \ntreatments, service calls, or inspections beyond the monthly \ntreatment. This request must be made through or verified by \nemail confirmation. \nA quality IPM program must effectively control the following \nconditions: \n\u2022 Rodent entry points and access \n\u2022 Harborage and clutter" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 11, + "content": "\u2022 Harborage and clutter \n\u2022 Food source and sanitation \n\u2022 Moisture \nThe IPM coordinator must review the IPM logbook immediately \nfollowing each inspection. The coordinator will create a work \norder request addressed to the environmental supervisor for \ntreatment or necessary repairs." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FMT-10 \nPage 5 of 7 \n \nClutter is a major issue that needs to be addressed for an \neffective IPM program. Clutter creates harborage for pests \nand limits full treatment. Clutter is defined as storage \nwhich: \n1. Impedes egresses \n2. Limits safe movement throughout the area \n3. Blocks and limits access to essential mechanical, utility, \nand emergency equipment \n4. Becomes stagnant: boxes or materials left on the floor \nthat show signs of deterioration, water damage, or pest \nactivity \nAll unnecessary unwanted or contaminated materials must be \nremoved. \nBED BUG PROTOCOL FOR BOSTON PUBLIC SCHOOLS \nBed bugs are becoming a more common pest problem that" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 13, + "content": "could impact the general quality of life but are not known to \ntransmit any diseases. Bed bugs are small (less than \u00bc inch in \ndiameter), brownish, flattened insects that are known to bite \npeople when they are asleep. The bites often may not be felt but \ncan cause itchiness and swelling. Unlike some other insects (e.g., \nhead lice), bed bugs do not live on people but may hitchhike on \none\u2019s personal items (backpacks, clothing, books, etc.) to get into \na school building. Bed bug infestations are uncommon in \nschools, but since they may get in by other means, schools need \nto be proactive. \nSchool\u2019s Response Actions: \n1. The school\u2019s IPM coordinator, principal, or head of" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 14, + "content": "school must be notified. \n2. Write the complaint in your school\u2019s IPM logbook" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FMT-10 \nPage 6 of 7 \n \nwhich is kept in your main office. Please provide details \nin your complaint without divulging anyone\u2019s personal \ninformation. A complaint should be logged for any \nsuspect bed bugs. \n3. Contact the Facilities Management, Environmental \nDivision at 617-635-8300. \n4. If you can capture the insect, place it in a sealed clear \nplastic bag (Ziploc) for identification. The pest control \ncontractor (PCC) will come by to identify the insect as \nsoon as possible. \n5. If a student has been identified with a bed bug, the \npersonal belongings of all students in the room should \nbe bagged and sealed tightly." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 16, + "content": "be bagged and sealed tightly. \n6. A student who has suspect bite marks should see the \nschool nurse as soon as possible. \n7. The school nurse will contact the student\u2019s parent or \nguardian to provide them with contact information for \nthe Boston Public Health Commission to arrange a bed \nbug inspection. \nFor more information, please visit the link below: \nhttps://bphc.org/whatwedo/healthy-homes-\nenvironment/Documents/bedbug_fact_sheet." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FMT-10 \nPage 7 of 7 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nACTIVITY TIMELINE \nCopy of this year\u2019s Superintendent\u2019s \nCircular included in IPM book \nAnnually by October 1 \nPest control contractors will annually \nreview and update indoor and outdoor \nIPM plans, register with \nMassachusetts Department of \nAgricultural Resources, and submit to \nFacilities Management. \nAnnually by December 1 \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester MA, 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 18, + "content": "Email: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-18 \nVersion 01 \n \nSCIENCE SAFETY IN SCHOOL LABORATORIES AND \nCLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has developed a Science Safety Plan \nto promote a safer and more effective learning environment for \nstudents and a healthier workplace for teachers and other \nemployees within science classrooms and laboratories in Boston \nPublic Schools. The Science Safety Plan is a comprehensive effort \nto address chemical use, storage, and disposal procedures, as \nwell as the prevention and/or minimization of and response to \nchemical spills and other accidents." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 2, + "content": "chemical spills and other accidents. \nThe districtwide plan addresses the needs of all BPS science \nclasses and is consistent with the requirements of the U.S. \nDepartment of Labor, Occupational Safety and Health \nAdministration\u2019s (OSHA) 29 CFR 1910.1450 Occupational \nExposures to Hazardous Chemicals in Laboratories for the \nprotection of our students and employees, as well as guidance \nmaterials from the National Fire Protection Association (NFPA), \nthe National Institute for Occupational Safety and Health \n(NIOSH), and the Boston Fire Department. The Science Safety \nPlan promotes a culture of safety in science and the safe" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 3, + "content": "operation of all science laboratories for students, faculty, and \nstaff. \nTo ensure that all students and their teachers work in an \nenvironment which is safe, it is necessary to formulate standard \nprocedures and requirements for all schools and their personnel." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FMT-18 \nPage 2 of 8 \n \nThe Science Safety Plan and this circular will be reviewed \nannually. \nYour performance of these procedures is required. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOLS \n1. Ensure that all science classes and laboratories are \nassigned to and conducted in appropriately equipped \nScience Rooms. \n2. Provide a list of all science teachers/teachers of science to \nthe Science Department by October 1st each year using \nthe form provided in Appendix R of the BPS Science \nSafety Plan. \n3. Appoint a Science Safety Coordinator (SSC) and ensure \nthey: \na) Attend the mandatory Chemical Safety Training \nsession co-hosted by the Science Department and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 5, + "content": "session co-hosted by the Science Department and \nFlinn Scientific. \nb) Conduct an annual chemical inventory. \nc) Complete the required safety checks as stated in \nSections J and O of the BPS Science Safety Plan. \n4. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear \neye protection devices. \n5. Ensure that workable fire extinguishers, blankets, safety \nshowers, and eyewash equipment are readily available \nand that appropriate personnel receive training in the use \nof each. \n6. Ensure staff review and implement the BPS Science \nSafety Plan." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-18 \nPage 3 of 8 \n \n7. Ensure that staff has instructed all students in safety \nstandards and procedures, including the BPS Science \nSafety Plan and the School Safety Plan. \n8. Post building evacuation procedures in classrooms, \nlaboratories, and chemical storage rooms. \n9. Conduct quarterly fire drills. \n10. Maintain adequate lighting and proper ventilation in \nlaboratories and classrooms, and report problems to \nFacilities Management immediately. \n11. Be sure that teacher evaluations reflect the \nimplementation of safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted \nin the school's Science Rooms pursuant to Mass. Gen." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 7, + "content": "Laws c. 111F. \n13. Ensure a copy of all safety data sheets (SDSs) is \nmaintained in the main office and chemical storage areas. \n14. Ensure that all instructors working with toxic or \nhazardous substances receive training as specified in \nChapter 111F of the Massachusetts General Laws through \nthe Science Department. \n15. Notify the Science Department of any accident or injury in \na Science Area. \n16. Submit the Annual Hazardous Material Permit \nApplication to Boston Fire Department and post the \ncurrent permit in the main office." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FMT-18 \nPage 4 of 8 \n \nRESPONSIBILITIES OF TEACHERS \n1. Review and implement the Science Safety Plan, including \nSOPs for general laboratories, chemical use and storage, \nchemistry laboratories, biology laboratories, physics \nlaboratories, and waste management. \n2. Attend annual safety training(s) including science safety \nand first aid. \n3. Practice safety procedures and serve as the model for \ngood safety conduct for students. \n4. Establish a Student Safety Contract with each student \nprior to any laboratory activities. \n5. Require the use of appropriate personal protective \nequipment. \n6. Avoid accidents by insisting that students dress properly" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 9, + "content": "for the laboratory. \n7. Supervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a \nlaboratory or chemical storage room. If an instructor must \nleave the laboratory in an emergency, they must: \na) Arrange for a qualified teacher as a replacement, OR \nb) Relocate students to a properly supervised area, \nc) Lock the laboratory, and \nd) Shut off equipment. \n8. Inspect fire extinguishers monthly and safety showers \nand eyewash stations weekly (SSC or science teacher in \ncharge). \n9. Maintain first aid kit in an easily accessible area (SSC or \nscience teacher in charge)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FMT-18 \nPage 5 of 8 \n \n10. Maintain a chemical inventory using the online \nChemVentory system, update at least annually, and \nsubmit an electronic copy to the Science Department and \nFacilities Management by October 1st each year (SSC or \nscience teacher in charge). \n11. Ensure SDSs for all chemicals are accessible and copies \nare kept in the chemical storage room or school\u2019s Science \nDepartment and in the administrative main office (SSC or \nscience teacher in charge). \n12. Store all chemicals in their compatible chemical families. \n13. Keep all chemical storage rooms or cabinets locked at all \ntimes when not in use." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 11, + "content": "times when not in use. \n14. Label all chemical storage rooms/cabinets and laboratory \ndoors with the appropriate NFPA Diamond (SSC or \nscience teacher in charge). \n15. Ensure all chemical and waste containers are labeled \nappropriately and stored safely until they can be \nremoved. Contact Facilities Management for removal. \n16. Implement the appropriate emergency procedure, waste \ndisposal, spill cleanup, evacuation routes, and fire \nemergency notification when needed. \n17. Consult with the Science and/or Facilities Management \nDepartment staff as appropriate regarding the use of \nClass 1A flammables, compressed gasses, donated \nchemicals, and the implementation of any laboratory" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 12, + "content": "experiment that may be more hazardous than those \ncontained in the district-identified curriculum. \n18. Report all accidents and injuries to the principal/head of \nschool and direct supervisor." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular FMT-18 \nPage 6 of 8 \n \n19. Report lighting, ventilation, safety equipment, and \nlaboratory disrepair to principal/head ofschool, direct \nsupervisor, and Facilities Management. \nRESPONSIBILITIES OF STUDENTS \n1. Practice good chemical hygiene habits. \n2. Maintain an awareness of health and safety hazards and \nreport unsafe practices and conditions to the teacher. \n3. Report all accidents and injuries to the teacher \nimmediately. \n4. Know and follow emergency procedures. \n5. Notify the teacher of any sensitivity or allergy to \nchemicals. \n6. Wear appropriate apparel and personal protective \nequipment, including goggles, during laboratory \nactivities." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 14, + "content": "activities. \n7. Conduct all activities according to teacher instructions to \nensure the Science Safety Plan is followed. \nTECHNICAL ASSISTANCE \nFacilities Management and BPS district Science Department will \nprovide all schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building and safety equipment inspections." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FMT-18 \nPage 7 of 8 \n \nContact: \n\u2022 Chief Environmental Technician, Facilities Management \n617-635-8300 \n\u2022 Assistant Superintendent, Office of Teaching and Learning \n617-635-8079 \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Boston, MA 02108 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Science, Technology, and Engineering \nDepartment \nDepartment: Office of Teaching and Learning \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Boston, MA 02125 \nPhone: 617-635-8750" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 16, + "content": "Ave., Boston, MA 02125 \nPhone: 617-635-8750 \nEmail: bpssciencematerials@bostonpublicschools.org" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FMT-18 \nPage 8 of 8 \n \nAdditional contacts in the Office of Teaching and Learning: \nChief of Teaching and \nLearning \nOPL@bostonpublicschools.org \nExecutive Director of STEM OPL@bostonpublicschools.org \nProgram Director, High \nSchool Science \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-12 \nVersion 01 \n \n \n \nLOSS OR DAMAGE RESULTING FROM FIRE, THEFT, \nVANDALISM OR UNLAWFUL ACTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn all cases of loss or damage to Boston School Department \nbuildings, grounds, or other property, heads of school, principals, \nand responsibility center managers must complete Form A \n(attached) and follow prescribed procedures upon the discovery \nof such incidents. Form A is to be used to report all acts of fire, \ntheft, vandalism, destruction of property, graffiti, breaking and \nentering, and attempts to break and enter. Vandalism is" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 2, + "content": "considered to be all willful acts causing damage to school \ndepartment property. \nHeads of school, principals, and other responsibility center \nmanagers must also contact the Boston Police or Safety Services \nand request that an official Police Department incident report \n(commonly referred to as a \u201c1-1\u201d) be prepared. This report serves \nas documentation that the incident has been reported to and \nlogged by the Police Department. Heads of school, principals, \nand responsibility center managers should keep a copy of both \nForm A and the official police report for their records. \nThe original Form A and a copy of the police report are to be sent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 3, + "content": "to the Department of Safety Services, 213 Townsend Street, \nDorchester, MA 02121." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FMT-12 \nPage 2 of 4 \n \n \n \nAdditional copies are to be forwarded to the following \ndepartments: \n\u25cf Facilities Management \n\u25cf Academic Superintendents \n\u25cf Others, as necessary \n\uf075 In the event of emergency or hazardous conditions, notify \nFacilities Management immediately. \nRefer to Superintendent\u2019s Circular FSE-01 School Safety / \nContingency Plans for additional information. \nFor more information about this circular, contact: \nOwner: Sr. Supervisor Electrical/Security \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Boston, MA 02125 \nPhone: 617-635-8300 \nFax: 617-635-7855 \nEmail: Operations-Department-" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 5, + "content": "Email: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-12 \nPage 3 of 4 \n \n \n \nFORM A \nREPORT OF LOSS OR DAMAGE RESULTING FROM \nFIRE, THEFT, VANDALISM OR UNLAWFUL ACTS \nThis form is to be used to report all acts of fire, theft, vandalism, \ndestruction of property, graffiti, breaking and entering, or attempts to \nbreak and enter. Vandalism shall be considered to be all willful acts \ncausing damage to school property. \nSchool or other facility: ________________________________________________ \nDate of report: ________________________________________________________ \nSpecific location of incident: __________________________________________ \nPoint of entry: ________________________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 7, + "content": "Name of person who discovered the incident: _________________________ \nDate/time of incident: _________________________________________________ \nDescription of damage or loss. Identify property by manufacturer, \nmodel, serial number, and school department identification number:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FMT-12 \nPage 4 of 4 \n \n \n \nPlease complete the following information if this report is the result of \nloss, theft, or damage to a laptop/desktop. Once completed, forward a \ncopy to your Technical Support Teacher (TST). \n \nProduct Model Serial # Asset Tag # \n\u2610 Laptop \n\u2610 Laptop case \n\u2610 Cables \n\u2610 Lock \n\u2610 Desktop Monitor \n\u2610 Desktop CPU \n \n________________________________________________ ______________________ \n Name of responding Police Officer CC Number \n_______________________________________________ _______________________ \n Name of Facilities Mgt. personnel notified Date/Time" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 9, + "content": "_______________________________________________ _______________________ \n Signature Title \ncc: \u2610 Facilities Management Copy \n\u2610 Safety Services Copy \n\u2610 Office of Instructional and Information Technology" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-01 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF CUSTODIANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to set forth the individuals \nresponsible for custodian evaluations and to outline the \nphilosophy, objectives, guidelines, and procedures applicable to \nthe process. \nThe contract between the School Committee and the Custodians \nUnion provides for the annual evaluation of the performance of \ncustodians by principals and heads of school. To assist in the \nimplementation of the performance evaluation process, the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 2, + "content": "Department of Facilities Management (Building Services) has \ndeveloped a handbook for custodians, principals, and heads of \nschools. The evaluation process relates to the job duties and \nresponsibilities of the position as contained in the handbook. \nIt is the supervisor's responsibility to clearly communicate the \nspecific duties associated with the position, in writing, to the \ncustodial employee. Therefore, principals and heads of school \nshould take all steps to become familiar with the contents of the \nhandbook and should ensure that each custodian understands \nthe content of the manual. \nHeads of school, principals, and other administrative heads are" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 3, + "content": "responsible for the evaluation of the performance of all custodial" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 2 of 14 \n \n \n \nemployees under their supervision. However, the actual \nevaluation must be done by the immediate supervisor, i.e., the \nprincipal/head of school is responsible for the evaluation of both \nsenior and junior custodians. During the school year, all custodial \nemployees, with input by the senior custodian and Facilities \nManagement, will be evaluated using the diagnostic-prescriptive \napproach and the procedures and forms developed for the \nimplementation thereof. \nTraining on the performance evaluation process will be provided \nduring the school year. Principals and heads of schools are" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 5, + "content": "encouraged to consult with the Department of Facilities \nManagement (Building Services) on all performance issues \naffecting custodial employees. The evaluation process itself is \nmodeled on the teacher evaluation procedures. \nPHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service provided depends upon the professional \nperformance and total job effectiveness of all employees in the \nsystem. Thus, since custodial employees can and should be held \naccountable for the quality of their performance, a just and \neffective process for evaluating that performance is essential. \nTrue performance evaluations involve analyses of an individual's" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 6, + "content": "strengths and weaknesses, resulting in diagnoses and \nprescriptions. This in turn leads to the desired improvement of \nskills and improved performance of the custodial employee. \nAn effective performance evaluation program is one that is \ncontinuous rather than periodic, and organized to:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 3 of 14 \n \n \n \n\u25cf Develop in the support staff a clearer understanding of the \ngoals of the department or school. \n\u25cf Assist employees to address more effectively the needs of \neach school or department. \n\u25cf Encourage cooperative staff relations through mutual trust \nand respect for each employee's individual role. \nThe contract with the Custodians Association further provides for \nthe principal/head of school and the senior custodian to establish \na mutually supportive relationship, and to cooperate in the \nresolution of all plant maintenance and operation problems. \nFurther, the contract clearly provides that the principal/head of" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 8, + "content": "school of a school building will oversee all staff and has the \nresponsibility to ensure the cleanliness and maintenance of the \nschool building at all times. Each custodian in a school is \nmanaged by the principal/head of school of that building. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages staff to maximize unique strengths and \nskills. This evaluation program encourages staff to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication and supervision of employees." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 9, + "content": "ROLES AND RESPONSIBILITIES \nHeads of schools, principals, and other administrative heads have \nprimary responsibility for the evaluation of all staff in their \nresponsibility centers. After the evaluation has been presented to \nthe employee, the evaluation form must be signed by the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 4 of 14 \n \n \n \nemployee (refer to the evaluation instrument) prior to submission \nto the Office of Human Capital and Office of Facilities \nManagement (Building Services). Performance evaluation \nactivities may include but are not limited to: 1) preliminary \nplanning conferences, 2) daily observations, 3) notations, 4) \nformal interim evaluations, 5) follow-up conferences, and 6) \nrecommendations to the staff member by the evaluator. \nPrincipals/heads of school must evaluate both senior and junior \ncustodians, in writing, and sign the completed written \nevaluations. \nPROCEDURAL STEPS \nPreliminary Procedures" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 11, + "content": "PROCEDURAL STEPS \nPreliminary Procedures \nPrior to the implementation of the process, the principal/head of \nschool must prepare the work schedule in cooperation with the \nsenior custodian(s). They should then meet with the senior \ncustodian to provide an orientation to the performance \nevaluation process and to specific roles and responsibilities \nwithin that process for the upcoming year as contained in the \nwork schedule. Principals and heads of school should seek \ntechnical assistance from area managers and the Department of \nFacilities Management (Building Services). \nThe evaluator shall meet with the staff member for the purpose" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 12, + "content": "of explaining the diagnostic-prescriptive evaluation process, \nincluding a description of all components of the evaluation \nprocess." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 5 of 14 \n \n \n \nDiagnosis and Prescription \nThe performance evaluation process should provide each \ncustodial staff member with an appraisal of the individual's \nstrengths and identify areas in need of improvement. The \nemployee will be evaluated on each standard within the various \ncategories: \n\u25cf U - UNSATISFACTORY: The employee fails to meet the job \ndescription and their performance needs improvement. \n\u25cf S - SATISFACTORY: The employee meets the job description \nand their performance, as measured against this standard, is \nsatisfactory. \n\u25cf G - GOOD: The employee meets and/or generally exceeds" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 14, + "content": "the standards and their performance, as measured against \nthis standard, is good. \n\u25cf E - EXCELLENT: The employee exceeds standards and their \nperformance as measured against this standard, is excellent. \nEvery formal evaluation must result in a mark for each \nappropriate item on the performance evaluation form. In any \narea where the supervisor indicates a need for improvement, \nthey will provide the employee with a written prescription. The \ndiagnosis and subsequent prescription should be fully descriptive \nand instructive, suggesting specific remedies or \nrecommendations for adoption by the employee. During the \nentire evaluation process, continuous administrative assistance," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 15, + "content": "support, and encouragement should be extended to assist the \nemployee in meeting established objectives. The employee may \nsuggest additional or alternative prescriptions." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 6 of 14 \n \n \n \nEvaluation Conference \nThe employee's supervisor shall meet with the staff member for \nthe purpose of discussing the evaluation. During the conference, \nthe staff member will be shown the written evaluation and will \nsign it to indicate that it has been seen but not to indicate \nagreement or disagreement with its contents. The staff member \nwill be allowed to attach comments to the evaluation. One copy \nof the written evaluation must be given to the employee, and a \nsecond signed copy must be retained and filed with the assistant \ndirector of Facilities Management (Building Services). In any area" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 17, + "content": "that has been identified as being unsatisfactory, the \nprincipal/head of school should consult with the appropriate \noperational leader. \nINTERIM REPORTS \nIf an unsatisfactory evaluation is issued for any item, the \nimmediate supervisor must evaluate the staff member at least \nonce a month until the individual's performance is judged to be \nsatisfactory (see Section V). \nPrincipals/heads of school must submit a copy of the written \nevaluation of any employee who has received a mark of \nunsatisfactory in any item indicated on the form to the assistant \ndirector of Facilities Management (Building Services). \nAdministrators must submit the evaluations directly to the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 18, + "content": "assistant director of Facilities Management (Building Services). \nAny subsequent unsatisfactory evaluation must also be \nforwarded. \n\u27a4 All evaluations must be completed by August 31 of each year." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 7 of 14 \n \n \n \nSUMMATIVE REPORTS \n\u25cf At the end of each evaluation period, the principal/head of school and other administrators \nshould retain copies of all evaluations and send copies to the team leader/Human Resources \nand assistant director of Facilities Management (Building Services). \n\u25cf If, at the conclusion of a prescriptive period (normally at the end of an evaluation period, but in \nany event at most one month after the last evaluation), the supervisor judges an employee's \noverall performance as unsatisfactory, the supervisor shall submit to the superintendent or" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 20, + "content": "designee and to the assistant director of Facilities Management (Building Services) a written \nreport based on the series of evaluations. \n\u25cf Continued failure on the part of an employee to meet a standard will result in possible \ndisciplinary action. \nPROCEDURES FOR DISCIPLINE \nIf a principal/head of school determines that an employee has \ncommitted an infraction of work rules such as excessive \ntardiness, absences, etc., the supervisor should follow procedures \noutlined in Superintendent's Circular: Procedures Relating to the \nDiscipline of Employees. Additionally, the supervisor should \nconsider the infraction in evaluating the employee's overall" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 21, + "content": "performance. Principals and heads of school may issue discipline \nonly up to and including letters of reprimand. The director of \nFacilities Management or other designees of the superintendent \nissue discipline beyond this level. \nFailure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of the supervisor. This \nproblem is further compounded when \"problem staff\u201d is given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 8 of 14 \n \n \n \nperformance on the part of that person, who may be held \naccountable by the appropriate supervisor. \nPlease refer in advance to Superintendent's Circular: Procedures \nrelating to the Discipline of Employees. \nFORMS \nPerformance Evaluation Report may be obtained from the Office \nof Facilities Management. Summary of significant dates and \ndeadlines: \nDate Activity \nAugust 31 Deadline for completing custodian evaluations \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 23, + "content": "Phone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 9 of 14 \n \n \n \nCUSTODIANS ASSOCIATION CONTRACT LANGUAGE \nARTICLE XXIII \nPERFORMANCE EVALUATION \n \nSection 1 - A diagnostic-prescriptive evaluation procedure shall \nbe maintained which is reasonably related to the custodian's job \nperformance using the procedure and form currently in use. \nEvaluation shall be from June 1 to May 31 for each custodian. \nSection 1A - Interim Performance Evaluation may be performed \nat the discretion of the principal/head of school and/or senior \ncustodian between annual bid. \nSection 2 - Custodian Association members shall be evaluated by \ntheir immediate supervisors as follows: \nEvaluatee Evaluator" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 25, + "content": "Evaluatee Evaluator \nJunior Custodian Principal/head of school with input by \nsenior custodian and Facilities \nManagement. \nSenior Custodian Principal/head of school with input by \nFacilities Management. \nSection 3 - No later than thirty (30) days after the start of the \nrating year, the evaluator will meet with the evaluatee for the \npurpose of explaining the diagnostic-prescriptive evaluation \nprogram, answering questions, and determining additional job-\nrelated responsibilities which will be covered in the evaluation." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 10 of 14 \n \n \n \nWithin five (5) days after the meeting, the evaluatee will receive a \ncopy of a list of job-related functions for which they are \nresponsible and on which their performance will be evaluated. \nSection 4 - Within ten (10) days following the completion of the \nevaluation, the evaluator will meet with the evaluatee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluatee will be shown their written evaluation and will sign it to \nindicate having seen it, but not to indicate agreement or \ndisagreement. A copy of the evaluation will be provided to the \nevaluatee. The evaluatee shall be allowed to attach their" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 27, + "content": "comments to the evaluation. The evaluatee whose overall \nperformance has been judged unsatisfactory will be so notified in \nwriting and will meet directly with the evaluator. There will be a \nspace for the principal/head of school to sign the evaluation and \nattach comments to it, if any. \nSection 5 - In any area where the evaluator indicates a need for \nprofessional improvement, they will provide the evaluatee with a \nspecific written prescription. \nSection 6 - Continued failure to meet a standard will result in \nwarnings, additional evaluations, and further action. \nSection 7 - An overall evaluation of unsatisfactory shall be subject \nto the grievance and arbitration procedure." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 28, + "content": "to the grievance and arbitration procedure. \nSection 8 - The committee will comply with state and federal \nlaws concerning confidentiality and privacy of evaluations." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 11 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION \u2014 CUSTODIAL \nDATE: _____/_____/__________ \nNAME: ___________________________________________________________ \nSCHOOL: ________________________________________________________ \n(Building staffed according to formula): Yes _______ No _______ \nSenior ______ Junior ______ Days ______ Nights ______ Grade _______ \n \nE - Excellent \nG - Good \nS - Satisfactory \nU - Unsatisfactory \nQUALITY \n1. Work performed is of an acceptable nature and level. \n E \u2610 G \u2610 S \u2610 U \u2610 \nQUANTITY \n2. Completes work in a reasonable time. \n E \u2610 G \u2610 S \u2610 U \u2610" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 12 of 14 \n \n \n \nATTITUDES \n3. Knows the tasks to be completed and organizes them. \n E \u2610 G \u2610 S \u2610 U \u2610 \n4. Learns and applies new ideas and techniques. \n E \u2610 G \u2610 S \u2610 U \u2610 \n5. Shows interest in work. \n E \u2610 G \u2610 S \u2610 U \u2610 \n6. Accepts responsibility related to work performed. \n E \u2610 G \u2610 S \u2610 U \u2610 \nDEPENDABILITY \n7. Continues to work in absence of supervision. \n E \u2610 G \u2610 S \u2610 U \u2610 \n8. Complies with reasonable written and oral instructions. \n E \u2610 G \u2610 S \u2610 U \u2610 \nATTENDANCE \n9. Maintains good attendance. \n E \u2610 G \u2610 S \u2610 U \u2610 \n10. Maintains contracted hours of work. \n E \u2610 G \u2610 S \u2610 U \u2610" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 13 of 14 \n \n \n \nSUPERVISORY SKILLS (APPLIES TO SENIORS ONLY) \n11. Plans and directs work to others. \nE \u2610 G \u2610 S \u2610 U \u2610 \n12. Guides the group to reasonable effectiveness. \n E \u2610 G \u2610 S \u2610 U \u2610 \n13. Provides evaluation reports. \n E \u2610 G \u2610 S \u2610 U \u2610 \n14. Trains subordinates. \n E \u2610 G \u2610 S \u2610 U \u2610 \n15. Attempts to settle disputes at lower level. \n E \u2610 G \u2610 S \u2610 U \u2610 \nSignatures: \n \nPrincipal/Head of School/Admin Date Comments \n \nSenior Custodian Date Comments \n \nJunior Custodian Date Comments" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FMT-01 \nPage 14 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION \u2014 CUSTODIAL \n \nDIAGNOSIS AND PRESCRIPTION" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-09 \nVersion 01 \n \n \n \nMATERIAL DISTRIBUTION PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINDIVIDUAL OR SPECIAL PURCHASE ORDERS FOR DELIVERY TO \nTHE MATERIAL DISTRIBUTION CENTER \nIndividual or special orders are delivered to users as requested by \ndepartment heads. Copies of the purchase order must be \nforwarded to the Distribution Center before the material arrives \nor it may be refused; if accepted, it may be confused with other \nindividual orders and sent to the wrong department. Freight \ncarriers are required to schedule their deliveries with the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 2, + "content": "Distribution Center. Failure to notify the Distribution Center \nbefore making a delivery may result in your order being refused, \nespecially during the period between August 1 and November 15 \nwhen storage space is at a minimum. All orders shipped to the \nDistribution Center should have an \u201cAttention To:\u201d block which \nindicates a person or department to which the material is being \nshipped; this is very important. You can stipulate an \u201cAttention \nTo:\u201d address on your original requisition entered on PeopleSoft. \nCUSTODIAL ORDERS \nCustodial requisitions are submitted on two forms developed by \nDistribution and the Facilities Management Department. The first" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 3, + "content": "form is an annual order form which lists all custodial items" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FMT-09 \nPage 2 of 3 \n \n \n \nauthorized for delivery to schools. This form is delivered to each \nschool on an annual basis in June/July. The second form is a bi-\nmonthly (every 2 months) \u201cshort\u201d form which is delivered to \nschools each bi-monthly except those months when the large \nannual form is used. Custodians are required to complete these \nforms and return them to the Distribution Center. All forms \nshould be emailed to warehouse@bostonpublicschools.org or \nfaxed to the Distribution Center at 617-635-8581. All orders which \nare not a part of regular bi-monthly cycles must be submitted \nand approved by Facilities Department custodial area managers." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 5, + "content": "REQUIRED DATA \nDepartment head signatures, shipping location, and \u201cAttention \nTo\u201d are required on all requests; if any of these items are missing, \nyour requests could be delayed or may ship to the wrong \ndepartment. \nPlease call the Distribution Center at 617-635-8745 if you have \nspecial requirements or problems, or fax us at 617-635-8581, or \nemail warehouse@bostonpublicschools.org." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-09 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \n \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-03 \nVersion 01 \n \nRENOVATIONS TO SCHOOL BUILDINGS AND YARDS \u2013 \nEXTERNAL FUNDING \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo guarantee that all work performed on School Department \nproperty conforms to district standards, building and life safety \ncodes, and other requirements, the following procedure has been \nestablished for external funding sources, particularly those that \nare not processed through the PeopleSoft Financial System, i.e., \nBoston Educational Development Foundation (BEDF). \nRENOVATIONS VS. REPAIRS \nThe following table lists projects that fall under the category of a" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 2, + "content": "renovation or a repair or maintenance, as well as the sequence to \nfollow for each:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 2 of 9 \n \nRenovations Repairs & Maintenance \nType Process Type Process \nMajor renovations \nor improvements \nAlterations that \nare required due \nto programmatic \nchanges \nAlterations of \nexisting spaces \n(wall up/wall \ndown) \nToilet room \nrenovations \n \nSubmit a \nREQUEST FOR \nSPACE MODIFI-\nCATIONS \nGeneral \nrepairs (i.e., \nbroken glass, \nbroken \nlocks/hardw\nare, graffiti, \nleaks from \nplumbing or \nroof) \nSubmit a \nWORK \nREQUEST \n \nTo properly plan resources and budget, requests for renovations \nfor the coming school year must be initiated by the requester by \nno later than December 1 of the previous school year. Requests" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 4, + "content": "received after this deadline may not be approved." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 3 of 9 \n \nRequests for renovations or alterations to school buildings and \nyards must follow the sequence outlined below: \n1. Complete the form. \n2. Submit a request through Asset Essentials; choose \n\u2018Modification of Space\u2019 as the work type and attach the form \nto the work order. \n3. A confirmation of receipt is sent to the person submitting \nthe request. \n4. Form and Asset Essentials request are reviewed by a cross-\nfunctional team to determine next steps: \na. Planning and Analysis verifies that the request is in \nalignment with current and future space requirements. \nb. Finance determines that there are not financial issues" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 6, + "content": "or challenges for the request. \nc. Facilities Management determines feasibility of \nrequests only after steps 1 and 2 have been completed. \n5. After the request has been reviewed, it will determine if and \nwhen the work can be completed. \n6. A follow-up email will be sent to the school leader, \nrequester, and school superintendent to provide status and \ntimeline of request. Please note: Not all projects will be \napproved. \n7. Once approved, Facilities Management will engage to \nestablish a plan within the timeline identified. \nProject requests that do not comply with this process will not be \nconsidered." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 4 of 9 \n \nThe Office of Facilities Management / Planning & Engineering \nmust review and approve all plans for improvements to any \nschool buildings and yards. \nEXTERNAL FUNDING \nIt also strongly recommended that a school communicate with \nthe Director of Facilities Management prior to submitting grant \nfunding applications, or seeking any other material support that \nmay require alterations and/or additions to a schools\u2019 facilities. \nApplicants should first receive acceptance from the director of \nFacilities Management of Facilities Management\u2019s willingness to \nparticipate in implementation contingent on the school\u2019s" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 8, + "content": "successful grant application/funding etc. Principals/heads of \nschool, and community school directors must include the \ndirector of Facilities Management in the drafting of plans that \nwould require any form of alteration, addition, repair, and/or \nconnections to any building services or location on the property \nof the school. The director of Facilities Management will submit \nthe plans, specifications, and/or product data to the appropriate \nPlanning and Engineering staff for review and approval of all \nproposed plans, specifications, product data, warranties, and/or \nmaintenance agreements. \nThis process will ensure that there is a thorough review of the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 9, + "content": "proposed renovation, alteration, addition, repair, and/or \nconnection to existing building systems, including the materials \nused, quality of workmanship, fairness in pricing, and contractors \nability to complete the proposed project; and that the contractor \nperforming the work has the proper insurance coverage \n(including but not limited to Worker\u2019s Compensation, General \nLiability, and Property Damage)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 5 of 9 \n \nA Request for Facilities Improvement Form (Attachment A) \nshould be filled out and forwarded to Planning & Engineering, \n1216 Dorchester Avenue, Boston, MA 02125. No work will proceed \nwithout the final approval of the Office of Facilities \nManagement/Planning and Engineering Division. \nRequest for Space Modification Form \n \nFor more information about this circular, contact: \nOwner: Executive Director of Facilities \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9170 \nFax: 617-635-9252 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 11, + "content": "Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 6 of 9 \n \nATTACHMENT A \nOFFICE OF FACILITIES MANAGEMENT \nREQUEST FOR FACILITIES IMPROVEMENT \n \nDate: _____________________________________________________________ \nSchool: ___________________________________________________________ \nAddress: __________________________________________________________ \nContact: __________________________________________________________ \nTelephone: _______________________________________________________ \nProject Title: _____________________________________________________ \nFunding Sources: _________________________________________________ \nBudget Year _____________Org. __________ Fund Code _____________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 13, + "content": "Program Account ________ Sub Class _______ Proj./Grant __________ \nExpense Object __________ \nProposed Implementation Date: _________________________________ \nProject Description and Justification (attach a sketch):" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 7 of 9 \n \nPlease return this form to: \nBrian Forde, Executive Director \nOffice of Facilities Management \n1216 Dorchester Avenue \nDorchester, MA 02125 \n \n----------------------------------------------------------------------------------------------------------------------" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 8 of 9 \n \n(For Planning & Engineering Use Only) \nPROJECT COST ESTIMATES: \nA. OPM Fee (projects over $1,500,000): ____________________ \nB. Design Fee (if needed): _________________________________ \nC. Construction Costs: ____________________________________ \nD. Contingency (A+B+C x 15%): ____________________________ \nTOTAL COST (A+B+C+D): __________________________________ \nESTIMATED PROJECT TIMELINE: \nOwner's Project Manager Selection: ______________________ \nSubmit CB-04 __________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 16, + "content": "Interviews: _____________________________________________ \nAward: _________________________________________________ \nDesigner Selection: _______________________________________ \nSubmit CB-04: _________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________ \nInterviews: _____________________________________________ \nAward: _________________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FMT-03 \nPage 9 of 9 \n \nBidding & Construction: \nAdvertise Filed Sub Bids: _______________________________ \nAdvertise General Bids: _________________________________ \nFiled Sub Bids Due: ____________________________________ \nGeneral Bids Due: ______________________________________ \nAward Contract: ________________________________________ \nConstruction Start: _____________________________________ \nCompletion Date: ______________________________________ \nMAINTENANCE PLAN: \nRequired Annual Maintenance: ___________________________ \n ___________________________________________________________ \n ___________________________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 18, + "content": "Costs: _____________________________________________________ \nMaintenance Schedule: ___________________________________ \n \nPrepared by: ________________________________Date: _______________ \nApproved by: _______________________________Date: ________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFMT-15 \nVersion 01 \n \n \n \nANNUAL ENVIRONMENTAL INSPECTION/AUDIT \nPROGRAM \nCONDUCTED BY BOSTON PUBLIC SCHOOLS & BOSTON \nPUBLIC HEALTH COMMISSION \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPOLICY \nTo fully meet the intent and requirements of the City of Boston\u2019s \nIndoor Air Quality Ordinance (7.12.1-4), Boston Public Schools \n(BPS) and the Boston Public Health Commission (BPHC) have \ndesignated an Indoor Air Quality Unit which shall ensure that a \nminimum of two facility inspections per occupied school building \nare completed on an annual basis. A report with an assessment" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 2, + "content": "of conditions at each site will be developed by BPS and BPHC \nand presented to school principals/heads of schools and \npublished on the BPS website annually. \nIMPLEMENTATION PLAN \nThe Indoor Air Quality (IAQ) Unit responsible for completing the \nannual BPS environmental inspections/audit (inspection) will be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-15 \nPage 2 of 3 \n \n \ncomprised of representatives from BPS Facilities Management\u2019s \nEnvironmental Division and the BPHC\u2019s Office of Environmental \nHealth. \nThe IAQ Unit will conduct two inspections of each occupied BPS \nowned or operated building during the academic school year. \nThe inspections will begin after the beginning of the academic \nschool year and will be completed by the end of the academic \nyear of the following year. An environmental audit will be done by \nthe BPS and the BPHC. \nThe inspection report will investigate and note environmental \nconditions in each report. The inspectors will test and look for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 4, + "content": "health and safety conditions throughout the interior and exterior \nof each building including but not be limited to: general \nsanitation and housekeeping; water-staining, leaks, and mold; \ngeneral building repair; signs of pest infestation and activity; \ngeneral life safety; unobstructed means of egress; bathroom \nsanitation, hygiene, and operability; general ventilation, etc. \nUpon completion of the annual environmental inspection, \nFacilities Management will immediately address critical health \nand safety deficiencies by filing a work order with the appropriate \ndivision. They will incorporate other needed work at the school \nsites into the annual budgeting process. On an ongoing basis," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 5, + "content": "Facilities Management will provide technical assistance to \nprincipals/heads of schools on environmental problems and \nother building-related issues." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-15 \nPage 3 of 3 \n \n \nSIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember Environmental inspections will begin after the \nbeginning of the academic school year. \nOngoing \nPrincipals/heads of schools will receive a detailed \ninspection report following completion of the \nbuilding inspection. \nJune Environmental inspections of all school buildings \nwill be completed by the end of the academic year. \nAugust 31 \n \nEnvironmental inspection reports to be posted on \nthe BPS website (linked from \nhttps://www.bostonpublicschools.org/domain/175) \n \nFor more information about this circular, contact: \nOwner: Sr. Environmental Supervisor" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 7, + "content": "Owner: Sr. Environmental Supervisor \nDepartment: Facilities Management \nMailing \nAddress: 1216 Dorchester Avenue, Dorchester, MA, 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-08 \nVersion 01 \n \n \n \nBOSTON PUBLIC SCHOOLS RECYCLING AND ZERO \nWASTE GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nThe Commonwealth of Massachusetts and City of Boston seek to \nminimize waste by reducing, reusing, and recycling. State policies \nand programs such as the Environmentally Preferable \nPurchasing Policy, MassDEP\u2019s Waste Ban Regulations, and \nExecutive Order 484 \u2013 Leading by Example, and the City of \nBoston Zero Waste Plan are helping state agencies and \nmunicipalities create healthier buildings and cleaner" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 2, + "content": "communities while simultaneously reducing costs. Boston Public \nSchools (BPS) has been actively recycling for over a decade. By \nreducing the amount of resources we use and waste we produce, \nwe are creating a healthier and more sustainable Boston Public \nSchools. \nBPS is committed to Zero Waste because: \n\u2022 Recycling is a core component of the City of Boston's \ncommitment to zero waste. \n\u2022 Recycling is free for BPS, while trash is an operational cost \nfor BPS. School recycling is picked up curbside for free by \nBoston Public Works Department (PWD) as part of the PWD" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 2 of 10 \n \n \n \nResidential Recycling program. School trash is picked up at \na cost by a contracted waste hauler. Increasing recycling \nwhile reducing trash decreases BPS operating costs, funds \nwhich could otherwise be directed to teaching and learning. \n\u2022 School zero waste programs mitigate clutter. Clutter \nattracts pests, creates asthma triggers like dust, and takes \nup valuable school space that could otherwise be used for \nteaching, learning, and organized storage. \n\u2022 School zero waste programs create hands-on learning and \nengagement opportunities for students and staff. A \nsuccessful zero waste program incorporates education and \ncollaboration." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 4, + "content": "collaboration. \n\u2022 The principles of zero waste \u2013 redesign/rethink, refuse, \nreduce, repurpose, reuse, recycle \u2013 teach us responsibility for \nour schools and our waste. \n POLICY \nThe intent of this BPS Zero Waste Policy is to reduce the amount \nof waste generated by building occupants and reduce the \namount of non-recyclable waste that is hauled to and disposed of \nin landfills or incineration facilities. Boston Public Schools has \ncreated this policy which aligns with the City of Boston\u2019s Zero \nWaste Plan. \nBoston Public Schools is responsible for providing recycling \nequipment, education, and cardboard hauling services to all \nbuildings operated by BPS, and for ensuring that banned" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 5, + "content": "materials are separated from trash at the school and other \nbuilding sites, according to MassDEP\u2019s Waste Ban Regulations \n(310 CMR 19.017). The City of Boston Public Works Department is" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 3 of 10 \n \n \n \nresponsible for providing curbside hauling services for all BPS \nsingle-stream recycling. \nSchool principals/heads of schools, and custodians must ensure \nsingle stream recycling equipment and signage are displayed to \ncollect applicable materials (cardboard, glass, metals, paper, \nplastics) and that other materials are collected and recycled \nand/or disposed of properly, including but not limited to: office \nsupplies, books, textiles, yard waste, batteries, ink/toner, \nelectronics, and furniture. \nEach school is responsible for identifying a zero waste champion \nwho serves as the liaison to BPS Facilities Management and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 7, + "content": "whose duties can include educating the school on recycling \npractices, advising a student recycling team, and ensuring the \nschool has recycling equipment and signage provided by \nFacilities Management. The zero waste champion and custodial \nstaff are encouraged to participate in the school\u2019s Wellness \nCouncil to ensure that waste management is prioritized and that \nthe school\u2019s indoor environment is upheld as a healthy and clean \nplace to learn and work. \nIMPLEMENTATION PLAN \nBoston Public Schools recycling and zero waste guidance and \nresources can be found at bostongreenschools.org/zero-waste. \nPlease use the BPS Zero Waste Guide and BPS recycling signage." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 8, + "content": "BPS provides the following recycling services: single stream \n(paper, metal, glass, plastic, paperboard), corrugated cardboard, \nelectronic waste, furniture, books, yard waste, construction \nwaste, hazardous waste, and universal waste." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 4 of 10 \n \n \n \nRecycling is a collaborative effort and will require support from \nthe principal/head of school, custodians, cafeteria staff, teachers, \nstudents, zero waste champions, and Facilities Management. \nSchools are encouraged to form a student-led Zero Waste Team \nto help manage the single stream recycling program and keep it \nrunning smoothly throughout the school year. Schools are \nencouraged to host an annual recycling event to educate the \nschool community about recycling best practices and announce \nany new recycling or waste management initiatives. \nFor recycling to be successful across BPS, each school must:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 10, + "content": "\u2022 Identify a zero waste champion (teacher, staff, active \nvolunteer, or a staff-advised student team) to be a liaison to \nthe Facilities Department and a recycling advocate in the \nschool. \n\u2022 Incorporate recycling tasks into the custodial work plan. \n\u2022 Allow time for the zero waste champion and the senior \ncustodian to attend any recycling training with Facilities \nManagement. \n\u2022 Commit to providing ongoing education to the school \ncommunity about recycling best practices to divert as much \nrecycling material from the waste stream as possible. \n\u2022 If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), complete and submit the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 11, + "content": "Zero Waste Equipment Request form to request free \nequipment from Facilities Management. BPS warehouse \nstaff will deliver the equipment. \n\u2022 Place recycling signage and equipment in appropriate \nplaces and implement updates to the program per" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 5 of 10 \n \n \n \ninstruction from Facilities Management. \n\u2022 Equipment must be placed in a 1:1 ratio \u2013 one recycling bin \nnext to one trash bin. \n\u2022 Classrooms and offices must have small recycling bins or \nboxes and trash bins (one of each per room). These small \nbins should be emptied into the larger recycling barrels or \ncarts and trash barrels, respectively. \n\u2022 Hallways, common areas, food service areas, and \ngymnasiums should have recycling barrels or carts and \ntrash barrels. Recycling barrels should be emptied into carts, \nand carts should be rolled outside to the curb before 6am on \nthe day of your school recycling pick-up. You can find your" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 13, + "content": "recycling pick-up day by school address at \nhttps://www.boston.gov/trash-and-recycling-day-schedule-\nand-search. Trash barrels should be emptied into the trash \ndumpster, which is serviced by BPS\u2019s contracted waste \nhauler. \nRECYCLING PROCEDURES AND CONTACTS \nZero Waste Program and Education \n\u2022 Sustainability, Energy, and Environment Program Director, \nOperations-Department-Heads@bostonpublicschools.org or \n617-635-9576, or visit bostongreenschools.org/zero-waste if \nyou have questions about the BPS Zero Waste Program or \nneed educational materials and support." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 6 of 10 \n \n \n \nRecycling Equipment \n\u2022 If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), please complete the Zero \nWaste Equipment Request form to request free equipment \nfrom Facilities Management. BPS warehouse staff will \ndeliver the equipment. Get the form at \nbostongreenschools.org/zero-waste. \nSingle-stream Recycling \n\u2022 Paper, and most plastic, glass, and metal containers can be \nrecycled and picked up curbside by the Public Works \nDepartment (PWD). Learn more at \nhttps://www.boston.gov/trash-and-recycling. \n\u2022 Question about a particular item? Visit the state\u2019s" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 15, + "content": "RecycleSmartMA.org and use the Recyclopedia tool. \n\u2022 Was your curbside recycling not picked up? Call the City of \nBoston 311 or report through the 311 App. PWD will be \nnotified immediately of your missed pick-up. Indicate your \nschool, your address, and the issue you had with a missed \npick-up. \n\u2022 Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, if you have \nquestions or concerns related to the trash and recycling \ndumpsters. \nCardboard Recycling \n\u2022 All corrugated cardboard must be separated from the \nsingle-stream recycling, flattened, and stacked into \nhampers for pickup, because BPS receives income for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 7 of 10 \n \n \n \ncardboard that is put back into the recycling program. \nCardboard is regularly collected by BPS warehouse staff, \nseparately from PWD\u2019s curbside pick-up. \n\u2022 Contact Sustainability, Energy, and Environment Program \nDirector if your school needs an additional cardboard pickup \nor there were issues with the collection. \nFood Waste \n\u2022 At this time, BPS does not compost food waste. Therefore, \nall food waste should be placed into the large trash barrels. \nFood waste should never be put into any type of recycling \nbin, barrel, or cart, nor should it be put into classroom trash \nbins. By putting food waste into the large trash barrels, you" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 17, + "content": "are helping to prevent pests, spills, and odors in the \nclassrooms. \n\u2022 BPS will begin implementing food waste collection and \ncomposting services at some schools in 2022-2023, with \nplans to add services at additional schools each subsequent \nyear. \n\u2022 Contact your Food & Nutrition Services representative with \nquestions about food waste. \nReuse: Books, School and Art Materials, Sports Equipment, \nClothing, etc. \n\u2022 Consider setting-up a \u201creuse station\u201d in your school for \nunwanted school supplies that could be used by another \nperson in the school. \n\u2022 Contact the Office of Academics and Professional Learning, \nbostonpublicschools.org/Domain/2439, for anything related" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 8 of 10 \n \n \n \nto unwanted books or curriculum. \n\u2022 Clothing and textiles can be placed in the Bay State Textiles \nor Helpsy boxes, which can be found at multiple school \nlocations. Learn more at bostongreenschools.org/zero-\nwaste, including how your school can add a textiles \nrecycling box to your schoolyard. \nFurniture \n\u2022 All furniture waste must be reviewed by BPS Facilities \nManagement for reuse, redistribution, or proper disposal. \n\u2022 Contact Assistant Director, Building Services, Operations-\nDepartment-Heads@bostonpublicschools.org for any \nfurniture related questions. \nElectronic (anything with a plug or cord) and Toner/Ink \nCartridge Recycling" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 19, + "content": "Cartridge Recycling \n\u2022 BPS OIIT manages the collection of old and recyclable IT \nequipment such as printers, monitors, computers, and TVs, \nand ink and toner cartridges. \n\u2022 Complete Form 57 and submit to OIIT. OIIT will schedule a \nvendor to pick up the items. Get the form at \nbostongreenschools.org/zero-waste. \nUniversal Waste/Hazardous Waste \n\u2022 All universal waste (lamps, batteries, mercury-containing \ndevices, and pesticides) and hazardous waste must be \nproperly labeled and stored in the school\u2019s accumulation \nlocation. \n\u2022 Contact Sr. Environmental Supervisor, Operations-\nDepartment-Heads@bostonpublicschools.org or 617-828-" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 9 of 10 \n \n \n \n0695, to schedule a pick-up. \nMetal Recycling \n\u2022 Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, to recycle \nmetal furniture or scrap items. \nYard Waste \n\u2022 Prior to accumulating yard waste, contact Head \nGroundskeeper, Operations-Department-\nHeads@bostonpublicschools.org or 617-293-3889 to \nschedule a pick-up. All schoolyard waste must be bagged in \ncompostable brown bags or in plastic barrels. All branches \nneed to be cut into small pieces and bundled. \nFacility Alterations, Additions, Construction, and Demolition \n\u2022 Base building elements permanently or semi-permanently" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 21, + "content": "attached to the building itself, including all studs, insulation, \ndoors, windows, panels, drywall, trim, ceiling panels, carpet, \nflooring material, adhesives, sealants, paints, and coatings \nshould be reused or recycled to the greatest extent possible. \nMassachusetts law bans clean gypsum wallboard, concrete, \nasphalt, brick, and wood from disposal in the trash. \n\u2022 BPS Facilities Management shall coordinate with \ncontractors and Public Facilities Department, when \napplicable, to ensure building repair projects are complying \nwith all waste removal laws. \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FMT-08 \nPage 10 of 10 \n \n \n \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9576 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-20 \nVersion 01 \n \nDRINKING WATER ACCESS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Drinking Water Access Policy is for all water units used for \ndrinking and food preparation. \nSTATEMENT OF COMMITMENT \nBoston Public Schools (BPS) will safely bring online and maintain \nall school building water units used for drinking and food \npreparation. \nBACKGROUND \nBy law, all students must have access to water during meals and \nthroughout the school day, at no cost. BPS follows the Healthy, \nHunger-Free Kids Act of 2010, Massachusetts Legislation (H 4459)" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 2, + "content": "223(g), and Massachusetts Uniform State Plumbing Code (248 \nMASS. CODE REGS. \u00a7 10.10, Table 1 (2011). \nBoston Water & Sewer Commission (http://www.bwsc.org/) is the \nPublic Water System (PWS) that supplies potable water to BPS. \nBPS also upholds a bottled water contract. \n \nBPS, like all school districts, is responsible for following the \nguidance of the US Lead Contamination Control Act (LCCA). The" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 2 of 21 \n \n \nLCCA directs the United States Environmental Protection Agency \n(EPA) and its state designees to assist school system \nadministrators, schools, and programs, to identify and reduce or \neliminate lead contamination in their facilities\u2019 drinking water. \nThe LCCA is an assistance-based, non-regulatory program. \n \nAs a federal designee and the responsible Massachusetts agency, \nMassachusetts Department of Environmental Protection \n(MassDEP) is responsible for educating school/facility officials \nabout the LCCA and coordinating statewide efforts to reduce or \neliminate lead in drinking water at schools and childcare" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 4, + "content": "facilities. The Massachusetts program includes both lead and \ncopper because the same mechanism that leaches lead from \nplumbing into drinking can also leach copper. Additional \ninformation on the MassDEP Drinking Water Program is available \nat https://www.mass.gov/lead-in-drinking-water. \nPOLICY \nIn accordance with the EPA\u2019s revised 3Ts for Reducing Lead in \nDrinking Water in Schools and Child Care Facilities Toolkit \n(https://www.epa.gov/ground-water-and-drinking-water/3ts-\nreducing-lead-drinking-water-toolkit), and the subsequent \nrecommendations from MassDEP, BPS is committed to the \nfollowing drinking water access policy: \n1. Annually test all water units used for drinking and food" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 5, + "content": "preparation. \n2. Deactivate any unit with test results above or equal to 15 \nparts per billion (ppb) for lead and or 1,300 ppb for copper \nand implement remediation actions to reduce those levels \nto the lowest possible concentrations. Remediation actions" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 3 of 21 \n \n \nmay include, but not be limited to, daily flushing, installation \nof filtration systems, and/or replacement of drinking water \nfixtures, plumbing fixtures, and/or piping. \n3. Continue to use units with test results between 1 ppb and 15 \nppb for lead, while implementing short and long-term \nremediation actions to reduce those levels to the lowest \npossible concentrations. \n4. Communicate all test results and subsequent actions. \n5. Provide bottled water and cups for any deactivated, offline \nschools and any online schools that lack access to fountains \nin food service and medical areas." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 7, + "content": "in food service and medical areas. \n6. Provide drinking water access training for relevant BPS staff \nin accordance with this policy. \nDEFINITIONS \n\u2022 EPA\u2019s 3 T\u2019s for Reducing Lead in Drinking Water: Training, \nTesting, and Taking Action, 3Ts for Reducing Lead in \nDrinking Water | US EPA. \n\u2022 Deactivation Level, Copper: \u22651,300 ppb \n\u2022 Deactivation Level, Lead: \u226515 ppb \n\u2022 Water Unit: Any water fountain or food service \nequipment/fixture (e.g., food preparation sink faucets, \nkettles, tilt skillets, etc.) \n\u2022 Online School: A school building supplied by online water \nunits as its primary source of drinking water. (see definition: \nOnline Water Unit)" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 8, + "content": "Online Water Unit) \n\u2022 Online Water Unit: An active water unit, with verified lead \nand copper concentrations below deactivation levels, for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 4 of 21 \n \n \ndrinking and/or food preparation. Concentrations are \nverified by the required testing. \n\u2022 Offline School: A school building provided with a \ncommercial bottled water supply as its only source of \ndrinking water. \n\u2022 Offline Water Unit: A deactivated water unit supplied by the \nPWS for drinking and/or food preparation with verified lead \nand or copper concentrations above deactivation levels. \n\u2022 Activation: A change in a water unit\u2019s (e.g., water fountain or \nfood service equipment and fixtures) status from offline to \nonline due to initial installation or remediation action(s) and \nsubsequent testing demonstrating the lowest possible" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 10, + "content": "concentrations for lead and copper. \n\u2022 Deactivation: A change in a water unit\u2019s (e.g., water fountain \nor food service equipment and fixtures) status from online \nto offline. Any online water unit with elevated lead or copper \nlevels above deactivation levels will be deactivated. \nDeactivated units will remain deactivated until remediation \naction(s) have been completed and the remediated unit has \nbeen re-tested with subsequent test levels at the lowest \npossible concentrations for lead and copper. \n\u2022 Flushing: Turning on a plumbing cold water fixture(s) and \nletting the cold water run continuously for a specified time \nframe in accordance with MassDEP protocols." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 11, + "content": "frame in accordance with MassDEP protocols. \n\u2022 Daily Flushing: For high use areas, such as fixtures used for \nfood preparation (e.g., food preparation sink faucets, kettles, \ntilt skillets, etc.), BPS will adhere to MassDEP\u2019s flushing \nguidance for schools, available at Fact Sheet \u2013 Flushing: A \nShort-Term Solution to Reduce Lead and Copper. For any" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 5 of 21 \n \n \nonline water fountain, it is recommended that the drinker \nfirst let the water run for 5-10 seconds before drinking, and \nthis is only for precautionary measures as lead and copper \nconcentrations were already verified to be below \ndeactivation levels. For directly plumbed water units where \nflushing is not feasible (e.g., combination ovens, steamers, \nice makers, etc.), filters have already been or will be \ninstalled. \n\u2022 Activation Flushing: BPS will adhere to a minimum flushing \ntime of 20 minutes for activation of offline water units, per \nthe activation protocol. \n\u2022 Remediation Action(s): Shall include, but are not limited to" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 13, + "content": "replacement, repair, maintenance, filtration, and/or flushing \nto reduce the concentration of lead and copper to the \nlowest possible concentrations. \n \nREQUIREMENTS \nPer the Annual Testing Protocol (pg. 8), BPS Facilities \nManagement Environmental Division will annually test all online \nwater units used for drinking and food preparation for lead and \ncopper concentrations. BPS annual testing will adhere to \nMassDEP\u2019s guidance for sample collection procedures for schools \nand early education childcare facilities, available at the following \nlink: Sampling for Lead and Copper at Schools and Childcare \nFacilities | Mass.gov. This testing protocol does not include any" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 14, + "content": "sinks used for facility cleaning or handwashing, including but not \nlimited to those found in utility rooms, bathrooms, locker rooms, \nkitchens, science labs, prep rooms, and classrooms. These sinks \nare not to be used for drinking or any other consumptive purpose" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 6 of 21 \n \n \nsuch as food preparation, and signage shall be posted as such. \n\u2022 In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: BPS Water / Boston School Water Quality. Units \nwith results between 1 ppb and 15 ppb for lead will continue \nto be used, while BPS Facilities Management implements \nshort or long-term remediation actions to reduce those \nlevels to the lowest possible concentrations. \n\u2022 In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 16, + "content": "the lead/copper deactivation levels, BPS Facilities \nManagement and BPS Communications will enact the \nDeactivation Protocol (pg. 10), which requires BPS Facilities \nManagement Plumbing Division to immediately deactivate \nonly the impacted online water unit(s), and place signage \nthat says \u201cWater Shut Off. Do NOT turn on without Facilities \nManagement or FNS (Food and Nutrition Services) \nApproval.\u201d For water units used for drinking, the units will \nalso be tagged with a \u201cDO NOT DRINK\u201d. \n\u2022 In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking \nor food preparation), signage has been conspicuously" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 17, + "content": "placed (as of September 1, 2016) near that source stating: \n\u201cWATER FROM SINKS WILL BE USED FOR WASHING ONLY.\u201d \nPictures will be used in locations as needed. BPS \nprincipals/heads of school will designate a responsible \nperson to check and ensure this signage is posted in \nbathrooms and classrooms on a regular basis. BPS Facilities \nManagement will provide the signage and can be contacted" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 7 of 21 \n \n \nfor additional or replacement signage. \n\u2022 BPS will follow the Activation Protocol (pg. 12) to safely bring \nonline school building water units used for drinking, food \npreparation, or medical services. \n\u2022 BPS will follow the Flushing Protocol (pg. 13) as one \nremediation practice for reducing lead levels to the lowest \npossible concentrations. \n\u2022 BPS Facilities Management will follow the Filter and Filtered \nWater Fountain Standard Operating Procedure and \nMaintenance Protocol (pg. 13) to manage all filtered water \nfountains and filters. \n\u2022 BPS Facilities Management will follow the Bottled Water" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 19, + "content": "Protocol (pg. 16), which includes providing bottled water, \nbottled water units, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online school. BPS Facilities Management \nwill manage and track all bottled water accounts. \n\u2022 BPS Facilities Management will provide water testing results \nand any recent water-related information to BPS \nCommunications for the BPS water webpage, \nhttp://www.bostonpublicschools.org/water and annual \nnotices to the BPS community. \n\u2022 Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 20, + "content": "continuously, without disruption, on all water coolers \nthroughout the entire school day, including during \nmealtimes. Schools are responsible for calling Facilities \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 8 of 21 \n \n \n\u2022 BPS Department of Health & Wellness will educate, \npromote, and communicate the importance and benefits of \ndrinking water and collaborate with Facilities Management \nand Food and Nutrition Services to communicate all aspects \nof this policy to school leaders, staff, students, and school \ncommunity. \n\u2022 In alignment with BuildBPS, BPS will integrate water \ninfrastructure improvements into routine renovations and \ncapital planning and develop a water infrastructure plan for \nschools that are offline with a goal of bringing all BPS \nschools online. \nIMPLEMENTATION PROTOCOLS: TESTING, MAINTENANCE, & \nACCESS \nAnnual Testing Protocol" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 22, + "content": "ACCESS \nAnnual Testing Protocol \nBPS annual testing will adhere to MassDEP\u2019s guidance for \nSample Collection Procedures for schools and early education \nchildcare facilities, available at the following link: Sampling for \nLead and Copper at Schools and Childcare Facilities | Mass.gov. \nHow to Collect a First Draw Sample \n1. Collect the sample before any water has been used. Water \nunits must be unused for at least eight (8) hours, but not \nmore than eighteen (18) hours, before testing. \n2. Sampler must wear chemical resistant Nitrile gloves while \nsampling. \n3. Complete the sample collection form during all sampling \n(Sample Custody Log - MA DEP LCCA Program or \nequivalent)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 9 of 21 \n \n \n4. Only use containers (250 milliliter/wide mouth) supplied by \na certified laboratory. \n5. Containers should not be opened until you are ready to \ncollect the sample. \n6. Sampling containers that have been compromised in any \nway (e.g., by being touched on the threads or the interior \nsurfaces) must not be used. \n7. Keep any food and drink away from the sample and its \ncontainer. \n8. If the fixture/faucet has an aerator at the end of the fixture, it \nshould not be removed before taking samples. The sampler \nshould not remove or clean any aerators prior to or during \nthe collection of tap samples. Make sure no water has been" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 24, + "content": "withdrawn from the tap or water fountain, as well as from \nany adjacent taps, before the sample has been collected. \n9. Place the container under the water unit that is being \ntested and collect 250 milliliters (mL) of water. \n10. For all water units being tested, make sure you turn on the \ncold water tap. Open the cold water tap and run it as you \nwould when filling a glass of water. \n11. Turn on the water and fill the container without allowing \nany water to run down the drain or the outsides of the \ncontainer. \n12. Close the container according to the instructions from your \ncertified lab. Tightly cap the sample bottle and place in the \nsample (shipping) kit provided." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 25, + "content": "sample (shipping) kit provided. \n13. Make sure the container is labeled with the same \ninformation from your sample collection form (Sample" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 10 of 21 \n \n \nCustody Log - MA DEP LCCA Program or equivalent). \n14. Prepare the container for shipping according to the certified \nlab's instructions. Ship containers according to the certified \nlab's instructions. \n15. Samples must be delivered and relinquished to a certified \nlab within 14 (fourteen) days of collection for proper testing. \nDeactivation Protocol \n1. In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: https://www.bostonpublicschools.org/water. \nUnits with results between 1 ppb and 15 ppb for lead will" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 27, + "content": "continue to be used, while BPS Facilities Management \nimplements short or long-term remediation actions to \nreduce those levels to the lowest possible concentrations. \n2. In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed the \nlead/copper deactivation levels: \na. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately \ndeactivate only the impacted online water unit(s), \nunless otherwise specifically directed. These units will \nbe made offline and tagged \u201cWater Shut Off. Do NOT \nturn on without Facilities Management or FNS (Food" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 28, + "content": "and Nutrition Services) Approval.\u201d For water units used \nfor drinking, the units will be tagged with a \u201cDO NOT \nDRINK\u201d. If required, a bottled water unit will be placed" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 11 of 21 \n \n \nas near as possible to the deactivated unit. \nb. BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups. One bottled water \ncooler will be provided for each deactivated water unit \n(e.g. water fountain) or as necessary to meet 248 CMR \n10.00: Uniform State Plumbing Code requirements \n(See: Table 1: Minimum Facilities For Building \nOccupancy, available at the following link: 248 CMR \n10.00: Uniform state plumbing code). . \nc. BPS Communications and Facilities Management will \nimmediately implement the Deactivation \nCommunications Protocol (pg. 18). \nd. BPS Facilities Management Environmental and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 30, + "content": "d. BPS Facilities Management Environmental and \nPlumbing Divisions will inspect the impacted water \nunit to identify any source or cause of elevation and \nschedule any remediation action(s). \ne. The impacted water unit will remain deactivated until \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has \ntested and received three (3) consecutive lead and \ncopper sample results at the lowest possible \nconcentrations. \n3. In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking \nor consumption) or levels of lead in water units exceed the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 31, + "content": "lead/copper action level, signage has been conspicuously \nplaced near that source stating: \u201cWATER FROM SINKS WILL \nBE USED FOR WASHING ONLY.\u201d \n4. The Boston Public Health Commission (BPHC) does not" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 12 of 21 \n \n \nrecommend that BPS screen children for lead. If a child is \nexposed to water containing elevated lead levels, the BPHC \nrecommends that parents consult their child's medical \nprovider to assess whether their child's individual risk \nwarrants blood lead testing. Many healthcare providers, \nsuch as MassHealth, cover the cost of lead testing. Families \nwith questions or concerns about costs may contact BPS \nHealth Services at 617-635-6788. \nActivation Protocol \n1. Upon completion of any water unit\u2019s remediation action \n(e.g., replacement, repair, etc.), Facilities Management \nEnvironmental Division will flush each water unit for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 33, + "content": "approximately 20 minutes or more as needed to remove any \nvisual signs of sediment, debris, and rust. BPS will adhere to \na minimum flushing time of 20 minutes for activation of \noffline water units. \n2. Eight to eighteen (8-18) hours post flushing, a sample from \neach water unit will be collected for confirmatory analysis of \nlead and copper. \n3. Repeat step #2 two additional times to conclude three (3) \nrounds of testing. For the initial activation of a filtered water \nunit, a sample for coliform will be collected during one of \nthe three rounds of testing (see New England States\u2019 \nSample Collection & Preservation Guidance Manual For \nDrinking Water, p. 36, New England States' Sample" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 34, + "content": "Collection & Preservation Guidance Manual for Drinking \nWater, Revision 5.0, January 2015). \n4. Upon receiving three (3) consecutive sets of sample results \nat the lowest possible concentrations and one negative fecal" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 13 of 21 \n \n \nbacteria test per filtered water unit, BPS Communications \nand Facilities Management will immediately implement the \nActivation Communications Protocol (pg. 18). \n5. Facilities Management and the head of school/principal will \nselect a date for activating the water unit(s) to go online. \n6. Once a date has been selected, the Facilities Management \nPlumbing Division will work on logistics for turning the \nwater unit(s) online. Logistics will include an activation flush. \nFlushing Protocol \n1. Food services equipment and fixtures (i.e., food preparation \nsink faucets, kettles, tilt skillets, ice makers, etc.) shall be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 36, + "content": "flushed every morning for two (2) minutes prior to the \npreparation of any food by the food service manager or \ndesignated food services employee. Only cold water shall be \nused for the flush and for the preparation of any food and or \nbeverage. The food services manager will be responsible for \nkeeping a daily log of all flushing activities. \n2. When drinking from an online fountain, it is recommended \nthat the drinker first let the water run for 5-10 seconds \nbefore drinking. This will be communicated to the BPS \ncommunity through the Implementation Protocols: \nEducation and Training (pg. 20). \n3. Following an extended school vacation (e.g., summer" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 37, + "content": "vacation, February vacation), custodians will flush all online \nfountains prior to the restart of school. \n4. Before watering a school garden with tap water, all \ngardeners must first flush the water for 2 minutes." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 14 of 21 \n \n \nFilter and Filtered Water Fountain Standard Operating \nProcedure and Maintenance Protocol \nIn addition to the Annual Testing Protocol (pg. 8), BPS will collect \nsamples for coliform testing of filtered online water units. \nIn cases where coliform is present within filtered online water \nunits: \n1. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately deactivate \nonly the impacted online water unit(s), unless otherwise \nspecifically directed. These units will be made offline and \ntagged \u201cWater Shut Off. Do NOT turn on without Facilities" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 39, + "content": "Management or FNS (Food and Nutrition Services) \nApproval.\u201d \n2. BPS Facilities Management will provide bottled water, \nbottled water units, and cups. One bottled water cooler will \nbe provided for each deactivated water unit (e.g. water \nfountain) or as necessary to meet 248 CMR 10.00: Uniform \nState Plumbing Code requirements (See: Table 1: Minimum \nFacilities For Building Occupancy, available at the following \nlink: 248 CMR 10.00: Uniform state plumbing code). \n3. BPS Communications and BPS Facilities Management will \nimmediately implement the Deactivation Communications \nProtocol (pg. 18). \n4. BPS Facilities Management Environmental and Plumbing" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 40, + "content": "Divisions will inspect the impacted water unit and schedule \nremediation action(s) (e.g., replacement of the filter). \n5. The impacted water unit will remain deactivated until" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 15 of 21 \n \n \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has received \none (1) sample result absent of coliform per affected water \nunit. \nBPS Facilities Management will initiate and uphold a vendor \ncontract to replace and maintain water fountain filters once per \nyear or more as needed. \nDaily Use/Maintenance \n\u2022 Only water should be put down the drains. Anything else \ncan cause clogging and lead to permanent damage of the \nunit and plumbing. \n\u2022 Custodians are responsible for wiping down the units daily. \nThe units shall be cleaned using the procedures outlined for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 42, + "content": "all high touch surfaces using food grade cleaning products. \n \nFilter Status Indicator Light \n\u2022 When the light turns yellow, the school should put in a work \norder via Asset Essentials, and select \u201cFilter Replacement\u201d. \n\u2022 The yellow light is just an indicator that the filter is \napproaching the end of its life and will need to be changed \nsoon. The light does not indicate that the filter or water \nquality is compromised. \n\u2022 If a light turns red, please place one of the signs provided in \nyour Drinking Water Binder on the unit and encourage \noccupants to utilize another unit until the filter can be \nreplaced." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 16 of 21 \n \n \nLeaking/broken Unit \n\u2022 If the unit has been newly installed within the last year, the \nschool should reach out to Audrey Ng, the Water & \nSustainability Project Manager to have the contractor \naddress the issue under warranty. \n\u2022 If the unit is not newly installed, the school should put in a \nwork order via Asset Essentials to be addressed by your \nplumbing supervisor. \n\u2022 The school\u2019s operations staff may choose to use the tools \nprovided in the Water Bottle Refill Station Repair Kit to open \nand turn off the unit to stop the leaking until the contractor \narrives. \nBottled Water Protocol" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 44, + "content": "arrives. \nBottled Water Protocol \n\u2022 BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online schools. \n\u2022 BPS Facilities Management will cease bottled water \naccounts for schools that are activated online. Bottled water \ncoolers will only remain in an online school in medical or \nfood service areas if those areas lack access to tap water \nunits. \n\u2022 BPS Facilities Management will manage and track all \nbottled water accounts. \n\u2022 Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 45, + "content": "continuously, without disruption, on all water coolers \nthroughout the entire school day, including during meal \ntimes. Schools are responsible for calling Facilities" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 46, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 17 of 21 \n \n \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule. \nIMPLEMENTATION PROTOCOLS: COMMUNICATIONS & \nREPORTING \nBPS Communications is responsible for updating and \nmaintaining the BPS water website at BPS Water / Boston School \nWater Quality with content support from BPS Facilities \nManagement and BPS Department of Health and Wellness. BPS \nCommunications will update the BPS water website to include a \ncurrent list of online schools and the most recent annual test \nresults, and a current list of offline schools. These lists must be \nupdated every time a school is activated or deactivated." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 47, + "content": "Deactivation Communications Protocol \nIn cases where coliform is present or concentrations of lead and \nor copper in water units used for drinking or food preparation \nexceed the lead/copper action levels, BPS Communications and \nFacilities Management will promptly implement the Deactivation \nCommunications Protocol: \n1. The school\u2019s principal/head of school will be notified of the \ndeactivation protocol and test results by email with the test \nresults and a standardized letter for the school community. \n2. The letter will include the water testing results and a link to \nthe BPS water website, which provides resources related to \nlead in the water. A letter template will be provided by BPS" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 48, + "content": "Communications and BPS Facilities Management, and the \ntesting results will be provided by BPS Facilities \nManagement." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 18 of 21 \n \n \n3. Any media statements will be managed by BPS \nCommunications. \nActivation Communications Protocol \nUpon receiving three (3) consecutive sets of sample results below \nlead and copper action levels, and one negative fecal bacteria \ntest result for filtered water units, BPS Communications and \nFacilities Management will immediately implement the \nActivation Communications Protocol: \n1. The school\u2019s principal/head of school will be notified of the \nactivation protocol and test results. \n2. The letter will include the water testing results, a link to the \nBPS water website, and details regarding any water" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 50, + "content": "infrastructure improvements (e.g., new fountains, filters, \npipes). A letter template will be provided by BPS \nCommunications and BPS Facilities Management, and the \ntest results will be provided by BPS Facilities Management. \nThe principal/head of school will share this information with \nthe school community. \n3. BPS Facilities Management and the principal/head of school \nwill select a date for activating the water unit(s) online. \n4. Once a date has been selected, BPS Facilities Management \nPlumbing Division will implement the logistics for turning \nthe water unit(s) online. \nANNUAL REPORTING \nBPS Facilities Management will provide water testing results and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 51, + "content": "any recent water-related information to BPS Communications for \nthe BPS water webpage and annual notices to the BPS" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 52, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 19 of 21 \n \n \ncommunity. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will provide annual updates to the \u201cBPS Drinking \nWater Access Policy\u201d, if needed. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will annually report on the implementation of the \nWater Policy to the District Wellness Council and subsequently \nthe BPS School Committee. Following BPS School Committee \nreview, this information will be shared with MassDEP. \n \nIMPLEMENTATION PROTOCOLS: EDUCATION & TRAINING \nThe following BPS staff will receive annual training and \nprofessional development about this policy and its protocols:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 53, + "content": "\u2022 Principals/heads of school will receive training at the Annual \nLeadership Institute as a part of Operations and/or wellness-\nrelated sessions. \n\u2022 Food service managers and staff will receive training at the \nsummer training provided by Food and Nutrition Services. \n\u2022 Custodians will receive training at summer training \nprovided by BPS Facilities Management. \n\u2022 School-based staff will be trained by principals/heads of \nschool at the beginning of the school year, as part of the \nschool policies and procedures overview. \n\u2022 Any new Facilities Management Environmental and \nPlumbing Division staff will receive training as part of their \nonboarding process." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 54, + "content": "onboarding process. \nBPS Department of Health and Wellness will educate, promote," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 20 of 21 \n \n \nand communicate the importance and benefits of drinking \nwater, and collaborate with Facilities Management and Food and \nNutrition Services to communicate all aspects of this policy to \nschool leaders, staff, students, and school community. \nBPS School Wellness Councils will include water-policy related \ngoals as part of their annual Wellness Action Plans." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 56, + "content": "Superintendent\u2019s Circular FMT-20 \nPage 21 of 21 \n \n \nFor more information about this circular, contact: \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: 617-635-9576 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: 617-635-8300 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Executive Director \nDepartment: Health & Wellness \nMailing Address: 370 Columbia Road, Dorchester, MA 02125" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 57, + "content": "Phone: 617-635-1631 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-04 \nVersion 01 \n \n \n \nCUSTODIAL PAY ADJUSTMENTS \u2013 CALL-IN \nPROCEDURE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nSo the Office of Facilities Management (Building Services) may \nproperly adjust a custodian's pay in a timely manner, it is \nessential that you follow the payroll procedure outlined below: \nWhen a senior custodian is absent, you must notify Facilities \nManagement (Building Services), by telephone 617-635-9162 or e-\nmail (emalone2@bostonpublicschools.org) with: the name of the \nabsent senior custodian; the name of the custodian covering; the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 2, + "content": "reason for the absence; and all dates of absence, if known. \nWhen the absent senior custodian returns to work, Facilities \nManagement (Building Services) must be notified to ensure that \nthe person covering is paid for the correct number of days. \nThe custodial pay period begins on Saturday and ends on Friday. \nIt is a weekly payroll. If the absentee is to be out on a long-term \nbasis, Facilities Management (Building Services) must be notified \nif the current acting senior should be carried forward to the next \npay period." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-04 \nPage 2 of 3 \n \n \n \n\uf075 If a custodian is being docked for all or any part of a day, \nyou must notify Beth Malone to ensure the dock is \nproperly recorded. You must also notify Facilities with the \nreason for the dock (i.e., late, no show/no call, left early). \nIf a custodian is at \"0\" balance (out of sick, personal, or vacation \nleave), they must be coded. Select Absence Name - Leave \nWithout Pay, then select Absence Reason. Additional information \nshould be entered in the \u201ccomments\u201d panel. \nAll docks and acting senior coverage must be reported in a timely \nmanner. \nTo ensure coverage in a single-person building, prior notice" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 4, + "content": "should be given to the Office of Facilities Management (Building \nServices) whenever possible. Forty-eight (48) hours\u2019 notice is \nrequired for personal and compensatory days. Two weeks\u2019 notice \nis required for vacation. \nCalls for acting senior coverage while school is in session will only \nbe taken from the head of school/principal, secretary, or \nprincipal's designee. Custodians should call in any acting senior \ncoverage during school vacations and summer months." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FMT-04 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-05 \nVersion 01 \n \n \n \nPERMIT ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPERMIT REQUEST PROCESS FOR ALL BPS BUILDINGS \nAny activity taking place in a school building after school hours \nrequires a permit, including activities during school vacation \nweeks, holidays, and summer months. \nALL PERSONS WILL BE DENIED ACCESS TO BPS BUILDINGS IF \nNO PERMIT HAS BEEN REQUESTED AND APPROVED BY THE \nSCHOOL AND FACILITIES MANAGEMENT. \nPermits are to be electronically submitted through SchoolDude \nat least two weeks (minimum) before the event, so it is advisable" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 2, + "content": "to submit your request when the activity/event is scheduled and \nconfirmed. \nFor external (non-BPS) users: \n\u2022 Access link: Facilities Mgt. Community Use Monthly \nCalendar \n\u2022 Please see the CommunityUse Requester Guide for more \ninformation about how an outside organization accesses the \nsystem and submits requests. \n\u2022 Please see the FSRequester Guide, which includes video and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 2 of 9 \n \n \n \npicture how-to guides for submitting requests once you are \nlogged in. \nFor internal (BPS) users: \n\u2022 Single Sign On: From the nine-dot grid in the top right of \nyour Gmail screen, click \u201cMore,\u201d then click the SchoolDude \nicon (looks like a cartoon face). \n\u2022 SchoolDude log in screen \n\u2022 Please see How to Submit a Schedule Request, which \nincludes video and picture how-to guides for submitting \nrequests once you are logged in. \n\u2022 Once an organization or BPS staff member has submitted a \nrequest, it will be routed to the school leader or their \ndesignee for approval. Please see Processing Schedules for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 4, + "content": "more information about how to manage approvals. \nIf an independent third party (NOT a BPS or BPS partner \norganization) submits a permit request form to use or \noccupy school property for an event at which attendance is \nexpected to exceed 60 people, or at which there is a charge \nfor admission, the party shall be required to hire a School \nPolice detail, at the third party\u2019s own expense, to be present \nfor the duration of their use of the property. \nPlease Note: The routing process for summer will be different \nfrom the school year process. [See page 4 of this circular.] For \nsummer programs, requests will go first to BPS Facilities, then" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 5, + "content": "the school leader will receive notification of the approval of \nbuilding use." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 3 of 9 \n \n \n \nCUSTODIAL HOURS AND OVERTIME \nThe applicant is responsible for custodial overtime, utilities fees, \nand building usage fees, if applicable. Schools and other \napplicants may also be responsible for overtime if the event \noccurs before or after a building is closed, on a weekend, holiday, \nor school vacation, and/or when the building is open if additional \ncustodial coverage is required, as determined by Facilities \nManagement. Payment in the form of a certified check or money \norder made out to Boston Public Schools is required prior to the \npermit activity occurring. \nFor all activities and events that occur when the building is" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 7, + "content": "closed, the custodian(s) will open the building one-half hour prior \nto the entrance of the applicant to the building and will close the \nbuilding one-half hour after the applicant exits the building. \nGroups requesting building space must abide by their requested \npermit hours. \nREQUEST FOR BUILDING USE BY COMMUNITY USERS \nAll the above conditions apply, with the addition that outside \ngroups must pay a building usage fee. A fee is charged per \nspace. \nAn invoice for all Facilities Management permit fees will be sent \nby the Facilities Management Department via the SchoolDude \nbuilding permitting system with the actual fees that the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 8, + "content": "requester will be charged. Custodial coverage is determined by \nthe number of people and the amount of space used by the \napplicant. \nStaffing Minimum" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 4 of 9 \n \n \n \nUp to 150 people = 1 Senior Custodian \nUp to 350 people = 1 Senior Custodian and 1 Junior Custodian \nUp to 450 people = 1 Senior Custodian and 2 Junior Custodians \n \nAn additional hour is added to the permit hours (one-half hour to \nopen and one-half to close). \nIf a custodian works overtime, principals/heads of schools should \nwork with their area managers to ensure that the custodian has \nmeaningful work to do (a predetermined work schedule) during \novertime hours. Custodians are expected to remain on the school \npremises while on overtime and perform the scheduled work. \nCustodial opening and closing times (one-half hour before and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 10, + "content": "after) are figured into the permit hours. Requesters DO NOT need \nto include this time in the request. \nGENERAL TERMS AND CONDITIONS \nResponsibility for Use: \n\u2022 It is expressly understood and agreed that the regulations of \nthe School Committee are to be strictly complied with. The \nrequester/organization may refer to the BPS Superintendent \nCirculars for BPS Policies and Procedures. \n\u2022 The requester/organization assumes full responsibility for \nany injury to or loss of city property as a consequence of \nsuch use of the above-described accommodations and \nengages to make the same good without the expense to the \ncity. The requester/organization further agrees to pay the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 11, + "content": "charge for the light, heat, custodians, security, and other \nservice as required. \n\u2022 BPS gymnasiums: Requester/organization assumes all" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 5 of 9 \n \n \n \nresponsibility for the proper use and protection of the \nfacilities provided in the school. Requester/organization \nmust not allow persons to use these facilities over whom \nthey have no control. \nThe organization, their participants, and spectators are \nprohibited from any part of the building other than the \ngymnasium. Organization shall enter the school through \none entrance. Entry doors are NOT to be propped open to \nallow unauthorized individuals to enter the building. It will \nbe the responsibility of the organization to station an \nindividual at the designated entrance to ensure only" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 13, + "content": "participants of that program are allowed in. Once all \nparticipants are allowed in, all doors should be closed and \nsecured. \nSupervision: The applicant/organization must provide sufficient \nsupervisory personnel to ensure proper supervision for the safety \nof members/guests and regulate responsible usage. The \norganization will be responsible for all costs incurred to repair any \ndamage done to the premises. Custodial employees are not \navailable for supervising the premises but do have obligations \nconnected with cleaning and maintenance of the building. \nLicenses: In addition to the permit required by the regulations of \nthe School Committee, for any exhibition or entertainment where" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 14, + "content": "an admission fee will be required, a license under the provisions \nof Chapter 348 of the Special Acts of 1915 must be obtained. This \nlicense can be obtained by applying to the Mayor of the City of \nBoston and paying the required fee. No such license is required \nfor entertainment in school buildings by or for the benefit of the \npupils thereof, and under the supervision of the principal/head of \nschool." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 6 of 9 \n \n \n \nPolice Attendance: If admission is charged, the person to whom \nthe permit is issued must make provisions for BPS School Police \nattendance. If a school building is occupied outside of school \nhours by third-party programs, sufficient BPS School Police \nattendance is necessary if there are sixty (60) or more persons \noccupying the facility. A BPS School Police detail is the sole \nresponsibility of the renter(s). If BPS School Police are not in \nattendance, BPS Facilities Management may cancel the permit \nand exclude all persons from the building. \nTime for Filing Permit Requests: Building permit requests during" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 16, + "content": "the school year must be submitted. No definite and final \nreservations are made until (1) the request is approved by the \nprincipal/head of school and (2) Facilities Management has given \nfinal approval and activated the permit. \nGymnasium Permit Start and End Date: Gymnasium permits will \nbegin the last week of September and end two (2) weeks prior to \nthe closing of school. \nAlcohol, Smoking, and Food Regulations: According to state law, \nalcoholic beverages are not allowed in public school buildings. \nConsumption of food and/or beverages is not permitted in the \nauditorium or conference rooms. Smoking is not permitted in any \nschool building." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 17, + "content": "school building. \nPayment: Personal/company checks; certified bank checks, \nand/or money orders will be accepted as forms of payment. Cash, \ncredit cards, and money transfers are not accepted forms of \npayment. Any check returned for insufficient funds will be \ncharged an additional $25.00. \nRight to Cancel: Heads of schools/principals reserve the right to" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 7 of 9 \n \n \n \nrequest cancellation of any requested permit activity occurring at \ntheir facility. BPS Central Administration will make final \ndeterminations regarding principal/head of school cancellation \nrequests. BPS Central Administration has the right to cancel any \npermit in violation of BPS building usage and/or safety policies. \nObligation to Clean: Requester is obligated to clean and organize \nany used building space and return the building space to the \nstate it was found it. If the space is not suitably cleaned and/or \nreturned to the state it was in prior to use, the requester may be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 19, + "content": "charged additional custodial and/or other fees and may lose the \nprivilege of using any BPS facility in the future. \nSchool Closures: If schools are closed due to inclement weather \nor other emergencies, all permits are automatically \ncanceled/suspended for the duration of the inclement weather or \nother emergency. Gymnasiums are not available for rental during \nholidays and Christmas, February, April, and summer vacations. \nWeekend Use: If snow is forecast, Facilities Management cannot \nguarantee that parking lots will be cleared for scheduled events. \nOrganizations are urged to contact Facilities Management to \ncancel when necessary. You may contact the area manager on" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 20, + "content": "duty through Municipal Protective Services at 617-635-4844 to \ncancel. \nPERMITS DURING SUMMER TERMS \nPermit Approval: Summer permit requests will be routed first to \nBPS Facilities. The school leader will then receive notification of \nthe approval of building use. \nPermit Start and End Date: Summer programs may operate in" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 8 of 9 \n \n \n \nBPS buildings between July 8 and August 9, 2024, with one day \nof setup to be arranged with the school leader prior to July 1, \n2024. Gymnasium permits will begin one week after the opening \nof school and end one week prior to the closing of school. \nStudent and Employee Attendance: Programs operating in BPS \nbuildings must record daily student and staff attendance to be \navailable upon request. \nIdentification: During the summer, all adults working in any BPS \nbuilding must wear an identifying name badge indicating at \nminimum their full name and organization/program name. \nSpecifications for employees working in BPS buildings during" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 22, + "content": "summer staff are as follows: \n\u2022 BPS summer staff: All BPS employees must wear their BPS \nissued ID. \n\u2022 Non-BPS summer staff hired via OHC external hiring \nprocess: All non-BPS summer staff must wear their BPS \nSummer ID issued by OHC at their Welcome Session. \n\u2022 Community-based program staff: Must wear a visible \norganizational ID badge every day during the program. \nBOSTON PUBLIC SCHOOLS FACILITIES RENTAL FEES \nAll events and functions to be held in Boston Public School \nbuildings will be implemented in accordance with the following \nfee schedule. \nOne Time Event \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $515.00/event \nContinuous Usage \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $2,575.00 per 10 events" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 23, + "content": "Continuous Usage \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $2,575.00 per 10 events \nUtilities \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $95.00/hour \nSenior Custodian \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $49.00/hour" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FMT-05 \nPage 9 of 9 \n \n \n \nJunior Custodian \u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7\u00b7 $37.00/hour \n \nFor more information about this circular, contact: \nOwner: Assistant Director, Building Services \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve, Dorchester, MA 02125 \nPhone: 617-635-9162 \nFax: 617-635-9306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFMT-19 \nVersion 01 \n \nBPS STANDARD OPERATING PROCEDURE FOR \nCLEANING AND DISINFECTING BODY FLUID SPILLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThis standard operating procedure (SOP) will be implemented to \nensure BPS custodians safely and properly respond to all \nincidents requiring cleaning and disinfecting of body fluid spills. \nBody fluids \u2013 including vomit, diarrhea, and blood \u2013 are \nconsidered potentially infectious. Employees should always treat \nany body fluid response action as potentially infectious and \nalways wear proper personal protective equipment when" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 2, + "content": "cleaning and disinfecting body fluid spills. \nPROCEDURES \n1. Contain the affected area. \n\u25cf Discontinue food service operations if a spill occurred \nin food preparation or service areas. \n\u25cf Remove students and staff from the affected area or \nclassroom. \n\u25cf Block off the area of the spill from staff and students \nuntil cleanup and disinfection are complete. For \nincidents involving vomit, contain all areas within 25 \nfeet of the spill." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 2 of 10 \n \n \n \n\u25cf Send sick students and staff to the school nurse. \n\u25cf Excuse (e.g., send home) food service employees with \nsymptoms of vomiting or diarrhea from food service \noperations. Refer to the TFER Exclusions and \nRestrictions for Ill or Infected Food Service Employees \nfor guidance. Please refer to the food service employee \nreporting agreement. \n\u25cf Allow only food service employees and/or custodial \nstaff designated to clean and disinfect body fluid spills \nin the affected area. \n2. Put on personal protective equipment (PPE), including: \n\u25cf Wear disposable, non-latex gloves. Gloves should be \nvinyl or nitrile (rubber), and non-powdered." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 4, + "content": "vinyl or nitrile (rubber), and non-powdered. \n\u25cf Consider double-gloving (wearing two gloves on each \nhand). Replace gloves if they tear or become visibly \nsoiled. Keep hands away from the face while wearing \ngloves. \n\u25cf Wear a face mask and eye protection (goggles or \nprotective glasses). \n3. Remove visible body fluid. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Clean the affected area with soap and water, and paper \ntowels and/or a disposable mop head. This includes \nsurfaces that came into direct contact with body fluids \nand surfaces that may have been contaminated with \nbody fluids. Before disinfecting, all surfaces should be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 5, + "content": "thoroughly cleaned (i.e., not visibly soiled)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 3 of 10 \n \n \n \n\u25cf Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n\u25cf Remove gloves and discard in a plastic garbage bag. \n\u25cf Wash hands. \nFood contact surfaces: \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Clean the affected area with soap and water. \n\u25cf Rinse thoroughly with plain water. \n\u25cf Wipe dry with paper towels. \n\u25cf Dispose of paper towels in a plastic garbage bag. \n\u25cf Disinfect surfaces. \n\u25cf Prepare and apply a solution of \u00be cup concentrated \nbleach + 1 gallon of water. \n\u25cf Leave the surface wet for at least 5 minutes. \n\u25cf Rinse all surfaces intended for food or mouth contact" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 7, + "content": "with plain water before use. \n\u25cf Wipe down with sanitizing solution concentration for \nfood contact surfaces to air dry. \n\u25cf Wash your hands thoroughly with soap and water." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 4 of 10 \n \n \n \nNon-absorbent surfaces (i.e., tile, stainless steel): \n\u25cf Prepare a disinfecting solution. The disinfecting \nsolution shall be an EPA registered hospital grade \ndisinfectant.* \n\u25cf Wear all PPE, including the face mask and eye \nprotection or goggles. Ensure that area is well \nventilated (mix solution outdoors if necessary). \n\u25cf Prepare a disinfecting solution per manufacturer\u2019s \nrecommendations immediately before applying it to \nsurfaces. It is recommended that this solution be used \non surfaces that have had any direct contact with body \nfluids. \n\u25cf Transfer solution to a spray bottle. \n\u25cf Using the spray bottle, generously apply the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 9, + "content": "\u25cf Using the spray bottle, generously apply the \ndisinfecting solution to affected surfaces, including \nsurfaces that came into direct contact with body fluids, \nand surfaces that may have been contaminated with \nbody fluids. \n\u25cf For incidents involving vomit, disinfect all areas and \nsurfaces within 25 feet of the spill. \n\u25cf Use in a well-ventilated area. \n\u25cf Disinfect high touch areas (e.g., door handles, toilets, \ndispensers, carts, sink faucets, telephones, etc.) \nthroughout the food service area, cafeteria dining \nareas, break rooms, and restrooms using disinfecting \nsolution and paper towels. \n\u25cf Leave the disinfecting solution on affected surfaces for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 10, + "content": "a minimum of 5 minutes. If another EPA-approved" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 5 of 10 \n \n \n \ndisinfectant is used, follow the manufacturer\u2019s \ninstructions. \n\u25cf Rinse surfaces with clean water and paper towels \nand/or a disposable mop head. \n\u25cf Allow surfaces to air dry. \n\u25cf Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n\u25cf Remove gloves and dispose of them in a plastic \ngarbage bag. \n\u25cf Wash hands. \n* EPA-approved disinfectants may be used instead of \nchlorine bleach solutions. EPA-approved disinfectants \nappropriate for vomit and diarrhea may be found at \nwww.osha.gov/sites/default/files/publications/norovirus\n-factsheet.pdf. CDC guidelines on norovirus outbreak" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 12, + "content": "management and disease prevention recommend \nusing chlorine bleach solutions on hard surfaces when \npossible. EPA-approved disinfectants appropriate for \nblood may be found www.epa.gov/pesticide-\nregistration/selected-epa-registered-disinfectants. \nAbsorbent surfaces (i.e., carpet, upholstery, cloth): \n\u25cf Disinfect with a chemical disinfectant when possible or \nremove and dispose of the affected material. The \nmaterial will be double-bagged and disposed of \nthrough mainstream waste disposal. \n\u25cf Steam clean for a minimum of 5 minutes at 1700F." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 6 of 10 \n \n \n \n\u25cf Launder in a mechanical washing machine on the \nhottest water setting, and dry in a mechanical dryer on \na high heat setting. \n\u25cf Dispose of disinfecting materials in a plastic garbage \nbag, as appropriate. \n\u25cf Remove gloves and dispose of them in a plastic \ngarbage bag. \n\u25cf Wash hands. \n4. Discard potentially contaminated food. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Dispose of exposed food and food in containers that \nmay have been contaminated by body fluid in a \ngarbage bag. \n\u25cf For incidents involving vomit, discard all food within 25 \nfeet of the spill. Food stored in intact, sealed containers" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 14, + "content": "(i.e., cans) may be salvaged if adequately cleaned and \ndisinfected. \n\u25cf Remove gloves. Dispose of gloves in a plastic garbage \nbag. \n\u25cf Wash hands. \n5. Dispose of PPE and cleaning and disinfecting materials. \n\u25cf Put on new disposable gloves. Consider double \ngloving. \n\u25cf Securely tie garbage bags containing all of the \ndisposed of materials." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 7 of 10 \n \n \n \n\u25cf Place garbage bags in a second garbage bag (double \nbag). \n\u25cf Clean all non-disposable items (bucket, mop handle, \netc) with soap and water; then disinfect. Allow these \nitems to air dry. \n\u25cf Remove PPE, including disposable gloves, and place in \na second garbage bag. \n\u25cf Securely tie the second garbage bag. \n\u25cf Discard the bag(s) in the dumpster. \n\u25cf Remove soiled clothes, if necessary, and place clothes \nin a separate garbage bag. Securely tie the garbage \nbag. Keep clothes in the tied garbage bag until they \ncan be adequately laundered. \n6. Wash hands, arms, and face with soap and water in a" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 16, + "content": "restroom sink or hand sink. Put on clean clothing, if \nnecessary. Apply ethanol-based hand sanitizer to hands. \n7. Wash, rinse, and sanitize potentially contaminated food \ncontact surfaces. Include food contact surfaces that were \ndisinfected in step 5 of this SOP, and food contact surfaces \nthat contained food discarded in step 6 of this SOP. \n8. Restock supplies for cleanup." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 8 of 10 \n \n \n \nMONITORING \nStandard daily cleaning of food services areas shall include: \n\u25cf Custodial Staff: Sweep and clean the cafeteria floors with a \nneutral cleaner. Cafeteria walls and ceilings shall be cleaned \non an \u201cas needed\u201d basis. \n\u25cf Food Service Staff: Clean and disinfect cafeteria tables with \na solution of bleach and water. \nNOTE: Cleaning of body fluid spills in food services areas will be \ndone by the school\u2019s custodial staff. This will include any bodily \nfluid spill on the cafeteria tables. In this case, only the affected \ntable(s) will be cleaned by the custodial staff. All other cafeteria" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 18, + "content": "tables will be cleaned by the food service staff. \n1. The senior custodian is designated and trained to \nimplement this SOP and trained in the use of necessary \nsupplies. They will ensure that: \n\u25cf Necessary supplies are available at all times. \n\u25cf Custodians are: \n\u25cb Educated on illnesses and symptoms that must be \nreported to their building service area manager or \n617-635-9162. \n\u25cb Monitored for signs and symptoms of illness. \n2. The food service manager will ensure that food service \nemployees are: \n\u25cf Educated on illnesses and symptoms that must be \nreported to managers. \n\u25cf Monitored for signs and symptoms of illness." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 9 of 10 \n \n \n \nAdapted from USDA document Cleaning and \nDisinfecting Body Fluid Spills (Miami County Public \nHealth website). \nFor more information about this circular, contact: \nOwner: Senior Environmental Supervisor \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: 617-635-8300 \nFax: 617-635-7855 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nName: Equipment Coordinator \nDepartment: Food and Nutritional Services \nMailing Address: Food & Nutrition/Wellness Building, 370 \nColumbia Road, Dorchester, MA 02125 \nPhone: 617-635-9296 \nFax: 617-635-9305" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 20, + "content": "Phone: 617-635-9296 \nFax: 617-635-9305 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FMT-19 \nPage 10 of 10 \n \n \n \n \nName: Sr. Manager, Building Services \nDepartment: Facilities Management \nMailing Address: Campbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: 617-635-9165 \nFax: 617-6359306 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSUP-20 \nVersion 01 \n \n \nCHILD ABUSE AND NEGLECT \n \nTHIS CIRCULAR WILL REMAIN IN EFFECT UNLESS RESCINDED OR \nSUPERSEDED BY A SUBSEQUENT VERSION \nGENERAL INFORMATION \nMassachusetts General Law (Chapter 119, Section 51A) requires \nthat certain persons who in their professional capacity have \nreasonable cause to believe that a child under the age of \neighteen (18) years is suffering serious physical or emotional \ninjury resulting from abuse, including sexual abuse, or neglect, \nincluding malnutrition, inflicted upon them SHALL \nIMMEDIATELY, VIA TELEPHONE, REPORT THIS ABUSE OR \nNEGLECT TO THE DEPARTMENT OF CHILDREN AND FAMILIES," + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 2, + "content": "either via the attached Area Offices Telephone Directory or via \nthe 24-hour reporting hotline: 1-800-792-5200. \n \nWithin forty-eight (48) hours of the initial oral report, these \nprofessionals are required under Massachusetts law to notify the \nDepartment of Children and Families (DCF) in writing using the \nattached Report Form. The Report Form should be sent by \nregistered mail, with return receipt requested, to the appropriate \nDCF Area Office. A new Report Form must be completed for \neach new injury or re-injury." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 2 of 15 \n \nWHO MUST REPORT? \nBy law, the following professionals, among others, are \u201cmandated \nreporters\u201d and must report cases of child abuse or neglect to \nDCF: physicians, medical interns, medical examiners, dentists, \nnurses, teachers, educational administrators, guidance \ncounselors, family counselors, probation officers, school \nattendance officers, social workers, psychologists, and police \nofficers. When these professionals are employed at a school, they \nmust either notify DCF directly or, alternatively, notify the person \nin charge of the school or that person\u2019s designated agent. Out of" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 4, + "content": "an abundance of caution, however, all school professional staff in \nthe Boston Public Schools are required to report to DCF any \ninstance of neglect or abuse that they observe or which is \nbrought to their attention. \n \nPlease note that all employees are required to report any \nsuspected or alleged bias-based conduct toward a student \nor sexual misconduct toward a student under circulars EQT-\n02 and EQT-03. This report must be made to a school \nadministrator and/or directly to the Office of Equity. A \ndetermination will then be made whether it meets the \nstandard for a report to the Department of Children and \nFamilies under SUP-20. Please see Attachment 1, Procedures" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 5, + "content": "for Reporting Suspected Child Abuse and Neglect Cases. \n \nNothing in this policy prohibits a school professional from \nnotifying DCF directly when such school professional has \nreasonable cause to believe abuse or neglect occurred. In the \nevent that a school professional notifies the building \nadministrator in charge of an incident of suspected abuse or" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 3 of 15 \n \nneglect, that building administrator must make a report to DCF \nfollowing the procedures outlined in this circular. \n \nAny other person may report a case of child abuse or neglect \nwhen there is reasonable cause to believe that a child\u2019s health or \nwelfare is being harmed, or is at substantial risk of being harmed, \nas a result of abuse or neglect. \nWHAT TO REPORT? \nAny incident in which there is reasonable cause to believe that a \nchild\u2019s physical or mental health or welfare is harmed or is \nthreatened with substantial risk of harm through abuse or \nneglect must be reported. Truancy by itself is not a reportable" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 7, + "content": "matter. This means that a child missing school is not, on its own, \na reason to report. \nABUSE. Abuse includes: \n\u2022 Physical, mental, or emotional injury by other than \naccidental means, i.e., beatings, cuttings, burns, broken \nbones, multiple bruises \n\u2022 Physical dependency on an addictive drug at birth \n\u2022 Any sexual act against another person either by force, or by \nthreat of force or bodily injury, or against the person\u2019s will. \nThis includes a sexual act against another person who is \nincapable of giving consent either because of their \ntemporary or permanent mental or physical incapacity or \nbecause s/he is a minor. Such crimes as indecent assault" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 8, + "content": "and battery, rape, rape with force, rape and abuse, assault \nwith intent to rape and unnatural and lascivious acts \nconstitute a sexual assault." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 4 of 15 \n \nIndecent assault and battery includes, but is not limited to, \ninappropriate and unwanted touching of private body parts. \nA person under the age of 14 is legally unable to consent to \nthis type of sexual activity. \nNEGLECT. Neglect is deemed to exist when the person or persons \nresponsible for a child\u2019s care, although financially able to do so, \nfail to provide the child with: \n\u2022 Adequate food, clothing, shelter, education, or medical care \n\u2022 Proper supervision and/or guardianship. \n \nThe attached Procedures for Reporting Suspected Child Abuse or \nNeglect detail the relevant reporting procedures to be followed" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 10, + "content": "by Boston Public School employees. \n \nIMMUNITY \nAll reports will be held in strict confidence. A person required to \nreport who does in fact make a report, including a report of \nabuse or neglect by personnel in the public school system, shall \nnot be held liable in any civil or criminal action by reason of that \nreport. In addition, a person who, although not required to do so \nby statute, voluntarily makes a report shall not be liable in any \ncivil or criminal action by reason of that report if it was made in \ngood faith and that person did not perpetuate, inflict, or cause \nthe reported abuse or neglect. \nIn accordance with Massachusetts law (Massachusetts General" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 11, + "content": "Laws Chapter 119, Section 51B), persons who are mandatory \nreporters of child abuse shall share any relevant information \nrequested by the Department of Children and Families during \nthe investigation of a specific 51A child abuse report. Those \npersons who are required to share information are protected" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 5 of 15 \n \nfrom civil or criminal liability for providing such information \nwithout parental consent. \nCONSEQUENCES FOR VIOLATIONS OF THE REPORTING \nREQUIREMENT \nUnder Massachusetts law, any person required to make oral and \nwritten reports of suspected child abuse or neglect who fails to \ndo so and any person who knowingly files a frivolous report will \nbe subject to penalties as prescribed by law. \nBoston Public School employees required by law to report \nsuspected child abuse or neglect who fail to do so in accordance \nwith the attached procedures will be subject to discipline. \nPROHIBITION OF RETALIATION" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 13, + "content": "PROHIBITION OF RETALIATION \nRetaliation against any Boston Public School student or \nemployee for filing a complaint of abuse or neglect, including a \nreport of abuse or neglect against personnel in the public school \nsystem, is strictly prohibited. \nIn accordance with both Massachusetts law and the attached \nProcedures, any Boston Public School employees who \nthemselves perpetuate, inflict, or cause the abuse of any child will \nbe subject to discipline as outlined in the attached Procedures. \nATTACHMENTS: \n\u2022 Procedures for Reporting Suspected Child Abuse and \nNeglect Cases \n\u2022 Area Offices and Telephone Directory Guide for Reporting \nPurposes \n\u2022 DCF 51A Reporting Form" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 6 of 15 \n \nFor more information about this circular, contact: \nOwner: Chief of Student Support \nMailing \nAddress: 2300 Washington Street, Boston MA, 02119 \nPhone: 617-635-9000 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 7 of 15 \n \nATTACHMENT 1 \n (p. 1 of 6) \n \nPROCEDURES FOR REPORTING SUSPECTED \nCHILD ABUSE AND NEGLECT CASES \n \n1. Pursuant to Massachusetts General Law Chapter 119, Section \n51A, a mandated reporter is required to report when they has \n\u201creasonable cause to believe\u201d that a child under the age of \neighteen (18) years is suffering from abuse or neglect. Out of \nan abundance of caution, however, all school professional \nstaff in the Boston Public Schools are required to report to \nDCF any instance of neglect or abuse that they observe or \nwhich is brought to their attention. \n \n2. Upon such suspicion of abuse or neglect of a child under 18" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 16, + "content": "years of age, a teacher, or any other mandated reporter, will \nimmediately report their concerns to the building \nadministrator and will confer with the school nurse. Such \nabuse includes but is not limited to physical, mental, or \nemotional injury by other than accidental means (e.g. \nbeatings, cuttings, burns, broken bones, multiple bruises). In \nthe event of suspected physical abuse, a school nurse should \nbe contacted to immediately examine and document the \nchild\u2019s physical condition. Appropriate Special Education and \nSupport Services staff should be notified of the situation \nconcerning the suspected abuse or neglect." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 8 of 15 \n \nATTACHMENT 1 \n (p. 2 of 6) \n \n3. Upon suspicion of sexual assault, please refer immediately \nto the Equity Circular on Sexual Misconduct Toward Students \n(EQT-03) and follow the reporting procedures outlined in that \ncircular. School personnel responding to sexual assault \nconcerns will obtain only basic minimal facts of the alleged \nincident. These basic facts should include: (1) when the \nincident occurred; (2) where the incident occurred; (3) who \nassaulted the student, if known; (4) the nature of the \nincident; and (5) whether there are known witnesses and/or \nother victims. In an attempt to minimize the emotional" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 18, + "content": "stress victims of abuse experience and to preserve the \nintegrity and reliability of the required DCF and law \nenforcement investigations, additional interviews and more \ndetailed probing questioning are not to be conducted by \nschool officials. A student who reports being a victim of a \nsexual assault should never be asked to submit a written \nreport detailing the incident nor be asked to discuss the \nincident with the alleged perpetrator present at any time \nand under any circumstances. School personnel are \nmandated reporters but should not investigate the \nallegations or prepare a probing and/or detailed incident \nreport." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 19, + "content": "report. \n \n4. The building administrator or designee shall compile any and \nall relevant information from school professionals with \nknowledge of the incident and student. They shall also \ncompile any and all relevant information from school records \nto be used when reporting the case to the appropriate DCF" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 9 of 15 \n \nArea Office and have all such information and records \navailable for DCF. \n \n5. The building administrator must report to DCF even if they \nbelieve that the teacher, nurse, or other mandated reporter is \nmistaken in suspecting abuse or neglect. The building \nadministrator may not substitute their judgment for that of \nany mandated reporter within the school. The failure to file \na report as mandated by law will subject the building \nadministrator (or other mandated reporter who fails to \nmeet their statutory obligations) to discipline in \naccordance with BPS employee discipline procedures." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 21, + "content": "6. The building administrator or designee must immediately \ncall the DCF Screening Area Office to report the case. If the \nreport must be made after 5:00 PM, the building \nadministrator or designee must immediately call the DCF \nHotline number at 1-800-792-5200. \n \n7. The child must not be sent home from school before the \nverbal 51A report is filed with DCF. A written report must be \nforwarded within 48 hours. \n \n8. Within 48 hours of the initial oral report, the building \nadministrator or designee will send written notification to the \nDCF Area Office via fax or via the Virtual Gateway Portal at \nMass.gov. A confidential copy of the written notification form" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 22, + "content": "(copy attached) should be retained in the office of the \nprincipal or headmaster." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 10 of 15 \n \nATTACHMENT 1 \n (p. 4 of 6) \n \n \n9. If the alleged abuser is an employee of the Boston School \nDepartment, a copy of the notification should also be \nforwarded to the BPS Office of the Labor Relations. If an \ninvestigation confirms the allegations, the offending \nemployee will be subject to discipline in accordance with \nBPS employee discipline procedures. \n \n10. The building administrator, in consultation with others as \nnecessary, will decide how, when, and by whom the family, \nincluding the child who is suspected of being abused or \nneglected, will be notified of this report. Although the school" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 24, + "content": "is not required by law to notify the family, such notification is \nrecommended. In deciding whether to notify, the building \nadministrator and others should consider whether \nnotification will create a substantial risk to the student\u2019s \nhealth, safety, or welfare. DCF and the police and the \nDepartment of Social Work can provide consultation in \nmaking this determination to ensure the child\u2019s safety and \nwell-being. \n \n11. DCF investigators, who report to the school in order to \nconduct one phase of their investigation, should be required \nto identify themselves and to verify their assignment to the \ncase. School-based staff should encourage them to interview" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 25, + "content": "the child at home in the presence of the parent or caregiver, \nunless the 51A has been filed against the parent. In this latter \ncase, the interview of the child may be conducted in school \nin the presence of the building administrator or designee." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 11 of 15 \n \nATTACHMENT 1 \n (p. 5 of 6) \n \n \n12. Within sixty (60) days of filing a report, the building \nadministrator should receive a feedback report from DCF \ndetailing the department\u2019s findings and specifying the social \nservices that the department intends to offer the child. This \nfeedback report may be used to plan further collaboration \nwith other professionals assisting the family. \n \n13. Certain cases that the schools report to DCF (sexual abuse \nand exploitation, serious physical abuse, and some others) \nwill also be referred by DCF to the local police and the District \nAttorney\u2019s Office for investigation. In these circumstances," + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 27, + "content": "these agencies will typically conduct a multidisciplinary team \ninvestigation. This investigation will typically include an \ninterview with the alleged victim(s), alleged perpetrators(s), \nand witness(es). Relevant investigative information will be \nprovided to the school when appropriate, and as permitted \nby law. \n \n14. Throughout the reporting, investigation, and follow-up \nprocess, school documentation must be done in a way that \nensures confidentiality. Accordingly, reports of suspected \nabuse or neglect will not be part of a child\u2019s educational \nrecord, but will instead be kept separately. The school will \nmaintain files of the 51A reports of suspected abuse or" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 28, + "content": "neglect for no more than five years." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 12 of 15 \n \nATTACHMENT 1 \n (p. 6 of 6) \n \n15. When a building administrator seeks to remove a child from \nschool because of, for example, a disciplinary emergency \nremoval or illness, a parent may not always be available to \npick the child up. Other childcare, eldercare, school or work \nresponsibilities, or lack of transportation may delay or \nprevent a parent from being able to immediately pick up the \nchild from school. This is not, on its own, a reportable matter. \nMaintaining the child\u2019s safety at school or ensuring that the \nchild has a safe way to return home is the building \nadministrator\u2019s responsibility." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 30, + "content": "administrator\u2019s responsibility. \n \n16. Importantly, a special education dispute is not, on its own, a \nreportable matter. A parent disagreeing with school staff\u2019s \nopinions that a child needs a particular special education \nplacement, service, or evaluation is not a reportable matter. \nIn such situations, school staff should contact the assigned \nspecial education district assistant program director. \n \n17. Each school building will designate a representative who will \nensure that, in the event of the building administrator\u2019s \nabsence, the above reporting procedures are followed as \nrequired by law. School Health will make arrangements for" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 31, + "content": "emergency nursing staff coverage so that the required \ninvestigation, discussed above, will begin before the end of \nthe day." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 13 of 15 \n \nEMERGENCY PROTOCOL \n \nIn the event of a clear emergency where the life or safety of a child \nis in imminent danger, the building administrator, designee, or \nother mandated reporter should immediately notify the \nappropriate DCF Area Office and file the required 51A Report. \nAfter 5:00 PM, the school official should use the Massachusetts \nChild Abuse Emergency Hotline, at 1-800-792-5200. A written \nreport must be filed within forty-eight hours. \n \nMassachusetts General Laws Chapter 119, Section 51B(3) authorizes \nthe Department of Children and Families to take a child into \nimmediate temporary custody, without parental permission or" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 33, + "content": "prior notice, if the department has reasonable cause to believe \nthat this action is necessary to protect the child from further \nabuse or neglect. Emergency responses by the Department of \nChildren and Families may include law enforcement, \ndepending upon the nature of the incident reported. If DCF \nseeks to exercise this authority in the school setting, the building \nadministrator shall: \n \n1. Verify the DCF representative\u2019s identification and retain a copy \nof the identification in the student record \n \n2. Contact the DCF representative\u2019s immediate supervisor to verify \nthe need for the DCF action \n \n3. Maintain a log, which should be filed with the office copy of" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 34, + "content": "the 51A report, of the action, the DCF employee(s) involved, and \nthe DCF Area Office involved; and provide any other pertinent \ninformation related to the suspected abuse or neglect." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 14 of 15 \n \n \nATTACHMENT 2 \n \n \nDEPARTMENT OF CHILDREN AND FAMILIES \nBoston-Brookline Region Area Directory \n \nBoston Regional Office \n1785 Columbus Ave. Fifth Floor \nRoxbury, MA 02119-1041Local Number: (617) 989-9200 \nFax Number: (617) 989-9250 \n \nHyde Park Area Office \n1530 River Street \nHyde Park, MA 02136 \nLocal Number: (617) 363-5000 \nFax Number: (617) 363-5175 \n \nDimock Street Area Office \n30 Dimock Street \nRoxbury, MA 02119 \nLocal Number: (617) 989-2800 \nFax Number: (617) 445-9147 \n \nPark Street Area Office \n50 Park Street \nDorchester, MA 02122 \nLocal Number: (617) 822-4700 \nFax Number: (617) 282-1019" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular SUP-20 \nPage 15 of 15 \n \nHarbor Area Office \n80 Everett Avenue, Suite 100Chelsea, MA 01250 \nLocal Number: (617) 660-3400 \nFax Number: (617) 884-0215 \n \n \nBOSTON POLICE DEPARTMENT \u2013 FAMILY JUSTICE CENTER \n(Formerly the Sexual Assault Unit) \n \nMain Number: (617) 343-4400 \n \nSUFFOLK COUNTY DISTRICT ATTORNEY\u2019S OFFICE \n \nMain Number: (617) 619-4000 \nChild Abuse Unit: (617) 619-4300 \n \n \n \n \nATTACHMENT 3 \n \nDCF 51A Reporting Form" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 1, + "content": "Superintendent\u2019sCircular\nNUMBER:SUP-19Version01\nDE-ESCALATION, PHYSICALRESTRAINT,SECLUSIONANDTIME-OUTPOLICY\nThisCircularwillremainineffectunlessrescindedorsupersededbyasubsequentversion." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 2, + "content": "I. INTRODUCTIONThepurposeof this circular is toensurethat every studentparticipatinginaBostonPublic Schools programis freefromtheuseof physical restraint inconsistent withstatelawanddistrictpolicy andtoensurethat physical restraint is usedonly inemergency situations of last resort, after other lawful andlessintrusivealternatives havefailedor beendeemedinappropriate,andwithextremecaution. Thepurposeof thecircular is alsotostatethat theuseof seclusionis prohibitedby lawandintheBostonPublic Schools. This circular is consistent withregulationsestablishedby theMassachusetts Department of Elementary andSecondary Education, 603 CMR46.00andwithschool districtpolicy." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 3, + "content": "TheMassachusetts Department of Elementary andSecondaryEducationestablishedregulations governingtheuseof physicalrestraints onstudents. Theseregulations supersedeall previouslyestablishedprocedures. TheBostonPublic Schools must followtheprovisions of 603 CMR46.00, whichregulates physicalrestraint onstudents inMassachusetts public school districts,charter schools, andcollaborativeandspecial educationschools." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SUP-19Page2 of 35" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 5, + "content": "Physical restraint shouldbeadministeredonly whenneededtoprotect astudent or other students andstaff fromassault orimminent danger of serious physical harm. Physical restraintshouldbeadministeredintheleast intrusivemanner possibleandshouldbeusedtoprevent or minimizeharmtothestudent.BostonPublic Schools does not useSeclusion. Seclusionshallmeantheinvoluntary con\ufb01nement of astudent aloneinaroomor areafromwhichthestudent is physically preventedfromleaving. Seclusiondoes not includeatime-out, whichshall meanabehavioral support strategy developedpursuant to603 CMR46.04(1) inwhichastudent temporarily separates fromthelearningactivity or theclassroom, either by choiceor by directionfromstaff, for" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 6, + "content": "either by choiceor by directionfromstaff, for thepurposeof calming. Duringtime-out, astudentmust becontinuously observedby astaff member. Staff shall bewiththestudent or immediately availabletothestudent at alltimes. Thespaceusedfor time-out must beclean, safe, sanitary,andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas thestudent has calmedandnotime-out canexceed30minutes without theexpress approval of theSchool Leader ortheir designee." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 7, + "content": "II. DEFINITIONS\nMechanical restraint shall meantheuseof any physical deviceorequipment torestrict astudent's freedomof movement.Mechanical restraint does not includedevices implementedbytrainedschool personnel, or utilizedby astudent that havebeenprescribedby anappropriatemedical or relatedservicesprofessional, andareusedfor thespeci\ufb01c andapproved" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SUP-19Page3 of 35\npositioningor protectivepurposes for whichsuchdevices weredesigned. Examples of suchdevices include: adaptivedevices ormechanical supports usedtoachieveproper body position,balance, or alignment toallowgreater freedomof mobility thanwouldbepossiblewithout theuseof suchdevices or mechanicalsupports; vehiclesafety restraints whenusedas intendedduringthetransport of astudent inamovingvehicle; restraints formedical immobilization; or orthopedically prescribeddevices thatpermit astudent toparticipateinactivities without riskof harm.*BPSprohibits this typeof restraint*" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 9, + "content": "Medicationrestraint shall meantheadministrationofmedicationfor thepurposeof temporarily controllingbehavior.Medicationprescribedby alicensedphysicianandauthorizedbytheparent/guardianfor administrationintheschool settingis notmedicationrestraint. *BPSprohibits this typeof restraint*\nPhysical escort shall meanatemporary touchingor holding,without theuseof force, of thehand, wrist, arm, shoulder, orbackfor thepurposeof inducingastudent whois agitatedtowalktoasafelocation." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 10, + "content": "Physical restraint shall meandirect physical contact thatprevents or signi\ufb01cantly restricts astudent's freedomofmovement. Physical restraint does not include: brief physicalcontact topromotestudent safety, providingphysical guidanceor promptingwhenteachingaskill, redirectingattention,providingcomfort, or aphysical escort.\nPronerestraint shall meanaphysical restraint inwhichastudentis placedfacedownonthe\ufb02oor or another surface, andphysical" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SUP-19Page4of 35\npressureis appliedtothestudent's body tokeepthestudent intheface-downposition. *BPSprohibits this typeof restraint*\nSeclusionshall meantheinvoluntary con\ufb01nement of astudentaloneinaroomor areafromwhichthestudent is physicallypreventedfromleaving. Seclusiondoes not includeatime-out asde\ufb01nedin603 CMR46.02. *Seclusionis prohibitedinpublicschools andinBPS*" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 12, + "content": "Time-out shall meanabehavioral support strategy developedpursuant to603 CMR46.04(1) inwhichastudent temporarilyseparates fromthelearningactivity or theclassroom, either bychoiceor by directionfromstaff, for thepurposeof calming.Duringtime-out, astudent must becontinuously observedby astaff member. Staff shall bewiththestudent or immediatelyavailabletothestudent at all times. Thespaceusedfor time-outmust beclean, safe, sanitary, andappropriatefor thepurposeofcalming. Time-out shall ceaseas soonas thestudent has calmedandnotime-out canexceed20minutes without theexpressapproval of theSchool Leader or their designee.\nIII. PHYSICALRESTRAINTPROCEDURES" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 13, + "content": "III. PHYSICALRESTRAINTPROCEDURES\nA. METHODSFORPREVENTINGVIOLENCEANDENGAGINGPARENTS/GUARDIANS\nTheBPSBehavioral HealthServices department has schoolpsychologists assignedtoall BPSschools andhas socialworkers that providedistrict-wideservices. TheBehavioral" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SUP-19Page5 of 35\nHealthServices department provides awidecontinuumofbehavioral healthservices includingprevention, at-riskandintensiveservices. Inaddition, theBehavioral HealthServicesteamis themental healthcrisis responseteamfor thedistrict andworks witheducational staff toidentify andrespondtounsafesituations." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 15, + "content": "Inaddition, BPShas developedamulti-tieredsystemofsupports for preventingstudent violence, self-injuriousbehavior, andsuicide, includingindividual crisis planningandde-escalationof potentially dangerous behavioroccurringamonggroups of students or withanindividualstudent. TheComprehensiveBehavioral HealthModel(CBHM) is amulti-tieredsystemof supports (MTSS) designedtopromotestudents' social, emotional, andbehavioralwellbeing. MTSSis athree-tier model of servicedelivery foreducational andbehavioral services inaschool setting. Thismodel is alsooftencalledResponsetoIntervention(RtI). InBPS, theAcademic Achievement Framework(AAF) is aversionof RtI focusedonstudents' social andbehaviorallearning." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 16, + "content": "focusedonstudents' social andbehaviorallearning. CBHMis focusedonstudents' social andbehaviorallearning. Thegoal of theCBHMLighthousemodel is tocreatesafeandsupportivelearningenvironments inwhichstudents may growandthriveacademically, personally, andsocially. This includes providingtheright amount of servicesandsupports at theright timewhenastudent absolutelyneeds them." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 17, + "content": "Thesemodels arebasedonthelogic that themajority ofstudents canandwill besuccessful whenprovidedwithevidence-informedinstructionandpreventative" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SUP-19Page6of 35\ninterventions. Appropriateinterventions andtheuseof datatoassess progress helpensurethat students whobene\ufb01tfromprogressively moreintensiveservices will not needthemover thelong-term.\nBPSengages withparents andcaregivers at aschool level,throughtheGuidefor Families andStudents andthroughtheSpecial EducationParent Advisory Council (or SEPAC) toengageparents andcaregivers indiscussions about restraintpreventionandtheuseof restraint solely as anemergencyprocedure." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 19, + "content": "B. USEOFRESTRAINTPhysical restraint shouldbeadministeredonly whenneededtoprotect astudent or other students andstaff fromassaultor imminent serious physical harm. Physical restraint canonly beusedas alast resort inanemergency whenastudent\u2019s behavior poses athreat of imminent, seriousphysical harmtohimself or herself or others, andthestudent does not respondtoverbal directives or other lawfulandless intrusivebehavior interventions, or suchinterventions aredeemedinappropriateunder thecircumstances. Physical restraint shall belimitedtotheuseof suchreasonableforceas is necessary, for theleastamount of timenecessary, toprotect astudent or anothermember of theschool community fromassault or" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 20, + "content": "of theschool community fromassault or imminent,serious, physical harm. Aphysical restraint may only be" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular SUP-19Page7of 35\nadministeredby school personnel whohavebeenproperlytrainedintheuseof physical restraint." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 22, + "content": "C. USEOFTIME-OUTSeclusiondoes not includeatime-out. Atime-out is not arestraint. Atime-out is abehavioral support strategy inwhichastudent temporarily separates fromthelearningactivity or theclassroom, either by choiceor by directionfromstaff, for thepurposeof calming. Time-outs arepermittedas abehavioral strategy if thestudent is withastaff member or is continuously observedby astaff memberwhois immediately availabletothestudent at all times. Thespaceusedfor time-out must beclean, safe, sanitary, andappropriatefor thepurposeof calming. Time-out shall ceaseas soonas thestudent has calmed. Time-out may not beusedfor disciplineor punishment. Thepreferenceis fortime-out" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 23, + "content": "punishment. Thepreferenceis fortime-out tobeimplementedwithinaclassroomtothegreatest extent possible. Staff must document inAspentheantecedent behavior prior tothetime-out, any otherbehavioral support strategies attempted, andthetime, date,durationandlocationof any time-out usedas abehavioralsupport strategy. Theschool leader must giveanddocument approval for any time-out tocontinuemorethan30minutes basedontheindividual student's continuingagitation." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular SUP-19Page8of 35\nD. OTHERLIMITATIONSONUSEOFRESTRAINTPhysical restraint shall belimitedtousingsuchreasonableforceas is necessary toprotect astudent or anothermember of theschool community fromassault or imminent,serious, physical harm. 603 CMR46.03(3).\nInstances whenrestraint is not tobeused:\n1. Physical restraint is not tobeusedas ameans ofdisciplineor punishment. 603 CMR46.03(2)(a).\n2. Physical restraint is not tobeusedwhenthestudentcannot besafely restrainedbecauseit is medicallycontraindicatedfor reasons includingbut not limitedtoasthma, seizures, cardiac condition, obesity, bronchitis,communication-relateddisabilities, or riskof vomiting.603 CMR46.03(2)(b)." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 25, + "content": "3. Physical restraint is not tobeusedas aresponsetothedestructionof property, school disruption, refusal of thestudent tocomply withpublic educationprogramrulesor staff directive, or verbal threats whenthoseactionsdonot constituteathreat of assault, or imminent,serious, physical harm. 603 CMR46.03(2)(c).\n4. Physical restraint shouldnot beusedas astandardresponsefor any individual student. Nowrittenindividual behavior planor individualizededucationprogram(IEP) may includetheuseof physical restraint" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular SUP-19Page9of 35\nas astandardresponsetoany behavior. 603 CMR46.03(2)(d).\n5. BostonPublic Schools prohibits thefollowingforms ofrestraint: mechanical, medication, seclusion, prone, andpronerestraints.\nNothinginthis document, or in603 CMR46.00, prohibits:\n1. theright of anindividual toreport toappropriateauthorities acrimecommittedby astudent or anotherindividual.\n2. lawenforcement, judicial authorities, or school securitypersonnel fromexercisingtheir responsibilities,includingthephysical detainment of astudent or otherpersons allegedtohavecommittedacrimeor posingasecurity risk." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 27, + "content": "3. theexerciseof anindividual\u2019s responsibilities as amandatedreporter of childabuse/neglect accordingtoMGLc. 119, s 51Atotheappropriatestateagency.\n4. theprotectionaffordedpublicly fundedstudents underother stateor federal laws, includingthoselaws thatprovidefor therights of students whohavebeenfoundeligibletoreceivespecial educationor relatedservices." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular SUP-19Page10of 35" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 29, + "content": "E. PROPERADMINISTRATIONOFPHYSICALRESTRAINT\u25cf Restraint must beimplementedonly by trainedandactively certi\ufb01edpersonnel. Whenever possible, therestraint shall bewitnessedby at least onepersonwhodidnot engageintherestraint. As anexception, intheevent of anemergency situationwherenotrainedstaffareavailabletoprotect students andstaff fromimminentharm, therestraint may beimplementeduntil properlytrainedstaff havearrived.\u25cf Restraints must beimplementedinaway that does notprevent astudent frombreathingor speaking.\u25cf Theuseof unnecessary forceinadministeringphysicalrestraint is expressly prohibited. Interveningstaff canuseonly theamount of forcenecessary toprotect thestudents or others fromphysical" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 30, + "content": "toprotect thestudents or others fromphysical injury. Staff shall selectthesafest andleast intrusivemethodthat is likely tobeeffectivefor thestudent.\u25cf If astudent indicates or is observedtobeinsigni\ufb01cantphysical distress (dif\ufb01culty breathing, signs or indicatorsof painor discomfort, changeincolor or alertness, etc.),thestudent shall bereleasedimmediately, andmedicalassistanceshouldbesought.\u25cf Students shall bereleasedfromphysical restraint as soonas it is safetodoso, meaningthat thestudent is nolonger adanger tothemselves or others and/or aplanhasbeenmadetomanagethestudent safely without havingtousephysical management." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular SUP-19Page11 of 35\n\u25cf Intherareevent that astudent is incrisis for morethan20minutes, restraints over 20minutes must haveapproval fromtheschool leader. Theschool leader mustdocument that approval was grantedfor anyrestraintover 20minutes.\u25cf Followupprocedures followingrestraint must beimplemented. Theseincludeadebrief withthestudent (ifappropriate), areviewof theincident withstaff, andanyneededfollowupwithstudent witnesses.\u25cf Theschool nurseshouldassess thestudent\u2019s physicalconditionafter any restraint.\nF. SAFETYREQUIREMENTSPursuant to603 CMR46.05(5), thefollowingis required:" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 32, + "content": "1. Arestraint shall not beadministeredinamanner thatprevents thestudent fromspeakingor breathing.\n2. Arestraint shall beadministeredinsuchaway toprevent or minimizephysical harm.\n3. Duringarestraint, astaff member shall continuouslymonitor thephysical status of thestudent includingskintemperatureandcolor, andrespiration.\n4. If at any timeduringtherestraint thestudentexpresses or demonstrates signi\ufb01cant physical distressincluding, but not limitedto, dif\ufb01culty breathing, therestraint will immediately terminate, andmedicalassistancewill besought." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular SUP-19Page12 of 35\n5. Programstaff will reviewandconsider any knownmedical or psychological limitations, knownorsuspectedtraumahistory, and/or behavioralinterventionplans regardingtheuseof physicalrestraint onanindividual student.\n6. Duringarestraint, staff will continuously talktoandengagethestudent inanattempt tode-escalatebehavior andtoendtherestraint as soonas possible.\n7. Staff administeringphysical restraint will usethesafestmethodavailablethat is appropriatetothesituation." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 34, + "content": "8. If astudent is restrainedfor aperiodlonger than20minutes, programstaff shall obtainapproval fromtheschool leader. Theapproval shall bebaseduponthestudent\u2019s continuedagitationduringtherestraintjustifyingtheneedfor continuedrestraint.\n9. After thereleaseof astudent fromrestraint, theincident, whenapplicable, will bereviewedwiththestudent andthebehavior that leduptotherestraintwill beaddressed.\n10. Thestaff person(s) whoadministeredtherestraintwill alsohaveareviewtodiscuss whether properrestraint procedures werefollowedandconsiderwhether any follow-upis appropriatefor students whowitnessedtheincident." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular SUP-19Page13 of 35\nIV. REPORTINGREQUIREMENTS\nA. FOLLOWINGEACHRESTRAINT\nFollowingtheuseof any physical interventionof anydurationthat meets thede\ufb01nitionof physical restraint underDESEregulations, several steps must betakentonotifyappropriateparties andreport therestraint inbothBPSandDESEsystems:\n\u25cf NotifySchool Administration: Notify schooladministrationverbally as soonas possible, andprovidewrittenreport by thenext school workingday. Intheevent that theschool leader was involvedintherestraint, therestraint must bereportedtotheSchoolSuperintendent or Operational Leader withinthesametimeline." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 36, + "content": "\u25cf NotifyParents/Guardians: Theschool leader ordirector of theprogramnoti\ufb01es theparent/guardianverbally as soonas possible(by theendof theday ofincident), andby writtenreport inthelanguageof thehometoanemail providedby theparent/guardianorby regular mail postmarkedwithin3 workingdays oftheincident. Thewrittenreport shall include:\n\u25cb Student information, thenames of thoseinvolvedintherestraint, andobserver names (if any). Thereport will alsoincludethenameof theadministrator noti\ufb01edif theevent went beyond20minutes." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular SUP-19Page14of 35\n\u25cb Dateandtimeof therestraint, includingbeginningandendingtimesAbrief summary oftheevent inprogress at thetimeof restraint, theimmediateantecedent tothechallengingbehavior, efforts/attempts at de-escalation, anyalternatives torestraint tried, anddocumentationof any injuries tostaff or students. Thesummaryshouldalsoincludedescriptionof theholds usedandwhy they werenecessary, any reactionof thestudent totherestraint, howtherestraint ended.\n\u25cb Any further actions takenby theschool,opportunities for theparent/guardiantodiscusstherestraint, any consequences that may beimposedonthestudent, or any other relatedmatter." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 38, + "content": "Important note: Theschool leader will print acopyofthesamereport submittedtoDESE(see\u201cReport toDESE\u201d below) as writtendocumentationof therestraint andemail or mail it totheparent/guardian.Thereport toDESEshouldcontaintherequiredinformationlistedabove.\n\u25cf RecordinAspen: aconduct incident must berecordedinAspenwithin24hours, detailingattempts tode-escalate, providelimits, typeof restraint usedandduration. Theuseof restraint shouldbeaddedas aconduct actionof \u201cRestraint-Physical.\u201d\n\u25cf Report toDESE: all restraints must alsobereportedtoDESEviatheDESESecurity Portal" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular SUP-19Page15 of 35\n(https://gateway.edu.state.ma.us/edu/myportal/meoe)withinthreebusiness days. Theschool leader isresponsiblefor ensuringthat all reportingtimelines areadheredtoandthat therestraint is uploadedtotheportal inatimely manner.\n\u25cb Intheevent of aninjury duringrestraint, acopy ofthewrittenreport must besent toDESEwithinthreeschool workingdays. Inaddition, theschoolmust alsosendthecopy of therecordof restraintsmaintainedby theschool leader for the30-dayperiodbeforethedateof thereportedincident.Theprogramwill benoti\ufb01edof any additionalsteps neededwithin30calendar days of receipt ofthereports.\nB. DATAREVIEW\n1. Individual Student Review" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 40, + "content": "B. DATAREVIEW\n1. Individual Student Review\nTheschool leader shall conduct aweekly reviewof thedatatoidentify any students whohavebeenrestrainedmultipletimes that week. If students areidenti\ufb01edashavingbeeninvolvedinmultiplerestraints inaweek, theschool leader will conveneasupport teamto:\n(a) reviewanddiscussionof thewrittenreportssubmittedinaccordancewith603 CMR46.06andanycomments providedby thestudent andparent/guardianabout suchreports andtheuseof therestraints;" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular SUP-19Page16of 35\n(b) ananalysis of thecircumstances leadinguptoeachrestraint, includingfactors suchas timeof day, day oftheweek, antecedent events, andindividuals involved;\n(c) considerationof factors that may havecontributedtoescalationof behaviors, considerationof alternativestorestraint, includingde-escalationtechniques andpossibleinterventions, andsuchother strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture;\n \n(d) agreement onawrittenplanof actionby theprogram." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 42, + "content": "*Iftheschoolleaderdirectlyparticipatedintherestraint,adulyquali\ufb01edindividualdesignatedbythesuperintendentorboardoftrusteesshallleadthereviewteam'sdiscussion.TheschoolleadershallensurethatarecordofeachindividualstudentreviewismaintainedandmadeavailableforreviewbytheDepartmentortheparent/guardian,uponrequest.\n2. MonthlySchool-WideReview" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 43, + "content": "2. MonthlySchool-WideReview\nTheschool leader will completeamonthly reviewof allschool-widerestraint data. Thereviewshouldlookforpatterns liketimeof day or day of week, individualsinvolved, types of restraints or durations for speci\ufb01cstudents, durationof restraints, andthenumber andtypes of injuries. Basedonthis review, theschool leadermay decidethat updates or retrainingareneededor anyother actions neededwiththegoal of reducingor" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular SUP-19Page17of 35\neliminatingrestraints\nV. TRAININGREQUIREMENTS\nA. FORALLSTAFF\nThelaws of MArequirethat all school district staff thatinteract withstudents receiveanannual PreventionofRestraint andSeclusionandDe-EscalationTraining. Torespondtothis requirement BPShas createdanasynchronous onlinelearningmoduleconsistent with603CMR46.04(2). Thetrainingmust becompletedwithinthemonthof September of every school year. For employeeshiredafter thebeginningof theschool year, thetrainingmust becompletedwithinthe\ufb01rst monthof their hire." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 45, + "content": "Eachschool leader shall determineatimeandmethodtoprovideall programstaff withtrainingregardingtheprogram's restraint preventionandbehavior support policyandrequirements whenrestraint is used.\nTrainingshall includeinformationonthefollowing:\n(a) Theroleof thestudent, family, andstaff inpreventingrestraint;\n(b) Theprogram's restraint preventionandbehaviorsupport policy andprocedures, includinguseoftime-out as abehavior support strategy distinct fromseclusion;\n(c) Interventions that may precludetheneedfor" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 46, + "content": "Superintendent\u2019s Circular SUP-19Page18of 35\nrestraint, includingde-escalationof problematicbehaviors andother alternatives torestraint inemergency circumstances;\n(d) Whenbehavior presents anemergency thatrequires physical restraint, thetypes of permittedphysical restraints andrelatedsafety considerations,includinginformationregardingtheincreasedriskofinjury toastudent whenany restraint is used, inparticular arestrainof extendedduration;\n(e) Administeringphysical restraint inaccordancewithmedical or psychological limitations, knownorsuspectedtraumahistory, and/or behavioralinterventionplans applicabletoanindividual student;and" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 47, + "content": "(f) Identi\ufb01cationof programstaff whohavereceivedin-depthtrainingpursuant to603 CMR46.04(3) intheuseof physical restraint\nBelowis thelinktothetraining.\nDe-escalationtraininglink\nB. FORALLSTAFFAUTHORIZEDTOSERVEASASCHOOL-WIDERESOURCEONTHEPROPERADMINISTRATIONOFPHYSICALRESTRAINT\nAt thebeginningof eachschool year, school leaders arerequiredtoidentify programstaff whoareauthorizedtoserveas aschool-wideresourcetoassist inensuringproperadministrationof physical restraint. Theseindividuals will" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 48, + "content": "Superintendent\u2019s Circular SUP-19Page19of 35\nparticipateinin-depthtrainingintheuseof physicalrestraint. Suchtrainingwill includethecontent describedin603 CMR46.04(4) andbecompetency-basedandbeat leastsixteen(16) hours inlengthwithat least onerefreshertrainingoccurringannually thereafter. This trainingwill beintheSafety CareProgramandprovidedby theOf\ufb01ceof SocialWorkDepartment or Special Education. Staff canregister forSafety CaretrainingonVector." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 49, + "content": "Only public educationprogrampersonnel whohavereceivedSafety Caretrainingshall administer physicalrestraint onstudents. Whenever possible, theadministrationof restraint shall bewitnessedby at least oneadult whodoes not participateintherestraint. However, thetrainingrequirements shall not precludeateacher, employee, oragent of thepubliceducationprogramfromusingreasonableforcetoprotect students, other persons, orthemselves fromassault or imminent, serious physicalharm. 603CMR46.05(1)\nC. PROPERADMINISTRATIONOFRESTRAINTPleasereviewtheProperAdministrationofRestraintinSectionIIIabove.Thissectiongivesadditionaldetailsdirectlyfromthestateregulations." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 50, + "content": "1. TrainedPersonnel. Only public educationprogrampersonnel whohavereceivedtrainingpursuant to603CMR46.03(2) or (3) shall administer physical restraintonstudents. Whenever possible, theadministrationof" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 51, + "content": "Superintendent\u2019s Circular SUP-19Page20of 35\narestraint shall bewitnessedby at least oneadult whodoes not participateintherestraint. Thetrainingrequirements shall not precludeateacher, employeeoragent of apublic educationprogramfromusingreasonableforcetoprotect students, other persons orthemselves fromassault or imminent, serious, physicalharm.\n2. Useof Force. Apersonadministeringaphysicalrestraint shall useonly theamount of forcenecessarytoprotect thestudent or others fromserious physicalinjury or harm." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 52, + "content": "3. Safest Method. Apersonadministeringphysicalrestraint shall usethesafest methodavailableandappropriatetothesituationsubject tothesafetyrequirements set forthin603 CMR46.05(5). Floorrestraints, includingpronerestraints otherwisepermittedunder 603 CMR46.03(1)(b), shall beprohibitedinBostonPublic Schools.\n4. Durationof Restraint. All physical restraint must beterminatedas soonas thestudent is nolonger animmediatedanger tohimself or others, or thestudentindicates that heor shecannot breathe, or if thestudent is observedtobeinseveredistress, suchashavingdif\ufb01culty breathing, or sustainedor prolongedcryingor coughing." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular SUP-19Page21 of 35\n5. SafetyRequirements. Additional requirements for theuseof physical restraint:\n(a) Norestraint shall beadministeredinsuchawaythat thestudent is preventedfrombreathingorspeaking. Duringtheadministrationof arestraint,astaff member shall continuously monitor thephysical status of thestudent, includingskintemperatureandcolor, andrespiration." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 54, + "content": "(b) Restraint shall beadministeredinsuchaway soas toprevent or minimizephysical harm. If, at anytimeduringaphysical restraint, thestudentexpresses or demonstrates signi\ufb01cant physicaldistress including, but not limitedto, dif\ufb01cultybreathing, thestudent shall bereleasedfromtherestraint immediately, andschool staff shall takesteps toseekmedical assistance.\n(c) If astudent is restrainedfor aperiodlonger than20minutes, programstaff shall obtaintheapproval of theprincipal. Theapproval shall bebaseduponthestudent's continuedagitationduringtherestraint justifyingtheneedforcontinuedrestraint." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 55, + "content": "(d) Programstaff shall reviewandconsider anyknownmedical or psychological limitations,knownor suspectedtraumahistory, and/orbehavioral interventionplans regardingtheuseofphysical restraint onanindividual student." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 56, + "content": "Superintendent\u2019s Circular SUP-19Page22 of 35\n(e) After thereleaseof astudent fromarestraint, thepublic educationprogramshall implementfollow-upprocedures. Theseprocedures shallincludereviewingtheincident withthestudent toaddress thebehavior that precipitatedtherestraint, reviewingtheincident withthestaffperson(s) whoadministeredtherestraint todiscuss whether proper restraint procedures werefollowed, andconsiderationof whether anyfollow-upis appropriatefor students whowitnessedtheincident.\nD. REPORTINGREQUIREMENTS\nPleasereviewtheReportingRequirementsinSectionIVabove.Thissectiongivesadditionaldetailsdirectlyfromthestateregulations." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 57, + "content": "1. Circumstances under whichaphysical restraint mustbereported. Programstaff shall report theuseof anyphysical restraint as speci\ufb01edin603 CMR46.06(2).\n2. InformingthePrincipal. Theprogramstaff memberwhoadministeredtherestraint shall verbally informtheSchool Leader of therestraint as soonas possible, andby writtenreport nolater thanthenext school workingday. Thewrittenreport shall beprovidedtotheSchoolLeaderfor reviewof theuseof therestraint. If theSchool Leaderhas administeredtherestraint, theSchool Leadershall preparethereport andsubmit it to" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 58, + "content": "Superintendent\u2019s Circular SUP-19Page23 of 35\nanindividual or teamdesignatedby thesuperintendent or boardof trustees for review. TheSchool Leadershall maintainanon-goingrecordof allreportedinstances of physical restraint, whichshall bemadeavailablefor reviewby theDepartment or thestudent's parent/guardian, uponrequest." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 59, + "content": "3. InformingParents/Guardians. TheSchool Leadershallmakereasonableefforts toverbally informthestudent's parent/guardianof therestraint within24hours of theevent, andshall notify theparent/guardianby writtenreport sent either withinthreeschoolworkingdays of therestraint toanemail addressprovidedby theparent/guardianfor communicationsabout thestudent, or by regular mail postmarkednolater thanthreeschool workingdays of therestraint. Iftheprogramcustomarily provides aparent/guardianofastudent withreport cards andother necessaryschool-relatedinformationinalanguageother thanEnglish, thewrittenrestraint report shall beprovidedtotheparent/guardianinthat language. TheSchoolLeader shall" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 60, + "content": "language. TheSchoolLeader shall providethestudent andtheparent/guardiananopportunity tocomment orally andinwritingontheuseof therestraint andoninformationinthewrittenreport." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 61, + "content": "4. Contents of Report. Thewrittenreport requiredby 603CMR46.06(2) and(3) shall include: (a) Thenameof thestudent; thenames andjobtitles of thestaff whoadministeredtherestraint, andobservers, if any; thedateof therestraint; thetimetherestraint beganand" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 62, + "content": "Superintendent\u2019s Circular SUP-19Page24of 35" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 63, + "content": "ended; thenameof theSchool Leader or designeewhowas verbally informedfollowingtherestraint; and, asapplicable, thenameof theSchool Leader or designeewhoapprovedcontinuationof arestraint beyond20minutes pursuant to603 CMR46.05(5)(c). (b) Adescriptionof theactivity inwhichtherestrainedstudent andother students andstaff inthesameroomor vicinity wereengagedimmediately precedingtheuseof physical restraint; thebehavior that promptedtherestraint; theefforts madetoprevent escalationofbehavior, includingthespeci\ufb01c de-escalationstrategiesused; alternatives torestraint that wereattempted; andthejusti\ufb01cationfor initiatingphysical restraint. (c) Adescriptionof theadministrationof" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 64, + "content": "restraint. (c) Adescriptionof theadministrationof therestraintincludingtheholds usedandreasons suchholds werenecessary; thestudent's behavior andreactions duringtherestraint; howtherestraint ended; anddocumentationof injury tothestudent and/or staff, ifany, duringtherestraint andany medical careprovided. (d) Informationregardingany furtheraction(s) that theschool has takenor may take,includingany consequences that may beimposedonthestudent. (e) Informationregardingopportunities forthestudent's parent/guardiantodiscuss withschoolof\ufb01cials theadministrationof therestraint, anyconsequences that may beimposedonthestudent,andany other relatedmatter." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 65, + "content": "5. Individual Student Review. TheSchool Leader shallconduct aweekly reviewof restraint datatoidentify" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 66, + "content": "Superintendent\u2019s Circular SUP-19Page25 of 35" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 67, + "content": "students whohavebeenrestrainedmultipletimesduringtheweek. If suchstudents areidenti\ufb01ed, theSchool Leadershall conveneoneor morereviewteamsas theSchool Leader deems appropriatetoassess eachstudent's progress andneeds. Theassessment shallincludeat least thefollowing: (a) reviewanddiscussionof thewrittenreports submittedinaccordancewith603 CMR46.06andany comments providedby thestudent andparent/guardianabout suchreports andtheuseof therestraints; (b) ananalysis of thecircumstances leadinguptoeachrestraint, includingfactors suchas timeof day, day of theweek,antecedent events, andindividuals involved; (c)considerationof factors that may havecontributedtoescalationof behaviors, considerationof" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 68, + "content": "behaviors, considerationof alternatives torestraint, includingde-escalationtechniques andpossibleinterventions, andsuchother strategies anddecisions as appropriate, withthegoal of reducingoreliminatingtheuseof restraint inthefuture; (d) anagreement onawrittenplanof actionby theprogram.If theSchool Leader directly participatedintherestraint, aduly quali\ufb01edindividual designatedbythesuperintendent or boardof trustees shall leadthereviewteam's discussion. TheSchool Leader shallensurethat arecordof eachindividual student reviewis maintainedandmadeavailablefor reviewby theDepartment or theparent/guardian, uponrequest." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 69, + "content": "6. AdministrativeReview. TheSchool Leader shallconduct amonthly reviewof school-widerestraint data." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 70, + "content": "Superintendent\u2019s Circular SUP-19Page26of 35" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 71, + "content": "This reviewshall consider patterns of useof restraintsby similarities inthetimeof day, day of theweek, orindividuals involved; thenumber anddurationofphysical restraints school-wideandfor individualstudents; thedurationof restraints; andthenumberandtypeof injuries, if any, resultingfromtheuseofrestraint. TheSchool Leader shall determinewhether itis necessary or appropriatetomodify theschool'srestraint preventionandmanagement policy, conductadditional staff trainingonrestraint reductionorpreventionstrategies, suchas trainingonpositivebehavioral interventions andsupports, or takesuchother actionas necessary or appropriatetoreduceoreliminaterestraints." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 72, + "content": "7. Report All Restraint-relatedInjuries totheDepartment.Whenaphysical restraint has resultedinaninjury toastudent or programstaff member, theprogramshallsendacopy of thewrittenreport requiredby 603 CMR46.06(4) totheDepartment postmarkednolater thanthreeschool workingdays of theadministrationof therestraint. Theprogramshall alsosendtheDepartmentacopy of therecordof physical restraints maintainedby theSchool Leader pursuant to603 CMR46.06(2) forthe30-day periodprior tothedateof thereportedrestraint.\n8. Report All Physical Restraints totheDepartment. Everyprogramshall collect andannually report datatotheDepartment regardingtheuseof physical restraints." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 73, + "content": "Superintendent\u2019s Circular SUP-19Page27of 35\nSuchdatashall bereportedinamanner andformdirectedby theDepartment.\nVI. COMPLAINTPROCEDURE\nA. INFORMALCOMPLAINTSParents/guardians or students will notify theschool leader ordesigneeof any concerns regardingrestraint practices andprocedures. If adesigneereceives thecomplaint or aconcern, that designeeshall notify theschool leader withintheschool day. Theschool leader shall attempt, withintheirauthority, toworkwiththeparent/guardiantoresolvethecomplaint fairly andexpeditiously. If theparent/guardianisnot satis\ufb01edwiththeresolutionor does not chooseaninformal resolution, thentheparent/guardianmay proceedwiththeformal complaint process." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 74, + "content": "B. FORMALCOMPLAINTSAcomplaint may besubmittedtotheRegional SchoolSuperintendent regardingany restraint.\nAcomplaint may besubmittedtotheProblemResolutionSystemat theMassachusetts Department of ElementaryandSecondary Educationathttps://www.doe.mass.edu/prs/intake/default.html.\nFor moreinformationor questions on:" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 75, + "content": "Superintendent\u2019s Circular SUP-19Page28of 35\nTopic Department &Contact Email\nGeneral RestraintPolicy, DESERequirements andDocumentation\nOf\ufb01ceof SpecializedServices\nKay Seale, ChiefofSpecializedServices\nChristineTrevisone,SeniorAdvisorofSpecializedServices\nkseale@bostonpublicschools.org\nctrevisone@bostonpublicschools.org\nSafety-Care(De-EscalationandPhysical RestraintTraining) \u2013 ABAStrand\nOf\ufb01ceof SpecializedServices\nZachary Houston,AssistantDirectorABA\nzhouston@bostonpublicschools.org\nSafety-Care(De-EscalationandPhysical RestraintTraining) \u2013 non-ABAschools\nOf\ufb01ceof StudentSupport\nJennaPara\ufb01nczuk,DirectorofSocialWork\njpara\ufb01nczuk@bostonpublicschools.org" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 76, + "content": "Superintendent\u2019s Circular SUP-19Page29of 35\nDe-EscalationTraining\nOf\ufb01ceof BehavioralHealth\nAndriaAmador, SeniorDirectorofBehavioralHealthServices\naamador@bostonpublicschools.org\nReporting\nSchools Department\nDrewEchelson, ChiefofSchoolsandAccountability,or\nOperational Leader forRegion\ndechelson@bostonpublicschools.org\n\u25cf\nRegion1: JeichaelHenderson:jhenderson@bostonpublicschools.org\n\u25cf\nRegion2: CourtneyKinney:cmaginnis@bostonpublicschools.org\n\u25cf\nRegion3: MichelleJordan:mjordan2@bostonpublicschools.org\n\u25cf\nRegion4: NaimaAbdal-Khallaq:" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 77, + "content": "Superintendent\u2019s Circular SUP-19Page30of 35\nnabdalkhallaq@bostonpublicschools.org\n\u25cf\nRegion5: KristenWeeks:kweeks@bostonpublicschools.org\n\u25cf\nRegion6: MoniqueCarter:mcarter3@bostonpublicschools.org\n\u25cf\nRegion7: NelsonMiranda:nmiranda@bostonpublicschools.org\n\u25cf\nRegion8: ZachSolis:zsolis@bostonpublicschools.org\n\u25cf\nRegion9: Rui Gomes:rgomes2@bostonpublicschools.org\nMary Skipper, Superintendent" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 78, + "content": "Superintendent\u2019s Circular SUP-19Page31 of 35\nATTACHMENT\nA: QUICK\nREFERENCE\nDO\n\u2019S AND\nDON\n\u2019TSFOR\nCRISIS\nINTERVENTION IN\nBOSTON\nPUBLIC\nSCHOOLS\nInMassachusetts, theuseof physical restraint inpublic schools ishighly regulated, andit shouldonly beemployedas alast resorttoensurethesafety of students andstaff. It is essential for teachersandschool staff tofollowspeci\ufb01c guidelines andbest practiceswhenusingphysical restraint. Here's alist of Do's andDon'ts forstaff usingphysical restraint inpublic schools inBoston:\nDo's:" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 79, + "content": "Do's:\n\u25cf UsetheLeast RestrictiveMethod: Usetheleast restrictivemeans of intervention. Alternatives torestraint, includingbutnot limitedtoverbal or other de-escalationtechniques,shouldbeattemptedbeforeresortingtophysical restraint.\n\u25cf SafetyFirst: Physical restraint shouldonly beusedwhenthereis athreat of assault or imminent serious physical harm.It shouldnever beusedas aformof punishment or discipline.\n\u25cf Training: Teachers andstaff shouldreceiveproper traininginsafeandeffectiverestraint techniques, includingannualrefresher training." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 80, + "content": "\u25cf Documentation: Document theincident thoroughly,includingthereasonfor restraint, theduration, andanyinjuries sustained. This documentationshouldbecompletedas soonas possibleafter theincident. Thedocumentationshouldcontainthefacts of theincident andrestraint ratherthanconclusions." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 81, + "content": "Superintendent\u2019s Circular SUP-19Page32 of 35\n\u25cf Documentationof Time-Outs: Staff shoulddocument inAspentheantecedent behavior andthetime, date, durationandlocationof any time-out usedas abehavioral supportstrategy. Theschool leader must giveapproval for anytime-out tocontinuemorethan30minutes basedontheindividual student's continuingagitation.\n\u25cf Communication: Maintainopenandeffectivecommunicationwithother staff members duringarestrainttoensureacoordinatedandsaferesponse.Intherareeventthat astudent is incrisis for morethan20minutes,restraints over 20minutes must haveapproval fromtheschool leader. Theschool leader must document thatapproval was grantedfor anyrestraint over 20minutes." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 82, + "content": "\u25cf NotifyParents/Guardians: Theprincipal or director of theprogramnoti\ufb01es theparent/guardian, verbally as soonaspossible(within24hours), andby writtenreport within3school workingdays byprovidingacopyof thephysicalrestraint report submittedtoDESE.\n\u25cf Monitoring: Continuously monitor thestudent's physical andemotional well-beingduringtherestraint. All physicalrestraint must beterminatedas soonas thestudent is nolonger animmediatedanger tothemself or others, or thestudent indicates that they cannot breathe, or if thestudentis observedtobeinseveredistress, suchas havingdif\ufb01cultybreathing, or sustainedor prolongedcryingor coughing." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 83, + "content": "Superintendent\u2019s Circular SUP-19Page33 of 35\n\u25cf Legal Compliance: Beawareof andfollowall relevant laws,regulations, andschool policies regardingtheuseof physicalrestraint inschools.\n\u25cf SeekMedical Attention: If thereareany injuries or signs ofdistress duringtherestraint, seekimmediatemedicalattentionfor thestudent or impactedindividual.\n\u25cf School NurseAssessment: Whenever possible, theschoolnurseshouldassess thestudent\u2019s physical conditionfollowingarestraint.\nDonots:\n\u25cf DON\u2019TImplement UnnecessaryRestraint: Donot usephysical restraint unless thereis athreat of assault or animminent serious physical harm. It shouldnot beusedforminor infractions or as aconveniencefor staff." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 84, + "content": "\u25cf DON\u2019TSeclude: Always maintainvisibility andensurecontinuedcommunicationwiththestudent. Alsoensurethepresenceof another staff member if possible. Under nocircumstances may astudent beleft aloneinaroomor areafromwhichthestudent is physically preventedfromleaving.Doors cannot belockedduringany time-out.\n\u25cf DON\u2019TUseProtractedRestraint: Donot continuetherestraint oncethestudent is nolonger animmediatedangertothemself or others, or if thestudent indicates they cannotbreatheor is observedtobeinseveredistress." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 85, + "content": "Superintendent\u2019s Circular SUP-19Page34of 35\n\u25cf DON\u2019TRestraintheHeador Neck: Donot useany formofrestraint that puts pressureonastudent's head, neck, orthroat, as it canbedangerous andpotentially lethal.\n\u25cf DON\u2019TUseUntrainedStaff: Donot allowuntrainedorunauthorizedstaff toengageinphysical restraint. Onlytrainedpersonnel shouldbeinvolvedintheprocess.\n\u25cf DON\u2019TUseMechanical Restraints: Donot usemechanicalrestraints, suchas handcuffs, onstudents inpublic schools.\n\u25cf DON\u2019TUseRestraints for Revengeor Punishment: Donotusephysical restraint as ameans of revenge, discipline, orpunishment. Restraint shouldalways bealast resort toprotect thesafety of all involved." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 86, + "content": "\u25cf DON\u2019TFail toReport: Donot neglect toreport theuseofphysical restraint toschool administration, parents/guardians,andrelevant authorities as requiredby lawandschool policy.Reports shouldbecarefully writtentorecordthefacts of theincident andrestraint.\nRemember that theuseof physical restraint inpublicschools isasensitiveandpotentiallyriskyactionthat shouldonlybeusedwhenall other means of ensuringsafetyhavebeenexhausted.CompliancewithMassachusetts laws andregulations isessential toprotect thewell-beingandrights of all studentsinvolved." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 87, + "content": "Superintendent\u2019s Circular SUP-19Page35 of 35\nATTACHMENTB: NOTIFICATIONPROCESS" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEL-04 \nVersion 01 \n \n \nTITLE I EXPENDITURES FOR ENGLISH LEARNERS \nAMENDED ORDER BETWEEN LATINO PARENTS ET AL \nAND BOSTON PUBLIC SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \n1. General Information \n2. English Learner Equity Requirement \n3. General Guidelines \n4. Sample Acceptable Uses \n5. Annual Reporting of Title I Services \n \n1. GENERAL INFORMATION \nIn 1992, the Boston Public Schools (BPS) and parents of English \nLearner students (ELs), who were represented by attorneys with \nMulticultural Education, Training and Advocacy, Inc. (META)," + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 2, + "content": "entered into a binding consent decree that is enforceable by use \nof the federal court\u2019s power to hold violators in contempt of court" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EL-04 \nPage 2 of 19 \n \n \nto compel compliance. A copy of this consent decree can be \nfound on the Office of English Learners website. \nThis Superintendent\u2019s Circular outlines the basic components of \nthe consent decree regarding appropriate Title I expenditures for \nELs and provides guidelines to comply with the edict. The \nconsent decree defines many requirements of BPS, which \nincludes the equitable allocation of Title I funds to service the \nneeds of ELs. \nThe federal consent decree enforced by META commits BPS to: \n\u2022 Improve and provide equal access to programs for EL \nstudents \n\u2022 Refrain from discriminating against EL students relative to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 4, + "content": "non-ELs, in the provision of Title I services \n\u2022 Ensure proportionality in the provision of services; the \npercentage of Title I eligible but unserved EL students must \nnot exceed the percentage non-ELs who are not benefiting \nfrom Title I funds \n\u2022 Adjust Title I school budgets for staff and services annually \nand periodically in light of changing student needs \n\u2022 Provide literacy (HILT) programs for EL students ages 8-22 \nwith limited or interrupted formal education (SLIFE) \n\u2022 Consult with and involve EL parents in each school \n(additional guidance on how to document this consultation \nwill follow) \n\u2022 Report annually on the status of Title I services to EL \nstudents." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular EL-04 \nPage 3 of 19 \n \n \nNote: \n\u2022 All other district purchasing guidelines still apply. For \ngeneral information regarding purchasing, please refer to \nSuperintendent\u2019s Circular FIN-07. \n\u2022 For state guidance on the use of Title I Part A funds in \ngeneral (not specific to the additional requirements \npursuant to the consent decree), visit \nhttps://www.doe.mass.edu/federalgrants/titlei-a/ or contact \nthe BPS Grants Department. \n2. ENGLISH LEARNER EQUITY REQUIREMENT \nThe portion of Title 1 resources for EL students is based on the \npercentage of EL population in that school. \nEL Equity Amount example: If School-A receives $100,000 in Title" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 6, + "content": "I funding with a school population consisting of 25% ELs, $25,000 \nmust be spent to benefit ELs. In this example, $25,000 is the \u201cEL \nEquity amount\u201d that must be spent on supplemental services \ndirectly and solely benefitting ELs. \nAs part of the BPS annual Budget Collaborative process, the \nFinance Department provides each school their Title I allocation \nand identifies for schools the EL Equity Amount subject to the \nspending guidelines outlined in this circular. \n\u2022 A school\u2019s Title I allocation is determined based on the \nschool\u2019s percentage of direct certified students and \nprojected enrollment, multiplied by a per pupil amount." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 7, + "content": "Direct certification, in compliance with USED and DESE, \nincludes data from the Supplemental Nutrition Assistance" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular EL-04 \nPage 4 of 19 \n \n \nProgram (SNAP), Temporary Assistance for Needy Families \n(TANF), and Medicaid enrollment. \n\u2022 Within the school\u2019s Title I allocation, the EL Equity Amount is \nseparately identified. This is calculated based on the \nprojected enrollment of English Learner students as a \npercentage of the overall enrollment of projected students \nat each school. \n3. GENERAL GUIDELINES \nThe META Consent Decree requires the following: \n1) Each individual school must determine the additional \nservices for EL students that will supplement their \ninstruction, either for academic language in English and/or \nthrough native language supports." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 9, + "content": "through native language supports. \n2) This determination must be conducted prior to spending \nTitle I funds for ELs at a school. \n3) These services must be supplemental, solely benefit ELs, \nand be tailored to meet the specific needs of EL students. \n4) The district, through the Office of English Learners, as part of \nits monitoring duties under the META Consent Decree, is \nobliged to ensure compliance with these legal \nrequirements, including working with schools to make \nappropriate revisions to any budget that does not reflect \ncompliance with Title I and META Consent Decree \nrequirements. \n5) Each school must annually submit both a plan for spending" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 10, + "content": "prior to any expenditures as well as an annual checklist that \nreports the use of Title I for ELs funds. \nServices Tailored to Meet the Specific Needs of ELs" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular EL-04 \nPage 5 of 19 \n \n \nServices provided with the use of Title I EL funds need to be \ntailored to meet the specific linguistic, cultural, socio-emotional \nand academic needs of ELs. These needs should be identified as \npart of the needs assessment process required by the consent \ndecree. \nServices Solely Benefitting ELs \nTitle I expenditures for ELs are also required to solely benefit ELs. \nThis means, for instance, if a school desires to fund a position, the \nresponsibilities for that position must be solely dedicated to ELs. \nThere is an expectation that the services provided by the staff \nshould focus on EL students with the highest needs such as" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 12, + "content": "those with English language development (ELD) levels 1 and 2, as \nthey are the most vulnerable group of students requiring \nsupplemental services. \n4. SAMPLE ACCEPTABLE USES \nSupplement and Not Supplant Rule \nTitle I for ELs funds must be used to supplement, and not \nsupplant, local, state or federal resources available or required \nunder state or federal law to meet the educational needs of ELs. \nIn other words, these Title I funds should not take the place of\u2014\nsupplant\u2014public education services that are to be provided by \nlaw to English Learner students. Instead, these funds must be \nused to supplement requisite education services, to provide" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 13, + "content": "services that go above and beyond what is otherwise required. \nHere are a few examples:" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular EL-04 \nPage 6 of 19 \n \n \n\u2022 Funding lunch monitors is an inappropriate use for which \nBPS was previously cited, since maintaining order in the \nlunchroom is a basic function that is not above and beyond \nwhat the district would do without Title I dollars and is also a \nfunction that does not solely benefit ELs. \n\u2022 General classroom supplies needed for everyday classroom \ninstruction (e.g., paper, notebooks, white boards) would not \nconstitute an allowable use of these funds, even if they only \nare used by ESL or other EL program classrooms, as the \nsupplies are not supplemental in nature. \n\u2022 It would not be allowable to use these funds to purchase" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 15, + "content": "core curriculum materials \u2014 including core ESL materials \u2014 \nfor English Learner students. \n\u2022 Equally important is that even if an expenditure is \nsupplemental by nature, it would be a violation of the \n\u201csupplement, not supplant\u201d rule to fund a service or activity \nfor ELs out of the TItle I for ELs funds while also funding the \nsame service or activity with general funds for other \nstudents at the school. For example, if a school purchases \ntechnology with general funds for general education \nclassrooms, it would generally not be allowable to use the \nTitle I EL funds to purchase the same technology for English \nLearner program classrooms. Potential allowances may be" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 16, + "content": "made if the technology is provided on a 1:1 basis for ELs only, \nand not for students as a whole. \nNote: The consent decree allows for an important exception to \nthe \u201csupplement, not supplant\u201d rule: generally, expenditures \nrelated to the High Intensity for Literacy Training for Students" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular EL-04 \nPage 7 of 19 \n \n \nwith Limited or Interrupted Formal Education (HILT for SLIFE) \nprogram constitute an allowable use of these Title I EL funds. \nThe following table provides a list of sample acceptable uses of \nTitle I for ELs funds. \n\u2022 It is important to note that this list is not exhaustive, and \nthat the \u201csupplement, not supplant\u201d provision still applies. \nAdditional examples are posted on the Office of English \nLearners Title I for ELs website. \n\u2022 School leaders are advised to discuss their ideas for the use \nof these funds with the Title I EL coordinator \n(Title1EL@bostonpublicschools.org) to ensure compliance." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 18, + "content": "Sample Acceptable Uses of Title I Funds for English Learners \n\u2022 High Intensive Literacy Training for Students with Limited or \nInterrupted Formal Education (HILT for SLIFE) programs: \nstrongly recommended to be funded through Title I for ELs \nfunds. \n\u2022 Extra learning time outside of the school day: materials and \nstipends for after-school, summer, and Saturday programs \ntailored specifically to meet the needs of ELs. \n\u2022 Supplementary enrichment and accelerated curriculum \nmaterials for ELs. \n\u2022 Supplementary materials, including native language \nresources, that strengthen the core academic program for \nELs in the school. \n\u2022 Supplementary counseling, pupil services, and mentoring" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 19, + "content": "services for ELs that is above and beyond what is offered to \nall students at the school." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular EL-04 \nPage 8 of 19 \n \n \n\u2022 College and career awareness programs solely for ELs that \nare above and beyond what is offered to all students at the \nschool. \n\u2022 Methods to assess the efficacy of all implemented strategies \n(such as stipends for after-school monitoring and planning \nmeetings) for ELs. \n\u2022 High-quality ongoing professional development for \nteachers, administrators, paraprofessionals, parents, and/or \npupil services personnel that is not otherwise required and \nis geared specifically towards meeting the needs of ELs. \n\u2022 Increasing EL parental involvement through literacy \nservices. \n\u2022 Consulting to strengthen the core academic standards or" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 21, + "content": "the school improvement plan to meet the specific needs of \nELs. \n\u2022 Assessment fees associated with an EL student obtaining \nthe Seal of Biliteracy. \n\u2022 A supplemental bilingual paraprofessional (not for class size \nreasons) to assist former SLIFE students who exit SLIFE into \nSEI content classes but who need continuing native \nlanguage support. \n \nPrevious Findings of Non-compliance \nThe following are examples of inappropriate usages of Title I to \ncount towards the EL equity percentage: \n\u2022 Since ESL instruction is considered core, funding of a sole \nESL teacher to provide ESL for all ELs in the school is \nconsidered supplanting. However, it is acceptable for this" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular EL-04 \nPage 9 of 19 \n \n \npurpose if it is used to supplement the core ESL \nrequirements by providing additional ESL support or \nproviding smaller group instruction to students targeting \nELs with ELD levels 1 and 2. \n\u2022 Funding instructional or other basic supplies (copy paper, \nclassroom supplies, notebooks, chart paper, printer \ncartridges, etc.) are basic classroom supplies needed for any \nclassroom and would therefore be a clear example of \nsupplanting. Similarly, Title I EL monies may neither be used \nto satisfy the district\u2019s minimum $1,000 supply budget per \nschool nor the minimum supply to be budgeted per \nstudent." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 23, + "content": "student. \n\u2022 Funding lunch monitors is an illegal use for which BPS was \npreviously cited, since maintaining order in the lunchroom is \na basic function and not above and beyond what the district \nwould do without Title I dollars. \n\u2022 Title I EL funds may not be applied to the salaries of general \nadministrative personnel. \n\u2022 Shifting a position from general funds that is a core position \nto Title I is a clear indication of supplanting and not an \nappropriate Title I EL expenditure. \n\u2022 Funding positions that serve the whole school, such as \nfamily and community outreach coordinator, physical \neducation, computer, music/art teacher, school wide" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 24, + "content": "counselors, school wide literacy coordinators, school wide \nparaprofessionals, and parent coordinators/liaisons would \nbe considered supplanting and therefore would not be an \nallowable use of these funds." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular EL-04 \nPage 10 of 19 \n \n \n5. ANNUAL REPORTING OF TITLE I SERVICES \nTitle I funding for ELs is reported annually to META by the Office \nof English Learners (OEL). School leaders must submit a Title I EL \nBudget Plan (1) during their Budget Collaborative during January \nand a Title I for ELs Budget Monitoring Checklist by June of the \ncurrent school year to OEL. Using this Title I checklist, school \nleaders will be asked to verify and report what services the Title I \nfunded staff have provided, number of students serviced, and \nadditional resources/supplies purchased within the year. \nTitle I EL Budget Plan (future year budget): Each school will" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 26, + "content": "receive a Title I EL Budget Plan that is pre-populated with the \nschools\u2019 Title I EL allocation for the upcoming fiscal year. The Title \nI EL Budget Plan requires school leaders to identify the needs \nassessment that undergirds their planned spending, and to \nidentify categories of planned spending (e.g., staffing, \nsupplemental instructional supplies, contractual services, \nstipends, etc.). \nDuring a school\u2019s budget collaborative, each school leader is to \nsubmit their EL Budget Plan. A school\u2019s budget collaborative will \nnot be considered approved until the school\u2019s Title I EL Budget \nPlan is finalized and the budget lines can be structured" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 27, + "content": "accordingly in FutureForce. School leaders are encouraged to \nschedule appointments with their EL school support liaison for \nsupport. \n \n(1) Template. May be updated with feedback from stakeholders." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular EL-04 \nPage 11 of 19 \n \n \nThe following represents general considerations for school \nleaders to aid them in preparing sufficient plans: \nNeeds Assessment \n\u25cf The META consent decree specifies that, prior to spending \nTitle I for ELs funds at schools, the determination of the \nservices most needed by the school\u2019s ELs must be \nconducted first to ensure that the funds will be used to \nsupport the language development needs of English \nLearner students. \n\u25cf Schools should review multiple data points to identify the \nneeds of their English Learner student population, keeping \nin mind that English Learners do not constitute a monolithic \ngroup." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 29, + "content": "group. \n\u25cf At a minimum, English Learner students\u2019 ACCESS \nperformance and progress data should be reviewed. \nAdditional data to be reviewed may include: MCAS and \ninterim/formative assessment data; attendance data; \nstudent/parent surveys; school Equity Roundtable notes; \nstudents\u2019 Individual Learning Plans for SLIFE or ELs who \nhave not met ACCESS benchmarks; etc. \n\u25cb Schools should disaggregate the data for different EL \nsubgroups; e.g., EL students with disabilities, Students \nwith Limited or Interrupted Formal Education, \nnewcomers, long-term English Learners, etc. \n\u25cf School leaders should consult the LATF and other EL \nteachers as well as with English Learner parents when" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 30, + "content": "developing their Title I EL Budget Plan. School leaders may \nalso consider consulting with English Learner students." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular EL-04 \nPage 12 of 19 \n \n \n\u25cf When considering the types of goods and services to \ninclude in their Title I EL Budget Plan, school leaders should \nalso consider the effectiveness of purchases made with prior \nTitle I EL funds on improving EL student achievement. \nBudgeting for an FTE \n\u25cf If requesting an ESL FTE, make sure the minimum ESL FTE \nrequirement is met within your general funds before \nsubmitting an additional request on your EL Title 1 \nallocation. This should only be a supplemental position. This \nFTE cannot deliver core ESL instruction to meet minimum \nESL instructional compliance. \n\u25cf Identify how the position primarily serves ELD 1 and 2" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 32, + "content": "students if applicable. \n\u25cf Both salary and benefits need to be accounted for. \n\u25cf It will be the school leader\u2019s responsibility to ensure that this \nFTE does not perform job responsibilities other than those \napproved with the use of the Title I EL funds." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular EL-04 \nPage 13 of 19 \n \n \nBudgeting for Stipends \n\u25cf If requesting stipends for supplemental EL instructional \nsupport outside of school hours, make sure that staff are \nappropriately qualified (e.g., ESL license, SEI endorsement, \nbilingual endorsement) to instruct ELs. Specify the nature of \nthe services provided to demonstrate that core ESL \ninstruction is not being delivered through these stipends. \n\u25cf Additionally, LATF duties are not permitted to be \ncompensated through these stipends. Ensure that all \nstipend requests adhere to district policy. \nBudgeting for Contractual Services \n\u25cf If requesting contractual services for professional" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 34, + "content": "development, make sure to demonstrate that the PD \nprovider is appropriately qualified to provide training on \nEnglish Learner instruction and that the PD is specific to \nEnglish Learner instruction or supports. \n\u25cf Schools can review the OEL website to identify other \napproved professional development that can be targeted for \nstudents or parents to integrate native language and \ncultural learning opportunities as part of the school PD \nofferings. \nBudgeting for Supplies/Materials/Technology \n\u25cf If requesting technology, make sure the technology is not \nalready in the school being used by non-ELs and that it is \nnot used for mandated assessments (e.g., ACCESS, MCAS)." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 35, + "content": "\u25cf If you\u2019re requesting books/instructional materials, make sure \nto indicate how this supplements the requisite or core" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular EL-04 \nPage 14 of 19 \n \n \ncurriculum and how it is specifically designed for English \nLearners. \nThe following provides a sample exemplar for the type of \nrationale that needs to be included in the Title I EL Budget Plan. \nQUESTION: How is this supplemental? \n\u25cf Weak Rationale: This text is supplemental because it is in \naddition to the core work. \n\u25cf Strong Rationale: This text provides a brief, accessible guide \nto this textbook to make the content comprehensible to \nELs, especially EL 1 and 2 students. This is a supplement to \ntraditional textbook and primary source materials for \nteaching this class. Newcomer students often haven't been" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 37, + "content": "taught this curriculum, so it is even more important to \ncommunicate the essentials of this work (which many \ngeneral education students might already have learned). \n\u25cb Difference: This differs from the weak example because \nit includes detail on how the text will be used in the \nclassroom and demonstrates supplemental use. \nQUESTION: How will this solely benefit ELs? \n\u25cf Weak: This will only be used for ELs. ELDs 1-3. \n\u25cf Strong: This text has allowed me to make the content \naccessible, especially for ELs with ELD levels 1-3. Newcomer \nstudents often haven't been taught this curriculum, so it is \neven more important to communicate the essentials of this" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 38, + "content": "work (which many general education students might \nalready have learned). \n\u25cb Difference: This differs from the weak example because \nit shows that non-EL students would not benefit from" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular EL-04 \nPage 15 of 19 \n \n \nthis book and that the ELs would need the book to help \nthem access the content and narrative. \nQUESTION: How is this tailored to meet the needs of your EL \nstudents? \n\u25cf Weak: This text is only used in ESL specific classrooms. \n\u25cf Strong: The visual and shorter, chunked text provides \ncomprehensible input for students to master the concepts \nin the traditional reading. This topic is especially important \nfor this time period both because my newcomer students \nconsistently express interest in learning about these two \nevents and because there are so many events within this \ntime period that a supplemental text would help students" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 40, + "content": "follow the narrative. \n\u25cb Difference: This differs from the weak example because \nit demonstrates how the text is tailored to meet the \nlanguage needs of the EL students by stating it has \nvisuals and shorter texts. \nTitle I EL Budget Monitoring Checklist (current year actual \nspending): Whereas the Title I EL Budget Plan identifies the \nintended use of the funds, the Title I EL Budget Monitoring \nChecklist identifies how the funds were actually spent and \nprovides the rationale to demonstrate how the identified goals \nwithin the Title I EL Budget Plan from the previous year were \nmet. Once the district\u2019s spending deadline has passed, the Title I" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 41, + "content": "EL coordinator provides each school leader with their own \nchecklist document that is pre-populated with each line item of \nrequisitions and stipends. Prior to the close of the school year, \nschool leaders review the rationale they provided at the time of \nthe purchase request, sign the document, and return it to the \nTitle I EL coordinator." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 42, + "content": "Superintendent\u2019s Circular EL-04 \nPage 16 of 19 \n \n \nMONITORING COMPLIANCE \nThe district submits each school\u2019s Title I EL Budget Plan and Title \nI EL Budget Monitoring Checklist to META attorneys. Note: In the \nevent a school leader fails to comply with the submission \ndeadlines, the district may not process purchase requests that \nfall under the school\u2019s Title I EL budget lines until such \ncompliance is met. \nThe Title I EL funds are denoted in a school or department\u2019s Fund \n200 budget with a program code of 24xx. For instance, for FY23, \nthe budget line would include BPS23150 (Title I) and a program \ncode of 24xx (e.g., 2401). The use of these funds is subject to the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 43, + "content": "terms of the META consent decree and this circular. \nThroughout the school year, the Title I EL coordinator \n(title1EL@bostonpublicschools.org) will review each requisition \nfor purchase (e.g., requisitions, stipends, EAEs, FTEs, budget \ntransfers, etc.) to ensure that the given request meets Title I EL \nspending guidelines and aligns to the school\u2019s approved Title I EL \nBudget Plan. The Title I EL coordinator tracks each purchase and \nits rationale for annual reporting purposes. \n\u25cf When a given request has not been included in a school\u2019s \nTitle I EL Budget Plan, the Title I EL coordinator will request \nadditional information from the school to ensure \ncompliance." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 44, + "content": "compliance. \n\u25cf The Budget and Finance departments will not process any \nrequests without prior written approval from the Title I EL \ncoordinator. \nThe Title I EL coordinator may also request additional information \nthroughout the school year when necessary to ensure that \nspending remains in compliance. The district reserves the right to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular EL-04 \nPage 17 of 19 \n \n \nimplement additional monitoring requirements throughout the \nschool year. \nTimely spending: Responsibility Centers receive monthly BAIS \nFinancials output reports that identify the balance of available \nTitle I EL funds. It is the responsibility of school leaders and \ndepartment heads to ensure that funds are spent appropriately \nand in a timely manner to support the unique needs of English \nLearner students most effectively. \n\u25cf To ensure appropriate spending, all unspent Title I EL funds \nat the school level will be re-allocated to the Office of \nEnglish Learners at the close of the fiscal year for \nappropriate spend- down." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 46, + "content": "appropriate spend- down. \nMETA visits and requests for information: META monitors \ncompliance by way of reviewing the Title I EL Budget Plans and \nthe end-of-year Title I EL Budget Monitoring Checklists, as well as \nconducting school visits. During the visit, META will meet with \nthe school team and may review the school\u2019s current and \nprojected budget, Title I checklist, staff qualifications, and other \ninformation deemed necessary to comply with the Consent \nDecree. \n\u25cf Schools will be supported by the Office of English Learners \nand Grants Department prior to any such visits. \n\u25cf School personnel who receive direct contact from META" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 47, + "content": "attorneys with requests for information outside the context \nof a scheduled visit are directed to contact the BPS Office of \nLegal Advisor at legal@bostonpublicschools.org for \nguidance." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 48, + "content": "Superintendent\u2019s Circular EL-04 \nPage 18 of 19 \n \n \nKEY DATES \nResponsible Activity Date \nSchool Leader Submit FY25 Title I EL \nBudget Plan (planned \nexpenditures for the \nfollowing school year) to \nTitle I EL Coordinator for \napproval \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOEL Review and approve \nsubmitted FY25 Title I \nEL Budget Plan \n(planned expenditures \nfor the following school \nyear) \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOffice of Legal \nAdvisor \nSubmit annual Title I \nreport to META \nJanuary 2024 \nSchool Leader Submit FY24 Title I EL \nChecklist to OEL/Grants \n(accounting of \nexpenditures from the \ncurrent school year) \nJune 2024 (after" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 49, + "content": "current school year) \nJune 2024 (after \nspending deadline) \nSeptember 2024 (if \napplicable, for any \n2024 summer \nspending) \nOEL Review and analyze \nsubmitted FY24 Title I \nEL Checklist to \nOEL/Grants \nJuly 2024" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 50, + "content": "Superintendent\u2019s Circular EL-04 \nPage 19 of 19 \n \n \nRESOURCES \nTitle I for English Learners website: \nhttps://www.bostonpublicschools.org/title1el. \nGuidance is also included annually in the district\u2019s Budget \nCollaborative and Probable Organization guidance document for \nschool leaders. \nFor more information about this circular, contact: \nOwner: Executive Director, or \nDirector of Grants and External Funds \nDepartment: Office of English Learners or Finance \nDepartment \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9435 or 617-635-6995 \nEmail: all-acad-division@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEL-07 \nVersion 01 \n \nBPS INSTRUCTIONAL SYSTEM AND MONITORING FOR \nMULTILINGUAL LEARNERS \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis superintendent\u2019s circular outlines the district\u2019s instructional \nsystem and monitoring for multilingual learners, including: \n1. Instructional Expectations and Resources: \na. Defining high-quality instructional expectations and \nmaterials for our multilingual learners and multilingual \nlearners with disabilities (MLWD) \nb. Curating and outlining resources for schools, classroom \nstaff, and school leaders to change and improve" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 2, + "content": "staff, and school leaders to change and improve \ncurrent practices in classrooms serving Multilingual \nlearners and those with disabilities \n2. Monitoring of Multilingual Learners\u2019 Instruction: \na. Monitoring Individualized Learning Plans (ILPs) for \nmultilingual learners who have not met ACCESS \nprogress benchmarks" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EL-07 \nPage 2 of 18 \n \nb. Conducting classroom observations by school leaders \nand district regional support teams or ESL and content \ninstruction across programs serving Multilingual \nlearners \nIn accordance with the DOJ agreement for ELE services, an \noverview of ELE services, compliance monitoring, accountability, \nand DOJ reporting schedule is outlined here. \n \nINSTRUCTIONAL EXPECTATIONS \nThe circular provides foundational information on practices and \nexpectations regarding high-quality instruction and grade-level \ncontent instruction for our MLs aligned to MA-DESE frameworks \nand grade-level standards. Included are resources for classroom" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 4, + "content": "staff and school leaders to align and improve current classroom \npractices. The research-based resources and strategies will \nprovide consistent, high-quality educational practices across the \nDistrict to develop a systemwide understanding of expectations \nfor instructing our multilingual learners and those with \ndisabilities. \nOne priority of the Office of Multilingual and Multicultural \nEducation (OMME) is to outline instructional expectations with \nguidance and resources for multilingual learner (ML) educators to \naccelerate MLs\u2019 language acquisition and support their growth \nacross content. All MLs are entitled to meaningful access to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 5, + "content": "grade-level content learning and English language development \n(ELD) instruction to build their English language skills in all four \nlanguage domains (reading, writing, listening, and speaking). All" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular EL-07 \nPage 3 of 18 \n \nMLs regardless of program or placement are entitled to receive \nsheltered content with an SEI teacher and ESL services with an \nESL-certified teacher1. To that end, OMME is committed to \nproviding all ESL and SEI content teachers with tools that best \nsupport MLs. \n \nGROUNDING THE INSTRUCTIONAL CORE IN WIDA AND MA \nCURRICULUM FRAMEWORKS \nTo maintain high-quality content and language learning for MLs, \nit is paramount to center all ML instruction for Fall 2023 and \nbeyond on research-based standards for language development \nas well as grade-level content. OMME expects that the MA \nCurriculum Frameworks and WIDA 2020 Standards Framework" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 7, + "content": "are the foundations for all effective delivery of English as a \nSecond Language (ESL) instruction and English Learner \nEducation programs. \nOMME has created clear and explicit guidance around what \ndefines English as a Second Language (ESL) instruction in Boston \nPublic Schools (BPS) and the varied programmatic structures it \nmay take. ESL is its own subject matter and provides explicit, \nsystematic, and sustained language instruction to promote MLs\u2019 \nsuccess at school and beyond. ESL is: \n \n1 Any core academic teacher of an Multilingual Learner (providing instruction in English): teachers of" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 8, + "content": "MLs with moderate disabilities; teachers of MLs with severe disabilities; teachers in English, reading or \nlanguage arts; mathematics, science; civics and government, economics, history, and geography; early \nchildhood and elementary teachers who teach MLs such subjects; and any career vocational technical \nteacher who instructs a ML." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EL-07 \nPage 4 of 18 \n \n \n\u2022 Asset-based and culturally sustaining \n\u2022 Language driven \n\u2022 Balanced, focused on both meaning and form \n\u2022 Standards-based (i.e. ELA, History, Math, Science), rigorous, \nand integrated \n\u2022 Designed for authentic language interactions, dialogue, and \ncollaboration \n\u2022 Planned and dynamic \n\u2022 Differentiated and scaffolded \n\u2022 Grounded in effective assessment practices \n \nSuccessful pedagogy is grounded in these frameworks and \napproaches: \n\u25cf MA Curriculum Frameworks: The frameworks establish clear \nacademic expectations for what students should know and \nbe able to do at the end of each school year. They" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 10, + "content": "emphasize the development of 21st-century skills with \ncollege and career readiness. Current curriculum \nframeworks for each content area can be found here. \n\u25cb English Language Arts & Literacy \n\u25cb Social Studies / Humanities \n\u25cb Science Technology & Engineering \n\u25cb World Language Standards \n\u25cf WIDA: A research-based, comprehensive approach to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular EL-07 \nPage 5 of 18 \n \nsupporting, teaching, and assessing multilingual learners. \nThe WIDA 2020 Framework and Standards prioritize equity \nof opportunity and access, integration of content and \nlanguage, collaboration among stakeholders, and a \nfunctional approach to language development. \n \nKey components to effective ML teaching in the BPS: \n\u25cf Native Language : Research shows that using native \nlanguage instruction and resources has a positive effect on \nEnglish language development. Teachers should leverage \nstudents\u2019 native-language literacy skills whenever possible \nand use that knowledge to facilitate metalinguistic" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 12, + "content": "awareness and cross-linguistic transfer. When teachers have \na basic knowledge of students\u2019 native language structure, \nthey can better identify students\u2019 positive and negative \nlinguistic transfers. Furthermore, teachers should consider \nusing native language materials to build background \nknowledge and help students transfer content-area skills \nand understandings from one language to another. \n\u25cf Collaboration Among ML Educators: BPS prioritizes teacher \ncollaboration to support MLs\u2019 success in content area \nclasses and programs. \u201cCo-Teaching ESL is a unique form of \nteacher collaboration where two teachers (an ESL and a \ngrade level/content area teacher) fully share teaching" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 13, + "content": "responsibilities for a common group of students. The co-\nteachers jointly plan for, deliver, and assess dedicated, \nsystematic, explicit, and sustained standards-based and \nlanguage-focused ESL instruction that connects to content" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular EL-07 \nPage 6 of 18 \n \narea topics and analytical practices.\u201d (DESE\u2019s Quick \nReference Guide Co-Teaching Co-Teaching ESL) \n \nMATERIALS GUIDANCE \nOMME will continue to work across academic departments to \nensure that all materials provide scaffolding and supports for \nmultilingual learners. To support this initiative, OMME has \ndeveloped an ELD Look-For Tool that illustrates effective \nculturally and linguistically sustaining practices that are key \ninstructional components for all classrooms serving Multilingual \nLearners. This tool is aligned with research-based best practices \nfor MLs and to the BPS Equitable Literacy Look-Fors, and the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 15, + "content": "Culturally Responsive Instruction Observation Protocol (CRIOP). \nIn order to support the integration of content and language, \nOMME created an integrated Language Objectives writing tool \nand a series of professional development to support this initiative. \n \nMultilingual Instructional Coaches (MICs) worked throughout SY \n2022/23 to analyze district-approved tier 1 curriculum, thoroughly \nexamine the WIDA 2020 Standards Framework to create a scope \nand sequence and unit maps for ESL instruction for grades K-12: \nFocus in Grades K0-2, EL Education for Grades 3-5, and StudySync \nand core content in Grades 6-12. All curriculum and support" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 16, + "content": "documents will be housed in this Boston Public Schools ESL \nCurriculum Digital Notebook." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular EL-07 \nPage 7 of 18 \n \nThe work was grounded in: \n\u2022 Massachusetts Department of Elementary and Secondary \n(DESE) Next Generation ESL Curriculum Guidance, \n\u2022 7 Forms of Bias, \n\u2022 Culturally Responsive Teaching, \n\u2022 Systemic Functional Linguistics, \n\u2022 Equitable Literacy and Culturally and Linguistically \nSustaining Practices, \n\u2022 the 3Ls, \n\u2022 WIDA 2020 Standards Framework, and \n\u2022 Understanding by Design (UbD). \n \nDual Language schools have adopted a variety of authentic texts \nor trans-adapted texts / materials in the native language. OMME \nrecommends usage of native language text sets aligned to grade \nlevel standards and units of study that meet the rigor and" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 18, + "content": "expectations for quality materials using CURATE. Additionally, the \ndistrict recommends the following Spanish and English \ncomplimentary materials for dual language: \n1. Focus Transadapted Spanish Texts \n2. American Reading Company \nOther Dual Language and bilingual programs in majority BPS \nlanguages are provided materials in the form of authentic texts \nor transadapted texts thematically aligned to the biliteracy \nframework for the target languages that must meet grade level \nstandards." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular EL-07 \nPage 8 of 18 \n \n \nIn setting expectations for high-quality instruction, the District \nhas a responsibility to provide district level and individualized \ncoaching support for school and classroom staff. The following is \na list of instructional recommendations with critical resources for \nteachers and school leaders serving multilingual learners and \nEnglish learners with disabilities (ELD). \n \nSEI PROGRAMS VS. SEI CLASSROOMS \nBoston Public Schools has the highest number of MLs across the \nstate. Therefore, it is expected that every BPS classroom is an SEI \nclassroom (if there is at least one multilingual learner enrolled)" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 20, + "content": "with a qualified SEI teacher. Additionally, BPS offers SEI programs \nto students at ELD levels 1-3 with some language specific \nprograms at specified schools to better meet the needs of \nstudents at ELD levels 1-3 and provide language support if the \neducator has the same language. All MLs across ELD levels and \nplacement settings are expected to receive ESL instruction in \naccordance with their level, grouping per the Department of \nJustice (DOJ) and the Massachusetts Department of Elementary \n& Secondary Education (MA DESE). \n \nESL: English as a Second Language SCI: Sheltered Content Instruction \nNLI: Native Language Instruction NLS: Native Language Support" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular EL-07 \nPage 9 of 18 \n \nProgram Type & \nTarget \nInstructi\non Type \nBPS Instructional Expectations Resources \nSEI Multilingual \nProgram - targeted \nfor ML ELD 1-3 with \nlow incidence \nlanguages \n\u2713 ESL \n\u2713 SCI \n\u25cf Grade level aligned instruction \nusing district materials or \ncurriculum meets MA frameworks. \n\u25cf Adapting or differentiation for lower \nELD levels and/or low levels of \nliteracy to accelerate learning. \n\u25cf Educators teach academic \nlanguage and align to MA \nFramework content grade level \nstandards and WIDA standards. \n\u25cf Classroom teachers collaborate and \nplan with ESL teachers. \n\u25cf Educators are bilingual and believe \nthat the native language of" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 22, + "content": "that the native language of \nstudents and families is an asset \nand promotes bilingual education. \n\u25cf Classroom environments are \nmulticultural, engage diverse \nperspectives and experiences and \nvalue all students' cultural and \nlinguistic backgrounds. \n\u25cf Student ILP (if needed) is aligned to \nWIDA Can Do and language \ndomains. \n\u25cf ESL instructional pedagogy is \nconnected thematically with a \nfocus on academic language. \n\u25cf MASS \nLiteracy \nGuide \n\u25cf MA DESE \nCollaboration \nTool \n\u25cf Incorporating \nNative \nLanguage \ninto Learning \n\u25cf BPS \nEquitable \nLiteracy Look-\nFors \n\u25cf MA DESE ESL \nModel \nCurriculum \nUnits \n\u25cf CGCS 3Ls: \nLearning, \nLanguage \nand Literacy \n\u25cf SFL Writing \nPedagogy" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 23, + "content": "and Literacy \n\u25cf SFL Writing \nPedagogy \n\u25cf UDL \nGuidelines \n\u25cf MA DESE\u2019s \nDefining ESL \nGuidance \nSEI Language \nSpecific Program - \ntargeted for ML ELD \n1-3 with high \nincidence languages \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Inclusion \nProgram - targeted \nfor dually \nidentified ML with \nELD levels 1-3 and \nMLs with Disabilities \n\u2713 ESL \n\u2713 SCI \n\u2713 NLS* \nSEI Classrooms \nwithout district ELE \nPrograms - targeted \nto ELD 4 and ELD 5 \nand at all schools \nwithout an SEI \nMultilingual, \nLanguage Specific \nor SEI Inclusion \nProgram \n \n\u2713 ESL \n\u2713 SCI" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular EL-07 \nPage 10 of 18 \n \n \n \nDual Language - \ntargeted for MLs in \nELD levels 1-3 and \nEnglish monolingual \nstudents \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u25cf Biliteracy skills that support each \nlanguage and build metalinguistic \nawareness, such as teaching \ncognates. \n\u25cf Educators are bilingual and hold \nthe belief that the native language \nof students and families is an asset. \n\u25cf Materials reflect authentic texts or \nare \n\u25cf transadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n\u25cf The curriculum includes a \nstandards-based scope and \nsequence for language and literacy \ndevelopment in English and the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 25, + "content": "development in English and the \npartner language for all students. \n \n\u25cf Dual \nLanguage \nCAL \nGuidance \nSLIFE - targeted for \nnewcomer students \nwith low native \nliteracy \nassessments and \ngaps of education \n(Newcomer \nProgram) \n\u2713 ESL \n\u2713 SCI \n\u2713 NLI \n\u2713 NLS * \n\u25cf Native language literacy and \nnumeracy skills that develop \nstudents academically. \n\u25cf Appropriate developmental \nstrategies and pedagogy that build \non students\u2019 schema and life \nexperiences. \n\u25cf Educators are bilingual and hold \nthe belief that the native language \n\u25cf SLIFE DESE \nGuidance" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular EL-07 \nPage 11 of 18 \n \nof students and families is an asset. \n\u25cf Materials reflect authentic texts or \nare \n\u25cf transadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n\u25cf Drawing on students\u2019 cultures and \nidentities with projects and life skills \nthat connect to their communities \nand assets. \nHeritage Program - \ntargeted for \nstudents with \ncommon ethnic and \nnative language \n\u2713 NLI \n\u2713 ESL \n\u25cf Students from heritage \nbackgrounds are taught target \nlanguage across modalities aligned \nto World Language Standards. \n\u25cf Identity is often a major factor in \nheritage speakers/signers\u2019 \nmotivations for language learning," + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 27, + "content": "motivations for language learning, \nand educators must discuss identity \nissues to effectively support \nstudents in making the cultural \nconnections described in world \nlanguage content standards. \n\u25cf World \nLanguage \nStandards \n\u25cf Heritage \nSpeakers' \nGuide \n \n \nMONITORING OF MULTILINGUAL LEARNERS INSTRUCTION \nIn addition, this circular outlines the District's expectations for \nCentral Office and school leaders regarding a quality monitoring \nsystem for ESL and content instruction for multilingual learners \nacross English Learner Education (ELE) programs and general \neducation settings. This system facilitates the District's" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 28, + "content": "identification of classrooms, programs, and schools of excellence \nso BPS can share these practices, trends and teaching pedagogy" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular EL-07 \nPage 12 of 18 \n \ndistrict-wide. In addition, routine observations will allow the \nDistrict to identify schools and classrooms that need support for \ninstructional improvement and, in some cases, intervention at a \nschool, program, or classroom. The BPS monitoring system will \nensure that students with an ILP are attended to with specific \nlanguage goals. \n \nMONITORING OF ML INDIVIDUALIZED LEARNING PLANS (ILPS) \nMultilingual Learners that are not meeting targeted ACCESS \nprogress benchmarks indicated by MA DESE are required to have \nIndividual Learning Plans (ILP) (also known as a student success" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 30, + "content": "plan) that track their language growth and academic progress. \nEach year, OMME will share guidance, the list of students who \nneed an ILP per DESE\u2019s criteria, and the template document. \nLATFs will support the dissemination of information and these \nmaterials to teachers for completion. The ILPs should be \ncompleted by the student\u2019s team of teachers, integrating how \nthe student will grow across content areas. The use of the WIDA \nframework and Can Do descriptors guide the BPS ILP document \nso that the goals within each language domain of where a \nstudent needs to grow to move to the next level on the English \nlanguage proficiency continuum are aligned with WIDA. A BPS" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 31, + "content": "ILP sample template can be found here. \n \nWith the continued implementation of this policy, school leaders, \nLATFs and teachers are expected to: \n\u2022 Identify the areas in which identified MLs need" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular EL-07 \nPage 13 of 18 \n \nimprovement and establish personalized goals for \nattaining English proficiency; \n\u2022 Assess and track the progress of MLs who did not meet \nbenchmarks in the identified areas in need of \nimprovement; \n\u2022 Review resources and services available to assist MLs in \nthe identified areas in need of improvement; and \n\u2022 Incorporate input from the parents or legal guardian of \nthe identified ML. \n \nOMME is developing a systemic approach to monitoring ILPs for \nML who have not met WIDA ACCESS Benchmarks as outlined \nbelow: \n\u2022 School leaders and LATFs will be notified and updated on \nthe percentage of ILP completion, and OMME will" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 33, + "content": "the percentage of ILP completion, and OMME will \nmonitor progress towards 100% completion of ILP plan; \n\u2022 ILPs should be finalized for students by October 15, 2023; \n\u2022 Schools principals and LATFs with incomplete ILPs will be \nnotified by late October to follow-up; \n\u2022 Any remaining incomplete ILPs will be reflected on school \nEL plans; \n\u2022 OMME Equity and Accountability regional liaisons will \nwork with school superintendents to ensure ILP \ncompletion for ML identified in need of a plan. \n \nMONITORING OF INSTRUCTION \nBPS recognizes that rigorous, standards-based, culturally \naffirming instruction is critical to student outcomes in our" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular EL-07 \nPage 14 of 18 \n \nhighest needs schools. The district will implement a consistent \nmonitoring system to ensure ESL and content instruction for \nMultilingual learners and those with Disabilities receive high-\nquality instruction and opportunities for accelerated learning \nacross Equitable MTSS tiers. \n\u25cf The Office of Multilingual and Multicultural Education \n(OMME) is increasing staffing and instructional support in \nSY23/24 to support school leaders and educators in meeting \nconsistent expectations for instructional practices for \nMultilingual Learners and those with disabilities. OMME \nmultilingual instructional coaches will work to align" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 35, + "content": "instructional expectations from the district to classroom \nlevel with materials, role expectations, instructional \npractices, and coaching cycles. \n\u25cf OMME has adopted an updated MLs observation tool using \nthe Equitable Literacy Self Reflection Tool and Learning, \nLanguage and Literacy observation tool with embedded \npractices that meet grade level content expectations for \nMLs. The updated MLs observation tool will be utilized \ndistrict-wide to perform learning walks and observations \nacross all ESL and content classrooms where MLs are placed \nin order to assess the quality of teaching and learning for \nMultilingual learners with a focus on Culturally and" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 36, + "content": "Linguistically Sustaining Practices (CLSP). \n\u25cf BPS district teams and schools will use the updated MLs \nobservation tool replicated in Bullseye online platform for \nobservers to input observation records in order to collect \ndata, assess outcomes and monitor trends towards" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular EL-07 \nPage 15 of 18 \n \nincreased instructional improvements. \n\u25cf All district staff, school leaders and other classroom \nobservers will be trained on the updated MLs observation \ntool via Bullseye online platform in order to implement \nacross the system and leverage as a consistent routine \nclassroom observation and monitoring tool. \n \nSCHOOL ACCOUNTABILITY \nThe following outlines the District\u2019s expectations for school \nleaders and central office regarding a quality monitoring system \nfor ESL and content instruction for multilingual learners \nregardless of program or placement. It will ensure that we" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 38, + "content": "monitor schools for high-quality ML teaching practices and \ncoherence across the district. OMME will add training for school \nleaders on ML instruction expectations and observation look-fors \nto better prepare them for appropriately evaluating and growing \neducators towards meeting proficient or exemplary status \nfollowing the MA DESE Classroom Teacher Rubric." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular EL-07 \nPage 16 of 18 \n \nSchool leaders or assigned evaluators: \na) Once every two weeks, school leaders are expected to \ndo short observations (10-15 minutes) of all classrooms \nserving Multilingual Learners in the school. The school \nleaders should use the updated MLs observation tool to \ncollect observation notes and align to district \ninstructional vision. \nb) Within 48 hours of observations, school leaders should \nprovide the classroom leaders with a quick note \nincluding a positive practice observed and a noticing or \nwondering to improve instructional practices. \nResources aligned to expectations or improving" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 40, + "content": "Resources aligned to expectations or improving \ninstructional practices should be included with the \nnoticings or wonderings. \nc) If any concerns arise from the short observation, the \nschool leader should schedule an observation, \nincluding a one-on-one discussion with the teacher \nthat offers resources, support, or coaching if available. \nd) When a school leader observes consistent classroom \ninstruction below the expectations for teaching and \nlearning, the school leader must have a conversation \nwith the teacher and start the teacher improvement \nevaluation process. This should include expectations \nfor improvement and resources to support the growth \nof the classroom staff." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular EL-07 \nPage 17 of 18 \n \nDISTRICT ACCOUNTABILITY \nRegional School Superintendents and District Regional Support \nStaff (District Team): \na) Once a quarter, starting at the end of September, \nregional school superintendents and other district \nregional support staff will join school leaders to observe \nclassroom practices in classrooms serving Multilingual \nLearners. The team will use the updated MLs \nobservation tool to observe, record, and provide \nfeedback on classroom instructional practices to \nidentify trends and growth areas and monitor progress. \nb) Regional support staff conducting walkthroughs will \nbe expected to record their observations in the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 42, + "content": "be expected to record their observations in the \ncentrally maintained Bullseye online platform. This will \nallow for district-wide analysis and monitoring of data \ntrends. Additionally, school leaders and district staff will \nbe able to monitor progress and share evidence to \nnorm and validate observations. \nc) Regional school superintendents and regional support \nstaff will debrief with school leaders on the day of the \nobservations and discuss highlights of classroom \ninstruction, how to grow pedagogically appropriate \ninstructional practices, identify which instructional \npractices need support, and support is provided. \nd) Every quarter, the district team will monitor trends for" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 43, + "content": "evidence of improvement and areas of growth. The \ndistrict team will be expected to coordinate central" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular EL-07 \nPage 18 of 18 \n \noffice resources, including OMME coaches, and utilize \ndata to support the classroom and school\u2019s needs \neffectively. \ne) School superintendents will work with school leaders \nwho have not demonstrated progress to develop an \naction plan for improving instruction with clear metrics \nthat include district support and will be reflected in \nfuture QSP and on school leader evaluation. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Superintendent of Academics and Interim \nAssistant Superintendent of OMME \nDepartme\nnt: \nOffice of Multilingual and Multicultural Education \n(OMME) \nMailing \nAddress:" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 45, + "content": "(OMME) \nMailing \nAddress: \nBolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: 617-635-9435 \nEmail: OMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEL-06 \nVersion 01 \n \n \n \n1 \nINITIAL IDENTIFICATION AND ASSESSMENT OF \nMULTILINGUAL LEARNERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to bring clarity and guidance \nregarding the initial identification and assessment of Multilingual \nLearners (MLs) in BPS. The district is obligated to appropriately \nassess and identify MLs as outlined in several key documents, \nincluding by the Massachusetts Department of Elementary and \nSecondary Education\u2019s Guidance1, the Successor Settlement \nAgreement and META Consent Decree. To meet our obligations" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 2, + "content": "to our MLs and their families, we must ensure that all BPS \nstudents are correctly assessed, identified, placed, and receive \nappropriate services. \n \n \n1 https://www.doe.mass.edu/ele/resources/id-assess-place-\nreclass.html" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EL-06 \nPage 2 of 20 \n \nTABLE OF CONTENTS \n1. Assessment requirements \n2. Reason to suspect a student may be a Multilingual Learner \n3. Process to assess Students for Multilingual Learner status \nwho have an HLS of EEE \n4. K1 School-Based English Language Proficiency Assessment \nCalendar SY 2024 \n \n1. ASSESSMENT REQUIREMENTS \nUnder federal2 and state3 law, the Boston Public Schools (BPS) \nmust take appropriate steps to identify potential Multilingual \n \n2 Paragraph 28 of The Successor Agreement between the United \nStates of America and the Boston Public Schools and U.S. \nDepartment of Education (USDOE) and U.S. Department of" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 4, + "content": "Justice (USDOJ) EL policy document entitled Dear Colleague \nLetter, English Learner Students and Limited English Proficient \nparents/guardians (01/7/2015) (referred to as \u201cDear Colleague \nletter\u201d hereafter) at \nhttp://www2.ed.gov/about/offices/list/ocr/letters/colleague-el-\n201501.pdf. \n3 Guidance on Placement, Progress Monitoring and \nReclassification Procedures of English Learners, Massachusetts \nDepartment of Elementary and Secondary Education, and G. L. C. \n71A; 603 CMR 14.02." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular EL-06 \nPage 3 of 20 \n \nLearners (MLs) in K2 through grade 12 and provide them with the \nappropriate English Learner services and supports. The initial \nidentification and assessment of Multilingual Learners follows the \nrequirements outlined in paragraphs 28-31 of the Successor \nSettlement Agreement: \nSuccessor Settlement Agreement Paragraph 28: \nA student must be referred for an English language proficiency \nassessment when the results of the Home Language Survey \n(HLS) indicate that a language other than English is: \n\u2022 The primary language used in the home, regardless of the \nlanguage spoken by the student \n\u2022 The language most often spoken by the student, and/or" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 6, + "content": "\u2022 The language that the student first acquired. \nIf the parent/guardian answered \u201cyes\u201d to one or more of the \nabove questions, the student is required to be assessed using the \ngrade-level, state-required language screening assessment. \nPlease refer to the MA Department of Elementary and Secondary \nEducation Guidance on the Initial Identification of English \nLearners for more information on identifying and evaluating ELs. \nThe Successor Agreement obligates the district to ensure that \nEnglish language proficiency (ELP) assessments shall be \naccomplished as soon as possible, but no later than 20 days from \nthe student\u2019s enrollment during the school year, or within 20" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 7, + "content": "days or by the first day of the new school year, whichever comes \nlater, if the student enrolls during the summer. During peak \nseasons, January 1 through March 15 and August 1 through \nOctober 31, ELP assessments shall be accomplished as soon as \npossible, but no later than 25 days. Parents/guardians shall be" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular EL-06 \nPage 4 of 20 \n \ninformed in writing of assessment results and student \nassignment options no later than 2 school days after the \ncompletion of the assessments. The Newcomers Assessment and \nCounseling Center provides written notice of the assessment \nscores and school choice options to the parent/guardian at the \nend of the assessment appointment. \nTABLE 1: The following table delineates the process of \nMultilingual Learner identification at the time of enrollment. It \nhighlights the departments\u2019 roles and responsibilities and their \norder in Multilingual Learner identification. \nPlease note: Bolded action steps relate directly to English" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 9, + "content": "Learner identification and placement." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular EL-06 \nPage 5 of 20 \n \nDepartment Action Steps \nWelcome \nCenter \n1. Collect and verify documents (medical forms, \nresidency, birth date). \n2. Administer Home Language Survey (HLS) to all \nfamilies to identify potential Els. \n3. Score HLS and inform families of the result. \n4. Schedule an appointment at NACC if the HLS score is \nanything other than EEE. \n5. Assign an initial case number to the student. \nNewcomers \nAssessment \nand \nCounseling \nCenter \n(NACC) \n1. Interview families and collect information about \nstudents\u2019 academic background. \n2. Assess K-12 students in English and determine the \ninitial ELD level. \n3. Administer Native Language test to newcomer" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 11, + "content": "3. Administer Native Language test to newcomer \nstudents in grades 3-12 in the major languages spoken \nin BPS if students indicate interrupted learning or \nlimited formal education. \n4. Inform families of their program options so that they \nfeel equipped to make the best choice for their child. \n5. Enter families' choices in SIS so BPS can begin the \nassignment process. \nEnrollment \nPlanning \nServices \n1. Approve case for assignment. \n2. Assign a BPS identification number to the case. \n3. Review the school choices and use the NACC \nplacement recommendations to assign the student to \na school. \n4. Maintain student assignment data. \n5. Notify families by letter of their final assignment." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular EL-06 \nPage 6 of 20 \n \nPARENT NOTIFICATION AND COUNSELING \nAfter scoring the assessment, assessment specialists review all \navailable information (e.g., transcripts, IEP, 504 plans) collected \nfrom the parent/guardian during the intake interview to propose \na program recommendation. \nNext, testers sit with the parent/guardian to inform them, in the \nlanguage of their preference, of the results of the assessment. \nTesters use all available information collected during the \nlanguage testing appointment to counsel the parent/guardian \nabout EL programs and services (e.g., SEI, SLIFE, Dual Language," + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 13, + "content": "etc.) that are appropriate for their child's proficiency level. After \ncounseling the families, testers enter scores into the student's \ncase record in Aspen SIS, which generates a list of schools with \nthe appropriate programs and services. The parent/guardian \nthen ranks schools on their choice list and signs the school \nselection form. The tester enters the parent/guardian\u2019s rank order \nchoices into SIS, and the case is forwarded to the Welcome \nServices student assignment team. At the end of the visit, the \nfamily receives a copy of the documents (e.g. Notification of Initial \nAssessment Form they signed. \n2. REASON TO SUSPECT A STUDENT MAY BE AN ENGLISH \nLEARNER" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 14, + "content": "LEARNER \nParagraph 28 of the Successor Settlement Agreement requires \nthe district to assess enrolling students whose Home Language \nSurvey does not indicate a language other than English in the \ncase that \u201cthere is any other reason to believe the student is not \nproficient in English.\u201d The district has operationalized this \nrequirement as detailed in the tables in section 3." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular EL-06 \nPage 7 of 20 \n \n3. PROCESS TO ASSESS STUDENTS FOR ENGLISH LEARNER \nSTATUS WHO HAVE AN HLS OF EEE \nSome students may be suspected of being MLs but may not have \nbeen identified during enrollment because of an HLS score of \nEEE. The following table outlines the action steps necessary to \ndetermine if such a student is an ML. \nTABLE 2: Please see Table 2 for the process to assess students \nwho have an HLS of EEE and are suspected of being Multilingual \nLearners. \nDepartment Action Steps \nSchool 1. Obtain written parent permission that they would \nlike to amend their HLS results in Aspen to indicate \nanother language is spoken at home and that they" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 16, + "content": "another language is spoken at home and that they \nwould like their student tested for ELE services \nbefore administering testing. Parents must include \nthe updated home language on their request. \nParents must be informed that this change will \nresult in testing. \n2. Submit this request to the EL-CCR with a copy of the \nupdated letter of the home language survey to \nupload, or, if it is an email, please make sure the \nemail is one that is stored in Aspen in the contact \nsection. \n3. Attach the documentation to the EL-CCR form and \nforward these items to the Office of Multilingual and \nMulticultural Education at \nommeequityteam@bostonpublicschools.org." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular EL-06 \nPage 8 of 20 \n \nDepartment Action Steps \nOMME Equity \nand \nAccountability \n4. Review EL-CCR submission for a first language \nchange request and either approve or deny based \non meeting requirements for submission. \n5. Inform school of EL-CCR decision. \nSchool 6. Wait for an approval email and for the HLS results to \nbe changed in Aspen. Please do not test the student \nuntil you have received approval from OMME. \n7. Test the student with the WIDA Screener. You must \nadminister the test to the student in person with a \ntrained test administrator. \n8. Enter the test results in Aspen under the language \ntab. \n9. Submit another request to the EL-CCR for the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 18, + "content": "9. Submit another request to the EL-CCR for the \nstudent to have an ELD level and include the results \nof the test in the upload of documentation. \nOMME Equity \nand \nAccountability \n10. Review EL-CCR submission for a NEL to EL request \nand either approve or deny based on meeting \nrequirements for submission. \n11. Inform school of EL-CCR decision. \nSchool 12. Schedule student for ELE services appropriate to \ntheir ELP. \n \nTABLE 3: The following table outlines the steps that must be \ntaken before assessing a student\u2019s potential Multilingual Learner \nStatus based on their Home Language Survey Score." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular EL-06 \nPage 9 of 20 \n \nHLS Result Procedure \nOEE/EOE/E\nEO \nParent/ \nGuardian \nPermission \nRequired? \nYES: Welcome Center explains testing \nimplications of Home Language Survey results \nduring the enrollment process. \nAction \nSteps \n1. Student is identified as a potential ML \nupon registration via the Home Language \nSurvey at the Welcome Center. \n2. Student case is transferred to NACC \nwhere the family is interviewed and \nstudent is assessed. \n3. Student is assigned. \n4. Student receives ACCESS testing annually \nuntil they meet exit criteria. \nOEE/EOE/E\nEO \n \nBut \nstudent \ntested \nproficient \nduring \ntesting at \nthe time of \nenrollment \nParent/ \nGuardian" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 20, + "content": "the time of \nenrollment \nParent/ \nGuardian \nPermission \nRequired? \nYES: Schools must contact the parent/guardian \nand inform them they have concerns based on \nevidence (i.e., academic performance, test \nresults) and want to assess their student. The \nschool must document all meetings and \ninformation shared with parents and include \nthem in the ELD folder. \nAction \nSteps \n1. Parent/guardian(s) must put in writing \nthat they would like to have their student \nreassessed. Please inform the parent that \nthis may lead to their student being \nidentified as a Multilingual Learner (ML) \nwhich will result in EL services being \nrequired and an annual ACCESS" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular EL-06 \nPage 10 of 20 \n \nHLS Result Procedure \nassessment. \n2. If the parent/guardian(s) agree, test the \nstudent with the appropriate WIDA \nassessment. You must administer the test \nto the student in person with a trained \ntest administrator. \n3. Enter the test results in Aspen under the \nLEP Testing Template. Contact NACC with \nquestions about the LEP Testing \nTemplate. \n4. Submit a request to the EL-CCR for the \nstudent to have a NEL to EL change, and \ninclude the parent\u2019s documentation, \nschool documentation, and results of the \ntest in the upload of documentation. \n \nTABLE 4: The following table outlines which test a trained test" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 22, + "content": "administrator should administer to a student who may be a \npotential Multilingual Learner. \nPlease note: A grade level begins on July 1st of the summer \nbefore entering a grade and ends on June 30th of the year of \ncompleting that grade." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular EL-06 \nPage 11 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nK1 WIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nCurrently enrolled K1 students are \ntested annually beginning April 15 for \nK2 seats in the upcoming school year. \nK2 \nFirst half of \nthe school \nyear \n \nWIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \nK2 \nSecond half \nof the school" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 24, + "content": "K2 \nSecond half \nof the school \nyear (from \nTuesday \nafter MLK \nday) \nWIDA Screener \nfor Kindergarten \n(4 domains) \n \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \n1 \nFirst half of \nthe school \nyear (until \nFriday \nBefore MLK \nWIDA Screener \nfor Kindergarten \n(4 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular EL-06 \nPage 12 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nDay) \n1 \nSecond half \nof the school \nyear \n(from \nTuesday \nafter MLK \nDay) \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR \nNACC by request and with appointment \n3-12 \nWith 1 or 2 \nyears in \ndistrict \nWIDA Screener \nOnline & Native \nLanguage \nAssessment \nNACC only \n3-12 \nWith 3 or \nmore years \nin district \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 26, + "content": "Notification of Initial Identification) \nOR \nNACC by request and with appointment" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular EL-06 \nPage 13 of 20 \n \nTABLE 5: The following table outlines when ACCESS Testing is \nappropriate for Multilingual Learners. \nStudent Details Administer ACCESS Test? \nA student is a suspected ML but has not \nbeen confirmed as a Multilingual \nLearner. \nNo. Do not administer ACCESS. \nInstead, follow the steps to \nconfirm a suspected EL outlined \nin Table 1. \nA student is a confirmed ML based on \nthe correct screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nYes. Administer ACCESS. \nA student is a confirmed ML based on \nthe correct screener test BUT has opted \nout of some or all English Learner" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 28, + "content": "out of some or all English Learner \nservices. (Steps for identifying correct \nscreener test outlined in Table 2). \nYes. Administer ACCESS. \nA student scored Proficient on the \ncorrect screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nNo. Do not administer ACCESS. \n A student scored Proficient on ACCESS \nthe previous year \nNo. Do not administer ACCESS." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular EL-06 \nPage 14 of 20 \n \n4. K1 SCHOOL-BASED ENGLISH LANGUAGE PROFICIENCY \nASSESSMENT CALENDAR SY 2024 \nEvery year, school-based designated testers assess approximately \n1,300 K1 students under the training and guidance of NACC. To \nensure that all K1 students identified as Multilingual Learners \n(MLs) receive the related services and programs in SY 2023-2024, \nwe ask schools to carefully review, prepare for, and adhere to the \nassessment calendar below. \nTABLE 6: \nAction Steps Instructions Date(s) \nSTEP 1 \nConvene Language \nAssessment Team \nSchool staff should review their K1 roster \nto start developing their assessment \nschedule:" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 30, + "content": "to start developing their assessment \nschedule: \nFollowing NACC training, schools will \nreceive a list of students that need to be \nassessed. Schools should carefully review \nthis list. \nIf a school suspects a student should be \non the list to be assessed because a \nlanguage other than English is spoken in \nthe home, the LAT should convene to \ndetermine if the student is eligible for \ntesting. Contact NACC and the OMME \nInstruction Team if you have any \nquestions about this. \nAlthough explicit parental consent is not \n03/01/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular EL-06 \nPage 15 of 20 \n \nAction Steps Instructions Date(s) \nrequired, schools should meet with \nparents/guardians to discuss concerns \nand inform them of the plan to assess \nstudents with the grade level required \nlanguage screener (WIDA screener for \nK1). This communication allows the \nfamilies to have meaningful access to \ntheir child\u2019s education. \nSTEP 2 \nIdentify designated \ntesters \nThe principal identifies the staff \nmembers who will administer the \nEnglish language proficiency \nassessment. School leader should submit \nthe name of the school-based \ndesignated tester on this form. \nThe designated testers should be \nlicensed teachers or licensed staff" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 32, + "content": "licensed teachers or licensed staff \nmembers who are experienced EL \neducators. \nIt is recommended that schools select \ntheir Language Acquisition Team \nfacilitators (LAT-F), ESL teachers, and K1 \nteachers familiar with the students as the \ndesignated testers. \nBeginning April 15th, school leaders \nprovide 3 hours for K1 designated testers \nto watch the WIDA Screener for \n03/01/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular EL-06 \nPage 16 of 20 \n \nAction Steps Instructions Date(s) \nKindergarten training course and take all \nthe required Quizzes on the WIDA Secure \nPortal before they come to overview \nsessions. (3 hours could be during their \ncommon planning time, school-based PD \ntime, etc.) Designated testers should use \nthe following Google Form link to submit \ntheir SY 2024 WIDA Certificates: Google \nForm. \nSchools with K1 programs should \ndesignate testers for a test \nadministration overview session. \nDesignated testers will receive a \nregistration link for an overview session \nno later than Tuesday, April 2, 2024. \nSTEP 3 \nAttend training \nsession" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 34, + "content": "STEP 3 \nAttend training \nsession \nSchools must allocate time for the \ndesignated testers to attend one of the \nK1 test administration overview sessions. \nAll test administration overview sessions \nwill take place online. \nTraining is designed to support new and \nexperienced testers. \n04/2/24 & \n04/03/23" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular EL-06 \nPage 17 of 20 \n \nAction Steps Instructions Date(s) \nSTEP 4 \nPick up materials \nDesignated testers should pick up the \ntesting materials after the overview \nsession at NACC in the Bolling Building. \n04/04/24-\n04/09/23 \n \nSTEP 5 \nAssess identified K1 \nstudents \nDesignated testers assess all identified K1 \nstudents with the corresponding English \nlanguage proficiency assessment. \nOnly testers who attend the training \nsessions in April can administer the \nEnglish language proficiency \nassessments. \nTo ensure appropriate test \nadministration, designated testers \ncannot transfer assessment \nresponsibilities or \u201cdeputize\u201d educators" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 36, + "content": "responsibilities or \u201cdeputize\u201d educators \nwho have not attended a SY 2024 \ntraining session. \nStudents with disabilities should be \ntested according to their IEP \naccommodations. Copies of the IEP \naccommodations should be attached to \nthe students\u2019 test booklets and \nforwarded to NACC no later than Friday, \nMay 10, 2024. \nTo ensure that students receive the \n05/10/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular EL-06 \nPage 18 of 20 \n \nAction Steps Instructions Date(s) \nappropriate placements for the 2024-\n2025 school year, K1 English language \nproficiency assessments must be \ncompleted no later than Friday, May 10, \n2024. \nSTEP 6 \nLAT-F input test \nresults, return test \nanswer booklets and \nrequested \ndocuments \nLAT-F input results of English language \nproficiency assessments into Aspen SIS \nto ensure the initial ELD level and test \nresults become a part of the student\u2019s \nassessment record. All test results must \nbe entered into Aspen SIS by Friday, May \n10, 2024. \nSchools must keep copies of the test \nanswer sheets and a hard copy of the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 38, + "content": "answer sheets and a hard copy of the \nWIDA Score Report in the students\u2019 ELD \nfolders. \nIf a student was screened and found NOT \nto be an EL, the school should keep the \ntest answer sheet and the WIDA Score \nReport in the student\u2019s cumulative folder. \nSchools must return all original test \nanswer booklets and all requested \ndocuments to NACC no later than Friday, \nMay 10, 2024 so that OMME can review \nthe data before submitting final test \n05/10/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular EL-06 \nPage 19 of 20 \n \nAction Steps Instructions Date(s) \nscores to OIIT. \nSTEP 7 \n \nData Validation \nOMME will review assessment samples \nfor data validation. \nOMME will inform LATFs of any errors in \nassessment scoring. Schools will be able \nto see any updates to their data in Aspen \nSIS after May 17, 2024. \n05/17/24 \nSTEP 8 \n \nParent Notification \nLetter \nLAT-Fs will inform the parent/guardian of \ntheir student\u2019s assessment results via the \nParent Notification Letter in the parent\u2019s \npreferred language within two weeks \nafter the assessment data is confirmed in \nAspen SIS. \nFile a signed copy of the letter in the \nstudent\u2019s ELD folder. \n05/31/2024 \nSTEP 9" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 40, + "content": "student\u2019s ELD folder. \n05/31/2024 \nSTEP 9 \n \nK1 students \nassigned after \n05/10/24 \n \nAfter the testing window closes on May \n10, 2024, schools must continue to assess \nall newly assigned K1 students whose \nHLS indicates any language other than \nEnglish. \nThe designated tester must borrow a \ncopy of the Kindergarten Screener for \ntesting K1 students from NACC. \n06/14/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular EL-06 \nPage 20 of 20 \n \nAction Steps Instructions Date(s) \nDesignated testers should follow the \ninstructions in Step 4 and Step 5. \n \n \nFor more information about this circular, contact: \nOwner: NACC Director \nDepartment: Office of Multilingual and Multicultural \nEducation \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-1565 \nEmail: nacc@bostonpublicschools.org \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-03 \nVersion 01 \n \nLOCKER POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nConsistent with the policy outlined in Superintendent\u2019s Circular \nSAF-02, Weapons and Objects of No Reasonable Use, this \nmemorandum explains the Boston Public Schools\u2019 policy \nregarding student locker searches. \nAll students and parents must understand that lockers are the \nproperty of the Boston School Department, made available for \nstudents\u2019 use and convenience. Lockers remain the property of \nthe Boston School Department while being used by students. \nSchool administrators, other school department personnel," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 2, + "content": "including but not limited to teachers, custodians, and school \npolice have authority to search student lockers; any personal \neffects found within lockers; and places of concealment within \nthose personal effects. Students will be held accountable for the \ncontents of their lockers and the contents of their personal \neffects. Any contraband or evidence of a crime found because of \na locker search will be turned over to the appropriate authorities. \nThe information from the above paragraph is to be included in all \nschool-based rules and all student handbooks. Students and \nparents must be informed that such information serves as prior" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 3, + "content": "and ample notice of the School Department\u2019s student locker \npolicy. The phrase \u201cprior and ample notice\u201d is to be included in" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SAF-03 \nPage 2 of 4 \n \nschool-based rules and student handbooks. \nIn implementing the locker policy, each school must adhere to \nthe following guidelines: \n1. Each school will determine its own procedure for assigning \nlockers and issuing padlocks and locker keys. This procedure \nmust be included in the school-based rules and student \nhandbook. Students must adhere to all school-based rules \npertaining to locker use. \n2. Only school issued padlocks and locker keys are to be used. \nAll unauthorized padlocks are to be removed immediately \nupon detection, and the locker and its contents immediately \nsearched by the school leader, principal, or designee." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 5, + "content": "3. Locker assignments are to be documented. This document \nis to contain the student\u2019s name and the appropriate master \nkey information or the padlock combination. This document \nis to be kept in a secure but readily available place in the \nmain office of the school. \n4. Students are not to share lockers, unless authorized by the \nschool leader, principal, or other building administrator. \n5. All unused lockers are to be cleaned out and locked or \nsealed to prevent unauthorized use. \n6. School leaders and principals will arrange for periodic \ninspection of lockers by school personnel, including at least \none general cleanup during the school year. Personal effects" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 6, + "content": "removed from lockers are to be inventoried and reasonable \nefforts made to return property to its owners. Contraband \nand evidence of a crime is to be inventoried and turned over \nto the appropriate public safety agency." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SAF-03 \nPage 3 of 4 \n \n7. School leaders, principals, and other school department \npersonnel will conduct inspections of student lockers when \nit has been reasonably determined that a safety or security \nproblem exists, or that there is reasonable suspicion that the \nstudent has evidence in the locker tending to show either a \nviolation of the law or a violation of school rules. Personal \neffects are to be inventoried and reasonable efforts made to \nreturn property to its owner. Contraband and evidence of a \ncrime is to be inventoried and turned over to the \nappropriate public safety agency. \n8. Students whose lockers contain contraband or evidence of a" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 8, + "content": "crime will be subject to the provisions of the Code of \nConduct and to the applicable criminal statutes. If \ncontraband or evidence of a crime is confiscated from a \nstudent's locker, procedures detailed in Superintendent \nCircular SAF-02, Weapons and Objects of No Reasonable \nUse, cited above are to be followed." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SAF-03 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nName: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-09 \nVersion 01 \n \n LOST CHILDREN PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nFrom time to time, students may be \u201clost\u201d \u2014 that is, a student \nleaves home in the morning but does not arrive at school, or a \nstudent arrives at school but is missing later in the day, or the \nstudent may leave school at dismissal and not arrive at home. The \nfollowing are standard procedures to follow whenever any of these \nscenarios should happen. \nSTANDARD PROCEDURES \nThe first receiver of information will: \n\u2022 Gather as much information as possible from the person" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 2, + "content": "reporting the lost child, including name, student number, \nschool address and phone number, bus stop, bus number, \nnames of friends/classmates, if known, clothing description, \nand the name and phone number of the caller. \n\u2022 Notify Safety Services: Inform the safety specialist assigned or \npresent at the building, and they will inform BSP dispatch. If \nthere is not a safety specialist at the school, the designated \nschool staff should call Safety Services dispatch at 617-635-\n8000 to initiate immediate support. \n\u2022 Notify the appropriate official: operational leader and school \nsuperintendent. \n\u2022 Notify the principal/head of school and/or program director." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 2 of 9 \n \n \nThe principal/head of school or program director will: \n\u2022 Contact the student\u2019s parent/guardian. \n\u2022 Contact teacher(s), student(s), and other(s) who may have \ninformation about the lost student. \nThe operational leader or the school superintendent will: \n\u2022 Make every effort to assist in locating the student. \n\u2022 Once the child is located, arrange to get the child home. BPS \nTransportation may be used as needed, subject to availability. \n\u2022 Notify the first receiver of information and principal/head of \nschool of the child's school that the child is located. \nSafety Services will:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 4, + "content": "Safety Services will: \n\u2022 Notify Boston Police and assist in coordinating the search \nprocess for lost children. \n\u2022 If a transported student, call the bus company (who in turn will \ncall the bus driver) and check students who travel on the same \nbus. \n\u2022 Notify the Superintendent's Office." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 3 of 9 \n \nIF LATE SITUATION: \nSafety Services will: \n\u2022 Coordinate search process for lost children \n\u2022 Update parent/guardian of the situation and assure him/her of \ncontinued efforts \n\u2022 Provide parents/guardians with telephone numbers of central \nTransportation and Safety Services as additional resources \n\u2022 If the student is transported, call the bus company, who in turn \nwill call the bus driver, and check students who travel on the \nsame bus \n\u2022 Notify the Superintendent's Office \n\u2022 Notify the Boston Police Department \n\u2022 Notify the first receiver of information, principal/head of school," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 6, + "content": "Transportation, and Superintendent\u2019s Office that the child is \nlocated. \nIf the Boston Police Department finds a child wandering, it informs \nBPS Safety Services of the located child. Boston Police will arrange \nto get the child home. \nIMPORTANT TELEPHONE NUMBERS \nBoston Police Department ............................. 911 \nBPS Department of Safety Services ........... 617-635-8000 \nAssistant Superintendent .............................. 617 293-7048 \nCentral Transportation ................................ ...... 617-635-9520 \nTransdev (Bus Company) ................................ . 617-603-7800" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 7, + "content": "Superintendent\u2019s Office ................................ ... 617-635-9050" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 4 of 9 \n \nFor more information about this circular, contact: \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 5 of 9" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 6 of 9 \n \nBOSTON PUBLIC SCHOOLS \nINCIDENT REPORT \n \nObtain as much of the following information as possible: \nReceived by: \nDate: Time: \nChild\u2019s Name: Student # \nSpeaks English: \u2610Yes \u2610No Language: \nSpec. Needs \u2610Yes \u2610No \nName of Parent/Guardian: \nSchool: Grade: Dismissal Time: \nAddress: \nPhone # (Home): (Emergency): \nPlace of Incident: Bus # \nDescription of Incident \n \n \nNeed Medical Help? \u2610Yes \u2610No Type of Help? \nRequest for Medical Transportation? \nStudent Sent to Hospital?" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 11, + "content": "Student Sent to Hospital? \nParent Contacted? Time? \nNames of Child\u2019s Friends/Classmates/Witness \n \n \n(Use next page for additional information)" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 7 of 9 \n \nNotified Parties \n \nParent/Guardian: \n \nParent/Guardian\u2019s Signature: \n \n \nSchool Leader: \n \nSchool Leader Signature: \n \n \nSafety Notified/Time: Contact Person: \n \n \nSchool Supt\u2019s Office Notified/Time: \n \nContact Person: \n \n \n \n \n \n \n \n \n \n---------- End of the Incident Report ----------" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 8 of 9 \n \nBOSTON PUBLIC SCHOOLS \nLOST CHILD REPORT \nObtain as much of the following information as possible: \nReceived by: \nDate: Time: \nChild\u2019s Name: Student # \nSpeaks English: \u2610Yes \u2610No Language: \nSpec. Needs \u2610Yes \u2610No \nName of Parent/Guardian: \nSchool: Grade: Dismissal Time: \nAddress: \nPhone # (Home): (Emergency): \nPlace of Incident: Bus # \nDescription of Incident \n \n \nNeed Medical Help? \u2610Yes \u2610No Type of Help? \nRequest for Medical Transportation? \nStudent Sent to Hospital?" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 14, + "content": "Student Sent to Hospital? \nParent Contacted? Time? \nNames of Child\u2019s Friends/Classmates/Witness \n \n \n(Use next page for additional information) \nCaller\u2019s Information" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular SAF-09 \nPage 9 of 9 \n \nCaller\u2019s Name: Phone # \nRelationship to Child \n\u2610 Parent \u2610 Other \nSpecify: Relative (Aunt, Grandfather, etc.), Friend, Teacher, etc \n \nNotify the Following Parties: \n\u2610 Principal / Head of School Notified Time \n\u2610 Safety: 635-8000 Notified Time \n\u2610 Operational Leader Notified Time \n\u2610 Boston Police: 911* Notified Time \n *(If child not found within 1 hour of drop-off or by 4:30 p.m. or if \nwarranted by other circumstances) \n \nImportant Telephone Numbers: \nWelcome Centers: \n\u2022 Dorchester 635-8015 \n\u2022 East Boston 635-9597 \n\u2022 Roxbury 635-9010 \n\u2022 Roslindale 635-8040" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 16, + "content": "\u2022 Roxbury 635-9010 \n\u2022 Roslindale 635-8040 \nTransDev (Bus Company): \n\u2022 Readville Yard 532-2580 \n\u2022 Washington St. Yard 532-2560 \n\u2022 Charlestown Yard 532-2550 \n\u2022 Freeport St. Yard 532-2570 \n \n\u2610 Resolved \nDate/Time \n---------- End of the Lost Child Report ----------" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools\u2019 policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 2, + "content": "reporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent\u2019s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 3, + "content": "ancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent\u2019s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent\u2019s staff work with city officials to address \nmany of these issues and the Office of Communications" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent\u2019s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department\u2019s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 5, + "content": "unavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident Order of Notification \nArrest Department of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault Department of Safety Services, Police \nBomb Threat Police, Department of Safety Services, \nSuperintendent\u2019s Office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 6, + "content": "Superintendent\u2019s Office \nDemonstration Police, Department of Safety Services, \nSuperintendent\u2019s Office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession Department of Safety Services, Police \nExtortion Department of Safety Services, Police \nFacility Damage Facilities, Superintendent\u2019s Office, \nDepartment of Safety Services \nLarceny Department of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent\u2019s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) Department of Safety Services, Police \nRobbery Department of Safety Services, Police \nSex Offense Department of Safety Services, Police, \nSuperintendent\u2019s Office, Equity \nSchool Closings" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 8, + "content": "Superintendent\u2019s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent\u2019s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police \nVandalism Department of Safety Services, Facilities \nWeapons Department of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n\u25cf Superintendent\u2019s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n\u25cf Superintendent\u2019s Circular FSE-01, School Safety / \nContingency Plans \n\u25cf Superintendent\u2019s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Chief of Safety" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 10, + "content": "Owner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing \nAddress: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-12 \nVersion 01 \n \nSCHOOL ACCESS CONTROL \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAMENDMENT FOR SY 2024-2025: \nThe safety, health, and wellness of our students, staff, and \nfamilies is our highest priority at Boston Public Schools. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building at the area(s) \ndesignated by your school leader/staff. \n\u25cf Parents/guardians should contact their school directly, via \nphone or email, to schedule any discussion or virtual \nappointments that they would like to have on behalf of their \nstudent." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 2, + "content": "student. \n\u25cf If a student is sick or injured and needs to be picked up, \nschool staff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. School staff will verify identification of the \nindividual prior to releasing the student via exterior camera \nand intercom." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SAF-12 \nPage 2 of 7 \n \nSAFETY PROTOCOLS PERTAINING TO INDIVIDUALS IN AND \nOUTSIDE THE FACILITY \nIf school staff have safety concerns pertaining to an individual \noutside or inside the facility, they should immediately contact the \nDepartment of Safety Services/Boston at 617-635-8000. In the \ncase of any imminent threat to student or staff safety, the Boston \nPolice Department should be notified immediately by dialing 911. \nThe Boston Public Schools Safety Services Department should \nalso be notified by dialing 617-635-8000. \nEach school in the district must, through its School Safety \nContingency Plan, have clear and comprehensive school access" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 4, + "content": "control protocols in place. School access control plans must \nadhere to the following: \n\u25cf Ensure that only those students, staff and others who are \nauthorized to be in the school building are admitted to the \nfacility. \n\u25cf Require all staff (school based, central office, \ncontractors/vendors, etc.) to wear and prominently display \ntheir BPS identification cards at all times while on school \nproperty and during school-based activities (e.g., field trips, \nschool assemblies, outdoor activities). All staff are also \nrequired to follow all school access protocols and \nprocedures as outlined in this circular. \n\u25cf Employ a standard operating procedure that all doors to the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 5, + "content": "school building are locked and secured at all times, while \nsimultaneously allowing for appropriate egress from inside \nthe building. \n\u25cf School secretaries and other staff should NOT admit any \nvisitor to the building until they can reasonably ascertain the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SAF-12 \nPage 3 of 7 \n \nidentity of the individual seeking entrance and the reason for \nentry. Staff must use an intercom, camera buzzers and \nmonitors to assist them with observing and communicating \nwith any individual seeking access to the facility. \n\u25cf Secretaries and other staff should NOT allow (buzz in) people \nin without knowing or asking the visitor the reason for being \nat the school. The camera buzzer shall be used to identify the \nperson and the reason for their visit before allowing them to \nenter school premises \u201cHello, how can you help you, do you \nhave an appointment?,... please indicate the reason for your" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 7, + "content": "visit and the person who is hosting you during your visit\u2026\u201d \n\u25cf Post appropriate signs directing visitors to the main office. \n\u25cf Any staff member that finds a person in a school building \nwithout an appropriate visitor pass or BPS ID is encouraged \nto inquire of the person\u2019s business or reason for being there. \nThe person should be directed to the main office for further \nassistance. If the person may be creating an unsafe \nenvironment, please follow the procedure as outlined above \nunder \u201cImportant Note.\u201d \n\u25cf ALL staff should inform the designee at the main office in \nthe event they are expecting a visitor and provide name and \nreason prior to the visitor\u2019s arrival. In the event a family" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 8, + "content": "member, partner, or friend is dropping something off for a \nstaff member, the main office designee MUST obtain verbal \nconfirmation from the employee PRIOR to allow access to \nthe facility per this circular. If verification cannot be \nobtained, the individual is not to be allowed in the facility. \nREQUIREMENTS FOR ALL VISITORS \n\u25cf Upon admittance, report immediately to the main office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SAF-12 \nPage 4 of 7 \n \n(staff allowing entrance to the facility should confirm arrival \nto the main office and sign-in etc.). \n\u25cf Present photo identification. \n\u25cf If an individual cannot produce a photo ID, staff should \nrequest another form of identification and/or gain \nconfirmation from school staff that the person is known to \nthe school. If additional support is needed to confirm \nidentification, staff should obtain support from the head of \nschool/principal or designee before authorizing a visit to \ncontinue. \n\u25cf Sign the visitor\u2019s log, including full name, time in and time \nout, reason for visit, and affiliation (i.e., student, vendor," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 10, + "content": "department, agency etc.). Please see Superintendent \nCircular LGL-04, School Visitors Guidelines. \n\u25cf After completing the sign-in process, all visitors are to \nremain in the main office, or designated area, while waiting \nfor staff escort to appointments or meetings. All visitors \nmust be in an area attended by staff to avoid any \nunauthorized movement through the building for the \nduration of their visit. \n\u25cf If an authorized visitor states that they are wearing an ankle \nmonitor or staff observes an ankle monitor on a visitor, staff \nshould follow the procedures outlined above. \n \nHEAD OF THE SCHOOL AND FACULTY \n\u25cf Mandate that ALL visitors to the building be issued and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 11, + "content": "prominently display a visitor identification badge received at \nthe time of sign-in at the main office. \n\u25cf Identify designated meeting space, close to the main office," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SAF-12 \nPage 5 of 7 \n \nto prevent visitors from moving throughout the building. \nClassroom access should be limited to special events and \nopen houses. \n\u25cf Ensure the safety and security of students and the integrity \nof the school building entrances during recess, physical \neducation, and activities that might occur outdoors, and \nduring student arrival and dismissal times, by assigning staff \nto closely monitor all aspects of the movement of students \nand any open doors to accommodate transition in and out \nof the building. \n\u25cf Prohibit prospective BPS employees from beginning their \nwork until they have been fully hired, and therefore CORI" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 13, + "content": "and SORI cleared by the Office of Human Capital. \n\u25cf Demand that any facilities and physical plant contractors \nslated to work in the building prominently display their \ngreen BPS identification cards, which demonstrate that they \nhave been CORI and SORI cleared. \n\u25cf Prohibit staff (including all vendors, contractors, and staff \nfrom other departments), students, or others from \n\u201cpropping open\u201d doors or creating other potential \ninconspicuous means of unauthorized entry into the school \nbuilding. \nDistrict personnel will look for these elements when reviewing \nschool safety plans. In addition, specialists from BPS Safety \nServices will conduct proactive site visits to assist and provide" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 14, + "content": "input and support on school access control. \nSchool safe mode and internal threat procedures should be \nexplicitly planned, discussed, and documented by all staff \nmembers. In addition to conducting evacuation procedure drills," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular SAF-12 \nPage 6 of 7 \n \nschool safe mode drills must be conducted in September and \nJanuary of each school year (see Supt. Circular FSE-08, Safe Mode \nand Internal Threat Drill Procedures). \nAll staff members must exercise extreme vigilance regarding \nschool building security: remain alert for trespassers, unsecured \ndoors, and/or suspicious persons or activity around the school. \nSchool employees should not compromise their own safety or \nthat of students when undertaking these security measures. \nSound judgment and reasonable action by all school-based \npersonnel are expected. Any potential threats to student or staff" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 16, + "content": "safety should be reported at once to the principal/head of school \nor their designee (in the event they are out of the building). \nRELATED SUPERINTENDENT CIRCULARS \n\u25cf LGL-04 School Visitor Guidelines \n\u25cf FSE-01 School Safety Contingency Plans \n\u25cf SAF-07 Metal Detectors \n\u25cf SAF-08 Release of Students to Authorized Persons \n\u25cf SAF-11 Sexual Offender Registry Information (S.O.R.I.)" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular SAF-12 \nPage 7 of 7 \n \nFor more information about this circular, contact: \nOwner: Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-02 \nVersion 01 \n \nWEAPONS AND OBJECTS OF NO REASONABLE USE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThe Code of Conduct lists as grounds for suspension or expulsion \nthe possession of any dangerous weapon, including but not \nlimited to a firearm, knife, razor blade, club, explosive, taser, stun \ngun mace/pepper spray, tear gas, brass knuckles, studded \nbracelet, other dangerous weapons, or dangerous objects of no \nreasonable use to the student at school. (See Code of Conduct \nSections 7.4 and 14.13). \nHeads of school and principals should note that as of January" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 2, + "content": "1999, the Boston City Council enacted an ordinance restricting \nthe sale, possession, and use of laser pointer devices (Ord. 1999 c. \n2 \u00a7 4)). As a result of that ordinance, persons under twenty-one \nyears of age are prohibited from possessing any laser pointer \ndevice on any school property within the City of Boston. Laser \npens and other laser pointer devices are considered to be objects \nof no reasonable use within the meaning of the Code of Conduct. \nStudents found in possession of such devices are subject to the \nprovisions of Section 7.4 of the code. Students may also be \nsubject to non-criminal court proceedings, under MGL, c.40, \ns.21D." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 3, + "content": "s.21D. \nHeads of school and principals must communicate to students \nthat the possession of any weapon or object of no reasonable use \nin school, on the way to school, or during school-related activities" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SAF-02 \nPage 2 of 4 \n \nis strictly forbidden, and that violations of this rule will be dealt \nwith appropriately. Students must also be advised that under \ncertain circumstances when evidence exists of serious \nmisconduct outside of school \u2014 for example, a student\u2019s being \ncharged with or convicted of a felony, such that the student\u2019s \ncontinued presence in school will have a substantial detrimental \neffect on the general welfare of the school \u2014 these shall be \nconsidered school related offenses and shall be dealt with in \naccordance with Section 7.0 of the Code of Conduct. \nHeads of school and principals must incorporate salient and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 5, + "content": "pertinent information from the above two paragraphs into all \nschool-based rules and student handbooks. Students and \nparents must be informed that such information serves as prior \nand ample notice of the School Department\u2019s policy regarding \nweapons and other objects of no reasonable use. The phrase \n\u201cprior and ample notice\" is to be included in school-based rules \nand student handbooks. \nThe Educational Reform Act of 1993 requires that all student \nhandbooks include the following information. Such information is \nto be incorporated into all school-based rules as well. \n1. Any student found in possession of a dangerous weapon," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 6, + "content": "including but not limited to a firearm or a knife; or found in \npossession of a controlled substance, including but not \nlimited to marijuana, cocaine, or heroin, on school premises \nor at a school sponsored or school related event, including \nathletic games, may be subject to expulsion." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SAF-02 \nPage 3 of 4 \n \n2. Any student who assaults a staff member on school \ngrounds, or at a school sponsored, or school related event, \nincluding athletic games, may be subject to expulsion. \nMassachusetts law requires all school staff personnel to report in \nwriting to their immediate supervisor any incident involving a \nstudent\u2019s possession or use of a dangerous weapon on school \npremises, (MGL, c.71, s.31 L). Refer to MGL, c.269, s.10 and the Code \nof Conduct for definitions of dangerous weapons. \nIf a dangerous weapon or an object of no reasonable use is \nconfiscated, the following steps are to be taken: \n1. Each item is to be kept in the possession of the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 8, + "content": "administrator, who will notify the Department of Safety \nServices immediately upon confiscation. If the item is a \nfirearm, the Boston Police are to be immediately notified by \ntelephone, using the 911 emergency line. School Department \npersonnel will comply with subsequent instructions issued \nby the police. \n2. Safety Services will hold items, other than firearms, making \nthem available for hearings, conferences, and court \nproceedings for a reasonable period. \n3. Following any parental conferences and court proceedings, \nitems which are classified as dangerous weapons under \nMGL, c. 269, s.10 or MGL, c. 140, s.131 J shall be turned over to" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 9, + "content": "the Boston Police by the Department of Safety Services. \n4. In no instances will a dangerous weapon or an object of no \nreasonable use be returned to a student. The Department of \nSafety Services will be responsible for returning any" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SAF-02 \nPage 4 of 4 \n \nproperty not classified as a dangerous weapon to the parent \nor legal guardian upon written request. \n5. Objects of no reasonable use not claimed by a parent or \nguardian within a reasonable period will be turned over to \nthe Boston Police Department for destruction. \nAll staff members are expected to meet the same standards that \nhold for students. Employees of the Boston Public School are \nprohibited from bringing firearms or other dangerous weapons \nonto school property at any time. Except for law enforcement \nofficials, it is a violation under federal and state law for anyone to" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 11, + "content": "bring a firearm, loaded or unloaded, into an elementary school, a \nsecondary school, or a college or university, even if that person is \notherwise licensed to carry a firearm. \nFor more information about this circular, contact: \nOwner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools\u2019 policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 2, + "content": "reporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent\u2019s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 3, + "content": "ancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent\u2019s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent\u2019s staff work with city officials to address \nmany of these issues and the Office of Communications" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent\u2019s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department\u2019s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 5, + "content": "unavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident Order of Notification \nArrest Department of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault Department of Safety Services, Police \nBomb Threat Police, Department of Safety Services, \nSuperintendent\u2019s Office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 6, + "content": "Superintendent\u2019s Office \nDemonstration Police, Department of Safety Services, \nSuperintendent\u2019s Office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession Department of Safety Services, Police \nExtortion Department of Safety Services, Police \nFacility Damage Facilities, Superintendent\u2019s Office, \nDepartment of Safety Services \nLarceny Department of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent\u2019s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) Department of Safety Services, Police \nRobbery Department of Safety Services, Police \nSex Offense Department of Safety Services, Police, \nSuperintendent\u2019s Office, Equity \nSchool Closings" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 8, + "content": "Superintendent\u2019s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent\u2019s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) Department of Safety Services, Facilities \nThreats Department of Safety Services, BPD \nSchool Unit \nTrespassers Department of Safety Services, Police \nVandalism Department of Safety Services, Facilities \nWeapons Department of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n\u25cf Superintendent\u2019s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n\u25cf Superintendent\u2019s Circular FSE-01, School Safety / \nContingency Plans \n\u25cf Superintendent\u2019s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner: Deputy Chief of Safety" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 10, + "content": "Owner: Deputy Chief of Safety \nDepartment: Safety Services \nMailing \nAddress: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-08 \nVersion 01 \n \nRELEASE OF STUDENTS TO AUTHORIZED PERSONS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchool leaders/principals must use extraordinary care in releasing \na child to a parent or guardian. Such care should be further \nemphasized when an administrator has been informed that a \ncourt order exists prohibiting release of that child to a certain \nperson or persons. It is essential to exercise extreme caution in \nthis area to prevent a parent or guardian from attempting to \nremove a child from school. It is both essential and mandatory" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 2, + "content": "that school leaders/principals regularly update the Student \nEmergency Information Card (Form 460). \nIf telephone notification is received from a parent or guardian to \nrelease a student to a third party, it is the responsibility of the \nbuilding administrator to verify. A suggested procedure is to ask \nfor the telephone number from which the party is calling, cross-\ncheck that number with the information from the emergency \ncard, and then call the party back at that number. \nSchool leaders/principals must require proper identification from \nany person removing a child from school. No child is to be \nreleased to anyone other than a custodial parent without the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 3, + "content": "parent's consent and proper identification. \nSchool leaders/principals should note that the Department of \nChildren and Families (DCF) has statutory authority to take" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SAF-08 \nPage 2 of 5 \n \nimmediate custody of any child if DCF has reasonable cause to \nbelieve that such action is necessary to protect the child from \nabuse or neglect. In such cases, the child will be brought before \nthe court on the next business day. Such emergency measures \nare usually taken without the consent of the parent. However, \nbefore school leaders/principals release any child to an agent of \nthe DCF, the agent should be required to present their official \nphoto identification and prepare a simple signed statement to \nthe effect that the Department of Children and Families is \nexercising its authority to take immediate custody of the child on" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 5, + "content": "the grounds of suspected abuse or neglect. \nUnder no circumstances should a child be sent to any location by \nway of a taxicab, or any other transportation service based solely \non notification received by telephone. \nSchool leaders/principals having doubts about the release of a \nstudent should immediately contact the Boston Police \nDepartment by calling 911 and Boston Public Schools Safety \nServices Department at 617-635-8000. \nThere are some situations in which parents have authorized a \nthird party to transport their children to or from school on a \nregular basis in a van, bus, or some vehicle other than that \nassigned by the BPS Transportation Department. School leaders," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 6, + "content": "principals, and program directors must obtain written permission \nfrom such parents authorizing alternative transportation \narrangements. The attached form, Parent Permission to Release \nStudent to Authorized Persons, must be completed by the parent \nbefore administrators put a child into a vehicle operated by a \nthird party." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SAF-08 \nPage 3 of 5 \n \nIt is important to record the name of the driver, the name of the \nbus company (if applicable), the type of vehicle, and the vehicle \nregistration number. School leaders, principals, and program \ndirectors are to retain a copy of each completed form. \nFor more information about this circular, contact: \nOwner: Office of Legal Advisor Director \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Chief of Safety \nDepartment: Safety Services" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 8, + "content": "Department: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SAF-08 \nPage 4 of 5 \n \nPARENT PERMISSION TO RELEASE STUDENT TO \nAUTHORIZED PERSONS \n \nThe Boston School Department is concerned about the safety \nand wellbeing of all students and consequently will release a \nchild to a third party (someone other than the parent or legal \nguardian) only with the parent\u2019s or guardian\u2019s written \nauthorization. If you plan to release your child to a third party, \nyou must complete this form and return it to the principal of \nyour child\u2019s school. \n \nDate_____________________________ \nI, as parent or guardian, give permission for [print name of \nstudent] \nto be transported to and/or from the [print name of school]" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 10, + "content": "by [name of third-party driver] \nfrom [start date] _________________ to [end date] ." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SAF-08 \nPage 5 of 5 \n \nI further understand that [name of third-party driver] \n________________________________________ will be responsible for my \nchild\u2019s transportation services and safety. I release the Boston \nSchool Department from any liability in case of any accident, \ninjury, and/or other claim as a result of the Boston School \nDepartment releasing my child to the person or agency named \nabove. \nSignature of Parent/Guardian: \nHome/Cell Phone Number: \nWork Phone Number: \nAddress: \n \nName of third-party company or individual: \n \nPhone Number: \nType of vehicle (check as appropriate): \n\u2610 Van \u2610 Bus \u2610 Automobile \u2610 Other Vehicle" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 12, + "content": "Vehicle Registration Number:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSAF-01 \nVersion 01 \n \nSTUDENT SEARCH PROCEDURES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSchool leaders, principals, and other administrative personnel are \nresponsible for enforcing the Student Code of Conduct and for \nestablishing a safe and secure environment for learning in the \nschools under their supervision. The United States Supreme \nCourt in the case of New Jersey v. T.L.O., 469 U. S. 325 (1985) has \nissued a decision that affects how school personnel may enforce \nschool rules and maintain an atmosphere conducive to teaching \nand learning." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 2, + "content": "and learning. \nThe Supreme Court\u2019s decision established constitutional \nstandards for student searches by school officials and school \nemployees. Specifically, the Court ruled that the Fourth \nAmendment to the United States Constitution, which prohibits \nunreasonable searches and seizures by government employees, \nis not violated when public school administrators and teachers \nconduct student searches if there are reasonable grounds to \nbelieve that the search will yield evidence of either a violation of \nlaw, a violation of school rules, or both. \nIn announcing its ruling, the Court rejected the school board\u2019s \nargument that school officials, like parents, are exempt from the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 3, + "content": "requirements of the Fourth Amendment. At the same time, the \nCourt rejected the student\u2019s claim that school officials must \nobtain warrants or meet the more rigorous \u201cprobable cause\u201d \nstandard, applicable to searches by law enforcement officials, \nbefore conducting student searches on school property. Rather," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SAF-01 \nPage 2 of 6 \n \nthe Court struck a balance between the student\u2019s legitimate \nexpectations of privacy in the school setting and the school\u2019s \nequally legitimate need to maintain an environment in which \nlearning can take place. The Court held that the \u201clegality of a \nsearch of a student should depend simply on the reasonableness, \nunder all the circumstances, of the search.\u201d \nTo be legal, a student search must be reasonable in two respects. \nFirst there must be reasonable suspicion to believe that the \nstudent has in their possession evidence tending to show either a \nviolation of law or a violation of school rules. To reasonably" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 5, + "content": "suspect something, school officials must have facts of sufficient \nquantity and certainty to establish that the suspicion is likely to \nbe true. Mere suspicion, hearsay, or a single isolated fact, \nunsupported by further evidence, is generally not enough to \nmeet the reasonable suspicion standard. Second, the scope of \nthe search must be reasonable in relation to the intrusion on the \nstudent\u2019s privacy. There must be a likelihood that the area \nsearched will yield the item(s) being sought. \nThe determination of whether a search is reasonable is a \nquestion of judgment without definite benchmarks. School \nofficials must exercise common sense and good judgment to" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 6, + "content": "ensure that student searches conform to the \u201creasonableness\u201d \nstandard. \nIn conducting student searches, school personnel should adhere \nto the following guidelines: \n1. Only administrators who are authorized under Boston \nPublic Schools\u2019 Code of Conduct to suspend students from \nschool should conduct student searches. The authority to \nconduct student searches should be limited to school \nleaders, principals, other administrative officials, and \npersonnel specifically designated by school leaders, heads of" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SAF-01 \nPage 3 of 6 \n \nschools, principals, and other administrative personnel to \nsuspend students. \n2. If the school administrator believes that a student may have \nin their possession a firearm, weapon, dangerous object, or \ndrugs, or otherwise fears that a search would jeopardize \ntheir safety, the administrator should not search the student \nuntil the student has notified the Safety Services \nDepartment to be present during the search. \nIt should be noted that the Supreme Court specifically did \nnot decide in the T.L.O. case what standard should apply to \nstudent searches conducted by school officials in \nconjunction with or at the behest of a law enforcement" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 8, + "content": "agency. However, the Court noted that the higher standard \nof \u201cprobable cause\u201d has been applied to student searches \ninvolving law enforcement agencies by a lower federal \ncourt. Thus, it may be expected that Massachusetts courts \nwill closely scrutinize student searches conducted by school \nofficials in conjunction with police officers. Consequently, \nsuch searches may be deemed reasonable only if based \nupon the more stringent probable cause standard. However, \nthe presence of a police officer or safety specialist for the \npurpose of ensuring the safety of the administrator should \nnot alone trigger the higher standard. \n3. Authorized personnel should search only students of the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 9, + "content": "same sex. All searches must be conducted in the presence \nof another staff member of the same sex, who shall serve as \na witness. A male administrator may not search a female \nstudent. If a female administrator is not available to search a \nfemale student, the administrator may designate another \nfemale staff member to conduct the search. If a male \nadministrator is not available to search a male student, the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SAF-01 \nPage 4 of 6 \n \nadministrator may designate another male staff member to \nconduct the search. It is important to emphasize that \nsearches must always be done by a staff member of the \nsame sex, and must always be done in the presence of a \nwitness of the same sex. \n4. Before conducting a student search, the administrator must \nbe confident that the reasonableness standard, as outlined \nby the T.L.O. decision (The United States Supreme Court in \nthe case of New Jersey v. T.L.O., 469 U. S. 325) has been \nsatisfied. \n5. The manner and method of the search should be tailored to \nthe circumstances. The scope of the search normally should" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 11, + "content": "be limited to those areas and objects that could reasonably \nbe expected to contain the item(s) being sought. The basis \nfor the suspicion that a student possesses evidence of a \nviolation of the law or school rule should increase in direct \nproportion to the extent of the intrusion upon the student\u2019s \nprivacy in conducting the search. A body search of a student \nrequires a higher level of suspicion than a search of a \nstudent\u2019s book bag. \n \nIn determining whether and how to conduct a student \nsearch, school officials must consider such factors as the \ndanger posed by the object being sought; the likelihood of \nthe evidence being disposed of or destroyed; and the age," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 12, + "content": "sex, and prior disciplinary record of the student. The more \nserious the threat posed by the item(s) being sought, the \nmore likely a court will be to find the search reasonable. On \nthe other hand, it is likely that a court would strike down a \nsearch that involved the wholesale rummaging through a \nstudent\u2019s personal property without individualized suspicion" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SAF-01 \nPage 5 of 6 \n \nthat the student had violated either the law or school rules. \nStudent searches must not become general and \nexploratory. \n6. School Department employees are not allowed to conduct \nstrip searches. Strip searches are searches in which a \nstudent is asked to remove articles of clothing that could \nresult in the exposure of undergarments. \n7. An administrator should never use physical force in \nattempting to conduct a search. If a student refuses to \nsubmit to a search, the Department of Safety Services (617-\n635-8000) should be called for assistance. \n8. Searches of student lockers and desks, which remain the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 14, + "content": "property of the Boston Public Schools while used by \nstudents, should be based upon reasonable grounds to \nsuspect that they will yield evidence of either violation of \nlaw or school rules. Refer to Superintendent\u2019s Circular SAF-\n03 Locker Policy for related information. \n \n9. If a search by a school administrator yields evidence that a \nlaw has been violated, the administrator should notify the \nDepartment of Safety Services. \nSchool leaders/principals must incorporate salient and pertinent \ninformation from this memorandum into all school-based rules \nand student handbooks. Students and parents must be informed \nthat such information serves as prior and ample notice of the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 15, + "content": "School Department\u2019s procedure for student searches. The phrase \n\u201cprior and ample notice\u201d is to be included in school-based rules \nand student handbooks." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SAF-01 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nName: Legal Advisor \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \nOR \nOwner: Deputy Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSPE-14 \nVersion 01 \n \n \n \nNON-IEP COUNSELING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nINTRODUCTION \nCounseling services are provided to Boston Public School \nstudents in myriad formats and modalities. Students with and \nwithout disabilities may receive counseling services within \nBoston Public Schools. Students with disabilities may have IEPs \nthat contain counseling as a related service mandating the \nfrequency and duration of counseling. Non-disabled students \nwithout IEPs may be participating in counseling sessions \nformulated as a result of a recommendation of the Student" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 2, + "content": "Support Team in collaboration with staff from the Behavioral \nHealth Services department. As a result of partnerships with \nexternal agencies, counseling also may be provided to BPS \nstudents by mental health providers who are not BPS employees. \nWith this document, the Boston Public Schools seeks to ensure a \nstandard level of practice for the provision of counseling services \nso that consistent practices may be implemented in assisting \nstudents to overcome school-based issues which may be \nhindering their achievement. \nAll mental health providers must conform with the Standards for \nSchool-based Mental Health Services developed in partnership" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 3, + "content": "between BPS and members of the Boston School-Based" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 2 of 9 \n \n \n \nBehavioral Health Collaborative. These standards can be \nobtained on the Boston Public Schools website at \nhttps://www.bostonpublicschools.org/domain/2443. \nBACKGROUND \nThe American Psychological Association has defined counseling \nas a process to help individuals towards overcoming obstacles to \ntheir personal growth, wherever these may be encountered and \ntowards achieving development of their personal growth. \nMassachusetts Department of Mental Health states further that \nmental health counselors render professional services to \nindividuals, families, or groups. They apply principles, methods," + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 5, + "content": "and theories of counseling and psychotherapeutic techniques to \ndefine goals and develop a treatment plan of action aimed \ntowards the prevention, treatment, and resolution of mental and \nemotional dysfunction. \nThe American Counseling Association states that \u201ccounselors \nencourage client growth and development in ways that foster \nthe client\u2019s interest and welfare; counselors avoid fostering \ndependent counseling relationships. The ACA states further that \n\u201ccounselors practice in specialty areas new to them only after \nappropriate education, training, and supervised experience. \nWhile developing new skills in specialty areas, counselors take" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 6, + "content": "steps to ensure the competence of their work and to protect \nothers from possible harm.\u201d \nBoston Public Schools Counseling Work \nIn addition to these standard definitions and professional ethics \nof practice, all BPS and non-BPS providers should understand" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 3 of 9 \n \n \n \nand demonstrate that their counseling work should support \nteaching and learning goals and effective teaching practices. \nUltimately, the goal of counseling is to support success within the \nclassroom. \nPRIOR TO COUNSELING \n1. The Student Support Team serves as the hub of student \nservices within the school. The Student Support Team \nfacilitator should have knowledge of the referral for \ncounseling, and the recommendation for counseling should \nemerge from the Student Support Team. When necessary, \ncounseling referrals can also be made outside of the SST \nprocess. \n2. The direct service provider designated to be the counseling" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 8, + "content": "provider should be clear about (1) the scope of the work \nrequested in counseling, (2) the reason for the referral, and \n(3) the expected outcome in counseling. If unclear regarding \nthe reason for counseling, a meeting should be scheduled \nbetween the counselor provider and the referring agent to \ndiscuss these concerns. \n3. The direct service provider should counsel students \nregarding behaviors that impact teaching and learning, \nacademic achievement, and daily school functioning. \n4. Specific issues that are trauma related, i.e., physical and/or \nsexual abuse (onset being past or present), death and dying, \nand behaviors that may need psychiatric intervention and" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 9, + "content": "may necessitate a 51A Report, should be brought to the \nattention of the principal/head of school or the designated \nadministrator and the direct service provider\u2019s supervisor. \nThese issues should be referred to the appropriate" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 4 of 9 \n \n \n \ncommunity counseling agency/mental health facility. \n5. Written consent must be obtained from the student, parent, \nor legal guardian before beginning counseling (see attached \nconsent form). If a student is receiving counseling through \nan outside provider, but in a BPS building, parent/guardian \nshould also sign the agency specific consent form. \n6. The direct service provider must outline goals and objectives \nfor the individual student (see attached form). Furthermore, \nit is recommended that the direct service provider \nformulate the goals and objectives with input from the \nparent/legal guardian." + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 11, + "content": "parent/legal guardian. \n7. Parents/legal guardians should be informed that pertinent \ninformation regarding specific students may be discussed at \nthe Student Support Team meetings. All ethical professional \nstandards of confidentiality will be maintained regarding \nthe specific nature of the counseling sessions(s). \n8. All direct service providers should maintain professional, \nproper, safe, and appropriate safeguards for the student(s) \nand themselves. \nCOUNSELING PRACTICE \nAll direct service providers who are counseling students should: \n\u25cf Have a consistent counseling schedule which is \ndocumented and provided to their principal/head of school," + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 12, + "content": "supervisor, and the needed personnel in the individual \nschools (i.e., teacher, OSS coordinator, Student Support \ncoordinator, guidance counselor, and other school \nadministrators)." + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 5 of 9 \n \n \n \n\u25cf Meet in rooms that provide appropriate space and levels of \nconfidentiality. \n\u25cf Guarantee a measure of safety and protection for the \nstudent and provider, including consideration of the \ndistance between a counselor and student and leaving the \ndoor ajar at all times. \n\u25cf Not engage in any physical contact with the student(s) due \nto the possible risk of psychological harm to the student as a \nresult of the physical contact (i.e., cradling, \u201ctouch therapy,\u201d \ncaressing, massaging, and petting). This requirement of no \nphysical contact is due to the possibility of psychological \nand/or physical harm to the student as a result of such" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 14, + "content": "contact. \n\u25cf Document each session held and keep progress notes on \neach student. Provisions should be made for sharing themes \nof concern and critical information with the parent/legal \nguardian. \n\u25cf Share specific information that relates to the student\u2019s \nacademic progress with appropriate staff. \n\u25cf Respond to inquiries from the principal/head of school \nregarding the student\u2019s progress in counseling. \nTERMINATING COUNSELING SERVICES \nWhen counseling goals and objectives have been reached and/or \nthere have been several documented absences and/or instances \nof resistance by the student, as well as several documented \nattempts to provide counseling services, termination of" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 15, + "content": "counseling services may be appropriate. The direct service \nprovider should:" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 6 of 9 \n \n \n \n1. Notify the student\u2019s parent or legal guardian. \n2. Notify (in writing) appropriate school personnel \n(principal/head of school, Student Support coordinator, OSS \ncoordinator, supervisor, teacher, or other school \nadministrator). \n3. Summarize progress and recommendation and follow-up as \nneeded (this could be facilitated during the Student Support \nTeam meeting, discussions within small learning \ncommunities, common planning time, and/or teacher \nparent conferences). \nSUMMARY \nDirect service providers, both BPS and non-BPS staff, are an \nintegral component of helping students reach their fullest" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 17, + "content": "academic achievement. Lack of knowledge or misunderstanding \nof ethical and professional practice standards are not a defense \nagainst charges of unethical and/or inappropriate practice \nconduct. It is important that these practice standards are \nmaintained and adhered to for the safety of students and the \ndirect service provider. These practice standards ensure a safe, \nprotected, and ethical delivery of service for both students and \nthe staff members who serve them. If it is determined that these \nguidelines have not been followed and/or that inappropriate, \nunethical and/or unprofessional conduct has occurred, Boston \nPublic Schools will take any such action as is appropriate under" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 18, + "content": "the circumstances. Such action may range from discipline to \ntermination from employment or termination of any contract \nwith Boston Public Schools as BPS deems appropriate under the \ncircumstances." + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 7 of 9 \n \n \n \n \nFor more information about this circular, contact: \nName: Director of Social Work \nDepartment: Social Work \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-8294 \nEmail: socialwork@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 8 of 9 \n \n \n \nCONSENT FOR SCHOOL-BASED NON-IEP \nCOUNSELING SERVICES \nI, _________________________________________________________________ \n(Print Name of Parent/Legal Guardian) \nhave been provided with the reason (s) my child, \n__________________________________________________________________ \n(Print Child\u2019s Name) \nhas been recommended for school-based counseling services. \nThe reason (s) for the recommended school-based counseling \nservices are: \n \nI give consent for __________________________________________ \n(school name) to refer my child for the following school-based \ncounseling services (check all that are applied). I understand that" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 21, + "content": "these services may be provided by a community mental health \nagency in partnership with the school. \n\u25a1 Individual Counseling \n\u25a1 Group Counseling \n \nBPS Staff Member: _______________________________________________ \n(Insert staff name) \nOutside Agency staff: \n__________________________________________________________________ \n (Insert staff name)" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular SPE-14 \nPage 9 of 9 \n \n \n \nI also give consent for the school to release my child\u2019s student \nrecord, health, and other confidential information to the school-\nbased counseling service provider and for my child to participate \nin these school-based counseling services. \nI understand that my participation in my child\u2019s school-based \ncounseling services will be appreciated and strongly encouraged. \nI have read this Consent for School-Based Counseling Services \nand understand its terms. I sign it voluntarily and with full \nknowledge of its significance. \n \n___________________________________________ __________________" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 23, + "content": "Parent/Legal Guardian Signature Date" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSPE-20 \nVersion 01 \n \n \nSPECIAL EDUCATION SCREENING PROGRAM FOR \nTHREE- AND FOUR-YEAR-OLD CHILDREN \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nMassachusetts state law mandates that each school system in the \nstate locate, identify, and provide special educational services for \nchildren ages three and four who may either have a substantial \ndisability or possibly experience challenges in a regular preschool or \nkindergarten program. \nThe Boston Public Schools will continue its ongoing screening \nprogram for three- and four-year-olds who are not attending a" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 2, + "content": "BPS school, to take place on the following dates: \nSCREENING DATES: \n\u25cf Thursday, October 17, 2024 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston \n\u25cf Thursday, March 6, 2025 @ CASH High School Annex, Dorchester \n\u25cf Wednesday, March 26, 2025 Mario Umana Academy, East Boston \n\u25cf Thursday, April 17, 2025 @ CASH High School Annex, Dorchester \n \n \nThis screening is available to any child, ages three and four, who \nresides in the City of Boston. The screening program, coordinated" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SPE-20 \nPage 2 of 3 \n \nby the Office of Special Education, includes screening in the areas \nof readiness skills and language. A parent interview is conducted \nas well. \nNotices will be available in the language of the home, when \nindicated as necessary by the family. Efforts will be made to \ndisseminate notices at community centers, day care centers, and \ncommunity preschools. \nSummary of significant dates and deadlines: \nDate Location \nThursday, October 17, 2024 CASH High School Annex, Dorchester \nWednesday, December 4, 2024 Mario Umana Academy, East Boston \nThursday, March 6, 2025 CASH High School Annex, Dorchester" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 4, + "content": "Wednesday, March 26, 2025 Mario Umana Academy, East Boston \nThursday, April 17, 2025 CASH High School Annex, Dorchester" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular SPE-20 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: Assistant Director for Early Childhood \nDepartment: Office of Special Education \nMailing Address: 2300 Washington Street 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-8599 \nFax: 617-635-6834 \nEmail: all-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHWD-02 \nVersion 01 \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nRegular physical activity is one of the most important factors \naffecting health. It helps control weight, reduces the risk of \ndeveloping cardiovascular disease and diabetes, improves mental \nhealth and mood, and increases longevity. Most Boston Public \nSchool (BPS) students are not physically active for the 60 minutes \nper day recommended by the Center for Disease Control. Only 16% \nof BPS high school students reported being physically active for" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 2, + "content": "the recommended time, and only 40% reported having weekly \nphysical education, according to the 2015 Boston High School \nYouth Risk Behavior Survey (YRBS). Twenty-three percent of \nmiddle school students reported being physically active for the \nrecommended time and 80% reported having weekly physical \neducation, according to the 2013 Boston Middle School YRBS. This \nlack of physical activity is contributing to an epidemic of \noverweight and obesity in BPS students. Measurement of \nstudents\u2019 Body Mass Index in 1st, 4th, 7th and 10th grades revealed \nthat 39% of BPS students are at an unhealthy weight (2015)." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 2 of 18 \n \nRecent national, cumulative evidence shows clear links between \nschool-based physical activity, including physical education, and \nacademic success. Most of the studies report that physical activity \nwas positively related to academic performance, including \nacademic achievement (grades, standardized test scores); \nacademic behavior (on-task behavior, attendance); and factors \nthat can positively influence academic achievement \n(concentration, attention, improved classroom behavior). Most \nimportantly, adding time during the school day for physical \nactivity does not appear to take away from academic" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 4, + "content": "performance. Given these findings, the BPS recommends that \nschools increase the amount of time spent in physical education \nand/or increase the quality of their physical education program, \nprovide recess and physical activity breaks in the classroom, \npromote walk/ bike to school programs, and offer non-competitive \nintramural and interscholastic sports. \nTo improve health and academic outcomes, BPS is implementing \nstrategies to increase the frequency and quality of physical \neducation (PE) and physical activity (PA) for BPS students. A PE & \nPA Task Force was formed in November 2010 to align the district\u2019s \nPE-related policies and bring the district into compliance with MA" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 5, + "content": "General Laws Chapter 71, Section 3 that states: \n\u201cPhysical education shall be taught as a required subject in all \ngrades for all students in the public schools for the purpose of \npromoting the physical well-being of students.\u201d \nWith input from BPS principals, physical education teachers, BPS \nWellness Council members, BPS department heads, Academic \nSuperintendents, Labor Relations, and other district-leaders, the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 3 of 18 \n \nPE & PA Taskforce created the PE & PA Policy to align the former \nBPS policies. \n \nDEFINITIONS \nComprehensive School Physical Activity Program (CSPAP): An \napproach by which school districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 7, + "content": "involvement; and family and community involvement. \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE Frameworks. PE \nis comprehensive and includes student learning competencies \nthat cross all four strands of the BPS PE Frameworks 1) Movement \n2) Health-Related Fitness 3) Personal and Social 4) Lifelong \nPhysical Activity. PE activities that focus on a single activity, such \nas swimming and dance, count as PE only if it is part of a CSPAP" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 8, + "content": "and align with the BPS PE Frameworks. \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school day." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 4 of 18 \n \nRecess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should NOT \nbe counted as PE; PA is not PE and it cannot be allocated as PE. \nModerate-to-Vigorous Physical Activity (MVPA) is measured by an \nincrease in heart rate, breathing, and body temperature. \nModerate physical activity refers to activities equivalent in \nintensity to brisk walking or bicycling. Vigorous physical activity \nproduces large increases in breathing or heart rate, such as \njogging, aerobic dance or bicycling uphill. \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 10, + "content": "PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and fitness \nby bringing more physical education and physical activity to \nschools; improving the quality of physical education and recess; \nand increasing the equity of physical activity programs and \nresources across our schools. Activities will be inclusive to meet \nthe needs, interests, abilities and cultural diversity of all students, \nincluding students of all gender identities, students with \ndisabilities, and students with special healthcare needs. \nNumerous studies indicate that regularly engaging in moderate-" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 11, + "content": "to-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children\u2019s cognitive function, \nability to concentrate in class, and academic performance. Thus, \nas a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 5 of 18 \n \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a \nphysically active lifestyle. Additionally, by establishing a safe, \nsupportive and engaging school environment, athletic programs" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 13, + "content": "encourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in \nschool. In this way, athletics contributes to the academic success \nof students. \nIn accordance with state law, all schools must provide all students \nin all grades with opportunities for physical activity. Schools must \noffer at least 150 minutes of in-school physical activity weekly in \ngrades PreK-8, including required physical education, movement \nbreaks, recess, or lessons involving movement structured to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 14, + "content": "support moderate-to-vigorous physical activity (MVPA). In grades \nPreK-8, students are expected to have at least 20 minutes of daily \nrecess. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment nor \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 6 of 18 \n \nbreaks, or physical education) as punishment for any reason other \nthan illness or safety or as approved by the school leader. This \nincludes denying a student physical activity time in order to make \nup work unless under unusual circumstances. The district will \nprovide teachers and other school staff with a list of ideas for \nalternative ways to discipline students. \nAll schools must offer standards-based physical education (PE) for \nall students in all grades. Schools are required to offer at least 45 \nminutes of weekly PE in grades PreK-8 and at least one semester \n(equivalent of a half school year) of PE each year in grades 9-12." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 16, + "content": "We recommend that schools provide at least 80 minutes of \nweekly PE in grades PreK-8. In order to help schools work toward \nthis recommendation, Boston Public Schools will develop an \nimplementation plan with input from current principals and \nheadmasters. This implementation plan will be shared with the \nSchool Committee. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity \nbreaks or physical education) as punishment for any reason; or" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 17, + "content": "deny a student physical activity time in order to make up work \nunless under unusual circumstances. \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array of \nphysical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 7 of 18 \n \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after \nschool programs, intramurals and interscholastic sports, and in \ntheir school commute. \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 19, + "content": "easier trip to and from school when students and staff are walking, \nbicycling, using public transit or other means of physically active \ntransport. The District will encourage 7-12th grade students to use \npublic transportation when available and appropriate for travel to \nschool, and will work with the local transit agency to provide \ntransit passes for eligible 7-12th grade students. The District will \nprovide resources to schools, students and families regarding \nwalking, riding a bicycle, using public transit or other forms of \nactive transportation. The District will encourage wellness \ncouncils, school administrators and students, staff, families and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 20, + "content": "community partners to assist the District in promoting safe, \nphysically active travel to and from school. Schools are \nencouraged to designate a transportation liaison to facilitate \ncommunication regarding District efforts to promote safe, \nphysically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 8 of 18 \n \nIMPLEMENTATION GUIDELINES \nA. State law requires that all students in grade K-12 receive \nphysical education. \n \n1.) The BPS PE Curriculum must meet the following criteria: \na. The curriculum is standards-based and it aligns with BPS \nPE Curriculum Frameworks. \nb. The curriculum provides moderate-to-vigorous physical \nactivity (MVPA) during at least 50% of PE class time. \nc. The PE scope and sequence for each grade level must \ninclude district-sponsored PE curriculum, such as SPARK \nin K-12th grades and Project Adventure in K-12th grades. \n \n2.) Student assessments in PE must include the following:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 22, + "content": "a. Graded competency (i.e. knowledge, skills, practice) and \nparticipation (i.e. effort, proper attire, teamwork) \nassessments that are reflected on all students\u2019 report \ncards. \n \n3.) BPS PE classes have the following requirements for scheduling: \na. Reflected on all schools\u2019 master schedules and on all \nstudents\u2019 report cards." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 9 of 18 \n \n4.) Staffing requirements include: \na. BPS supports a learning environment in which all teachers \nare highly qualified in the subject areas they teach. \nTherefore, PE class must be taught by a teacher that holds \nan active and valid PE teaching license from the MA \nDepartment of Elementary and Secondary Education. \nb. If a school is unable to provide all students in all grades \nwith PE instruction from licensed PE teachers, they should \ncontact the Office of Health and Wellness for support with \nidentifying district-approved staffing alternatives. All PE \nstaffing alternatives must be approved by HR, the Office of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 24, + "content": "Health and Wellness, and the school\u2019s respective \ninstructional superintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in situations \nthat increase opportunities for students. \n \n5.). School Wellness Councils are required to develop a school-\nbased Comprehensive School Physical Activity Plan (CSPAP) as a \npart of the Wellness Action Plan that includes: \na. A school-based CSPAP Policy that documents the CSPAP \nImplementation Guidelines. \nb. The CSPAP Implementation Guidelines must outline how \nall students in grades K-8 are to receive at least 45 minutes \nof PE per week, and how all students in grades 9-12 receive \nat least 1 semester of PE per grade." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 25, + "content": "at least 1 semester of PE per grade. \nc. The CSPAP Implementation Guidelines also include a plan \nthat outlines how the school aims to provide 150 minutes \nof in-school physical activity in grades k-8, including" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 10 of 18 \n \nrequired physical education, movement breaks, recess, or \nlessons involving movement. In grades PreK-8, students \nare expected to have a minimum of 20 minutes of daily \nrecess; this must be included in the CSPAP. \nd. School staff shall be provided resources to integrate \nphysical activity into their academic lessons. Contact the \nOffice of Health and Wellness for resources. \ne. School wellness councils will work with building principals \nand Facilities Management/ Planning to identify safe and \nappropriate indoor and outdoor space for group physical \nactivity and physical education. The lack of identified" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 27, + "content": "single-use physical activity spaces (i.e., gymnasiums) will \nnot hinder schools from offering an environment \nconducive to physical activity and implementation of a \nCSPAP plan. Examples include: \n\u25cb Shared classroom space (mobile physical education \nclasses conducted in classrooms) \n\u25cb Schoolyard \n\u25cb Creative use of hallway space or other shared spaces \nin buildings \n\u25cb Repurposing classroom or other building spaces for \nphysical activity \n\u25cb Co-teaching with other content areas \n \nB. Schools shall offer daily physical activity opportunities during \nthe school day. \nTo that end principals/heads of school can: \na. Integrate daily physical activity into the classroom" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 11 of 18 \n \nsetting with kinesthetic learning, cross-curricular \nlessons, and team teaching \nb. Encourage short physical activity breaks between \nlessons or classes, as appropriate \nc. Encourage school-wide physical activity promotions like \npedometer challenges, field day, dance-a-thon, walk-a-\nthon, active transport, etc. \nd. Provide opportunities for daily recess with at least 20 \nminutes a day of supervised recess, preferably outdoors, \nduring which time staff encourage moderate to \nvigorous activity and provide appropriate space and \nequipment. In grades K-8, daily recess is required. \ne. Schedule recess before lunch so that students will come" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 29, + "content": "to lunch less distracted and ready to eat. \n \nC. Schools shall offer daily physical activity opportunities during \nextended day programs and out of school time which includes \nbefore and after school programs. \nTo that end principals/headmasters can: \na. Allow school spaces and facilities to be available for school-\nsponsored activities that promote fitness for its students \nduring extended and non-school hours, as circumstances \npermit. \nb. Remain in alignment with best practices and \nrequirements for licensed school-age care programs \npartnering with schools (606 CMR 7). Specifically \n\u25cb Providing daily indoor and outdoor time periods, \nweather permitting, which include both small and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 12 of 18 \n \nlarge muscle activities; \n\u25cb Each school shall dedicate at least 30-60 minutes of \nmorning or afterschool program time to physical \nactivity for all students; \nc. Partner with local government and community-based \nagencies to support active transport to school by \nreducing/eliminating hazards and increasing accessibility \n(i.e., bicycle parking). \n \nD. Safe Routes to School Boston \nThe District will encourage students to be physically active before \nand after school by promoting walking/ biking/rolling to school \nthrough a comprehensive Safe Routes to School Boston program, \nincluding encouragement, education, evaluation," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 31, + "content": "including encouragement, education, evaluation, \nengineering/environment, enforcement, and equity strategies. \nSchools should include Safe Routes to School in their Annual \nWellness Action Plans. \n \na. Equity strategies: Consider the barriers and concerns, and \nopportunities that face families and ensure equitable \nopportunities in each strategy of this initiative. \nb. Encouragement strategies: \n\u25cb Walking Promotions (e.g. Walk to School Days, \nWalking Challenges, School-wide Promotions) \n\u25cb Establishing a school Park and Walk site \n\u25cb Walking School Buses \nc. Education strategies:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 13 of 18 \n \n\u25cb Implementing an active transportation safety \ncurriculum in health or physical education. \n\u25cb Developing and disseminating preferred Walking \nRoute Maps that provide students and parents with \nthe additional tools to travel safely to and from \nschool. \n\u25cb Disseminating walking tips and simple pedestrian \nsafety information and promotional materials. \nd. Evaluation of Need strategies: \n\u25cb Conduct a walk audit to identify concerns regarding \nthe physical/environmental conditions that surround \nyour school. \n\u25cb Conduct a travel hand tally to understand the impact \nand number of students that will benefit. \ne. Engineering/Environment strategies:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 33, + "content": "e. Engineering/Environment strategies: \n\u25cb Alert proper authorities regarding environmental \nsafety concerns. Engineering or other environmental \nissues should be reported through BOS: 311, other \npressing concerns should be reported to BPS \nTransportation. \n\u25cb Increase accessibility and support for those choosing \nto ride by installing secure bicycle storage and \ndesignating facilities for storing other wheeled \ndevices like scooters. \nf. Enforcement strategies: Share Preferred Walking Routes \nwith local police stations for proper crossing guard \nassignment and heightened awareness on popular routes." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 14 of 18 \n \nE. Community Partnerships \nProviding students and families with access to safe, affordable, \nand convenient places to be physically active is an important \nstrategy for promoting health and reducing risk for obesity. \nCommunity partners are a vital, valuable aspect of quality physical \nactivity programs and can meaningfully support PE and PA in \nBPS. School officials are encouraged to work with partners to \ndevelop a written joint use agreement that delineates the terms \nand conditions for joint use and the responsibilities of all parties. \nCommunity partners must follow the BPS Community Partner" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 35, + "content": "Policy. To that end, principals/heads of school can work with \ncommunity partners to: \na. Secure mini-grant funding \nb. Use of facilities on and off-campus \nc. Training/professional development \nd. Assist with program implementation \ne. Work with community partners to create additional \nopportunities that meet the unique needs of their school \n \nF. Physical Activity and Punishment \nTeachers and other school and community personnel shall not: \na. Use physical activity (e.g., running laps, pushups) as \npunishment \nb. Withhold opportunities for physical activity during the \nschool day (including but not limited to recess, \nclassroom physical activity breaks or physical education)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 36, + "content": "as punishment for any reason" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 15 of 18 \n \nc. Deny a student physical activity time in order to make \nup work unless under unusual circumstances \nThe district will provide teachers and other school staff with a list \nof ideas for alternative ways to discipline students. \n \nMONITORING, COMPLIANCE & SUPPORT \n \n1. Monitoring Curriculum \na. Scope and Sequence: Each school must annually \nsubmit a PE scope and sequence for each grade level to \nthe School Wellness Councils; the scope and sequences \nmust align with BPS PE Curriculum Frameworks. The \nOffice of Health and Wellness can support schools in \naligning their PE scope and sequence with the BPS PE" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 38, + "content": "Curriculum Frameworks. If necessary, the School \nWellness Councils may be asked to submit the school\u2019s \nPE scope and sequence. \n \n2. Monitoring Assessments \na. Report Cards: All students\u2019 report cards must include a \ngrade for taking PE class. \n \n3. Monitoring school-based Comprehensive School Physical \nActivity Plan (CSPAP) \na. Wellness Actions Plans: School Wellness Councils\u2019" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 16 of 18 \n \nCSPAP will include their school-based CSPAP Policy \nthat outlines how all students in all grades will receive \nweekly physical activity. \nb. The Office of Health and Wellness will monitor School \nWellness Councils\u2019 CSPAP. \nc. The Office of Health and Wellness will monitor the \ncommunity partner\u2019s compliance with the BPS \nCommunity Partner Policy.. \n \n4. Monitoring Scheduling and Graduation Requirements \na. Master Schedules: All schools must reflect adequate PE \non their master schedule. \nb. Student Report Cards: All students\u2019 report cards must \ninclude PE to determine compliance with the PE & PA" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 40, + "content": "Policy and to determine students\u2019 graduation eligibility. \n \n5. Monitoring Staffing: \na. Staffing Reports: The Office of Human Capital will \nannually conduct PE staffing reports for each school. \nThe PE staffing reports will be monitored to determine \ncompliance with the PE Staffing Policy for BPS. \n \n6. The Office of Health and Wellness will support schools in \ntheir efforts by providing: \na. Yearly professional development opportunities for both \nphysical education teachers and school-based \npersonnel" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 17 of 18 \n \nb. Professional development opportunities for recess-\nbased personnel \nc. Schools shall be provided resources to integrate \nphysical activity into their academic lessons \nd. Resources available for school staff include: \n\u25cb Field-day guides \n\u25cb Physical Activity Curriculum \n\u25cb Physical Activity Breaks \n\u25cb Recess temperature recommendations \n\u25cb Active Recess materials \n\u25cb Guide to Before and After School Activities \n\u25cb A list of physical activity community partners and \ncontact information \n7. Schools Non-Compliant with PE & PA Policy: \nThe principal and relevant school superintendent will be notified" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 42, + "content": "by the Office of Health and Wellness if a school is found not to be \ncompliant. The Office of Health and Wellness will work directly \nwith the school to support the development of a CSPAP \nImprovement Plan that puts the school on track for compliance \nwith the PE & PA Policy. \nSchool administration, teachers, families, students, community-\nbased organizations, and wellness councils will be provided \ninformation about the policy to engage and support \nimplementation, monitoring, and compliance. The BPS Office of \nHealth and Wellness will provide an implementation guide that \nwill include strategies and support for professional development," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 43, + "content": "curriculum, partnership development, instructional materials, \nschool-based PA strategies, and other resources." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular HWD-02 \nPage 18 of 18 \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & Wellness \nDepartment: Health and Wellness \nMailing \nAddress: \n370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-6643 \nEmail: healthandwellness@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-06 \nVersion 01 \n \n \n \nTOBACCO AND NICOTINE-FREE ENVIRONMENT \nPOLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nA Tobacco Policy Task Force met during the 2010-2011 school year \nto review the BPS smoking policy and develop recommendations \nfor a comprehensive tobacco policy that addressed all tobacco \nproducts, including e-cigarettes or electronic vapor products for \nthe Boston Public Schools. Task force members included \nrepresentatives from Health Services, Facilities, Health & Wellness \nDepartment, School Safety, teachers, students, parents, and a" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 2, + "content": "high school head of school. The policy was updated again in the \nfall of 2019 to remain current with language around electronic \ncigarettes and best practices for vaping prevention. \nThe Tobacco and Nicotine-Free Environment Policy is motivated \nby the philosophy that every staff person, student, and visitor \nshould have the right to breathe clean air in their school and \nwork environment and that BPS is acutely aware of the serious \nhealth risks associated with the use of tobacco or nicotine \nproducts, both to users and non-users. The policy recognizes that \nthe use or promotion of tobacco or nicotine products on school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 2 of 14 \n \n \n \ngrounds and at off-campus school-sponsored events is \ndetrimental to the health and safety of students, staff, and \nvisitors. BPS acknowledges that adult staff and visitors serve as \nrole models for students and embraces its obligation to promote \npositive role models in schools, and to provide an environment \nfor learning and working that is safe, healthy, and free from \nunwanted smoke and tobacco or nicotine product use, including \nvaping, for students, staff, and visitors. Therefore, a \ncomprehensive policy was adopted to prohibit the use of any \ntobacco or nicotine products. The Boston Public Schools have" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 4, + "content": "prohibited smoking on school property since 1987 when the \nSchool Committee of the City of Boston first adopted a Smoking \nPolicy. \nA Tobacco-Free Environment Policy has been developed to \ncomply with and extend beyond the Massachusetts Smoke-Free \nWorkplace Law (M.G.L. c. 270, \u00a7 22) and Boston\u2019s Clean Air Works \nWorkplace Smoking Restrictions Regulation. Furthermore, this \npolicy has been reinforced by the Education Reform Act of 1993 \nand M.G.L. c.71 \u00a7 2A. This policy is a part of the District Wellness \nPolicy (HWD-01) and Healthy School Environment Policy (HWD-\n04) and is linked to the Drug and Alcohol Abuse Policy (SHS-01) \nand the Boston Public Schools Code of Conduct. Substance use" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 5, + "content": "intervention should be a part of a tiered approach that includes \nsubstance use prevention education for all students as a part of \nthe comprehensive health education required in HWD-01. \nDEFINITIONS \nSchool property: Includes inside and outside both administrative \nand school buildings, sidewalks/walkways, parking lots, \nplaygrounds, fields, school buses and other official vehicles," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 3 of 14 \n \n \n \nloading docks, and any other facility under BPS jurisdiction. \nTobacco and nicotine products: Include but are not limited to \ncigarettes, cigars, cigarillos (or little cigars), clove cigarettes, loose \ntobacco, blunt wrappers, chewing tobacco (chew, dip), or any \nother product not mentioned that contains tobacco of any kind. \nIt also includes any products containing nicotine such as \ndissolvable nicotine, electronic cigarettes, nicotine gel, nicotine \nwater, or any other preparation of tobacco and any product or \nformulation of matter containing biologically active amounts of \nnicotine that is manufactured, sold, or offered for sale, or" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 7, + "content": "otherwise distributed, with the expectation that the product or \nmatter will be introduced into the human body. \nTobacco or nicotine paraphernalia: Any device used to aid, \ningest, light, burn, or consume tobacco products, including but \nnot limited to pipes, rolling papers, lighters, and matches. This \nalso includes the use of all electronic nicotine delivery systems or \nelectronic smoking devices, such as e-cigarettes, e-cigars, e-\nhookahs, e-pipes, vape pens, and advanced personal vaporizers. \nNicotine replacement products (NRP): Products containing \nnicotine as an active ingredient that are intended to help a \nperson quit smoking and are regulated through the FDA\u2019s Center" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 8, + "content": "for Drug Evaluation and Research. Over-the-counter NRPs are \napproved for sale to people 18 years and older. The US Public \nHealth Service Clinical Practice Guideline on Treating Tobacco \nUse and Dependence does not recommend NRP as a component \nof pediatric tobacco use interventions. NRPs include skin \npatches, chewing gum, and lozenges. Prescription nicotine \nreplacement therapy is also available; the products are FDA-\napproved only for use by adults. Electronic vapor products are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 4 of 14 \n \n \n \nnot considered FDA-approved nicotine replacement products. \nPOLICY \nBPS students shall not possess, use, consume, display, distribute, \nor sell any tobacco or nicotine products or tobacco or nicotine \nparaphernalia at any time on school property, at off-campus, \nschool-sponsored events and extra-curricular activities, within \nvehicles located on school property, and within 50 feet of school \nproperty. \nBPS staff, administrators, or visitors to BPS shall not use, \nconsume, display, or sell any tobacco or nicotine products or any \ntobacco or nicotine paraphernalia at any time on school property," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 10, + "content": "at off-campus, school-sponsored events, and extra-curricular \nactivities, within vehicles located on school property, and within \n50 feet of school property. \n BPS staff and administrators shall not promote or allow the \npromotion of tobacco or nicotine products, tobacco brands, \nnicotine brands, or any tobacco or nicotine paraphernalia on \nschool property, at off-campus, school-sponsored events, and \nextra-curricular activities, or within 50 feet of school property. \nThis includes promotion of any corporate name, trademark, logo, \nsymbol, motto, selling message, recognizable pattern of colors, or \nany other indication of product identification identical or similar" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 11, + "content": "to those used for any brand of tobacco or nicotine product \ncompany, or manufacturer of tobacco or nicotine products \nthrough the use of any gear, bags, clothing, any personal articles, \nsigns, structures, vehicles, flyers, or any other materials. \nBPS will act to enforce this policy and to take appropriate action \nagainst any students, staff, administrators, or visitors who are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 5 of 14 \n \n \n \nfound to have violated this policy. \nBPS staff and administrators will not solicit or accept any \ncontributions, gifts, money, curricula, or materials from the \nelectronic cigarette industry, tobacco industry, and tobacco or \nnicotine industry, or from any tobacco products shop. This \nincludes, but is not limited to, donations, monies for scholarships, \nadvertising, promotions, loans, or support for equipment, \nuniforms, and sports and/or training facilities. It shall also be a \nviolation of this policy to participate in any type of service funded \nby any of the industries listed above." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 13, + "content": "by any of the industries listed above. \nExceptions/Exemptions: Tobacco and nicotine products, \nparaphernalia, devices, or imitation tobacco or nicotine products \nmay be used for the following: \n1. Instructional or work-related activities in Boston Public \nSchools if the activity is conducted by a staff member or an \napproved visitor and the activity does not include smoking, \nvaping, chewing, or otherwise ingesting the product. \n2. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by the US \nFood & Drug Administration for sale as a tobacco or nicotine \ncessation product, tobacco dependence product, or other" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 14, + "content": "medical purposes and is being marketed and sold solely for \nsuch an approved purpose. \n \nIIMPLEMENTATION GUIDELINES \nA. Policy Owner: The Office of Health & Wellness (Policy \nOwner) is responsible for the review and update of the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 6 of 14 \n \n \n \nTobacco Policy. The policy owner will provide policy \ncommunication and implementation support and guidance, \nincluding community resources for cessation and \u201cTobacco-\nFree\u201d signage. \nB. Central Office Administration: School superintendents and \noperational leaders are responsible for informing school \nprincipals and heads of school about the Tobacco Policy. \n[Central office leader] is responsible for informing all central \noffice department heads, supervisors, and building \nadministrators about the Tobacco Policy. \nC. Building Administrators (i.e., School Principals and \nDepartment Heads): It is the responsibility of building" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 16, + "content": "administrators to ensure compliance with the Tobacco \nPolicy at all BPS schools and buildings: \n1. Supervise the implementation and enforcement of the \npolicy at the school site. \n2. Ensure that \u201cTobacco-Free\u201d signs in accordance with \nthe Boston Public Health Commission are prominently \nposted throughout the school property. Locations \nmust include all entrances/exits to buildings (including \nbasement and loading docks), athletic fields, \nplaygrounds, school buses/transportation vehicles, \nbathrooms, and teacher lounges. If signs are needed, \nplease contact the Office of Health & Wellness. \n3. Ensure that no marketing or promotion of tobacco or" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 17, + "content": "nicotine products, tobacco brands, nicotine brands, or \nany tobacco or nicotine paraphernalia occurs on \nschool property, at off-campus, school-sponsored \nevents and extra-curricular activities, or within 50 feet" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 7 of 14 \n \n \n \nof school property, including branding on gear, bags, \nclothing, any personal articles, signs, structures, \nvehicles, flyers, or any other materials. \n4. Ensure that any contributions, gifts, money, curricula, \nor materials from the electronic cigarette industry, \ntobacco industry, and tobacco or nicotine industry or \nfrom any tobacco products shop are neither solicited \nnor accepted. \n5. Inform all staff, students, parents, and visitors of their \nobligations with respect to the policy. \na. This policy must appear in all student, family, and \nstaff handbooks. \nb. Staff must sign that they have been informed of \nthe policy." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 19, + "content": "the policy. \nc. Inform students and employees how to \nanonymously report a violation to the Boston \nPublic Health Commission: 617-534-4718. \nd. Communicate this policy to all visitors, which \nincludes vendors and those contracted to do \nwork, and those permitted to use the building and \nfacilities before school, after school, and on the \nweekends. \n6. Make available information regarding tobacco \nsmoking and nicotine cessation options for students, \nstaff, and families. \n7. Consider appointing a designee to support the \nimplementation and enforcement of this policy. \nD. Boston Public Health Commission (BPHC): The BPHC is" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 8 of 14 \n \n \n \nresponsible for the implementation of the Workplace \nSmoking Restrictions Regulation. The authority to enforce \nthis regulation is held by the BPHC, its subsidiary programs \nor designees; the City of Boston Inspectional Services \nDepartment; the City of Boston Police Department; and the \nCity of Boston Fire Department. Anyone may anonymously \nreport a violation to the BPHC. As a result, a school or \ndepartment may receive: \n1. In the case of a first violation a fine of two hundred \ndollars ($200.00). \n2. In the case of a second violation, within 24 months of \nthe first violation, a fine of seven hundred dollars \n($700.00)." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 21, + "content": "($700.00). \n3. In the case of three or more violations within 24 \nmonths of the second or current violation, a fine of one \nthousand dollars ($1000.00) for each violation. \nE. School Principals and Heads of School: In accordance with \nthe Comprehensive Health Education Policy (HWD-03), the \nschool administration must ensure students are receiving \nthe minimum health education course requirements and \nreceiving substance use prevention education in line with \nBPS Health Education Frameworks and Student Learning \nOutcomes. \n \nF. BPS Staff: In accordance with state law and local regulation, \nall BPS staff are required to follow the Tobacco Policy. The" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 22, + "content": "success of this policy will depend upon the thoughtfulness, \nconsideration, and cooperation of both tobacco or nicotine \nusers and non-users. All individuals on school properties" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 9 of 14 \n \n \n \nshare in the responsibility to and enforcement of this policy. \n1. Do not use, consume, display, or sell any tobacco or \nnicotine products or any tobacco or nicotine \nparaphernalia at any time on school property, at off-\ncampus, school-sponsored events, and extracurricular \nactivities, within vehicles located on school property, \nand within 50 feet of school property. Exemptions are \nmade for only the following instances: \na. Instructional or work-related activities in Boston \nPublic Schools if the activity is conducted by a \nstaff member or an approved visitor and the \nactivity does not include smoking, vaping," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 24, + "content": "activity does not include smoking, vaping, \nchewing, or otherwise ingesting the product. \nb. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by \nthe US Food & Drug Administration for sale as a \ntobacco or nicotine cessation product, tobacco \ndependence product, or other medical purposes \nand is being marketed and sold solely for such an \napproved purpose. \n2. No marketing or promotion of tobacco or nicotine \nproducts, tobacco brands, nicotine brands, or any \ntobacco or nicotine paraphernalia occurs on school \nproperty, at off-campus, school-sponsored events and \nextra-curricular activities, or within 50 feet of school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 25, + "content": "property, including branding on gear, bags, clothing, \nany personal articles, signs, structures, vehicles, flyers, \nor any other materials. \n3. Do not solicit or accept any contributions, gifts, money," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 10 of 14 \n \n \n \ncurricula, or materials from the electronic cigarette \nindustry, the tobacco industry, and tobacco or nicotine \nindustry or from any tobacco products shop. \n4. Complaints regarding Tobacco Policy violations should \nbe directed to building administrators who are \nresponsible for following recommended disciplinary \nguidelines. \n5. Anonymous complaints may also be directed to \nBoston Public Health Commission (617-534-4718) \nwhere school departments and schools may be \nsubject to a fine as listed above in section D. \n6. Consult the building administrator, school nurse, or \nthe Boston Public Health Commission for information" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 27, + "content": "regarding tobacco smoking and nicotine cessation. \n7. Substance use prevention education to discourage the \nuse of tobacco and nicotine products shall be included \nin comprehensive health education. Staff responsible \nfor teaching tobacco and nicotine-use prevention \nmust have adequate training and will participate in \nongoing professional development activities to \neffectively deliver the education program as planned. \nG. School Nurses are responsible for working with the Health \nServices Department to provide local tobacco and nicotine-\nuse cessation resources at the school buildings. \nH. Central Office: Since youth substance use prevention and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 28, + "content": "intervention must be a part of a multi-tiered approach, the \nfollowing central office departments are responsible for \nsupporting schools in these efforts: \n1. Office of Health and Wellness is responsible for" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 11 of 14 \n \n \n \nproviding training, instructional coaching, and \ninstructional materials for substance use prevention \neducation as a part of tier one comprehensive health \neducation. Additionally, the office is responsible for \nmaintaining health promotion materials and policy \nimplementation support. \n2. The Health Services Department is responsible for \ncommunicating cessation resource information to \nschool nurses and training on the referral process for \ncessation services. \n3. School Operations & Safety Division will communicate \nalternatives to suspension for students found in \nviolation of the tobacco policy, including available" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 30, + "content": "workshops and other intervention programs. \nVIOLATIONS \nEnforcement of this policy will be by school principals/heads of \nschool, building administrators, and department heads. Penalties \nfor violation of the Smoke-Free Workplace Law will be enforced \nby school officials, the Boston Public Health Commission, and \ntheir agents. It is recommended that building administrators, \nprincipals, and supervisors implement disciplinary measures \nconsistent with the progressive measures section of the BPS \nCode of Conduct: \nA. Students found in violation \n1. The first violation shall result in one or all of the \nfollowing: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 12 of 14 \n \n \n \nb. Notifying student\u2019s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions \nc. Meeting with appropriate school staff and the \nstudent\u2019s family \nd. Providing student referrals to available cessation \nprograms \n2. The second violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Notifying student\u2019s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 32, + "content": "prevention and cessation interventions \nc. Providing student referrals to available cessation \nprograms \nd. One or more of the following: \ni. Meeting with appropriate school staff and \nthe student\u2019s family \nii. Participation in tobacco and nicotine \neducation program \n3. The third violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Meeting with appropriate school staff and the \nstudent\u2019s family \nc. Participation in tobacco or nicotine education \nprogram. Failure to participate in the education \nprogram may result in a suspension. \nd. One or more of the following:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 13 of 14 \n \n \n \ni. Community service \nii. Suspension \nB. Staff found in violation \n1. Staff who are found to be in violation of this policy will \nbe subject to discipline up to and including \ntermination. \n2. Department heads and building administrators (such \nas principals) shall be responsible for any fines \nadministered by the Boston Public Health Commission \nto the school or department, as outlined in section D. \nC. Visitors found in violation \n1. Visitors who are observed violating this policy shall be \nasked to comply with the Tobacco and Nicotine-Free \nEnvironment Policy. If the visitor fails to comply with" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 34, + "content": "the request, they will be referred to the building \nadministrator or another district supervisory personnel \navailable. The supervisor shall decide on further action \nthat may include a directive to leave school property. \n2. Repeated violations may result in a recommendation \nto the school principal or building administrator to \nprohibit the individual from entering school district \nproperty for a specified time. If they refuse to leave, \nschool police may be called to have the individual \nleave. \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & \nWellness" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular HWD-06 \nPage 14 of 14 \n \n \n \nDepartment: Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-9698 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHWD-01 \nVersion 01 \n \n \n \n \nDISTRICT WELLNESS POLICY \n \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND 2 \nI. POLICY 5 \nA. Wellness Councils 6 \nB. Cultural Proficiency 13 \nC. School Food and Nutrition Promotion 16 \nD. Comprehensive Physical Activity and Physical Education 20 \nE. Comprehensive Health Education 25 \nF. Healthy School Environment 26 \nG. Safe and Supportive Schools 28 \nH. Health Services 30 \nI. Staff Wellness 33 \nII. IMPLEMENTATION GUIDELINES 33 \nA. District Wellness Council: 33" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 2, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 2 of 102 \n \n \n \nB. School-based Wellness Councils: 34 \nC. Implementation Guidelines for Monitoring and Evaluation 38 \nIII. DEFINITIONS 86 \nIV. INDEX OF FEDERAL, STATE, AND BOSTON PUBLIC SCHOOL \nWELLNESS-RELATED \nPOLICIES & GUIDELINES 91 \n \n \nBACKGROUND \n \nUnderstanding that physical and mental health, emotional well-\nbeing, and positive development are inextricably linked with \nacademic success, Boston Public Schools (BPS or the District) has \nworked to transform the District\u2019s capacity to meet the health \nneeds of Boston children. Improving overall student health is a \nkey factor in reaching the ambitious academic targets set forth in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 3, + "content": "the Superintendent\u2019s Strategic Implementation Plan. Beyond the \nacademic imperative however, school, civic and community \nleaders have a responsibility to help Boston\u2019s children overcome \nhealth barriers that may prevent them from successfully meeting \nthe challenges of reaching adulthood and assuming their roles as \nthe eventual leaders and stewards of our community. Our vision \nfor the BPS graduate challenges us to develop young people who \nare more than scholars. It calls for graduates who are healthy in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 3 of 102 \n \n \n \nboth mind and body, prepared to make wise choices to ensure \ntheir own physical, mental, and emotional well-being. \n \nTo create a healthy school environment where the healthy choice \nis the easy choice, we have developed this policy regarding \nwellness initiatives in Boston Public Schools. This policy took \neffect September 1, 2017. \n \nFirst passed on June 30, 2006, the District Wellness Policy was \nimplemented in September 2006. It was updated in June 2013, \nand again in June 2017 taking into consideration the needs and \nperspectives expressed by members of the Boston School" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 5, + "content": "community, and responding to both the Healthy, Hunger-Free \nKids Act1 and Massachusetts Standards for School Wellness \nAdvisory Committees.2 This document is intended to assist \nadministrators and Wellness Council members in implementing \nthese guidelines in their schools. \n \nThis District Wellness Policy reflects the comprehensive \napproach stated in the District\u2019s Strategic Plan for Health and \nWellness, Healthy Connections: Strengthening Coordination and \n \n1 P.L. 111\u2013296\u2014DEC. 13, 2010 \n2 105 CMR 215" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 4 of 102 \n \n \n \nCapacity in the Boston Public Schools to Advance Student \nHealth and Wellness and brings together content areas \nrecommended in the Centers for Disease Control and \nPrevention\u2019s Whole School Whole Community Whole Child \nApproach. A subcommittee of the District Wellness Council \nformed into seven work groups, representing these topic areas: \n1. Cultural Proficiency \n2. School Food and Nutrition Promotion \n3. Comprehensive Physical Activity \n4. Comprehensive Health Education \n5. Healthy School Environment \n6. Health Services \n7. Safe and Supportive Schools \n8. Staff Wellness \n \nThese work groups consulted the perspectives of the Boston" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 7, + "content": "School community as well as evidence-based national \nrecommendations and wrote specific policy language and \nimplementation guidelines that reference other relevant District \npolicies and further develop policy language regarding wellness \nfor all students. This comprehensive approach seeks to advance \nBoston Public Schools\u2019 strategic aims to: improve coordination \nacross programs and departments; improve and integrate data" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 5 of 102 \n \n \n \ncollection; establish guidelines for accountability appropriate to \nthe group\u2019s location within the organization; support building \nnoncompeting partnerships internally and externally; and build \nsustainability. \n \nI. POLICY \n \nThe Boston Public Schools (BPS or the District) aims to actively \npromote the social, emotional and physical health and wellness \nof all students to advance both their healthy development and \nreadiness to learn. Student and staff wellness is a core value of \nthe District and a key strategy to address health inequities and to \nclose opportunity and achievement gaps that impact BPS" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 9, + "content": "students. Thus, BPS strives to be one of the healthiest school \ndistricts in the country. BPS will ensure that the healthy choice is \nthe easy choice and that students learn the skills and knowledge \nneeded to make those choices. BPS is committed to \nimplementing a Whole School Whole Community Whole Child \n(WSCC) approach to wellness, as recommended by the Centers \nfor Disease Control and Prevention (CDC) and ASCD (Association \nof Supervisors and Curriculum Development). As a part of this \napproach, BPS will meet the health and wellness needs of all \nstudents through prevention, intervention and intensive \nresponse. As a result, all BPS students will be challenged," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 10, + "content": "supported, engaged, safe and healthy." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 6 of 102 \n \n \n \nThe District Wellness Policy is intended to link new and existing \nwellness-related policies and convey a framework for creating \nsafe, healthy and welcoming school environments. BPS shall take \na comprehensive approach to reviewing and incorporating \nchanges in policy, curriculum, and operating procedures to \npromote healthy lifestyles and sustainable wellness practices for \nall students and staff. The work of implementing this policy relies \non the work and collaboration of instructional, operational, \nclinical \nand administrative staff at schools and central office \ndepartments. BPS shall develop the capacity of schools to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 12, + "content": "implement the policy and improve the quality and equity of \nprograms, services, and supports. This policy is inclusive of all \nstudents, staff, and families. \n \nA. WELLNESS COUNCILS \n \n1.) District Wellness Council \nThe BPS shall maintain a superintendent-appointed District \nWellness Council. This advisory group will develop, recommend, \nreview and advise on implementation of school District policies \nthat address student and staff wellness. The District Wellness \nPolicy shall be reviewed once yearly by the District Wellness \nCouncil and considered for updates based on other model school \nwellness policies and best practices, annual report findings and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 13, + "content": "recommendations, input from schools and the community," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 7 of 102 \n \n \n \nresearch evidence, and regulations. The District Wellness Council \nshall seek ongoing feedback from BPS community stakeholders. \nAdditionally, the District Wellness Council will develop an annual \nWellness Action Plan with goals and SMART objectives for the \ncoming school year. \n \nThis council shall include at a minimum representatives from: \nfamilies, students, school and District instructional and \noperational administrators, relevant central department heads, \nschool food and nutrition services staff, physical education and \nhealth education teachers, school nurses and other school health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 15, + "content": "professionals (e.g. psychologists, guidance counselors, social \nworkers) a school committee member, community youth serving \nagencies, Boston Public Health Commission representatives, \nhealthcare providers and the general public. Appointees to the \nmaximum extent possible shall reflect the cultural, linguistic, and \nethnic composition of BPS schools. General membership and \nattendance at the District Wellness Council is open to all \nstakeholders and the general public. The District Wellness \nCouncil will implement a plan for involving and engaging all of \nthese stakeholders. \n \n2.) School-based Wellness Councils \nAll BPS schools shall establish and maintain a school-based" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 16, + "content": "wellness council. School-based wellness councils shall act as a \nshared leadership team to implement wellness-related District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 8 of 102 \n \n \n \npolicies. Councils must assess their school\u2019s implementation of \nthe Wellness Policy and create and implement an annual \nWellness Action Plan as a part of the Quality School Plan. \nPrincipals shall name a wellness council chair(s) to coordinate the \nwellness council and act as a liaison to the District, community, \nand families. Wellness council chairs will attend District training. \nThe council shall include at a minimum a school administrator, \nfamily representatives, students (where feasible), representatives \nof a wide range of school health and health-related disciplines, \nincluding school nurses, school food service staff, health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 18, + "content": "education and physical education teachers and other school \nhealth professionals, such as psychologists, guidance counselors, \nand social workers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible shall \nreflect the cultural, linguistic and ethnic composition of the \nschool community. \n \n3.) Stakeholder Participation in Councils / Informing and \nUpdating the Public \nThe District will develop a district-level communication strategy \nand communication guidance for schools to increase awareness \nof the policy and its importance for creating a safe, healthy, and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 19, + "content": "welcoming school. a. The following are responsibilities for \ninforming stakeholders about policy: \n1. BPS will post the District Wellness Policy on the BPS \nwebsite." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 9 of 102 \n \n \n \n2. Schools must share a link to the District Wellness Policy on \ntheir school\u2019s website and send a message to families \nnotifying them of how they may obtain a copy or otherwise \naccess the policy. \n3. School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy requirements. \n4. BPS and schools shall notify families and the public about \nthe content of the District Wellness Policy and any updates \nto the policy on an annual basis. \n5. BPS will ensure that the District Wellness Policy and any" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 21, + "content": "public announcement related to the policy are available in \nthe languages that represent the school community. \n \nb. The following are responsibilities for informing stakeholders \nabout the District Wellness Council and school-based councils: \n1. BPS will make available to the public and school \ncommunity, on the BPS website and through other regular \nchannels of communication that BPS utilizes, a list of names \nand position titles (or relationship to the school) of \nindividuals who are a part of the District Wellness Council, \nincluding the name, position title, and school- based contact \ninformation of the council leadership and subcommittee co-\nchairs." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 22, + "content": "chairs. \n2. BPS will post the District Wellness Action Plan on the BPS" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 10 of 102 \n \n \n \nwebsite to share District goals and objectives for the school \nyear. \n3. Schools must make available to the public and school \ncommunity on their website a list of names and position \ntitles (or relationship to the school) of individuals who are a \npart of their school-based wellness councils and include the \nname, position title, and school-based contact information \nof the council chairs(s). \n4. Schools must post their Wellness Action Plans on their \nschool\u2019s website to share local school goals and activities to \nimplement the policy. \n5. BPS shall make available to the public and the schools the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 24, + "content": "results of the annual assessment, which is detailed in the \nnext section, and actively notify families of the availability of \nthe assessment results. \n \nc. The following are responsibilities for engaging stakeholders: \n1. The District Wellness Council and school-based councils will \nencourage diverse membership on councils and \nsubcommittees, attendance at meetings, and participation \nof all BPS stakeholders through public comment and \nfeedback. \n2. BPS will share information on the District website about \nhow the public can get involved with the District and \nschool-based wellness councils." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 11 of 102 \n \n \n \n3. Schools must share information on their school\u2019s website \nabout how the public can get involved with the school \nwellness councils. \n4. BPS will develop methods to educate students about \nwellness policies and ways they can be involved in the \nwellness councils when developmentally appropriate. \n \n4.) Monitoring, Assessment and Reporting \nBPS shall develop and implement an evaluation plan designed to \nmeasure school-level implementation and student level" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 26, + "content": "outcomes of all policy components of the District Wellness Policy. \nWhere possible the metrics will align with other District \nindicators and be measurable using existing evaluation tools and \nsystems and be sustainable over time. This plan will be made \navailable to the public as a part of the District Wellness Policy \ncircular. \n \nBPS shall annually assess compliance with the District Wellness \nPolicy, alternating between qualitative and quantitative annual \nassessments. The annual assessment will measure the extent to \nwhich schools are in compliance with the BPS policy and the \nprogress made in attaining the goals of the previous year\u2019s" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 27, + "content": "Wellness Action Plan. The District Wellness Council will write an \nannual report that will include: the results of assessment, the \nextent to which the Boston Public School District Wellness Policy \ncompares to model local school wellness policies, a summary of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 12 of 102 \n \n \n \nthe District activities and accomplishments related to wellness \npolicy implementation of the previous year, and goals and \nobjectives for the upcoming year. This annual report shall be \npresented to the superintendent, the School Committee and the \nMassachusetts Department of Education. The District will \ndevelop a strategy for reporting on compliance of each school. \n \nBPS shall maintain records to document compliance with \nWellness Policy including: the written District Wellness Policy; \ndocumentation demonstrating compliance with community \ninvolvement requirements; documentation of the annual" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 29, + "content": "assessment of the District Wellness Policy; and documentation to \ndemonstrate compliance with the annual public notification \nrequirements. \n \n5.) Wellness Policy Leadership \nSchool principals are responsible for ensuring their school \ncomplies with the Wellness Policy. At the District level, the \nexecutive director of the Office of Health and Wellness is \nresponsible for overseeing monitoring, reporting, and \ncommunication of the BPS Wellness Policy. The following District \ndepartments are responsible for supporting implementation and \nmonitoring of specific components of the policy: \na. Behavioral Health Services \nb. Facilities & Capital Management" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 13 of 102 \n \n \n \nc. Food and Nutrition Services \nd. Health and Wellness \ne. Health Services \nf. Office of Engagement \ng. Office of Equity \nh. Office of Opportunity Gaps \ni. Safe and Welcoming Schools \nj. Transportation \n \nThe compiled department information will be reported to \ninstructional superintendents and operational superintendents \nwho are granted the authority and responsibility by the \nsuperintendent to ensure each school complies with the policy. \nBPS will provide a means of contacting the District or school \nofficial(s) responsible for oversight by designating District or \nschool-based phone(s) number and/or email address for this" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 31, + "content": "purpose. \n \nB. CULTURAL PROFICIENCY \n \nThe Boston Public Schools is committed to creating a culturally" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 14 of 102 \n \n \n \nproficient District that embraces at its fundamental core the \nculturally sustaining and affirming beliefs and practices that \nhonor differences while mitigating the effects of concentrated \npoverty and institutional racism in the effort to eliminate gaps \nand promote health and wellness for all. The District is \ncommitted to providing authentic learning opportunities for \nevery child in every classroom in every school to ensure they \ndevelop into healthy, engaged, self-determined, and \nindependent learners that are college and career ready. The \nDistrict recognizes that Culturally and Linguistically Sustaining" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 33, + "content": "Practices (CLSP) helps to create a safe, healthy and welcoming \nenvironment that supports all students\u2019 social, emotional, \nphysical and academic learning as well as their health and \nwellness. Cultural Proficiency is an approach that raises \nawareness of individual and institutional culture and bias, \nencourages cultural learning and relationship building, and \nimplements CLSP, to respect, celebrate and build on cultural \nstrengths and diversity. Cultural diversity includes but is not \nlimited to group and/or individual identities based on race, \nethnicity, nationality, immigration status, religion, language, \ngender, sexual orientation, gender identity, ability, social class," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 34, + "content": "and home life or family structure. Cultural Proficiency should be \nintegrated into the implementation of other areas of the District \nWellness Policy and is called out here to establish specific actions \nto be taken by the District and the schools. \n \nThe District will support the development of staff and \nadministrators\u2019 competencies to build cultural proficiency in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 15 of 102 \n \n \n \nschools, classrooms and central office departments. Schools shall \ncollectively assess their organizational structure, policies and \nschool-wide practices for bias(es) as well as examine their \nphysical environment, classroom curricula, instructional materials \nand wellness promotions. Schools will use this assessment to \ninform their annual Wellness Action Plan. The District and the \nschools shall include student, family and community \nparticipation in decision-making bodies and create structures for \nfeedback from students, families and communities and increased \nengagement of all families in wellness-related policies and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 36, + "content": "committees. This includes recognizing specific barriers faced by \nfamilies of ELL students and ELL students with disabilities by \ntargeting outreach to these groups and using the Translation and \nInterpretation Unit to translate family-focused communications \nand to provide interpretation as requested during meetings. \n \nSchools will follow other cultural proficiency-related policies, \nincluding those regarding race, ethnicity, immigration status, \nreligion, language, gender, sexual orientation, gender identity, \nand disabilities and policies that promote family and student \nengagement. The work of creating a culturally proficient District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 37, + "content": "requires the participation of departments and staff across the \nDistrict and requires engagement in interdepartmental \ncollaboration." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 16 of 102 \n \n \n \nC. SCHOOL FOOD AND NUTRITION PROMOTION \n \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthful foods and sugary drinks, and \nmaking water available to students throughout the day are some \nof the ways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 39, + "content": "cafeteria meets high nutritional standards. \n \nBoston Public Schools believes the cafeteria is an essential \nsetting to educate and promote healthy eating habits. Boston \nPublic Schools is committed to serving students nutritious and \ndelicious food that is less processed, more locally sourced, and \nculturally responsive to reflect the diverse student population. As \nan effective way to improve the nutritional quality of both foods \nserved in schools and consumed by students, BPS will create and \nimplement School Meals Nutrition Standards, going beyond \nfederal requirements. BPS shall undertake a constant review of \nschool food and the food environment to ensure safety, quality," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 40, + "content": "menu equity, and innovation. Boston Public Schools shall be an \ninnovator with school food, serving foods that are new and \nexciting for the students. We believe that students deserve meals \nreflective of their culture and tastes. We believe eating well is not" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 17 of 102 \n \n \n \na privilege; it is a right. Therefore, BPS is committed to ensuring \nall students are food secure. \n \nKey requirements of creating a healthy school food environment \nare: \n \n1.) School Meals Program \na. Ensure all menus meet USDA-mandated requirements, as \nwell as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow Bronze \nstatus standards for the Alliance for a Healthier Generation, \nand work toward Bronze status standards for the Healthier \nUS School Challenge. \nb. Ensure all menus offer variety and are well presented in an" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 42, + "content": "appealing way, and meals and menu items are labeled to \ncommunicate deliciousness, as well as specific ingredients. \nc. Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing children \nwho participate. \nd. Provide foods that are free of unwanted ingredients \nincluding, trans fats, high fructose corn syrup, artificial \ncolors, artificial sweeteners, additives (azodicarbonamide, \nbromated flour), and artificial preservatives (nitrates, nitrites," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 18 of 102 \n \n \n \nsulfates, sulfites, MSG, BHA, BHT, TBHQ). Menus follow the \nBPS Menu and Ingredient Guidelines. The guidelines are \nupdated annually. \ne. Reduce material used for packaging, sourcing recyclable or \ncompostable materials when possible and working to \npromote best practices around recycling and composting. \nf. Water must be available at no cost during mealtimes \nwherever meals are served. \n \n2.) Food Safety \na. Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department). \nb. Implement a stringent and detailed internal Hazard Analysis" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 44, + "content": "and Control Points (HACCP) plan that provides regulations \nin following safety procedures for food recalls, emergency \npreparedness to avoid foodborne illnesses, and the spread \nof infectious diseases. \nc. Ensure all employees who work 5+ hours are certified in \nfood safety. \nd. Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 19 of 102 \n \n \n \n3.) Nutrition Education, Promotion and Food & Beverage \nMarketing \na. Promote health and nutrition messages that encourage the \nconsumption of fruits and vegetables, whole grains, healthy \nfats, low-fat dairy products, and water and other messages \nconsistent with research-based findings that indicate a \npositive impact on health. \nb. Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \nc. Identify opportunities to support teachers, school staff, and \nparents around modeling healthy eating habits and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 46, + "content": "following appropriate nutritional standards at school \ncelebrations and staff meetings. \nd. Allow only food and beverage marketing on school grounds, \nincluding items shared with students, that promote foods \nand/or beverages that meet the BPS nutritional standards. \n \n4.) Competitive Food & Beverages \na. All schools shall follow federal, state, and local laws and \nregulations for competitive foods and beverages (i.e. foods \nsold, provided, or served within school buildings or on \nschool grounds outside of the school meals program) as \noutlined in this circular." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 20 of 102 \n \n \n \nb. Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines \nduring the school day. \nc. The Food and Nutrition Services Department is solely \nresponsible for food and beverages sold to children during \nthe school day; consequently, the sale of food and beverages \nby others is expressly forbidden. \nd. Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations. \ne. Prohibit the use of food and beverage as a reward or means \nof discipline. \n \nAll Boston Public Schools shall follow Food and Nutrition Services \npolicies and circulars." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 48, + "content": "policies and circulars. \n \nD. COMPREHENSIVE PHYSICAL ACTIVITY AND PHYSICAL \nEDUCATION \n \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students\u2019 physical activity and \nfitness by bringing more physical education and physical activity \nto schools; improving the quality of physical education and \nrecess; and increasing the equity of physical activity programs \nand resources across our schools. Activities will be inclusive to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 21 of 102 \n \n \n \nmeet the needs, interests, abilities and cultural diversity of all \nstudents, including students of all gender identities, students \nwith disabilities, and students with special healthcare needs. \n \nNumerous studies indicate that regularly engaging in moderate-\nto-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children\u2019s cognitive function, \nability to concentrate in class, and academic performance. Thus," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 50, + "content": "as a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \n \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 51, + "content": "physically active lifestyle. Additionally, by establishing a safe, \nsupportive and engaging school environment, athletic programs \nencourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 52, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 22 of 102 \n \n \n \nschool. In this way, athletics contributes to the academic success \nof students. \n \nIn accordance with state law, all schools must provide all \nstudents in all grades with opportunities for physical activity. \nSchools must offer at least 150 minutes of in-school physical \nactivity weekly in grades PreK-8, including required physical \neducation, movement breaks, recess, or lessons involving \nmovement structured to support moderate-to-vigorous physical \nactivity (MVPA). In grades PreK-8, students are expected to have \nat least 20 minutes of daily recess. \n \nTeachers and other school and community personnel shall not" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 53, + "content": "use physical activity (e.g., running laps, pushups) as punishment \nnor withhold opportunities for physical activity during the school \nday (including but not limited to recess, classroom physical \nactivity breaks, or physical education) as punishment for any \nreason other than illness or safety or as approved by the school \nleader. This includes denying a student physical activity time in \norder to make up work unless under unusual circumstances. The \ndistrict will provide teachers and other school staff with a list of \nideas for alternative ways to discipline students. \n \nAll schools must offer standards-based physical education (PE)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 54, + "content": "for all students in all grades. Schools are required to offer at least \n45 minutes of weekly PE in grades PreK-8 and at least one" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 55, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 23 of 102 \n \n \n \nsemester (equivalent of a half school year) of PE each year in \ngrades 9-12. We recommend that schools provide at least 80 \nminutes of weekly PE in grades PreK-8. In order to help schools \nwork toward this recommendation, Boston Public Schools will \ndevelop an implementation plan with input from current \nprincipals and headmasters. This implementation plan will be \nshared with the School Committee. \n \nTeachers and other school and community personnel shall not \nuse physical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 56, + "content": "(including but not limited to recess, classroom physical activity \nbreaks or physical education) as punishment for any reason; or \ndeny a student physical activity time in order to make up work \nunless under unusual circumstances. \n \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array \nof physical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day, \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 57, + "content": "school programs, intramurals and interscholastic sports, and in \ntheir school commute." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 58, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 24 of 102 \n \n \n \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and \neasier trip to and from school when students and staff are \nwalking, bicycling, using public transit or other means of \nphysically active transport. The District will encourage 7-12th \ngrade students to use public transportation when available and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 59, + "content": "appropriate for travel to school, and will work with the local \ntransit agency to provide transit passes for eligible 7-12th grade \nstudents. The District will provide resources to schools, students \nand families regarding walking, riding a bicycle, using public \ntransit or other forms of active transportation. The District will \nencourage wellness councils, school administrators and students, \nstaff, families and community partners to assist the District in \npromoting safe, physically active travel to and from school. \nSchools are encouraged to designate a transportation liaison to \nfacilitate communication regarding District efforts to promote" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 60, + "content": "safe, physically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 61, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 25 of 102 \n \n \n \nE. COMPREHENSIVE HEALTH EDUCATION \n \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public \nSchools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, and substance misuse and harm \nreducation, nutritional health, mental and emotional health," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 62, + "content": "personal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health \neducation curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth Curriculum Framework and National Health Education \nStandards, as well as the National Sexuality Education Standards." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 63, + "content": "Qualified and trained teachers will implement the curricula. \n \nAll schools will follow relevant promotion and graduation" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 64, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 26 of 102 \n \n \n \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course \nrequirements, health education topics will be integrated into \nother subject areas where possible, so as to reinforce their \nimportance, provide additional skill practice, and demonstrate \nthe connections of health concepts to many other content areas." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 65, + "content": "F. HEALTHY SCHOOL ENVIRONMENT \n \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact productivity, health, and wellness of all students" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 66, + "content": "and staff. To address environmental risk factors for chronic and \ninfectious disease, each school will receive an Annual \nEnvironmental Audit to evaluate health and safety conditions \nsuch as leaks, mold, pests, chemical storage and cleanliness. The" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 67, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 27 of 102 \n \n \n \nDistrict shall maintain a Healthy Schools Taskforce (HST) to \npromote and raise awareness of the health of the built \nenvironment and ensure continuous improvement of BPS \nhealthy school environment policies and programs. \n \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, shall comply with \nexisting federal and state regulations, city ordinances and District \npolicies related to promoting and managing healthy school \nenvironments, including but not limited to: \n\u25cb Green Cleaners \n\u25cb Integrated Pest Management \n\u25cb Trash and Recycling \n\u25cb Infection Prevention & Control" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 68, + "content": "\u25cb Infection Prevention & Control \n\u25cb Tobacco Free Environmental Policy \n\u25cb Environmental Inspection/Audit \n\u25cb Student Safety/Health in School Shops \n\u25cb BPS Water Policy \n\u25cb Laboratories and Chemical Inventory \u201cRight to Know\u201d Law \n\u25cb Idling of buses and other motor vehicles on school property" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 69, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 28 of 102 \n \n \n \nSchools shall regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \n \nG. SAFE AND SUPPORTIVE SCHOOLS \n \nThe Boston Public Schools shall create a safe and supportive \nschool environment for all students that is culturally proficient, \nengaging, and inclusive and one that provides skills-based \neducation to promote healthy relationships and development \nand provides access to support services. Prevention, promotion \nand intervention-based work will address and integrate social" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 70, + "content": "emotional health and behavioral health. BPS will continue to \nfoster a variety of integrated community partnerships to \nmaximize support to students, families and schools. Partnerships \nin this area include allied city and state agencies, universities, \nhospitals and other community-based organizations. Schools will \nbetter meet the needs of students by creating safe and inclusive \nclimates that are responsive to all forms of bullying and violence, \nincluding bias-based conduct, suicide, intimate partner violence, \nand sexual harassment and assault, and using screening and \npromotion efforts, including mental health and substance use" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 71, + "content": "screening. Special attention will be given to vulnerable student \npopulations, including but not limited to LGBTQ students, \nrefugee, asylee, documented and undocumented immigrant \nstudents, ELL students and ELL students with disabilities," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 72, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 29 of 102 \n \n \n \nexpectant and parenting students, court-involved students, \nstudents experiencing homelessness, and students experiencing \ntrauma. These efforts will create a safe and supportive learning \nenvironment that optimizes academic outcomes for all students. \nImplementation of these efforts requires school psychologists, \nsocial workers, guidance counselors, school nurses, community \npartners and trained classroom teachers working together on an \neffective student support team. Boston Public Schools shall \ndevelop and implement a plan for K-12 SEL standards. \n \nBoston Public Schools shall put in place systems that align to the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 73, + "content": "district-accepted Multi-tiered System of Supports (MTSS) \nframework to ensure that all students have access to key \nresources and services in a safe and supportive environment. \nSchools shall adopt a MTSS Framework to support the \ndevelopment of a continuum of behavioral health supports and \ninterventions falling across three tiers: Tier 1: Prevention and \npromotion, Tier 2: At-risk interventions and services and Tier 3: \nIntensive interventions and services. Embedded into MTSS is the \nuse of positive behavioral interventions and supports and social \nemotional learning instruction designed to create safe and \nsupportive school climates and build the skills of staff and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 74, + "content": "students. The Comprehensive Behavioral Health Model (CBHM) \nis an example of an evidence-based MTSS-Behavioral framework \ndesigned to meet the behavioral health needs of students and \nincludes evidence-based practices interventions and data to \ndetermine effectiveness. CBHM is used in many BPS schools and \nwill be made available to all schools. CBHM has been proven to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 75, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 30 of 102 \n \n \n \npromote positive behavioral health and reduce barriers to \nlearning for students in participating schools. MTSS framework, \nincluding CBHM, incorporates the following key elements: \n\u25cb Assessment including universal behavioral health screening \n\u25cb Instruction including social emotional learning curriculum \nand delivery of services \n\u25cb Data based decision making \n\u25cb Building staff leadership and capacity \n\u25cb Effective District and school structures and procedures (e.g. \nstudent support teams) \n \nIn addition, schools shall follow all BPS policies that address \nspecific areas of school safety and climate including the Code of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 76, + "content": "Conduct and other related policies such as those related to crisis \nmanagement, expectant and parenting students, sexual \nharassment, discrimination, and assault. \n \nH. HEALTH SERVICES \n \nThe Boston Public School Health Services support students to be \nhealthy, engaged, safe, and academically challenged by \nproviding high quality, cost-effective in-school health care. BPS \nnurses are responsible for evaluating and managing the health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 77, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 31 of 102 \n \n \n \nneeds of all students. That includes the following: \n\u25cb Case management students with special health needs, \nincluding chronic or acute illnesses \n\u25cb Monitoring and administering medications and medical \nprocedures as prescribed by a student\u2019s primary care \nprovider or medical specialist \n\u25cb Providing first aid and emergency care \n\u25cb Screening students for height, weight, Body Mass Index, \nvision, hearing, scoliosis, substance use (screening, brief \nintervention and referral to treatment) \n\u25cb Managing student medical records and immunization \nrecords \n\u25cb Managing the control of communicable diseases" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 78, + "content": "\u25cb Managing the control of communicable diseases \n\u25cb Coordinating medical transportation for students \n\u25cb Coordinating special dietary accommodations for students \nwith food allergies \n\u25cb Working with other school-based groups to provide safe \nand healthy environments \n \nIn addition, school nurses engage in one-on-one education, small \ngroup health counseling, wellness promotion, and preventive \nservices as part of the provision of care coordination services. BPS \nschool nurses ensure access and/or referrals to the medical home" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 79, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 32 of 102 \n \n \n \nor private health care provider. Where lawful, Boston Public \nSchools encourages positive communication and involvement \nwith family regarding health services. Health Services actively \ncollaborates with school and community support services to \nincrease the ability of students and families to adapt to health \nand social stressors, such as chronic health conditions, adverse \nchildhood experiences (ACE) and other social, emotional and \neconomic determinants of health. BPS Health Services is \ncommitted to building partnerships with city agencies, medical \nproviders, and community partners to leverage additional" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 80, + "content": "resources and health services. \n \nUnder Massachusetts Adolescent Confidentiality laws, adolescent \nstudents may receive confidential services for diagnosis, \ntreatment and/or referral for drug addiction, family planning \nservices, sexually transmitted diseases, and mental health. In \naccordance with the BPS Condom Accessibility Circular, BPS \nHigh Schools shall provide access to condoms, with appropriate \nreproductive health counseling for students. Each high school \nwill have a Condom Accessibility Team (CAT) which will consist of \na minimum of at least three school staff members. Condoms will \nbe made available through the CAT at each school. Condoms will" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 81, + "content": "also be accessible from community health service partners and \nthe Boston Public Health Commission (BPHC). Parents and legal \nguardians may exempt their children from receiving condoms by \nnotifying the school when they complete the family information \nforms at the beginning of the school year. This exemption to not \nreceive condoms does not apply to other confidential health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 82, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 33 of 102 \n \n \n \nservices. \n \nI. STAFF WELLNESS \n \nThe Boston Public Schools cares about the well-being of staff \nmembers and understands the influence that staff actions have \non all student health behaviors. All staff shall promote a school \nenvironment supportive of healthy behaviors. Adults are \nencouraged to model healthy behaviors, especially on school \nproperty and at school-sponsored meetings and events. Schools \nare encouraged to support staff wellness initiatives. \n \n \nII. IMPLEMENTATION GUIDELINES \n \nThe following guidelines will ensure the implementation of the \nBoston Public Schools Wellness Policy: \n \nA. DISTRICT WELLNESS COUNCIL:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 83, + "content": "A. DISTRICT WELLNESS COUNCIL: \n \nThe superintendent will appoint members to serve on the District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 84, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 34 of 102 \n \n \n \nWellness Council. The council will: \n \na. Follow bylaws that are aligned with Massachusetts \nStandards for School Wellness Advisory Committees.3 \nb. Annually review, and if needed recommend, District-wide \npolicies to promote student wellness \nc. Annually set Council goals and objectives \nd. Annually report progress on Council goals, objectives, \npolicies, and monitoring & evaluation of Wellness Policy \nimplementation \n \nB. SCHOOL-BASED WELLNESS COUNCILS: \n \nSchools will establish and maintain a school-based wellness \ncouncil. Principals shall name a wellness council chair(s) to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 85, + "content": "coordinate the wellness council and act as a liaison to the District, \ncommunity, and families. Wellness council chairs will attend \nDistrict training. School-based Wellness Councils on an annual \nbasis shall: \n \n3 M.G.L. 105 CMR 215" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 86, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 35 of 102 \n \n \n \n \na. Convene at least 4 times per school year. \nb. The council shall include at a minimum a school \nadministrator, family representatives, students (where \nfeasible), representatives of a wide range of school health \nand health-related disciplines, including school nurses, \nschool food service staff, health education and physical \neducation teachers and other school health professionals, \nsuch as psychologists, guidance counselors, and social \nworkers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 87, + "content": "shall reflect the cultural, linguistic and ethnic composition of \nthe school community \nc. Implement District-level policies related to wellness. School \nWellness Councils will annually review District policies \nrelated to wellness. If applicable, the school wellness council \nwill apply strategies to implement these policies. See the \nIndex of Federal, State, and Boston Public School wellness-\nrelated Policies & Guidelines section on page 17. \nd. Assess the school\u2019s wellness status. Schools will use the \nfollowing surveys and audits to assess the wellness status of \nschool: \n\u25cb Healthy Schools Program Inventory, Alliance for a \nHealthier Generation. \n\u25cb Environmental Health Inspection Audit" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 88, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 36 of 102 \n \n \n \n\u25cb School Health Profiles, Centers for Disease Control and \nPrevention \n\u25cb District data, such as the Youth Risk Behavior Survey \n\u25cb Other District priorities \nThe Health and Wellness Department will determine on an \nannual basis the exact timeline and process for completing \nthese assessments. \ne. Create and Implement a Wellness Action Plan. Schools will \ncomplete a BPS Wellness Action Plan template and include \na link to their plan in the Wellness section of their Quality \nSchool Plan (QSP) by Fall due date. The Wellness Council \ncoordinator(s) name and contact information should also be" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 89, + "content": "included on the QSP. Principals are ultimately responsible \nfor the implementation of the Wellness Action Plan. The \nHealth and Wellness Department, in collaboration with the \ninstructional and operational superintendents will \ndetermine on an annual basis the exact timeline and \nprocess. The school will complete this Plan as a Quality \nSchool Plan, or other academic improvement plans. \nWellness Action Plans must include goals and school-based \nactivities designed to promote student wellness based on \nthe results of the school\u2019s Healthy Schools Program \nInventory, Environmental Health Inspection/Audit, annual \nDistrict priorities, and other appropriate assessment tools. A" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 90, + "content": "Roster of each school\u2019s Wellness Council will be submitted \nas a part of the Wellness Action Plan template. Instructions \nand a template for the Wellness Action Plan can be found" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 91, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 37 of 102 \n \n \n \nonline at: http://www.bostonpublicschools.org/hwd \nf. Engaging stakeholders: \n\u25cb Schools must make available to the public and school \ncommunity on their website a list of names and \nposition titles (or relationship to the school) of \nindividuals who are a part of their school-based \nwellness councils and include the name, position title, \nand school-based contact information of the council \nchairs(s). \n\u25cb Schools must share information on their school\u2019s \nwebsite about how the public can get involved with \nthe school wellness councils. \n\u25cb Schools must post their Wellness Action Plans on their" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 92, + "content": "school\u2019s website to share local school goals and \nactivities to implement the policy. \n\u25cb Schools must share a link to the District Wellness \nPolicy on their school\u2019s website and send a message to \nfamilies notifying them of how they may obtain a copy \nor otherwise access the policy. \n\u25cb School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy \nrequirements." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 93, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 38 of 102 \n \n \n \nAssociated Boston Public Schools District departments will \nprovide professional development, toolkits, resources, and \ntechnical assistance to support the implementation of District-\nlevel policies related to wellness. Schools will be able to access \nprofessional development using the District-supported My \nLearning Plan. Wellness related trainings will be culturally \nproficient by addressing race, ethnicity, and nationality; sexual \norientation and gender identity; special needs; language and \ndialect; and practical skills in mediating intercultural conflict." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 94, + "content": "C. IMPLEMENTATION GUIDELINES FOR MONITORING AND \nEVALUATION \n \nThe Boston Public Schools Health and Wellness Department, in \ncollaboration with appropriate District Departments, will be \ndesignated to ensure that each school, including out of school \ntime programs, complies with this policy. Other wellness-related \npolicies will be monitored, evaluated, and supported by the \nDistrict departments that currently oversee these policies. The \nDistrict will collect additional data than listed in this section to \nmonitor compliance." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 95, + "content": "monitor compliance. \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District \ndepartments will facilitate school-based surveys and audits \nmeasuring changes in school environments over time. Such" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 96, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 39 of 102 \n \n \n \nsurveys include: \na. Healthy Schools Program Assessment, Alliance for a \nHealthier Generation. \nb. School Health Profiles, Centers for Disease Control and \nPrevention \n\u25cb Principal Survey (all school levels) \n\u25cb Lead Health Ed. Teacher Survey (schools with grades 6-\n12) \n\u25cb Lead Phys. Ed. Teacher Survey (all school levels) \nc. District staffing reports from the Office of Human Capital \nd. Essential School Health Services Monthly Activities Report \ne. School Environmental Audit \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 97, + "content": "departments will facilitate anonymous student surveys \nmeasuring changes in student outcomes over time. Where \npossible, data must be reported by vulnerable subgroups (e.g. \nrace/ethnicity, gender, sexual identity) Such surveys include, but \nare not limited to: \na. Youth Risk Behavior Survey (YRBS): \n\u25cb Middle School YRBS (conducted biennially in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 98, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 40 of 102 \n \n \n \nrandomized sample of schools serving students in \ngrades 6-8 during the Fall semester of even numbered \nschool years, i.e., Fall 2013, 2015, 2017, etc.). \n\u25cb High School YRBS (conducted biennially in randomized \nsample of schools serving students in grades 9-12 \nduring the Spring semester of odd numbered school \nyears, i.e., Spring 2015, 2017, 2019, etc.) \nb. School Climate Survey (conducted annually by the Office of \nData & Accountability) \nc. FITNESSGRAM (grades 3-12) \nd. Health Services SNAPNurse system \n \nAs stated above, the annual report shall be presented to the \nDWC, superintendent, the School Committee, and the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 99, + "content": "Massachusetts Department of Education, and shared with BPS \nstakeholders. \n \nDistrict Wellness Policy Monitoring & Evaluation Plan \n \nTable Abbreviations: \nPO = Process Outcome; IMO = Intermediate Outcome; LTO =" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 100, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 41 of 102 \n \n \n \nLong-term Outcomes \nGeneral Policy/Council (GEN) Metrics \nGEN Process Outcomes (PO)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 101, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 42 of 102 \n \n \n \nPO1: DWC and Subcommittee Meetings [DWC Records] \nPO1.1: # of Meetings (DWC & by subcommittee) \nPO1.2: # of attendees \nPO1.3: Action Plan completion (yes/no) \nPO1.4: Review Policy (yes/no) \nPO1.5: Hear Stakeholder Feedback through public comment \n(yes/no) \nPO1.6: Update policy (yes/no/not applicable) \nPO2: Policy Communication/Public Notification (yes/no) \n[DWC Records] \nPO2.1: Policy Translation \nPO2.2: Post to BPS website: Policy, meeting times, action \nplan, membership, contact information \nPO2.3: Policy in Parent Guidebook \nPO2.4: Policy update presentations to School Committee" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 102, + "content": "PO2.5: Policy update presentations to: BSAC, CPC, DELAC, \nSPEDPAC \nPO3: Policy Evaluation [DWC Records/Profiles] \nPO3.1: Evaluation Plan (in place)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 103, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 43 of 102 \n \n \n \nPO3.2: Annual Report (yes/no) \nPO3.2.1: Alternating Qualitative & Quantitative Reports \nPO3.2.2: Post to website \nPO3.2.3: Share with Superintendent, School Committee, \nDESE \nPO3.2.4: Sent to parent councils \nPO3.3: Biennial School Wellness Reports [Profiles] \nPO4: Policy Trainings \nPO4.1: PDs for school wellness council and teachers [HWD \nRecords] \nPO4.2: Training materials for Principals, Superintendents, \nCentral Office Leaders \nPO5: School-based Wellness Councils \nPO5.1: % of schools submitting WAPs [HWD Records] \nGEN Short-term Outcome (STO) 1: Increase awareness and \nknowledge of the District Wellness Policy among BPS" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 104, + "content": "families, District staff, and school leadership and staff \nSTO1.1: % of schools that post WAP, council members, and \ncouncil chair(s) contact information to their website [Profiles \nSY19-20]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 105, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 44 of 102 \n \n \n \nSTO1.2: % of schools that send a communication about the \npolicy home to parents [Profiles] \nSTO1.3: % of schools that communicate policy to school staff \n[Profiles] \nGEN STO 2: Improve diverse stakeholder involvement on the \nDistrict Wellness Council, the DWC subcommittees & \nschool-based wellness councils \nSTO2.1: DWC membership includes representatives from \nfamilies, students, school and District instructional and \noperational administrators, relevant central department \nheads, school food and nutrition services staff, physical \neducation and health education teachers, school nurses and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 106, + "content": "other school health professionals (e.g. psychologists, \nguidance counselors, social workers) a school committee \nmember, community youth serving agencies, Boston Public \nHealth Commission representatives, healthcare providers \nand the general public [DWC Records] \nSTO2.2: # of public comments made during DWC meetings \n[DWC Records] \nSTO2.2: #(%) of school wellness councils with 2 or more \nfamily reps on the wellness council [WAPs] \nSTO2.3: #(%) of school wellness councils with 2 or more \nstudents on the wellness council [WAPs]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 107, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 45 of 102 \n \n \n \nGEN STO 3: Improve policy to align with model school \nwellness policies and best practices, annual report findings \nand recommendations, input from schools and the \ncommunity, research evidence, and government \nregulations. [DWC records] \nSTO3.1: Policy updates by area \nGEN STO 4: Increase the number of schools with quality \nwellness councils [HWD Records] \nSTO4.1: #(%) of schools with wellness councils that meet \nquarterly \nSTO4.2: #(%) of schools with identified wellness council \nchair(s) \nGEN IMO 1: Improve the functionality of the school-based \nwellness councils [WAPs] \nIMO1.1: % of WAPs with SMART Goals" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 108, + "content": "IMO1.1: % of WAPs with SMART Goals \nIMO1.2: % of WAPs goals in each policy area \nIMO1.3: % of wellness council with \nIMO1.3.1: Minimum representation of member roles \nIMO1.3.2: Addition representation of member roles" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 109, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 46 of 102 \n \n \n \nIMO1.4: % of schools with trained wellness council co-chairs \nCultural Proficiency (CP) Metrics \nCP Process Outcomes: \nPO1: # of trainings on Equity policy and practices (e.g. Equity \nProtocol, Welcoming Schools, EQT-4) [Equity Office] \nPO2: # (%) of schools that have staff trained on CLSP \nPO3: # (%) of central office departments that have at least \n70% staff trained on CLSP \nPO4: # (%) of staff by school trained on CLSP \nCP STO 1: Increased # of schools assessing organizational \nstructure, policies, and school-wide practices for cultural \nproficiency \nSTO1.1: # (%) of schools with CLSP goal on their WAP" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 110, + "content": "CP STO 2: Increased # of schools engaging families, \nstudents, and community members in decision-making \n[WAPS]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 111, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 47 of 102 \n \n \n \nSTO2.1: # of family members on school-based wellness \ncouncil \nSTO2.2.: # of students on school-based wellness council \nSTO2.3: # of community orgs on school-based wellness \ncouncil \nSTO2.4: # (%) of schools that engage these groups in \nwellness council \nCP IMO 1: Positive perceived climate around cultural \nproficiency \nIMO1.1: District score on Community Involvement Scale \n[Climate Survey/ODA] \nIMO1.2: District score on Appreciation for Diversity Scale \n[Climate Survey/ODA] \nIMO1.3: District score on Family/School Relationship Scale \n[Climate Survey/ODA] \nIMO1.4: District score on Cultural Responsiveness Scale \n[Climate Survey/ODA]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 112, + "content": "[Climate Survey/ODA] \nIMO1.5: District score on Student/Teacher Relationships Scale \n[Climate Survey/ODA] \nIMO1.6: Parent perception of school climate as safe and \nwelcoming [Climate Survey/ODA]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 113, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 48 of 102 \n \n \n \nIMO1.7: % of middle and high school students that report \nhaving an adult at school that they can talk about issues in \ntheir life [2017 MS & HS YRBS] \nSchool Food & Nutrition Promotion (SFNP) Metrics \nSFNP Process Outcomes (PO) \nPO1: # (%) of schools participating in the School Breakfast \nProgram [FNS Records] \nPO1.1: # (%) of schools using different models of the School \nBreakfast program \nPO2: % (#) of schools participating in School Lunch Program \n[FNS Records] \nPO2.1: % (#) of school using different models of the School \nLunch Program \nPO3: # (%) of schools with cafeteria staff trained on food \nsafety [FNS Records]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 114, + "content": "safety [FNS Records] \nPO4: # (%) of schools with completed kitchen inspection \n[FNS records] \nPO5: # of Healthy Food Environment Wellness Champions \n[HWD records] \nPO6: # (%) of school leaders aware of the competitive sales" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 115, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 49 of 102 \n \n \n \npolicy [HWD Records] \nPO7: # of nutrition education PDs [HWD Records] \nPO8: # of staff trained at nutrition education PDs [HWD \nRecords] \nSFNP STO 1: Increase variety of foods that are local, culturally \ninfluenced, and clean label [FNS Records] \nSTO1.1: % of food items procured by the District that are local \nSTO1.2: % of menu items that are culturally influenced to \nreflect the student population \nCafeteria Schools \nVended Meals \nSFNP STO 2: Increase support of BIC from school \nadministration \nSTO2.1: #(%) of schools implementing BIC [FNS Records] \nSFNP STO 3: Increase awareness of competitive sales policy" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 116, + "content": "STO3.1: #(%) of school leaders that inform their staff of the \ncompetitive sales policy [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 117, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 50 of 102 \n \n \n \nSFNP STO 4: Maintain 100% of schools with cafeteria staff \nwith all required certifications, inspected kitchen, and a \nHazard Analysis and Control Points plan \nSTO4.1: % of schools with cafeteria staff with all required \ncertifications, compliant kitchen, and a Hazard Analysis and \nControl Points plan [FNS Records] \nSFNP STO 5: Increase in schools teaching healthy eating \nhabits in health education, physical education, and other \nsubjects \nSTO5.1: # (%) of schools teaching nutrition education through \nComprehensive Health Education [Profiles] \nSFNP STO 6: Increase in the number of satellite schools able" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 118, + "content": "to provide bulk, freshly prepared, on-site meal service [FNS \nRecords] \nSTO6.1: % of schools receiving vended meals \nSTO6.2: % of satellite schools that are converted to be able to \nprovide bulk, freshly prepared, on-site meal service (In three \nyears, all schools implementing My Way Cafe model) \nSFNP IMO 1: Increased participation in all school meal \nprograms" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 119, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 51 of 102 \n \n \n \nIMO1.1: Number or percent of schools with at least XX% of \nstudents participating in SBP, NSLP, CACFP, and Summer \nMeals Program [FNS Records] \nSFNP IMO 2: Reduced food waste \nIMO2.1: Difference in weight between food served and food \nuneaten (thrown away) [BOSfoodlove] \nSFNP IMO 3: Increase in schools that do not sell, serve or \nprovide food and beverages outside of the school meal plan \nthat do not meet BPS nutritional guidelines [Profiles] \nIMO3.1: #(%) of schools where students cannot purchase \nsnacks, meals or beverages from school vending machines \nor at a school store, fundraisers, canteen, or snack bar during \nlunch" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 120, + "content": "lunch \nIMO3.2: #(%) of schools that sell food and/or beverages from \nschool vending machines or at a school store, fundraisers, \ncanteen, or snack bar that met BPS nutritional guidelines \nSFNP IMO 4: Increase in student practicing healthy eating \nhabits [FNS Records] \nIMO4.1: # of breakfast provided \nIMO4.2: # of milk provided" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 121, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 52 of 102 \n \n \n \nIMO4.3: # of students choosing/served a fruit \nIMO4.4: # of students choosing/served a vegetable \nPhysical Activity & Physical Education (PE/PA) Metrics \nPE/PA Process Outcomes [HWD Records] \nPO1: # of PD opportunities for PE, PA and SRTS \nPO2: # of teachers in attendance at PDs \nPO3: # of IC sessions for PE, PA and SRTS \nPO4: Tools developed for school-based staff (Qual) \nPO5: # of TA sessions \nPO6: # of active PA community partnerships \nPO7: # of PE curricula distributed \nPO8: # of PE equipment distributed \nPO9: # of MS Athletic programs \nPO10: # of HS Athletic programs \nPE/PA STO1: Improve the staffing capacity of schools to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 122, + "content": "provide PE according to Policy \nSTO1.1: #(%) of schools with PE staff FTE to provide PE" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 123, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 53 of 102 \n \n \n \naccording to policy. \nPE/PA STO 2: Increase capacity of school-based staff to \ndeliver high quality PE/PA programs \nSchool day: PE, Recess, Before/After school programming \n(including sports), SRTS [HWD Records] \nSTO2.1: #(%) of schools with PE teachers completed IC during \nlast 2 years \nSTO2.2: #(%) of schools implementing standards-based PE \ncurricula \nSTO2.3: #(%) of schools with PE teachers that have \ncompleted PD for PE \nSTO2.4: #(%) of schools with teachers that have completed \nPD for PA \nSTO2.5: #(%) of schools with teachers that have completed \nPD for SRTS \nSTO2.6: #(%) of schools receiving training on active recess" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 124, + "content": "PE/PA STO 3: Increase % of schools offering any PE \nSTO3.1: # (%) of schools offering any amount of PE classes \n[Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 125, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 54 of 102 \n \n \n \nPE/PA STO 4: Increase % of schools offering recess to grades \nPreK-8 [Profiles] \nSTO4.1: #(%) of schools offering at least 20 min of recess for \ngrades PreK-5 \nSTO4.2: #(%) of schools offering at least 20 min of recess for \ngrades 6-8 \nPE/PA STO 5: Increase % of schools offering before- and \nafter-school physical activity opportunities \nSTO5.1: #(%) of schools in SRTS program [HWD Records] \nSTO5.2: #(%) of schools with MS Athletic programs [Athletics \nDept] \nSTO5.3: #(%) of schools with HS Athletic programs [Athletics \nDept] \nSTO5.5: #(%) of schools offering opportunities for students to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 126, + "content": "participate in intramural sports programs or physical activity \nclubs [Profiles] \nPE/PA STO 6: Increase % of schools not withholding physical \nactivity as punishment \nSTO6.1: # (%) of schools not withholding physical activity as \npunishment [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 127, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 55 of 102 \n \n \n \nPE/PA STO 7: Increase number of schools that access \nresources, partnerships and supports \nSTO7.1: #(%) of schools with partnerships by PA/PE type \n[Partnership Portal] \nSTO7.2: #(%) of schools with resources/supports by PA/PE \ntype [HWD Records] \nPE/PA STO 8: Improve collaborations between the District, \ncity agencies, schools, families and schools around safe, \nactive transportation \nSTO8.1: # (%) of schools with identified priority walking \nroutes [HWD records] \nSTO8.2: # (%) of schools participating in Walk to School Day \n[HWD Records] \nSTO8.3: # (%) of schools that provide pedestrian safety \neducation programming [HWD Records]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 128, + "content": "education programming [HWD Records] \nSTO8.4: # (%) of schools that provide support for families \nrelated to walking, rolling or transit [2019 Profiles] \nSTO8.5: # (%) of schools represented in requested \ntransportation surveys \nPE/PA IMO 1: Increase % of students reporting having PE" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 129, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 56 of 102 \n \n \n \n[YRBS] \nIMO1.1: # (%) MS and HS students reporting PE one or more \ntimes per week \nIMO1.2: # of students who receive physical education classes \n(enrollment in PE course; grade on their report card) \nPE/PA IMO 2: Increase % of schools providing PE according \nto BPS policy [Profiles] \nIMO2.1: # (%) of schools (which contain grades PreK-8) that \nare providing 45 minutes of weekly PE for students in grades \nPreK-8 \nIMO2.2: # (%) of schools (which contain grades PreK-8) that \nare providing recommended 80 min of weekly PE for \nstudents in grades PreK-8 \nIMO2.3: # (%) of schools (which contain grades 9-12) that are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 130, + "content": "providing 1 semester of PE each year for students grades 9-\n12 \nPE/PA IMO 3: Increase % of students reporting active \ntransportation to and from school \nIMO3.1: % of students that report walking or biking to school \n[YRBS]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 131, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 57 of 102 \n \n \n \nPE/PA IMO 4: Increase % of schools with grades PreK- 8 \nmeeting policy for 150 minutes of weekly PA \nIMO4.1: # (%) of schools providing students (PreK-8) with 150 \nminutes of physical activity, including at least 45 minutes of \nPE per week and 20 minutes of recess daily [Profiles] \nPE/PA IMO 5: Improve the equity of access to athletic \nprogramming [Athletics] \nIMO5.1: #(%) students participating in a school sports \nprogram \nIMO5.2: #(%) of schools offering access to Athletics Programs \naccording to the BPS Athletics Criteria for Equity \nIMO5.3: # (%) of schools with equal number of boys\u2019 and girls\u2019 \nathletic teams" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 132, + "content": "athletic teams \nComprehensive Health Education (CHE) Metrics \nCHE Process Outcomes: [HWD records] \nPO1: # of HE PD opportunities \nPO2: # of teachers/staff in attendance at PDs \nPO4: Tools developed for school-based staff (Qual)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 133, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 58 of 102 \n \n \n \nPO5: # of TA sessions \nPO6: # of HE related community partnerships \nPO7: # of resources provided to schools (curriculum, \ninstructional supplies) \nCHE STO 1: Increase capacity of school-based staff to deliver \nhigh-quality, skills-based comprehensive health education \n[HWD Records] \nSTO1.1: #(%) of HE teachers trained on CHE curricula \nSTO1.2: #(%) of teachers/staff trained on CHE curricula \nSTO1.3: #(%) of teachers/staff trained on Sexual Health Ed \ncurriculum \nSTO1.4: #(%) of teachers/staff reporting an increase in \nknowledge and skills post PD \n#(%) of schools with teachers who received IC" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 134, + "content": "#(%) of schools with teachers who received IC \nCHE STO2: Increase number of qualified and trained \nteachers in elementary school and licensed health education \nteachers in middle and high schools \nSTO2.1: # of qualified and trained teachers delivering health \neducation in Elementary schools \nSTO2.3: # of Licensed health education teachers delivering" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 135, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 59 of 102 \n \n \n \nhealth education in Middle and High Schools \nCHE STO 3: Increased number of schools implementing \ncomprehensive health education curricula for all grades \n[HWD Records/Profiles] \nSTO3.1: # (%) of schools with PreK-3 grades that use \napproved curriculum \nSTO3.2: # (%) of schools with 4-5 grades that use Healthy & \nSafe Body Unit \nSTO3.3: # (%) of schools with 6-8 grades that use approved \ncurriculum \nSTO3.4: # (%) of schools with 9-12 grades that use approved \ncurriculum \nCHE STO 4: Increase the number of schools providing Health \nEducation [HWD Records/Profiles] \nSTO4.1: # (%) of schools providing HE in 2+ elementary \ngrades" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 136, + "content": "grades \nSTO4.2: # (%) of schools offering 2 semesters of HE in MS \nSTO4.3: # (%) of schools offering 1 semester of HE in HS \nCHE STO 5: Increase number of schools that leverage" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 137, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 60 of 102 \n \n \n \nresources, partnerships and supports to improve the quality \nof HE [Profiles/HWD] \nSTO5.1: # (%) of schools with partnerships to support HE \nteaching [Profiles] \nSTO5.2: # (%) of school with partnerships to promote health \nliteracy among student and families \nSTO5.3: # (%) of schools accessing District \nresources/supports [Profiles] \nCHE IMO 1: Increase in number of schools providing HE \naccording to BPS policy [Profiles, HWD records, OHC Staffing \nData] \nIMO1.1: # (%) of schools with trained BPS teachers teaching \ngrades 4-5 Healthy and Safe Body Unit in all classes \nIMO1.2: # (%) of schools with grades 6-8 offering at least two" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 138, + "content": "semesters of skills-based health education for all students \ntaught by a licensed health education teacher \nIM1.3: # (%) of schools with grades 9-12 offering at least one \nsemester of skills-based health education for all students \ntaught by a licensed health education teacher \nCHE IMO 2: Increased number of students who received \ndedicated health education time [ASPEN/SIS]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 139, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 61 of 102 \n \n \n \nIMO2.1: # of students who receive dedicated health \neducation time \nCHE IMO 3: Increase Comprehensiveness and Accessibility of \nHealth Education Content [Profiles] \nHealthy School Environment (HSE) Metrics \nHSE Process Outcomes: \nPO1: School Environmental Audits [Environmental \nDivision/BPHC records] \nPO1.1: #(%) of schools with SEA \nPO2: Green Cleaner Policy \nPO2.1: # of safer sanitizer bottles distributed [Facilities Mgmt] \nPO2.2: #(%) of programs trained to properly use Oxivir \nPO3: Rapid Response [Facilities Mgmt] \nPO3.1: # of custodians trained to properly clean/treat \noutbreaks \nPO3.2: Updated/Improved system for tracking" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 140, + "content": "PO3.2: Updated/Improved system for tracking \nillness/outbreak responses \nPO4: Integrated Pest Management Program [Facilities \nMgmt/IPM contractors\u2019 records]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 141, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 62 of 102 \n \n \n \nPO4.1: #(%) of Schools assigned IPM Contractors \nPO4.2: #(%) of Schools with IPM Plans \nPO5: Decluttering Initiative [Facilities Mgmt/Profiles (SY19-\n20)] \nPO5.1: Creation of a BPS Declutter Guide \nPO6: Water Policy [Facilities Mgmt] \nPO6.1: # (%) online and offline schools \nPO6.2: # of drinking water units by type \nPO7: Zero Waste Policy [Facilities Mgmt] \nPO7.1: #(%) of Schools with Zero Waste Coordinators \nPO7.2: #(%) of schools with zero waste equipment/bins \npresent \nPO7.3: #(%) of schools with book recycling bins \nPO7.4: #(%) of schools with textile recycling bins \nPO8: Communication of HSE Policies [Facilities" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 142, + "content": "PO8: Communication of HSE Policies [Facilities \nMgmt/HWD/MassCOSH records] \nPO8.1: Plan/strategy to communicate the Healthy School \nEnvironment-related policies \nPO8.2: #(%) of school leaders trained on the Healthy School" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 143, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 63 of 102 \n \n \n \nEnvironment-related policies \nPO9: HSE Wellness Champion Program [Facilities \nMgmt/HWD/MassCOSH records] \nPO9.1: # of training sessions \nPO9.2: # of schools participating in the HSE Wellness \nChampions Program \nHSE STO 1: Increase in use of SEAs to identify and address \nHSE improvements \nSTO1.1: Track requests generated from SEAs [Facilities Mgmt] \nSTO1.1.1: #(%) of repair requested as a result of SEA \nSTO1.1.2: #(%) of repair requests completed as a result of SEA \nSTO1.2: # of Principals reported reviewing results of SEA \n[Profiles] \nSTO1.3: # (# of schools with) WAP goals identified using SEA" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 144, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 64 of 102 \n \n \n \n[Profiles/WAP] \nHSE STO 2: Increase in the schools with staff using green \ncleaners in classrooms and offices \nSTO2.1: #(%) of schools with staff aware of green cleaning \npolicy [Profiles] \nSTO2.2: % of schools with staff using green cleaners in \nclassrooms and offices [Profiles] \nSTO2.3: #(%) of BPS Early Ed Programs, after-school \nprograms that serve food, and YMCA school-based programs \nreceiving and using Oxivir [Facilities] \nHSE STO 3: Increase school capacity to address IPM incidents \n[Profiles] \nSTO3.1: #(%) of schools that identified an IPM Coordinator \nSTO3.2: #(%) of schools with staff that know how to use IPM \nlog" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 145, + "content": "log \nHSE STO 4: Increase schools implementing systems to \nreduce, reuse, and recycle to decrease waste and clutter \n[Facilities Mgmt]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 146, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 65 of 102 \n \n \n \nSTO4.1: # of schools who complete declutter initiatives \n# of tons recycled \nSTO4.2: #(%) of schools with complete and functioning Zero \nWaste Programs [Facilities Mgmt] \nSTO4.1.1: #(%) of schools properly disposing of waste by type \nSTO4.1.2: # of tons of waste removed from schools \nSTO4.1.3: # of OIIT e-waste requests submitted in one year \nSTO4.1.4: # of universal and hazardous waste pick-ups in one \nyear \nHSE STO5: Decrease in bottled water needs [Facilities Mgmt] \nSTO5.1: #(%) of offline schools returning to online \nSTO5.2: #(%) of schools undergoing water infrastructure \nimprovements" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 147, + "content": "improvements \nHSE STO 6: Decrease in causes of poor outdoor air quality \naround school buildings \nSTO6.1: #(%) of schools where staff are aware/promote \nTobacco Free Policy [Profiles] \nSTO6.2: #(%) of schools that limit busing idling to no more \nthan 5 minutes [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 148, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 66 of 102 \n \n \n \nHSE STO 7: Improved building infrastructure to support \nactive transportation and active play \nSTO7.1: # (%) of playground assessment issues addressed \n[Profiles] \nSTO7.2: # (%) of schools that have bike racks or other storage \nsystems for students and staff [Facilities Mgmt] \nHSE STO 8: Increase Wellness Champion projects and \ninitiatives at schools [HWD Records] \nSTO8.1: #(%) of HSE WAP goals \nSTO8.2: #(%) of HSE WAP goals completed \nHSE IMO 1: Decrease in infection and illness outbreaks \n[Facilities Mgmt/Health Services] \nIMO1.1: # of infection and illness outbreaks \nHSE IMO 2: Decrease in pest-related incidents" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 149, + "content": "HSE IMO 2: Decrease in pest-related incidents \nIMO2.1: #(%) of pest incidents logged, reported, and treated \n[Facilities Mgmt/IPM contractors\u2019 records] \nHSE IMO 3: Ensure water quality, maintenance, and \npromotion" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 150, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 67 of 102 \n \n \n \nIMO3.1: #(%) of schools getting annual water system testing \nIMO3.2: #(%) schools with coolers cleaned \nIMO3.4: #(%) of schools that reviewed water policy with staff \nHSE LTO 1: Increase the number of high-performing school \nbuildings with grounds that are clean and in good repair \nLTO1.1: SEA Trends [Facilities Mgmt] \nSafe & Supportive Schools (SSS) Metrics \nSSS Process Outcomes: \nPO1: # of Behavioral Health community partnerships [BPS \nPartnership Portal] \nPO2: #(%) of schools using universal screening for mental \nhealth [BHS Records] \nPO3: # of PDs/ # of attendees \nPO3.1: Bullying/Violence Prevention [Succeed Boston]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 151, + "content": "PO3.2: Restorative Justice [Succeed Boston] \nPO3.3: K-12 SEL Standards [SEL-I & SAWS Records] \nPO3.4: Targeted interventions for vulnerable populations" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 152, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 68 of 102 \n \n \n \n[BHS/Succeed Boston/Opportunity Youth Records] \nPO3.5: MTSS/CBHM [BHS Records] \nPO4: #(%) of schools with Student Support Team [Profiles] \nPO5: #(%) of middle and high schools with EPS liaisons \n[Profiles] \nPO6: #(%) of schools with a Homelessness Liaison \n[Opportunity Youth] \nPO7: #(%) of schools with trained Bullying Prevention \nLiaisons [Profiles] \nSSS STO 1: Increased # of schools trained in BPS K-12 SEL \nstandards \nSTO1.1: # (%) of schools that have all staff trained in BPS K-12 \nSEL standards [Profiles] \nSSS STO 2: Increased implementation of Multi-tiered System \nof Supports (MTSS-B) to improve school and classroom" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 153, + "content": "climate [Profiles] \nSTO2.1: % (#) of schools that offer tier 1 supports \nSTO2.2: % (#) of schools that offer tier 2 supports \nSTO2.3: % (#) of schools that offer tier 3 supports" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 154, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 69 of 102 \n \n \n \nSTO2.4: % (#) of schools that implement Restorative Justice \nSSS STO 3: Increased targeted interventions for vulnerable \npopulations [Profiles] \nSTO3.1: #(%) of schools with gay straight alliances \nSTO3.2: #(%) of schools providing additional supports to \nvulnerable populations \nSSS STO 4: Increased CBHM implementation fidelity [BHS \nRecords] \nSTO4.1: Tiered fidelity inventory (measure normed) schools in \nCBHM model use \nSTO4.2: # of students screened in CBHM schools, fall and \nspring screening \nSSS STO 5: Increased # of schools with all staff trained on \nbullying prevention \nSTO5.1: #(%) of schools with staff trained on bullying" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 155, + "content": "prevention [Profiles] \nSSS STO 6: Increase in the number of schools with behavioral \nhealth partner supports" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 156, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 70 of 102 \n \n \n \nSTO6.1: #(%) of schools with a minimum of 3 behavioral \nsupports partners [BHS Records] \nSSS STO 7: Increase in schools appropriately staffed to meet \nthe mental, emotional, and behavioral health needs of \nstudents as determined by the BPS staffing criteria for \nschool psychologists, social workers, and guidance \ncounselors \nSTO7.1: #(%) school appropriately staffed according to BPS \ncriteria [BHS/OHC Records] \nSSS STO 8: Increased quality of Student Support Teams \nSTO8.1: % of schools indicating a \u201cyes\u201d on the following \nProfiles question: \u201cInclude the following positions on their \nSST: school psychologists, social workers, guidance" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 157, + "content": "counselors (for only HS), school nurses, community partners \nand trained classroom teachers\u201d [Profiles] \nSTO8.1: % of schools achieving Quality Index TBD \nSSS STO 9: Increased awareness of EPS policy and resources \nfor students \nSTO9.1: % of schools with an Expectant & Parenting Student \nliaison [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 158, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 71 of 102 \n \n \n \nSSS IMO 1: Improved system for handling bullying incidents \nin schools \nIMO1.1: TBD \nIMO1.3: # of bullying incidents reported \nSSS IMO 2: Increased # schools with all teachers \nimplementing explicit SEL instruction \nIMO2.1: # (%) of CBHM schools with all teachers teaching \nexplicit SEL Instruction with fidelity. [BHS Records (SEL \nInstruction tool: fidelity measure)] \nIMO2.2: # (%) of all schools implementing [Profiles] \nSSS IMO 3: Decrease incidents of violence at schools \nIMO3.1: # of students with Code of Conduct Violations \n(violence)/Suspensions [SIS] \nIMO3.2: # of school referrals to Succeed Boston for violent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 159, + "content": "offenses [Succeed Boston] \nSSS IMO 4: Increase number of schools with safe school \nclimate [School Climate Survey/ODA]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 160, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 72 of 102 \n \n \n \nIMO4.1: District score on Sense of Belonging Scale \nIMO4.2: District score on Student Emotional Safety Scale \nIMO4.3: District score on Staff Support Scale \nIMO4.4: District score on Student Physical Safety Scale \nSSS IMO 5: Decrease in crisis/behavioral response requests \nfrom schools [Health Services/BHS] \nIMO5.1: # of incidents where ambulance or police has been \ncalled for behavioral health needs \nSSS IMO 6: Increase SEL Skills in students \nIMO6.1: BIMAS adaptive scales (CBHM schools) \nIMO6.2: TBD-District-wide \nSSS IMO 7: Increase in expectant and parenting students \naccessing resources \nIMO7.1: # (%) of schools with EPS liaisons" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 161, + "content": "IMO7.1: # (%) of schools with EPS liaisons \nusing/communicating liaison supports [Profiles] \nHealth Services Metrics \nHS Process Outcomes:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 162, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 73 of 102 \n \n \n \nPO1: Quality Improvement [HS Records] \nPO1.1: Electronic Medical Record Protocols written \nPO1.2: Formula for staffing school nurses developed \nPO1.3: System for creating a universal scorecard for nursing \npractice \nPO1.4: Nurse support system established \nPO2: Professional Development for Nurses [HS Records] \nPO2.1: #(%) of nurses trained \nPO2.3: #(%) of schools with nurses trained \nPO2.4: # of Nursing PD opportunities by type \nPO3: Nurse Liaison Technical Assistance [HS records] \nPO3.1: # of TA sessions \nPO3.2: # of schools receiving TA \nPO4: School Nurse Direct Services [SNAPNurse] \nPO4.1: # of injury visits" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 163, + "content": "PO4.1: # of injury visits \nPO4.2: # of acute disease management visits \nPO4.3: # of chronic disease management visits \nPO4.4: # of visit for treatments and medications" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 164, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 74 of 102 \n \n \n \nPO4.5: Case management (school nurse/PCP/parent) \nPO4.6: # of screenings/referral/completed referrals \nPO4.7: School Nurse Referrals \nPO4.7.1: # of referrals to HRCs \nPO4.7.2: # of referrals to SBHCs \nPO4.7.3: # of referrals for acute medical management \nPO4.7.4: # of referrals for chronic disease management \nPO5: # of nurse-led school staff training sessions \nPO6: # of Individual and group sessions with students \nPO7: # of health promotions \nPO8: Community partner services \nPO8.1: HRCs \nPO8.2: SBHCs \nPO8.3: # of schools receiving community partnerships by \ntype \nPO9: Condom Accessibility [HWD records]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 165, + "content": "type \nPO9: Condom Accessibility [HWD records] \nPO9.1: % of high schools with CATs \nPO9.3: % of CAT members trained on how to make referrals" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 166, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 75 of 102 \n \n \n \nand provide condoms \nHS STO 1: Increase schools appropriately staffed to meet the \nmedical needs of students as determined by the BPS Health \nServices staffing criteria \nSTO1.1: # (%) school appropriately staffed according to BPS \ncriteria [OHC]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 167, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 76 of 102 \n \n \n \nHS STO 2: Increase capacity of school-based staff to deliver \nhigh quality nursing services \nSTO2.1: #(%) of schools with nurses receiving required Health \nService Professional Develop (18 hour and/or monthly \nexemplar practice) \nSTO2.2: # of nurses reviewed using the Health Services \nScorecard \nSTO2.3: # of schools with 90% or greater of immunization \ncompliance \nSTO2.4: % of Individual Health Care Plans (IHCP) \nSTO2.5: % of schools with 90% or greater compliance with \nDistrict physical exam policy \nSTO2.6: # One-on-one counseling \nSTO2.7: # of nurses receiving National Asthma Certification" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 168, + "content": "HS STO 3: Improve school-wide awareness for students with \nchronic disease \nSTO3.1: % of schools that have all Individual Health Care \nPlans (IHCP) for students with Individual Education Plans \nwith required signatures [SNAPNurse] \nHS STO 4: Increase the % of students receiving state-" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 169, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 77 of 102 \n \n \n \nmandated screenings [SNAPNurse] \nSTO4.1: # (%) of schools with XX% of students screened \nSTO4.1.1: Hearing screening \nSTO4.1.2: Vision screening \nSTO4.1.3: SBIRT screening \nSTO4.1.4: Height & Weight (Body Mass Index) \nSTO4.2: # (%) of students with referrals for failed screening \nSTO4.3: # (%) of students with completed referrals for failed \nscreenings \nHS STO 5: Increase % of students visiting the nurse that are \nable to return to the classroom for continued learning \nSTO5.1: % of students returning to their classroom \n[SNAPNurse] \nHS STO 6: Increase the schools with nurse-lead health \npromotions campaigns" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 170, + "content": "promotions campaigns \nSTO6.1: #(%) schools conducting nurse-lead health \npromotions campaigns [ESHS Data] \nHS STO 7: Increase in the % of CATs making referrals and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 171, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 78 of 102 \n \n \n \nproviding condoms [ESHS Data] \nSTO7.1: # of condoms distributed by CATs \nSTO7.2: # of sexual health referrals by CATs \nSTO7.3: % of schools with functioning CATs \nHS STO 8: Increase the provision of sexual health referrals \n[Profiles] \nSTO8.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS STO 9: Increase in the provision sexual health services \n[Profiles] \nSTO9.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS IMO 1: Improved school-wide management for students \nwith chronic disease \nIMO1.1: # of dismissals from school related to chronic disease" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 172, + "content": "[SNAPNurse/TBD] \nStaff Wellness (SW) Metrics" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 173, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 79 of 102 \n \n \n \nSW Process Outcomes: \nPO1: # of District communications on staff wellness related \ntopics [External Affairs/TBD] \nPO2: DWC Staff Wellness Subcommittee co-chairs identified \n[DWC Records] \nPO3: # Subcommittee meetings held [DWC Records] \nSW STO 1: Increased staff physical activity \nSTO1.1: % of staff reporting at least 30 minutes of physical \nactivity a day [TBD] \nSW STO 2: Increased staff healthy eating \nSTO2.1: % of staff reporting eating 5 servings of fruits and \nvegetables in a day [TBD] \nSW STO 3: Increased % of schools with staff wellness \nactivities and initiatives [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 174, + "content": "activities and initiatives [Profiles] \nSTO3.1: % of schools with staff wellness as a goal on their \nWellness Action Plan \nSTO3.2: % of schools that answered yes to \u201cIn the past school \nyear, did your school offer any staff wellness initiatives?\u201d" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 175, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 80 of 102 \n \n \n \nSW IMO 1: Increase in teachers\u2019 school climate \nIMO1.1: Improve professional community \nIMO1.2: Improve support for teacher development and \ngrowth \nSW IMO 2: Increased % of schools with an institutionalized \nStaff Wellness Program \nIMO2.1: % of schools with a staff wellness promotion or \nprogram that took place for an extended duration across the \nyear. [Profiles/WAP] \nWELLNESS POLICY LONG-TERM STUDENT IMPACTS \n1. Improve student physical fitness \na. % of students achieving health fitness levels (Source: \nFitnessgram) \ni. Health Fitness Zone in \u2157 assessments \nii. Health Fitness Zone for aerobic capacity" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 176, + "content": "ii. Health Fitness Zone for aerobic capacity \n2. Reduce prevalence of health-risk behaviors among \nstudents (Source: YRBS) \na. % of students who have ever had sexual intercourse" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 177, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 81 of 102 \n \n \n \nb. % of students who had sexual intercourse in the last 3 \nmonths (i.e sexually active) \nc. % of students who had sexual intercourse with four or \nmore persons during their life \nd. % of students who have ever been pregnant or gotten \nsomeone pregnant \ne. % of students who did not go to school because they \nfelt unsafe at school or on their way to or from school \n(in the last 30 days) \nf. % of students who carried a weapon on school \nproperty (in the last 30 days) \ng. % of students who were threatened or injured with a \nweapon on school property (in the past 12 months) \nh. % of students who were in a physical fight on school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 178, + "content": "property (in the past 12 months) \ni. % of students who were bullied on school property (in \nthe past 12 months) \nj. % of students who were electronically bullied (in the \npast 12 months) \nk. % of students who experienced physical dating \nviolence (in the past 12 months) \nl. % of students who experienced sexual dating violence" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 179, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 82 of 102 \n \n \n \n(in the past 12 months) \nm.% of students who were ever physically forced to have \nsexual intercourse (when they did not want to) \n3. Increase in protective health behaviors among students \n(Source: YRBS) \na. % of students who used a condom during last sexual \nintercourse (among students who were currently \nsexually active) \nb. % of students who used effective hormonal birth \ncontrol\u2020 to prevent pregnancy (during last sexual \nintercourse among students who were currently \nsexually active) \nc. % of students who used a condom and effective \nhormonal birth control during last sexual intercourse" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 180, + "content": "(among students who were currently sexually active) \nd. % of students who were ever tested for HIV (not \nincluding tests done when donating blood) \ne. % of students who were physically active at least 60 \nminutes per day on all 7 days \nf. % of students who did not watch 3+ hours of TV (on an \naverage school day) \ng. % of students who did not play video or computer \ngames or used a computer for 3+ hours per day (for" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 181, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 83 of 102 \n \n \n \nsomething that was not school work, on an average \nschool day) \nh. % of students who ate breakfast daily (in the past \nweek) \ni. % of students who ate fruit or drank 100% fruit juices 2+ \ntimes per day (in the past week) \nj. % of students who ate vegetables 2+ times daily (in the \npast week) \nk. % of students who drank 3+ glasses of water daily (in \nthe past week) \nl. % of students who drank 1+ glasses of milk daily (in the \npast week) \nm.% of students who did not drink a soda (in the past \nweek) \nn. % of students who did not drink a sugar-sweetened \nbeverage\u2020 (in the past week)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 182, + "content": "beverage\u2020 (in the past week) \n4. Improve feeling of school connectedness among students \n(Source: YRBS & Climate Survey) \na. % of students who have at least one teacher or other \nadult in their school that they can talk to if they have a \nproblem" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 183, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 84 of 102 \n \n \n \nb. District score on student engagement in school scale \nc. District score on appreciation for diversity scale \nd. District score on student civic participation scale \n5. Improve student social-emotional wellbeing \na. District score on student social emotional health scale \nb. District score on student growth mindset scale \nc. District score on student perseverance and \ndetermination scale \n6. Improve student mental health outcomes (Source: YRBS) \na. % of students who felt depressed (sad or hopeless \nalmost every day for two weeks or more in a row that \nstopped them from doing some usual activities)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 184, + "content": "stopped them from doing some usual activities) \nb. % of students who did something to purposely hurt \nthemselves without wanting to die \nc. % of students who seriously considered attempting \nsuicide \nd. % of students who attempted suicide \n7. Reduce prevalence of substance use among students \na. % of students who currently used tobacco products \n(cigarettes, cigars, smokeless tobacco, electronic vapor" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 185, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 85 of 102 \n \n \n \nproducts) \nb. % of students who currently smoked cigarettes or \ncigars \nc. % of students who currently used electronic vapor \nproducts \nd. % of students who currently drank alcohol \ne. % of students who currently binge drank (males 5+ \ndrinks; females 4+ drinks in a row) \nf. % of students who currently used marijuana \ng. % of students who ever took prescription pain \nmedication without a doctor\u2019s prescription or \ndifferently from how a doctor told them to use it \n8. Increase prevalence of students with health weight status \na. % of students with health MI status (Source: \nSNAPNurse) \n9. Reduce in prevalence of asthma among students" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 186, + "content": "9. Reduce in prevalence of asthma among students \na. % of students with asthma diagnosis \n(Source:SNAPNurse) \n10. Reduce the prevalence of sexually transmitted diseases, \nHIV, and adolescent pregnancy among students (Source:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 187, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 86 of 102 \n \n \n \nBPHC) \na. Incidence rate for chlamydia among Boston youth \nb. Incidence rate for gonorrhea among Boston youth \nc. Incidence rate for Incidence rate for gonorrhea among \nBoston youth among Boston youth \nd. Prevalence of Boston youth living with HIV \ne. Birth rate among adolescent females \n11. Decrease number of medically-related absences among \nstudents (Source: ODA) \na. # of medically-related absences among students \n12. Improve school climate for staff (Source: School Climate \nSurvey) \n \nIII. DEFINITIONS \n \nAll students attend a Boston Public School and include but are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 188, + "content": "not limited to students with identities that are related to culture, \nrace, ethnicity, sexual orientation, gender, gender identity, and \nability." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 189, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 87 of 102 \n \n \n \nBullying is a form of emotional or physical abuse that has three \ndefining characteristics*: \n\u25cf Deliberate: A bully\u2019s intention is to hurt someone. \n\u25cf Repeated: A bully often targets the same victim again and \nagain. \n\u25cf Power imbalanced: A bully chooses victims he or she \nperceives as vulnerable. \n*Bullying is different from conflict, fights, or disagreements. It \nmust meet the above criteria. \n \nBoston Public Schools Property includes all properties where \nstudents and Boston Public School staff work or attend class. \n \nComprehensive Health Education is medically accurate, age and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 190, + "content": "developmentally appropriate, culturally inclusive, implemented \nin safe and supportive learning environments where all students \nfeel valued, and includes nutrition education. \n \nComprehensive School Physical Activity Program (CSPAP) is an \napproach by which school Districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 191, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 88 of 102 \n \n \n \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and \ninvolvement; and family and community involvement. \n \nComprehensive Sexual Health Education is a planned, \nsequential, Pre-K \u2013 12 curriculum that is part of a comprehensive \nschool health approach which addresses age-appropriate \nphysical, mental, emotional and social dimensions of human \nsexuality. It should allow students to develop and demonstrate \ndevelopmentally appropriate sexual health-related knowledge," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 192, + "content": "attitudes, skills and practices. The curriculum should be designed \nto motivate and assist students to maintain and improve their \nsexual health by delaying sexual initiation, preventing disease \nand too-early pregnancy and reducing sexual health-related risk \nbehaviors. It should be medically accurate, developmentally \nappropriate, culturally, including LGBTQ inclusive, and be \nprovided by qualified, trained, and certified teachers (Future of \nSex Education). \n \nCultural Proficiency: esteeming culture, interacting effectively in \na variety of cultural groups, using inclusive language, committing \nto continuous learning. \n \nCyber bullying is bullying that takes place using electronic" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 193, + "content": "technology. Examples of cyber bullying include mean text" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 194, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 89 of 102 \n \n \n \nmessages or emails, rumors sent by email or posted on social \nnetworking sites, and embarrassing pictures, videos, websites, or \nfake profiles. \n \nFederally Funded Child Nutrition Programs include the National \nSchool Lunch Program, National School Breakfast Program, After \nSchool Snack Program, and the Child & Adult Care Food Program. \n \nLGBTQ is an acronym for individuals who identify as Lesbian, Gay, \nBisexual, Transgender, Queer or Questioning. \n \nHealth Literacy is the capacity of an individual to obtain, \ninterpret, and understand basic health information and services \nand the competence to use such information and services in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 195, + "content": "ways that are health enhancing (National Health Education \nStandards). \n \nHealth Services represents the component of a comprehensive \nschool health program that directly services the individual child \nand monitors health trends within the District. It includes both \nthe school nurse programs and the school-based health center \nprograms. The goal of health services is to remove the \neducationally relevant health obstacles to learning by ensuring \naccess and/or referral to primary health care services, managing" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 196, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 90 of 102 \n \n \n \nchronic disease conditions during school hours, preventing and \ncontrolling communicable disease and other health problems, \nproviding emergency care for illness or injury, promoting and \nproviding optimum sanitary conditions for a safe school facility \nand school environment and providing educational and \ncounseling opportunities for promoting and maintaining \nindividual family and community health. \n \nNutrition Promotions are strategies, social marketing, materials, \nand oral & written communications that provide methods to shift \ncultural norms toward healthier foods and beverages." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 197, + "content": "Parent engagement occurs when schools are actively involving \nparents in an authentic partnership with aims of improving \nindividual student\u2019s outcomes and school wide initiatives. \n \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE frameworks. \nPE activities that focus on a single activity, such as swimming \nand dance, count as PE only if it is part of a CSPAP and aligned \nwith BPS PE Frameworks." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 198, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 91 of 102 \n \n \n \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school \nday. Recess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should \nNOT be counted as PE; PA is not PE and it cannot be allocated as \nPE. \n \nSafe and Supportive Schools create a positive school climate that \nactively teaches positive behavior and engaging in prevention \nactivities to promote feelings of security and connectedness for \nstudents and adults." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 199, + "content": "students and adults. \n \nWellness is a process by which individuals move toward optimal \nphysical and mental health, regardless of current health status or \ndisability, by practicing healthy choices within an enabling \nenvironment that encourages healthy decision-making. \n \n \n IV. INDEX OF FEDERAL, STATE, AND BOSTON \nPUBLIC SCHOOL WELLNESS-RELATED POLICIES & \nGUIDELINES \n \nRelevant and existing school policies, for which school-based" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 200, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 92 of 102 \n \n \n \nWellness Councils and school staff must comply, are referenced \nbelow. \n \nA. School Food and Nutrition Promotion-related policies shall be \nfollowed by all Boston Public Schools: \n\u25cb Meals served in Boston Public Schools are in accordance \nwith the National School Meals Programs. Federally funded \nchild nutrition programs must comply with the nutrition \nstandards for school meals, outlined in the Healthy Hunger-\nFree Kids Act of 2010. \n\u25cb 105 CMR 225: Nutrition Standards for Competitive Foods and \nBeverages in Public Schools \n\u25cb Mayor Menino\u2019s Executive Order for Healthy Beverages \n\u25cb FNS-01: Food Nutrition Services" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 201, + "content": "\u25cb FNS-01: Food Nutrition Services \n\u25cb FNS-02: Emergency Meal Procedures \n\u25cb FNS-03: Nutrition Policy \n\u25cb FNS-04: Responsibilities Regarding School Food Services \n \nB. Comprehensive Physical Activity and Physical Education-\nrelated policies shall be followed by all Boston Public Schools: \na. Massachusetts Legislation" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 202, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 93 of 102 \n \n \n \n\u25cb MGL c. 71, s. 3: Physical Education \nb. District Circulars \n\u25cb HWD-02: Physical Education and Physical Activity Policy \n\u25cb ATH-01: Prevention & Management of Sports-Related \nHead Injuries \n \nC. Comprehensive Health Education-related policies shall be \nfollowed by all Boston Public Schools: \n\u25cb HWD-03: Comprehensive Health Education Policy \n\u25cb HWD-05: Human Sexuality Education-Parental Notification \n \nD. Healthy School Environment-related policies shall be followed \nby all Boston Public Schools: \na. Massachusetts Legislation \n\u25cb MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nb. District Circulars" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 203, + "content": "school property \nb. District Circulars \n\u25cb BPS Water Access Policy \n\u25cb FMT-07: Chemical Inventory \u201cRight to Know\u201d Law \n\u25cb FMT-08: System-wide Zero Waste Policy" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 204, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 94 of 102 \n \n \n \n\u25cb FMT-10: Integrated Pest Management (IPM) \n\u25cb FMT-11: Green Cleaners Policy \n\u25cb FMT-14 Hearing Conservation Program \n\u25cb FMT-15: BPS/Boston Public Health Commission \nEnvironmental Inspection/Audit Program (City \nOrdinance 7.12.1-4) \n\u25cb FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \n\u25cb HWD-04: Whole School Health & Wellness: Healthy \nSchool Environment Policy \n\u25cb HWD-06: Tobacco Free Environment Policy \n\u25cb SHS-04: Infection Prevention and Control in School \nSettings \n\u25cb SHS-20: Asthma in Schools \n \nE. Safe and Supportive Schools-related policies shall be followed \nby all Boston Public Schools:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 205, + "content": "by all Boston Public Schools: \na. Federal Legislation \n\u25cb Elementary and Secondary Education Act of 1965, as \namended, Title IV, Part A, Subpart 2, Section 4121 - \nFEDERAL ACTIVITIES; 20 U.S.C. 7131" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 206, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 95 of 102 \n \n \n \nb. Federal Regulations \n\u25cb Education Department General Administrative \nRegulations (EDGAR) - 34 CFR Parts 75, 77, 79, 80, 81, 82, \n84, 85, 86, 97, 98, 99 (b) The regulation in 34 CFR part 299 \n\u25cb Title VI of the Civil Rights Act of 19641 (Title VI), which \nprohibits discrimination on the basis of race, color, or \nnational origin; \n\u25cb Section 504 of the Rehabilitation Act of 19733 (Section \n504); and Title II of the Americans with Disabilities Act of \n19904 (Title II). Section 504 and Title II prohibit \ndiscrimination on the basis of disability,5 as referenced \nin the Office of the Assistant Secretary\u2019s \u201cDear" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 207, + "content": "in the Office of the Assistant Secretary\u2019s \u201cDear \nColleague\u201d letter of October 2010. \n\u25cb Title IX, Education Amendments of 1972 which prohibits \ndiscrimination on the basis of sex, including individuals \nwho are pregnant or parenting. \n\u25a0 Title 20 U.S.C. Sections 1681-1688 \nc. Massachusetts Legislation \n\u25cb SL 2010, c.92: Bullying in Schools \n\u25cb MGL c.12, s.11H: Violation of Constitutional Rights \n\u25cb MGL c.265 s.43: Stalking \n\u25cb MGL c.265, s.43A: Criminal Harassment \n\u25cb MGL c.266, s.37E: Identity Fraud" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 208, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 96 of 102 \n \n \n \n\u25cb MGL c.269, s.17: Hazing \n\u25cb MGL c.269, s.18: Failure to Report Hazing \n\u25cb MGL c.269, s.19: Schools to provide copy of hazing law to \nstudents \n\u25cb MGL c.119, s.21: Mandated Reporters defined. \n\u25cb MGL c.119, s.51A: Mandated Reporting explained \n\u25cb MGL c.76, s. 5 An Act Relative to Gender Identity \n\u25cb CHAPTER 188 An Act Improving the Public Schools of \nthe Commonwealth \nd. Massachusetts Regulations \n\u25cb 610 CMR 5 Hazing Reporting- Secondary Schools \n\u25cb 603 CMR 33 Hazing Reporting- Higher Educations \n\u25cb 603 CMR 49 Notification of Bullying or Retaliation \ne. District Circulars \n\u25cb ACA-18: Attendance Policies \n\u25cb ACA18A: Attendance Procedures" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 209, + "content": "\u25cb ACA18A: Attendance Procedures \n\u25cb ACA-18B: Procedures for Referral to Supervisors of \nAttendance \n\u25cb EQT-07: Accommodating Employees with Disabilities" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 210, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 97 of 102 \n \n \n \n\u25cb EQT-05: Employee Reports of Bias \n\u25cb EQT-02: Student, Family or Other Third Party Reports of \nBias \n\u25cb EQT-01: Non-Discrimination Policy and Statement \n\u25cb EQT-06: Sexual Misconduct Toward Employees \n\u25cb EQT-03: Sexual Misconduct Toward Students \n\u25cb EQT-04: Students and Gender Identity \n\u25cb LGL-11: Sexual Orientation \u2013 Protection of Students \nAgainst Discrimination \n\u25cb FAM-01: School Site Councils \n\u25cb FAM-02: School Parent Council \n\u25cb FAM-03: Middle and High School Student Government \n\u25cb FAM-05: Title I Family Engagement Requirements \n\u25cb FSE-01: School Safety Contingency Plans \n\u25cb FSE-02 Fire Safety Practices \n\u25cb FSE-04 Bomb Threat Procedures" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 211, + "content": "\u25cb FSE-04 Bomb Threat Procedures \n\u25cb FSE-05 Medical Emergency Management \n\u25cb FSE-06 Student Safety / Health in School Shops, \nLaboratories and Classrooms" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 212, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 98 of 102 \n \n \n \n\u25cb FSE-07 Public Health and Workplace Safety \n\u25cb FSE-08 Teaching Students the Containment Protocol \nMini-Session \n\u25cb LGL-01 Hazing Law \n\u25cb LGL-04 School Visitors Guidelines \n\u25cb LGL-05 Racial or Ethnic Discrimination/Harassment of \nStudents \n\u25cb LGL-06 Religious Holy Days \n\u25cb LGL-13 Sexual Assault Policy \n\u25cb LGL-15 Student Surveys \n\u25cb LGL-17 Religious Expression in Public Schools \n\u25cb LGL-20 Corporal Punishment \n\u25cb SAF-01 Student Search Procedures \n\u25cb SAF-02 Weapons and Objects of No Reasonable Use \n\u25cb SAF-04 Incident Data Reporting and Release \n\u25cb SAF-07 Metal Detectors \n\u25cb SAF-09 Lost Children Procedures" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 213, + "content": "\u25cb SAF-09 Lost Children Procedures \n\u25cb SAF-11 Sexual Offender Registry Information (SORI) \n\u25cb SAF-12: School Access Control" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 214, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 99 of 102 \n \n \n \n\u25cb SHS-01: Drug and Alcohol Abuse \n\u25cb SHS-16: Suicide Prevention and Intervention \n\u25cb SPE-03: Physical Restraint Policy \n\u25cb SPE-14: Counseling Guidelines \n\u25cb SPE-15: Discipline of Students with Disabilities \n\u25cb SSS-02: Homeless Students - Guidelines and Procedures \n\u25cb SSS-07: Persistently Dangerous Schools \n\u25cb SSS-18: Bullying Prevention and Intervention Plan \n\u25cb SUP-20: Child Abuse and Neglect \n\u25cb SUP-21: Expectant & Parenting Students \n\u25cb SUP-05: Code of Discipline \n \nF. Health Services-related policies shall be followed by all Boston \nPublic Schools \n\u25cb ATH-01: Prevention & Management of Sports-Related Head \nInjuries" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 215, + "content": "Injuries \n\u25cb FSE-05 Medical Emergencies \n\u25cb SHS-23: Condom Accessibility \n\u25cb LGL-16: Student Health Information" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 216, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 100 of 102 \n \n \n \n\u25cb SHS-04: Infection Prevention and Control in School Settings \n\u25cb SHS-05: Tuberculosis Program \n\u25cb SHS-06: Immunization Law \n\u25cb SHS-08: Medication Dispensation \n\u25cb SHS-11: Life Threatening Allergies (LTA or Anaphylaxis) Policy \nand Implementation \n\u25cb SHS-12: HIV/AID Policy and Guidelines \n\u25cb SHS-13: Medical Transportation \n\u25cb SHS-20: Asthma in Schools \n\u25cb SHS-21: Diabetes Policy \n\u25cb SHS-22: Automatic External Defibrillator (AED) Use and \nAccess Policy \n \nG. Cultural Proficiency-related policies shall be followed by all \nBoston Public Schools \n\u25cb CAO-05: Services to Limited English Proficient Students" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 217, + "content": "\u25cb ELL-04: Title I Expenditures for English Language Learners \n\u25cb EQT-01: Non-Discrimination Policy and Statement \n\u25cb EQT-02: Student, Family or Other Third Party Reports of Bias" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 218, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 101 of 102 \n \n \n \n\u25cb EQT-03: Sexual Misconduct Toward Students \n\u25cb EQT-05: Employee Reports of Bias \n\u25cb EQT-06: Sexual Misconduct Toward Employees \n\u25cb EQT-07: Accommodating Employees with Disabilities \n\u25cb FAM-02: School Site Councils \n\u25cb FAM-01: School Parent Council \n\u25cb FAM-03: Middle and High School Student Government \n\u25cb FAM-05: Title I Family Engagement Requirements \n\u25cb FAM-06: Boston Student Advisory Council \n\u25cb LGL-05: Racial or Ethnic Discrimination/Harassment of \nStudents \n\u25cb LGL-11: Sexual Orientation - Protection of Students Against \nDiscrimination" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 219, + "content": "Superintendent\u2019s Circular HWD-01 \nPage 102 of 102 \n \n \n \n \nFor more information about this circular, contact: \n \nOwner: Senior Executive Director of Health & Wellness \nDepartmen\nt: Health & Wellness \nMailing \nAddress: 370 Columbia Rd, Dorchester, MA 02125 \nPhone: 617-635-9698 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-03 \nVersion 01 \n \n \n \n \nCOMPREHENSIVE HEALTH EDUCATION POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nHealth education, as defined by the CDC, helps students \u201cacquire \nfunctional health knowledge, strengthen attitudes and beliefs, \nand practice skills needed to adopt and maintain healthy \nbehaviors throughout their lives.\u201d Health education curricula \nshould address the National Health Education Standards (NHES), \nincorporate the characteristics of an effective health education \ncurriculum, and be taught by qualified, trained teachers. In" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 2, + "content": "addition, the American Cancer Society, the American Diabetes \nAssociation, and the American Heart Association believe that \nschool health education programs can reduce health risk \nbehaviors such as tobacco use, poor nutrition, lack of physical \nactivity, drug and alcohol use, as well as actions that increase \nstress and risk of injury and violence. Because these behaviors are \namenable to change, quality school health education taught by \ntrained and licensed health educators provides the best \nopportunity to promote positive health behavior among children \nand adolescents.What Works in Schools (Facts: Learning for Life \nHealth Education in School)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 2 of 11 \n \n \n \nHealth education is an integral component of quality school \nprogramming. Schools have direct contact with a significant \nnumber of Boston\u2019s youth and for the critical years of students\u2019 \nsocial, psychological, physical, and intellectual development. As a \nresult, schools play an important role in improving students\u2019 \nhealth and social outcomes as well as promoting academic \nsuccess (CDC Healthy Schools). Healthy students are more ready \nand able to learn and are less likely to experience negative \nacademic impact (e.g., academic failure, lower test scores, \ntruancy, absenteeism) than students who engage in risky health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 4, + "content": "behaviors. According to the CDC, schools cannot achieve their \nprimary mission of education if students are not healthy, and \nschools can address the health needs of students in part through \neffective comprehensive health education. Research supports \nthat school health programs and policies may be one of the most \nefficient ways to reduce risky behaviors in students, prevent \nhealth problems, and address the achievement gap. \nBoston Public Schools (BPS) believes, in accordance with the \nNHES, health education should empower students to practice \nbehaviors that protect and promote their health while \nminimizing risks. Therefore, health education in BPS includes" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 5, + "content": "teaching health skills and essential concepts such as health \nliteracy, health promotion, and health equity, with a strong focus \non understanding the social determinants of health. \nIn line with the NHES, BPS emphasizes a holistic approach to \nhealth by shifting the focus from specific health behaviors to \noverall well-being. This approach leverages the strengths and \nresources within students, their families, schools, and \ncommunities. It prioritizes equipping students with the health \nskills and essential knowledge needed to assist them in living" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 3 of 11 \n \n \n \nhealthier lives and to enable them to actively support their own \nhealth and the health of others within a broader societal context. \nThe policy and implementation guidelines presented here \nexplain how we, at Boston Public Schools, will create effective \nhealth education programming. \n \nPOLICY \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 7, + "content": "Schools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, substance misuse and harm \nreduction, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 8, + "content": "education curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth and Physical Education Framework and National Health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 4 of 11 \n \n \n \nEducation Standards, as well as the National Sexuality Education \nStandards. Qualified and trained teachers will implement the \ncurricula. \n \nAll schools will follow relevant promotion and graduation \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one-semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course \nrequirements, health education topics will be integrated into" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 10, + "content": "other subject areas where possible, to reinforce their importance, \nprovide additional skill practice, and demonstrate the \nconnections of health concepts to many other content areas. \n \nIMPLEMENTATION GUIDELINES \nBoston Public Schools are committed to addressing the health \nand wellness of all students, in part, through effective health \neducation programming. Therefore, BPS will require \ncomprehensive pre-K-12 health education to be taught to all \nstudents throughout the district. The Boston Public Schools take \na comprehensive approach to review and incorporate changes in \npolicy, curricula, and implementation. This effort will result in a" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 11, + "content": "skills-based approach to teaching health education that \npromotes healthy lifestyle habits, healthy relationships, and \nhealth literacy for all students." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 5 of 11 \n \n \n \nSchools will adhere to the following implementation guidelines: \nA. School leaders or their designees are responsible for \nimplementing and enforcing this policy. Grade-level teams, \nlead health education teacher, or other instructional lead \nwill determine, in collaboration with the school leader, how \ntheir school will meet the policy requirements relating to \ntime, staffing, and implementation. School leaders may \nconsult with the Director of Health Education in the Office of \nHealth and Wellness on how their school can meet the \npolicy requirements. \n \nB. BPS Policy requires that all students in PreK-12 should" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 13, + "content": "receive health education in line with promotion and \ngraduation requirements that include a minimum of: \na. The BPS Healthy and Safe Body Unit in elementary \nschool \nb. Two semesters of health education in total grades 6 to \n8 \nc. A one-semester course of health education in total in \ngrades 9 to 12. \nC. \n The National Health Education Standards recommend \ni. Pre-K to grade 2 receive a minimum of 40 hours of \nHE each year. \nii. Grades 3 to 12 receive a minimum of 80 hours of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 6 of 11 \n \n \n \nHE each year. \nD. Staffing requirements: \na. BPS supports a learning environment in which all \nteachers are highly qualified in the subject areas they \nteach. Therefore: \ni. In grades K-5, HE instruction must be \nimplemented by trained teachers who hold an \nactive and valid teaching license. \nii. In grades 6-12, HE instruction must be \nimplemented by trained teachers with an active \nand valid health education teaching license. \nb. If a school is unable to provide students with HE \ninstruction from licensed teachers, they should contact \nthe Office of Health and Wellness for support with" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 15, + "content": "identifying district-approved staffing alternatives. All \nHE staffing alternatives should be approved by the \nOffice of Human Capital, the Office of Health and \nWellness, and the school\u2019s respective instructional \nsuperintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in \nsituations that increase opportunities for students. \nE. The BPS HE curriculum must meet the following criteria. \nThe district-endorsed curriculum is: \na. Aligned with the 2023 Massachusetts Comprehensive \nHealth and Physical Education Framework and 2024 \nNational Health Education Standards, as well as the \n2020 National Sex Education Standards" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 7 of 11 \n \n \n \nb. Comprehensive, standards-based, and sequential; \nteaching a variety of skills and topics in such a way that \nstudent learning and skill development is built upon \nwith each unit and each year \nc. Inclusive of a variety of topics, such as tobacco, alcohol, \nand other drug misuse; healthy eating/nutrition; \nmental and emotional health; personal health and \nwellness; physical activity; safety and injury prevention; \nviolence and bullying prevention; and comprehensive \nsexual health education that is LGBTQ-inclusive \nd. Medically accurate and age and developmentally-\nappropriate \ne. Culturally and linguistically sustaining, including but" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 17, + "content": "not limited to race, gender, sexual orientation, and \ncultural identity \nf. Modified as needed for students with disabilities and \nstudents who are English Learners \ng. \nF. District endorsed high quality instructional materials \ninclude the following curricula: CATCH K-8 HE Journeys, \nGoodheart-Wilcox Grades 6-12 Essential Health Skills and the \nPreK-Grade 12 Rights, Respect, Responsibility curriculum. \nG. Student assessments in HE must include graded \ncompetency (i.e. knowledge, skills, practice) and \nparticipation assessments that are reflected on all students\u2019 \nreport cards." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 8 of 11 \n \n \n \nH. Implemented in safe and supportive learning environments \nin which all students feel acknowledged, respected, and \nvalued. \nI. Schools should include cross-curricular, interdepartmental \ncollaborations to enhance the value and meaning of health \neducation programming, including opportunities for \nstudents to think critically, globally, and inclusively to \ndevelop health literacy to enhance health equity. \na. For example, the school recognizes World Health Day \nby organizing a student-led Wellness Day. In \npreparation, health education classes explore the social \ndeterminants of health and identify Boston-based" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 19, + "content": "determinants of health and identify Boston-based \ncommunity health resources to enhance personal, \nfamily, and community well-being. Meanwhile, in social \nstudies, students research global health issues and \ncreate maps or infographics to illustrate how different \nregions are impacted by various health challenges, as \nwell as the role of international organizations in \naddressing these issues. In math, students analyze and \ncompare data from the National YRBS and the Boston \nYRBS creating graphs, and interpreting trends using a \nstrengths-based approach. In computer science, \nstudents design a simple app or website to promote \nhealthy habits, such as a sleep tracker, a nutrition diary," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 20, + "content": "or a mental health check-in tool. This interdisciplinary \napproach encourages and motivates healthy behaviors \nby focusing on positive outcomes. \nJ. Professional development is an essential component of \neffective policy implementation. Therefore, HE teachers will" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 9 of 11 \n \n \n \nattend relevant professional development opportunities. \na. Schools will support and encourage school personnel \nin their professional development. \nb. Teachers are expected to stay current in the fields of \nhealth and health education through the review, \nanalysis, and implementation (when appropriate) of \nnational, state, and local health policies, procedures \nand standards, research in best practice, guidelines \nfrom international, national, and state organizations, \netc. \nK. Schools should monitor (or assign another individual to \nmonitor) relevant student and community information that" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 22, + "content": "can assist in identifying priority areas for health education. \nThis should include, but not be limited to, district- level \nYouth Risk Behavior Survey data, School Health Profiles \ndata, school-level Health Services Data, and community \npublic health trends. Data should be used to review and \nmodify health education programming in order to ensure \nthat it is meeting the needs of the students. \nL. Schools are required by the state to notify \nparents/guardians about any curriculum that primarily \ninvolves human sexual education or human sexuality issues, \nand permit parents/guardians to exempt their children \nwithout penalty from any portion of that curriculum (see" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 23, + "content": "Superintendent Circular HWD-05: Human Sexual Education \nEducation - Parent Notification). Schools will engage \nfamilies in their child\u2019s health education by providing access \nto curricular materials and health-related information." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 10 of 11 \n \n \n \nSchools will also encourage students to actively engage \nparents/caregivers and other family members in promoting \nhealthy behaviors. \nM. Should schools decide to utilize community partners to \nsupport their health education program, they will refer to \nPartnerBPS and consult with the Office of Health and \nWellness to identify the most appropriate community \npartners to meet their needs. Community partners can \nprovide an important aspect of quality health education and \ncan meaningfully support and enhance programming in \nBPS. If a school is using a community partner and/or \nsupplementary materials and curriculum to teach sexual" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 25, + "content": "health education, the school must consult the Office of \nHealth and Wellness for vetting and recommendations. \nN. The Office of Health and Wellness leads health education for \nthe district and will support schools by: \na. Vetting health education curriculum, materials, and \nresources \nb. Providing curriculum training and materials, \nprofessional development, instructional coaching, and \ntechnical assistance \nc. Maintaining and enhancing the BPS health education \ndigital learning library \nd. Vetting and managing partnerships to ensure \nequitable support of HE education across the district \ne. Collaborating to offer family health education \ninformational workshops and events" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular HWD-03 \nPage 11 of 11 \n \n \n \nf. Coordinate with other central office department to \ndevelop health promotions and family events on \nspecific health topics when applicable and align with \ntier II and tier III services and programs provided by \nthose departments \n \nWe recognize that effectively implementing a comprehensive \nskills-based health education program can be challenging. The \nOffice of Health and Wellness is committed to providing training, \nsupport, and resources to schools and school personnel to help in \nthe implementation of this policy. \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & Wellness" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 27, + "content": "Department: Health & Wellness \nMailing \nAddress: 370 Columbia Rd, Dorchester, MA 02125 \nPhone: 617-635-8709 \nEmail: healthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nHWD-04 \nVersion 01 \n \n \n \nHEALTHY SCHOOL ENVIRONMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nApproximately 20% of Americans go to school every day, with \nmany students, teachers, staff, faculty, and administrators in \naging facilities with deteriorating conditions. Meanwhile, studies \nhave shown that the condition and health of the school building \nand grounds directly impacts the productivity and health of its \noccupants. High-performance green schools with healthy indoor \nair quality, acoustical controls, revitalized schoolyards, and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 2, + "content": "daylight produce healthier, higher-performing students. A robust \namount of literature is available for identifying best practices, \nguidelines, and recommendations for achieving healthy school \nenvironments. \u2014 from the Lawrence Berkeley National \nLaboratory, to the Environmental Protection Agency, to the \nAmerican Federation of Teachers Union. \nIn addition, the Center for Disease Controls (CDC) Whole School, \nWhole Community, Whole Child (WSCC) model states a healthy \nand safe physical school environment promotes learning by \nensuring the health and safety of students and staff. \nAsthma is one of the leading causes of school absenteeism, and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HWD-04 \nPage 2 of 8 \n \n \n \nchildren with asthma are especially vulnerable in buildings that \nhave evidence of environmental hazards that affect indoor air \nquality. The Federal National Heart, Lung, and Blood Institutes \nevidence-based guidelines for effective asthma management \nrecommends reducing exposure to indoor environmental \nasthma triggers such as mold, dust mites, pests, pesticides, \nhazardous cleaners, and disinfectants, and exposure to \nenvironmental tobacco smoke in indoor environments. \nIn partnership with the Boston Healthy Homes and Schools \nCollaborative (BHHSC) and the Healthy School Environment" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 4, + "content": "Taskforce, Boston Public Schools has implemented many of \nthese evidence-based guidelines through district policies and \nprograms (see below). As a result of the revised District Wellness \nPolicy, school-based Wellness Councils, which are focused on \nimproving health and wellness of students and staff, will be more \nclosely involved in maintaining the healthiest level of indoor air \nquality and environmental health of their school and school \ngrounds by working with Facilities Management, outside \npartners, and the school community. \nConsidering that Boston Public Schools is the oldest school \ndistrict in the country and home to existing buildings of all ages," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 5, + "content": "it is critical that sustained resources, innovative programs, and an \nongoing focus be dedicated to designing, upgrading, and \nmaintaining our school buildings and grounds to fulfill whole-\nschool health and wellness goals. \nPOLICY \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HWD-04 \nPage 3 of 8 \n \n \n \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact the productivity, health, and wellness of all \nstudents and staff. To address environmental risk factors for \nchronic and infectious diseases, each school will receive an" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 7, + "content": "Annual Environmental Audit to evaluate health and safety \nconditions such as leaks, mold, pests, chemical storage, and \ncleanliness. The district shall maintain a Healthy Schools \nTaskforce (HST) to promote and raise awareness of the health of \nthe built environment and ensure continuous improvement of \nBPS healthy school environment policies and programs. \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, will comply with \nexisting federal and state regulations, city ordinances, and \nDistrict policies related to promoting and managing healthy \nschool environments, including but not limited to: \n\u2022 Indoor air quality" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 8, + "content": "\u2022 Indoor air quality \n\u2022 Green cleaners \n\u2022 Integrated pest management \n\u2022 Trash and recycling \n\u2022 Infection prevention & control \n\u2022 Tobacco-free environmental policy \n\u2022 Environmental inspection/audit \n\u2022 Student safety/health in school shops" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HWD-04 \nPage 4 of 8 \n \n \n \n\u2022 BPS water policy \n\u2022 Laboratories and chemical Inventory \u201cRight to Know\u201d law \n\u2022 Idling of buses and other motor vehicles on school property \nSchools will regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \nIMPLEMENTATION, MONITORING & EVALUATION GUIDELINES \nThe Boston Public Schools and the Boston Public Health \nCommission must conduct annual Environmental \nInspection/Audits (audit) to evaluate the health and safety \nconditions of each school building and school grounds. The" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 10, + "content": "Facilities Management Department, in partnership with school \nleadership, will take action to mitigate critical issues such as \nunhealthy indoor air quality, signs of pests, leaks, clutter, mold, \nunsatisfactory chemical management, and critical health and \nsafety repairs. In addition, the audit results, along with best \npractices in the Healthy School Environment Resource Toolkit, \nshall be used by school principals/heads of school and school-\nbased Wellness Councils to develop annual environmental health \npriorities and goals as part of the school\u2019s Wellness Action Plan. \nDistrict departments and all schools, through an Environmental" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 11, + "content": "Committee or school-based Wellness Council, shall comply with \nexisting city ordinances and District policies related to promoting \nand managing healthy school environments. Examples of \nrelevant and existing healthy school environment policies, for \nwhich school-based Wellness Councils and school staff must \ncomply, are referenced below:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HWD-04 \nPage 5 of 8 \n \n \n \nMassachusetts Legislation \no MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nDistrict Circulars \no BPS Water Access Policy and FMT- 20 Drinking Water \nAccess Circular \no FMT-07: Chemical Inventory \u201cRight to Know\u201d Law \no FMT-08: BPS Recycling & Zero Waste Policy \no FMT-10: Integrated Pest Management (IPM) \no FMT-11: Green Cleaners Policy \no FMT-13: Respiratory Protection Program \no FMT-14 Hearing Conservation Program \no FMT-15: Annual Environmental Inspection/Audit \nProgram Conducted by Boston Public Schools/Boston \nPublic Health Commission (City Ordinance 7.12.1-4) \no FMT-17 Volunteer Projects" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 13, + "content": "o FMT-17 Volunteer Projects \no FMT-19 Cleaning and Disinfecting Body Fluid Spills \no FMT-18: Science Safety in Laboratories and Classrooms \no FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \no HWD-04: Healthy School Environments Policy \no HWD-06: Tobacco-Free Environment Policy \no SHS-04: Infection Prevention and Control in School \nSettings \no SHS-20: Asthma in Schools \nBPS Facilities Department & Boston Public Health \nCommission \nBoston Public Schools will ensure all schools comply" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular HWD-04 \nPage 6 of 8 \n \n \n \nwith healthy school environment policies. \nThe Facilities Management Department and the \nBoston Public Health Commission will comply with City \nOrdinance (Boston, MA Ordinances, ch. 10 \u00a7\u00a7 7-14.1-14.4 \n(1996)) by conducting annual environmental \ninspection/audits of each school. They will \ncommunicate a school\u2019s results to each school leader, \nand publish all results on the BPS website, available for \nreview by the public. \nUpon completion of the audit, Facilities Management \nwill immediately address critical health and safety \ndeficiencies by filing a work order with the appropriate \ndivision, and they will incorporate other needed work" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 15, + "content": "at the school sites into the annual budgeting process. \nOn an ongoing basis, Facilities Management will \nprovide technical assistance to principals/heads of \nschool on environmental problems and other building-\nrelated issues. \nSchool leadership and school-based Wellness Councils \nSchool administration and staff must actively \nparticipate in ensuring the school is following district \npolicies and proactively manage environmental health \nissues for the sake of their students and staff. \nSchool principals/heads of school will be responsible for \nreviewing their school\u2019s annual Environmental \nAudit/Inspection results and other related building" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 16, + "content": "condition resources to develop environmental health \npriorities for the school." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular HWD-04 \nPage 7 of 8 \n \n \n \nAdministrators will engage in a collaborative planning effort \nwith their school-based Environmental Committee or \nWellness Council to finalize annual environmental health \npriorities, goals, action steps, and evaluation efforts. \nThe Health and Wellness Department, in partnership with \nthe Facilities Management Department, will annually assess \nall schools' Wellness Action Plans to ensure school leaders \nand school-based Wellness Councils are taking active steps \nto improve the health and cleanliness of their school \nbuilding environment. \nWellness Councils will track the progress of improved school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 18, + "content": "conditions and evaluate annually what efforts worked best. \nWellness Champions will participate in their school Wellness \nCouncils." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular HWD-04 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Senior Executive Director of Health & \nWellness \nDepartment: Office of Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-9698 \nFax: 617-635-1502 \nEmail: healthandwellness@bostonpublicschools.or\ng \n \n \nOwner: Sustainability, Energy, and Environment \nProgram Director \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Ave., Dorchester, MA 02125 \nPhone: 617-635-9576 \nFax: 617-635-9306 \nEmail: Operations-Department- \nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-03 \nVersion 01 \n \nFIELD TRIP TRANSPORTATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThis circular outlines the steps that must be followed when \ntransporting students to field trips where BPS transportation or \nan approved outside supplier is used. Additionally, this circular \noutline general rules regarding transporting students in the \nBoston Public Schools with other approved transportation \nsuppliers. \nSchool buses or approved transportation suppliers\u2019 \nvehicles should be used to transport students to and \nfrom field trips. Privately owned vehicles from non-" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 2, + "content": "approved suppliers or leased vans are not to be \nutilized to transport students to and from field trips, \nexcept in the case of a genuine emergency. Staff who \nutilize their own vehicles risk being legally liable if \nstudents are injured while riding in their automobiles. \n \nTransdev is the supplier currently under contract with the Boston \nPublic Schools (BPS) to provide transportation services on BPS \nyellow school buses, including field trips. All field trip \ntransportation must utilize BPS school buses, unless the request \ncannot be accommodated based on capacity limitations, or an \napproved transportation supplier." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 2 of 12 \n \nArrangements with other suppliers are subject to the designation \nof that supplier as approved by Nate Kuder, the Chief Financial \nOfficer, and may be made by individual schools/departments \nsubject to purchasing regulations. The approved supplier list can \nbe found at the end of this circular. \nStaff should be aware of their responsibility to consult with and \nobtain the approval of their respective school leader or \ndepartment head, using school/BPS letterhead, to make \nagreements or exchange money with parents, outside \ntransportation companies, travel agencies, etc. \nWhen requesting buses for field trips, school leaders should be" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 4, + "content": "aware that BPS has the greatest bus availability between 9:30 \na.m. and 12:30 p.m. However, we encourage and welcome schools \nto submit all of their field trip requests as outlined in this circular. \nIn the event that a request cannot be met, school leaders should \nexplore the opportunity to order buses from approved suppliers \nwho are not restricted to the use of the BPS school bus fleet. A \nlist of approved suppliers is attached at the end of this circular. If \nthe Transportation Department is unable to provide service at \nthe time requested, Transportation will aim to provide notice to \nthe school leader via email at least one week in advance of the" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 5, + "content": "requested trip date. The Transportation Department does not \nrecommend particular suppliers for field trips and does \nrecommend the use of our primary supplier, Transdev, whenever \npossible. \n \nAll field trips must be budgeted on account 52811, regardless of \nthe supplier. If you do not have a field trip account (account" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 3 of 12 \n \n52811), you must submit a budget transfer within your \norganization code to create the appropriate budget line. \nIf students in 7th through 12th grade will be utilizing the MBTA \nfor a field trip, schools can email schooltrips@mbta.com and/or \nsubmit a request through the School Field Trip Submission Form \nshould they need to acquire MBTA passes for students who do \nnot already have a pass because they live within the school\u2019s walk \nzone. \n \nPlease refer to the following circulars for guidelines and \nprocedures for the planning and implementation of BPS field \ntrips: CAO-22 General Guidelines for All Field Trips, CAO-23 Day" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 7, + "content": "Field Trip Guidelines, CAO-24 Overnight Field Trips Guidelines, \nand CAO-25 International Field Trip Guidelines. \n \nI. FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus \nFleet \n \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any \nplanned field trip, as outlined in the field trips circulars \nreferenced above. \n \n2. Submit your request via the Supplemental Transportation \nRequest Form to arrange for booking yellow bus \ntransportation with Transdev at least two (2) weeks in \nadvance of the field trip. If you would prefer to use a \ntransportation supplier from the attached approved" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 4 of 12 \n \ntransportation suppliers list, please use the requisition \nprocess in the BAIS FN system. \n \n3. Once your field trip request through BPS has been \nprocessed, you will receive an invoice from the BPS DOT \nSupplemental Transportation Manager, Kyle Lewis. This \ninvoice will detail payment options. Please continue reading \nfor general payment information. \n \n4. Field trip transportation requests funded through external \ngrants must include the appropriate grant ID and program \ncodes. In the event that funds for an external grant have not \nbeen activated in BAIS FN, you will need to use general" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 9, + "content": "funds (fund 100) for the trip. After the grant funds are loaded \ninto BAIS FN, please email Kyle Lewis, the Supplemental \nTransportation Manager, requesting that they submit an \nexpenditure transfer on your behalf to move field trip \nexpenses from fund 100 to your grant. \ni. As a reminder, all schools planning to have field \ntrips should budget for them using account code \n52811 \nb. Please note that in cases where a school has indicated \nthat they would like to use ESSER or Title I META, the \nschool will need to provide confirmation that this \nspending has been approved by their ESSER Liaison or \nthe district\u2019s Title I Coordinator, Imani Penn \n(ipenn@bostonpublicschools.org)." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 10, + "content": "(ipenn@bostonpublicschools.org). \n \n5. The Transportation Department will only order those field \ntrips utilizing the district\u2019s yellow bus fleet, managed by" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 5 of 12 \n \nTransdev. If you will be using a different vendor for your field \ntrip, please see section II. \n6. Payments should be made through a budget transfer or \ncheck. Field trip transportation will not be scheduled unless \nthe transfer is submitted, or the check is mailed at least five \n(5) school days prior to the date of the trip. \na. Fund 100/general funds: Transfers should be made to \nthe following chartfield in the BPS Transportation \nbudget: \ni. Org: 101081 \nii. Fund: 100 \niii. Account: 52805 \niv. Program: 2695 \nv. Class: 0000 \nvi. Bud Ref/Year: 2024 \nb. Fund 200/grants: BPS Transportation will submit an" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 12, + "content": "expenditure transfer to the Grants Office on your \nbehalf. Please confirm the necessary approvals and the \nbudget line you would like to use to fund your field trip \nvia email to the Supplemental Transportation Manager, \nKyle Lewis, at least five (5) days before your scheduled \nfield trip \nc. Check: Please confirm the check was mailed via email \nto the Supplemental Transportation Manager, Kyle \nLewis, at least five (5) school days prior to the planned \ntrip. Checks should be made out to the Boston Public \nSchools Transportation Department and mailed to: \nKyle Lewis, BPS Transportation Department \nBruce C. Bolling Building \n2300 Washington Street \nRoxbury, MA 02119" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 6 of 12 \n \nNote: Full bus capacity for the BPS yellow bus fleet is \napproximately seventy (70) elementary school students, sixty (60) \nmiddle school students and forty-five (45) adults/high school \nstudents. An adult MUST ride with students on any and all field \ntrips on BPS buses. \n \n7. Final confirmation for any transportation services provided \nby Transdev should be made three (3) school days before \nthe scheduled trip by contacting Kyle Lewis, the \nSupplemental Transportation Manager at Operations-\nDepartment-Heads@bostonpublicschools.org or 617-635-\n9418. Notice of any changes or canceled trips must be" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 14, + "content": "provided to the Transportation Department at least three (3) \nschool days in advance, except in case of emergency. \n \nThe bus price schedule for the BPS fleet (Transdev) is as follows: \nInside Route 128 Discounted Rate: \n$132.50 each way if your trip is between 9:30 a.m. \nand 12:30 p.m. (Buses must be back to your school \nby 12:30 p.m., or the trip will be billed at the regular \nrate). \n \nRegular Rate: \n$190.00 each way or $380.00 for a round trip \nOutside Route 128 Regular Rate: \n$540.00 (in-state), $1,050.00 (out-of-state)" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 7 of 12 \n \nLayover Charges In some cases, if a school requires the bus to stay \non-site, it will cost $42.00 per hour for layover time. \n \n \nII. FIELD TRIP TRANSPORTATION CHECKLIST - Approved Private \nTransportation Supplier \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any planned field trip, as \noutlined in the field trips circulars referenced above. A \nRequest for Waiver form (attached) must be used if \nrequesting the use of suppliers not under contract with the \nBoston Public Schools; supplier options are limited to those \non the attached Approved Field Trip Transportation" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 16, + "content": "Suppliers list. Assurances are required for the use of all non-\nBPS carriers, as noted on the waiver form. This form must be \nattached to the field trip request form appropriate for the \ntype of trip you are conducting (based on the Field Trips \ncirculars referred to above) and forwarded to the Office of \nthe Chief Financial Officer (do not send to theTransportation \nDepartment). \n2. All trips booked with approved private transportation \nsuppliers (this does not include Transdev) must be organized \nutilizing the requisition procedures in PeopleSoft BAIS FN. \nPlease complete the requisition for an approved \ntransportation supplier at least ten (10) school days prior to" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 17, + "content": "the date of the trip to ensure that a purchase order (PO) can \nbe dispatched to the bus company ahead of the field trip. \n3. Please note that requisitions with incorrect account codes \ncannot be processed, therefore you will need to confirm that \nfunds for your field trip are in account 52811. If you do not" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 8 of 12 \n \nhave a field trip account in your budget (account 52811), you \nmust submit a budget transfer within your organization \ncode to create the appropriate budget line. Transportation \nrequests funded through external grants must include the \nappropriate grant ID and expense codes. \n4. The details of the requested field trip must be entered on \nthe requisition in the header details panel using the \ncomment section. The details must include the following \ninformation: \na. Contact person \nb. Phone number \nc. Email \nd. Pick-up location \ne. Site to be visited \nf. Address \ng. Site telephone number \nh. Site contact person \ni. Purpose of trip" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 19, + "content": "h. Site contact person \ni. Purpose of trip \nj. Date of trip \nk. Departure time \nl. Time back at school \nm. Number of students \nn. Number of buses needed \no. Adults riding along \n5. For requisitions to post, a valid budget check must be done. \nRequisitions that do not pass a budget check will not be \nprocessed. It is the responsibility of the school ordering the \ntrip to ensure that all budget checks have passed and that a \npurchase order has been dispatched. Refer to the BAIS FN \nPeopleSoft training material titled \u201cCreating a Requisition\u201d if \nyou need assistance in this procedure." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 10 of 12 \n \nREQUEST FOR WAIVER FORM TO USE SCHOOL BUS SUPPLIERS \nNOT CURRENTLY APPROVED AND UNDER CONTRACT \n \nThis form must be used when utilizing suppliers that are not already under \ncontract with the Boston Public Schools. \n \n \nI am hereby requesting a waiver to use non-Boston Public School \ntransportation for the field trip \nrequested on the attached Field Trip Request Form (based on the Field Trips \ncirculars referenced above). \n \nSCHOOL: \n \nDATE OF TRIP: \n \nDESTINATION: \n \nBUS COMPANY (CARRIER): \n \nRENTAL COMPANY CARRIER: \n \nThe building administrator must check each of the following to indicate" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 22, + "content": "documentation on file in the school providing assurances noted: \n \n\u25cf Three informal quotes received from potential non-BPS transportation \ncarriers." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 11 of 12 \n \n\u25cf Carrier selected is licensed by the Commonwealth to provide charter \nservice. \n\u25cf Carrier drivers are properly licensed to provide charter service. \n\u25cf Carrier drivers are all CORI & SORI checked. \n\u25cf Carrier maintains a minimum bodily liability insurance policy of $1 \nmillion per occurrence. \n \n \nAPPROVALS: \n \n \n___________________________________________ ________________________ \nSignature of Principal/Head of School Date \n \n \n___________________________________________ ________________________ \nSchool Superintendent Date \n \n \n___________________________________________ ________________________" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 24, + "content": "Chief Financial Officer Date \n \nTHIS FORM SHOULD BE SUBMITTED TO THE PARTIES LISTED ABOVE. \nALLOW AT LEAST TEN SCHOOL DAYS FOR APPROVAL" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular TRN-03 \nPage 12 of 12 \n \nAPPROVED FIELD TRIP TRANSPORTATION SUPPLIERS \nSupplier Name Supplier ID Phone \nNumber \nAddress \nAdams Motor \nTransportation Inc. \n0000003388 617-296-1930 631 Walk Hill Street, \nMattapan, MA 02126 \nChantals, Inc. 0000053323 617-293-0754 35 Nikisch Avenue, Boston, \nMA 02131 \nCrystal Transport, \nInc. \n0000001421 617-787-1544 1616 Hyde Park Ave, \nBoston, MA 02136 \nDollar Ride ECO \nRide LLC/ ECO \nRide Group \nTransportation \n0000071239 62 Huntington Street, \nBrockton, MA 02301 \nEastern Bus \nCompany \n0000000396 617-628-6868 PO Box 514, Somerville, MA \n02143 \nLocal Motion, Inc. 0000022242 781-535-6344 66B Rocsam Park Road," + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 26, + "content": "Braintree, MA 02184 \nPeople Care-iers, \nInc. \n0000003949 617-361-1515 270 Islington Road, \nNewton, MA 02466 \nTony\u2019s \nTransportation, \nInc. \n0000055218 617-719-3777 66 Glendale Street, PO Box \n220815, Boston, MA 02125 \nVocell Bus \nCompany, Inc. \n0000000385 781-393-0220 378 Commercial Street, \nMalden, MA 02148" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-02 \nVersion 01 \n \n \n \nSTUDENT TRANSPORTATION SAFETY & DISCIPLINE \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nHEAD OF SCHOOL/PRINCIPAL EXPECTATIONS \nThe school bus is considered an \"extension of the classroom\" in \nterms of expected student behavior. The school is responsible for \nworking with students and parents/guardians to address \nbehaviors of students and parents/guardians that take place on \nor are related to bus service that are not consistent with school \nand district policies. This policy reinforces the Standards of \nBehavior for Boston Public School students. The head of" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 2, + "content": "school/principal is responsible for implementing the Code of \nConduct and Standards of Behavior as they apply to students and \nparents/guardians while utilizing school transportation and the \nMBTA. The head of school/principal will also communicate \nstudent/parent/guardian obligations at the start of the school \nyear via student presentations and notification to \nparents/guardians through School-Based Rules. Please note that \nthe Code of Conduct includes procedures for the denial of \ntransportation. \nThe head of school/principal will apply all approved Boston Public \nSchools policies and procedures to matters of regular" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 3, + "content": "transportation service and field trips, athletics, and late bus runs." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 2 of 10 \n \n \n \nINCIDENT REPORTING AND RESPONSE \nThe head of school/principal will report all incidents, maintain all \nrecords, and take appropriate action as prescribed in applicable \nSuperintendent's Circulars, including but not limited to any state \nor federal reporting (e.g., mandated reporting to DCF or the SSDR \nreport for DESE, etc.). In the event of a school transportation \nincident resulting in student injury, the school administrator will \ncontact the parent(s)/guardian(s) and provide appropriate \ninformation in accordance with Superintendent's Circular FSE-05, \nMedical Emergency Management. The head of school/principal" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 5, + "content": "will maintain copies of all incident reports filed by drivers and \nutilize reports for remedial actions. \nBPS school buses are equipped with two cameras. One camera \nfaces out from the bus forward to record oncoming traffic. The \nsecond camera is focused inward on the bus from the front of the \nbus. Cameras do not record sound. Only in emergency situations \n(e.g. active missing student investigation) may camera footage \nbe accessed in real time and only by Department of \nTransportation personnel. When an incident is reported, \ndepending on the nature of the incident, a review of video \nfootage of the reported incident may be requested by a school, a" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 6, + "content": "parent/guardian, or a member of the district transportation team. \nIn most situations, student conduct investigations will rely on \nincident reports from students and adults on board the bus, \nrather than camera footage. Any requests for bus footage must \nrun through the BPS Transportation Department. Cameras have \nlimited video storage capacity that typically store 7 (seven) to 10 \n(ten) days of footage, depending on bus usage. Cameras are not \nactively monitored. Neither BPS DOT nor the bus vendor will use \ncameras for any purpose other than investigating specific" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 3 of 10 \n \n \n \nallegations. \nWhen incidents occur that are related to bus transportation, BPS \nDOT can work with schools on implementing solutions to \nsupport successful student transportation on BPS buses. Some \nstrategies that have been effective in the past include but are not \nlimited to school-led mediations with parents/guardians, \nstudents, bus drivers, bus monitors, and school staff; school-led in \ndepth training for drivers and/or monitors; school assigned bus \nseating plans; addition of a bus attendant by the school to the \nbus. In very limited circumstances, requiring approval of the \nDirector of BPS DOT, a student, driver, or monitor may be" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 8, + "content": "reassigned. Such reassignment will be a last resort only after \nother strategies have been exhausted. This helps ensure that \nstudents are fully supported in learning how to successfully \nnavigate yellow bus transportation. \nRELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING \nBUS ARRIVALS AND DISMISSALS \nThe head of school/principal or their designee is responsible for \nmonitoring transportation service and the performance of school \nbus drivers and monitors. This includes daily one-on-one contact \nby school staff with a driver upon their arrival and departure from \na school. Heads of school/principals are advised and encouraged" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 9, + "content": "to make all efforts to maintain a positive relationship with all \ndrivers and bus monitors and to also endeavor to work \nconstructively with all BPS and Transdev staff with whom they \ncome in contact throughout the school year. \nSchool administrative staff are responsible for managing safe and \nefficient bus arrival and dismissal processes. All buses assigned to" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 4 of 10 \n \n \n \na school are together scheduled to be fully loaded or unloaded \nwithin a ten-minute window. To be on time for all subsequent \ntrips, in the morning all buses must be unloaded and depart the \nschool by the school\u2019s bell time. In the afternoon, all buses \nassigned to a school must load and depart the school by 10 \nminutes after the bell time. \nWhen arriving at schools, buses may not allow students to unload \nuntil a member of the school staff is present to meet students. \nThis ensures that a school staff member is present to take \nresponsibility for students before students exit the bus. Schools" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 11, + "content": "are responsible for maintaining up-to-date bus rosters and \nensuring students are placed on their assigned bus during bus \ndismissal. BPS Transportation Department operations support is \navailable to review bus loading and unloading procedures upon \nrequest. \nHeads of school/principals are encouraged to make time \navailable to meet with drivers who wish to confer with them on a \nvoluntary basis throughout the school year for the purpose of \nmaintaining their transportation safety/discipline program. \nHeads of school/principals may provide drivers with a seating \nplan for each bus, but they should work constructively with \ndrivers and monitors in the implementation of such a plan. If a" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 12, + "content": "seating plan is put in place, students should be instructed to \nremain in their assigned seats throughout the trip. \nThe head of school/principal or their designee should regularly \ninterview students to make assessments of the quality of \ntransportation service and are also asked to monitor ridership \nand notify BPS Transportation if any bus assignments are not \nbeing utilized. Schools can provide student opt out information in" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 5 of 10 \n \n \n \nour Support Portal. This link provides a walkthrough. We ask \nschools to utilize our Support Portal to ensure accountability \nwithin our team and support our effort to reduce follow-up times. \nThe head of school/principal or their designee may occasionally \nride school buses for first-hand observation of operations, but \nnotification to the Transportation Department must be made in \nadvance to ensure that buses are within capacity requirements \nfor ridership. \nMonitors assigned through the special education process are \nessential members of a student\u2019s support team. Schools are" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 14, + "content": "responsible for training bus monitors on IEP required student \nspecific supports. Monitors must be included in students\u2019 \nsupport teams for training on an ongoing basis to be prepared to \nbest meet the needs of our students who ride the bus and to help \nensure students can succeed in the least restrictive environment. \nSchools may contact the BPS DOT Monitors Unit to arrange \nmeetings with monitors throughout the school year. \nPlease remember that bus drivers and bus monitors are \nimportant members of our school community. When they are at \nyour school, per district policy, they are permitted to use \nrestroom facilities. Bus drivers and bus monitors are expected to" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 15, + "content": "present identification to enter any building. Just like for all other \nmembers of our school and district staff, please ensure that these \nteam members have access to bathroom facilities in your \nbuilding as needed. \nSAFETY EDUCATION AND EVACUATION DRILLS \nThe head of school/principal will support all safety education \nefforts relative to transportation and initiate programs within the" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 6 of 10 \n \n \n \nfirst week of the school year and throughout the school year. \nSchool bus evacuation drills are to be conducted in accordance \nwith M.G.L., Chapter 90, Section 9B, which mandates school bus \nevacuation instruction and drills. Evidence of completed \ninstruction and drills must be kept on file by the head of \nschool/principal. BPS Transportation, Transdev Safety, and BPS \nSafety Services personnel will assist school administrators in \nconducting bus evacuation drills as required by M.G.L. Chapter \n90, section 9B. \nROLE OF THE BPS TRANSPORTATION DEPARTMENT \n\u2022 The Transportation Department acts as the liaison between" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 17, + "content": "the bus company, school personnel, parents/guardians, BPS \nSafety Services, and Boston Police Department. \n\u2022 The Transportation Department monitors contractual \ncompliance by vendors relative to the employment of \ndrivers and driver conduct. \n\u2022 The Transportation Department records all complaints \nregarding driver behavior and forwards them to the \ncompany for remedial action by the bus company. The \nDirector of Transportation may, in extreme circumstances, \norder suspension or reassignment of drivers subject to \nconsultation with the bus vendor and the collective \nbargaining agreement between drivers and bus company. \n\u2022 The Transportation Department completes bus routing and" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 18, + "content": "planning to create efficient bus schedules that minimize \nride time for students and optimize deployment of drivers, \nmonitors, and buses. Where necessary, the Transportation \nDepartment will revise routes or pick-up points to reduce" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 7 of 10 \n \n \n \npotential safety problems. \n\u2022 The Transportation Department provides parents/guardians \nwith advice relative to procedures to assist in the resolution \nof transportation issues. \n\u2022 The Transportation Department notifies the head of \nschool/principal of any school bus accident, including a list \nof the students onboard the bus and any other relevant \ninformation. In the event an accident occurs after school \nhours, the Transportation Department will attempt to notify \nthe Head of School/Principal at home. \n\u2022 In the event of a school transportation accident or incident \nresulting in student injury, BPS Transportation implements" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 20, + "content": "the following procedures: \no Ensures Transdev Safety staff has properly followed \nprocedures and notified police or emergency medical \nservices as necessary. \no Notifies the school building administrator, principal \nleader, assistant superintendent of operations, and \noperational leader, relaying all available information. \nBuilding administrators are then responsible for \nnotifying parents/guardians. \n\u2022 If the building administrator or other school-based staff is \nnot available, BPS Transportation Department staff will \nnotify parents/guardians or emergency contact person. \nROLE OF THE BUS COMPANY \u2013 TRANSDEV TRANSPORTATION \nThe bus company will comply with all requirements contained in" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 21, + "content": "its contract with the School Committee, its collective bargaining \nagreements with its staff, and all Massachusetts laws and" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 8 of 10 \n \n \n \nregulations as they pertain to school bus safety and reporting. \nThe bus company will adhere to the Incident Response & Report \nProcess as outlined below: \n1. The Transdev Safety Desk will log all calls and deployment \nrequests sent into the Safety Desk by drivers or safety staff, \nBPS Transportation, or others and will submit those along \nwith any incident reports generated after an incident. \n2. In an emergency, Transdev Safety Desk will call BPS or EMS \nand deploy Transdev road safety supervisors to all serious \nincidents and accidents. Transdev Safety Desk will notify \nBPS Transportation staff immediately upon learning of any" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 23, + "content": "serious incident and will continue to supply timely details \nfrom the scene as they become available. In the event of a \nschool transportation incident resulting in student injury \nafter normal operating hours, Transdev Safety Desk staff and \nBPS Transportation Call Center staff will assist school \nadministrators in the parent/guardian notification process. \n3. Transdev drivers will provide as much specific information \nas possible over the radio to Safety Desk and in their written \nreports, mainly the names and student numbers of involved \nstudents. Drivers should also fill out incident reports and \ngive copies to school administrators and their branch" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 24, + "content": "supervisors daily. All incident reports are logged on a \ncomputer database at the bus company. \n4. Transdev safety staff and BPS Transportation work together \nto communicate with heads of school/principals and police \nwhere necessary to assist in the resolution of incidents. \nHeads of school/principals are required to contact \nparents/guardians and discipline students when necessary." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 9 of 10 \n \n \n \nThe bus company will instruct drivers to meet with heads of \nschool/principals after the \"dry runs\" of bus routes before the \nopening of school. Heads of school/principals should be prepared \nto discuss their student transportation safety/discipline program \nwith drivers at that time and throughout the year. Drivers may \nalso be made available to meet with the head of school/principal \non an ongoing basis. Arrangements for meetings can be made by \ncontacting the BPS Transportation Department. \nTransdev road safety supervisors and driver trainers will inspect \nthe safety and accessibility of pick-up and drop-off locations" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 26, + "content": "throughout the city as requested." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular TRN-02 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: Chief of Student Support \nDepartment: Student Support Office \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000 \nFax: 617-635-8006 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nTRN-01 \nVersion 01 \n \n \nSCHEDULE OF SCHOOL HOURS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAttached is an alphabetical listing of opening and closing hours \nfor each school for the school year. This listing includes an AM \nbus drop-off time for each school when staff must be available to \naccept students, an AM bell, a PM bell, and an early dismissal \ntime and day of week. \nPlease pay special attention to the AM and PM bell times for your \nschool. No changes may be made to these schedules \u2014 including \nto early dismissals \u2014 without the written permission of the chief" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 2, + "content": "operating officer. All requests for changes to bell times for the \nsubsequent school year must be made in writing to the chief \noperating officer before the end of October. \nPlease note the following regarding any requested changes: \n\u25cf Any requested bell time changes must be for either \n7:30am, 8:30am, or 9:30am AM bell times in order to align \nwith the District\u2019s 3-tier bell schedule \n\u25cf No requested bell time changes for an 8:30am start can be \naccommodated at this time, as the transportation \noperation is at capacity during the 2nd tier. \nIMPORTANT NOTES ON TRANSPORTATION: \n\u25cf All BPS buses are scheduled to arrive at schools 15 minutes" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular TRN-01 \nPage 2 of 3 \n \n \nbefore the scheduled AM bell time to give students time \nto settle in and have breakfast before instruction starts. \nAdequate staff assistance is needed to make sure buses \nare unloaded as they arrive, as efficiently and safely as \npossible, so that these buses can get to the next \nscheduled location on time. Buses are expected to depart \nthe school for their next trip no more than 10 minutes after \ntheir arrival. In some cases, with agreement from the \nschool, buses are scheduled to arrive more than 15 \nminutes before the scheduled AM bell time \n\u25cf PM buses are scheduled to arrive at each schools\u2019 PM bell" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 4, + "content": "time. Adequate staff assistance and the appropriate \ndismissal procedure are needed to make sure buses are \nloaded as they arrive. Buses are expected to depart 10 \nminutes after the PM bell to get to their next scheduled \nlocation on time. \n\u25cf On the day before Thanksgiving and the last two days of \nschool in June, all schools will dismiss pupils a uniform \ntwo (2) hours and thirty (30) minutes earlier than their full-\nday PM bell time, unless operationally there is a need to \nmodify dismissal. The uniform two hour and thirty-minute \nearly release will apply to all schools, regardless of any \nregularly scheduled early release or past practice." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 5, + "content": "\u25cf Certain specialized programs/schools have hours that are \nsubject to determination by the superintendent or \ndesignee." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular TRN-01 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: Executive Director of Transportation \nDepartment: Transportation \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9643 \nFax: 617-635-9541 \nEmail: Operations-Department-Heads@bostonpublicschools.org \nMary Skipper, Superintendent \n \nATTACHMENT: \n BOSTON PUBLIC SCHOOLS SCHEDULE OF SCHOOL HOURS" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSCP-01 \nVersion 01 \n \n \nSCHOOL COMMUNITY PARTNERS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBPS deeply values the essential role that School-Community \nPartners play in our collective efforts to eliminate opportunity \nand achievement gaps. To advance our goals of providing BPS \nstudents and families equitable access to high-quality partner \nopportunities and create more coherence, alignment, and \nunderstanding of the complex and extensive partnership \nlandscape, BPS requires the implementation of this PartnerBPS \n(www.partnerbps.org) Policy for all BPS schools and for all BPS" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 2, + "content": "School-Community Partners. \nPOLICY STATEMENT \nAny School-Community Partner providing any services in any \nBPS school must register and update their information annually \nvia the PartnerBPS Partnership Platform. BPS requires all School-\nCommunity Partners to be fully registered and approved via the \nPartnerBPS platform before providing any services within any \nschool. \n \nDEFINITION OF A SCHOOL-COMMUNITY PARTNER \nA School-Community Partner is an organization, group, or" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SCP-01 \nPage 2 of 5 \n \n \ncoalition that intentionally collaborates with the Boston Public \nSchools to provide ongoing, direct services to BPS students, staff, \nfamilies, and/or other members of the school community. This \nbroad definition encompasses a variety of groups, including \ncommunity-based organizations, colleges and universities, \nbusinesses or corporations, hospitals, government agencies, \ncultural institutions, nonprofit or non-governmental \norganizations and faith-based organizations. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOLS \nA. School principals/school leaders/heads of school and/or a \nschool staff member designated by the principal/head of" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 4, + "content": "school must identify all School-Community Partners \nproviding services within the school building at the start of \neach school year within the www.partnerBPS.org website. \nThis can be an agreement, contract, or Scope of Work \noutlining services provided and expectations on both sides. \nIf the partner is a paid partner, the school is responsible for \nentering the requisition before the partner begins providing \nservices to the school and providing this requisition number \nto the partner. No Boston Public School employee, other \nthan those listed below, is authorized to enter a contract \nwith any vendor. This includes, but is not limited to" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 5, + "content": "contracts, agreements, memorandums of understanding, \ngrants, partnership agreements, or any other expenditure \nthat binds the district to payment for services/goods. This \nincludes purchases for services or goods for under $10,000. \nB. If additional School-Community Partners begin work at the \nschool site during the school year, the designated school \nstaff must also ensure the partner is registered and all" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SCP-01 \nPage 3 of 5 \n \n \nagreements entered www.partnerBPS.org before services \ncan begin. \nC. The school designee must ensure that all current School-\nCommunity Partners are registered on PartnerBPS by \nAugust 31st of the upcoming academic school year. \nD. School leader or designee will require all new partners \nbrokered throughout the school year to register in \nPartnerBPS before beginning services at the school. \nE. School leaders or designee must review their PartnerBPS \nSchool Partnership profile annually to verify and rate the \npartnerships listed on their profile. Review, verification, and \nrating should be conducted by June 30, before the end of" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 7, + "content": "the school year. \nF. Schools should use PartnerBPS as a resource for accessing \nand brokering partner opportunities and helping students \nand families identify and access partner opportunities. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY \nPARTNERS \nAll School-Community Partners must be fully registered and \napproved on PartnerBPS.org before providing any type of service \nin a BPS school. \nIn order for School-Community Partners to be considered fully \nregistered, they must complete three steps: organization \nregistration, program registration, and partnership registration. \nFurther instructions and tutorial information on registering for" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 8, + "content": "PartnerBPS can be found at https://partnerbps.org/help-school-\ncommunity-partners/. \nAll registered School-Community Partners must update their" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SCP-01 \nPage 4 of 5 \n \n \nPartnerBPS profile by September 30 before providing their \nservices in schools. Updates should include registration of all \nschool partnerships for the upcoming year, an update of current \ninformation in organization and program profiles, and \ncompletion of any questions that have been added by the \nSchool-Community Partnerships team. \nAs part of this process, School-Community Partners should work \nwith partner schools to establish a school-based partnership \nagreement which they should then upload onto PartnerBPS.org. \nIn addition to the annual updates, School-Community Partners" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 10, + "content": "should regularly monitor their profiles and keep information up \nto date. At minimum, review and necessary revisions should be \ncompleted by November 1 and April 1 of each school year. \nAll School-Community Partners are required to be aware of and \nfollow the guidelines outlined within the Guide for School \nCommunity Partners. \nAppropriate and authorized BPS staff reserve the right to deny \napproval of partners if they do not meet basic safety or quality \nstandards set forth by BPS, including those found within the \nGuide for School Community Partners. \nIMPLEMENTATION MONITORING & SUPPORT \nA. The Office of Family and Community Advancement\u2019s" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 11, + "content": "Partnerships Team will approve and/or follow up with \nregistering partners after registration completion. If \nadditional information is required before registration \napproval can be granted, the Team will contact the \nadministrator of the respective PartnerBPS account for \nmore information." + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SCP-01 \nPage 5 of 5 \n \n \nB. The Partnerships Team will provide partners and schools \nwith ongoing PartnerBPS technical assistance and support \nusing the site. In addition, support resources are available \nonline at https://partnerbps.org/help-school-community-\npartners/. \n \nFor more information about this circular, contact: \nOwner: Director of Partnerships \nDepartment: Office of Family and Community Advancement \nMailing \nAddress: 2300 Washington Street, Roxbury, MA 02119 \nEmail: ofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-08 \nVersion 01 \n \n \n \nEXPECTANT AND PARENTING STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nBoston Public Schools aims to graduate all students from high \nschool and prepare them for college and career success. For \nstudents who are expecting or raising children, it is especially \ncrucial to maintain high expectations and intensive support for \nschool completion, as pregnancy and parenthood are among the \nprimary reasons many students drop out of school. As a school \ndistrict, Boston Public Schools aims to prevent student" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 2, + "content": "pregnancy through comprehensive health education and access \nto sexual health services. Under the District Wellness Policy, \nschools must provide students with access to key resources and \nservices that are developmentally appropriate, and support \nsexual and reproductive health in a safe and supportive \nenvironment. It is also essential to engage with students who are \ncurrently expectant or parenting to ensure a safe and supportive \nlearning environment and to promote academic success. \nMoreover, we must ensure compliance with district policies that \nprohibit bias-based conduct consistent with federal Title IX law, \nwhich prohibits discrimination against students who are" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 3, + "content": "pregnant or parenting." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 2 of 28 \n \n \n \nDEFINITIONS \nExpectant: an individual, regardless of gender identity, who \nis either pregnant or the partner of someone who is \npregnant. \nParenting: an individual, regardless of gender identity, who \nis the parent of a child. \nCaregiver: an individual currently providing care for the \nstudent who has completed the notarized \u201cCaregiver \nAuthorization Affidavit\u201d granting education decision-making \nrights. \nEmancipated minor: an individual under age 18 who is self-\nsupporting and independent of parental control, sometimes \nas a result of a court order terminating the rights and duties" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 5, + "content": "of the parent(s). Under Massachusetts law, a minor who is \npregnant or parenting is not automatically emancipated; \nhowever, as provided for in the law, pregnant and parenting \nstudents can give independent consent for medical or \ndental care for themselves or their children, including for \nschool-based medical services (see M.G.L. Ch. 112 \u00a7 12F). \nFERPA (Family Educational Rights and Privacy Act): a \nfederal law that affords parents the right to have access to \ntheir children\u2019s education records, the right to seek to have \nthe records amended, and the right to have some control \nover the disclosure of personally identifiable information" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 6, + "content": "from the education records. When a student turns 18 years \nold or enters a postsecondary institution at any age, the \nrights under FERPA transfer from the parents to the \nstudent." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 3 of 28 \n \n \n \nHIPAA (Health Insurance Portability and Accountability \nAct): a federal law establishing national standards and \nrequirements for electronic health care transactions and \nprotecting the privacy and security of individually \nidentifiable health information. This law applies to health \ncare providers and ensures that they do not share medical \ninformation about their patients without the patients\u2019 \npermission. \nGender identity: A person's internal sense of being male, \nfemale, some combination of male and female, or neither \nmale nor female. A person\u2019s gender identity can be the \nsame or different from their physiology or assigned sex at" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 8, + "content": "birth. \nParent: a child\u2019s mother or father or both or guardian, or a \nperson or agency legally authorized by a court order to act \non behalf of the child in place of or in conjunction with the \nmother, father, or guardian. \nPOLICY \nMaintaining Confidentiality \nExpectant and parenting students have the right to choose how \nand when they seek services and support from school staff. \nSchool staff must adhere to all applicable laws and regulations on \nconfidentiality for students, including the requirements stated in \nthe Family Educational Rights and Privacy Act (FERPA). As \nprovided for by this law, expectant and parenting students have" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 9, + "content": "the right to have their health and personal information kept \nconfidential, including from other students and school staff who" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 4 of 28 \n \n \n \nare not required to be kept informed, except in circumstances \ninvolving their physical safety. \nWhen a student informs a school staff member of their expectant \nor parenting status, the staff member must inform their head of \nschool within a reasonable time period as appropriate. A \nreasonable time period should be determined by the immediacy \nof the student\u2019s need for an adjusted attendance policy and \nacademic supports; for expectant students, sufficient time should \nbe allowed for medical and health decisions to be made before \nsharing the student\u2019s expectant status with the head of school." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 11, + "content": "The staff member who has been informed must make the \nexpectant or parenting student aware of the need to inform the \nhead of school. The staff member should discuss with the \nstudent and determine a reasonable time period in which to \ninform the head of school. Depending on the details of the \nsituation, the student\u2019s preferences regarding confidentiality, and \nthe student\u2019s needs, the head of school should then share this \ninformation with other staff on a limited, need-to-know basis. \nSchool staff must not force or coerce a student to inform their \nparents, or any other individual, of any pregnancy or parenting-\nrelated information. School staff must not disclose information" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 12, + "content": "about a student\u2019s expectant or parenting status to the student\u2019s \nparents without permission from the student. If information \nabout a student\u2019s pregnancy is documented within the student \nrecord of a student under the age of 18, and parents make a \nrequest for the student record, FERPA would require the district \nto present parents with an opportunity to view the student \nrecord. Boston Public Schools encourages communication with \nand involvement of parents/guardians/caregivers regarding \nhealth services and student supports. School staff working with" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 5 of 28 \n \n \n \nexpectant or parenting students should encourage students to \nconsider informing their parents/guardians/caregivers or other \ntrusted family members about the pregnancy and decisions \nrelated to that pregnancy. \nNothing in this policy must prevent the disclosure of information \nin certain limited circumstances: cases of suspected child abuse \nor neglect (in accordance with laws on mandated reporting of \nabuse), threats by a minor against themselves or others, or cases \nwhere there is a serious risk to a minor\u2019s life or health. A student\u2019s \npregnancy does not in itself constitute a serious risk to a minor\u2019s" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 14, + "content": "life or health, and therefore does not compel a staff member to \nfile a 51A based solely on the student\u2019s pregnancy, regardless of \nthe student\u2019s age. \nA student must give written consent to store data linking their \nname with academic information and their expectant or \nparenting status. Storing this data together will help to ensure \nthat the student is receiving coordinated academic support. \nBefore giving this written consent, students must be informed \nthat, if they consent, information about their expectant or \nparenting status may be accessible to their parents as part of \ntheir full academic records. Any aggregated or trend data on" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 15, + "content": "expectant or parenting students should not include any \nidentifying information. Qualified medical professionals within a \nschool building may keep confidential medical records on \npregnant students who have sought treatment. \nEnsuring a Safe and Supportive Learning Environment \nBPS Equity circulars protect the rights of students, including \nexpectant and parenting students, to attend school in an \nenvironment free of bias-based conduct. Regardless of their" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 6 of 28 \n \n \n \nsexual orientation, gender identity, relationship status, marital \nstatus, race, ethnicity, immigration status, Special Education or \nEnglish learner status, or other identities, expectant and \nparenting students have the same right as any other students to \nattend district schools or programs. District staff must not \nengage in bias-based conduct toward any expectant or \nparenting student, or exclude expectant or parenting students \nfrom any school, program, class, or extracurricular activity on the \nbasis of a student\u2019s expectant or parenting status. School staff are \nencouraged to bring an anti-racist lens to ensuring that" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 17, + "content": "expectant and parenting students be respected, provided with all \nneeded supports, and actively encouraged to achieve their \nacademic goals. \nSchool personnel may require an expectant or parenting student \nto obtain the certification of a physician that the student is \nphysically and emotionally able to continue participation in such \nprograms or activities only if a certification is also required of all \nother students with physical or emotional conditions requiring \nthe attention of a physician. \nAll school staff must maintain and communicate high academic \nexpectations for all students, regardless of expectant or \nparenting status. Bias-based counseling and the use of materials" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 18, + "content": "that treat students differently on the basis of sex, including \nexpectant or parenting status, are prohibited. \nThe Office of Equity and administrators at each school are \nresponsible for monitoring compliance with the provisions of this \ncircular. Individuals who feel that this circular may have been \nviolated or that they have been subject to bias-based conduct \nmay contact the BPS Office of Equity. Any school employee who" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 7 of 28 \n \n \n \nbecomes aware of bias-based conduct against an expectant or \nparenting student must report such conduct to the head of \nschool and/or to the Office of Equity. \nFinally, to promote a safe and supportive school environment, \nteachers and school staff must be sensitive to the health needs of \nexpectant and parenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, taking extra \nbathroom breaks, or leaving class shortly before dismissal to \nallow more time to pass between classes. Schools must also \naccommodate new mothers\u2019 need to express breastmilk and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 20, + "content": "work with students in partnership with the Office of Equity to \nidentify a private, sanitary location for this purpose, along with \nappropriate storage space for nursing equipment. \nPromoting Academic Success \nExpectant and parenting students have the right to remain in \ntheir regular or current school program, subject to universal \nparticipation requirements for those programs. School programs \ninclude but are not limited to: honors programs; special \neducation placements; specialized language programs; \nalternative programs; extracurricular, intramural, and \ninterscholastic activities; and graduation programs or activities. \nStudents may attend an alternative school or participate in an" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 21, + "content": "alternative program or activity for expectant or parenting \nstudents, but such enrollment or participation must be \ncompletely voluntary and never coerced. The alternative school, \nprogram, or activity must align with the Common Core State \nStandards and the Massachusetts Curriculum Frameworks." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 8 of 28 \n \n \n \nImplementing Attendance Policies \nAbsences for reasons of pregnancy and related medical \nconditions, including pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, and \nrecovery therefrom, must be considered excused absences. \nStudents have the right to be reinstated at the same school with \nthe same status as before the leave began after any pregnancy-\nrelated medical leave and/or parental leave. \nStudents who are parents are entitled to a fair and reasonable \nparental leave following the birth of a new child. Students who \nare parents are entitled to a minimum of eight weeks of parental" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 23, + "content": "leave for the purpose of giving birth, although a school may not \nrequire a student to remain out of school for a fixed period of \ntime post-childbirth. The amount of parental leave for each \nexpectant student shall be determined in consultation with the \nstudent, school staff, the student\u2019s health care providers, and any \nother adults the student consents to include. School staff should \nencourage students to consider including their \nparents/guardians/caregivers in this conversation. \nDocumentation from students\u2019 licensed healthcare providers \nmay be required for verification of pregnancy and related \nmedical conditions only if it is also required for absences due to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 24, + "content": "other medical conditions. \nAbsences due to the illness or medical appointment during \nschool hours of a student\u2019s child shall also be considered excused \nabsences. Parenting students shall not be required to provide \ndocumentation from a licensed healthcare provider to verify their \nchildren\u2019s illnesses unless such documentation is also required \nfor absences due to all students\u2019 medical conditions." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 9 of 28 \n \n \n \nSchools must support the continuation of learning during \nexcused absences and leave, as medically appropriate. Every \nreasonable effort must be made to provide school and home-\nbased independent study activities for students who are or will \nbe absent for a significant period of time due to pregnancy-\nrelated illnesses, childbirth, and recovery, and parental leave. \nStudents who are pregnant or parenting must have access to \nhomebound or hospital instructional services on the same basis \nas any other student who misses school for a temporary medical \ncondition. \nStudents with excused absences due to their expectant or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 26, + "content": "parenting status must have the same opportunity to complete \nassignments and tests missed, or an equivalent of the work \nmissed, that any other student would have after excused \nabsences. Students must be given full credit upon satisfactory \ncompletion of that work. \nUsing Liaisons to Share Information \nHeads of school that oversee any student in grades 6-12 must \nidentify a school liaison for the Expectant and Parenting Students \nPolicy to help share information among the school community. \nSchools must submit the name of this liaison to the Health and \nWellness Office. The liaison may be a guidance counselor, school \nnurse, social worker, or other school staff member. Should the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 27, + "content": "expectant and parenting student liaison step down, a \nreplacement must be identified and reported to the Health and \nWellness Office within 15 school days. \nLiaisons will work with the school leadership and the School \nWellness Council to share this policy with staff, students, and \nfamilies. All schools within the district that include any grades 6-" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 10 of 28 \n \n \n \n12 must disseminate this policy among school staff and \nadministration. The policy must also be shared with students and \nfamilies within the first month of school, and it must be posted in \nthe school nurse\u2019s office throughout the school year. The school \nmust make the policy publicly available in any school-based \nhealth centers or health resource centers. The name of the \nexpectant and parenting student liaison as well as a copy of this \npolicy must also be posted on the school website. \nHeads of school are ultimately responsible for the academic \nsuccess of their students. Therefore, school leaders must" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 29, + "content": "intervene in cases where students\u2019 needs are not being met, \nespecially when the action or inaction of school staff is a \ncontributing factor. \nThe Office of Health and Wellness will coordinate training for \nliaisons. That office must supply district and community \nresources to liaisons. Liaisons must make this information \navailable to students and staff as needed." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 11 of 28 \n \n \n \nPOLICY IMPLEMENTATION AND REVIEW \nCentral offices and departments (e.g., Opportunity Youth, Health \nServices, Health & Wellness), in collaborations with school \nsuperintendents, will work with schools where there are multiple \nexpectant and parenting students, where existing support \nsystems may not be adequate to support their needs, to help \nestablish a plan for providing more comprehensive systems of \nsupport. For example, this could include creating a school-based \nteam to develop and implement individual student plans, hiring a \npart-time student liaison to work with expectant and parenting" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 31, + "content": "students, or bringing in external programs or resources to \nsupport students. In all cases, the plan must be approved by the \nhead of school and must match available school resources \n(particularly staff and budget). \nThis policy and its associated implementation procedures will be \nreviewed annually by the Office of Equity and the Office of Health \nand Wellness and updated as needed. \nIMPLEMENTATION GUIDELINES & PROCEDURES \nRights of Expectant and Parenting Students \nExpectant and parenting students have the right to: \n1. Choose how and when they seek services and support from \nschool staff. \n2. Choose when and how to inform \nparents/guardians/caregivers or other trusted family" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 32, + "content": "members of their pregnancy and decisions related to that \npregnancy." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 12 of 28 \n \n \n \n3. Have information shared with school personnel on a need-\nto-know basis only, unless the student provides written, \ninformed consent. \na. In particular, students must give written, informed \nconsent before information on their expectant or \nparenting status is stored in school files alongside their \nacademic information. \n4. Participate in school programs, activities, classes, or \nextracurricular activities and remain in their regular or \ncurrent school program, subject to universal participation \nrequirements. \na. Enrollment by expectant or parenting students in any \nalternative program or activity must be completely \nvoluntary." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 34, + "content": "voluntary. \n5. Have their absences excused when due to the illness or \nmedical appointment of a child or their own pregnancy-\nrelated reasons. \n6. Complete assignments and tests missed, or an equivalent of \nthe work missed, after excused absences due to their \nexpectant or parenting status and receive full credit upon \nsatisfactory completion of that work. \n7. Participate in a conference with school staff and health care \nproviders about the amount of parental leave they will take, \nand to choose which other adults (including \nparents/guardians/ caregivers or other trusted family \nmembers), if any, to include in that conference. \na. Students are entitled to a minimum of eight weeks of" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 35, + "content": "parental leave." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 13 of 28 \n \n \n \nb. BPS employees may not require a student to remain \nout of school for a fixed period of time post-childbirth. \n8. Receive Home and Hospital Instruction services to continue \nlearning and obtain instruction during excused absences \nand/or leave that total more than 14 days in a school year. \na. Students must provide a qualified physician's \nstatement to access Home and Hospital Instruction \nservices. \n9. Be reinstated at the same school at the conclusion of \npregnancy and/or parental leave with the same status as \nbefore the leave began. \nProtecting Student Confidentiality \n1. Boston Public Schools employees must adhere to all" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 37, + "content": "applicable laws and regulations on confidentiality for \nstudents, including the requirements stated in the Family \nEducational Rights and Privacy Act (FERPA). \na. Obtain written, informed consent from expectant or \nparenting students before storing data linking \nstudents\u2019 names with academic information and \nexpectant or parenting status. \nb. Before giving written consent, students must be \ninformed that, if they consent, information about their \nexpectant or parenting status will be entered into their \neducational records to ensure that students are \nreceiving necessary supports, and educational records \nare accessible to their parents in accordance with \nFERPA." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 14 of 28 \n \n \n \n2. When a student informs a school staff member of their \nexpectant or parenting status, the staff member must \ninform their head of school within a reasonable time period \nas appropriate in order to provide coordinated academic \nsupport and adjusted attendance policies. \na. A reasonable time period should be determined by the \nimmediacy of the student\u2019s need for an adjusted \nattendance policy and academic supports, balanced \nwith the time needed by an expectant student to make \npersonal health decisions before the head of school is \ninformed. \nb. The staff member should explain to the student the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 39, + "content": "need to inform the head of school in order to make a \ncoordinated plan for academic success. The staff \nmember should discuss with the student what a \nreasonable time period would be for them so there is a \nshared understanding and accountability of the next \nsteps. \nc. If the student is pregnant and needs more time and \nsupport to consider their options and connect with a \nmedical provider, the staff and student should make a \nplan to check in regularly to ensure the student \nreceives timely support. The staff member is not \nrequired to inform the head of school if the pregnancy \nis ended. \nd. Depending on the details of the situation, the student\u2019s" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 40, + "content": "preferences regarding confidentiality, and the \nstudent\u2019s needs, the head of school should then share \nthis information with other staff on a limited, need-to-\nknow basis. The school nurse may be helpful if health" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 15 of 28 \n \n \n \ncare coordination with the student\u2019s medical provider \nis needed. A school social worker may be helpful in \nconnecting the student to other support services. The \nstudent should be consulted before sharing their \nstatus with other staff; this is essential to building trust, \nhonoring student autonomy, and ensuring the student \nfeels safe and supported. \n3. School staff members must not disclose a student\u2019s \nexpectant or parenting status to that student\u2019s parents \nregardless of age without permission from the student. \nAdditionally, staff members must not force or coerce \nstudents to inform their parents, or any other individual, of" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 42, + "content": "any pregnancy or parenting-related information. \na. School staff working with expectant or parenting \nstudents should encourage them to consider informing \ntheir parents/guardians/caregivers or other trusted \nfamily members of the pregnancy and decisions \nrelated to that pregnancy. Having a support system \nwhere they live is very important during pregnancy \nand while parenting. However, to help the student \nmake a support plan, the trusted staff should ask if the \nstudent believes that telling their family about the \npregnancy will put the student in danger and should \nbe aware of such dynamics in the student\u2019s home life. \nA school social worker, a trained reproductive health" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 43, + "content": "counselor, or a similar support role may be best suited \nto help counsel a student in this matter. \nb. In accordance with Massachusetts General Law \n(Chapter 119, Section 51A), school staff are expected to \ndisclose information on child abuse or neglect to the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 16 of 28 \n \n \n \nappropriate authorities. Mandated reporters must \nreport if, when acting in their professional capacities, \nthey have reasonable cause to believe that a child is \nsuffering certain kinds of physical or emotional injury. \nThe kinds of physical or emotional injuries that must be \nreported are those that are the result of (i) abuse \ninflicted upon the child which causes harm or \nsubstantial risk of harm to the child's health or welfare, \nincluding sexual abuse; (ii) neglect, including \nmalnutrition; or (iii) physical dependence upon an \naddictive drug at birth. A student\u2019s pregnancy does not" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 45, + "content": "in itself constitute a serious risk to a minor\u2019s life or \nhealth and does not automatically require submitting a \nreport. \n4. School staff members should reach out to the school policy \nliaison, a school administrator, or the Office of Equity to get \nsupport in understanding confidentiality procedures as \nneeded. \nEnsuring a Safe, Supportive Learning Environment \nBPS employees must: \n1. Treat all students, including expectant and parenting \nstudents, with respect, recognizing that all students have \nthe potential to succeed. \n2. Maintain and communicate high academic expectations for \nall students, regardless of expectant or parenting status." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 46, + "content": "3. Recognize and address the ways multiple forms of bias, \ninducing racial bias, may impact an expectant or parenting \nstudent\u2019s opportunities for academic success." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 17 of 28 \n \n \n \n4. Ensure that expectant and parenting students are not \nexcluded from any school, program, class, or extracurricular \nactivity on the basis of the student\u2019s expectant or parenting \nstatus. \na. Teachers and school staff are encouraged to be \nsensitive to the health needs of expectant and \nparenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, \ntaking extra bathroom breaks, or leaving class shortly \nbefore dismissal to allow more time to pass between \nclasses. \nb. Schools must also accommodate new mothers\u2019 need to \nexpress breast milk. Contact the Office of Equity for \nassistance as needed." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 48, + "content": "assistance as needed. \n5. Any BPS employee, student, or family member who \nbecomes aware of possible bias-based conduct against an \nexpectant or parenting student should report such conduct \nto the head of school and/or to the BPS Office of Equity. \nROLES AND RESPONSIBILITIES \n1. School administrators are responsible for: \na. Ensuring school staff\u2019s compliance with the policy. \ni. Intervene in cases where students\u2019 needs are not \nbeing met, especially when the action or inaction \nof school staff is a contributing factor. \nb. Identifying a school policy liaison: Schools with any \ngrades 6-12 must identify an Expectant and Parenting \nStudent Policy liaison to share information with school" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 49, + "content": "staff, students, and families." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 50, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 18 of 28 \n \n \n \ni. School leaders must submit the name of the \npolicy liaison to the assistant superintendent, \nOffice of Health & Wellness, by the first day of \nschool each year. See contact at the end of the \ncircular. \nii. If the school\u2019s policy liaison steps down, the school \nleader must identify a replacement and report \ntheir name to the Assistant Superintendent, Office \nof Health & Wellness, within 15 school days. \niii. Every school has a different structure for \nproviding student support services; therefore, the \nschool-based position of the liaison may differ \namong schools. It is usually best if the liaison is in" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 51, + "content": "regular contact with expectant and parenting \nstudents as part of their job, such as a guidance \ncounselor or social worker. At the K-8 or middle \nschool level, where there are generally fewer \nexpectant or parenting students, it may be \nappropriate for a health teacher or other \ninterested teacher to serve as liaison. School \nnurses may not be the ideal choice as a liaison \nsince they may not be available to leave the \nnurse\u2019s office during school hours to share \ninformation with other staff. \nc. Overseeing the policy liaison to ensure communication \nof the policy to all staff, students, and families. \nd. Working with the Office of Equity to accommodate" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 52, + "content": "new mothers\u2019 need to express breast milk by \nidentifying a private, sanitary location for this purpose, \nalong with appropriate storage space for nursing" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 19 of 28 \n \n \n \nequipment. Bathrooms are not appropriate facilities, \neven if private. To qualify, spaces should be \u201cshielded \nfrom view and free from any intrusion.\u201d For more \nguidelines, see the fact sheet on \u201cBreak Time for \nNursing Mothers Under the FLSA,\u201d available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \ne. Reporting any instances of possible bias-based \nconduct against an expectant or parenting student to \nthe Office of Equity (phone: 617-635-9650 or email: \nbpsequity@bostonpublicschools.org) \ni. It is considered bias-based conduct to exclude an \nexpectant or parenting student from any school," + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 54, + "content": "expectant or parenting student from any school, \nprogram, class, or extracurricular activity on the \nbasis of a student\u2019s expectant or parenting status. \nii. Enrollment by expectant or parenting students in \nany alternative program or activity must be \ncompletely voluntary. \n2. School Expectant and Parenting Student Policy liaisons are \nresponsible for: \na. Completing the initial district training for policy liaisons \nwithin the first few months of school, and any refresher \ntraining as required. The training objectives are to \nincrease knowledge about the policy and related laws \nand improve skills in supporting expectant and \nparenting students and communicating with the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 55, + "content": "parenting students and communicating with the \nschool community. \nb. Ensuring that the policy is shared with students, \nfamilies, and school staff." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 56, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 20 of 28 \n \n \n \ni. Work with the school leadership and the school \nwellness council to share the policy with staff, \nstudents, and families, ensuring translation for \nstudents and families whose primary language is \nnot English. \nii. Make the policy and any appropriate resources \navailable in the school nurse\u2019s office and any \nschool-based health centers or health resource \ncenters. \niii. Post the name of the policy liaison and a copy of \nthe policy on the school website so any member \nof the school community can access it. \nc. Disseminating information about district and \ncommunity resources. \ni. Inform administrators, staff, and students about" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 57, + "content": "the availability of resources for expectant and \nparenting students; see Office of Health & \nWellness for resources. \nii. Disseminate information about support resources \nto expectant and parenting students directly as \nappropriate or through other school staff \nmembers as needed; students are not required to \nmeet with the liaison if they do not wish. \nd. Supporting all school staff in maintaining student \nconfidentiality as required by this policy and the law. \ni. Liaisons do not need to be informed of the \nidentity of any expectant and parenting student \nunless the student chooses to inform the liaison; \ninformation and resources can be shared through" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 58, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 21 of 28 \n \n \n \nthe school staff member with whom the student \nhas confided. \nii. Liaisons are not expected to be case managers or \ncounselors for expectant or parenting students \nunless this is already part of their job \nrequirements. \n3. School nurses are responsible for: \na. Offering regular check-ins with expectant students to \nmonitor their health and wellness during their \npregnancy. The type and frequency of check-ins should \nbe established based on the student\u2019s wishes, needs, \nand determined in consultation with the student. \ni. Health services should be provided in a safe and \nsupportive environment free from bias-based" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 59, + "content": "supportive environment free from bias-based \nconduct towards expectant or parenting students. \nb. Maintaining confidential medical records on pregnant \nor parenting students who have sought treatment. \nSchool nurses must be particularly aware of their \nresponsibilities under state and federal law and \nregulations, especially the Health Insurance Portability \nand Accountability Act (HIPAA). \nc. Partnering with the head of school and the Office of \nEquity to accommodate new mothers\u2019 need to express \nbreast milk by identifying a private, sanitary location for \nthis purpose, along with appropriate storage space for \nnursing equipment. Bathrooms are not appropriate" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 60, + "content": "nursing equipment. Bathrooms are not appropriate \nfacilities, even if private. To qualify, spaces should be \n\u201cshielded from view and free from any intrusion.\u201d For \nmore guidelines, see the fact sheet on \u201cBreak Time for" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 61, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 22 of 28 \n \n \n \nNursing Mothers Under the FLSA,\u201d available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \nd. Helping to determine the amount of parental leave a \nstudent will take following the birth of a child in \nconsultation with the student, school staff who are \nalready aware of the student\u2019s expectant status, the \nstudent\u2019s health care providers, and any other adults \nthe student consents to include. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth. \ne. Posting the policy in the school nurse\u2019s office" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 62, + "content": "throughout the school year and making the policy \npublicly available in any school-based health centers or \nhealth resource centers. \n \n4. Guidance counselors are responsible for: \na. Providing expectant and parenting students with \nacademic support and guidance when requested. \nStudents should be encouraged to seek support from \nschool guidance counselors to make an academic plan, \nbut students have a right to choose how and when \nthey seek services and support from school staff. \ni. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-\ntime arrival and regular attendance. For some" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 63, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 23 of 28 \n \n \n \nstudents, this may include flexible scheduling, \nindependent study periods, or online courses \n(provided that online courses include sufficient \nopportunities for in-person interaction and \nsupport as needed). \nb. Obtaining written, informed consent from expectant or \nparenting students before storing data linking \nstudents\u2019 names with academic information and \nexpectant or parenting status. Before giving written \nconsent, students must be informed that, if they \nconsent, information about their expectant or \nparenting status will be entered to ensure that \nstudents are receiving necessary support, and then" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 64, + "content": "may be accessible to their parents as part of their full \nacademic records. \nc. Ensure that any counseling or information provided to \nstudents is unimpeded by bias. \nd. Ensure that any student\u2019s decision about whether to \nparticipate in alternative schools, programs, or \nactivities for expectant or parenting students is \ncompletely voluntary if sharing information with \nstudents about those programs. \ne. If a school does not have a guidance counselor on staff, \nthese responsibilities fall to the head of school. \n5. The student\u2019s school leader or their designee is responsible \nto: \na. Bring together the student, other school staff already" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 65, + "content": "aware of the student\u2019s expectant or parenting status, \nthe student\u2019s health care providers, and any other" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 66, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 24 of 28 \n \n \n \nadults the student consents to include to determine \nthe amount of parental leave for each expectant \nstudent. Encourage students to consider including \ntheir parents/guardians/caregivers in this conversation. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth. \nb. Ensure that students are reinstated at the conclusion \nof a pregnancy and/or parental leave with the same \nstatus as before the leave began. \nc. Support the continuation of learning during excused" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 67, + "content": "absences and leave, as medically appropriate, including \nby working with the student to arrange a temporary \nhome or hospital instructional services through the \nBPS Opportunity Youth Department. \nd. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-time \narrival and regular attendance. Contact the Homeless \nEducation Resource Network (HERN) to arrange \ntransportation and promote school attendance among \nexpectant or parenting students experiencing \nhomelessness who are residing outside of the district. \ne. Ensure that absences are excused when they arise \nfrom pregnancy and related medical conditions, \nincluding pregnancy-related illness or health" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 68, + "content": "including pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, \nand recovery therefrom. Documentation from" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 69, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 25 of 28 \n \n \n \nstudents\u2019 licensed healthcare providers may be \nrequired for verification of pregnancy and related \nmedical conditions only if it is also required for \nabsences due to other medical conditions. \nf. Ensure that absences are considered excused when \nthey are due to the illness or medical appointment \nduring school hours of a child of a student. \n6. Central Office Staff \na. Office of Health and Wellness is responsible for: \ni. Tracking names of school-based policy liaisons \nii. Coordinating initial and any needed refresher \ntraining resources for policy liaisons. The training \nwill include best practices on disseminating" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 70, + "content": "will include best practices on disseminating \ninformation about the expectant and parenting \nstudents policy, on finding and distributing \nresources to students in a culturally responsive \nway, and on expectations for data collection and \nconfidentiality. \niii. Maintaining up-to-date district and community \nresources for supporting expectant and parenting \nstudents and sharing these resources with \nliaisons. \nb. Office of Equity is responsible for: \ni. Monitoring compliance with this policy, including \nresponding to reports of possible bias-based \nconduct. \nii. Ensuring communication of the policy at every \nlevel of staff within the district and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 71, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 26 of 28 \n \n \n \ncommunicating the policy yearly to families \nthrough the BPS Guidebook. \niii. Reviewing the policy and its associated \nimplementation procedures annually and \nupdating as needed in collaboration with the \nOffice of Health and Wellness and other central \noffice stakeholders identified in this policy. \niv. Sharing the expectant and parenting students \npolicy and policy updates with the Boston \nStudent Advisory Council and other student \ngroups. \nc. The Department of School Health Services is \nresponsible for: \ni. Providing training and guidance to school nurses \non best practices for working with expectant and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 72, + "content": "on best practices for working with expectant and \nparenting students, including how to ensure \nconfidentiality in accordance with this policy and \nthe law and providing culturally responsive \nservices. \nd. Office of Opportunity Youth is responsible for: \ni. Working with schools to help support the \ncontinuation of learning during excused absences \nand leave through the Home and Hospital \nInstruction Program. \nii. Through supervisors of attendance, responding to \ninquiries about attendance policies or reporting, \nincluding policies on excused absences for \nexpectant and parenting students." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 73, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 27 of 28 \n \n \n \niii. Through the Homeless Education Resource \nNetwork (HERN), working with schools to arrange \ntransportation and promote school attendance \namong expectant or parenting students \nexperiencing homelessness who are residing \noutside of the district. \ne. Central office departments tasked with student \nsupport services, such as Guidance and Social Work, \nare responsible for: \ni. Supporting the communication of this policy to \nthe school-based staff they support and \nsupporting professional development to ensure \nstaff is trained and have the resources to support \nexpectant and parenting students." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 74, + "content": "expectant and parenting students. \nii. Identifying schools with large numbers of \nexpectant and parenting students, such that \nexisting support systems may not be adequate to \nsupport their needs and helping to establish a \nplan for providing more comprehensive systems \nof support. \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington Street, 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-9650 \nEmail: bpsequity@bostonpublicschools.org" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 75, + "content": "Superintendent\u2019s Circular EQT-08 \nPage 28 of 28 \n \n \n \nOR \nName: Senior Executive Director \nDepartment: Office of Health & Wellness \nMailing Address: 370 Columbia Rd., Dorchester, MA 02125 \nPhone: 617-635-7926 \nEmail: healthandwellness@bostonpublicschools. \norg \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-06 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD EMPLOYEES AND \nOTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to ensuring a work \nenvironment free of inappropriate sexual conduct. Inappropriate \nsexual comments or behavior will not be tolerated. In addition, \nany retaliation against an individual who reports inappropriate \nsexual conduct or harassment, or has cooperated with a related \ninvestigation, is unacceptable. The Boston Public Schools treats \nreports of violations of this policy with the utmost seriousness." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 2, + "content": "We will respond promptly to any allegations of sexually \ninappropriate conduct and intervene to cease any conduct that \nviolates this policy. Anyone who violates this policy will be subject \nto corrective action up to and including termination. \nDEFINITION OF SEXUAL HARASSMENT \nIn Massachusetts, sexual harassment means sexual advances, \nrequests for sexual favors, and verbal or physical conduct of a \nsexual nature when:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-06 \nPage 2 of 7 \n \n \n \na) Submission to or rejection of such advances, requests, or \nconduct is made, either explicitly or implicitly, a term or \ncondition of employment or as a basis for employment \ndecisions; or \nb) Such advances, requests, or conduct have the purpose or \neffect of unreasonably interfering with an individual\u2019s work \nperformance by creating an intimidating, hostile, \nhumiliating, or sexually offensive work environment. \nPlease note that while this policy sets forth the goal of promoting \na workplace that is free of harassment, the policy is not designed \nor intended to limit the district\u2019s authority to discipline or take" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 4, + "content": "remedial action for workplace conduct that the district deems \nunacceptable, regardless of whether the conduct satisfies the \ndefinition of unlawful harassment. \nThe definition of inappropriate sexual communication and \nbehavior is broad. Conduct that is sexual or perceived as sexual, \nand that is welcome or unwelcome, may constitute sexual \nharassment. \nCONDUCT PROHIBITED \nEmployees shall not engage in inappropriate sexual conduct \nwhile employed, working for, attending, or participating in \ndistrict endeavors. Employees are protected from inappropriate \nsexual conduct by anyone they interact with in the course of their \nwork. The same standard applies to partners or contractors" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 5, + "content": "providing services in or under the auspices of the Boston Public \nSchools. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours," + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular EQT-06 \nPage 3 of 7 \n \n \n \nincluding when an employee is working remotely, may still \nconstitute sexual misconduct and a violation of this policy if that \nbehavior has the effect of disrupting an employee\u2019s ability to do \ntheir job. \nWhile it is not possible to list all circumstances that may \nconstitute prohibited conduct, the following are some examples: \nVERBAL: Using suggestive, derogatory, vulgar comments, or \nsexual innuendos or slurs; making unwanted sexual advances, \ninvitations, and/or comments; repeatedly requesting dates; \nspreading rumors about or rating others as to their sexual activity \nor performance; making threats or pressuring others to submit to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 7, + "content": "sexual requests; inquiring into one\u2019s sexual activities or \norientation. \nVISUAL: Displaying sexually suggestive objects, pictures, posters, \nwritten material, cartoons, or drawings; texting, emailing, or \nsharing digital images or comments of a sexual nature; using \nsexual gestures. \nPHYSICAL: Sexual activity, whether or not it is consensual, in a \nschool or any building where BPS business is conducted. \nParticipating in unwanted touching, pinching, kissing, hugging; \nblocking normal movement; stalking; engaging in unwanted \nsexual acts or assault; physically interfering with an individual\u2019s \nwork because of their actual or perceived sex, sexual orientation," + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 8, + "content": "gender identity, or gender expression." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EQT-06 \nPage 4 of 7 \n \n \n \nRESPONDING TO REPORTS OF SEXUAL MISCONDUCT \nAn employee who believes that they have been a target of \ninappropriate sexual conduct may report the incident to any of \nthe following individuals: school principal/head of school, school \nsuperintendent, or the Office of Equity. \n1. If an employee believes that they have been subjected to \ninappropriate sexual conduct or have witnessed \ninappropriate sexual conduct, the employee has the right to \nfile a report with the Boston Police. \n2. The aggrieved employee also has the right to file a report \nwith the Boston Public Schools Office of Equity, either orally" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 10, + "content": "or in writing, at 617-635-9650 or \nbpsequity@bostonpublicschools.org. \n3. Employees in supervisory or managerial roles have an \nobligation to report any employee complaint of sexual \nmisconduct to the Office of Equity within two (2) business \ndays of learning of the complaint. The person submitting \nthe report must ensure the integrity and confidentiality of \nthe report and shall not disclose the allegations or any \nrelated information to either party or to any third party, \nexcepting the Office of Equity, unless required by law. \nEmployees in a supervisory capacity are required to report \npossible sexual misconduct toward or involving employees," + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 11, + "content": "vendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular EQT-06 \nPage 5 of 7 \n \n \n \nAfter a report is filed, the Office of Equity or the office\u2019s designee \nwill promptly investigate the allegation in a fair and expeditious \nmanner. The investigation may include a private interview with \nthe person filing the report, the person alleged to have engaged \nin sexually inappropriate conduct, and other witnesses. In some \ncircumstances, as determined by the Office of Equity, the person \nalleged to have engaged in the conduct may be placed on \nadministrative leave pending the outcome of the investigation. \nBPS employees are obliged to cooperate with the investigation," + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 13, + "content": "including promptly participating in investigatory interviews, and \nproviding any requested information or documents. \nIf Boston Public Schools finds that there has been a violation of \nthis policy, the district will take action to eliminate the conduct. \nDisciplinary action for employees may include warnings, \nreprimands, required training, suspension or termination of \nemployment, or other discipline as appropriate. \nWhen the investigation is completed, the Office of Equity will \ninform the reporter and the person alleged to have engaged in \nthe conduct of the results of the investigation to the extent \nappropriate under the circumstances. \nPROHIBITION OF RETALIATION" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 14, + "content": "PROHIBITION OF RETALIATION \nRetaliation against an individual who reports inappropriate \nsexual conduct, sexual harassment, or retaliation against \nindividuals for cooperating with an investigation of a sexual \nharassment allegation is unlawful and will not be tolerated by the \nBoston Public Schools." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular EQT-06 \nPage 6 of 7 \n \n \n \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful sexual \nharassment, you may also file a formal complaint with either of \nthe government agencies set forth below. Using the district\u2019s \ninternal reporting process does not preclude you from filing a \ncomplaint with these agencies. Each agency has a short time \nperiod for filing a claim (300 days). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 16, + "content": "Boston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \nFor more information about this circular, contact:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular EQT-06 \nPage 7 of 7 \n \n \n \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nE-mail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEQT-04 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nSTUDENTS \u2014 NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis circular sets out guidelines for schools and district staff to \ncreate a culture where transgender and gender nonconforming \nstudents feel safe, supported, and fully included, and to meet \neach school\u2019s obligation to provide educational opportunities for \nall students. We aim to achieve inclusion of transgender and \ngender nonconforming students, while maintaining students\u2019 \nright to privacy." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 2, + "content": "right to privacy. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nMassachusetts law and the Boston Public Schools (BPS) require \nthat all classrooms, programs, activities, and employment \npractices be free from bias and discrimination on the basis of sex, \nsexual orientation, and gender identity. It is the responsibility of \neach school and the district to ensure that transgender and \ngender nonconforming students have a safe school environment. \nFor policies and procedures about BPS\u2019s \u201cBullying Prevention \nand Intervention Plan,\u201d please see Superintendent\u2019s Circular SSS-" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-04 \nPage 2 of 8 \n \n \n \n18. For more information about safety transfers in the district, \nplease see Superintendent\u2019s Circular AMT-07. \nReports of bias, discrimination or harassment based on a person\u2019s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-04) will be investigated and addressed \naccording to the protocols detailed in Superintendent\u2019s Circular \nEQT-02, \u201cBias-Based Conduct Toward Students Families or Other \nThird Parties.\u201d \nNAMES AND PRONOUNS" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 4, + "content": "Third Parties.\u201d \nNAMES AND PRONOUNS \nIn Massachusetts, an individual may adopt a name that is \ndifferent from the name that appears on their birth certificate. No \nadditional legal or other documentation is required for school \nstaff to honor student requests to go by a chosen/affirming \nname. If a student or their family is looking to update the name \nthat appears on official school records, they may do so either by \ncompleting the Change of Student Information Form - Name and \nGender Change Request (if the update is related to gender \nidentity) or by contacting BPS Welcome Services (if the update is \nnot related to gender identity). Note: This process is not a legal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 5, + "content": "name change and does not affect any records other than those \nkept by BPS. \nAfter a student requests a name change, school personnel shall \nmake every effort to consistently use the student\u2019s chosen name \nand stated pronouns. For students who remain in the same \nschool following a gender transition, it is important to develop a \nplan for ensuring the use of the chosen name and stated" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular EQT-04 \nPage 3 of 8 \n \n \n \npronouns. School-based staff are strongly encouraged to contact \nthe Office of Equity for additional support in this process. \nPRIVACY, CONFIDENTIALITY, AND STUDENT RECORDS \nUnder Massachusetts law, information about a student\u2019s \nassigned birth sex, gender transition, name change associated \nwith transition, medical or mental health treatment related to \ngender identity, or any other related information is part of the \nindividual\u2019s student record (for more information, see the \nMassachusetts Student Records Regulations, 603 CMR 23.00). \nStudent records are confidential and must be kept private and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 7, + "content": "secure except in limited circumstances, such as when authorized \nschool personnel require the information to provide \nadministrative, teaching, counseling, nursing, or other services to \nthe student in the performance of their official duties. Authorized \nschool personnel may include, but are not limited to, individuals \nsuch as the principal, school nurse, classroom teacher(s), social \nworker, and/or guidance counselor. \nWhen a student new to a school is using a chosen or affirming \nname, the birth name is considered private information and may \nbe disclosed only with authorization as provided under the \nMassachusetts Student Records Regulations. If the student has" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 8, + "content": "previously been known at school and/or in school records by their \nbirth name, school personnel must use the student\u2019s chosen \nname. School personnel should not disclose information that \nmay reveal a student\u2019s transgender status or gender \nnonconforming presentation to others, including parents and \nother school personnel, unless legally required to do so, for safety \nreasons, or if the student and/or guardian has authorized such \ndisclosure." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EQT-04 \nPage 4 of 8 \n \n \n \nTransgender and gender nonconforming students have the right \nto discuss and express their gender identity and expression \nopenly and to decide when, with whom, and how much \ninformation to share. A student who is 14 years of age or older, or \nwho has entered the ninth grade, may consent to disclosure of \ninformation from their student record. If a student is under 14 \nand is not yet in the ninth grade, only the student\u2019s parent has \nthe authority to decide on disclosures and other student record \nmatters. \nTo the extent that the school is not legally required to use a \nstudent\u2019s legal name and gender on other school records or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 10, + "content": "documents, every effort shall be made to update student records \nwith the student\u2019s chosen name and not circulate records with \nthe student\u2019s birth name. Records with the student\u2019s birth name \nshall be kept confidential. \nFor more information about Student Record Regulations, please \nsee Superintendent\u2019s Circular LGL-07. \nRESTROOMS, LOCKER ROOMS, AND CHANGING FACILITIES \nIn accordance with Massachusetts law, all students are entitled to \nhave access to restrooms, locker rooms, and changing facilities \nconsistent with the student\u2019s gender identity. As part of the \ntransition process, the school leader (or their designee) and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 11, + "content": "student (and parent/guardian, when applicable) shall address the \nstudent\u2019s access to the restrooms, locker room, and changing \nfacilities. \nEach situation needs to be addressed based on the particular \ncircumstances of the student and the school facilities. In all cases, \nthe school leader (or their designee) shall be clear with the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular EQT-04 \nPage 5 of 8 \n \n \n \nstudent (and parent/guardian when applicable) that the student \nmay access the restroom, locker room, and changing facility that \ncorresponds to the student\u2019s gender identity. Transgender \nstudents who prefer not to use a sex-segregated restroom should \nbe provided with a safe and adequate alternative, such as a single \nstall restroom or nurse\u2019s restroom if possible. The single-user \nfacility, however, may not be given as the only option for \ntransgender or gender nonconforming students. \nSchool-based staff should be aware that there will be students \nwho do not identify along the gender binary (boy/girl or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 13, + "content": "man/woman). These students may use terms such as \n\u201cnonbinary,\u201d \u201cgender fluid,\u201d or \u201cgender queer\u201d to describe their \ngender identity. They should be given access to whichever facility \nfeels most comfortable to them. Students who prefer not to use a \nsex-segregated restroom should be provided with a safe and \nadequate alternative, such as a single stall restroom or nurse\u2019s \nrestroom if possible. The single-user facility, however, may not be \ngiven as the only option for transgender or gender \nnonconforming students. If possible, schools should consider \ndesignating one or more restrooms at their school as \u201call gender,\u201d \nmeaning that anyone of any gender may use that restroom." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 14, + "content": "Student and/or school staff discomfort is not an acceptable \nreason to deny restroom access to transgender and/or gender \nnonconforming students. School administrators, educators, and \ncounseling staff should take a proactive approach to address any \ndiscomfort, foster understanding, and create a school culture \nthat respects and values all students. School-based staff may \ncontact the Office of Equity for additional support in this area." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular EQT-04 \nPage 6 of 8 \n \n \n \nPHYSICAL EDUCATION CLASSES, INTRAMURAL SPORTS, AND \nINTERSCHOLASTIC ATHLETIC ACTIVITIES \nWhere there are sex-segregated classes or athletic activities, \nincluding intramural and interscholastic athletics, all students \nmust be allowed to participate in a manner consistent with their \ngender identity. The Massachusetts Interscholastic Athletic \nAssociation, as outlined in their Gender Identity Policy \nClarification, will defer to the determination made by the student \nand their school regarding gender identity. \nDRESS CODES \nAll students have the right to dress in a manner consistent with" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 16, + "content": "their gender identity or expression. In general, schools should \neliminate dress codes that restrict students\u2019 clothing or \nappearance on the basis of gender.(1) School staff must not \nenforce the dress code more strictly against transgender and \ngender-nonconforming students than other students. \nDIPLOMAS \nGraduating students are entitled to use a chosen or affirming \nname on their BPS diploma, this name may be different from the \nname listed in student records. Students wanting a diploma \nprinted with a name other than or in addition to the name listed \nin student records should speak to their school guidance \ncounselor or the LGBTQ+ student support manager." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 17, + "content": "(1) The Office of Equity will provide schools with a sample dress \ncode upon request." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular EQT-04 \nPage 7 of 8 \n \n \n \nGENDER-BASED ACTIVITIES, RULES, POLICIES AND PRACTICES \nSchools should evaluate all gender-based policies, rules, and \npractices, and maintain only those with a clear and sound \npedagogical purpose and equivalent offerings for students of all \ngenders. Gender-based policies, rules, and practices may have \nthe effect of marginalizing, stigmatizing, and excluding students, \nincluding gender nonconforming students. \nWhenever students are separated by gender in school activities \nor are subject to an otherwise lawful gender-specific rule, policy, \nor practice, students must be permitted to participate in such" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 19, + "content": "activities or conform to such rule, policy, or practice consistent \nwith their gender identity. \nRELATED RESOURCES \n\u2022 The Gay, Lesbian and Straight Education Network (GLSEN) \nGender Terminology Guide is available here: \nhttps://www.glsen.org/activity/gender-terminology. \n\u2022 For information about the Boston Public Schools policies on \nbias-based conduct or bullying, see Superintendent\u2019s \nCirculars EQT-02, EQT-03, or SSS-18. \n\u2022 For more information about the Massachusetts gender \nidentity law, see the Massachusetts Department of \nElementary and Secondary Education guidance document, \n\u201cNondiscrimination on the Basis of Gender Identity\u201d at \nhttp://www.doe.mass.edu/ssce/GenderIdentity.pdf." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 20, + "content": "http://www.doe.mass.edu/ssce/GenderIdentity.pdf. \n\u2022 Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional support." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular EQT-04 \nPage 8 of 8 \n \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-01 \nVersion 01 \n \n \n \nNONDISCRIMINATION POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining an \neducational environment and workplace where individuals of all \nbackgrounds and experiences are welcomed, encouraged, \nincluded, and can flourish. We aim to eliminate all forms of bias \nand bigotry, including discrimination based on race, color, age, \ncriminal record (inquiries only), physical or mental disability, \npregnancy and pregnancy-related conditions, homelessness, \nsex/gender, gender identity, religion, national origin, ancestry," + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 2, + "content": "sexual orientation, genetics, natural or protective hairstyle, and \nmilitary status. The Boston Public Schools is resolved that \nprejudice and disparate treatment will never impede our learners \nor our educators. \nThe Boston Public Schools will not tolerate discriminatory \nbehavior, including intimidation, threats, or harassment of \nemployees, students, or anyone else who visits or is part of our \nlearning community. Retaliatory conduct toward persons who \nhave reported possible bias, discrimination, or inappropriate \nbehavior, who have assisted in an investigation, or who have \notherwise exercised their rights under this policy is also \nprohibited." + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-01 \nPage 2 of 4 \n \n \n \nConduct in violation of this policy includes any action, including \nverbal or nonverbal communication, that contributes to, \npromotes, or is complicit in disrupting the district\u2019s inclusive \nlearning and working environment. Derogatory or intimidating \nstatements, threats, acts of exclusion, or other mistreatment \nregarding a student\u2019s or employee\u2019s membership in or \nassociation with a member of a protected group, whether made \nin person or by telephone, postal mail, e-mail, internet posting, or \nany other means, will not be tolerated. This includes such \nstatements made toward students, members of students\u2019" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 4, + "content": "families, employees, contractors, or other parties who support or \nparticipate in district programming. \nThis policy extends to all employment and educational practices \nand programs, including: \n\u2022 Recruitment \n\u2022 Selection and admission \n\u2022 Compensation and benefits \n\u2022 Access to learning \n\u2022 Professional development, training, and extracurricular \nactivities \n\u2022 Discipline, evaluation, and testing \n\u2022 Reasonable accommodation for disabilities or religious \npractices \n\u2022 Promotion \n\u2022 Transfer \n\u2022 Termination \n\u2022 Layoff \n\u2022 Other terms and conditions of employment and education." + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular EQT-01 \nPage 3 of 4 \n \n \n \nThe Boston Public Schools will vigorously implement and actively \nenforce this policy to ensure that all its daily operations are \ncharacterized by fairness, respect, and equity. Any violation of this \npolicy will be viewed as serious misconduct and may result in \ndiscipline, up to and including termination of the offending \nemployee or expulsion of the responsible student. Retaliation \nagainst any person who has testified, assisted, or participated in \nany manner in an investigation, proceeding, or hearing of a \nreport of a violation of this policy, will similarly be viewed as \nserious misconduct and may result in discipline, up to and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 6, + "content": "including termination or expulsion. \nInformation about the investigative procedures associated with \nthis policy is detailed in Superintendent\u2019s Circulars EQT-02 and \nEQT-05. \nAll Boston Public Schools newly printed publications (e.g., Code \nof Conduct, Citywide Learning Standards and Curriculum \nFrameworks, course selection booklets, student/parent/employee \nhandbooks, job postings, etc.) for students, parents, teachers, \nnon-academic employees, and the general public must contain \nthe following nondiscrimination notice: \nThe Boston Public Schools, in accordance with its \nnondiscrimination policies, does not discriminate in its \nprograms, facilities, or employment or educational" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 7, + "content": "opportunities on the basis of race, color, age, criminal \nrecord (inquiries only), disability, pregnancy, homelessness, \nsex/gender, gender identity, religion, national origin, \nancestry, sexual orientation, genetics, natural or protective \nhairstyle, or military status, and does not tolerate any form \nof retaliation, or bias-based intimidation, threat, or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular EQT-01 \nPage 4 of 4 \n \n \n \nharassment that demeans individuals\u2019 dignity or interferes \nwith their ability to learn or work. \n \nFor more information about this circular, contact: \nOwner: Assistant Superintendent of Equity \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-07 \nVersion 01 \n \n \n \nACCOMMODATING EMPLOYEES WITH DISABILITIES, \nPREGNANCY, AND PREGNANCY-RELATED CONDITIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to providing equal \nemployment opportunity to all individuals, in accordance with \nChapter 151B of the Massachusetts General Laws and with the \nAmericans with Disabilities Act (ADA). This circular provides \ninformation about the district procedures to address \naccommodation requests for employees on the basis of disability, \npregnancy, and pregnancy-related conditions. \nEMPLOYEES WITH DISABILITIES" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 2, + "content": "EMPLOYEES WITH DISABILITIES \nAny current or prospective employee who is an individual with a \ndisability may request a reasonable accommodation to assist in \nperforming the essential functions of their assignment. \nChapter 151B and the ADA define a person with a disability as \nsomeone who: (1) has a physical or mental impairment that \nsubstantially limits one or more major life activities; (2) has a \nrecord of such an impairment; or (3) is regarded as having such \nan impairment." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-07 \nPage 2 of 6 \n \n \n \nMajor life activities include, but are not limited to, caring for \noneself, performing manual tasks, seeing, hearing, eating, \nsleeping, walking, standing, lifting, bending, speaking, breathing, \nlearning, reading, concentrating, thinking, communicating, and \nworking, and the operation of a major bodily function. Although \nnot exhaustive, examples of the range and variety of disabilities \nincluded under these laws are provided below. \n\u2022 Non-Ambulatory Disabilities \u2013 Physical impairments, \nregardless of cause, that require an individual to use a \nwheelchair, including individuals who are paraplegic," + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 4, + "content": "quadriplegic, hemiplegic, or have had a limb or limbs \namputated. \n\u2022 Semi-Ambulatory Disabilities \u2013 Physical impairments that \ncause a person to walk with difficulty, perhaps with the \nassistance of a cane, crutches, or walker. \n\u2022 Coordination Disabilities \u2013 Impairments of muscle control of \nthe limbs. \n\u2022 Sight Disabilities \u2013 Impairments affecting vision totally or \npartially. \n\u2022 Hearing Disabilities \u2013 Impairments affecting hearing totally \nor partially. \n\u2022 Speech Impairments \u2013 Impairments affecting totally or \npartially the ability to communicate orally. \n\u2022 Learning Disabilities \u2013 Impairments that impede learning \nprocesses. \n\u2022 Mental or Psychological Disorders \u2013 Impairments affecting" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 5, + "content": "individuals\u2019 neurological and/or psychological functioning, \nbehavior, and/or mood." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular EQT-07 \nPage 3 of 6 \n \n \n \nThe district\u2019s nondiscrimination policy prohibits bias-based \nconduct or discrimination on the basis of disability in any aspect \nof the employment relationship, including: \n1. Recruitment, advertising, and the processing of \napplications \n2. Hiring, evaluation, upgrading, promotion, award of \npermanent teacher status, demotion, transfer, layoff, \ntermination, right of return from layoff, and rehiring \n3. Rates of pay or any other form of compensation, and \nchanges in compensation \n4. Job assignments, job classifications, organizational \nstructures, position descriptions, lines of progression, \nand seniority lists" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 7, + "content": "and seniority lists \n5. Leaves of absence, sick leave, or any other leave \n6. Fringe benefits available by virtue of employment, \nwhether or not administered by the Boston Public \nSchools \n7. Selection and financial support for training, including \nprofessional development, conferences, and other \nrelated activities, and selection for leave of absence to \npursue training. \nPREGNANCY AND PREGNANCY-RELATED CONDITIONS \nAs of April 1, 2018, any current or prospective employee who is \npregnant or has a pregnancy-related condition, such as lactation \nor the need to express breast milk, may request a reasonable \naccommodation to assist in performing the essential functions of \ntheir assignment." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular EQT-07 \nPage 4 of 6 \n \n \n \nIf an employee requests an accommodation for: (1) more frequent \nrestroom, food, or water breaks; (2) seating; (3) limits on lifting no \nmore than 20 pounds; and (4) private, non-bathroom space for \nexpressing breast milk, no medical documentation \naccompanying such a written request is necessary. Other \naccommodation requests may require supporting medical \ndocumentation or information. \nEmployees who are pregnant or have pregnancy-related \nconditions may contact the Office of Equity to begin the \naccommodations process. \nREASONABLE ACCOMMODATION PROCESS \nA \u201creasonable accommodation\u201d is any modification or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 9, + "content": "adjustment to a job or work environment that allows an \napplicant or employee with a disability, pregnancy, and \npregnancy-related conditions to participate in the job application \nprocess, perform the essential functions of a job, or enjoy benefits \nand privileges of employment equal to those enjoyed by \nemployees. Upon receiving a request for a reasonable \naccommodation, the Boston Public Schools will engage in an \ninteractive dialogue process. The district will attempt to provide \nreasonable accommodations unless it would cause an undue \nhardship or fundamentally alter the district\u2019s programs. \nAny applicant or employee seeking reasonable accommodations" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 10, + "content": "on the basis of a disability, pregnancy, and pregnancy-related \nconditions may contact the Office of Equity to begin the process. \nInformation an employee chooses to submit during the \naccommodation process, such as relevant medical \ndocumentation, will be kept confidential to the extent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular EQT-07 \nPage 5 of 6 \n \n \n \npracticable. Information collected in the reasonable \naccommodation process will be kept in a confidential file with \nthe Office of Equity. \nYour cooperation in implementing a policy of nondiscrimination \nagainst persons with disabilities will assist the Boston Public \nSchools in ensuring equal opportunity for all employees and \npotential employees. \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful discrimination \non the basis of disability, pregnancy, and pregnancy-related \nconditions, you may file a formal complaint with either of the \ngovernment agencies set forth below. Using BPS' internal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 12, + "content": "reporting process does not prohibit you from also filing a \ncomplaint with these agencies. These agencies have a short time \nperiod for filing a claim (300 days from the most recent act of \nalleged discrimination). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \nPhone: 1-800-660-4000" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular EQT-07 \nPage 6 of 6 \n \n \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: Director of Accommodations in the Office of \nEquity \nDepartment: Office of Equity \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 14, + "content": "Street, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nE-mail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-02 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD STUDENTS, FAMILIES, \nOR OTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining an \nenvironment free of bias and discrimination where all students \ncan flourish, and all families are welcome and able to engage fully \nas partners in students\u2019 education. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district\u2019s nondiscrimination policy (see EQT-01) that are" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 2, + "content": "targeted at students, families, or other third parties. These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based \nconduct or discrimination based on race, color, age, disability, \nsex/gender, gender identity, religion, national origin, ancestry, \nretaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. The intent of these \nprocedures is to ensure that, to the greatest extent possible, \nreports of bias-based conduct are resolved in a constructive \nmanner." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 2 of 10 \n \n \n \nEmployees of the Boston Public Schools who become aware of \nany possible bias-based conduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same standard applies \nto partners or contractors providing services in or under the \nauspices of the Boston Public Schools. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct related to race, color, age, disability, sex/gender, \ngender identity, pregnancy, religion, national origin, ancestry," + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 4, + "content": "retaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. This applies to \nallegations of discrimination, harassment, or bias-based bullying \nin any activity under the auspices of the Boston Public Schools, \nincluding, but not limited to: \n\u2022 Admission \n\u2022 Provision and accessibility of programs and services \n\u2022 Guidance practices \n\u2022 Participation in sporting events or other extracurricular \nactivities. \n \nExamples of unacceptable conduct include treating students \ndifferently because of their membership in a protected group, \nsuch that the treatment interferes with or limits the student\u2019s" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 5, + "content": "ability to participate in or benefit from an educational \nopportunity or extracurricular program. Bias-based conduct also \nincludes derogatory verbal, written, print, or digital" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 3 of 10 \n \n \n \ncommunication or conduct relating to a student\u2019s membership in \na protected category. Any form of communication or physical \naction that creates an intimidating, threatening, or abusive \neducational environment will not be tolerated. \nSuch conduct may originate with students as well as employees \nand may also be caused by other persons who participate, \nobserve, or otherwise engage in a district-sponsored activity. \nBehavior that occurs in a location other than a Boston Public \nSchools building or outside of BPS school or work hours may still \nconstitute bias-based conduct and a violation of this policy if that" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 7, + "content": "behavior has the effect of disrupting a student's ability to learn. \nExamples of inappropriate behavior toward students that may \nviolate this policy include: \n\u2022 Speaking or otherwise communicating derisively to or about \na student or parent because of their membership in a \nprotected group, such as their race, including the use of \nslurs \n\u2022 Telling or digitally circulating jokes that are derisive toward \nmembers of a particular group, such as a student of a \nparticular religious faith \n\u2022 Using insulting nicknames for members of a protected \ngroup, such as a female student \n\u2022 Refusing to allow students to participate in any activity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 8, + "content": "because of their membership in a protected group, such as \ntheir sexual orientation, and in the absence of a legitimate \nnondiscriminatory reason for the refusal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 4 of 10 \n \n \n \n\u2022 Disciplining a student more frequently or more harshly \nbecause of their membership in a protected group, such as \ntheir national origin \n\u2022 Displaying pictures or taking any action that is derisive to \nany student based on their membership in a \n\u2022 Refusal to use the gender identity affirming name and/or \npronouns that a student has stated. \nStudents sometimes experience \u201cmicroaggressions\u201d: verbal or \nnonverbal communication that is rooted in implicit bias but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n\u2022 Mistaking one student for another because they share the \nsame racial identity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 10, + "content": "same racial identity \n\u2022 Complimenting a student for having a skill that is counter to \na stereotype regarding their gender or ethnicity \n\u2022 Assuming a student observes a particular religious holiday \nor has a particular sexual orientation \n\u2022 Asking a student about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the \nOffice will partner with the student, family, and appropriate \nschool staff to determine an effective intervention, such as \ncoaching, mediation, restorative justice, or individual, classroom, \nor school-wide instruction or training." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 5 of 10 \n \n \n \n \nGENERAL POLICIES \n1. Retaliation against any student, family member, or other \nthird party for reporting or participating in any way in the \nreporting or investigative procedure is strictly prohibited. \n2. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does \nnot conflict with regularly scheduled school programs. \n3. Reporting a possible violation will not be construed as \nreflecting unfavorably on a student, family member, or \nother third party\u2019s good standing, academic performance, \nloyalty, or desirability to the Boston Public Schools." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 12, + "content": "4. Information regarding the allegations, including the \nparties involved in the report and the investigation, will \nbe kept confidential to the extent practicable. \n5. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscriminatory policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, \nthe relationships between the parties involved, and the \ncontext in which the alleged incidents occurred. A \ndetermination whether a particular action or incident \nconstitutes a violation of the policy will be based on all \nthe facts." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 6 of 10 \n \n \n \nPROCEDURES \nI. Reports to School Leaders \nStudents, families, and other third parties are encouraged to \nreport concerns regarding bias-based incidents of any kind \nto their school\u2019s principal or headmaster. It is advised to file \nthis report as close to the time of the incident as possible, as \nmatters are generally more easily resolved the sooner they \nare reported. \nThe principal or headmaster (or their designee) will attempt \nto work with the individual(s) to resolve the matter. They will \ncontact the Office of Equity to ensure that any next steps \nare carried out in partnership with the Office of Equity and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 14, + "content": "appropriately documented. \nStudents, families, or other third parties who do not wish to \nseek assistance from their school\u2019s principal or headmaster, \nor who are dissatisfied with the principal\u2019s or headmaster\u2019s \nattempt at resolution, may report their concerns directly to \nthe Office of Equity. Nothing in this policy shall prevent a \nstudent, family member, or other third party from reporting \na concern directly to the Office of Equity. \nII. Reports to the Office of Equity \n1. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and \nmay request that the reporter submit a written" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 15, + "content": "may request that the reporter submit a written \nstatement. The Office of Equity will ensure that assistance \nis provided in preparing such a written statement, if \nneeded." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 7 of 10 \n \n \n \n2. After a report is received, the Office of Equity will notify \nthe appropriate school leader(s) and/or the individual \nabout whom the report has been filed, as appropriate. \n3. The Office of Equity will conduct a fair, impartial, \nthorough, and prompt review of the reported incident(s) \nand investigate as needed. Any investigation may include \ninterviews with individuals who have pertinent \ninformation, and review of any documents or other \ninformation relevant to the investigation. BPS employees \nand students are obligated to cooperate with any Equity \ninvestigation, including promptly providing any" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 17, + "content": "investigation, including promptly providing any \nrequested information or documents. \n4. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will generally be \ninformed when the investigation is complete and \nwhether prohibited conduct was found. Depending on \nthe facts gathered, the Office of Equity may resolve the \nconcerns by applying approaches such as alternative \ndispute resolution, restorative justice, training, or \ncoaching. In other instances, the results of the \ninvestigation may also be documented as written \nfindings. \n5. The Office of Equity will maintain records of all reports of" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 18, + "content": "bias-based conduct made to the Office of Equity, noting \nthe school or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records \nto identify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 8 of 10 \n \n \n \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to \nbe in violation of the district\u2019s nondiscrimination policy \nand prevent this conduct from recurring in the future. \n3. Refer individuals found to have violated the district\u2019s \nnondiscrimination policy for disciplinary action when \nappropriate. \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more \ninformation about Employee Discipline Procedures, \nplease see Superintendent Circular HRS-PP10.)" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 20, + "content": "please see Superintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under \nthe circumstances. (For more information on student \ndiscipline, please see the Code of Discipline for Students \nand Students with Disabilities \u2013 Superintendent Circulars \nSUP-05 and SPE-15.) \n4. Require students, employees, or other third parties found \nto violate the district\u2019s nondiscrimination policy to attend \nEquity protocols and/or bias prevention training, as \nappropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 9 of 10 \n \n \n \nSTATE AND FEDERAL REMEDIES \nUsing the BPS Equity reporting process does not prohibit you \nfrom also filing a complaint with a state or federal agency. These \nagencies have a short time period for filing a claim (OCR \u2013 180 \ndays; DESE \u2013 within the same school year; MCAD \u2013 300 days). \n\uf075 For incidents involving students\u2019 civil rights: \nUnited States Department of Education Office for Civil \nRights (OCR) \nJohn W. McCormack Post Office and Courthouse \n5 Post Office Square, 8th Floor, Suite 900, Boston, MA 02109 \n(617) 289-0111 \n \n\uf075 For concerns regarding students\u2019 equitable access to \neducation:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 22, + "content": "education: \nMassachusetts Department of Elementary and Secondary \nEducation (DESE) \n350 Main Street, Malden, MA 02108 \n(781) 388-3300 \n \n\uf075 For concerns regarding civil rights related to food and \nnutrition (school-provided meals): \nU.S. Department of Agriculture Office of the Assistant \nSecretary for Civil Rights \n1400 Independence Avenue, SW, Washington, DC 20250" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular EQT-02 \nPage 10 of 10 \n \n \n \n\uf075 For incidents regarding employees\u2019 civil rights: \nMassachusetts Commission Against Discrimination (MCAD) \n \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: Director of Compliance and Title IX \nCoordinator \nDepartment: Office of Equity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 24, + "content": "Coordinator \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-03 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINTRODUCTION \nThe Boston Public Schools (BPS) is committed to ensuring that \nstudents learn in an environment free of sexual misconduct. \nSexual misconduct committed against a BPS student will not be \ntolerated. In addition, acts of retaliation against an individual who \nreports an allegation of sexual misconduct or cooperates with a \nrelated investigation are unacceptable and will not be tolerated. \nStudents participating in BPS academic, educational," + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 2, + "content": "extracurricular, athletic, and school programs or activities are \nprotected from sexual misconduct by other students, parents, \nBPS employees, and third parties (e.g., visitors). In addition, BPS \nstudents may be protected from sexual misconduct that occurs \noutside the context of a school\u2019s education program, activity, or \nschool property, if the behavior was in connection with a school \nprogram or activity which includes locations, events, or \ncircumstances over which the district exercised substantial \ncontrol over both the person accused of the conduct and the \ncontext in which the sexual misconduct occurred. \nThe Boston Public Schools treats reports of sexual misconduct" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 3, + "content": "with the utmost seriousness. We will address any sexually" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 2 of 14 \n \n \n \ninappropriate communication or behavior directed toward \nstudents, regardless of whether that conduct is unlawful. This \npolicy is neither designed nor intended to limit the district\u2019s \nauthority to discipline or take remedial action for conduct that \nthe Boston Public Schools deems unacceptable. \nDEFINITION OF SEXUAL MISCONDUCT \nFor the purposes of this policy, sexual misconduct constitutes \nsexually inappropriate comments and/or behaviors of any kind. \nBelow are examples of sexual misconduct: \nSexual Violence \nSexual violence is broadly defined as any sexual activity that is" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 5, + "content": "forced, coerced, or unwanted. It also includes any sexual act \nagainst another person who is incapable of giving consent, either \nbecause of their temporary or permanent mental or physical \nincapacity, or because they are a minor. \nConsent is defined as clear, active agreement and permission to \nengage in any form of verbal or nonverbal sexual communication \nor activity with another person. The initiator of the sexual contact \nis responsible for obtaining consent before engaging in any \nsexual contact. Consent can be withdrawn by either party at any \npoint. Consent must be voluntary and may not be valid if a \nperson is being subjected to an emotional, psychological," + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 6, + "content": "physical, reputational, or financial threat, intimidation, or \ncoercion. Consent to engage in one sexual activity, or past \nagreement to engage in a particular sexual activity, cannot be \npresumed to constitute consent to engage in a different sexual \nactivity or to engage again in a sexual activity. Consent cannot be" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 3 of 14 \n \n \n \nvalidly given by a person who is incapacitated or under the age of \nsixteen. \nSexual violence may include criminal acts, such as indecent \nassault and battery, rape, abuse, or assault with intent to rape. \nAny acts that may be criminal will be referred to law \nenforcement. \nExamples of sexual violence may include, but are not limited to, \nthe following: \n\u2022 Unwelcome sexual touching \n\u2022 Non-consensual sexual contact that occurs during school or \nnon-school hours, on or off school grounds, including dating \nviolence \n\u2022 Recruiting, transporting, obtaining, or providing a student of \nany gender for the purpose of sex." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 8, + "content": "any gender for the purpose of sex. \nOther Forms Of Sexual Misconduct \nSexual misconduct includes unwelcome conduct of a sexual \nnature that denies or limits, on the basis of sex, a student's ability \nto participate in or to receive benefits, services, or opportunities \nin the school's program or activities. \nExamples of behavior that may constitute sexual misconduct \ndepending upon the totality of the circumstances, the ages of \nthe student or other individuals involved, and the severity and \npervasiveness of the conduct, include but are not limited to: \n\u2022 Sexual advances, whether or not they involve touching \n\u2022 Requests for sexual favors" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 4 of 14 \n \n \n \n\u2022 Making an educational decision or benefit contingent upon \na student\u2019s submission to unwelcome sexual conduct \n\u2022 Offensive public sexual display of affection, including \ngroping, fondling, gestures, or inappropriate touching of \noneself or others \n\u2022 Consensual groping, fondling, sexual touching, or sex on \nschool property or at any school-sponsored activity \n\u2022 Sexual jokes or references \n\u2022 Comments regarding a student\u2019s body or a student\u2019s sexual \nactivity or orientation \n\u2022 Offensive name calling or profanity that is sexually \nsuggestive, sexually degrading, or based on sexual \nstereotypes or sexual orientation" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 10, + "content": "stereotypes or sexual orientation \n\u2022 Different treatment because of pregnancy status \n\u2022 Displaying or distributing sexually explicit drawings, \npictures, or other materials in any form (such as sexting) \n\u2022 Trafficking of youth for sexual purposes, such as recruiting, \ntransporting, or otherwise exploiting a minor in exchange \nfor money, shelter, or food \n\u2022 Sexual advances or contact, whether or not they are \nconsensual, between a student and employee, contractor, or \ncommunity partner \n\u2022 Sexual activity between students in a school, or any building \nwhere BPS business is conducted \n\u2022 Other verbal, nonverbal, or physical conduct of a sexual \nnature." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 5 of 14 \n \n \n \nAny student, regardless of gender identity or sexual orientation, \ncan be a target of sexual misconduct, and the alleged targets and \nthe subject of the concern can be of the same or different \ngenders. \nEmployees of the Boston Public Schools who become aware of \nany possible sexual misconduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same reporting \nrequirement applies to partners or contractors providing services \nto students in or under the auspices of the Boston Public Schools." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 12, + "content": "The above list of examples is not exhaustive. If you are unsure \nwhether a student may have been a target of sexual misconduct \nor if you have knowledge of a possible incident of sexual \nmisconduct involving a student, immediately contact your school \nprincipal/head of school, supervisor, or the Office of Equity at 617-\n635-9650 or bpsequity@bostonpublicschools.org. \nREPORTING AND INVESTIGATING SEXUAL MISCONDUCT \nA student, parent, or other third party who believes that a \nstudent has been subjected to inappropriate sexual conduct may \nreport the incident to the principal/head of school or the Office of \nEquity. \nThe Boston Public Schools will promptly investigate allegations" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 13, + "content": "of sexual misconduct even when the incident is being \ninvestigated by law enforcement or another entity. Our \nobligation is to determine if there has been a violation of a BPS \ncircular and/or the BPS Code of Conduct. The investigation will \nbe conducted in a manner maintaining confidentiality to the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 6 of 14 \n \n \n \nextent practicable under the circumstances. Incidents that a BPS \nemployee becomes aware of directly or indirectly, such as from a \nnote or an overheard conversation, will also be investigated. \nInterim measures for the safety of the students involved must be \ntaken upon receipt of the report to ensure equal access to \neducational programs and activities. \nIf the investigation results in a finding of a violation of this policy, \nBoston Public Schools will take steps to end the misconduct, \nprevent any further misconduct, remedy its effects where \nappropriate, and take disciplinary action, as deemed appropriate \nunder the circumstances." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 15, + "content": "under the circumstances. \nREPORTING PROCEDURES \n(see Appendix A checklist) \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, the building \nadministrator must immediately (within the same school day, \nwith rare exceptions): \n1. Ensure that a student who discloses sexual misconduct is \nnot interviewed by any other BPS employee subsequent to \nthe initial disclosure, unless otherwise specifically directed \nby law enforcement, the state Department of Children and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 16, + "content": "Families (DCF), or the Office of Equity. To minimize the \nalleged target\u2019s emotional distress and to preserve the \nintegrity and reliability of any investigation, the initial" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 7 of 14 \n \n \n \ndisclosure conversation should be limited to the essential \nfacts. The BPS staff member who first receives the report \nmust document the conversation as thoroughly as possible. \n2. Assess the need for emergency interim safety measures to \nprevent any additional incidents and ensure that the target \nis able to fully engage in the school\u2019s programs and \nactivities. Implement any plan as appropriate. \n3. Report the incident to your school\u2019s Safety Specialist or \nSafety Services at 617-635-8000 if the allegation involves \nsexual assault or violence, such as physical contact or \nthreats. Call Safety Services even if you are not sure if the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 18, + "content": "alleged incident constitutes sexual violence. Inform the \nschool nurse if medical care is needed. \nIf Safety Services are not available, call 911. \nDepending on the nature of the allegations, the Office of \nSafety Services may work directly with the Boston Police \nDepartment School Unit. Thereafter, the Boston Police \nCrimes Against Children Unit may conduct the \ninvestigation. A team investigation may include other \nagency involvement. By law, the police cannot provide the \nBoston Public Schools with a written report regarding an \nincident of sexual violence. \n4. Contact the Department of Children and Families (DCF) to \nfile a 51A report if the allegation warrants. As mandated" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 19, + "content": "reporters, employees of the Boston Public Schools are \nrequired to report situations when there is reasonable cause \nto believe a student is suffering from physical or emotional \ninjury that causes harm or a substantial risk of harm to the \nstudent\u2019s health or welfare." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 8 of 14 \n \n \n \nQuestions related to school employees\u2019 obligation to file a \n51A report with DCF should be directed to the Office of Legal \nAdvisor. Please also refer to Superintendent\u2019s Circular SSS-17 \non Child Abuse and Neglect. \nIf the alleged subject is over 18 years old, under 7 years old, \nor has a disability that might manifest as inappropriate \nsexual conduct, please call the Office of Equity prior to filing \na 51A. \n5. Always alert the school\u2019s operational leader. If you wish, \nand/or upon request of the Office of Equity, also alert the \nschool\u2019s elementary or secondary school superintendent. \nDepending on the severity and complexity of the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 21, + "content": "Depending on the severity and complexity of the \nallegations, the school superintendent and/or operational \nleader will then partner with the designated school \nadministrator and/or the Office of Equity to complete the \ninvestigation. \n6. Notify the parent(s) or legal guardian(s) of the reporter or \nalleged victim, if a minor, unless the parent/legal guardian is \nthe subject of the concern and/or such notification will \ncreate a substantial risk to the student\u2019s health, safety, or \nwelfare. \n7. If the subject of the concern is a minor, the building \nadministrator (or other Office of Equity Designee) should \nnotify the subject\u2019s parent(s) or legal guardian(s). For" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 22, + "content": "reasons of confidentiality, do not inform the subject\u2019s family \nof the alleged target\u2019s identity or gender. \n8. Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day, if possible, \nbut always within 48 hours of the incident. This document" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 9 of 14 \n \n \n \nshould be treated as confidential and sent to the Office of \nEquity only. Only share this document or other related \ndocuments as directed by the Office of Equity, Office of \nLegal Advisor, or law enforcement authorities. The form can \nbe submitted digitally via this link. \n9. Investigate and document the allegation. If it is determined \nby a preponderance of the evidence that inappropriate \nconduct occurred, the Boston Public Schools will take such \nactions as it deems appropriate under the circumstances. \nFor students, such actions will be consistent with the Code \nof Conduct, and may also include training, mediation, or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 24, + "content": "restorative practices. For employees, such actions will be \nconsistent with the district\u2019s labor practices, and may \ninclude training, restorative practices, and/or discipline. \n10. Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident. When \ncompleting the narrative, staff should document witness \nstatements and the subject\u2019s response to the allegation(s). \nAdditionally, staff should document the investigatory \nfindings and remedial action taken, if any. The form can be \nsubmitted digitally via this link. \nDuring the investigation, the alleged target of the \nmisconduct should not discuss the incident with the subject" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 25, + "content": "of the concern present under any circumstances. \n \nFor detailed guidance on investigating and documenting \nallegations of sexual misconduct, please follow the Boston \nPublic Schools Protocols for Sexual Misconduct" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 10 of 14 \n \n \n \nInvestigations Conducted by School Leaders and Central \nOffice Managers. \n \nAll reports submitted through the Equity Student Incident & \nInvestigation Form will be reviewed by the Office of Equity. \nPROHIBITION OF RETALIATION \nRetaliation against an individual who reports sexual misconduct \nand retaliation against individuals for cooperating with a related \ninvestigation is unlawful and will not be tolerated by the Boston \nPublic Schools. \nReports of retaliation should be brought to the building \nadministrator or the person who is conducting the investigation. \nA student who feels there has been retaliation following a" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 27, + "content": "complaint may also call the Office of Equity at 617-635-9650. \nBPS TITLE IX COORDINATOR \nThe Boston Public Schools\u2019 Title IX coordinator is responsible for \nensuring compliance with the investigatory process outlined in \nEQT-3, and tracking incidents across the district. Any parent or \nemployee who raises concerns regarding the investigatory \nprocess and/or outcomes may contact the district\u2019s Title IX \ncoordinator: \n \nDirector of Compliance and Title IX Coordinator \nBoston Public Schools \n2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9650, Fax: 617-635-7940" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 11 of 14 \n \n \n \nEmail: bpsequity@bostonpublicschools.org \nOTHER RESOURCES \nUnited States Department of Education Office for Civil Rights \n(OCR) \n5 Post Office Square, 8th Floor, Boston, MA 02109 \n(617) 289-0111 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 29, + "content": "Worcester, MA 01608 \n(508) 453-9630 \n \nMassachusetts Department of Elementary and Secondary \nEducation \nProgram Quality Assurance \n75 Pleasant Street, Malden, MA 02148-4906 \n(781) 338-3700" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 12 of 14 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nFor matters involving DCF, contact: \nDepartment: Office of Legal Advisor \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9320 \nFax: 617-635-9327 \nEmail: legal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 13 of 14 \n \n \n \nAPPENDIX A: CHECKLIST FOR SCHOOL ADMINISTRATORS \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, including sexual \nharassment and sexual violence, the school or central office \nadministrator (or the elementary or secondary school \nsuperintendent, elementary or secondary school assistant \nsuperintendent, and/or operational leader if the complaint is \nagainst the school or central office administrator) must \nimmediately:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 32, + "content": "immediately: \n\uf0a8 Receive a disclosure of sexual misconduct. Whoever the \nstudents report to first must document the following: \n1. Who is the subject of the concern? \n2. What did the subject say or do? \n3. If physical contact was made, where did the subject \ntouch you (clarify if contact was made above clothing \nor directly on the student\u2019s skin)? \n4. Is this the first time something like this happened? \n5. Was anyone else there when it happened? \n6. Did you tell anyone else what happened? \nStudents cannot be interviewed more than once by a BPS \nemployee and should only be interviewed with one adult in \nthe room. \n\uf0a8 Assess the need for emergency interim measures and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 33, + "content": "implement as appropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular EQT-03 \nPage 14 of 14 \n \n \n \n\uf0a8 Report the incident to your school\u2019s Safety Specialist or \nSafety Services at (617) 635-8000 if the allegation involves \nsexual violence, such as physical contact or threats. Call \nSafety Services even if you are not sure if the alleged \nincident constitutes sexual violence. If Safety Services is not \navailable, call 911. \n\uf0a8 Contact the Department of Child and Family Services to file \na 51A report if the allegation warrants. \n\uf0a8 Alert the Operational Leader. In addition, upon request of \nthe Office of Equity, alert the school\u2019s elementary or \nsecondary school superintendent. \n\uf0a8 Notify the parent(s) or legal guardian(s) of the alleged" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 35, + "content": "target of the misconduct, unless the parent/legal guardian is \nthe subject of the investigation and/or such notification will \ncreate a substantial risk to the student\u2019s health, safety, or \nwelfare. \n\uf0a8 Notify the subject\u2019s parent(s) or legal guardian(s) if that \nindividual is a minor. \n\uf0a8 Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day if possible, \nbut always within 48 hours of the incident. \n\uf0a8 Investigate and document the allegations consistent with \nthe Office of Equity Protocols to determine if a violation of \nthe circular has occurred. If a Code of Conduct violation is \nfound, conduct disciplinary proceedings." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 36, + "content": "found, conduct disciplinary proceedings. \n\uf0a8 Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nEQT-10 \nVersion 01 \n \n \n \nOPPORTUNITY AND ACHIEVEMENT GAPS (OAG) \nPOLICY IMPLEMENTATION \n(For the 2016 Policy of the Boston Public Schools to Eliminate \nOpportunity & Achievement Gaps for students of color, \nmultilingual learners, students with disabilities and students of \nlow socio-economic status) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nCIRCULAR CONTENTS \nI. Opportunity & Achievement Gaps (OAG) Policy Goals \nII. OAG Policy Oversight and Implementation \nIII. OAG Policy SMARTIE Goals / Aligned with Strategic Plan \nImplementation Goals \na. Superintendent Goals" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 2, + "content": "Implementation Goals \na. Superintendent Goals \nb. Central Office Department & Division Goals \nc. School-based Goals \nd. Cross Functional Team Goals \nIV. Transparency & Public Accountability \nThe Boston Public Schools is committed to ensuring that every \nchild in every classroom has unfettered access to all the \nopportunities needed to be successful academically and social \nemotionally. In order to meet this mission, it\u2019s important that \nevery district employee reads, understands, embodies, and \nimplements the 2016 Opportunity & Achievement Gaps Policy." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 2 of 10 \n \n \n \n \nI. OAG POLICY GOALS \nThe OAG Policy aspires to achieve the following goals: \n\u2022 Goal 1: Districtwide Implementation and Oversight \n\u2022 Goal 2: Districtwide Focus on Cultural Proficiency as \nCentral to the Work of the Boston Public Schools \no Objective 2.1: Develop a clear, shared vision for cultural \nproficiency with Cultural Proficiency Standards, and \npromote culturally and linguistically sustaining and \naffirming practices districtwide. \no Objective 2.2: Continue and expand efforts aimed at \nincreasing dialogue and transparency around issues of \nracism and inclusion and create a system for reporting" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 4, + "content": "allegations of racial bias and discriminatory practices \nthrough the Office of Equity. \n\u2022 Goal 3: Diversity and Cultural Proficiency in Leadership \nand Human Capital \no Objective 3.1: Increase the diversity of teachers, \nadministrators, and staff in schools and the Central \nOffice. \no Objective 3.2: Provide long-term, ongoing professional \ndevelopment and coaching for staff at all levels of the \ndistrict on eliminating gaps, transforming and \nimproving instructional practices and beliefs, and \nbuilding a culture of high expectations and \nachievement for all students." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 3 of 10 \n \n \n \n\u2022 Goal 4: Holistic, Culturally Affirming Approach to School \nand Teacher Quality \no Objective 4.1: Provide a culturally proficient and highly \neffective teacher in every classroom and give cultural \nproficiency standards greater weight on the Teacher \nEvaluation Rubric. \no Objective 4.2: Demonstrate how curricula are vetted \nfor bias and cultural proficiency and ensure that the \ncurriculum and instructional strategies used in all \nsubjects at all levels are rigorous, highly engaging, \nculturally affirming, and foster student identity and \nvoice. \no Objective 4.3: Demonstrate how Social and Emotional" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 6, + "content": "Learning (SEL) is used to develop student identity and \nan appreciation of race, ethnicity, culture, language, \ngender, and social class among students and teachers; \nand foster comfort in discussing these issues explicitly \nin school. \no Objective 4.4: Demonstrate how assessments are used \nto drive deeper learning, eliminate redundant testing, \nand disaggregate data by ethnicity in addition to race \nand gender to identify and address opportunity and \nachievement gaps. \no Objective 4.5: Demonstrate how appropriate \nidentification, placement, and support services are \nprovided for students with disabilities and English \nLanguage Learners." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 4 of 10 \n \n \n \n\u2022 Goal 5: Dismantling Structural Barriers and Providing \nGreater Access to Opportunities \no Objective 5.1: Demonstrate how equity is addressed \nwithin the district\u2019s operations. \no Objective 5.2: Demonstrate equity in student \nassignment, enrollment, and school closings. \no Objective 5.3: Demonstrate equity, quality, and impact \nin funding and resources. \no Objective 5.4: Demonstrate how opportunities such as \naccess to rigorous curriculum, early childhood \neducation, and extended learning time are being \nexpanded to all students of color and other \nmarginalized groups. \no Objective 5.5: Demonstrate how, in collaboration with" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 8, + "content": "the City of Boston, BPS fosters strong parent \ncommunity-school ties to mitigate the effects of \nconcentrated poverty and institutional racism citywide \nas a strategy to eliminate gaps. \n\u2022 Goal 6: Students, Family, and Community as Authentic \nPartners \no Objective 6.1: Demonstrate how students are engaged \nas partners in eliminating opportunity and \nachievement gaps, while promoting student \nengagement and agency in active learning. \no Objective 6.2: Demonstrate how parents are engaged \nas partners in eliminating opportunity and \nachievement gaps. \no Objective 6.3: Demonstrate how community partners" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 5 of 10 \n \n \n \nare engaged with the District to eliminate opportunity \nand achievement gaps. \nII. OAG POLICY OVERSIGHT AND IMPLEMENTATION \nThe Office of Opportunity Gaps of the Division of Equity, Strategy \nand Opportunity Gaps (ESOG) has the authority to oversee the \nimplementation of the OAG policy as designated by the \nsuperintendent of schools. \n\u2022 To ensure that all \u201cdepartments and schools \n[demonstrate] equity in all facets of district operations,\u201d \neach department and school is expected to develop \nannual goals that advance the goals of the OAG policy \nunder their purview. \n\u2022 For central office departments, each OAG policy goal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 10, + "content": "should be developed in consultation with a designated \nmember of the Office of Opportunity Gaps before the \nbeginning of each school year. \n\u2022 For schools, school leaders, in consultation with their \nschool superintendent, should develop goals advancing \nthe OAG policy as a part of their annual Quality School \nPlan (QSP). The school superintendents should have the \ngoals reviewed by the Office of Opportunity Gaps for \nconsultation and feedback for finalization by November 1 \nof each year. \n\u2022 The Office of Opportunity Gaps and the Office of Strategy \n& Innovation will work in partnership to ensure alignment \nof strategy plan implementation goals and OAG policy" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 11, + "content": "implementation goals across central office departments. \nEach department's OAG goal(s) shall also serve as one or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 6 of 10 \n \n \n \nmore of its strategic plan implementation goals. \n \nIII. OAG POLICY SMARTIE GOALS / ALIGNED WITH STRATEGIC \nPLAN IMPLEMENTATION GOALS \n\u201cImplementation and Evaluation: Within six months of the \nBoston School Committee (BSC) adoption of this policy, Boston \nPublic Schools (BPS) will develop and present to BSC an \ninterdepartmental implementation plan for this policy. The \nImplementation Plan must include SMART Goals which are \nSpecific, Measurable, Attainable, Realistic, and Time-Bound. \nEach October, beginning in 2017, BPS will submit an annual \nreport on the Plan\u2019s progress which will include SMART Goals for" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 13, + "content": "the subsequent calendar year. BPS will develop an Opportunity \nand Achievement Gaps (OAG) Dashboard, publicly available on \nthe BPS website, which monitors and assesses the District\u2019s \nprogress towards meeting the goal of eliminating the \nopportunity and achievement gaps facing students of color and \nother marginalized groups.\u201d \n\u2022 Superintendent Goals: At the beginning of each school \nyear, the superintendent\u2019s goals, objectives, and \nimplementation of activities will be aligned with the goals \nand objectives of the Opportunity and Achievement Gap \nPolicy. \n\u2022 Central Office Goals: At the beginning of each fiscal year, \neach division-office must develop an Opportunity and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 14, + "content": "Achievement Gap Goal and Strategy(s) that elevates \nstudent disproportionality within their workstreams. \nGoals are reviewed quarterly to determine progress on \nimplementation for student achievement." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 7 of 10 \n \n \n \n\u2022 School-Based Goals: At the beginning of each school year, \nSchool Leaders and their teams must develop an \nOpportunity and Achievement Gap Goals and \nStrategy(ies) within their Quality School Plans that elevate \nstudent disproportionalities within teaching, learning, \noperational, and social emotional supports. Quality School \nPlans are reviewed every 90 days to determine progress \non implementation for student achievement. \nIV. TRANSPARENCY & PUBLIC ACCOUNTABILITY \n\u201cThe Boston School Committee must ensure that eliminating the \nopportunity and achievement gaps facing students of color," + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 16, + "content": "English Language Learners, students with disabilities, and \nstudents of low socio-economic status is a primary and urgent \npriority that will not change with new leadership, fluctuating \nbudgets, and shifting priorities. All District policies, budgets, \nstrategic plans, and school improvement plans shall advance \nthe goal of eliminating the opportunity and achievement gaps \nfacing students of color, English Language Learners, students \nwith disabilities, and students of low socio-economic status.\u201d \nRESPONSIBILITY OF DISTRICT LEADERSHIP \nEquity Impact Statements: \nAll reports, policy recommendations, and budgets presented to \nthe Boston School Committee shall be accompanied by an Equity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 17, + "content": "Impact Statement that explicitly shows a comparison of the gaps \nfor students of color, multilingual learners, students with \ndisabilities, and students of low socio-economic status, \ndisaggregated by ethnicity, to the extent possible. This \nAchievement Gap Impact Statement will give an explicit" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 8 of 10 \n \n \n \nexamination of how the report, policy recommendation, and/or \nbudget will help or hinder eliminating gaps and increase or \ndecrease opportunities for students of color, Multilingual learners, \nstudents with disabilities, and students of low socio-economic \nstatus. \nAll new policies will be automatically reviewed in one year to \npresent disaggregated ethnic and program data to show that the \npolicy is having its intended impact, along with lessons learned \nand future recommendations. \nOther Provisions / Excerpts From the OAG Policy: \n\u2022 Leadership and Oversight: The superintendent and their" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 19, + "content": "designee (e.g., the assistant superintendent for the \nOpportunity and Achievement Gap) will have the \nresponsibility, authority, and accountability to lead, \nfacilitate, and monitor the implementation of this policy \nso that it is fully embedded in the operations and \npractices of the district. \n\u2022 Resource Allocation: BPS shall base resource allocation \ndecisions on the OAG Implementation Plan, and target \nresources to meet the specific gap closing goals of the \nplan, including fully funding the Office of the Opportunity \nand Achievement Gap and the Office of Equity. As part of \nthe annual report, BPS will indicate the resources it has \nallocated to implement the OAG plan." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 20, + "content": "allocated to implement the OAG plan. \n\u2022 Monitoring: The Opportunity and Achievement Gaps Task \nForce shall continue as a monitoring body, meeting no \nless than quarterly, providing guidance and input, and \nworking in partnership with the Boston School" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 9 of 10 \n \n \n \nCommittee, and BPS to help ensure that the \nImplementation Plan is developed, and the policy is being \nimplemented with consistency and fidelity across the \ndistrict. The task force will give an annual State of the \nOpportunity and Achievement Gaps Report to the Boston \nSchool Committee and shall make recommendations as \nneeded to influence the budget process and planning for \neach subsequent school year. \n\u2022 Performance Reviews: Beginning in SY22-23, annual \nperformance reviews for the superintendent and all BPS \nstaff shall include goals related to cultural proficiency and \neliminating opportunity and achievement gaps." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular EQT-10 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nName: Assistant Superintendent, Office of \nOpportunity Gaps \nDepartment: Office of Opportunity Gaps \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: ofca-staff@bostonpublicschools.org \nOR \nOwner: Assistant Superintendent, Office of \nOpportunity Gaps \nDepartment: Equity Strategy, Opportunity Gaps \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-05 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district\u2019s nondiscrimination policy (see EQT-01). These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 2, + "content": "conduct, discrimination or harassment based on race, color, age, \ncriminal record (inquiries only), disability, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. The intent of these procedures is to ensure that, to the \ngreatest extent possible, such reports are addressed in a \nconstructive manner. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct, discrimination, or harassment based on race," + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-05 \nPage 2 of 8 \n \n \n \ncolor, age, criminal records (inquiries only), disability, \npregnancy/pregnancy related conditions, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours, \nincluding when an employee is working remotely, may still \nconstitute bias-based misconduct and a violation of this policy if \nthat behavior has the effect of disrupting an employee\u2019s ability to \ndo their job." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 4, + "content": "do their job. \nEmployees sometimes experience \u201cmicroaggressions\u201d: verbal or \nnonverbal communication that is rooted in implicit bias, but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n\u2022 Mistaking one staff member for another because they share \nthe same racial identity \n\u2022 Complimenting a staff member for having a skill that is \ncounter to a stereotype regarding their gender or ethnicity \n\u2022 Assuming a staff member observes a particular religious \nholiday or has a particular sexual orientation \n\u2022 Asking a staff member about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 5, + "content": "Office will partner with the reporter and/or other appropriate \nstaff to determine an effective intervention, such as coaching, \nmediation, restorative justice, or an individual or school- or \ndepartment-wide training." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular EQT-05 \nPage 3 of 8 \n \n \n \nGENERAL POLICIES \n1. Employees in supervisory or managerial roles have an \nobligation to report possible violations of this circular. \n2. Retaliation against any employee for reporting or \nparticipating in any way in the reporting or investigative \nprocedures is strictly prohibited. \n3. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does not \nconflict with regularly scheduled school programs. \n4. Reporting a possible violation will not be construed as \nreflecting unfavorably on an employee\u2019s or applicant\u2019s good \nstanding, performance, loyalty, or desirability to the Boston" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 7, + "content": "Public Schools. \n5. Information regarding the allegations, including the parties \ninvolved in the report and the investigation, will be kept \nconfidential to the extent practicable. \n6. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscrimination policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, the \nrelationships between the parties, and the context in which \nthe incidents occurred. A determination whether a \nparticular action or incident constitutes a violation of the \npolicy will be based on all the facts. \nPROCEDURES \n1. An employee or applicant who believes they may have" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 8, + "content": "experienced, witnessed, or become aware of possible bias-\nbased conduct must contact the Office of Equity by phone," + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EQT-05 \nPage 4 of 8 \n \n \n \nemail, or fax. Employees are strongly encouraged to contact \nthe Office of Equity as soon after the incident as possible, as \nreports are more easily addressed the sooner they are \nreported. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and may \nrequest that the reporter submit a written statement. The \nOffice of Equity will ensure that assistance is provided in \npreparing such a written statement, if needed. The Office of \nEquity accepts all reports of possible bias-based conduct \nbut, depending on the circumstances, may decline to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 10, + "content": "investigate allegations regarding incidents that occurred \nmore than 300 calendar days prior to receipt of the report. \n2. Employees in a supervisory capacity are required to report \npossible bias-based conduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day. \n3. After a report is received, the Office of Equity will notify the \nappropriate department identified in the report and/or the \nindividual against whom the report has been filed. \n4. The Office of Equity will make a fair, impartial, thorough, and \nprompt investigation of the reported incident(s). The" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 11, + "content": "investigation may include interviews with individuals who \nhave pertinent information and a review of any documents \nor other information relevant to the investigation. BPS \nemployees are obligated to cooperate with any Equity \ninvestigation, including promptly providing any requested \ninformation or documents. \n5. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will be informed when \nthe investigation is complete, and informed whether" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular EQT-05 \nPage 5 of 8 \n \n \n \nprohibited conduct was found. Depending on the facts \ngathered, the Office of Equity may resolve the concerns by \napplying approaches such as alternative dispute resolution, \nrestorative justice, training, or coaching. In other instances, \nthe results of the investigation may also be documented as \nwritten findings. Mediation will not be used in cases \ninvolving sexual assault. \n6. If the Office of Equity finds that there is a preponderance of \nevidence to show that a violation of the district\u2019s \nnondiscrimination policy occurred, the office will determine \nways to address the matter and prevent recurrences." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 13, + "content": "7. The Office of Equity will maintain records of all reports of \nbias-based conduct made to the Office of Equity, noting the \nschool or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records to \nidentify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will: \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to be \nin violation of the district\u2019s nondiscrimination policy, prevent \nthis conduct from recurring in the future, and remedy its \neffects, where appropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 14, + "content": "effects, where appropriate. \n3. Refer individuals found to have violated the district\u2019s \nnondiscrimination policy for disciplinary action when \nappropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular EQT-05 \nPage 6 of 8 \n \n \n \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more information \nabout Employee Discipline Procedures, please see \nSuperintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under the \ncircumstances. (For more information on student discipline, \nplease see the Code of Discipline for Students and Students \nwith Disabilities \u2013 Superintendent Circulars SUP-05 and SPE-\n15.) \n4. Require students, employees, or other third parties found to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 16, + "content": "violate the district\u2019s nondiscrimination policy to attend \ndiscrimination prevention training, as appropriate. \nSTATE AND FEDERAL REMEDIES \nIn addition to the above, if you believe you have been subjected \nto unlawful discrimination, you may file a formal complaint with \neither of the government agencies set forth below. Reporting a \nconcern to the Office of Equity does not prohibit you from filing a \ncomplaint with these agencies. Each of the agencies has a time \nperiod of 300 days for filing a claim." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular EQT-05 \nPage 7 of 8 \n \n \n \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: Address: \nBoston One Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield 436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester 484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular EQT-05 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: 617-635-9650 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nEQT-09 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nEMPLOYEE NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY AND EXPRESSION \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. All Boston Public Schools are to be \nfree from bias and discrimination on the basis of sex, sexual \norientation, and/or gender identity. \nThis circular sets forth guidelines to address the needs of \ntransgender and gender non-conforming employees and clarifies" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 2, + "content": "the Office of Equity\u2019s investigatory process. This circular does not \nanticipate every situation that might occur with respect to \ntransgender or gender non-conforming employees, and the \nneeds of each transgender or gender non-conforming employee \nmust be assessed on a case-by-case basis. \nReports of bias, discrimination or harassment based on a person\u2019s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-09) will be investigated and addressed" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular EQT-09 \nPage 2 of 8 \n \n \n \naccording to the protocols detailed in Superintendent\u2019s Circular \nEQT-05, \u201cEmployee Reports of Bias-Based Conduct.\u201d \nDEFINITIONS \nThe definitions provided below are not intended to label or limit \nemployees\u2019 individual identities or experiences, but rather to \nassist in understanding this circular and the district\u2019s legal \nobligations. Although these are the most commonly used terms, \nemployees may or may not choose to use these terms to describe \ntheir gender identity, appearance, or behavior. \n\u2022 Gender Identity: Defined under Massachusetts law as \u201ca \nperson\u2019s gender-related identity, appearance, or behavior," + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 4, + "content": "whether or not that gender-related identity, appearance, or \nbehavior is different from that traditionally associated with \nthe person\u2019s physiology or assigned sex at birth.\u201d \n\u2022 Gender Expression: The way a person represents or \nexpresses gender to others, often through behavior, \nclothing, hairstyles, activities, voice, or mannerisms. \n\u2022 Transgender: A person whose gender identity or expression \nis different from that traditionally associated with the \nassigned sex at birth. \n\u2022 Gender Nonconforming: People whose gender identity \nand/or gender expression do not conform to traditional \nsocietal expectations or norms. The terms \u201cgender" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 5, + "content": "nonbinary,\u201d \u201cgender variant,\u201d or \u201cgender-atypical\u201d may also \nbe used. \n\u2022 Queer: While historically and sometimes currently \nconsidered an offensive term, \u201cqueer\u201d has been reclaimed \nby many members of the lesbian, gay, bisexual, and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular EQT-09 \nPage 3 of 8 \n \n \n \ntransgender (LGBT) community as a term of empowerment. \nThe term generally refers to a member of the LGBT and/or \ngender nonconforming community. This term may be used \nby someone who identifies as a member of the LGBT \ncommunity, but who does not specifically consider \nthemselves to be lesbian, gay, bisexual, or transgender. \nSince this term has a negative history, it should only be used \nto describe individuals who identify themselves as queer \nand give permission for others to use that term to describe \nthem. \n\u2022 Transition: The process by which a person goes from living \nand identifying as one gender to living and identifying as" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 7, + "content": "another. Transitions may include physical, social, and/or \nmedical processes. Not all transgender or gender \nnonconforming people transition or desire to transition in \nthe same way. Transitions are private, and personal \ninformation about a transition should not be discussed \nunless the conversation is initiated and led by the \ntransgender or gender-nonconforming employee. \nRESPONSIBILITIES \nThe Boston Public Schools Office of Equity is responsible for \nensuring compliance with this circular and ensuring that all \nschool administrators and Central Office department heads are \ntrained and prepared to comply with their obligations under this \ncircular. \nPRIVACY AND CONFIDENTIALITY" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 8, + "content": "circular. \nPRIVACY AND CONFIDENTIALITY \nTransgender and gender nonconforming employees have the \nright to discuss their gender identity or expression openly or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular EQT-09 \nPage 4 of 8 \n \n \n \nkeep that information private. The employee has the right to \ndecide when, with whom, and how much to share when \nspeaking about their identity or expression. \nBPS Central Office employees, school personnel, and other \nparties employed, contracted by, or serving as volunteers in the \ndistrict should not disclose information that may reveal an \nemployee\u2019s transgender status or gender nonconforming \npresentation to others without their express permission. Private \nand confidential information may only be shared with the \ntransgender employee\u2019s consent, and with employees who truly \nneed to know to execute their job requirements." + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 10, + "content": "need to know to execute their job requirements. \nDRESS AND APPEARANCE \nBoston Public Schools does not have dress codes that restrict \nemployees\u2019 clothing or appearance on the basis of gender. \nTransgender and gender nonconforming employees have the \nright to dress in a manner consistent with their gender identity \nand/or gender expression. \nNAMES AND PRONOUNS \nAn employee has the right to be addressed by the name and \npronoun that corresponds to the employee\u2019s gender identity in \nthe workplace, including by their colleagues, and for school-\nbased employees, by their students. A court-ordered name or \ngender change is not required. The intentional refusal to respect" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 11, + "content": "an employee\u2019s gender identity may constitute a violation of the \ndistrict\u2019s circular, Bias-Based Conduct Toward Employees (EQT-\n05) and/or state and federal anti-discrimination laws. If a district \nemployee is unsure what pronoun a staff member uses, they \nshould ask the employee how they would like to be addressed." + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular EQT-09 \nPage 5 of 8 \n \n \n \nPUBLIC FACILITIES ACCESSIBILITY \nEmployees have a right to access safe and appropriate facilities, \nincluding the right to use a restroom and/or locker room that \ncorresponds to the employee\u2019s gender identity, regardless of the \nemployee\u2019s sex assigned at birth. Any employee who has a need \nor desire for increased privacy will be provided access to a single-\nstall restroom and/or private area, if available. No employee \nshould be required to use a single-stall restroom or a private \nchanging area. \nTRANSITIONING AT BPS \nEmployees who transition during their BPS employment can" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 13, + "content": "expect the support of the Office of Human Capital and the Office \nof Equity. These two offices will work with each transitioning \nemployee individually to ensure a successful workplace \ntransition. \nBEFORE THE WORKPLACE TRANSITION BEGINS \nTransitioning employees are encouraged to work in partnership \nwith the Office of Equity and Office of Human Capital to learn \nmore about the district\u2019s transgender-related policies, and the \navailability of transition-related health care benefits. \n \nAll relevant parties should discuss a workplace transition plan, \nincluding the employee, the employee\u2019s supervisor, and others as \nappropriate. A work plan should specify:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 14, + "content": "appropriate. A work plan should specify: \n\u2022 The date selected by the employee for when the transition \nwill officially and formally take place. This date will" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular EQT-09 \nPage 6 of 8 \n \n \n \ncorrespond to the date the employee changes their gender \nexpression, name, and pronouns. Employees may also \nchoose to start using the bathroom and other facilities that \ncorrespond to their gender identity on this date. The \nemployee has the right to revise the start date and other \naspects of the plan based on their evolving needs and \npreferences. \n\u2022 How and in what format the transitioning employee will \nnotify co-workers or personnel who need to know. \n\u2022 What, if any, training will be provided to co-workers, \nstudents, or other appropriate personnel or families. \n\u2022 What updates should be made to the transitioning" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 16, + "content": "employee\u2019s records, and when they will be made. \n\u2022 The dates of any leaves that may be needed for pre-\nscheduled medical procedures or treatment, if applicable. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \n \nReports of bias, discrimination, or harassment based on a \nperson\u2019s actual or perceived gender identity or gender \nnonconformity are handled in the same manner as other reports \nof bias-based conduct. The Boston Public Schools utilizes the \nprocedures outlined in EQT-05, Bias-Based Conduct Toward" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 17, + "content": "Employees. These procedures are designed to facilitate a prompt \nand effective internal review and resolution of allegations of bias-" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular EQT-09 \nPage 7 of 8 \n \n \n \nbased conduct, discrimination, or harassment based on \nsex/gender, gender identity, gender expression, and sexual \norientation. \nRELATED RESOURCES \n\u2022 Links to laws, regulations, cases, and web sources on \ngender identity or expression law can be found at \nMassachusetts Law About Gender Identity or Expression. \n\u2022 Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional training and support." + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular EQT-09 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: Director of Training and School Support \nDepartment: Office of Equity \nMailing Address: 2300 Washington St., 5th Floor, Roxbury, \nMA 02119 \nPhone: 617-635-9291 \nFax: 617-635-7940 \nEmail: bpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-03 \nVersion 01 \n \nTECHNOLOGY PURCHASING, DONATIONS & \nRETURN GUIDE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance on the \ntechnology purchasing process, acceptance of technology \ndonations, and the return of technology. \nTECHNOLOGY PURCHASING \nAll requests to procure technology that must be added to the \nBPS network should be submitted to BPSTechnology (OIIT) \nthrough the Technology Purchasing Request (Form 40), \nregardless of funding source. Please visit the BPSTechnology \nPurchasing Menu for technology options, pricing, and the" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 2, + "content": "request form. If you\u2019re not sure if a request form should be \nsubmitted, please feel free to reach out. \nTechnology listed on the menu has been evaluated by \nBPSTechnology (OIIT) experts based on industry standards, \ndistrict priorities, and school needs. Most technologies come with \nthe standard BPS image, and we guarantee service and support \nfor the equipment. Competitive pricing has been negotiated with \nvendors, contracts are already in place, and BPS purchasing \nguidelines have been met." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 2 of 5 \n \n \nIf you do not find what you are looking for on the menu, please \nreach out. While most technologies are standardized across the \ndistrict, we may be able to get them with different specifications \n(i.e. memory, storage). If you are considering technology that \ncannot be supported by BPSTechnology (OIIT), please: \n\u2022 examine compatibility with existing systems and digital \napplications, \n\u2022 be conscious of any software licensing or subscriptions \nneeded, \n\u2022 understand the warranty coverage and how repairs will be \nhandled, \n\u2022 ensure training is available on use and integration of the \ntechnology," + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 4, + "content": "technology, \n\u2022 arrange for shipment, delivery, assembly, and installation if \nnecessary, \n\u2022 follow the procurement process (see Business Services \nGuide), and \n\u2022 plan ahead to meet implementation and procurement \ntimelines. \nBPSTechnology (OIIT) reserves the right to decline requests for \nthe procurement of technology. \nBefore submitting your request, please be sure sufficient funding \nis available in technology accounts (55903, 55905, and 55907). If \npaying by check/BEDF, please wait to make payment. \nBPSTechnology (OIIT) will provide you with payment instructions \nonce the request has been reviewed and approved." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 3 of 5 \n \nOnly school/department leaders who are authorized by the \nsuperintendent to make budget decisions can submit requests \nto purchase technology. However, we encourage staff to work \nwith leaders to make technology decisions that will benefit \nschools/departments as a whole. \nPublic funds cannot be used to provide a prize or gift to an \nindividual. Under the Anti-Aid Amendment of our State \nConstitution and by order of the Massachusetts Supreme Judicial \nCourt, money raised by taxation (i.e., public money) can be used \nonly for public purposes and not for the advantage of private \nindividuals. \nDONATIONS" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 6, + "content": "individuals. \nDONATIONS \nSchools receiving technology donations from outside vendors or \npartners should contact BPSTechnology (OIIT) prior to receipt for \na comprehensive consultation. Donations can differ from \nBPSTechnology (OIIT) standards but must meet the minimum \nsystem requirements for the device. All donations of technology \nare the property of the Boston Public Schools and, as such, must \nadhere to the same policies regarding purchased equipment. \nAfter consultation, BPSTechnology (OIIT) reserves the right to \ndecline donations if they do not meet the minimum system \nrequirements or require additional support or resources beyond \nthe means of the district." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 7, + "content": "the means of the district. \nThere may be additional costs associated with software, re-\nimaging, repair, and maintenance. All donated computers must \nbe re-imaged with the standard image before being used by \nstudents or staff to ensure that existing data/information can be \nremoved, and the necessary security and management software" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 4 of 5 \n \ncan be installed. \nMaterials funded through DonorsChoose.org are the property of \nthe public school at which the teacher is employed when \nresources are shipped. The teacher who created the project is the \nsole steward of the donation while employed at the school, \ncarrying out the project for which the materials were donated. \nFor more information, go to DonorsChoose.Org Materials \nOwnership Policy. \nRETURNS \nAll technology (laptops, desktops, cell phones, tablets, desk \nphones, etc.) must be returned to BPSTechnology (OIIT) for \nreimaging or recycling. Any BPSTechnology (OIIT) staff member" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 9, + "content": "at either the Bolling Building or Campbell Resource Center can \ncollect technology and provide an electronic receipt to the \nemployee and RC manager, if requested. If re-imaged, the device \nis held until the purchasing school/department reassigns the unit \nand/or provides us with further instruction. \nTechnology cannot be transferred from one employee to another. \nAll computers, phones, and tablets must be returned to \nBPSTechnology (OIIT) so that data can be properly archived and \ndestroyed before it is redistributed to another employee. Hard \ndrive contents will be archived according to the City of Boston \nRecords Retention Schedule by the director of records" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 10, + "content": "management. Once data is archived and destroyed, the RC \nmanager can direct BPSTechnology (OIIT) to redeploy the \ntechnology to another employee in their RC. \nFor more information about this circular, contact:" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular OIIT-03 \nPage 5 of 5 \n \nName: Director of Technology Business Operations \nDepartment: OIIT / BPS Technology \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9190 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-02 \nVersion 01 \n \n \n \nPROCURING DIGITAL PRODUCTS GUIDANCE \nDOCUMENT \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance to Boston Public \nSchools (BPS) staff on the process to procure new digital learning \ntechnologies that use student education records or staff \ninformation. The overarching guidance is that schools and central \noffice departments should continue to use already-vetted digital \nproducts that are included with the Google Enterprise suite of \ntools or those that are included in Clever. \nDEFINITIONS" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 2, + "content": "DEFINITIONS \nDigital Tool - Any digital products or learning tools that are used \nto enhance or improve workflows that do not store or maintain \ndata/information. Examples include applications like \nSmartsheets, Chrome Extensions, or personal notation tools. \nThese tools are exempt from this circular. \nSystem - Any digital platform that purposely built to store, \nmaintain, or transfer sensitive student or staff data/information. \nExamples include Aspen or EdPlan." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 2 of 5 \n \n \n \nPlatform - A suite of tools and programs that allow users to \ncreate structures to maintain information. Examples include \nGoogle Apps, Salesforce, or Wordpress. \nLearning Application - Any digital tool used in a classroom \nsetting that may contain content and student \ninformation/progress. Learning applications may fall into multiple \ncategories, depending on how they are used, but any tool that \ncontains content and tracks student learning should be \nconsidered a learning app for the purpose of this document. \nExamples include Imagine Learning. \nCONTEXT \nBPS staff seeking online learning products or receiving offers to" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 4, + "content": "use online learning products to support instruction in a digital \nspace has resulted in the desire to use products that may not be \naligned to BPS instructional standards, do not comply with our \ntechnical specifications, or do not adhere to data sharing \nguidelines under FERPA. Our district is committed to ensuring \nthat appropriate educational supports and effective learning \nopportunities are provided to students. As such, this document \nwill outline guidance for the appropriate review of digital \nlearning tools in BPS. The guidelines outlined below are created \nto ensure that product confidentiality and security practices \nmeet or exceed industry standards and adhere to the" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 5, + "content": "expectations contained in the federal Family Education Rights \nand Privacy Act (FERPA), the Children\u2019s Online Privacy Protection \nAct (COPPA), the Protection of Pupil Rights Amendment (PPRA), \nand HIPAA regulations. This document describes the \nconsiderations schools and central office staff should employ" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 3 of 5 \n \n \n \naround protecting student data and education records, when \nselecting digital learning tools. \nGUIDANCE FOR BPS STAFF PROCURING DIGITAL PRODUCTS \nAny tools or products that are procured (paid for or free) by \nschools or departments for schoolwide or districtwide use need \nto comply with the FERPA school official exception criteria1 and \nspecifications for technical interoperability. Exceptions are made \nfor tools that do not track/store/maintain student or staff \ninformation. For example, a Chrome Extension that magnifies the \nscreen does not fall under these guidelines since it will not be" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 7, + "content": "1 Performs an institutional service or function for which the \neducational agency or institution would otherwise use its own \nemployees; \nHas been determined to meet the criteria set forth in in the \neducational agency\u2019s or institution\u2019s annual notification of \nFERPA rights for being a school official with a legitimate \neducational interest in the education records or PII; \nIs under the direct control of the educational agency or \ninstitution regarding the use and maintenance of the education \nrecords or PII; and \nUses the education records or PII only for authorized purposes \nand does not re-disclose the education records or PII to other" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 8, + "content": "parties (unless the provider has specific authorization from the \neducational agency or institution to do so and it is otherwise \npermitted by FERPA). See 34 CFR \u00a799.31(a)(1)(i)." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 4 of 5 \n \n \n \naccessing any sensitive information. New requests for products \nshould: \n1. Meet the district\u2019s technical specifications \n2. Have signed or sign a data privacy agreement \n3. Aligned to the Essentials for Instructional Equity \n4. Serve a purpose that is distinct from currently available tools \nwithin the district. \nPROCESS FOR SUBMITTING A SPENDING APPROVAL FOR THE \nDIGITAL LEARNING PRODUCT \nBefore a new digital learning product will be integrated, the \nfollowing steps need to be completed: \n1. Review the Essentials for Instructional Equity for alignment. \n2. Have the vendor submit an NDA Request to receive and sign" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 10, + "content": "the MA Student Data Privacy Agreement and Technology \nSpecifications Template. \n3. Once fully executed, follow the procurement process as \noutlined in the BUSINESS SERVICES GUIDE. \n4. Once the product is procured, email the BPS Clever Admin \nat cleveradmin@bostonpublicschools.org" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular OIIT-02 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nName: Director of Technology \nDepartment: Office of Instructional and Information \nTechnology, Office of Data & Accountability \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9200 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nOIIT-01 \nVersion 01 \n \nACCEPTABLE USE POLICY AND GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nGuidelines for Implementation of Acceptable Use Policy for \nDigital Information, Communication, and Technology Resources \nSCOPE OF POLICY \nBoston Public Schools (BPS) provides access to technology \ndevices, Internet, and data systems to employees and students \nfor educational and business purposes. This Acceptable Use \nPolicy (AUP) governs all electronic activity of employees using \nand accessing the district\u2019s technology, internet, and data \nsystems regardless of the user\u2019s physical location." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 2, + "content": "GUIDING PRINCIPLES \n\u2022 Online tools, including social media, should be used in our \nclassrooms, schools, and central offices to increase \ncommunity engagement, staff and student learning, and \ncore operational efficiency. \n\u2022 BPS has a legal and moral obligation to protect the personal \ndata of our students, families, and staff. \n\u2022 BPS should provide a baseline set of policies and structures \nto allow schools to implement technology in ways that meet \nthe needs of their students. All students, families, and staff" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 2 of 13 \n \nmust know their rights and responsibilities outlined in the \nAcceptable Use Policy and government regulations. \n\u2022 Nothing in this policy shall be read to limit an individual\u2019s \nconstitutional rights to freedom of speech or expression or \nto restrict an employee\u2019s ability to engage in concerted, \nprotected activity with fellow employees regarding the \nterms and conditions of their employment. \nCOMPLIANCE REQUIREMENT FOR EMPLOYEES \nThe Acceptable Use Policy is reviewed annually by the BPS Chief \nInformation Officer and is issued via the Superintendent\u2019s \nCircular. Technology users are required to verify that they have" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 4, + "content": "read and will abide by the Acceptable Use Policy annually. \nSTUDENT AUP & CONTRACT \nCopies of the Acceptable Use Policy and the student contract for \nInternet use are included in the Guide to Boston Public Schools \nfor Families & Students, given to all students at the beginning of \nthe school year. The Student Contract for Internet Use must be \ncompleted and signed by all students and their parent/guardian \nafter going over the AUP together. The signed contract must be \nreturned to the school before the student may begin using the \nInternet. \nCONSEQUENCES OF BREACH OF POLICY \nUse of all BPS technology resources is a privilege, not a right. By" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 5, + "content": "using BPS internet systems and devices, the user agrees to follow \nall BPS regulations, policies, and guidelines. Students and staff \nare encouraged to report misuse or breach of protocols to \nappropriate personnel, including building administrators, direct" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 3 of 13 \n \nsupervisors, and the Office of Instructional and Information \nTechnology (OIIT). Abuse of these privileges may result in one or \nmore of the following consequences: \n\u2022 Suspension or cancellation of use or access privileges. \n\u2022 Payments for damages or repairs. \n\u2022 Discipline under appropriate School Department policies, up \nto and including termination of employment, subject to any \ncollective bargaining obligations. \n\u2022 Liability under applicable civil or criminal laws. \nDEFINITIONS \nFreedom of Information Act (FOIA) - The FOIA is a law that allows \nfor the release of government documents at the request of an" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 7, + "content": "individual. A FOIA request can be made to the Boston Public \nSchools for electronic documents/communications stored or \ntransmitted through district systems unless that information \ncould be detrimental to governmental or personal interests. For \nmore information, visit http://www.foia.gov/ \nFamily Educational Rights and Privacy Act (FERPA) - The FERPA \nlaw protects the privacy, accuracy, and release of information for \nstudents and families of the Boston Public Schools. Personal \ninformation stored or transmitted by agents of the Boston Public \nSchools must abide by FERPA laws and the BPS is required to \nprotect the integrity and security of student and family" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 8, + "content": "information. For more information, visit \nhttp://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html \nChildren\u2019s Internet Protection Act (CIPA) - Requires schools that \nreceive federal funding through the E-Rate program to protect" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 4 of 13 \n \nstudents from content deemed harmful or inappropriate. The \nBoston Public Schools is required to filter internet access for \ninappropriate content, monitor the internet usage of minors, and \nprovide education to students and staff on safe and appropriate \nonline behavior. \nCOMMUNICATION & SOCIAL MEDIA \nEmployees and students are provided with district email \naccounts and online tools to improve the efficiency and \neffectiveness of communication, both within the organization \nand with the broader community. Communication should be \nconsistent with professional practices used for all" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 10, + "content": "correspondence. When using online tools, members of the BPS \ncommunity will use appropriate behavior: \na) when acting as a representative or employee of the Boston \nPublic Schools. \nb) when the communication impacts or is likely to impact the \nclassroom or working environment in the Boston Public \nSchools. \nAll communication sent by an employee using district property \nor regarding district business could be subjected to public access \nrequests submitted through Freedom of Information Act (FOIA). \nUsers need to be aware that data and other material/files \nmaintained on the school district\u2019s systems may be subject to \nreview, disclosure, or discovery. Use of personal email accounts" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 11, + "content": "and communication tools to conduct school business is strongly \ndiscouraged and may open an individual\u2019s personal account to \nbe subject to FOIA inquiries. BPS will cooperate fully with local, \nstate, and federal authorities in any investigation concerning or" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 5 of 13 \n \nrelated to any illegal activities or activities not in compliance with \nschool district policies or government regulations. \nGUIDELINES FOR ONLINE COMMUNICATION \n\u2022 Communication with students should not include content \nof a personal nature. \n\u2022 When communicating with parents/guardians of students, \nemployees should use email addresses and phone numbers \nlisted in the Student Information System (SIS) unless steps \nhave been taken to verify that the communication is \noccurring with a parent/guardian that has educational \nrights for the student. \n\u2022 When communicating with a parent/guardian, refrain from" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 13, + "content": "discussing any non-related students when possible. \n\u2022 Employees who use internal or external social media (blogs, \nX/Twitter, etc.) are expected to refrain from discussing \nconfidential information and/or discussing specific students. \nInformation that can be traced back to a specific student or \ncould allow a student to be publicly identified should not be \nposted on any social media sites. \n\u2022 When using social media, employees are expected to refrain \nfrom posting any negative comments online about \nstudents. \n\u2022 Employees are required to notify their principal/headmaster \nbefore setting up an online site to facilitate student learning. \nEmployees are encouraged to monitor/moderate online" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 14, + "content": "communication to the best of their abilities. \n\u2022 Employees are advised not to add any students/former \nstudents or parents as \u2018friends\u2019 or contacts on social media" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 6 of 13 \n \nunless the site is specifically set up to support classroom \ninstruction or school business. \n\u2022 Employees may communicate with BPS graduates (+18 \nyears old) on social media but should be advised to maintain \nprofessionalism and caution when communicating online. \n\u2022 Employees are advised not to add parents/guardians of \nstudents as \u2018friends\u2019 or contacts on social media to maintain \nprofessionalism and to avoid any appearance of conflict of \ninterest. \n\u2022 Avoid responding to spam or phishing attempts that require \na user to click on any links or to provide any account \ninformation. Note: BPS will never ask for a user\u2019s account" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 16, + "content": "password for any purpose. Users are advised to report any \nsuspicious requests for account information directly to the \nOIIT Help Desk (617-635-9200). \nSOLICITATION \nWeb announcements and online communication promoting a \nbusiness are prohibited by the BPS Solicitation Policy. The \nSuperintendent\u2019s Office may make exceptions if benefits are \njudged sufficient to merit exception." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 7 of 13 \n \nUSE OF COPYRIGHTED MATERIALS \nViolations of copyright law that occur while using the BPS \nnetwork or other resources are prohibited and have the potential \nto create liability for the district as well as for the individual. BPS \nstaff and students must comply with regulations on copyright \nplagiarism that govern the use of material accessed through the \nBPS network. \nUsers will refrain from using materials obtained online without \nrequesting permission from the owner if the use of the material \nhas the potential of being considered copyright infringement. \nBPS will cooperate with copyright protection agencies" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 18, + "content": "investigating copyright infringement by users of the computer \nsystems and network of the Boston Public Schools. \nNETWORK USAGE \nNetwork access and bandwidth are provided to schools for \nacademic and operational services. BPS reserves the right to \nprioritize network bandwidth and limit certain network activities \nthat are negatively impacting academic and operational services. \nUsers are prohibited from using the BPS network to access \ncontent that is inappropriate or illegal, including but not limited \nto content that is pornographic, obscene, illegal, or promotes \nviolence. \nNETWORK FILTERING & MONITORING \nAs required in the Children\u2019s Internet Protection Act (CIPA), BPS" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 19, + "content": "is required to protect students from online threats, block access \nto inappropriate content, and monitor Internet use by minors on \nschool networks. OIIT is responsible for managing the district\u2019s" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 8 of 13 \n \nInternet filter and will work with the BPS community to ensure \nthe filter meets the academic and operational needs of each \nschool while protecting minors from inappropriate content. \nBy authorizing use of technology resources, BPS does not \nrelinquish control over materials on the systems or contained in \nfiles on the systems. There is no expectation of privacy related to \ninformation stored or transmitted over the BPS network or in \nBPS systems. BPS reserves the right to access, review, copy, store, \nor delete any files (unless other restrictions apply) stored on BPS \ncomputers and all employee and student communications using" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 21, + "content": "the BPS network. Electronic messages and files stored on BPS \ncomputers or transmitted using BPS systems may be treated like \nany other school property. District administrators and network \npersonnel may review files and messages to maintain system \nintegrity and, if necessary, to ensure that users are acting \nresponsibly. BPS may choose to deploy location tracking software \non devices for the sole purpose of locating devices identified as \nlost or stolen. \nPERSONAL USE \nBPS recognizes that users may use BPS email, devices, and \nnetwork bandwidth for limited personal use; however, personal \nuse should not interfere with or impede district business and/or" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 22, + "content": "cause additional financial burden on the district. Excessive use or \nabuse of these privileges can be deemed in violation of the \nAcceptable Use Policy." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 9 of 13 \n \nNETWORK SECURITY \nThe BPS Wide Area Network (WAN) infrastructure, as well as the \nbuilding-based Local Area Networks (LANs) are implemented \nwith performance planning and appropriate security measures in \nmind. Modifications to an individual building network \ninfrastructure and/or use will affect LAN performance and will \nreduce the efficiency of the WAN. For this reason, any additional \nnetwork electronics including, but not limited to, switches, \nrouters, and wireless access points must be approved, purchased, \ninstalled, and configured solely by OIIT to ensure the safety and" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 24, + "content": "efficiency of the network. Users are prohibited from altering or \nbypassing security measures on electronic devices, network \nequipment, and other software/online security measures without \nthe written consent of the chief information officer. \nDATA & SYSTEMS \nAccess to view, edit, or share personal data on students and \nemployees maintained by BPS central offices, individual schools, \nor by persons acting for the district must abide by local, state, \nand federal regulations, including the Family Educational Rights \nand Privacy Act. Student and staff information and data may only \nbe shared with individuals deemed eligible to have access by the" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 25, + "content": "person(s) responsible for oversight of that data. Outside parties \nand/or non-BPS individuals requesting protected data must \nreceive approval from the Office of the Legal Advisor and have a \nnon-disclosure agreement with the BPS. Individuals requesting \nongoing access to data through BPS systems are required to \nhave a designated BPS administrator who will act as a \u201csponsor\u201d \nto ensure the safety of the data." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 10 of 13 \n \nELECTRONIC TRANSMISSION OF DATA \nWhen educational records or private data are transmitted or \nshared electronically, staff are expected to protect the privacy of \nthe data by password-protecting the record/file and only using \nBPS systems to transmit data. Staff are also expected to ensure \nrecords are sent only to individuals with a right to said records \nand must take reasonable measures to ensure that only the \nintended recipients are able to access the data. \nPASSWORDS \nUsers are required to adhere to password requirements set forth \nby the Boston Public Schools and the City of Boston when" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 27, + "content": "logging into school computers, networks, and online systems. \nUsers are not authorized to share their password and must use \nextra caution to avoid email scams that request passwords or \nother personal information. \nMEDIA & STORAGE \nAll local media (USB devices, hard drives, CDs, flash drives, etc.) \nwith sensitive data must be securely protected with a password \nand/or encrypted to ensure the safety of the data contained. Use \nof cloud-storage services for storage or transmission of files \ncontaining sensitive information must be approved by the Office \nof the Legal Advisor and OIIT. Users are encouraged to use BPS \napproved data/information systems for the storage and" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 28, + "content": "transmission of sensitive data whenever possible and avoid \nstorage on local hardware that cannot be secured." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 11 of 13 \n \nELECTRONIC DEVICES \nBPS defines electronic devices as, but not limited to, the \nfollowing: \n\u2022 Laptop and desktop computers, including like-devices \n\u2022 Tablets \n\u2022 Wireless email and text-messaging devices, i.e., iPod \n\u2022 Smartphones \n\u2022 Donated devices \nDEVICE SUPPORT \nBPS provides basic installation, synchronization, and software \nsupport for BPS-issued electronic devices. Devices must be \nconnected to the BPS network on a regular basis to receive up-\nto-date software and antivirus updates and for inventory \npurposes. Password protection is required on all BPS-issued \nelectronic devices to prevent unauthorized use in the event of" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 30, + "content": "loss or theft. Users are responsible for making periodic backups \nof data files stored locally on their devices. \nLOSS/THEFT \nUsers must take reasonable measures to prevent a device from \nbeing lost or stolen. In the event an electronic device is lost or \nstolen, the user is required to immediately notify appropriate \nschool staff and/or their direct supervisor, local authorities, and \nthe OIIT Service Desk (617-635-9200). The BPS will take all \nreasonable measures to recover the lost property and to ensure \nthe security of any information contained on the device. \nRETURN OF ELECTRONIC DEVICES" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 12 of 13 \n \nAll technology purchased or donated to the BPS is considered \ndistrict property, and all equipment assigned to employees or \nstudents must be returned prior to leaving their position or \nschool. All equipment containing sensitive information and data \nmust be returned directly to OIIT before it can be redeployed. \nPERSONAL ELECTRONIC DEVICES \nThe use of personal electronic devices is permitted at the \ndiscretion of the principal/head of school and chief information \nofficer. The BPS is not responsible for the maintenance and \nsecurity of personal electronic devices and assumes no" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 32, + "content": "responsibility for loss or theft. The district reserves the right to \nenforce security measures on personal devices when used to \naccess district tools and remove devices found to be in violation \nof the AUP. \nENERGY MANAGEMENT \nBPS strives to reduce our environmental footprint by pursuing \nenergy conservation efforts and practices. The district reserves \nthe right to adjust power-saving settings on electronics to reduce \nthe energy consumption. \nTECHNOLOGY PURCHASING & DONATIONS \nTechnology hardware and software must be purchased or \ndonated through OIIT unless prior approval has been received by \nOIIT and the Business Office. All technology purchases and" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 33, + "content": "donations must abide by City procurement policies and are \nsubject to approval by OIIT. Technology pricing can include \nadditional expenses required to ensure proper maintenance and \nsecurity, including but not limited to warranties," + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular OIIT-01 \nPage 13 of 13 \n \nhardware/software upgrades, virus protection, and \nsecurity/inventory software. Schools or departments applying for \ntechnology grants, funding, or donations must budget for any \nadditional expenses associated with the requested technology \nand can be held responsible for any additional expenses incurred. \nFor more information about this circular, contact: \nName: Director of Technology \nDepartment: Office of Instructional and Information \nTechnology \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9199 \nFax: 617-635-9176 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 35, + "content": "Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-21 \nVersion 01 \n \nCREATING A BPS-RECOGNIZED INDEPENDENT 501C3 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools encourages schools to seek and \nreceive external resources to supplement their instructional and \nprogrammatic strategies. To this end, the Boston Public Schools \nhas partnered with the Boston Educational Development Fund \n(BEDF) to serve as a 501c3 fiscal agent to receive financial \ndonations as charitable contributions, eligible for tax deductions \nby the donor. Independently, as a fiscal partner to schools, BEDF" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 2, + "content": "manages funds, creates financial reports, and offers technical \nassistance to schools in their pursuits of private funds. BPS \nschools are entitled to utilize BEDF as a fiscal agent in pursuit of \nprivate funding. \nIn the case that a school wishes to pursue establishing and \nmanaging an independent 501c3, formal approval is required. \nSCHOOLS WITH EXISTING INDEPENDENT 501C3S \nSchools with existing 501c3s, registered with the proper federal \nand state authorizing agencies, must complete the BPS \nIndependent 501c3 Form to update BPS on current details \nincluding board structure, status, and operating revenue. \nIndependent 501c3s with strong governance boards and rationale" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 3, + "content": "will receive recognition from BPS." + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FIN-21 \nPage 2 of 3 \n \nSCHOOLS SEEKING TO ESTABLISH A BPS-RECOGNIZED \nINDEPENDENT 501C3 \nTo request to establish a 501c3, all schools must have the \nfollowing: \n\u2022 A strong rationale for the need for a separate, independent \n501c3. \n\u2022 A draft plan for the 501c3 including governance board. \n\u2022 A track record of managing private investments \nappropriately and on-time reporting OR someone on the \ngoverning board with this experience. \n\u2022 An estimate of anticipated annual revenue and revenue \nsources. \nFor a school to establish a 501c3, the following outlined steps \nmust be completed, and approval given by the superintendent:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 5, + "content": "\u2022 All schools must complete a BPS Independent 501c3 . \n\u2022 Submitted requests will be reviewed by the chief financial \nofficer and superintendent and approved if a strong \napplication is submitted. \nCOMPLIANCE AND ACCOUNTABILITY \nBPS reserves the right to alert foundations/nonprofit partners to \nthe existence of 501c3 that are considered to be out of \ncompliance or that have been created without proper approval \nfrom the Superintendent\u2019s Office. \nBPS believes in the ability to provide timely, accurate, and \nthorough reports to our philanthropic partners and takes \nseriously the significant commitment of time and expertise that \nthis places on a school community to run an independent 501c3." + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-21 \nPage 3 of 3 \n \nWe encourage the use of our established partner, BEDF, to \nresponsibly manage funds. BPS has put these requirements in \nplace to ensure proper management of all funds and proper \nreporting, to support schools in philanthropic pursuits, and to \nprovide a low-cost 501c3 to house private funding. \n \nFor more information about this circular, contact: \nOwner: Chief of Finance \nDepartment: Finance \nMailing Address: Bruce C. Bolling Building, \n2300 Washington St., Boston, MA 02119 \nPhone: 617-635-7962 \nEmail: (preferred) finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-03 \nVersion 01 \n \nEXPENDITURE REIMBURSEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this memorandum is to clarify those \ncircumstances under which reimbursement is appropriate and \nthose that are not. \nThe reimbursement process is intended to accommodate those \nlimited instances where the traditional purchasing system \ncannot be utilized. It is not intended to replace, substitute for, \nsupplant, or otherwise institute an alternative purchasing system. \n \nExpenditures Allowable for Reimbursement \nThe reimbursement process is intended to allow for the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 2, + "content": "immediate purchase of incidental or emergency goods and \nservices that could not be contemplated in the normal course of \nbusiness. This process can be used when the aggregate \npurchase value of goods or services is minimal. Make sure the \nproper accounting codes are used and align with the expense. \nExamples of these goods or services include reimbursement for \nan emergency, unanticipated supply, or repair needs minimal in \ncost. \nThe reimbursement process is intended to allow individuals to be \nreimbursed for personal expenditures incurred in support of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-03 \nPage 2 of 7 \n \nauthorized Boston Public Schools activities. This also applies to \ntravel expenses as defined and consistent with the Boston Public \nSchools travel policy (refer to Superintendent\u2019s Circular FIN-01 \nTravel Policy - Procedures for Approval and Reimbursement). \n \nExpenditures Not Eligible for Reimbursement \nExpenditures not eligible for reimbursement include those for \nthe purchase of goods and services that are not consistent with \nthe guidelines referenced above. A detailed description of \nguidelines to be used for purchasing can be found in \nSuperintendent\u2019s Circular FIN-07 \u2013 Purchasing Guidelines." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 4, + "content": "Certain expenditures, such as purchasing gifts for fellow \nemployees, constitute an inappropriate expenditure of resources \nand are not eligible for reimbursement. \n \nPurchase Of Food \nFood for staff events cannot be reimbursed from fund 100. Fund \n100 can only be used for students, parents and community \nevents using the food account code 53204, be sure funds are \navailable prior to submitting for reimbursement. If you are using \nfund 200, the rules of the grant must allow for food purchases, \nprior to purchase always check with your grant liaison. \nThe practice of purchasing food products from supermarkets for \nparents, school councils, or other meetings is an acceptable (and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 5, + "content": "more cost-effective) mechanism than procuring catered services. \nThese expenditures will be reimbursed, but only upon the \npresentation of itemized invoices and cash register receipts." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-03 \nPage 3 of 7 \n \nReimbursements will be made only for those items that can be \nappropriately documented. \n \nGift Cards/Certificates: A Specific Issue \nThe purchase of gift cards/certificates is not permitted. The use \nof gift cards/certificates does not allow for appropriate controls \nthat document the nature and value of the items that are \nultimately purchased. Nor does this practice allow for the proper \nreporting of expenditures. It is a practice that is highly \nsusceptible to abuse. \n \nDocumentation Required for Reimbursement: \nIn order to secure prompt reimbursement, all requests must be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 7, + "content": "submitted to the Business Office within fifteen (15) business days \nof purchase. Allowable expenditures for reimbursement must be \nfully supported by appropriate documentation/receipts. Follow \nthe procedures below (Emails Accepted): \n1. Submit a completed \u201cCity of Boston Special Draft/Non \nOrder Form\u201d - it MUST be filled out completely with: \n\u25cf School/Department \n\u25cf Date \n\u25cf Full name of person being reimbursed \n\u25cf Full address of person being reimbursed \n\u25cf Vendor # \n\u25cf Funding source \n\u25cf Full \u201cdetailed\u201d description" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-03 \nPage 4 of 7 \n \n\u25cf Total amount requested \n\u25cf Must be signed by the employee\u2019s immediate \nsupervisor \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder \npenalty of perjury, that amounts stated are correct and \nwere incurred in the service of the City of Boston \n3. Itemized (not summary) of cash register receipts \n4. Itemized invoice produced by the vendor \n5. Copies of the front and back of cancelled personal \nchecks, or Credit card statement that details the item(s) \npurchased by an individual. The name of the person being \nreimbursed should be on the check and credit card \nstatement \u2013 for Proof of Purchase" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 9, + "content": "statement \u2013 for Proof of Purchase \n \nBPS does NOT reimburse taxes for expenditures unless the \nStudent Activity Account is being used for the purchase - BPS \nwill reimburse taxes and tips on FOOD ONLY. \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FIN-03 \nPage 5 of 7 \n \nIf Submitting by Paper: \n\u2022 ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u2022 DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 \nstarts the new Fiscal School Year - You cannot use current school \nyear funds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 11, + "content": "Year will be in jeopardy of non-payment." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FIN-03 \nPage 6 of 7 \n \nFor more information about this circular, contact: \nOwner: Unit Leader of Business Services/Accounts \nPayable \nDepartment: Business Services \nMailing \nAddress: 2300 Washington Street, Boston, MA 02119 \nPhone: 617-635-9469 \nE-mail: finance-staff@bostonpublicschools.org \nMary Skipper, Superintendent \n \nBusiness Services Guide is available here." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-01 \nVersion 01 \n \n \nTRAVEL POLICY \u2013 PROCEDURES FOR APPROVAL AND \nREIMBURSEMENT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMost Boston Public School business is conducted locally, on-line \nor by telephone. Under some special and limited circumstances, \novernight or out-of-state travel may be required. These \ncircumstances usually arise if the Boston Public Schools is \nobliged to send staff out-of-state if a strong case can be made \nthat such travel would substantially benefit the district. \nIn all cases, a request for subsidized travel requires justification," + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 2, + "content": "prior notification, and prior approval. BPS is not obligated to \nreimburse any employee for travel costs that were not approved \naccording to this policy. \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTRAVEL APPROVAL \n1. Applicants must secure approval using the online form; sign \nin here. Directions for this process are in the BPS Travel \nRequest documentation document. It is the sole obligation \nof the traveler to determine that sufficient funds are \navailable for reimbursement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-01 \nPage 2 of 8 \n \n2. No travel should occur until the traveler receives a fully \nAPPROVED travel request. Any travel request that is \nreceived AFTER the travel has occurred will NOT be \nreimbursed. \n3. All overnight and out of state travel requires prior approval \nand must be submitted at least 20 days prior to departure \ndate. When you apply, the online form will go through the \nfollowing approvers for signatures: school leader, school \nsuperintendent/division chief, financial analyst, chief \nfinancial officer, and operations manager/superintendent. \nThe traveler will need to follow their travel approval" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 4, + "content": "application online in case there is a question that an \napprover may have or a denial which they will note on the \napplication. When the application is approved, you are then \neligible to travel and receive any reimbursements owed to \nyou. \n4. Please note that only these two accounts must be used: \n\u2022 52802 for planes, trains, busses, taxis, Ubers/Lyfts etc. \u2013 \nthe cost associated with getting there. \n\u2022 52804 for conference fees, hotel, food etc. \u2013 the cost \nassociated with being there. \nYou should also use these two accounts when doing \nrequisitions for travel. \n5. Supporting documentation describing the conference and \nthe purpose of your attendance must be attached to the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 5, + "content": "online travel request form with any other pertinent \ninformation. \n6. All staff planning to attend an overnight or out-of-town \nconference are required upon their return to prepare a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-01 \nPage 3 of 8 \n \nreport of the presentations/workshops, etc., attended and to \nsubmit their report to their immediate supervisor, who shall \ndetermine the format of this report. \n7. If travel is being paid for by the conference host, the BPS \nEmployee Disclosure Form (3 pages) must be attached to \nyour \u201cTravel Approval Form\u201d application. \nREIMBURSEMENT OF TRAVEL EXPENSES \nTo secure prompt reimbursement for travel, reimbursement \nrequests must be submitted to the Business Office within fifteen \n(15) business days after the travel has occurred. The traveler must \nsubmit the following forms, documentation/receipts to Accounts" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 7, + "content": "Payable, Office of the Business Manager (emails accepted): \n1. A completed City of Boston Special Draft/Non Order Form, \nfilled out completely with: \n\u2022 School/department \n\u2022 Date \n\u2022 Full name of person being reimbursed \n\u2022 Full address of person being reimbursed \n\u2022 Vendor # (see NOTE below) \n\u2022 Funding source \n\u2022 Full detailed description: name of conference, dates, and \nplace/state where held \n\u2022 Amount being reimbursed \n\u2022 Signed by the employee\u2019s immediate supervisor. \n2. A copy of City of Boston and County of Suffolk Travel Expense \nVoucher (attached). This form must be filled out completely \nwith each daily expense, then signed on the lower right by" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 8, + "content": "the person taking the trip and on the lower left by the \ndepartment head." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FIN-01 \nPage 4 of 8 \n \n3. The \u201cCertification Form\u201d attesting, under the pains and \npenalties of perjury, that the requested reimbursement was \nincurred as reasonable expenses in the service of the City of \nBoston. \n4. A copy of the approved Request for Travel Approval form \nMUST be attached. \nIMPORTANT NOTES: \nBPS does not reimburse taxes for expenditures. BPS will \nreimburse taxes and tips on FOOD ONLY. \nReimbursements cannot exceed the amount authorized by the \nSuperintendent. Only in extreme conditions can this original \namount be increased via an amended travel form which must be \nsubmitted to the Finance Office prior to travel." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 10, + "content": "If travel substitution occurs, an amended form approved by the \nSuperintendent is required before travel. A copy of the \u201cTravel \nApproval\u201d must be submitted with each request for \nreimbursement. \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file to be reimbursed. Go to \nwww.boston.gov/procurement, click on \"Go to Supplier Portal,\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \nIf submitting by paper: \n\u2022 ONLY submit single-sided reimbursements packet \u2013 not \ndouble-sided. \n\u2022 12-point font or larger on 8.5 x 11 white paper." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FIN-01 \nPage 5 of 8 \n \n\u2022 DO NOT highlight or put scotch tape on receipts because \nit fades the receipts; use staples. Only legible receipts will \nbe reimbursed. Must submit copies of all cash register \nreceipts on 8.5 x 11 paper. \nALLOWABLE EXPENSES \n1. Economy class commercial carrier charges (airlines, trains, \nbuses) are to be used at all times. The maximum \nreimbursement will be limited to the lowest commercial \ncarrier fare to the destination. The maximum limitation \ndoes not apply for in-state travel. \n2. Hotel charges are limited to $200.00 per night. Exceptions \nto this limit will only be approved if: \na) basic accommodations are unavailable, or" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 12, + "content": "a) basic accommodations are unavailable, or \nb) basic accommodations are too distant from the event, \nor \nc) the event is being held at a specific hotel. \n3. The purchase of meals will be reimbursed when supported \nby original receipts, not to exceed $50.00 per day. A \nmaximum of $25.00 per day will be allowed without \nreceipts. Each person traveling must pay for their own \nmeals (NOT other individuals or group meals) unless \notherwise noted on the Travel Approval Request; the name \nof each individual must be listed on the Travel Approval \nRequest prior to travel. \na) Gratuities cannot exceed 20%. \nb) Original receipts must include an itemized breakdown" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 13, + "content": "of what was ordered. If an itemized breakdown is not \nprovided, the $25.00 per-diem allowance will be \nreimbursed. \nc) Reimbursement for room service also requires the \nsubmission of an itemized breakdown." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FIN-01 \nPage 6 of 8 \n \n4. Conference registration fees must be supported by original \ndocumentation. \nLOCAL TRANSPORTATION CHARGES \n1. Car rentals/gas and airport parking must be listed on the \n\u201cTravel Approval\u201d if reimbursement is to be requested. \n2. Charges claimed for taxis/Lyfts/Ubers must be supported by \noriginal receipts. \n3. Travel by automobile is eligible for reimbursement at the \ncurrent IRS allowable rate per mile (see Superintendent\u2019s \nCircular FIN-02 \u2013 Mileage) \n4. Tolls and parking charges must be supported by original \nreceipts. \nMISCELLANEOUS TRAVEL ISSUES \n1. Travel by City Contractors/Vendors. Some contracts and/or" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 15, + "content": "service agreements may require the vendor to travel on \nbehalf of the Boston Public Schools. The City of Boston \nTravel Policy must be incorporated by reference into the \ncontract/agreements prior to execution. \n2. Conflicting Obligations. It is generally not permissible, \nwithout the prior review and approval of the Office of Legal \nAdvisor, to engage in travel sponsored by a third party. \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. You cannot use current school year \nfunds to pay for prior school year expenses." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FIN-01 \nPage 7 of 8 \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \nFor more information about this circular, contact: \nOwner: Principal Account Clerk Accounts Payable \nBusiness Services \nDepartment: Operations \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9472 \nEmail: finance-staff@bostonpublicschools.org" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FIN-01 \nPage 8 of 8 \n \nCITY OF BOSTON AND COUNTY OF SUFFOLK \nTRAVEL EXPENSE VOUCHER \nTHIS FORM IS SUBMITTED WITH REIMBURSEMENT RECEIPTS \nTO THE AUDITING DEPARTMENT (Business Office). \nORIGINAL TO BE FILED IN AUDITOR'S OFFICE Month of: \nName of Official or Employee: Department and Unit: Boston Public Schools \n \nDay Description PRIVATE \nAUTOMOBILE \nRail-\nRoad \nFares \nBus Taxi and \nother fares \n Meals HOTEL \nTele-\nphone \n& Tele-\ngraph \nAll Other TOTAL \n Miles Amount Break\n-fast Lunch Dinner Item Amount \n \n \n \n \n \n TOTALS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 18, + "content": "TOTALS \n \n By signing this voucher you certify that each item of expenditure was incurred and was necessary in the service of the City or County \nand complies with the regulations on the back of this voucher. \n \n \n I hereby certify that I have personally examined this statement, that I approve of each item of \nexpense hereon, that each item conforms to the regulations printed on the back, the amounts \ncharged are reasonable and the expenditures necessary in the service of the City or County. \n \n \n Signature Signature \n Department Head Employee" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-19 \nVersion 01 \n \n \n \nBPS MAILROOM AND COPY CENTER GUIDELINES \nBPS POSTAGE & PRINTING POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nWe are responsible for directing the operational performance of \nthe mailroom and Copy Center to ensure an efficient, cost-\neffective, and secure operation. Responsibilities include \nmanaging the processing of high-volume daily mail, loading and \ndelivery of heavy shipments, scanning, copying, printing, and \nsending and receiving all sorts of documents. \nMAILROOM OPERATIONS \nAdhering to the following guidelines will facilitate a smoother" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 2, + "content": "operation of the mailroom at the Bolling Building: \n\u2022 Only school-related items will be processed through the \nmailroom for postage. \no These items need to be properly sealed and bundled. \no Items need to have a school return address. We need \nto know who is sending each mailing to keep track and \nto avoid missing undeliverable mail. \n\u2022 Each school/department will be charged for postage used." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-19 \nPage 2 of 5 \n \n \no Each school / department should have a budget line \nallocated for mailing purposes. \n\u2022 Personal mail will not be processed through the mailroom \nfor postage (e.g., mortgage, utility, credit card payments, \nbirthday cards, mail returns, etc.). \no The mailroom is not responsible for receiving or storing \npersonal deliveries (e.g., personal packages from \nAmazon, Walmart, Target, etc.). \n\u2022 All interoffice mail should be addressed as follows: \no Name of person, school, and/or department where the \nmail should be delivered \no Cluster number \no Return address (who is sending the mail?) \n\u2022 Please do not put sticky notes on the outside of every" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 4, + "content": "envelope (adhesive glue could damage the postage \nmachine). One per bundle is fine. \n\u2022 Advance notice is required for mailings of over 2000 pieces \nof mail. Please contact Mailroom & Copy Center by phone \n617-635-9075 or email, finance-\nstaff@bostonpublicschools.org. \n\u2022 Schools and departments will be charged for each mailing \nover 100 pieces of mail. \n\u2022 UPS, FEDEX, DHL: BPS does not have a business account \nwith any shipping carriers. \no All mail and packages intended to be shipped through \nany of these carriers should be prepaid by the sender." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FIN-19 \nPage 3 of 5 \n \n \nCOURIER SERVICES \nAlso known as cluster mail, starting at the Bolling Building, our \ncourier delivers and picks up interoffice mail 2 times a week to \nour cluster offices located throughout the district. Each school is \na part of a cluster (previously known as zones, networks, TLTs) \nAdhering to the following guidelines will facilitate a smoother \noperation of the courier services: \n\u2022 The courier is an EXTERNAL vendor under contract, not BPS \noperated. \n\u2022 All mail should be clearly marked, including the sender and \nreceiver. \no Each school belongs to a cluster; if unsure, please \ncontact the mailroom for the latest information." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 6, + "content": "contact the mailroom for the latest information. \n\u2022 The courier runs on Tuesday and Thursday of each week. \n\u2022 The current contract requires the courier to pick up no more \nthan 3 bins of mail per cluster. \no If on a certain day a cluster office has more than 3 bins \nof outgoing mail, the courier could pick up the excess \non the next run. \n\u2022 The courier DOES NOT GO TO EACH SCHOOL. \no Special runs can be requested at an additional charge \npaid to the vendor." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FIN-19 \nPage 4 of 5 \n \n \nCOPY CENTER OPERATIONS \nThe BPS Copy Center provides various copy and printing \nfunctions. With our copying and finishing, we can have your \nmanuals, student handbooks, presentations, letters to students, \nand much more completed in-house, saving BPS and the city \nmoney. \n\u25cf Our printing services offer: \n\u25cb Mass production copying and printing. \n\u25a0 Black & White \n\u25a0 Color \n\u25cb Posters up to 24x36 inches \n\u25cb Three-hole punch \n\u25cb Staple finishing \n\u25cf Printing services NOT offered by the BPS Copy Center: \n\u25cb Envelopes \n\u25cb Books \n\u25cb Lamination \n\u25cb Postcards \n\u25cb Banners, etc. \nAdhering to the following guidelines will facilitate a smoother" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 8, + "content": "operation of our in-house printing services: \n\u25cf Printing services work on a first come-first served basis. \n\u25cf Advanced notice is required for all jobs. \n\u25cb Please consider that there is a high volume of requests \nduring the beginning and end of the school year, as \nwell as during the summer as schools prepare for the \nnew school year." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FIN-19 \nPage 5 of 5 \n \n \nCHARGES FOR PRINTING SERVICES \nEach job will be charged to the schools at lower than market \ncost. Please contact the Copy Center for the latest quote. \n \nFor more information about this circular, contact: \nOwner: Mailroom & Copy Center \nDepartment: Business Services \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-9075 \nE-mail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n\u25cf Essential Training Guide is available here. \n\u25cf Business Services Guide is available here." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-10 \nVersion 01 \n \nGRANTS GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS GRANTS \nAll grants going to the Boston Public Schools \u2014 to the district as \na whole, individual schools, or central offices \u2014 must adhere to \nfederal, state, city, and district policy. This circular contains the \ngrant management standards and procedures the district uses to \nensure all funds are lawfully expended. \nBased on the funding source, grants will be housed in either the \nOffice of Grants and External Funding or the Boston Educational" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 2, + "content": "Development Foundation (BEDF). All federal and state grants, as \nwell as some private grants, are housed in the Office of Grants \nand External Funding and must adhere to the following \ninformation. Private grants that are housed in the Boston \nEducational Development Foundation (BEDF) 501c3 account \nmust adhere to the rules and regulations of BEDF. Information on \nBEDF can be found in Superintendent\u2019s Circular FIN-09. \nROLES AND RESPONSIBILITIES \nAll grants must adhere to federal, state, city, and Boston Public \nSchools requirements for purchasing, accounting, auditing, civil" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 2 of 14 \n \nrights, access, and confidentiality, as well as established \nguidelines set forth by the funder. Regulations for state and \nfederal grants are published in the Grants Management \nProcedural Manual published by the Bureau of Grants \nManagement of the Massachusetts Department of Education. All \nfederal grants must comply with EDGAR 2 C.F.R.\u00a7 200. All policies \nand procedures, as well as internal controls and grant \nmanagement standards used by the BPS to ensure that all funds \nare lawfully expended are outlined in the Fiscal Policies and \nProcedures Manual. \nAny individual who works under a grant, expends grant funds, or" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 4, + "content": "oversees a department that utilizes grant funds is responsible for \nlawfully expending grant funds. \nGRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS \nAND EXTERNAL FUNDING \nThe following documents are required when seeking grant \nfunding: \n\u2022 Intent to Apply Form \n\u2022 School Committee Approval Form \n\u2022 Boston Fiscal Policies and Procedures \n\u2022 Grants Subrecipient and Responsibilities \nProgram managers and grant applicants are responsible for \nimplementing the following rules for seeking and managing \ngrants: \n1. Most federal and state grants follow the \u2018supplement and \nnot supplant\u2019 rule. This means grant money must not be \nused to replace positions previously funded with local" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 3 of 14 \n \nmoney and should not be used to fund non-salary items \nthat are the responsibility of the local school district. For \nexample, grant funds may not be used to fund classroom \nteachers or administrative personnel, as these positions are \nconsidered core. A clear indication of supplanting is shifting \na position from GSP to a grant. \n2. Grant-funded programs should be self-sufficient. Awarded \nfunds must cover all expenses of the program, including \nwages, benefits, supplies, transportation, utilities, custodial \nrequirements, and fees. Please consult the Office of Grants \nand External Funding and the Budget Office for approval of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 6, + "content": "any exceptions. If technology is involved, applicants should \nconsult with the Office of Information and Instructional \nTechnology (OIIT) to ensure that they are in support of the \nproposal. \n3. All BPS policies, procedures, rules, and regulations apply to \ngrant- funded programs. Regular personnel, budget, and \nbusiness procedures apply to grant funded programs in the \nsame way they apply to locally funded programs. Please \nreference appropriate budget, business, and human capital \nmemoranda for rules and procedures. \n4. No agreement to apply for or be a subrecipient of a grant is \nto be entered into with an outside organization or entity on" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 7, + "content": "behalf of the district without the approval of the Grants and \nExternal Funds Office. \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for grant opportunities from a variety of sources. Grant \ndevelopment should be a team process within the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 4 of 14 \n \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the grant to be \ninvolved. Heads of school, principals, and other administrative \nheads must be aware and pre-approve grant proposals for \nprograms that will take place under their supervision. \nINTENT TO APPLY \nAll BPS entities planning to pursue a grant opportunity must \nsubmit an online Intent to Apply form for all federal and state \ngrants, as well as private grants over $10,000. The Intent to Apply \nform should be submitted as soon as the funding opportunity \nand applicant have been identified, but no less than 3 weeks" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 9, + "content": "before the grant due date. This will ensure that potential grant \napplications are consistent with BPS goals and policies and are \nnot in conflict with BPS solicitations for funds to the same \nagencies and donors. \nYour intent to apply will be reviewed on a weekly basis. Upon \napproval, you will receive a completed Grant Cover Page with \nyour submitted information and details on next steps. \nSuperintendent Signature \nThe Office of Grants and External Funding will facilitate obtaining \nthe superintendent\u2019s signature on your behalf. Please submit the \nIntent to Apply form, and the Office of Grants and External \nFunding will contact you within ten (10) days with next steps. All" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 10, + "content": "documents requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. All proposals must be submitted through the Intent to Apply \nform and obtain approval to move forward from the Grants \nReview Team before signatures will be obtained." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 5 of 14 \n \nLetter of Support \nThe Office of Grants and External Funding will facilitate and \nobtain all signatures on letters of support from the \nsuperintendent and mayor (for federal grants). Once the Intent to \nApply has been reviewed and approved by the Grants Review \nTeam, please draft a letter of support for signature. All letters \nrequiring signature must be submitted at least one week (7 days) \nbefore they are due. \nIf you are requesting a letter of support from BPS not tied to a \nBPS grant application, please complete the online Letter of \nSupport Request Form. The Office of Grants and External \nFunding will follow up with next steps." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 12, + "content": "Funding will follow up with next steps. \nBUDGET CREATION \nThe Office of Grants and External Funding can assist with \ndeveloping and reviewing your application\u2019s budget. Once you \ncomplete the online Intent to Apply Form, the Office of Federal \nand Grants will contact you. Please reply to this communication \nto schedule time to create and review your budget. All budgets \nmust adhere to BPS, state, and federal regulations and budgets \nthat do not adhere will need to be amended before BPS will \napprove or allow spending. \nSUPERINTENDENT SIGNATURE \nAll grant applications that will be submitted to external funders \n(private, state, and federal) must have internal BPS approval prior" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 13, + "content": "to submission. The Office of Grants and External Funding will \nfacilitate this process. \nAfter completing the Intent to Apply form, the Office of Grants" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 6 of 14 \n \nand External Funding will contact you with next steps. All \ndocuments requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. The superintendent is the only authorized representative \nwho can sign grant proposals on behalf of BPS. \nBPS can submit the grant to the funder on the requester\u2019s behalf. \nIn some cases, grants can also be submitted directly from the \nprogram manager, if so preferred, but only after all prior steps are \ncompleted. \nONCE GRANT HAS BEEN AWARDED \nSchool Committee Approval \nAll grants being managed through the Office of Grants and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 15, + "content": "External Funding must be approved by the School Committee \nbefore they can be officially accepted by BPS. Similarly, the \nSchool Committee\u2019s approval is required before the Office of \nGrants and External Funding can gain access to the grant funds \nin conjunction with City Hall. Therefore, as soon as a grant \napplication has been submitted, the grant may be submitted for \nSchool Committee approval. \nTo obtain School Committee approval, three steps must be \ncompleted: \n1. A packet of School Committee materials is submitted to the \nOffice of Federal and State Grants. This packet includes a \ncomplete School Committee Acceptance Form, the full" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 16, + "content": "grant budget, the grant narrative, the signed cover page (if \navailable), MOA/MOU (if available), and award letter (if \navailable). This must be submitted no later than 14 days prior" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 7 of 14 \n \nto any School Committee meeting. \n2. A meeting is held between the program manager and the \nOffice of Grants and External Funding. \n3. The program manager attends the School Committee \nmeeting, answering any questions that may arise \nsurrounding the grant. \nOnce the grant has been approved by the School Committee, \nofficial confirmation of the School Committee acceptance will be \nsent out to the requester via email approximately 2 days after the \nSchool Committee vote. \nPlease contact Coordinator, Office of Grants and External \nFunding at finance-staff@bostonpublicschools.org, with any" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 18, + "content": "questions about or requests for School Committee approval. \nGrant Set-up \nOnce a \u2018notice of payment\u2019 (official award letter from grantor), \nfunding wire or MOA/executed contract has been received by the \nOffice of Grants and External Funding and the grant has received \nSchool Committee approval, the grant set-up process will begin. \nDuring the set-up process, the Office of Grants and External \nFunding will map the submitted budget to the BAIS \nFinancials/PeopleSoft system. The grant will be set up according \nto the budget that was approved by the funder. Once the budget \nis set up within BPS, it is set up in the City of Boston\u2019s system. The" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 19, + "content": "Office of Grants and External Funding will alert program \nmanagers once this occurs and spending may then begin. This \nprocess takes approximately eight days from the date the \npayment notice is received. For questions on grant set up, please \ncontact the coordinator of Federal and State Grants, Carlos" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 8 of 14 \n \nCoordinator, Office of Grants and External Funding (finance-\nstaff@bostonpublicschools.org). \nGRANT SPENDING \nGrant Monitoring and Spending \nIt is the responsibility of the program manager to monitor the \nspending of the grant. This includes: assuring that the grant \nfunds are being used for allowable expenses; spending according \nto the grant timeline; working closely with the Business Office to \nprocess any contracts and/or procurement needs; entering all \nrequisitions; monitoring purchase orders; entering receipt for \ngoods/services; and submitting invoices to Accounts Payable for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 21, + "content": "all work orders related to their budgeted grant funds. It is the \nresponsibility of the program manager\u2019s supervisor to assure \nthese responsibilities are fully completed according to \nrequirements and to offer assistance, when necessary. \nThroughout the life of a grant, the budget may need to be \nadjusted. This is done through budget transfers in the BAIS \nFinancials system. Changes may be made among grant lines but \nnot into or out of a grant to make changes to the grand total. \nChanges to the initial grant intent are NOT allowable. \nBefore any changes are made to the approved grant budget, \napproval should be obtained from the funder. An amendment" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 22, + "content": "may be required. If so, the Office of Grants and External Funding \nwill help with completing and filing the amendment. Please \ncontact Carlos Martinez, Coordinator of Federal and State Grants, \nregarding amendments." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 9 of 14 \n \nSubrecipient Monitoring and Spending \nIn accordance with the Uniform Grant Guidance, all sub awards \n\u2014 where BPS is serving as the pass-through entity \u2014 must be \nclearly identified and managed according to the standards set \nforth by Federal Regulations, 2 CFR 200.331. The program \nmanager is responsible for communicating federal regulations \nand assuring that subrecipients adhere to sub-award regulations. \nPlease contact the Office of Grants and External Funding for \nmore information about subrecipient monitoring. \nGrant Spending Reports \nProgram managers will receive quarterly spend-down reports" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 24, + "content": "from the Office of Grants and External Funding. The report is \ndesigned to provide a high-level overview of spending, as well as \nspending details. It is the responsibility of program managers to \nlook through the report, identify any errors in spending, and \nreport back any programmatic changes that may have affected \nthe budget timeline. \nAmendments \nAn amendment is necessary when there is a modification to the \nscope or finances of a previously approved grant application. \nWhen the scope of a project changes significantly or the \nexpenditure of a budgeted category exceeds a variance of 10% or \n$10,000, whichever is greater, an amendment is needed." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 25, + "content": "Amendments should be submitted at least 30 days prior to the \ndesired change. Most federal and state grants require a final \namendment to be filed no later than 30 days prior to the end of \nthe grant. The Office of Grants and External Funding will submit \nany amendments necessary but will need justification from the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 10 of 14 \n \nProgram Manager on why the changes occurred. \nGRANT CLEAN UP AND CLOSE OUT \nGrant Clean-up \nIn the final weeks of the grant, clean-up must occur for most \ngrants. To close out a grant and file a final amendment, there \nmay not be any remaining requisitions, and all purchase orders \nmust be fully received. It is the responsibility of the program \nmanager to assure that the grant is clean for close and final \nreports. \nPrior to the grant end date, all requisitions must either be \ncanceled or converted to purchase orders. All purchase orders \nmust be fully received in BAIS financials by the grant end date. If" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 27, + "content": "a purchase order will not be paid in full, the remainder must be \ncanceled prior the grant end date. It is the responsibility of the \nprogram manager to monitor clean up, work with the Business \nOffice to convert requisitions, cancel POs, and enter receipts for \ngoods and services. \nStipend requests (PS08s) must be submitted and approved \nbefore stipend work can be performed. Final stipend paperwork \n(PS09s) must be submitted within two weeks of the stipend \nperiod ending, hence no later than two weeks of the grant end \ndate. Failure to purchase items or submit stipend requests by the \nabove deadlines may result in forfeiting of funds. \nGrant Outcomes Reporting" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 28, + "content": "Grant Outcomes Reporting \nAt the conclusion of each grant, program managers must report \nthe outcomes of their SMART goals presented to the School \nCommittee. The Office of Grants and External Funding will reach" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 11 of 14 \n \nout to program managers for this information. This report will be \nshared with the School Committee and key stakeholders. \nGrant Close \nGrant funds must be spent prior to the grant end date. Funds not \nutilized by this end date will be forfeited. For grant compliance \npurposes, only funds that are encumbered \u2014 as defined by being \non a purchase order and fully received in BAIS financials \u2014 or \nexpended by the grant end date can be claimed under the grant. \nThe program manager is responsible for assuring that this occurs \nby the grant end date. \nFISCAL REPORTING \nAll fiscal reporting will be completed by, or must be reviewed by," + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 30, + "content": "the Office of Grants and External Funding/Auditing Department. \nNo fiscal report may be submitted to the funder without review \nby the Office of Grants and External Funding/Auditing \nDepartment. \nFINAL REPORTS \nFinal financial reports will be completed by the Auditing \nDepartment. Final reports are due to the funder 60 days after the \ngrant closes. To assure that a final report is filed on time, all \nrequisitions and open purchase orders should be cleaned up as \nsoon as possible after the grant end date. Once the final report \nhas been completed and submitted, a copy will be sent to the \nprogram manager for record-keeping purposes. \nMULTI-YEAR GRANTS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 31, + "content": "MULTI-YEAR GRANTS \nMulti-year or continuing federal and state grant accounts must" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 12 of 14 \n \nbe established at the start of each fiscal year. Accounts are not \nautomatically opened or carried forward from year to year. \nTherefore, responsible administrative heads, department \nmanagers, and relevant program managers should share, on an \nannual basis, all award notification from their respective funders \nwith the Office of Grants and External Funding \nPROGRAMMATIC REPORTING \nProgrammatic grant reports are the responsibility of the program \nmanager who is supervising the grant implementation. Please \nshare all such completed reports with the Office of Grants and \nExternal Funding. Grant-related financial reports and requests for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 33, + "content": "revenue are managed by the BPS Business Office. However, \nplease share any relevant details for these well in advance, with \nDirector of State & Federal Grants (finance-\nstaff@bostonpublicschools.org) and/or Coordinator, Office of \nGrants and External Funding (finance-\nstaff@bostonpublicschools.org), so they can be submitted to the \nfunder by the intended deadline." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 13 of 14 \n \nGRANTS MANAGEMENT RESOURCES \nGrants Website \nThe Office of Grants and External Funding provides information \nabout grants at BPS, resources for finding grant opportunities, \ncontact information, process and policy information, the \nquarterly newsletters, and constant updates that may impact \ngrants. \nInternal Grants Management Library \nThis internal resource provides detailed information about \nmanaging a grant in BPS. This searchable and constantly \nupdated document includes common grant application answers, \nkey application documents, how-to guides on running common \nreports, and step-by-step instructions on how to manage a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 35, + "content": "budget, contact information, and information on how to perform \nmost grant activities in BPS. \nCONTACT INFORMATION FOR OFFICE OF GRANTS AND \nEXTERNAL FUNDING \nDirector of State & Federal Grants \n617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nSenior Grants Manager \n617-635-8582 \nEmail: finance-staff@bostonpublicschools.org" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular FIN-10 \nPage 14 of 14 \n \n \nCoordinator, Office of Grants and External Funding 617-635-9084 \nEmail: finance-staff@bostonpublicschools.org \n \nAccounting Coordinator \n617-635-9466 \nEmail: TBD \n \nExternal Funding Analyst - Please see Superintendent\u2019s Circular \nFIN-04, Student Activity Accounts. \n \nFor more information about this circular, contact: \nOwner: Director of State & Federal Grants \nDepartment: Director of Grants and External Funding, Finance \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington St., \nBoston, MA 02119 \nPhone: 617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-12 \nVersion 01 \n \n \nTRUST FUNDS FOR SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis memorandum provides procedures for making awards from \ncentrally administered trusts that benefit schools. Heads of \nschools and principals are responsible for knowing the eligibility \nof their schools for trust funds, for ensuring that trust fund \npurchases are appropriately selected, and for following \nprocedures for the awards. Please submit your requests to the \nFinance Office as soon as possible and no later than May 31, 2024. \nLate requests will not be processed. \n1. ELIGIBILITY FOR AWARDS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 2, + "content": "1. ELIGIBILITY FOR AWARDS \nSee Attachment 1 for awards by school. \nSee Attachment 2 for a description of the awards listed in \nalphabetical order. \n2. PROCEDURES FOR REQUESTING FUNDS \nSubmit a detailed list of items including the item name, publisher \nand/or vendor, and the cost, together with a cover memorandum \ngiving the name of the trust and the total requested. Separate \nletterhead must be used for each award request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 2 of 14 \n \n \n3. PROCEDURES FOR RECEIVING FUNDS \nChecks will be sent directly to the recipient at the address \nprovided by the school. Principals/heads of schools should retain \nrecords of all requests, receipt of checks, and documentation of \npurchases for five years. Documentation of purchases should be \navailable on request. \n \nELEMENTARY SCHOOLS AWARD \nALL ELEMENTARY SCHOOLS Peter F. Degrand Award \nCharlestown Schools Devens Infant School \nDorchester Schools Bowdoin \nDorchester Schools Stoughton School \nDorchester/South Boston Schools Gibson School Fund \nCondon Elementary School Norcross School Library \nBlackstone Elementary School Webb Franklin" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 4, + "content": "Blackstone Elementary School Webb Franklin \nEliot k-8 School Abigail Smith \nHarvard-Kent Elementary Devens Infant School \nJoseph J. Hurley K-8 School Webb Franklin \nQuincy Elementary School Abigail Smith \n Martin Milmore Award \nWarren-Prescott K-8 School Devens Infant School \nWinthrop Elementary School Henry B. Hall Award \n \nMIDDLE SCHOOLS AWARD \nTimilty Middle School (closed) Sherwin School Graduates \nWashington Irving Middle School Harrington Trust Fund \nHIGH SCHOOLS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 3 of 14 \n \n \nDorchester Academy Bowdoin Dorchester \n Gibson School Fund \n Stoughton School \nBoston Community Leadership \nAcademy Anna & Alice Maguire \nBoston Latin Academy Bowdoin Dorchester \n Gibson School Fund \n Persis P. Drake \n Stoughton School \nRoxbury Memorial \nScholarship \nBrighton High School Elvira B. Smith \nBurke High School Bowdoin Dorchester \n Gibson School Fund \n Stoughton School \nEnglish High School William Stewart \nExcel High School Gibson School Fund \nHorace Mann School Susan E. Gavett \n Mrs. John A. Lewis \n Samuel E. Sawyer \n Adams/Osgood Fund \nMadison Park High School Costello C. Converse \n \n \nCENTRAL OFFICE" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 6, + "content": "CENTRAL OFFICE \nSuperintendent Teachers Waterston \n \nTRUST FUNDS FOR SCHOOLS ADMINISTERED CENTRALLY \nBowdoin Dorchester James Bowdoin" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 4 of 14 \n \n \nConverse Costello C. Converse \nDeGrand Peter F. DeGrand \nDevens Devens Infant School \nDrake Persis P. Drake \nEastburn John Eastburn Fund \nGibson Christopher Gibson \nHall Henry B. Hall \nHarrington Francis E.; Alice S. \nHorace Mann Susan E. Gavett \nHorace Mann Mrs. John A. Lewis \nHorace Mann Samuel E. Sawyer \nHorace Mann Adams/Osgood Fund \nMilmore Martin Milmore \nMaguire Alice and Anna Maguire \nNorcross Norcross School Library \nSherwin Sherwin School Graduates \nSmith, A. Abiel Smith \nSmith, E. Elvira Bush Smith \nStewart William Stewart \nStoughton Stoughton School \nWaterston Teachers Waterston \nWebb Franklin Webb Franklin" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 5 of 14 \n \n \nBOWDOIN DORCHESTER bequest of James Bowdoin established \nin 1889. \nEligibility: Schools located in Dorchester only (Dorchester \naddress). \nCriteria: To benefit the public schools \nAward: $750 total. A check divided to schools who apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nCONVERSE FUND in memory of Costello C. Converse, established \nin 1931. \nEligibility: Madison Park Technical Vocational High School \nCriteria: General uses and purposes of the school. \nAward: $500 available; check payable to the school" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 9, + "content": "Submit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nPETER F. DEGRAND to purchase books for kindergarten, first, and \nsecond grades. \nEligibility: For the purchase of books for students attending \nkindergarten, first and second grades in the City of \nBoston. \nCriteria: Excellent attendance \nAward: $2,500 available. A check divided to the schools that \napply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nDEVENS INFANT SCHOOL K1&2 - 2 grades." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 6 of 14 \n \n \nEligibility: Schools located in Charlestown for kindergarten, \ngrades one and two. \nCriteria: Excellent attendance for the use and benefit of \nchildren \nAward: $100 available. A check divided to the schools that \napply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nDRAKE FUND gift of Persis P. Drake \nEligibility: Boston Latin Academy \nCriteria: To benefit the school \nAward: $200 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 11, + "content": "submitted on school/office letterhead. \n \nJOHN EASTBURN SCHOOL FUND \nEligibility: High school seniors who are Boston residents (proof \nof residence required) and are pursuing a teaching \ncurriculum at the University of Massachusetts. \nAward: $1,000 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 7 of 14 \n \n \nGIBSON SCHOOL FUND a bequest from Christopher Gibson \nestablished in 1674. \nEligibility: Schools located in the Dorchester neighborhood, \nwhich in 1674, included South Boston. \nCriteria: For library books and teaching equipment \nAward: $9,500 total available: A check payable (in proportion) \nto the schools that apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHENRY B. HALL for books and supplies. \nEligibility: John Winthrop School \nCriteria: Books and supplies \nAward: $17,000 available, payable to the school" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 13, + "content": "Award: $17,000 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nFRANCIS E. & ALICE S. HARRINGTON TRUST FUND \n Eligibility: Washington Irving Middle School \nCriteria: Two top students who obtain the highest combined \ngrade average in French or another foreign language \nfor two academic years. \nAward: $100 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 8 of 14 \n \n \nANNA & ALICE MAGUIRE for the school located at 152 Arlington \nStreet. \nEligibility: Boston High School (now Boston Community \nLeadership Academy) \nCriteria Purchase of books for students in attendance \nAward: $50 available; payable to school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHORACE MANN SCHOOL FUNDS \nSusan E. Gavett bequest, received in 1909. \nAward: $450 check payable to school \nMrs. John A. Lewis legacy, received in 1903. \nAward: $100 check payable to school \nSamuel E. Sawyer, received in 1895." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 15, + "content": "Samuel E. Sawyer, received in 1895. \nAward: $150 check payable to school \nAdams/Osgood Fund, received in 1936. \nAward: $4,000 check payable to school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 9 of 14 \n \n \nMARTIN MILMORE \nEligibility: Josiah Quincy and others from the former Brimmer \nSchool District \nCriteria: Equal distribution among eligible schools \nAward: $50 total available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nNORCROSS SCHOOL LIBRARY to assist school libraries within the \nformer Norcross School District. \nEligibility: Condon Elementary School \nCriteria: To assist the library \nAward: $100 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 17, + "content": "list of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nROXBURY MEMORIAL SCHOLARSHIP FUND \nEligibility: One male and one female in the graduating class at \nBoston Latin Academy. \nCriteria: Strongest academic growth \nAward: $850 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 10 of 14 \n \n \nSHERWIN SCHOOL GRADUATES for K-8 schools within the \nformer Sherwin School district. \nEligibility: Timilty Middle School (closed) \nCriteria: For the benefit of the school \nAward: $100 available, payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ABIGAIL FUND for books in equal portions for Quincy and \nEliot Schools. \nEligibility: Quincy and Eliot Schools \nCriteria: Purchase of books \nAward: $800 available / $400 per school if both schools apply." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 19, + "content": "Submit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ELVIRA FUND in memory of Elvira B. Smith, established in \n1940. \nEligibility: Brighton High School \nCriteria: Books, and/or other educational materials for the \nhistory department as directed by the headmaster \nwith approval of the head of the History Dept. \nAward: $50 available. Check payable to the school \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 11 of 14 \n \n \nSTOUGHTON SCHOOL supplements the salaries of temporary \nsubstitute teachers in high and grammar schools in Dorchester. \nEligibility: Schools with a Dorchester address \nCriteria: Substitute teachers, supplement to regular \ncompensation in the form of additional days\u2019 work \nAward: $300 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead. \n \nTEACHERS WATERSTON for lectures to teachers regarding \nnatural history or any of its various departments." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 21, + "content": "Eligibility: At the discretion of the superintendent \nCriteria: Lectures to teachers regarding natural history or any \nof its various departments. \nAward: $500 available \nSubmit: Submit a request to the Finance Office. Date and \nlecture information required. \n \nWEBB FRANKLIN \nEligibility: Blackstone and Hurley Schools \nCriteria: Books for students \nAward: $275 available/$137.50 per school if both schools apply. \nSubmit: Submit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 12 of 14 \n \n \nWILLIAM STEWART \nEligibility: English High School \nCriteria: Best all-around scholar-athlete at English High School \nAward: $2,500 available \nSubmit: Submit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 13 of 14 \n \n \nAPPLICATION FOR TRUST FUND \n1. Submit this form for each student receiving a cash or savings \nbond award, or submit a typewritten list with this \ninformation. \n2. No student can receive a check or savings bond without a \nSocial Security number. \nTitle of Award: \nStudent's Name: \nStudent\u2019s Street Address and Apt.#: \nCity or Town: \nZip Code: \nStudent\u2019s Date of Birth: \nStudent\u2019s Social Security Number: \nStudent\u2019s ID Number: \nName of School: \nSchool Street Address: \nCity or Town: \nZip Code:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FIN-12 \nPage 14 of 14 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \n \nDate Activity \nMay 31, 2024 All requests must be submitted to the Finance \nOffice. \n \n \nFor more information about this circular, contact: \n \nOwner: Special Assistant to the Chief of Finance \nDepartment: Finance Office \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9485 \nScan documents to: finance-staff@bostonpublicschools.org \nEmail: finance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-07 \nVersion 01 \n \n \n \nPURCHASING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nProcurement procedures at BPS follow state and federal laws \nand City policies. Non-compliance with these laws could result in \ninvalid procurements and unenforceable contracts. The State \nProcurement Law (M.G.L. c. 30B) mandates standard procedures \nfor local jurisdictions to ensure fairness and consistency when \npurchasing supplies or services. The information below provides \nthe necessary procedures and requirements for purchasing \nsupplies or services following competitive and non-competitive" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 2, + "content": "procurement regulations. \nINDIVIDUALS AUTHORIZED TO SIGN CONTRACTS ON BEHALF \nOF THE BOSTON PUBLIC SCHOOLS \nNo Boston Public School employee, other than those listed \nbelow, may enter into a contract with any vendor. This includes \nbut is not limited to contracts, agreements, memorandums of \nunderstanding, grants, partnership agreements, or any other \nexpenditure that binds the district to pay for services/goods. This \nincludes purchases of services or goods for under $10,000. \nOnly three (3) BPS employees are authorized to enter into \ncontracts on behalf of the Boston Public Schools:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 2 of 10 \n \n \n\u2022 The superintendent of schools \n\u2022 The BPS chief financial officer \n\u2022 The BPS deputy chief financial officer \n \n1. PURCHASES LESS THAN $10,000. \nThe standard for selection: Following M.G.L. c. 30B, \u00a7 2 \"Sound \nBusiness Practices,\u201d the school or department must solicit three \nquotes via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. \nRequired document: Requisition \nAuthorization: Purchase order \nTurnaround time*: 1 -2 Weeks \n \n2. PURCHASES BETWEEN $10,000 - $100,000" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 4, + "content": "2. PURCHASES BETWEEN $10,000 - $100,000 \nThe standard for selection: When procuring supplies or services \nthat are not a sole source or exempt from Chapter 30B, schools \nand departments must solicit written quotes from at least three \nvendors via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. The contract should then be awarded to the \nresponsible and responsive supplier offering the needed quality \nof supply or service at the lowest price quotation. In cases when \nobtaining three quotes is impossible despite reasonable effort," + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 5, + "content": "awarding the contract based on one or two quotes is acceptable. \nImportant Note: School districts may still opt to issue an IFB" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 3 of 10 \n \n \nwhen procuring supplies or services estimated to cost $100,000 \nor less. \nRequired documents: To ensure a timely and efficient \nprocurement process, all required documents should be \nsubmitted to the Business Office/Procurement office at least four \nweeks before the desired procurement date: requisition, Contract \nRequest Form, detailed specifications, and, if applicable, a sole-\nsource letter addressed to the Business Manager. Before \nsubmitting, use the detailed checklist to verify that all required \ninformation has been completed. \nAuthorization: Purchase order and written quote contract (WQC)," + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 7, + "content": "signed by the vendor and approved by the superintendent and \nthe City auditor. \nTurnaround time*: 2 - 4 Weeks \n3. PURCHASES OF MORE THAN $100,000 \nThe standard for selection: For supplies or services estimated to \ncost more than $100,000, an invitation for bids (IFB) or a request \nfor proposals (RFP) can be used. In a bid process, IFB, you award \nthe contract to the qualified bidder who meets your \nspecifications and offers you the best price. Information for Bid \n(IFB) Sealed bids (M.G.L. c. 30B, \u00a7 5. In a proposal process, RPF, you \naward the contract to the offeror submitting the most \nadvantageous proposal, considering your specified evaluation" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 8, + "content": "criteria and price. Request for Proposals (RFP) Sealed proposals \n(M.G.L. c. 30B, \u00a7 6" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 4 of 10 \n \n \nNotice/Advertising Requirements: The Business Services and \nFinance Procurement Unit will submit an ad for schools and \ncentral departments to be posted at least two weeks before bids \nor proposals are due in the City Records. If the procurement \nexceeds $100,000, an advertisement will be published in the \nGoods and Services Bulletin at least two weeks before bids or \nproposals are due. \nRequired documents: Requisition and a completed Contract \nRequest Form with a detailed written description of the items or \nservices to be purchased. \nAuthorization: Purchase order and fully executed contract" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 10, + "content": "Turnaround time*: 4 - 8 Weeks \n*NOTE: These timelines may not apply to all procurement \nrequests. The turnaround times listed above are approximate and \ndo not apply to peak procurement periods, ranging from 08/15 to \n09/30 and 04/15 to 06/30. \n4. MOAS AND MOUS AGREEMENTS \nThe following types of agreements are exempt from Chapter 30B \nand do not require a City of Boston standard contract to be \nexecuted: an agreement between agencies, boards, \ncommissions, authorities, departments, or public \ninstrumentalities of one city or town (ch. 30B\u00a71(7)); or an \nagreement to purchase supplies or services from or to dispose of \nsupplies to an agency or instrumentality of the federal" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 11, + "content": "government, the Commonwealth, or any of its political \nsubdivisions or any other state or political subdivision thereof (ch. \n30B\u00a71(9))" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 5 of 10 \n \n \n\u2022 Memoranda of Agreement (MOA), in addition to outlining \nthe terms and obligations of each government agency, \nrequires payment or exchange or transfer of funds between \nthe parties. There are only to be used between two or more \ngovernment agencies. If one or more of the parties to the \nagreement is not a government agency, then the normal \nrules related to standard contracts apply. There is no dollar \nthreshold for an MOA. \nAll MOAs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel and \nCity Auditing, and necessary signer(s) involved in the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 13, + "content": "agreement before it can be accepted as a valid contractual \nagreement. \n\u2022 Memoranda of Understanding (MOU) is an agreement of \nterms and obligations that does not include funds transfer \nbetween the parties. While parties to an MOA must all be \ngovernment agencies, parties to an MOU may, but are not \nrequired to be, government agencies. \nAll MOUs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel, and \nnecessary signer(s) involved in the agreement before it can \nbe accepted as a valid contractual agreement. \nNOTE: The Law Department reserves the right to require City \ndepartments to execute a formal contract in any situation" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 14, + "content": "involving agreements with non-government entities. \nAuthorization: Purchase order and fully executed and signed \nMOA agreement \nTurnaround time*: 4 - 8 Weeks" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 6 of 10 \n \n \n5. GRANT CONTRACTS \nUnder Massachusetts General Law, a \u201cgrant agreement\u201d is \ndefined as \u201can agreement between a governmental body and an \nindividual or nonprofit entity, the purpose of which is to carry out \na public purpose of support or stimulation instead of procuring \nsupplies or services for the benefit or use of the governmental \nbody.\u201d If a grant agreement properly fits within this definition, \nthen it is exempt from the requirements of Chapter 30B. \nThe first step in the analysis of whether a grant agreement can \nbe used is to determine the public purpose of the grant and how" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 16, + "content": "grant funds are being directly linked back to the public delivery \nof a program. Generally, supporting a non-profit organization, or \nkeeping it operational, is not a permissible public purpose. While \nnon-profits may operate for the public good, grant funds must be \ndirectly linked back to the specific delivery of a program. Please \nreview this Law Department memo for further considerations \nand guidance when determining whether a grant process is \napplicable. If you plan to conduct a grant process because each \ncase is evaluated individually, please contact the BPS Office of \nthe Legal Advisor at 617-635-9320. \n6. EMERGENCY PURCHASES" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 17, + "content": "6. EMERGENCY PURCHASES \nIn the case of an unforeseen emergency, if complying with all of \nChapter 30B's requirements would put people or property at risk, \nyou are allowed to procure the necessary item or service without \nfull compliance. However, it is important to keep a record of the \nemergency procurement, including the reason for deeming it an \nemergency, the supplier's name, the contract amount and type, \nand a list of the supplies or services purchased under each \ncontract. Additionally, document any procedures used to elicit" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 7 of 10 \n \n \ncompetition. It is important to inform the Business Services \nProcurement Unit of the emergency purchases as soon as \npossible. Please refer to the Goods and Services Bulletin for \nfurther guidance on processing and emergency procurement. \n7. FOOD PURCHASES \nFood purchases are allowed for events where parents, suppliers, \nconstituents, and community members attend \u2014 not just \nstudents, teachers, or the superintendent. If it's a fund 100, it \nmust be purchased against the following food budget, 53204. If \nusing fund 200, please check with Yvonne Macrae, Director of \nGrants and External Funds, ymacrae@bostonpublicschools.org," + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 19, + "content": "to ensure that the grant rules allow food purchases. Please \nreview Superintendent's Circular FIN-03 and additional \nguidelines on reimbursements for food purchases. \n8. REAL PROPERTY \u2013 ACQUISITIONS AND DISPOSITIONS \u2013\nM.G.L. C. 30B \nReal Property Acquisitions and Dispositions: After determining \nthe value of the acquisitions and disposing of the real property \nvalued over $35,000.00, an invitation for bids (IFB) or a request for \nproposals (RFP) can be used. In a bid process, an IFB can select \nthe proposer who meets your quality requirements and offers the \nlowest price. Information for Bid (IFB) Sealed bids (M.G.L. c. 30B, \u00a7" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 20, + "content": "5. In a proposal process, an RPF will allow you to compare the \nrelative merits of the proposals you receive and the price. \nRequest for Proposals (RFP) Sealed proposals (M.G.L. c. 30B, \u00a7 6 . \nContact Business Services for further information on when to use \na license or a lease. \nNotice/Advertising Requirements: The Business Services and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 8 of 10 \n \n \nFinance Procurement Unit will submit an ad to be published in \nthe Central Register at least 30 days before executing a binding \nagreement to acquire the property. M.G.L. c. 30B, \u00a7 16(d) \nAuthorization: Purchase order and fully executed contract \nTurnaround time*: 4 - 8 Weeks \n \nRESOURCES \nBPS Legal Advisor \nLegal Advisor legal@bostonpublicschools.org \n617-635-1577 \nComputer Equipment \nOIIT: Director of Technology Business Operations Operations-\nDepartment-Heads@bostonpublicschools.org \n617-635-9190 \nEducational and Administrative Applications \nOIIT: Director of Technology Business Operations, Operations-" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 22, + "content": "Department-Heads@bostonpublicschools.org \n617-635-9190 \nPurchasing, Textbook Adoptions \nBusiness Services: Assistant Business Manager \nfinance-staff@bostonpublicschools.org 617-635-8207 \nPeopleSoft/Financials Training \nBusiness Services: Assistant Business Manager) \nfinance-staff@bostonpublicschools.org 617-635-8207 \nFurniture and Rugs \nFacilities Mgt.:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 9 of 10 \n \n \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9119 \nPlayground Equipment \nFacilities Mgt.: \nOperations-Department-Heads@bostonpublicschools.org \n617-635-9117 \nGrants/External Funds \nDirector of State & Federal Grants finance-\nstaff@bostonpublicschools.org617-635-9577 \nField Trips \nTransportation: Executive Director of Transportation \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9000 \nBudget Management \nAssistant Budget Director, finance-\nstaff@bostonpublicschools.org \n617-635-6984" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FIN-07 \nPage 10 of 10 \n \n \nFor more information about this circular, contact: \nOwner: Assistant Business Manager \nDepartment: Business Services \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-8207 \nEmail: finance-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent \n \n\u2022 Essential Training Guide is available here. \n\u2022 Business Services Guide is available here." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-20 \nVersion 01 \n \nMANAGING YOUR STIPENDS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests. \n \nDEFINITION OF STIPEND WORK FOR UNION POSITIONS (BTU, \nBASAS, GUILD) \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cb Some examples of stipend work include staff training \nbeyond the contractual PD and Saturday or evening \nschools for teachers. \n\u25cf Stipend work is not to be performed during the period of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 2, + "content": "time that constitutes the normal workday. \n\u25cf For BASAS staff, they must perform their school day hours \nfor the year prior to being eligible for a stipend. \n \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 SCHOOLS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 2 of 13 \n \n \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \nSchool-based managerial employees cannot receive a \nstipend unless their contractual school days (223) are \ncompleted. Stipend work is not to be performed during the \nperiod of time that constitutes the normal workday. \n\u25cf These stipends must be for activities that are outside of the \njob description of the managerial employee. \n\u25cf Stipend opportunities for managerial employees in schools \nmust be posted in the school or on TalentEd. \n\u25cf To authorize a stipend request for an individual in a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 4, + "content": "leadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n\u2014 CENTRAL OFFICE \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it. \n\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf Managerial employees in central offices are only eligible to \nreceive stipends that have been posted through the Office" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 5, + "content": "of Human Capital. These stipends must be for activities that \nare outside of the job description of the managerial \nemployee. \n\u25cf Central office managerial employees may not apply for \nstipends unless they have been posted on TalentEd via the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 3 of 13 \n \n \nOffice of Human Capital. Please connect with your OHC \nstaffing manager if you are interested in posting a stipend \nopportunity on TalentEd. \n\u25cf To authorize a stipend request for an individual in a \nleadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor\u2019s written approval, a signed superintendent\u2019s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR SCHOOL LEADERS \n\u25cf Stipend work consists of activities that are distinct and \nseparate from an individual\u2019s job and not an extension of it." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 7, + "content": "\u25cf Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n\u25cf School leader stipends must be for activities that are outside \nof the job description of the school leader. \n\u25cf In order for a school leader to receive a stipend, it must be \neither posted on TalentEd or the stipend request must be \nsubmitted along with a signed memo to the \nsuperintendent. \nDEFINITION OF STIPEND POSTING \nStipend work must be offered to individuals at schools in \naccordance with the policies of the School Committee. \nSpecifically, the work must be distributed equitably and based on \ndemonstrated competence and qualifications." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 8, + "content": "demonstrated competence and qualifications. \nIn schools, stipend opportunities must be posted to the staff. \nThese postings may be internal to the school, so long as all non-" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 4 of 13 \n \n \nmanagerial employees at the school have the opportunity to \napply. An email to all school staff is an appropriate method of \nposting. OHC or Budget may ask for proof of posting at any time \nafter a stipend authorization request (formerly referred to as a \nPS08) has been submitted. School-based managerial staff may \napply to their school\u2019s internal posting if eligible. School-based \nstipend opportunities can be posted on TalentEd as well. \nIn central office departments, stipend opportunities must also be \nposted. These postings must be done through the Office of \nHuman Capital. Central office managerial employees may not" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 10, + "content": "apply for stipends unless they have been posted on TalentEd via \nthe Office of Human Capital. \nAUTHORIZATION TOOLS \nStipend Authorization Request (SAR) \u2013 request for authorization \nbefore work starts (must be submitted at least two weeks prior to \nthe first day of work). SARs for summer work should be \nsubmitted before the end of May. If an SAR is submitted after the \nwork has started, the submitter is required to provide an \nexplanation as part of the request. \nPay Certification Request (formerly referred to as a PS09) \u2013 \nrequest for payment after work is completed (must be submitted \nno later than two weeks after the work is completed). If an SPC is" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 11, + "content": "submitted after the work has started, the submitter is required to \nprovide an explanation as part of the request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 5 of 13 \n \n \nSCHEDULE FOR AUTHORIZATION \nDepartment heads or principals should plan in advance and \nrequest SARs on time. \n\u25cf SARs must be submitted at least two weeks before work \nstarts, except in the case of summer work. If a stipend is \nrequested late, the submitter will have to write in an \nexplanation when prompted in the online system. \n\u25cf SARs for summer work should be submitted before the end \nof May. \n\u25cf Pay certification requests should be submitted no later than \ntwo weeks after the work has ended. \n\u25cf Pay certification requests that need to be processed in the \nlast paycheck in June must be submitted by the Wednesday" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 13, + "content": "prior to the pay period end date. \n \nIn addition, due to the Budget Collaborative and Probable Org \nschedule between December and February, please allow \nadditional time for SAR approvals and submit them at least three \nweeks before work starts. \nAUTHORIZATION PROCESS \nAll stipend work must be authorized in advance by the Office of \nHuman Capital and Budget Office. \nAuthorization from Budget and HC must be received via the \napproved SAR before the work starts. A department head does \nnot have independent authority to authorize stipend work. \nDepartments or schools are responsible for informing employees \nwhen a pay certification request has been submitted for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 6 of 13 \n \n \npayment. Please review the stipend guidance around submitting \nSARs and pay certification requests. Additional guidance on the \nstipend process can be found on the Budget Office \nResources/Stipends page. \nWORKFLOW FOR STIPENDS \n1. Stipend work opportunity is posted (internally for schools \nand on TalentEd for central office) and individuals are \nchosen to perform this work. \n2. Secretary or department head\u2019s designee originates stipend \nauthorization request (SAR). \na. Submitter cannot be one of the employees to receive a \nstipend. \nb. Submitter must complete the authorization process for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 15, + "content": "all individuals that are flagged. This could include the \nfollowing: \ni. Tier C, D, E, or F Managerial employees (will \nrequire approval by department head or division \nlead to be submitted along with the SAR) \nii. School Leaders \niii. Employees outside of the submitter\u2019s department \niv. Submitter must provide an explanation for any \nlate requests \n3. Principal or department head gives first-level approval. \n4. HC reviews to confirm the below items for approval (please \nalso see Process and Selection section for additional details \non the OHC approval process):" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 7 of 13 \n \n \na. That the submitter isn\u2019t a recipient of the stipend \nb. That the opportunity has been posted appropriately \nc. That the employee is eligible to receive the stipend \nd. That the Superintendent\u2019s Memo has been submitted if \nthe stipend is for school leaders. \n5. Payroll reviews to again confirm that the employee is \neligible to receive the stipend. \n6. Budget reviews to confirm the below guidelines for \napproval: \na. That there are enough funds available in the budget to \ncover the expense \nb. That the stipend funding information is correct, such as \nthe budget year \nc. That the stipend is allowable under the grant if it is in \nfund 200" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 17, + "content": "fund 200 \nd. That the commitment letter (which includes a \ndescription of the work, the staff member\u2019s name, and \nthe amount of the stipend) is attached to the stipend \nauthorization request form (SAR) for Reimbursable \ngrant stipends. \ne. That the hours worked are included if the stipend is \nabove $5,000 for an individual \nf. That the budget director approves the stipend if it is \nabove $10,000 for an individual \n7. Department or school should regularly monitor their \nstipend request for approval status updates." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 8 of 13 \n \n \n8. Secretary or department head\u2019s designee informs employee \nthat work can start. \n9. Time sheets are maintained in the school or department \nand may be subject to periodic audits. \n10. Department head or principal monitors completion and \nquality of work. \n11. Work ends. \n12. Secretary or department head\u2019s designee submits pay \ncertification, due the Wednesday before the pay period end \ndate. \n13. Payroll processes pay certification requests and checks for \nthe following (see Payroll Guidelines, below): \na. Confirm that the funds don\u2019t go out prior to the end \ndate. \n14. Stipend is paid to employee as a supplement to regular \npaycheck." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 19, + "content": "paycheck. \nNOTE: If an employee is listed on more than one eForm for \nvarious stipends, they cannot be paid out in the same pay period. \nA warning notice will appear when trying to add the additional \nstipend. Will have to hold that payment until the employee has \nbeen paid out by the other in-process pay certification request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 9 of 13 \n \n \nBUDGET GUIDELINES \nAll stipends and overtime payments are paid out of account \n51202. \nStipend Authorization Requests (SAR): \n\u25cf Departments are responsible for tracking their original \nbudget in 51202 and the SAR approvals that have been \nissued against this original budget. Contact your Financial \nAnalyst if you have questions about your available funds for \nstipends. \n\u25cf SAR approvals do not \u201cencumber\u201d funds in the All Funds \nreport. All 51202 funds will appear to be available until the \npay certifications are paid out. In your All Funds report, \nplease do not depend on the \u201cAvailable\u201d amount in account" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 21, + "content": "51202 to track stipends. Stipend requests must be tracked \nby the department; the Stipend Tracker template can be \nfound here. \n\u25cf For all single stipend payments that amount to $5,000 or \nmore per individual, please fill out the hourly rate portion of \nthe SAR eForm. \n \nStipend Pay Certification Requests: \n\u25cf Processed Stipend Pay Certification Requests will move \nfunds from the Available budget to the Expense line. \n\u25cf It is possible to issue partial payment on a Stipend Pay \nCertification Requests if only some of the work was \ncompleted, or if only some of the employees should be paid." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 10 of 13 \n \n \n\u25cf If the work ends early and you are paying out the full \nstipend before the end date on the form, you must leave a \nnote to explain this on the Stipend Pay Certification \nRequest. \n \nStipends paid from grants: \n\u25cf Any stipend payments being made from a grant funding \nsource need to be for work done during the grant time \nperiod. Stipends cannot be paid for work that may have \nbegun before the start date of the grant or continuing after \nthe grant end date. \n\u25cf All stipends on grants must be allowable under the grant, \nand it is the responsibility of the school or department to \nensure that they are complying with grant guidelines." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 23, + "content": "\u25cf For Reimbursable grant stipends, attach the commitment \nletter (which includes a description of the work, the staff \nmember\u2019s name, and the amount of the stipend) to the \nstipend authorization request form (SAR). \nPROCESS AND SELECTION \n\u25cf Departments must ensure that the activities covered by \novertime and stipend requests meet and conform to the \ndefinitions listed at the top of this circular. \n\u25cf Departments are expected to internally post and advertise \nopportunities to ensure that individuals do not receive a \ndisproportionate share of overtime and stipend \nassignments." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 11 of 13 \n \n \n\u25cf For stipends that managerial employees in central offices \nmay receive, the posting must be done via the Office of \nHuman Capital. \n\u25cf Departments are expected to select qualified individuals \nand make selections in an equitable way. \n\u25cf Departments must ensure that the work is done in a \ncomplete and satisfactory way before issuing authorization \nfor payment. \n\u25cf Timesheets are required for those working overtime or \nstipended hours. \n\u25cf Timesheets for all stipends and overtime must be retained \nin a central location at the department for 7 years. \nThe Office of Human Capital may inquire with a department to" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 25, + "content": "be sure that it is specifically conforming to these guidelines and \nprocedures. \nSINGLE OR CUMULATIVE PAYMENT THRESHOLDS \nIn circumstances where the single payment to an individual or \nthe sum of payments in one fiscal year to an individual meets the \nthresholds in the table below, there is an additional approval \nrequirement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 12 of 13 \n \n \n \nSingle or \nCumulative \nStipend \nAmount \nNon-Autonomous School \nApproval Process \n Central Office \n Approval Process \nGreater than \nor equal to \n$5,000 \nDepending on the situation, \nstipend authorization may be \nheld at HC or Budget \napproval step for further \nquestions. You will be \nrequired to submit the hours \nworked and hourly rate for \nstipends amounting to $5,000 \nor more for an individual. \nDepending on the \nsituation, a stipend \nauthorization may be held \nat the HC or Budget \napproval step for further \nquestions. \nGreater than \nor equal to \n$10,000 \nBudget director approval \nrequired. When submitting a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 27, + "content": "required. When submitting a \nstipend authorization that \namounts to $10,000 or more \nper individual, please fill out \nthe hourly rate portion of the \nstipend authorization eForm. \nPlease send an email \nexplaining the reasons for \nexceeding this threshold to \nyour financial analyst in the \nBudget Office. \nBudget director approval \nis required. When \nsubmitting a stipend \nauthorization, please send \nan email explaining the \nreasons for exceeding this \nthreshold to your financial \nanalyst in the Budget \nOffice. \nThere are no additional approvals necessary for autonomous \nschools that submit single or cumulative stipends greater than or \nequal to $5,000." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular FIN-20 \nPage 13 of 13 \n \n \nThe stipend thresholds for single or cumulative payments listed \nabove are not impacted by: \n\u25cf Regular differential payments for employees in a formal \nExtended Learning program \n\u25cf Regular differentials for academic coaches or athletic \ncoaches \n\u25cf Regular differentials for lead teachers \n\u25cf Regular payments to instructors in formal Summer School \nand Acceleration Academies \n\u25cf Regular inclusion buyback payments for employees who \nuse more than one certification while teaching in the \nclassroom. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 29, + "content": "For more information about this circular, contact: \nOwner: Chief of Finance \nDepartment: Budget Office \nMailing Address: 2300 Washington Street. Roxbury, MA 02119 \nPhone: 617-635-9000 \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-14 \nVersion 01 \n \n \n \n \nRESOLUTION OF OVERPAYMENT OF SALARIES \nFOR FORMER EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nWith the multitude of daily transactions, corrections on both the \nfinancial and payroll component are warranted. The following \nprocess must be strictly followed when an overpayment occurs. \n1. When this transaction is identified, notification is \ngenerated from the payroll unit to the accounting unit. \n2. This notification states the name and the amount of \nthe salary overpayment. \n3. Immediate request for payback is forwarded to the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 2, + "content": "individual through the United States Post Office and/or \nemail by the accounting unit. \n4. To finalize this transaction, the employee is requested \nto return the amount overpaid, payable to the City of \nBoston \u2013 Boston Public Schools, Bank Check or Money \nOrder. \n5. Upon receipt, the check is deposited with the City \nTreasurer, and the adjustments of the employee\u2019s \nannual wages are activated. \n6. If further resolution is warranted, the employee should" + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-14 \nPage 2 of 2 \n \n \n \nsubstantiate their claim with supporting \ndocumentation. In the event of a financial hardship, the \naccounting unit will review the circumstances and \nmake a payment plan recommendation to the \nbusiness manager. \n \nFor more information about this circular, contact: \nOwner: Director of Payroll \nDepartment: Office of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: 617-635-9600 \nAdditional \nQuestions \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston (finance-\nstaff@bostonpublicschools.org)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 4, + "content": "staff@bostonpublicschools.org). \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-11 \nVersion 01 \n \nSCHOLARSHIPS, AWARDS, AND HONORS FOR \nSTUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \n \nThis circular provides procedures for making awards from \ncentrally administered trusts that benefit individual students. \nSuperintendent\u2019s Circular FIN-12 deals with trusts benefiting \nschools. Fifteen trusts are listed in the attachment to this \nmemorandum. Those involving many schools are: \n \nALICE F. CASEY AWARDS \nCHARLOTTE FELLMAN AWARDS MARY DOROTHEA \nDEVEREAUX AWARDS \nSAMUEL GROSS DAVIS AWARDS \nMATHEMATICS AWARD \nMARY C. MCLAUGHLIN AWARD \nMARY GRASSA O'NEILL AWARD" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 2, + "content": "MARY GRASSA O'NEILL AWARD \nAll elementary schools \nAll elementary and middle \nschools \nList attached \nList attached \nAll schools \nAll schools K-12 \nAll schools 1-12" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 2 of 17 \n \nPrincipals and heads of schools are responsible for knowing the \neligibility of their schools and students for scholarships and \nawards, for ensuring that recipients of awards have been \nappropriately selected, and for following procedures for the \ndisbursement of the awards. Please submit your requests to the \nChief Financial Office as soon as possible but no later than May 31, \n2024. Late requests will not be processed. \n \n \nELIGIBILITY FOR AWARDS \nSee the following pages for a list of awards by level and school \nand for a description of awards listed in alphabetical order. \n \nSELECTION PROCEDURES" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 4, + "content": "SELECTION PROCEDURES \nIn addition to criteria specific to each trust, equal opportunity \npolicies apply to selection procedures. \n\u25cf Teachers, or a committee of teachers, recommend a \nnominee. \n\u25cf The head of school or principal approves nomination(s)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 3 of 17 \n \n \nDISBURSEMENT PROCEDURES \n\u25cf Provide the information required for the award on the \nattached application form OR on the letterhead of the \nschool, signed by the principal/head of school. If schools \nare eligible for more than one award, use separate \nletterhead for each award. \n\u25cf Submit the memorandum to the Chief Financial Office by \nMay 31, 2024; late submissions will not be funded. \n\u25cf Checks will be sent directly to the recipients at the \naddress provided by the school. Checks cannot be issued \nwithout a Social Security number. All monetary awards are \ndisbursed through the City of Boston Trust Office." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 6, + "content": "\u25cf Present the awards at a suitable ceremony developed \nwithin each school. \n\u25cf Maintain records of receipt of awards. Schools should \nmaintain records of receipts by students, and copies of all \nsubmissions. If it is not possible to obtain a signature, \nmaintain a dated record of the name, address and method \nof transmittal. Documentation of receipts should be \navailable upon request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 4 of 17 \n \nTRUST AWARDS \nAznive Grace N. Aznive \nCasey Alice F. Casey \nDavis Samuel Gross Davis \nDevereaux Mary Dorothea Devereaux \nFellman Charlotte Fellman \nFranklin Benjamin Franklin \nGeorgeAnna Judson George \nGoldberg Jacob Goldberg \nGoulston Edward J. Goulston \nHoffman Ensign David A. Hoffman \nLatin Latin School Prize \nLawrence Lawrence High School \nLawrence Latin Lawrence Latin School \nMathematics Mathematics Award \nMcLaughlin Mary McLaughlin \nMorrison Helen C. Morrison \nGrassa O\u2019Neill Grassa O\u2019Neill \n \n \nTRUST AWARDS BY SCHOOL \n \nELEMENTARY SCHOOLS \nAll Elementary Schools Alice F. Casey" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 5 of 17 \n \n \n \n \n \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nMason Elementary Samuel Gross Davis \nTobin K-8 Samuel Gross Davis \nEliot K-8 Jacob Goldberg \nWinship Elementary Mary Dorothea Devereaux \nEllis Elementary Samuel Gross Davis \nHale Elementary Samuel Gross Davis \nHennigan Elementary Samuel Gross Davis \nHigginson/Lewis K-8 Samuel Gross Davis \nJ. F. Kennedy Elementary Samuel Gross Davis \nTrotter Elementary Samuel Gross Davis" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 6 of 17 \n \n \nMIDDLE SCHOOLS \nAll Middle Schools \n \n \n \n \nMary Dorothea Devereaux \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nDearborn Middle Samuel Gross Davis \nHigginson/Lewis K-8 Samuel Gross Davis \nTimilty Middle Samuel Gross Davis \n \n \nHIGH SCHOOLS \nAll High Schools \n \n \n \n \n \nMary Dorothea Devereaux \nGrace Aznive Art Scholarship \nFranklin Medal \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O\u2019Neill \nBoston Latin School Samuel Gross Davis \nLawrence Latin School \nLatin School Prize \nBoston Latin Academy Samuel Gross Davis \nBrighton High Anna Judson George" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 7 of 17 \n \nEnglish High Edward J. Goulston \nLawrence High School Fund \nMadison Park High/Technical/ Vocational \nHigh School \nSamuel Gross Davis \nO\u2019Bryant School of Mathematics & Science Samuel Gross Davis \nHelen C. Morrison \nCarter School Samuel Gross Davis" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 8 of 17 \n \nTRUST AWARD DESCRIPTIONS \n \nAZNIVE ART SCHOLARSHIP FUND in memory of Grace Aznive, a \nformer BPS teacher, was established in 1955. The scholarship is for \noutstanding seniors planning to attend art school. Please call 617-\n635-6769 for more information. \n \nCASEY AWARD in honor of Alice F. Casey, a former associate \nsuperintendent of the Boston Public Schools, was established \n1977. \nEligibility: All elementary schools, one student in each classroom, grades 1-5 \nCriteria: Elementary students who have demonstrated the highest degree of \nsocial and academic growth during the school year and have shown" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 12, + "content": "outstanding and positive attitudes toward classmates of all racial and \nethnic backgrounds while promoting a positive spirit of integration \nwithin their classroom and school community. Current satisfactory \ngrades in conduct and effort and improved grades in class work or report \ncard; concern for students and staff; participation in school activities; \nhelpful and enthusiastic attitude; recognition of rights of others. \nAward: Alice F. Casey Certificate \nSubmit: Submit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed. \n \n \nDEVEREAUX AWARD is a gift of Mary Dorothea Devereaux, \nformerly a Boston Public Schools teacher, established in 1965." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 13, + "content": "Eligibility: One girl and one boy in the graduating class of the following schools: \n\u25cf All high schools \n\u25cf All middle schools \n\u25cf Winship Elementary School" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 9 of 17 \n \nCriteria: For students who, as a result of the tutelage of their teachers, have \nexhibited exemplary personal development and growth of character. \nUnder no circumstances shall scholastic achievement or athletic ability \nbe used as criteria. \nAward: $25 check, issued by the City of Boston Treasury Department. \nSubmit: Submit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nFELLMAN AWARD is in honor of Charlotte Fellman, a former \nassociate director of music, established 1984." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 15, + "content": "associate director of music, established 1984. \nEligibility: Two graduating eighth grade students from each middle school and each \nK-8 school and one graduating fifth grade student from each elementary \nschool. \nCriteria: Outstanding talent and positive social attitude toward classmates of all \nracial and ethnic backgrounds; participation in the musical life of the \nschool or community; interest in continuing in music; outstanding \nmusical talent and helpful and enthusiastic attitude toward classmates. \nAward: Certificate of Recognition \nSubmit: Submit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 16, + "content": "number of certificates needed. \n \n \nFRANKLIN CERTIFICATE is a gift of Benjamin Franklin. \nEligibility: All high schools \nCriteria: High rank in scholarship and conduct \nAward: A certificate \nSubmit: Nominating procedure, and name and address of recipients. \nNominations submitted to the Guidance Department." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 10 of 17 \n \n \n \n \n \n \nGEORGE SCHOLARSHIP is in memory of Anna Judson George \nand was established 1923. \nEligibility: A graduating senior from Brighton High School \nCriteria: For excellence in English, to be used for their higher education \nAward: $225 check payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nGOLDBERG TRUST is in honor of Jacob Goldberg upon the \noccasion of completion of 50 years of outstanding service to his \nemployer, W. M. Filene & Sons Company. This trust was \nestablished in 1962." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 18, + "content": "established in 1962. \nEligibility: A member of the graduating class of the Eliot School \nCriteria: For leadership qualities \nAward: $400 check payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 11 of 17 \n \n \nGOULSTON AWARD is in memory of Edward S. Goulston and was \nestablished in 1929. \nEligibility: A member of the graduating class of English High School \nCriteria: Deserving pupil to be used for their higher education \nAward: $250 check; payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nHOFFMAN SCHOLARSHIP is in memory of Ensign David A. \nHoffman and was established in 1920. \nEligibility: A member of the graduating class of East Boston High School" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 20, + "content": "Criteria: A scholar who most nearly combines the highest attributes of an all \naround student in studies, athletic ability and morality. \nAward: $175 check; payable to recipient \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 12 of 17 \n \n \n \nLATIN SCHOOL PRIZE is for the encouragement of scholars at \nBoston Latin School. \nEligibility: Students from Boston Latin School \nCriteria: Excellence in scholarship \nAward: $250 total available, check payable to student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nLAWRENCE HIGH SCHOOL FUND is from a gift of Abbott \nLawrence in 1844. \nEligibility: Students from English High School \nCriteria: High rank in various subjects of the course of study \nAward: $525 total available, checks payable to the student(s)" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 22, + "content": "Submit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 13 of 17 \n \n \nLAWRENCE LATIN SCHOOL FUND is from a gift of Abbott \nLawrence in 1845. \nEligibility: Students from Boston Latin School \nCriteria: High rank in various subjects of literature and science \nAward: $475 total available, checks payable to the student(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMORRISON FUND is a legacy of Helen C. Morrison, established in \n1972. \nEligibility: Students from Technical High Schools \nCriteria: To assist worthy and needy students at technical high schools; funds can" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 24, + "content": "be used either to assist students currently attending technical high \nschools in Boston or as scholarships at an institution of higher learning. \nAward: $2,525 total available; check(s) payable to recipient(s) \nSubmit: Submit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMARY GRASSA O\u2019NEILL WRITING AWARD: The Boston School \nCommittee and Superintendent Mary Skipper wish to award \ncertificates to selected students in recognition of achievement in \nwriting. Schools should make requests for certificates directly to \nthe Program Director/ELA, OPL@bostonpublicschools.org. These" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 25, + "content": "certificates will be sent directly to your school, and the schools \nwill complete the certificates for distribution to selected \nstudents." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 14 of 17 \n \nMATHEMATICS ACHIEVEMENT AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to \nselected students in recognition of achievement in mathematics. \nSchools should make requests for certificates directly to the \nProgram Director, Mathematics, OPL@bostonpublicschools.org. \nThese certificates will be sent directly to your school, and the \nschools will complete the certificates for distribution to selected \nstudents. \n \nMARY C. MCLAUGHLIN READING AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to \nselected students in recognition of achievement in" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 27, + "content": "reading/language arts. Schools should make requests for \ncertificates directly to the Program Director/ELA, \nOPL@bostonpublicschools.org. These certificates will be sent \ndirectly to your school, and the schools will complete the \ncertificates for distribution to selected students. \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nMay 31, 2024 All requests must be submitted to the CFO. \n \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 15 of 17 \n \nOwner: Special Assistant to the Chief of Finance \nDepartment: Chief Financial Office \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9485 \nScan Documents to finance-staff@bostonpublicschools.org \nEmail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \nATTACHMENT: \nApplication for Awards form" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 16 of 17 \n \nAPPLICATION FOR AWARDS \n \nThis form may be used for each student receiving a cash / savings \nbond award; or submit a typewritten list on school letterhead \nwith all of this information. No student may receive a check or \nsavings bond without a Social Security number. \n \nTITLE OF AWARD: \n_____________________________________________________ \n \n \nSTUDENT'S NAME: \n____________________________________________________ \n \n \nSTUDENT\u2019S STREET ADDRES \n______________________________________________ APT.#:____ \n \n \n \nCITY OR TOWN: ___________________________ZIP CODE: _________ \n \n \nSTUDENT\u2019S DATE OF BIRTH" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular FIN-11 \nPage 17 of 17 \n \n____________________________________________ \n \n \nSTUDENT\u2019S SSN: \n______________________________________________ \n \n \nSTUDENT\u2019S ID NUMBER: \n______________________________________________ \n \n \nSCHOOL: \n______________________________________________________ \n \n \nSCHOOL STREET ADDRESS: \n__________________________________________ \n \n \nCITY OR TOWN: ______________________ ZIP CODE: _____________" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-09 \nVersion 01 \n \n \nPRIVATE CONTRIBUTIONS MANAGEMENT GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBOSTON PUBLIC SCHOOLS PRIVATE CONTRIBUTIONS \nAll external funding \u2014 to the district as a whole, individual \nschools, central offices, or fiscal sponsorship \u2014 that is received \nfrom private sources, such as foundation grants, contributions, \nand individual donations other than public state and federal \ngrants, must adhere to the established rules and guidelines set \nforth in this circular. \nSchools may not receive cash grants directly into activity" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 2, + "content": "accounts or any other accounts maintained by the school (see \nSuperintendent\u2019s Circular FIN-04, Student Activity Accounts). \nSchools and departments may solicit in-kind services and \ncontributions from private sources (businesses, non-profit \nfoundations, and individuals) to be made to the Boston Public \nSchools via the Boston Educational Development Foundation, \nInc. (BEDF) in accordance with the guidelines set forth in State \nEthics Commission opinion EC-COI-12-1. Programs funded by \nprivate philanthropy must further BPS goals. Funds will not be \naccepted from sources specifically precluded by the School \nCommittee (there are no fund sources specifically precluded at \nthis time)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-09 \nPage 2 of 7 \n \n \n \nROLES AND RESPONSIBILITIES \nAll private funds must comply with funders\u2019 intentions and \nguidelines established by BEDF regarding programming, \nspending, accounting, and auditing, as well as related to civil \nrights, access, and confidentiality as per the public use of these \nfunds. \nThe program supervisor is the individual who will be responsible \nfor overseeing the program(s) or initiative that private \ncontributions are funding. \nThe fund manager is the department head or the respective \nprincipal/head of school and/or a designee and will be the \nprimary point of contact for all management issues for BEDF. The" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 4, + "content": "fund manager will take fiscal responsibility for managing private \ncontributions and assure the submission of proper reporting to \nfunders. \nBEDF has fiduciary and financial oversight responsibility for \nprivate-funded programs, including compliance with all relevant \nregulations and reporting. BEDF must sign contracts and other \nlegal documents that could raise a liability and oversee the full \nexecution of grant agreements and/or award letters. BEDF will \nfollow guidelines set by its Board of Directors and funders\u2019 \nrestrictions and will collaborate to comply with other \nrequirements related to civil rights, access, and confidentiality. \nABOUT BEDF" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FIN-09 \nPage 3 of 7 \n \n \nMission \nThe Boston Educational Development Foundation, Inc. (BEDF) \nwas founded in 1984 by the superintendent and School \nCommittee for departments and schools to improve their ability \nto raise money from private sources including foundations, \ncorporations, and individuals. \nBEDF is a 501(c)(3) that exists to improve educational \nopportunities for the students of BPS. BEDF provides fiscal \nsponsorship and fundraising support for programs and \nopportunities that may otherwise not be possible, such as: out of \nschool time; enrichment and health initiatives for students; \nleadership and professional development for teachers;" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 6, + "content": "engagement and learning programs for families; and multiple \nacademic initiatives. \nFiscal Sponsorship Services \nBEDF provides general, financial, and administrative \nmanagement and staffing to private-funded programs that \nfurther the educational aims and goals of BPS. BEDF also \nprovides fundraising support in the following areas: grant \nseeking and administration; assistance in grants review and \nsubmission; and the creation of online fundraising campaigns for \nschools and programs. \nIndirect Rate \nBEDF charges an 8% indirect rate on all grants, donations, \nsponsorships, and other charitable contributions for which BEDF" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 7, + "content": "serves as the fiscal sponsor. This indirect rate does not apply to \nany BPS student scholarships. The BEDF Board of Directors has \nthe authority to change the rate at any time by giving written \nnotice to Fund Managers." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-09 \nPage 4 of 7 \n \n \n \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for private funding opportunities from a variety of sources. \nSchool fundraising is a team process within the \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the programs to be \ninvolved. Heads of schools, principals, and other administrative \nheads must be aware of and approve private solicitations for \nprograms that will take place under their supervision. \nIntent to Apply \nAll BPS entities planning to pursue a private funding opportunity \nmust submit an online Intent to Apply Form (for asks above" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 9, + "content": "$10,000) 1-3 months prior to the deadline for submission, if \npossible. This will ensure that potential funding applications are \nconsistent with BPS goals and are not in conflict with other BPS \nsolicitations to the same agencies and funders. \nThe Intent to Apply Form will be revised on a weekly basis by the \ncross-functional BPS Grants Review Team and will communicate \na recommendation to the applicant. Upon confirmation, you will \nreceive a completed grant cover page to be signed by your \ndepartment head/supervisor. For grant applications seeking \nletters of support, a brief form will be attached as well. \nPOST AWARD \nBEDF holds private funds through a set of strictly segregated" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 10, + "content": "funds (previously called accounts). Either fund managers or \nfunders must forward the award letter and/or grant agreement \n(that includes program and budget information) along with the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FIN-09 \nPage 5 of 7 \n \n \ndeposit form to BEDF. If a new account is needed, the fund \nmanager should submit the proper form. BEDF will notify within \nfive business days upon receipt. \nSPENDING, MONITORING, AND REPORTING \nSpending \nFunds held at BEDF will adhere to BEDF current spending, \nfinancial, and administrative policies regarding accounts \nreceivable and payable, employee stipend documentation, and \nany other administrative controls established. For privately \nfunded programs, BEDF only compensates individuals as \nindependent contractors (1099) or through the BPS approved \ncommitment letter process (if individuals are BPS employees)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 12, + "content": "Individuals are subject to applicable state and federal taxes. \nPrograms will keep their own records to comply with applicable \nBPS regulations. Please contact BEDF at admin@bedf.org for \ndetailed information. \nThe BEDF executive director must co-sign all contracts and other \ndocuments in which BEDF could incur liability, legal exposure, or \nfinancial obligations, including purchase orders and grant \nagreements, on behalf of the programs. \nFor internal controls, all expenses require signoff by the fund \nmanagers or designee before any costs can be incurred or \npayments released. \nThe fund manager is responsible for monitoring the spending of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 13, + "content": "the private funds. This includes assuring that the funds are being \nused for allowable expenses; spending according to the \ncontribution timeline; entering receipt for goods/services; and \nsubmitting invoices to BEDF for all matters related to their" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FIN-09 \nPage 6 of 7 \n \n \nprogram budget. In case private-funded program budgets need \nto be amended, they should get approval from the funder. BEDF \nwill ensure these responsibilities are fully completed in \naccordance with the provisions of the funder and these \nguidelines. \nMonitoring \nFund managers are responsible for preparing and submitting \ninterim reports as requested by funders. BEDF will support \ncompletions and take the appropriate steps to ensure timely \nreport submission. \nProgrammatic grant reports are the responsibility of the fund \nmanager who is overseeing the program being funded. Fund \nmanagers must send a copy of completed reports to BEDF." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 15, + "content": "Final Reports \nBEDF will produce a financial report to be finalized and \ncomplemented with program outcomes by the fund manager in \norder to complete and submit a final report as per the funder \nguidelines. Please submit a copy of the final version to BEDF for \nrecord keeping purposes. BEDF will take proper measures to \nassure fiduciary responsibility to funders, including freezing the \nactivity of the fund until submission is complete. \nAUDITING \nThe fund manager and program supervisor will collaborate with \nauditors, consultants, and program advisors as requested by \nBEDF to ensure compliance with tax regulations and impact" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 16, + "content": "assessment of the partnership with BPS, including site visits and \ndata collection efforts." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FIN-09 \nPage 7 of 7 \n \n \nFor general inquiries, please email admin@bedf.org. \n \nFor more information about this circular, contact: \nOwner Email \nExecutive Director, BEDF admin@bedf.org \nDirector of Finance and \nOperations, BEDF \n admin@bedf.org \nAssistant Director of \nFinance, BEDF \n admin@bedf.org \nResource Development & \nCommunications Manager, \nBEDF \n admin@bedf.org \nFinance Associate, BEDF admin@bedf.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed, and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from home is not eligible for \nreimbursement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 2, + "content": "reimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \nAll other BTU members \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-02 \nPage 2 of 5 \n \n \n \nSupervisors of Attendance \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nBASAS \n \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nManagement \n \n \n \n65.5\u00a2 per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager\u2019s \nbudget (Account 52803 Mileage)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FIN-02 \nPage 3 of 5 \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most \neconomical. Original receipts must be produced/provided for \nreimbursement. \n \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed \u201cCity of Boston Special Draft/Non Order \nForm\u201d \u2013 it must be filled out completely with: \n\u2022 School/Department \n\u2022 Date" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 5, + "content": "\u2022 School/Department \n\u2022 Date \n\u2022 Full name of the person being reimbursed \n\u2022 Full address of the person being reimbursed \n\u2022 Vendor # \n\u2022 Funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.\u201d" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-02 \nPage 4 of 5 \n \n3. Submit a completed \u201cMileage Detail Form\u201d - List the total \nnumber of miles traveled each day and total-up each page \u2013 \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests \u201cmust be\u201d submitted at \nthe end of each month or quarterly \u2013 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 7, + "content": "Vendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n\u25cf ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u25cf DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-02 \nPage 5 of 5 \n \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year - You cannot use current school year \nfunds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n \nFor more information about this circular, contact: \nName: \nUnit Leader of Business Services/Accounts \nPayable \nDepartment: Business Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: 617-635-9472" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 9, + "content": "Phone: 617-635-9472 \nE-mail: finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from your home is not eligible for \nreimbursement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 2, + "content": "reimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers (ISP \nwill receive that $600 payment in \nsucceeding years provide the ISP\u2019s direct \nsupervisor verifies that the ISP\u2019s travel \nschedule is substantially unchanged) \n \n$600.00 per \u201cfull\u201d \nschool year (flat \nrate) \nor \n67\u00a2 per mile" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-02b \nPage 2 of 5 \n \n \nAll other BTU members \n \n67\u00a2 per mile \n \nSupervisors of Attendance \n \n \n67\u00a2 per mile \n \nBASAS \n \n \n \n67\u00a2 per mile \n \nManagement \n \n \n \n67\u00a2 per mile \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager\u2019s \nbudget (Account 52803 Mileage)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FIN-02b \nPage 3 of 5 \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most economical. \nOriginal receipts must be produced/provided for reimbursement. \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed \u201cCity of Boston Special Draft/Non Order \nForm\u201d \u2013 it must be filled out completely with: \n\u2022 School/Department \n\u2022 Date" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 5, + "content": "\u2022 School/Department \n\u2022 Date \n\u2022 Full name of the person being reimbursed \n\u2022 Full address of the person being reimbursed \n\u2022 Vendor # \n\u2022 Full funding source \n\u2022 Full \u201cdetailed\u201d description \n\u2022 Amount to be reimbursed \n\u2022 Must be signed by the employee\u2019s immediate \nsupervisor \n \n2. Submit the \u201cCertification Form\u201d attesting \u201cunder penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.\u201d" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-02b \nPage 4 of 5 \n \n3. Submit a completed \u201cMileage Detail Form\u201d - List the total \nnumber of miles traveled each day and total-up each page \u2013 \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests \u201cmust be\u201d submitted at \nthe end of each month or quarterly \u2013 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 7, + "content": "Vendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n\u25cf ONLY Submit Single-Sided reimbursements packet \u2013 Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n\u25cf DO NOT highlight or put scotch tape on receipts because it \nfades the receipts \u2013 use staples, only legible receipts will be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-02b \nPage 5 of 5 \n \nreimbursed \u2013 Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n** You cannot use current school year funds to pay for prior \nschool year expenses. ** \n \n \n \nFor more information about this circular, contact: \nName: Business Manager \nDepartment: Business Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: 617-635-9472" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 9, + "content": "Phone: 617-635-9472 \nE-mail: ffinancestaff@bostonpublicschools.organceo.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFIN-04 \nVersion 01 \n \n \n \nSTUDENT ACTIVITY ACCOUNTS: \nOPERATING PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThis Student Activity Accounts: Operating Procedures \nSuperintendent\u2019s Circular was put together in accordance with \nMassachusetts General Law Chapter 71 Section 47. The Student \nActivity Account Policy was approved by the School Committee \nin the fall of 2018. \nAll students should have an opportunity to take part in co-\ncurricular activities. As such, Boston Public Schools have \nmigrated to a new business process for managing student" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 2, + "content": "activity accounts. Student activity funds are managed under an \n\u201cAgency Account,\u201d housed under the City\u2019s tax ID number. \nDEFINITION AND CATEGORIES OF STUDENT ACTIVITY \nACCOUNTS \nStudent activity accounts may only be used for the express \npurpose of conducting student activities, which are broadly \ndefined to be: \n\u25cf Co-curricular in nature. \n\u25cf Contingent on a fee or on fundraising. \n\u25cf For the sole benefit of students." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 2 of 13 \n \n \nBoston Public Schools recognizes the following categories as \nstudent activities: \n\u25cf SOCAL = Socials, such as a dance or pizza party \n\u25cf EVENT= Special events, such as a graduation or Science Fair \n\u25cf FLDTR = Field trips, such as transportation costs or entrance \nfees \n\u25cf CLUBS = School leader-approved student clubs, such as a \nStudent Council or Debate Club \n\u25cf STORE = Bookstore, only when bookstore is run by students \nand proceeds will benefit students directly \n\u25cf ATHLT = Athletics, only when funds are student-driven and \nproceeds will benefit specific student activities directly" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 4, + "content": "\u25cf SNDRY = Miscellaneous activities (this is NOT a catch-all, see \nStudent Activity Accounts on the BPS website for approved \nlist) \n\u25cf BNKFE = Bank fees, such as fees for returned checks \nESTABLISHING A STUDENT ACTIVITY ACCOUNT \nStudent activity funds will be managed utilizing a Student \nActivity Agency Account. The Agency Account is a master \naccount maintained by the City\u2019s Collector-Treasurer and is \nutilized to record deposits and expenses. All student activity \naccounts must utilize the City of Boston\u2019s tax ID number and be \nauthorized by the BPS chief financial officer and city treasurer. \nSchools seeking to set up a new student activity account within" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 5, + "content": "the Student Activity Agency Account must contact the BPS \nFinance Office." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 3 of 13 \n \nWhen a new school leader begins at a BPS school, they should \ncontact the BPS Finance Office. Accounts should be reconciled \nprior to the account changing hands. \nDEPOSIT PROCEDURE \nTo deposit funds into your school\u2019s student activity account: \n1. Deposit funds at a Boston Citizens Bank branch using the \nunique deposit slips provided to your school. This is critical to \nensuring funds are deposited to your school\u2019s subaccount \nand simplifying the reconciliation process. \na. If depositing funds for use in multiple different student \nactivities, schools must use a separate deposit slip for \neach pool of money." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 7, + "content": "each pool of money. \n2. Complete the revenue breakdown form within 2 business \ndays of the deposit date to designate the funds to a program \n(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, \nBNKFE) and class (grade level). This allows the deposited \nfunds to be applied to your school\u2019s subaccount and \nreflected in BAIS Financials. \na. If a deposit is for multiple grades or undefined, utilize \nthe \u201c0000\u201d for all grades. \n3. Allow at least 5 business days for the deposit to be booked to \nyour school\u2019s subaccount and reflected in BAIS Financials. \nSchools must notify the BPS Finance Office when they are \nrunning low on unique deposit slips, not when they\u2019ve run out of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 8, + "content": "deposit slips, so additional deposit slips may be ordered and \ndelivered to the school." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 4 of 13 \n \nTRANSFER PROCEDURE \nTo request a transfer within your school\u2019s student activity \naccount: \n1. Submit the transfer request form, which requires a \njustification letter be attached documenting the request. \nTransfer Request Justification Template \n2. Allow at least 5 business days for the transfer to be reflected \nin BAIS Financials. \nEXPENDITURE PROCEDURE \nStandard Purchasing \nTo make a purchase out of your school\u2019s student activity account: \n1. Confirm the company/venue is already an approved city \nvendor by looking them up in BAIS Financials or determine if \nthe individual needs to be \u201chired\u201d and paid through the city\u2019s \npayroll system." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 10, + "content": "payroll system. \na. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nb. New vendors should register online (see step-by-step \nguidelines for registering online). \n2. After confirming the company/venue is an approved city \nvendor, enter a requisition for student activities using the \nfollowing information: \nFund Number: 470" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 5 of 13 \n \nAccount: Should be appropriate to the requisition. An \nexample is account 52811 for a field trip. If unsure, review \nthe account code list or contact BPS Purchasing. \nProgram: An alpha entry matching the revenue breakdown \nof SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, or \nBNKFE. \nClass: An alphanumeric entry matching the revenue \nbreakdown of: 0000 (all grades); BPSK0; BPSK1; BPSK2; \nBPS01; BPS02; BPS03; BPS04; BPS05; BPS06; BPS07; BPS08; \nBPS09; BPS10; BPS11; BPS12 \nBud Ref: 0000 \n3. Follow the standard purchasing guidelines outlined in the \nBusiness Services Manual to complete the requisition and \npurchase process. \nReimbursement" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 12, + "content": "purchase process. \nReimbursement \nTo request a reimbursement out of your school\u2019s student activity \naccount: \n1. Confirm the person is already properly hired or an approved \ncity vendor by looking them up in BAIS Financials. \nb. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nc. New vendors should register online (see step-by-step \nguidelines for registering online)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 6 of 13 \n \n2. After confirming the person is an approved city vendor, \ncomplete and submit a hard copy of the Non Order form \nwith details of the expense, funding source, and amount. \nReimbursement instructions can be found in \nSuperintendent\u2019s Circular FIN-03. \n \nStaff seeking reimbursement out of the Student Activity Account \ncan receive reimbursement for tax on purchases; however, tax \ncan be saved by going through the standard purchasing process. \nReach out to Lisa Greaves or Bob Cass with any reimbursement \nquestions. \nThe Business Services Guide may be a helpful resource for further \ninquiries on purchasing." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 14, + "content": "inquiries on purchasing. \nCHECKING STUDENT ACTIVITY ACCOUNT BALANCES \nTo check your school\u2019s student activity account balance: \n1. Log into BAIS Financials. \n2. From the main menu drop-down options, select \nREPORTING TOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-\ndown options. \n6. In the blank next to \u201cbegins with,\u201d enter \nY_GL_QRY_SCH_ACT_BUDGET_BAL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. In the blank next to \u201cdepartment,\u201d enter your school\u2019s 6-\ndigit RC code. \n9. Click VIEW RESULTS: \na. Scroll through all the line items to find balances (there" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 7 of 13 \n \nwill likely be several rows that show no balance) OR \nb. Download the results and filter out all the rows without \na balance. \nTo check deposits and expenditures in your school\u2019s student \nactivity account: \n1. Log into BAIS Financials \n2. From the main menu drop down options, select REPORTING \nTOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to \u201cSearch by,\u201d select QUERY NAME from the drop-\ndown options. \n6. In the blank next to \u201cbegins with,\u201d enter \nY_GL_QRY_EXP_PO_CN_DTL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. Enter the following for the blanks: \na. Fund Code: 470" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 16, + "content": "a. Fund Code: 470 \nb. Organization: Your school\u2019s 6-digit RC Code \nc. Program Code: % \nd. Sub-Classification: % \ne. Project/Grant: % \nf. Account: % \ng. Budget Reference: % \nh. From Accounting Period: 1 \ni. To Accounting Period: 12 \nj. From Fiscal Year: Starting year (for example, if you just \nwant to look at this current school year, you\u2019d enter \n2024, but if you wanted to look at the account over \ntime, you\u2019d enter 2018). \nk. To Fiscal Year: Ending year. \n9. Click VIEW RESULTS." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 8 of 13 \n \nREPORTING \nMonthly Reconciliation Reports \nBy the 5th of each month (September - July): \n1. Complete the monthly reconciliation report for the previous \nmonth, reconciling your school\u2019s PeopleSoft balance with \nsubmitted revenue breakdown forms and expenditure \nrequests. \n2. Completed monthly reconciliations should be sent to school \nleader, all student organization leadership (and/or parent \ncouncil leadership if elementary school), and Charlie Ng by \nthe 5th of each month for the previous month (example: for \nthe February reconciliation, submit by March 5). PDFs should \nbe uploaded to your school\u2019s SAA reporting folder and saved" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 18, + "content": "for 7 years. \nYear End Reconciliation \nBy June 21: \n1. Complete Form B for each additional bank account \nassociated with the school (Form B doesn\u2019t need to be \ncompleted for the student activity and before/after school \naccounts) and record every transaction for each account. \nAdditional bank accounts include 501c3, BEDF, Parent \nCouncil, and Sunshine Fund accounts. \n2. A final monthly reconciliation report should be submitted by \nJuly 5 to close out the student activity account for the school \nyear \n3. Completed forms should be sent to Charlie Ng." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 9 of 13 \n \nCASH POLICY AND RECORD-KEEPING \nInternal Records And Ledgers \nSchools must keep detailed records of their receipts and \nexpenses for the account. Records should contain, at minimum, \nthe level of detail provided in the example ledger by line. The \nspecific purpose/activity of all money should be tracked. It is \nrecommended that for individual activities, such as a specific \nfield trip or event, schools also track all receipts and expenses (i.e., \nall revenue and expenses for prom). A copy of these records \nshould be housed in your school\u2019s SAA folder. The purpose of \nthese records is to:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 20, + "content": "these records is to: \n\u25cf Ensure bank deposits match the total receipts of fees and \nfund-raised money. \n\u25cf Ensure entirety of the money is spent on the intended \npurpose, benefiting solely the students who the money was \nraised for/by. \n\u25cf Avoid large surpluses and deficit spending. \nCash Policy \nCash boxes may be used to receive cash and checks and make \nchange during fundraising activities. \nAs needed, the cash box may be signed out to staff and student \norganizations as long as a cash box log is completed each time \nthe cash box is signed out. \nSchools need to keep records of collected cash and checks. When \n$10 or more is collected from an individual, a pre-printed carbon" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 21, + "content": "receipt must be issued to that individual. Carbon copies of \nreceipts should be submitted to the school leader along with" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 10 of 13 \n \ncollected cash and checks WITHIN 24 HOURS of receipt. In cases \nof a large number of transactions in a short period of time, the \nreceipt log should be used to provide a record of individual \ntransactions and be submitted to the school leader along with \ncollected cash and checks WITHIN 24 HOURS of receipt. \nWhen less than $10 is collected from an individual, a pre-printed \ncarbon receipt does not need to be issued. Rather, the person \nhandling the cash box needs to record the collected funds on the \nreceipt log. The receipt log should be submitted to the school \nleader along with collected cash / checks WITHIN 24 HOURS of \nreceipt." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 23, + "content": "receipt. \nThe cash box must be reconciled daily by two individuals. Once \nthe cash is counted, each individual should initial the cash box \nreconciliation form. \nCollected cash / checks totaling under $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN A WEEK of receipt. \nTotal collected cash / checks exceeding $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN 72 HOURS of receipt." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 11 of 13 \n \nCLOSURE OF ACCOUNTS \nClosure of Class Accounts at Graduation \nThe following procedures should be followed with respect to \nclass accounts at graduation: \n1. Keep class accounts open and active for 90 days after \ngraduation to allow for outstanding bills to be received and \npaid. \n2. After 90 days, remaining funds must either be: \na. Transferred to a separate account established by class \nmembers, not using the city\u2019s tax ID number. \nb. Transferred to the school\u2019s SNDRY, 0000 (all grades) \nline. \nClosure of Inactive Accounts \nThe following procedures should be followed with respect to" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 25, + "content": "inactive and undesignated accounts at the district level: \n1. Accounts will be closed, and remaining balances will be \ntransferred to the Student Activity Agency Account. \n2. Remaining balances will be distributed across all schools\u2019 \nSNDRY, 0000 (all grades) lines. \nThe following procedures should be followed with respect to \ninactive accounts at the school level: \n1. Provide written notification about the inactive account to \nthe BPS Finance Office. \n2. If the account should be closed out and has a balance of \nfunds: \na. The balance of recognized student activity funds \nshould be moved into the appropriate program and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 12 of 13 \n \nclass subaccounts. \nb. The balance of unrecognized student activity funds \nshould be moved into the school\u2019s SNDRY, 0000 (all \ngrades) line. \nRESOURCES \nFor additional information and resources on Student Activity \nAccounts: \n\u25cf Student Activity Account: Policies & Procedures Manual \nStudent Activity Account Website \n\u25cf SAA Slide Deck \n\u25cf 7-minute Overview Presentation \n\u25cf Purchasing Manual \n\u25cf Massachusetts General Law \nPlease contact the Finance Office if you have any student activity \naccount questions not addressed in this circular. \nQuestions related to deposits, fund balances, and account status \nshould be directed to:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 27, + "content": "should be directed to: \nSpecial Accounts Manager, finance-\nstaff@bostonpublicschools.org \nInternal Controls Project Manager, finance-\nstaff@bostonpublicschools.org" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular FIN-04 \nPage 13 of 13 \n \nQuestions related to purchases from this account should be \ndirected to: \nAssistant Business Manager, finance-\nstaff@bostonpublicschools.org / 617-635-6758 \nQuestions related to reimbursements from this account should \nbe directed to: \nPrincipal Account Clerk finance-staff@bostonpublicschools.org / \n617-635-9472 \nUnit Leader of Business Services/Accounts Payable \nfinance-staff@bostonpublicschools.org / 617-635-9469 \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFIN-16 \nVersion 01 \n \n \n \nBUDGET TRANSFERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPlease use the online reference document Budget Transfers as \nyour guide to initiating online budget transfer requests. \n \nINTRODUCTION \nEach year, departments review their budgets and allocate money \nfor various goods and services for the next fiscal year. Funds are \nallocated to budget lines reflective of their intended use. As \nneeds change, departments often want to reallocate money \nbetween budget lines. This can be accomplished through a \nbudget transfer. Budget transfers are the mechanism by which" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 2, + "content": "available budgeted resources are moved from one budget line \nitem to another in the Boston Public Schools financial system \n(PeopleSoft). \nAll budget transfer requests are entered directly into the \nPeopleSoft financial system by authorized users (principals, \nheads of school, responsibility center managers, or their \ndesignees). The Budget Office no longer accepts paper transfer \nforms. A detailed \u201cjob aid\u201d follows on how an online budget \ntransfer request is initiated." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FIN-16 \nPage 2 of 5 \n \n \n \nThe on-line budget transfer request process involves 6 basic \ncomponents: \n1) Navigate to the transfer \u201cform\u201d (budget journal) in \nPeopleSoft. \n2) Enter data (explanation, budget codes, dollars, and/or FTEs). \n3) Complete a budget error check. \n4) Save the completed transfer. \n5) Send to the Budget Office for approval. \n6) Track the progress of your transfer online. \nINCREMENTAL APPROACH \nBudget transfers employ an \u201cincremental\u201d approach, meaning \nthat if dollars are being moved from a particular line item, a \nnegative dollar value will be associated with that line item." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 4, + "content": "Conversely, if resources are being moved to a line item, the dollar \nvalue in the amount column will be a positive figure. Budget \ntransfers must sum to $0. For example, if a principal wished to \nmove $3,000.00 from a contracts line item to a stipends line item, \nthe transfer lines might look like this: \nAccount Fund RC Program Subclass Amount \n52907 \nContracted \nServices \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2112 \nElem Ed. \n \n0000 - \n$3,000.00 \n51202 Prof. \nOT/ Stipends \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2014 \nGrade 4 \n \n0000 $3,000.00" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FIN-16 \nPage 3 of 5 \n \n \n \nBudget transfers involving additions, deletions, or changes to full-\ntime equivalent (FTE) positions also follow an incremental \napproach. Therefore, a negative FTE would be associated with the \nreduction or deletion of a position, and a positive FTE with the \ncreation or increase of a position. For example, if I wished to \nreduce a position from a 0.8 FTE to a 0.6 FTE, I would type -0.2 in \nthe FTE column (\u201cstatistic amount\u201d in the budget journal) for that \nbudget line. If I wished to delete that position entirely, I would \nhave put -0.8 in the FTE column. If I had wished to increase the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 6, + "content": "position to 1.0 FTE, I would have typed 0.2 in the FTE column. \nWhenever a budget transfer involves a position, the position \nnumber should be identified in the \u201creference\u201d field in the \nbudget transfer. If requesting a new position, leave the reference \nfield blank, to be filled in by the Budget Office when the new \nposition is created. \nREQUIREMENTS & RESTRICTIONS \n1. The authorizer requesting the transfer must have BAIS FN \naccess. \n2. No Responsibility Center will be allowed to transfer funds \narising from staff vacancies. These \u201clag funds\u201d make up the \nBoston Public Schools contingency fund and will be \nreallocated at the sole discretion of the superintendent." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 7, + "content": "Exceptions to this policy will only be made upon written \nrequest and written approval by the chief financial officer. \n3. Funds should not be transferred out of personnel accounts \n(starting with 51__) or substitute accounts. Under normal \ncircumstances, adjustments to budget line items associated \nwith positions will be rare and must be explicitly approved" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FIN-16 \nPage 4 of 5 \n \n \n \nby the Office of Human Capital prior to the budget transfer \nrequest being approved. \n4. Budget transfer requests that lack sufficient explanatory \ndetail in the \u201cLong Description\u201d text box on the budget \njournal header will not be approved. \n5. In concert with the annual requisition deadline, budget \ntransfers for any fiscal year will not be processed after the \nApril requisition deadline of that fiscal year. The only \nexception to this policy may be transfers for grants which \nextend beyond June 30. \n6. Transfer requests which exceed the \u201cavailable amount\u201d left \nin a particular line will not be processed (in other words, you" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 9, + "content": "cannot transfer funds which you have already spent!). \n7. Line-item budget transfers can only take place within a \nfunding source (i.e., General Fund to General Fund or Title 1 \nto Title 1), but not between the General Fund and a grant, \nnor between two separate grants. \n8. Title I EL funds (programs that begin with 24__) cannot be \ntransferred to another program, as this funding can only be \nused for ELLs. Likewise, partnership funds (program 2536), \nand parent support services funds (Fund 200 program 2515) \nshould not be moved to another program. Homeless \nservices funds (program 2533) should be kept in the same \ncode where possible but are not fully restricted." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 10, + "content": "9. Authority to request budget transfers is reserved to \nprincipals, heads of school, and RC managers, unless and \nuntil they explicitly delegate that authority to a designee in \nwriting to the chief financial officer or the budget director." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FIN-16 \nPage 5 of 5 \n \n \n \n10. While the on-line budget transfer protocol has made the \nexecution of budget transfers simple and efficient, there is \nno substitute for thoughtful, forward-looking resource \nplanning. The Budget Office is glad to assist with such \nplanning. \n \nPLEASE USE THE ONLINE REFERENCE DOCUMENT BUDGET \nTRANSFERS AS YOUR GUIDE TO INITIATING ONLINE BUDGET \nTRANSFER REQUESTS. \n \nFor more information about this circular, contact: \nOwner: Budget Director \nDepartment: Budget Office \nMailing Address: 2300 Washington Street. Roxbury, MA 02119 \nPhone: 617-635-6772 \nE-mail: finance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-05 \nVersion 01 \n \n \n \nTUBERCULOSIS PROGRAM \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY ON TUBERCULOSIS TESTING \nAll students must have an assessment of tuberculosis risk. Staff \nare no longer required to show evidence of TB skin test screening \nat time of employment. \nPROTOCOL FOR TUBERCULOSIS PROGRAM \nStudents: \n\u25cf At the time of registration for entry into the Boston Public \nSchools, if parents present with information on TB \nscreening, the data will be entered along with the \nimmunization data into the student(s) electronic health \nrecord." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 2, + "content": "record. \n\u25cf No child will have school registration delayed because of \nlack of tuberculosis screening documentation. \n\u25cf It is the responsibility of the primary care health provider, \nand NOT the school system, to ensure that appropriate \nscreening for tuberculosis is occurring in the community. \n\u25cf The school nurse may choose to check a child\u2019s PPD \n(Mantoux) or monitor preventive therapy at the request of \nthe primary care provider. The primary care provider must \nsubmit a written physician order to the school nurse for \nservices." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-05 \nPage 2 of 2 \n \n \n \n\u25cf Written documentation of an in-school PPD test result or \nthe monitoring of preventive therapy will be provided to the \nprimary care provider by the school nurse. \n\u25cf Students with active disease will be excluded from school \nuntil placed on treatment and written documentation by \nBPHC TB Control of non-contiguous state is presented. \nStaff: \n\u25cf Staff are no longer required to have TB screening as \ncandidates for hiring. The regulation of Communicable \nTuberculosis Periodic Examination of School Personnel has \nbeen repealed in the Massachusetts General Laws. \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 4, + "content": "Owner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-26 \nVersion 01 \n \n \n \nADMINISTRATION OF NALOXONE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTo recognize and respond to potential life-threatening opioid \noverdose as part of the MDPH opioid overdose prevention \nprogram, the Boston Public Schools will maintain a systemwide \nplan for addressing a potentially life-threatening opioid overdose \nreaction. \nAdditionally: \n\u2022 This plan will be supplemented by any building-based \nmedical emergency response plan. \n\u2022 The director of Health Services will have the responsibility \nfor the development and management of the intranasal" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 2, + "content": "Naloxone administration program in the school setting in \naccordance with MDPH protocols. \n\u2022 The school physician will provide oversight to monitor the \nprogram and creation of the standing order for the district, \nto be renewed annually. \n\u2022 Training per MDPH protocols will be provided for all school \nnurse responders. \nNaloxone is the only Schedule IV controlled substance in \nMassachusetts that can be prescribed to someone other than the \nultimate user. The Massachusetts Controlled Substances Act," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 2 of 9 \n \n \n \nM.G.L. c.94C,\u00a719(b), authorizes naloxone to be prescribed or \ndispensed to a person for use on someone else. It is the policy of \nthe Boston Public Schools that all schools shall provide and \nmaintain naloxone on-site in each school facility. To treat a case \nof suspected opioid overdose in a school setting, any school \nnurse may administer naloxone during an emergency to any \nstudent, staff, or visitor suspected of having an opioid-related \ndrug overdose, whether or not there is a previous history of \nopioid abuse, per 105 CMR 210.000, The Administration of \nPrescription Medications in Public and Private Schools." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 4, + "content": "Because naloxone is treated differently than any other \nprescription medication, and because any person can possess \nand administer naloxone, pursuant to the standing order, it is the \npolicy of the Massachusetts Department of Public Health School \nHealth Unit that individual possession and use of naloxone is not \ncovered by 105 CMR 210.000. This means that pursuant to M.G.L. \nc.94c,\u00a719(g) any staff member of the Boston Public Schools who, \nin good faith, attempts to render emergency care by \nadministering naloxone to a person reasonably believed to be \nexperiencing an opiate related overdose, shall not be liable from \nthe attempt to render emergency care and may carry and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 5, + "content": "administer naloxone on school property and school events, as \npermitted within M.G.L. c. 94C, \u00a7\u00a7 19(d) and 34A9e). This immunity \ndoes not apply to acts or omissions constituting gross \nnegligence. \nBACKGROUND \nRecognizing that fatal and non-fatal overdoses from opioids play \nan increasing role in the mortality and morbidity of \nMassachusetts residents, the Massachusetts Department of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 3 of 9 \n \n \n \nPublic Health launched the Overdose Education and Naloxone \nDistribution (OEND) prevention program using intranasal \nNaloxone in an attempt to reverse this trend. Naloxone is an \nopioid antagonist which means it displaces the opioid from \nreceptors in the brain. An overdose occurs because the opioid is \non the same receptor site in the brain that is responsible for \nbreathing. Rapid administration of naloxone may be lifesaving in \npatients with an overdose due to opioids. Naloxone usually acts \ndramatically, allowing slowed or absent breathing to resume. It is \nboth safe and effective and has no potential for abuse. Naloxone" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 7, + "content": "has been used by paramedics in ambulances and by emergency \nroom clinicians for decades. \nSIGNS AND SYMPTOMS OF OPIOID OVERDOSE \nSchool nurses may administer naloxone to a patient (student, \nstaff member or visitor) in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid overdose \nis suspected. \nThe following are signs of an opioid overdose: \n\u2022 Blue skin tinge-usually lips and fingertips show first. \n\u2022 Body is very limp. \n\u2022 Face is very pale. \n\u2022 Pulse is slow, erratic, or not present. \n\u2022 Vomiting. \n\u2022 Choking sounds, gurgling, snoring/gasping noise. \n\u2022 Breathing is very slow, irregular or has stopped. \n\u2022 Unresponsive." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 4 of 9 \n \n \n \nROLE OF SCHOOL HEALTH SERVICES \n\u2022 Develops policy for administration of naloxone and presents \nto BPS School Committee for approval; reviews policy \nannually. \n\u2022 Provides annual education and training for school nurses by \napproved MDPH organizations. \n\u2022 Secures and distributes naloxone kits to each school/school \nnurse. \n\u2022 Determines proper disposal of used +/or expired naloxone. \nROLE OF SCHOOL LEADER \n\u2022 Supports and facilitates access to school nurse training on \nadministration of naloxone. \n\u2022 Supports substance abuse prevention education as part of a \ncomprehensive health education program." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 9, + "content": "comprehensive health education program. \n\u2022 The school leader and staff should be alert to those \nsymptoms in students which may indicate problems with \nsubstance abuse so that they may initiate assistance to \nstudents in need of early intervention. \nROLE OF SCHOOL NURSE \n\u2022 Participates in a training program offered by Health \nServices. \n\u2022 Provides safe storage and easy access to naloxone. \n\u2022 Is alert to symptoms in students which may indicate \nproblems with substance abuse in order to initiate \nassistance to students in need of early intervention." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 5 of 9 \n \n \n \n\u2022 Refers the student to the Student Support Team if the \nstudent is struggling with substance use. \n\u2022 Administers naloxone following the procedure as listed \nbelow in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid \noverdose is suspected and activate EMS. \nPROCEDURE: \n1. Activate EMS via Medical Emergency Response Plan. The \nnurse or designee must call 911 in all potential overdose \nsituations. \n2. Assessment: ABC\u2019s: Airway, Breathing, Circulation. When \nan individual is suspected of an opioid overdose, the nurse \nwill conduct an initial assessment of the level of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 11, + "content": "consciousness and respiratory status. \na. For individuals with no pulse: initiate CPR per BLS \nguidelines. \nb. For individuals with a pulse but who are not breathing: \nestablish an airway and perform rescue breathing \nusing a face mask or shield. \nc. Check for: foreign body in airway, level of \nconsciousness or unresponsiveness, very low \nrespiratory rate or not breathing, no response to sternal \nrub, respiratory status, gasping for air while asleep or \nodd snoring pattern, pale or bluish skin, slow heart rate, \nlow blood pressure. Pinpoint pupils and track marks \nmay be present, although absence of these findings \ndoes not exclude opioid overdose." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 6 of 9 \n \n \n \nd. For individuals who have a pulse and are breathing: \nassess if there is depression of the respiratory status as \nevidenced by: \ni. a very low respiration rate. \nii. interpretation of pulse oximetry measurement, if \nimmediately available. \ne. Assess for decrease in level of consciousness as \nevidenced by: \ni. difficult to arouse (responds to physical stimuli \nbut does not communicate or follow commands; \nmay move spontaneously) or \nii. unable to arouse (minimal or no response to \nnoxious stimuli, does not communicate or follow \ncommands). \nf. Nurse determines need for naloxone administration." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 13, + "content": "3. Administration: Intranasal administration of naloxone \na. Assess person for contraindications or precaution, per \navailable information. \nb. How to use naloxone nasal spray: \ni. Follow manufacturer\u2019s instructions for proper \nadministration. \nii. Step 1. Lay the person on their back to receive a \ndose of naloxone nasal spray. \niii. Step 2. Remove naloxone nasal spray from the \nbox. Peel back the tab with the circle to open the \nnaloxone nasal spray. \niv. Step 3. Hold the naloxone nasal spray with your" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 7 of 9 \n \n \n \nthumb on the bottom of the red plunger and your \nfirst and middle fingers on either side of the \nnozzle. \nv. Step 4. Tilt the person\u2019s head back and provide \nsupport under the neck with your hand. Gently \ninsert the tip of the nozzle into one nostril until \nyour fingers on either side of the nozzle are \nagainst the bottom of the person\u2019s nose. \nvi. Step 5. Press the red plunger firmly to give the \ndose of naloxone nasal spray. \nvii. Step 6. Remove the naloxone nasal spray from the \nnostril after giving the dose. \nviii. If the person does not respond in 3 mins, repeat \nthe steps and give the second dose of naloxone" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 15, + "content": "the steps and give the second dose of naloxone \nnasal spray in a box. \nix. Monitor until EMS arrives. \nx. Place the victim in the recovery position and stay \nwith the victim. \n4. Monitor the individual: Naloxone blocks the opioid from \nacting so it can cause withdrawal symptoms with opioid \ntolerance. \na. Remain with the victim until emergency support \narrives; The victim may breathe but not have full \narousal OR They may require continued rescue \nbreathing and support. \nFollowing the incident, debrief with the school team and health \nservices." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 8 of 9 \n \n \n \nDocumentation: \n1. Record the encounter in SNAP. \n2. Complete an Incident report. \n3. Complete a \u201c911\u201d report. \n4. Include the individual\u2019s presentation, route of \nadministration of naloxone, and dose administered. Also \ninclude the individual\u2019s response to the naloxone \nadministration. \nStorage: Store at 59\u00b0 to 86\u00b0, away from direct sunlight \nDisposal: Empty, administered naloxone nasal spray should \nbe returned to the original packaging and disposed of in a \nwaste receptacle. \nREFERENCES \n\u2022 BPS SHS-01 Drug and Alcohol Abuse \u2013 Update On \nProcedures \n\u2022 BPS SHS-08 Medication Administration \n\u2022 NASN Naloxone Toolkit for School Nurses" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 17, + "content": "\u2022 NASN Naloxone Toolkit for School Nurses \n\u2022 MDPH Bureau of Substance Addiction Services" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-26 \nPage 9 of 9 \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-16 \nVersion 01 \n \n \n \nSUICIDE PREVENTION AND INTERVENTION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nIt is the policy of the Boston Public Schools (BPS) to provide an \narray of services for students through the utilization of internal \nand external support resources to promote their social and \nemotional growth and well-being. In those cases where \nindividual students are at-risk or in-crisis, all staff will collaborate \nin providing those supports needed to ensure the student\u2019s \nsafety and well-being. When there is an acute crisis within the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 2, + "content": "school community, staff will collaborate, under the direction of \nthe building administrator and with support from the Behavioral \nHealth Services District Crisis Team (as needed/appropriate), in \naddressing those problems and issues raised by that death \namong students, staff, and parents. \nPOLICY GUIDELINES \nThe following policy guidelines have been established to address \nthe issue of suicide prevention and intervention and will be \nfollowed in all schools: \n1. All staff should be aware of suicide distress signals and \nsymptoms outlined herein. \n2. All staff have an obligation to be knowledgeable about and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 2 of 18 \n \n \n \nto cooperate fully in the implementation of the BPS Suicide \nPrevention and Intervention Policy Statement and Policy \nGuidelines. \n3. Building administrators will provide leadership in \naddressing the issue of suicide prevention and intervention \nand will establish and maintain the following support \nmechanisms required to address the issue within the wider \nschool community: \na. Implement prevention and intervention strategies \naccording to a multi-tiered system of support (MTSS) \nframework. \nb. Be sure that staff is knowledgeable about the purpose \nof the Student Success Team (SST), its membership," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 4, + "content": "and the process for making referrals to the team. \nc. Ensure the provision of in-service training for staff in \nthe fall of each school year concerning the issues of \nsuicide/crisis intervention and prevention, including \nsuicide risk assessment procedures. \nd. Establish and maintain linkages with appropriate \ncommunity-based support agencies that will assist the \nschool in addressing this issue. \ne. Provide information and services to students with a \nview to implementing fully the letter and spirit of the \nBoston Public Schools Suicide Prevention and \nIntervention Policy. \nFinally, it is paramount to highlight that racism undermines" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 5, + "content": "mental health. Therefore, BPS is committed to culturally and \nlinguistically sustaining practices (CLSP) in all that is done in \nsupporting students and families. This means that we pledge to \nwork against individual racism, interpersonal racism, and \ninstitutional racism in all their forms by creating systems that" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 3 of 18 \n \n \n \nwork for our students and families. It is also well understood that \nthere is an increased risk of suicide amongst traditionally \nmarginalized groups, particularly in LGBTQ+ students. \nKEY TERMS \nIt is essential that all Boston Public Schools staff understand the \nfollowing terms. \nSuicide: Death caused by self-directed injurious behavior with \nintent to die as a result of the behavior. \nSuicide Attempt: A non-fatal, self-directed, potentially injurious \nbehavior with at least some intent to die as a result of the \nbehavior. \nSuicidal Ideation: Thinking about, considering, or planning \nsuicide1." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 7, + "content": "suicide1. \nSelf-Injury: The act of deliberately harming one\u2019s own body, \nsuch as cutting or burning, as a way to cope with emotional \npain2. \nTIERED PREVENTION & INTERVENTION STRATEGIES \nIt should be the goal of the school community to work together, \nunder the leadership of the building administrator, to establish \nand maintain a program of suicide prevention. Schools are \nimportant settings for suicide prevention for the following \nreasons: school personnel interact regularly with students and \nplay an important role in keeping students safe; suicide has a \n \n1 NIMH \u00bb Home \n2 Self-injury/cutting - Symptoms and causes" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 4 of 18 \n \n \n \nnegative impact on an entire school community; and creating \nand maintaining a safe and supportive learning environment is \npart of the mission of BPS3. Prevention efforts should follow an \nMTSS continuum, with low-intensity prevention efforts for all \nstudents and more intensive prevention efforts for those with \nhigher risk. The following prevention and intervention strategies \nare strongly recommended as part of a school-based suicide \nprevention approach. \n\uf075 Tier 1 Prevention \nSchool Climate \nand Culture \nBuilding a safe and supportive school \nclimate is a vital step in suicide prevention. \nSchools should consider how they are" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 9, + "content": "Schools should consider how they are \nteaching kids to ask for help and how they \nare creating safe spaces for relationship-\nbuilding. \nSchool-Wide \nPsychoeducation \nBreak Free From Depression (grades 9-12) \nSigns of Suicide (grades 6-12) \nSocial Emotional Learning curriculum \n(grades pre-K to 12) \n \n3 Schools" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 5 of 18 \n \n \n \nUniversal \nBehavioral Health \nScreening \nUsing a universal behavioral health \nscreening tool (e.g. BIMAS-2) at least twice \nper year helps schools assess students\u2019 \nlevel of risk and identify appropriate \nprevention strategies. \nThe Trevor Project \u2014 Saving Young LGBTQ \nLives \nSamaritans 24-hour Hotline \nSamaritans IM Here Online Chat Program \nKnowing Risk \nFactors & Warning \nSigns \nEnsure that all staff are familiar with \nsuicide symptoms and report student \nconcerns to the building administrator in a \ntimely fashion. (See page 9-10 for a list of \nwarning signs along with common risk and \nprotective factors.)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 6 of 18 \n \n \n \n\uf075 Tier 2 Prevention & Intervention Strategies \nStructures and protocols to address and provide support to \nstudents presenting at risk. \nPerson(s) \nResponsible \nResponse Protocol \nStudent Success \nTeam (SST) \nThe SST should provide a systematic \nprocess for identifying and addressing the \nneeds of students in need of support \nservices and emphasize suicide prevention \nstrategies. This can consist of guardian \ncontact regarding concerns, referral to a \npartner or other agency for provision of \nservices, such as group counseling, etc. \n \n\uf075 Tier 3 Intervention Strategies \nAll school staff should be familiar with intervention strategies and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 12, + "content": "protocols and be trained once per year. Different levels of \nintervention (suicide risk assessment, safety planning, \nemergency response, and postvention) are required, depending \non the nature and seriousness of the situation. \n1. Student has made suicidal gestures or statements. \nThe BPS Suicide Risk Assessment (SRA) should be initiated \nimmediately if there is concern that a student has thoughts \nabout suicide. The SRA will guide the process for (1) gathering \ninformation about the concern, (2) developing an appropriate \nintervention plan, and (3) documenting both." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 7 of 18 \n \n \n \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Keep the student safe. \na. Supervise the student by ensuring \nthey are in the presence of a staff \nmember. \nb. Call 911 if there is a concern about \nimminent danger. The BEST team \nand / or a safety check may be \nappropriate. \n2. Notify the school administrator. \n3. Report the situation to the designated \nschool leader(s). \nHead of \nSchool/Principal \nor Designee \n1. Continue the support initiated by the \nstaff person. \n2. Contact the parent/guardian and request \ntheir immediate presence. \n3. Consult with the appropriate members of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 14, + "content": "3. Consult with the appropriate members of \nthe school\u2019s student success team (SST), \nsuch as the nurse, school psychologist, \nsocial worker, student support \ncoordinator, etc. \n4. Identify the professionals completing the \nSRA. The SRA must be conducted: \na. In the student\u2019s preferred language \nb. By at least TWO people, one of \nwhich must be a BPS employed \nprofessional and a licensed mental \nhealth professional. If these" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 8 of 18 \n \n \n \nindividuals are not available at the \nschool, please call the Office of \nSocial Work at 617-971-8292. \n5. Use of the Boston Emergency Services \nTeam (BEST) should be considered (1-800-\n981-4357). The parent/guardian may also \nopt to take the student to a nearby BEST \ncommunity clinic. \n6. Submit reports as required. \nBPS employed \nprofessional and \na licensed mental \nhealth \nprofessional \n1. Complete the BPS Suicide Risk \nAssessment and determine the level of \nrisk. \n2. Work with the student to create a \nStudent Safety Plan \n3. Identify appropriate supportive services \nand list them in the intervention plan at" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 16, + "content": "and list them in the intervention plan at \nthe end of the SRA document. \na. Possible High-Risk Interventions: \ni. Guardian takes their student for \nimmediate intervention with a \nhealth care provider. \nii. Guardian and/or school to \ncontact BEST team at 1-800-\n981-4357. \niii. Contact BPS School Police at \n617-635-8000. \niv. Call 911 if necessary. \nb. Possible Low Risk Interventions:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 9 of 18 \n \n \n \ni. Guardian to speak with the \nstudent about this incident or \nconcern. \nii. Teacher to monitor student\u2019s \nbehavior and report any \nchanges or concerns. \niii. Referral to outside agencies \nfor support \niv. Referral to Student Success \nTeam or other school-based \nsupports \n4. Scan and upload a copy of the completed \nintervention plan and signature page, \nalong with the student safety plan to \nAspen. Retain SRA interview pages in a \nclinical file in an agreed upon location in \nyour school. \n5. Share the Student Safety Plan with \nparents/caregivers and all appropriate \nschool-based personnel and community-\nbased partners." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 18, + "content": "based partners. \n6. Create a re-entry plan for students when \nthey return to school." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 10 of 18 \n \n \n \nParent / Family \nCollaboration \nNotify the Student\u2019s Legal Guardian(s) or \nEmergency Contact(s). These may include: \n\uf06f Legal Guardian(s) listed in ASPEN. \n\uf06f Emergency Contact(s) listed in ASPEN. \n\uf06f Legal Guardian(s) has been asked to \ncome to school to discuss the student\u2019s \nneeds. \n\uf06f Record if the Legal Guardian(s) have \nNOT been notified and why they have \nnot been notified. \n\uf06f Share the SRA interview and plan for \nany interventions and collaborate \naround follow-up. \n \n2. Suicide Attempt Has Occurred \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Initiate first aid, if appropriate." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 20, + "content": "Scene \n1. Initiate first aid, if appropriate. \n2. Contact the head of school/principal or \ndesignee (e.g., nurse, social worker, \nschool psychologist). \n3. Contact the school nurse. \n4. Do not leave the person alone. \n5. Remove anything that may enable the \nperson to hurt themself." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 11 of 18 \n \n \n \nSchool Nurse 1. Initiate required medical procedures. \n2. Accompany (or ensure that a staff \nmember accompanies) the student to \nthe hospital. \n3. Remain with the student until the \nparent / caregiver arrives or for as long \nas possible. \n4. Inform the building administrator of the \nstudent\u2019s condition. This includes \ninforming the administrator when the \nstaff member is leaving the hospital. \nHead of \nSchool/Principal \nor Designee \n1. Initiate the procedures in \nSuperintendent\u2019s Circular, FSE-05 \nMedical Emergency Management \n2. Contact the legal guardian and inform \nthem of the situation and the hospital to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 22, + "content": "them of the situation and the hospital to \nwhich the student is being taken, if \napplicable. \n3. Accompany the student to the hospital, \nif applicable \n4. Contact the Superintendent\u2019s Office \n(617-635-9055) to report the incident. \n5. Complete required reports." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 12 of 18 \n \n \n \n3. Postvention \nStructures and protocols to address school need after a \ncompleted suicide. \nPostvention should be tailored to a specific situation, handled \ncase by case by your school's mental health staff and the crisis \nteam. Call your assigned District Social Worker or the Director of \nSocial Work, Jenna Parafincczuk at 617-971-8292 \nPerson Responsible Response Protocol \nHead of \nschool/Principal or \nDesignee \nCall and notify your assigned District \nSocial Worker for assistance in \nplanning and carrying out Postvention \nsteps for ensuring safety and \naddressing the psychological needs of \nstudents and staff." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 24, + "content": "students and staff. \nRELEASING STUDENTS TO PARENT/CAREGIVER \nThe head of school/principal or designee should release the \nstudent to the parent after: \n\u2022 Providing the parent/caregiver with the name of a medical \nperson, a mental health worker, or a resource agency \n\u2022 Urging the parent to immediately bring the student to that \nperson or agency \n\u2022 Urging the parent to provide the school with any follow-up \ninformation that may be forthcoming from medical or \nmental health personnel in order for the school to better \nprovide for the student \nIf a parent/caregiver or emergency contact cannot be contacted" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 13 of 18 \n \n \n \nafter two hours, Department of Children and Families should be \ncontacted at the hot line (1-800-792-5200) and/or emergency \nmedical procedures should be implemented. Under no \ncircumstances should a child be allowed to go home without a \nparent/guardian. The student should be kept at the school until a \nDCF worker arrives. In these cases, schools should initiate the \nprocedures in Supertintendent\u2019s Circular SUP-20, Child Abuse \nand Neglect Procedures. \nREFERRAL TO EXTERNAL SUPPORT AGENCIES \nIt is recommended that all students, both those \u201cin-crisis\u201d and \nthose who have exhibited or expressed any symptoms of suicide," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 26, + "content": "be referred for support by external agencies with staff trained \nand experienced in providing suicide intervention. \nRETURNING TO SCHOOL \nAll students returning to school after a period of absence are \nrequired to bring notes of explanation/excuse for the absence, \nsigned by the parent/guardian. For students returning to school \nafter emergency treatment for suicide intervention, schools \nshould make all reasonable efforts to obtain documentation from \na medical/mental health provider indicating that the student is \nable and safe to return to school. Failure of the school to receive \nsuch documentation, however, will not be grounds for excluding" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 27, + "content": "the student from school. Those students unable to return for \nmedical or mental health reasons after a crisis situation may \nqualify for services under the provisions of Superintendent\u2019s \nCircular SSS-19 Home and Hospital Instruction. \nAll returning students should report first to the school nurse (or \nother trained student support staff, such as the school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 14 of 18 \n \n \n \npsychologist or social worker), who will take the following \nactions: \n1. Review and file the letter from the medical/mental health \nprovider as part of a confidential health record. \n2. Accompany the student to the homeroom for re-admission. \nEvery effort should be made to do this with sensitivity and to \nmaintain as great a degree of confidentiality as possible. \n3. Inform the head of school/principal of the student\u2019s return. \n4. Bring the case to the school\u2019s SST for review and assignment \nof an internal liaison person. \nThis liaison person will monitor the student\u2019s re-entry and serve" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 29, + "content": "as the person to whom staff should report recurring warning \nsigns. The liaison might be a homeroom or subject area teacher, \na school psychologist, a guidance counselor, the nurse, or other \nmember of the faculty who is trusted by the student. The liaison \nmight also serve as the link with the parent/guardian concerning \nthe student\u2019s status and, with written permission of the \nparent/guardian, serve as a liaison with any external agency staff \nproviding special support to the student." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 15 of 18 \n \n \n \nAPPENDEUM: \nSUICIDE WARNING SIGNS \nWarning signs are indicators that a student may be in danger of \ncommitting suicide and may need urgent help. \nVerbal Behavioral \n\u2022 Talking about and/or \nmaking suicide plans \n\u2022 Talking about and/or \ngathering suicide \nmethods/information \n\u2022 Statements that family \nand friends would not \nmiss them \n\u2022 Expressions of \nhopelessness and/or \nanger at self and the \nworld \n\u2022 Talking about seeking \nrevenge \n\u2022 Talking about feeling \ntrapped or being in \nunbearable pain \n\u2022 Talking about being a \nburden to others \n \n\u2022 Looking for a way to kill \noneself \n\u2022 Increasing the use of \nalcohol or drugs" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 31, + "content": "\u2022 Increasing the use of \nalcohol or drugs \n\u2022 Acting anxious, agitated, \nor restless \n\u2022 Sleeping too little or too \nmuch \n\u2022 Withdrawing or feeling \nisolated \n\u2022 Scratching, cutting, \nmarking body, or other \nself-injurious behaviors \n\u2022 Writing of suicidal notes \nor posting on social media \n\u2022 Making final \narrangements \n\u2022 Giving away prized \npossessions" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 16 of 18 \n \n \n \n\u2022 Reading, writing, and/or \nart about death \n\u2022 Sudden positive behavior \nchange following a period \nof depression \nENVIRONMENTAL WARNING SIGNS \n\u2022 Recent loss through death \n\u2022 Recent loss through suicide \n\u2022 Anniversary of a significant loss \n\u2022 Recent experiences of violence \n\u2022 Justice system involvement \n\u2022 Anniversary of a significant loss" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 17 of 18 \n \n \n \nSUICIDE RISK FACTORS \nRisk factors are characteristics that make it more likely a student \nmight consider, attempt, or die by suicide. \nIndividual Environmental \n\u2022 LGBTQ+ Identity \n\u2022 Substance Abuse \n\u2022 Medication use \n\u2022 History of mental disorders, \nparticularly clinical depression \n(that has not been dx or \ntreated properly) \n\u2022 Prior suicide attempts \n\u2022 Hopelessness / A Burden \n\u2022 Hallucinations \n\u2022 Delusions \n\u2022 Impulsive or aggressive \ntendencies \n\u2022 Cultural and religious beliefs \n(e.g., belief that suicide is noble \nresolution of a personal \ndilemma) \n\u2022 Physical Illness \n\u2022 Unwillingness to seek help \nbecause of the stigma" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 34, + "content": "because of the stigma \nattached to mental health and \nsubstance abuse disorders or \nto suicidal thoughts \n\u2022 Interpersonal conflict \n\u2022 Isolation / aloneness \n\u2022 Parent suicide \nattempts / family \nhistory \n\u2022 Early loss / \nseparation from \nfamily \n\u2022 Cultural sanctions for \nsuicide \n\u2022 Loss (relational, \nsocial, work or \nfinancial) \n\u2022 Local epidemics of \nsuicide \n\u2022 Barriers to accessing \nmental health \ntreatment \n\u2022 Easy to access lethal \nmethods" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular SHS-16 \nPage 18 of 18 \n \n \n \nSUICIDE PROTECTIVE FACTORS \nProtective factors are characteristics that make it less likely that a \nstudent will engage in suicidal behavior. \n\u2022 Effective clinical care for mental, physical, and substance \nabuse disorders \n\u2022 Easy access to a variety of clinical interventions and support \nfor help seeking \n\u2022 Family and community support (connectedness) \n\u2022 Support from ongoing medical and mental health care \nrelationships \n\u2022 Skills in problem solving, conflict resolution, and nonviolent \nways of handling disputes \n\u2022 Cultural and religious beliefs that discourage suicide and \nsupport instincts for self-preservation" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 36, + "content": "support instincts for self-preservation \nFor more information about this circular, contact: \nOwner: Director of Social Work, Division of Student \nSupport \nDepartment: Social Work \nMailing Address: 205 Roxbury Street, Roxbury, MA 02119 \nPhone: 617-971-8292 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-24 \nVersion 01 \n \nDIAPERING AND TOILETING ACCIDENTS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nToilet training typically occurs between 18 months and 3\u00bd years \nof a child\u2019s developmental stage. \nIndividuals with disabilities may face more significant obstacles \nwith toilet training than persons without diagnosed disabilities. \nThis may be partly due to the individual\u2019s challenges with \ncommunication, medicines, social interaction, sensory sensitivity, \nor making changes in their routine. \nEven for individuals without disabilities, toilet training can" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 2, + "content": "present both the caregiver and child with obstacles to immediate \nsuccess, and most children will continue to have toileting \naccidents well beyond the time they stop wearing diapers. \nPOLICY STATEMENT \nThe Boston Public Schools acknowledges that toileting \nprocedures should be planned based on individual children\u2019s \nneeds and be culturally appropriate according to the children\u2019s \nfamilies\u2019 needs and beliefs. The Boston Public Schools staff will be \naware of the diverse styles of toileting students due to cultural or \nreligious practices. Program staff will use a variety of formal and \ninformal strategies (including conversations) to become" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-24 \nPage 2 of 6 \nacquainted with and learn from families about their preferred \nchild-rearing practices, including toilet training. \nThe Boston Public Schools will be aware of and accommodate \nthe need to maintain privacy for toileting and dressing. \nBoston Public Schools staff will interact in a positive manner \nduring toileting procedures and support students in developing \ntheir self-help in this area. \nDIAPERING PROCEDURES \nToileting accidents and diaper changing will ONLY be handled by \na classroom teacher, classroom paraprofessional, and/or other \nadult designated by the school principal. Parents will not be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 4, + "content": "required to change diapers and volunteers will not change \ndiapers and/or assist with toileting at the school site during \nschool hours. \nEach school year, the principal will complete and sign off on a \nform that states in writing who is designated to help students \nwith toileting and changing diapers and who will help children \nwith toileting accidents (see attached form). \nIt is not the responsibility of the school nurse to assist with \ntoileting and diaper changes, except for caring for students who \nhave an ostomy/colostomy, require urinary catheterization, or \nhave other genito-urinary diagnosis." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular SHS-24 \nPage 3 of 6 \nStaff will follow these diapering procedures: \n\u25cf Staff to assess children for signs that diapers or pull-ups are \nwet or contain feces at least every two hours when children \nare awake and when children awaken from a rest period. \n\u25cf Diapers are changed when wet or soiled. \n\u25cf Children wearing cloth or disposable training pants and \nchildren who have accidents. \n\u25cf Changing should be initiated within 5 minutes of discovery \nthat they are wet or soiled unless circumstances clearly \nmake it unreasonably difficult to do so. \n\u25cf Staff will change children\u2019s diapers or soiled underwear in \nthe designated changing areas and not elsewhere in the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 6, + "content": "facility. \nIn the changing area, staff post and follow these procedures for \nchanging diapers or pull-ups: \n\u25cf At all times, caregivers have a hand on the child to ensure \nsafety is maintained when the child is being changed on an \nelevated surface. \n\u25cf Bring supplies (e.g., clean diaper, wipes, diaper cream, \ngloves, plastic or waterproof bag for soiled clothing, extra \nclothes) to the diapering/changing area. \n\u25cf Diaper cream (provided by the family): if used, dispense it \nonto a tissue and/or cotton ball and cover the diaper \nchanging surface with disposable liner (paper or chuck). \n\u25cf Put on gloves." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SHS-24 \nPage 4 of 6 \n\u25cf Changing table, if used: place the child on a diapering \nsurface and unfasten diaper. Keep one hand on the child at \nall times. \n\u25cf Clean the child with disposable wipes. Always wipe front to \nback. \n\u25cf Keep soiled diapers/clothing away from any surfaces that \ncannot be easily cleaned. \n\u25cf Securely bag soiled clothing. \n\u25cf Place used wipes in the soiled diaper or pull-up. \n\u25cf Put the soiled diaper/pull-up into two plastic bags and tie up \nthe bags. \n\u25cf Discard the bags with the soiled diaper/pull-up and wipes in \nthe covered trash can. \n\u25cf Remove and discard gloves. \n\u25cf Apply diaper cream, if needed, with a tissue and/or cotton" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 8, + "content": "ball or a freshly gloved finger. \n\u25cf Put on a fresh diaper or help the child put on a fresh pull-up \nor clean clothes. \n\u25cf Help the child to get dressed. Wash the child\u2019s hands with \nsoap and water and place them in a safe, supervised area. \n\u25cf When a diaper changing table is used: \no Remove liner from the changing surface and discard in \nthe trash can. \no Wipe up any visible soil with damp paper towels or a \nbaby wipe. \no Clean the entire surface with disinfectant. \no Wash your hands with soap and water." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SHS-24 \nPage 5 of 6 \nRESOURCES \n\u25cf BPS Department of Early Childhood \n\u25cf BPS Department of Special Education \n\u25cf NAEYC Early Learning Program Accreditation Standards \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SHS-24 \nPage 6 of 6 \n \nAdults Designated to Change Diapers, Assist Students with \nToileting, and/or Assist Children with Toileting Accidents \nSchool: \nSchool Year: \nName 1: \nPosition: \nName 2: \nPosition: \nName 3: \nPosition: \nName 4: \nPosition: \n \nPrincipal Signature: \nDate:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-21 \nVersion 01 \n \n \n \nDIABETES POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nDiabetes is a chronic disease in which the body does not make or \nproperly use insulin. Insulin is a hormone produced by the \npancreas that is needed to convert sugar and starches into \nenergy for the body. People with diabetes have increased blood \nglucose (sugar) levels because they lack or have insufficient \ninsulin or are resistant to insulin\u2019s effects. High levels of glucose \nbuild up in the blood and spill into the urine; as a result the body \nloses its main source of fuel." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 2, + "content": "loses its main source of fuel. \nThere are many types of diabetes that affect children. The most \ncommon types seen in school settings include: \n\u2022 Type 1 (formerly called \u201cInsulin-Dependent\u201d or \u201cJuvenile-\nOnset\u201d) Diabetes Mellitus: This type of diabetes is considered \na disease of the immune system because the immune \nsystem destroys the cells in the pancreas that produce the \nhormone insulin. People with type 1 diabetes must inject \ninsulin every day because their bodies cannot produce \ninsulin. It needs to be injected under the skin to be \nabsorbed; it cannot be taken by mouth because it would not \nbe effective. \n\u2022 Type 2 (formerly called \u201cNon-Insulin Dependent\u201d or \u201cAdult-" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 2 of 13 \n \n \n \nOnset\u201d) Diabetes Mellitus: People with type 2 diabetes \nproduce insulin, but the cells of the body do not respond \nnormally to the insulin. This is referred to as insulin \nresistance. Type 2 diabetes can often be managed with diet \nand exercise, but some students also need medications \ntaken by mouth (oral hypoglycemic agents), insulin \ninjections, or both to help glucose enter their cells. \n\u2022 Pre-Diabetes: Pre-diabetes is a condition in which blood \nglucose levels are higher than normal, but not yet high \nenough to be classi\ufb01ed as diabetes. Before people develop \ntype 2 diabetes, they almost always have pre-diabetes." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 4, + "content": "\u2022 Gestational Diabetes (may affect teens who are pregnant): \nGestational diabetes results from pregnancy hormones that \ncause the body to become resistant to its own insulin. \nDiabetes is the third most common chronic health disease \naffecting an estimated 2.22/1,000 children and adolescents \naccording to The Search for Diabetes in Youth (SEARCH) Study \n(Pettitt et al., 2014). Children and adolescents are defined as \nyouth under the age of 20 years. In 2009, approximately 191,986 or \none in 433 youth with diabetes lived in the U.S. From these, 87% \nhave type 1 diabetes and 11% have type 2 diabetes (Pettitt et al., \n2014). In the years 2008 to 2009, 18,436 youth were newly" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 5, + "content": "diagnosed with type 1 diabetes and 5,089 youth were newly \ndiagnosed with type 2 diabetes (Centers for Disease Control and \nPrevention [CDC], 2014). As the sixth leading cause of death by \ndisease in the United States, long-term complications of diabetes \ninclude heart disease, stroke, blindness, kidney failure, nerve \ndisease, gum disease, and amputation of the foot or leg. \nAlthough there is no cure, diabetes can be managed, and \ncomplications can be delayed or prevented." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 3 of 13 \n \n \n \nAdvances in diabetes technology continue to enhance students' \nability to manage diabetes at school, thus improving their quality \nof life. Children and adolescents monitor blood glucose levels \nseveral times a day via blood glucose meters and continuous \nglucose monitors, conduct carbohydrate calculations, and inject \ninsulin via syringe, pen, and pump to attain blood glucose control \n(Brown, 2016). Intensive resources and consistent evidenced-\nbased interventions will achieve the long-term health benefits of \noptimal diabetes control, according to the landmark study from \nthe Diabetes Control and Complications Trial Research Group" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 7, + "content": "(DCCT, 1993). \nCoordination and collaboration among members of the school \nhealth team and the student\u2019s personal diabetes health care \nteam are essential for helping students manage their diabetes in \nthe school setting. Members of the school health team include \nthe student with diabetes, parents/guardians, school nurse, \nteacher(s), school leader, COSES, social worker, coach, physical \neducation teacher, food service staff, and other school staff \nmembers. In addition, it is essential for team members to \nunderstand the federal and state laws that may apply to students \nwith diabetes, including Section 504 of the Rehabilitation Act of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 8, + "content": "1973, the Americans with Disabilities Act, and the Individuals with \nDisabilities Education Act. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n\u2022 Provide a safe and healthy learning environment for all \nstudents \n\u2022 Protect the rights of students with diabetes to participate in \nall school activities" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 4 of 13 \n \n \n \n\u2022 Ensure proper medical management and safety of the \nstudent, minimizing the possibility that diabetes related \nemergencies might disrupt their educational and classroom \nactivities \n\u2022 Facilitate self-management so that the student may \ngradually assume responsibility for their care \n\u2022 Reduce the likelihood of severe or potentially life-\nthreatening diabetic emergencies during school \n\u2022 Ensure a rapid and effective response in the case of a severe \nor potentially life threatening diabetic emergency \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 10, + "content": "paraprofessionals, food service staff, school leaders, support staff, \nand student interns/teachers. Coordination and collaboration \namong members of the school health team and the student\u2019s \npersonal diabetes health care team are essential for helping \nstudents manage their diabetes in the school setting. \nEducation and training for key personnel by the school nurse will \ninclude: \n\u2022 an overview of diabetes \n\u2022 signs and symptoms of diabetes, including \nhyper/hypoglycemia \n\u2022 role and responsibilities in prevention and reducing risks \n\u2022 recognizing and responding to a diabetic emergency \n\u2022 review of the student\u2019s Individual Health Plan (IHP) and \nDiabetes Emergency Action plan" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 5 of 13 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent/Guardian \n\u2022 At the time of registration, inform the Welcome Center staff \nof any health concerns of their child, including Type 1 \nDiabetes. The Health Services Department remains \navailable to support any student or parent/guardian wishing \nto discuss this information privately. \n\u2022 Provide the school nurse with a current diabetes medical \nmanagement plan and emergency management plan from \nthe student\u2019s endocrinologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child\u2019s plan." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 12, + "content": "discuss their child\u2019s plan. \n\u2022 Actively participate with the school nurse in creating an \nindividualized healthcare plan for school that supports the \nstudent\u2019s medical, educational, and developmental needs \n\u2022 Provide the school nurse with the necessary supplies \nneeded to care for the student during the school day: \ninsulin, glucometer, glucagon, syringes, etc. In the case of an \ninsulin pump: extra insulin delivery catheter, insulin, insulin \nreceptacle. \n\u2022 Provide the school nurse with the carbohydrate count for \neach item when lunch or snack is brought from home. \n\u2022 Provide current contact information including cell phone \nnumbers (if available), emergency numbers, and at least two" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 13, + "content": "back up numbers to call if parents/guardians are not \nreachable. \n\u2022 Educate after-school activities personnel about the diabetic \nmanagement plan and provide a plan as necessary." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 6 of 13 \n \n \n \nRole of the School Administrator \n\u2022 Facilitate diabetes management training for school \npersonnel. \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the Diabetes Management Plan. \n\u2022 Identify all staff members who have responsibility for the \nstudent with diabetes throughout the school day and \nduring school-sponsored extracurricular activities and field \ntrips. \n\u2022 Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel. \n\u2022 Ensure that the classroom staff have been trained in an \noverview of diabetes, how to recognize and respond to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 15, + "content": "hypoglycemia and hyperglycemia and the steps to take in \nthe event of an emergency. \n\u2022 Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Promote a supportive learning environment for students \nwith diabetes to manage their diabetes safely and \neffectively at school. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g. necessity for \nnursing support during the field trip). \n\u2022 Understand the federal and state laws that may apply to \nstudents with diabetes, including Section 504 of the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 16, + "content": "Rehabilitation Act of 1973, the Americans with Disabilities" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 7 of 13 \n \n \n \nAct, and the Individuals with Disabilities Education Act. \nRole of the School Nurse: \n\u2022 Obtain and review the student\u2019s current Diabetes Medical \nManagement Plan (DMMP) along with other pertinent \ninformation from the student\u2019s parents/guardians and \nhealth care providers. \n\u2022 Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n\u2022 Develop an Individualized Health Care Plan (IHP). Promote \nand encourage independence and self-care consistent with \nthe student\u2019s ability, skill, maturity, and development as \nindicated in the DMMP. After reviewing the IHP with the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 18, + "content": "parents/guardians and student, implement, review, and \nupdate the plan throughout the school year as needed. \n\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, athletics, and field trips that \nprovides for routine and emergency care. These would \ninclude blood glucose monitoring; urine/blood ketone \ntesting; insulin administration; glucagon administration; and \nassistance with carbohydrate counting. \n\u2022 Perform or assist the student with routine and emergency \ndiabetes care tasks, including blood glucose monitoring, \nurine or blood ketone testing, insulin and other medication \nadministration, carbohydrate counting, and glucagon \nadministration." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 19, + "content": "administration. \n\u2022 Maintain accurate documentation in the electronic health \nrecord of all diabetes care provided at school. Document \ncommunications with the student, the parents/guardians," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 8 of 13 \n \n \n \nand the student\u2019s personal diabetes health care team, and \ndocument communications related to the training and \nsupervision of trained diabetes personnel. \n\u2022 Ensure that all other staff members who have contact with \nstudents with diabetes are familiar with their Individual \nHealth Care Plans (IHPs) on a need-to-know basis. \n\u2022 Provide a list of students with diabetes (if consent given by \nparent) to all staff on a need-to-know basis, including bus \ndrivers. \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding a student\u2019s symptoms; risk reduction \nprocedures; emergency procedures; and appropriate" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 21, + "content": "responses to symptoms of diabetic emergencies. This \nincludes PE instructors and coaches. This training should be \nrepeated annually or when a student transfers classrooms or \nschools. \n\u2022 Ensure that there is a contingency plan in place for all \nschool-related venues where substitutes are utilized. \n\u2022 Encourage the students to eat all meals and snacks fully and \non time. Be flexible with time requirements for eating and \nprovide the parent or guardian with the carbohydrate \nmenu. \n\u2022 Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n\u2022 Participate in the teams that develop and implement the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 22, + "content": "student\u2019s Section 504 Plan, other education plan, or \nindividualized education program. Contribute to IEP, and \n504 implementation of diabetes related issues, where" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 9 of 13 \n \n \n \nappropriate. \n\u2022 Communicate with the student\u2019s parents/guardians and\u2014\nwith their permission\u2014communicate with the student\u2019s \npersonal diabetes health care team about progress as well \nas any concerns about the student\u2019s diabetes management \nor health status, such as hypoglycemia episodes, \nhyperglycemia, general attitude, emotional issues, and self-\nmanagement. \nRole of the Coordinator of Special Education (COSE): \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate. The parent/guardian, school \nnurse and other school staff must be involved in the plan" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 24, + "content": "development and implementation. \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam will consider transportation needs (team will include \nschool nurse). If special transportation is found to be \nnecessary, it can be added to the IEP. \n \nRole of the Teacher \n\u2022 Have a list of all students in the classroom with chronic \ndiseases, including diabetes." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 10 of 13 \n \n \n \n\u2022 Participate in team meetings for students with diabetes and \nparticipate in in-service training provided by the school \nnurse. \n\u2022 Be prepared to respond immediately to the signs and \nsymptoms of hypoglycemia (low blood glucose) and \nhyperglycemia (high blood glucose), in accordance with the \nstudent\u2019s Emergency Care Plans for Hypoglycemia and \nHyperglycemia. \n\u2022 Keep accessible the student\u2019s emergency plan with a photo \n(where possible) in the classroom (with parent's permission) \nor keep with the lesson plan. \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the student\u2019s condition both" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 26, + "content": "through verbal communication and in an organized, \nprominent, and accessible written format. \n\u2022 Recognize that eating meals and snacks on time is a critical \ncomponent of diabetes management. \n\u2022 Coordinate with parent/guardian to provide lesson plans to \naccommodate any learning needs. \n\u2022 Support the student in participating in all school-sponsored \nactivities. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips \nto ensure adequate planning time for supports. \n\u2022 Notify the school nurse and parents/guardians in advance of \nchanges in the school schedule, such as class parties, field \ntrips, and other special events." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 11 of 13 \n \n \n \nRole of Physical Education Teacher and Coaches \n\u2022 Have a list of all students in their charge who have diabetes. \n\u2022 Coaches will be told of any students on their teams who \nhave diabetes through review in ASPEN/Sports Clearance, \nand will be trained in identification of symptoms of diabetes \nemergencies. \n\u2022 Participate in in-service training about diabetes as needed. \n\u2022 Keep accessible the student's emergency plan with a photo \n(where possible) in the specific venue (with parent's \npermission). \n\u2022 Allow students with diabetes to wear their insulin pump \nand/or sensor and medical ID during physical activity." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 28, + "content": "\u2022 Designate a safe place for students to keep their diabetes \nsupplies, including their insulin pump, if they remove it \nduring physical activity. \n\u2022 Make sure blood glucose monitoring equipment and a \nquick-acting form of glucose are available at all activity sites. \n\u2022 Include the student\u2019s Emergency Care Plans for \nHypoglycemia and Hyperglycemia and diabetes supplies in \nthe first aid pack that goes out to physical education \nactivities, practices, and games. \n\u2022 Allow the student to monitor blood glucose levels and/or \nadminister insulin, as outlined in the student\u2019s health care \nplans and education plans. \n\u2022 Recognize that a change in the student\u2019s behavior could be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 29, + "content": "a symptom of blood glucose changes. \n\u2022 Understand and be aware that hypoglycemia (low blood \nglucose) can occur during and after physical activity." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 12 of 13 \n \n \n \n\u2022 Inform substitutes about the student\u2019s diagnosis and the \nsigns and symptoms of hyper or hypoglycemia. \nRole of Food Services \n\u2022 Work with health services to provide access to carbohydrate \nmenus to parents and school nurses and assist in \ncarbohydrate counting activities. \n\u2022 Make available and maintain current food labels for all meal \nplans. Provide nutrition information on all menu items and a \nla carte items to the school staff and parents/guardians. \nRole of the Office of Transportation \n\u2022 Provide training for all bus monitors for medical \nemergencies, including but not limited to Heartsaver \nCPR/AED, Heartsaver First Aid." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 31, + "content": "CPR/AED, Heartsaver First Aid. \n\u2022 Know local EMS (Emergency Medical Services) procedures. \n\u2022 Have functioning communication equipment to access EMS \n\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \n\u2022 Encourage 1:1 communication between bus monitors and \nschool-based staff as well as between bus monitors and \nparents/guardians. \nRole of the School Bus Company \n\u2022 Provide training for all bus drivers for medical emergencies, \nincluding but not limited to Heartsaver CPR/AED and \nHeartsaver First Aid." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular SHS-21 \nPage 13 of 13 \n \n \n \n\u2022 Know local EMS (Emergency Medical Services) procedures. \n\u2022 Have functioning communication equipment to access EMS. \n\u2022 Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \nREFERENCES \n\u2022 Massachusetts | ADA \n\u2022 Diabetes Management in the School Setting \n\u2022 Diabetes | Healthy Schools | CDC \n\u2022 Diabetes Care Tasks at School | ADA \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 33, + "content": "02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-11 \nVersion 01 \n \n \n \n LIFE-THREATENING ALLERGIES (LTA OR ANAPHYLAXIS) \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY \nThe Massachusetts Department of Education recommends that \nall school districts have policies and protocols regarding the care \nof students with life-threatening food allergies. This is in addition \nto 2012, c.77, An Act Relative to Medical Emergency Response \nPlans for Schools, requiring local school districts to develop \nefficient written medical response plans for responding to life-\nthreatening emergencies. \n \nMassachusetts Department of Public Health Regulations" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 2, + "content": "governing the Administration of Prescription Medications in \nPublic and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) \nauthorize school personnel who are trained and tested for \ncompetency to administer epinephrine by auto-injector to \nindividuals with previously diagnosed life-threatening allergies \nwho are experiencing an anaphylactic event. School districts \nmust be registered with the Massachusetts Department of Public \nHealth for this purpose." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 2 of 10 \n \n \n \nBACKGROUND ON ANAPHYLAXIS \nAnaphylaxis is a sudden, severe, potentially fatal, systemic allergic \nreaction that can involve various areas of the body (such as the \nskin, respiratory tract, gastrointestinal tract, and cardiovascular \nsystem). Symptoms occur within minutes to two hours after \ncontact with the allergy-causing substance, but in rare instances \nmay occur up to four hours later. Anaphylactic reactions can be \nmild to life-threatening. The annual incidence of anaphylactic \nreactions is about 30 per 100,000 persons, and individuals with \nasthma, eczema, or hay fever are at a greater relative risk of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 4, + "content": "experiencing anaphylaxis. The most common allergens in \nchildren are food and bee-sting. \nBecause of the life-threatening nature of this condition, it is \nimportant for schools to develop and implement care plans for all \nchildren identified with life-threatening allergic reactions. \nThe Massachusetts Department of Public Health regulations \nprovides for the administration of epinephrine by auto-injector by \nnon-medical personnel who have been trained by the school \nnurse in the administration of epinephrine by auto-injector \ndelivery. In consultation with the school physician, the school \nnurse leader has the final decision-making authority about the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 5, + "content": "program, which must be in accordance with MA DPH standards. \nThis includes school-sponsored programs as well as before and \nafter school when a nurse is not immediately available. \nThe Boston School Committee, as part of the Superintendent's \nCircular SHS-08 Medication Administration, has approved the \ntraining of administration of epinephrine by auto-injector for \nstudents with identified allergies under the supervision of the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 3 of 10 \n \n \n \nschool nurse. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n\u2022 Provide a safe and healthy learning environment for all \nstudents \n\u2022 Protect the rights of students with food allergies to \nparticipate in all school activities \n\u2022 Reduce the likelihood of severe or potentially life-\nthreatening allergic reactions during school \n\u2022 Ensure a rapid and effective response in the case of a \nsevere or potentially life-threatening allergic reaction. \n \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers, \nparaprofessionals, food service staff, school leaders, support staff," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 7, + "content": "and student interns/teachers. \nEducation and training by the school nurse will include: \n\u2022 Identification of potential food allergens \n\u2022 Role and responsibilities in the prevention and reducing \nrisks \n\u2022 Recognizing allergic reactions \n\u2022 Responding to an allergic reaction \n\u2022 How to administer an epinephrine auto-injector \n(EpiPen\u00ae)." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 4 of 10 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent: \n\u2022 Inform the school nurse if their child has a Life-\nThreatening Allergy (with specific information regarding \nthe allergen (i.e. food types, insect, medication)) \n\u2022 Provide the school with a list of allergens, the Individual \nHealth Plan (IHP) (preferably with a Food Allergy action \nplan, where appropriate), and a physician order for \nepinephrine auto-injector administration \n\u2022 Provide physician/provider documentation regarding \nallergy, diagnosis and treatment \n\u2022 Work with the school nurse, school leader, and classroom \nteacher to develop and implement the Allergy Action Plan" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 9, + "content": "+/or IHP for ensuring that their child is safe from potential \nallergens \n\u2022 Provide an epinephrine auto-injector(s) and other \nphysician-ordered emergency medication if indicated to \nthe school nurse \n\u2022 Sign release of information/permission for identified \nschool staff to have information about their child\u2019s allergy \n\u2022 Provide current contact information, including emergency \ncontacts \n\u2022 Ensure that the pre-school and after-school staff have the \nappropriate information." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 5 of 10 \n \n \n \nRole of the School Administrator: \n\u2022 Support training for school staff, provided by the school \nnurse at the beginning of every school year and as needed \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the LTA (Life-Threatening Allergy) program \n\u2022 Consider a school-wide policy, with input from the School \nSite Council, for avoiding LTA's wherever possible (i.e., \npeanut-free zones, no food at functions, etc.) \n\u2022 Provide emergency communication devices (two-way \nradio, intercom, walkie-talkie, cell phone) for all school \nactivities, including transportation, that involve a student \nwith life-threatening allergies" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 11, + "content": "with life-threatening allergies \n\u2022 Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel \n\u2022 Ensure that 911/EMS is activated (in the event of an \nexposure). \nRole of the School Nurse: \n\u2022 Provide training at least annually (beginning of school \nyear) for school staff that will include information on food \nallergies, risk reduction procedures, how to recognize an \nallergic reaction, and how to respond in the event of an \nallergic reaction, including the use of an epinephrine auto-\ninjector. Training will include a return demonstration by \nschool staff on the administration of an epinephrine auto-\ninjector." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 12, + "content": "injector. \n\u2022 Obtain an Individual Health Plan (IHP) from the \nfamily/primary care provider (this should include the \nspecifics about a food allergy action plan) \n\u2022 Develop a plan for child management in the classroom," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 6 of 10 \n \n \n \nlunchroom, playground, field trips, and emergency \nsituations \n\u2022 Ensure that all other staff members who have contact \nwith students with life-threatening allergies (LTAs) are \nfamiliar with their IHPs on a need-to-know basis \n\u2022 Provide a list of students with life-threatening allergies (if \nconsent is given by parent) to all staff on a need-to-know \nbasis (including transportation staff) \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding a child's life-threatening allergens, \nsymptoms, risk reduction procedures, emergency \nprocedures, and how to administer an epinephrine auto-\ninjector" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 14, + "content": "injector \n\u2022 Post general emergency protocol and location of an \nepinephrine auto-injector; Epinephrine should not be \nlocked away but should be available to school staff in a \nsecure location and must be readily available for use in an \nemergency situation \n\u2022 Ensure that all IHPs for children with LTAs are readily \navailable for transport with EMS \n\u2022 Ensure that there is a contingency plan in place in all \nschool-related venues where substitutes are utilized \n\u2022 Communicate with parents on a regular basis to discuss \nissues relating to the plan \n\u2022 In the event of epinephrine auto-injector administration, \ncomplete the Massachusetts Department of Public" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 15, + "content": "complete the Massachusetts Department of Public \nHealth\u2019s epinephrine auto-injector administration form \nand alert Health Services \n \nRole of the Teacher:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 7 of 10 \n \n \n \n\u2022 Receive training at least annually to recognize symptoms \nof allergic reaction and to understand their role as a \nresponder in the event of an allergic reaction; including \nthe use of an epinephrine auto-injector (i.e.EpiPen\u00ae) \n\u2022 Collaborate with the school nurse and parent/guardian to \ndevelop and implement a plan for ensuring that their child \nis safe from potential allergens, including field trips, \nclassroom festivities, arts & crafts activities, and cafeteria \nmanagement \n\u2022 Maintain a list of all students in the classroom with LTA; \ninclude the list in the substitute teacher folder" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 17, + "content": "\u2022 Participate in a team meeting for a child with life-\nthreatening allergies and in-service training about LTAs \n\u2022 Keep accessible the child's emergency plan with a photo \n(where possible) in the classroom (with parent's \npermission) or keep with the lesson plan \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's food/other allergies \nand necessary safeguards by both verbal communication \nand in an organized, prominent, and accessible written \nformat \n\u2022 Coordinate with the parent on providing a lesson plan \nabout food allergies for the class and discuss anaphylaxis \nin age-appropriate terms, with the child's permission" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 18, + "content": "\u2022 Remind students never to share or trade food \n\u2022 Inform parents about events involving food \n\u2022 Provide the school nurse 4-6 weeks in advance with dates \nfor field trips & school-sponsored off-site activities \n\u2022 Discuss with the parent the process for ensuring before \nand after school continuity of access to epinephrine auto-\ninjector administration and allergen reduction." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 8 of 10 \n \n \n \nRole of Off-site Staff (Athletics): \n\u2022 Maintain a list of all students in their charge who have LTA \n\u2022 Athletic coaches will be informed via review of sports \nclearances in ASPEN of any students on their teams who \nhave LTAs \n\u2022 Coaches will participate in training at the school level that \nwill include information on Life-Threatening Allergies, risk \nreduction procedures, how to recognize an allergic \nreaction, and how to respond in the event of an allergic \nreaction, including the use of an epinephrine auto-injector \nand return demonstration \n\u2022 Encourage these students to carry the epinephrine auto-" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 20, + "content": "injectors to all practices and events \n\u2022 Ensure the off-site staff has knowledge of the child with \nthe allergy, their specific allergy, and symptoms that they \nmay suffer during a reaction: \no Ensure that the off-site staff knows to call 911 or \nother emergency numbers and request an \nAdvanced Life Support unit if a reaction occurs. \no Allow a responsible child to carry their own \nepinephrine auto-injector in their backpack. \n\u2022 Keep accessible the child's emergency plan in the specific \nvenue (with parent's permission) \n\u2022 Inform substitutes about the child's food/other allergies \nand necessary safeguards by both verbal communication" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 21, + "content": "and in an organized, prominent, and accessible written \nformat. \nRole of Food Services: \n\u2022 Provide a food preparation environment that follows" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 9 of 10 \n \n \n \nsound food handling to avoid cross-contamination and \nprocedures to address food-allergic students \n\u2022 Ensure all food service staff are able to recognize \nsymptoms of allergic reaction and to understand their \nroles as a responder in the event of an allergic reaction; \nincluding the use of an epinephrine auto-injector. \nRole of the School Transportation Company: \n\u2022 Provide training for all bus drivers on managing life-\nthreatening allergies \n\u2022 Be familiar with local EMS procedures \n\u2022 Have functioning communication equipment to access \nEMS \n\u2022 Maintain a policy of \u201cNo food/drink consumed on the bus\u201d." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 23, + "content": "Details of management and all necessary forms are available in \nthe Nurses\u2019 Protocol and Procedure Manual (available to BPS \nSchool Nurses) \n\u2022 Managing Food Allergies in Schools The Role of School \nTeachers and Paraeducators \n\u2022 FAACT Education for School Personnel \n \nREFERENCES \nMass.gov Report epi-pen administration \nMass.gov School Health Services: Medication Administration" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular SHS-11 \nPage 10 of 10 \n \n \n \nSummary of significant dates and deadlines: \nDate Activity \nSeptember 2024 \nAll staff should have a Life-Threatening Allergy \nreview & epinephrine auto-injector demonstration \nby the school nurse \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-06 \nVersion 01 \n \n \n \nIMMUNIZATION LAW \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTHE IMMUNIZATION REGULATIONS \nIt is the policy of the Boston Public Schools to enforce the School \nImmunization Law, Chapter 76, Section 15, of the Massachusetts \nGeneral Laws: \n\u201cNo child shall, except as hereinafter provided, be admitted to \nschool except upon presentation of a physician's certificate that \nthe child has been successfully immunized against diphtheria, \npertussis, tetanus, measles and poliomyelitis and such other \ncommunicable diseases as may be specified from time to time by" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 2, + "content": "the department of public health. A child shall be admitted to \nschool upon certification by a physician that he has personally \nexamined such child and that in his opinion, the physical \ncondition of the child is such that his health would be \nendangered by such vaccination or by any of such \nimmunizations. Such certification shall be submitted at the \nbeginning of each school year to the physician in charge of the \nschool health program. If the physician in charge of the school \nhealth program does not agree with the opinion of the child's \nphysician, the matter shall be referred to the department of \npublic health, whose decision will be final. In the absence of an" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 3, + "content": "emergency or epidemic of disease declared by the department of \npublic health, no child whose parent or guardian states in writing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular SHS-06 \nPage 2 of 6 \n \n \n \nthat vaccination or immunization conflicts with his sincere \nreligious beliefs shall be required to present said physician's \ncertificate in order to be admitted to school.\u201d \n \nMCKINNEY-VENTO HOMELESS ASSISTANCE ACT \nUnder the McKinney-Vento Homeless Assistance Act, state and \nlocal educational agencies must ensure that homeless children \nand youths have equal access to the same free, appropriate \npublic education, including a public preschool education, as \nprovided to other children and youths. Children and youth who \nare homeless are to be enrolled in school, even if the child or" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 5, + "content": "youth is unable to produce records normally required for \nenrollment, such as previous academic records, medical records, \nproof of residency, or other documentation. If the child or youth \nneeds to obtain immunizations, or immunization or medical \nrecords, the enrolling school shall immediately refer the parent or \nguardian of the child or youth to the local educational agency \nliaison who shall assist in obtaining necessary immunizations or \nmedical records. \n \nPROTOCOL FOR ENFORCING IMMUNIZATION REQUIREMENTS \nNew students, during the priority registration period: \n\u25cf Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 6, + "content": "for school at all Welcome Center locations. \n\u25cf It is preferred that all students be up to date with all state-\nrequired immunizations at the time of registration for the \nupcoming school year. If the child\u2019s medical appointment" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular SHS-06 \nPage 3 of 6 \n \n \n \nfalls between the priority registration period and September \nof the upcoming school year, the parent must provide a \nvalid appointment card with all the following information on \nit: \no registering student\u2019s full name \no registering student\u2019s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student\u2019s appointment for \nvaccination and/or physical exam \n\u2022 If the student does not have the appropriate immunizations \nduring the priority registration period, the student will be \nregistered but will not be allowed to attend until the \nimmunization documents are submitted to either the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 8, + "content": "Welcome Center or the student\u2019s assigned school prior to \nthe start of school. \n\u2022 The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nNew students, current rolling registration: \n\u2022 Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations. \n\u2022 All students must have all state-required immunizations at \nthe time of registration in order to attend school during the \ncurrent school year. In the event the child\u2019s physical \nexamination appointment falls after the date of registration," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 9, + "content": "the parent must provide a valid appointment card with all \nthe following information on it:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SHS-06 \nPage 4 of 6 \n \n \n \no registering student\u2019s full name \no registering student\u2019s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student\u2019s appointment for \nvaccination and/or physical exam \n\u25cf If the student is not up to date with immunizations prior to \nstarting the current school year, the student will be \nregistered but will not be allowed to attend until the \nimmunization documents are submitted to either the \nWelcome Center, the Health Services Department, or the \nstudent\u2019s assigned school. \n\u25cf The type and number of immunizations vary with age and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 11, + "content": "whether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nContinuing students: \n\u2022 All continuing students who are identified as being behind \non immunizations will be notified that they will be excluded \nfrom school if there is no compliance with immunization \nupdating. This is a necessary action because if there is a \nvaccine-preventable disease outbreak at the school (i.e., \nmeasles), all susceptible students and staff (i.e., those with \nno record of vaccination, disease, or blood test for immunity) \nMUST be excluded from school for the duration of the \ndisease outbreak per the MA Department of Public Health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 12, + "content": "and Boston Public Health Commission. \n\u2022 It is important to note that students whose immunization" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SHS-06 \nPage 5 of 6 \n \n \n \nschedule has been interrupted and are in the process of \nbeing immunized (i.e., awaiting the next DPT/TD or polio \ndose and in the specified time interval between doses) may \nremain in school until the next dose is given. \n \nEXCEPTIONS \nALL EXEMPTIONS RELIGIOUS/MEDICAL EXEMPTIONS MUST BE \nRENEWED ANNUALLY BY PARENT/GUARDIAN. \n\u2022 Students at any level whose parent or guardian provides a \nstatement in writing that all immunizations or a specific \nimmunization conflict with their sincere religious beliefs. \n\u2022 Students at any level who present a physician's certificate \nexempting a child from an immunization(s) due to a medical" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 14, + "content": "contraindication: the reason why an individual cannot \nmedically receive the vaccine(s). \n \nThe Massachusetts Department of Public Health has \nimmunization recommendations based on grade. Please refer to \nthe MDPH website for the current schedule and detailed \nimmunization guidelines. \nDepartment Contact Information \nHealth \nServices Office: 617-635-6788 Fax: 617-635-7937 \nWelcome \nServices Office: 617-635-9085 Fax: 617-635-9703" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular SHS-06 \nPage 6 of 6 \n \n \n \n \nDate Activity \nSeptember \nAll new students and students entering grades, \nK2, 1, 4, 6, 10, 11 will be asked to provide an updated \nimmunization record prior to the start of the \nschool year in compliance with current \nMassachusetts Department of Public Health \nrequirements. \nMonthly \nLetters will be sent to parents/guardians \nrequesting immunization records for students \nwith missing immunizations. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 16, + "content": "02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-22 \nVersion 01 \n \nRESPONSE TO CARDIAC ARREST IN SCHOOLS AND \nSCHOOL PROPERTY: AUTOMATIC EXTERNAL \nDEFIBRILLATOR (AED) USE AND ACCESS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that an Emergency \nMedical Response Plan is multifaceted and is designed to \nrespond to life-threatening medical emergencies in the first \nminutes before emergency medical services arrive. The elements \nof the policy include: effective communication throughout the \nindividual school and the district, a coordinated and practiced" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 2, + "content": "response plan, risk reduction, training and equipment for first aid \nand CPR, and a lay rescuer AED program. \nThis policy addresses the Cardiac Arrest Plan and focuses on CPR \nand AED use. It interfaces with Superintendent\u2019s Circulars FSE-\n05 Medical Emergencies; FSE-01 School Safety and Contingency \nPlans; and SHS-11 Life-Threatening Allergies. It is also coordinated \nwith the City of Boston Public Access Defibrillator Program \n(PAD). Detailed procedures and protocols, including a \nMemorandum of Agreement between BPS and Boston EMS, are \navailable through Facilities Management." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 2 of 22 \n \nBACKGROUND \nSudden cardiac arrest (SCA) presents a potential life-threatening \nsituation to students, staff, and visitors, and quick response \nactions and interventions like cardio-pulmonary resuscitation \n(CPR) and proper use of an automatic external defibrillator (AED) \nwithin the first two (2) minutes significantly increases the chance \nof SCA survival. \nPROTOCOL FOR DISTRICTWIDE RESPONSIBILITIES \nThe City of Boston\u2019s Public Access Defibrillator Program (PAD) \nrequires that a systemwide policy be established that interfaces \nwith the district's School Safety and Contingency Plans. These \nplans are submitted each year." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 4, + "content": "plans are submitted each year. \nIn BPS, the AED/CPR policy is directed by an AED/CPR \nCommittee. This systemwide AED Committee includes but is not \nlimited to representation from Health Services, Facilities \nManagement (Environmental and Safety), BPS Operations, and \nCity of Boston\u2019s Emergency Management Services (BEMS). The \nresponsibility of this team is to oversee the AED and CPR \nprogram, including quality assurance, data review of critical \nincidents, equipment maintenance, inventory management, \ncoordinated and practiced response exercises, and lay CPR and \nAED training. \n\u2022 All school buildings have been provided with AEDs. All BPS" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 5, + "content": "school buildings with an AED will need to register their \nindividual plans along with their annual safety contingency \nplans. Staff who have been trained in CPR will be added to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 3 of 22 \n \nthe school safety contingency plan and reviewed/updated \nannually. \n\u2022 AEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any \nathletic event or practice. The BPS Athletic Program shall \nmeet the same requirements and intent of the AED/CPR \nprogram for school buildings, including providing an \ninventory of the AEDs and their designated coaches (those \ncoaches who are responsible for the AED during their sport\u2019s \nseason). \nPROTOCOL FOR INDIVIDUAL SCHOOL RESPONSIBILITIES \nPrincipal/Head of School: \n\u2022 Ensures that there is an appropriately trained AED/CPR \ncoordinator at their school.*" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 7, + "content": "coordinator at their school.* \n\u2022 Ensures that there is the required number of CPR trained \npersonnel in the school. \n\u2022 Includes the AED/CPR plan in the annual safety and \ncontingency plan submission to the director of Fire Safety \nand Emergency Preparedness. \n\u2022 Reviews and submits the annual AED/CPR plan to Safety \nServices (safety and contingency plan). \n\u2022 Oversees the placement of AEDs. \n\u2022 Ensures that the required staff are appropriately trained in \nCPR and AED use." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 4 of 22 \n \n\u2022 Ensures periodic checks are done to better ensure safe and \ncontinuous operability and access to the AED. These checks \nshall include but not be limited to the following: \no Daily check of AED indicator light: Check the active \nstatus indicator light on your AED. It varies depending \non the brand. If any problems contact Richard Deraney, \nDirector of Safety/Emergency Preparedness. \no Weekly check: Check the condition of the AED and \naccessories (including but not limited to the AED, the \npads (infant and adult), and the AED alarmed metal \ncabinet. \no Monthly check: Check pads and battery pack for" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 9, + "content": "o Monthly check: Check pads and battery pack for \nexpiration dates and AED signage throughout the \nbuilding. \no Quarterly submission of logs to the AED/CPR \ncommittee. \n* A member of your school site safety team is strongly \nrecommended. \nSchool Nurse: \n\u2022 Reviews plans with the AED/CPR coordinator. \n\u2022 Is up to date in CPR/AED training as required by \nemployment. \n\u2022 Includes plan in substitute school nurse folder. \n \nAthletic Coaches: \n\u2022 Participate in training in CPR/AED." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 5 of 22 \n \n\u2022 Ensure that protocols are in place. \n\u2022 Review plans with the school nurse. \nBPS Athletics: \n\u2022 Ensures that all coaches are in compliance with AED/CPR \nguidelines. \n\u2022 Ensures that all athletic trainers providing services to BPS \nAthletics are in compliance with AED/CPR guidelines. \nTrained Staff: \n\u2022 Reviews CPR/AED plan for individual school. \n\u2022 Reviews Safety and contingency plans for school. \n\u2022 Participates in training. \n \nDetailed information on protocols and training is available in \nHealth Services & Safety Services, when available." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 6 of 22 \n \nDate Activity \nOctober 1 \nAnnual Review of AED Program. This will be part of \nthe school\u2019s Building Safety and Fire Safety Plans. If \nthere are any changes, you will submit a copy to \nBPS Safety/Emergency Preparedness. \nOctober 1 \nBPS Athletics shall provide a list of coaches with \nAEDS and training verifications to \nSafety/Emergency Preparedness \nNovember 1 \nSchool leaders and building administrators shall \ncontact Office of Health and Wellness: Physical \nEducation to receive Anytime (Hands Only) CPR \ntraining and equipment for their physical \neducation teachers. \nMay 1 \n9th grade Physical Education teachers shall receive" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 12, + "content": "Anytime CPR training as needed and implement \nthe lesson with their students. \nJune 1 Annual Review of AED Policy by AED Committee" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 7 of 22 \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nOR \nContact: Director of Safety & Emergency Management \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 8 of 22 \n \nBOSTON PUBLIC SCHOOLS \nMEMORANDUM OF AGREEMENT \nAUTOMATIC EXTERNAL DEFIBRILLATION PROGRAM \n \nTHIS AGREEMENT is made and entered into on ________________ \nand is between the Boston Public Schools (BPS) and Boston \nEmergency Medical Services (EMS). \nThe purpose of this agreement is to establish training and quality \nassurance programs for the utilization of automatic external \ndefibrillators (AED) by volunteer, trained Boston Public Schools \npersonnel. Those trained personnel will function under the \nmedical supervision of the BPS medical director and the assistant \ndirector of Health Services in collaboration with EMS medical \ndirector." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 15, + "content": "director. \nThe Parties now mutually agree to the following: \nThe Boston Public Schools (BPS) agrees: \n1. To identify an AED/CPR coordinator from Safety Services to \nassume responsibility for coordinating the AED/CPR \ncommittee and monthly meetings. This committee will \ninclude representation from EMS and oversee aspects of the \nPublic Access Defibrillation program in BPS. \n2. To conduct CPR/AED training programs that are approved \nby the American Heart Association, American Red Cross, \nAmerican Safety and Health Institute, or BPS approved \nequivalent." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 9 of 22 \n \n3. To establish a quality assurance program that reviews all \nAED response events with the EMS medical director, BPS \nmedical director, assistant director of Health Services, EMS \nliaison, and BPS responders. \n4. To maintain a database for AED training programs and \nshare trained personnel information rosters with the EMS. \n5. To notify EMS annually of the types of AEDs and location of \nunits in each building. \n6. To maintain database information regarding the AED daily \nchecks and maintenance information for each unit. \n7. To follow the protocols approved by Boston Public Schools \nfor AED use in BPS." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 17, + "content": "for AED use in BPS. \n8. To notify EMS of any changes in program, location, or \nequipment. \n9. In case of an incident, provide EMS with cardiac event data \ncards for evaluation and feedback. \n10. Work collaboratively with the EMS on student CPR training \nprograms \nBoston EMS agrees to: \n1. Identify the medical director of EMS as the overall medical \ndirector of the BPS AED program. \n2. Identify an EMS liaison that will collaborate with BPS on AED \nimplementation in the schools. \n3. Maintain records of location/types of machines, trained \npersonnel sent by BPS program coordinator." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 10 of 22 \n \n4. Provide feedback, after a response incident, from the \ncardiac event data card to BPS CPR/AED coordinator and \nBPS medical director and other members of the AED/CPR \ncommittee for review. \n5. Provide \u201cTrain the Trainer\u201d CPR/AED programs to BPS \ndesignated volunteer employees. \n \nThis memorandum will be reviewed on an annual basis. \n __________________________________________________________________ \n \nIn witness whereof, the parties hereto execute this Agreement \nthrough their duly authorized representatives as of ________ day \nof ________________, 20____. \nBOSTON EMERGENCY MEDICAL SERVICES" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 19, + "content": "BOSTON EMERGENCY MEDICAL SERVICES \nBy: ______________________________________ Date: _________________ \n \nIts: _______________________________________________________________ \n \nBOSTON PUBLIC SCHOOLS \n \n___________________________________________Date: _______________ \n Mary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 11 of 22 \n \nBOSTON PUBLIC SCHOOLS \nPUBLIC ACCESS DEFIBRILLATION PROGRAM AND \nCPR GUIDELINES \n \nPURPOSE: The purpose of the Boston Public Schools Public \nAccess Defibrillation (PAD) Program guidelines is to assist \nemployees of the Boston Public Schools who are trained and \nwilling to do CPR, including use of an Automatic External \nDefibrillator (AED) in the event such use is necessary. These \nguidelines do not create an obligation to do CPR and use the \nAEDs, nor to create any expectation that either an AED or trained \nemployee will be present at every event. The guidelines should \nmake clear that by increasing the availability of AEDs and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 21, + "content": "increasing the number of persons trained to use them, that both \nthe school and larger community may be aided. Evidence shows \nthat time is a significant factor in victim survival rate, and on-site \nresponders are more likely to arrive faster than EMS to begin aid \nto incidents of \u201csudden death\u201d. By equipping and training \nvoluntary employees in the use of AEDs, we will increase the \npotential to save lives through AED intervention. \nDEFINITION: The condition \u201csudden death\u201d occurs when the \nelectrical impulses of the human heart malfunction, causing a \ndisturbance in the heart\u2019s electrical rhythm called \u201cventricular \nfibrillation (VF)\u201d. This erratic and ineffective electrical heart" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 22, + "content": "rhythm causes complete cessation of the heart\u2019s normal function \nof pumping oxygenated blood, resulting in \u201csudden death\u201d. The \nmost effective treatment for this condition is the administration \nof an electrical current to the heart by a defibrillator, within the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 12 of 22 \n \nshortest time possible of VF onset. Each minute of delay in \ndefibrillator use decreases the survival rate by 10%. \nPROGRAM PROCEDURES: The Boston Public Schools anticipates \nthat where reasonably possible, employees who have been \ntrained and who are present when an incident occurs will react \nby activating the EMS system (calling 9-1-1 or 9-9-1-1), begin CPR, \nand utilize the AED available to them according to the guidelines \nof the American Heart Association. \nPROGRAM OVERSIGHT: The City of Boston\u2019s Public Access \nDefibrillator Program (PAD) requires that a systemwide policy be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 24, + "content": "established. This system-wide AED committee includes but is \nnot limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston\u2019s Emergency Management \nServices (BEMS). This committee meets monthly and guides the \nprogram implementation and quality assurance. \nThe EMS medical director agrees to act as the medical director \nfor the BPS PAD Program, ensuring its consistency with the \nCommunity AED Public Access program and reviewing each \ndeployment of the AED with the BPS team. \nThe Boston Public Schools physician / medical director is \nresponsible for: writing prescriptions for purchase of AEDs;" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 25, + "content": "reviewing and approving guidelines for emergency procedures \nrelated to the use of AEDs; reviewing all AED deployments; and \ncoordination with the local EMS medical director for consistency \nof operation. \nThe BPS assistant director of Health Services (nursing director) \nwill be the overall AED coordinator of the program, chairing the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 13 of 22 \n \nCPR/AED committee. This systemwide AED committee includes \nbut is not limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston\u2019s Emergency Management \nServices (BEMS). The responsibility of this team is to oversee the \nAED and CPR program, including quality assurance, data review \nof critical incidents, equipment maintenance and inventory \nmanagement, coordinated procurement of funding, practiced \nresponse exercises, and lay CPR and AED training. \nPRE-PROGRAM EVALUATION AND AED SELECTION" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 27, + "content": "PRE-PROGRAM EVALUATION AND AED SELECTION \nOnly US FDA approved AEDs will be provided for this program. \nThe program manager and Facilities Management Department \nwill maintain the specification/technical information sheet for \neach approved AED on file assigned and/or donated to the PAD \nprogram. \nAll BPS schools have at least one AED. \nAEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any athletic \nevent or practice. The BPS Athletics Program shall meet the \nsame requirements and intent of the AED program for school \nbuildings." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 14 of 22 \n \nTRAINING \nAll volunteer employees and coaches will participate in a \nrecognized CPR/AED initial training course which will include the \nfollowing content: \n\u2022 Proper use, maintenance, and periodic inspection of AED. \n\u2022 Assessment of an unconscious person to determine if a \ncardiac arrest has occurred and the appropriateness of \napplying the AED. \n\u2022 Defibrillator safety precaution to enable the user to \nadminister a shock without jeopardizing the safety of the \nvictim, the user, or other persons on the scene. \n\u2022 Rapid accurate assessment of the victim\u2019s post-shock status \nto determine if further activation of AED is necessary." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 29, + "content": "\u2022 The role of the initial rescuer in the coordination of care for \nthe cardiac arrest victim on arrival of EMS personnel. \n\u2022 Scenario based practice consistent with common scenarios \nthat rescuers may face. \n\u2022 Routine AED maintenance, troubleshooting options, and \nspecial situations that initial rescuers may encounter. \nEmployees will only be held to the standards of \u201cGood Samaritan\u201d \nstatus and shall only be expected to use an AED if they have \nsuccessfully completed the CPR/AED training and feel confident \nusing the device." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 15 of 22 \n \nSKILLS REVIEW AND PROFICIENCY DEMONSTRATION \nThe AED team candidate will need to demonstrate proficiency in \nadult CPR and the following: \n\u2022 Safe and effective use of the AED training device that \nconforms to the unit assigned to that location or building. \n\u2022 Perform a single or multi-shock practical exam conducted \nby a qualified AHA or ARC instructor. \n\u2022 Demonstrate common trouble-shooting techniques used \nwith the AED. \n\u2022 All AED team members will participate in a CPR/AED skills \nproficiency review annually. The PAD program manager will \nmaintain the proper training and review documentation. \nLOCATION OF AEDS" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 31, + "content": "LOCATION OF AEDS \nAll BPS school buildings with an AED must register their plan \nwith BPS Safety Services. All school buildings have been provided \nwith AEDs. If additional AEDs are to be purchased, it must be \ndone through BPS HS or with the approval of BPS HS. AED will be \nnumbered for internal identification and inventory. These records \nshall be kept and maintained under BPS HS. \nAll AEDs shall be located immediately outside the main \nadministrative office unless a written exemption with stated \nreasons for another location is provided. All AEDs are placed in an \nalarmed metal cabinet with an identifying AED location sign" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 32, + "content": "above it. Other signs identifying AED location will be placed in \ncommon areas throughout the school building. For additional \nsignage or if there are any missing or broken signs, please" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 16 of 22 \n \ncontact Facilities Management \u2013 Environmental Section at 617-\n635-8300. \nAEDs are located outside the main administrative office because \nit is a well-identified location with continued access during \nschool occupancy and operating hours. In cases of BPS school \nbuildings sharing the building complex with another BPS school \nprogram or DYFS Community School or Center, if possible, a \nlocation may be chosen that would allow access to both \nprograms\u2019 operating hours. All AEDs shall be kept in the alarmed \nmetal cabinet, with the exception of AEDs provided specifically \nfor BPS Athletics Department. \nMAINTENANCE AND TESTING" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 34, + "content": "MAINTENANCE AND TESTING \nMaintenance and testing will be conducted according to the \nrequirements of the FDA and the AED manufacturer. \nDocumentation of maintenance and testing will be maintained in \nthe PAD program manager\u2019s office (nursing coordinator) for a \nperiod of two years. Documentation will record the date of \ntesting and the signature of the person performing the testing. If \na problem with the AED is identified, the AED coordinator must \nbe notified immediately. \nResponsibility for overall maintenance check assignments in \neach location will be with the BPS AED/CPR coordinator in \ncoordination with a designated person in each building. A" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 35, + "content": "person in each building will be responsible for: \n\u2022 Daily visual checks and documentation during the actual \ncontracted school year. (Summer locations and checks will" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 17 of 22 \n \nbe determined by summer program use of the buildings, \nand Boston EMS will be notified of the Summer Plan.) \n\u2022 Prompt notification of PAD program manager for any \nequipment or supply needs. The designated building \ncoordinator will be responsible for scheduling AED training \ncourses in their building. Authorized AHA instructors will \nassist with training on AED use. \nUSE OF THE AED \nGeneral \n\u2022 Scene safety is vital. Rescuers are volunteers and are not \nexpected to place themselves at risk to provide aid to \nothers. To assess for scene safety: \no Verify that the victim is not in contact with any live \nelectrical connections." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 37, + "content": "electrical connections. \no Remove the victim from any exposure to water to a dry \nsurface. \no Refrain from use of any portable radios near the victim \nwhile AED is analyzing. \n\u2022 During school hours, the building program coordinator will \nbe notified of any event occurring that may require the use \nof an AED. \n\u2022 During afterschool hours, a trained athletic coach or their \ndesignee may move the AED from its current location to \nsupport Athletic Department activities. A visible notice \nmust be clearly stating the location of the AED as well as the \nlocation of the nearest AED, if another one exists." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 18 of 22 \n \n\u2022 Contracted and community activities are not guaranteed \naccess to the AED or a trained AED operator as part of \nstandard school facility rental contracts. \nActual Use of AED in a Cardiac Event \n\u2022 Determine unresponsiveness of the victim and activate the \nEmergency Response Plan (Call 9-1-1). \no If a victim is unresponsive, call 9-1-1 (or 9-9-1-1) and get \nAED. \no Assess victim (airway, breathing circulation). \no Initiate CPR, if required, while AED is brought to the \nvictim's side. \no Designate a person to wait for a facility entry to direct \nEMS to location. \no Notify nursing coordinator of use to assign backup AED \nunit, if available" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 39, + "content": "unit, if available \n\u2022 Upon arrival of AED, place AED next to the head of the \nvictim, close to the AED operator. \n\u2022 Prepare to use the AED: \no Turn power ON. \no Bare and prepare chest for AED use. \no Attach AED to victim (picture guides on each pad for \nproper placement location). \no Stop CPR while the AED device analyzes the heart \nrhythm." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 40, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 19 of 22 \n \no Follow the machine prompts for further action. If a \nshock is indicated, be sure all rescuers are \u201cclear\u201d \nbefore shock is administered. \n\u2022 Upon arrival, EMS shall take charge of the victim. \no Provide victim information (name, age, known medical \nhistory, time of incident). \no Provide information as to current condition and \nnumber of shocks delivered. \no Defibrillator pads and electrodes shall remain in place \non the victim. EMS will utilize BPS AED through \ntransport of victims to hospital to maintain continuity \nof event recording. \nAFTER USE OF AED \n\u2022 First responders will notify the program coordinator by" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 41, + "content": "phone of the incident, complete an incident report, and fax \nto the program coordinator. \n\u2022 A Critical Incident debriefing session will be held or \nscheduled within 24 hours for initial responders. (Boston \nEMS may not be immediately available.) \n\u2022 The health services director and program coordinator will be \nnotified of AED use and: \no Complete follow-up report for medical directors. \no Arrange for a quality improvement meeting of AED \nresponders. \no The AED will be checked and put back in readiness \nstate." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 42, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 20 of 22 \n \no Restock AED inventory. \no Clean AED if needed according to manufacturer \nrecommendations. \no Document AED return readiness." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 43, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 21 of 22 \n \nBOSTON PUBLIC SCHOOLS \nAUTOMATED EXTERNAL DEFIBRILLATOR PROGRAM \nPARTICIPATION REQUEST FORM \n \n_________________________________________________ (Name of person \nrequesting) requests implementation of the AED Program for \n _________________________________________________________________ . \n (Name of school / site) \nI understand that to be eligible for the AED Program, the \nfollowing requirements must be met: \nFunding / resources have been identified for the purchase and \nmaintenance of an \u201cAPPROVED\u201d AED. (Please consult program \nmanager for list of qualifications for approved AEDs.)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 44, + "content": "Funding source: _________________________________________________ \n \nAt least 2 staff have been identified to be trained in CPR and AED. \nStaff member: ___________________________________________________ \nStaff member: ___________________________________________________ \nAt least 1 primary staff member and 1 back-up (in case of \nabsence) have been identified to be the building coordinator. \n \nList staff member and back-up:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 45, + "content": "Superintendent\u2019s Circular SHS-22 \nPage 22 of 22 \n \nPrimary: __________________________________________________________ \nBack-up: _________________________________________________________ \nPlanned location of the AED in the building: \n __________________________________________________________________" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-23 \nVersion 01 \n \n \n \nCONDOM ACCESSIBILITY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nBACKGROUND \nIn June 2017, the School Committee voted to revise the district \nWellness Policy, which includes provisions on sexual health \neducation and condom accessibility in high schools. The goal of \nthis policy is to support the sexual and reproductive health of \nstudents and to prevent negative sexual health outcomes and \ntheir impact on student learning. This policy establishes access to \ninformation and resources for students in order to reduce the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 2, + "content": "spread of HIV and other sexually transmitted infections (STIs) as \nwell as decrease the number of unintended pregnancies. This \npolicy increases the access and agency of BPS students to care \nfor their personal health and well-being. The revised policy states: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family \nplanning services without parental notification. Family Planning \nservices include testing and treatment for sexually transmitted \ninfections and HIV, all birth control options, pregnancy testing, \nand emergency contraception." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 2 of 10 \n \n \n \nBPS High Schools shall provide access to free condoms with \nappropriate reproductive health counseling for students. Each \nhigh school (grades 9-12) will have a Condom Accessibility Team \n(CAT) which will consist of a minimum of at least three school \nstaff members. Condoms will be made available through the \nCAT at each high school. Condoms will also be accessible at \nsome schools from school-based health centers and the Boston \nPublic Health Commission\u2019s (BPHC) Health Resource Centers \n(HRCs). Parents and caregivers may exempt their students from \nreceiving condoms from the BPS CAT by notifying the school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 4, + "content": "when they complete the family information forms at the \nbeginning of the school year. This condom opt-out does not \napply to other confidential health services. \n \nUnder this policy, the Office of Health Services, along with the \nOffice of Health and Wellness, is charged with enacting systems \nand practices to ensure that all students have access to key \nresources and services that are developmentally appropriate and \nsupport sexual and reproductive health in a safe and supportive \nenvironment. \nBPS high schools have three possible venues for the delivery of \nsexual health services: 1) through BPS CAT members; 2) school-\nbased health centers run by BPHC or neighborhood health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 5, + "content": "centers that provide medical, reproductive, and mental health \nservices, including STI/pregnancy testing, options counseling, \naccess to contraceptives/condoms, treatment for STIs, and \ncomprehensive routine health care; and 3) school-based health \nresource centers (HRCs) overseen by the Boston Public Health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 3 of 10 \n \n \n \nCommission, which provide individual counseling, condom \naccess, and STI testing and treatment for gonorrhea and \nchlamydia, where available. Annually, all BPS CAT members must \nparticipate in appropriate training related to the condom \naccessibility program. \nThe following chart summarizes the services available and \nstaffing model for each location. \n \nPlease note: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family planning \nservices without parental notification. Family planning services include \ntesting and treatment for sexually transmitted infections and HIV, all" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 7, + "content": "birth control options, pregnancy testing, and emergency \ncontraception." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 4 of 10 \n \n \n \n \nLocation \nSchool-based \nHealth Centers \nRun by BPHC \nSchool-based Health \nCenters Run by \nCommunity Health \nCenters \nHealth Resource \nCenters * BPS High School \nCAT \n \n \nServices \n \nA clinical setting \noffering routine \nhealth care and \nacute care \nservices, \nincluding mental \nhealth \ncounseling and \nsexual & \nreproductive \nhealth care. \nA clinical setting \noffering routine \nhealth care and \nacute care services, \nincluding mental \nhealth counseling \nand sexual \nreproductive health \ncare. \nClassroom sexual \nhealth \neducation; 1:1 \neducation; \ncondom \navailability; \n \nSTI screening, \ntreatment and \nreferral, where \navailable." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 9, + "content": "treatment and \nreferral, where \navailable. \nFree internal and \nexternal condoms, \noral dams, lubricant, \nand educational \nmaterials to \nstudents not opted \nout of the program \nas these products \nare available. \n \nConfidential sexual \nhealth referrals \nmade available to \nany students in need \nof sexual health care. \n \n*a barrier method \nthat reduces the risk \nof STIs \n**lubricants increase \nthe effectiveness of \ncondoms, reducing \nbreakage." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 5 of 10 \n \n \n \n \n \nStaffing \nStaffed by: \n\u25cf Nurse \nPractitioner \n\u25cf Mental \nHealth \nClinician \n\u25cf Health \nEducator \n\u25cf Health \nCoordinator \n\u25cf Admin \nAssistant \nStaffed by: \nNurse Practitioners \nor Physician \nAssistants \nA team of two \nHealth Educators \nassigned to 2 \nhigh schools \nA minimum of \nthree* trained school \nstaff members. \n \n*Schools are \nencouraged to add \nmore CAT members \nto increase access \npoints within the \nschool. Each \nadditional member \nmust complete CAT \ntraining. It is \nimportant that \nstudents receive \nsupplies from \ntrusted, caring \nadults. This may \ninclude the school \nnurse, health \nteachers, trained \nteachers of sexual" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 11, + "content": "teachers, trained \nteachers of sexual \nhealth, social \nworkers, school \ncounselors, family \nliaisons, and/or other \nstaff able to \ncomplete the \ntraining." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 6 of 10 \n \n \n \nIMPLEMENTATION \nThe implementation of condom accessibility will be directed by \nthe Office of Health & Wellness (OHW), with support from and \nintegration with the Office of Health Services at both the central \nand individual school levels. \n \nSCHOOL-BASED IMPLEMENTATION \nEach high school serving students in grades 9-12 will have a \nCondom Accessibility Team (CAT) which will consist of at least \nthree school staff members. Schools are encouraged to add \nadditional interested staff to the CAT. The CAT shall meet at least \nbiannually to oversee its responsibilities and report back to the \nWellness Council." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 13, + "content": "Wellness Council. \n \n Condom Accessibility Team responsibilities: \n\u25cf Participate in CAT training organized and led by the Office of \nHealth and Wellness \n\u25cf All parents and caregivers will be notified of the policy in the \nGuide to the BPS for Students & Families and have the option \nto opt their student out of the condom accessibility program \nby informing the student\u2019s school. Additional communications \nto notify parents and caregivers through the school\u2019s \npreferred communication channels is also recommended." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 7 of 10 \n \n \n \n\u25cf Distribute communication information provided by the Office \nof Health and Wellness, such as brochures, posters, stickers, \netc. that outline the Condom Accessibility program \n\u25cf Post information advertising who the CAT members are so \nthat students are aware of this program and know who and \nwhere to locate CAT members in the school \n\u25cf Store condoms in secure, appropriate storage that does not \nexperience extreme low or high temperatures to preserve \neffectiveness \n\u25cf Ensure that the school wellness council is updated on CAT \nfunctionality in the school \n\u25cf Advocate for all students to receive the BPS Comprehensive" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 15, + "content": "Sexual Health Education Program \n\u25cf Provide CAT team member names to the Office of Health and \nWellness annually and add any new team members \nthroughout the year \n\u25cf Document referrals and provide tracking as outlined in the \ntraining \n\u25cf Ensure that student confidentiality is maintained as per \nMassachusetts State Law \n\u25cf Ensure that parental/caregiver opt-out is clearly and \nconfidently documented in the nurse electronic health record \n(SNAP) and communicated to all CAT members and other \nappropriate staff, including HRC staff involved in condom \naccessibility" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 8 of 10 \n \n \n \n\u25cf Please note: CAT members are required to file a 51a only when \nthere is reasonable suspicion of physical or emotional harm by \nabuse, not based solely on the age of the student. \n \nDISTRICT-BASED IMPLEMENTATION \nOffice of Health Services responsibilities: \n\u25cf Align the condom accessibility process with the overall Health \nServices action plan \n\u25cf In partnership with OHW, monitor referral tracking data \nwithin SNAP and assess district capacity to implement the \ncondom accessibility program \n\u25cf Promote and complete CAT training \n\u25cf Partner with OHW instructional coaches to review" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 17, + "content": "questions/concerns brought forward during the CAT training \n\u25cf Promote the sexual health services referral resource 211 Help \nSteps at https://www.helpsteps.com/#/ \n\u25cf Coordinate and communicate with adolescent community \nsexual health programming, including school-based health \ncenters \n \nOffice of Health and Wellness responsibilities: \n\u25cf Include the condom accessibility process in overall wellness \naction planning." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 9 of 10 \n \n \n \n\u25cf Review and approve all reproductive health materials that are \nto be distributed in the schools by CAT members, including \nmaterials donated by community partners. All community \norganizations interested in donating condoms and other \nmaterials should contact the Office of Health and Wellness \nbefore delivering materials to the schools. \n\u25cf Oversee ordering and storing of condoms for the district and \ndistribution to schools. \n\u25cf Coordinate and communicate with adolescent community \nsexual health programming including school-based health \ncenters and Health Resource Centers. \n\u25cf Collaborate with the Office of Health Services to provide" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 19, + "content": "training, marketing materials, and implementation tools to \nschools and technical assistance. \n\u25cf Provide updates and promotions for the BPS sexual health \nservices referral guide (Y2Connect). \n\u25cf In partnership with Health Services, monitor referral tracking \ndata, providing all high schools a system for tracking and \nreporting, and assess the district capacity to implement the \ncondom accessibility program." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SHS-23 \nPage 10 of 10 \n \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nMonth Activity \nAugust \n\u25cf Parental and Caregiver Opt-out information \nincluded in Family Handbook \n\u25cf Parents and caregivers who do not want their \nstudent to receive condoms at school should \nemail or submit in writing their intentions to the \nschool principal and include the school nurse(s) \nin this communication. \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 21, + "content": "Email: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-04 \nVersion 01 \n \n \n \nINFECTION PREVENTION AND CONTROL IN \nSCHOOL SETTINGS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchools can minimize the risk of disease transmission through \nstudent and staff awareness and simple infection control \npractices at the school and classroom level. \nMODES OF TRANSMISSION \nDiseases have different modes of transmission. Diseases can be \nspread through direct contact, indirect contact, droplet, or \nairborne transmission. The following guidelines minimize the \nrisks for all modes of transmission. \nThe single most important step in preventing exposure to and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 2, + "content": "transmission of any infection is anticipating contact with \ninfectious materials in routine as well as emergency situations. \nBased on the type of possible contact, the responder should be \nprepared to use the appropriate precautions and techniques \nprior to providing care. Diligent and proper hand washing, the \nuse of barriers, appropriate disposal of waste products and \nneedles, and proper decontamination measures will enhance \nprotection of students and staff." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 2 of 14 \n \n \n \nUNIVERSAL (STANDARD) PRECAUTIONS \nThe Centers for Disease Control (CDC) have long recommended \n\"universal blood and body-fluid precautions\" to prevent \ntransmission of hepatitis B, human immunodeficiency virus (HIV), \nand other infections, as well as to decrease the risk for exposure \nto responders and students. As it is not possible to identify all \ninfected individuals, these precautions must be used with every \nstudent. Universal precautions pertain to all blood and body \nfluids. For bloodborne infections, these precautions do not apply \nto other body fluids and material, such as saliva, sputum, feces," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 4, + "content": "tears, nasal secretions, vomitus, and urine, unless blood is visible \nin the materials. However, these other fluids and body wastes can \nbe sources of other infections and should be handled as if they \nare infectious, utilizing the same precautions. This is the basis of \nstandard precautions to be used with all body fluids, blood, and \nother potentially infectious material. \nTRANSMISSION BASED PRECAUTIONS \nThe CDC has recommended \u201ctransmission-based precautions\u201d as \nthe second tier of basic infection control, to be used in addition to \nstandard precautions for individuals who may be infected or \ncolonized with certain infectious agents for which additional" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 5, + "content": "precautions are needed to prevent infection transmission. \nContact Precautions \nUse contact precautions for those with known or suspected \ninfections that represent an increased risk for contact \ntransmission. Proper personal protective equipment (PPE)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 3 of 14 \n \n \n \nincludes the use of gloves and gown for all interactions that may \ninvolve contact with the student or the student\u2019s environment. \nDroplet Precautions \nUse droplet precautions for students known or suspected to be \ninfected with pathogens transmitted by respiratory droplets \ngenerated by coughing, sneezing, or talking. Proper personal \nprotective equipment (PPE) includes the use of masks, both for \nthe patient and school nurse, during all interactions. \nAirborne Precautions \nUse airborne precautions for those individuals known or \nsuspected to be infected with pathogens transmitted by the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 7, + "content": "airborne route (e.g., COVID-19, tuberculosis, measles, chickenpox, \ndisseminated herpes zoster). Proper PPE includes a fit-tested, \nNIOSH-approved N95 or higher level of respiratory protection for \nhealthcare personnel and a mask on the patient. \nRESPIRATORY HYGIENE \nIn addition to spread by bodily fluids, infections can be spread by \nrespiratory droplets that are generated when people sneeze, \ncough, laugh, or exhale. Respiratory hygiene is a term adopted by \nthe CDC and Massachusetts Department of Public Health \n(MDPH) to describe measures that can be taken to decrease the \nrisk for spreading respiratory illnesses by droplet and airborne" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 8, + "content": "transmission. A universal \u201crespiratory hygiene/cough etiquette\u201d \npolicy includes: \n\u2022 Covering the mouth and nose with a tissue when coughing \nor sneezing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 4 of 14 \n \n \n \n\u2022 Disposing of used tissues in a wastebasket \n\u2022 Practicing hand hygiene (washing) often \n\u2022 Coughing or sneezing into elbow \nHAND WASHING \nProper hand washing is crucial to preventing the spread of \ninfection. Use of running water, lathering with soap, and using \nfriction to clean all surfaces of the hands are key. Rinse well with \nrunning water and dry hands with paper towels. If soap and \nwater are unavailable, hand sanitizer may be used. \n\u2022 Hands should be washed before physical contact with \nstudents and after the contact is completed. \n\u2022 Hands should be washed after contact with any used" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 10, + "content": "equipment. If hands (or other skin) become soiled with \nblood or body fluids, they should be washed immediately \nbefore touching anything else. \n\u2022 Hands should be washed whether gloves are worn or not \nand after gloves are removed. \n\u2022 Textured jewelry on the hands or wrists (such as rings and \nstones) should be removed prior to washing and kept off \nuntil completion of the care procedure and hands are \nrewashed." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 5 of 14 \n \n \n \nBARRIER PROTECTION \nBarriers include disposable gloves, protective eyewear, and gown. \nThe use of a barrier is intended to reduce the risk for contact with \nblood and body fluids for the caregiver, as well as to control the \nspread of infectious agents from student to student. It is essential \nthat appropriate barriers be used when contact with potentially \ninfectious material is possible. Gloves should be worn when direct \ncare of the student may involve contact with blood and body \nfluids, as well for contact with urine, feces, and respiratory \nsecretions. Gloves should be disposed of after each use and not \nreused." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 12, + "content": "reused. \nGloves should be worn: \n\u2022 When changing a diaper or catheterizing a student \n\u2022 When changing dressings or sanitary napkins \n\u2022 When providing mouth, nose, or tracheal care \n\u2022 If the caregiver has broken skin on the hands (even around \nthe nails) \n\u2022 When cleaning up spills of blood (e.g., nosebleeds), body \nfluids and wastes, and soiled supplies \nGowns or aprons may be worn to protect the caregiver's clothing \nif spattering of body fluids is possible. The apron or gown should \nbe laundered or disposed of after each care session and should \nnot be reused. \nIn addition, protective eye wear and masks should be worn if \nsplashing of body fluids is likely to occur (such as mouth" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 13, + "content": "suctioning or care of a student who is coughing)." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 6 of 14 \n \n \n \nChux or other waterproof barriers should be used to cover any \nwork surface if drainage or splashing with blood or body fluids \nare possible. The barrier should be disposed of after each care \nsession and should not be reused. \nDISPOSAL OF WASTE \nAll used or contaminated supplies (including gloves and other \nbarriers) except for syringes, needles, and other sharp \nimplements should be placed in a plastic bag which is then \nsealed. This bag should be placed in a second plastic bag, which \nis also sealed. The double-bagged waste can then be thrown in \nthe garbage, out of the reach of children or animals. Bodily" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 15, + "content": "wastes such as urine, vomitus, or feces should be disposed of in \nthe toilet. \nNeedles, syringes, and other sharp objects should be immediately \nplaced in FDA-cleared sharps disposal containers. To reduce the \nrisk of an accidental needle stick or cut, needles should not be \nrecapped, bent, or removed from the syringe before disposal. \nOnce it is full, the container should be sealed and brought to \nHealth Services central administration for disposal in a large \nbiohazard container. Health Services will arrange for pickup by a \nbiohazard waste disposal company for proper disposal at least \nannually. \nCLEANUP PROCEDURES \nSpills of blood and body fluids that are covered under standard" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 16, + "content": "precautions should be cleaned up immediately." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 7 of 14 \n \n \n \nThe CDC method of clean-up is as follows: \n\u2022 Wear gloves. \n\u2022 Mop up the spill with paper towels or other absorbent \nmaterial. \n\u2022 Using a solution of one-part household bleach (sodium \nhypochlorite) in ten parts of water; wash the area well. \n\u2022 Dispose of gloves, soiled towels, and other waste in a sealed \ndouble plastic bag in the garbage as outlined above. \nRoutine environmental clean-up procedures for facilities (such as \nthe health room and bathrooms) does not require any \nmodification unless contamination with blood or body fluids \nshould occur. If so, the area should be decontaminated using the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 18, + "content": "procedure outlined above. Regular cleaning of surfaces which are \nnot visibly contaminated with potentially infectious material, \nsuch as toilet seats and tabletops, can be done with the standard \ncleaning and removal of obvious soil. \nLAUNDRY PROCEDURES \nWhenever possible, disposable barriers should be used if \ncontamination with body fluids or blood is possible. If sheets, \ntowels, or clothing become soiled, they should be handled as \nlittle as possible. Wash with hot water and detergent for at least \n25 minutes. Cool water washing is also acceptable if an \nappropriate detergent is used for the water temperature." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 8 of 14 \n \n \n \nPREGNANT WOMEN \nPregnant women are at no higher risk for infection than other \ncare-providers as long as appropriate precautions are observed. \nHowever, due to the possibility of in-utero transmission of viral \ninfections such as cytomegalovirus (CMV) or HIV, as well as the \npotential for adverse outcomes with certain infections, pregnant \nwomen should be especially careful to observe standard \nprecautions. \nGENERAL INFECTION CONTROL PROCEDURES \nThe purpose of the procedures outlined herein is to establish \nbasic guidelines to address the role of staff in all incidents \nrequiring concern about infection control. Such incidents may" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 20, + "content": "include, but not be limited to, a bleeding nose, sneezing, \ncoughing, uncontrollable urinating, and sudden bowel \nmovement. \nHead of school/principal shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n\u2022 Encourage the use of class wide respiratory hygiene, \nespecially during flu season and other respiratory illness \nupticks. \n\u2022 Reassure and calm students involved in hygiene \nemergencies. \n\u2022 Notify the school nurse of any infectious disease concerns." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 9 of 14 \n \n \n \n\u2022 Notify custodians of infection control needs \nSchool nurse shall: \n\u2022 Review infection control procedures annually at the \nbeginning of the school year with classroom staff. \n\u2022 Assist the classroom staff in developing hygiene plans \nappropriate for the classroom as well as individual students. \n\u2022 Notify Health Services of cases and possible clusters. \nSchool custodian shall: \n\u2022 Refer to and follow the steps identified in Superintendent \nCircular FMT-19 for cleaning related to possible infectious \nbodily fluids. \n BITE EMERGENCY PROCEDURES \nThe purpose of the procedures outlined herein is to establish" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 22, + "content": "basic guidelines intended to assist students and staff who have \nencountered a human or animal bite that breaks the skin. \nBackground information for human bites: \nBiting is very common among young children but usually does \nnot lead to any serious infectious disease concerns. If the skin is \npunctured or broken, bacteria may be introduced into the wound \nthat can lead to blood-borne infection which needs to be treated \nby a healthcare professional. Blood-borne infection could be of \nconcern if the biter breaks the skin and blood is drawn into the \nbiter\u2019s mouth or if the biter has bleeding gums or mouth sores. \nHepatitis B, Hepatitis C and HIV are some pathogens of concern" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 23, + "content": "although the risk of transmission of these viruses is very low in" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 10 of 14 \n \n \n \nschool settings. For HIV, there have not been any reported cases \nof transmission in school settings. \nThe \u201cbiter\u201d might be considered at higher risk than the \u201cbitee\u201d \ndue to the exposure to the blood from the wound if the skin is \nbroken. Each human bite represents a unique set of \ncircumstances and requires an individualized response. In most \nbiting episodes there are no communicable disease extenuating \ncircumstances, and the episodes are treated with standard \nprecautions. There is a heightened sense of urgency when one of \nthe children has a communicable disease. The school nurse is" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 25, + "content": "responsible for guiding the response, working with the \nheadmaster/principal, and ensuring that confidentiality is \nmaintained. \nBackground information for animal bites: \nAnimal bites are common since children can behave \nunpredictably and animals have normal protective instincts. An \nanimal bite that breaks or punctures the skin will require \nimmediate medical attention due to the risk of bacterial and viral \ninfection. The longer the animal\u2019s mouth germs stay in the \nwound, the greater the risk of potential infection that will require \nantibiotics. \nAnimals can also transmit rabies, a very serious viral infection \nthat infects the nervous system. Although any mammal bite can" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 26, + "content": "transmit rabies, the bites of some wild animals (e.g., bats, \nraccoons, skunks, foxes, coyotes) and some stray and \nunvaccinated pet dogs and cats are of greatest concern. Wild \nanimals should not be kept or allowed to visit schools. All" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 11 of 14 \n \n \n \nsuspected animal bites should be promptly reported to public \nhealth authorities by Health Services. \nIn the event of an animal or human bite that breaks the skin: \nPrincipal/head of school shall: \n\u2022 Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n\u2022 Reassure and calm the students. \n\u2022 Employ standard precautions in evaluating the bite. \n\u2022 Notify the school nurse immediately. \n\u2022 Have the student wash the area with soap and water \nimmediately. \n\u2022 Report action taken to the headmaster/principal. \nFor human bites, school nurse shall:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 28, + "content": "For human bites, school nurse shall: \n\u2022 Provide first aid to the child who was bitten by washing any \nbroken skin and applying a cold compress to any bruise. \n\u2022 Review known medical information of both the \u201cbiter\u201d and \nthe \u201cbitee.\u201d If there is a known communicable disease issue, \nthe nurse must consult with Health Services administration \nfor more specific guidance. Confidentiality must be \nrespected throughout the consultation. \n\u2022 Contact the student's parent/guardian to report the incident \nand recommend next steps. \n\u2022 Refer both the \u201cbiter\u201d and \u201cbitee\u201d to their primary care \nprovider for further guidance. This may include any or all the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 29, + "content": "following: risk counseling; hepatitis and HIV testing;" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 12 of 14 \n \n \n \nprophylaxis. The treatment approach is at the discretion of \nthe primary care provider and the family. \n\u2022 Notify Health Services prior to calling the families if there is a \nknown communicable disease issue with one or both \nstudents. \n\u2022 Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality. \n\u2022 Document the incident in SNAP for students. If a staff \nmember was involved, the staff member must file a Report \nof Injury Form [see Superintendent\u2019s Circular HRS-PP07, \nWorker\u2019s Compensation Procedures] within 7 days. \nFor animal bites, school nurse shall:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 31, + "content": "For animal bites, school nurse shall: \n\u2022 Immediately provide first aid to the child who was bitten by \nwashing any broken skin and applying a cold compress to \nany bruise. \n\u2022 Notify Health Services prior to calling parent/guardian. An \nanimal bite that breaks or punctures the skin needs \nimmediate wound care to reduce the risk of infection. All \nanimal bites should be reported within 24 hours. \n\u2022 Contact the student's parent/guardian to report the incident \nand recommend next steps. \n\u2022 Refer the student to their primary care provider for further \nguidance. The treatment approach is at the discretion of the \nprimary care provider and the family." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 32, + "content": "primary care provider and the family. \n\u2022 Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 13 of 14 \n \n \n \nEMPLOYEE NEEDLESTICK MANAGEMENT \nWhen a needlestick occurs: \n\u2022 Gently bleed the area, wash, and immediately flush with \nsoap and water. \n\u2022 The employee who has had the needle stick should call their \nprimary care provider. \n\u2022 If the risk assessment of the primary care provider and/or \nschool nurse is that the needle stick represents an exposure \nto blood or body fluids, it is advisable that the employee \nseek management at an emergency department that can \nprovide the latest in prophylactic management; the \nemployee\u2019s primary care provider will be able to assist with \nthis. \n\u2022 Health Services should be notified for further guidance." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 34, + "content": "\u2022 The employee should complete an incident report and \nWorker\u2019s Compensation form after the situation has been \nstabilized. \nLIST OF TERMS USED ABOVE \nBlood-borne infection: infectious germs present in blood that can \ncause disease in humans. \nCommunicable disease: an illness caused by an infectious agent \nor its toxins that occurs through the direct or indirect \ntransmission of the infectious agent or its products from an \ninfected individual or via an animal to a susceptible animal or \nhuman host." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular SHS-04 \nPage 14 of 14 \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember 2024 All staff should have universal precaution \nreview by school nurse \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nFax: 617-635-7937 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-13 \nVersion 01 \n \n \n \nTRANSPORTATION, MEDICAL ACCOMMODATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSome students may be eligible for transportation \naccommodation based on medical needs. The following \nguidelines and processes refer to transportation for student \nmedical indications only. Transportation accommodations for \nmedical needs do not include transportation accommodations \nwritten into an Individualized Education Program (IEP). \nBACKGROUND \nMedical transportation is warranted when a student\u2019s illness, \nmanaged by a health care professional, requires the assistance of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 2, + "content": "transportation as an accommodation to enable the student to \nattend school. Transportation accommodations for medical \nneeds should not substitute for treatment of specific medical \nconditions. The school, through the Student Support Team, is \nencouraged to explore creative solutions to assist these families \nwith extraordinary needs. Children with chronic medical \nconditions that cannot be remediated by medication or therapy \nmay be granted renewal each year. Renewal is collaboratively \ndetermined by the school nurse and central office staff. Schools \nwill be notified in the spring to begin the transportation renewal \nprocess. No student should be considered \u201crenewed\u201d until" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 2 of 11 \n \n \n \nreceiving written notification that will be sent according to the \nTransportation Office policy. \nPOLICY IMPLEMENTATION GUIDELINES \nParent/Guardian Role: \n\u2022 Inform the school nurse of medical diagnosis and provide \nsupporting medical documentation that may require \ntransportation as an accommodation. \n\u2022 Communicate with the school nurse and their child\u2019s health \ncare provider regarding the need for medical transportation. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Principal/Head of School Role:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 4, + "content": "School Principal/Head of School Role: \n\u2022 Review, discuss, and approve each case with the Student \nSupport Team and/or school nurse. \n\u2022 Designate a member of the Student Support Team to \ncollaborate with the school nurse to inform \nparents/guardians of eligibility determination. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Nurse Role: \n\u2022 Provide parents/guardians with a release of medical \ninformation form to be signed to obtain consent to speak \nwith the student\u2019s licensed health care provider." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 3 of 11 \n \n \n \n\u2022 Contact the licensed healthcare provider to inform them of \nthe BPS transportation accommodation policy, discuss the \nrequest submitted by the parent/guardian, and share \nclinical observations related to the child\u2019s medical condition. \n\u2022 Present the case to the Student Support Team, including \nnotes taken during discussions with the parent/guardian \nand licensed health care provider to determine the \nappropriate accommodations, if any. \n\u2022 Document all relevant and objective information related to \ntransportation in the student\u2019s electronic health record. \n\u2022 If the school nurse does not believe transportation is" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 6, + "content": "warranted based on the above criteria, but any other \nparticipant in the process disagrees, the case is referred to \nSchool Health Services for further clarification and \nresolution. \nStudent Support Team Role: \n\u2022 Discuss medical transportation request cases as referred by \nthe school nurse. \n\u2022 Each request should be considered individually, and other \noptions must be reviewed prior to authorization of medical \ntransportation. If additional support is needed, the Student \nSupport Team may make referrals for 504 or special \neducation concerns. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 7, + "content": "Department of Transportation at 617-635-9520." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 4 of 11 \n \n \n \nCoordinator of Special Education (COSE) Role: \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nshall discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs. As part of this \nconsideration, the team shall include the school nurse. If \nspecial transportation is found to be necessary for the \nstudent to benefit from special education services and make" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 9, + "content": "meaningful educational progress, it can be added to the IEP. \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education and related \nservices, the COSE will process the request for \ntransportation as appropriate. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Health Services Role: \n\u2022 A member of the Health Services administrative team will \nbe available to discuss any request for transportation as an \naccommodation for medical needs. \n\u2022 School Health Services will consult with any party involved" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 10, + "content": "in the transportation as an accommodation for the medical \nneeds process regarding the eligibility determination. \n\u2022 In some cases, School Health Services may overturn the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 5 of 11 \n \n \n \ninitial determination or provide recommendations for \nalternative accommodations to support the student\u2019s needs. \nDepartment of Transportation Role: \n\u2022 After approval, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen. \n\u2022 Collaborate with School Health Services regarding the \nmedical transportation renewal process. \n\u2022 Transportation requests for students who are healthy, but \nwhose parents or guardians are ill, will not be approved. \n \nELIGIBILITY DETERMINATION" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 12, + "content": "ELIGIBILITY DETERMINATION \nA student determined to be eligible: \n\u2022 The school nurse will fill out the Request for Medical \nTransportation form provided below and submit it to \nschool-based leadership for final approval; the signed form \nwill be sent via email to the school\u2019s Transportation Officer \nwithin the Department of Transportation by the school \nleader and/or school transportation coordinator. \n\u2022 Once approved, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 6 of 11 \n \n \n \nA student determined NOT eligible: \n\u2022 The parent/guardian will be notified by the principal \ndesignee in collaboration with the school nurse. \n\u2022 All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \n \nSPECIFIC GUIDELINES \nAsthma: Transportation as an accommodation for asthma is \nreserved for severe asthmatics that are adhering to a treatment \nplan, have a rescue inhaler at school, and have an Asthma Action \nPlan on file with the school nurse. If asthma impacts a student\u2019s" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 14, + "content": "ability to walk to a school bus or MBTA stop, further medical \nevaluation and treatment may be necessary and should be \ndiscussed with the child\u2019s health care provider. Even the most \ncompliant students with asthma may need medical \ntransportation during the cold winter months. Mild, episodic \nasthmatic students on intermittent medications do not qualify \nfor medical transportation. \nSickle Cell: Please refer to Superintendent\u2019s Circular SHS-25. \nAmbulation: Students with conditions that significantly affect \nambulation, such as leg braces, crutches, lower extremity \nfractures, or amputations may be eligible for transportation as an \naccommodation. Students who can ambulate and fully" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 15, + "content": "participate in the school program should not be authorized for \nmedical transportation. \nSeizure Disorder: Students experiencing current, intermittent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 7 of 11 \n \n \n \nseizure activity are eligible for transportation accommodation \nuntil stabilized. In general, if seizures are well controlled, medical \ntransportation will not be provided. \nEmotional/Behavioral Problems: Children with emotional and/or \nbehavioral issues which impact their transportation to or from \nschool should be discussed at the Student Support Team \nmeeting before any referral is made for this type of \ntransportation accommodation. ADHD, depression/anxiety, \nimpulsivity, and other behavioral issues have an impact on \nteaching and learning as well as school access. Behavioral" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 17, + "content": "modification and other modalities may be more beneficial to the \nchild\u2019s overall functioning than just transportation alone. The \nschool nurse will gather the medically relevant information for \nthe team. \nOther: Neuromuscular disorders, cardiac disease, and other \nmedical conditions should be reviewed on an individual basis; \nconsult with School Health Services as needed." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 8 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 9 of 11 \n \n \n \nREQUEST FOR TRANSPORTATION ACCOMMODATION, \nMEDICAL NEEDS \n(For school system use only) \nStudent Name _________________________Student ID # ____________ \nSchool_ _________________________________________________________ \nHours: _____________________________ \nTransportation will only be provided for the official hours of the \nschool. \nSchool Nurse (please print) ______________________________________ \nPrincipal/Head of School (please print) __________________________ \nDoes the student currently receive any kind of transportation \nfrom Boston Public Schools? \uf06fYes \uf06fNo" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 20, + "content": "from Boston Public Schools? \uf06fYes \uf06fNo \nIf yes, please describe why the additional accommodation is \nbeing requested. ________________________________________________ \n _________________________________________________________________ \nDoes the student currently receive services related to a 504 or \nIEP? \uf06fYes \uf06fNo \nIf yes, please discuss adding this accommodation to the student\u2019s \ncurrent educational plan, instead of submitting the request in \nthis manner. Call Health Services for additional information and \nsupport." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 10 of 11 \n \n \n \nMEDICAL CERTIFICATION: \nReason for request: ______________________________________________ \n _________________________________________________________________ \nHealthcare Provider/ Clinic Name: _______________________________ \nIs all relevant data documented in the student\u2019s electronic health \nrecord? \uf06f Yes \uf06f No \n \nDURATION OF MEDICAL TRANSPORTATION: Any \naccommodation lasting longer than 6-8 weeks will be reviewed \nby School Health Services in collaboration with the BPS \nDepartment of Transportation. \n\uf06f Wheelchair van #weeks _________ \n\uf06f Cold winter months \uf06f School year \n \nAUTHORIZATION:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 22, + "content": "AUTHORIZATION: \nDate the request was submitted to school nurse: ________________ \nDate the request was discussed at SST meeting: ________________ \nPrincipal/head of school signature ______________________________ \nDate: _______________________________ \nSchool nurse signature __________________________________________" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular SHS-13 \nPage 11 of 11 \n \n \n \nDate: _______________________________ \nName of Transportation Officer: _________________________________ \nDate faxed/emailed to Transportation Officer: ___________________ \n \n***************** \nDEPARTMENT OF TRANSPORTATION ONLY \nDate processed by Transportation Unit: _________________________" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-01 \nVersion 01 \n \nDRUG AND ALCOHOL MISUSE AND HARM REDUCTION \u2013 \nUPDATE ON PROCEDURES \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nEDUCATION OF STUDENTS IN THE PREVENTION OF ALCOHOL, \nMARIJUANA, TOBACCO AND OTHER DRUG DEPENDENCY \n \nWhile substance misuse prevention and harm reduction should \nbe a part of a comprehensive health education program, certain \ncurricula should be used to complement and supplement health \neducation curriculum materials for grades K-12. Substance \nmisuse prevention and harm reduction may also be integrated \ninto reading/language arts, social studies, and science classes." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 2, + "content": "The National Health Education Standards and performance \nexpectations provide the functional health knowledge, beliefs, \nand skills necessary for students to adopt and maintain healthy \nbehaviors, reduce risk behaviors associated with substance \nmisuse, achieve health literacy, and enhance health outcomes. \n \nThe Boston Public Schools scope and sequence for Health \nEducation recommends the following substance prevention \ncurriculum, including:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 2 of 9 \n \n\u2022 CATCH Curriculum Grades K-6: Tobacco, Alcohol and Other \nDrug Prevention (contact the Office of Health and Wellness \nfor access); \n\u2022 Essential Health Skills for Middle Schools & High Schools, G-\nW Publisher: Tobacco, Alcohol and Other Drug Prevention \n(contact the Office of Health and Wellness for access); \n\u2022 Stanford University K-12, Tobacco Prevention Toolkit, which \nincludes e-cigarette use of any type, including nicotine, \ncannabis/THC, and/or non-nicotine products; \n\u2022 Stanford University Grades 6-12, Cannabis Awareness and \nPrevention Toolkit. \n \nEARLY IDENTIFICATION AND INTERVENTION" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 4, + "content": "EARLY IDENTIFICATION AND INTERVENTION \nEven though a student may not possess or use substances at \nschool, they may still have serious problems involving alcohol or \ndrugs that demand the attention and assistance of school \npersonnel. School nurses, school counselors and social \nworkersphave been trainedin identification and the medical \neffects of substance use or addiction. The District will continue to \nprovide in-service programs and workshops, to craise staff \nawareness, understand the protocols and procedures in place \nwhen dealing with a student who is suspected of using or has \nbeen identified as needing support regarding substance abuse." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 5, + "content": "School staff should be alert to those symptoms in students which \nmay indicate problems with substance abuse and follow the \nprotocols outlined in this circular. \nThese symptoms may include one or more of the following: \nabrupt change in mood or attitude; sudden decline in attendance" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 3 of 9 \n \nor performance in school; sudden resistance to discipline; \nimpaired relationships with family or friends; drowsiness or \ninattention to discussion or surroundings; weight loss; inattention \nto dress; unusual flare-ups of temper; stealing; heightened \nsecrecy about actions or possessions; and association with new \nfriends, especially with individuals known to be substance users. \n \nSCREENING \nScreening, Brief Intervention, and Referral to Treatment (SBIRT) \nfocuses on prevention, early detection, risk assessment, brief \ncounseling and referral for assessment that can be utilized in the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 7, + "content": "school setting. This tool is frequently used by the school nurse to \nassess the acuity of the problem and to develop next steps. Use \nof a validated screening tool will enable BPS school teams to \ndetect risk for substance use related problems and brief \nintervention strategies will help to address these concerns at an \nearly stage in adolescents. \nIn March 2016, the Massachusetts Legislature enacted an Act \nrelative to Substance Use, Treatment, Education and Prevention \n(STEP Act), which outlines the requirements for public schools in \nthe Commonwealth to engage in substance use screening and \neducation. Legislation can be found at" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 8, + "content": "education. Legislation can be found at \nhttps://malegislature.gov/Laws/SessionLaws/Acts/2016/Chapter52 \n(see Sections 15, 63, 64, 66). \nBPS has implemented the use of the approved and validated \nCRAFFT-II screening tool that is approved by the Massachusetts \nDepartment of Public Health (DPH) and Department of \nElementary and Secondary Education (DESE). Per legislation, \nSBIRT screening will be provided annually to students in grades 7" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 4 of 9 \n \nand 9. Parents/guardians must be notified about the screening \nprior to the start of the year and must be given the option to opt \nout in writing. Please Refer to SBIRT in Schools. Staff conducting \nthe SBIRT screening must complete a mandatory training \nthrough the MA Department of Public Health/BU Shield. \nSBIRT in Schools Resource Toolkit \n \nCOUNSELING/REFERRAL \nWhen it is suspected that a student is either using or abusing \nmarijuana, alcohol or other drugs, or there are strong indications \nthat such is the case, the student should be referred to the school \nnurse for a wellness check, the school social worker and the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 10, + "content": "parent/guardian/caregiver shall be notified. The student may be \nreferred to the Student Support Team(SST) and/or the school \nadministrator for a referral to the voluntary Substance Use \nProgram (SUP) at Succeed Boston. The Substance Use Program \n(SUP) is a voluntary program for students whose use of drugs or \nalcohol is of concern. The program provides education and \ncounseling about the effects of drugs, alcohol, and vaping and \nprovides students with alternative ways to deal with stress. \nReferral for outside services will be provided as needed. The \nstudent may participate in the voluntary intensive program for \nup to five days and upon discharge will be referred to appropriate" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 11, + "content": "outside services. Students may be referred to the Student \nSupport Team (SST) by teachers or by any other school staff \nmember. Students may self-refer because of a problem with \nsubstance abuse. The team should be prepared to assist the \nstudent by providing them with a source of early intervention in" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 5 of 9 \n \nthe form of individual or group counseling by a provider agency \nwhich serves the school or is available in the community. \n \nRE-ENTRY \nFollow-up is a crucial phase of a student's recovery after \nreturning from treatment for substance abuse. An after-care \nprogram should be devised by school staff in collaboration with \nthe facility which has provided treatment services. The plan \nshould include a review of the student's school program with \nparents, guidance counselor, and case manager; placements in \nan appropriate class schedule; and follow-up meetings. \n \nREPORTING OF INCIDENTS RELATED TO DRUG/ALCOHOL USE" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 13, + "content": "1. All School Department personnel are under obligation to \nreport to the principal, head of school, or other designated \nadministrator any and all incidents or suspected incidents \ninvolving the use, possession, or distribution of any drug, \nalcoholic beverage, while they are under the authority of the \nBoston School Department. \n \n2. All School Department personnel are to understand that in \nthe event they are subpoenaed to testify in a court of law or \nother proceeding, they are obligated to reveal any \ninformation pertaining to drug, alcohol, and weapons \nincidents, even if such information was given to them in \nconfidence." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 6 of 9 \n \n3. All School personnel are to understand that they are \nprohibited from \"making deals\" with students whereby they \nagree not to notify law enforcement agencies of known or \nsuspected illegal activities involving drug, alcohol, \n \n4. Each and every incident or suspected incident is to be \nreported immediately to the appropriate principal, head of \nschool or designated administrator, in accordance with \nSchool Department policy and procedure. \n \n5. Students are considered to be under the authority of the \nBoston School Department when they are on School \nDepartment property, on School Department buses, at or" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 15, + "content": "near school bus stops, while on their way to or from school, \nor participating in school sponsored activities conducted off \nschool grounds. \n \n6. Any student who is suspected of or who has admitted to \nbeing under the influence of drugs or alcohol must be \nimmediately escorted to the office of the principal, head of \nschool, or designated administrator. \n \n7. Students involved in incidents described in items 1, 5, and 6 \nshall be considered in Massachusetts General Laws, Chapter \n94C (Controlled Substances Act), Chapter 138 (Alcoholic \nLiquors), Chapter 119 (Protection and Care of Children and \nProceedings against Them), and Chapter 169-10 (Dangerous \nWeapons, Unlawfully Carrying)." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 7 of 9 \n \n8. Use of drugs and/or alcohol is prohibited.Students deemed \nto be in violation of school rules after an investigation by the \nprincipal, head of school or designated administrator will be \nappropriately disciplined, but law enforcement and EMS \nassistance may be requested in cases where it is apparent \nthat the student is engaging in disorderly or dangerous \nbehavior. \n \n9. In some cases, if a student is found to be in possession of \ndrugs, alcohol or weapons or to be under the influence of \ndrugs or alcohol is to be considered in violation of \nMassachusetts General Law. In such cases the principal," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 17, + "content": "head of school, or designated administrator is obligated to \nsummon the Boston Police Department, which will assume \nresponsibility for criminal prosecution in the event that such \nprosecution is warranted. \n \n10. In all such cases where students are found or suspected to \nbe involved in any incident involving substance abuse, a \nsafety specialist will take custody of any and all evidence \nincluding drugs and alcohol. \n \n11. The Department of Safety Services will coordinate record-\nkeeping functions." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 8 of 9 \n \nDISCIPLINARY PROCEDURES RELATING TO DRUG/ALCOHOL \nABUSE \n \n1. Sections 7.7 .1 of the Code of Conduct requires that sale, \ndistribution, or possession with intent to sell or distribute of \nany prescribed or non-prescribed controlled substances in \nschool, on school grounds, or while under school jurisdiction \nmay result in expulsion. \n \n2. Section 7.4.2 of the Code of Conduct allows for suspension, \nlong term suspension, alternative program placement, or \nexpulsion if a student is found in possession of any non-\nprescribed controlled substance, narcotic drug, \nhallucinogenic drug, amphetamine, barbiturate, marijuana," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 19, + "content": "alcoholic beverage, or intoxicant of any kind. \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SHS-01 \nPage 9 of 9" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-25 \nVersion 01 \n \n \n \nSICKLE CELL DISEASE POLICY AND IMPLEMENTATION \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY BACKGROUND \nBPS recognizes that a clear, comprehensive policy on Sickle Cell \nDisease (SCD) management in school can have an impact on \nacademic achievement and support the general wellbeing of \nstudents with SCD. \n \nPOLICY STATEMENT \nBPS acknowledges that SCD is a disability that substantially \nlimits a major life activity, and qualifies students with SCD for a \ncomprehensive evaluation and consideration of eligibility under" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 2, + "content": "Section 504 of the Rehabilitation Act of 1973 (Section 504) to \ndetermine the services and accommodations they may need to \nattain a free appropriate public education. As part of BPS\u2019s \ncommitment to maintaining an educational environment that is \nwelcoming, inclusive, and encouraging, such that all students are \nable to flourish, all schools must follow established protocols and \nprocedures for addressing the needs of children with SCD and \nregularly evaluate the implementation of these plans." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 2 of 12 \n \n \n \n \nBPS acknowledges that the successful implementation of this \npolicy at the district and school levels relies on fostering and \nmaintaining a culture of awareness and acceptance regarding \nSCD through acknowledging the history of SCD and the unique \nchallenges students with SCD face. With this in mind, BPS \nrecognizes that: \n\u25cf People with SCD have long faced harmful stigmas, many \nwith racially charged origins. \n\u25cf People with SCD are often challenged about the seriousness \nof their disease or even its existence. \n\u25cf Students with SCD have long experienced barriers to their \nhealth and success at school." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 4, + "content": "health and success at school. \n \nIMPLEMENTATION IN BOSTON PUBLIC SCHOOLS \nSickle Cell Disease Basics \nSCD refers to a group of genetic blood disorders. It affects \nindividuals of all races and ethnicities, but in the United States it \nis especially prevalent among African Americans and Hispanics. \nComplications include but are not limited to severe anemia, \nsusceptibility to infections, insomnia, jaundice, frequent \nurination, dehydration, chronic pain, and episodes of extreme, \ndebilitating pain. Pain episodes (also known as \u201ccrises\u201d) can cause \ntissue and organ damage, lead to hospitalizations, and have life-\nthreatening consequences. People with SCD are also at" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 5, + "content": "heightened risk for anxiety, depression, post-traumatic stress" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 3 of 12 \n \n \n \n \ndisorder, social isolation, delayed social development, visible \nstrokes, and \u201csilent strokes\u201d that may go unnoticed but can affect \nlearning abilities in the short and long terms. Pain episodes and \nother complications may be triggered by a wide variety of \nphysical and psychological stressors. \nAs a result of these complications and the side effects of \nmedications, many children with SCD experience frequent \nabsences and difficulty focusing or engaging as they usually do \nat school, particularly with regard to physical activities. On days \nfree from harsher symptoms and side effects, many students" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 7, + "content": "with SCD still experience baseline symptoms and health \nvulnerabilities that require modifications to standard \nparticipation requirements. \nAdditionally, the biology and history of SCD create the following \nunique challenges: \n\u25cf SCD pain is often \u201cinvisible.\u201d People with SCD learn coping \nmechanisms (such as staying still and quiet) that may seem \ncounterintuitive. SCD pain therefore often goes undetected \nby others, leading to challenges about the seriousness or \nexistence of the pain. \n\u25cf Symptoms such as jaundice, short stature, and delayed \nsocial development, along with repeated absences, can \nmake students with SCD targets of bullying and \nharassment." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 8, + "content": "harassment. \n\u25cf Medications used to treat people with SCD, such as opioid \npain medications and hydroxyurea (a chemotherapy drug" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 4 of 12 \n \n \n \n \nthat can also help some people with SCD), can cause serious \nand disruptive side effects and carry stigmas of their own. \n\u25cf Individuals with SCD have historically been stigmatized in \nthe community, hospitals, schools, the armed services, and \nplaces of employment. Labeled a \u201cBlack disease,\u201d SCD has \nhistorically been associated with claims of racial weakness \nand genetic inferiority. \n \nOVERVIEW \u2013 ADDRESSING NEEDS OF BPS STUDENTS WITH SCD \nA. CHILD FIND: Identification, Location, Immediate \nAccommodations & Evaluation \n \n1. Identification and Location \nBPS acknowledges that, due to the stigmas noted above, many" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 10, + "content": "parents choose not to identify their child with SCD instead of \nseeking supportive services and accommodations for their \nchildren. To overcome this challenge, BPS utilizes multiple \nstrategies as part of an outreach and public awareness campaign \nto raise awareness of SCD and its effects on learning to assure \nfamilies that BPS is a willing partner to create a community of \nsupport, collaboration, and understanding around students with \nSCD. These strategies include but are not limited to: \n\u25cf Collaboration with local medical centers that treat \nchildren with SCD and leveraging these to develop \nstrategies for identification and location (e.g., sharing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 5 of 12 \n \n \n \n \noutreach materials with clinics, providing \u201cknow your \nrights\u201d materials for families in clinics that see students \nwith SCD, meeting with medical providers to develop \nadditional strategies etc.) \n\u25cf Ensuring that all communications are available in \nmultiple languages and/or modes in order to be \naccessible to all families \n\u25cf Ensuring that the outreach and public awareness \ncampaign includes outreach to preschools, early \nintervention providers and community support \nproviders, who are likely to have students that are or \nwill enroll in BPS (i.e. located in Greater Boston) \n\u25cf Additional strategies developed with input from the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 12, + "content": "SCD Advisory Group \n \nSpecific considerations regarding enrollment: \nUpon identifying a child with SCD at enrollment, BPS ensures \nproper placement in a school with appropriate health and related \nservices. Given stigmas related to SCD, BPS gives special \nattention to ensuring the privacy of students with SCD. This \nincludes appropriately limiting the scope of releases parents sign \nregarding disclosures of their child\u2019s SCD status. Further, BPS \nensures appropriate efforts are made to initiate and maintain \nconnections between school health staff and students with SCD, \ntheir parents, and their medical teams upon enrollment of the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 13, + "content": "student (or upon identification if after enrollment). This includes" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 6 of 12 \n \n \n \n \nproviding information to parents and school health staff and \nensuring privacy rights are maintained. \n \n2. Interim Services/Supports Pursuant to Section 504 \nBPS acknowledges that, because SCD is a physical disability that \nsubstantially limits major life activities, students with SCD are \nentitled to certain accommodations upon identification and \nlocation to ensure their health, safety, and equal educational \nopportunities, pending the completion of a comprehensive \nevaluation. All rights and protections pursuant to Section 504, \nincluding procedural safeguards, are ensured upon identifying" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 15, + "content": "and locating students with SCD. BPS ensures that the interim \naccommodations implemented pursuant to Section 504 include \nthe following: \n\u25cf Two sets of textbooks, one for school and the other for \nhome \n\u25cf Unlimited bathroom access as needed \n\u25cf Unlimited access as needed to the school nurse or \nschool health official \n\u25cf Unlimited access as needed to communicate with \nparent and/or physician if they are experiencing \nsymptoms that are unfamiliar or are ones their \nphysicians told them to contact them about if \nexperienced" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 7 of 12 \n \n \n \n \n\u25cf Unlimited water access as needed through access to a \nwater bottle and water fountains \n\u25cf Time/permission to access medication (including \nprescribed opioids), as needed \n\u25cf Permission to wear a coat indoors whenever feeling \ncold and to stay indoors or be exempt from outdoor \nactivities whenever it is too hot, too cold, or when air \nquality is poor \n\u25cf Permission to move away from indoor AC or heating \nunits \n\u25cf Consideration for door-to-door transportation, except \nin the very limited circumstances where it would be \nimpractical (e.g., student resides next door or across \nthe street from the school building they attends)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 17, + "content": "\u25cf Permission to access an elevator, if relevant, and to \nleave class early to get to the next one (or alternatively, \nextra time between classes) \n\u25cf Modified participation in gym class, based on student \nneeds \n\u25cf Proactive plans to address academic and \nsocial/emotional supports upon return to school from \nabsences including supplemental instruction provided \nby qualified subject-area teachers and service \nproviders in order to scaffold missed and ongoing \ninstruction in the classroom and to enable students to \ncatch up with and stay on pace with classmates" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 8 of 12 \n \n \n \n \n3. Comprehensive Evaluation \nBPS ensures that all students with SCD receive a timely, \ncomprehensive evaluation of all areas of suspected disability to \ndetermine the nature and extent of a student\u2019s need, if any, for \nspecialized instruction or related aids and services. BPS ensures \nthat a neuropsychological evaluation is considered as part of a \ncomprehensive evaluation for any student with SCD. \n \nB. FREE APPROPRIATE PUBLIC EDUCATION \nTo address needs for students with SCD, BPS ensures that\u2014as \npart of special education and related services that may be \nidentified through comprehensive evaluations\u2014any 504 plans" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 19, + "content": "and/or IEPs specifically address challenges students with SCD \nface related to health and safety needs, academic needs, social-\nemotional needs, resuming school after absences, and \nstagnations and/or declines in academic progress or \nperformance. BPS therefore ensures the utilization of a checklist \nof potential accommodations at each Section 504/IEP Team \nmeeting for a student with SCD. The checklist is considered in \naddition to all other appropriate services and supports \ndetermined necessary for an individual student with SCD to \nreceive a free appropriate public education. BPS ensures that \ndocumentation of each item\u2019s consideration by the 504 or IEP" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 20, + "content": "team is included in meeting minutes and provided to parents." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 9 of 12 \n \n \n \n \nBPS ensures that neither Individual Health Plans (IHPs) nor \nIndividual Collaborative Health Plans (ICHPs) are used in lieu of a \n504 Plan, IEP or interim accommodation plan. \nAdditional points requiring particular attention: \n1. Continually Updating Health and Safety Services/Supports \nBPS ensures that the 504 Plans and/or IEPs of children with SCD \nreflect the up-to-date health and safety needs of the child, \nrecognizing that these needs may change during the course of \nthe year. BPS ensures that any new information received \nregarding changed needs for a student with SCD will be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 22, + "content": "addressed in light of the student\u2019s 504 Plan or IEP. \n \n2. Tracking Effects of Absences and Sudden Changes in \nNeeds \nBPS ensures that, when a child with SCD has had absences and \nthere has been a lack of expected progress toward annual goals \nin an IEP and/or in the general curriculum, discussions are \npromptly held regarding how the absences are interfering with \nacademic progress and how this interference can be overcome, \nincluding consideration of instruction in the summer. BPS also \nensures that sudden drops in academic performance and sudden \nincreases in social-emotional needs that are experienced by \nstudents with SCD are detected and responded to appropriately." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 23, + "content": "3. Designation Director of Constituent Services If and When \nServices or Supports Are Not Provided" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 10 of 12 \n \n \n \n \nBPS ensures that students with SCD, their parents, and (with \nproper consent/privacy precautions) their medical team have \naccess to the Boston Public Schools Director of Constituent \nServices to escalate concerns they have about a child with SCD \nnot receiving a free appropriate public education. This process is \nseparate from and does not preclude due process and grievance \nrights available under Section 504 and IDEA. These mechanisms \nare necessary given the severity and swiftness of the health, \nacademic, and social-emotional consequences that can occur for \nchildren with SCD. \n \nC. ENSURING APPROPRIATE CULTURE WITHIN BPS" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 25, + "content": "C. ENSURING APPROPRIATE CULTURE WITHIN BPS \nREGARDING SCD \nBPS ensures that the culture regarding SCD with BPS includes: \n\u25cf believing students with SCD when they communicate that \nthey: are in pain, are having some other complication, or are \nunable to perform a certain task due to their symptoms \n\u25cf not blaming or shaming students with SCD or their parents \nfor their challenges \n\u25cf identifying challenges quickly and working collaboratively \nto find appropriate solutions \n\u25cf facilitating awareness that children with SCD are members \nof school communities \n\u25cf facilitating an understanding of what SCD is and its \nimplications for health and safety" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 11 of 12 \n \n \n \n \n\u25cf facilitating an understanding of the services/supports that \nstudents with SCD may need to ensure their health and \nsafety, as well as an understanding of the importance of \nadhering to these accommodations \n\u25cf facilitating an understanding of the special education and \nrelated services a student with SCD may need to ensure \ntheir access to a free appropriate public education \n \n1. Awareness and Trainings \nAs part of ensuring an appropriate culture regarding SCD, BPS \nconducts ongoing outreach and public awareness campaigns \nthat address each aspect of an appropriate culture described" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 27, + "content": "above. BPS also conducts ongoing training for all teachers, \nadministrators, nurses, and other relevant staff. Training covers all \nnecessary topics to ensure that all BPS staff coming into contact \nwith students with SCD have the necessary knowledge and \nawareness to properly implement all policies, protocols, and \nprocedures regarding SCD and to appropriately support the \nstudent with SCD. School nurses receive additional periodic \ntraining in managing the medical needs of students with SCD. \n \n2. Scope and Frequency of Awareness and Training Activities \nBPS ensures that awareness and training efforts are wide enough \nin scope to reach all appropriate personnel and repeat with" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 28, + "content": "enough frequency to reach any new or temporary personnel who \nmay enter over the course of a school year." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular SHS-25 \nPage 12 of 12 \n \n \n \n \nD. DATA MONITORING \nBPS conducts sufficient data monitoring to track successes and \nfailures in the implementation of its policies, protocols, and \nprocedures regarding SCD. This monitoring includes \ndocumenting instances where students with SCD, their parents, \nand/or their medical team had to escalate concerns about health \nand safety services/supports being provided or followed and/or a \nfree appropriate public education being properly provided. The \ndata produced is regularly reported through summary statistics \nwithout personally identifiable information to the SCD Advisory" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 30, + "content": "Group and publicly via BPS website postings and press releases. \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nSHS-08 \nVersion 01 \n \nMEDICATION ADMINISTRATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY FOR ADMINISTRATION OF MEDICATIONS \nThe school nurse is the supervisor of the medication \nadministration program in the school. The school nurse is the \nonly staff authorized to administer medication except in two \nsituations: (1) during field trips and (2) in the event of a life-\nthreatening allergic reaction requiring administration of \nEpinephrine via an autoinjector. The school nurse is responsible \nfor training designated staff in the administration of medication" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 2, + "content": "in these two situations. This policy is in accordance with \nMassachusetts state regulations for administration of medication \nin public schools (105 CMR 210.000). The protocol has been \napproved by the Massachusetts Department of Public Health. For \nmore detailed information, please refer to the 105 CMR 210: \nDEPARTMENT OF PUBLIC HEALTH \nPROTOCOL FOR ADMINISTRATION OF MEDICATION \nThis section is a summary of the medication protocol. The full \nprotocol is in the Nurses\u2019 Protocol and Procedure Manual and \ncontains the referenced forms." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 2 of 14 \n \nGeneral: \n\u25cf The school nurse shall be the supervisor of the medication \nadministration program in the school. \n\u25cf All school nurses will have read the complete Medication \nPolicy and 105 CMR 210.000- THE ADMINISTRATION OF \nPRESCRIPTION MEDICATIONS IN PUBLIC AND PRIVATE \nSCHOOLS annually. \n\u25cf The school nurse, in collaboration with the parent or guardian, \nshall establish a medication administration plan for each \nstudent receiving medication, in accordance with the details of \nthe full medication policy. \n\u25cf In accordance with standard nursing practice, the school nurse \nmay refuse to administer, or allow to be administered, any" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 4, + "content": "medication which, based on their individual assessment and \nprofessional judgment, has the potential to be harmful, \ndangerous, or inappropriate. In these cases, the \nparent/guardian and licensed prescriber shall be notified \nimmediately by the school nurse and the reason for refusal \nexplained. The school nurse will document the above in the \nelectronic medical record (EMR). \n\u25cf Health Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. \nWhen inconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. When" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 5, + "content": "inadequacies continue (despite appropriate counseling and \nsupport), the issue and the measures taken will be \ndocumented in the nurse\u2019s performance evaluation. Auditing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 3 of 14 \n \nwill occur as part of routine site visit or as incidents deem \nnecessary. \nHandling, Storage, and Disposal of Medications \n\u25cf All prescription medications shall lie stored in their original \npharmacy or manufacturer labeled containers and, in such \nmanner, as to render them safe and effective. \n\u25cf All prescription medications to be administered by school \npersonnel shall be kept in a securely locked cabinet used \nexclusively for medications, which is kept locked except when \nopened to obtain medications. The medication cabinet is to be \naccessed solely by the school nurse. The cabinet shall be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 7, + "content": "substantially constructed and anchored securely to a solid \nsurface. Prescription medications requiring refrigeration shall \nbe stored in either a locked box in a refrigerator or in a locked \nrefrigerator maintained at temperatures of 38F to 42F. \n\u25cf Access to stored prescription medications shall be limited to \npersons authorized to administer prescription medications and \nto self-medicating students, to the extent permitted by school \npolicy developed pursuant to 105 CMR 210.006(B)(8). Access to \nkeys and knowledge of the location of keys shall be restricted \nto the maximum extent possible. Students who are self-\nmedicating shall not have access to other students\u2019 \nmedications." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 8, + "content": "medications. \n\u25cf Parents or guardians may retrieve the prescription \nmedications from the school at any time. \n\u25cf No more than a 30 school-day supply of the prescription \nmedication for a student shall be stored at the school." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 4 of 14 \n \n\u25cf Where possible, all unused, discontinued, or outdated \nprescription medications shall be returned to the parent or \nguardian and the return appropriately documented. In \nextenuating circumstances, with parental consent, when \npossible, such prescription medications may be destroyed by \nthe school nurse in accordance with any applicable policies of \nthe Massachusetts Department of Public Health, Division of \nFood and Drugs. \n\u25cf The school nurse is responsible for maintaining the \nconfidentiality of a students\u2019 health record, including \nmedications. Do not discuss or share information about" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 10, + "content": "students or medications with other school staff or people \noutside school unless directed to do so by the school nurse. \nRefer all questions or comments about students or \nmedications to the school nurse. \nMedication Orders/Parental Consent \n\u25cf The school nurse shall ensure that there is a proper medication \norder from a licensed prescriber which is renewed annually \nand when changes are made to the orders. The \nparent/guardian must sign a consent for the administration of \nthe medication every time a change is made. \n\u25cf A new order must be obtained at the beginning of the \nacademic year for all daily medications/treatments and any \nPRN medications." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 11, + "content": "PRN medications. \n\u25cf All students with medication orders should have a medication \nadministration plan and an IHP. \n\u25cf Medication orders will be transcribed into the Electronic \nMedical Record (EMR) using the date the order was written by" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 5 of 14 \n \nthe prescriber until the end of the school year. (The official end \nof the school year is the last day of the Extended School Year \n(ESY) program. \n\u25cf A telephone order or an order for any change in medication \nshall be received only by the school nurse. Any such verbal \norder must be followed by a written order within three school \ndays. \n\u25cf The prescriber Medication Order form should be used. It is \nrecommended that the Boston Public Schools Medication \nOrder Form be completed by the prescriber, as the form \ncontains the necessary information about the medication. \nOrders may be accepted from a prescriber that has not used" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 13, + "content": "the BPS Medication Order form as long as all necessary \ninformation is on the letter or form. The parent/guardian must \nconsent to the administration of medication in school. \nReporting and Documentation of Medication Errors \n\u25cf A medication error includes any failure to administer \nmedication as prescribed for a particular student, including \nfailure to administer the medication: \n\u25cf within appropriate time frames (the appropriate time frame \nshould be addressed in the medication administration plan) \n\u25cf in the correct dosage \n\u25cf in accordance with accepted practice \n\u25cf to the correct student \nIn the event of a medication error, the school nurse shall notify" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 14, + "content": "the parent or guardian immediately. (The school nurse shall \ndocument the effort to reach the parent or guardian.) If there is a" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 6 of 14 \n \nquestion of potential harm to the student, the nurse shall also \nnotify the student's licensed prescriber or school physician. \nMedication errors shall be reported to the Health Services \nnursing leadership and documented by the school nurse utilizing \nthe medication error report form. These reports shall be retained \nby Health Services leadership and within the student electronic \nhealth record where applicable. They shall be made available to \nthe Department of Public Health upon request. \nAll medication errors resulting in serious illness/injury requiring \nmedical care shall be immediately reported to the Health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 16, + "content": "Services leadership who will make the decision, as necessary, to \nfurther report to the Department of Public Health, Drug Control \nProgram utilizing the Drug Incident Report. \nAll suspected diversion or tampering of drugs shall be reported to \nthe Health Services nursing leadership and to the Department of \nPublic Health, Division of Food and Drugs. \nThe school nurse shall review reports of medication errors and \ntake necessary steps to ensure appropriate medication \nadministration in the future. \nOver The Counter (OTC) Medications, i.e., Non-Prescription \nMedications \n\u25cf The school nurse shall follow the Board of Registration in \nNursing protocols listed in their Advisory Ruling (AR)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 17, + "content": "Medication Administration of Over-the-Counter Drugs (AR 92-\n05) regarding required provider orders and safety steps in the \nadministration of OTC medications in schools. (Board of \nRegistration in Nursing Advisory Ruling 92-05" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 7 of 14 \n \n\u25cf The school physician is responsible for the OTC Standing \nOrders policy, in consultation with the Office of Health Services \nnursing leadership and feedback from the school nurse body \nand will sign off on a standing order for administration of OTC \nmedications (Appendix). \n\u25cf OTC medications may only be administered once during any \nschool day (except as noted). If requested more than two times \nin any given week, or a pattern of regular usage develops, the \nschool nurse will contact the parent/guardian for provider \nguidance per Standing Order protocol. \n\u25cf OTC medication may NOT be administered without parental \npermission." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 19, + "content": "permission. \n\u25cf A one-time dose of an OTC medication may be administered \nwith verbal parental/guardian consent in the event that a \npaper consent form has not been signed, the parent/guardian \nmust return a signed consent form within two school days \nfollowing the administration for future administration. \nHerbal Preparations \n\u25cf Herbal preparations/medications are to be considered over-\nthe-counter medications and are subject to the same \nregulations and require parental permission. \n\u25cf Herbal preparations/medications must be listed in the U.S. \nPharmacopeia (USP.org) in order to be given in school. \n\u25cf The OTC standing orders do not cover herbal" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 20, + "content": "\u25cf The OTC standing orders do not cover herbal \npreparations/medications and require a prescription from an \nappropriate and duly licensed prescriber." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 8 of 14 \n \nSpecial Medication Situations \n\u25cf For short-term medications, i.e., those requiring administration \nfor ten school days or fewer, the pharmacy-labeled container \nmay be used in lieu of a licensed prescriber\u2019s order. \n\u25cf Investigational new drugs may be administered in the schools \nwith (a) a written order by a licensed prescriber, (b) written \nconsent of the parent or guardian, and (c) a pharmacy-labeled \ncontainer for dispensing. If there is a question, the school \nnurse may seek consultation and/or approval from the school \nphysician to administer the medication in the school setting. \nControlled Substances" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 22, + "content": "Controlled Substances \n\u25cf Students may require medications that fall under the category \nof \u201ccontrolled substances.\u201d \n\u25cf The detailed protocol for administration of controlled \nsubstances is in the BPS Nurses Protocol and Procedure \nManual. \nMedications During Transport \n\u25cf Asthma exacerbations may occur while in transport. A self-\nmedication plan would address this issue and allow for the \nchild to carry and self-administer the medication without the \nsupervision of the school nurse. The student should be advised \nto report to the school nurse if they require treatment en route \nto or from school. \n\u25cf Emergency medications, other than Epinephrine, cannot be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 23, + "content": "administered by the bus driver/transportation monitor. The \ndriver is expected to pull over and call 911 EMS if there is an" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 9 of 14 \n \nemergent need and there are no licensed personnel \naccompanying the child. \nAnaphylaxis \n\u25cf Nurses, in conjunction with building administrators, MUST \nhave a plan in place to ensure the safety of those children with \nlife threatening allergies requiring the administration of \nEpinephrine. \n\u25cf In the event of a life-threatening, previously undiagnosed \nanaphylactic reaction, the school nurse may administer \nepinephrine in the protocol dosages. \n\u25cf The school physician is responsible for reviewing and renewing \nthe anaphylaxis protocol on an annual basis. \n\u25cf Refer to Superintendent Circular SHS-11 \u201cLife Threatening" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 25, + "content": "Allergies (LTA or Anaphylaxis)\u201d for specifics. \nAsthma \n\u25cf If a child with known asthma has a severe exacerbation while \nat school and there is no order for medications administered \nvia nebulizer from the child\u2019s primary care provider, the nurse \nmay administer a nebulizer or Metered Dose Inhaler (MDI) \ntreatment, under the school physician\u2019s order and according to \nthe asthma protocol (BPS protocol and procedure manual). \n\u25cf The emergent use of nebulizer should occur within the context \nof the child\u2019s primary or specialty care management. After the \nfirst episode of medication administered via nebulizer or MDI \nutilizing standing orders, every effort should be made to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 26, + "content": "secure a treatment plan which includes use of PRN nebulizer \nwith feedback to the family and/or the primary care provider." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 10 of 14 \n \n\u25cf If there are no subsequent medication treatment orders from \nthe patient\u2019s primary care provider, the parent will be notified \nand 911 will be accessed in the event of an asthma \nexacerbation. \nDelegation/Supervision for Field Trips and Life-Threatening \nAllergic Reactions \n\u25cf The school nurse shall have final decision-making authority \nwith respect to delegating administration of medications to \nunlicensed personnel in the school system. Boston Public \nSchools is registered with the Department of Public Health \nand has chosen to limit delegation to field trips only. \n\u25cf When medication administration is delegated by the school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 28, + "content": "nurse to unlicensed school personnel, such personnel shall be \nunder the supervision of the school nurse for the purposes of \nmedication administration. \n\u25cf After consultation with the principal or administrator \nresponsible for a given school, the school nurse shall be \nresponsible to select, train, and supervise the school personnel \napproved by the school nurse to administer medications on \nfield trips. When necessary to protect student health and \nsafety, the school nurse may rescind such selection. \n\u25cf A school nurse shall be on duty in the school system while \nmedications are being administered by designated unlicensed \nschool personnel, and available by telephone should" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 29, + "content": "consultation be required. \n\u25cf The administration of parenteral medications may not be \ndelegated." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 11 of 14 \n \n\u25cf Medications to be administered pursuant to PRN (\u201cas needed\u201d) \norders may be delegated to be administered by authorized \nschool personnel while on a field trip after an assessment by or \nconsultation with the school nurse for each dose. \nNote: any medications that require a nursing assessment \nmay not be delegated with the exception of asthma \nmedications. \n\u25cf For each school, an updated list of unlicensed school \npersonnel who have been trained in the administration of \nEpinephrine shall be maintained by the school nurse. Upon \nrequest, a parent shall be provided with a list of school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 31, + "content": "personnel trained to administer medications on field trips and \nin life threatening cases. Note: It is the expectation that all \nschool staff are trained by the school nurse in Epinephrine via \nan autoinjector administration twice a year and complete a \nreturn-demonstration to the nurse. \n\u25cf Designated, trained medication delegation school personnel \nshall be listed on the specific student\u2019s medication \nadministration plan. \n\u25cf Principals/head of school or the district department \nsponsoring the trips have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparts internal" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 32, + "content": "protocols for field trip requests and approvals at the school \nlevel. \n\u25cf Before approval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 12 of 14 \n \nbefore the field trip is secured. For additional questions, please \nconsult the Health Services Department. Additionally, to \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure (much longer for international \nand overnight field trip programs), consult with, and when \nnecessary, receive training from the school nurse regarding \nany students who have medical needs. \n\u25cf Refer to Superintendent\u2019s Circular CAO-22 General Guidelines \nand Procedures for All Field Trips for additional information. \nSelf-Administration of Medications \nConsistent with school policy, students may self-administer" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 34, + "content": "prescription medication provided that certain conditions are met. \nFor the purposes of 105 CMR 210.000, \u201cself-administration\u201d shall \nmean that the student is able to consume or apply prescription \nmedication in the manner directed by the licensed prescriber, \nwithout additional assistance or direction. \nFor a child to self-administer, the following must be in place: \n\u25cf Parent/guardian approval. \n\u25cf An assessment by the school nurse that the student is capable \nof self-medication administration. \n\u25cf The school nurse develops an individualized medication \nadministration plan (105 CMR 210.005(E) for that student which \nis agreed to by the parent/guardian and contains:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 35, + "content": "\u25cb Documentation by a designated school personnel or by \nthe student, when the student is assessed as capable by \nthe school nurse, that medication was self-administered. \n\u25cb Periodic review of process by school nurse" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 13 of 14 \n \n\u25cb Determines a safe place for storing the medication for the \nindividual student, while providing for accessibility if the \nstudent\u2019s health needs require it. \n\u25cb Documentation of teacher\u2019s and student\u2019s knowledge of \nthe medication dose, frequency, and side effects, the \ndisease process for which the medication is being \nadministered, the safety of the plan and the student\u2019s \nability to self-administer the medication, and the student\u2019s \ncompliance with the identified plan. \n\u25cf A medication order from a licensed prescriber for this student\u2019s \nmedication. \n\u25cf In the absence of a school nurse, the school administrator will" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 37, + "content": "contact a health services administrator to assist with the \ndevelopment of an appropriate plan of care which includes all \nthe above. \n\u25cf All self-medication administration plans must be renewed \nannually. \nHealth Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. When \ninconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. \nSummary of significant dates and deadlines: \nMonth Activity \nJanuary Send an updated list of nurses/schools \nto MA DPH." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular SHS-08 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nSHS-20 \nVersion 01 \n \nASTHMA IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that a clear, concise policy \non asthma management in school can impact academic \nachievement. All schools must have protocols and procedures for \nchildren with asthma and evaluate the implementation of these \nplans regularly. This document outlines the comprehensive and \ncollaborative nature of managing a child\u2019s asthma within a school \nsetting. \nBACKGROUND ON ASTHMA \nBecause asthma is one of the most common chronic childhood" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 2, + "content": "illnesses and a major cause of student absences, it is important \nfor schools to adopt a comprehensive, coordinated approach to \naddressing asthma. \nWhile asthma affects people of all ages, races, genders, and \nsegments of society, the burden is not equally shared across \nracial and ethnic groups. It is most often a disease of the young \nand of the poor. In 2020, 25.3 million Americans reported a \ndiagnosis of asthma. Of those, 21 million were adults, and 4.2 \nmillion were children.1 Nearly half of children (52.7%) and adults \nwith asthma living below the poverty level reported an asthma" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 2 of 9 \n \nattack in the past year2, which is an indication of poor asthma \ncontrol. Children and people living below the poverty level are \namong the groups most likely to have asthma, and to suffer from \nsevere asthma attacks, hospitalization, and even death. Asthma \nmorbidity and mortality are disproportionately burdensome for \nAfrican Americans and Hispanics, who are least likely to have \naccess to health education and adequate healthcare. \nA comprehensive plan includes management and support \nsystems, appropriate health and mental health services, \neducational programs for staff and students, appropriate and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 4, + "content": "reasonable environmental remediation, and communication \nsystems with home and child clinicians. \nThese components need to be integrated with community efforts \nthat include the medical and mental health fields, housing and \ncommunity air quality improvements, and active engagement of \nfamilies. \nThis document links with the Medication Administration Policy \nand Management of Life-Threatening Allergic Reaction policies. \nPROTOCOL FOR IMPLEMENTATION \nRole of the Parent \n\u2022 At the time of registration, the parent/guardian should \ninform the Welcome Center staff of any health concerns of \ntheir child, including asthma. The Health Services" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 5, + "content": "Department remains available to support any student or \nparent/guardian wishing to discuss this information \nprivately. \n\u2022 Complete emergency forms indicating that their child has" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 3 of 9 \n \nasthma and include emergency numbers. \n\u2022 Provide the school nurse with a current Asthma Action Plan \nand emergency management plan from the student\u2019s \nphysician and/or pulmonologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child\u2019s plan. \n\u2022 Review with your child\u2019s primary care provider/specialist and \nsign all asthma forms presented by the school nurse. These \nmay include a combination of the following: \no Permission for a school nurse to communicate with the \nfamily and the primary care provider/specialist \no Authorization to dispense medication" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 7, + "content": "o Authorization to dispense medication \no Consent for child\u2019s self-administration of asthma \nmedicine (when developmentally appropriate) \no The Parent/Guardian Asthma Questionnaire \no The Asthma Action Plan \n\u2022 Provide the school with a pharmacy-labeled supply of \nmedications (oral and inhalers), including nebulizer \nmedications, masks, and tubing. Most health rooms have \nnebulizers but are not equipped with extra masks and \ntubing. \n\u2022 Participate in the Asthma Action Plan for their child with the \nchild\u2019s health practitioner and deliver the completed asthma \naction plan to the school nurse. \n\u2022 Provide a cell phone number or other emergency number/s" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 8, + "content": "\u2022 Assure that the pre-school and after-school staff has the \nappropriate information and training." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 4 of 9 \n \nRole of the School Administrator \n\u2022 Support faculty, staff, and parents in implementing all \naspects of the asthma management program, including \nself-management. \n\u2022 Support the development of a schoolwide policy, with input \nfrom the School Site Council, for management of the school \nenvironment, which includes, but is not limited to: \no Maintaining an active Integrated Pest Management \nProgram \no Review of and action on annual school inspections \no Use of green cleaners \no Enforcement of the tobacco-free policy \n\u2022 Ensure there is a contingency plan for a substitute nurse, \nteacher, or food service personnel who is not familiar with" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 10, + "content": "the child. \n\u2022 Ensure that the classroom staff is informed about asthma \nprevention, management, and emergency response. \n\u2022 Support program development, especially in schools with \nhigher than the state average of students diagnosed with \nasthma or with large numbers of absenteeism related to \nasthma. \n\u2022 Review environmental inspections and ensure that all work \norders occur in a timely fashion. \n\u2022 Support the student support team, the school nurse, and \nthe classroom teacher in identifying children with increased \nabsenteeism in relation to asthma. \n\u2022 Inform the school nurse 4-6 weeks in advance of field trips" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 5 of 9 \n \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g., staff training, \npreparation of medications) \nRole of the Student (where it is developmentally appropriate) \n\u2022 Sign off on self-administration plan guidelines. \n\u2022 Participate in self-management program(s) such as Open \nAirways or Kickn\u2019 Asthma to help better identify triggers \nthat may cause asthma symptoms and response. \n\u2022 Complete the \u201cStudent Breathing/Asthma Questionnaire.\u201d \nRole of the School Nurse \n\u2022 Obtain and review the student\u2019s current Asthma Action Plan \n(AAP) and other pertinent information from the student\u2019s" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 12, + "content": "parents/guardians and health care providers, including \nmedication administration permission form. \n\u2022 Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n\u2022 Administer medication per provider order, monitor asthma \ncontrol, coordinate care, and maintain records. \n\u2022 Provide safe storage and easy access to prescribed \nmedication when needed. \n\u2022 Promote and encourage independence and self-care \nconsistent with the student\u2019s ability, skill, maturity, and \ndevelopment as indicated in the AAP. After reviewing the \nAAP with the parents/guardians and student, implement, \nreview, and update the plan throughout the school year as \nneeded." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 6 of 9 \n \n\u2022 Develop a plan for student management in the classroom, \nlunchroom, playground, and athletic field that provides \nroutine and emergency care. \n\u2022 Complete with the student (where developmentally \nappropriate) the Student Breathing/Asthma questionnaire. \n\u2022 Ensure that all other staff members (including coaches) who \nhave contact with children with asthma are familiar with \ntheir Asthma Action Plan on a need-to-know basis. Teachers \nshould be contacted individually rather than with lists \nposted. \n\u2022 Provide a list of students with life-threatening allergies as a \ncomponent to their asthma (if consent is given by parent) to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 14, + "content": "all staff on a need-to-know basis; lists must be maintained in \na confidential manner to protect students\u2019 privacy. \n\u2022 Conduct in-service training and education for appropriate \nstaff regarding asthma symptoms, risk reduction \nprocedures, and emergency procedures. This information \nshould be reviewed annually, preferably at the beginning of \nthe school year. \n\u2022 Ensure that there is a contingency plan in place in all school-\nrelated venues where substitutes are utilized. \n\u2022 Communicate with parents regularly to discuss issues \nrelating to the plan. \nRole of the Teacher \n\u2022 Maintain a discrete list of all students in the classroom with" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 15, + "content": "asthma; lists must be maintained in a confidential manner \nto protect students\u2019 privacy." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 7 of 9 \n \n\u2022 Participate in asthma awareness professional development \nopportunities, as needed. \n\u2022 Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's asthma needs on a \nneed-to-know basis, while maintaining student \nconfidentiality. \n\u2022 Provide the school nurse with an adequate warning (4-6 \nweeks for field trips) about school-sponsored off-site \nactivities. \n\u2022 Notify the school nurse of any concerns. \nRole of Off-site Staff \n\u2022 Maintain a list of all students with severe persistent asthma; \nlists must be maintained in a confidential manner to protect \nstudents\u2019 privacy." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 17, + "content": "students\u2019 privacy. \n\u2022 Coaches will be informed of any students on their teams \nwho have asthma (through review in ASPEN/Sports \nClearance form) and trained in asthma awareness and \nmaximizing athletic performance. \n\u2022 Allow responsible students to self-medicate during practices \nand sports events; students must have a self-medication \nplan on file with the school nurse. \n Role of the Coordinator of Special Education (COSE): \n\u2022 If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate; the parent/guardian, school \nnurse, and other school staff must be involved in the plan" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 8 of 9 \n \ndevelopment and implementation. \n\u2022 If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n\u2022 If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs (team shall include \nschool nurse). If special transportation is necessary, it can be \nadded to the IEP. \n \nREFERENCES \nManaging Asthma: A Guide for Schools \nAsthma Self-Management Skills, American Lung Association" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 19, + "content": "CDC Strategies for Managing Asthma in Schools \n1CDC Most Recent National Asthma Data \n2American Lung Association Controlling Childhood Asthma \nand Reducing Emergencies Initiative" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular SHS-20 \nPage 9 of 9 \n \nFor more information about this circular, contact: \nOwner: Director, Office of Health Services \nDepartment: Office of Health Services \nMailing Address: 443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-06 \nVersion 01 \n \n \n \n1 \nFOOD AND NUTRITION SERVICES MENU AND \nINGREDIENT GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS) Food and Nutrition Services \n(FNS) Menu and Ingredient Guidelines are the benchmarks for \nfood quality, food safety, nutrition, and variety. They are applied \nprimarily to menu development and procurement and support \nthe Nutrition Standard of Food and Nutrition Services. They \npertain to all USDA programs administered by FNS. \nFNS continuously monitors its work related to these guidelines" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 2, + "content": "and updates them annually between school years. The guidelines \nare informed by sources of evidence-based research, and ad hoc \nrelated to ingredients and standards for operation. \nFNS Menu and Ingredient Guidelines align with the Good Food \nPurchasing Program and continuously strive to meet the Menus \nof Change Principles of the Culinary Institute of America. These \nvalues and principles, respectively, are embedded within the FNS \nMenu and Ingredient Guidelines. \nThe Menu and Ingredient Guidelines are grouped below under \nthe following headings:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 2 of 17 \n \n \n \n \nA. Provide nourishing and culturally diverse food choices \naccording to regulations \nB. Offer variety of whole, fresh, local foods \nC. Establish levels for some fats, sugar, sodium \nD. Eliminate additives \nE. Define animal welfare standards \nF. Other \n \nA. Provide nourishing and culturally diverse food choices that \nmeet or exceed USDA National School Lunch and School \nBreakfast Program guidelines as well as guidelines of \nMassachusetts Department of Public Health, City of Boston, \nand Boston Public Schools Wellness Policy. \nFNS strictly follows or exceeds the USDA National School" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 4, + "content": "Lunch and School Breakfast Programs Meal Pattern for the \nhealthy meal choices that it offers and the frequency that \nchoices are served. \nFor Boston schools: \n\u2022 Menus follow at least a four-week cycle and continuously \nevolve for diversity, updates, variety, and trends, reflecting \nstudent preferences. \n\u2022 Menus for all BPS food service models are as much like \neach other as possible. \n\u2022 Lunch menus have at least one vegetarian entr\u00e9e daily \nand feature at least one vegan protein option per menu \ncycle during in-person meal service." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 3 of 17 \n \n \n \nB. Offer a variety of whole foods that are fresh, high quality, \nemphasize local, and foods, as purchased, that retain most \nof their inherent physical, chemical, sensory and nutritional \nproperties. These foods should meet the food quality \nrequirement as noted throughout these Guidelines. \n\u2022 Menus favor local, seasonal ingredients. Local items are \nfeatured based on availability, primarily on salad bars, as \nwell as one or more additional local meal components \nduring the week, to include whole grains, fish, and dairy, \nwithin budget parameters. Local, defined as New \nEngland, is intended to increase in volume over time for" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 6, + "content": "all service models. \n\u2022 Menus offer a variety of fruits and vegetables. \no FNS offers at least two fruits (minimum one fresh; may \nalso serve unsweetened canned/frozen, packed in its \nown juice, and dried fruit at breakfast and lunch) \no FNS offers at least three fresh vegetables and one fresh \nfruit daily at schools (MWCs) with salad bars. Schools \nwithout salad bars offer a minimum of one or more \nfresh fruit and/or vegetables daily. \no Frozen and canned vegetables (salt-free or low-\nsodium) may be served, as appropriate. \no Legumes/beans are offered at a minimum of once per \nweek at all sites for lunch. \n\u2022 Menus offer legumes and beans as a plant-based protein" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 7, + "content": "option to meet the meat alternate component \nrequirements of meal pattern. \n\u2022 Menus will provide all the weekly grains as whole grain-\nrich and offered in salad bars, sides, and entrees. Local" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 4 of 17 \n \n \n \nwhole grain-rich items will be featured. \n\u2022 Menus offer a variety of lean proteins, including animal \nand plant-based options (i.e.., chicken, turkey, beef, fish, \ntofu, beans). Menus offer commercially purchased whole \nmuscle meat or entrees made from whole muscle meat, \nwith no fillers. \n\u2022 Beef is lean, USDA Grade Choice or better, and contains \n100% beef only. \n\u2022 Eggs are USDA Grade A or equivalent and USDA \ninspected; frozen eggs are USDA inspected. \n\u2022 Seafood must be U.S. Department of Commerce-\ninspected. \n\u2022 FNS offers foods that have as little packaging as possible, \nwith the goal of eliminating all but reasonable, necessary" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 9, + "content": "packaging. Packaged foods include those served \nselectively, at the discretion of FNS and primarily in \nsettings that have no cooking equipment, for Breakfast in \nthe Classroom, field trips, and occasionally for grab-and-\ngo carts. Where possible, meals offered in the classroom, \nfor field trips and on carts align with meals offered in \ndining rooms. \n\u2022 FNS is moving away from unitized/packaged meals \ntoward on-site meal preparation. \nC. Decrease the amount of saturated fat, monitor added \nsugar and excess sodium. \n\u2022 Menu choices favor entrees that are low in saturated fat \n(less than 10% based on the average for a 5-day menu \nweek)." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 5 of 17 \n \n \n \n\u2022 Healthy oil(s) are used in most food preparation. Butter is \nused sparingly. \n\u2022 All liquid milk is rBGH-free. \n\u2022 All dairy is low fat (1%) or non-fat (skim), excluding butter. \n\u2022 FNS currently observes USDA Target 1 sodium limits: \no In line with the federal rules, on or before school year \n2024-2025, FNS intends to decrease average daily \nsodium levels to reach Target 2 standards established \nby the USDA Final Rule \u201cNutrition Standards in the \nNational School Lunch and School Breakfast Programs \n(1/26/12)\u201d. \n\u2022 Added sugar content is monitored by following the below \nguidelines, with the aim to decrease daily added sugar \nintake:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 11, + "content": "intake: \no Cereal may contain no more than 6 gm added sugar \n(1.5 teaspoons) (for 1 grain equivalent) and must be \nidentical nutritional/ingredients with retail product. \no Breakfast grain/grain components may contain up to 8 \ngm (2 teaspoons) added sugar. \no For two grain equivalents, there will be no more than \n14 gm (4.5 teaspoons) added sugar. \no Yogurt may have 15 gm of added sugar (4.5+ \nteaspoons) or less per serving. \n\u2022 Beverages may include fruit-infused water at hydration \nstations in school dining rooms. \nD. Eliminate additives and ingredients that aren\u2019t needed for \nproduct integrity." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 6 of 17 \n \n \n \n\u2022 The following unnecessary or unnatural ingredients are \nprohibited from menu items. \n\u2022 Additives and ingredients will be monitored and adjusted \naccording to evidence-based research. \n\u2022 Coloring: \no Artificial colors (including synthetic food dyes) \no Annatto and Cochineal extract/carmine \no Caramel color class III and IV avoided in beverages, \nfood, and sauces. Caramel color class IV may be \nfeatured in gravies, which are used sparingly. \n\u2022 Artificial flavors: artificial synthetic flavors \n\u2022 Artificial preservatives: Benzoates & benzoic acid, \nBHA/BHT/TBHQ; nitrates/nitrites; propyl gallate, sulfites" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 13, + "content": "\u2022 Artificial sweeteners & other sugar free non-nutritive, low \ncalorie and reduced calorie sweeteners: Sucralose, \naspartame, saccharine, Neotame, acesulfame k \n[acesulfame potassium] \n\u2022 Flavor enhancers: GMP, MSG \n\u2022 Binders and Fillers: isolate vegetable proteins and \nhydrolyzed vegetable protein as filler \n\u2022 Thickening agents: Carrageenan \n\u2022 Caffeine \n\u2022 Sugary syrups: High fructose corn syrup (HFCS), high \nmaltose corn syrup, high dextrose corn syrup, tapioca \nsyrup \n\u2022 Partially hydrogenated oils; trans fats \n\u2022 Emulsifiers:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 7 of 17 \n \n \n \no Brominated Vegetable Oil (BVO) \no Carboxymethylcellulose (CMC) and Polysorbates \n\u2022 Flour treatment agents: (azodicarbonamide, bleached \nflour, bromated flour [potassium bromate], potassium \niodate) \n\u2022 Nitrites/Nitrates and Processed Meat: Meat that has been \ntransformed through salting., curing, fermentation, \nsmoking, or other processes to enhance flavor or improve \npreservation. Examples of processed meat include hot \ndogs (frankfurters), deli meat, ham, sausage, corned beef, \nbeef jerky and canned meat. \n\u2022 Rendered meat, irradiated meat, meat with latent Tgf-\nbeta binding protein (LTBP)*" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 15, + "content": "beta binding protein (LTBP)* \n\u2022 Ammonium hydroxide, vegetable protein analogues, or \nextenders \nE. Work toward procurement of animals untreated with \nhormones, steroids, or antibiotics that serve no vital \nfunction. \n\u2022 Due to growing concerns of animal husbandry practices, \nFNS supports responsible use of antibiotics in animals. \no Menu features chickens raised without the use of \nantibiotics ever. \n\u25aa Menu features entrees utilizing chicken products \nfollowing One Health Certified (OHC) standards.37 \nOHC addresses several important areas of animal \nagriculture within a sustainable continuous \nimprovement process. \no Menu features turkey products produced under a" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 8 of 17 \n \n \n \nUSDA process verified program that includes \ncompliance with the following Certified Responsible \nAntibiotic Use (CRAU) criteria: \ni. No administration of antibiotics pre-hatch \nii. Antibiotics with analogues in human medicine are \nnot allowed for: \n\u25aa Disease prevention \n\u25aa Growth promotion \n\u25aa Feed efficiency, or \n\u25aa Weight gain \niii. Antibiotics with human analogs can only be used \ntherapeutically to: \n\u2022 Treat disease in poultry with bacterial disease \n\u2022 Control disease in poultry exposed to infectious \nbacteria \n\u2022 FNS is opposed to the use of hormones and steroid \ngrowth promoters in beef and dairy cattle production." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 17, + "content": "FNS continues to research food products from beef or \ndairy cattle produced without hormone growth \npromoters and grass-fed products as options become \navailable. FNS acknowledges some USDA commodity \nproducts (beef, dairy and poultry) are purchased without \nthe transparency of animal practices, and therefore, FNS \nlimits how often these products are served. USDA \ncommodity proteins may be made from whole muscle \nmeat or restructured meat*. \nF. Other guidelines are observed as follows:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 9 of 17 \n \n \n \n\u2022 All school dining areas are peanut aware. No school \nkitchens will serve peanuts or tree nuts. \n\u2022 FNS accommodates students with medically prescribed \ndietary requirements. \n \nFor more information about this circular, contact: \nOwner: Nutrition Manager \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9144 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 10 of 17 \n \n \n \nREFERENCES \n1 Center for Good Food Purchasing. \nhttps://goodfoodpurchasing.org. Last reviewed 2020. Accessed \nJanuary 26, 2020. \n2 Menus of Change. https://www.menusofchange.org. Last \nreviewed 2021. Accessed May 14, 2021. \n3 Michigan State University. What is a processed food? \nhttps://www.canr.msu.edu/news/what_is_a_processed_food \n4 American Heart Association. Healthy Cooking Oils. \nhttps://www.heart.org/en/healthy-living/healthy-eating/eat-\nsmart/fats/healthy-cooking-oils. Last reviewed April 24, 2018. \nAccessed January 14, 2020. \n5 American Heart Association. Children should eat less than 25 \ngrams of added sugars daily." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 20, + "content": "grams of added sugars daily. \nhttps://newsroom.heart.org/news/children-should-eat-less-than-\n25-grams-of-added-sugars-daily \n6 Center for Science in the Public Interest. Chemical Cuisine, \nLearn About Food Additives. https://cspinet.org/eating-\nhealthy/chemical-cuisine. Published 2014. Accessed June 26, 2019. \n7 Kobylewski S, Jacobson MF. Food dyes: A Rainbow of Risks. \nWashington D.C.; 2010. https://cspinet.org/new/pdf/food-dyes-\nrainbow-of-risks.pdf. \n8 Lefferts LY, Jacobson MF, MacCleery L. Seeing Red: Time for \nAction in Food Dyes. Washington D.C.; 2016. \nhttp://cspinet.org/reports/seeing-red-report.pdf." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 11 of 17 \n \n \n \n9 Conners CK, Goyette CH, Southwick DA, Lees JM, Andrulonis PA. \nFood additives and hyperkinesis: a controlled double-blind \nexperiment. Pediatrics. 1976;58(2):154-166. \n10 Stevenson J, Buitelaar J, Cortese S, et al. Research review: the \nrole of diet in the treatment of attention deficit/hyperactivity \ndisorder\u2014an appraisal of the evidence on efficacy and \nrecommendations on the design of future studies. J Child \nPsychol Psychiatry. 2014;55(5):416-427. doi:10.1111/jcpp.12215. \n11 Bateman B, Warner JO, Hutchinson E, et al. The effects of a \ndouble blind, placebo controlled, artificial food colourings and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 22, + "content": "benzoate preservative challenge on hyperactivity in a general \npopulation sample of preschool children. Arch Dis Child. 2004; \n89:506-511. doi:10.1136/adc.2003.031435. \n12 McCann D, Barrett A, Cooper A, et al. Food additives and \nhyperactive behavior in 3-year-old and 8/9-year-old children in \nthe community: a randomized, double-blinded, placebo- \ncontrolled trial. Lancet. 2007;370(9598):1560-1567. doi:10.1016/ \nS0140-6736(07)61306-3. \n13 Saeed MG, Sayeed SA, Ashraf S, et al. Investigations of In vitro \nDigestibility of Proteins Bound to Food Colors. Journal of \nPharmacy and Nutrition Sciences. 2011, 1, 34-40. \n14 USDA Food and Drug Administration D of H and HS. Specific" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 23, + "content": "Food Labeling Requirements. Code of Federal Regulations. \nhttps://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/CFRSea\nrch.cfm?CFRPart=101. \n15 Piper, P. Potential safety issues surrounding the use of \nbenzoate preservatives. Beverages. 2018;4(2):33. doi:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 12 of 17 \n \n \n \n10.3390/beverages4020033. \n16 NTP (National Toxicology Program). 2016. Report on \nCarcinogens, Fourteenth Edition.; Research Triangle Park, NC: U.S. \nDepartment of Health and Human Services, Public Health \nService. https://ntp.niehs.nih.gov/go/roc14. \n17 Jakszyn P, Gonzalez C-A. Nitrosamine and related food intake \nand gastric and esophageal cancer risk: a systematic review of \nthe epidemiological evidence. World J Gastroenterol. \n2006;12(27):4296-4303. \nhttp://www.ncbi.nlm.nih.gov/pubmed/16865769. \n18 Alhoff J, Grandjean C. In vivo studies in Syrian golden hamsters: \na transplacental bioassay of ten nitrosamines. Natl Cancer Inst" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 25, + "content": "Monogr. 1979;(51):251-255. \nhttp://www.ncbi.nlm.nih.gov/pubmed/481578. \n19 International Agency for Research on Cancer (IARC). IARC \nMonographs evaluate consumption of red meat and processed \nmeat. 2015. doi: https://www.iarc.fr/en/media-\ncentre/pr/2015/pdfs/pr240_E.pdf. \n20 National Toxicology Program. Carcinogenesis Bioassay of \nPropyl Gallate in F344 Rats and B6C3F1 Mice. Bethesda; 1982. \nhttps://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf. \n21 Ham J, Lim W, Park S, et al. Synthetic phenolic antioxidant \npropyl gallate induces male infertility through disruption of \ncalcium homeostasis and mitochondrial function. Environ" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 26, + "content": "Pollut.2019 May; 248:845-856. Doi: 10.1016/j.envpol.2019.02.087. \n22 Abdo KM, Kari FW. The sensitivity of the NTP bioassay for \ncarcinogen hazard evaluation can be modulated by dietary" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 13 of 17 \n \n \n \nrestriction. Exp Toxicol Pathol. 1996;48(2-3):129-137. doi: \n10.1016/S0940-2993(96)80033-9. \n23 Soffritti M, Belpoggi F, Degli Esposti D, Lambertini L, Tibaldi E, \nRigano A. First experimental demonstration of the multipotential \ncarcinogenic effects of aspartame administered in the feed to \nSprague-Dawley rats. Environ Health Perspect. 2006;114(3):379-\n385. http://www.ncbi.nlm.nih.gov/pubmed/16507461. \n24 Schernhammer ES, Bertrand KA, Birmann BM, Sampson L, \nWillett WC, Feskanich D. Consumption of artificial sweetener-and \nsugar-containing soda and risk of lymphoma and leukemia in \nmen and women. Am J Clin Nutr. 2012;96(6):1419-1428." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 28, + "content": "doi:10.3945/ajcn.111.030833. \n25 M. S, M. P, E. T, et al. Sucralose administrated in feed, beginning \nprenatally through lifespan, induces hematopoietic neoplasias in \nmale swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: \n10.1080/10773525.2015.1106075. \n \n26 Liauchonak I, Qorri B, Dawoud F, Riat Y, Szewczuk MR. Non-\nNutritive Sweeteners and Their Implications on the Development \nof Metabolic Syndrome. Nutrients. 2019; 11(3):644. \n27 Raiten DJ, Talbot JM, Fisher KD. Executive summary from the \nreport: analysis of adverse reactions to monosodium glutamate \n(MSG). J Nutr. 1995;125(11):2891S-2906S. \nhttp://www.ncbi.nlm.nih.gov/pubmed/7472671." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 29, + "content": "http://www.ncbi.nlm.nih.gov/pubmed/7472671. \n28 Bray GA, Nielsen SJ, Popkin BM. Consumption of high-fructose \ncorn syrup in beverages may play July 2019 a role in the epidemic \nof obesity. Am J Clin Nutr. 2004; 79(4):537-543." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 14 of 17 \n \n \n \nhttp://www.ncbi.nlm.nih.gov/pubmed/15051594. \n29 American Heart Association. Trans Fats. \nhttp://www.heart.org/HEARTORG/HealthyLiving/HealthEating/Nu\ntrition/TransFats_UCM_301120_Article.jsp#.V2HUpvkrJhE. \n30 US Food and Drug Administration. Frequently Asked Questions \non Azodicarbonamide (ADA). \nhttp://www.fda.gov/Food/IngredientsPackagingLabeling/FoodAd\nditivesIngredients/ucm387497.htm. \n31 Bukhari SSI, Azam I, Abbasi MH, Daud M, Sheikh N, Batool A, \nMahmood R, and Mukhtar M. Effect of Alloxan on IL-6 Gene \nExpression in Mus musulus. Biologia (Pakistan). 2018; 64(1):69-73." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 31, + "content": "https://www.gcu.edu.pk/Publications/Biologia/Vol64_No1_2018.pd\nf#page=65. \n32 International Agency for Research on Cancer (IARC). \nSummaries & Evaluations Potassium Bromate (Group 2B). 1999. \nhttp://www.inchem.org/documents/iarc/vol73/73-17.html \n33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments. \nhttps://cfpub.epa.gov/ncea/iris2/chemicalLanding.cfm?substance\n_nmbr=1002. Published 2001. Accessed July 24, 2019. \n34 Cornucopia Institute. Behind the Bean: The Heroes and \nCharlatans of the Natural and Organic Soy Foods Industry.; 2009. \nhttps://www.cornucopia.org/wp-\ncontent/uploads/2017/09/behindthebean_color_final.pdf. \n35 Berkeley Wellness. Ask the Experts, Hexane in Soy Food." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 32, + "content": "Berkeley Wellness, Univ Calif. May 2012. \nhttps://www.berkeleywellness.com/healthy-eating/food-\nsafety/article/hexane-soy-food." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 15 of 17 \n \n \n \n36 Women\u2019s Health. \u2018Soy Protein Isolate\u2019 Is in So Many Things\u2014But \nIs It Healthy?; 2019. \nhttps://www.womenshealthmag.com/food/a27559289/soy-\nisolate-protein/. \n37 One Health Certification Foundation. Five Core Principles. \nhttps://onehealthcertified.org/about/core-principles/ \n38 U.S. Department of Agriculture. Certified Responsible Antibiotic \nUse. https://www.ams.usda.gov/services/auditing/crau \nMinneapolis Public Schools Culinary and Wellness Services True \nFood Nutrition Philosophy 2019-2020 \n(https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd\nf) and Culinary & Wellness Services Ingredient Guide" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 34, + "content": "(https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p\ndf) served as models for the Boston Public Schools Food and \nNutrition Services Menu and Ingredient Guidelines. \nHealthy School Campaign Ingredient Guidelines \nhttps://www.google.com/url?q=https://healthyschoolscampaign.o\nrg/dev/wp-content/uploads/2020/01/Ingredient-Guide-\n2021.pdf&sa=D&source=docs&ust=1689510987098278&usg=AOvVa\nw2a5uRgrXBkhb6Xz9zJ6ESc" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 16 of 17 \n \n \n \nNOTES: \n*Sugar calculation \n Yogurt: \n12 grams of sugar in 4 oz. of \u201cSweetened Yogurt\u201d \n15 grams of sugar in 4 oz. vanilla-flavored yogurt \n Breakfast Condiment: \n6 grams of sugar in 1 oz. \u201cYogurt Dipping Sauce\u201d \n8 grams of sugar in .4 oz. of table syrup individual \npackage" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular FNS-06 \nPage 17 of 17" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-03 \nVersion 01 \n \nFOOD AND NUTRITION POLICY ON COMPETITIVE FOOD \nAND BEVERAGES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThese guidelines will cover food and beverages that are sold, \nprovided, or served to students within school buildings or on \nschool grounds, in the student stores, cafeterias, classrooms, \nhallways, and vending machines, all of which are sold outside of \n(i.e., in competition with) the federally funded School Meal \nProgram. These guidelines also apply to fundraisers, classroom \nactivities, and school events. This includes food and beverages" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 2, + "content": "supplied by schools during official transportation to and from \nschool and district-sponsored activities, including but not limited \nto field trips and interscholastic sporting events where the school \nis the visiting team. See the Implementation Guidelines section \nfor details. \nINTRODUCTION \nIn response to continuing concerns regarding childhood \noverweight and obesity as well as other diet-related diseases in \nour city\u2019s school-aged children, the Boston School Committee \nhas approved the following policy language regarding beverages \nand food in schools." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 2 of 21 \n \nThese guidelines were first adopted on July 1, 2004, and were \nimplemented with the start of school in September 2004. They \nwere updated in April 2011 and June 2015 to take into \nconsideration new federal and state nutrition guidelines that \nimpact the overall health and wellness of our students and staff, \nspecifically the Healthy Hunger-Free Kids Act, 2010. Most recently, \nthey were updated in August 2017 to reflect changes in the \nDistrict Wellness Policy. This document is intended to assist \nschool administrators in implementing these guidelines in their \nschools. \nAll such competitive foods shall meet the criteria outlined in the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 4, + "content": "implementation guidelines that follow. This includes food and \nbeverages sold, provided, or served to students in: \n\u25cf School cafeterias, specifically \u201ca la carte\u201d entrees and \nsnacks \n\u25cf Vending machines \n\u25cf School stores \n\u25cf School snack bars \n\u25cf Concession stands \n\u25cf Classrooms and hallways \n\u25cf Booster sales \n\u25cf Fundraising activities \n\u25cf School-sponsored or school-related events, including \nthose with school-sponsored transportation occurring off \nschool grounds, such as sporting events and field days \n\u25cf Food trucks on school grounds \n \nThese guidelines apply to entrees, snacks, side items, and \ndesserts offered or sold outside of the school meals program." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 3 of 21 \n \nItems that would be considered entr\u00e9es if sold in the \nreimbursable meal program, but are sold a la carte as \nCompetitive Foods, are not subject to these guidelines. This \npolicy will be reviewed once yearly by a sub-committee of the \nBoston Public Schools (BPS) District Wellness Council. \nBACKGROUND \nSchools across the city, state, and nation have been grappling \nwith developing meaningful and applicable guidelines on this \nissue of obesity for the past decade. Earlier \u201cCompetitive Food \nGuidelines,\u201d set forth by USDA and individual state departments \nof education, prohibited only the sale of foods of minimal" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 6, + "content": "nutritional value (Federal Register: 7 CFR Part 210.11). These \nstandards attempted to address types of foods and beverages \nsold, provided, or served to students within school buildings. \nWhile some state standards may have been useful thirty years \nago, most are outdated, as they do not address the growing \navailability of vending machines, foods, candy, and soda sold \ninside and outside of the cafeteria at fundraisers or in student \nstores. Competitive foods are relatively low in nutrient density \nand high in fat, added sugar, and calories. Neither a la carte nor \ncompetitive foods are bound by dietary guidelines that the \nNational School Lunch (NSLP), National School Breakfast, and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 7, + "content": "After School Snack Programs must adhere to. \nNational and state departments of education, school boards, food \npolicy advocacy organizations, the American Academy of \nPediatrics, the Center for Science in the Public Interest, state \ndietetic and school food service associations, and other \nrepresentative groups have met over the past several years to \nestablish or recommend nutrition standards to promote healthy" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 4 of 21 \n \neating habits among children. Massachusetts A La Carte Food \nStandards to Promote a Healthier School Environment is a \nguideline that has been established by the Massachusetts Action \nfor Healthy Kids, first adopted in January 2004 and updated in \nDecember 2009. These guidelines, along with the Institute of \nMedicine, the Alliance for a Healthier Generation Competitive \nFoods and School Beverage Guidelines, nutrition standards from \nthe School Nutrition Bill (H4459, S2322), and the HealthierUS \nSchool Challenge informed the latest revision to our policy. In \naccordance with Mayor Menino\u2019s Executive Order Relative to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 9, + "content": "Healthy Beverage Options1, all beverages sold on school grounds \nshall meet the city\u2019s Healthy Options Beverage Standards. \nPOLICY \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthy foods and sugary drinks, and making \nwater available to students throughout the day are some of the \nways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 10, + "content": "cafeteria meets high nutritional standards. \nBPS believes the cafeteria is an essential setting to educate and \npromote healthy eating habits. BPS is committed to serving \nstudents nutritious and delicious food that is less processed, \nmore locally sourced, and culturally responsive to reflect the \ndiverse student population. As an effective way to improve the \nnutritional quality of foods served in schools and consumed by" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 5 of 21 \n \nstudents, the district created and implemented menu and \ningredient guidelines exceeding federal requirements. BPS will \ncontinue a constant review of school food and the food \nenvironment to ensure safety, quality, menu equity, and \ninnovation. The district will be an innovator with school food, \nserving foods that are new and exciting for the students. We \nbelieve that students deserve meals reflective of their culture and \ntastes. We believe eating well is not a privilege; it is a right. \nKey requirements of creating a healthy school food environment \nare: \nSchool Meals Program \n\u25cf Ensure all menus meet USDA-mandated requirements, as" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 12, + "content": "well as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow \nBronze status standards for the Alliance for a Healthier \nGeneration2, and work toward Bronze status standards \nfor the HealthierUS School Challenge3. \n\u25cf Ensure all menus offer variety and are well presented in \nan appealing way, and meals and menu items are labeled \nto communicate deliciousness, as well as specific \ningredients. \n\u25cf Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing \nchildren who participate." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 13, + "content": "children who participate. \n\u25cf Provide food with \u201cclean\u201d labels that are free of unwanted \ningredients, including trans fats, high fructose corn syrup, \nartificial colors, artificial sweeteners, additives" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 6 of 21 \n \n(azodicarbonamide, bromated flour), and artificial \npreservatives (nitrates, nitrites, sulfates, sulfites, MSG, \nBHA, BHT, TBHQ). \n\u25cf Reduce material used for packaging, sourcing recyclable \nor compostable materials when possible, and working to \npromote best practices around recycling and \ncomposting. \n\u25cf Make water available at no cost during mealtimes \nwherever meals are served. \nFood Safety \n\u25cf Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department). \n\u25cf Implement a stringent and detailed internal Hazard" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 15, + "content": "Analysis and Control Points (HACCP) plan that provides \nregulations in following safety procedures for food recalls, \nemergency preparedness to avoid foodborne illnesses, \nand the spread of infectious diseases. \n\u25cf Ensure all employees who work 5+ hours are Food Safety. \n\u25cf Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification. \nNutrition Education, Promotion and Food & Beverage Marketing \n\u25cf Promote health and nutrition messages that encourage \nthe consumption of fruits and vegetables, whole grains, \nhealthy fats, low-fat dairy products, and water; and other" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 7 of 21 \n \nmessages consistent with research-based findings that \nindicate a positive impact on health. \n\u25cf Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \n\u25cf Identify opportunities to support teachers, school staff, \nand parents around modeling healthy eating habits and \nfollowing appropriate nutritional standards at school \ncelebrations and staff meetings. \n\u25cf Only allow food and beverage marketing on school \ngrounds, including items shared with students, that \npromote foods and/or beverages that meet the BPS" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 17, + "content": "promote foods and/or beverages that meet the BPS \nnutritional standards. \nCompetitive Food & Beverages \n\u25cf Follow federal, state, and local laws and Forbid the sale of \nfood and beverages by anyone other than the Food and \nNutrition Services Department, which is solely responsible \nfor food and beverages sold to children during the school \nday. regulations for competitive foods and beverages (i.e., \nfoods sold, provided, or served within school buildings or \non school grounds outside of the school meals program) \nin all schools, as outlined in this circular. \n\u25cf Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 18, + "content": "during the school day. \n\u25cf Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 8 of 21 \n \n\u25cf Prohibit the use of food and beverage as a reward or \nmeans of discipline. \nAll BPS schools shall follow Food and Nutrition Services policies \nand circulars. \nIMPLEMENTATION GUIDELINES \nCompetitive Food and Beverages \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 9 of 21 \n \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding.1,2,3,4,5,6,7 \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \n \n1 Regulatory Authority M.G.L. C.15, \u00a7 1G \n2 Federal Register, 2013, 7 CFR Parts 210 and 220, National School \nLunch Program and School Breakfast Program: Nutrition \nStandards for All Foods Sold in Schools as Required by the \nHealthy, Hunger-Free Kids Act of 2010; Interim Final Rule, U.S. \nDepartment of Agriculture, 78 (125) (June 28, 2013)." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 21, + "content": "3 Federal Register, 2014, 7 CFR Parts 210 and 220, Local School \nWellness Policy Implementation under the Healthy, Hunger-Free \nKids Act of 2010: Proposed Rule, U.S. Department of Agriculture, \n79 (38) (February 26, 2014). \n4 Massachusetts General Laws (2010). Chapter 111, Section 223, \n5 State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law),. \n6 Massachusetts Department of Public Health (2010), Nutrition \nStandards for Competitive Foods and Beverages in Public \nSchools, 105 CMR 225.000 \n7 Massachusetts Department of Public Health (2012). \u201cStudents, \nHealthy Schools: Revised Guidance for Implementing the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 22, + "content": "Massachusetts School Nutrition Standards for Competitive Foods \nand Beverages\u201d" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 23, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 10 of 21 \n \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nThe income for the total food and beverage service regularly \nmaintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages. Food sales operated for \nprofit (this includes bake and candy sales) shall not operate \nduring the regular school day. \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 24, + "content": "the breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nCanteen Services at School Site Locations \n7 CFR 210, 220 Competitive Foods: Federal regulations prevent \nthe sale of candy, gum, and carbonated beverages to students on \nschool premises from the beginning of the school day to the end \nof the last lunch period. \nThe sale of food items from canteen trucks (with the exception of \nan open campus), school stores, or other areas that compete with \nschool meals, time, and money is in violation of federal \nregulations. These sales further divert income essential to the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 25, + "content": "financial well-being of the Food and Nutrition Services program. \nUse of canteen services on school premises by students should \nbe prohibited." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 11 of 21 \n \nPreparation of all competitive foods and beverages must meet \nstate and federal food safety guidelines. \nIn accordance with 105 CMR 225.100, nutrition information must \nbe made available to students for non-prepackaged competitive \nfoods and beverages as of August 1, 2013. This requirement shall \nnot apply to the sale or provision of fresh fruits or fresh \nvegetables, and foods or beverages sold during the school day at \nbooster sales, concession stands and other school-sponsored or \nschool-related fundraisers and events. \nNo competitive food and beverages shall be sold, served, or \nprovided during school mealtimes." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 27, + "content": "provided during school mealtimes. \nImplementation guidelines must comply with or exceed nutrition \nstandards delineated by 105 CMR 225.000: Nutrition Standards \nfor Competitive Foods and Beverages in Public Schools. \nAll foods sold, served, or provided at schools should meet the \nguidelines given in FNS-06. \nBeverages \nThe total beverage product line must meet the following criteria: \n\u25cf Schools may sell, provide, or serve only plain water and \njuice. All milk is unflavored. No flavored milk will be \noffered to students. Beverages such as soft drinks, fruit \ndrinks with the minimal nutritional value, and sports \ndrinks cannot be sold, provided, or served to students" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 28, + "content": "anywhere in school buildings or on the school campus. \n\u25cf Plain drinking water must be readily available during the \nschool day at no cost." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 12 of 21 \n \n\u25cf Drinking water must be caffeine-free, have 0 mg of \nsodium, and have no nutritive or non-nutritive \nsweeteners. Natural flavorings and carbonation are \nacceptable. \n\u25cf Beverages shall not contain added sugars, including high \nfructose corn syrup and non-nutritive sweeteners. \n\u25cf No beverages shall contain artificial sweeteners. \n\u25cf Competitive juice beverages will not be offered in \nelementary schools (i.e., grades PreK-5). Fruit and/or \nvegetable based drinks sold in middle and high schools \n(i.e., grades 6-12) must be composed of no less than 100% \nfruit/vegetable juices with no added sweeteners, not to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 30, + "content": "exceed 4 ounces in middle schools (i.e. grades 6-8), and \nnot to exceed 8 ounces in high school (i.e., grades 9-12), \nwith 120 calories/8 oz. plus 10% Daily Value of 3 vitamins \nand nutrients, such as Vitamin A, C, D and calcium \n\u25cf All milk and milk substitute products shall be pasteurized \nfluid types of low fat (1%) or skim (fat free) milk which \nmeet USDA, state, and local standards for milk. All milk \nshall contain Vitamins A and D at levels specified by the \nFood and Drug Administration and shall be consistent \nwith the state and local standards for such milk. All milk, \nflavored milk, and milk substitute container sizes shall not \nexceed 8 ounces." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 31, + "content": "exceed 8 ounces. \n\u25cf Soy, rice, and other milk-substitute drinks shall be \ncalcium and vitamin-fortified and shall contain no more \nthan 22 grams total sugars per 8 ounces. \n\u25cf No beverages shall contain more than trace amounts of \ncaffeine." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 13 of 21 \n \n\u25cf City of Boston agencies in BPS buildings may offer 8 oz. of \n100% juice or low-fat and nonfat milk products in vending \nmachines available only outside of the school day. \nFoods \nFresh fruits and/or non-fried vegetables must be offered \nwherever competitive foods are sold, provided, or served to \nstudents except in non-refrigerated vending machines and \nvending machines offering only beverages. Use of fryolators in \npreparing competitive foods is prohibited. \nIn addition, competitive foods must meet the following \nnutritional criteria per item: \n\u2022 Any other food that meets all the following criteria:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 33, + "content": "a. \u2264 35% of total calories from fat. \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nii. Fruit and nut combination products are exempt \nfrom the above limitation. \niii. If products are dairy, they must be non-fat or low \nfat dairy." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 14 of 21 \n \nb. \u2264 10% of calories from saturated fat OR \u22641g saturated \nfat \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nc. 0g trans fat \nd. \u2264 35% of weight from total sugars in foods \ni. Non-fat or low-fat yogurt with a maximum of 30g \nsugar per 8 ounces. \ne. \u2264 200 mg sodium \ni. A la carte entrees like cheese sandwiches, \nvegetables with sauce, and soups must be less \nthan 480 mg sodium if they contain one or more \nof the following: \n1. \u22652g fiber \n2. \u22655g protein \n3. \u226510% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 35, + "content": "magnesium, potassium, or iron \nf. Meet 1 of the following calorie requirements: \ni. \u2264100 calories \nii. Vegetables with sauce and soups can have 150 \ncalories if they contain two or more of the \nfollowing: \u22652g fiber; or \u22655g protein; or \u226510% DV of \nVitamin A, C, E, folate, calcium, magnesium, \npotassium, or iron; or \u2265\u00bd serving (\u00bc cup) of fruit \nor vegetables. \niii. Other foods can have calorie limits per below if \nthey contain one or more of the following:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 15 of 21 \n \n1. \u2265 2g fiber \n2. \u2265 5g protein \n3. \u2265 10% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron \n4. \u2265 \u00bd serving (1/4 cup) of fruit or vegetables: \na. \u2264 150 calories for elementary schools \nb. \u2264 180 calories for middle and \nc. \u2264 200 calories for high schools \n\u2022 Bread and other whole grain-based products shall have a \nwhole grain (such as whole wheat) listed as the first \ningredient or contain grains that are at least 51% whole \ngrains. \n\u2022 No more than trace amounts of caffeine are allowed in \nfoods. \n\u2022 Foods must contain no artificial sweeteners. \n\u2022 Foods must have limited added sweeteners as much as \npossible." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 37, + "content": "possible. \n\u2022 Fruits shall have no added sweeteners and have 0g total fat. \nSince fresh fruits and vegetables vary in size and calories \nnaturally, they have no calorie limit. \n\u2022 Fruits packaged in their own juices or dried will not exceed \nthe following calorie limits: 150 calories for elementary \nschools, 180 calories for middle schools and 200 calories for \nhigh schools. \n\u2022 Dried fruit and nut combination products (commonly \nknown as trail mix) can be included within these guidelines \nif they meet the following standards: \na. The items found in the combination product include \nonly unsweetened dried fruit, nuts, and/or seeds." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 16 of 21 \n \nb. The product contains no added sweeteners. \nc. The combination product is exempt from the \u2264 35% of \ntotal calories from fat requirement, but must meet all \nrequirements around calories, saturated fat, trans fat, \nsodium, sugar, and positive nutrients. \n\u2022 Any one egg or equal amount of egg equivalent is allowable \nif it contains no added fat. \n\u2022 Any reduced-fat or part-skim cheese \u22641 oz. \nTime Of Day \nThe guidelines apply to all food and beverages (outside the USDA \nSchool Meals and After School Snack Program) provided to \nstudents on school grounds during the regular and extended" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 39, + "content": "school day when events are primarily under the control of the \nschool or third parties on behalf of the school. \nThe extended school day is the time before or after the official \nschool day that includes activities such as clubs, yearbook, band \nand choir practice, student government, drama, sports practices, \nintramural sports, and childcare/latchkey programs. \nVending machines, including those controlled by other entities in \nBPS buildings and grounds, shall comply with these guidelines at \nall times. Automatic timers will be used to limit access to \ncompetitive foods and beverages in vending machines during \nthe school day, including during school mealtimes." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 40, + "content": "Fundraisers, Classroom Parties, Food Rewards, and Meetings \nAll fundraisers must meet Boston Public Schools\u2019 \nimplementation guidelines for competitive food. No food-based" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 17 of 21 \n \nfundraisers are permitted during school meals. The building \nadministrator or designee is responsible for approving all \nfundraisers. Classroom parties must also comply with Boston \nPublic School\u2019s competitive food guidelines and notification of \nthe cafeteria manager is requested to help the cafeteria plan \nappropriately. Principals and staff will promote a school \nenvironment supportive of healthy eating. Adults are encouraged \nto model healthy eating by serving nutritious food and beverages \nat school meetings and events. \nTeachers and staff should refrain from providing candy and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 42, + "content": "snacks of minimal nutritional value as rewards for students and \ninstead integrate practices of non-food rewards. Food and \nbeverage cannot be used as a reward means of discipline. \nIf schools participate in fundraising involving food and beverages, \nthe fundraiser should support a healthy school environment and \nbe free from solicitation of foods that do not meet the \nspecifications of the Dietary Guidelines for Americans. \nFundraisers should not include the sale of candy, beverages, and \nsnacks that do not meet the Boston Public Schools\u2019 \nimplementation guidelines for competitive foods. \n \nSchools should develop communication and tools to provide to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 43, + "content": "PTA and other groups who are conducting fundraising, \ncelebrations, meetings, and rewards for the school so that non-\nfood activities are used. \nAllergies \nSchools should consider all students with food allergies and \nmake appropriate plans and accommodations in any food-based" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 18 of 21 \n \nfundraiser, celebration, and/or reward according to the guidance \nprovided in Superintendent\u2019s Circular SHS-11, which provides \nmore information on student allergies. \nSupport For Implementation \nThis is a citywide initiative, with the Boston Public Schools taking \nthe lead to implement healthy snack and beverage guidelines. \nThe Mayor\u2019s Office, the Boston Public Health Commission (BPHC), \nand the Boston Centers for Youth and Families (BCYF) are all in \nfull support of these policies. \nTo assist with this transition, Food and Nutrition Services will \ncontinue meeting with vendors and manufacturers to discuss" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 45, + "content": "product specifications that meet these guidelines. Language \nreferencing new policies is included in the Request for Bids for \nbeverages, dairy and ice cream, and snack food products. \nVendors who are awarded single-year or multiple-year contracts \nmust comply with the stated guidelines. \nWith assistance from the School Wellness Council, students, \nteachers, parents, and administrators will be informed and \neducated about the new guidelines. Technical support will be \nprovided to help schools and agency partners adjust to the \nrevised standards, including providing resources on healthful \nforms of fundraising and meeting guidelines. The" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 46, + "content": "forms of fundraising and meeting guidelines. The \nCommonwealth of Massachusetts passed a School Nutrition Bill \n(H4459, S2322). The BPS implementation guidelines have been \nrevised to include state nutritional standards. \nMONITORING AND COMPLIANCE \nSchools will monitor compliance in the following ways:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 19 of 21 \n \n\u25cf School wellness councils should assess and track their \nschool\u2019s compliance with this policy and include \nimplementing goals on their Wellness Action Plan to \nensure compliance with the policy. \n\u25cf All schools will biennially complete the School Health \nProfiles Surveys (Profiles), including questions on \ncompetitive foods and beverages. Individual school \nreports will be shared back with schools after completing \nProfiles, stating whether the school is complying with the \npolicy. \nThe principal and relevant operational leaders will be notified by \nFNS and the Office of Health & Wellness if a school is found to not" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 48, + "content": "be compliant. School administration, families, students, and \nWellness Council will be provided information about the policy to \nengage and support monitoring, enforcement, and compliance." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 49, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 20 of 21 \n \nDEFINITIONS \nFood of Minimal Nutritional Value: Food that provides less than \nfive percent of the Reference Daily Intakes (RDI) for each of eight \nspecified nutrients per serving. \nA La Carte Foods: Sold typically in the cafeteria by the school \nfood service department. They are separately and individually \npriced and are not usually part of the NSLP. \nCompetitive Foods: Competitive foods or beverages means all \nfoods or beverages sold or provided in public schools, other than \nnon-sweetened carbonated water and those items sold or \nprovided as part of federal nutrition programs such as the School" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 50, + "content": "Breakfast Program, School Lunch Program, and the Child and \nAdult Care including those offered in: School cafeterias; school \nstores; school snack bars; concession stands, booster sales, \nvending machines; fundraising activities; school-sponsored or \nschool-related events; food trucks, and any other location in \npublic schools. \nREFERENCES \nAlliance for a Healthier Generation Standards \nHealthier US School Challenge Standards" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 51, + "content": "Superintendent\u2019s Circular FNS-03 \nPage 21 of 21 \n \nFor more information about this circular, contact: \n \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9143 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOwner: Senior Executive Director \nDepartment: Office of Health and Wellness \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-6643 \nFax: 617-635-1502 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-02 \nVersion 01 \n \n1 \nEMERGENCY MEAL PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n In the event of an unforeseen emergency, school staff must \nadhere to the following procedures to ensure meals are made \navailable to students in a safe and timely manner. \u201cEmergency\u201d is \ndefined as equipment breakdown, weather, facility issues, etc. or \na situation that prevents staff from serving safe meals during the \nallotted mealtimes scheduled. The procedures are: \n1. Principal or custodian should inform onsite food service \npersonnel that there is an emergency preventing the service" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 2, + "content": "of meals and approximately how long the emergency will \nlast. Often this is difficult to assess. However, if the \nemergency is anticipated to be longer than 60 to 90 \nminutes after the start of the school day, alternative meal \nservice plans need to be made to ensure students receive \nmeals in a safe and timely manner. \n2. The Food and Nutrition Services Department should be \ninformed immediately. The phone number is 617-635-9144. \nThe onsite Food Services Staff should also contact their \nrespective field coordinator. \n3. Once the Food and Nutrition Services Department is \nnotified about the emergency, a contingency plan that" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 2 of 9 \n \nincludes an alternate menu, mealtimes, or location will be \njointly decided upon. A substitute emergency meal (shelf-\nstable) which meets regulations may be provided if the \nemergency prevents access to the kitchen. \n4. If there is an emergency just before lunch, the onsite Food \nServices staff should be notified immediately. If needed, \nappropriate arrangements will be made to ensure students \nare fed quickly and efficiently. Food and Nutrition Services \nmay need to provide an alternative meal, depending on the \nemergency. Delays may be expected. All staff should be \nflexible and patient." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 4, + "content": "flexible and patient. \n5. When and if the administration makes the decision to send \nthe student body to another school or alternative location, \nthe Food and Nutrition Services Department needs to be \nnotified immediately to ensure food is available at the new \nlocation. \n6. This plan of action is dependent on cooperation from \neveryone. \n7. During a declared state of emergency, the attached \ninstructions will be followed to issue USDA commodities." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 3 of 9 \n \nFor more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9158 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 4 of 9 \n \nMASSACHUSETTS PLAN FOR UTILIZATION OF USDA DONATED \nFOODS FOR DISASTER RELIEF \n1. Purpose: The purpose of this plan is to establish the \nprocedure for obtaining the United States Department of \nAgriculture (USDA) donated commodities in Massachusetts \nduring a presidential disaster. \n2. Background: The Secretary of Agriculture is responsible for \nensuring that adequate stocks of food are available for \ngroup feeding or household distribution in any area \nsuffering from a major disaster or emergency. During a \ndisaster, food that has been purchased by the USDA for use \nin the state's food programs is made available to disaster" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 7, + "content": "organizations in that state. Food that is stored in school or \nstate warehouses can be used immediately. The USDA will \nreplace this food. \n3. General: \n\u2022 USDA donated foods will not be distributed to \nindividual families except when the Secretary of \nAgriculture determines that the commercial channels \nof trade have been disrupted because of the \nemergency caused by a disaster. \n\u2022 In Massachusetts, USDA foods (which become the \nproperty of the Commonwealth) are distributed by the \nMassachusetts Department of Elementary and \nSecondary Education, Nutrition Programs and Services, \n75 Pleasant Street, Malden, MA 02148-4906. \n\u2022 Contact should be made with the local authorities to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 8, + "content": "establish a plan to procure these items. All foods are \nfree of charge to the Red Cross. There may be a small" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 5 of 9 \n \nservice charge for handling. \n\u2022 Food items are also stored in bulk in four warehouses \nthroughout the Commonwealth. In the event sufficient \nfoods are not available in the schools, they may be \nrequested by the school lunch personnel through their \nchannels or through the American Red Cross Mass Bay \nChapter office. \n\u2022 Transportation needed to move the food to the disaster \narea is not available from the Department of \nElementary and Secondary Education. It is \nrecommended that chapters develop local \ncontingency plans. The key to prompt and efficient \ntransportation of these foods is prior planning by the \nchapter." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 10, + "content": "chapter. \n\u2022 Food will be released when the President has declared \na disaster area, or when the Commonwealth has \nrequested a declaration. They will also be released \nupon request of Red Cross or governmental authorities \nwhen a disaster appears to be imminent, people being \nevacuated, or mass feeding is needed for a substantial \nnumber of dislocated families and individuals. \n4. Procedure for obtaining USDA donated foods for Red Cross \nmass feeding: \n\u2022 When the feeding is being done by school lunch \npersonnel: \no They will make food available from their supply. \no When additional foods are required, they will \nrequest them." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 6 of 9 \n \n\u2022 When the feeding is being done by other than school \nlunch personnel, the Red Cross will make its request \nthrough the Mass Bay office of the Red Cross. It will \ninclude a synopsis of the disaster situation and the \nestimated amounts and kinds of food commodities \nrequired. \n\u2022 The nearest warehouse or other facility will be \ninstructed to release the food. \n\u2022 The Red Cross will dispatch the necessary \ntransportation to pick up the foods. \n\u2022 In all instances, temporary receipts will be signed, \nfollowed by more formal procedures. \n5. Procedures for returning used foods: \n\u2022 If a large amount of food is to be returned, the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 12, + "content": "Department of Elementary and Secondary Education \nwill send an agent to the Red Cross to arrange the \ndetails of the return. If only a small amount is to be \nreturned, the Red Cross will be instructed to turn it \nover to the designated school in the area. In either \ncase, the Red Cross should obtain and file a receipt for \nthe returned food. \n6. Procedure for reporting on USDA donated foods: \n\u2022 After mass feeding is completed, the Red Cross will be \nadvised on the information necessary to enable the \nDepartment of Elementary and Secondary Education \nto report on commodities distributed for disaster relief, \nincluding certification that all food products were used" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 13, + "content": "in accordance with existing regulations and used for \nmass feeding." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 7 of 9 \n \n\u2022 The program for use of USDA donated foods in the \ndisaster will be considered completed when all unused \nfood has been returned and the above report has been \nsubmitted. \nAmerican Red Cross: \nLiberty Black \nDirector of Disaster Services \nMass. DESE: \nRobert M. Leshin \nDirector, Office for Food and Nutrition Programs" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 8 of 9 \n \nMASSACHUSETTS DEPARTMENT OF ELEMENTARY AND \nSECONDARY EDUCATION \n75 Pleasant Street, Malden, Massachusetts 02148-4906 \n Telephone: (781) 338-3000 \nTTY: N.E.T. Relay 1-800-439-2370 \nMEMORANDUM \nTo: All School and Child and Adult Care Food Program \nSponsors \nFrom: Kathleen C. Millett \nFormer Executive Director, Office for Nutrition, Health \nand Safety Programs \nDate: January 26, 2015 \nSubject: Procedures for Using USDA Foods During an \nEmergency \nIn the case where a school or childcare setting is officially \ndesignated as an emergency shelter, USDA Foods may be \nreplaced. This memorandum serves to identify the process to use" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 16, + "content": "the USDA Foods and request replacement. After approval from \nthis office, USDA donated foods will be made available to the \nAmerican Red Cross or public schools for feeding in a congregate \nsetting. The following steps are to be used to receive food \nassistance for food services during an emergency declaration. \nFirst, contact Marion Browning of the food distribution section at \nmbrowning@doe.mass.edu or 781-338-6460, email is preferred, \nwith your immediate food needs, along with the estimated \nnumber of meals to be served. If you are unable to reach Ms." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FNS-02 \nPage 9 of 9 \n \nBrowning, please email me at kmillett@doe.mass.edu or 781-338-\n6479. Include the following information to the extent possible: \n\u2022 Description of major disaster or emergency situation. \n\u2022 Number of people requiring meals and congregate meal \nservice period. \n\u2022 Quantity and types of food needed for congregate meal \nservice. \n\u2022 Number and location of sites providing congregate meal \nservice. \nOnce the request for donated foods is approved, you may use any \nUSDA donated foods available at your school. After the crisis has \npassed, please report the following information to the \ncommodity distribution section:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 18, + "content": "commodity distribution section: \n\u2022 Amount of USDA commodities actually utilized. \n\u2022 Number of days of the meal service and number of meals \nactually served (i.e., 2,000 persons, three meals per day for \nfive days). \nWe will make every effort to replace the value of USDA donated \nfoods used with inventory from our warehouse." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFNS-04 \nVersion 01 \n \n1 \nRESPONSIBILITIES REGARDING SCHOOL \nFOOD SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nFood and Nutrition services is a federally funded program. The \nprogram\u2019s operating revenue is supported by reimbursement \nfrom meals served to students. The department is audited \nannually, consisting of a review of the Community Eligibility \nProgram which includes point of service, accountability, fiscal \naccountability, and overall procedures. \nSchool leaders share responsibility with the executive director of \nFood and Nutrition Services in ensuring that all federal, state, and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 2, + "content": "local regulations applicable to the school\u2019s food services are \nimplemented and administered daily. There are area field \ncoordinators who are assigned to oversee school-site foodservice \noperations. \nSCHOOL LUNCH AND BREAKFAST PROGRAMS \nBreakfast and Lunch Periods: \n\u25cf The state mandates sufficient time must be allocated for \nthe students to eat lunch. At least a 30-minute lunch \nperiod is recommended, whenever possible. No less than \n20 minutes can be designated for a lunch period." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 2 of 10 \n \n\u25cf If there is a change to the meal service time, the school \nleader must notify the Food Services staff immediately. \nAny changes to service impacts staffing and must be \nreviewed and discussed before finalizing. \n\u25cf Breakfast programs should be scheduled at least 15 to 30 \nminutes before the start of school. This time is needed for \nFood Services staff to have the necessary capability for \naccurate meal counting and reporting. \n\u25cf Supervision is required at breakfast as well as lunch \nservice. The school leader can make an administrative \nassignment or arrange for volunteers to provide student" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 4, + "content": "supervision. Food Service employees will not assume \nresponsibility for supervising students. \nBreakfast After the Bell: \nAs a continuation from SY2018-2019, the Massachusetts State \nBudget mandates public schools with at least 60 percent of their \nstudent population eligible for free or reduced-price meals to \nserve breakfast after the instructional day begins. All BPS schools \nmust comply with this regulation. \nFNS understands implementing a change in breakfast service \nstyle has its challenges and has several resources available \nincluding marketing, equipment, and programs to ensure proper \nimplementation of a comprehensive breakfast after the bell" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 5, + "content": "program that provides access to meals. FNS will keep cafeterias \nopen 30 minutes past the bell time to continue provision of \nbreakfast to all students." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 3 of 10 \n \nLunch Menu: \nFederal regulations mandate lunch to consist of the following: \n\u25cf Meat or meat alternates \n\u25cf Whole grains \n\u25cf Vegetables \n\u25cf Fruits \n\u25cf Milk \nBreakfast Menu: \nFederal regulations mandate breakfast to consist of the \nfollowing: \n\u25cf Meat or meat alternates \n\u25cf Whole grains \n\u25cf Fruits \n\u25cf Vegetables \n\u25cf Milk \nThe menu as printed must be followed by FNS staff unless onsite \nfood service staff receive approval from Food Services supervisory \nstaff to make adjustments. Menu planning is the sole \nresponsibility of the Department of Food and Nutrition Services. \nSchool administrators are encouraged to discuss their menu" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 7, + "content": "interest with the executive director of food services, 617-635-9144. \nCOMMUNITY ELIGIBILITY PROGRAM \nThis school year (2023-2024), in conjunction with the United \nStates Department of Agriculture (USDA) and the Massachusetts \nDepartment of Elementary and Secondary Education, Boston \nPublic Schools (BPS) will continue to participate in the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 4 of 10 \n \nCommunity Eligibility Provision (CEP), created by the Healthy, \nHunger-Free Kids Act of 2010. This is available for schools with \nhigh percentages of low-income children to provide breakfast \nand lunch to all students at no cost to them. The program \nincreases participation in school meals, reduces labor costs for \nschools, and brings additional revenue to the school district from \nthe USDA. In short, it allows for a healthier student body and a \nhealthier school meal budget. \nAll students in a Community Eligibility Provision (CEP) school are \ndeemed as economically disadvantaged, and students are" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 9, + "content": "provided all meals \u2014 breakfast, lunch, after-school meals, and \nsummer meals \u2014 at no cost. In the event a student requests a \nsecond meal, the cost is $4.00 . Students must pay at the time of \nthe meal request. There are no credits or charges allowed. \nSchool administrators may establish a revolving fund to cover the \ncost of second meals for students without means. Second meals \nwill not be provided without a source of payment. \nAFTER SCHOOL MEAL PROGRAM \nSupper meals are available at no charge to schools that have \nafter school enrichment programs. Program directors must \ncontact this office to arrange for student meals. There is a brief" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 10, + "content": "application process that should be completed at least 2 weeks \nprior to program start-up. All program directors are required to \nattend one mandatory annual training session. Program \nadministrators are responsible for completing the daily tally \nsheets to document meals served. Tardy submission of these \nreports could result in the discontinuance of the program." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 5 of 10 \n \nSUMMER MEAL PROGRAM \nMeals are provided throughout the City of Boston to all children. \nMeals consist of breakfast and lunch and are free to all children \nthrough age 18. \nFRESH FRUIT AND VEGETABLE PROGRAM (FFVP) \nThe goal of the FFVP is to introduce children to fresh fruits and \nvegetables, to include new and different varieties, and to increase \noverall acceptance and consumption of fresh, unprocessed \nproduce among children. The FFVP also encourages healthier \nschool environments by promoting nutrition education. \nUSE OF SCHOOL LUNCH FOR DISCIPLINARY ACTION \n\u25cf The National School Lunch Act and the State Department" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 12, + "content": "of Elementary and Secondary Education prohibit the \ndenial of meals and milk as disciplinary action against \nschool children. \n\u25cf Students may not be denied any part of the meal. \n\u25cf Students may not have a portion of the breakfast or lunch \nperiod taken away. \n\u25cf Any action that interferes with the student\u2019s right to \naccess meals or that discriminates against students in \nany way in the provision of meals is prohibited. \nCOMPLIANCE WITH PROGRAM REGULATIONS \nWe ask that school administrators assist with the enforcement of \nprogram regulations (e.g., federal regulations do not permit free \nor reduced reimbursement to ineligible children. There is no" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 13, + "content": "reimbursement for adult meals.) School administration will be \ncharged for meals in which payment has not been received for" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 6 of 10 \n \nstudent second meals and adult meals. Outstanding charges will \nbe posted against individual school instructional supply \naccounts. \nMEAL SERVICE ACCOUNTABILITY OF SCHOOL \nADMINISTRATORS \nTo participate in the school lunch and breakfast programs, it is \nnecessary for a contract to be in effect between the \nCommonwealth of Massachusetts and the superintendent of \nschools. This agreement stipulates that state-approved controls \nare maintained to account for meals served. \n\u25cf School administrators are required to comply with the \napproved system in operation at the particular school site. \n\u25cf To assist with decreasing meal waste and improving" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 15, + "content": "accountability, it is recommended that elementary \nteachers ask students beforehand who will be eating \nlunch in the cafeteria or classroom and give that \ninformation to the food service staff one hour before \nlunch so they can have more accurate counts. \n\u25cf School leaders are to ensure that all students know their \nstudent ID numbers, required to be entered at the point \nof sale for accountability of each meal. \n\u25cf Milk cannot be served without payment. \n\u25cf Meal counts must be taken at the \u201cpoint of service\u201d (end \nof the line) when a student has received a reimbursable \nmeal. Five food components must be offered for lunch \nand three components for breakfast." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 16, + "content": "and three components for breakfast. \n\u25cf In schools with classroom meal service, it is necessary to \naccount for the meal served at the time of service." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 7 of 10 \n \nCOMPETITIVE FOOD SALES AND VENDING MACHINES \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding (see FNS 03 \nNutrition Policy). \nRegulatory Authority: \n\u25cf M.G.L. C.15, \u00a7 1G \n\u25cf Federal Register, 2013, 7 CFR Parts 210 and 220, National \nSchool Lunch Program and School Breakfast Program: \nNutrition Standards for All Foods Sold in Schools as \nRequired by the Healthy, Hunger-Free Kids Act of 2010; \nInterim Final Rule, U.S. Department of Agriculture, 78 (125)" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 18, + "content": "(June 28, 2013). \n\u25cf Federal Register, 2014, 7 CFR Parts 210 and 220, Local \nSchool Wellness Policy Implementation under the \nHealthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. \nDepartment of Agriculture, 79 (38) (February 26, 2014). \n\u25cf Massachusetts General Laws (2010). Chapter 111, Section \n223. \n\u25cf General Law - Part I, Title XVI, Chapter 111, Section 223. \n\u25cf State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law), Acts of 2012 Chapter 96 - \nSession Laws. \n\u25cf Massachusetts Department of Public Health (2010), \nNutrition Standards for Competitive Foods and Beverages \nin Public Schools,105 CMR 225.000 \n\u25cf Massachusetts Department of Public Health (2012)." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 19, + "content": "\u201cStudents, Healthy Schools: Revised Guidance for" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 8 of 10 \n \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages\u201d Healthy \nStudents, Healthy Schools: Revised GuIdance for \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages \nOnly Food Services is permitted to sell to students. \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nAll income must accrue to Food Services. \nThe income for the total food and beverage service regularly" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 21, + "content": "maintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages and vending machines, \nmanaged by the Food and Nutrition Services Department. Food \nsales operated for profit (this includes bake and candy sales) shall \nnot operate during the regular school day." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 9 of 10 \n \nFood items allowed for sale: \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of \nthe breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nVending machines: \n603 CMR 29.01 Non-Profit Lunch Program/Use of Vending \nMachines: Vending machines are not to be in use during school \nhours. \nCanteen services at school site locations: \n603 CMR 29.05 Competitive Foods: \nFederal regulations prevent the sale of candy, gum, and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 23, + "content": "carbonated beverages to students on school premises from the \nbeginning of the school day to the end of the last lunch period. \nThe sale of food items from canteen trucks, school stores or other \nareas that compete with school meals, time, and money is in \nviolation of federal regulations. These sales further divert income \nessential to the financial wellbeing of the Food and Nutrition \nServices program. \n\u25ba Use of canteen services on school premises by students \nshould be prohibited." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FNS-04 \nPage 10 of 10 \n \nCATERING SPECIAL FUNCTIONS AND FIELD TRIPS \nSpecial function considerations: \n\u25cf Schools planning special activities should contact the \ncafeteria manager/satellite attendant AND Office of Food \nand Nutrition Services with advance notice of the event. A \nwritten request for use of the cafeteria facility or hiring of \npersonnel must be made in writing at least 7 days before \nthe event. \n\u25cf Food and supplies or cooking utensils will not be \nprovided free of charge. Schools requesting such services \nwill be charged a fee to cover costs. \n\u25cf All evening and weekend functions will require hiring" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 25, + "content": "Food Services staff at an overtime rate. All costs must be \npaid prior to the date of the event. Credit will be given if \nthe event is canceled with 48 hours\u2019 notice. \n \nFor more information about this circular, contact: \nOwner: Deputy Director \nDepartment: Food and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: 617-635-9158 \nFax: 617-635-9304 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nHRS-HS02 \nVersion 01 \n \nJOB SHARING FOR PERMANENT TEACHERS AND \nPARAPROFESSIONALS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Office of Human Resources accepts job-sharing applications \nthrough the online forms included in this circular. Please note \nthat employees will be required to sign in with their Boston \nPublic Schools Gmail account. These links will also be made \navailable through BTU and paraprofessional representatives, the \nBoston Public Schools website, and the Superintendent\u2019s \nBulletin. \nBoston Public Schools has agreed to provide job-sharing" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 2, + "content": "opportunities to permanent educators (1) and paraprofessionals \nwho desire to split a position with another staff member in their \nbuilding. \nCONDITIONS FOR JOB SHARING \nThe following are the conditions under which employees are \npermitted to share jobs: \n \n1() This includes nurses, COSE, and other BTU educators with \npermanent status." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 2 of 5 \n \n \n \n1. Participation in job sharing requires approval by the \nprincipal//head of school. The principal/head of school \nshould submit their approval to the Office of Human \nResources via the online form below. \n2. All participants in the job-sharing program will be required \nto jointly plan their program so as to provide programmatic \nintegrity and continuity. The principal/head of school must \napprove such plans. \nWith the approval of the principal/head of school, teachers \nor paraprofessionals may structure their program in the \nfollowing two options: \na. Both teach for one-half day \nb. Both teach for one-half week" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 4, + "content": "b. Both teach for one-half week \n\u25ba Job share participants may not split the school year \nwith their job share partner in order to work for only \nhalf of the school year. Job share participants also \nmay not split the teaching bimonthly or biweekly. \n3. All participants in the job-sharing program will be required \nto attend all \"Early Release Time\" in-service meetings, all \nprofessional days, and parent conferences. If the job share \ntakes place in a designated Extended Learning Time school, \nboth teachers/paraprofessionals are expected to participate \nin ELT. \n4. The two teachers participating in a joint assignment/job \nsharing will meet with one another once each marking" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 5, + "content": "period, at the discretion of the principal/head of school, to \nassess and improve the job sharing program. These" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 3 of 5 \n \n \n \nmeetings may be held on early release or professional \ndevelopment days. \nAll parties recognize that at times it may be necessary for \nthe two teachers and the principal/head of school to meet \nfor the purpose of addressing problems which may arise in \nthe implementation of job sharing at an individual school. \nSuch meetings, if necessary, shall be scheduled at a time \nthat is mutually agreeable to all parties. \n5. Teachers and paraprofessionals participating in the job-\nsharing program will receive the following compensation \nand benefits: \na. Compensation shall be one-half of salary entitlement." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 7, + "content": "b. Sick leave shall be one-half of annual entitlement. \nc. Personal days shall be one-half of annual entitlement. \nd. Health insurance premium and health and welfare fund: \nfull contribution \ne. Seniority accrual: full credit \nf. Attachment rights for one-year to former position \n6. Teachers participating in job-sharing must hold a valid DESE \nlicense for the position. No exceptions will be made. \n7. Each participant in the job-sharing program will be asked to \nenter into a binding agreement committing to the year-long \nassignment. \n8. Participants must submit new job-sharing applications each \nyear. Continuation of a job-sharing pairing for the next" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 8, + "content": "academic school year will be subject to a favorable review \nby all parties." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 4 of 5 \n \n \n \nTO INDICATE INTEREST IN JOB SHARING \nPermanent teachers or paraprofessionals who wish to indicate \ntheir interest in job sharing should submit a request using the \nonline form shown below. The submission of an application only \nserves an indication of interest and is not binding. The application \nmust be submitted via the online form no later than 5:00 p.m. on \nMarch 25, 2025. \nPlease note: Applicants are responsible for making all job-sharing \narrangements, including finding a colleague with whom to job-\nshare. The Office of Human Resources does not assist with \nmaking job-sharing arrangements. If you are unable to find a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 10, + "content": "partner, your request to job share will be denied. \n2024-25 ONLINE FORMS \nThe Office of Human Resources now accepts job-sharing \napplications online. Candidate applications for job share as well \nas principal/head of school approval can be submitted through \nthe links below. Please note that employees will be required to \nsign in with their Boston Public Schools Gmail account. These \nlinks will also be made available through BTU and \nparaprofessional representatives, the Boston Public Schools \nwebsite, and the Superintendent\u2019s Bulletin. \nJob Sharing Request: \nApplicant Form \nEach applicant interested in Job Sharing \nmust submit their own form by March" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 11, + "content": "must submit their own form by March \n25, 2025. Principals/heads of schools \nmust submit the form below for \napproval." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular HRS-HS02 \nPage 5 of 5 \n \n \n \nJob Sharing Request: \nPrincipal Approval \nForm \nPrincipals/heads of schools must submit \nthis form to approve a job share request \nby April 15, 2025. \n \nFOR MORE INFORMATION ABOUT JOB SHARING \nThere will be an informal meeting at the Boston Teachers Union \nin Winter 2025 for teachers and paraprofessionals who are \ninterested in obtaining more information about job sharing. \nFor more information about this circular, contact: \nOwner: School-Based Staffing \nDepartment: Office of Human Resources \nMailing Address: 2300 Washington St., Roxbury, MA 02119 \nPhone: 617-635-9600 \nAdditional \nQuestions: \nPlease submit an HR Inquiry Ticket via" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 13, + "content": "Please submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access \nBoston. \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-07 \nVersion 01 \n \n \n \nPUBLIC HEALTH AND WORKPLACE SAFETY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nIn the past, concerns have been raised over the potential use of \nthe U.S. Postal Service to conduct bioterrorist activity. In both \nNew York and in Washington D.C., contents of three or four \nenvelopes were tested positive for anthrax. In those cases where \npositive results were recorded, public health authorities dealt \nwith this issue. \nThe purpose of this memorandum is to provide guidelines for the \nhandling of mail in the Boston Public Schools. In providing these" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 2, + "content": "guidelines, it is important to note that we have been informed by \nthe Boston Public Health Commission that there have been no \nconfirmed anthrax cases reported in either the Boston Public \nSchools or in the City of Boston. \nYour School Emergency Operations Guide (flip chart) will serve as \nan action reference on this subject. \nGUIDELINES \nThe following guidelines are effective immediately and shall" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 2 of 9 \n \n \nremain in place until otherwise ordered: \n1. Every responsibility center should assign one person and a \nbackup person to sort and distribute mail. That person shall \nbe supplied with rubber gloves and plastic bags to be used \nat their discretion. Training in the safe handling of mail will \nbe provided. \n2. Techniques for safe handling of routine mail include the \nfollowing: \na. Examine all mail before opening to determine if it is \nsuspicious. \nb. Isolate suspicious mail in a plastic bag. \nc. Open mail with a letter opener over a hard cleanable \nsurface, holding the envelope upright so that the \ncontents will not spill out." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 4, + "content": "contents will not spill out. \nd. Examine the inside contents prior to removal. \ne. Never shake or wave any mail or contents of \nletters/packages. \nf. Ensure that food or drinks are not in the area while \nmail is handled. \n3. All mail and packages sent to internal offices/departments \nthrough the courier service should be sealed by the sender \nand the name and return address of the sending office \nclearly marked on the envelope/package. \n4. Characteristics of suspicious letters and packages include \nthe following: \na. No return address. \nb. Return address not matching city/state on the \npostmark. \nc. Stained, discolored mail or mail with an odor. \nd. Excessive postage/excessive weight." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 5, + "content": "d. Excessive postage/excessive weight. \ne. Lopsided or uneven envelope/packaging." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 3 of 9 \n \n \nf. Improper address, illegible or poorly written address. \ng. Mail with visual threats on packaging materials. \nh. Unexpected mail with an international postmark. \ni. Ticking sound. \nj. Any combination of the aforementioned \ncharacteristics. \n5. Suspicious mail or packages should NOT be opened or \njostled. It should be placed in a plastic bag and isolated for \ninspection by the responsibility center manager. \n6. If suspicious mail is already opened, it should be left on the \ndesk/table and should NOT be handled further. It is \nsuggested that it be covered with a plastic trash bag and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 7, + "content": "the immediate area closed off. Refer to items 8 and 9 and \nfollow the procedures outlined. \n7. If any powder or suspicious substance spills out of the \nenvelope, cover it, close off and leave the immediate area, \nwash your hands with soap and water and notify your \nresponsibility center manager. \n8. When suspicious mail has been received, the responsibility \ncenter manager should call 911 and notify the \nSuperintendent's Office. Our protocol does not call for \nevacuation of the building unless so directed by public \nsafety officials. \n9. All persons who handled suspicious letters/packages should \nwash their hands with soap and water." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 8, + "content": "wash their hands with soap and water. \nAttached for informational and review purposes are public health \nfact sheets prepared by the Boston Public Health Commission. \nPlease keep this memorandum available for reference." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 4 of 9 \n \n \nATTACHMENT A \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \nANTHRAX \nWhat is anthrax? \nAnthrax is a disease caused by a bacterium called Bacillus \nanthracis. Anthrax most commonly occurs in animals, but it can \nalso infect people. Anthrax has the potential to be used as a \nbiological weapon. In late 2001, terrorism related Anthrax cases \nwere found in Connecticut, New York City, New Jersey, Florida, \nand Washington DC. \nHow is anthrax spread? \nAnthrax can be spread by touching it (when there\u2019s a cut on the \nskin), breathing it in, or eating meat contaminated with Anthrax." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 10, + "content": "It is not contagious. An infected person cannot give it to others. \nWhat are the symptoms of anthrax? \nSymptoms of the disease vary depending on how the disease \nwas contracted, and usually occur within 7 days, but can take up \nto 60 days to appear." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 5 of 9 \n \n \n\u2022 Cutaneous (skin form): Most anthrax infections occur when \nbacteria enter the skin. The infection begins as a raised itchy \nbump that resembles an insect bite, but within several days \ndevelops into a blister. The blister ulcerates and forms a \nblack area in the center. With prompt treatment, the vast \nmajority of people recover fully. \n\u2022 Inhalation: Initial symptoms may resemble the flu with \nfever, chills, and muscle aches. After several days, the \nsymptoms progress to severe breathing problems and \nshock. In the past, death occurred 1-2 days after the onset of \nsymptoms. However, during the recent outbreak of anthrax" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 12, + "content": "in the United States, with prompt treatment more than half \nof the people who developed inhalation anthrax survived. \n\u2022 Intestinal: This form of anthrax occurs from eating \ncontaminated meat. Symptoms include nausea, loss of \nappetite, vomiting, fever, and are followed by abdominal \npain, vomiting of blood, and severe diarrhea. \nCan I acquire anthrax from another person? \nPerson-to-person spread of anthrax is not known to occur. Only \npeople directly exposed to anthrax spores could develop disease. \nIs there an anthrax vaccine? \nThere is a limited amount of anthrax vaccine available in the \nUnited States; however, most people are not routinely vaccinated" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 13, + "content": "against anthrax unless they fall into a high-risk group such as \nmilitary personnel. The anthrax vaccine requires 6 shots over a \nperiod of 18 months with follow-up shots. Anthrax vaccines \nintended for animals should not be used in humans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 6 of 9 \n \n \nIs there a treatment for anthrax? \nDoctors can prescribe antibiotics that work against anthrax. To \nbe effective, treatment should be initiated early. If left untreated, \nthe disease can be fatal. In Massachusetts, all cases of suspected \nanthrax are required to be reported immediately to local health \ndepartments. In Boston, suspected cases should be reported to \nBoston Public Health Commission at 617-534-5611. \nFor more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit http://www.bphc.org" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 7 of 9 \n \n \nATTACHMENT B \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \n \nBIOTERRORISM \nWhat is Bioterrorism? \nBioterrorism is a form of terrorism in which infectious biological \nagents, such as bacteria, viruses, or toxins are used (or are \nthreatened to be used) against another person to create fear and \ndisrupt normal daily activities. Use or threatened use of such \nagents is a Federal crime and is thoroughly investigated by the \nBoston Police Department, FBI, and other agencies. \nWhat is the Boston Public Health Commission doing to prepare \nfor a possible bioterrorist event?" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 16, + "content": "for a possible bioterrorist event? \nThe Boston Public Health Commission (BPHC) has been \npreparing for potential bioterrorism for several years. BPHC has \nbeen working with health care providers and others in the city to \ndevelop an early warning system for possible bioterrorist attacks. \nThis system will allow city officials time to implement steps to \nprevent further illness." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 8 of 9 \n \n \nHow will I know if I have been exposed to an infectious \nbiological agent? \nMost bioterrorist threats to date have been hoaxes, so often \npeople only think they have been exposed to a bioterrorist agent. \nIf you suspect you have been exposed to a biological agent, notify \nemergency personnel immediately by calling 911. Boston Police, \nFire, Emergency Medical Services, and Public Health Commission \nwill work together to collect and identify the suspect material. \nIf I actually were exposed to an infectious biological agent, what \nsymptoms should I look for? \nDifferent viruses, bacteria, and toxins may be used as" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 18, + "content": "bioterrorism agents, and each may cause different symptoms. \nOften however, they resemble either the flu or food poisoning. \nPeople who are exposed may experience fever, chills, headache, \nbody aches, and muscle weakness. Others may experience \ncoughing, diarrhea, abdominal cramping, nausea, and vomiting. \nIt is important to remember that these symptoms are common \nof many illnesses and are not usually the result of bioterrorist \nevents. \nHow long would it take for symptoms to appear? \nThe length of time it takes for symptoms to appear can vary \ngreatly depending on the type of agent used. Symptoms can \nappear between several hours to several weeks after exposure." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 19, + "content": "Superintendent\u2019s Circular FSE-07 \nPage 9 of 9 \n \n \nWhat can be done if I am exposed to a biological agent? \nFor many of these agents, treatment is available. However, it is \nvery important for treatment to begin early. Therefore, if you \nsuspect you may have been exposed to one of these agents, see a \nhealth care provider as soon as possible. \n For more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit the Boston Public Health \nCommission, http://www.bphc.org. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 20, + "content": "Mailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-08 \nVersion 01 \n \n \n \nSAFE MODE AND INTERNAL THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMandatory SAFE MODE drills are to be planned, conducted and \nreviewed during September and January of each school year. Each \nschool should conduct two SAFE MODE drills every year. These \nexercises are to be coordinated through your school superintendents. \nA report on each safe mode drill must be documented on the Google \nform, which can be found at the BPS Fire & Safety Drill Report . If you \nhave any questions, please contact the BPS Office of Emergency \nManagement." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 2, + "content": "Management. \n \nThese drills will help prepare the school community for any real life \nsituation that may occur. \n \nDuring any real-life situation: \n\u25cf Call 911 as soon as you can do so safely. \n\u25cf Call the Department of Safety Services at 617 -635-8000, after \ncalling 911, if you can do so safely. \n \nObjectives of SAFE MODE drills: \n\u25cf Staff will be able to describe what SAFE MODE is and their \nresponsibilities during a SAFE MODE event. \n\u25cf Staff will have the opportunity to have their questions \nconcerning SAFE MODE heard and answered." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 2 of 13 \n \n\u25cf Staff will have the opportunity to raise potential concerns that \nhave not yet been addressed to assist in better anticipating \nissues during SAFE MODE situations. \n \nDEFINITIONS AND PROTOCOL FOR ACTUAL EVENTS \n \nSAFE MODE (External Threat) \nSAFE MODE is a protective action used to safeguard faculty, staff, \nand students from an external threat as a result of law enforcement \nactivity near the school or a potentially dangerous situation near the \nschool. Schools will typically be placed into SAFE MODE by the \nBoston Police Department or BPS Safety Services, but each school \ncan enter SAFE MODE on its own." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 4, + "content": "can enter SAFE MODE on its own. \n \nExamples of reasons why schools go into SAFE MODE: \n\u25cf Police activity around or near your building \n\u25cf Shooting outside your building \n\u25cf Fire or accident near your building \n \nHow will you know when you are in SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\"" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 3 of 13 \n \nNOTE: The Principal/Head of School, Site Coordinator or designee \nwill also be alerting Safety Services and calling 911 to alert them \nthat they are in SAFE MODE if not a drill, as mentioned above. \n \nWhat should faculty and staff do upon notification of SAFE MODE? \n1. If you see, hear, or observe a potential threat outside your \nbuilding, bring all students and staff back into the building \nimmediately and initiate SAFE MODE and notifications. \n2. Depending on the circumstances and the direction of the \nPrincipal/Head of School, Site Coordinator or their designee, \nlearning activities may continue during a SAFE MODE. If" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 6, + "content": "continuing learning activities, be sure the volume in the room \nis low enough to hear further announcements. \n3. Check the hallways for people nearby and bring them into the \nclassroom. \n4. Check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom door. \n6. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and close \nthe windows and shades (if you have them). Turn the lights off \nand silence cell phones, radios, Tv and any other source of noise \nas necessary. \n7. Be prepared to m ove students away from windows and doors \nand stay in your safe location." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 7, + "content": "and stay in your safe location. \n8. Take attendance. Verify the missing and extra people in your \nroom. Write the names on a sheet of paper and wait for \nsomeone to contact you for that list (may be by intercom or in \nperson)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 4 of 13 \n \n9. Ramain with your students in the classroom until further \ninstructions are given. \n10. Only use the intercom to notify the main office of emergencies \nor special needs. \n11. SAFE MODE ends only when the principal/head of school , site \ncoordinator or designee announces it via intercom or through \ndoor to door notifications. \n \nWhat will the safety team be doing during SAFE MODE? \n1. Administration will make sure exterior doors are locked. \n2. Floor captains will check classrooms and lock bathrooms. \n3. Administration will notify all staff via the public address system \nof the situation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 9, + "content": "of the situation. \n4. Administration will notify Safety Services and their school \nsuperintendent if they are in an actual SAFE MODE. They will \nnotify their school superintendent if they will be conducting a \nSAFE MODE drill. \n5. Administration or police will monitor cameras. \n6. Administration or police will monitor the entire school to make \nsure no one is in the hallways or leaving or entering the \nbuilding. \n7. Administration will work with BPS Communications to send a \nnotice to all families within a short time after the incident when \nthe situation is clear. \n \nPreventative Safe Mode: This version of SAFE MODE can be used to" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 10, + "content": "stop motion in the building under certain circumstances to resolve \nan internal issue (e.g., lost children, student/adult behavior, K9 \nsearch, etc.)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 5 of 13 \n \nHow will you know when you are in PREVENTATIVE SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE \nMODE. Remain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\" \n \nIf schools want to conduct internal threats drills, they should only do \nso with staff. No students should be involved in an internal threat" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 12, + "content": "drill. If there are concerns about these drills or procedures, they \nshould only be discussed with staff. \n \nINTERNAL THREAT (Interior) \nINTERNAL THREAT will be announced if there is any person in the \nbuilding who is looking to cause harm to people. If an internal threat \nis in the building, all occupants should use the AVOID, DENY, \nDEFEND (formerly RUN, HIDE, FIGHT) model to protect themse lves \nand anyone in their care. During this situation, occupants should use \ntheir own judgment to determine what they will do. \n \nExamples of an INTERNAL THREAT are: \n\u25cf Unknown or unidentified people in your building wandering \naround \n\u25cf Out of control parent/family member" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 13, + "content": "around \n\u25cf Out of control parent/family member \n\u25cf Person with a weapon in the building \n\u25cf Person shooting in your building" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 6 of 13 \n \n \nHow will I know when we have an INTERNAL THREAT? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via the school intercom (and call 911 if not a \ndrill): \n \n\u201cAttention faculty and students: there is an INTERNAL THREAT \n(AVOID, DENY, DEFEND).\u201d \n \nWhat will be happening on campus during an INTERNAL THREAT \nsituation? \n1. No one will be in hallways. \n2. Anyone with information on the threat should be calling 911 to \nalert police of the situation. \n3. Occupants will be using the AVOID, DENY, DEFEND protocol \nto decide their actions: \n\u25cf AVOID (RUN) pay attention to your surroundings, know" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 15, + "content": "your exits if you know it is safe to do so: get as far away \nfrom the building or source of threat as you can (you should \nnot be able to see the building/threat from where you have \nrun to). If it is safe to do, call 911, call the School Leader and \nSafety Services at 617-635-8000. Cautiously alert people \naround you if possible. \n\u25cf DENY (HIDE) if you cannot run: barricade where you are (if \nyou can) and stay out of sight of the threat,lock the door, \nturn off the light. Silence your phone, radios, tv and/or any \nother source of noise. \n\u25cf DEFEND (FIGHT) If you cannot Avoid or Deny be prepared \nto defend yourself. If fighting is your last resort and the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 16, + "content": "threat is in your space and is going to hurt you or people" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 7 of 13 \n \nyou are with, find something to fight (laptop, chair, fire \nextinguisher or any other available resources). \nAll staff should consider what to do during an internal threat on a \nregular basis. HAVE A PLAN! \n \nHELPFUL HINTS: \u201cKNOW YOUR SPACE\u201d \n\u25cf Know all available egress (EXIT) points if you ever need to \nAVOID (RUN). \n\u25cf Know what you can use to barricade your door(s) and conceal \nyourself from sight if you ever need to DENY (HIDE). \n\u25cf Know what you can use to DEFEND (FIGHT) if fighting is your \nonly option (fire extinguisher, chair, laptop, etc.). \n\u25cf The goal of both SAFE MODE and INTERNAL THREAT is to take" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 18, + "content": "cover and conceal yourself and your students from the active \nassailant. Covering glass (with large paper, shades, etc), \nshutting off lights, staying quiet (silence your phone, radios, \nTV or any other source of noise) and moving into a position of \nconcealment is key. \n \n \nPOLICE RESPONSE: \u201cKNOW WHAT TO EXPECT\u201d \n\u25cf Law enforcement priorities: \n1. Neutralize the shooter \n2. Stop the bleed of the first critical victim they encounter \n(only if the shooter is not in the immediate location. This is \na new protocol.) \n\u25cf When police arrive, follow their commands, show the palms of \nyour hands, don\u2019t move quickly. \n\u25cf BPD policy is that plainclothes officers can respond to an active" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 19, + "content": "assailant, help may not be in uniform." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 8 of 13 \n \n \n \nDEFINITIONS AND PROTOCOL FOR SAFE MODE DRILLS \n \nHow to conduct a Safe Mode Drill at your school? \n \nIdentify a Safety Team if you have not already done so (Refer to \nSafety Contingency Plan FSE-01). This Safety Team should include \nthe School Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designees. Please review FSE-01 page 24 \nfor guidance. \n \nThe Principal/School Leader, Site Coordinator or designee must \nensure that staff receive and understand proper instructions on \nthe safe mode drill procedure. Students should also be informed \nof the procedure in order to align expectations prior to the dril l." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 21, + "content": "The drill must be recorded on this form. \n \nPrior to the Drill: \nConfirm the Plan: School Leader/Site Coordinators or designee \nwill review the Safe Mode and Internal Threat Procedures, \nincluding the various situations and levels of Safe Mode (ie \nexternal threat/ medical issue/ internal threat) with staff. Select \nthe dat e of the drill and coordinate roles and responsibilities \nduring and after the drill. \n \nDay of the drill: \nJust in Time Training: School Leaders/Site Coordinators or \ndesignee will instruct staff to review Safe Mode and Internal \nThreat Procedures ensuring everyone knows their roles" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 9 of 13 \n \n(Students/Staff). Also staff should confirm window covers are \navailable (shades/blinds/paper/boards, etc) and classroom doors \ncan lock properly from the exterior. Familiarize yourself with the \nsystem used to warn you to go into Safe Mode, this may be the \npublic address system, if available, an intercom system, phones \nor radios. If the only method to communicate within the school \nis the bell system, note the warning bell system used to warn \neveryone to Safe Mode. \n*Listen carefully for instructions* \nConducting Safe Mode Drill: \n1. Inject: Safe Mode ANNOUNCEMENT is made via the PA, with" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 23, + "content": "the support of radios to areas where the PA does not reach. \n2. Staff and students go inside the building into the nearest \nclassroom immediately if they are not already. \n3. Staff check the hallways for other staff/students nearby and \nbring them into the classroom. \n4. Staff check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom doors. \n6. Close and lock the windows. \n7. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and \nclose the windows and shades (if you have them). \n8. Move students away from windows and doors and stay in your \ncurrent location." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 24, + "content": "current location. \n9. CONDUCT AN ACCOUNTABILITY SURVEY Verify the missing \nand extra people in your room. Write the names on a sheet of \npaper and wait for someone to contact you for that list (may \nbe by intercom or in person)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 25, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 10 of 13 \n \n10. Stay with your students in the classroom until further \ninstructions are given. \n11. Only use the intercom to notify the main office of emergencies \nor special needs. \n12. Silence all cellular devices. \n13. Shut off the lights. \n \nIF THE FIRE ALARM SYSTEM SOUNDS: \n\u25cf Evacuate if there are visible signs of fire. \n\u25cf Await instructions if there are no signs of fire. \n \n14. ALL CLEAR/ RETURN TO SCHOOL \nSchool Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designee announces ALL CLEAR via \nintercom or through door to door notifications. \nAction: Staff return to normal classroom activities." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 26, + "content": "15. School Leader, Site Coordinator or designee reports the drill \non this form . If you have any problem with this link, please \ncontact the OEM Team for assistance. \n \nNote: Learning activities may continue during a SAFE MODE drill, \nunless you are instructed otherwise by the Principal/School Leader, \nSite Coordinator or designee. If continuing learning activities, be \nsure the volume in the room is low enough to hear furth er \nannouncements. \n \nIMPORTANT REMINDER: The BPS Office of Emergency \nManagement is available to support schools drills as well as \nfacilitating tabletop exercises or functional tests of school buildings \nplans and protocol. Please contact us for more information." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 11 of 13 \n \nAll staff should view the following video from the Ohio State \nUniversity, to obtain important additional information that will be \nhelpful in the event that an incident occurs at the school or another \nlocation. \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.29.2024)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 28, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 12 of 13 \n \nBPS Safe Mode Announcement Scripts (English) \nSafe Mode (External Threat/ Danger Outside of the School) \nAnnouncement: \n\"Attention faculty and students: We are now in SAFE MODE. Remain in your classroom. \nIf you are in the hallway, stairs, or lavatory, move into the nearest classroom. \nDo not leave the room until told to do so, even if an alarm sounds.\" \n \nPreventative Safe Mode (ex. Missing Student/ Medical Emergency) \nAnnouncement: \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or lavatory, move into the nearest classroom." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 29, + "content": "Do not leave the room until told to do so, even if an alarm sounds.\" \n \nInternal Threat (Active Shooter/ Armed Intruder Inside) \nAnnouncement: \n\u201cAttention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).\u201d \n \nKnow Your Space. Get Safe Before You Call 911. \nCover versus Concealment. \nSilence is Golden. \nBPS Office of Emergency Management updated 7/2024" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular FSE-08 \nPage 13 of 13 \n \nBPS Gu\u00eda para anunciar el \u201cmodo seguro\u201d(Spanish) \nModo seguro (amenaza externa/peligro fuera de la escuela) \nAnuncio: \n\"Atenci\u00f3n profesores y estudiantes: ahora estamos en MODO SEGURO. Permanezcan en su sal\u00f3n de \nclases. Si est\u00e1 en el pasillo, las escaleras o el ba\u00f1o, dir\u00edjase al sal\u00f3n de clases m\u00e1s cercano. No salga \ndel sal\u00f3n hasta que se le indique, incluso si suena una alarma\". \n \nModo seguro preventivo (por ejemplo, estudiante desaparecido/emergencia m\u00e9dica) \nAnuncio: \n\"Atenci\u00f3n profesores y estudiantes: Ahora estamos en MODO SEGURO PREVENTIVO. Permanezca" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 31, + "content": "en su sal\u00f3n de clases. Si est\u00e1 en el pasillo, las escaleras o el ba\u00f1o, dir\u00edjase al sal\u00f3n de clases m\u00e1s \ncercano. No salga del sal\u00f3n hasta que se le indique, incluso si suena una alarma\". \n \nAmenaza interna (tirador activo/intruso armado en el interior) \nAnuncio: \n\u201cAtenci\u00f3n profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).\u201d \nConozca su espacio. \nAntes de llamar al 911, aseg\u00farese de no estar en peligro (busque un lugar seguro con precauci\u00f3n) \nEl silencio es oro. \n \nOficina de Manejo de Emergencia de BPS 7/2024" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-01 \nVersion 01 \n \n \n \nSCHOOL SAFETY CONTINGENCY PLANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEmergencies happen randomly in time and place, but they can be \nhandled efficiently if you have an adequate school action plan and \nan informed staff. A plan without a crisis is better than a crisis \nwithout a plan. School administrators and staff routinely manage \ncrises efficiently, and a well thought out plan will ensure guidance \nin a major emergency. \nBoston Public Schools is a NIMS (National Incident Management \nSystem) compliance district. NIMS uses a core set of concepts," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 2, + "content": "principals, procedures, processes, standards, and terminology that \nmay all be integrated with school emergency management \npractices. This in part means that we use straight language and \nnot codes when emergencies happen. \nWhen developing safety plans, school administrators must \nconsider mitigation/prevention, response and aftermath, and \ncomponents which apply to all emergency preparedness. \nPrevention/mitigation strategies are delineated in related \nSuperintendent\u2019s Circulars. Appropriate response will be detailed \nin your School Safety Contingency Plan. Dealing with recovery will \nbe addressed via Special Education and Student Services policies" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 3, + "content": "and procedures and support from other BPS departments." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 2 of 42 \n \n \nIt is essential that there be a consistent approach to school safety \nplanning throughout the district. This will ensure that each school \nimplements standard procedures in the event of an incident. A \ndefined course of action will also complement the effor ts of \nresponding public safety agencies. \nThe issue of school safety planning is regularly assessed. Ongoing \nrisk analyses are conducted, and lessons learned from actual and \nmost probable school incidents are integrated with BPS safety \nprotocols. Although every possible contingency may not be \nidentified in BPS School Safety contingency plan guidelines, your" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 5, + "content": "plan should serve as a multi-hazard approach for handling school \nincidents. \nIt is the responsibility of each school administrative head to \nupdate, review with staff and submit their School Safety \nContingency Plan no later than the last week of August each \nschool year. \nThe names of those schools which fail to comply with this directive \nare forwarded to the Superintendent\u2019s Office for appropriate \naction. \nYour School Safety Contingency Plan is to be completed in the \nGoogle doc shared with the school principal/head of school. Please \nuse the original doc to complete your plan. Do not copy and \nshare. It will be automatically saved. You are allowed continuous" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 6, + "content": "access to maintain its currency. It is also accessible to the \nSuperintendent\u2019s Office staff and other appropriate BPS central \ndepartments. Boston public safety agencies \u2014 police, fire, EMS \nand B OEM \u2014 have access to these plans in an emergency. The \nOffice of Emergency Management and Preparedness is available \nas a resource to assist principals/schools leaders, heads of school \nand other administrative heads with access information and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 3 of 42 \n \n \ntechnical advice in order to complete their plans. \nINSTRUCTIONS FOR UPDATING AND EDITING SCHOOL SAFETY \nCONTINGENCY PLANS AND FIRE SAFETY PLANS \nThe following is information on how to access and edit your \nbuilding\u2019s School Safety Contingency Plan and the building\u2019s Fire \nSafety Plan. The actual School Safety Contingency Plan for your \nbuilding was shared with you by the Director of the Office of \nEmergency Management and Preparedness or Director of \nTechnology in a Google Doc. Use this Google Doc for all changes \nand updates. Please make all changes in the original doc. Do not \nsave and make changes." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 8, + "content": "save and make changes. \n\u25ba If you cannot locate your plan, please contact The Office of \nEmergency Management and Preparedness Operations-\nDepartment-Heads@bostonpublicschools.org. \n \nSummary of significant dates and deadlines: \nDate Activity \nLast Week in August \nDeadline for completion and submission on Google \nDoc to The Director of the Office of Emergency \nManagement and Preparedness of revised School \nSafety Contingency Plan and review same with \nstaff for this school year. \n \nSECTION I: INTRODUCTION \nThe Boston Public Schools continues efforts to simplify and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 4 of 42 \n \n \nstandardize school safety plans throughout the system. It is \nunderstood that each school has its own \u201csafety personality\u201d based \non its construction design, location, number of staff, number and \ngrade level of students, as well as many other characteristic s. \nHowever, there are common elements, policies, and procedures \nfor all schools to follow in the event of an incident/crisis. \nThere are five phases of emergency management for school \nadministrators to consider when developing safety plans: \n\u25cf Mitigation \n\u25cf Prevention \n\u25cf Preparedness \n\u25cf Response \n\u25cf Recovery \nAlthough special emphasis is placed on spectacular and unusual" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 10, + "content": "incidents by the media, there are many routine types of school \nrelated occurrences that can also be extremely disruptive to a \nschool. \nSchool administrators are called upon to deal with these \nemergencies on a regular basis. In every type of school incident, \nthe first responders and decision makers are school -based staff. \nWhen the scope of an incident escalates beyond the resources \navailable at the school, initial actions taken or not taken by those \nclosest to the event can help or hinder those who will arrive later \nand assume responsibility for resolving the situation. \nThe intent of these guidelines is to assist school administrators in" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 11, + "content": "creating an appropriate working plan that will direct them \nthrough a crisis and expedite the return of their school to its \nnormal operation following that crisis. It is a multi -hazard \napproach to school incident management." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 5 of 42 \n \n \nBPS guidelines are based on concepts utilized in an Incident \nCommand System developed by public safety agencies across the \nnation. The following is a brief overview of the Incident Command \nSystem. \nINCIDENT COMMAND SYSTEM \nICS has been modified for our application on the school level to \nmanage any incident/crisis within our capacity and maintain \ncompatibility with supplementary public safety agency\u2019s \nemergency plans. \nIn managing any incident/crisis, the paramount objectives for all \nschool staff are to: \n\u25cf Ensure safety of all occupants \n\u25cf Follow BPS Safety Plan, Safe Mode and/or Fire protocol" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 13, + "content": "\u25cf Stabilize and resolve the incident when possible \n\u25cf Provide support for responding public safety agencies (911 \nand BPS Dispatch 617-635-8000) \n\u25cf Protect school property \nThe Incident Command System (ICS) is based on a team concept, \nwhere each team member has specific responsibilities. BPS will \nutilize an on -site team and an off -site team that will focus on \nsecuring the necessary support from internal departments and \nexternal agencies. The information flow is illustrated on the next \npage. \nThe on-site BPS Incident Control team (ICT) team model calls for \nthe following positions: \nSite Incident Control Team \n\u25cf Site Incident Control manager (SICM) \n\u25cf Risk analyst" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 6 of 42 \n \n \n\u25cf Safety coordinator \n\u25cf Building coordinator \n\u25cf Incident scribe \nThe roles, responsibilities and required skills for a successful Site \nIncident Control Team follow: \nSite Incident Control Manager \nGenerally, the site incident control manager (SICM) should be the \nhead of school/principal/director, the individual who has ultimate \nresponsibility for his/her school\u2019s operation. The SICM must have \na clear understanding of the school system\u2019s policies and \nprocedures. The SICM must also be able to make quality \nassessments, communicate well and command others. These are \nnormal functions for a school\u2019s administrator to perform." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 15, + "content": "Depending on the severity and tier level of the incident, the SICM \nwill establish a command post at a designated location and \nactivate the school\u2019s internal team. The nature of the incident \ndetermines the configuration of the team. In a large -scale \nincident, the team can be expanded or collapsed as conditions \nwarrant. In a smaller school, one person may perform several tasks. \nIt must be understood that, initially, the SICM may be any member \nof your staff who discovers or is alerted to an incident prior to \nnotification of the head of school/principal/director. \nRisk Analyst \nThe risk analyst will be relied on to assess incurred injuries and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 16, + "content": "evaluate medical risks associated with developing and occurring \nincidents. Recommended personnel for this role include the \nschool nurse, school psychologist, and student support \ncoordinator. Consideratio n of a school\u2019s language requirements" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 7 of 42 \n \n \nshould also be included in selection of the risk analyst. \nSafety Coordinator \nThe safety coordinator will be called upon to gather occupancy \ninformation and to support efforts to establish control at the \nincident site. Recommended personnel for this role include \nSchool Registrar, School Police Officer, Safety Paraprofessional, \nDean of Discipline, and Transportation Coordinator. Since schools \nvary in size and range of staff, Principals and Headmasters are \nurged to explore their building\u2019s total resources to assist in \nidentifying this team member. \nBuilding Coordinator \nThe building coordinator will meet and direct responding" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 18, + "content": "agencies to appropriate locations. The building coordinator will \nalso assess building security. Due to familiarity and knowledge of \nthe assigned school and its systems, the senior building custodian \nis the suggested primary designee for this role. \nIncident Scribe \nThe incident scribe will be responsible for documenting the \nchronology of events. This position will require good \norganizational skills and willingness to support the rest of the on -\nsite Incident Control Team members. Suggested staff includes the \nschool secretary or the pe rson in your building responsible for \norganizing student arrival and dismissal." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 19, + "content": "organizing student arrival and dismissal. \nSmaller schools with limited numbers of administrators or support \nstaff may find it necessary to have team members perform more \nthan one role. \nClassroom teachers are not recommended as potential members" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 8 of 42 \n \n \nof the on -site team. Experience indicates it is best for classroom \nteachers to remain with their assigned classes during critical \nevents. A resource guide for classroom teachers is included in the \nEmergency Response Guidelines. \nCENTRAL INCIDENT MANAGEMENT \nThe BPS adaptation of the Incident Command Structure will \ninclude the establishment of an off-site team that will support the \nefforts of the on -site team. The components of this off -site Crisis \nCommand Team will include Facilities Management, Emergency \nManagement, Transportation, Superintendent\u2019s Office, Student" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 21, + "content": "Support Services, Safety Services, and other areas that might be \nrequired as incidents evolve. The external team will provide liaison \nsupport to any agency required by a situation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 9 of 42 \n \n \nCentral Incident Management Team \nGroup Primary Phone \nFacilities Management Executive Director of \nFacilities \n(617) 635-9126 \nBPS Emergency \nManagement \nDirector of \nEmergency \nManagement \n(857) 701-9404 \n(617) 635-6082 \nTransportation Chief of \nTransportation \n(617) 635-9520 \nBehavioral Health \nServices (BHS) \nChief of Student \nServices \n(617) 635-9676 \nSafety Services Chief of Safety \nServices \n(617) 635-8000 \n \nSuperintendent\u2019s \nOffice \nDeputy Supt of \nOperations \n(617) 635-9643 \n \nOffice of Technology CIO/Director (617) 635-9200 \nCommunications \nDepartment \nChief of \nCommunications \n(617) 635-9265" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 23, + "content": "Chief of \nCommunications \n(617) 635-9265 \n \nIn many instances, this sophisticated level of staffing may not be \nrequired. However, considering identified functions requiring \nperformance in a crisis, the model ICS structure can be modified \nfor a specific application to ensure completion of critical \ncommunications and data sharing tasks. It is important to \nunderstand that the incident command system is driven by \nfunctions being performed and not simply staffing positions." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 10 of 42 \n \n \nPUBLIC SAFETY RESPONSE \nShould an incident necessitate a response by non -school \ndepartment public safety resources based on the assessment of \nthe school SICM, they will be met by the building coordinator and \ninformed of the nature of the incident and location of the school \ncommand post. \nShould conditions warrant, public safety personnel might assume \nprimary responsibility and command. The responding public \nsafety officials may activate their own command post, at which \ntime an official from the impacted school may be requested to \ntake a position at that location. \nINCIDENT TYPE AND RESPONSE" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 25, + "content": "INCIDENT TYPE AND RESPONSE \nThe BPS adaptation of the Incident Command System calls for \nclassification of an event or developing situations to be \ncategorized by the following tier level concepts . The initial \nassessment must quickly determine if the best response is safe \nmode or evacuation. \nSchool related incidents will be classified according to a level of \nseriousness (Tiers I, II, III). Appropriate school response to these \ntiers would be to initiate emergency procedures, standby or \nmonitor the situation, or introduce proactive measures wit h \ncareful monitoring of developing situations. The appropriate \nresponse or modes required by the SICM\u2019s evaluation are defined" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 26, + "content": "as follows: \nTier I \u2013 Any Situation That Requires Immediate 911 Response \nTier II \u2013 Stand By and Response Planning Mode \nTier III \u2013 Proactive Prevention and Monitoring Mode" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 11 of 42 \n \n \nDEFINING INCIDENT RESPONSES BY TIER LEVEL \nSituations will be categorized by the Site Incident Control \nmanager (SICM) as a Tier I, Tier II, or Tier III issue. \nTier I \u2013 Presents Imminent Danger to Students, Staff, and \nProperty beyond the School\u2019s Ability to Control\n\u25cf Bomb threat \n\u25cf Fire alarm \n\u25cf Armed person on or near \nsite \n\u25cf Hostage situation \n\u25cf School bus accidents \n\u25cf Medical emergencies \n\u25cf Hazardous materials \nincident \n\u25cf Gas leak \n\u25cf Suicide threats \n\u25cf Fire \n\u25cf Explosion \n\u25cf Kidnapping \n\u25cf Sexual assault \n\u25cf Lost or missing children \n\u25cf Violent behavior \n\u25cf Psychiatric emergency \n\u25cf Chemical spills \n\u25cf Natural disasters" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 28, + "content": "\u25cf Chemical spills \n\u25cf Natural disasters\nTier II \u2013 Presents Potential Danger to Students, Staff and \nProperty \n\u25cf Suicide warnings / signs of depression \n\u25cf Weather warnings \n\u25cf Environmental issues \n\u25cf Facilities failures \n\u25cf Increased gang activities \n\u25cf Communicable diseases \n\u25cf Custody issues \nTier III \u2013 Conditions Indicate a Threatening Situation is in \nFormative Stage \n\u25cf Sexual harassment \n\u25cf Intimidating behavior" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 12 of 42 \n \n \n\u25cf Increasing levels of vandalism \n\u25cf Inappropriate communications \n\u25cf Inappropriate internet use \n\u25cf Rumors \n\u25cf Other incidents that warrant further monitoring \nCRITERIA FOR DEFINING TIER LEVELS \nTier I \nTier I situations present imminent danger to students, staff, \nand property beyond the school\u2019s ability to control and \ntypically involve a 911 emergency response. \nTier I situations require an immediate SICM assessment to \ndetermine the scope of response required, i.e., some \nsituations requiring 911 response may be contained by the \narrival of the appropriate responding 911 unit. For example, a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 30, + "content": "relatively small lacerat ion requiring sutures by EMS would \nnot require the same scope of response as a bomb scare that \nrequires evacuation of the building. \nThe traditional response to emergencies that have school -\nwide impact is often limited to school evacuation. These \nguidelines, in response to new dimensions in school safety, \ncall for a determination by the SICM to identify if evacuation \nor safe mode is a component of the response for the situation \nat hand. \nIn the Emergency Guidelines portion of this document, the \nterms Tier I \u2013 Red (Safe Mode) and Tier I \u2013 Green (Evacuation) \nare introduced to signal the SICM\u2019s assessment to the specific \nsituation at hand." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 31, + "content": "situation at hand. \nTier I \u2013 (Safe Mode): students and staff staying in place within" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 13 of 42 \n \n \nthe building is appropriate. The safe mode may entail locking \nin place or relocation to another part of the building. \nTier I \u2013 (Evacuation): evacuation from the building has been \ndetermined as the appropriate response. \nThe use of the terms Tier I \u2013 Safe Mode and Tier I \u2013 Evacuation \nis limited to Tier I events. \nPlease note that some Tier I (911) situations will not require \nuse of the Red or Green designations; the laceration versus \nbomb scare example illustrates the distinctions that must be \nmade regarding the scope of required response. The location \nof an armed person outside versus inside a building, or a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 33, + "content": "hazardous material release near or in the school, illustrates \nthe need for evaluating whether evacuation or a safe mode \nprocess should be implemented. \nThe range of response required must be determined by the \nSICM. The SICM determines if additional resources need to \nbe activated. The SICM also indicates if a Tier I \u2013 Evacuation \nor Tier I \u2013 Safe Mode situation exists." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 14 of 42 \n \n \nTier II \nTier II situations present potential danger to students, staff, \nand property. \nTier II situations indicate that a standby and response -\nplanning mode is required. This entails gathering \ninformation, developing plans, and notifying appropriate \nagencies. \nTier II major situations could include neighborhood fires that \npotentially threaten nearby schools, or transportation \naccidents involving the transport of hazardous materials. A \nless dramatic situation would be a power failure that might \neventually require early dismissal or relocation of students. \nAs in Tier I, the SICM determines the scope of response \nrequired." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 35, + "content": "required. \nTier III \nTier III conditions indicate a threatening situation is \ndeveloping. Collaboration and communication within and \nbeyond the BPS support structure is required to ensure \nappropriate resources are engaged early to minimize further \ndevelopment of the threat. \nPreventative measures, including proactive engagement by \nrequired support functions or intervention by appropriate \nagencies during formative phases, will decrease the \noccurrence of critical incidents within our schools. \nTier III situations are occurring daily throughout BPS schools. \nTier III conditions encompass a broad spectrum of behavioral \nissues and involve both individuals and groups. Many serious" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 15 of 42 \n \n \nsafety incidents are preceded by actions that should raise \nflags. For example, the appearance of gang related clothing \namong students indicates the need for conversations with \ngang intervention personnel. Suspicion of abuse or neglect, \nor the observance of depression warning signs in individuals, \nrequires follow up by Student Support staff and possibly the \nengagement of external support providers. \nTier III conditions are likely to be first observed by classroom \nteachers who become aware of behavior that warrants \nfurther monitoring. \nObservation and communication of Tier III situations, which" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 37, + "content": "receive prompt application of Safety Services and Student \nSupport Services prevention practices and our expanded \nsupport resources, offer the greatest area for positive impact \nto our school safety environment. \nWhen members of the onsite Incident Control Team are \ninformed or observe a Tier III situation, the SICM will identify \nand contact the appropriate resources. \nSECTION II: GUIDELINES \nInitial School Actions \nAn individual discovering or receiving information about an \nincident will make a quick assessment and determine if an \nimmediate 911 contact is required. If the assessment indicates that \n911 supports are required, that individual should contact 911 and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 38, + "content": "then proceed to notify the Site Incident Control manager (SICM). \nFor all other situations, the SICM will make the initial assessment \nand then notify the onsite Incident Control Team (ICT) of the \nsituation. The SICM will also initiate contact with other required" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 16 of 42 \n \n \nsupport groups as required. While awaiting the arrival of \nrequested support, the SICM and ICT will use those critical minutes \nto initiate the following eight steps: \n1. Classify the tier level and determine the appropriate response \nmode: \na. Contact 911 \nb. Stand-by and response planning \nc. Proactive prevention and monitoring \n2. Implement evacuation or safe mode decision \n3. Establish communications \n4. Identify the danger zone \n5. Identify and request needed resources \n6. Open a command post \n7. Activate staging areas \n8. Compile occupancy data \nFurther details for Steps 1-8 above are as follows:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 40, + "content": "1. Classify the Tier level. \n\u25cf Tier I: Any situation that requires a 911 - assistance mode \nalso requires that the need for an evacuation or \ncontainment response be assessed. \n\u25cf Tier II: Standby and appropriate response planning mode. \n\u25cf Tier III: Proactive / prevention and monitoring mode. \nExamples of specific tier incidents are included in the \nintroduction section. \n2. Implement Evacuation or Safe Mode Procedures. \nEvacuation \u2014 Based upon assessment and policy, the SICM \nwill determine the need for evacuation. If evacuation is \nwarranted, it will begin upon the communication of a \npredetermined signal (fire alarm, intercom, bell, buzzer," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 41, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 17 of 42 \n \n \nother). All building occupants will respond to this signal and \nimmediately evacuate according to prescribed routes. \nNotification procedures for Tier I \u2013 (Evacuation) should be \nentered in the computerized School Submittal Section of \nyour (Step I, section d) school safety plan. \nEach school must have established primary and secondary \nevacuation routes to be followed during drills and \nemergencies. Evacuation routes, which are also an element \nof your Fire Safety Plan , should be inspected prior to \nutilization and the appropriate one determined during \nassessment of the situation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 42, + "content": "assessment of the situation. \nAssembly areas must also be predetermined for all school -\nbuilding occupants upon their exiting the school. This is a \ncritical time during an emergency, and student / staff \naccountability measures must be accomplished at this \npoint. Evacuation may be to a primary, secondary, or to your \noff-site (alternate) location(s). These locations require \nassessment during plan development, and at the time of the \nincident, to ensure adequacy. This information will be \nentered in the computerized School Submittal Section (Step \nI, Section B) of your school safety plan. \nSafe Mode \u2014 Safe Mode is an alternative response to" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 43, + "content": "evacuation procedures. Notification procedures (Safe Mode) \nshould be entered in the computerized School Submittal \nSection (Step I, Section D) of your school\u2019s safety plan. \nGenerally, evacuation to the outside has been our immediate \nresponse to an emergency signal. Post incident analyses of \nserious incidents that have occurred across the country \nindicate that evacuation is not always the safest response to \na situation. Again, based upon assessment and policy the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 44, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 18 of 42 \n \n \nSICM will determine the need for safe mode. \nSafe Mode would commence upon a predetermined \nnotification procedure. Those contained or relocated will be \ndirected to that identified site (a room number, common \narea, floor, other) and securing the location where you find \nyourself (and those for whom you are responsible) or securing \nthe place to which you may be relocated in an emergency. \nThis may simply require locking a door. Again, these are \ncritical times in an emergency and student/staff \naccountability measures must be accomplished at this point \nby SICM in accordance with school safety plans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 45, + "content": "3. Establish communications. Each school will have in place a \nmeans and procedures for communicating in an emergency \nwithin their school and to outside public safety agencies. All \ncomponents of this process are required as part of your \nschool submission. This would also identify tho se assigned \ntelephones or radios and individuals tasked with making \nnecessary notifications. \nThe individual discovering or receiving initial information \nabout an incident is responsible to make a quick assessment \nand take the following steps: \na. Life threatening situation(s) require immediate 911 \nnotification. To notify public safety (police, fire, EMS) call" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 46, + "content": "911 via any available telephone. A Fire Alarm pull station \nis to be used in the event of a fire related incident with a \nback-up telephone c all to 911 or (617) 343 -2880. \nRemember that activating a pull station will summon \nemergency assistance but will also initiate an \nevacuation that may not be appropriate for the \nsituation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 47, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 19 of 42 \n \n \nb. The discoverer will then inform the SICM or an on -site \nIncident Control Team member of the situation. \nc. The SICM or available ICT member will classify the \nincident Tier level and assume management of the \nsituation. \n4. Identify the danger zone. In the assessment phase the best \nmeans of separating students/staff from any threat must be \ndetermined. This may be accomplished by building \nevacuation or implementing containment/lockdown \nprocedures. A perimeter should be established and secured \nto keep students/staff away from the danger zone and in a \nsafe area. Moving people away from the threat, isolating and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 48, + "content": "securing the affected area, and restricting access to non -\nemergency personnel are techniques to separate the threat \nfrom students and staff. \n5. Identify and request needed resources. As early as possible, \nthe SICM must try to assess what resources are needed to \nmitigate the crisis and request those resources be made \navailable. Support may come from the Central Incident \nManagement Team or from outside sources. The extent of \nrequired resources will be initially ident ified during the \nincident tier classification phase. Supplementary resources \nmay be requested by follow-on agencies. \n6. Open command post. The SICM should open a command" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 49, + "content": "post as soon as possible in the event of an incident. It should \nbe in a spot outside the danger zone from which the SICM \ncan effectively manage the incident. The command post \nmust have communications capability in order that the SICM \nhas access to internal team members as well as public safety \nofficials and the Central Incident Management Team. There \nshould be a level of security for the command post to prevent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 50, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 20 of 42 \n \n \nunnecessary interruptions by people not involved in the \nresponse, such as the media, parents, and onlookers. Safety \nplans and school records must be available at this location. \nLocating primary and secondary command posts ahead of \ntime allows you to quic kly open a command post whenever \nit is needed. You can predetermine sites because generally it \nis not important that you have a view of the danger zone. \nMany managers want to manage what they can see, but in a \nmajor critical incident the SICM must manage the entire \nscene, not just the source of the event. It is suggested that" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 51, + "content": "primary and secondary sites be at opposite ends of the \nbuilding. Just because you have predetermined sites does \nnot mean you are locked into using them. As the SICM, you \nmay be dealing directly on location at the source of the issue. \n7. Activate staging areas. As with the command post, the \nstaging areas should be predetermined and located outside \nthe danger zone in an area that can be secured. In the event \nof a major school incident, separate staging areas should be \navailable for injured and ill persons, parent s, and media \nrepresentatives. Directing members of these groups will be \na function of the Incident Control Team building coordinator." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 52, + "content": "8. Compile occupancy data. As stated throughout these \nguidelines, student/staff accountability is essential in an \nemergency. The following can be used to compile occupancy \ndata in an emergency: \n\u25cf Daily class/student rosters \n\u25cf Daily staff/ employee/visitor sign-in sheets \n\u25cf Absentee list (students, staff, employee) \n\u25cf Field trip rosters \n\u25cf Current emergency information cards \n\u25cf Locker assignment list" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 53, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 21 of 42 \n \n \n\u25cf Known restraining orders \n\u25cf Photo identification \n\u25cf Schedules \n\u25cf School bus assignments \nAny roster should be completed, as early as possible each day, \nin a form that can be readily taken from the building during an \nemergency. Special attention should be given to document \nnames of any student/staff member who is transported from \nthe school or released to a parent. Particular attention should \nbe paid to ensure the location(s) of any student(s) or staff \nmember that is (are) physically or visually impaired is known. \nSECTION II: OVERVIEW \nThe above 8 steps are tailored to directly address Tier I situations." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 54, + "content": "However, several of the steps are relevant to Tier II and Tier III \nincidents when applied to longer timelines. Tier II, requiring \nstandby and response planning, might utilize steps 3, 4 and 5 \ninitially, and depending on the situation may entail use of the \nremaining steps. \nTier III events that occur over longer time periods would still \nrequire that communication and identification of appropriate \nproactive preventative measures be developed. \nCommon sense prevails throughout these guidelines. Those of us \nin the schools understand that it is better to have a plan and no \ncrisis than to have a crisis and no plan. \nThese basic guidelines are not expected to cover every" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 55, + "content": "contingency. However, application of these simple steps will \nprovide a consistent approach to handling any school incident. As \npreviously stated, the severity and your professional assessment of \nthe incident will determine the scope of response." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 56, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 22 of 42 \n \n \nSchool administrators and staff routinely implement some form of \ncrisis response management during the discharge of their duties. \nThe intent of the guidelines is to provide a flexible structure that \nwill assist you in managing your response. \nThe following pages contain an Emergency Response Guide to \nassist your handling of various situations. It is designed for use as \na handout for your Site Incident Control Team. Included in the \nGuide is a section designed specifically for classroom teachers. \nThe final section of this booklet is a hardcopy of information that" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 57, + "content": "you will be asked to compile. The actual method of collection will \nutilize a Google document developed by the Office of Information \nServices. The information submitted by your school will be stored \nin a consolidated database that will be reviewed and updated on \nan annual basis. \nSECTION III: EMERGENCY RESPONSE GUIDE \n1. ASSESSING THE EMERGENCY RESPONSE \nThe site incident control manager must identify and \nimplement appropriate response." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 58, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 23 of 42 \n \n \nSAFE MODE IF: EVACUATION IF: \nThe situation presents a threat of \nillness, injury or death to persons \nmoving in, around, or about the campus \nand it is determined that Safe Mode \nwill provide a greater level of safety for \nthose persons. \n\u25cf Riot \n\u25cf Shooting \n\u25cf Hazardous Material Spill \n(Outside) \n\u25cf Hostage Situation \n\u25cf Suicide \nThe situation presents a threat of \nillness, injury or death to persons \nremaining inside a building and it is \ndetermined that evacuation will provide \na greater level of safety for those \npersons. \n\u25cf Fire \n\u25cf Explosion \n\u25cf Hazardous Material Spill (Inside) \n\u25cf Hostage Situation \n\u25cf Bomb Threat \n\u25cf Gas Leak" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 59, + "content": "\u25cf Hostage Situation \n\u25cf Bomb Threat \n\u25cf Gas Leak \n \n2. SAFE MODE \u2014 PERSONNEL ASSIGNMENTS \nAll students are to remain contained until emergency \nresponders advise otherwise. \nThe following is a list of recommended assignments for \nfaculty/staff members during a crisis requiring containment. \n* Asterisks denote Site Incident Control Team members. * \n \n* Principal/Assistant Principal (Site Incident Control Manager \n- SICM): I nitiate safe mode. Safely monitor situations with \navailable resources. Identify and contact appropriate \nemergency responders and BPS support staff." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 60, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 24 of 42 \n \n \n* Nurse (Risk Analyst): Set up staging area for ill and injured \npersons and administer initial first aid. Keep ill people \n(overcome with stress and excitement) separate from the \ninjured. \n* Registrar (Safety Coordinator): Gather occupancy \ninformation, present occupancy information to Emergency \nResponders. Use an alternative if school does not have a \nregistrar. \n* Secretary (Incident Scribe): Continue 911 contact and remain \non the telephone. It is imperative that emergency \nresponders maintain communication with someone inside \nthe school. Use an alternative if necessary." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 61, + "content": "the school. Use an alternative if necessary. \n* Custodian (Building Coordinator): Close and lock all \nentry/exit points. Stand by to assist emergency responders \nwith accessibility to mechanical rooms. \nClassroom Teachers: Contain students. Keep classroom \nrosters. Teachers in possession of cell phones should activate \ntheir phones. Teachers should prepare students to follow \nfurther instructions. \nAssistants: Teachers on administrative duty or P&D periods \nshould assist Incident Control Team (ICT) by checking the \nbuilding for unattended students and moving them to \nsupervised locations. Assistants should be posted at \nentry/exit points to ensure that no one leav es the building" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 62, + "content": "and that only Emergency Responders enter the building. \nVolunteers: Report to office and be available to follow \ninstruction. \nCafeteria Staff: Close and contain cafeteria and kitchen. Shut \noff appliances and remain in kitchen." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 63, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 25 of 42 \n \n \n3. SAFE MODE PROCEDURES \nIncident Control Team: \n1. Call 911 \u2013 Advise reason for safe mode and stay on the line. Do \nnot hang up. 911 dispatchers will route the call to the \nappropriate agencies. \n2. Communicate to all staff that a Safe Mode situation exists and \nbegin safe mode process. \n3. All school personnel will assume their specific assignments \nlisted herein, exercising flexibility where needed to promote \nthe safety of all persons. \n4. Staging areas should be set up separately for 1.) injured and \n2.) ill persons. \n5. During safe mode, no one except emergency responders or" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 64, + "content": "their designees will be permitted to enter, exit, or move about \nthe campus. \n6. As additional emergency responders become available, they \nwill assume some of the posted assignments to relieve school \npersonnel. \n7. Ending the Safe Mode Status: When it has been determined \nby the emergency responders and the principal that \nconditions are safe to resume normal activities, the principal \nshall make an announcement via the P.A. system or send a \nmessenger to advise each classroom. \n4. EVACUATION PROCEDURES \n1. Call 911. \na. Advise reasons for evacuation and stay on the line if safe \nto do so. Do not hang up. \nb. 911 dispatchers will route the call to the appropriate \nagencies." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 65, + "content": "agencies. \n2. Start evacuation procedures according to normal fire drill" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 66, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 26 of 42 \n \n \nprocedures. Communicate to staff that a TIER I \u2013 GREEN \nsituation exists and begin the evacuation process. \n3. If the threat of an explosion is present, or a hazardous \nmaterial spill has occurred, it may be necessary to move \nthe students farther than a normal evacuation distance. \n4. Teachers: Bring roll book. It will be necessary to keep a \nroster of all students moved. Each teacher will be \nresponsible for his/her class. The ICT safety coordinator will" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 67, + "content": "organize any dismissal of students. The release of each \nstudent must be documented. \n5. Staging areas should be setup separately for: \na. injured \nb. ill persons \nc. parents \nd. media \n6. Students and employees with special needs may require \nassistance. Paraprofessionals assigned to students and \nstaff will remain with their assignments throughout the \nduration of the incident. \n7. Ending the Evacuation Status: When it has been \ndetermined by the emergency responders and the SICM \nthat conditions are safe to resume normal activities, the \nSICM shall inform staff that it is safe to reenter the building. \nSECTION IV: SCHOOL SUBMITTAL SECTION" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 68, + "content": "SECTION IV: SCHOOL SUBMITTAL SECTION \nThis is a mockup of the information you will submit via the BPS \nIntranet. Please note the Intranet version will have a different \nappearance. \nSTEP I: Please input the following information. \n\u25aa School Name: \n\u25aa Building Name:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 69, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 27 of 42 \n \n \n\u25aa Address: \n\u25aa Principal/Head of School: \n\u25aa Telephone Number: \n\u25aa Fax Number: \n \na. Identify primary and secondary command post locations: \n Primary Location Secondary Location \nRoom Name \nRoom Number \nPhone Number \n \nb. Identify primary and secondary external assembly areas: \nPrimary Location Secondary Location \n \n \nc. Identify primary and secondary alternate school-site \nlocations: \nPrimary Phone Secondary Phone \n \nd. Identify your internal communications method(s) that your \nsite will use to alert staff to the implementation of a Tier I \n(Evacuation) and a Tier I (Safe Mode) response:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 70, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 28 of 42 \n \n \nTier I \u2013 Evacuation \nTier I \u2013 Safe Mode \nSTEP II: Identify members of your on-site incident control team. \nTitle Primary Alternate Responsibility Suggested \nStaff \nSite Incident \nControl \nManager \n(SICM) \n \nEnter Private \nPhone Line, \nCell Phone #, \nOther Phones \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nDetermine Tier level \nof event and contact \nresources required to \naddress the situation, \noverall management \nof school students \nand staff, and \nensures that \nsuperseding agencies \ndirectives are \nfollowed \nPrincipal as \nPrimary; \nAP or other \ndesignee as \nAlternate \nRisk Analyst Name: \n \n \nPhone #s: \nName: \n \n \nPhone #s:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 71, + "content": "Phone #s: \nName: \n \n \nPhone #s: \nAssess injuries and \nmedical risk analysis \nNurse \u2013 Primary; \nStudent Support \nCoordinator or \nLanguage \nAppropriate \nIndividual \u2013 \nAlternate" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 72, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 29 of 42 \n \n \nTitle Primary Alternate Responsibility Suggested \nStaff \nSafety \nCoordinator \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nGather occupancy \ninformation, support \nefforts to establish \ncontrol \n \nBuilding Registrar \nor equivalent \nBuilding \nCoordinator(s) \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nAssess building \nsecurity, meet \nresponding agencies, \nand direct them to \nappropriate \nlocation(s) \nSchool Custodian \nand School Police \nOfficer (if \navailable) \nIncident \nScribe \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nLog chronology of \nincident \nSchool Secretary \u2013 \nPrimary \nTransportation \nCoordinator" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 73, + "content": "Primary \nTransportation \nCoordinator \n \nSTEP III: Building Characteristics \nPlease indicate if your site includes any of the areas listed below" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 74, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 30 of 42 \n \n \nin the second column. The third column should identify the \nlocation of the respective areas, as well as any other information \nrequested in the third column. \nCommon Areas \nDescription Yes/No If Yes, List Location \nAuditorium \nBoiler Room Also identify if gas or oil is used. \nCafeteria \nComputer Lab(s) \nFire Escapes \nGymnasium \nHazardous Materials \nHealth Center \nLibrary \nLoading Dock \nNurses Office \nOut Buildings \nPlayground \nRamps \nUtility room \nList Others" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 75, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 31 of 42" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 76, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 32 of 42 \n \n \nDoes your building have the following? \nDescription Yes/No If Yes, List Location \nAttic/Penthouse Indicate entry points on floor plans \nBasement or crawlspace access Indicate entry points on floor plans \nCommunity Center \nElevators \nFire Safety Systems \nGrounds Maintenance Identify chemical storage area(s) \nKitchen Area Describe type of kitchen facility: \nsatellite, full service, other \nMotion Detectors \nPull Stations \nSecurity Systems \nSwimming Pool \nVocational Shop Area \nCompressed gasses present? (1) \nLiquid fuels present? (2) \n(1) List \nhere \n \n \n(2) List \nhere \n \n \n \nIf the school has a vocational area, please" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 77, + "content": "If the school has a vocational area, please \nindicate location on floor plans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 78, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 33 of 42 \n \n \nSTEP IV: Occupancy Information \nThe purpose of this section is to assist authorities in determining \nif a building evacuation is complete or to provide information \nregarding numbers of persons within the building. \nDescription Numbers Additional Information / Comments \nTotal Enrollment \nTotal Staff \nFor students/staff with disabilities (visual, hearing, mobility, \nmedical, other) please provide all pertinent information required \nfor assistance in an emergency. (Please use the space below.) \n \nPLEASE NOTE: Information in the blocks below should be \nsupplied to authorities when emergency events occur. Please" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 79, + "content": "develop appropriate measures to ensure that accurate and \ntimely headcount information is available. \nDescription Number \nVisitors \nStudents off site (field trips, etc.) \nStaff off site (training, etc.) \nOther (list)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 80, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 34 of 42 \n \n \nSTEP V: List Communications Equipment \nPlease fill in categories as appropriate. \n1. Mobile Communication Devices \nDescription Yes / \nNo \nQuantity Assignee List Appropriate \nNumbers \nStatus: \nO=Operational \nN=Non-operational \nNextel \nCell Phone \n2 Way Radio \n \nAT & T Ericsson \nCell Phone \n \nOther Cell Phones \nBeepers/Pagers \n2. Portable Radios \nDescription Yes / \nNo \nQuantity Assignee List \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-operational \nSafety Staff Two-\nWay Radios \n \nIn-House \nTwo Way Radios \n \n \n3. Stationary Communications" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 81, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 35 of 42 \n \n \nDescription Yes / \nNo \nQuantity Assignee List \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-\noperational \nIntercom System \nPA System \nHouse Phones \nList Others \n \n4. Telephone Information \nDescription Assignee Room \nNumber \nPhone # \nMain Phone \nPrincipal\u2019s Office \nGuidance Office \nCustodian\u2019s Office \nNurse\u2019s Office \nETF\u2019s Office \nStudent Support \nCoordinator\u2019s Office \n \nSwimming Pool \nSafety Officer/Para" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 82, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 36 of 42 \n \n \nDescription Assignee Room \nNumber \nPhone # \nPay Phone(s) \nPhone System - Extension \nPhone System - Extension \nE-Mail Address \nFax Machine(s) \nList All Direct Lines \n \nSTEP VI: Floor Plans / Specific Site Information \nThe following areas should be indicated on floor plans. Facilities \nManagement personnel will complete this section as noted in \nSuperintendent\u2019s Circular FSE-01 School Safety Contingency Plan. \n\u25cf Electrical Control Rooms And Panels \n\u25cf Utility Access/Controls \n\u25cf Classrooms/Labs \n\u25cf Interior Maintenance Areas \n\u25cf Engineering And Boiler Room Areas \n\u25cf Vocational Shop Areas \n\u25cf Swimming Pools" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 83, + "content": "\u25cf Vocational Shop Areas \n\u25cf Swimming Pools \n\u25cf Grounds Maintenance Storage Areas \n\u25cf Kitchens And Food Storage Areas \n\u25cf Fire Standpipes And Sprinkler Connections \n\u25cf Roof Access, Include Skylights And Indicate Whether Or Not \nOperable \n\u25cf Domestic Water Controls \n\u25cf Basement Or Crawlspace Access" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 84, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 37 of 42 \n \n \n\u25cf Indicate Which Walls Are Solid Masonry \n\u25cf Indicate Which Walls Are Framed Drywall \n \nFor building systems, assess and indicate on the floor plans, the \nfollowing: \n\u25cf Heating, ventilation, and air conditioning (HVAC) systems \n\u25cf Location and accessibility of air intakes \n\u25cf Filtration media location and accessibility \n\u25cf Shutdown procedures \n\u25cf Plumbing drainage \n\u25cf Fire sprinkler systems \u2013 emergency chemical \ndecontamination use \n\u25cf Natural gas \u2013 use locations and shutoff(s) \n\u25cf Potable water \u2013 access to water supply \n\u25cf Electrical access/shutoff \nSCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 85, + "content": "SCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST \nThe following is a list of items which should serve as a guide and \nchecklist as you review and revise your School Safety / \nContingency Plan. These steps are essential to finalize your plan \nas complete, current, and ready in the event of an emergency. \nPlease insert this checklist in your School Safety Plan book for \nreference. \n\u25cf Command Post Locations: Are they located too close \ntogether as opposed to being appropriately separate for \nindependent operations? \n\u25cf Assembly Areas: Are they separate and distinct with your \nsecondary location at a further distance away from the \nschool?" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 86, + "content": "school? \n\u25cf Alternate Sites: Are they realistic with accommodations to" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 87, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 38 of 42 \n \n \nhouse all students expected to be relocated? Have prior \nagreements been made with the Alternate Site host if these \nlocations are not BPS properties? Will transportation be \nrequired to relocate? Will dismissal of students in \naccordance with School Department policy be a more \npractical option on the high school level? \n\u25cf Internal Communications: Has consideration been given to \nthe use of a system (examples: public address, intercom, \nbell, messenger, school phones, portable radios), rather than \nthe fire alarm for evacuation? Keep in mind that sounding \nthe fire alarm without other instructions will initiate a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 88, + "content": "routine evacuation. This may take building occupants \nthrough or to an unsafe area. Safe Mode notification would \nbe made via one of the examples given above. \n\u25cf Incident Control Team: Have responsible members of your \nschool-based staff been identified for all \npositions/functions? Have these designated staff members \nbeen briefed on their duties? \n\u25cf Facility Components: There may be a need for a more \ndetailed explanation rather than simply some specifics (e.g., \nliquid fuel \u2013 gasoline for snow blowers is kept in an \napproved cabinet in the custodian's office, and security \nsystem \u2013 motion detectors in corridors and stairwells." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 89, + "content": "\u25cf Disability Information: Have all persons in your building \nneeding assistance during an evacuation been identified? \nHave accommodations been made for safe refuge/ \nevacuation of students/staff requiring assistance in your \nschool\u2019s evacuation plan? \n\u25cf Communications Equipment and Telephone Information: \nHave all available means of communication between \nidentified and portable telephones and radios been" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 90, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 39 of 42 \n \n \nassigned to staff in accordance with your plan? Has school \nemail address been included? Have you included Nextel \ndirect radio numbers? \nFIRE SAFETY PLAN SECTION \n\u25cf Primary Entry for Fire Department: Is this the location of \nyour fire alarm control panel (annunciator)? Is this your \nstreet address? \n\u25cf Egress: Are exit doors unlocked from the inside during \noperating hours? \n\u25cf Records/Documentation: Suppression system test \ncertification applies to kitchen hood extinguishing system. \n\u25cf Evacuation Matrix: Is there an exit identified for each \nclassroom, office, and common area? Do you have a \u201chard" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 91, + "content": "copy\u201d of your evacuation plan included with your school \nplan? Are prescribed evacuation routes posted for all \nbuilding occupants? \n\u25cf Primary/Secondary Refuge: These are approved locations \ninside the building where mobility impaired occupants \ncould safely await evacuation. Are they identified for each \nfloor? \n\u25cf Training/Orientation: Are all members of the school staff \nfamiliar with details and operation of your school plan? Has \nthe school plan been practiced? Is the plan updated as \nneeded? Have staff signed off on their training? Is this \ndocumentation maintained with your plan? \nACKNOWLEDGEMENTS \nThe following is a list of publications and agencies that assisted in" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 92, + "content": "the development of the Boston Public Schools Safety" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 93, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 40 of 42 \n \n \nContingency Plans: \n\u25cf Emergency Response Guides, San Antonio Independent \nSchool District \n\u25cf Massachusetts Emergency Management Agency (MEMA) \n\u25cf Bristol County Sheriff\u2019s Office, \u201cSafe To Learn\u201d \n\u25cf Federal Emergency Management Agency (FEMA) \n\u25cf Massachusetts Executive Office of Public Safety, School \nEmergencies; Community Pre-Planning Guide \n\u25cf Laboratory at Brown University, Crisis Planning \nManagement \n\u25cf Massachusetts Office of the Attorney General, Guidelines for \na Crisis Management Plan \n\u25cf U.S. Department of Education \n \n \n \n \n \n \n \n \n \n \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 94, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 41 of 42 \n \n \nOwner: Director of Emergency Management & Preparedness \nDepartment: Office of Emergency Management, Safety Services \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-6082 or (857) 701-9404 \nEmail: Operations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \nSee template below to be used in classrooms to post evacuation routes \n \n(Updated 7.16.2024)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 95, + "content": "Superintendent\u2019s Circular FSE-01 \nPage 42 of 42 \n \n \nEMERGENCY EVACUATION \n \nROOM ______ \nLEAVE ROOM, GO ______ \nUSE STAIRWAY ______ \nEXIT # ______" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-04 \nVersion 01 \n \n \n \nBOMB THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA bomb threat falsely reporting the existence of an incendiary or \nexplosive device (simulated or real) is an offense punishable by \nimprisonment for up to twenty (20) years and/or a fine of not \nmore than $10,000. In the event of a bomb threat, a building \nadministrator must exercise responsible judgment and authority, \nkeeping in mind their responsibility for the safety and well-being \nof the students and staff. To do this, one must (1) get all the facts" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 2, + "content": "and (2) follow the procedures outlined herein, developed in \naccordance with the policies of the Boston Public Schools and \nthe Boston Police Department. \nBOMB THREAT PROCEDURES \nUpon the receipt of a bomb threat, principals/heads of school and \nbuilding administrators are instructed to act in accordance with \nthe following procedures: \nTelephoned Bomb Threats: \n1. When taking the call, use the attached Bomb Threat Report \nForm (Attachment A) to record all information. This form \nmust be available at the main telephone(s) in the school and \nshould be completed immediately after reporting the threat" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 2 of 11 \n \n \n \nto the building administrator. A copy of the Bomb Threat \nReport Form is also to be submitted with the incident \nreport. \n2. Call the Boston Police Department at 911 and report the \nincident. If the bomb threat is a 2nd or 3rd call, please note \nthis in your conversation with the 911 operator. \n3. Call the Department of Safety Services/Boston School Police \nat (617) 635-8000. \n4. Call your operational superintendent. \n5. Alert staff via the school\u2019s internal communication method \n(ref. Superintendent\u2019s Circular FSE-1 School \nSafety/Contingency Plans, Tier I, Containment Procedures)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 4, + "content": "to visually survey their room/office for suspicious packages. \nIf anything unusual is observed, immediately report this \ninformation to the building administrator and update \nBoston Police via 911 that something unusual has actually \nbeen found. \nDesignated members of the School\u2019s Safety Team will be \nresponsible to survey unsupervised common areas, both \ninternal and external. During this survey, all bells/classes will \nbe held until the search is completed. \n6. In the event a suspicious package or device is found: \na. Report the sighting to the building administrator \nimmediately. \nb. Do not move, touch, or handle objects. \nc. Do not use two-way radios." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 5, + "content": "c. Do not use two-way radios. \nd. Do not turn off lights or touch switches. \ne. Keep loud noise to a minimum." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 3 of 11 \n \n \n \nf. Restrict use of telephone to urgent business only. \ng. Move people from the area. \nh. EVACUATE the school building. \nThe Police Department will be fully in charge. This action \nis to be preceded by an announcement which provides \nspecific evacuation routes to be followed for the incident \nand manner in which the evacuation signal will be given \n(fire alarm, bell, intercom, and runner). \n7. If no suspicious package or device is found, appropriate safe \nmode procedures are to be followed. However, classes \nshould not be changed until the BPD Bomb Squad has \narrived and evaluated the situation. IF YOU HAVE ANY \nDOUBTS, EVACUATE." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 7, + "content": "DOUBTS, EVACUATE. \n8. The Police Department will assist the person in charge of \nthe building when searching for bombs or other incendiary \ndevices. Appropriate school personnel should assist, as \nnecessary. \n9. The Police Department will assist and advise the person in \ncharge of the building regarding resumption of regular \nschool schedule and activities. The operational leader and \nSafety Office must be notified once a decision is made. \n10. Send a complete incident report within 24 hours of the \nincident to the Department of Safety Services. Attach a copy \nof the Bomb Threat Report Form noted above to the \nIncident Reporting Form (attached for your reference)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 4 of 11 \n \n \n \nELECTRONIC (RECEIVED VIA EMAIL AND WEBSITE): \nThe person accessing the threat shall: \n1. Save the message on the system. DO NOT DELETE THE \nMESSAGE. \n2. Call 911. \n3. Notify the Department of Safety Services/Boston School \nPolice at (617) 635-8000. \n4. Notify your operational superintendent. \n5. Print copies of the message to turn over to the police and \nany others who may require them. \nEVACUATION AND RE-ENTRY PROCEDURES \nThe principal/head of school or building administrator must \ndevelop specific evacuation and re-entry plans for their individual \nbuildings (c.f. Superintendent\u2019s Circular FSE-01 School" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 9, + "content": "Safety/Contingency Plan). A copy of these plans should be \nincluded in each school\u2019s Contingency Plans. Such procedural \nplans should include the following: \n1. Instruction of office staff regarding proper procedures for \nanswering, documenting, and reporting of such \ntelephone calls. \n2. Method of notifying staff and students of emergency \nconditions. \n3. Method of leaving the building (fire drill procedures may \nbe followed). Special attention should be given to identify \nassembly points, which are recommended to be located \n300 yards from the building when evacuating for a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 5 of 11 \n \n \n \nsuspected bomb. Any area that is being used as a \nstaging or assembly area must be searched by a \ndesignated staff member prior to sending people to that \narea. \n4. Specific plans for special needs and physically impaired \nstudents. \n5. Supervision of students by classroom teachers at all times \nwhile outside the building (prior planning should be done \nwith local police authorities in schools that would require \nextra police surveillance and supervision outside that \nschool). \n6. Controlled re-entry of the building to include supervision \nof students re-entering to insure that no potentially" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 11, + "content": "dangerous objects are brought into the building. \nThese procedures should be utilized in conjunction with your \nSchool Safety / Contingency Plans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 6 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: Director \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \nA. Bomb Threat Report Form \nB. Bomb Threat Procedures \nC. Suspicious Package/Device \nD. Warning Notice: Please Post" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 7 of 11 \n \n \n \nATTACHMENT A \nBOMB THREAT REPORT FORM \n \nDescribe caller\u2019s voice: \n\uf06f Male \n\uf06f Female \n\uf06f Angry \n\uf06f Excited \n\uf06f Calm \n\uf06f Well spoken \n(educated) \n\uf06f Stutter \n\uf06f Lisp \n\uf06f Rapid \n\uf06f Slow \n\uf06f Raspy \n\uf06f Deep \n\uf06f Soft \n\uf06f Loud \n\uf06f Incoherent \n\uf06f Irrational \n\uf06f Foul \n\uf06f Crying \n\uf06f Disguised \n\uf06f Nasal \n\uf06f Distinct \n\uf06f Slurred \n\uf06f Accent \n\uf06f Taped \n\uf06f Familiar \n\uf06f Message \nread by caller\nIf the voice is familiar, who did it sound like? \nExact wording of threat: \n \n \nQuestions to ask: \n1. When is the bomb going to explode? \n2. Where is it right now? \n3. What does it look like? \n4. What kind of bomb is it?" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 8 of 11 \n \n \n \n5. What will cause it to explode? \n6. Did you place the bomb? \n7. Why did you put it in the building? \n8. What is your address? \n9. What is your name? \n \nBackground sounds: \n\uf06f Street \n\uf06f Animal \nsounds \n\uf06f PA system \n\uf06f Static \n \n\uf06f Voices \n\uf06f Music \n\uf06f Motor \n\uf06f House \nNoises \n\uf06f Local \n\uf06f Long distance \n\uf06f Office \nmachinery \n\uf06f Phone booth\n \nTime: ____________Date: ___________Length of Call: _________________ \nNumber at which call was received: ______________________________ \nREMARKS: _______________________________________________________ \n __________________________________________________________________ \nReceiver of Call:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 15, + "content": "Receiver of Call: \n __________________________________________________________________ \n(Name and Title) \nATTACHMENT B \nBOMB THREAT PROCEDURES" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 9 of 11 \n \n \n \n \n1. STAY CALM. \n2. Obtain information from the caller and record on Bomb \nThreat Form. \n3. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n4. Activate your school\u2019s Site Incident Control Team. \n5. Call the Superintendent's Office at 617-635-9057. \n6. Administrator will determine if evacuation or containment is \nappropriate. \n7. If evacuating, determine appropriate evacuation routes and \nadvise staff in accordance with your School \nSafety/Contingency Plan (internal communication method). \n8. Do not announce Bomb Scare; use a known code to \ncommunicate the situation to staff." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 17, + "content": "communicate the situation to staff. \n9. Take the Bomb Threat Report Form with you if you \nevacuate. \n10. It is recommended that students and staff assembly point(s) \nbe at least 300 yards from the building when evacuating for \na bomb threat. \n11. WHEN IN DOUBT, EVACUATE. \n \n(Ref. Suspicious Package/Device) \nATTACHMENT C \nSUSPICIOUS PACKAGE/DEVICE" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 10 of 11 \n \n \n \n1. STAY CALM. \n2. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n3. Do not move, touch, or handle the object. \n4. Do not use two-way radios. \n5. Do not turn off lights or touch switches. \n6. Keep loud noise to a minimum. \n7. Restrict use of telephone to only urgent business. \n8. Secure the location. \n9. Activate school\u2019s Site Incident Control Team. \n10. Evacuate after determining the safest routes for all building \noccupants. \n11. Communicate the situation and procedures to be followed \nfor evacuation to staff in accordance with your School \nSafety/Contingency Plan (internal communications" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 19, + "content": "Safety/Contingency Plan (internal communications \nmethod). \n \n(Ref. Bomb Threat Procedures) \n \n \n \nATTACHMENT D" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FSE-04 \nPage 11 of 11 \n \n \n \nPLEASE POST \nBOSTON PUBLIC SCHOOLS \n\u2022 WARNING \u2022 \nIt is a crime, as well as disruptive to the \neducational process, to pull a false fire alarm or to \nmake a bomb threat. In addition, accidental injury \nor death of a firefighter, student, or staff member \ncould result. \nPENALTY FOR FALSE ALARM \nImprisonment for up to one year or a fine of not \nless than $100 but not more than $500. \n(M.G.L., C. 269, S. 13) \nPENALTY FOR BOMB THREAT \nImprisonment for up to twenty years and/or a fine \nof up to $10,000. (M.G.L., C. 269, S. 14)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-05 \nVersion 01 \n \n \n \nMEDICAL EMERGENCY MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe following guidelines relate to a medical emergency of an \nindividual student, which is different from episodes where the \nentire School Safety Contingency Plan (please refer to \nSuperintendent\u2019s Circular FSE-01 School Safety Contingency \nPlans) is activated. However, the guidelines are complementary. \nThe school nurse assigned to each school should assist in the \ndevelopment and implementation of medical emergency \nprotocols. The elements to be included in the protocol are \ndescribed below." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 2, + "content": "described below. \nEMERGENCY INFORMATION \nPrevention of medical emergencies begins with knowledge of \nunderlying medical issues. Therefore, Emergency Information \nCards (Form 460 or electronic equivalent), containing the basic \npertinent data to activate an emergency medical plan for the \nstudent, must be on file at each school. This information should \nbe completed upon the opening of school in September and \nupdated by January 1 and again by April 1 each school year. \nIn addition to parental contact phone numbers, alternate \nemergency contacts, primary language spoken at home and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 2 of 12 \n \n \n \ncustody issue documentation, the card or electronic equivalent \nshould contain: \n\u25cf Insurance company \n\u25cf Policy number \n\u25cf Clinician name and phone \n\u25cf Hospital where the child is taken in an emergency \n\u25cf Listing of health problems \n\u25cf Listing of medications taken at home as well as in school \n\u25cf Allergies \n\u25cf Vision or hearing problems \n\u25cf History of surgery or serious illness in the last year \nEach building administrator may practice the most expeditious \nmeans of securing necessary information. \nROUTINE ILLNESS / MINOR INJURY \nIt is the responsibility of the principal/head of school, in" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 4, + "content": "consultation with the school nurse, to decide whether routinely ill \nor slightly injured students should remain in school or be \nreleased to their home. When it is necessary for a student to \nleave the school for home, the following procedures must be \nfollowed. \n\u25cf The parent/guardian, or in those cases where they cannot \nbe contacted, the individual designated on the Emergency \nInformation Card, should make necessary arrangements for \nthe student to be picked up at school by a responsible adult. \n(Please refer to Superintendent\u2019s Circular SAF-08 Release of \nStudents to Authorized Persons.)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 3 of 12 \n \n \n \n\u25cf The parent/guardian should be informed of any emergency \naid administered at the school and advised to seek further \nmedical attention, if necessary. \n\u25cf If the parent/guardian of a student who has sustained a \nminor injury or illness cannot be located, the child must \nremain in school until the regular dismissal time. \n\u25cf Under no circumstances should a student be released \nwithout adequate adult supervision. All instances where a \nstudent is released should be properly documented in a log \nin the office of the principal/head of school. The log must \nindicate all pertinent information, including the time the \nchild arrived home." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 6, + "content": "child arrived home. \n\u25cf No child is to be released to anyone other than a \nparent/guardian without the parent/guardian\u2019s consent \nand proper identification as the parent/guardian\u2019s \ndesignee. \nMEDICAL EMERGENCIES \nThe principal/head of school has administrative and \nprogrammatic responsibility for all activities that occur in their \nschool. However, in those cases where a medical emergency \nexists, principals/heads of school should consult with and follow \nthe advice of the assigned nursing staff. \n\u25cf A medical emergency is defined generally as a potentially \nlife-limiting or life-threatening situation requiring \nimmediate medical attention, as well as cases of indecent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 7, + "content": "assault/rape. Protocols for the management of specific \nmedical emergencies are available to nurses and are to be \nkept on file in the nurse's office." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 8, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 4 of 12 \n \n \n \n\u25cf In the beginning of each school year, school nurses should \ncommunicate to relevant staff the known potential health \nemergencies of individual students. This meeting should be \ndocumented on the student\u2019s Individual Health Plan. \n\u25cf The principal/head of school is responsible for responding to \nmedical emergencies when a school nurse is not available. \n\u25cf Principals/heads of school should compile a list of staff with \nCPR, AED, first aid, and first responder training who can \nprovide immediate lifesaving measures until EMS arrives. \nThese staff members should be members of the School \nSafety Team." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 9, + "content": "Safety Team. \n\u25cf Immediate phone support is also available through the \nHealth Services office at 617-635-6788. \n\u25cf Each school nurse should complete a list of staff trained in \nthe administration of Epinephrine in the event of a life-\nthreatening allergic reaction. This list must remain on the \nfile with the school administrator. Epinephrine should not \nbe locked away but should be available to school staff in a \nsecure location. \n\u25cf It is recommended that the school nurse, school leader, and \nother staff involved in a medical emergency hold a debrief \nmeeting following the incident. \nSERIOUS INJURY / ILLNESS PROTOCOL \n\u25cf Stabilize the student using the most qualified school staff." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 10, + "content": "\u25cf Activate the Emergency Medical System (EMS) by calling 911. \nCases of indecent assault/rape require Boston Police \nnotification via 911.*" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 5 of 12 \n \n \n \n\u25cf Call the Superintendent\u2019s Office at 617-635-9057. \n\u25cf Notify School Safety Services at 617-635-8000. \n\u25cf The responding ambulance crew of emergency medical \ntechnicians (EMTs) or paramedics will consult with the \nqualified school officials and assess the need for \ntransportation to a medical facility. EMS assumes medical \nmanagement of the child. \n\u25cf School personnel designated by the principal/head of school \nmust accompany the student in the ambulance and remain \nwith the child until a) the parent/guardian arrives or, b) the \nchild is attended to by appropriate and qualified medical" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 12, + "content": "personnel who have taken over the custody of the child, \nwhichever occurs first. \n\u25cf Accompanying staff are not required to have medical \nexperience and are present solely for the comfort of the \nchild. It is not recommended that the school nurse \naccompany the student as the school will be without \nnursing support for other students requiring nursing care \nduring the school day and other first aid/emergency care. \n\u25cf The school\u2019s representative should bring the student\u2019s \nEmergency Information Card, the Individual Collaborative \nHealth Plan (if the student has identified chronic health \nneeds), emergency action plan (if available), and all other" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 13, + "content": "pertinent medical information to the hospital. \n\u25cf If the emergency occurs on the school bus, the driver \n(and/or monitor, if present) will provide for the safety of the \nchild and call the dispatcher, who notifies 911. When EMS \narrives, the dispatcher will be called with the name of the \nchild and the hospital that the child will be transported to." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 6 of 12 \n \n \n \nThe dispatcher then calls the Department of Safety Services \nat 617-635- 8000, who will notify the family. A safety officer \nwill proceed to the emergency room to meet with the \nstudent and family. \n\u27a2 Release of a student who is a victim of indecent \nassault/rape must comply with procedures outlined in \nboth this memorandum and Superintendent\u2019s Circular \nSAF-08 Release of Students to Authorized Persons. \nCOMMUNICABLE DISEASES \nMassachusetts General Law and public health regulations govern \nthe reporting and control of communicable diseases in public \nschools. All suspected cases of a communicable disease require" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 15, + "content": "confirmation from local health authorities before a plan of action \nis developed. When a student is suspected of having a reportable \ncommunicable disease: \n\u25cf The principal/head of school or designee will contact the \nschool nurse. \n\u25cf The nurse or principal/head of school will contact the Health \nServices administration. \n\u25cf Health Services will contact and collaborate with the Public \nHealth Commission to confirm the diagnosis. \n\u25cf The school nurse, in conjunction with principal/head of \nschool or designee, Health Services, and local health \nauthorities, will assess the health risks and develop a plan of \naction to address the issues." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 16, + "content": "action to address the issues. \nQuestions or concerns may be directed to Health Services at 617-\n635-6788." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 7 of 12 \n \n \n \nDEPARTMENT OF SAFETY SERVICES \nThe Department of Safety Services/Boston School Police is \nlocated at 213 Townsend Street (rear of Boston Latin Academy), \nDorchester, MA 02121, phone 617-635-8000. \n\u25cf A school administrator must notify the Dept. of Safety \nServices by telephone of any serious illness or injury after \nnotifying Emergency Medical Services via 911. \n\u25cf Dept. of Safety Services personnel have received various \nlevels of first aid training and may initiate assistance \nappropriate to their level of training. \n\u25cf A Dept. of Safety Services administrator will respond to the \nscene if practical." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 18, + "content": "scene if practical. \n\u25cf The Dept. of Safety Services may be used as a resource to \nassist in making parent/guardian notification. \nNOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS \nINCIDENTS \n\u25cf The principal/head of school should follow the guidelines \nestablished in the Superintendent's Circular FSE-01 School \nSafety Contingency Plans, providing feedback to staff. \n\u25cf Should an incident become generally known and be a \nmatter of concern to parents, the administrator should meet \nwith the School Parent Council to advise them of the \nprecautionary measures taken to prevent the recurrence of \nsuch an incident. \n\u25cf In the event of a serious illness/injury involving a student," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 19, + "content": "the parent/guardian must be notified as soon as possible. \nThis notification should include all available information," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 8 of 12 \n \n \n \nincluding hospital destination if the child is transported to a \nmedical facility. \n\u25cf If a student is a witness to a medical emergency, their \nparent/guardian should be notified prior to that student \nbeing removed from the school for interviewing by police or \nany other member of an emergency response agency. \nSummary of significant dates and deadlines: \nDate Activity \nSeptember Complete Emergency Information Cards (Form 460) \nJanuary Update Form 460 \nApril Update Form 460 \n \nEMERGENCY PLAN \nIf an emergency occurs: \n1. Stay with the student. \n2. Call or designate an adult to call the nurse or designee. \na. State who you are." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 21, + "content": "a. State who you are. \nb. State where you are. \nc. State the problem. \n3. An administrator or designee is responsible to institute the \nEmergency Plan. \nEmergency Telephone Procedure: \n1. Dial 911." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 9 of 12 \n \n \n \n2. State who you are. \"I am _______________, a \nteacher/paraprofessional in the Boston Public Schools.\" \n3. State where you are. \"I am at the ________________School, \naddress __________________. The telephone number is \n______________________.\" [NOTE: a number that is not the \noffice number should also be provided to EMS.] \n4. State the problem. \"There is a _______ year old child here that \nis _____________. We need an ambulance now.\" \n5. Give specific directions. \"_________________ will meet you at \n________________ to direct you.\" (address) \n6. Don't hang up. Ask for the information to be repeated back" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 23, + "content": "to you and answer any questions the dispatcher may have. \nHang up the telephone when all information is correct and \nverified. \nEmergency Procedures: \n1. Notify the principal/head of school or administrator and \ninform them of the nature of the emergency and the \nlocation of the student. \n2. The administrator or designee will: \na. Meet and direct the EMTs \nb. Call parent/guardian \nc. Call the Superintendent\u2019s Office at 617-635-9057 \nd. Call School Safety at 617-635-8000 \n3. The school nurse or designee will accompany the student to \nthe hospital. \n4. Paramedics will decide which hospital is appropriate." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 10 of 12 \n \n \n \n5. Copy emergency and health care information. \n6. School personnel (not necessarily the nurse) designated by \nthe principal/head of school must accompany the student in \nthe ambulance and remain with the student until the \nparent/guardian arrives or the child is being taken care of by \nappropriate and qualified medical personnel who have \ntaken over the responsibility of the child\u2019s care, whichever \noccurs first. Paramedics will take over care of the student \nwhen they arrive. \n7. The school representative should bring copies of the \nstudent's emergency information card, health card, and all" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 25, + "content": "available information pertinent to the student and the \nincident/illness to the hospital. \n8. The Department of Safety Services may be used as a \nresource to assist in notification to the parent/guardian. \nTelephone 617-635-8000. \n9. School Department personnel must not in any case \ntransport a sick or injured child in a privately owned motor \nvehicle. \n10. Under no circumstances should a student be sent to any \nlocation via taxi based solely on notification received by \ntelephone. \n11. It is strongly recommended that the student emergency \ninformation card (Form 460) be regularly updated. \nFor more information about this circular, contact: \nOwner: Djenny Lobo Lopes" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 11 of 12 \n \n \n \nDepartment: Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: 617-635-6788 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOR \nOwner: Director of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \nOR \n \nOwner: Chief of Safety Services \nDepartment: Safety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: 617-635-8000" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular FSE-05 \nPage 12 of 12 \n \n \n \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nFSE-02 \nVersion 01 \n \nFIRE SAFETY PRACTICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAs we begin another school year, it is essential that we review and \nupdate fire prevention, life safety, and evacuation \nplans/procedures in all our schools. Accordingly, appropriate \ncommunications and cooperation with Fire Department \nauthorities is imperat ive. The Boston Fire Department and The \nOffice of Emergency Management and Preparedness cite specific \nareas of concern and responsibility in this directive, which must be \nbrought to your attention." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 2, + "content": "brought to your attention. \nThe following fire safety practices should be incorporated into \nthe fire safety section of your school safety/contingency plan: \nA fire safety checklist (Attachment A) must be completed and \nreadily available in the main office along with appropriate \ndocuments including: fire drill reports, fire alarm tests, * fire \nsprinkler system test, fire extinguisher location document, * fire \npump test, AED location, a copy of most recent BFD quarterly \ninspection report, and Certificate of Occupancy. \nNOTE (*) if applicable: \nThe Boston Fire Department has directed that school officials \ndesignate a member of their school safety team to report to the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 2 of 15 \n \nmain entrance of the school to meet and direct arriving fire \ndepartment and other public safety personnel in an emergency. \nThis individual is identified as the building coordinator position in \nyour school safety plan and is usually the school custodian. \nThe building coordinator should be familiar with this circular, your \nbuilding and fire safety reports, and your fire safety checklist; know \nthe location of fire notification and extinguishing systems; and \nhave access to all areas. Your plan must also ident ify an alternate \nperson to perform this role in the event your custodian is not \navailable. \nFIRE ALARMS" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 4, + "content": "available. \nFIRE ALARMS \nAll fire alarm systems must be maintained in working order at all \ntimes. It is important to remember that the sounding of any fire \nalarm box automatically transmits a signal to the Fire Alarm Office, \nwhich simultaneously dispatches fire apparatus to the school. \nFire Department regulations and Mass. General Law Chapter 268, \nSection 32 prohibits the shutting off or tampering with any fire \nalarm system unless directed to do so by the Fire Department. Any \ndeficiency or trouble noted with the fire alarm system must be \nreported immediately to Facilities Management/Fire Alarm \nDivision at 617-635-8300." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 5, + "content": "Division at 617-635-8300. \nUpon the evacuation of a school building because of an alarm, no \nperson or persons shall re -enter the building without the \nauthorization of the fire officer in charge. The principal/head of \nschool, site coordinator or designee must, as a part of their fire drill \nprocedures, establish a command procedure for such evacuations. \nUpon the sounding of a fire alarm, approved evacuation" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 3 of 15 \n \nprocedures for all building occupants are to be followed \nimmediately, as well as a verification call made to the Fire \nDepartment at 911 or 617-343-2880. \nUpon arrival, the Boston Fire Department will exercise its authority \nto order all measures that are deemed necessary for the protection \nof persons and property. This authority includes building \nevacuation and reentry. \nDOOR LABELS, NUMBERS OR LETTERING SHALL NOT BE \nREMOVED OR CHANGED \nThe interior and exterior doors that are numbered within Boston \nPublic Schools should not be removed or changed by anyone \nexcept for members of the BPS Facilities Management Team. The" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 7, + "content": "numbers and letterings are crucial to Boston Police, Boston Fire \nand Boston EMS that will need to respond to your school building \nfor an emergency. \nAny changes to the numbering or lettering within your school \nbuilding could disrupt any evacuation or safety plans that already \nexist within the school. \nThe existing room numbers are also associated with the school\u2019s \nAsbestos Hazard Emergency Response Act (AHERA) Management \nPlan and the Indoor Air Quality (IAQ) sensors. \nIf your school is missing any room numbers or lettering, please \nsubmit a work order to the Facilities Management Team to ensure \nany issues are resolved before the start of the school year. \n \nMEANS OF EGRESS" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 8, + "content": "MEANS OF EGRESS \nDesignated exits in every school must be maintained as means of" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 4 of 15 \n \negress. \na. Means of egress must be kept free and clear at all times. \nb. The use of chains, ropes, bars, so-called \"dutch locks,\" or any \nother unauthorized device that would impede egress is \nprohibited during times when school buildings are occupied. \nc. No exit door which is intended to be kept closed shall be \nblocked open, and no device or arrangement shall be used to \nprevent a door designed to be self -closing or automatic -\nclosing from functioning as intended. Use of wedges to hold \ncorridor and stairwell doors open is prohibited. \nd. Interconnecting doors between rooms must be clear and free" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 10, + "content": "of any locks. Fire and smoke doors are not to be propped \nopen with wooden wedges or any other means. This is an \nillegal practice and prohibited in all schools. \nFIRE DRILLS \nAll schools shall conform to the following fire drill regulations: \na. The responsible school administrator in charge of the school \nshall formulate a plan for the protection and evacuation of all \npersons in the event of fire or other emergency and shall \ninclude alternate means of egress for all persons involved. \nSuch a plan is to be developed in consultation with \nappropriate representatives of the Boston Fire Department \nand BPS Director of Emergency Management and \nPreparedness." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 11, + "content": "Preparedness. \nb. The principal/head of school, site coordinator or designee \nshall see that each staff member receives and understands \nproper instructions on the fire drill procedure specified for \nthe room or area in which that person carries out their duties" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 5 of 15 \n \nbefore they assume such duties. A log or sign-off list must be \nmaintained at the school which documents staff receipt of \nprocedures and familiarization with fire safety practices. \nc. A fire drill must be conducted quarterly (September/first \nweek of school, December, March, and June) involving all \nstudents and staff and in accordance with Mass Fire Code, \n527 CMR 1.00: 20.2.4.2. A record of each drill is to be \ndocumented on the google form available in the BPS Fire & \nSafety Drill Report under Central Office Support with The BPS \nOffice of Emergency Management and Preparedness (Safety" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 13, + "content": "Services). If you have any questions, please contact The BPS \nOffice of Emergency Management and Preparedness. \nd. Every student in all schools shall be advised of the fire drill \nprocedure and shall take part in a fire drill within three days \nafter school begins in September. Fire drill procedures for \nparticular rooms shall be posted within those rooms. \nAlternate and o bstructed drills shall be exercised; and every \nother quarter, alternate routes shall be used. \ne. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.4, \nthe head of the Fire Department, or person designated by \nthem, shall visit each school four times each year for the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 14, + "content": "purpose of quarterly inspections, reviewing Building Fire \nSafety Plans and que stioning the administrators. The Fire \nDepartment may also conduct a fire drill for your building if \nthey feel your building is not in compliance with this law. \nDrills may be conducted without advance warning to the \nschool personnel other than the person in charge of the \nschool at the time. \nf. Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 6 of 15 \n \nThese procedures must also be incorporated in the School \nSafety/Contingency Plan for your school building. Fire drill \nprocedures must address student and staff accountability in \nan evacuation. This element of the plan should identify the \nperson(s) in charge, ensure accurate class attendance rosters \nare available, and identify specific locations for evacuees to \nassemble. \ng. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.6 \nEvacuation: Fire exit drills shall include the complete \nevacuation of all persons from the building. \nSTORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 16, + "content": "STORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS \nFlammables shall be stored in an approved locked metal cabinet \nsuitably vented. If the amount being stored warrants, a locked \nstorage vault should be provided. The storage facility must be \nunder the control of a school official, with only the authorized \npersonnel allowed access. \nFaculty members should not allow students to fuel individual \ndevices or transport any fuel container from one location to \nanother. \nAll school personnel should be thoroughly instructed as to the \nhazard involved in a particular flammable liquid, chemical, or gas; \nand in its safe and proper handling prior to intended use. Material" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 17, + "content": "Safety Data sheets should be on file in the main office. No fuel \ncontainer should be allowed to remain in any classroom but \nshould be immediately returned to its permanent storage facility. \nThe above procedures should be incorporated in the School \nSafety/Contingency Plan for each school building. Materials used \nin school science laboratory experiments are to be stored in" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 7 of 15 \n \ncompliance with related laws, codes, and ordinances. Quarterly \nschool fire inspections are complemented by specialized \ninspections conducted by Boston Fire Department Special \nOccupancies\u2019 Officers. \n*Hazardous storage areas must be secured and identified with the \nappropriate warning label. The appropriate chemical storage \nroom door identification is the National Fire Protection \nAssociation\u2019s 704 Diamond. \n*Reference Superintendent\u2019s Circular FSE -06 Student Safety / \nHealth in School Shops, and / or Laboratories and Classrooms; \nand the chemical inventory sheet in Superintendent\u2019s Circular \nFMT-7 Right to Know Law." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 19, + "content": "FMT-7 Right to Know Law. \nREPORTING OF FIRE INCIDENTS \nThe Boston Fire Prevention Code requires the following: \na. Upon any person's discovery of a fire or smoke in a building \nor premises, they shall immediately notify the Fire Alarm \nOffice of the Boston Fire Department of the location of the \ndiscovery and of the circumstances they have observed. The \nBoston Fire Department must be notified both by sounding \nthe nearest fire alarm box (pull station) and by telephone (911 \nor 617-343-2880) in the event of a fire. \nb. Any discovery or evidence of a fire or attempt to burn shall be \nreported to the Boston Fire Department by calling either 911" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 20, + "content": "or 617 -343-2880 and the BPS Director of Emergency \nManagement and Preparedness (857) 701-9404 to begin an \narson investigation. BFD considers any fire started by a \nstudent as a potentially serious mental health issue that, if \naddressed early enough, may prevent more serious problems" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 8 of 15 \n \nin the future. \nc. This section shall not be construed to forbid any person who \ndiscovers a fire, or the owner, lessee, person in charge of the \nbuilding or premises, any occupant, or any of their agents, \nafter notifying the Fire Department, from using all means \nnecessary to extinguish or control the fire prior to the arrival \nof the Fire Department. \nd. No person shall require, make, issue, post, or maintain any \norder, direction, or regulation, written or verbal, that would \nrequire or direct anyone to delay reporting a fire to the Fire \nDepartment. \ne. All personnel must be familiar with fire reporting procedures." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 22, + "content": "f. The Boston Fire Department and then Facilities \nManagement, The Office of Emergency Management and \nPreparedness are to be notified of all fire-related incidents. \nThese include but are not limited to following: \nFire or explosion \nGood intent calls \nOverpressure rupture \nFalse alarm/false call \nMedical emergency \n \nHazardous materials (i.e. fuel \nspills or chemical leaks) \nHazardous conditions \nService calls \nFire extinguished by occupant\ng. Any fire (including paper towels or tissues, even if \nextinguished), must be reported to the Boston Fire \nDepartment in accordance with procedure delineated in \nsections a. and b. above." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 23, + "content": "sections a. and b. above. \nh. The principal shall submit a written report available with \nthis_link: https://www.mass.gov/doc/fp-200-school-fire-" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 9 of 15 \n \nreporting-form/download of any fire within the school \nbuilding or on the school grounds to BPS Director of \nEmergency Management and Preparedness , (857) 701 -9404 \nwho will then forward it to the Boston Fire Department \nwithin 24 hours. This is in compliance with Mass General Law, \nChapter 148, Sec. 2A, which went into effect September 2006. \nThis information is also essential for arson prevention action. \nFIRE EXTINGUISHERS/KITCHEN SYSTEMS \na. Portable fire extinguishers must be serviced annually and \nlocated in accordance with the building\u2019s Fire Safety Plan. \nb. Kitchen extinguishing systems must be serviced twice a year." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 25, + "content": "c. It is the responsibility of senior custodians to ensure \nextinguishers are visually inspected weekly and \nrecharged/inspected annually to ensure they are ready for \nemergency use. \nd. Requests for fire extinguisher servicing should be made to \nFacilities Management at 617-635-9122. \ne. If extinguishers are not hanging in corridors, they must be \nreadily accessible. A list of fire extinguisher locations shall be \nposted in the office and maintained in the Fire Safety section \nof your building\u2019s School Safety/Contingency Plan. \nFLAMMABLE DECORATIONS \na. Flammable decorations, including examples of students' \nwork, must not be displayed in paths of egress, including" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 26, + "content": "doorways and stairwells. \nb. The Boston Fire Department expects us to display reasonable \namounts of student work. This is to be in accordance with the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 10 of 15 \n \nNational Fire Protection Association, Life Safety Code and 527 \nCMR 20.2.4.4.3: \n\u201cPaper materials displayed in educational use occupancies \nshall be permitted on walls only in accordance with the \nfollowing: (1) In classrooms, paper materials displayed shall \nnot exceed 20% of the total wall area. (2) Paper materials \ndisplayed shall be attached directly to the walls and shall not \nbe permitted to cover an egress door or be placed within five \nfeet of an egress door, unless approved by the AHJ. When \ndetermining wall areas, the door and window openings shall \nbe included unless: (a) Paper materials are displayed in fully" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 28, + "content": "enclosed viewing cabinets with glass or polycarbonate \nviewing panels or covered with glass or polycarbonate sheet \nmaterial in accordance with the Building Code; (b) Flame \nretardant paper material is used for display. (3) Paper \nmaterial displays shall be permitted to cover up to 50% of the \ntotal wall area in classrooms that are fully sprinklered in \naccordance with Chapter 13. \nCorridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total \ncorridor wall space. \n \nc. Certain buildings have more fire protection features than \nothers. This may be considered when displaying student \nwork." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 29, + "content": "work. \nd. Please refer to Superintendent\u2019s Circular FSE -03 Building \nCodes and Fire Regulations." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 11 of 15 \n \nRIGHT TO KNOW \u2013 CHEMICAL INVENTORY \nEach school / facility must maintain an accurate inventory of toxic \nand hazardous substances stored and used in the building. Please \nrefer to Superintendent\u2018s Circular FMT -07 \u201cRight to Know\u201d Law \u2013 \nChemical Inventory. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate Activity \nSeptember (First \nWeek of School) Quarterly Fire Drill Report Due \nDecember Quarterly Fire Drill Report Due \nMarch Quarterly Fire Drill Report Due \nJune Quarterly Fire Drill Report Due \n \nFor more information about this circular, contact: \nOwner: Director of Emergency Management & \nPreparedness" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 31, + "content": "Preparedness \nDepartment: Office of Emergency Management, Safety \nServices \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: (617) 635-6082 or (857) 701-9404 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 12 of 15 \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.31.2024)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 13 of 15 \n \nATTACHMENT A \nSCHOOL BUILDING FIRE SAFETY PLANS \nSchool: \nPrincipal/Head of School: \n \n1. Does school have a Fire Safety Plan as part of School Safety/Contingency \nPlan? Y N \n2. Is the plan readily available in the main office? Y N \n3. (School Safety/Contingency Plan, Section 6) \n4. Is the plan current for this school year? Y N \n5. Does plan include following elements: \na. Description of building (type, height, occupancy) Y N \nb. Types of fire protection systems (sprinkler system, standpipes) Y N \nc. Fire alarms (locations of pull stations, smoke detectors, heat \ndetectors) Y N" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 34, + "content": "detectors) Y N \nd. Location of exits (primary and alternate) Y N \ne. Evacuation routes (primary and alternate) Y N \nf. Stairwell designations Y N \ng. Smoke control (are corridor doors closed or held open by magnetic \ndevices that release when an alarm is activated?) Y N \nh. Location of extinguishers Y N \ni. Identity and location of any occupants with disabilities Y N \nj. Floor plans Y N \nk. Record of staff training Y N \nl. Fire drill reports Y N \nm. Fire alarm system test records Y N \nn. Copy of building occupancy permit Y N \no. Incident Control Team members identified by name and title with \ndefined responsibilities in an emergency (including back-ups)Y N" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 35, + "content": "A follow-up phone call must always be made to the Fire Alarm Office \n(911 or 617-343-2880) by a designated staff member. \np. AED device location: Y N \n \n \nDate: ________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 14 of 15 \n \nATTACHMENT B \nBOSTON FIRE DEPARTMENT \u2014 FIRE PREVENTION DIVISION \nSCHOOL DISPLAY MATERIALS: 527 CMR 1.05 \nAREA WITH NO SPRINKLERS WITH SPRINKLERS \n \n \n \n \n \nClassroom \n20% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the \negress door. \n \nNo limit if in viewing cabinet, \ncovered with polycarbonate, or \nmaterials are flame retardant* \n50% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the egress \ndoor. \n \nNo limit if in the viewing \ncabinet, covered with \npolycarbonate, or materials are \nflame retardant.* \n \n \n \n \n \n \n \nExit passageway, \ncorridors, and \nassembly area." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 37, + "content": "Exit passageway, \ncorridors, and \nassembly area. \n10% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \n50% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast \u00bd the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 38, + "content": "Polycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \nExits and enclosed \nstairs \nNothing permitted. Nothing permitted." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 39, + "content": "Superintendent\u2019s Circular FSE-02 \nPage 15 of 15 \n \nNOTES: \n(1) Door and window openings are to be included when \ncalculating wall areas. \n(2) Documentation must show compliance with NFPA 701 or \nCA 13115 to be flame retardant. \n(3) Plexiglas is not allowed; the covering must be glass or \npolycarbonate. \n(4) The posting of exit signage or evacuation plans shall not \nbe prohibited by this regulation. \n(5) 527 CMR 1.05 shall not be applicable to any election \nmaterials required by law to be posted during any local, \nstate, or federal election. \n \nThis regulation is effective September 19, 2003." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-03 \nVersion 01 \n \n \n \nBUILDING CODES AND FIRE REGULATIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll school buildings are required to comply with Massachusetts \nState Building Codes and Fire Regulations. Adherence to these \nregulations helps to ensure a safe, secure, and accessible learning \nand work environment for students and staff. \nAs the person responsible for the school building, the head of \nschool/principal/program director shall have responsibility for \nmonitoring and maintaining compliance with building codes and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 2, + "content": "fire regulations at all times. Staff assigned to the Department of \nFacilities Management and the fire safety director are available \nand should be called upon to assist and support the school \nbuilding administrator in this effort. \nThe Inspectional Services Department (ISD) of the City of Boston \nwill conduct annual egress inspections, and the Boston Fire \nDepartment (BFD) will conduct quarterly inspections to assure \ncompliance with the state codes and fire regulations. ISD shall \nissue certificates of inspection for occupancy annually to schools \nwhich comply. Schools in noncompliance will not be allowed to \nopen until the deficiencies are corrected and a certificate" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 3, + "content": "granted. During every school year, ISD building inspections will \nbe conducted annually. However, special inspections can be" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular FSE-03 \nPage 2 of 5 \n \n \n \nmade at any time to assure continued compliance. \nThe following guidelines have been mutually agreed upon by the \nISD and the Boston Public Schools and should assist your efforts \nand those of your staff in maintaining compliance. They must be \nadhered to throughout the year, not just at the time of \ninspection. They are as follows: \n1. All paths of egress must be clear of any furniture and \nmaterials. \n2. Materials or equipment cannot be stored under/near \nstairwells or in corridors. \n3. Broken furniture must be discarded and not abandoned in \nthe corridor. \n4. Teaching and learning is NOT permitted in hallways and \nstairwells." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 5, + "content": "stairwells. \n5. All doors must be clear of artwork/decorations and \nfunctional in case of an emergency. \n6. All fire doors must be kept closed at all times, except when \nstudents are passing between classes or when they have \nbeen modified as part of a new fire alarm system. \n7. NO CHAINS OR PADLOCKS ON ANY DOORS IN ANY \nBUILDING. \n8. Bars, chains, or other restricted operations of doors are not \nauthorized at any time. \n9. Deadbolts or locks may not be used on connecting \nclassroom doors. \n10. Classroom connecting doors can not be blocked (essential \negress)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FSE-03 \nPage 3 of 5 \n \n \n \n11. Papers and art work hanging from light fixtures must be \nremoved. \n12. Using auditorium stages as classrooms is prohibited. \n13. Covering classroom heating systems with combustibles \n(books and papers) is a fire hazard and is NOT permitted. \n14. All electrical and boiler rooms must be locked at all times \nand must not be used for storage. \n15. All fire extinguishers must be charged and have a current \ninspectional tag attached. \n16. All gasoline and flammable liquids must be stored in \nfireproof cabinets. \n17. Corridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 7, + "content": "corridor wall space and 20% of classroom wall space. \n18. Stairwells and exit doors shall be clear of all flammable \nmaterials. \n19. Paper materials displayed shall be attached directly to the \nwalls and shall not be permitted to cover an egress door or \nbe placed within five feet of an egress door, unless approved \nby the AHJ. The ONLY things permitted to be posted on or \nwithin 5 feet of a door are (1) evacuation routes and (2) the \nclassroom\u2019s emergency folder/kit (3) the SafeMode window \ncover the classroom utilizes. \n20. All rugs, curtains, and furniture must be certified as fire \nretardant and code compliant. \n21. Only electrical appliances authorized by Facilities" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 8, + "content": "Management are permitted." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FSE-03 \nPage 4 of 5 \n \n \n \n22. Snow blowers and lawn mowers are to be run dry of fuel \nafter each use and before being brought into the building. \n23. Classrooms must be kept clean and orderly. \nYour cooperation in maintaining the standards outlined above \nwill ensure a quick and successful certification process." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular FSE-03 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management & \nPreparedness \nDepartment: \nOffice of Emergency Management, Safety \nServices \nMailing Address: 21 Deckard St - Room B28, Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOR \nName: Executive Director of Facilities Management \nDepartment: Facilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: 617-635-9135 \nEmail: Operations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nFSE-06 \nVersion 01 \n \n \n \nSTUDENT SAFETY / HEALTH IN SCHOOL SHOPS, \nLABORATORIES, AND CLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEach day, thousands of Boston Public School students perform a \nvariety of activities within shops and laboratories. To ensure that \nall students and their teachers work in an environment which is \nsafe, it is necessary to formulate standard procedures and \nrequirements for all schools and their personnel. \nYour performance of these procedures will ensure that you and \nyour students are safe. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 2, + "content": "RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL \n1. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear eye \nprotection devices. \n2. Ensure that workable fire extinguishers, blankets, and eye \nwash equipment are readily available (custodians are \nresponsible for recharging fire extinguishers). \n3. Make sure that appropriate personnel receive training in use \nof portable fire extinguishers and blankets. \n4. Ensure that staff has instructed all students in safety \nstandards and procedures, including School Safety Plan." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 2 of 23 \n \n \n \n5. Post building evacuation procedures in classrooms, offices, \nand corridors. \n6. Review and evaluate safety procedures in shops and \nlaboratories (refer to Safety Check List attached). \n7. Conduct quarterly fire drills (refer to Superintendent's \nCircular FSE-2 Fire Safety Practices). \n8. Develop emergency procedures in case of a serious accident \n(refer to Superintendent's Circular FSE-05 Medical \nEmergency Management). \n9. Maintain adequate lighting and proper ventilation in shops, \nlaboratories, and classrooms. Report problems to Facilities \nManagement. \n10. Ensure that food service training programs and/or student-" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 4, + "content": "run restaurants comply with current sanitation code \nregulations. \n11. Be sure that teacher evaluations reflect the implementation \nof safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted in \nthe school's shops/laboratories. \n13. Ensure that all instructors working with toxic or hazardous \nsubstances receive training as specified in Chapter 111F of \nthe Massachusetts General Laws. \n14. State safety regulations within your school-based rules. \n15. Make Material Safety Data Sheets available. \nRESPONSIBILITIES OF TEACHERS \n1. Practice safety procedures; the teacher serves as the \nmodel for the students)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 5, + "content": "model for the students). \n2. Set up and maintain shop or laboratory to permit free, \nunobstructed movement of students at benches, around \nequipment and machines, and to allow egress from the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 3 of 23 \n \n \n \narea. \n3. Report all lighting and ventilation problems to the head \nof school/principal. \n4. Develop emergency procedures to follow in case of an \naccident (refer to Superintendent\u2019s Circular FSE-5 Medical \nEmergency Management). \n5. Post safety rules and safety hazards conspicuously in \nappropriate areas; contact the Department of Vocational \nTechnical Education for translation of safety rules into \nappropriate language(s). \n6. ENFORCE SCHOOL-BASED RULES WHICH ADDRESS \nSAFETY. \n7. Supervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 7, + "content": "shall a teacher leave students unsupervised in a \nlaboratory or shop area. If an instructor must leave the \nshop in an emergency, they must: \na. Arrange for a qualified teacher as replacement OR \nb. Relocate students to a properly supervised area. \nc. Lock laboratory/shop area. \nd. Shut off equipment. \n8. Check fire protection equipment weekly. \n9. Know the location of the closest fire extinguisher. \n10. Maintain a first aid kit in an easily accessible area. \n11. Check machinery/equipment weekly to make sure safety \nguards are in place and working properly. \n12. Check any gas-burning equipment daily for gas leaks. \n13. If anyone detects the smell of gas, shut off the gas source" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 8, + "content": "before reporting the problem to your supervisor. \n14. Maintain a dated, self-evaluation safety inspection \nchecklist. Safety program checklist forms are available \nfrom the Department of Career and Technical Education." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 4 of 23 \n \n \n \n15. Use the building safety committee as a resource for \nstudent safety plans. \n16. Present each student with a copy of the shop's safety \nrules and procedures. \n17. Teach safety as an integral part of each job or lesson by: \na. Testing students on their knowledge of safety rules \nand procedures. \nb. Using objective tests to emphasize shop safety. \nc. Checking student mastery of safe methods and safe \npractices. \nd. Testing students\u2019 handling of tools, operation of \nmachines, use of equipment, and trade practices, all \nwith a focus on safety. \ne. Having a student sign their written test as indication" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 10, + "content": "they understand safety rules and procedures. \nf. Filing signed written tests in the student's folder as a \npermanent record. \n18. Know location of AED and qualified operations. \n19. Avoid shop accidents by insisting that students dress \nproperly for the laboratory/shop. Each student shall: \na. Wear shoes with low or flat heels and substantial \nsoles, or wear work shoes where mandated. \nb. Wear head covering, pin up hair, or tie hair back. \nc. Wear eye protection devices as per M.G.L. c.71, s.55C. \nd. NOT wear loose-fitting clothes which could get \ncaught in moving equipment. \ne. NOT wear rings, bracelets, or necklaces which could \nget caught in moving machinery parts." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 11, + "content": "get caught in moving machinery parts. \n20. Supervise students at all times. Under no circumstances \nshould an unsafe piece of equipment be operated. \nDisconnect or remove the fuse to ensure that an" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 5 of 23 \n \n \n \naccident will not occur. \n21. Insist that visitors to your area wear safety equipment \n(eye protection, etc.). \n22. Shut off all machines, store all equipment, and shut off \nlights before closing the laboratory/shop for the day. \n23. Make sure that soap and towels are replenished as \nneeded. \n24. Establish a foolproof system for dispensing and securing \ntools. \n25. Designate storage for tools to prevent accidents. \n26. Lock up hazardous materials and equipment in \napproved containers when not in use. \n27. Keep machinery and equipment in good condition; \nconduct monthly inspections." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 13, + "content": "conduct monthly inspections. \n28. Submit appropriate requisition(s) to paint hazardous \nmachinery parts and safety switches in conspicuous \ncolors. \n29. Submit appropriate requisition(s) to secure safety mats \nto the floor around machines to prevent slipping. \n30. Check the emergency disconnect switch (PANIC \nBUTTON) to ensure proper operation. \n31. Dispose of oily waste and rags in designated containers. \n32. Ensure that food service training programs and/or \nstudent-run restaurants comply with current sanitation \ncode regulations. \nRESPONSIBILITIES OF NURSES \n1. Help students and teachers obtain necessary health \nscreening, where required, for admission to occupational" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 14, + "content": "programs (e.g., food service/restaurant programs). \n2. Administer first aid." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 6 of 23 \n \n \n \n3. Evaluate the injury. \n4. Notify student's parent/guardian. \n5. Complete nurse's section of accident report. \n6. If an accident is serious, in addition to above, implement \nprocedures documented in Superintendent's Circular \nFSE-5 Medical Emergency Management. \nACCIDENT REPORTS \n1. The instructor, nurse, and/or witness will fill out or assist in \nfilling out two separate accident reports: Occupational \nEducation Accident Report Form EE 111 (attached) and Pupil \nAccident Report Form 201 (attached). \n2. The principal/head of school will retain original Form EE 111 \nin the school file and send a copy to the director of Career" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 16, + "content": "and Technical Education, 75 Malcolm X Blvd., Boston, MA \n02119. \n3. The principal/head of school will retain Form 201 in the \nschool file and send a copy to the Department of Safety \nServices, 213 Townsend Street, Dorchester, MA 02121. \nTECHNICAL ASSISTANCE \nThe Department of Career and Technical Education will provide \nall schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building inspections. Career and Technical Education staff \nwill perform continual safety inspections for \nshops/laboratories/classrooms. \nContact:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 7 of 23 \n \n \n \nDirector of Career and Technical Education, 617-635-8970 \nDirector Safety / Emergency Preparedness, 617-635-8300 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent \n \nATTACHMENTS: \nForm EEE 111 \u2013 Occupational Education Accident Report \nForm 201 \u2013 Pupil Accident Report \nOccupational Safety and Health: Safety Inspection Checklist" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 8 of 23 \n \n \n \nFORM EE 111 \nOCCUPATIONAL EDUCATION ACCIDENT REPORT \n \nName of injured: _________________________________________________ \nGrade: ________ Age: ________ \nParent's/guardian's name: ________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDate of accident: ______________Time of accident: _________________ \nLocation of accident: _____________________________________________ \nDescription of accident: __________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 19, + "content": "__________________________________________________________________ \nState exact part of person injured and extent of injury: ___________ \n __________________________________________________________________ \nEmergency care was given by: ___________________________________ \nFollow-up (check statements which apply): \n\u2610 Pupil remained in school \n\u2610 Parent/guardian notified \n\u2610 Taken to nurse's office by _____________________________________ ." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 9 of 23 \n \n \n \n\u2610 Taken to hospital by ___________________________________________ \nName of doctor, if any ___________________________________________ \nWitness to accident: ______________________________________________ \nPerson reporting accident: _______________________________________ \nSignatures: \nPerson making this report: _______________________________________ \nPerson supervising activity/program _____________________________ \nSchool nurse _____________________________________________________ \nPrincipal/head of school _________________________________________ \n \nReport #: ___________________________ (to be filled in by the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 21, + "content": "building principal/headmaster) \n \nReviewed by: _____________________________________________________ \n Director of Career and Technical Education \n \nNOTE: Retain original in principal\u2019s/head of school\u2019s office. Send \ncopy to the director of Career and Technical Education, 75 \nMalcolm X Blvd., Boston, MA 02120." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 10 of 23 \n \n \n \nFORM 201 \nPUPIL ACCIDENT REPORT \n(Section 225 of the Rules and Regulations) \nAll accidents involving injury to pupils on school premises or \nwhile going to or from school must be reported on Form 201 to \nthe Department of School Safety Services, 213 Townsend Street, \nDorchester, MA 02121 no later than the day following the day of \nthe accident. This report is to be filled out in its entirety. A \nduplicate copy of the Pupil Accident Report is to be retained by \nthe school principal. If possible, this report should be typewritten. \n1. Student\u2019s Last Name ___________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 23, + "content": "First Name ____________________________Middle Initial ___________ \n2. Address _______________________________________________________ \n __________________________________________________________________ \n3. School ________________________________________________________ \n4. Student\u2019s Age _________Sex ________Grade_____Room___________ \n5. Name of Parent or Guardian (in full) ___________________________ \n __________________________________________________________________ \n6. Date of accident _________Time _______ A.M. ______ P.M. ________ \n \n7. Nature and extent of injury ____________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 11 of 23 \n \n \n \n8. In case of dog bite, has a report been made to the Boston \nHealth Department? \u2610 Yes \u2610 No \n8. Specific location of accident ___________________________________ \n9. Teacher(s) in charge of location when accident occurred \n __________________________________________________________________ \n9. Teacher(s) in charge present at scene of accident? \u2610 Yes \u2610 No \n10. Description of accident, including cause ______________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 25, + "content": "11. In the case of a shop accident, were all guards required by law \nin use? ________________________________________________________ \n If not, why not? _______________________________________________ \n ________________________________________________________________ \n12. In case of shop or laboratory accident, is the statement \nrequired by Section 225 of the Rules and Regulations \nattached? \u2610 Yes \u2610 No \nIf answer is no, state reason: ___________________________________ \n13. To whom was the accident first reported? _____________________ \nWhat action was taken by this person? ________________________ \n ________________________________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 26, + "content": "14. Were first aid supplies available? \u2610 Yes \u2610 No \n15. Was any treatment administered? \u2610 Yes \u2610 No" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 12 of 23 \n \n \n \nWhere? _______________________________________________________ \n16. Did the pupil leave school (or place of accident)? \u2610 Yes \u2610 No \nIf so, to what destination? _____________________________________ \n17. If transported by ambulance, attendant names, and unit #: \n __________________________________________________________________ \n18. Escorted to destination by whom? (An injured pupil should be \nescorted by a responsible person) _____________________________ \n __________________________________________________________________ \n19. Names and addresses of witnesses: ___________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 28, + "content": "__________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nThe accident report has been investigated and will be carefully \nfollowed up. \n __________________________________________________________________ \nSignature of Safety Counselor \n __________________________________________________________________ \nSignature of Principal \nDate of Report ___________________________________________________ \nSchool ___________________________________________________________ \nBOSTON PUBLIC SCHOOLS \u2014 VOCATIONAL, ADULT," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 29, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 13 of 23 \n \n \n \nAND ALTERNATIVE EDUCATION \nOCCUPATIONAL SAFETY AND HEALTH: SAFETY INSPECTION \nCHECKLIST \nSchool ______________________________________Level _______________ \nDepartment ___________________Area __________Date _____________ \nInspection by __________________________Position _________________ \nSTUDENTS YES NO N/A \n1. Are they wearing proper eye protection? \u2610 \u2610 \u2610 \n Comment: \n2. Are they wearing proper footwear? \u2610 \u2610 \u2610 \n Comment: \n3. Are they properly dressed? \u2610 \u2610 \u2610 \n Comment: \n4. Are they trained in safety procedures? \u2610 \u2610 \u2610 \n Comment: \n5. Do they have safe work habits? \u2610 \u2610 \u2610 \n Comment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 14 of 23 \n \n \n \nSTUDENTS (continued) YES NO N/A \n6. Are they wearing proper hearing protection? \u2610 \u2610 \u2610 \n Comment: \n7. Are hard hats provided and worn where any \ndanger of falling objects? \u2610 \u2610 \u2610 \nComment: \n8. Do they know how to properly and safely \nuse the tools? \u2610 \u2610 \u2610 \n Comment: \n9. Are they trained in safety procedures? \u2610 \u2610 \u2610 \nComment: \n10. Do students know what to do in emergencies? \u2610 \u2610 \u2610 \n Comment: \nWORK AREA YES NO N/A \n1. Is it clean and orderly? \u2610 \u2610 \u2610 \n Comment: \n2. Are exit lanes clear and marked? \u2610 \u2610 \u2610 \n Comment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 31, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 15 of 23 \n \n \n \n3. Are materials neatly stored? \u2610 \u2610 \u2610 \n Comment: \nWORK AREA YES NO N/A \n1. Are tools safely stored? \u2610 \u2610 \u2610 \n Comment: \n2. Are floors clean and dry? \u2610 \u2610 \u2610 \n Comment: \n3. Are hazard signs properly posted? \u2610 \u2610 \u2610 \n Comment: \n4. Are floors non-skid? \u2610 \u2610 \u2610 \n Comment: \n5. Are compressed gas cylinders properly \n secured? \u2610 \u2610 \u2610 \n Comment: \nDOORS YES NO N/A \n1. Are there an adequate number of exits? \u2610 \u2610 \u2610 \n Comment: \n2. Are exits properly marked with signs? \u2610 \u2610 \u2610 \n Comment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 32, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 16 of 23 \n \n \n \n3. Is there an unobstructed and clear way to \n all doors? \u2610 \u2610 \u2610 \n Comment: \nAre fire doors (automatic/self-closing) in \n operable condition? \u2610 \u2610 \u2610 \n Comment: \n \nEYEWASH - EMERGENCY SHOWERS YES NO N/A \n1. Are there washing facilities available where \nstudents are exposed to corrosive materials, \nflying chips, or dust? \u2610 \u2610 \u2610 \n Comment: \nELECTRIC DEVICES YES NO N/A \n1. Are all outlets and switches in good condition? \u2610 \u2610 \u2610 \n Comment: \n2. Are there any loose wires? \u2610 \u2610 \u2610 \n Comment: \n3. Are all outlets properly grounded? \u2610 \u2610 \u2610 \n Comment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 17 of 23 \n \n \n \nFIRE DRILLS YES NO N/A \n1. Are fire drill instructions (exit routes) posted? \u2610 \u2610 \u2610 \n Comment: \n2. Do alarms work properly? \u2610 \u2610 \u2610 \nComment: \n3. Are fire drill practices held frequently? \u2610 \u2610 \u2610 \nComment: \n4. Are staff members instructed in the use of \n extinguishers and fire protection procedures? \u2610 \u2610 \u2610 \n Comment: \nFIRE EXTINGUISHERS YES NO N/A \n1. Are extinguishers mounted in a readily \naccessible/visible location? \u2610 \u2610 \u2610 \n Comment: \n2. Was the extinguisher inspected during the \n past year (check inspection tag)? \u2610 \u2610 \u2610 \n Comment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 34, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 18 of 23 \n \n \n \nFLAMMABLE ITEMS YES NO N/A \n1. Is there more than one (1) shift or a one (1) day \nsupply of flammable liquid in the school shop \n area? \u2610 \u2610 \u2610 \nComment: \n2. Are all flammable liquids (one day's supply \nof oil, previously opened paint, gasoline, etc.) \nsealed in fireproof containers away from \npossible sources of ignition? \u2610 \u2610 \u2610 \nComment: \n4. Is there an excess of flammables kept on the \npremises? \u2610 \u2610 \u2610 \nComment: \n4. Are rags and other flammable items stored in a \nsafe location? \u2610 \u2610 \u2610 \n Comment: \n5. Are waste receptacles provided and are they \nemptied regularly? \u2610 \u2610 \u2610 \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 35, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 19 of 23 \n \n \n \nFIRST AID YES NO N/A \n1. Is a fire blanket and container mounted in a \nreadily accessible/visible location? \u2610 \u2610 \u2610 \nComment: \n2. Are first aid boxes in an accessible location? \u2610 \u2610 \u2610 \nComment: \n3. Are the supplies adequate for the type of \npotential injuries in the shop? \u2610 \u2610 \u2610 \nComment: \n4. Are all items sterile? \u2610 \u2610 \u2610 \nComment: \n5. Is there a staff member trained in first aid? \u2610 \u2610 \u2610 \nComment: \n6. Are emergency numbers posted? \u2610 \u2610 \u2610 \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 20 of 23 \n \n \n \nHEATING YES NO N/A \n1. Are all heat dispersing units free from \nobstruction and flammable materials? \u2610 \u2610 \u2610 \nComment: \n2. Is the heat in the shop adequate? \u2610 \u2610 \u2610 \nComment: \nLIGHTS YES NO N/A \n1. Is lighting suitable for work being done? \u2610 \u2610 \u2610 \nComment: \n2. Is there a back-up light in case of emergency \n(battery-operated)? \u2610 \u2610 \u2610 \nComment: \nMACHINERY AND TOOLS YES NO N/A \n1. Are safety guards in place? \u2610 \u2610 \u2610 \nComment: \n2. Are they properly cleaned and lubricated? \u2610 \u2610 \u2610 \nComment: \n3. Are there any dangerously worn parts? \u2610 \u2610 \u2610 \nComment: \n4. Is there adequate space between machines for" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 37, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 21 of 23 \n \n \n \nworking safely? \u2610 \u2610 \u2610 \nComment: \n5. Are there any electrical hazards? \u2610 \u2610 \u2610 \nComment: \n6. Are hand tools and other equipment regularly \ninspected for safe conditions? \u2610 \u2610 \u2610 \nComment: \nPOWER SHUT-OFFS YES NO N/A \n1. Are there emergency shut-offs? \u2610 \u2610 \u2610 \nComment: \n2. Do they work? \u2610 \u2610 \u2610 \nComment: \n3. Are they checked each month? \u2610 \u2610 \u2610 \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 22 of 23 \n \n \n \nVENTILATION YES NO N/A \n1. Do all exhaust ducts terminate outside the \nbuilding? \u2610 \u2610 \u2610 \nComment: \n2. Does tailpipe exhaust exit outside the building? \u2610 \u2610 \u2610 \nComment: \n3. Does this shop (welding, auto body, etc.) \nrequire exhaust fans? \u2610 \u2610 \u2610 \nComment: \n4. Does this shop have exhaust fans, and do they \nexhaust to the outside? \u2610 \u2610 \u2610 \nComment: \n5. Is the system sufficient with shop at full capacity? \u2610 \u2610 \u2610 \nComment: \nRIGHT TO KNOW LAW YES NO N/A \n1. Is a workplace notice posted? \u2610 \u2610 \u2610 \nComment: \n2. Are containers labeled that contain toxic or \nhazardous substances? \u2610 \u2610 \u2610 \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 39, + "content": "hazardous substances? \u2610 \u2610 \u2610 \nComment: \n3. Have the instructors been taught about the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 40, + "content": "Superintendent\u2019s Circular FSE-06 \nPage 23 of 23 \n \n \n \nnature and effects of the MSL substances to \nwhich they may be exposed in the workplace? \u2610 \u2610 \u2610 \nComment: \n4. Other: \u2610 \u2610 \u2610 \nComment:" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-05 \nVersion 01 \n \n \nREVISED MAXIMUM AGE ASSIGNMENT AND \nENROLLMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn July 1999, the Boston School Committee adopted a new policy \nof the Boston Public Schools (BPS) covering the maximum age \nfor school attendance. In 2019, the School Committee updated \nthe maximum age assignment and enrollment policy to include \nthe current options available within the network of BPS \nalternative education schools and new opportunities for students \nto continue their education in the district. The revision to the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 2, + "content": "original maximum assignment policy clarifies the process and \nstreamlines the enrollment and placement of overage students, \nminimizes the risk of students transitioning to adult school \nprogramming in the middle of a semester when they turn 22 \nyears old, and expands the range of program options in Boston \nCentral Adult High School (BCAHS) to meet the needs of overage \nstudents in an adult education setting. \nENROLLMENT OF OVERAGE STUDENTS (19 YEARS OLD OR \nOLDER) \n\u2022 Requires the Re-Engagement Center to assess needs and \nmake recommendations for the school/program \nassignments of students new to BPS who are age 19 or \nolder. \n\u2022 For students 19 years old or older who are more than a year" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 3, + "content": "from graduation (based on the Re-Engagement Center" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular AMT-05 \nPage 2 of 6 \n \ntranscript review), enrollment options will be presented for \nBPS alternative education programs designed to support \noverage, under-credited students. \n\u2022 For students 19 years old or older who are less than a year \nfrom graduation (based on the Re-Engagement Center \ntranscript review), enrollment options will be presented for \ntraditional high school programs and/or BPS alternative \neducation programs designed to support overage students, \nbased on availability and student needs. \nEXISTING OVERAGE BPS STUDENTS (19 YEARS OLD OR OLDER) \n\u2022 Establishes a systematic proactive review process through" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 5, + "content": "the Re-Engagement Center whereby the district will \nmonitor the progress and counsel currently enrolled \noverage students on an annual basis. \n\u2022 Establishes that if a student without special needs (without \nan Individualized Education Plan) will turn 21 years old on or \nbefore August 31st they will be ineligible for enrollment in a \nBPS traditional or alternative education school for the \nupcoming school year, and will be referred to BCAHS (day \nprogram, evening program, or a satellite adult education \nprogram authorized by BCAHS) or an external adult \neducation program by the Re-Engagement Center. \n\u2022 Establishes that students turning 21 years of age on or after" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 6, + "content": "September 1st are eligible for enrollment for that school \nyear. \n\u2022 Clarifies that services for eligible students with disabilities \nwill continue to be governed by the Individuals with \nDisabilities Education Act (IDEA) and Massachusetts General \nLaw c. 71B up to and through that student\u2019s 22nd birthday," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular AMT-05 \nPage 3 of 6 \n \nwhen deemed appropriate by an IEP team. \n\u2022 Provides guidelines for how the district will support \nstudents who turn 21 years old on September 1st or later \nthrough the Re-Engagement Center as they transition into \nprograms including: BCAHS (day program, evening \nprogram, or a satellite adult education program authorized \nby BCAHS) if space is available, or an external adult \neducation program. \nTHE MAXIMUM AGE ASSIGNMENT POLICY \nAll students who are seeking a BPS school assignment, including \nnew students, re-enrolling students, and students already \nenrolled in the BPS will be provided enrollment options that will" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 8, + "content": "best meet their needs in providing a path forward to meeting the \nrequirements of a BPS high school diploma. The revised \nmaximum age assignment and enrollment policy acknowledges \nthat some students may benefit from the alternative education \nsetting to ensure they can earn the credits required for \ngraduation prior to the end of the school year in which they turn \n21 years old. Students transitioning to alternative education \nschools and programs designed to serve the overage population \nwill retain any and all rights and privileges accrued change \n\u201caccrued\u201d to \u201cafforded to students\u2026\u201d to students admitted to or \nenrolled in traditional day school programs as required by" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 9, + "content": "Massachusetts law. \nNew BPS students and re-enrolling students who are age 19 and \nolder will be directly referred to the Re-Engagement Center by \nregistration specialists at the Welcome Center to determine the \nmost appropriate placement. As with all enrollment applications, \nif applicable, the Office of Special Education will review each \nstudent\u2019s Individualized Education Plan (IEP) and any reports" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular AMT-05 \nPage 4 of 6 \n \npresented by the student and/or family to determine how to \nmove forward with options for the student. \nOnce referred to the Re-Engagement Center, specialists will \nreview each overage student\u2019s transcript, enrollment history, \nstate assessment results, and Early Warning Indicators to \ndetermine the most appropriate placement for the student to \nattain a high school diploma prior to turning 21 years old. \nEnrollment options at traditional high school programs and/or \nalternative education programs will be presented based on \navailability and student need. BPS Welcome Services will" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 11, + "content": "manage the technical aspects of the enrollment and assignment \nprocess after the Re-Engagement Center assesses student needs \nand makes recommendations for placement. Current alternative \nschools and programs for SY23 that meet the criteria to serve \noverage students include Boston Adult Technical Academy \n(BATA), Accelerated Diploma Program (ADP), LogOn Academy at \nBoston Collaborative High School, and ABCD\u2019s University High \nSchool. This list of options for overage students will be updated \nannually as needed. \nCurrently enrolled BPS students who will reach the age of 19 \nbefore September 1st of the following school year will be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 12, + "content": "provided an option to enroll at an alternative education school or \nprogram designed for overage and/or under-credited students. In \nthe revised policy, the responsibility of these recommendations \nwill be designated to Re-Engagement Center specialists. The Re-\nEngagement Center will notify headmasters of students who are \neligible for a transfer based on age during the spring semester. \nRe-Engagement Center specialists will recommend the most \nappropriate placement in an alternative education setting or \ncontinued enrollment at their current school after a review of \neach overage student\u2019s transcript, state assessment results," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular AMT-05 \nPage 5 of 6 \n \nenrollment history, and assessment of Early Warning Indicators. \nAdditionally, if determined that a transfer is in the student\u2019s best \ninterest, the Re-Engagement Center will meet with students and \ntheir parents, provide multiple alternative education options that \nare appropriate for overage students, and work with students \nand parents through the process of the transfer to the alternative \neducation program selected prior to the start of the school year. \nBPS Welcome Services will continue to manage the technical \naspects of enrollment and assignment process based on these \nrecommendations." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 14, + "content": "recommendations. \nThe revised maximum age assignment and enrollment policy \nclarifies that if a student will turn 21 years old on or before August \n31st, the school based-administration team will meet with the \nstudent, and the student will be required to transition to a \nprogram designed for adults (e.g. Boston Central Adult High \nSchool, Department of Developmental Services, or other adult \nschool program). Students who will turn 21 years old during the \nschool year will be allowed to remain enrolled through the end of \nthe school year in June and, if necessary, through the end of \nsummer session in August. Once referred to the adult school" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 15, + "content": "program, the process of this transition will be managed by the \nRe-Engagement Center. \nStudents who are unable to earn a high school diploma by the \nend of the school year in which they turn 21 years old will be \nreferred to BCAHS (day program, evening program, or a satellite \nadult education program authorized by BCAHS) or an external \nadult education program by Re-Engagement Center specialists \nand the headmaster. The referral will be made prior to the start of \nthe final spring semester in which a student is 21 years old to \nsupport an appropriately timed transition. Prior to the student \nexiting their school and transitioning to an adult school option," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular AMT-05 \nPage 6 of 6 \n \nthe headmaster and/or academic counselor will provide an exit \nsurvey and counseling opportunity to share potential placement \nin the Boston area. Upon exiting a BPS traditional or alternative \nhigh school, the student will be presented with options to \ncontinue their education toward a high school diploma or HiSET \ncertificate (graduation equivalent) through the exit survey and \nmeeting offered by the headmaster and/or academic counselor. \nServices for eligible students with disabilities will continue to be \ngoverned by the Individuals with Disabilities Education Act \n(IDEA) and Massachusetts General Law c. 71B up to and through" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 17, + "content": "their 22nd birthday, when deemed appropriate by an IEP team. \nFor more information about this circular, contact: \nOwner: Director of the Re-Engagement Center \nDepartment: Office of Secondary Schools, Re-\nEngagement Center \nMailing Address: 2300 Washington Street, 4th Floor, Roxbury \nMA 02119 \nPhone: 617-635-2273 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-04 \nVersion 01 \n \nGRADE LEVEL PLACEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Boston Public Schools has established grade level placement \nrequirements for Grades K-12, which are detailed herein. \nGRADES K0 - 1 \nThe Boston Public Schools has established the following age \nrequirements for entrance to kindergarten programs and grade 1: \nGrade Level Age as of \nSeptember 1 \nK0 3 \nK1 4 \nK2 5 \n1 6 \n \nStudents who will be 6 years old by September 1, but after June 30, \nmay, if they believe appropriate, request a waiver to register for K2" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 2, + "content": "instead of grade 1. This request must take place prior to registration \nand must be accompanied by an early education provider\u2019s \nrecommendation. Requests should be made to the interim executive \ndirector of Early Childhood at tdias@bostonpublicschools.org, 617-\n635-9701. \nThere are no other exceptions to this policy." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular AMT-04 \nPage 2 of 8 \n \nGRADES 2 - 8 \nThe following requirements will be in effect for grades 2-8 at all \nschools, including Early Education Centers and Early Learning \nCenters: \nGrade Age as of \nSeptember 1 \n2 7 \n3 8 \n4 9 \n5 10 \n6 11 \n7 12 \n8 13 \n \nIn cases where a student is registering into Boston Public Schools \nwith documented proof of successful completion of the current \ngrade, the student must also present documentation to their \nassigned school within 30 days of reporting. If the school \nrecommends a change in the student\u2019s grade placement, the school \nleader must submit a \u201cGrade Level Change\u201d request form (below) to" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 4, + "content": "their school superintendent or operational leader for approval and \nprocessing by Welcome Services. \nGrade-age assignment in the Boston Public Schools is structured to \nprovide a supportive environment in which each student is able to \ngrow both academically and socially. BPS understands students may \nlearn differently and need appropriate adjustments to their \ncurriculum to ensure they are learning at a pace that fosters success. \nTherefore, teachers are trained to adjust" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 5, + "content": "Superintendent\u2019s Circular AMT-04 \nPage 3 of 8 \n \ncurriculum and make additional recommendations for students \nwithin their classrooms. \nGRADES 9 - 12 \nStudents who are new to BPS will be assigned to a grade based on \ntheir age. Students should be aware that schools may shift their \ngrade level upon enrollment in their assigned school after a \ntranscript review with their school counselor. \nStudents with disabilities will be placed in accordance with the grade \nlevel indicated by their IEP. \nIf the student has not recently attended school in the U.S., a U.S. \nterritory, or does not have a current transcript, Welcome Services will \nassign students as indicated below: \nAge as of" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 6, + "content": "assign students as indicated below: \nAge as of \nSeptember 1* \nGeneral Education, Never LEP, or \nELD 1-5 \n14-16 Grade 9 \n15-17 Grade 10 \n16-18 Grade 11 \n17-18 Grade 12** \n19-21 Referred to Re-Engagement \nCenter \n22 Students will be recommended \nto Adult Education \n* The age range is dependent on minimum age and takes into \naccount consideration of students who may have been retained \nor started their academic journey at an older age from their home \ncountry. \n** Students with sufficient documentation, clearly displaying the \ncompletion of grade 11, will be placed in grade 12." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular AMT-04 \nPage 4 of 8 \n \nStudents who are entering high school are to present prior school \nrecords to their assigned school within 30 days of reporting. \nFor more information regarding the Maximum Age Policy, see the \nRevised Maximum Age Assignment And Enrollment Policy. \nGRADE LEVEL ADVANCEMENT OR REGRESSION \nIf a family/emancipated student is contesting their grade level \nplacement due to the grade-age assignment process followed while \nin a Welcome Center or the Newcomers Assessment & Counseling \nCenter (NACC), the student must be assessed by the school. If the \nschool recommends a change in the student\u2019s grade placement, the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 8, + "content": "school leader must submit a \u201cGrade Level Change\u201d request form to \ntheir school superintendent or operational leader for approval and \nprocessing by Welcome Services within 30 days of student reporting \nto school. \nIf after a period of at least one academic term/semester, a school \nteam1 determines that a particular student may benefit from a grade \nlevel change due to exceptional advancement or regression based \non other conditions not present during the registration period, a \nschool leader may request a grade level change by completing the \n\u201cGrade Level Change\u201d request form and submitting to their school \nsuperintendent or operational leader for approval and processing by" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 9, + "content": "Welcome Services. All changes must be completed by the end of the \nfirst marking period. \n \n \n1 School-based teams must be composed of content teachers, \nEnglish Learner, and Special Education faculty based on the \nstudent\u2019s instructional program." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular AMT-04 \nPage 5 of 8 \n \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and Special \nAdmissions \nDepartment: Welcome Services \nMailing Address: 2300 Washington Street, 2nd Floor, Boston, MA \n02119 \nPhone: 617-635-9010 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 11, + "content": "Superintendent\u2019s Circular AMT-04 \nPage 6 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM - DIRECTIONS \nFind below the description of criteria and evidences that you will \nneed to fill out the form on page 8. \nCriteria for Grade Level Change: Documentation and rationale are \nrequired for all recommendations. \n1. A grade level placement is contested due to a grade-age \nassignment process followed during registration. This form \nmust be completed within 30 days of student reporting to \nschool. \n2. A school recommends a grade level change for a student due \nto exceptional advancement or regression based on other \nconditions not present during the registration period. This" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 12, + "content": "form must be completed by the end of the first marking \nperiod. \n3. A Grade Level Change Request Form must be approved by a \nschool superintendent or operational leader. After approval, \nWelcome Services will process the request. \n4. Students may not be retained more than once at any level \n(elementary, middle, or high school). \n5. In a grade level change that requires a new school \nassignment, the sending administrator must contact and \nupdate the receiving administrator. \n6. If an English Learner is being recommended for a grade level \nchange, evidence must be provided that this is not due to \nlanguage proficiency, and student/family have been informed" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 13, + "content": "and are in agreement with the change." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 14, + "content": "Superintendent\u2019s Circular AMT-04 \nPage 7 of 8 \n \nEvidence\u2019s Options \n1. The request meets BPS district guidance in terms of \nattendance, academic achievements, OR interventions \ndemonstrated through student work, grades, and \nassessments. A school narrative must be attached. \n2. If the student is in a Special Education program: The student \nhas an IEP that specifically and in writing exempts them from \ncertain provisions of the promotion policy. IEP attached. \n3. If the student is an English Learner: There is evidence of a \ntranscript review and parent communication that shows an \nagreement with the recommendation. All documents must \nbe filed in the student\u2019s ELD Folder." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular AMT-04 \nPage 8 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM (*) \n \nName of Student: ________________________________________________ \nSchool: ___________________________________________________________ \nStudent ID: __________________Current Program: __________________ \nELD Level: __________________ SN Code: ___________________________ \nPurpose of Request: \n\uf0a8 Grade Progression: ______________ to ______________ \n\uf0a8 Grade Regression: _______________ to ______________ \nWhen/how was the parent/guardian informed of this request? \n __________________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 16, + "content": "__________________________________________________________________ \n \nOPTIONS (**) Evidence meets requested change \nYES NO \nOption 1 \nOption 2 \nOption 3 \n \nSignature of sending school leader: \n___________________________________________ Date _________________ \nSignature of school superintendent/operational leader: \n___________________________________________ Date: ________________ \nReview/Approval, Welcome Services: Space available? YES \u2610 NO \u2610 \n(*) Directions on pages 6 & 7; (**) Options descriptions are listed on page 7" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \n NUMBER: \nAMT-06 \nVersion 01 \n \n \n \nVOLUNTARY TRANSFER POLICY. \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThis updated policy provides clear guidance regarding the \nallowances and restrictions on school transfers, including an \nexplanation of the types of transfers that would be considered \nvoluntary or involuntary and the restrictions on the numbers of \ntransfers allowed for different grade levels. This policy has \nevolved over time beginning with the 1992 Operating Guidelines \nfor Implementing Changes in the Controlled Choice Student \nAssignment Plan and the1999 Interim Report on Streamlining the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 2, + "content": "Boston Controlled Choice Student Assignment Plan. This circular \ndoes not appreciably shift policy or practice, but rather clarifies \nand updates language to reflect the current Home-Based \nAssignment Plan. \nIn June 1999, the School Committee amended the policy of the \nBoston Public Schools covering voluntary transfers of students. \nThe amendments provide for the following: \nElementary school students (PK-6) may receive ONE (1) school \ntransfer during an academic year. \nMiddle school level students (grades 7 & 8) may receive ONE (1) \nschool transfer during their middle school careers. \nHigh school students (9-12) may receive ONE (1) school transfer \nduring their high school careers." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular #AMT-6 \nPage 2 of 2 \n \nChange to school assignments due to change of address, safety, \nprogrammatic, moving off a waitlist, and disciplinary reasons are \nnot considered voluntary transfers with respect to the number of \ntransfers allowed. \nStudents who permanently move out of their original home base \nare required to attend a school in their new home base; however, \nthey may be allowed to continue in their current schools if their \nparent(s) request(s) continuation in the current schools in writing \nwith Welcome Services and agrees to arrange and provide \ntransportation. Students who move after April 1 will not be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 4, + "content": "required to change schools until the following school year. \n \nFor more information about this circular, contact: \n \nOwner: Director of Student Assignment and Selective \nAdmissions \nDepartment: Welcome Services \nMailing \nAddress: \n2300 Washington Street, 2nd Floor, Roxbury, MA \n02119 \nPhone: 617-635-6058 \nEmail: ofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-07 \nVersion 01 \n \n \nSAFETY TRANSFER REQUEST PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nFrom time to time, it becomes necessary to make a change in a \nstudent\u2019s school assignment. One reason for such an assignment \nchange may be motivated by the need to ensure a safe and \nsecure learning environment for that student. For this reason, a \nsafety transfer process has been established. \nCRITERIA \n1. All students who are victims or intended victims of a serious \nphysical, emotional, and/or electronically transmitted assault \nor who are victims of a violent criminal offense, as determined" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 2, + "content": "by state law, while in or on school grounds, or out of school \nthat impacts school climate, shall be eligible for a safety \ntransfer. All such request forms must have attached BPS \nIncident Reports and/or BPD Reports to document the \nincident. The transfer should be processed by the building \nadministrator within ten (10) school days of the receipt of the \nSafety Transfer Request Form. \nStudents who are perpetrators are subject to the Code of \nConduct and not eligible for a safety transfer. \n2. Students attending a school designated as \u201cunsafe or \npersistently dangerous\u201d in accordance with Massachusetts" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 2 of 12 \n \n \nDepartment of Education criteria, upon receipt of a parent \nrequest, shall be transferred to a safe school in compliance \nwith the Every Student Succeeds Act (\u201cESSA\u201d). The purpose of \nthe ESSA is to provide all children a significant opportunity to \nreceive a fair, equitable, and high-quality education, and to \nclose educational achievement gaps.\" \n3. Students with an Individualized Education Program (IEP) are \nsubject to this transfer procedure provided the building \nadministrator has consulted with the OSESS coordinator. \nResource Room students shall be dealt with in the same \nmanner as regular education students. Students with IEPs" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 4, + "content": "providing a specialized program and/or requiring a restrictive \nsetting shall be reassigned after consultation between the \ncoordinator and OSESS assistant program director (APD). \n4. Court orders requiring a transfer of a student shall be honored \nand coded as a safety transfer. A copy of the court order \nshould be forwarded to the operational leader as a part of the \ndocumentation packet in all cases. \n5. In all cases, student assignments shall be made by Welcome \nServices. Requests for specific school assignments will not be \nhonored, but rather they shall be based on criteria established \nby Welcome Services, as well as on the need to ensure a safe" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 5, + "content": "learning environment and on the needs of the student. \nPROCEDURES \nThe following procedures must be followed in all safety transfer \ncases: \n1. All safety transfer requests must be initiated by the \nparent/guardian/caregiver of the impacted student." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 3 of 12 \n \n \n2. The parent/guardian/caregiver should schedule a meeting \nwith the head of school/principal/program director of the \nschool to which the student is assigned in order to discuss the \ncircumstances surrounding the need for a safety transfer. \n3. The parent/guardian/caregiver must complete and sign the \n\u201cSafety Transfer Request Form\u201d (attached). All requests for \nsafety transfers must be referred to the head of \nschool/principal/program director for review and \nrecommendation. \n4. The head of school/principal/program director shall conduct a \nthorough investigation in response to the \nparent/guardian/caregiver\u2019s request and must gather all" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 7, + "content": "pertinent information and documentation. If the student has \nan IEP, the building administrator shall consult with the \ncoordinator. The building administrator will provide a rationale \nfor support or rejection of the transfer request on the reverse \nside of the Safety Transfer Form. The form must be signed by \nthe principal/head of school. Please note: this responsibility \nmay not be delegated. If the problem is gang-related, the \nnames of the gangs involved should be noted. If the incident \nhas occurred off school grounds, a copy of the Boston Police \nDepartment report should be obtained; if the incident \noccurred on school grounds, a copy of the Boston Public" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 8, + "content": "School Incident Report should be attached to the \ndocumentation packet. \n \n5. If the head of school/principal supports the safety transfer \nrequest, they must indicate and sign the Safety Transfer Form. \nThe completed transfer packet should be sent to the \noperational leader for approval and processing." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 4 of 12 \n \n \nThe complete safety transfer packet must include: \na. Completed and signed English version as well as a copy of \nthe parent\u2019s safety transfer request form, including the \nbuilding administrator\u2019s rationale for support or rejection \nof request on page 2. If the language of the home is other \nthan English, the parent/guardian/caregiver should \ncomplete the appropriate language form which should \nbe attached to the English version in the packet. \nb. All pertinent supporting documentation (i.e., court orders, \nrestraining orders, police reports, reports of investigation \nby school staff or safety services, etc.) If the student has" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 10, + "content": "been the victim of an assault. \nc. If attending an \u201cunsafe or persistently dangerous school,\u201d \ndocumentation supporting the school designation as \nsuch. \n6. If the building administrator does not support the safety \ntransfer, a rationale indicating specific reasons for rejecting the \ntransfer, including appropriate documentation, must be \nforwarded with the safety transfer packet to the operational \nleader. \n7. The packet must be submitted as soon as possible to the \noperational leader for review of completeness and \nappropriateness. The operational leader is authorized to \napprove or reject the request. \n8. Before forwarding a copy of the approved packet to Welcome" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 11, + "content": "Services, the operational leader shall consult with the \nDepartment of Safety Services to discuss potential restrictions \nto school assignments (e.g., gang-related issues, \u201cpersistently \ndangerous\u201d schools, etc.). If the student is assigned to a" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 5 of 12 \n \n \nsubstantially separate class, the operational leader shall \nconsult with the OSE coordinator and the OSE assistant \ndirector. \n9. The operational leader will forward the complete safety \ntransfer packet of the approved safety transfer request to \nWelcome Services for processing an assignment. If safety \nissues were raised in discussions with Safety Services (c.f. item \n8 above), the operational leader shall call these issues to the \nattention of Welcome Services. Requests which are not \napproved will be returned to the citing the reasons for \nrejection. If the student requires a substantially separate" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 13, + "content": "assignment, Welcome Services and appropriate APD shall \nconsult. \n10. Welcome Services shall assign the student to the new school \nand notify the receiving and sending schools and the \nappropriate operational leader by email. The head of \nschool/principal/program director of the sending school shall \nnotify the parent/guardian/caretaker of the student\u2019s new \nschool assignment. If the safety transfer is not approved, the \n\u201csending\u201d building administrator shall notify the parent that \nthe request has been rejected. \n11. If the transfer is approved, the operational leader shall send a \ncopy of the Transfer Form with copies of all attached" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 14, + "content": "documentation to the new school principal/head of school. If \nthe new building administrator has any further questions, the \nsending school building administrator shall respond to those \nquestions. The sending school shall forward a copy of the \nstudent record to the new school. \n12. Any appeal of a decision at the school level may be made to \nthe District Safety Transfer Appeal Committee. An appeal" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 6 of 12 \n \n \nmust be made by the parent/guardian/caregiver, in writing, \nwithin ten (10) days of the receipt of the decision. An appeal \ncan either be submitted in writing and mailed to the attention \nof the Superintendent\u2019s Office, Attn: Ombudsperson, Bruce C. \nBolling Municipal Building, 2300 Washington Street, Roxbury \nMA 02119 or electronically by submitting the Safety Transfer \nAppeal Form. \nPlease Note: \n1. During the summer months, no safety transfers will be \nprocessed. Any family seeking a change in school assignment \ndue to safety concerns must follow the voluntary transfer \nprocess by visiting a BPS Welcome Center." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 16, + "content": "process by visiting a BPS Welcome Center. \n2. The family has the right to refuse the new school assignment. \nIf so, the parent/guardian/caretaker should contact the \nprincipal/head of school and operational leader that they are \nrescinding the safety transfer request. In this case, the student \nwill be returned to their original school and will not be \npermitted to submit an additional safety transfer request \nregarding the incident that initiated the original safety transfer \nrequest. \nTranslations of the required documentation are available here." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 17, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 7 of 12 \n \n \nFor more information about this circular, contact: \nOwner: Chief of Operations \nDepartment: Operations \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9057 \nE-mail: Operations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \nSafety Transfer Request form on following page." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 8 of 12 \n \n \nSAFETY TRANSFER REQUEST \nPrincipal/Head of School Page \n \nStudent\u2019s Name: _______________________________________________________________ \nStudent ID #: _________________________ \nGrade: ____________ \nCurrent School: __________________________________________________ \nSpecial Education Program (if applicable): _______________________ \nEnglish Learner Program (if applicable): _________________________ \nParent/Guardian/Caregiver Conference: \nDate:_____________________________ Time: __________________________ \nI \uf06f support \uf06f reject (check one) this Safety Transfer Request \nfor the following reason(s):" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 19, + "content": "for the following reason(s): \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 20, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 9 of 12 \n \n \nIf approved, please list the names and ID numbers of the other \nstudents involved that led to this request. \nName 1 _____________________________ ID _________________________ \nName 2 ______________________________ ID _________________________ \nName 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nIf you know of other students that this student should not be \nplaced with, please note their names and ID numbers. \nName 1 _____________________________ ID _________________________ \nName 2 ______________________________ ID _________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 21, + "content": "Name 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nPlease check: \n\uf06f I have explained to the parent that, if approved, the student \ncan be assigned to any school where there is an available seat, \nand that requests for specific school assignments will not be \nhonored. \n __________________________________________________ _______________ \n Head of School/Principal Date \nAttach documentation. \ncc: School File" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 22, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 10 of 12 \n \n \nSAFETY TRANSFER REQUEST \nFamily Page \n \nStudent\u2019s Name: _________________________________________________ \nI request a Safety Transfer for my son/daughter for the following \nreasons: \n*Please be specific. If there have been incidents at the school, \ndescribe who was involved, when they occurred, what happened \nand other details (including the names of any gangs involved). \nAttach additional documentation (e.g., copy of incident report, \ncopy of Boston Police Report, report of medical provider, etc.) as \nnecessary. If there is any school that your child cannot attend \ndue to similar safety concerns, then you must list them here." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 23, + "content": "____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \nTranslated versions of this form can be found here." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 11 of 12 \n \n \nSAFETY TRANSFER REQUEST COVER PAGE \nCompleted by Operational Leader \n \nOperational Leader: __________________________Date: ______________ \nStudent Name: ________________________________ID: _______________ \nThe safety transfer has been: \n\u2610 Approved \u2610 Not Approved \nPlease check: \n\u2610 The school has informed me that they explained to the parent \nthat the child will be placed wherever there is an available, \nappropriate seat, and that requests for specific school \nassignments will not be honored. \nPlease check one: \n\u2610 The child can be placed into any school with an available seat." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 25, + "content": "\u2610 The child should not be placed at the following school(s) \n(please explain why): \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nSchool: ___________________________________________________________ \n _______________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular AMT-07 \nPage 12 of 12 \n \n \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nSchool: ___________________________________________________________ \n _______________________________________________________________ \nAdditional notes for consideration prior to assignment: \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 27, + "content": "____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \n \n __________________________________________________ _______________ \n Operational Leader Signature Date" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-03 \nVersion 01 \n \n \nASSIGNMENT OF DEPARTMENT OF YOUTH SERVICES \n(DYS) COMMITTED STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe attached procedures for the assignment of Department of \nYouth Services (DYS) committed students new to the Boston \nPublic Schools or re-entering the Boston Public Schools after \nprevious discharges have been developed to ensure the efficient \nand appropriate assignment of DYS committed students to the \nBoston Public Schools. \nThese procedures are the result of a collaborative effort between \nstaff of the Boston Public Schools and the Department of Youth" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 2, + "content": "Services and should be adhered to in all cases pertaining to DYS \nstudents. \nI. PROCEDURES FOR ASSIGNMENT OF DYS-COMMITTED \nSTUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR \nRE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER \nPREVIOUS DISCHARGES \nTo initiate and successfully implement the assignment of DYS \ncommitted students to the Boston Public Schools, the \nprocedures listed below shall apply: \n(Please refer to Section II below for additional requirements for \nstudents recommended for special education.)" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 3, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 2 of 10 \n \n \n1. Prior to the student's re-entering BPS, DYS shall write a \nletter on its stationery including the following: \na. Verification of parent's address \nb. Verification of the student\u2019s address if different from \nthe address the student will live at once in a BPS \nprogram \nc. Purpose of re-enrollment, i.e., to start school or \nrequest an evaluation by special education \nd. Name, address, and telephone number of DYS \neducation liaison and caseworker \ne. Reason, if any, why the student should not be re-\nassigned to the previous school. \n2. This letter shall be attached to the application and" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 4, + "content": "forwarded by a DYS caseworker, educational liaison, or \nrepresentative to the student assignment specialist in the \nappropriate Welcome Center at the time of application for \na school assignment, along with any other documents \nneeded to enroll the student in a Boston Public Schools \nprogram. Documents should be provided if a student has \nbeen in an educational setting that would change the \nprevious grade. \n3. A DYS caseworker or educational liaison or representative \nshall assist the student in the entry/re-entry process and \ncontact the school administrator in order to prepare \neveryone for a successful return. \n4. The returning student must be accompanied by a DYS" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 5, + "content": "caseworker or educational liaison or representative when \nreturning to a Boston public school." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 6, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 3 of 10 \n \n \nUpon application, Welcome Center staff shall: \n1. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a student registration form. \n2. Explain and assist the parent/guardian/student and DYS \ncaseworker/liaison in the completion of the student \nregistration form. \n3. Complete the appropriate information on the student \nregistration form. \n4. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a Home Language Survey form in \nthe language of their preference and assist them in the \ncompletion of the form. \nAttach to the student registration form: \na. The completed Home Language Survey form." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 7, + "content": "a. The completed Home Language Survey form. \nb. The DYS letter cited on page 2, (a) and (b). If no \naddress is stated in the letter, attach the proof of \nresidency required by Welcome Services (i.e., social \nservice agency ID or letter, preprinted, most recent \nutility bills, bank statement, mortgage with address). \nc. Proof of grade if available (i.e., a transcript \ndocumenting courses and credits earned while in \nDYS facilities or private placement). If proof of grade \nis not available, the question of appropriate grade \nlevel placement shall be addressed in the same way \nit is done with non-DYS committed students. \nd. Copies of immunization records for new enrollees." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 8, + "content": "5. Sign and specify the date on the bottom of the student \nregistration and Home Language Survey forms. \n6. Provide the DYS caseworker/liaison with a copy of the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 9, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 4 of 10 \n \n \nassignment form given to the parent/guardian or student. \nNOTES: \n1. DYS is responsible for notifying the school of assignment \nwhen a student is committed to DYS. Please note the \ndistinction between DYS detained and DYS committed \nstudents. Notification for committed students will come in \nthe form of a request for records. \n2. The Office of Welcome Services is responsible for \ncontacting the appropriate special education assistant \nprogram director in those cases where the DYS student \nre-entering the BPS has a current/signed IEP to determine \nthe status of the student. \nII. PROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 10, + "content": "II. PROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED \nSTUDENTS RECOMMENDED FOR SPECIAL EDUCATION \nPROGRAM \nIf a DYS committed student is in a detention center, secure \nfacility, or private special education school and is recommended \nfor a BPS special education program, a special education \nevaluation shall take place. The private school coordinator or \nsupervisor for contracted services is responsible for the \nevaluation procedures as follows: \n1. If the DYS student is in a secure facility or detention center, \nthe private school coordinator assigned to DYS is responsible \nfor the evaluation. \n2. If the DYS student is in a Chapter 766-approved private" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 11, + "content": "school, the private school coordinator assigned to that \nprivate school is responsible for the evaluation. \n3. If the DYS student is out of school but last attended a \nChapter 766-approved private school with Regional" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 12, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 5 of 10 \n \n \nReview Board approval within the previous school year, \nthe private school coordinator assigned to the previously \nattended private school is responsible for the evaluation. \nIf greater than one school year, or a private program is not \n766-approved, the assigned school\u2019s coordinator is \nresponsible for the evaluation. \n4. If the DYS student is out of school and has no current \nschool assignment, the private school coordinator is \nresponsible for the evaluation. The DYS caseworker/liaison \nis responsible for submitting all current assessments of \nthe student. \nThe DYS caseworker/educational liaison or representative shall" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 13, + "content": "determine the student's assigned school by calling the Office of \nEnrollment Services at 617-635-7750. \nDYS shall refer the student to the special education program \ndirector or SESS coordinator at the assigned school for an \nevaluation. For a reevaluation, a request letter will be sufficient \ncontaining the student's current address, telephone number and \ncontact person if other than parent. Special education program \ndirectors or SESS coordinators are responsible for providing these \nforms and assisting in their coding, and for the evaluation \nprocedures. \nThe supervisor of contracted services, special education program \ndirector, SESS coordinator, or private school coordinator and the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 14, + "content": "DYS caseworker/liaison shall work jointly to obtain \nparent/guardian signature on a Consent for Evaluation or \nReevaluation and Release of Information forms. The supervisor, \nprogram director, or coordinator shall complete the evaluation or \nreevaluation within the prescribed timelines and, based on the \nTEAM findings and the recommendation written on the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 15, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 6 of 10 \n \n \nIndividualized Education Program (IEP), request placement in a \nspecial education setting, as follows: \n1. If the TEAM recommends that the student be assigned to \na full or partial inclusion setting other than a sub-separate \nsetting, the supervisor, program director, or coordinator \nand the DYS caseworker/liaison shall work jointly to obtain \nwritten parental approval of the IEP. \n2. Upon receipt of the signed first page of the IEP, the \nsupervisor, program director, or coordinator shall give a \ncopy of the signed approved IEP to the DYS. \n3. If the TEAM recommends that the student be assigned to" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 16, + "content": "a substantially separate setting, the supervisor, program \ndirector, or coordinator shall submit copies of the required \nassessments and IEP to the assignment coordinator for a \ndecision regarding the student's placement in \ncollaboration with the level assistant director prior to \nrequesting or recommending a specific school \nassignment. \n4. The supervisor, program director, or coordinator shall \npresent DYS and the parent/guardian/student over 18 \nyears of age the recommended placement option. \n5. The supervisor, program director, or coordinator and DYS \nshall work jointly to obtain written approval of the IEP. \n6. Upon receipt of the signed IEP, the supervisor, program" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 17, + "content": "director, or coordinator shall forward a copy of it to the \nappropriate level assistant director and give a copy to the \nDYS caseworker/liaison, who will then attach such copy to \nthe DYS letter referred to in Section I.A. and present both \ndocuments at the time of application for a school \nassignment, along with any other documents needed." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 7 of 10 \n \n \n7. The level assistant director shall complete the DI5 form \nand forward it to the Enrollment Planning and Support \nUnit to finalize the assignment. \nIt is important to note that the TEAM may also determine that \nthe student needs no special education services. In these cases, \nthe program director or coordinator will provide a letter \nindicating the TEAM decision of no eligibility and provide it to the \nDYS caseworker. \nIII. PROCEDURES FOR MAINTAINING COMMUNICATION \nBETWEEN DYS AND BPS AFTER A DYS COMMITTED \nSTUDENT IS ASSIGNED TO A BOSTON PUBLIC SCHOOL \nContact Person in School of Assignment" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 19, + "content": "Contact Person in School of Assignment \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, DYS staff shall contact the head \nof school or principal, who may delegate the ongoing liaison \nfunction to any of the following school-based staff: \n1. For regular education students, the guidance \ncounselor/advisor designated by the head of school or \nprincipal (for secondary schools) or the principal or \ndesignee (for elementary schools). \n2. For special education students, the special education \nprogram director or SESS coordinator. At the middle \nand high school levels, the program director or SESS \ncoordinator shall keep the guidance staff informed of" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 20, + "content": "all DYS contacts made." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 8 of 10 \n \n \nNOTE: In the case of both regular and special education DYS \nstudents, the school's contact person(s) is responsible for keeping \nthe building administrator fully informed relative to the status of \nDYS students assigned to the building. \nContact Persons at DYS \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, school-based staff may contact \nthe following DYS personnel. (Because names may change, only \ntitles are given; school staff may need to ask for specific names.) \n1. Director of caseworker services, 617-727-7575 \n2. Educational liaisons, 617-727-7575" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 22, + "content": "2. Educational liaisons, 617-727-7575 \nThe following steps should be taken in case of emergency: \n1. The head of school/principal who is having an emergency \nwith a DYS student should contact the director of casework \nservices, 617-727-7575, who will refer the case to the \nappropriate DYS staff. \n2. In non-emergency situations, the head of school/principal or \ndesignee should maintain the usual ongoing \ncommunication with the assigned caseworker or other DYS \nstaff. When in doubt, the director of casework services, 617-\n727-7575, may be contacted. \n\u2022 If a student committed to a DYS facility enrolls in the Boston \nPublic Schools at any time during the school year or in the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 23, + "content": "summer, DYS shall advise the respective head of \nschool/principal that the student was assigned and provide \nthe name of the DYS contact person. \n\u2022 If a DYS student who enrolled in a designated BPS school \ntransfers to another BPS school during the year, the head of" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 9 of 10 \n \n \nschool/principal or designee of the sending school shall \ncontact the head of school/ principal of the receiving school \nand inform them about the transfer. \n\u2022 By September 1st of each year, DYS shall generate a list of \nDYS students assigned to Boston Public Schools, indicating \nthe school to which the student is assigned and the DYS \ncontact person for each student. This list should be updated \nbi-weekly until December and monthly thereafter and sent \nto the Office of Welcome Services for verification. \n\u2022 DYS shall designate a liaison to meet periodically with staff \nfrom the Office of Welcome Services or designee to follow up" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 25, + "content": "on the status of DYS students who have been assigned to \nBPS schools. \nPrincipals/heads of school interested in annual in-service sessions \nfor their staff with participation of DYS staff should contact the \ndirector of casework services, 617-727-7575. \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and Selective \nAdmissions \nDepartment: Office of Family and Community \nAdvancement \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: 617-635-7698 \nEmail: ofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 26, + "content": "Superintendent\u2019s Circular AMT-03 \nPage 10 of 10" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 1, + "content": "Superintendent\u2019s \nCircular \nNUMBER: \nAMT-01 \nVersion 01 \n \n \nEXAM SCHOOL ADMISSIONS: APPLICATION AND \nADMISSIONS PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools has three exam schools: Boston Latin \nAcademy, Boston Latin School, and the John D. O'Bryant School \nof Mathematics and Science. All three schools accept new \nstudents for grades 7 and 9. John D. O\u2019Bryant School accepts a \nsmall number of new students in grade 10. This circular outlines \noperational details regarding the application process, GPA \ncalculation, test administration, and invitations. \n \nELIGIBILITY" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 2, + "content": "ELIGIBILITY \nStudents currently enrolled in grades 6, 8, or 9 and residing in the \nCity of Boston are eligible to apply to one of our exam schools for \nthe 2025-2026 school year. The application process to the three \nexam schools includes an admissions test, student GPA, and \nBoston residency. The GPA will account for 70% and the test score \nwill account for 30% of the application. Students may be eligible \nfor additional points if they meet specific criteria. \nStudents enrolled in a program for limited or interrupted formal \neducation (SLIFE) or enrolled in non-credit bearing courses, and \nstudents that are not completing grade-level curriculum are not" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 3, + "content": "eligible to apply for exam school admissions." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 4, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 2 of 14 \n \nRESIDENCY REQUIREMENTS \nStudents seeking admission to an exam school must be enrolled \nin grades 6, 8, or 9 and live in the City of Boston to be eligible to \napply for admission for the 2025-2026 school year. The residence \nof a minor child is presumed to be the legal, primary residence of \nthe parent(s) or guardian(s) who have physical custody of the child. \n Students actively enrolled in a BPS school have previously \nestablished residency during their initial registration process, and \ndo not need to resubmit documentation. Non-BPS families are \nrequired to verify their residency in the City of Boston with a BPS" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 5, + "content": "Welcome Center between October 15, 2024, and November 15, \n2024. Families planning to participate in the Fall 2024 test \nadministration, must complete the residency verification process \nand register for the test by November 8, 2024. \nStudents who must complete the residency verification process \ninclude: \n\u25cf Students attending a private school \n\u25cf Students attending a parochial school \n\u25cf Students attending METCO program schools \n\u25cf Students attending Commonwealth Charter schools \n(excludes UP Academy, Boston Green Academy, and \nother \u201cin-district\u201d BPS charter schools) \n\u25cf Students attending schools outside the City of Boston \n\u25cf Students being home-schooled" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 6, + "content": "\u25cf Students being home-schooled \nThe residency verification must be completed even if a family has \nother children enrolled in the Boston Public Schools; the student is \nreceiving special education services from BPS; the parent/guardian \nis a current City of Boston employee; or if the student was \npreviously enrolled in the BPS." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 7, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 3 of 14 \n \nAs part of the verification process, parents are required to provide \ntwo approved proofs of residency that list the Boston home \naddress, the child\u2019s original birth certificate, the child\u2019s \nimmunization record, and the parent\u2019s photo identification. In \naddition, an authorization form for the release of student \ninformation will be provided during the appointment. Refer to \nthe BPS Registration Document Checklist for details. \nThere are two ways to apply: \n1. In-person: Schedule an appointment on this form and visit \none of the four BPS Welcome Centers to work directly with \na registration specialist." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 8, + "content": "a registration specialist. \n2. By computer: Pre-register here and schedule an \nappointment on this form to complete the application with \na registration specialist. A follow-up appointment either in- \nperson or over the phone is required. Please select \u2019Pre- \nRegister for BPS\u2019 from the side menu. Click the first option if \nyou have never registered any child for Boston Public \nSchools. Select the second option if you already have an \nAspen account. \nA list of required and approved documents for the registration \napplication can be found in the BPS Registration Document \nChecklist. \n \nGRADE POINT AVERAGE \nThe Exam Schools policy establishes baseline criteria for eligibility" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 9, + "content": "beyond residency. Students must have a grade point average of B \nor higher to be eligible to apply. The GPA will include prior year \nmarks in English Language Arts (ELA) and Math and the current \nyear marks in ELA, Math, Science, and Social Studies." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 10, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 4 of 14 \n \nSchool leaders are expected to ensure that all marks and course \nnumbers are processed before grade point averages are calculated \nby the Boston Public Schools. All applicants\u2019 course marks must be \nsubmitted along with school certification that they represent \nperformance against the Massachusetts curriculum framework \ngrade-level standards by February 7, 2025. Changes in the \ntranscription or computation of grade point averages will not be \naccepted thereafter. \nThe table below outlines which subject areas and grading terms \nare included for the next admission cycle. \nApplying for: SY25-26 Entrance Year" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 11, + "content": "Applying for: SY25-26 Entrance Year \n7th Grade \u2022 5th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 6th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies \n9th Grade \u2022 7th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 8th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, Math, \nScience, and Social Studies \n10th Grade \u2022 8th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n\u2022 9th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 12, + "content": "Trimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 13, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 5 of 14 \n \nFor SY25-26 admissions, both prior year and current year marks will \nbe considered to calculate the GPA. Prior year marks will be \nweighted 50%, and current year marks will be weighted 50%. For \nstudents with previous year international school records, only \ncurrent-year marks will be considered. Students must have marks \nin each subject for the GPA to be calculated. Applications with \nmissing course marks, Incomplete (INC), or Pass (P) marks cannot \nbe processed and will be classified as ineligible. \nThe July 2021 update to the Exam School Admission Policy \nstipulates that the district \u201cdevelop and publish a coherent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 14, + "content": "district equitable grading policy using an A-F scale wherein an A+ \nis treated like an A.\u201d To address this requirement, the 12-point \ngrade scale will be rescaled from 0-12 to 0-11, where 0 points \nrepresent an F and 11 points represent both A+ and A. This will \nresult in the following crosswalk from letter marks to point values \nused in the GPA calculation. \n \nLetter \nMark \nA+ A A- B+ B B- C+ C C- D+ D D- F \nPoint \nValue \n11 11 10 9 8 7 6 5 4 3 2 1 0 \n \nStudents with grade 5 transcripts from Boston Public Schools \nreceive marks on multiple standards for each subject area using a \n1-4 grading scale. The marks in Reading, Writing, and Math will be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 15, + "content": "converted to a 12-point scale for the purpose of calculating an \n\u201coverall\u201d mark in the subject area (ELA and Math). If the \u201coverall\u201d \nmark in either subject is above 11, the number will be rounded \ndown to 11 to align with the 1\u201311 point scale." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 16, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 6 of 14 \n \nStandard-Base Marks 4 3 2 1 \nPoint Value 12 9 6 3 \n* Students participating in advanced courses (honors, AWC, AP, etc.) do not \nreceive additional points. \nFor more information regarding the conversion of marks and \ncalculating composite scores, please review the fact sheet. All non-\nBPS schools are responsible for determining their own practices for \ngrade conversions. \nTEST ADMINISTRATION \nFor SY25-26 admissions, completion of the NWEA MAP Growth \nassessment will be required for admissions. Students will have \ntwo opportunities to take the assessment, with the first in the \nspring of 2024. For students who would like to improve their" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 17, + "content": "score, or those who do not take the test in the spring, there will \nbe a second opportunity in the fall of 2024. Students are not \nrequired to take the MAP assessment two times, but in the case \nwhere there are two complete testing events (twice in Reading, \ntwice in Math), BPS will use the highest Math Score and the \nhighest Reading score, from either test event, for the invitation \nprocess." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 18, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 7 of 14 \n \nFor 6th and 8th grade students currently attending a BPS school, \nthe test will be offered during the school day at their school. No \nregistration or action is necessary. However, for students in grade \n9 at a BPS school; and students in grade 8 already attending a BPS \nexam school, the test will be offered on the weekend. Registration \nis required and is detailed below. \nFor students not currently attending a BPS school, the test will \nalso be offered on the weekend. Registration for the weekend \ntest is required and can be completed online or via a paper form. \nBoth will be posted on the exam schools BPS website. \nADDITIONAL POINTS" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 19, + "content": "ADDITIONAL POINTS \nIn addition to GPA and test scores, students may be eligible to \nreceive additional points towards their application. Students living \nin housing owned by the Boston Housing Authority, are in the \ncare of the Department of Children and Families, or are \nexperiencing homelessness at any time during the time period in \nwhich BPS collects grades (March 2024-February 2025) will \nreceive an additional fifteen (15) points. \nStudents attending a school in the spring of grade 5 (if applying \nfor 7th grade at an exam school), grade 7 (if applying for 9th \ngrade at an exam school), or grade 8 (if applying for 10th grade at" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 20, + "content": "the O\u2019Bryant) where 40% or more of the students enrolled come \nfrom economically disadvantaged families over a 5-year average \nwill receive between two (2) and ten (10) additional points, \ndepending on the student's socioeconomic tier. (See below for \nmore information about the socioeconomic tiers). \nThe district will determine the list of schools eligible for these \nadditional points, as defined by the Department of Elementary \nand Secondary Education (DESE). \n To learn more about how the additional points are calculated, \nyou can view the Superintendent\u2019s memorandum." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 21, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 8 of 14 \n \nIn the situation where a student has attended more than one \nschool in the spring of the 2023-2024 school year, the school that \nsubmits the student's final marking period course marks will be \nused to determine eligibility for the additional points. \nIn the situation where the student is a new resident of the City of \nBoston, the school that submits course marks for the first \nmarking period of the 2024-2025 school year will be used to \ndetermine eligibility for the additional points. \nAdditional points are not additive, so students receiving fifteen \npoints will not receive any additional points, even if they also" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 22, + "content": "attend a school where 40% or more of the students enrolled \ncome from economically disadvantaged families. \n \nCOMPOSITE SCORE CALCULATION \nAdmissions to exam schools will use a composite score \ncalculation that combines GPA, test scores, and additional points \n(if eligible) into one number. The GPA and test score component \nwill be on a 0-100 scale. Students receiving additional points (as \ndescribed below) may receive a maximum score of 110 or 115. \nFor SY25-26 admissions and beyond, grades will make up 70% of \nthe composite score, and the test score will make up 30% of the \ncomposite score. The GPA will be divided by 11 (based on the 11-" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 23, + "content": "point scale explained above) and multiplied by 70. Similarly, the \ntest score will be scaled to a possible total of 30. The GPA \ncomponent and the test score component will be added together. \nAny additional points that the student receives will be added to \nthe total score. For more detail on how BPS calculates students\u2019 \ncomposite scores, please review the Composite Score Calculation \nFact Sheet." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 24, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 9 of 14 \n \nTIERS \nApplicants will be placed into one of eight socioeconomic status \n(SES) tiers based on their home address. Families can visit \nbostonpublicschools.org/exam and use the interactive SES Tier \nmap to learn what SES tier their child will be considered within. \nThe socioeconomic status tiers are based on a socioeconomic \nscore for each census tract in the city and are updated each year \nas annual data becomes available, typically in late winter of each \nyear. The socioeconomic score is a composite of five measures \nfrom the American Community Survey and indicates economic \nneed relative to the other census tracts in the city." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 25, + "content": "\u2022 Percentage of persons below poverty \n\u2022 Percent of households not occupied by the owner \n\u2022 Percent of families headed by a single parent \n\u2022 Percent of households where limited English is spoken \n\u2022 Educational attainment \nThe tiers are proportionally sized based on the number of school- \naged children in grades 5-8 living in each census tract. Each tier \nwill have approximately the same number of seats available. \nWithin each tier, students will be ranked from the highest to the \nlowest based on their composite score. If students have the same \ncomposite score, a random number will be used to determine their \nrank order. The student with the higher random number will be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 26, + "content": "ranked higher than the other(s)." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 27, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 10 of 14 \n \n \nINVITATIONS \nInvitations will be awarded through ten (10) invitation cycles, with \n10% of seats available to each tier distributed in each cycle. Tier 1, \nwhich is the tier with the lowest SES score will go first in each \ncycle, and Tier 8, which is the tier with the highest SES score will go \nlast in each cycle. \nStudents will be invited to their highest-ranked exam school with \nan available seat. If all the seats at a student\u2019s first-choice school \nare already allocated, the student will receive an invitation to \ntheir second-choice school. If all those seats are already allocated," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 28, + "content": "the student will receive an invitation to their third-choice school \nuntil all seats are filled. \nSCHOOL CHOICE \n Students must rank at least one exam school to be considered for \nan invitation. However, a student may list up to three exam \nschools and rank those choices by preference. Students will not \nbe considered for a school they did not list. For example, if a \nstudent only ranks Boston Latin School and O\u2019Bryant, they will \nonly be considered for invitations to those two schools. If a \nstudent does not submit choice rankings for any exam schools, \nthey will not be considered for any exam school for an invitation. \nBPS grade 6 and 8 students (during the fall of 2024) will receive a" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 29, + "content": "continuous choice form in January 2025, through email and their \nBPS school, where they will be asked to submit their school \npreferences for the 2025-2026 school year. The continuous choice \nform for BPS students is due by February 7, 2025. \nBPS grade 9 students, and BPS grade 8 students already enrolled \nin an exam school (during the fall of 2024), will be required to visit \na BPS Welcome Center to submit ranked school choices through" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 30, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 11 of 14 \n \na transfer request in January 2025. This group of students will not \nreceive a continuous choice form automatically through their BPS \nschool. \nNon-BPS students will rank schools during the residency \nverification process, which ends on the third Friday of November \nor November 15, 2024. \nAll submitted applications with ranked schools will be processed \nat the same time. \n \nWAITLISTS \nBoston Public Schools will create waitlists for the three exam \nschools for all entry grade levels. \nStudents invited to an exam school for SY 2025-2026 will have \neight days from the first day of school to accept or decline their" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 31, + "content": "invitation with the BPS Office of Welcome Services. We \nencourage all families to respond to the invitation by the end of \nMay to ensure all students are assigned in a timely manner. \nStudents who met the minimum eligibility criteria but did not \nreceive an invitation to their top-ranked exam school will be \neligible to be placed on a waitlist for any exam school to which \nthey did not get invited. For all three exam schools, admissions \nwill only be open for students entering grade 7 and grade 9, as \nwell as grade 10 only for the O\u2019Bryant school, and waitlists will \nonly be created for those grades. \nStudents must have ranked the exam school in order to be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 32, + "content": "considered for an invitation and be eligible to be placed on the \nwaitlist. Students who receive an exam school invitation to their \nfirst-choice school will not be eligible to be placed on any waitlist. \nPlease note that BPS builds in some expected attrition into the \nnumber of students invited to each exam school every year by" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 33, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 12 of 14 \n \nassigning more students than seats. As a result, students may \nnot be called from the waitlist until that expected attrition is \naccounted for. \nWaitlists will be capped at 100 students for each school and \ngrade. The ordering of the waitlist will function as a continuation \nof the exam school invitation policy. Students will be ordered by \ntheir composite score and random number within their SES Tier. \nFor students with the same composite score, the random \nnumber will be used as the tiebreaker. \nDuring the invitation process, students are invited to exam \nschools through 10 invitation cycles, with approximately the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 34, + "content": "same number of seats being given out to students from each SES \nTier in each cycle. Once all the invitations have been distributed \nfor a given school and grade, we will continue to follow the same \nprocess for the purpose of adding students to the waitlist. \nThe exam school waitlists will be handled separately from the \nwaitlist process for open-enrollment BPS schools. In other words, \na student can be on an exam school waitlist as well as other BPS \nschools. Accepting a seat off a waitlist at a different school will \nnot affect a student\u2019s place on the exam school waitlist. \nBPS will contact families via phone and email as seats become" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 35, + "content": "available at the three exam schools. Families will have up to 24 \nhours to accept or decline the exam school waitlist. Please \nensure your contact information is up to date by visiting a BPS \nWelcome Center. No exceptions to the 24-hour acceptance \ndeadline will be made. \nThe SY25-26 waitlists will remain in effect until November 30, \n2025. After that date, the waitlists will expire. Waitlists do not roll \nover to future years." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 36, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 13 of 14 \n \nTRANSFERS \nTransfers between the three exam schools are no longer permitted. \nStudents are not allowed to change their invitation to a different \nexam school, or transfer between the exam schools after \nmatriculation. If a student is interested in moving to a different \nexam school for grades 9 or 10, they must reapply through the \nformal application process. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES: \nOctober 15 - \nNovember 8, 2024 \nPriority residency verification period for non-\nBPS families & registration period for the \nMAP Growth weekend test \nNovember 11-\nNovember 15, 2024 \nFinal week of residency verification for non-" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 37, + "content": "Final week of residency verification for non-\nBPS families registered for the MAP Growth \nweekend test administration \nDecember 2-13 In-school test administration period \nDecember 7, 2024 Weekend test administration of MAP \nGrowth \nJanuary 2 - \nFebruary 7, 2025 \nMarks submitted and certified by sending \nschool \nMarch 2025 Application status update sent to all \napplicants \nApril or May 2025 Admission decision notifications sent to all \napplicants" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 38, + "content": "Superintendent\u2019s Circular ATM-01 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: Director of Student Assignment and \nSelective Admissions \nDepartment: Welcome Services \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9085 \nEmail: exam@bostonpublicschools.org \nMary Skipper, Superintendent" + } +] \ No newline at end of file diff --git a/data/data_pdf/Academics (CAO)/CAO-01 Promotion Policy.pdf b/data/data_pdf/Academics (CAO)/CAO-01 Promotion Policy.pdf new file mode 100644 index 0000000..8ddd62b Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-01 Promotion Policy.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-03 Textbook Management.pdf b/data/data_pdf/Academics (CAO)/CAO-03 Textbook Management.pdf new file mode 100644 index 0000000..5fd5963 Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-03 Textbook Management.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-05 Services for Multilingual Learner Students.pdf b/data/data_pdf/Academics (CAO)/CAO-05 Services for Multilingual Learner Students.pdf new file mode 100644 index 0000000..1f233a6 Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-05 Services for Multilingual Learner Students.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-06 GPA Calculation Method.pdf b/data/data_pdf/Academics (CAO)/CAO-06 GPA Calculation Method.pdf new file mode 100644 index 0000000..3706fb5 Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-06 GPA Calculation Method.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-07 Graduation Requirements.pdf b/data/data_pdf/Academics (CAO)/CAO-07 Graduation Requirements.pdf new file mode 100644 index 0000000..f3ae99e Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-07 Graduation Requirements.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-08 Grading Requirements.pdf b/data/data_pdf/Academics (CAO)/CAO-08 Grading Requirements.pdf new file mode 100644 index 0000000..295cd46 Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-08 Grading Requirements.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-22 General Field Trip Guidelines.pdf b/data/data_pdf/Academics (CAO)/CAO-22 General Field Trip Guidelines.pdf new file mode 100644 index 0000000..60887ce Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-22 General Field Trip Guidelines.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-23 Day Field Trip Guidelines.pdf b/data/data_pdf/Academics (CAO)/CAO-23 Day Field Trip Guidelines.pdf new file mode 100644 index 0000000..37f9499 Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-23 Day Field Trip Guidelines.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-24 Domestic Overnight Field Trip Guidelines.pdf b/data/data_pdf/Academics (CAO)/CAO-24 Domestic Overnight Field Trip Guidelines.pdf new file mode 100644 index 0000000..3c7895b Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-24 Domestic Overnight Field Trip Guidelines.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-25 International Field Trips Guidelines & Forms.pdf b/data/data_pdf/Academics (CAO)/CAO-25 International Field Trips Guidelines & Forms.pdf new file mode 100644 index 0000000..38c2faf Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-25 International Field Trips Guidelines & Forms.pdf differ diff --git a/data/data_pdf/Academics (CAO)/CAO-27 Water Activities on Field Trips.pdf b/data/data_pdf/Academics (CAO)/CAO-27 Water Activities on Field Trips.pdf new file mode 100644 index 0000000..297004a Binary files /dev/null and b/data/data_pdf/Academics (CAO)/CAO-27 Water Activities on Field Trips.pdf differ diff --git a/data/data_pdf/Athletics (ATH)/ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf b/data/data_pdf/Athletics (ATH)/ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf new file mode 100644 index 0000000..f3bb622 Binary files /dev/null and b/data/data_pdf/Athletics (ATH)/ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf differ diff --git a/data/data_pdf/Athletics (ATH)/ATH-02 Athletic Eligibility.pdf b/data/data_pdf/Athletics (ATH)/ATH-02 Athletic Eligibility.pdf new file mode 100644 index 0000000..b6a75f3 Binary files /dev/null and b/data/data_pdf/Athletics (ATH)/ATH-02 Athletic Eligibility.pdf differ diff --git a/data/data_pdf/Attendance (ACA)/ACA-18 Attendance Policies & Procedures.pdf b/data/data_pdf/Attendance (ACA)/ACA-18 Attendance Policies & Procedures.pdf new file mode 100644 index 0000000..a70c71f Binary files /dev/null and b/data/data_pdf/Attendance (ACA)/ACA-18 Attendance Policies & Procedures.pdf differ diff --git a/data/data_pdf/Communications (COM)/COM-01 Communications Policy.pdf b/data/data_pdf/Communications (COM)/COM-01 Communications Policy.pdf new file mode 100644 index 0000000..4ffe23d Binary files /dev/null and b/data/data_pdf/Communications (COM)/COM-01 Communications Policy.pdf differ diff --git a/data/data_pdf/Communications (COM)/COM-02 Media Relations Policy.pdf b/data/data_pdf/Communications (COM)/COM-02 Media Relations Policy.pdf new file mode 100644 index 0000000..182efb3 Binary files /dev/null and b/data/data_pdf/Communications (COM)/COM-02 Media Relations Policy.pdf differ diff --git a/data/data_pdf/Data and Accountability (ODA)/ODA-01 Procedures for Conducting Educational Research.pdf b/data/data_pdf/Data and Accountability (ODA)/ODA-01 Procedures for Conducting Educational Research.pdf new file mode 100644 index 0000000..a42eaf1 Binary files /dev/null and b/data/data_pdf/Data and Accountability (ODA)/ODA-01 Procedures for Conducting Educational Research.pdf differ diff --git a/data/data_pdf/Data and Accountability (ODA)/ODA-02 State Testing Security and Ethics.pdf b/data/data_pdf/Data and Accountability (ODA)/ODA-02 State Testing Security and Ethics.pdf new file mode 100644 index 0000000..9e6be6f Binary files /dev/null and b/data/data_pdf/Data and Accountability (ODA)/ODA-02 State Testing Security and Ethics.pdf differ diff --git a/data/data_pdf/Data and Accountability (ODA)/ODA-03 Guidelines and Procedures for Accessing Student Data.pdf b/data/data_pdf/Data and Accountability (ODA)/ODA-03 Guidelines and Procedures for Accessing Student Data.pdf new file mode 100644 index 0000000..d2552fa Binary files /dev/null and b/data/data_pdf/Data and Accountability (ODA)/ODA-03 Guidelines and Procedures for Accessing Student Data.pdf differ diff --git a/data/data_pdf/Data and Accountability (ODA)/ODA-04 BPS Balanced Assessment System.pdf b/data/data_pdf/Data and Accountability (ODA)/ODA-04 BPS Balanced Assessment System.pdf new file mode 100644 index 0000000..68d6d88 Binary files /dev/null and b/data/data_pdf/Data and Accountability (ODA)/ODA-04 BPS Balanced Assessment System.pdf differ diff --git a/data/data_pdf/Data and Accountability (ODA)/ODA-05 BPS Survey Administration Guidelines.pdf b/data/data_pdf/Data and Accountability (ODA)/ODA-05 BPS Survey Administration Guidelines.pdf new file mode 100644 index 0000000..128bb6f Binary files /dev/null and b/data/data_pdf/Data and Accountability (ODA)/ODA-05 BPS Survey Administration Guidelines.pdf differ diff --git a/data/data_pdf/Data and Accountability (ODA)/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf b/data/data_pdf/Data and Accountability (ODA)/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf new file mode 100644 index 0000000..0d43bb7 Binary files /dev/null and b/data/data_pdf/Data and Accountability (ODA)/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf differ diff --git a/data/data_pdf/Data and Accountability (ODA)/ODA-07 Required Documentation to Withdraw Students.pdf b/data/data_pdf/Data and Accountability (ODA)/ODA-07 Required Documentation to Withdraw Students.pdf new file mode 100644 index 0000000..3afe8cc Binary files /dev/null and b/data/data_pdf/Data and Accountability (ODA)/ODA-07 Required Documentation to Withdraw Students.pdf differ diff --git a/data/data_pdf/English Learners (EL)/EL-04 Title I Expenditures for ELs.pdf b/data/data_pdf/English Learners (EL)/EL-04 Title I Expenditures for ELs.pdf new file mode 100644 index 0000000..1a2f039 Binary files /dev/null and b/data/data_pdf/English Learners (EL)/EL-04 Title I Expenditures for ELs.pdf differ diff --git a/data/data_pdf/English Learners (EL)/EL-06 Initial Identification and Assessment of Multilingual Learners.pdf b/data/data_pdf/English Learners (EL)/EL-06 Initial Identification and Assessment of Multilingual Learners.pdf new file mode 100644 index 0000000..f295b4b Binary files /dev/null and b/data/data_pdf/English Learners (EL)/EL-06 Initial Identification and Assessment of Multilingual Learners.pdf differ diff --git a/data/data_pdf/English Learners (EL)/EL-07 Instructional System & Monitoring for Multilingual Learners.pdf b/data/data_pdf/English Learners (EL)/EL-07 Instructional System & Monitoring for Multilingual Learners.pdf new file mode 100644 index 0000000..60d6f81 Binary files /dev/null and b/data/data_pdf/English Learners (EL)/EL-07 Instructional System & Monitoring for Multilingual Learners.pdf differ diff --git a/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-01 Exam School Application and Admissions.pdf b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-01 Exam School Application and Admissions.pdf new file mode 100644 index 0000000..46ca5e3 Binary files /dev/null and b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-01 Exam School Application and Admissions.pdf differ diff --git a/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-03 DYS Committed Students.pdf b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-03 DYS Committed Students.pdf new file mode 100644 index 0000000..bc263ff Binary files /dev/null and b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-03 DYS Committed Students.pdf differ diff --git a/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-04 Grade Requirements.pdf b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-04 Grade Requirements.pdf new file mode 100644 index 0000000..5a6ca03 Binary files /dev/null and b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-04 Grade Requirements.pdf differ diff --git a/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-05 Maximum Age Assignment and Enrollment Policy.pdf b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-05 Maximum Age Assignment and Enrollment Policy.pdf new file mode 100644 index 0000000..8a6d672 Binary files /dev/null and b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-05 Maximum Age Assignment and Enrollment Policy.pdf differ diff --git a/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-06 Voluntary Transfer Policy.pdf b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-06 Voluntary Transfer Policy.pdf new file mode 100644 index 0000000..4b4fe2a Binary files /dev/null and b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-06 Voluntary Transfer Policy.pdf differ diff --git a/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-07 Safety Transfer Request.pdf b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-07 Safety Transfer Request.pdf new file mode 100644 index 0000000..74d03ce Binary files /dev/null and b/data/data_pdf/Enrollment Planning and Support (AMT)/AMT-07 Safety Transfer Request.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-01 Nondiscrimination and Policy Statement.pdf b/data/data_pdf/Equity (EQT)/EQT-01 Nondiscrimination and Policy Statement.pdf new file mode 100644 index 0000000..c323eac Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-01 Nondiscrimination and Policy Statement.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf b/data/data_pdf/Equity (EQT)/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf new file mode 100644 index 0000000..a736cc5 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-03 Sexual Misconduct Toward Students.pdf b/data/data_pdf/Equity (EQT)/EQT-03 Sexual Misconduct Toward Students.pdf new file mode 100644 index 0000000..fab3da7 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-03 Sexual Misconduct Toward Students.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-04 Students and Gender Identity.pdf b/data/data_pdf/Equity (EQT)/EQT-04 Students and Gender Identity.pdf new file mode 100644 index 0000000..2598a29 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-04 Students and Gender Identity.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-05 Bias-Based Conduct Toward Employees.pdf b/data/data_pdf/Equity (EQT)/EQT-05 Bias-Based Conduct Toward Employees.pdf new file mode 100644 index 0000000..335a9a2 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-05 Bias-Based Conduct Toward Employees.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf b/data/data_pdf/Equity (EQT)/EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf new file mode 100644 index 0000000..9288a69 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-07 Accommodating Employees.pdf b/data/data_pdf/Equity (EQT)/EQT-07 Accommodating Employees.pdf new file mode 100644 index 0000000..b534fd6 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-07 Accommodating Employees.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-08 Expectant & Parenting Students.pdf b/data/data_pdf/Equity (EQT)/EQT-08 Expectant & Parenting Students.pdf new file mode 100644 index 0000000..2a07f6d Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-08 Expectant & Parenting Students.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-09 Transgender and Gender Nonconforming Employees.pdf b/data/data_pdf/Equity (EQT)/EQT-09 Transgender and Gender Nonconforming Employees.pdf new file mode 100644 index 0000000..fb51764 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-09 Transgender and Gender Nonconforming Employees.pdf differ diff --git a/data/data_pdf/Equity (EQT)/EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf b/data/data_pdf/Equity (EQT)/EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf new file mode 100644 index 0000000..5eb8821 Binary files /dev/null and b/data/data_pdf/Equity (EQT)/EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-01 Performance Evaluation of Custodians.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-01 Performance Evaluation of Custodians.pdf new file mode 100644 index 0000000..690729f Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-01 Performance Evaluation of Custodians.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-02 Work Order Requests.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-02 Work Order Requests.pdf new file mode 100644 index 0000000..084fefd Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-02 Work Order Requests.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-03 Renovations to School Buildings and Yards.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-03 Renovations to School Buildings and Yards.pdf new file mode 100644 index 0000000..695cad5 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-03 Renovations to School Buildings and Yards.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-04 Custodial Pay Adjustments.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-04 Custodial Pay Adjustments.pdf new file mode 100644 index 0000000..4d22ae6 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-04 Custodial Pay Adjustments.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-05 Facilities Building Permits & Conditions.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-05 Facilities Building Permits & Conditions.pdf new file mode 100644 index 0000000..12ec437 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-05 Facilities Building Permits & Conditions.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-08 Recycling and Zero Waste Policy.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-08 Recycling and Zero Waste Policy.pdf new file mode 100644 index 0000000..1a92b2c Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-08 Recycling and Zero Waste Policy.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-09 Material Distribution Procedures.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-09 Material Distribution Procedures.pdf new file mode 100644 index 0000000..2b0d537 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-09 Material Distribution Procedures.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-10 Integrated Pest Management (IPM).pdf b/data/data_pdf/Facilities Management (FMT)/FMT-10 Integrated Pest Management (IPM).pdf new file mode 100644 index 0000000..eae6e54 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-10 Integrated Pest Management (IPM).pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-11 Green Cleaners Policy.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-11 Green Cleaners Policy.pdf new file mode 100644 index 0000000..2677fe3 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-11 Green Cleaners Policy.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf new file mode 100644 index 0000000..b90815c Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-15 SY Environmental Audit Program .pdf b/data/data_pdf/Facilities Management (FMT)/FMT-15 SY Environmental Audit Program .pdf new file mode 100644 index 0000000..33d8ca7 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-15 SY Environmental Audit Program .pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-18 Science Safety in Schools.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-18 Science Safety in Schools.pdf new file mode 100644 index 0000000..a31200c Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-18 Science Safety in Schools.pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf b/data/data_pdf/Facilities Management (FMT)/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf new file mode 100644 index 0000000..66ff65c Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf differ diff --git a/data/data_pdf/Facilities Management (FMT)/FMT-20 Drinking Water Access Policy.pdf b/data/data_pdf/Facilities Management (FMT)/FMT-20 Drinking Water Access Policy.pdf new file mode 100644 index 0000000..2fc56d8 Binary files /dev/null and b/data/data_pdf/Facilities Management (FMT)/FMT-20 Drinking Water Access Policy.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-01 School Parent Councils.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-01 School Parent Councils.pdf new file mode 100644 index 0000000..db0146d Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-01 School Parent Councils.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-02 School Site Councils.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-02 School Site Councils.pdf new file mode 100644 index 0000000..940862d Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-02 School Site Councils.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-03 Student Government.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-03 Student Government.pdf new file mode 100644 index 0000000..c66eb78 Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-03 Student Government.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-04 Personnel Subcommittee.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-04 Personnel Subcommittee.pdf new file mode 100644 index 0000000..63b01d3 Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-04 Personnel Subcommittee.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-05 Title I Family Engagement Requirements.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-05 Title I Family Engagement Requirements.pdf new file mode 100644 index 0000000..b3e11f5 Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-05 Title I Family Engagement Requirements.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-06 Boston Student Advisory Council.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-06 Boston Student Advisory Council.pdf new file mode 100644 index 0000000..20fd156 Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-06 Boston Student Advisory Council.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-07 Home-School Compact.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-07 Home-School Compact.pdf new file mode 100644 index 0000000..7ae5d5f Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-07 Home-School Compact.pdf differ diff --git a/data/data_pdf/Family and Community Advancement (FAM)/FAM-08 Translation and Interpretation Services.pdf b/data/data_pdf/Family and Community Advancement (FAM)/FAM-08 Translation and Interpretation Services.pdf new file mode 100644 index 0000000..04a74ac Binary files /dev/null and b/data/data_pdf/Family and Community Advancement (FAM)/FAM-08 Translation and Interpretation Services.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-01 Travel Policy.pdf b/data/data_pdf/Finance (FIN)/FIN-01 Travel Policy.pdf new file mode 100644 index 0000000..0ab153d Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-01 Travel Policy.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-02a Mileage Reimbursement.pdf b/data/data_pdf/Finance (FIN)/FIN-02a Mileage Reimbursement.pdf new file mode 100644 index 0000000..aa48b90 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-02a Mileage Reimbursement.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-02b Mileage Reimbursement_January-June.pdf b/data/data_pdf/Finance (FIN)/FIN-02b Mileage Reimbursement_January-June.pdf new file mode 100644 index 0000000..581e780 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-02b Mileage Reimbursement_January-June.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-03 Expenditure Reimbursement.pdf b/data/data_pdf/Finance (FIN)/FIN-03 Expenditure Reimbursement.pdf new file mode 100644 index 0000000..3157c3d Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-03 Expenditure Reimbursement.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-04 Student Activity Accounts.pdf b/data/data_pdf/Finance (FIN)/FIN-04 Student Activity Accounts.pdf new file mode 100644 index 0000000..65b07f4 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-04 Student Activity Accounts.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-07 Purchasing Guidelines.pdf b/data/data_pdf/Finance (FIN)/FIN-07 Purchasing Guidelines.pdf new file mode 100644 index 0000000..34dba36 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-07 Purchasing Guidelines.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-09 Private Contributions Management Guidelines.pdf b/data/data_pdf/Finance (FIN)/FIN-09 Private Contributions Management Guidelines.pdf new file mode 100644 index 0000000..6f16210 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-09 Private Contributions Management Guidelines.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-10 Grants Guidelines.pdf b/data/data_pdf/Finance (FIN)/FIN-10 Grants Guidelines.pdf new file mode 100644 index 0000000..656ae64 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-10 Grants Guidelines.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-11 Scholarships, Awards, and Honors for Students.pdf b/data/data_pdf/Finance (FIN)/FIN-11 Scholarships, Awards, and Honors for Students.pdf new file mode 100644 index 0000000..c2edd96 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-11 Scholarships, Awards, and Honors for Students.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-12 Trust Funds for Schools.pdf b/data/data_pdf/Finance (FIN)/FIN-12 Trust Funds for Schools.pdf new file mode 100644 index 0000000..19c3bab Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-12 Trust Funds for Schools.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-14 Overpayment of Salaries.pdf b/data/data_pdf/Finance (FIN)/FIN-14 Overpayment of Salaries.pdf new file mode 100644 index 0000000..735a170 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-14 Overpayment of Salaries.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-16 Budget Transfers.pdf b/data/data_pdf/Finance (FIN)/FIN-16 Budget Transfers.pdf new file mode 100644 index 0000000..208f0ea Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-16 Budget Transfers.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-19 BPS Postage & Printing Policy.pdf b/data/data_pdf/Finance (FIN)/FIN-19 BPS Postage & Printing Policy.pdf new file mode 100644 index 0000000..f6b2fa6 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-19 BPS Postage & Printing Policy.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-20 Managing Stipends.pdf b/data/data_pdf/Finance (FIN)/FIN-20 Managing Stipends.pdf new file mode 100644 index 0000000..f575777 Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-20 Managing Stipends.pdf differ diff --git a/data/data_pdf/Finance (FIN)/FIN-21 BPS-Recognized Independent 501c3s.pdf b/data/data_pdf/Finance (FIN)/FIN-21 BPS-Recognized Independent 501c3s.pdf new file mode 100644 index 0000000..0a39c5d Binary files /dev/null and b/data/data_pdf/Finance (FIN)/FIN-21 BPS-Recognized Independent 501c3s.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-01 School Safety Contingency Plans.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-01 School Safety Contingency Plans.pdf new file mode 100644 index 0000000..3c97d76 Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-01 School Safety Contingency Plans.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-02 Fire Safety Practices.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-02 Fire Safety Practices.pdf new file mode 100644 index 0000000..d7e2140 Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-02 Fire Safety Practices.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-03 Building Codes & Fire Regulations.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-03 Building Codes & Fire Regulations.pdf new file mode 100644 index 0000000..4d3b817 Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-03 Building Codes & Fire Regulations.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-04 Bomb Threat Procedures.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-04 Bomb Threat Procedures.pdf new file mode 100644 index 0000000..550df3a Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-04 Bomb Threat Procedures.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-05 Medical Emergency Management.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-05 Medical Emergency Management.pdf new file mode 100644 index 0000000..02998d6 Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-05 Medical Emergency Management.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf new file mode 100644 index 0000000..0733b35 Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-07 Public Health & Workplace Safety.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-07 Public Health & Workplace Safety.pdf new file mode 100644 index 0000000..dc63d99 Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-07 Public Health & Workplace Safety.pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-08 Safe Mode and Internal Threat Procedures .pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-08 Safe Mode and Internal Threat Procedures .pdf new file mode 100644 index 0000000..1e3752c Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/FSE-08 Safe Mode and Internal Threat Procedures .pdf differ diff --git a/data/data_pdf/Fire Safety & Emergency Management (FSE)/HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf b/data/data_pdf/Fire Safety & Emergency Management (FSE)/HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf new file mode 100644 index 0000000..bc53034 Binary files /dev/null and b/data/data_pdf/Fire Safety & Emergency Management (FSE)/HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf differ diff --git a/data/data_pdf/Food and Nutrition Services (FNS)/FNS-02 Emergency Meal Procedures.pdf b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-02 Emergency Meal Procedures.pdf new file mode 100644 index 0000000..66986ff Binary files /dev/null and b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-02 Emergency Meal Procedures.pdf differ diff --git a/data/data_pdf/Food and Nutrition Services (FNS)/FNS-03 Competitive Foods Guidelines.pdf b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-03 Competitive Foods Guidelines.pdf new file mode 100644 index 0000000..e138103 Binary files /dev/null and b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-03 Competitive Foods Guidelines.pdf differ diff --git a/data/data_pdf/Food and Nutrition Services (FNS)/FNS-04 Responsibilities4 Regarding School Food Services.pdf b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-04 Responsibilities4 Regarding School Food Services.pdf new file mode 100644 index 0000000..7bd5371 Binary files /dev/null and b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-04 Responsibilities4 Regarding School Food Services.pdf differ diff --git a/data/data_pdf/Food and Nutrition Services (FNS)/FNS-06 Menu Standards and Guidelines.pdf b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-06 Menu Standards and Guidelines.pdf new file mode 100644 index 0000000..ac4aac0 Binary files /dev/null and b/data/data_pdf/Food and Nutrition Services (FNS)/FNS-06 Menu Standards and Guidelines.pdf differ diff --git a/data/data_pdf/Health & Wellness (HWD)/HWD-01 Wellness Policy .pdf b/data/data_pdf/Health & Wellness (HWD)/HWD-01 Wellness Policy .pdf new file mode 100644 index 0000000..f35e017 Binary files /dev/null and b/data/data_pdf/Health & Wellness (HWD)/HWD-01 Wellness Policy .pdf differ diff --git a/data/data_pdf/Health & Wellness (HWD)/HWD-02 Phys Ed & Physical Activity.pdf b/data/data_pdf/Health & Wellness (HWD)/HWD-02 Phys Ed & Physical Activity.pdf new file mode 100644 index 0000000..472d8c7 Binary files /dev/null and b/data/data_pdf/Health & Wellness (HWD)/HWD-02 Phys Ed & Physical Activity.pdf differ diff --git a/data/data_pdf/Health & Wellness (HWD)/HWD-03 Comprehensive Health Ed.pdf b/data/data_pdf/Health & Wellness (HWD)/HWD-03 Comprehensive Health Ed.pdf new file mode 100644 index 0000000..5817ad6 Binary files /dev/null and b/data/data_pdf/Health & Wellness (HWD)/HWD-03 Comprehensive Health Ed.pdf differ diff --git a/data/data_pdf/Health & Wellness (HWD)/HWD-04 Healthy School Environment Policy.pdf b/data/data_pdf/Health & Wellness (HWD)/HWD-04 Healthy School Environment Policy.pdf new file mode 100644 index 0000000..1f3e7bb Binary files /dev/null and b/data/data_pdf/Health & Wellness (HWD)/HWD-04 Healthy School Environment Policy.pdf differ diff --git a/data/data_pdf/Health & Wellness (HWD)/HWD-06 Tobacco-Nicotine Policy.pdf b/data/data_pdf/Health & Wellness (HWD)/HWD-06 Tobacco-Nicotine Policy.pdf new file mode 100644 index 0000000..b795c28 Binary files /dev/null and b/data/data_pdf/Health & Wellness (HWD)/HWD-06 Tobacco-Nicotine Policy.pdf differ diff --git a/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-01 Acceptable Use Policy.pdf b/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-01 Acceptable Use Policy.pdf new file mode 100644 index 0000000..b085f64 Binary files /dev/null and b/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-01 Acceptable Use Policy.pdf differ diff --git a/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-02 Procuring Digital Products Guidance Document.pdf b/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-02 Procuring Digital Products Guidance Document.pdf new file mode 100644 index 0000000..fd7ef59 Binary files /dev/null and b/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-02 Procuring Digital Products Guidance Document.pdf differ diff --git a/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf b/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf new file mode 100644 index 0000000..4836d7c Binary files /dev/null and b/data/data_pdf/Instructional & Information Technology (OIIT)/OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-01 Anti-Hazing.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-01 Anti-Hazing.pdf new file mode 100644 index 0000000..fea13a7 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-01 Anti-Hazing.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-03 Public Record Requests.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-03 Public Record Requests.pdf new file mode 100644 index 0000000..00d7f51 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-03 Public Record Requests.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-04 School Visitor Guidelines.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-04 School Visitor Guidelines.pdf new file mode 100644 index 0000000..ed405d1 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-04 School Visitor Guidelines.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-05 Subpoenas.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-05 Subpoenas.pdf new file mode 100644 index 0000000..2ab83ae Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-05 Subpoenas.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-06 Religious Holy Days.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-06 Religious Holy Days.pdf new file mode 100644 index 0000000..8bd065f Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-06 Religious Holy Days.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-07 Student Records.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-07 Student Records.pdf new file mode 100644 index 0000000..f8ecb0e Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-07 Student Records.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-08 Adherence to Court Orders.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-08 Adherence to Court Orders.pdf new file mode 100644 index 0000000..ba78fad Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-08 Adherence to Court Orders.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-09 Political Activity by Public Employees.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-09 Political Activity by Public Employees.pdf new file mode 100644 index 0000000..c0b3d7c Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-09 Political Activity by Public Employees.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-10 Military Recruiters.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-10 Military Recruiters.pdf new file mode 100644 index 0000000..ef08b05 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-10 Military Recruiters.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf new file mode 100644 index 0000000..3523a3a Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-15 Student Surveys.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-15 Student Surveys.pdf new file mode 100644 index 0000000..113b074 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-15 Student Surveys.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-16 Student Health Information.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-16 Student Health Information.pdf new file mode 100644 index 0000000..02cbbf1 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-16 Student Health Information.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-17 Religious Expression in Schools.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-17 Religious Expression in Schools.pdf new file mode 100644 index 0000000..ccf4db4 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-17 Religious Expression in Schools.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-18 Display of Flag and School Ceremonies.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-18 Display of Flag and School Ceremonies.pdf new file mode 100644 index 0000000..b486114 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-18 Display of Flag and School Ceremonies.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-19 Conflict of Interest Law-City Employees.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-19 Conflict of Interest Law-City Employees.pdf new file mode 100644 index 0000000..8ccb668 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-19 Conflict of Interest Law-City Employees.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-20 Corporal Punishment.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-20 Corporal Punishment.pdf new file mode 100644 index 0000000..b314977 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-20 Corporal Punishment.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf new file mode 100644 index 0000000..50f6694 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf differ diff --git a/data/data_pdf/Legal Advisor (LGL)/LGL-22 Sexual Offender Registry Information.pdf b/data/data_pdf/Legal Advisor (LGL)/LGL-22 Sexual Offender Registry Information.pdf new file mode 100644 index 0000000..e32a4e1 Binary files /dev/null and b/data/data_pdf/Legal Advisor (LGL)/LGL-22 Sexual Offender Registry Information.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-HS04 School Leader Screening Process.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS04 School Leader Screening Process.pdf new file mode 100644 index 0000000..7ebbe4e Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS04 School Leader Screening Process.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-HS06 Substitute Teachers.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS06 Substitute Teachers.pdf new file mode 100644 index 0000000..a2105a5 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS06 Substitute Teachers.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-HS07 Staffing Reassignment and Hiring.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS07 Staffing Reassignment and Hiring.pdf new file mode 100644 index 0000000..95f0366 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS07 Staffing Reassignment and Hiring.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-HS07.1 Qualifications for Additional Program Areas.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS07.1 Qualifications for Additional Program Areas.pdf new file mode 100644 index 0000000..8be77a6 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-HS07.1 Qualifications for Additional Program Areas.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-L01 Teacher Licensure.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-L01 Teacher Licensure.pdf new file mode 100644 index 0000000..2484346 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-L01 Teacher Licensure.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-L02 Paraprofessional ESSA Requirements.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-L02 Paraprofessional ESSA Requirements.pdf new file mode 100644 index 0000000..a72c6d1 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-L02 Paraprofessional ESSA Requirements.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf new file mode 100644 index 0000000..0361946 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM01 Performance Evaluation of Teachers.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM01 Performance Evaluation of Teachers.pdf new file mode 100644 index 0000000..799f821 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM01 Performance Evaluation of Teachers.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf new file mode 100644 index 0000000..c14fdfe Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf new file mode 100644 index 0000000..b0ecff4 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf new file mode 100644 index 0000000..995f80c Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf new file mode 100644 index 0000000..ecabd34 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM05 Performance Evaluation of Lunch Monitors.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM05 Performance Evaluation of Lunch Monitors.pdf new file mode 100644 index 0000000..49fa1dc Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM05 Performance Evaluation of Lunch Monitors.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM06 Performance Evaluation of Managerial Employees.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM06 Performance Evaluation of Managerial Employees.pdf new file mode 100644 index 0000000..110b84c Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM06 Performance Evaluation of Managerial Employees.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf new file mode 100644 index 0000000..3a07243 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf new file mode 100644 index 0000000..314f442 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf new file mode 100644 index 0000000..d466800 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf new file mode 100644 index 0000000..9aac27c Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PM10 Performance Evaluation of ABA Specialists.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM10 Performance Evaluation of ABA Specialists.pdf new file mode 100644 index 0000000..79119a3 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PM10 Performance Evaluation of ABA Specialists.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf new file mode 100644 index 0000000..1386872 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP03 Tuition Reimbursement.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP03 Tuition Reimbursement.pdf new file mode 100644 index 0000000..60b2f1e Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP03 Tuition Reimbursement.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP05 Attendance Monitoring.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP05 Attendance Monitoring.pdf new file mode 100644 index 0000000..9320b61 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP05 Attendance Monitoring.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf new file mode 100644 index 0000000..7116cc4 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP07 Workers' Compensation Procedures.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP07 Workers' Compensation Procedures.pdf new file mode 100644 index 0000000..2ab172a Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP07 Workers' Compensation Procedures.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf new file mode 100644 index 0000000..6d6b155 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP09 Criminal History Screening.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP09 Criminal History Screening.pdf new file mode 100644 index 0000000..41a4f53 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP09 Criminal History Screening.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP11 Drug Free Workplace Policy and Procedure.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP11 Drug Free Workplace Policy and Procedure.pdf new file mode 100644 index 0000000..88607f5 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP11 Drug Free Workplace Policy and Procedure.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf new file mode 100644 index 0000000..260b02e Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP13 Employee Sick Leave Policy.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP13 Employee Sick Leave Policy.pdf new file mode 100644 index 0000000..257e248 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP13 Employee Sick Leave Policy.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP13A Family and Medical Leave Act.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP13A Family and Medical Leave Act.pdf new file mode 100644 index 0000000..fcd8c88 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP13A Family and Medical Leave Act.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf new file mode 100644 index 0000000..c54fbff Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP15 Sick Leave Donation Program.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP15 Sick Leave Donation Program.pdf new file mode 100644 index 0000000..b0d9f2e Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP15 Sick Leave Donation Program.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP16 Employee Savings and Investment Benefits.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP16 Employee Savings and Investment Benefits.pdf new file mode 100644 index 0000000..561edaf Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP16 Employee Savings and Investment Benefits.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf new file mode 100644 index 0000000..201ef25 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf new file mode 100644 index 0000000..10004cb Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf differ diff --git a/data/data_pdf/Office of Human Resources (HRS)/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf new file mode 100644 index 0000000..9a563b6 Binary files /dev/null and b/data/data_pdf/Office of Human Resources (HRS)/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-01 Student Search Procedures.pdf b/data/data_pdf/Safety Services (SAF)/SAF-01 Student Search Procedures.pdf new file mode 100644 index 0000000..f7c0c0c Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-01 Student Search Procedures.pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-02 Weapons and Objects of No Reasonable Use.pdf b/data/data_pdf/Safety Services (SAF)/SAF-02 Weapons and Objects of No Reasonable Use.pdf new file mode 100644 index 0000000..3845697 Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-02 Weapons and Objects of No Reasonable Use.pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-03 Locker Policy.pdf b/data/data_pdf/Safety Services (SAF)/SAF-03 Locker Policy.pdf new file mode 100644 index 0000000..aab9c9e Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-03 Locker Policy.pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release (1).pdf b/data/data_pdf/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release (1).pdf new file mode 100644 index 0000000..66e096f Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release (1).pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release.pdf b/data/data_pdf/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release.pdf new file mode 100644 index 0000000..66e096f Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release.pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-08 Release of Students to Authorized Persons.pdf b/data/data_pdf/Safety Services (SAF)/SAF-08 Release of Students to Authorized Persons.pdf new file mode 100644 index 0000000..40bcff7 Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-08 Release of Students to Authorized Persons.pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-09 Lost Children Procedures.pdf b/data/data_pdf/Safety Services (SAF)/SAF-09 Lost Children Procedures.pdf new file mode 100644 index 0000000..ad77c30 Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-09 Lost Children Procedures.pdf differ diff --git a/data/data_pdf/Safety Services (SAF)/SAF-12 School Access Control.pdf b/data/data_pdf/Safety Services (SAF)/SAF-12 School Access Control.pdf new file mode 100644 index 0000000..404bd60 Binary files /dev/null and b/data/data_pdf/Safety Services (SAF)/SAF-12 School Access Control.pdf differ diff --git a/data/data_pdf/School Community Partners (SCP)/SCP-01 School-Community Partners.pdf b/data/data_pdf/School Community Partners (SCP)/SCP-01 School-Community Partners.pdf new file mode 100644 index 0000000..96ac1db Binary files /dev/null and b/data/data_pdf/School Community Partners (SCP)/SCP-01 School-Community Partners.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-01 Drug and Alcohol Abuse.pdf b/data/data_pdf/School Health Services (SHS)/SHS-01 Drug and Alcohol Abuse.pdf new file mode 100644 index 0000000..82f5ab5 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-01 Drug and Alcohol Abuse.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-04 Infection Prevention Control.pdf b/data/data_pdf/School Health Services (SHS)/SHS-04 Infection Prevention Control.pdf new file mode 100644 index 0000000..63d6af8 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-04 Infection Prevention Control.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-05 Tuberculosis Program.pdf b/data/data_pdf/School Health Services (SHS)/SHS-05 Tuberculosis Program.pdf new file mode 100644 index 0000000..9949c3c Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-05 Tuberculosis Program.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-06 Immunization Law.pdf b/data/data_pdf/School Health Services (SHS)/SHS-06 Immunization Law.pdf new file mode 100644 index 0000000..1b8e4e1 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-06 Immunization Law.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-08 Medication Administration.pdf b/data/data_pdf/School Health Services (SHS)/SHS-08 Medication Administration.pdf new file mode 100644 index 0000000..f341592 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-08 Medication Administration.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-11 Life Threatening Allergies.pdf b/data/data_pdf/School Health Services (SHS)/SHS-11 Life Threatening Allergies.pdf new file mode 100644 index 0000000..0e868c4 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-11 Life Threatening Allergies.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-13 Transportation Medical Accommodation.pdf b/data/data_pdf/School Health Services (SHS)/SHS-13 Transportation Medical Accommodation.pdf new file mode 100644 index 0000000..8a17f3d Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-13 Transportation Medical Accommodation.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-16 Suicide Prevention & Intervention.pdf b/data/data_pdf/School Health Services (SHS)/SHS-16 Suicide Prevention & Intervention.pdf new file mode 100644 index 0000000..457dd0a Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-16 Suicide Prevention & Intervention.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-20 Asthma in Schools.pdf b/data/data_pdf/School Health Services (SHS)/SHS-20 Asthma in Schools.pdf new file mode 100644 index 0000000..ee40575 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-20 Asthma in Schools.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-21 Diabetes Policy.pdf b/data/data_pdf/School Health Services (SHS)/SHS-21 Diabetes Policy.pdf new file mode 100644 index 0000000..24437a3 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-21 Diabetes Policy.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-22 Automatic External Defibrillator Policy.pdf b/data/data_pdf/School Health Services (SHS)/SHS-22 Automatic External Defibrillator Policy.pdf new file mode 100644 index 0000000..f444349 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-22 Automatic External Defibrillator Policy.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-23 Condom Accessibility.pdf b/data/data_pdf/School Health Services (SHS)/SHS-23 Condom Accessibility.pdf new file mode 100644 index 0000000..a3605f9 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-23 Condom Accessibility.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-24 Diapering and Toileting Accidents Policy.pdf b/data/data_pdf/School Health Services (SHS)/SHS-24 Diapering and Toileting Accidents Policy.pdf new file mode 100644 index 0000000..329eca3 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-24 Diapering and Toileting Accidents Policy.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-25 Sickle Cell Disease Policy.pdf b/data/data_pdf/School Health Services (SHS)/SHS-25 Sickle Cell Disease Policy.pdf new file mode 100644 index 0000000..1d40ad0 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-25 Sickle Cell Disease Policy.pdf differ diff --git a/data/data_pdf/School Health Services (SHS)/SHS-26 Administration of Naloxone.pdf b/data/data_pdf/School Health Services (SHS)/SHS-26 Administration of Naloxone.pdf new file mode 100644 index 0000000..7da0836 Binary files /dev/null and b/data/data_pdf/School Health Services (SHS)/SHS-26 Administration of Naloxone.pdf differ diff --git a/data/data_pdf/Special Education (SPE)/SPE-14 Counseling Guidelines .pdf b/data/data_pdf/Special Education (SPE)/SPE-14 Counseling Guidelines .pdf new file mode 100644 index 0000000..374a993 Binary files /dev/null and b/data/data_pdf/Special Education (SPE)/SPE-14 Counseling Guidelines .pdf differ diff --git a/data/data_pdf/Special Education (SPE)/SPE-20 SPED Screening for 3 and 4 Year Olds.pdf b/data/data_pdf/Special Education (SPE)/SPE-20 SPED Screening for 3 and 4 Year Olds.pdf new file mode 100644 index 0000000..c7821b2 Binary files /dev/null and b/data/data_pdf/Special Education (SPE)/SPE-20 SPED Screening for 3 and 4 Year Olds.pdf differ diff --git a/data/data_pdf/Student Support Services (SSS)/SSS-02 Homeless Students.pdf b/data/data_pdf/Student Support Services (SSS)/SSS-02 Homeless Students.pdf new file mode 100644 index 0000000..5e3ec58 Binary files /dev/null and b/data/data_pdf/Student Support Services (SSS)/SSS-02 Homeless Students.pdf differ diff --git a/data/data_pdf/Student Support Services (SSS)/SSS-07 Persistently Dangerous Schools Standards for Determination.pdf b/data/data_pdf/Student Support Services (SSS)/SSS-07 Persistently Dangerous Schools Standards for Determination.pdf new file mode 100644 index 0000000..c5a3d4d Binary files /dev/null and b/data/data_pdf/Student Support Services (SSS)/SSS-07 Persistently Dangerous Schools Standards for Determination.pdf differ diff --git a/data/data_pdf/Student Support Services (SSS)/SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf b/data/data_pdf/Student Support Services (SSS)/SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf new file mode 100644 index 0000000..2ae85ca Binary files /dev/null and b/data/data_pdf/Student Support Services (SSS)/SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf differ diff --git a/data/data_pdf/Student Support Services (SSS)/SSS-18 Bullying Prevention and Intervention Plan.pdf b/data/data_pdf/Student Support Services (SSS)/SSS-18 Bullying Prevention and Intervention Plan.pdf new file mode 100644 index 0000000..4b31410 Binary files /dev/null and b/data/data_pdf/Student Support Services (SSS)/SSS-18 Bullying Prevention and Intervention Plan.pdf differ diff --git a/data/data_pdf/Student Support Services (SSS)/SSS-19 Home & Hospital Instruction Policy.pdf b/data/data_pdf/Student Support Services (SSS)/SSS-19 Home & Hospital Instruction Policy.pdf new file mode 100644 index 0000000..3e54291 Binary files /dev/null and b/data/data_pdf/Student Support Services (SSS)/SSS-19 Home & Hospital Instruction Policy.pdf differ diff --git a/data/data_pdf/Superintendent's Office (SUP)/SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf b/data/data_pdf/Superintendent's Office (SUP)/SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf new file mode 100644 index 0000000..1157b15 Binary files /dev/null and b/data/data_pdf/Superintendent's Office (SUP)/SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf differ diff --git a/data/data_pdf/Superintendent's Office (SUP)/SUP-20 Child Abuse and Neglect.pdf b/data/data_pdf/Superintendent's Office (SUP)/SUP-20 Child Abuse and Neglect.pdf new file mode 100644 index 0000000..d04665d Binary files /dev/null and b/data/data_pdf/Superintendent's Office (SUP)/SUP-20 Child Abuse and Neglect.pdf differ diff --git a/data/data_pdf/Transportation (TRN)/TRN-01 Schedule of School Hours.pdf b/data/data_pdf/Transportation (TRN)/TRN-01 Schedule of School Hours.pdf new file mode 100644 index 0000000..e2c42b0 Binary files /dev/null and b/data/data_pdf/Transportation (TRN)/TRN-01 Schedule of School Hours.pdf differ diff --git a/data/data_pdf/Transportation (TRN)/TRN-02 Student Transportation Safety and Discipline.pdf b/data/data_pdf/Transportation (TRN)/TRN-02 Student Transportation Safety and Discipline.pdf new file mode 100644 index 0000000..fa95eb9 Binary files /dev/null and b/data/data_pdf/Transportation (TRN)/TRN-02 Student Transportation Safety and Discipline.pdf differ diff --git a/data/data_pdf/Transportation (TRN)/TRN-03 Field Trip & Athletics Transportation.pdf b/data/data_pdf/Transportation (TRN)/TRN-03 Field Trip & Athletics Transportation.pdf new file mode 100644 index 0000000..17b38d5 Binary files /dev/null and b/data/data_pdf/Transportation (TRN)/TRN-03 Field Trip & Athletics Transportation.pdf differ diff --git a/data/data_txt/ACA-18 Attendance Policies & Procedures.txt b/data/data_txt/ACA-18 Attendance Policies & Procedures.txt new file mode 100644 index 0000000..86b92f0 --- /dev/null +++ b/data/data_txt/ACA-18 Attendance Policies & Procedures.txt @@ -0,0 +1,1449 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +ACA-18 +Version 01 + +ATTENDANCE AND PUNCTUALITY POLICIES AND +PROCEDURES +This circular will remain in effect unless rescinded or superseded +by a subsequent version +This circular reflects the School Committee’s approved policies +and procedures for attendance and punctuality. It contains +detailed guidelines on: +● Policy background +● Chronic absenteeism +● Attendance policy +● Covid-19 attendance protocols +● Punctuality policy (tardiness) +● Recording and maintaining student attendance +● Recording and following up on DNRs (did not reports) +● Discharge/withdrawal protocols +● Notification to parents/caregivers of student absence +● Notifying parents/caregivers of a missing child +● Safety concerns related to attendance +● Approving home & hospital tutoring +● Procedures for referral to supervisors of attendance +BACKGROUND AND GENERAL PRINCIPLES +It is an essential priority of the Boston Public Schools to +encourage students to maintain consistently high attendance +rates throughout the school year. Students cannot take full +advantage of academic and extracurricular opportunities unless + + +Page 2: +Superintendent’s Circular ACA-18 +Page 2 of 41 + + +they are in school consistently. All BPS schools and their School +Site Councils are expected to implement comprehensive +prevention and intervention strategies to improve student +attendance each school year. +The BPS student attendance policy was approved by the School +Committee in 1998-1999. It was revised in May 2006 and June +2007 to include the system-wide prohibition of using cutoff times +to refuse students’ entry into buildings and the additional +flexibility for schools to promote and ensure consistently high, +on-time attendance. It was further revised in 2018 to include +cultural and religious holidays as an eligible excused absence +category. In 2021, it was revised to discontinue the policies of +converting tardies to absences and issuing grades of “No Credit +(NC)” based on attendance, as well as elevating the importance of +focusing on chronic absenteeism, where all absences and missed +instructional time are considered to have a detrimental impact +on student outcomes. +On December 10, 2015, the Every Student Succeeds Act (ESSA) +was signed into law, reauthorizing the federal Elementary and +Secondary Education Act of 1965 (ESEA). The law includes +provisions to help ensure improved outcomes for all students +receiving elementary and secondary education, including the +following: +● States must establish high academic content standards, and +schools must teach all students those standards to help +prepare them for college and careers. +● States, districts, and schools must share information with +families, students, and communities regarding annual +statewide assessments that measure students' progress +toward these high standards. + + +Page 3: +Superintendent’s Circular ACA-18 +Page 3 of 41 + + +● States and districts must establish systems of support and +accountability for all schools and provide particular support +to the lowest-performing schools, schools with low- +performing subgroups, and schools with low graduation +rates. +Under ESSA, each state must develop a consolidated state plan +that documents a comprehensive approach to improving +outcomes for all students. The Massachusetts Consolidated State +Plan under the Every Student Succeeds Act, approved in +September 2017, indicates that the state has included chronic +absenteeism as one of the accountability index indicators (core +measures) to be adopted by all schools and school districts. +Through this policy, each school is given a target goal to reduce +chronic absenteeism each school year. The BPS Attendance +Policy described in this document (ACA-18) has been updated to +reflect changes to the core measures as it relates to attendance +and chronic absenteeism. +CHRONIC ABSENTEEISM +Research recognizes that addressing chronic absenteeism is one +of the most important priorities in an equitable approach to +attendance, as chronically absent students are less likely to be +successful academically and are disproportionately students of +color. Chronic absenteeism is defined as missing 10 percent or +more of the school year in any given period. All absences are +included as it relates to chronic absenteeism, regardless of +whether the absence is excused or unexcused. For an entire +school year, a student who misses 18 school days, or about two +days per month, will be considered chronically absent. Students +who do not show up to school regularly miss out on fundamental +learning skills and the chance to build a habit of consistent + + +Page 4: +Superintendent’s Circular ACA-18 +Page 4 of 41 + + +attendance that they can maintain in their post-secondary +education, their career, and throughout their life. +Chronic absenteeism significantly increases the likelihood that a +student will fall off-track academically and struggle to keep pace +with their peers. Chronic absenteeism in the early grades can +influence whether a student reads proficiently by the end of the +third grade; and by the sixth grade, it becomes a leading +indicator of whether a student will drop out of high school. +Consistent with the attendance policy is the need to maintain +accurate, timely, and appropriate records, including information +on the attendance of students and documentation of reasons for +absence. Accordingly, all staff must keep accurate records, +maintain documentation, and communicate with +parents/caregivers in a timely and effective manner to ensure +sound school attendance practices. In addition, Boston Public +Schools is committed to addressing chronic absenteeism +through prevention and intervention strategies at the school and +district levels that better support students and families to +maintain consistently high, on-time attendance. Each school will +prioritize prevention and intervention strategies that reduce +chronic student absenteeism. +The following general principles apply: +● Schools are required under the law to maintain an accurate +record of student attendance. +● Schools at all levels are required to make a concerted effort +to contact the parent or caregiver each time students are +absent. + + +Page 5: +Superintendent’s Circular ACA-18 +Page 5 of 41 + + +● School leaders bear the final responsibility for attendance in +their schools and complying with attendance and +punctuality policies and procedures. +● External agency support will be sought in those cases where +school-based meetings do not achieve a positive continuum +in parental attitude and/or student attendance patterns. +BOSTON PUBLIC SCHOOLS ATTENDANCE POLICY +Attendance: Per the Department of Elementary and Secondary +Education (DESE)’s attendance policy, a student must be at +school, at a school-related activity, or receiving academic +instruction for at least half of the school day to be counted as +present. Students who are not physically present at school but +receive academic instruction from the district for at least half of +the school day should be counted as present. Examples of +academic instruction include tutoring, online learning, or +distance learning provided by the district. Under this guidance, +there are limited circumstances in which a student can be +marked “constructively present.” +Allowable circumstances to mark a student constructively +present: +● Participation in Home & Hospital Instruction +● Special education school visit +● Out-of-district special education placement +● Student is in Department of Youth Services (DYS) custody +● Succeed Boston (alternative to suspension) +● College tour or college interview when sponsored by the +school or approved by the school leader + + + +Page 6: +Superintendent’s Circular ACA-18 +Page 6 of 41 + + +Length of Time: A student must attend school for at least a half- +day to be marked “present.” Check with the school leader to +determine what constitutes a half-day. In most schools, it is: +3 hours in elementary school +3 hours and 5 minutes in middle school +3 hours and 10 minutes in high school + +Credit Recovery (No Credit Policy Discontinued): To facilitate +competency-based grading across the district, the No Credit (NC) +policy regarding students having three unexcused absences in a +marking term (four unexcused absences in schools with three +marking terms) has been discontinued. As a result, schools +should no longer assign grades of “No Credit (NC)” to students. +The following guidance has been provided regarding credit +recovery for students: +● Passing grades should be competency-based, which may be +impacted by attendance due to missed assignments or +schoolwork but should not be tied exclusively to attendance +or participation. +● It is essential that schools reach out early and often to +students at risk of a failing grade. +● As an alternative, schools may mark a student with an +“incomplete” grade to enable equitable learning recovery. +● In all cases, a student not earning a passing grade must be +given the opportunity and responsibility to equitably +recover any learning loss or make up the work missed +within a marking period to earn a passing grade. +Excused/Unexcused Absences: Certain absences may be +excused, meaning the absence will not be considered as it relates + + +Page 7: +Superintendent’s Circular ACA-18 +Page 7 of 41 + + +to a referral to truancy court by a supervisor of attendance under +Massachusetts law (see Massachusetts General Law c.119). +However, all missed instructional time has the potential to +negatively impact student outcomes. In addition, all absences are +included as they relate to chronic absenteeism, regardless of +whether the absence is excused or unexcused. +● For an absence to be excused, students must bring in a note +after each day they are absent. +● The note must include the date absent, the reason for the +absence, a phone number where a parent or caregiver can +be reached, and the parent or caregiver’s signature. +● Upon return to school, the note must be provided no later +than seven (7) school days after the absence. +● Excused absences may include: +a. An illness or injury that prevents the student from +attending school. If the illness or hospitalization results in +absence for three or more consecutive days, a note from a +health care provider documenting the health problem or +hospitalization should be attached to the +parent/caregiver note. Parents/caregivers are not +expected to have a letter from a health care provider for +an illness of fewer than three days. The requirement to +have a letter from a health care provider will not +supersede specific public health determinations or +guidance. The school nurse can be consulted regarding +any questions or changes to this policy based on specific +circumstances. See COVID-19 Health and Safety Protocol +for students who exhibit symptoms of COVID-19. + + +Page 8: +Superintendent’s Circular ACA-18 +Page 8 of 41 + + +b. A death in the immediate family (parent/caregiver, +sibling, grandparent, aunt, uncle, cousin) or other +significant personal or family crisis. +c. Suspension: Students should be marked as suspended. In +cases of suspension, the school will provide an +opportunity for the student to maintain academic +standing in school by being provided a list of assignments +and other services which might enable the student to use +the time out of school productively. +d. Students assigned to Succeed Boston shall be assigned +work by the school of assignment and marked +constructively present. +e. Court appearances: Students should present evidence of +the requirement of the court appearance. +f. Medical or psychological tests during the school day: The +parent/caregiver must show evidence (such as a note +from the health center) that the tests could not be +scheduled after school. +g. Visits to special education schools in some cases for +students with disabilities. +h. Other situations: From time to time, situations over which +the school, parent/caregiver, and student have little or no +control may cause absences (for example, transportation +that does not operate during inclement weather). These +absences are excusable. The school leader may determine +that the students impacted shall be marked with an +excused absence. +i. Other extraordinary situations, such as a family +emergency, as approved by the school leader. + + +Page 9: +Superintendent’s Circular ACA-18 +Page 9 of 41 + + +j. Cultural holidays and religious holy days: To +accommodate students’ cultural and religious +observances on days when schools are in session, such +absences will be marked excused with the reason code +“Religious Holiday” upon submitting a valid note signed +by a parent or guardian. Please see Superintendent’s +Circular LGL-06 for more guidance or contact your +designated supervisor of attendance. The following is a +list of examples of holidays that are eligible to be excused: +Diwali, Eid al Adha, Edit al Fitr, Lunar New Year, Orthodox +Good Friday, Rosh Hashanah, Three Kings Day, and Yom +Kippur. This is not an exhaustive list, and students may +request that absences be excused for other cultural +holidays and religious holy days. Schools should provide +opportunities for students who are excused to observe +cultural holidays and religious holy days to submit missed +assignments or other makeup work for their absence. +Please contact the Office of Equity, 617-635-9650 or +bpsequity@bostonpublicschools.org, regarding any concerns +related to a student absence that is more than two consecutive +days or is not included on this list. This can include participation +in a cultural ceremony, bereavement or funeral, pilgrimage, trip, +etc., that requires students to be absent for more than two days. +In these instances, a student may be required to meet the +following criteria to be eligible to be given an excused absence of +more than two days for observance of a cultural or religious +holiday or for bereavement to attend a funeral for more than two +days: +● The student is not chronically absent, meaning the student +attended more than 90% of the school days to date. +● The student is earning a passing grade in all courses. + + +Page 10: +Superintendent’s Circular ACA-18 +Page 10 of 41 + + +Absences that do not meet the above criteria will be considered +unexcused. In all instances of student absence, students must be +given the opportunity to equitably recover any missed work or +learning loss during a marking period. +COVID-19 HEALTH AND SAFETY PROTOCOL +Students, families, and schools should observe the latest +guidance from the Center for Disease Control (CDC), BPS Health +Services, and the Boston Public Health Commission as it relates +to COVID-19 health and safety protocols. Absences as appropriate +per the most up-to-date COVID-19 protocols are considered +excused due to “medical/illness.” +RECORD-KEEPING AND ATTENDANCE IMPROVEMENT +School leaders bear final responsibility for improving attendance +in their schools, balancing between accountability and positive +engagement in their approach, and ensuring that performance +evaluations reflect staff members’ efforts in complying with this +policy and achieving the goal of improved attendance. +School-based governance: Each school’s Attendance Team (AT) +serves a critical role in prevention and intervention steps for +students with high absenteeism. It is a best practice for school +attendance teams to work in conjunction with the SST to refer +students when all available attendance intervention strategies +have been unsuccessful. It is also best practice for schools to +initiate prevention steps with students in the early days of the +school year or marking period. Schools should review students’ +past attendance history to initiate prevention steps for students +with a history of high absenteeism and refer students to the +school’s AT. Students with three or more unexcused absences will +be referred by a teacher or the school leader to the school’s AT on +an ongoing basis. The AT will review the case and work with the + + +Page 11: +Superintendent’s Circular ACA-18 +Page 11 of 41 + + +family to develop a success plan to help the student improve +attendance. School-based rules should be amended to include +attendance-related guidelines established through the Quality +School Plan (QSP). See Attendance Team Overview for additional +guidance. +ATTENDANCE IMPROVEMENT PLAN +Developed as part of the QSP, a school’s Attendance +Improvement Plan provides a roadmap of the critical prevention +and intervention activities a school will conduct throughout the +school year to ensure consistently high, on-time attendance for +all students. Each school is required to update its attendance +strategies in the QSP every 90 days. Schools should link a +document with their attendance prevention and intervention +steps by tier into the QSP. +To assess their implementation progress and request more +intensive assistance, the AT should complete the QSP +Attendance Implementation Progress Tool (Q3PT) at the 30- and +60-day marks of the QSP cycle. +The Attendance Fundamentals by Tier serve as an additional +resource. +This program should start with a warm and welcoming school +climate and should include phone calls home, student meetings, +parent/caregiver meetings, development of an attendance +plan/contract, attendance coaching, referral to Student Success +Team meetings, and/or attendance meetings. +Consistent follow-up and outreach to students and families +struggling with chronic absenteeism is a fundamental best +practice. Schools are expected to use the Panorama Student +Success Platform to monitor student attendance progress, as + + +Page 12: +Superintendent’s Circular ACA-18 +Page 12 of 41 + + +well as to document interventions and success plans. Schools +should also connect with community-based programs or +organizations that can support truancy issues. +Differentiating the Use of Aspen SIS and Panorama Student +Success Platform: +The Aspen Student Information System (SIS) is the system to +capture critical information for student records and maintain +compliance with regulatory requirements. As it relates to +attendance, schools will take attendance in Aspen. However, +schools expect to use the Panorama Student Success Platform to +document all attendance prevention and intervention activities, +using both the Support Notes feature and Tier 2 and 3 +Attendance Success Plans. Student attendance data entered in +Aspen is transmitted nightly to Panorama for attendance +monitoring and student success planning purposes. Staff should +use both Aspen and Panorama as follows: +Aspen will be used to: +● input daily student attendance. +● house the master student schedules and courses. +● enter course grades. +● house individual teacher schedules. +● record teacher attendance. +● record confidential student journal entries. +● recommend to Suffolk County Juvenile Court and record +documentation for an Attendance Intervention Plan (AIP). +Panorama Student Success will be used to: +● display student data. +● house Attendance Success Plans (Tier 2 and Tier 3). + + +Page 13: +Superintendent’s Circular ACA-18 +Page 13 of 41 + + +● assign team members for communication and +collaboration. +● record support notes related to student interventions and +student success plans. +● help track information in one place, including assessments +from Illuminate. +Note: The SOA is responsible for copying Attendance Success +Plan documentation from Panorama if the case is recommended +to the court and in other cases as necessary for compliance. +All Attendance Success Plans should be recorded as Tier 2 or Tier +3 plans in Panorama. Panorama allows the planning and +recording of interventions, along with notes, to monitor the +effectiveness of these interventions in setting improvement goals +in the student success planning process. Attendance teams at +the school level ensure Attendance Success Plans are created +and monitored in Panorama for all students with high chronic +absenteeism. At a minimum, every student who has attendance +at or below 80% (appearing as attendance critical in “red”) should +have an Attendance Success Plan in Panorama. It is a best +practice for schools to coordinate and communicate student +success planning with families. It is also a best practice for +schools to establish an attendance success plan at the beginning +of the school year for students who were chronically absent in +the previous school year. Effective student success planning +requires sharing the responsibility of plan creation, monitoring, +and intervention strategies among school staff, including +teachers, in collaboration with families, +Who should have an Attendance Success Plan? +Staff create the plan based on data in Panorama: + + +Page 14: +Superintendent’s Circular ACA-18 +Page 14 of 41 + + +● Tier 2 plans (best practice): Students whose attendance is +90% or below will display as chronically absent in Panorama +(yellow). +● Tier 3 plans (required): Students whose attendance is 80% or +less will appear as attendance-critical (red). +An additional quality check: +● Identify students with an AIP tag in Aspen (this tag indicates +the student has high absenteeism in the current marking +period and is eligible for truancy court referral). +What are the Essential Steps when creating an Attendance +Success Plan? +Create Attendance Success Plan in Panorama, and remember +these two key details: +● Log as Attendance +● Log as Tier 2 or Tier 3 +● Monitoring the plan collaborative and keeping it updated is +essential to successful outcomes +● Panorama will house student success plans (Tier 2 and Tier +3) — academic, attendance, behavior. +You will find more help with Panorama at the Office of Data & +Accountability (ODA) Platforms Help Site. +Questions: mtssdata@bostonpublicschools.org +BOSTON PUBLIC SCHOOLS PUNCTUALITY POLICY +Students who arrive after the beginning of the school day are +tardy. They must follow established tardy procedures to be +considered present for the day. +All students are expected to report to school on time every day. It +is the policy of the Boston School Committee (approved May 24, + + +Page 15: +Superintendent’s Circular ACA-18 +Page 15 of 41 + + +2006) that tardy students should be permitted into the school +building and not excluded. School leaders are directed to: +(a) +review their current school tardy policies in conjunction +with School Site Councils, +(b) +develop reasonable, non-exclusionary practices to deal +with student tardies and positive incentives to encourage +punctuality, and +(c) +closely monitor compliance with these policies. + +It is important to remember that the requirement that tardy +students be admitted to school does not equal a relaxation of the +rules covering attendance or tardies. Schools must make every +effort to encourage punctuality and discourage tardies. Schools +are also encouraged to distinguish between first-time instances +and repeated tardiness. +According to School Committee policy (approved June 6, 2007), +all high schools are directed to work with their School Site +Councils and student representatives to establish fair and +reasonable procedures to decrease student tardiness. These +procedures must adhere to the following guidelines: +1. Families must be notified by telephone call, in writing, or by +email of a student’s tardies. Schools should follow the same +prevention/intervention steps conducted for student +absences. +2. High school tardy procedures should explicitly detail how +they plan to further involve families in working with +students who exhibit excessive tardiness. As a rule of thumb, +excessive tardiness can be defined as being tardy for 10% or +more of school days. + + +Page 16: +Superintendent’s Circular ACA-18 +Page 16 of 41 + + +3. High schools’ tardy procedures should be linked in their +Quality School Plan (QSP), the development of which is the +responsibility of the School Site Council. +4. As a best practice, all schools should establish attendance +success plans in Panorama for students exhibiting excessive +tardiness. +All high schools, including pilot and Horace Mann charter schools, +are required to complete their tardy procedures with the above +guidelines (and other incentives/supports as deemed necessary +by the School Site Council) no later than October. Each school +must maintain a copy of its tardy procedures on file. +1. The teacher must take attendance at the beginning of every +class period in middle and high schools. After comparison of +period attendance with the school's daily attendance, +student cuts should be noted and addressed following the +appropriate prevention/intervention steps. +2. Middle and high school students who are tardy should be +marked absent for any class(es) they miss. +3. A student must be in attendance at least half of the school +day to be considered present. Notations of early dismissal +must be recorded with the time of dismissal, and +documentation indicating the reason should be kept on file +in accordance with school protocol. +ATTENDANCE RECORDS +The accounting and reporting of the attendance or absence of +each student assigned to a school is one of the school leader's +most critical responsibilities. Attendance record-keeping must be +precise to ensure accurate accounting of each student and +timely reporting of student attendance daily in the Aspen SIS. +Every school leader is required to account for the attendance + + +Page 17: +Superintendent’s Circular ACA-18 +Page 17 of 41 + + +and/or absence of students and is required to investigate and +take appropriate action for each absence. +GENERAL ATTENDANCE REQUIREMENTS +1. Attendance procedures must be reviewed with school staff +by school leaders during the teacher professional +development and training program before each school year. +Each teacher must sign a document maintained at the +school, verifying that they received these procedures and +training. +2. During the first week of school, homeroom teachers at all +levels should make personal calls to the parents/guardians/ +caregivers of their students to introduce themselves and +invite the parents/guardians/caregivers either to visit the +school or to call at any time to check on the attendance and +progress of their children. The message should reinforce the +need for consistent attendance and the procedures a +parent/caregiver should follow if their child is absent. In the +event any student has not reported at the start of the school +year, the teacher should inquire about the student’s failure +to attend. Teachers should document all communications +by updating the Aspen SIS with the attendance reason code, +including if a student will not be returning to school, and +update Panorama success plans and/or support notes when +applicable. +Students are expected to report within eight (8) days of the +first day of school or after an initial assignment. On the +eighth day, the student will automatically become a DNR +(Did Not Report) and be discharged from the school. Schools +have the responsibility to contact the parent/caregiver if a +student has not reported. Parents/caregivers should be + + +Page 18: +Superintendent’s Circular ACA-18 +Page 18 of 41 + + +made aware of this procedure when called if their children +have not reported. +Note: School leaders should always refer to the DNR +Procedure Memo released annually by the Office of +Welcome Services for the latest information regarding the +DNR process. This memo also outlines the procedures for a +DNR Exception. See the DNR Exception Form. +DNR PROCEDURE +For all students who do not report to school (DNR), the +following procedures are in effect: +i. +A student will hold a NAS (Newly Assigned Student) +code for a maximum of five (5) days after the first +day of school or after the initial assignment. On the +sixth day, a student will automatically become a +DNR (Did Not Report). +ii. +A student will hold a DNR code for a maximum of +three (3) days. At the end of the third day, a DNR +student will automatically lose their seat at the +assigned school. This will occur at the close of +business on the eighth (8th) day of school. +iii. +On the third day of DNR status (or on the eighth day +since the first day of school or of initial assignment), +a student's seat will be eliminated, allowing the +Office of Welcome Services to assign another +student to that seat. +iv. +The student will remain on the DNR list of the +school. See below for important details: + + +Page 19: +Superintendent’s Circular ACA-18 +Page 19 of 41 + + +Each school leader still has the responsibility of +investigating the situation and, if necessary, ultimately +discharging the student to remove them from the DNR list. +The discharge cannot happen until the school has +conducted an exit interview and collected appropriate +documentation from the family. This documentation must +be uploaded to Aspen. Please see the DNR Aspen Guide. +If you know that a student does not plan to enroll in BPS for +the current school year and you have collected appropriate +documentation from the family, you can withdraw them +from BPS without waiting for them to be withdrawn as a +DNR at the end of the eight-day period. +Please make sure to maintain a record of the appropriate +documentation, upload it to Aspen, and use the appropriate +discharge code when discharging the student. Here is a link +to the BPS Discharge Codes. +For students with an IEP, the Special Education Department +must also conduct an exit interview to inform the student +and caregivers of their rights. +The assigned supervisor of attendance (SOA) should be +notified to provide additional assistance when a school +cannot locate a student. +Note: The DNR process does not automatically discharge +any high-need special education students in an inclusion or +substantially separate program (.3 or .4 students). +3. School Attendance Teams (AT) at all levels are directed to +monitor student attendance using the Panorama Student +Success Platform and, in cases that so require, make +referrals to the Student Success Team (SST) and/or the + + +Page 20: +Superintendent’s Circular ACA-18 +Page 20 of 41 + + +appropriate health or human/social service agencies or +district services. +One of the initial responsibilities of the AT, in collaboration +with the SST, shall be to address the issues of (1) DNR +students and (2) students who were chronically absent in +the previous school year. +The status of each student who did not report (DNR) at the +start of the school year must also be investigated and +determined before discharging the student. +A primary focus of the AT is developing school-based +absence prevention and intervention strategies. A three- +tiered attendance system should be established, with +defined prevention and intervention practices that promote +consistent attendance among all students. The Attendance +Fundamentals by Tier is a resource and the BPS Tiered +Attendance System (TAS) is available to all schools as a +framework to help establish and improve their attendance +practices across tiers. +4. Complex cases and students with extensive patterns of +chronic absenteeism should be referred to supervisors of +attendance and/or the SST as appropriate after extensive +prevention/intervention steps have been tried and +documented. +WITHDRAWING STUDENTS +Once the school year has begun, the withdrawal of students that +are no longer enrolled at your school can be made at the school +level, not by Central Office staff. It is imperative that school staff +verify where the student is enrolled prior to withdrawing a +student. Please remember to keep documentation as to where + + +Page 21: +Superintendent’s Circular ACA-18 +Page 21 of 41 + + +the student is enrolling. Written or emailed documentation is +preferred. If the family texts you, we suggest sending a +screenshot to your email to make sure it is saved. This +documentation must be uploaded to the Aspen SIS. Also, please +make sure to use the appropriate discharge code when you +withdraw the student from BPS. Here are BPS Discharge Codes. +Acceptable documentation for withdrawing students includes: +1. A written request for a student’s records from a receiving +public or private high school or an educational program +(that culminates in a regular high school diploma). This +includes requests from the receiving school that come to +the district through Scrib Order. +2. Written record of a response from an official in the receiving +school or program acknowledging the student’s enrollment. +3. Written confirmation that a student has moved to another +country and will be continuing their education. For example, +if a parent informs a school administrator that the family is +leaving the country, the school administrator may +document this conversation in writing. +4. Letter from a parent/guardian updating the school +enrollment status of their child, including indication that +they will be continuing their education elsewhere. +5. Letter from the BPS Office of Expanded Learning Time +indicating an approved Educational Plan for homeschooling. +6. Record from the state's data system (Edwin DESE Security +Portal - Central Office Process) +If you do not have the above documentation at the time of +withdrawal, the student must be withdrawn as a dropout. See + + +Page 22: +Superintendent’s Circular ACA-18 +Page 22 of 41 + + +Aspen HelpDoc BPS Withdrawal Codes for a table of withdrawal +codes with acceptable matching documentation. +Note: The assigned supervisor of attendance should be notified +to provide additional assistance when a school cannot locate a +student. +DISCHARGE PROCEDURES +Students 16 Years of Age or Older On October 1st of the School +Year – Per MGL Ch. 76 Sec. 18: +1. By the first week of October, the school leader shall have +access to the list of students with the designation NAS or +DNR. +2. Within 5 days of the tenth consecutive absence, the school +leader must contact in writing (in the primary language +spoken in the home) the parent/caregiver of the student 16 +years of age or older to inform them of the requirements of +MGL c.76 s.18, and to request a meeting to discuss the +educational implications for the student if they do not +return to school, the benefits of earning a diploma, the +student’s reason(s) for wanting to leave school, and to +consider alternative education or other placements. The +notice shall offer at least two dates and times for an exit +interview, that the parties will agree to a date, and that the +meeting will take place within 10 days after the sending of +the notice. The school leader must reproduce and use the +sample form letter linked here and submit a copy to the +director of the BPS Re-Engagement Center within one +week. For students who have an IEP, the Special Education +Department must also conduct an exit interview to inform +the student and caregivers of their additional due process +rights. + + +Page 23: +Superintendent’s Circular ACA-18 +Page 23 of 41 + + +3. The school leader must conduct the meeting at the +convenience of the parent/caregiver, but within 10 days of +the sending of the notice. Upon parent/caregiver request, an +extension not to exceed 14 days may be granted. +4. If the student reports to school after the exit interview with +the parent/caregiver, the school leader must ensure that the +student is marked “P” on the attendance record. +5. If the student does not or shall not return to school after the +exit interview with the parent/caregiver, the school leader +must request a statement of the parent/caregiver on the +Sample Form Letter linked here. Submit a copy of this letter +to the BPS Re-Engagement Center and operational leader +and discharge the student using the protocol described in +this circular. This form is for a student whose assignment +within the Boston Public Schools is to be terminated, i.e., the +student is going to a private or public school outside the +City of Boston, or the unknown student whose absences +have been investigated thoroughly, or the student who has +"dropped out" of school. This process requires the following: +a. Retain one copy of the documentation at the school in +which the discharge is initiated. +b. Upload documentation to the Aspen SIS. +c. Issue one copy to the parent/caregiver of the student +going to a private school or another public school +system. +d. Issue one copy to the superintendent of the new school +system. If the student has transferred to either a +private school or to a charter school, this copy is sent to +the principal of the new school. + + +Page 24: +Superintendent’s Circular ACA-18 +Page 24 of 41 + + +6. Only after a good-faith effort to include the parent/caregiver +can the exit interview with the student take place without +the presence of the parent/caregiver. +7. The school leader must maintain detailed and readily +accessible records for each student justifying the activation +of discharge, which should be uploaded to the Aspen SIS. +Students Under 6 Years of Age on October 1st of the School Year +1. Within a week after the receipt of the NAS/DNR printout, +the school leader must contact in writing the +parent/caregiver of the student to inform them that a place +for the student has been reserved in the educational +program of the school. The parent/caregiver is encouraged +to ensure the student's attendance, AND the student must +report within one week, or the student shall be discharged. +Please use the attached form letter. +2. If the student does not report within one week, the school +leader must discharge the student according to the +procedures described in this circular. No additional +communication with the parent/caregiver is required. +Note: School leaders shall not discharge a student between +the ages of six and sixteen years until all procedures noted +in this circular are completed. Written notice should be +received by the supervisors of attendance. +Discharge Codes +It is important to use the appropriate discharge code when +withdrawing the student from BPS. Here is a copy of the +BPS Discharge Codes. + + +Page 25: +Superintendent’s Circular ACA-18 +Page 25 of 41 + + +GENERAL ATTENDANCE AND PUNCTUALITY PROCEDURES +1. School leaders must designate a member of their staff who +will be responsible for coordinating and monitoring the +school's attendance plan. This person shall report directly to +the building administrator concerning this effort and should +be part of the school AT. A best practice is to have this +person lead or co-facilitate the AT when appropriate. The +plan should take a whole-school approach and fully engage +the staff in implementing a tiered attendance system. +School leaders should also ensure that staff is assigned to +monitor attendance data and trends on an ongoing basis, +which may require additional training from the Office of +Instructional and Information Technology, Office of Data +and Accountability, or Department of Opportunity Youth +(SOAs). +2. Each student is marked Absent in the Student Information +System (SIS) on the first day of school and must be marked +Present to begin official enrollment. Enter a P on the first +day of attendance. Students who appear after the first day +of school should be entered on the date of appearance with +a P. +3. Official attendance will be taken and reported on the SIS +system by teachers. The central office will make an +automated call to all students coded as Absent by 11:00 am +every day. +4. Students who arrive after the beginning of the day are tardy. +They must follow established tardy procedures to be +considered present for the day. + + +Page 26: +Superintendent’s Circular ACA-18 +Page 26 of 41 + + +SUGGESTED STRATEGIES TO ADDRESS TARDINESS AND +ABSENTEEISM +In developing their Attendance Improvement Plan, schools +should focus on a positive approach to attendance, using +consistent prevention/intervention steps and implementing +specific strategies to address tardiness and absenteeism. The +district has developed a Tiered Attendance System (TAS) to +support schools in ensuring the consistency and effectiveness of +their attendance practices across the school, while the Panorama +Student Success Platform provides a framework to track and +monitor individual student attendance, interventions, and +success planning. See also Attendance Fundamentals by Tier. +Examples of strategies to address tardiness and absenteeism +include: +● Tiered intervention and prevention programs: +Tier 1: Reliable attendance reporting from every +classroom; positive school climate initiatives such as +maintaining positive relationships among school staff, +students, and families; consistent intervention and +prevention activities with documentation in Panorama; +School Attendance Committee; School Attendance +Culture. +Tier 2: Targeted attendance letters; attendance contracts; +student/family conferences; attendance success plans; +attendance coaching; mentorship programming. +Tier 3: Intensive case management or mentorship; +specialized programming; assigning staff to intentional +student check-ins; connections with and/or referrals to +specific support services or community resources. +● Use of restorative justice practices + + +Page 27: +Superintendent’s Circular ACA-18 +Page 27 of 41 + + +● Parent/caregiver and/or student-centered conferences +● Contracting with the student and/or parent/caregiver +● Learning Recovery/Attendance Buy-Back Time (for repeated +tardiness or unexcused absences) +Note: Schools are prohibited from excluding students from +physical activity during the school day, such as during recess +or physical education, as a disciplinary consequence. However, +a student may be prohibited from participating in athletics or +extracurricular activities on a school day when an unexcused +absence causes a student to miss more than 50% of the school +day. +Suggested other steps: +● Make MBTA schedules available at schools. +● Post rules on tardiness and punctuality in visible locations. +● Hold a conference with student and family for repeated +tardiness. +● Make phone calls to families of students who are tardy. +● Work with Attendance Team and/or SST and/or to +investigate root causes for student tardiness. +● Establish Student Planning Centers. +Please see the BPS Code of Conduct for additional guidance +regarding suggested strategies. +NOTIFICATION TO PARENTS/CAREGIVERS WHEN STUDENTS +ARE ABSENT +School leaders should inform all students and parents/caregivers +by means of a written bulletin, newsletter, or SchoolMessenger at +the beginning of each school year of the Attendance Policy and +the basic school attendance procedures adopted by the School + + +Page 28: +Superintendent’s Circular ACA-18 +Page 28 of 41 + + +Site Council. This information should be sent in the language of +the home. +Parents/caregivers should be advised that a signed note of +explanation shall be required each time a student is absent. The +note should state the date(s) of absence, the reason, the +parent/caregiver contact information, and the parent/caregiver +signature. The note should be sent in on the day the student +returns to school. The note must be received within seven (7) +school days following the absence. Here is a Sample +Parent/Caregiver Note for Excused Absence. Schools are +expected to use Panorama to document and monitor attendance +intervention activities, including documentation of each step +described below. +1. First Absence +The building administrator is responsible for ensuring that +school staff notifies parents/caregivers by telephone of all +student absences. This is best accomplished by the +homeroom teacher. In these conversations, +parents/caregivers should be reminded of (1) the need to +submit a note of explanation to document the reason each +time a student is absent, (2) the importance of consistent, +on-time attendance for a student to be successful in school, +and (3) that unexcused absences could result in the student +falling behind academically. +2. Second and Third Absence +Parents/caregivers must be notified in writing no later than +the student’s third absence (even if the absences were +“excused”) and on a regular basis thereafter. This notification +should include the attendance requirement, the number of + + +Page 29: +Superintendent’s Circular ACA-18 +Page 29 of 41 + + +days missed compared to the number of school days in the +marking period, and the impact of continued absence on +the student’s success. Note: These absences do not need to +be consecutive. This letter must be written in the language +of the home. Here is a Sample Absence Letter which can be +placed on the school’s letterhead. +3. Third Unexcused Absence +After the third unexcused absence, the student must be +referred to the SST by the homeroom teacher. The team will +review the case and meet to develop recommendations to +assist the student in improving attendance. The team may +invite the parent/caregiver and, at the secondary level, the +student to the meeting; however, if the parent/caregiver +does not attend the meeting, an effort must be made by the +school to contact and discuss the case with the +parent/caregiver. It is recommended that the SST develop +an attendance success plan in Panorama at this step. + + + + +Page 30: +Superintendent’s Circular ACA-18 +Page 30 of 41 + + +4. Fourth Unexcused Absence +At the fourth unexcused absence in any term, a meeting +shall be convened by the school leader, to which the +parent/caregiver shall be invited. If the school is unable to +contact the parent/caregiver, a home visit should be +conducted. The implications of student absence from +school, as well as the current academic status of the +student, will be discussed at this meeting. The success plan +developed by the SST after the third unexcused absence +should be reviewed. +5. Fifth Through Seventh Unexcused Absence +At the fifth unexcused absence, the student and the family +should be referred to the Family Resource Center or +assigned supervisor of attendance. +6. Eighth Unexcused Absence +After the eighth unexcused absence, for a student younger +than 16 years of age, the school’s designated attendance +representative shall coordinate with the assigned supervisor +of attendance to determine if it is necessary and appropriate +to file a truancy case with the Suffolk County Juvenile Court. +Instructions for Recommending an Attendance Intervention +Plan for Court describe the necessary steps to recommend a +case for court. In addition, the school should coordinate with +the school social worker for additional support. +This Notification to Parents/Caregivers When Students Are +Absent condenses the process described above. It serves as a +reference document for staff. + + +Page 31: +Superintendent’s Circular ACA-18 +Page 31 of 41 + + +Absence, tardy, and early dismissal notations must be recorded in +the Aspen SIS daily as the official system of record. School-wide +attendance monitoring using the Panorama Student Success +Platform should be conducted by the school leader or their +designee on a regular basis, but no less frequently than monthly. +EXCUSED ABSENCES +The student attendance record must be updated to reflect the +excused absence. An excused absence is defined as an absence +caused by sickness, injury, hospitalization, court appearances, +religious holy days, or the death of an immediate family member. +The school may accept other reasons for an excused absence as +approved by the school leader; however, if a note of explanation +is not received, the absence shall be deemed “unexcused.” +However, it is important to remember that all absences are +included as it relates to chronic absenteeism, regardless of +whether the absence is excused or unexcused. Prevention and +intervention steps should be conducted by the school to +minimize missed instructional time, regardless of whether +absences are excused or unexcused. In addition, +parents/caregivers should be informed of the definition of +chronic absenteeism and the impact it has on student outcomes: +Chronic absenteeism is defined as missing 10 percent or more of +the school year in any given period. All absences are included as +it relates to chronic absenteeism, regardless of whether the +absence is excused or unexcused. For an entire school year, a +student who misses 18 school days, or about two days per month, +will be considered chronically absent. +Parents/guardians/caregivers should be informed, as part of the +School-Based Rules, of those reasons that are accepted as + + +Page 32: +Superintendent’s Circular ACA-18 +Page 32 of 41 + + +“excused” and those that are not acceptable to excuse an +absence. +NOTIFICATION TO PARENTS/CAREGIVERS SHOULD A CHILD +LEAVE SCHOOL +1. All students must be supervised by a responsible adult at all +times during the school day. +2. Should a child be noted as missing, the school leader should +be notified immediately. +3. After an initial search of the school and immediate +neighborhood, the parent/caregiver should be notified by +telephone as promptly as possible, and the appropriate +departments should be notified. (See Superintendent’s +Circular SAF-09, Lost Children Procedures). +SAFETY CONCERNS RELATED TO ATTENDANCE +To maximize the protection and safety of all students, schools +should take the following measures: +1. Emphasize to the parent/caregiver that they should arrange +to be sure that their children reach the bus stop on time +every morning and that they board the bus. This should be +stressed in newsletters sent home at the start of each school +year. +2. Inform the parent/caregiver that they should notify the +school by telephone each day that their child will be absent +due to illness, etc. +3. Inform the parent/caregiver as soon as possible, including +through the SchoolMessenger system, of their children’s +absence. + + +Page 33: +Superintendent’s Circular ACA-18 +Page 33 of 41 + + +4. Ensure that the parent/caregiver supplies the school with +accurate, up-to-date home and emergency telephone +numbers and indicates the place their children should go if +they miss the bus, e.g., the home of a relative, friend, +neighbor, etc. These emergency numbers should be +updated as necessary. + +HOME & HOSPITAL TUTORING +When a physician determines that a student is physically unable +to attend school for more than 14 consecutive days or anticipated +to accumulate more than 14 absences in a school year, the +student should be offered tutoring at home or in the hospital. +The referral should be made to the Home & Hospital Instruction +program when the school nurse receives a Physician Statement. +The attendance for students participating in the Home & Hospital +Instruction Program should be marked “constructively present” +(CP). The school must document in writing all offers of home +tutoring and acceptances or rejections by the parent or caregiver. +If a parent/caregiver rejects home tutoring or other appropriate +academic services for a child who will be absent for an extended +period, a record of that rejection must be retained in the +student’s file, and a 51A should be filed with the Department of +Children and Families (DCF). When it is deemed by the student’s +attending physician or pediatrician that they will be confined to a +home or hospital setting for more than 60 days, the student will +then be considered for evaluation (if not a student with an IEP); +or if a student with an IEP, the student will then be considered for +a possible IEP amendment or new IEP by the Office of Special +Education under state regulation 603 CMR 28.04(4). + + +Page 34: +Superintendent’s Circular ACA-18 +Page 34 of 41 + + +PROCEDURES FOR REFERRAL TO SUPERVISORS OF +ATTENDANCE +SOAs build schools’ capacity to reduce chronic absenteeism. See +SOA Overview for details on how they can support your school. +This iteration of the attendance policy calls on schools to take +ownership of attendance and supportive interventions and to use +referrals to supervisors of attendance as only a measure of last +resort. In that context, this circular reflects the Boston Public +Schools’ procedures for referring students to the supervisors of +attendance (SOA). Under M.G.L. c.119, Section 21, Section 39E, +Section 39F, and Section 39G, Boston Juvenile Court may hear +petitions to determine if a child needs services. In Boston Public +Schools, only the SOA may file a Child Requiring Assistance (CRA) +petition on behalf of the district for attendance or behavior- +related matters. + It contains guidelines on: +● Procedures for referrals and Attendance Intervention Plan +(AIP) +● Child Requiring Assistance (CRA) filings +● Adult Failure to Cause (ADF). +BACKGROUND +M.G.L. c.119 Part 1 Title XII Chapter 69 Section 10 states that the +Department of Elementary and Secondary Education shall adopt +regulations establishing a truancy prevention program +certification process, consistent with the behavioral health and +public schools framework developed pursuant to section 19 of +chapter 321 of the acts of 2008, and shall require that the truancy +prevention program evaluate the level of out-of-school support +for students and families and address conditions that make +students more likely to become truant including, but not limited + + +Page 35: +Superintendent’s Circular ACA-18 +Page 35 of 41 + + +to, previously unidentified or inadequately addressed special +needs, bullying, and harassment. Any truancy prevention +program established under this section by a school district shall +meet the requirements for certification adopted by the +department. +Supervisors of attendance, working in collaboration with school +staff and external agencies, may file a court referral based on +investigative findings, prior attendance patterns, and present +problematic attendance. The filing of a CRA is the last resort if +other interventions by school, external agencies, and/or +attendance staff fail to bring about improvement. +The SOA may file the following CRA petitions with the mandatory +parent/caregiver date of birth: +● Habitually Truant: Civil charge filed on students who miss +school for 8 days in a quarter. +● Student Who Repeatedly Fails to Obey Regulations of the +School: Civil charges filed on students who repeatedly fail to +obey the lawful and reasonable regulations of the student’s +school. +● Adult Failure to Cause: Petition filed when a student’s +absence is beyond their control, but due to a caretaker’s +action or inaction, e.g., the child is too young to get to school +on their own. +ATTENDANCE INTERVENTION PLAN (AIP) +While all attendance intervention activities should now be +documented in the Panorama Student Success Platform, the +Attendance Intervention Plan (AIP) is available for each student +having four or more unexcused absences in the Aspen SIS. The +AIP in Aspen SIS serves the following purposes: + + +Page 36: +Superintendent’s Circular ACA-18 +Page 36 of 41 + + +● To identify students who are eligible for a court referral due +to eight or more unexcused absences in a marking period. +● For school leaders to recommend a case to court as a last +resort when all attendance prevention/intervention +strategies have been exhausted. +● To document any compliance-related attendance +intervention activities, particularly for cases that are +recommended to the court. Supervisors of attendance +(SOAs) will ensure that any compliance-related +documentation from Panorama is also entered to Aspen +(that is: if a case moves toward the court, the SOA is +responsible for copying the intervention plan from +Panorama into Aspen). +● For a quality check, wherein school attendance staff can +verify that all students who have an AIP generated in Aspen +SIS (because of four or more unexcused absences in a +marking period) also have an Attendance Success Plan +created in Panorama. As a best practice, all chronically +absent students should have an Attendance Success Plan in +Panorama. +Once a student has eight unexcused absences in a marking +period, the school leader may recommend the AIP for court in +the SIS. Supervisors of attendance (SOAs) will ensure that any +compliance-related documentation is also entered into Aspen, +including the attendance success plan, with attendance +intervention steps that were conducted with the student, as +documented using Panorama. +The parent/caregiver date of birth (DOB) is required in the judicial +process. The AIP will require the submission of the +parent/caregiver date of birth and documentation of intervention + + +Page 37: +Superintendent’s Circular ACA-18 +Page 37 of 41 + + +steps as an Attendance Success Plan in Panorama. Without this +information, the AIP cannot be recommended for court. +The SOA will investigate and report their recommendation in the +SOA comment section. The comments can be viewed by the +senders and the school leaders. The senders and the school +leaders can view the comments. Instructions for Recommending +an Attendance Intervention Plan for Court are here. +SCHOOL STEPS IN THE CHILD REQUIRING ASSISTANCE (CRA) +PROCESS +CRA: Truancy +1. Upon the 4th unexcused absence, the school leader or +designated staff and homeroom teacher will receive an +email notification from SIS informing them that an +Attendance Intervention Plan (AIP) has been initiated +during the term for a student. +2. Upon the 8th unexcused absence during the term, the +school leader or designated staff or homeroom teacher can +recommend that a student AIP be sent to court due to +excessive absences and non-compliance with the student’s +Attendance Success Plan, as documented in Panorama. The +AIP cannot be recommended for court if the student does +not have an Attendance Success Plan documented in +Panorama. At this time, the appropriate SOA will investigate +the case, referring to the action already taken by the school +to date and to the results that they have reported. The +investigation may include phone calls, +home/parent/caregiver work-site visits, school visits and +telephone calls, letters to parents/caregivers where +necessary, and, in some cases, contact with and referral to +involved agencies. + + +Page 38: +Superintendent’s Circular ACA-18 +Page 38 of 41 + + +3. The SOA will report the results of the investigation to the +school through the SIS system. The supervisor will also ask +that schools keep them informed of further attendance +problems. +4. If attendance does not improve, schools must send +additional AIPs to the Attendance Office only if the open +CRA has been closed, alerting the SOA to follow up once +more. Additional interventions should be documented in +Panorama to update the SOA on the school's subsequent +actions and results. +5. Subsequent investigation and follow-up will occur through +response in the SIS system, email, or attendance meeting. +6. Supervisors of attendance, working with school staff, make +decisions on future action based on investigative findings, +prior attendance patterns, and correspondence with +parents/caregivers and the school. One option is court +referral. The decision to file a CRA is made by the SOA based +on the finding and results of steps 1-4 and only after +exhausting all other possible courses of action. The CRA will +only be filed if the student has accumulated eight or more +unexcused absences in a single quarter and the school has +documented intervention steps using the Attendance +Success Plan feature in Panorama. +7. When the AIP is recommended for court, the SOA will notify +the school of this action using the Attendance Supervisor's +Information Form or will make personal or telephone +contact. A probation officer will be assigned to the child by +the court if a CRA is filed. +8. If attendance does not improve following a CRA filing, +communication with the assigned probation officer and/or +the SOA is required. + + +Page 39: +Superintendent’s Circular ACA-18 +Page 39 of 41 + + +CRA FOR STUDENT WHO REPEATEDLY FAILS TO OBEY +REGULATIONS OF THE SCHOOL +Decisions to file a Child Requiring Assistance (CRA) for a +student who repeatedly fails to obey regulations of the school +with the Suffolk County Juvenile Court should follow the +prevention/intervention steps and best practices of the BPS +Code of Conduct, including the Philosophy and Guiding +Principles. NOTE: A CRA for a student who repeatedly fails to +obey the regulations of the school can only be filed for +students in grade 6 and above. +1. After the third serious violation of school rules, the school +will request a CRA (repeatedly fails to obey school +regulations) in the SIS system to the Attendance Office for +follow-up and investigation. After filling out the request, the +following documents should be accompanied via fax: copies +of a letter signed by a school official on letterhead with the +prevention/intervention steps taken to improve the +student’s behavior. The school should also provide +documentation of the three serious violations. +2. The SOA will investigate the case and determine whether a +filing is warranted. They will report the decision to the +school. +3. When the CRA petition is filed, the SOA will notify the school +of this action using the attendance supervisor's SIS card or +will make personal or telephone contact. A probation officer +will be assigned to the child by the court. +4. If the student’s behavior does not improve following a CRA +filing, communication with the assigned probation officer +and/or the SOA is required, and the school should continue +to proceed with appropriate action under the Code of +Conduct. + + +Page 40: +Superintendent’s Circular ACA-18 +Page 40 of 41 + + +CRA: ADULT-FAILURE-TO-CAUSE PROCESS (ADF) +These cases are criminal complaints filed against +parents/caregivers who willfully prevent their children from +attending school. This is a serious charge requiring the sworn +testimony of the SOA on the school's behalf. Courts can fine +parents/caregivers, and in extreme cases, further +consequences can result from non-compliance. +The steps are the same as described for CRA cases, except that +it is filed against the parent/caregiver if the investigation +conducted by the SOA finds evidence to justify the filing, and +information about the parent/caregiver is required, which, in +some cases, can only be obtained by school staff. For example, +the complaint cannot be filed without the parent/caregiver’s +date of birth and physical description, as well as documented +evidence of attendance interventions using the Attendance +Success Plan feature in Panorama. Therefore, it is important +that school staff capture this information in advance of +recommending a case for court. + + + + +Page 41: +Superintendent’s Circular ACA-18 +Page 41 of 41 + + +For more information about this circular, contact: +Owner: +Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/AMT-01 Exam School Application and Admissions.txt b/data/data_txt/AMT-01 Exam School Application and Admissions.txt new file mode 100644 index 0000000..4bc7922 --- /dev/null +++ b/data/data_txt/AMT-01 Exam School Application and Admissions.txt @@ -0,0 +1,512 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +AMT-01 +Version 01 + + +EXAM SCHOOL ADMISSIONS: APPLICATION AND +ADMISSIONS PROCESS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools has three exam schools: Boston Latin +Academy, Boston Latin School, and the John D. O'Bryant School +of Mathematics and Science. All three schools accept new +students for grades 7 and 9. John D. O’Bryant School accepts a +small number of new students in grade 10. This circular outlines +operational details regarding the application process, GPA +calculation, test administration, and invitations. + +ELIGIBILITY +Students currently enrolled in grades 6, 8, or 9 and residing in the +City of Boston are eligible to apply to one of our exam schools for +the 2025-2026 school year. The application process to the three +exam schools includes an admissions test, student GPA, and +Boston residency. The GPA will account for 70% and the test score +will account for 30% of the application. Students may be eligible +for additional points if they meet specific criteria. +Students enrolled in a program for limited or interrupted formal +education (SLIFE) or enrolled in non-credit bearing courses, and +students that are not completing grade-level curriculum are not +eligible to apply for exam school admissions. + + + +Page 2: +Superintendent’s Circular ATM-01 +Page 2 of 14 + +RESIDENCY REQUIREMENTS +Students seeking admission to an exam school must be enrolled +in grades 6, 8, or 9 and live in the City of Boston to be eligible to +apply for admission for the 2025-2026 school year. The residence +of a minor child is presumed to be the legal, primary residence of +the parent(s) or guardian(s) who have physical custody of the child. + Students actively enrolled in a BPS school have previously +established residency during their initial registration process, and +do not need to resubmit documentation. Non-BPS families are +required to verify their residency in the City of Boston with a BPS +Welcome Center between October 15, 2024, and November 15, +2024. Families planning to participate in the Fall 2024 test +administration, must complete the residency verification process +and register for the test by November 8, 2024. +Students who must complete the residency verification process +include: +● Students attending a private school +● Students attending a parochial school +● Students attending METCO program schools +● Students attending Commonwealth Charter schools +(excludes UP Academy, Boston Green Academy, and +other “in-district” BPS charter schools) +● Students attending schools outside the City of Boston +● Students being home-schooled +The residency verification must be completed even if a family has +other children enrolled in the Boston Public Schools; the student is +receiving special education services from BPS; the parent/guardian +is a current City of Boston employee; or if the student was +previously enrolled in the BPS. + + + + +Page 3: +Superintendent’s Circular ATM-01 +Page 3 of 14 + +As part of the verification process, parents are required to provide +two approved proofs of residency that list the Boston home +address, the child’s original birth certificate, the child’s +immunization record, and the parent’s photo identification. In +addition, an authorization form for the release of student +information will be provided during the appointment. Refer to +the BPS Registration Document Checklist for details. +There are two ways to apply: +1. In-person: Schedule an appointment on this form and visit +one of the four BPS Welcome Centers to work directly with +a registration specialist. +2. By computer: Pre-register here and schedule an +appointment on this form to complete the application with +a registration specialist. A follow-up appointment either in- +person or over the phone is required. Please select ’Pre- +Register for BPS’ from the side menu. Click the first option if +you have never registered any child for Boston Public +Schools. Select the second option if you already have an +Aspen account. +A list of required and approved documents for the registration +application can be found in the BPS Registration Document +Checklist. + +GRADE POINT AVERAGE +The Exam Schools policy establishes baseline criteria for eligibility +beyond residency. Students must have a grade point average of B +or higher to be eligible to apply. The GPA will include prior year +marks in English Language Arts (ELA) and Math and the current +year marks in ELA, Math, Science, and Social Studies. + + +Page 4: +Superintendent’s Circular ATM-01 +Page 4 of 14 + +School leaders are expected to ensure that all marks and course +numbers are processed before grade point averages are calculated +by the Boston Public Schools. All applicants’ course marks must be +submitted along with school certification that they represent +performance against the Massachusetts curriculum framework +grade-level standards by February 7, 2025. Changes in the +transcription or computation of grade point averages will not be +accepted thereafter. +The table below outlines which subject areas and grading terms +are included for the next admission cycle. +Applying for: SY25-26 Entrance Year +7th Grade +• 5th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 6th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, +Math, Science, and Social Studies +9th Grade +• 7th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 8th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, Math, +Science, and Social Studies +10th Grade +• 8th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 9th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, +Math, Science, and Social Studies + + + +Page 5: +Superintendent’s Circular ATM-01 +Page 5 of 14 + +For SY25-26 admissions, both prior year and current year marks will +be considered to calculate the GPA. Prior year marks will be +weighted 50%, and current year marks will be weighted 50%. For +students with previous year international school records, only +current-year marks will be considered. Students must have marks +in each subject for the GPA to be calculated. Applications with +missing course marks, Incomplete (INC), or Pass (P) marks cannot +be processed and will be classified as ineligible. +The July 2021 update to the Exam School Admission Policy +stipulates that the district “develop and publish a coherent +district equitable grading policy using an A-F scale wherein an A+ +is treated like an A.” To address this requirement, the 12-point +grade scale will be rescaled from 0-12 to 0-11, where 0 points +represent an F and 11 points represent both A+ and A. This will +result in the following crosswalk from letter marks to point values +used in the GPA calculation. + +Letter +Mark +A+ A +A- B+ B +B- C+ C +C- D+ D +D- F +Point +Value +11 +11 +10 +9 +8 +7 +6 +5 +4 +3 +2 +1 +0 + +Students with grade 5 transcripts from Boston Public Schools +receive marks on multiple standards for each subject area using a +1-4 grading scale. The marks in Reading, Writing, and Math will be +converted to a 12-point scale for the purpose of calculating an +“overall” mark in the subject area (ELA and Math). If the “overall” +mark in either subject is above 11, the number will be rounded +down to 11 to align with the 1–11 point scale. + + + +Page 6: +Superintendent’s Circular ATM-01 +Page 6 of 14 + +Standard-Base Marks 4 +3 +2 +1 +Point Value +12 +9 +6 +3 +* Students participating in advanced courses (honors, AWC, AP, etc.) do not +receive additional points. +For more information regarding the conversion of marks and +calculating composite scores, please review the fact sheet. All non- +BPS schools are responsible for determining their own practices for +grade conversions. +TEST ADMINISTRATION +For SY25-26 admissions, completion of the NWEA MAP Growth +assessment will be required for admissions. Students will have +two opportunities to take the assessment, with the first in the +spring of 2024. For students who would like to improve their +score, or those who do not take the test in the spring, there will +be a second opportunity in the fall of 2024. Students are not +required to take the MAP assessment two times, but in the case +where there are two complete testing events (twice in Reading, +twice in Math), BPS will use the highest Math Score and the +highest Reading score, from either test event, for the invitation +process. + + + + +Page 7: +Superintendent’s Circular ATM-01 +Page 7 of 14 + +For 6th and 8th grade students currently attending a BPS school, +the test will be offered during the school day at their school. No +registration or action is necessary. However, for students in grade +9 at a BPS school; and students in grade 8 already attending a BPS +exam school, the test will be offered on the weekend. Registration +is required and is detailed below. +For students not currently attending a BPS school, the test will +also be offered on the weekend. Registration for the weekend +test is required and can be completed online or via a paper form. +Both will be posted on the exam schools BPS website. +ADDITIONAL POINTS +In addition to GPA and test scores, students may be eligible to +receive additional points towards their application. Students living +in housing owned by the Boston Housing Authority, are in the +care of the Department of Children and Families, or are +experiencing homelessness at any time during the time period in +which BPS collects grades (March 2024-February 2025) will +receive an additional fifteen (15) points. +Students attending a school in the spring of grade 5 (if applying +for 7th grade at an exam school), grade 7 (if applying for 9th +grade at an exam school), or grade 8 (if applying for 10th grade at +the O’Bryant) where 40% or more of the students enrolled come +from economically disadvantaged families over a 5-year average +will receive between two (2) and ten (10) additional points, +depending on the student's socioeconomic tier. (See below for +more information about the socioeconomic tiers). +The district will determine the list of schools eligible for these +additional points, as defined by the Department of Elementary +and Secondary Education (DESE). + To learn more about how the additional points are calculated, +you can view the Superintendent’s memorandum. + + +Page 8: +Superintendent’s Circular ATM-01 +Page 8 of 14 + +In the situation where a student has attended more than one +school in the spring of the 2023-2024 school year, the school that +submits the student's final marking period course marks will be +used to determine eligibility for the additional points. +In the situation where the student is a new resident of the City of +Boston, the school that submits course marks for the first +marking period of the 2024-2025 school year will be used to +determine eligibility for the additional points. +Additional points are not additive, so students receiving fifteen +points will not receive any additional points, even if they also +attend a school where 40% or more of the students enrolled +come from economically disadvantaged families. + +COMPOSITE SCORE CALCULATION +Admissions to exam schools will use a composite score +calculation that combines GPA, test scores, and additional points +(if eligible) into one number. The GPA and test score component +will be on a 0-100 scale. Students receiving additional points (as +described below) may receive a maximum score of 110 or 115. +For SY25-26 admissions and beyond, grades will make up 70% of +the composite score, and the test score will make up 30% of the +composite score. The GPA will be divided by 11 (based on the 11- +point scale explained above) and multiplied by 70. Similarly, the +test score will be scaled to a possible total of 30. The GPA +component and the test score component will be added together. +Any additional points that the student receives will be added to +the total score. For more detail on how BPS calculates students’ +composite scores, please review the Composite Score Calculation +Fact Sheet. + + +Page 9: +Superintendent’s Circular ATM-01 +Page 9 of 14 + +TIERS +Applicants will be placed into one of eight socioeconomic status +(SES) tiers based on their home address. Families can visit +bostonpublicschools.org/exam and use the interactive SES Tier +map to learn what SES tier their child will be considered within. +The socioeconomic status tiers are based on a socioeconomic +score for each census tract in the city and are updated each year +as annual data becomes available, typically in late winter of each +year. The socioeconomic score is a composite of five measures +from the American Community Survey and indicates economic +need relative to the other census tracts in the city. +• Percentage of persons below poverty +• Percent of households not occupied by the owner +• Percent of families headed by a single parent +• Percent of households where limited English is spoken +• Educational attainment +The tiers are proportionally sized based on the number of school- +aged children in grades 5-8 living in each census tract. Each tier +will have approximately the same number of seats available. +Within each tier, students will be ranked from the highest to the +lowest based on their composite score. If students have the same +composite score, a random number will be used to determine their +rank order. The student with the higher random number will be +ranked higher than the other(s). + + + + +Page 10: +Superintendent’s Circular ATM-01 +Page 10 of 14 + + +INVITATIONS +Invitations will be awarded through ten (10) invitation cycles, with +10% of seats available to each tier distributed in each cycle. Tier 1, +which is the tier with the lowest SES score will go first in each +cycle, and Tier 8, which is the tier with the highest SES score will go +last in each cycle. +Students will be invited to their highest-ranked exam school with +an available seat. If all the seats at a student’s first-choice school +are already allocated, the student will receive an invitation to +their second-choice school. If all those seats are already allocated, +the student will receive an invitation to their third-choice school +until all seats are filled. +SCHOOL CHOICE + Students must rank at least one exam school to be considered for +an invitation. However, a student may list up to three exam +schools and rank those choices by preference. Students will not +be considered for a school they did not list. For example, if a +student only ranks Boston Latin School and O’Bryant, they will +only be considered for invitations to those two schools. If a +student does not submit choice rankings for any exam schools, +they will not be considered for any exam school for an invitation. +BPS grade 6 and 8 students (during the fall of 2024) will receive a +continuous choice form in January 2025, through email and their +BPS school, where they will be asked to submit their school +preferences for the 2025-2026 school year. The continuous choice +form for BPS students is due by February 7, 2025. +BPS grade 9 students, and BPS grade 8 students already enrolled +in an exam school (during the fall of 2024), will be required to visit +a BPS Welcome Center to submit ranked school choices through + + +Page 11: +Superintendent’s Circular ATM-01 +Page 11 of 14 + +a transfer request in January 2025. This group of students will not +receive a continuous choice form automatically through their BPS +school. +Non-BPS students will rank schools during the residency +verification process, which ends on the third Friday of November +or November 15, 2024. +All submitted applications with ranked schools will be processed +at the same time. + +WAITLISTS +Boston Public Schools will create waitlists for the three exam +schools for all entry grade levels. +Students invited to an exam school for SY 2025-2026 will have +eight days from the first day of school to accept or decline their +invitation with the BPS Office of Welcome Services. We +encourage all families to respond to the invitation by the end of +May to ensure all students are assigned in a timely manner. +Students who met the minimum eligibility criteria but did not +receive an invitation to their top-ranked exam school will be +eligible to be placed on a waitlist for any exam school to which +they did not get invited. For all three exam schools, admissions +will only be open for students entering grade 7 and grade 9, as +well as grade 10 only for the O’Bryant school, and waitlists will +only be created for those grades. +Students must have ranked the exam school in order to be +considered for an invitation and be eligible to be placed on the +waitlist. Students who receive an exam school invitation to their +first-choice school will not be eligible to be placed on any waitlist. +Please note that BPS builds in some expected attrition into the +number of students invited to each exam school every year by + + +Page 12: +Superintendent’s Circular ATM-01 +Page 12 of 14 + +assigning more students than seats. As a result, students may +not be called from the waitlist until that expected attrition is +accounted for. +Waitlists will be capped at 100 students for each school and +grade. The ordering of the waitlist will function as a continuation +of the exam school invitation policy. Students will be ordered by +their composite score and random number within their SES Tier. +For students with the same composite score, the random +number will be used as the tiebreaker. +During the invitation process, students are invited to exam +schools through 10 invitation cycles, with approximately the +same number of seats being given out to students from each SES +Tier in each cycle. Once all the invitations have been distributed +for a given school and grade, we will continue to follow the same +process for the purpose of adding students to the waitlist. +The exam school waitlists will be handled separately from the +waitlist process for open-enrollment BPS schools. In other words, +a student can be on an exam school waitlist as well as other BPS +schools. Accepting a seat off a waitlist at a different school will +not affect a student’s place on the exam school waitlist. +BPS will contact families via phone and email as seats become +available at the three exam schools. Families will have up to 24 +hours to accept or decline the exam school waitlist. Please +ensure your contact information is up to date by visiting a BPS +Welcome Center. No exceptions to the 24-hour acceptance +deadline will be made. +The SY25-26 waitlists will remain in effect until November 30, +2025. After that date, the waitlists will expire. Waitlists do not roll +over to future years. + + + +Page 13: +Superintendent’s Circular ATM-01 +Page 13 of 14 + +TRANSFERS +Transfers between the three exam schools are no longer permitted. +Students are not allowed to change their invitation to a different +exam school, or transfer between the exam schools after +matriculation. If a student is interested in moving to a different +exam school for grades 9 or 10, they must reapply through the +formal application process. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES: +October 15 - +November 8, 2024 +Priority residency verification period for non- +BPS families & registration period for the +MAP Growth weekend test +November 11- +November 15, 2024 +Final week of residency verification for non- +BPS families registered for the MAP Growth +weekend test administration +December 2-13 +In-school test administration period +December 7, 2024 +Weekend test administration of MAP +Growth +January 2 - +February 7, 2025 +Marks submitted and certified by sending +school +March 2025 +Application status update sent to all +applicants +April or May 2025 +Admission decision notifications sent to all +applicants + + + + + +Page 14: +Superintendent’s Circular ATM-01 +Page 14 of 14 + + +For more information about this circular, contact: +Owner: +Director of Student Assignment and +Selective Admissions +Department: +Welcome Services +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9085 +Email: +exam@bostonpublicschools.org +Mary Skipper, Superintendent + + diff --git a/data/data_txt/AMT-03 DYS Committed Students.txt b/data/data_txt/AMT-03 DYS Committed Students.txt new file mode 100644 index 0000000..485ad76 --- /dev/null +++ b/data/data_txt/AMT-03 DYS Committed Students.txt @@ -0,0 +1,337 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +AMT-03 +Version 01 + + +ASSIGNMENT OF DEPARTMENT OF YOUTH SERVICES +(DYS) COMMITTED STUDENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The attached procedures for the assignment of Department of +Youth Services (DYS) committed students new to the Boston +Public Schools or re-entering the Boston Public Schools after +previous discharges have been developed to ensure the efficient +and appropriate assignment of DYS committed students to the +Boston Public Schools. +These procedures are the result of a collaborative effort between +staff of the Boston Public Schools and the Department of Youth +Services and should be adhered to in all cases pertaining to DYS +students. +I. +PROCEDURES FOR ASSIGNMENT OF DYS-COMMITTED +STUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR +RE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER +PREVIOUS DISCHARGES +To initiate and successfully implement the assignment of DYS +committed students to the Boston Public Schools, the +procedures listed below shall apply: +(Please refer to Section II below for additional requirements for +students recommended for special education.) + + +Page 2: +Superintendent’s Circular AMT-03 +Page 2 of 10 + + +1. Prior to the student's re-entering BPS, DYS shall write a +letter on its stationery including the following: +a. Verification of parent's address +b. Verification of the student’s address if different from +the address the student will live at once in a BPS +program +c. Purpose of re-enrollment, i.e., to start school or +request an evaluation by special education +d. Name, address, and telephone number of DYS +education liaison and caseworker +e. Reason, if any, why the student should not be re- +assigned to the previous school. +2. This letter shall be attached to the application and +forwarded by a DYS caseworker, educational liaison, or +representative to the student assignment specialist in the +appropriate Welcome Center at the time of application for +a school assignment, along with any other documents +needed to enroll the student in a Boston Public Schools +program. Documents should be provided if a student has +been in an educational setting that would change the +previous grade. +3. A DYS caseworker or educational liaison or representative +shall assist the student in the entry/re-entry process and +contact the school administrator in order to prepare +everyone for a successful return. +4. The returning student must be accompanied by a DYS +caseworker or educational liaison or representative when +returning to a Boston public school. + + + + + +Page 3: +Superintendent’s Circular AMT-03 +Page 3 of 10 + + +Upon application, Welcome Center staff shall: +1. Provide the parent/guardian/student and DYS +caseworker/liaison with a student registration form. +2. Explain and assist the parent/guardian/student and DYS +caseworker/liaison in the completion of the student +registration form. +3. Complete the appropriate information on the student +registration form. +4. Provide the parent/guardian/student and DYS +caseworker/liaison with a Home Language Survey form in +the language of their preference and assist them in the +completion of the form. +Attach to the student registration form: +a. The completed Home Language Survey form. +b. The DYS letter cited on page 2, (a) and (b). If no +address is stated in the letter, attach the proof of +residency required by Welcome Services (i.e., social +service agency ID or letter, preprinted, most recent +utility bills, bank statement, mortgage with address). +c. Proof of grade if available (i.e., a transcript +documenting courses and credits earned while in +DYS facilities or private placement). If proof of grade +is not available, the question of appropriate grade +level placement shall be addressed in the same way +it is done with non-DYS committed students. +d. Copies of immunization records for new enrollees. +5. Sign and specify the date on the bottom of the student +registration and Home Language Survey forms. +6. Provide the DYS caseworker/liaison with a copy of the + + +Page 4: +Superintendent’s Circular AMT-03 +Page 4 of 10 + + +assignment form given to the parent/guardian or student. +NOTES: +1. DYS is responsible for notifying the school of assignment +when a student is committed to DYS. Please note the +distinction between DYS detained and DYS committed +students. Notification for committed students will come in +the form of a request for records. +2. The Office of Welcome Services is responsible for +contacting the appropriate special education assistant +program director in those cases where the DYS student +re-entering the BPS has a current/signed IEP to determine +the status of the student. +II. +PROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED +STUDENTS RECOMMENDED FOR SPECIAL EDUCATION +PROGRAM +If a DYS committed student is in a detention center, secure +facility, or private special education school and is recommended +for a BPS special education program, a special education +evaluation shall take place. The private school coordinator or +supervisor for contracted services is responsible for the +evaluation procedures as follows: +1. If the DYS student is in a secure facility or detention center, +the private school coordinator assigned to DYS is responsible +for the evaluation. +2. If the DYS student is in a Chapter 766-approved private +school, the private school coordinator assigned to that +private school is responsible for the evaluation. +3. If the DYS student is out of school but last attended a +Chapter 766-approved private school with Regional + + +Page 5: +Superintendent’s Circular AMT-03 +Page 5 of 10 + + +Review Board approval within the previous school year, +the private school coordinator assigned to the previously +attended private school is responsible for the evaluation. +If greater than one school year, or a private program is not +766-approved, the assigned school’s coordinator is +responsible for the evaluation. +4. If the DYS student is out of school and has no current +school assignment, the private school coordinator is +responsible for the evaluation. The DYS caseworker/liaison +is responsible for submitting all current assessments of +the student. +The DYS caseworker/educational liaison or representative shall +determine the student's assigned school by calling the Office of +Enrollment Services at 617-635-7750. +DYS shall refer the student to the special education program +director or SESS coordinator at the assigned school for an +evaluation. For a reevaluation, a request letter will be sufficient +containing the student's current address, telephone number and +contact person if other than parent. Special education program +directors or SESS coordinators are responsible for providing these +forms and assisting in their coding, and for the evaluation +procedures. +The supervisor of contracted services, special education program +director, SESS coordinator, or private school coordinator and the +DYS caseworker/liaison shall work jointly to obtain +parent/guardian signature on a Consent for Evaluation or +Reevaluation and Release of Information forms. The supervisor, +program director, or coordinator shall complete the evaluation or +reevaluation within the prescribed timelines and, based on the +TEAM findings and the recommendation written on the + + +Page 6: +Superintendent’s Circular AMT-03 +Page 6 of 10 + + +Individualized Education Program (IEP), request placement in a +special education setting, as follows: +1. If the TEAM recommends that the student be assigned to +a full or partial inclusion setting other than a sub-separate +setting, the supervisor, program director, or coordinator +and the DYS caseworker/liaison shall work jointly to obtain +written parental approval of the IEP. +2. Upon receipt of the signed first page of the IEP, the +supervisor, program director, or coordinator shall give a +copy of the signed approved IEP to the DYS. +3. If the TEAM recommends that the student be assigned to +a substantially separate setting, the supervisor, program +director, or coordinator shall submit copies of the required +assessments and IEP to the assignment coordinator for a +decision regarding the student's placement in +collaboration with the level assistant director prior to +requesting or recommending a specific school +assignment. +4. The supervisor, program director, or coordinator shall +present DYS and the parent/guardian/student over 18 +years of age the recommended placement option. +5. The supervisor, program director, or coordinator and DYS +shall work jointly to obtain written approval of the IEP. +6. Upon receipt of the signed IEP, the supervisor, program +director, or coordinator shall forward a copy of it to the +appropriate level assistant director and give a copy to the +DYS caseworker/liaison, who will then attach such copy to +the DYS letter referred to in Section I.A. and present both +documents at the time of application for a school +assignment, along with any other documents needed. + + +Page 7: +Superintendent’s Circular AMT-03 +Page 7 of 10 + + +7. The level assistant director shall complete the DI5 form +and forward it to the Enrollment Planning and Support +Unit to finalize the assignment. +It is important to note that the TEAM may also determine that +the student needs no special education services. In these cases, +the program director or coordinator will provide a letter +indicating the TEAM decision of no eligibility and provide it to the +DYS caseworker. +III. +PROCEDURES FOR MAINTAINING COMMUNICATION +BETWEEN DYS AND BPS AFTER A DYS COMMITTED +STUDENT IS ASSIGNED TO A BOSTON PUBLIC SCHOOL +Contact Person in School of Assignment +For students who have entered/re-entered the Boston Public +Schools from a DYS placement, DYS staff shall contact the head +of school or principal, who may delegate the ongoing liaison +function to any of the following school-based staff: +1. For regular education students, the guidance +counselor/advisor designated by the head of school or +principal (for secondary schools) or the principal or +designee (for elementary schools). +2. For special education students, the special education +program director or SESS coordinator. At the middle +and high school levels, the program director or SESS +coordinator shall keep the guidance staff informed of +all DYS contacts made. + + + + +Page 8: +Superintendent’s Circular AMT-03 +Page 8 of 10 + + +NOTE: In the case of both regular and special education DYS +students, the school's contact person(s) is responsible for keeping +the building administrator fully informed relative to the status of +DYS students assigned to the building. +Contact Persons at DYS +For students who have entered/re-entered the Boston Public +Schools from a DYS placement, school-based staff may contact +the following DYS personnel. (Because names may change, only +titles are given; school staff may need to ask for specific names.) +1. Director of caseworker services, 617-727-7575 +2. Educational liaisons, 617-727-7575 +The following steps should be taken in case of emergency: +1. The head of school/principal who is having an emergency +with a DYS student should contact the director of casework +services, 617-727-7575, who will refer the case to the +appropriate DYS staff. +2. In non-emergency situations, the head of school/principal or +designee should maintain the usual ongoing +communication with the assigned caseworker or other DYS +staff. When in doubt, the director of casework services, 617- +727-7575, may be contacted. +• If a student committed to a DYS facility enrolls in the Boston +Public Schools at any time during the school year or in the +summer, DYS shall advise the respective head of +school/principal that the student was assigned and provide +the name of the DYS contact person. +• If a DYS student who enrolled in a designated BPS school +transfers to another BPS school during the year, the head of + + +Page 9: +Superintendent’s Circular AMT-03 +Page 9 of 10 + + +school/principal or designee of the sending school shall +contact the head of school/ principal of the receiving school +and inform them about the transfer. +• By September 1st of each year, DYS shall generate a list of +DYS students assigned to Boston Public Schools, indicating +the school to which the student is assigned and the DYS +contact person for each student. This list should be updated +bi-weekly until December and monthly thereafter and sent +to the Office of Welcome Services for verification. +• DYS shall designate a liaison to meet periodically with staff +from the Office of Welcome Services or designee to follow up +on the status of DYS students who have been assigned to +BPS schools. +Principals/heads of school interested in annual in-service sessions +for their staff with participation of DYS staff should contact the +director of casework services, 617-727-7575. +For more information about this circular, contact: +Owner: +Director of Student Assignment and Selective +Admissions +Department: +Office of Family and Community +Advancement +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-7698 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular AMT-03 +Page 10 of 10 + + + + + diff --git a/data/data_txt/AMT-04 Grade Requirements.txt b/data/data_txt/AMT-04 Grade Requirements.txt new file mode 100644 index 0000000..636f7a6 --- /dev/null +++ b/data/data_txt/AMT-04 Grade Requirements.txt @@ -0,0 +1,276 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +AMT-04 +Version 01 + +GRADE LEVEL PLACEMENT REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The Boston Public Schools has established grade level placement +requirements for Grades K-12, which are detailed herein. +GRADES K0 - 1 +The Boston Public Schools has established the following age +requirements for entrance to kindergarten programs and grade 1: +Grade Level +Age as of +September 1 +K0 +3 +K1 +4 +K2 +5 +1 +6 + +Students who will be 6 years old by September 1, but after June 30, +may, if they believe appropriate, request a waiver to register for K2 +instead of grade 1. This request must take place prior to registration +and must be accompanied by an early education provider’s +recommendation. Requests should be made to the interim executive +director of Early Childhood at tdias@bostonpublicschools.org, 617- +635-9701. +There are no other exceptions to this policy. + + +Page 2: +Superintendent’s Circular AMT-04 +Page 2 of 8 + +GRADES 2 - 8 +The following requirements will be in effect for grades 2-8 at all +schools, including Early Education Centers and Early Learning +Centers: +Grade +Age as of +September 1 +2 +7 +3 +8 +4 +9 +5 +10 +6 +11 +7 +12 +8 +13 + +In cases where a student is registering into Boston Public Schools +with documented proof of successful completion of the current +grade, the student must also present documentation to their +assigned school within 30 days of reporting. If the school +recommends a change in the student’s grade placement, the school +leader must submit a “Grade Level Change” request form (below) to +their school superintendent or operational leader for approval and +processing by Welcome Services. +Grade-age assignment in the Boston Public Schools is structured to +provide a supportive environment in which each student is able to +grow both academically and socially. BPS understands students may +learn differently and need appropriate adjustments to their +curriculum to ensure they are learning at a pace that fosters success. +Therefore, teachers are trained to adjust + + +Page 3: +Superintendent’s Circular AMT-04 +Page 3 of 8 + +curriculum and make additional recommendations for students +within their classrooms. +GRADES 9 - 12 +Students who are new to BPS will be assigned to a grade based on +their age. Students should be aware that schools may shift their +grade level upon enrollment in their assigned school after a +transcript review with their school counselor. +Students with disabilities will be placed in accordance with the grade +level indicated by their IEP. +If the student has not recently attended school in the U.S., a U.S. +territory, or does not have a current transcript, Welcome Services will +assign students as indicated below: +Age as of +September 1* +General Education, Never LEP, or +ELD 1-5 +14-16 +Grade 9 +15-17 +Grade 10 +16-18 +Grade 11 +17-18 +Grade 12** +19-21 + Referred to Re-Engagement +Center +22 + Students will be recommended +to Adult Education +* +The age range is dependent on minimum age and takes into +account consideration of students who may have been retained +or started their academic journey at an older age from their home +country. +** Students with sufficient documentation, clearly displaying the +completion of grade 11, will be placed in grade 12. + + +Page 4: +Superintendent’s Circular AMT-04 +Page 4 of 8 + +Students who are entering high school are to present prior school +records to their assigned school within 30 days of reporting. +For more information regarding the Maximum Age Policy, see the +Revised Maximum Age Assignment And Enrollment Policy. +GRADE LEVEL ADVANCEMENT OR REGRESSION +If a family/emancipated student is contesting their grade level +placement due to the grade-age assignment process followed while +in a Welcome Center or the Newcomers Assessment & Counseling +Center (NACC), the student must be assessed by the school. If the +school recommends a change in the student’s grade placement, the +school leader must submit a “Grade Level Change” request form to +their school superintendent or operational leader for approval and +processing by Welcome Services within 30 days of student reporting +to school. +If after a period of at least one academic term/semester, a school +team1 determines that a particular student may benefit from a grade +level change due to exceptional advancement or regression based +on other conditions not present during the registration period, a +school leader may request a grade level change by completing the +“Grade Level Change” request form and submitting to their school +superintendent or operational leader for approval and processing by +Welcome Services. All changes must be completed by the end of the +first marking period. + + +1 School-based teams must be composed of content teachers, +English Learner, and Special Education faculty based on the +student’s instructional program. + + +Page 5: +Superintendent’s Circular AMT-04 +Page 5 of 8 + +For more information about this circular, contact: +Owner: +Director of Student Assignment and Special +Admissions +Department: +Welcome Services +Mailing Address: +2300 Washington Street, 2nd Floor, Boston, MA +02119 +Phone: +617-635-9010 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 6: +Superintendent’s Circular AMT-04 +Page 6 of 8 + +GRADE LEVEL CHANGE REQUEST FORM - DIRECTIONS +Find below the description of criteria and evidences that you will +need to fill out the form on page 8. +Criteria for Grade Level Change: Documentation and rationale are +required for all recommendations. +1. A grade level placement is contested due to a grade-age +assignment process followed during registration. This form +must be completed within 30 days of student reporting to +school. +2. A school recommends a grade level change for a student due +to exceptional advancement or regression based on other +conditions not present during the registration period. This +form must be completed by the end of the first marking +period. +3. A Grade Level Change Request Form must be approved by a +school superintendent or operational leader. After approval, +Welcome Services will process the request. +4. Students may not be retained more than once at any level +(elementary, middle, or high school). +5. In a grade level change that requires a new school +assignment, the sending administrator must contact and +update the receiving administrator. +6. If an English Learner is being recommended for a grade level +change, evidence must be provided that this is not due to +language proficiency, and student/family have been informed +and are in agreement with the change. + + + + + +Page 7: +Superintendent’s Circular AMT-04 +Page 7 of 8 + +Evidence’s Options +1. The request meets BPS district guidance in terms of +attendance, academic achievements, OR interventions +demonstrated through student work, grades, and +assessments. A school narrative must be attached. +2. If the student is in a Special Education program: The student +has an IEP that specifically and in writing exempts them from +certain provisions of the promotion policy. IEP attached. +3. If the student is an English Learner: There is evidence of a +transcript review and parent communication that shows an +agreement with the recommendation. All documents must +be filed in the student’s ELD Folder. + + + +Page 8: +Superintendent’s Circular AMT-04 +Page 8 of 8 + +GRADE LEVEL CHANGE REQUEST FORM (*) + +Name of Student: ________________________________________________ +School: ___________________________________________________________ +Student ID: __________________Current Program: __________________ +ELD Level: __________________ SN Code: ___________________________ +Purpose of Request: + Grade Progression: ______________ to ______________ + Grade Regression: _______________ to ______________ +When/how was the parent/guardian informed of this request? + __________________________________________________________________ + __________________________________________________________________ + +OPTIONS (**) +Evidence meets requested change +YES +NO +Option 1 + + +Option 2 + + +Option 3 + + + +Signature of sending school leader: +___________________________________________ Date _________________ +Signature of school superintendent/operational leader: +___________________________________________ Date: ________________ +Review/Approval, Welcome Services: Space available? YES ☐ NO ☐ +(*) Directions on pages 6 & 7; (**) Options descriptions are listed on page 7 + + + + diff --git a/data/data_txt/AMT-05 Maximum Age Assignment and Enrollment Policy.txt b/data/data_txt/AMT-05 Maximum Age Assignment and Enrollment Policy.txt new file mode 100644 index 0000000..6f34b0e --- /dev/null +++ b/data/data_txt/AMT-05 Maximum Age Assignment and Enrollment Policy.txt @@ -0,0 +1,215 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +AMT-05 +Version 01 + + +REVISED MAXIMUM AGE ASSIGNMENT AND +ENROLLMENT POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +In July 1999, the Boston School Committee adopted a new policy +of the Boston Public Schools (BPS) covering the maximum age +for school attendance. In 2019, the School Committee updated +the maximum age assignment and enrollment policy to include +the current options available within the network of BPS +alternative education schools and new opportunities for students +to continue their education in the district. The revision to the +original maximum assignment policy clarifies the process and +streamlines the enrollment and placement of overage students, +minimizes the risk of students transitioning to adult school +programming in the middle of a semester when they turn 22 +years old, and expands the range of program options in Boston +Central Adult High School (BCAHS) to meet the needs of overage +students in an adult education setting. +ENROLLMENT OF OVERAGE STUDENTS (19 YEARS OLD OR +OLDER) +• Requires the Re-Engagement Center to assess needs and +make recommendations for the school/program +assignments of students new to BPS who are age 19 or +older. +• For students 19 years old or older who are more than a year +from graduation (based on the Re-Engagement Center + + +Page 2: +Superintendent’s Circular AMT-05 +Page 2 of 6 + +transcript review), enrollment options will be presented for +BPS alternative education programs designed to support +overage, under-credited students. +• For students 19 years old or older who are less than a year +from graduation (based on the Re-Engagement Center +transcript review), enrollment options will be presented for +traditional high school programs and/or BPS alternative +education programs designed to support overage students, +based on availability and student needs. +EXISTING OVERAGE BPS STUDENTS (19 YEARS OLD OR OLDER) +• Establishes a systematic proactive review process through +the Re-Engagement Center whereby the district will +monitor the progress and counsel currently enrolled +overage students on an annual basis. +• Establishes that if a student without special needs (without +an Individualized Education Plan) will turn 21 years old on or +before August 31st they will be ineligible for enrollment in a +BPS traditional or alternative education school for the +upcoming school year, and will be referred to BCAHS (day +program, evening program, or a satellite adult education +program authorized by BCAHS) or an external adult +education program by the Re-Engagement Center. +• Establishes that students turning 21 years of age on or after +September 1st are eligible for enrollment for that school +year. +• Clarifies that services for eligible students with disabilities +will continue to be governed by the Individuals with +Disabilities Education Act (IDEA) and Massachusetts General +Law c. 71B up to and through that student’s 22nd birthday, + + +Page 3: +Superintendent’s Circular AMT-05 +Page 3 of 6 + +when deemed appropriate by an IEP team. +• Provides guidelines for how the district will support +students who turn 21 years old on September 1st or later +through the Re-Engagement Center as they transition into +programs including: BCAHS (day program, evening +program, or a satellite adult education program authorized +by BCAHS) if space is available, or an external adult +education program. +THE MAXIMUM AGE ASSIGNMENT POLICY +All students who are seeking a BPS school assignment, including +new students, re-enrolling students, and students already +enrolled in the BPS will be provided enrollment options that will +best meet their needs in providing a path forward to meeting the +requirements of a BPS high school diploma. The revised +maximum age assignment and enrollment policy acknowledges +that some students may benefit from the alternative education +setting to ensure they can earn the credits required for +graduation prior to the end of the school year in which they turn +21 years old. Students transitioning to alternative education +schools and programs designed to serve the overage population +will retain any and all rights and privileges accrued change +“accrued” to “afforded to students…” to students admitted to or +enrolled in traditional day school programs as required by +Massachusetts law. +New BPS students and re-enrolling students who are age 19 and +older will be directly referred to the Re-Engagement Center by +registration specialists at the Welcome Center to determine the +most appropriate placement. As with all enrollment applications, +if applicable, the Office of Special Education will review each +student’s Individualized Education Plan (IEP) and any reports + + +Page 4: +Superintendent’s Circular AMT-05 +Page 4 of 6 + +presented by the student and/or family to determine how to +move forward with options for the student. +Once referred to the Re-Engagement Center, specialists will +review each overage student’s transcript, enrollment history, +state assessment results, and Early Warning Indicators to +determine the most appropriate placement for the student to +attain a high school diploma prior to turning 21 years old. +Enrollment options at traditional high school programs and/or +alternative education programs will be presented based on +availability and student need. BPS Welcome Services will +manage the technical aspects of the enrollment and assignment +process after the Re-Engagement Center assesses student needs +and makes recommendations for placement. Current alternative +schools and programs for SY23 that meet the criteria to serve +overage students include Boston Adult Technical Academy +(BATA), Accelerated Diploma Program (ADP), LogOn Academy at +Boston Collaborative High School, and ABCD’s University High +School. This list of options for overage students will be updated +annually as needed. +Currently enrolled BPS students who will reach the age of 19 +before September 1st of the following school year will be +provided an option to enroll at an alternative education school or +program designed for overage and/or under-credited students. In +the revised policy, the responsibility of these recommendations +will be designated to Re-Engagement Center specialists. The Re- +Engagement Center will notify headmasters of students who are +eligible for a transfer based on age during the spring semester. +Re-Engagement Center specialists will recommend the most +appropriate placement in an alternative education setting or +continued enrollment at their current school after a review of +each overage student’s transcript, state assessment results, + + +Page 5: +Superintendent’s Circular AMT-05 +Page 5 of 6 + +enrollment history, and assessment of Early Warning Indicators. +Additionally, if determined that a transfer is in the student’s best +interest, the Re-Engagement Center will meet with students and +their parents, provide multiple alternative education options that +are appropriate for overage students, and work with students +and parents through the process of the transfer to the alternative +education program selected prior to the start of the school year. +BPS Welcome Services will continue to manage the technical +aspects of enrollment and assignment process based on these +recommendations. +The revised maximum age assignment and enrollment policy +clarifies that if a student will turn 21 years old on or before August +31st, the school based-administration team will meet with the +student, and the student will be required to transition to a +program designed for adults (e.g. Boston Central Adult High +School, Department of Developmental Services, or other adult +school program). Students who will turn 21 years old during the +school year will be allowed to remain enrolled through the end of +the school year in June and, if necessary, through the end of +summer session in August. Once referred to the adult school +program, the process of this transition will be managed by the +Re-Engagement Center. +Students who are unable to earn a high school diploma by the +end of the school year in which they turn 21 years old will be +referred to BCAHS (day program, evening program, or a satellite +adult education program authorized by BCAHS) or an external +adult education program by Re-Engagement Center specialists +and the headmaster. The referral will be made prior to the start of +the final spring semester in which a student is 21 years old to +support an appropriately timed transition. Prior to the student +exiting their school and transitioning to an adult school option, + + +Page 6: +Superintendent’s Circular AMT-05 +Page 6 of 6 + +the headmaster and/or academic counselor will provide an exit +survey and counseling opportunity to share potential placement +in the Boston area. Upon exiting a BPS traditional or alternative +high school, the student will be presented with options to +continue their education toward a high school diploma or HiSET +certificate (graduation equivalent) through the exit survey and +meeting offered by the headmaster and/or academic counselor. +Services for eligible students with disabilities will continue to be +governed by the Individuals with Disabilities Education Act +(IDEA) and Massachusetts General Law c. 71B up to and through +their 22nd birthday, when deemed appropriate by an IEP team. +For more information about this circular, contact: +Owner: +Director of the Re-Engagement Center +Department: +Office of Secondary Schools, Re- +Engagement Center +Mailing Address: +2300 Washington Street, 4th Floor, Roxbury +MA 02119 +Phone: +617-635-2273 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/AMT-06 Voluntary Transfer Policy.txt b/data/data_txt/AMT-06 Voluntary Transfer Policy.txt new file mode 100644 index 0000000..3ddb9c6 --- /dev/null +++ b/data/data_txt/AMT-06 Voluntary Transfer Policy.txt @@ -0,0 +1,74 @@ +Page 1: + + Superintendent’s +Circular + NUMBER: +AMT-06 +Version 01 + + + +VOLUNTARY TRANSFER POLICY. +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +This updated policy provides clear guidance regarding the +allowances and restrictions on school transfers, including an +explanation of the types of transfers that would be considered +voluntary or involuntary and the restrictions on the numbers of +transfers allowed for different grade levels. This policy has +evolved over time beginning with the 1992 Operating Guidelines +for Implementing Changes in the Controlled Choice Student +Assignment Plan and the1999 Interim Report on Streamlining the +Boston Controlled Choice Student Assignment Plan. This circular +does not appreciably shift policy or practice, but rather clarifies +and updates language to reflect the current Home-Based +Assignment Plan. +In June 1999, the School Committee amended the policy of the +Boston Public Schools covering voluntary transfers of students. +The amendments provide for the following: +Elementary school students (PK-6) may receive ONE (1) school +transfer during an academic year. +Middle school level students (grades 7 & 8) may receive ONE (1) +school transfer during their middle school careers. +High school students (9-12) may receive ONE (1) school transfer +during their high school careers. + + +Page 2: +Superintendent’s Circular #AMT-6 +Page 2 of 2 + +Change to school assignments due to change of address, safety, +programmatic, moving off a waitlist, and disciplinary reasons are +not considered voluntary transfers with respect to the number of +transfers allowed. +Students who permanently move out of their original home base +are required to attend a school in their new home base; however, +they may be allowed to continue in their current schools if their +parent(s) request(s) continuation in the current schools in writing +with Welcome Services and agrees to arrange and provide +transportation. Students who move after April 1 will not be +required to change schools until the following school year. + +For more information about this circular, contact: + +Owner: +Director of Student Assignment and Selective +Admissions +Department: +Welcome Services +Mailing +Address: +2300 Washington Street, 2nd Floor, Roxbury, MA +02119 +Phone: +617-635-6058 +Email: +ofca-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + + diff --git a/data/data_txt/AMT-07 Safety Transfer Request.txt b/data/data_txt/AMT-07 Safety Transfer Request.txt new file mode 100644 index 0000000..91c3c7d --- /dev/null +++ b/data/data_txt/AMT-07 Safety Transfer Request.txt @@ -0,0 +1,385 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +AMT-07 +Version 01 + + +SAFETY TRANSFER REQUEST PROCEDURES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +From time to time, it becomes necessary to make a change in a +student’s school assignment. One reason for such an assignment +change may be motivated by the need to ensure a safe and +secure learning environment for that student. For this reason, a +safety transfer process has been established. +CRITERIA +1. All students who are victims or intended victims of a serious +physical, emotional, and/or electronically transmitted assault +or who are victims of a violent criminal offense, as determined +by state law, while in or on school grounds, or out of school +that impacts school climate, shall be eligible for a safety +transfer. All such request forms must have attached BPS +Incident Reports and/or BPD Reports to document the +incident. The transfer should be processed by the building +administrator within ten (10) school days of the receipt of the +Safety Transfer Request Form. +Students who are perpetrators are subject to the Code of +Conduct and not eligible for a safety transfer. +2. Students attending a school designated as “unsafe or +persistently dangerous” in accordance with Massachusetts + + +Page 2: +Superintendent’s Circular AMT-07 +Page 2 of 12 + + +Department of Education criteria, upon receipt of a parent +request, shall be transferred to a safe school in compliance +with the Every Student Succeeds Act (“ESSA”). The purpose of +the ESSA is to provide all children a significant opportunity to +receive a fair, equitable, and high-quality education, and to +close educational achievement gaps." +3. Students with an Individualized Education Program (IEP) are +subject to this transfer procedure provided the building +administrator has consulted with the OSESS coordinator. +Resource Room students shall be dealt with in the same +manner as regular education students. Students with IEPs +providing a specialized program and/or requiring a restrictive +setting shall be reassigned after consultation between the +coordinator and OSESS assistant program director (APD). +4. Court orders requiring a transfer of a student shall be honored +and coded as a safety transfer. A copy of the court order +should be forwarded to the operational leader as a part of the +documentation packet in all cases. +5. In all cases, student assignments shall be made by Welcome +Services. Requests for specific school assignments will not be +honored, but rather they shall be based on criteria established +by Welcome Services, as well as on the need to ensure a safe +learning environment and on the needs of the student. +PROCEDURES +The following procedures must be followed in all safety transfer +cases: +1. All safety transfer requests must be initiated by the +parent/guardian/caregiver of the impacted student. + + +Page 3: +Superintendent’s Circular AMT-07 +Page 3 of 12 + + +2. The parent/guardian/caregiver should schedule a meeting +with the head of school/principal/program director of the +school to which the student is assigned in order to discuss the +circumstances surrounding the need for a safety transfer. +3. The parent/guardian/caregiver must complete and sign the +“Safety Transfer Request Form” (attached). All requests for +safety transfers must be referred to the head of +school/principal/program director for review and +recommendation. +4. The head of school/principal/program director shall conduct a +thorough investigation in response to the +parent/guardian/caregiver’s request and must gather all +pertinent information and documentation. If the student has +an IEP, the building administrator shall consult with the +coordinator. The building administrator will provide a rationale +for support or rejection of the transfer request on the reverse +side of the Safety Transfer Form. The form must be signed by +the principal/head of school. Please note: this responsibility +may not be delegated. If the problem is gang-related, the +names of the gangs involved should be noted. If the incident +has occurred off school grounds, a copy of the Boston Police +Department report should be obtained; if the incident +occurred on school grounds, a copy of the Boston Public +School Incident Report should be attached to the +documentation packet. + +5. If the head of school/principal supports the safety transfer +request, they must indicate and sign the Safety Transfer Form. +The completed transfer packet should be sent to the +operational leader for approval and processing. + + +Page 4: +Superintendent’s Circular AMT-07 +Page 4 of 12 + + +The complete safety transfer packet must include: +a. Completed and signed English version as well as a copy of +the parent’s safety transfer request form, including the +building administrator’s rationale for support or rejection +of request on page 2. If the language of the home is other +than English, the parent/guardian/caregiver should +complete the appropriate language form which should +be attached to the English version in the packet. +b. All pertinent supporting documentation (i.e., court orders, +restraining orders, police reports, reports of investigation +by school staff or safety services, etc.) If the student has +been the victim of an assault. +c. If attending an “unsafe or persistently dangerous school,” +documentation supporting the school designation as +such. +6. If the building administrator does not support the safety +transfer, a rationale indicating specific reasons for rejecting the +transfer, including appropriate documentation, must be +forwarded with the safety transfer packet to the operational +leader. +7. The packet must be submitted as soon as possible to the +operational leader for review of completeness and +appropriateness. The operational leader is authorized to +approve or reject the request. +8. Before forwarding a copy of the approved packet to Welcome +Services, the operational leader shall consult with the +Department of Safety Services to discuss potential restrictions +to school assignments (e.g., gang-related issues, “persistently +dangerous” schools, etc.). If the student is assigned to a + + +Page 5: +Superintendent’s Circular AMT-07 +Page 5 of 12 + + +substantially separate class, the operational leader shall +consult with the OSE coordinator and the OSE assistant +director. +9. The operational leader will forward the complete safety +transfer packet of the approved safety transfer request to +Welcome Services for processing an assignment. If safety +issues were raised in discussions with Safety Services (c.f. item +8 above), the operational leader shall call these issues to the +attention of Welcome Services. Requests which are not +approved will be returned to the citing the reasons for +rejection. If the student requires a substantially separate +assignment, Welcome Services and appropriate APD shall +consult. +10. Welcome Services shall assign the student to the new school +and notify the receiving and sending schools and the +appropriate operational leader by email. The head of +school/principal/program director of the sending school shall +notify the parent/guardian/caretaker of the student’s new +school assignment. If the safety transfer is not approved, the +“sending” building administrator shall notify the parent that +the request has been rejected. +11. If the transfer is approved, the operational leader shall send a +copy of the Transfer Form with copies of all attached +documentation to the new school principal/head of school. If +the new building administrator has any further questions, the +sending school building administrator shall respond to those +questions. The sending school shall forward a copy of the +student record to the new school. +12. Any appeal of a decision at the school level may be made to +the District Safety Transfer Appeal Committee. An appeal + + +Page 6: +Superintendent’s Circular AMT-07 +Page 6 of 12 + + +must be made by the parent/guardian/caregiver, in writing, +within ten (10) days of the receipt of the decision. An appeal +can either be submitted in writing and mailed to the attention +of the Superintendent’s Office, Attn: Ombudsperson, Bruce C. +Bolling Municipal Building, 2300 Washington Street, Roxbury +MA 02119 or electronically by submitting the Safety Transfer +Appeal Form. +Please Note: +1. During the summer months, no safety transfers will be +processed. Any family seeking a change in school assignment +due to safety concerns must follow the voluntary transfer +process by visiting a BPS Welcome Center. +2. The family has the right to refuse the new school assignment. +If so, the parent/guardian/caretaker should contact the +principal/head of school and operational leader that they are +rescinding the safety transfer request. In this case, the student +will be returned to their original school and will not be +permitted to submit an additional safety transfer request +regarding the incident that initiated the original safety transfer +request. +Translations of the required documentation are available here. + + + + +Page 7: +Superintendent’s Circular AMT-07 +Page 7 of 12 + + +For more information about this circular, contact: +Owner: +Chief of Operations +Department: +Operations +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9057 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Safety Transfer Request form on following page. + + + + + + + + + + +Page 8: +Superintendent’s Circular AMT-07 +Page 8 of 12 + + +SAFETY TRANSFER REQUEST +Principal/Head of School Page + +Student’s Name: _______________________________________________________________ +Student ID #: _________________________ +Grade: ____________ +Current School: __________________________________________________ +Special Education Program (if applicable): _______________________ +English Learner Program (if applicable): _________________________ +Parent/Guardian/Caregiver Conference: +Date:_____________________________ Time: __________________________ +I  support  reject (check one) this Safety Transfer Request +for the following reason(s): + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + +Page 9: +Superintendent’s Circular AMT-07 +Page 9 of 12 + + +If approved, please list the names and ID numbers of the other +students involved that led to this request. +Name 1 _____________________________ ID _________________________ +Name 2 ______________________________ ID _________________________ +Name 3 ______________________________ ID ______________________ +Name 4 ______________________________ ID ______________________ +If you know of other students that this student should not be +placed with, please note their names and ID numbers. +Name 1 _____________________________ ID _________________________ +Name 2 ______________________________ ID _________________________ +Name 3 ______________________________ ID ______________________ +Name 4 ______________________________ ID ______________________ +Please check: + I have explained to the parent that, if approved, the student +can be assigned to any school where there is an available seat, +and that requests for specific school assignments will not be +honored. + __________________________________________________ _______________ + +Head of School/Principal +Date +Attach documentation. +cc: School File + + +Page 10: +Superintendent’s Circular AMT-07 +Page 10 of 12 + + +SAFETY TRANSFER REQUEST +Family Page + +Student’s Name: _________________________________________________ +I request a Safety Transfer for my son/daughter for the following +reasons: +*Please be specific. If there have been incidents at the school, +describe who was involved, when they occurred, what happened +and other details (including the names of any gangs involved). +Attach additional documentation (e.g., copy of incident report, +copy of Boston Police Report, report of medical provider, etc.) as +necessary. If there is any school that your child cannot attend +due to similar safety concerns, then you must list them here. + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + +Translated versions of this form can be found here. + + +Page 11: +Superintendent’s Circular AMT-07 +Page 11 of 12 + + +SAFETY TRANSFER REQUEST COVER PAGE +Completed by Operational Leader + +Operational Leader: __________________________Date: ______________ +Student Name: ________________________________ID: _______________ +The safety transfer has been: +☐ Approved +☐ Not Approved +Please check: +☐ The school has informed me that they explained to the parent +that the child will be placed wherever there is an available, +appropriate seat, and that requests for specific school +assignments will not be honored. +Please check one: +☐ The child can be placed into any school with an available seat. +☐ The child should not be placed at the following school(s) +(please explain why): +School: ___________________________________________________________ + + _______________________________________________________________ +School: ___________________________________________________________ + + _______________________________________________________________ + + + + +Page 12: +Superintendent’s Circular AMT-07 +Page 12 of 12 + + +School: ___________________________________________________________ + + _______________________________________________________________ +School: ___________________________________________________________ + + _______________________________________________________________ +Additional notes for consideration prior to assignment: + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + + __________________________________________________ _______________ + +Operational Leader Signature +Date + + diff --git a/data/data_txt/ATH-01 Prevention and Management of Sports-Related Head Injuries.txt b/data/data_txt/ATH-01 Prevention and Management of Sports-Related Head Injuries.txt new file mode 100644 index 0000000..de3932a --- /dev/null +++ b/data/data_txt/ATH-01 Prevention and Management of Sports-Related Head Injuries.txt @@ -0,0 +1,237 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +ATH-01 +Version 01 + +PREVENTION AND MANAGEMENT OF SPORTS-RELATED +HEAD INJURIES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +BACKGROUND +A concussion is a type of traumatic brain injury caused by a +bump, blow, or jolt to the head that can affect brain functioning. +Concussions can also occur from a blow to the body that causes +the head to move rapidly back and forth. Even a mild bump or +blow to the head can be serious. +Concussions can occur in any sport or recreational activity. +Children who return to play while still experiencing symptoms of +a concussion are more likely to have another concussion or other +lasting effects and symptoms. This circular outlines +responsibilities of all who are involved in athletic participation. It +includes the following components: +● Pre-participation examination, including a history of +previous concussions. +● Protocols for assessing and managing a child who has a +concussion on the field. +● Protocols for returning a child who has had a concussion to +full participation. +● Academic assessment and accommodation for a child with +continued symptoms that interfere with cognitive function +and academic progress. + + +Page 2: +Superintendent’s Circular ATH-01 +Page 2 of 7 +● Prevention of head injuries and health promotion activities +that contribute to safe sports participation. +HEADS OF SCHOOL AND PRINCIPALS SHALL BE RESPONSIBLE +FOR: +● Support and enforce the utilization of appropriate protocols, +required documentation, training, and reporting outlined in +these procedures. +● Supervising and reviewing that all documentation is in +place. +○ All active coaches must complete the annual +concussion certification required by the +Commonwealth of Massachusetts. +COACHES, CERTIFIED ATHLETIC TRAINERS, ATHLETIC +COORDINATORS, SCHOOL NURSES, AND VOLUNTEERS (EMS, +SPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR: +● Completing the annual educational training on +identification and management of head trauma. +● Ensuring and documenting that all students/families have +submitted: +○ Updated physical examinations consistent with +Commonwealth of Massachusetts and Massachusetts +Interscholastic Athletic Association (MIAA) sports +participation guidelines. +○ Consents for: participation in athletics, emergency on- +field care, non-emergent injury or illness evaluation +and associated follow up treatment related to athletics, +documentation, travel, and medication. + + +Page 3: +Superintendent’s Circular ATH-01 +Page 3 of 7 +○ Completed department pre-participation forms (BPS +Sports Medical Questionnaire) before participating in +practice or extracurricular athletic activities. +○ Commonwealth of Massachusetts head injury form. +○ An indication that the family has reviewed educational +materials about concussion. +● Ensuring that the medical history questionnaire and pre- +participation sports physical form(s) are delivered to the +school nurse and certified athletic trainer (ATC) in a time +frame consistent with the sport. The school nurse and +athletic trainer will discuss any student with a concussion +history (as indicated by the athlete's primary care physician, +pre-participation sports physical, or parent history) with +their coach. All athletes must be cleared by the school +nurse and athletic trainer in order to play. +● Teaching techniques aimed at minimizing sports-related +head injury: +○ Discouraging and prohibiting student athletes from +engaging in any unreasonably dangerous athletic +technique that endangers the health or safety of a +student, including using a helmet or any other sports +equipment as a weapon. +○ Identifying students with head injuries or suspected +concussions that occur in play or practice and +removing them from play, using either: +■ Coach/volunteer recognition of potential head +injury +■ Sideline assessment of concussion evaluation for +MDs and ATCs. + + +Page 4: +Superintendent’s Circular ATH-01 +Page 4 of 7 +● The results of the evaluation or screening tool must be +available to the school nurse and parent/guardian, who will +forward it to the PCP or other designated physician. +● The coach, athletic trainer, or physician who observed and +evaluated the concussion shall complete the DPH +Commonwealth of Massachusetts Report of Head Injury +During Sports Season form and the Department Report of +Head Injury form and transmit it to the athletic director, the +parent/guardian, the school nurse, and the athletic trainer. +● Communicating promptly with the parent/guardian of any +student removed from play and providing them with +documentation to bring to the student athlete’s PCP or +other designated physician. This documentation must +include the DPT Commonwealth of Massachusetts Post +Sports-Related Head injury Medical Clearance and +Authorization form. This form must be completed by the +physician and returned to the school nurse and athletic +trainer. This form will be reviewed by the school nurse or +athletic trainer and is required before the student athlete is +allowed to begin a Return to Play protocol. +● No student can return to play without clearance by the +school nurse or athletic trainer in consultation with a +physician per 105 CMR 201. +● All student athletes who have sustained a concussive event +must complete a graduated Return to Play protocol unless +otherwise stipulated by the treating physician, assuring that +all documentation is in place by conducting an annual +compliance audit. This includes documentation that all +students have: + + +Page 5: +Superintendent’s Circular ATH-01 +Page 5 of 7 +○ pre-participation PEs, consent forms, and +parent/athlete sign off that concussion information has +been reviewed. +○ list of all students with concussion +○ documentation of follow up for each student with +concussion; documentation that athlete is cleared to +play. +THE SCHOOL NURSE AND ATHLETIC TRAINER WILL BE +RESPONSIBLE FOR: +● Completing the required annual educational training on +concussion: +○ School nurses will complete the Concussion +Management in Massachusetts Schools course +provided by Boston University School Health Institute +annually. +● Reviewing any questions raised by the athletic director +and/or coaches, reviewing all medical questionnaires and +physical exams. +● Athletic trainer: Following up with parents/guardians as +needed prior to the student's participation in extracurricular +athletic activities. +● School nurse: Following up with parents/guardians as +needed prior to the student's participation in classroom +activities. +● Maintaining documentation of the medical questionnaire +and physical in SNAP (the electronic medical record). +● Maintaining documentation of the head injury assessments +in the student's health record in the electronic medical +record. + + +Page 6: +Superintendent’s Circular ATH-01 +Page 6 of 7 +● Ensuring that any student who has experienced a +concussion or head injury, during sports activities or +otherwise, provides documentation of medical care and +proper clearance to return to sports activities using the +Commonwealth of Massachusetts Post Concussion +Clearance Form. +● Participating in the graduated reentry planning meeting for +students who have been diagnosed with a concussion to +discuss any necessary accommodations or modifications +with respect to academics, course requirements, homework, +testing, scheduling, and other aspects of school activities +consistent with a graduated reentry plan for return to full +academic and extracurricular activities after a head injury +and revising the health care plan as needed. +● Presenting appropriate and relevant medical information to +the service team, on a need-to-know basis maintaining +student privacy. +● Monitoring recuperating students with head injuries and +collaborating with teachers and coaches to ensure that the +graduated reentry plan for return to full academic and +extracurricular activities. +● Providing beginning of school year review of concussions as +well as ongoing educational materials on head injury and +concussion to teachers, staff, and students. + + +PARENTS/STUDENTS SHALL BE RESPONSIBLE FOR: +● Ensuring that the child has: +a. A valid up to date pre-participation physical + + +Page 7: +Superintendent’s Circular ATH-01 +Page 7 of 7 +b. A completed sports medical questionnaire +c. Completed the Commonwealth of Massachusetts Pre- +Participation Head Injury and Concussion Reporting +Form for Extracurricular Activities +● Reviewing concussion materials, including signed +documentation of the review on the athletic permission +form. +● Ensuring that the child with a concussion is evaluated by +PCP or other appropriate physician even if there has already +been emergent transport deemed necessary by EMS or AT +evaluation. +● Working with the school nurse, athletic trainer, and the +service team to safely implement return to play guidelines. +For more information about this circular, contact: +Owner: +Senior Director, Athletics +Department: +Athletics Department +Mailing Address: +White Stadium, P.O. Box 302205, Jamaica +Plain, MA 02130 +Phone: +617-635-8143 +Fax: +617-635-8147 +Email: +bpsathletictrainer@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/ATH-02 Athletic Eligibility.txt b/data/data_txt/ATH-02 Athletic Eligibility.txt new file mode 100644 index 0000000..b3a0575 --- /dev/null +++ b/data/data_txt/ATH-02 Athletic Eligibility.txt @@ -0,0 +1,454 @@ +Page 1: + + + Superintendent’s +Circular + + NUMBER: +ATH-02 +Version 01 + + + +ATHLETIC ELIGIBILITY +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +ASPEN/ ELIGIBILITY MANAGEMENT +ASPEN will be used to manage the students who are interested +and ultimately participate in athletics each season. The students +and sports they are participating in should be accurate in ASPEN +at the start of each season. Key personnel (athletic coordinator, +nurse, school admin) at the school level will have the ability to see +the seasonal list of participating students and the current +eligibility status. Athletic coordinators, athletic trainers, school +nurses, and coaches should communicate regularly to ensure +that ASPEN accurately reflects who is participating on each team. +The ASPEN sign-up period will open 8 weeks prior to the start of +the season. The sign-up period in ASPEN will close 14 days after +the start of the season. Athletes who start within the 14-day +window must have a minimum of 5 days of practice prior to +being allowed to participate in a game competition. Using the +labels provided, each student in ASPEN should be identified as +follows: +Aspen Athletic Eligibility Status Definitions +• INTEREST: defined as “Student identifies interest” — +completes sign-up in ASPEN + + +Page 2: +Superintendent’s Circular ATH-02 +Page 2 of 12 + + + +• ACTIVE: defined as “Waiting on student”; i.e., turn in ALL +required documentation known as the BPS Athletic +Participation Forms, copy of a valid 13-month physical exam +to the athletic trainer (or school nurse if athletic trainer not +available), and tryout status +• ACTION REQUIRED: defined as “Call to action”; +School/Athletic Department submit MIAA waivers/forms +where applicable +• INELIGIBLE: defined as “Does not meet baseline eligibility +requirements”; i.e., valid 13-month physical exam on file as +documented in ASPEN, does not meet academic +enrollment, attendance, or GPA requirements +• PENDING: defined as “Awaiting decision from a higher +authority”; i.e., MIAA waiver/approval, BPS Athletic +Department, school principal/head of school or designee to +review student academic eligibility +• ELIGIBLE: defined as “Meets ALL eligibility requirements” for +participation and has MIAA approvals on record with the +BPS Athletic Department +• INACTIVE: defined as a “no show,” “not participating,” or “did +not make the team after tryouts.” + +RESPONSIBILITIES +Athletic Coordinator +Will serve as the athletics liaison and primary contact at the +school for the Athletics Department and coaches to support +athletics. The athletic coordinator will be responsible for student- +athlete eligibility in collaboration with coaches, athletic trainers, +school nurses, and school leadership. + + +Page 3: +Superintendent’s Circular ATH-02 +Page 3 of 12 + + + +Head Coach and Assistant Coaches +Must be knowledgeable of the MIAA eligibility rules and +regulations. As interest lists and teams are being organized, +coaches must communicate any eligibility concerns to their +athletic coordinator so they are resolved prior to the start of the +season and practice. +Athletic Department Staff +Will support schools through the eligibility/waiver process and +serve as a liaison between the schools and the MIAA. Athletics +Department staff will schedule meetings prior to the start of each +season with athletic coordinators, athletic trainers, and school +nurses (if necessary/indicated) and support staff to review +student-athlete eligibility. Athletic department staff will maintain +Aspen functionality and advise/teach athletic training staff +necessary operations of the Aspen system for their needs +Athletic Trainers +Athletic trainers are responsible for the primary review of athletic +physicals and determining the date(s) of valid pre-participation +physical examination (PPE) and athlete eligibility based on +having an up-to-date PPE on file. Athletic trainers will route all +PPE obtained from student-athletes to the school nurse to place +in the student-athletes file. Athletic trainers will provide coaches +with a list of all athletes who have a valid, up-to-date PPE and are +deemed eligible to play. + +Head of School/Principal +Must be aware of and officially sign off on eligibility and rosters + + +Page 4: +Superintendent’s Circular ATH-02 +Page 4 of 12 + + + +for teams each season. When needed, school leaders must +support and sign off on any MIAA or BPS eligibility waiver +requests. New heads of school are required to attend an MIAA +rules workshop. +SUMMARY OF HIGH SCHOOL INTERSCHOLASTIC ELIGIBILITY +• 1.67 or higher GPA (schools may choose to have a higher +GPA for athletic participation) +• Must pass four (4) core classes +• School attendance rate of 90% or higher (aligned with +current BPS Attendance Policy) +• A physical examination completed within the last 13 months +stating that the student-athlete is or is not cleared for +athletics that does not expire before the end of the season, +with sports clearance from the r athletic trainer and/or +school nurse +• Students who turn 19 before September 1 of the current +academic year are ineligible unless an age waiver is granted +by the MIAA. +SUMMARY OF MIDDLE-LEVEL ELIGIBILITY +• 2.0 or higher GPA (schools may choose to have a higher GPA +for athletic participation) +• School attendance rate of 90% or higher (aligned with +current BPS Attendance Policy) +• A physical examination completed within the last 13 months +stating that the student-athlete is or is cleared for athletics +that does not expire before the end of the season, with +verification from the school nurse or athletic trainer and/or +school nurse +• Students who turn 15 before September 1 of the current + + +Page 5: +Superintendent’s Circular ATH-02 +Page 5 of 12 + + + +academic year are ineligible to compete. +• Yearly signed parental consent forms (transferable season to +season) +DETAILED OVERVIEW OF HIGH SCHOOL INTERSCHOLASTIC/ +MIAA ATHLETICS + +Season +Start Date +Fall Sports +3rd Friday in August (Football Aug 18) +Winter Sports +1st Monday after Thanksgiving (November 27) +Spring Sports +Third Monday of March (March 18, 2024) + +Participating student-athletes must meet the following criteria +for eligibility each season. + +1) Age (Rule #60) +a) A student shall be under 19 years of age but may +compete during the remainder of the school year, +provided that their birthday occurs on or after +September 1 of that year. + +2) Transfer Students (Rule #57) +a) A student who transfers from any school to an MIAA +member HS is ineligible to participate in any +interscholastic athletic contest at any level for a period + + +Page 6: +Superintendent’s Circular ATH-02 +Page 6 of 12 + + + +of one year in all sports in which that student +participated at the varsity level or its equivalent during +the one-year period immediately preceding the +transfer. +i) +Note: MIAA Form 200 may be executed between +the receiving and sending school principals of +MIAA member schools only. +ii) +All Form 200s must be submitted to the Athletics +Department and MIAA Office for their records. +b) Reason for Transfer +i) +Exemption to the transfer rule: When a student’s +school transfer is necessitated (i.e., required) by a +change of residence of their parent(s) to the area +served by the school to which they transfer. +ii) +This exception does not apply to a change in +custody, guardianship, or to a student’s change in +residence from one parent to another, nor does it +apply when the student could continue to attend +the former school. +3) Date entered school (MIAA Rule #51) +a) Student-athletes must be enrolled in the school at the +start of the season to be eligible to participate in +athletics. +b) This can be appealed with an MIAA waiver. +4) Student Eligibility: Membership in School (MIAA Rule #55) +a) A student shall have been a member of the MIAA +member secondary school for a minimum of two +months (exclusive of the Summer vacation). + + +Page 7: +Superintendent’s Circular ATH-02 +Page 7 of 12 + + + +5) Years of Eligibility +a) When a student enters 9th grade, they are eligible for +only four years. +b) A student shall be eligible for interscholastic +competition for no more than 12 consecutive athletic +seasons after first entering grade 9. +c) A waiver can be requested for an additional year of +eligibility if there is an extenuating circumstance +involved. +6) Grade Point Average (GPA) and Transcripts (MIAA Rule #58) +a) BPS requires that all students must have a cumulative +GPA of 1.67 (or higher) to be eligible to participate in +interscholastic athletics. +b) During the last marking period preceding the contest +(e.g., second-quarter marks and not semester grades +determine third quarter eligibility), a passing grade in +the equivalent of four major subjects +c) To satisfy this requirement, a student must have +passed sufficient courses for that marking period +which carry Carnegie Units totaling the equivalent of +four traditional 1-year major English courses. +d) Full-Time Student: A student cannot at any time +represent a school unless that student is taking +courses that would provide Carnegie Units equivalent +to four traditional 1-year major English courses. +e) To be eligible for the Fall marking period, students are +required to have passed for the previous academic year +the equivalent of four traditional 1-year major English +courses. + + +Page 8: +Superintendent’s Circular ATH-02 +Page 8 of 12 + + + +i) +Incomplete grades may not be counted toward +eligibility until they are made up following school +policy +ii) +A student who repeats work in which they have +once received credit cannot count that subject a +second time for eligibility. +iii) +A student cannot count for eligibility for any +subject taken during the summer vacation unless +that subject has been pursued and failed during +the preceding academic year. + +7) Boston Public Schools Athletic Programs Consent for +Participation Forms: +a) BPS Athletic Programs Consent for Participation Forms +must be completed and on file prior to any student- +athlete being allowed to participate or play for any BPS +Athletic Team +b) All BPS Athletic Programs Consent for Participation +Forms will be sent to the parent/guardian of the +student-athlete after completion of ASPEN registration. +These forms will be distributed via DocuSign and will +be distributed to ATC for review with the school +athletic coordinator. These forms only need to be +completed once per school year. The BPS Athletic +Programs Consent for Participation Forms will consist +of the following required forms: +i) +Parent/Guardian Consent Form +ii) +Acknowledgment of MIAA: +(1) MIAA Rule 57: Student Eligibility: Transfer + + +Page 9: +Superintendent’s Circular ATH-02 +Page 9 of 12 + + + +Students +(2) MIAA Rule 59: Student Eligibility: Time +Allowed for participation post 9th grade +enrollment +(3) MIAA Diversity Equity and Inclusion Pledge +(new Nov 2022) +iii) +Commonwealth of Massachusetts - Chapter 269 +Section 17: Anti-Hazing Law +iv) +Hold Harmless Agreement +v) +Concussion Awareness +vi) +Upload - current physical examination for review +by ATC +vii) +Media Appearances +viii) +DPH Head Injury Form +ix) +MGB Athletic Training Services Agreement + +8) Physical Exam (MIAA Rule #56) +a) Participating students must have a valid physical or +pre-participation examination (PPE) completed within +the last 13 months. +b) Physicals or PPE forms must have a statement that +clears the student for athletic/sports +c) Physicals or PPE must be completed and on file with +BPS Athletics in Aspen prior to any student-athlete +being allowed to practice or play for any BPS Athletic +Team. +d) Physicals or PPEs must be valid and on file for the + + +Page 10: +Superintendent’s Circular ATH-02 +Page 10 of 12 + + + +entire athletic seasons +e) Physicals or PPEs must include the date of the +examination, physician's signature (electronic or +actual), and wording that states that the student- +athlete is cleared for athletics or sports competition + +9) Enrollment/ Attendance +a) Attendance for the term prior to the season must be +90% or higher +b) Students are ineligible to practice or compete if they +are not in school for more than half of the school day. +c) For a student to practice with or to represent a MIAA +member school in an athletic competition, the student +must be duly enrolled in that school (#51). Also, a +student shall have been a member of the MIAA +member secondary school for a minimum of two +months (exclusive of the Summer vacation) and have +been issued a report card preceding the contest unless +entering from an elementary or junior high school at +the start of the school year or transfers in from another +school. (MIAA Rule #55.1) + +10) +MIAA Waiver Request Process +a) All “Form 200s” must be sent to the MIAA office so that +all transfers are on file. +b) Student Waiver of Athletic Eligibility waivers must +include the following: +i) +A letter of support from the Principal/AD/School + + +Page 11: +Superintendent’s Circular ATH-02 +Page 11 of 12 + + + +Administrator addressing the four standards of +rule 87.5. +ii) +Transcripts from every year since first entering +Grade 9 (including current grades) +iii) +Current school year attendance records +iv) +Comprehensive athletic resume (now included in +application) +v) +League or District Advisory Vote +vi) +Form 200 (if applicable) +c) The third standard, which must be addressed during a +waiver application, was changed to “address how this +waiver will impact the home school student body.” The +new language captures the overall impact the waiver +will have on the home school student body. +d) A new section was added to Rule 87 titled +“Accountability.” This details the process in the event +inaccurate or incomplete information is presented +during the waiver process. + +11) +MIAA Appeals Process +a) As of Fall 2021, there is only one level of appeal. The +appeal hearing board will consist of members from +both the MIAC and ERB. Their decision is final. +b) The deadlines to submit waivers are as follows: +i) +Fall - September 21, 2023 +ii) +Winter – December 14, 2023 +iii) +Spring – March 31, 2024 + + +Page 12: +Superintendent’s Circular ATH-02 +Page 12 of 12 + + + +c) Waivers can be submitted after this date, but there will +be no appeal hearings granted. + + +For more information about this circular, contact: +Owner: +Senior Director, Athletics +Department: +Athletics Department +Mailing +Address: +White Stadium +P.O. Box 302205, Jamaica Plain, MA 02130 +Phone: +617-635-8143 +Fax: +617-635-8147 +Email: +bpsathletictrainer@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/CAO-01 Promotion Policy.txt b/data/data_txt/CAO-01 Promotion Policy.txt new file mode 100644 index 0000000..8372729 --- /dev/null +++ b/data/data_txt/CAO-01 Promotion Policy.txt @@ -0,0 +1,324 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-01 +Version 01 + +PROMOTION POLICY +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +Boston Public Schools students are the leaders, scholars, +entrepreneurs, advocates, and innovators of tomorrow. BPS will +ensure that 100% of those students are ready for college, career, +and life. We will ensure that every graduate: +● is a proficient reader, communicator, problem-solver, and +critical thinker; +● demonstrates the habits of mind and work required for +success in school and the world of work; +● knows how to acquire knowledge, connect it to familiar +concepts and prior knowledge, and apply it, using +sophisticated technologies; +● has mastered key skills and understands important +concepts from English Language Arts, Mathematics, Science +and Technology, History and Social Science, at least one +World Language, the Arts, Health, and Physical Education; +● has applied these concepts in real-life contexts; and +● has made a valued contribution to the school and +community. + + + +Page 2: +Superintendent’s Circular CAO-01 +Page 2 of 10 + + + +These expectations frame the teaching, learning, and assessment +process. They are critical to lifelong learning and essential to +gaining students’ commitment to the learning process. + +RESPONSIBILITIES AND ACCOUNTABILITY +Every teacher, administrator, parent, and adult involved in the +lives of our students share in the responsibility to ensure that all +students meet these expectations. +The Boston Public Schools: +Schools, and the adults who work in them, are accountable for +ensuring every student learns in an environment that is safe, +welcoming, and sustaining; receives quality instruction that is +responsive to their strengths and needs; and receives timely +information about their progress. +Families and Students: +Families are responsible for ensuring their children come to +school each day, on time, ready to learn. Every student is also +responsible for coming to school and class prepared and on time, +working hard, and contributing to the school environment in a +positive, responsible manner. + + + + +Page 3: +Superintendent’s Circular CAO-01 +Page 3 of 10 + + + +THE BPS PROMOTION POLICY +This promotion policy has been developed in alignment with the +BPS Opportunity and Achievement Gap Policy which states in its +preamble: “Every child, in every classroom, in every school of the +Boston Public School system has the same opportunity to +achieve the greatness within them as anybody else. Every child +has the same unfettered access to every conceivable tool to +unlock the greatness within them.” The BPS Promotion Policy +outlines the expectations for school teams that ensure that +students have access to every conceivable tool that will support +them to meet grade-level learning expectations before +considering the possibility of retention. +BPS school teams and individual educators must provide all +students with access to high-quality, differentiated, and relevant +tier 1 instruction that is aligned with grade-level standards and +implemented through high-quality materials. School teams and +individual educators must monitor student progress towards +grade-level expectations through formal and informal data +collection and make ongoing adjustments to instruction to +respond to evidence of student learning. School teams and +individual educators must ensure that all students have access to +tiered supports that provide appropriate scaffolds and instruction +so that students are able to develop grade-level knowledge and +skills. +In cases where it is determined that a student may not, with all +available supports provided, develop the necessary grade-level +knowledge and skills by the end of the school year, a school +team, including the student, family, teachers, and the school + + +Page 4: +Superintendent’s Circular CAO-01 +Page 4 of 10 + + + +leader, will collectively make decisions regarding student +promotion. If the team is unable to come to a decision or any +member would like to dispute a decision, the Chief of Teaching +and Learning may be brought in to support the decision-making +process. Principals and heads of school have the final authority +for all promotion decisions. School teams must make decisions +based on the following principles: +● ensure promotions are earned and based on academic +achievement +● diminish grade retentions to the greatest extent possible +● ensure students will enter classrooms with the skill and +knowledge necessary to do grade-level work or have the +necessary supports to accelerate learning +● ensure students are prepared to demonstrate proficiency on +the Massachusetts Comprehensive Assessments +● establish a process that supports students and demands +hard work from them +● recognize that students learn at different rates and call for +organizational structures that respond to students’ +differences +● define those inputs and outcomes for which teachers, +administrators, parents, and students are accountable. + + + + + +Page 5: +Superintendent’s Circular CAO-01 +Page 5 of 10 + + + +PROMOTION REQUIREMENTS FOR ALL GRADES +Students must fulfill several requirements to be promoted to the +next grade. All students must earn passing grades in core +academic courses and maintain good attendance. Schools may +establish promotion requirements that exceed those listed. The +School Site Council must approve these additional requirements. +High school students must pass courses that align to the BPS +Graduation Policy (CAO-07) in order to earn the credits necessary +to graduate. + +ENGLISH LEARNERS +Students in programs for English learners must meet promotion +and graduation requirements. However, EL students may not be +retained in grade if the only reason for not passing the required +tests is a lack of language knowledge. + +STUDENTS WITH DISABILITIES +Students with disabilities are expected to meet promotion and +graduation requirements. A student’s Individualized Education +Program (IEP) or Section 504 plan will describe the conditions +under which the student will take standardized tests for each +subject scheduled for assessment or if the student requires an +alternate assessment. Alternate assessments are intended for a +minimal number of students with significant disabilities who are +unable to take standard MCAS tests, even with accommodations. + + +Page 6: +Superintendent’s Circular CAO-01 +Page 6 of 10 + + + +A student’s 504 plan will describe what, if any, testing +accommodation will be needed. + +REQUIRED PROCESS +Principals and heads of school are responsible for effectively +implementing the following process: +1. Parents must be notified by the end of September of the name +and phone number of the school staff member (in addition to +their child’s teachers) they should call about concerns related +to their child’s academic progress. Parents should also be +informed that if they ever have a concern about their child’s +academic progress, they should notify the appropriate teacher +and principal/head of school (or the designated administrative +liaison to parents). + +2. If by mid-October, a teacher considers a student at-risk of not +meeting the subject or grade-level standards, the teacher will +notify the parent immediately, in writing, and refer the student +to the appropriate administrator, guidance counselor, or +student support services personnel. + +3. When a student has been identified as at-risk of not meeting +subject or grade-level standards, the principal/head of school, +teacher(s), and other designated staff will work with parents +and the student to resolve any problems. They may consider a +variety of options, including: + + +Page 7: +Superintendent’s Circular CAO-01 +Page 7 of 10 + + + +● tiered academic or social emotional supports +● examining and altering current instructional strategies or +materials +● tutoring (during or after school) +● a change in schedule +● a change in teacher +● referral to other support, social service, or health-related +services +● problem-solving with other students or individuals who may +have an impact on the students’ achievement. + +4. If by the close of the first marking term, the problem persists +and the student remains at-risk for retention, additional +options will be considered, including: +● referral to the school’s Student Success Team (SST) +● referral to safety net or alternative programs for more +intensive services +● access to additional instructional time (during the day, +extended day, or summer school) +● referral to special education, where necessary and +appropriate, to determine evidence of a disability (pre- +referral documentation must provide evidence that other +interventions have been attempted). + + + +Page 8: +Superintendent’s Circular CAO-01 +Page 8 of 10 + + + +Parents will be engaged in consideration of additional +intervention strategies and will be informed, in writing, of any +decisions that result. Parents may request a referral for special +education services in any case. The final determination of +appropriate services will rest with the appropriate (IEP or +Section 504) team. + +5. Only when all other interventions have been unsuccessful and +the student has not made sufficient academic progress during +the course of a school year will the student be considered for +retention. All potential retentions will be reviewed by a +Promotion Review Team, including the principal/head of +school (or designee), a guidance counselor or student support +team member, at least one of the student’s teachers, and the +child’s parent. + +6. The review team will include the liaison teacher for any +student with an IEP, and a bilingual teacher, counselor, or +administrator for any student enrolled in a transitional +bilingual program. + +7. By the end of January, formal, written notices must be sent to +parents of students who remain at risk of being retained. The +Promotion Review Team will meet in February and again +before the end of the year to review and make decisions on +students who are at risk of being retained. Principals and +heads of school have the final authority for all promotion +decisions. + + + +Page 9: +Superintendent’s Circular CAO-01 +Page 9 of 10 + + + +8. During the period from February through June, schools must +maintain written, bimonthly contact with parents who were +sent formal, written notices to apprise them of their child’s +progress. Copies of these notifications must be kept on file. + +9. Any student who is retained, or remains at-risk even though +they were promoted, will be provided with additional support, +including tutoring during the subsequent school year. + +HOME-SCHOOL PARTNERSHIPS +The success of many students receiving transition support +depends on the engagement of their parent(s) in their education. +Schools implement a variety of strategies to help parents +become successful partners in their children's development. +These efforts are coordinated by the school’s guidance and other +support staff. + +CONNECTIONS TO COMMUNITY RESOURCES +Schools will collaborate with community agencies, community +schools, and higher education institutions to support students' +overall literacy and math development, increase volunteer +involvement in schools, and diminish the many health, social, and +emotional problems that undermine success in school. These +efforts are supported by the school’s guidance and other support +staff. + + + + +Page 10: +Superintendent’s Circular CAO-01 +Page 10 of 10 + + + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington St., Boston, MA 02119 +Phone: +617-635-9000 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/CAO-03 Textbook Management.txt b/data/data_txt/CAO-03 Textbook Management.txt new file mode 100644 index 0000000..765d039 --- /dev/null +++ b/data/data_txt/CAO-03 Textbook Management.txt @@ -0,0 +1,351 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-03 +Version 01 + +TEXTBOOK MANAGEMENT +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +School Committee policy and state law recognize the student's +right to use textbooks, on a loan basis, without charge. As a +public school system, we have a responsibility to supply our +students with the textbooks and other materials they need for +school use. Accordingly, School Committee policy states that "no +student should be required to furnish or pay for any books or +other materials for school use, with the exception of materials +used for certain practical arts projects that result in items that +belong to the student after the project's completion." +School Committee policy and state law also recognize the +student's responsibility to use and not abuse or lose these same +textbooks and materials. School Committee policy states that +"students will be required to pay for textbooks and other school- +owned materials that they lose or damage" (ref. Student Fees, +Fines and Charges - Policy File). Under Massachusetts law, the +sums recovered from pupils in the public schools for loss of +schoolbooks … may be used by the School Committee for the +replacement of such books or materials ... (M.G.L. c.44, §53). +As school leaders and teachers, we are concerned that resources +be maximized and not misused. Instructional material costs are +significant. It is important that school leaders, teachers, students, + + +Page 2: +Superintendent’s Circular CAO-03 +Page 2 of 12 + +and parents understand and adhere to our policies and +procedures for the care of textbooks and other instructional +materials. The following guidelines, based on long-standing +School Committee policy, have been established and should be +followed for the lending of books to pupils. +PREPARATION, STORAGE, AND CONTROL OF TEXTBOOKS +● All textbooks and library books shall be numbered and an +inventory maintained by the school leader. School +Committee policy requires that "Heads of school/principals +will be responsible for and will keep complete records of all +books... and other instructional materials furnished to their +schools." The inventory should include: +○ Title of book +○ Author +○ Publisher and year of publication +○ Date of purchase (for all books purchased for SY21 and +beyond) +○ Class subject for which it is used (textbooks) +○ Name of teachers to whom the textbooks are issued +(textbooks) +● All textbooks should be stamped with the school name on +the inside of the front cover. Each textbook should be +numbered and recorded on the inside of the front cover. +● All textbooks shall be stored in secure rooms, lockers, or +cabinets. Principals/heads of school or their designees shall +ensure that a record is maintained of every textbook that is +removed from storage. +● Principals/heads of school shall ensure that teachers +maintain an inventory of textbooks that includes the + + +Page 3: +Superintendent’s Circular CAO-03 +Page 3 of 12 + +condition of the text and who it is assigned to for each +quarter, trimester, semester, or year. +● Principals/heads of school should work with teachers, +students, and parents to raise their awareness of the +importance of caring for and replacing textbooks. The Guide +to the Boston Public Schools for Families and Students +references this information. School-based rules should +outline the rules and responsibilities for using textbooks and +the penalties for violations. +TEACHER’S RESPONSIBILITY +● Teachers should maintain a record of the title, the textbook +number, and the name of the pupil to whom each textbook +is lent and should check periodically that students have the +textbook assigned. Librarians must establish and maintain +an appropriate inventory control system and loan procedure +for all library books, materials and equipment assigned to +the school library. +● Teachers should encourage students in the proper care, +including covering, of loaned textbooks. +STUDENT’S RESPONSIBILITY +● The book is to be returned to the principal of the school or +to the teacher authorized to receive it at any time required +by them and in as good condition as when received, +allowance being made for the wear and damage caused by +careful use. +● If lost or damaged by carelessness or accident beyond what +may be reasonably allowed, the book is to be replaced by + + +Page 4: +Superintendent’s Circular CAO-03 +Page 4 of 12 + +the pupil to whom it is loaned and as required by the School +Committee. +● Written notice of any previous defacement is required when +the book is received. +● Damage by marking, tearing, etc. is not allowed. +● Students who transfer within the Boston Public Schools or +who leave the school system shall return all textbooks and +library books to the schools that loaned the books. +Principals/heads of school should notify appropriate staff +(e.g., registrars, guidance counselors) to make a note on the +appropriate sign-out forms of any student leaving school +who has not paid the replacement costs of lost or damaged +books. High school seniors should not be allowed to sign out +on the last day for seniors (i.e., day 170) without returning or +making restitution for a lost or damaged book. A copy of +any open account form should be retained in the temporary +record of any student who does not pay the replacement +cost of a damaged or lost book. +● Students who transfer within the Boston Public Schools +should not be loaned textbooks or library books in their +receiving schools until they have returned or arranged to +replace all their books from their sending school. +PARENT RESPONSIBILITY +● Parents should be informed of textbook loan and/or library +book loan conditions at the beginning of the school year. +Notification should be made in the form of a letter to +parents in the language of the home and in any newsletters +sent home to parents at the start of the school year. + + +Page 5: +Superintendent’s Circular CAO-03 +Page 5 of 12 + +● Parents of students who lose or damage textbooks and/or +library books should be informed by the principal/head of +school, in writing, within 30 days of learning of the +loss/damage and the cost of replacement. +REPLACEMENT OF TEXTBOOKS +● If a student damages or loses a textbook and/or a library +book and the student and parent refuses to make +restitution, a replacement book must be made available for +classroom or library use. However, restrictions may be +imposed (e.g., students may use text only during class but +may not take the text out of the classroom). +● If a student damages or loses a textbook or library book and +the student and parent continue to refuse to make +restitution by the start of the following school years, the +student will be subject to penalties under school-based +rules. +● With respect to penalties for students who do not pay the +replacement costs of lost or damaged books, +principals/heads of school should involve the School Site +Council in establishing school-based rules and +corresponding penalties. These penalties might include but +not be limited to prohibiting the student from attending +certain school activities not related to the instructional +program. Before any penalty is imposed, the principal/head +of school must provide advance written notice to the +student and their parents/guardians. The written notice +must provide the student and their parents/guardians with +an opportunity to remedy the situation prior to actual +imposition of the penalty. + + +Page 6: +Superintendent’s Circular CAO-03 +Page 6 of 12 + +● An appeals process should be provided to address issues +such as claims of “hardship” or improper assessment of +damages (e.g., the loss or damage of a book which is not the +result of the student’s negligence, parent has proof that +payment was made, etc.). All appeals should be heard by the +principal/head of school, who should issue a written +decision, a copy of which should be forwarded to the parent +and a copy of which should be filed in the student’s +temporary record. In addition, flexibility in the method of +payment should be offered (e.g., school service projects +being performed by the student in lieu of dollar payment is +one possibility). +● All funds collected for lost or damaged textbooks and/or +library books should be forwarded by principals/heads of +school to the business manager for deposit in a revolving +account for the purchase of replacement textbooks. The +business manager will allocate the revolving account book +funds, giving priority to the schools that collected money for +lost/damaged books. +TEXTBOOK INVENTORY AND REPLACEMENT PLANS +● Before budget collaborative, principals/heads of school shall +estimate their textbook needs for the following school year, +based on textbooks checks and on projected student +enrollment and shall develop a textbook replacement plan. +Instructional Leadership Teams and School Site Councils +should be involved in the development of the replacement +plan. Replacement books should be ordered by individual +schools. Texts that are part of curriculum adoption of BPS- +recommended curricula or those that will be used in new +classrooms will be purchased by central office. + + +Page 7: +Superintendent’s Circular CAO-03 +Page 7 of 12 + +● In June, at the end of the school year, principals/heads of +school shall conduct a thorough inventory of textbooks. +● Principals/heads of school shall maintain a record of every +student who does not arrange to replace textbooks that are +lost or damaged. The record should include the book receipt +signed by the student when the book was loaned. +Summary of significant dates and deadlines: +Date +Activity +By the end of the 2nd +week of school +Principals/heads of school send letters +to families regarding district textbook +policy. + + + + + +Page 8: +Superintendent’s Circular CAO-03 +Page 8 of 12 + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington St., Boston, MA 02119 +Phone: +617-635-9000 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular CAO-03 +Page 9 of 12 + +ATTACHMENT 1 + +Dear Parent/Guardian: +As the new school year begins and we loan textbooks and other +resource materials to our students, I would like to ask for the help +of all parents. We need your help if we are to reduce the number +of lost and damaged books. Textbooks are very expensive today, +many costing as much as $60.00 each. We have worked hard +over the past two years to update and replace our books. As a +result, most of our textbooks are less than five years old and are +in good condition. +Some subjects or courses may not use a textbook; instead, they +use reference books, original source documents, and/or library +research materials. +Please work with your child and with us to keep our books in +good condition. I ask that you remind your child of the following: +● All textbooks and library books are the property of the +Boston Public Schools and are loaned for the use of +students while they are enrolled. +● All textbooks and library books used for classroom work and +homework should be respected and returned in good +condition. +● Students/parents are accountable for books and must pay +for the replacement of lost or damaged books. + + + +Page 10: +Superintendent’s Circular CAO-03 +Page 10 of 12 + +● All textbooks that are taken home by students should be +covered. +All materials used to support classroom instruction, all textbooks, +library books and resource materials should be cared for so that +they can be used by other students in the future. I appreciate +your assistance and cooperation in this effort and thank you for +your help. +Our best wishes to you and your child for a successful school +year. +Sincerely yours, + + + +Principal/Head of School + + +School + + + + +Page 11: +Superintendent’s Circular CAO-03 +Page 11 of 12 + +File: EDB-R + +MAINTENANCE AND CONTROL OF MATERIALS AND +EQUIPMENT +Heads of school/principals will be responsible for and will keep +complete records of all books, globes, maps, charts, apparatus +and computers, and other state-of-the-art instructional materials +furnished to their schools. + +Approved prior to 1988. +Policy Manual, School Committee of the City of Boston + + + + +Page 12: +Superintendent’s Circular CAO-03 +Page 12 of 12 + + +FORM 134 +Boston Public Schools +PUPIL'S BOOK RECEIPT +Date: + +Subject: + +Teacher: + +Received: + +Number: + +I promise to return in good order or replace with a new one. +Room: _____________ +Pupil's Signature: + +Form 134 9/98 + + + diff --git a/data/data_txt/CAO-05 Services for Multilingual Learner Students.txt b/data/data_txt/CAO-05 Services for Multilingual Learner Students.txt new file mode 100644 index 0000000..9cffee4 --- /dev/null +++ b/data/data_txt/CAO-05 Services for Multilingual Learner Students.txt @@ -0,0 +1,1500 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +CAO-05 +Version 01 + +SERVICES FOR MULTILINGUAL LEARNER STUDENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The Office of Multilingual and Multicultural Education has +generated this circular to provide an overview of the operational +and instructional expectations to effectively service the needs of +Multilingual Learners (ML), Former English Learners FEL), and +other subgroups within this student population. All BPS staff are +expected to be familiar with the information contained in this +circular and to meaningfully incorporate it into their day-to-day +work as part of the district’s work to respect the rights of our +students and families and comply with all related federal and +state regulatory requirements. +The following actions are recommended for school leaders and +their team to review in this circular: +1. Schedule a dialogue with members of your school’s +Instructional Leadership Team (ILT) and Language +Assessment Team (LATF) around the items shared in this +document to ensure all key stakeholders are aware of their +responsibilities. +2. Using the LATF calendar, identify relevant information to be +reviewed monthly by the school leader and other leaders in +your school who can support this work. + + +Page 2: +Superintendent’s Circular CAO-05 +Page 2 of 36 + +3. Work with your LATF to audit your school’s scheduling data +in Aspen SIS to assure that every EL is appropriately +scheduled for all English Learner Education (ELE) services +and special education services for MLs with disabilities. +Please Note: We will use the term “Multilingual Learner” to +describe our students who enter BPS with or who are in the +process of learning one or more languages. However, we will +continue to use the terms “English Learner” (EL) and “Former +English Learner” when referring to state and federally defined +legal rights/services. +TABLE OF CONTENTS +1. Overview of Policies and Legal Responsibility +2. ELE Service Compliance Reporting +3. English Learner Education (ELE) Program Models +3A. District-Wide ELE Program Requirements +3B.BPS Formally Designated Program for ELs Descriptions +3C. Special Notices about ELE Programs in BPS +4. ESL Services and Teacher Qualifications Compliance +Information +4A. ESL Instructional Time: Elementary (K2 to 5/6) and +Secondary Grades (6-12) +4B. ESL Instructional Types, Requirements, and +Recommendations +4C. ESL Instructional Grouping Requirements +4D. Educator Licensure and Endorsement Requirements +5. SY23-24 ESL Service Delivery Determination Guidance + + + + +Page 3: +Superintendent’s Circular CAO-05 +Page 3 of 36 + +1. OVERVIEW OF POLICIES AND LEGAL RESPONSIBILITY +Under Massachusetts General Laws Chapter 71A, all Boston +Public Schools with an English Learner student assigned and +enrolled are obligated to offer an English Learner Education (ELE) +program. Under Massachusetts Department of Elementary and +Secondary Education guidance, an ELE program consists of both +Sheltered English Immersion (SEI) core content and explicit ESL +instruction appropriate for the student’s English Language +Development (ELD) level. Please note that under Section 6 of this +Chapter, “any school district employee… may be held personally +liable” for not providing students with access to EL programming. +The following are additional legal regulations and guidelines that +pertain to Multilingual Learner Education offered in BPS and ELE +service requirements for students attending BPS: +► Resource: The DOJ Successor Settlement Agreement +► Resource: The META Consent Decree +► Resource: The LOOK Act +► Resource: The BPS Systemic Improvement Plan (SIP) +2. ELE SERVICE COMPLIANCE REPORTING +The Office of Multilingual and Multicultural Education submits a +series of reports each year on the compliance of Multilingual +Learner Education offered in BPS and ELE service requirements +for students attending BPS in accordance with the DOJ +Successor Settlement Agreement. Described below is the +reporting cycle of Paragraph 54, one of the key reports that +schools are accountable for throughout the school year. + + +Page 4: +Superintendent’s Circular CAO-05 +Page 4 of 36 + +For each cycle of this report (October, December, and March), +BPS reviews the following quality indicators for ELE services in +accordance with Paragraph 54 of The Successor’s Agreement: +1. Teacher Qualifications: Are teachers qualified to provide +services to ML students in their ESL and SEI or bilingual core +content classes? +2. ESL Instruction Type: Are ML students assigned to the right +courses per their program code and receiving daily ESL +services with the appropriate ESL instructional model/type +(e.g., push in, pull out, or embedded ESL in grade-level +English Language Arts (ELS), etc.)? +3. ESL Minutes: Are ML students receiving the right amount of +ESL instructional time for their ELD level? +4. ESL Grouping: Are ML (ELD 1-5) students appropriately +grouped for ESL? + +To support the district’s compliance with the +above ELE service requirements and ensure +the accuracy of the reporting data, schools +are expected to review and update ELE +service data in Aspen SIS at the beginning of +each school year, and regularly thereafter in +preparation for the reporting cycle deadlines +(October, December, and March), as well as +as needed upon changes in student enrollment or staffing +changes. +► Resource: Consult The Aspen SIS Guide for Recording ESL +Minutes, Instruction Type, and Teacher (Updated Nov 2023) +for detailed directions on entering ELE compliance data in +Aspen. + + +Page 5: +Superintendent’s Circular CAO-05 +Page 5 of 36 + +► Resource: Consult The DOJ Reporting Schedule with +Description for a full list of required DOJ reports. +► Resource: Consult CAO-5 Cheat Sheet for a quick and simple +outline of ESL compliance. +► Resource: Consult K-12 Sheltered English Immersion (SEI) +Scheduling and Service Delivery for detailed ESL scheduling +suggestions and guidance. COMING SOON +► + +3. ENGLISH LEARNER EDUCATION (ELE) PROGRAM MODELS +3A. District-Wide ELE Program Requirements +Regardless of an EL student being placed in a formally +designated program for ELs, all BPS schools must comply with +the following requirements for ELE service: +1. Castañeda’s Three-Pronged Test for Educationally +Sound ELE Programs +2. Providing an equitable curricular and educational +experience for MLs +3. Access to a Sheltered English Immersion Program +Each of these three requirements are described in detail below: +Castañeda’s Three-Pronged Test for Educationally Sound ELE +Programs +All ELE program models implemented in BPS are required by +DESE to meet “Castañeda’s Three-Pronged Test,” as defined by +the following components: +1. The program is based on a sound educational theory or on +research +2. The program is implemented with adequate and +appropriate resources + + +Page 6: +Superintendent’s Circular CAO-05 +Page 6 of 36 + +3. The program has resulted in demonstrable academic +outcomes for ELs. +► Resource: DESE Guidance on The Integration of Castañeda’s +Three-Pronged Test into ELE Program Development and +Review Process +Providing an Equitable Curricular and Educational Experience +for MLs +All ELE programs implemented in BPS are required to provide +MLs (SDD 1-4) comparable access to the standard curriculum +within a reasonable period of time and to the range and level of +extracurricular activities and additional services as non-ML +students. Additionally, all ELE programs should provide +opportunities for MLs (SDD 1-4) to take classes and participate +in school activities with their English-proficient peers (non-MLs). +Additionally, all BPS classrooms that serve MLs and non-MLs +together and provide sheltered content instruction have +historically been coded as “general education,” but will now be +coded as State SEI classrooms to be in alignment with State +regulations and the findings from the 2023 DESE Tiered Focus +Monitoring report. And students, regardless of receiving +foundational level scores1 on the ACCESS or WIDA Screener +assessments, have equal access to enroll in such classrooms +where they will be exposed to English-proficient peers. + +Access to a Sheltered English Immersion Program +DESE (2019) SEI guidance offers this helpful framework for the SEI +ELE program model implemented in Massachusetts: + + + +1 Foundational level scores are scores of a 1-2.5 on the ACCESS +test, or scores of a 1-2 on a WIDA Screener. + + +Page 7: +Superintendent’s Circular CAO-05 +Page 7 of 36 + +SHELTERED ENGLISH IMMERSION (SEI) PROGRAM (2) +A two-component program model + +Sheltered Content Instruction +(SCI) +English as a Second Language +(ESL) +● Taught by content-area +licensed and SEI-endorsed +teacher (or BEE-endorsed in an +official BPS Dual Language +program). +● Access to grade-level content & +development of discipline- +specific academic language. +● Occurs throughout the day and +is designed for optimum EL +engagement in content. + +● Taught by ESL-licensed +teacher. +● Additional linguistic support +ELs need to be delivered +through systematic, explicit, +sustained focus on language +and literacy in the context of +the Massachusetts Curriculum +Frameworks. +● Occurs for a specific amount of +time each day [in accordance +with DOJ requirements +specified in this Circular]. + +2Massachusetts law (G.L. c. 71A, §) defines SEI as “an English language +acquisition process for young children in which nearly all classroom +instruction is in English but with the curriculum and presentation designed +for children who are learning the language. Books and instruction materials +are in English and all reading, writing, and subject matter are taught in +English. Although teachers may use a minimal amount of the child's native +language, when necessary, no subject matter shall be taught in any +language other than English, and children in this program learn to read and +write solely in English.” + + +Page 8: +Superintendent’s Circular CAO-05 +Page 8 of 36 + +This means that ML (ELD 1-5) students with “General Education,” +vocational, Inclusion, Substantially Separate, AWC, IB, Montessori, +and Alternative Education program seat assignments are +considered to be served in an SEI ELE model — entitled to both +sheltered core content instruction and ESL.2 +3B. BPS Formally Designated Program for MLs Descriptions +As stated in section 3A, while schools are required to comply with +offering all ML students the requirements for ELE programs +regardless of student placement, BPS also offers ML students +enrollment opportunities in one of BPS’s formally designated +programs for MLs. These program models are: +1. Sheltered English Immersion (SEI) Program +a. State SEI - Sheltered English Immersion (SEI) Program +with Grade-Level English Proficient Peers +b. BPS SEI - Sheltered English Immersion (SEI) Program in +Language Specific or Multilingual +c. Sheltered English Immersion (SEI) Program in +Substantially Separate Setting +d. Sheltered English Immersion (SEI) Program in High +Intensity Literacy Training (HILT) for SLIFE Multilingual +2. High Intensity Literacy Training (HILT) for SLIFE Language +Specific +3. Dual Language Education (DLE) or Two-Way Immersion +Program +4. Newcomer Program + +Please Note: Schools are expected to implement the ELE +program model designated for their school. Any deviation from +the models outlined in this section must be approved by the +Office of Multilingual and Multicultural Education (OMME) so as +not to constitute a violation of the student/parent rights. + +The specifics of each program model is described below: + + + +Page 9: +Superintendent’s Circular CAO-05 +Page 9 of 36 + +Sheltered English Immersion (SEI) Program3 +As described in section 3A, a Sheltered English Immersion +Program is a two component program. First, it incorporates +strategies to make content area instruction more +understandable to MLs and to promote English language +development in core-content classes throughout the day taught +by SEI (or BEE as appropriate) endorsed teachers. Content area +instruction integrates sheltering strategies to make content +comprehensive and develop content area academic language in +mathematics, English language arts (ELA), social studies, and/or +science. As the second component to a Sheltered English +Immersion program, English learner students also receive explicit +English as a Second Language classes. + +Boston Public Schools offers various ways for English learner +students to access a Sheltered English Immersion program as +outlined below: + +State SEI - Sheltered English Immersion (SEI) Program with +Grade-Level English Proficient Peers +SEI with grade-level English proficient peers offers MLs both +Sheltered Content Instruction from SEI endorsed teachers +as well as explicit English as a Second Language classes. +MLs in this SEI program type are not grouped according to +their EL status, their first language, or their level of English +proficiency in any way during core-content classes. They + +3 Massachusetts law (G.L. c. 71A, §2) defines SEI as “an English +language acquisition process for young children in which nearly +all classroom instruction is in English but with the curriculum and +presentation designed for children who are learning the +language. Books and instruction materials are in English and all +reading, writing, and subject matter are taught in English. +Although teachers may use a minimal amount of the child's +native language when necessary, no subject matter shall be +taught in any language other than English, and children in this +program learn to read and write solely in English.” + + +Page 10: +Superintendent’s Circular CAO-05 +Page 10 of 36 + +receive core-content instruction with English proficient +peers as well as other MLs. Only during English as a Second +Language classes are MLs in this SEI program type +separated from their grade-level English proficient peers +and grouped according to their ESL Service Delivery +Determination (SDD). + +BPS SEI - Sheltered English Immersion (SEI) Program in +Language Specific or Multilingual +This is a BPS ELE program that incorporates English +language development throughout the day with strategies +to make core academic content instruction more +comprehensible to MLs who are ELD 1-2.5 (scored 1-2.5 on +WIDA ACCESS Overall score). BPS SEI Language Specific +programs serve students who all speak the same first +language; in BPS SEI Multilingual programs, a variety of +languages are spoken by the students. Instruction is +conducted in English, with native language clarification for +students where available. ML Students in an SEI Language +Specific or SEI Multilingual Classroom in Grades K2-5/6 +receive ESL instruction within their classroom; for sheltered +content instruction they may be scheduled with English +Proficient Peers for a portion of their day. Students in SEI +Language Specific or Multilingual classrooms receive +instruction in smaller class sizes in comparison to General +Education classrooms. BPS SEI Language Specific or +Multilingual programs in at the elementary level, English +learner students may receive their English as a Second +Language instruction embedded within the content +instruction of the class if the homeroom teacher possesses +their ESL license. For BPS SEI Language Specific or +Multilingual programs at the secondary level, English +learner students must receive their English as a Second +Language instruction in a standalone setting from an +appropriately licensed teacher. + + + +Page 11: +Superintendent’s Circular CAO-05 +Page 11 of 36 + +Sheltered English Immersion (SEI) Program in Substantially +Separate Setting +Per the Individualized Education Plan (IEP) and/or 504 plan, +MLs in this SEI program type will receive core-content +instruction and ESL services in a self-contained special +education classroom with specialized instruction +throughout their day within a small-group structured +setting. Research-based practices, specific to disability, are +utilized in the specialized classroom. MLs will continue to +receive sheltered content instruction where SEI-endorsed, +content-licensed educators shelter instruction so that they +can meaningfully engage with grade-level content, and +develop discipline-specific academic language.Depending +on the nature of an MLs disability in this program, they may +have modifications to their ESL services specified in their IEP +and/or 504 plan. + +Sheltered English Immersion (SEI) Program in High Intensity +Literacy Training (HILT) for SLIFE Multilingual +In SLIFE multilingual classrooms, the language of +instruction is English, and teachers provide native language +support when feasible. All students in this classroom are EL +students who enter BPS with Limited or Interrupted Formal +Education (SLIFE); students in the classroom may speak +different native languages. Students in SLIFE classrooms +receive instruction from an ESL teacher as well as content +and literacy from a teacher(s) who is qualified to provide +sheltered content instruction. Please also see general HILT +for SLIFE requirements here. + +High Intensity Literacy Training (HILT) for SLIFE Language +Specific +In language specific HILT for SLIFE programs, MLs receive High +Intensity Literacy Training (HILT) in their native language. This +program enrolls EL students who enter BPS with Limited or +Interrupted Formal Education (SLIFE) who all speak the same +language. Core academic content is taught in the native + + +Page 12: +Superintendent’s Circular CAO-05 +Page 12 of 36 + +language of the student, and is increasingly taught in English as +the student develops English fluency. Students in SLIFE +classrooms receive instruction from an ESL teacher as well as +content and literacy from a Native Literacy/Content teacher(s) +who is qualified to provide sheltered content instruction. SLIFE +Native Literacy classrooms have smaller class sizes than State SEI, +BPS SEI, and Dual Language programs. + +General HILT for SLIFE Program Requirements +BPS recommends this program for MLs ages 8 or older who +are newcomers to the United States, who have little to no +literacy in their native language, or whose formal schooling +was limited or interrupted in their native country. Students +in HILT for SLIFE programs are grouped across a grade span +(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic +English language and literacy development, native +language instruction designed to help them learn reading, +writing, math, science, and history/social studies, when +available, and additional classes such as technology, arts, +and physical education. + +In accordance with the META Consent Decree, HILT for +SLIFE programs must also comply with the following +requirements: + +1) Class size should not exceed 15 students; +2) During related arts / specials / electives courses, lunch, +recess, and allotted intervention time, SLIFE students +must be integrated with other ML students and with +English-proficient students (Never ELs, Former ELs), +who serve as peer language models. +3) “Daily Common Planning Time” must be allocated for +ESL teachers and Native Language Teachers for age +and grade-appropriate lesson design and materials +development. +4) In language-specific programs such as Spanish, Haitian +Creole, and Cabo Verdean Creole, students must + + +Page 13: +Superintendent’s Circular CAO-05 +Page 13 of 36 + +receive Native Language High-Intensity Literacy +Training (HILT) as they develop literacy in their native +language as well as English. +5) In SLIFE multilingual classrooms, teachers must +provide native language supports when feasible. +6) All SLIFE students at the beginning of every year or +upon assignment to the program must have a HILT for +SLIFE Individual Learning Plan (ILP) generated that +qualifies the individual learning targets for the +academic year. This HILT for SLIFE ILP must be +completed in full to document progress and determine +a student's eligibility to exit the program. +7) No student can be recommended to exit the HILT for +SLIFE program without meeting the exit criteria as per +the META Consent Decree. + +Dual Language: Two-Way Immersion Programs +In this program, the classroom is made up of both native +language and English dominant students. All students learn to +read, write, speak, and understand both languages either +through core academic content instruction or explicit language +instruction, taught by qualified teachers in the two languages. +The goal of these programs is for students to become bilingual +and biliterate. BPS seeks to increase more dual-language +opportunities such as two-way immersion programs, heritage +language programs, and ethnic studies courses in students’ +native language. Programs are currently offered in Spanish, +Haitian Creole, ASL, Vietnamese, and Cape Verdean Creole. + +Newcomer Program +This program is available for secondary MLs at the early stages of +their English language development. Only MLs who are ELD 1-2.5 +(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this +program. Instruction is conducted in English, with native +language clarification for students where available. English +learner students in this program receive ESL instruction in a + + +Page 14: +Superintendent’s Circular CAO-05 +Page 14 of 36 + +standalone period and sheltered content instruction from core- +content teachers. +o + +3C. Special Notices about ELE Programs in BPS +Multilingual Learners with Disabilities +Multilingual Learners with Disabilities (MLWD) are Multilingual +Learners who receive disability-related, specialized instruction in +an inclusion setting, resource room setting, or a substantially +separate Special Education classroom. Regardless of placement, +BPS is obligated to provide Multilingual Learners with Disabilities +(MLWD) with equal access to the same opportunities as other +students; education, specialized instruction and related services, +appropriate and effective ESL and content instruction by +accessing grade-level curriculum while providing +accommodations, modifications, and goals within the Individual +Education Plan (IEP). Schools are required to monitor students’ +progress to ensure appropriate progress toward meeting their +English language proficiency benchmarks and IEP goals. +All MLWD (ELD1-5) are entitled to receive both Special Education +(SPED) and ELE services in a manner appropriate to the student’s +individual needs by appropriately qualified staff; the District is +required to provide these services. No ML shall be denied ELE +services solely due to the nature or severity of the student’s +disability, and no ML shall be denied SPED services due to their +ML status. This means, for example: +● No modifications to ESL service requirements may be +implemented unless such modifications are determined +necessary by the student’s IEP or Section 504 team, through +a documented team process, and in accordance with the + + +Page 15: +Superintendent’s Circular CAO-05 +Page 15 of 36 + +narrow exceptions contained in Paragraph 67 of the +Successor Settlement Agreement. +● Any approved modification to ESL minutes, grouping, +and/or instruction must be reflected on the EL Grid, an +internal monitoring section in EdPlan, and will be reviewed +by the BPS Office of Special Education/Office of Multilingual +and Multicultural Education Supervisor(s) of Multilingual +Learners with Disabilities. +● ESL may not take the place of a student’s special education +services. For instance, a student may not be taken out of +speech therapy or counseling in order to get ESL. +● Core content instruction and ESL services must be provided +with all accommodations as outlined in the student’s 504 +plan or IEP. +Parent Right to Opt Out of the ELE Program +Parents / guardians have the right to opt out their child from +some or all components of the district’s ELE program pursuant to +Paragraphs 33 to 35 of the Successor Agreement. The district +shall approve a parent’s request to opt out of some or all ELE +services, only by following the relevant safeguards that are set in +place: +1. The decision to opt out must be voluntary and informed, +and not the product of district practices or influence, the +result of inadequate or inaccurate information, or +inadequate district resources. +2. If any parent/guardian of an EL communicates a refusal to +have their child enrolled in an EL program, and/or refuses +all or only specific ELE services (e.g., EL-only SEI classes, +language-specific SEI classes, or HILT classes) at a +Welcome Center, NACC, or school, then a meeting will be + + +Page 16: +Superintendent’s Circular CAO-05 +Page 16 of 36 + +convened with a representative from OMME, the school +leader, a representative of the LAT (typically the LAT-F), +and the parent(s)/guardian(s) to explain the benefits of +services and address parent concerns AND encourage +parents to allow their child to receive ELE services for at +least 30 days before deciding to refuse such services. +3. If the parent continues to refuse ELE services after an +explanation of the benefits of the services, the Opt-Out +form (documenting 1. Evidence of parent meeting and 2. +Parent request) must be submitted to OMME for review +and approval and such documentation must +subsequently by submitted by OMME to the DOJ/OCR. +4. Students approved as “opt-outs” are still required to +remain coded as an English Learner, required to +participate in ACCESS, scheduled with an SEI-endorsed +teacher(s) for core content, and have their English +language development monitored by the school. +5. Parents or legal guardians should revisit their decision to +opt out every year and submit a new request for the +current academic year and parents may request to +restore ELE services at any point. +Former English Learners +Upon exit (reclassification to Former EL status), schools must +regularly monitor students’ academic progress for 4 school years +upon their reclassification as is required by DESE and federal +regulations. It is recommended that schools continue to schedule +Former ELs with an SEI-endorsed content teacher(s) during their +monitoring period. If during this monitoring period it is +determined that the student’s EL status be restored (with ELE +services provided), the LATF must seek written permission from +the student’s parent/guardian. + + +Page 17: +Superintendent’s Circular CAO-05 +Page 17 of 36 + +Please see: +o Section 5 of this circular for additional information on +the exit criteria for ELs + +4. ESL SERVICES AND TEACHER QUALIFICATIONS COMPLIANCE +INFORMATION +Under the terms of the Department of Justice Successor +Agreement and the policies of the Department of Elementary +and Secondary Education, all BPS Multilingual Learner Education +Programs must comply with specific guidelines regarding ESL +Instructional Minutes, Instructional Type, Instructional Grouping, +and Educator Licensure and Endorsement. The following section +outlines the specifics of each compliance measure as applicable +for each Multilingual / English Learner Education Program +described section 3. +Note: Schools are advised to create their schedule for ELE +services first to ensure that the necessary qualified staff are +scheduled to meet ML service needs. +All ML students, including Multilingual Learners with Disabilities +(MLWD) and Students with Limited or Interrupted Formal +Education (SLIFE), must be scheduled for the requisite amount of +daily ESL instruction according to their SDD and must receive +ESL by an ESL licensed teacher. MLWD with severe disabilities for +whom compliant ESL instruction as described in the Successor’s +Agreement is not appropriate may have their services adjusted if +reflected and recorded appropriately in the IEP through a team +process. + + + + + + +Page 18: +Superintendent’s Circular CAO-05 +Page 18 of 36 + +4A. ESL Instructional Time: Elementary (K2 to 5/6) and +Secondary Grades (6-12) +Elementary (K2 to 5/6) +Consistent with DESE’s guidance, the table below provides the +DOJ-approved ESL instructional time per ELD level that the +district shall provide, to the extent practicable: +TABLE 2: MINIMUM REQUISITE ESL INSTRUCTIONAL TIME +FOR MLS IN K2-5/6 +ELD +Level +Daily ESL +Instructional Time +Weekly ESL Instructional +Time +ELD 1 +135 minutes (2 hours, +15 minutes) +675 minutes (11 hours, 15 +minutes) +ELD 2 +90 minutes (1 hour, 30 +minutes) +450 minutes (7 hours, 30 +minutes) +ELD 3 +60 minutes (1 hour) +300 minutes (5 hours) +ELD 4 +45 minutes +225 minutes (3 hours, 45 +minutes) +ELD 5 +45 minutes +225 minutes (3 hours, 45 +minutes) + +Secondary Grades (6-12) +In order to address the variety of scheduling at our Secondary +Schools as well as to ensure that students can equitably access +ESL along with other MassCore / graduation requirements and +specialty courses (e.g Advanced Placement courses, Dual +Enrollment, Early College, and any vocational or technical + + +Page 19: +Superintendent’s Circular CAO-05 +Page 19 of 36 + +training / courses), OMME has shifted from a “minutes” +framework at the Secondary level to a “blocks required” +framework. +TABLE 3: SECONDARY SCHOOL ESL SCHEDULING* +School’s Daily +Course Block +Length +(Minutes) +# of Daily ESL Blocks Required: + +ELD 1 +ELD 2 +ELD 3 +ELD 4/5** +45-59 minutes +3 +2 +1 +1 +60-74 minutes +2 +2 +1 +1 +75+ minutes +2 +1 +1 +1 +*ESL for ELD 4-5 may be embedded into the ELA block by an ESL- +licensed teacher. This is only allowable for ELD levels 4 and 5. + +Please note: +● Schools may leverage this framework, but may still opt to +schedule ESL instruction based on the daily minutes +specified in Table 2. +● OMME recommends schools consider scheduling MLs for +additional support from an ESL licensed teacher during +Targeted Advisory / Intervention / WIN / SEL blocks (if +available) based on the needs of their students and in the +balance of other opportunities for students to access grade- +level core content, advanced learning, and specials +alongside their English-proficient peers. Refer to the +resource below for sample recommended schedules. + + +Page 20: +Superintendent’s Circular CAO-05 +Page 20 of 36 + +● Part-time students (i.e., those attending for 1 or 2 remaining +credit requirements) who have fulfilled MassCore ELA +graduation requirements, and / or are only enrolled in BPS +for credit recovery or only online education (i.e., never +physically at a school building), will not be required to be +scheduled for ESL. These students are typically over-age +students who are balancing work and other adult +responsibilities. OMME highly recommends that these +students have a direct connection with the Re-Engagement +Center and have a dedicated counselor that can assist them +in creating an educational pathway that works best for their +home, family, and work obligations. Note: Schools may +schedule these students for ESL if it will best support the +student in meeting graduation requirements and their +individual needs. Regardless, schools should still be +scheduling these students for core content classes with an +appropriately endorsed (SEI and/or Bilingual Endorsement) +or ESL certified teacher. + + + + + + + +Page 21: +Superintendent’s Circular CAO-05 +Page 21 of 36 + +4B. ESL Instructional Types, Requirements, and +Recommendations +All requisite ESL Instruction must occur during an ESL-Eligible +course as designated by the BPS course catalog (e.g. reading, +writing, ELA, literacy / humanities). This is to ensure that ELs still +have equitable access to other grade-level core content and +specialty courses. +Refer to the following tables for allowable types of ESL +instructional models. + +TABLE 4: ESL INSTRUCTIONAL MODELS FOR MLS IN K2-5/6 +All instructional models require an ESL licensed teacher during +the literacy/humanities block). +Standalone ESL — For ELs in Gen Ed + A standalone section is a scheduled class for ESL students +with an ESL licensed teacher. The student is not pulled out +of classrooms to attend this class, it is a part of their student +schedule (e.g., with an “ESL” course title). An ESL licensed +teacher must be the teacher of record of this classroom. +Standalone ESL is the recommended instructional model for +ML students with an ELD of 1-3 in grades K2-5 who are not +assigned to an SEI language-specific or SEI Multilingual +program. +For ELD 4-5: Standalone is an allowable option; however, +refer to the Embed ELA model as an alternative if the +ELA/homeroom teacher is ESL licensed. + + + +Page 22: +Superintendent’s Circular CAO-05 +Page 22 of 36 + +Push-In ESL +Push-In ESL may be provided to ML students in Elementary +grades (K2 to 5) when the ESL teacher is coming into an +ELA/Humanities course (or via a co-teacher in the +classroom) to provide ESL services for a specific, small group +of students within the same classroom while other students +continue to receive content instruction. Schools must +adhere to ESL grouping requirements when utilizing this +instructional method. +At a minimum, weekly common planning time for the ESL +and classroom teachers should be provided. +Pull-Out ESL +Pull-Out ESL may be provided to ML students in Elementary +grades (K2 to 5) when a student is being taken out of an ELA +/ Humanities course to receive ESL instruction. Schools must +adhere to ESL grouping requirements when utilizing this +instructional method. +Embed Homeroom — ESL in formal SEI programs +This is an instructional type allowable ONLY for ML students +(ELD 1-3) in SEI language-specific or SEI multilingual +programs at the Elementary grade level (K2 to 5/6). +Please see section 5 of this circular for additional +information on the criteria for a BPS SEI eligible ELD 3. +In this model, students receive ESL instruction embedded +during their literacy time (course titles: Reading and +Writing). Teachers providing this embedded ESL instruction +must be ESL licensed and are required to complete OMME +designated PD on differentiation and lesson planning. + + +Page 23: +Superintendent’s Circular CAO-05 +Page 23 of 36 + +Embed ELA — ESL +For ML students with ELD levels 4 and 5 only, the +recommended instructional model for ESL is for ESL to be +embedded in core ELA or literacy courses, only by an ESL +licensed teacher. Students at these ELD levels may be +grouped together. + + +Inclusion Teacher ESL Stipend per BTU CBA +For special education inclusion classrooms only that utilize a 1.0 +teacher model, where the teacher is using 3 licenses (two of +which are special education and ESL), this ESL-licensed teacher +of record may agree to be stipended (45 minutes per day at the +BTU contractual hourly rate) to provide ESL instruction for ELD 4- +5 students that is embedded into the ELA or literacy block (ESL +Embed ELA). Alternatively, if the teacher does not agree to the +stipend, ESL instruction for ELD 4-5 students must be provided +by a separate ESL licensed teacher. All ML (ELD 1-5) students are +entitled to receive ESL services regardless of the teacher/stipend +model. + + + + + +Page 24: +Superintendent’s Circular CAO-05 +Page 24 of 36 + +TABLE 5: TYPES OF ESL INSTRUCTIONAL MODELS FOR MLS IN +GRADES 6-12 +ESL +Instruction +Type +Description (all instructional models require +an ESL licensed teacher) +Standalone +ESL + +● For ELD levels 1 to 3, this is the only +compliant instructional model for ESL service +delivery for students. +● Standalone is an allowable option for which +ELD 4-5 students may be grouped together; +however, refer to the Embed ELA mode +below as the recommended instructional +type if the ELA teacher is ESL licensed. +Embed ELA +ESL in English +Language Arts +● For ML students with ELD levels 4 and 5 only, +the recommended instructional model for +ESL is for ESL to be embedded in core ELA or +literacy courses, only by an ESL licensed +teacher. Students at these ELD levels may be +grouped together. + + + + + +Page 25: +Superintendent’s Circular CAO-05 +Page 25 of 36 + +4C. ESL Instructional Grouping Requirements +The following table represents allowable groupings of students +for ESL instruction. +TABLE 6: ELEMENTARY AND SECONDARY ESL GROUPING +ACROSS ELD AND GRADE LEVELS +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +ELD 1 +● With fellow ELD 1 only +across two consecutive +grades; OR +● With ELD 2 in one grade +level +● With fellow ELD 1 across +multiple grades; OR +● With ELD 2 only in one +grade level +ELD 2 +● With ELD 1 in one grade +level; OR +● With fellow ELD 2 only, in +one grade level or across +up to two consecutive +grades; OR +● With ELD 3 only in one +grade level +● With fellow ELD 2 only +across multiple grades; +OR +● With ELD 1 only in one +grade level; OR +● With ELD 3 only in one +grade level +ELD 3 +● With ELD 2 in one grade +level, preferably ELD 2.5- +2.9; OR +● With fellow ELD 3 only, in +one grade level or across +up to two consecutive +grades; OR +● With ELD 2 in one grade +level, preferably ELD 2.5- +2.9; OR +● With fellow ELD 3 only +across multiple grades, +preferably two +consecutive grade levels +(e.g., in grades 9-10); OR + + +Page 26: +Superintendent’s Circular CAO-05 +Page 26 of 36 + +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +● With ELD 4 in one grade +level +● With ELD 4, in one grade +level in a standalone +setting +ELD 4 +● With ELD 3 in one grade +level; OR +● With ELD 5 in one grade +level; OR +● With fellow ELD 4 only +across two consecutive +grades +● With ELD 3 in one grade +level in a standalone +setting; OR +● With ELD 5 in one grade +level; OR +● With fellow ELD 4 only +across multiple grades +ELD 5 +● With ELD 4 in one grade +level; OR +● With fellow ELD 5 only +across two consecutive +grades +● With ELD 4 in one grade +level; OR +● With fellow ELD 5 only +across multiple grades +Allowable Exceptions: +SEI Language +Specific or +Multilingual +Program (ELD +1-3) +● ELD 1-3 of the same SEI +program homeroom may +be grouped together for +ESL instruction* +● This grouping is not +allowable at the +secondary level. +HILT for SLIFE +● ELs, regardless of ELD +level or grade level, in the +same HILT for SLIFE +● ELs, regardless of ELD +level or grade level, in the +same HILT for SLIFE + + +Page 27: +Superintendent’s Circular CAO-05 +Page 27 of 36 + +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +Programs (4) +program homeroom may +be grouped together for +ESL instruction. +program homeroom may +be grouped together for +ESL instruction. +MLWD (with +approved ESL +modifications) +● Refer to the ELSWD ESL +Modifications section for +guidance. +● Refer to the ELSWD ESL +Modifications section for +guidance. +*Subject to the terms of DOJ Paragraph 39e. + + + + +4() The META Consent Decree defines BPS HILT for SLIFE +programs as “self-contained, ungraded, elementary format +classroom with two teachers [Native Literacy Content teacher +and ESL teacher] responsible for all instruction.” Students in the +program are typically ELD 1 but may be at an ELD 2 level as they +progress in their English language acquisition until meeting the +exit criteria required by the consent decree. Therefore, students +in this program model may receive ESL grouped in this manner. + + +Page 28: +Superintendent’s Circular CAO-05 +Page 28 of 36 + +4D. Educator Licensure and Endorsement Requirements +Please Note: +Per DESE (603 CMR 14.07 (3)), no EL student can be placed in +classrooms where the teachers lack the SEI Endorsement for two +or more consecutive years. (5) +● School Leaders are to keep detailed electronic records of all +teachers who are in the process of obtaining the SEI or +Bilingual Education Endorsement and the pathway that +they are pursuing to meet this obligation. All ML (ELD 1-5) +must be assigned to core content (and vocational, if +applicable) classrooms where the teachers are already +endorsed or in a confirmed pathway. +● When creating schedules, schools must take into +consideration teachers who are newly hired and who are +returning but lack the SEI endorsement. +● It is recommended that students who have reclassified to +Former English Learner status be scheduled with SEI- +endorsed teachers for their core content courses, especially +at the start of their 4-year monitoring period. +● For any SEI Language-Specific / Multilingual elementary +teacher to provide embed HR ESL to students at ELD 1-3, +they must have both an ESL license and have completed +OMME-approved training on differentiation of ESL and +lesson planning, as part of the qualifications for this +program, to ensure that the unique needs of students at +ELD levels 1-3 are met (DOJ Paragraph 39e). Please also +reference the 2018-2021 BTU Collective Bargaining + +5The teacher in this instance would also be required to get the SEI +endorsement. + + +Page 29: +Superintendent’s Circular CAO-05 +Page 29 of 36 + +Agreement (p. 49 section 11) as it pertains to this +requirement. Teachers are expected to complete this +training by the end of the school year. If the teacher has not +satisfied these requirements, the school must ensure an ESL +licensed teacher is scheduled to deliver the appropriate +English language development instruction to ML students +for the literacy portion of the day. +The following table outlines DESE educator licensure and +endorsement requirements in order to instruct ML (ELD 1-5) +students by job type. + + + + +Page 30: +Superintendent’s Circular CAO-05 +Page 30 of 36 + +TABLE 7: TEACHER QUALIFICATION BY JOB TYPE +Job Type +Required +Qualification +Additional Information +ESL +Teacher +ESL License +Individuals who have completed and passed all +requisite coursework / requirements and are +only waiting for the state to administratively +grant the ESL license may also be assigned to +teach ESL. +Core +Content or +Vocational +Teacher +(English) +SEI +Endorsement +(Teacher) + +Core Content Teachers: +● teachers of students with moderate or +severe disabilities; subject-area teachers in +English, reading or language arts; +mathematics, science; civics and +government, economics, history, and +geography and early childhood and +elementary teachers who teach such +content. +Vocational (CVTE) Teachers: +● For purposes of SEI, CVTE is defined as +programs approved under M.G.L. c. 74; +programs that meet the definition of career +and technical education listed in the Carl D. +Perkins Career and Technical Education +Improvement Act of 2006, 20 U.S.C. § 2302(5); +and any other programs that may be +designated by the DESE Commissioner such +as automotive technology, carpentry, +culinary arts, engineering, exploratory, +masonry, information technology, and any +other subjects listed by DESE. + + +Page 31: +Superintendent’s Circular CAO-05 +Page 31 of 36 + +Core +Content or +Vocational +Teacher +(Native / +Partner +Language) +BEE +Endorsement +Core Content and CVTE Teachers as defined +above who: +● Instruct in the partner language of a formal +BPS dual language program +● Instruct in the partner language of a formal +language specific HILT for SLIFE program + +Evaluator +of ML +Teacher +(English) +SEI +Endorsement +(Administrator +or Teacher) +A principal, assistant principal, supervisor, or +director ("administrator") who supervises or +evaluates one or more core academic teachers +of ML (ELD 1-5) students +Evaluator +of ML +Teacher +(Native / +Partner +Language) +BEE +Endorsement + +OR + +SEI +Endorsement +(Administrator +or Teacher) +Evaluators as defined above who supervise a +core academic teacher assigned to provide +instruction to an English Learner in a bilingual +ELE program +Substitute +Teachers +N/A +If for any ESL or core content class, no teacher +is available who meets the qualifications to +instruct ML (ELD 1-5) students, school leaders +shall, to the extent practicable, assign +substitute teachers who are ESL-licensed for +ESL instruction or who are SEI or Bilingual +Education-endorsed (for core content classes). + +The following table outlines DESE educator licensure and +endorsement requirements in order to instruct ML (ELD 1-5) +students by BPS ELE program model. + + +Page 32: +Superintendent’s Circular CAO-05 +Page 32 of 36 + +TABLE 8: EXAMPLES OF LICENSURE REQUIREMENTS FOR +POSITIONS SERVING EL STUDENTS* +Program +BPS +Teacher +Title +Position +Description +Required +Licensure +Preferred + + + + +BPS SEI +SEI Multi- +lingual +General ed. +position in a +classroom that +includes students +with ELD levels 1- +3 and varying +native languages +Content area +license & SEI +endorsement +ESL License +and SEI PD +SEI + +[Specific +Language] +e.g. SEI +Spanish +General ed. +position in a +classroom that +includes students +with ELD levels 1- +3 of the same +native language +Content area +license & SEI +endorsement +ESL +License, SEI +PD, and +Oral fluency +in students’ +primary +language +ESL +ESL +Teacher +(incl. SLIFE +ESL) +Provides ESL +instruction only +(regardless of ELE +program model) +ESL license + + + + + + +Bilingual +Two-Way + +[Specific +Language] +e.g., +Bilingual +Serves multiple +classrooms to +provide periods of +instruction in a +language other +than English +Content area +license & Bilingual +Education +Endorsement (if +teaching in native +language) + + + +Page 33: +Superintendent’s Circular CAO-05 +Page 33 of 36 + +Dual +Lang- +uage/ +Two-way +Two-Way +Spanish +(complementary +position below) +(Note: if the +teacher is +providing ESL, the +teacher must have +the ESL License) +Bilingual +Two-Way +English +Serves multiple +classrooms to +provide periods of +English +instruction to +students +(complementary +position above) +Content area +license & either SEI +Endorsement or +Bilingual +Education +Endorsement +(Note: if the +teacher is +providing ESL, the +teacher must have +the ESL License) + + +SLIFE +SLIFE +Native +Literacy +(TBE) +teacher +Provides core +content +instruction to +SLIFE students in +the student’s +native language +(language other +than English) +A Core Content +area license & +Bilingual +Education +Endorsement + +5. SY23-24 ELD AND ELP LEVELING GUIDANCE +For the 2023-2024 school year, the Office of Multilingual and +Multicultural Education is continuing the transition of +Multilingual Learner students’ English Language Development +Level (ELD Level) to Multilingual Learner students’ English +Language Proficiency Level (ELP Level). This shift aligns all + + +Page 34: +Superintendent’s Circular CAO-05 +Page 34 of 36 + +students’ ELP levels with their WIDA ACCESS 2.0 scores and +aligns our guidance and policies for Multilingual Learner students +and Multilingual Learner Education with the guidance and +policies of the Department of Elementary and Secondary +Education. The following table shows the updated ACCESS and +Alt ACCESS score to ELP level crosswalk. +TABLE 9: ACCESS SCORE CROSSWALK +2022 ACCESS and Alt ACCESS +Score Range + +SY 23-24 English Language +Development (ELD) / English +Language Proficiency (ELP) +Levels +ACCESS: 1.0 - 1.9 / ACCESS Alt: A1-P1 +Level 1 (Foundational) +ACCESS: 2.0-2.9 / ACCESS Alt: P2 +Level 2 (Foundational) +ACCESS: 3.0-3.4 / ACCESS Alt: P3 +Level 3 (Foundational) +ACCESS: 3.5-3.9 / ACCESS Alt: P3 +Level 3 (Transitional) +ACCESS: 4.0 - 4.9 +Level 4 (Transitional) +ACCESS: 5.0-5.9 +Level 5 (Transitional) +ACCESS: 4.2 with 3.9 literacy +(i.e., meets state exit criteria) +Former EL + +Please note: +● Annual program placement recommendations are based on +students’ ELP level, and OMME will assume the +responsibility of using the annual program notification form +to notify parents of program placement. + + +Page 35: +Superintendent’s Circular CAO-05 +Page 35 of 36 + +● Consecutive year ELD 3 students will be automatically +exited from BPS SEI Language Specific or Multilingual +program placement if they currently occupy such a seat. +○ Per DOJ, consecutive year ELD 3 students may not be +grouped together with ELD 1-2 students for their ESL +instruction. +● Transitional ELD 3 students (students who received an +ACCESS overall score of 3.5-3.9) will be automatically exited +from BPS SEI Language Specific or Multilingual program +placement if they currently occupy such a seat. +● Students who scored lower on their ACCESS test than their +previous ELD level will be held harmless. +● Students who did not take the ACCESS or complete ACCESS +due to absence or other circumstance will retain their +previous ELD level. +● Students who did not take all domains of ACCESS due to an +SPD code will receive their appropriate levels and program +placements according to the policies listed above upon +release of their ACCESS overall score by the state in early fall. +► Resource: End of Year Leveling Guidance 22-23 + + + + + + +Page 36: +Superintendent’s Circular CAO-05 +Page 36 of 36 + +For more information about this circular, contact: +Owner: +Linda Chen, Senior Deputy Superintendent of +Academics and Interim Assistant +Superintendent of OMME +Department: +Office of Multilingual and Multicultural +Education (OMME) +Mailing Address: Bolling Building, 2300 Washington Street, 6th +Floor, Roxbury, MA 02119 +Phone: +617-635-9435 +Email: +OMMEequityteam@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/CAO-06 GPA Calculation Method.txt b/data/data_txt/CAO-06 GPA Calculation Method.txt new file mode 100644 index 0000000..1a31c91 --- /dev/null +++ b/data/data_txt/CAO-06 GPA Calculation Method.txt @@ -0,0 +1,180 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +CAO-06 +Version 01 + + + + GRADE POINT AVERAGE CALCULATION METHOD +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +RATIONALE +The purpose of this document is to outline how grade point +averages (GPAs) are calculated and used within the Boston +Public Schools. +DEFINITION +The grade point average (GPA) is a standard numerical +conversion of letter grades given to a student. The GPA is a +standard method of comparing the cumulative academic +performance of students in grades 9-12 and sharing that +information. The GPA is used for several purposes such as college +admissions, high school ranking, and selective program +admissions. The GPA calculation takes in a variety of information +from courses such as credits and academic level. +GPA CALCULATIONS +Use the following steps to complete the weighted GPA +calculation: +Step 1. Convert each final grade (numeric or letter grade) to +its equivalent on the 4.0 scale. + + +Page 2: +Superintendent’s Circular CAO-06 +Page 2 of 5 + + + +Step 2. Weight grades by adding .5 to each converted grade +earned in an Honors level course and 1.0 to each converted +grade earned in Advanced Placement or Dual Enrollment +course. +Step 3. Multiply each converted grade or, if applicable, each +weighted grade by the course credits earned. Where a full- +year course equals 1 credit; a semester course equals .5 +credits; a quarter course equals .25 credits. +Step 4. Sum all the weighted grade points from Step 3. +Step 5. Divide total from Step 4 by total number of course +credits attempted. Where a full-year course equals 1 credit; +a semester course equals .5 credits; a quarter course +equals .25 credits. +Step 6. The quotient is the student's weighted GPA. +GPA = Total (Point + Weight) * Credit) for all courses / Total +Credits for all courses +COURSE INFORMATION +1. Course +a. Student courses taken in grades 9-12 will be included in +the GPA calculation. High school level courses taken by +a student in middle school grades will not be included +in the calculation. +b. Include in GPA or InGPA flag +c. This indicator describes the courses that will be +included in any academic GPA calculation. Courses + + +Page 3: +Superintendent’s Circular CAO-06 +Page 3 of 5 + + + +that are required for graduation are included in GPA +calculations. Courses that typically are excluded from +academic GPA calculations include enrichment +courses, functional courses, study periods and +administration blocks such as lunch. The district +determines which courses are included within a +student’s GPA calculation, additionally such courses +may also be required by schools for graduation. The +Division of Academics maintains and updates the list of +all applicable courses to be included in the GPA +calculation. School users can find InGPA information in +the Course Catalog feature in Aspen. +2. Credits +a. Credits describe the number of ‘points’ that a course +will receive in a GPA after the course is completed. In +general, most courses will have 1 credit. However, +certain courses may have more than 1 credit, such as +double-blocked humanities courses. Similarly, some +courses have fewer than 1 credit, such as 1 semester +(half-year) courses. In the cumulative GPA calculation +within a school year, quarter or term grades for a 1 +semester course will be attributed .25 credits in the +GPA calculation. +b. Credits are generally distributed based on the +successful completion of the competencies of the +course. +c. Transfer-in credits are credits that a student earns in a +setting outside of BPS. These credits are included on a +student’s transcript and count towards a school’s +graduation requirements. Therefore, these credits will + + +Page 4: +Superintendent’s Circular CAO-06 +Page 4 of 5 + + + +be used in the GPA calculation. This is in alignment +with the Massachusetts Board of Higher Education’s +(MA BHE) process of calculating GPAs. +3. Academic level +a. The academic level of a course can be one of 8 options +(see table below). +b. Weights are applied to courses through the academic +level of the course. The following weights are given to +each academic level based on the MA Board of Higher +Education recommendations (Link to full weighting +chart). + +Weighting +Course Academic Level +Not included +Functional +Untracked + ++0 (standard) +Regular + + ++0.5 +Honors +IB MYP + ++1.0 +College +AP +IB DP + +GPA CALCULATION DATES (BPS CALENDAR) +The GPA calculation dates for SY24 can be found here. +GPA INCLUDED IN TRANSCRIPT +While there are several GPA calculations in Aspen, only the +cumulative weighted academic GPA calculation is included on a +student’s official transcript. The quarter, semester, and final GPAs + + +Page 5: +Superintendent’s Circular CAO-06 +Page 5 of 5 + + + +are saved throughout the school year but will be overwritten +each year. The final cumulative GPA (accumulation over grades 9- +12) as of the current year is saved in Aspen and transferred to the +Data Warehouse. +HELPFUL LINKS +Grade Point Average (GPA) Help Guides for Aspen +Weighting Chart + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/CAO-07 Graduation Requirements.txt b/data/data_txt/CAO-07 Graduation Requirements.txt new file mode 100644 index 0000000..e8e37de --- /dev/null +++ b/data/data_txt/CAO-07 Graduation Requirements.txt @@ -0,0 +1,222 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +CAO-07 +Version 01 + + + +MASSCORE GRADUATION REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools (BPS) has a priority to create policies and +practices that support the preparation of every student to be +college, career, and life ready while removing barriers that +prevent students from graduating from BPS. Accordingly, it is +imperative that BPS utilize standards-aligned graduation +requirements across the district that will promote and ensure +rigor and excellence in our schools, resulting in the elimination of +opportunity and achievement gaps and ensuring that every +student graduates prepared for life after high school. +Approved by the Boston School Committee in May of 2021, +Boston Public Schools (BPS) adopted the MassCore Course of +Study as its graduation requirement for all students in the +district. The requirements will begin for students entering 9th +grade in School Year 2022-2023 (SY22-23), with full +implementation by the start of SY25-26. This circular outlines the +details of graduation course requirements, alignment to DESE +standards and state graduation requirements, and the course +waiver process. +GRADUATION REQUIREMENTS +Beginning with grade 9 in SY23-24, the following credits in + + +Page 2: +Superintendent’s Circular CAO-07 +Page 2 of 6 + + +various content categories are required for graduation from BPS. +The table below visually represents the course requirements for +graduation: +MassCore Framework +Massachusetts High School Program of Studies +Content +Category +Units +Notes +English +Language Arts +4 Units +ESL courses for students designated as ELD 1, 2 +or 3 will count toward ELA credits +Mathematics +4 Units +Including completion of Algebra II or +Integrated Mathematics III. A mathematics +course during senior year is recommended for +all students. +Science +3 Units +of lab- +based +science +Coursework in technology/engineering courses +may also count for MassCore science credit. +History and +Social Science +3 Units +Including U.S. History and World History and +one additional core or MassCore elective. + +Inclusion of an Ethnic Studies course is strongly +encouraged. +Foreign +Language +2 Units +Both units must be in the same language. + + +Page 3: +Superintendent’s Circular CAO-07 +Page 3 of 6 + + +Physical +Education +1 unit, as +required +by law +Students will have one quarter course (or its +equivalent) of PE per year or an equivalent. + +Arts +1 Unit +Students will have one quarter course (or its +equivalent) of Art per year or a cumulative unit. +Additional +Core Courses +5 Units +Inclusive of PE (1 credit) plus four additional +courses. Other additional coursework +(including Health Education* & Career and +Technical Education) or any of the above. +*Health Education: The BPS Wellness Policy requires 1 semester +(at least ¼ course equivalent) of Health Education in high +school. +STATE GRADUATION REQUIREMENTS +The policy does not and will not replace state laws and DESE +regulations pertaining to high school graduation. These +additional requirements include, but are not limited to: +• Action Civics Projects required by Chapter 296 of the Acts of +2018, An Act to promote and enhance civic engagement. +• Earning a “competency determination” [passing scores on +the Grade 10 English language arts and mathematics and +high school level science and technology/engineering +Massachusetts Comprehensive Assessment System (MCAS) +tests]. For students who do not pass an MCAS test, +educators develop an Educational Proficiency Plan (EPP) for +the subject(s). Students need to meet course requirements +for their EPP in addition to meeting MassCore requirements. + + +Page 4: +Superintendent’s Circular CAO-07 +Page 4 of 6 + + +SUBSTITUTIONS +The following substitutions may be used to meet graduation +requirements without an additional waiver: +Physical Education +MassCore reflects the legal requirement that physical education +be taught as a required subject in all grades. The BPS Wellness +Policy requires all schools to offer high quality physical education +for students in all grades. Under some circumstances, students +can meet the requirement through an approved organized +program of instructional physical activity, including but not +limited to: participation in interscholastic athletics, skating, +hockey, dance, yoga, martial arts, capoeira, or swimming; and any +physical activity through school based or community programs, +or independent study. Substitutions and independent study +opportunities must be approved by the Office of Health and +Wellness. +Computer Science +Students may substitute one unit of Computer Science (AP +Computer Science Principles, Computer Science Principles, or +Exploring Computer Science) that includes rigorous +mathematical concepts and aligns with the Digital Literacy and +Computer Science standards for a mathematics course. +Humanities Course +Double-blocked Humanities courses may count toward 1 ELA +credit and 1 History credit. One period Humanities courses count +as 1 History credit and cannot be used toward ELA credit. + + +Page 5: +Superintendent’s Circular CAO-07 +Page 5 of 6 + + +Career and Technical Education +Students enrolled in a DESE approved Chapter 74 program can +fulfill MassCore requirements without fulfilling arts and world +language requirements. While arts and world language +requirements may be waived, students are strongly encouraged +to take these courses to comply with college admission +requirements. +Credit for Courses in Grades 7 and 8 +Students will be able to apply high school credits for high school +level courses completed successfully in 7th or 8th grade. +World Language Competency +Multilingual learners may earn up to two World Language credits +for demonstrated competency in their native language by +achieving Intermediate Mid Level of language proficiency on the +AVANT Stamp Assessment. The AVANT Stamp administration will +be administered at the BPS Welcome Center in the fall and +spring of each year. Students scoring at the Intermediate High +Level of language proficiency can utilize the assessment results +towards attainment of the MA State Seal of Biliteracy upon +graduation if they also meet the minimum criteria for English +language proficiency set forth by the Massachusetts Department +of Elementary and Secondary Education. +Course Waiver Process +Schools may seek additional waivers for individual students or +courses. + + + +Page 6: +Superintendent’s Circular CAO-07 +Page 6 of 6 + + +IMPLEMENTATION +• Each school will collaborate with the Academics team on +ensuring alignment of its course schedule with MassCore +requirements. +• All 9th grade students should follow the recommended +course sequence and must take at least a quarter of physical +education in SY23-24. +• Schools should work with districts on ensuring they have +the proper staffing model to meet MassCore requirements, +especially for students in grade 9. + +For more information about this circular, contact: +Owner: +Elementary Superintendent +Department: +Academics and Professional Learning +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/CAO-08 Grading Requirements.txt b/data/data_txt/CAO-08 Grading Requirements.txt new file mode 100644 index 0000000..a280166 --- /dev/null +++ b/data/data_txt/CAO-08 Grading Requirements.txt @@ -0,0 +1,219 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-08 +Version 01 + + + +GRADING REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The spirit of this policy is to move away from the practice of +grading non-academic behavior and to the timely provision of +meaningful feedback to every family on every student’s +academic progress. This policy is a critical part of propelling all +students toward the Strategic Plan and School Committee goals +centered on college, career, and life readiness. As well, it will +ensure that grading practices are accurate, bias-resistant, +motivational, and coherent in the district, which will in turn +ensure the ability of our stakeholders to trust the district’s +commitment to equity. This policy will provide accurate, +dignifying feedback to every student about where they are +academically and what they need to be successful. As a vehicle +for closing opportunity and achievement gaps, the grading policy +will provide clear and comprehensive guidance that aligns to our +teaching practices, family engagement, and student experience, +grounded in equity and research. With the School Committee's +approval of this policy, the Academics and Schools divisions will +work in collaboration with our stakeholders this spring to finalize +and enact an implementation plan that focuses on the adaptive +work ahead. +The Boston Public Schools will at all times maintain +Superintendent’s Circulars that: (1) outline procedures for + + +Page 2: +Superintendent’s Circular CAO-08 +Page 2 of 6 + + +maintenance of grades to ensure that they are accurate, timely, +and aligned to DESE standards; (2) outline a common report card +structure and timeline for schools by grade span and program; +and (3) outline allowable flexibilities. +Separately, as a companion to this policy, the district will develop +and maintain detailed implementation processes in the form of +Superintendent’s Circulars ensuring: +1. Implementation of MassCore graduation requirements and +waivers +2. Common GPA calculation and transcription processes +3. A common process for promotion to the next grade level +4. A common process for retention at the current grade level +5. A common and public course catalog that details for +students and families course of study options for all +secondary schools as well as course descriptions, credit, and +governance +6. An updated process and calendar for course creation. +ADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON +PUBLIC SCHOOLS +The School Committee of the Boston Public Schools is +responsible for creating policies and practices that support the +preparation of every student to be college, career, and life-ready +and remove barriers that interfere with students graduating from +BPS ready to succeed in the next stage of their lives. If we +support BPS educators to effectively use culturally responsive +practices, provide high levels of support, and adopt coherent +grading practices that are mathematically accurate, bias- +resistant, and motivational for students, then we will see + + +Page 3: +Superintendent’s Circular CAO-08 +Page 3 of 6 + + +increased student engagement, and grades that reflect student +learning. +BPS will adopt the following policy for all students in the district. +Specifically, the following practices will be required of all +educators in the district. +PROPOSED: +Grading Practice +Why is it more equitable? +Accuracy and timeliness Educators will ensure that term grades follow +the practices laid out in the BPS Grading Policy +and are posted in Aspen by the closing date +according to the district grading calendar. +“No Credit” grades will +no longer be given. +As an alternative, schools may mark a student +with an “incomplete” to enable equitable +learning recovery. +In all cases, a student not earning a passing +grade must be given the opportunity and +responsibility to equitably recover any learning +loss or make up for the work missed within one +marking period. +No penalties will be +given for late work. +Deadlines will be given for work, and we expect +students to meet these expectations. Deadlines +will be explained to students. When a student +turns in the assignment, it will be graded, and +the grade in ASPEN/SMS will reflect student +mastery (not the tardiness of the work). + + +Page 4: +Superintendent’s Circular CAO-08 +Page 4 of 6 + + +Grading Practice +Why is it more equitable? +A minimum grading (50 +for an assignment on a +0-100 scale) will be used. + +Teachers will determine minimum grades for +assignments where the lowest possible grade is +balanced with the value of the highest grade. +Best practices would include the +implementation of a consistent numerical +grading scale (0-4, 1-7, etc.) that aligns to GPA +scale. +Demonstration of +competency in +summative tasks must +make up at least 80% of +term grades. +Grades for assignments should be +representative of what students have +demonstrated in terms of their learning, and +not non-academic behaviors. +Students will receive +consistent feedback on +assignments before +students are formally +assessed. +Teachers are intentional about taking time to +give students clear and actionable feedback. +Students understand what the criteria for +success are for any given assignment and have +clear actions steps for getting there. We +understand the importance of coherence in the +ways we provide feedback and are committed +to making this an instructional focus for the +upcoming school year to better support our +staff. + + +Page 5: +Superintendent’s Circular CAO-08 +Page 5 of 6 + + +Grading Practice +Why is it more equitable? +Middle/High School: A +consistent, agreed-upon +number of assignments +per grade; and +consistent intervals for +grading updates in +Aspen/SMS. +Teachers are expected to post at least one +visible grade on ASPEN/SMS every week for +middle and high school students. +Elementary School: A +consistent approach +across all content areas +(including speciality +classes) for providing +students and families +formative feedback +routinely. +Schools serving elementary grades are required +to have a consistent approach for providing +students and families formative feedback +weekly. Students are required to receive term +grades for Language Arts, Math, History/Social +Studies, Science, and any specialty classes +offered. +All grade levels +Students may only receive a composite grade +for “Humanities” or “STEM” or equivalent if the +course is offered at the equivalent of a double +block. As well, students must receive formative +and summative feedback on both grade level +language arts and history/social studies or math +and science concepts and meet all the +requirements above. + + + + + +Page 6: +Superintendent’s Circular CAO-08 +Page 6 of 6 + + +For more information about this circular, contact: +Owner: +Elementary Superintendent +Department: +Academics and Professional Learning +Mailing Address: 2300 Washington St. Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/CAO-22 General Field Trip Guidelines.txt b/data/data_txt/CAO-22 General Field Trip Guidelines.txt new file mode 100644 index 0000000..f521f17 --- /dev/null +++ b/data/data_txt/CAO-22 General Field Trip Guidelines.txt @@ -0,0 +1,739 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-22 +Version 01 + + +GENERAL GUIDELINES AND PROCEDURES FOR +ALL FIELD TRIPS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and guidance, +contact the Department of Global Education +(OPL@bostonpublicschools.org) for assistance and guidance. + +This Superintendent’s Circular provides instructions for +implementing the field trip policy passed by the Boston School +Committee on November 20, 2019. +Program leaders (chaperones) must read this circular in its +entirety. Principals/heads of school (and/or the district +department sponsoring the trip) are responsible for ensuring that +all field trip policies and procedures outlined in this circular and +all the field trip circulars are adhered to. +BPS SPONSORED FIELD TRIP: DEFINITION +A BPS sponsored trip is any trip involving BPS students and +employees that: uses BPS funds in any way; takes place during +regular school operating hours; is organized by BPS employee(s) + + +Page 2: +Superintendent’s Circular CAO-22 +Page 2 of 22 + +during normal employment hours, either while on BPS property +or while using BPS-issued technology; and/or is related directly to +the instructional program at the school. Cases where students +elect to participate in a third-party travel program with the +consent of their family, whereby they will travel alone, and not +with a school group, are not considered BPS sponsored field trips, +even if students receive funding support from their school or +district. +TYPES OF FIELD TRIPS +BPS has divided field trips into three types: +● Day field trip +● Overnight field trip +● International field trip +This division ensures that permission forms and procedures are +directly relevant to the type of trip and activities students will +engage in. +Refer to the circular appropriate for your type of trip for further +details: +● Day field trips — Superintendent Circular CAO-23 +● Overnight field trips — Superintendent Circular CAO-24 +● International field trips — Superintendent Circular CAO-25 +● Water activities — Superintendent Circular CAO-27 +PURPOSE OF FIELD TRIPS +All BPS sponsored field trips must serve the purpose of providing +either instruction or enrichment. Instructional trips support the +instructional program and should be directly linked to the +curriculum and standards of that grade level or subject area. + + +Page 3: +Superintendent’s Circular CAO-22 +Page 3 of 22 + +Enrichment trips contribute to students’ academic, cultural, or +social development, and aim to deepen their engagement with +school and learning. Sites for field trips should be carefully +selected to enrich student learning and exposure to the +community, new people, places, and activities. Discuss with +students and families the trip’s purpose, learning goals, and +behavior expectations in advance, and engage students in +activities before, during, and after the trip. It is important to note +the serious obligations that BPS staff members undertake to +ensure that all field trips are not only educationally sound, but +also manage risk. +FIELD TRIP CATEGORIES +A trip often meets more than one category. +● Instructional field trip: Enhances a specific curriculum unit +or serves a broader educational purpose. +● Cultural field trip: Engages students in cultural awareness or +understanding experiences to learn more about their own +cultural identity, or that of others. +● Community building field trip: May reinforce relationships +in an existing group of students, prepare students for a +significant transition into a new structure or community, +help students work collaboratively, or assist in the +development of leadership and decision-making skills. +● Service learning field trip: Students learn the value of +helping others in their own community and beyond, while +simultaneously learning from the host community. These +trips show students how empowering service to others is +while developing students’ leadership skills. + + +Page 4: +Superintendent’s Circular CAO-22 +Page 4 of 22 + +● Personal growth and development: Students are exposed +to new group or individual activities whereby they learn new +skills and new ideas, develop identity, build self-esteem, +grow strengths, and build camaraderie. +FIELD TRIP TYPES AND TIMELINES FOR APPROVAL +It is necessary that the proper procedures are followed, and that +copies of all checklists, permission and medical forms are kept on +file in the school office and, when appropriate, filed with the +district. If the deadlines and details below are not met, a field trip +application may be rejected. Please note that trip planning +timelines (i.e., “twelve weeks (or more) prior to the field trip”, etc.) +in each circular chronicle the minimal amount of time for +planning. More time for pre-trip planning is strongly +recommended for all types of field trips. +● Day Field Trip (CAO-23): Any domestic trip off school grounds +that is no more than one day in duration. +o Day Field Trip forms are submitted to the +principal/head of school at least 4 weeks in advance +(or at the principal/head of school’s discretion) and +approved by the principals/heads of school. +o Walking field trips are day field trips that require +walking within a one-mile radius of the school (i.e., +local garden, park, field, etc.). The Parent/Guardian +Authorization and Acknowledgement of Risks for +Walking Trips form will apply for all walking field trips +during the current school year and will need to be +updated each school year, or as student/family +information changes. The school is still required to +inform families in advance of each walking field trip + + +Page 5: +Superintendent’s Circular CAO-22 +Page 5 of 22 + +and obtain principal/head of school approval. +o All forms, including the signed CAO-23 checklist +form, are filed at the school. +o The principal/head of school or designee is the +emergency contact for day field trips. +● Overnight Field Trip (CAO-24): Any domestic trip off school +grounds that involves students’ participation overnight. +Travel to U.S. territories, including Puerto Rico, the United +States Virgin Islands, Guam, American Samoa, and Northern +Mariana Islands are considered domestic, but are covered +under international travel insurance. Travel to these +territories is subject to some forms, requirements, and +protocols in the CAO-25 International Field Trip guidelines. +Consult with the Department of Global Education for +required forms for these destinations. +o Overnight Field Trip forms are submitted to the +principal/head of school at least 12 weeks in advance +and approved by the principals/head of school. +o All forms, including the signed CAO-24 checklist +form, are filed at the school. +o Overnight Field Trip Request forms, the list of +student names, emergency contact name and +number, grade, D.O.B, the list of chaperone names +and their role in the school community, the itinerary, +and if applicable, train and flight information are sent +to the district to notify the district of trip plans at +least 6 weeks in advance. Scan and email the +Overnight Field Trip Request form and information to +the appropriate operational leader as well as to the + + +Page 6: +Superintendent’s Circular CAO-22 +Page 6 of 22 + +Department of Global Education and follow up with +both to confirm receipt. +o The principal/head of school or designee is the +emergency contact for overnight field trips. +● International Field Trip (CAO-25): Any trip off school grounds +that involves travel to a location outside of the United States. +o International field trips should be planned at least a +year in advance, to maximize affordability and +fundraising efforts, and when possible, scheduled +during non-school time (i.e., school vacations and +summer). +o As soon as a trip opportunity becomes known, or +there is interest in an international travel program, +teachers must inform their principal/head of school +and contact the Department of Global Education for +support and guidance with the CAO-25 application, +and planning process. No arrangements, payments, +or deposits should be made without consultation +with the Department of Global Education and +formal application approval from the +superintendent. +o After consulting with the Department of Global +Education and head of school, CAO-25 applications +shall be submitted no less than 9-12 months before +departure. The application requires approval by the +Department of Global Education, which will then +seek approval from the appropriate district leaders +before obtaining final approval from the +superintendent. Again, no arrangements should be + + +Page 7: +Superintendent’s Circular CAO-22 +Page 7 of 22 + +made or payments or deposits placed without +consultation with the Department of Global +Education and formal application approval from the +superintendent. +o The principal/head of school or appointee and the +director of Global Education or district designee are +the emergency contacts for international travel +programs. +GENERAL GUIDELINES FOR ALL TYPES OF FIELD TRIPS +● Principals/head of school or the district department +sponsoring the trip have the primary responsibility to ensure +that all procedures pertaining to field trips are followed by +their school and establish clear and transparent internal +protocols for field trip requests and approvals at the school +level. +● All field trip ideas must be preliminarily approved in writing +by the principal/head of school or district department +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students +and their parents/guardians, and prior to fundraising efforts +or other detailed preparations. Staff are not allowed to sign +contracts on behalf of the Boston Public Schools. +● The program leader (the BPS employee and chaperone +organizing and leading the trip) and supporting chaperones +must be approved by the principal/head of school, or district +department sponsoring the trip. +● The principal/head of school and program leader must +review and complete the appropriate type of field trip +circular and checklist throughout the planning process. + + +Page 8: +Superintendent’s Circular CAO-22 +Page 8 of 22 + +● Program leaders must consult with the principal/head of +school on potential chaperones and student recruitment. +Every effort should be made for students to have access to +the field experience, and for chaperones to be +representative of the student group and include males and +females. The selection and approval of chaperones by the +principal/head of school should be based on the individuals’ +thorough knowledge of, and rapport with most of the +student participants. Choose a chaperone team purposefully +and wisely, considering strengths. Every adult on the trip +must be a chaperone and have a clear role. +STUDENT ACCESSIBILITY AND PARTICIPATION +● Students not enrolled in the Boston Public Schools may not +participate. +● Essential participation criteria: The program leader and +principal/head of school shall work together to establish +essential participation criteria for the trip. The criteria should +inform students and parents of all activities and risks +associated with each itinerary activity and trip location to +determine what accommodations or modifications may be +needed for the student to participate successfully and safely +in all or portions of the trip. +● Student recruitment: Field trips must be advertised to all +students (within the whole school, particular grade, +class/subject, club, or program associated with the trip), +regardless of their financial situation. Schools shall make +every reasonable effort to make instructional field trips +affordable for all students. A student’s ability to pay may not +be a criterion for field trip participation. If students are +charged individual fees for participation in a domestic + + +Page 9: +Superintendent’s Circular CAO-22 +Page 9 of 22 + +instructional field trip that is directly linked to the +curriculum and standards, the school or district should +make every effort to provide scholarships where need is +expressed. +● Student accessibility: Students with English Learner status, +504 plans, and/or IEPs cannot be denied access to field trips +due to their status or ability. It is the responsibility of the +school to ensure that all accommodations normally +provided to a student as indicated in their educational plans +are made available during a field trip, including medication. +See Superintendent’s Circular SHS-08 for information about +medical dispensation on field trips. +● School nurse and guidance counselor consultation: Before +approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +at least six weeks before departure (much longer for +international and overnight field trip programs), consult +with, and when necessary, receive training from the school +nurse regarding any students who have medical needs. Also +consult with the school counselor regarding mental and +behavioral health needs. If any student has a serious +medical or mental health condition, be sure that their +doctor is aware of the essential participation criteria and +location of the trip and writes a letter indicating that the +child may safely attend and participate in trip activities. +Keep this document on file with other key permissions slips + + +Page 10: +Superintendent’s Circular CAO-22 +Page 10 of 22 + +and medical forms. +● Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQIA+ community, students with disabilities, those +who may be in the minority during your field trip +experience, and those students who belong to groups that +have experienced marginalization in the location being +visited. Program leaders must work to prepare students for +sensitive experiences and ensure that the program is safe +and inclusive for all students. Consult the Department of +Global Education for resources if needed. +● Inclusive accommodations: In collaboration with the +student and their family, the program leader and +principal/head of school shall work with transgender and +gender-nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety for the +student and group. Program leaders should work with +students and families to make sure all travel documents +(airline ticket, passport, etc.) reflect their legal names as +listed on government issued identification, while all +unofficial documents and materials may reflect the +student’s preferred name. Please view additional rooming +guidelines from the Office of Equity. +● Student conduct: The BPS Code of Conduct applies on all +field trips. BPS students and parents are required to sign a +BPS Student Traveler & Family Agreement form regarding + + +Page 11: +Superintendent’s Circular CAO-22 +Page 11 of 22 + +student conduct while participating in a BPS sponsored +field trip. Participation in field trips may be denied to any +student who has demonstrated disregard for the policies +and rules of BPS or the school, immediately prior to or while +on the field trip. Parents/guardians and students must be +made aware of this policy in advance and communicated +with throughout any processes involving their child not +participating in a field trip. Following an investigation, if the +program leader, in consult with the principal/head of school +and central office staff, determines that a student’s conduct +while on an overnight trip poses a risk to themselves or the +safety of the group, or is no longer manageable by BPS staff +in the field, the district reserves the right to request and +arrange for that student to return home. +The district also reserves the right to request that families +assume responsibility for all, or a portion of the costs +associated with their child’s return. Students may be subject +to further disciplinary action and will be provided the +opportunity to have a formal hearing at the school level +upon return. The school must document the +parent/guardian’s consent of this policy prior to the trip. +● Student dismissal from field program: If a student is to be +dismissed from an overnight field trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon transportation destination. If the parent/guardian is +not reachable, the student’s principal or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly + + +Page 12: +Superintendent’s Circular CAO-22 +Page 12 of 22 + +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. NOTE: Age requirements are subject to specific +airline/train/bus guidelines. +● Provisions for students not attending the trip: If applicable, +alternative arrangements and/or comparable activities for +students not attending the trip, or unable to participate in a +portion of your trip, must be provided. If a student’s family +elects for their child not to attend a field trip for any reason, +the student may not be penalized through their grade or +otherwise. +● Attendance: Attendance forms should indicate when a +student is physically absent from the school building on a +field trip but participating in a school-sponsored program +being conducted off school grounds. (Note: It is important to +know and document where students are at all times.) +CHAPERONE REQUIREMENTS +● Chaperone Recruitment: Program leaders must consult +with the principal/head of school on potential chaperones +and student recruitment. The program leader (lead +chaperone) must be a BPS employee. Other authorized +chaperones may include parents and guardians who are 21 +years of age or older. Any parent on the trip must operate in +the role of chaperone. All chaperones must be approved by +the head of school/principal. Every effort should be made for +students to have access to the field trip experience, for +chaperones to be representative of the student group, and +for chaperones to include males and females. The selection +and approval of chaperones by the principal/head of school +should be based on the individuals’ thorough knowledge of + + +Page 13: +Superintendent’s Circular CAO-22 +Page 13 of 22 + +and rapport with most of the student participants. Choose a +chaperone team purposefully and wisely, considering +strengths. Every adult on the trip must be a chaperone and +have a clear role. +● Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who must be 21 years of age +or older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the online eCORI form. Contact the BPS +Office of Human Capital (OHC) for CORI check and +confirmation support. The principal/head of school and the +lead chaperone are responsible for submitting authorization +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. The program leader +must be sure that all chaperones, including non-BPS +chaperones, are familiar with the BPS Code of Conduct and +other district and school-based rules. Non-BPS employee +chaperones (parents/guardians) are required to show proof +of COVID vaccination, or a negative COVID-19 test within 72 +hours of the field trip. +● BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent +chaperone is responsible for incurring all costs associated +with their child’s participation. + + +Page 14: +Superintendent’s Circular CAO-22 +Page 14 of 22 + +All chaperones must complete the Chaperone Agreement +form. +● Chaperone Ratios: The student-to-chaperone maximum +ratios must be: +o Day field trips: minimum of two chaperones +o Grades K-5, 10:1 +o Grades 6 and up, 10:1 +o Domestic Overnight field trips: 10:1 (minimum of +two chaperones) +o International field trips: 7:1 (minimum of two +chaperones) * Includes Puerto Rico +NOTE: There should not be more chaperones than +students, unless mandated by an educational plan or +other circumstances approved by the principal/head +of school and Department of Global Education. For +students with disabilities, the ratio of staff to +students must be at least the same as the ratio +mandated in their IEPs for their classes. +o NEW: Tour guides and employees of third-party +vendors contracted to help operate the trip are +not considered chaperones and do not factor into +the student to chaperone ratio. +PERMISSION FORMS +● The student may not attend the field trip without a signed +permission slip. Permission for field trips must be in written +form only. Program leaders are responsible for seeing that +permission slips are filled out completely and signed by the +legal parent(s)/guardian(s). + + +Page 15: +Superintendent’s Circular CAO-22 +Page 15 of 22 + +● Permission slips are legal documents and may not be +altered. Permission slips must be used for any excursion that +is school sponsored, including those scheduled after school +and on weekends. +● No staff member may solicit students for any privately +arranged field trip or excursion without the permission of +the principal/head of school. +● “Blanket” authorization (i.e., parental/guardian approval +using a single form for multiple trips to be taken during the +school year) should never be allowed (except for the +Walking Trips and Water Activities form if they are in the +same location). A separate parent/guardian permission slip +must be obtained and filed for each field trip. +● Parental/guardian permission slips must be sent home in +English and in the language of the home. +● Only parents/guardians are authorized to sign permission +forms. For questions regarding legal guardianship, refer to +the SIS site or the local Welcome Center. +● Check that students and their parents/guardians have +signed the BPS Media Appearances release section of the +Parent/Student Agreement document so that the trip may +be showcased upon your return. (This document can be +found in the Guide to the Boston Public Schools for Families +and Students.) +● Review each student's Emergency Information Card (Form +460 or electronic equivalent) to ensure/cross-check +accuracy of all field trip permissions and forms. +● Program leaders must be specific when completing the + + +Page 16: +Superintendent’s Circular CAO-22 +Page 16 of 22 + +school portion of the Parental Authorization for Field Trip +form. Parents/guardians must be given sufficient +information to understand the nature and scope of the +activities on the itinerary. Additional customized waivers +may be developed for specific trips/itineraries. +RECORD KEEPING FOR ALL TYPES OF TRIPS +● Retain completed field trip request forms, original +permission slips, medical forms, fire prevention and safety +forms (if applicable), and all other signed documents for +field trips in the school office. Legally, these records must be +kept for the current fiscal year plus three additional years +after all field trips have occurred. + + + + +Page 17: +Superintendent’s Circular CAO-22 +Page 17 of 22 + +TRANSPORTATION FOR FIELD TRIPS +● School buses or BPS approved transportation vendors’ +vehicles (per BPS Transportation Department) MUST be +used to transport students to and from field trips or athletic +events regardless of how the trip is paid for. Privately owned +vehicles, vehicles from non-approved vendors are not +permitted. +Ride sharing transportation services, such as Uber and Lyft, or +leased vans are not to be utilized to transport students to +and from field trips or athletic events, except in the case of a +bona fide emergency. +● Students are prohibited from driving vehicles, operating, or +being a passenger on any motorbike during a field trip. +● Staff are not permitted to transport students. Staff who +utilize their own vehicles, or leased vehicles, risk being +legally liable if students are injured while riding in their +automobiles. +● Please refer to Superintendent’s Circular TRN-03 for +information and regulations regarding field trip +transportation. +SAFETY GUIDELINES +As part of trip planning and itinerary development, ensuring the +major aspects of health, safety, and security have been addressed +with appropriate due diligence. Program leaders should be able +to articulate in an informed manner what decisions were made, +why they were made, and the sources that informed their +decision making. If you are unsure as to whether an activity is +appropriate in terms of safety or educational content for a +school-sponsored trip, please consult with your principal/head of + + +Page 18: +Superintendent’s Circular CAO-22 +Page 18 of 22 + +school and the Department of Global Education. +● Review Superintendent’s Circular FSE-05, Medical +Emergency Management, and SAF-04 Incident Data- +Reporting and Release for important safety protocols. +● Do not leave students alone. Students should be +accompanied by chaperones unless part of a scheduled +activity in which parents have been informed of and +approved in writing in advance, and age appropriate. +However, if unaccompanied as part of a scheduled and +structured activity, students should at least be in groups of +three, AND always know how to reach an adult chaperone. +● Day and water field trips: The Department of Safety Services +(617-635-8000) must be notified in the event of a serious +medical or other emergency and should be used as a +resource for questions regarding safety on day field trips, +including water activity day trips. +● Domestic overnight trips: The principal/head of school is the +emergency contact and must be notified in the event of a +serious medical or other emergency. Prior to departure, the +Department of Global Education should be used as a +resource for questions regarding safety on trips, and for +support with insurance and claims. Prior to departure, +program leaders will receive emergency contact +information. +● International trips: The principal/head of school or designee, +followed by the Department of Global Education or district +appointee, are the emergency contacts for international +trips. DGE must be notified in the event of a serious medical +or other emergency and should be used as a resource for + + +Page 19: +Superintendent’s Circular CAO-22 +Page 19 of 22 + +questions regarding safety on trips. Prior to departure, +program leaders will receive emergency contact +information. +● Emergency Action Plan: At all times during the trip, all +chaperones must carry with them a copy of the Emergency +Action Plan (EAP) that outlines procedures for calling 911 in +the US or the foreign equivalent while abroad, as well as +emergency protocols. The EAP can be found in the day, +overnight, and international circulars. +● Personal Health: For overnight and international trips, +students and staff must have had a recent doctor’s visit, +physical exam, and any required vaccinations prior to +departure. See CAO-24 and CAO-25 for details on healthy +travel requirements. +● Training: The district reserves the right to require additional +training and/or certifications such as CPR/AED, first aid, and +program (chaperone) leader risk management training +depending on the type, location, and purpose of the trip. +Review the specific circular for your trip type for certification +requirements. +● Phone/Social Media Usage: Set expectations with students +regarding phone and social media usage during any field +trip. This is especially critical during an emergency. +● Insurance: The district provides medical insurance coverage +for BPS-sponsored international and domestic trips for BPS +students and BPS staff participants. [Domestic is defined as +100 driven miles away from home or place of study or +employment.] Trip cancellation and interruption coverage +are not provided by the district. Program leaders must + + +Page 20: +Superintendent’s Circular CAO-22 +Page 20 of 22 + +inform families (and funders) of this fact, and that they have +the option to voluntarily purchase these additional +coverages on their own. For Level 2 CDC or State +Department Warning international destinations, trip +cancellation and interruption coverages are strongly +recommended. +● Cancellation: The superintendent reserves the right to +cancel any field trip up to and including the day of +departure to manage risk. Upon advance review of +itineraries, BPS reserves the right to deny schools +permission to participate in the field trip activities on their +itinerary where the risks of the activity outweigh the +intended learning outcomes of the program. +● Post Field Trip: After the trip, follow up and communicate +with the student and parent/guardian, as well as the +principal/head of school, Department of Safety Services, or +the Department of Global Education if there are any student +safety concerns (health or otherwise) during the trip that +require further attention. +HOMESTAYS IN BOSTON, NATIONALLY, AND ABROAD +● For host family stays (both incoming and outgoing), review +CAO-26 Guidelines for Homestays & International Student +Visitors for more information. Please contact the +Department of Global Education immediately for guidelines. +All BPS families (anyone in households 18 or over) who host +national or international guests must be CORI cleared by the +BPS Office of Human Capital. +INTERNATIONAL STUDENT VISITORS (CAO-26) +● International/ students can register with BPS if they will be a + + +Page 21: +Superintendent’s Circular CAO-22 +Page 21 of 22 + +full-time student at a BPS school, except the exam schools, +for one year. Students must be in their freshman, +sophomore, or junior year. Please be advised that BPS does +not get involved with the J1 visa process. Review CAO-26 +Guidelines for Homestays & International Student Visitors for +more information. Please contact the Department of Global +Education immediately for guidelines. +● For visiting students, note immunization requirements for +those visiting us from abroad. Work with the program leader +(lead chaperone) from visiting schools to ensure all health +regulations are met. See attached letter for directives from +the Massachusetts Department of Public Health. +http://www.mass.gov/eohhs/docs/dph/cdc/immunization/im +munization-requirements-exchange-and-visiting- +students.pdf +WATER ACTIVITIES (CAO-27) +● If your trip involves activities in, or on the water, you must +contact the Department of Global Education immediately to +submit a mandatory Water Activity Request form and to +ensure that the site location for the water activity has up-to- +date insurance, liability, and certification documentation on +file with the district. Refer to CAO-27 for specific guidelines +for water activities. +For more information, questions, and support about this +circular, please contact: + Owner: +Chief of Teaching and Learning +Title: +Director of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 + + +Page 22: +Superintendent’s Circular CAO-22 +Page 22 of 22 + +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/CAO-23 Day Field Trip Guidelines.txt b/data/data_txt/CAO-23 Day Field Trip Guidelines.txt new file mode 100644 index 0000000..4d686b2 --- /dev/null +++ b/data/data_txt/CAO-23 Day Field Trip Guidelines.txt @@ -0,0 +1,1078 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-23 +Version 01 + +DAY FIELD TRIP GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: *These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and +guidance, contact the Department of Global Education +(OPL@bostonpublicschools.org) for assistance/guidance. +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular should be read AFTER Superintendent’s Circular +CAO-22 General Guidelines and Procedures for All Field Trips, as +additional guidelines are outlined there. +The principal/head of school (and/or the district department +sponsoring the trip) is responsible for ensuring that all field trip +policies and procedures as outlined in this circular and CAO-22 +are adhered to. +Together, the principal/head of school (and/or the district +department lead sponsoring the trip) and the program leader +(lead chaperone) must review and complete checklists for this +circular. The signed checklist must be kept on file at the school. + + +Page 2: +Superintendent’s Circular CAO-23 +Page 2 of 36 + +A day field trip is any domestic trip off school grounds that is no +more than one day in duration. + Day field trip forms are submitted to the principal/head of +school AT LEAST 4 weeks in advance (or at the +principal/head of school ’s discretion) and approved by the +principal/head of school; school leaders reserve the right to +cancel a trip for any reason and at any time for safety +purposes. + Walking field trips are day field trips that require walking +within a 1-mile radius of the school (e.g., local garden, park, +field, etc.) The Parent/Guardian Authorization and +Acknowledgement of Risks for Walking Trips form will apply +for all walking field trips during the current school year. It +must be updated each school year or as student/family +information changes. The school is still required to inform +families in advance of each walking field trip and obtain +approval from the principal/head of school. All forms, +including signed CAO-23 checklist form, are filed at the +school. +Applications: Schools shall communicate with families in +advance when students leave school grounds and ensure written +permission is received. +Water Activities: Organizers of trips that involve activities in or +on the water as part of the curriculum must immediately contact +the Department of Global Education for additional approval. +There is a separate and mandatory procedure for all trips +involving water. See Superintendent’s Circular CAO-27 for water +activity guidelines. + + + + +Page 3: +Superintendent’s Circular CAO-23 +Page 3 of 36 + +DAY FIELD TRIP CHECKLIST +(Checklist and request form must be completed for each day +field trip.) + Review Superintendent’s Circular CAO-22 General +Guidelines and Procedures for All Field Trips. + Review Superintendent’s Circular FSE-05 Medical +Emergency Management and SAF-04 Incident Data +Reporting and Release for important safety protocols. The +Department of Safety Services (617-635-8000) must be +notified in the event of a serious emergency and should be +used as a resource for questions regarding safety on field +trips. + Select a site and investigate the appropriateness of the site +in relation to the category of field trip. +Field Trip Category(s) (see CAO-22): _______________________ +Site(s): ____________________________________________________ + Select a date and an alternate date. Note: Check with the +principal/head of school, teachers, and staff to ensure that +trips are not scheduled on dates that interfere with +important tests, religious holidays, or class work. + + +Date: _____________________________________________________ +Alternate Date: ___________________________________________ + All program leaders (the BPS employee organizing and +leading the trip) must be approved by the principal/head of +school or district department sponsoring the trip. + All field trip ideas must be preliminarily approved in writing +by the principal/head of school or district department + + +Page 4: +Superintendent’s Circular CAO-23 +Page 4 of 36 + +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students +and their parents/guardians, and prior to any fundraising or +other detailed preparations. Staff are not allowed to sign +contracts on behalf of the Boston Public Schools. Consult +with the principal/head of school on potential chaperones +and student recruitment. + Planning, organization, and preparation are critical to a +successful experience for all participants. As part of trip +planning and itinerary development, ensure the major +aspects of health, safety, student inclusion, and security +have been addressed with due diligence. Program leaders +must be able to articulate what decisions were made, why +they were made, and the sources that informed that +decision making. If you have questions about the +appropriateness of an activity, please consult with your +principal/head of school. + School nurse and guidance counselor consultation: Before +approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +at least six weeks before departure (much longer for +international and overnight field trip programs), consult +with and, when necessary, receive training from the school +nurse regarding any students who have medical needs. Also +consult with the school counselor regarding mental and +behavioral health needs. If any student has a serious +medical or mental health condition, be sure that their + + +Page 5: +Superintendent’s Circular CAO-23 +Page 5 of 36 + +doctor is aware of the essential participation criteria and +location of the trip and writes a letter indicating that the +child may safely attend and participate in trip activities. +Keep this document on file with other key permissions slips +and medical forms. +CHAPERONE REQUIREMENTS + Chaperone Recruitment: Program leaders must consult +with the principal/head of school regarding potential +chaperones and student recruitment. The program leader +(lead chaperone) must be a BPS employee. Other +authorized chaperones may include parents and guardians +21 years of age or older. Any parent on the trip must operate +in the role of chaperone. All chaperones must be approved +by the head of school/principal. Every effort should be made +for students to have access to the field trip experience, for +chaperones to be representative of the student group, and +for chaperones to include males and females. The selection +and approval of chaperones by the principal/head of school +should be based on the individuals’ thorough knowledge of +and rapport with most of the student participants. Choose a +chaperone team purposefully and wisely, considering +strengths. Every adult on the trip must be a chaperone and +have a clear role. + Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who are 21 years of age or +older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the eCORI form. Contact the BPS Office of +Human Capital (OHC) for CORI check and confirmation +support. The principal/head of school and the lead +chaperone are responsible for submitting authorization + + +Page 6: +Superintendent’s Circular CAO-23 +Page 6 of 36 + +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. The program leader +must be sure that all chaperones, including non-BPS +chaperones, are familiar with the BPS Code of Conduct and +other district and school-based rules. + BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent +chaperone is responsible for incurring all costs associated +with their child’s participation. + All chaperones must complete the Chaperone Agreement +form. +Chaperone Ratios: +• A minimum of two chaperones is required. +• Student-to-chaperone ratios are: +o Grades K-5, 10:1 +o Grades 6 and up, 10:1 +• For students with IEPs, the ratio of staff to students must be +at least the same as the ratio mandated in their IEPs for +their classes. +• For water activities: The student-to-chaperone ratio must +remain 10:1 at all times during instructional swimming for all +grade levels. This ratio does not include lifeguards on duty. If +your trip involves activities on or in the water, you must + + +Page 7: +Superintendent’s Circular CAO-23 +Page 7 of 36 + +contact the Department of Global Education for approval +immediately. There is a separate, mandatory procedure for +all trips involving water. See Superintendent’s Circular CAO- +27 for water activity guidelines. +Chaperone Team: + The program leader/lead chaperone will meet with the +chaperone team to delegate responsibilities and review the +student team. The program leader will record the names of +the chaperones and the students each chaperone is +supervising. Each chaperone must carry this list. + Chaperones will organize a “buddy system,” pairing +students with one another for safety purposes. + The lead chaperone will (1) review students’ permission slips; +and (2) prepare any questions for follow-up with families +and the school nurse and counselor. + The lead chaperone will prepare a trip binder for all +chaperones (See “During the Trip” section which lists all +binder contents). + The lead chaperone must carry original, signed Parental +Authorization for Day Trip forms for all students; all other +chaperones must carry copies. +STUDENT PARTICIPATION + Participation Criteria: The program leader and +principal/head of school will work together to establish (1) +essential participation criteria for the trip that informs +students and parents of all activities and risks associated +with each itinerary activity; and (2) trip location, to +determine what accommodations or modifications may + + +Page 8: +Superintendent’s Circular CAO-23 +Page 8 of 36 + +need to be made for the student to successfully and safely +participation in all, or portions of the trip. Discuss with +students the trip’s purpose and learning goals in the weeks +prior to the trip; plan to engage students in activities before, +during, and after the trip so that the field trip learning +potential is maximized. Set aside time to process student +learning on the trip. + Recruitment: Students not enrolled in the Boston Public +Schools may not participate. Field trips must be advertised +to all students (within the whole school, particular grade, +class/subject, club, or program associated with the trip) +regardless of their financial situation. Schools shall make +every reasonable effort to make instructional field trips +affordable for all students. + Accommodations: English Learners and students with 504 +Plans and/or IEPs cannot be denied access to field trips due +to their status or ability. It is the responsibility of the school +to ensure that all accommodations normally provided to a +student as indicated in their educational plans are made +available during a field trip, including medication. To +thoroughly support a student's participation in a field trip, at +least six weeks before departure, consult with, and when +necessary, receive training from (1) the school nurse +regarding any students who have medical needs; and (2) the +school counselor regarding mental and behavioral health +needs. If any student has a serious medical condition, please +be sure that their doctor writes a letter indicating that the +child may safely attend and participate in trip activities. +Ensure the availability of a first aid kit. + Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and + + +Page 9: +Superintendent’s Circular CAO-23 +Page 9 of 36 + +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQIA+ community, students with disabilities, those +who may be in the minority during your field trip +experience, and those students who belong to groups that +have experienced marginalization in the location being +visited. Program leaders must work to prepare students for +sensitive experiences and ensure that the program is safe +and inclusive for all students. + Inclusive Accommodations: The program leader and +principal/head of school will work with transgender and +gender nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety. +Program leaders should work with students and families to +make sure all travel documents reflect their legal names as +listed on government issued identification, while all +unofficial documents and materials may reflect the +student’s preferred name. + The BPS Code of Conduct applies on all field trips. Review +conduct expectations with students in advance. +DOCUMENTATION + Consult with the principal/head of school and nurse +regarding the medical needs of potential participating +students before you receive field trip approval (at least six +weeks beforehand). Document notes from this consultation. + Complete and submit a Day Field Trip Request form and +accompanying documents to obtain official consent from +the principal/head of school to execute the trip. + + +Page 10: +Superintendent’s Circular CAO-23 +Page 10 of 36 + + Create a school file to house all important documents: Day +Field Trip Request form, student permission slips, and other +signed documents. These documents must be kept on file +for the current fiscal year plus three additional years after +the trip has occurred. + Distribute and collect the Parental Authorization for Day +Trip form for each participating student. + Contact the field trip site and ensure that the necessary +arrangements are in place. + Share the trip details listed below with all teachers and +other staff members so that they may plan accordingly: +o Trip overview (purpose); destination; date of trip; roster +o Chaperones’ names and roles in school community + Inform the food service manager or attendant whether +students will return to school for lunch, or whether brown +bag lunches should be prepared. Be mindful of any student +food allergies. +TRANSPORTATION + Develop transportation plans: mode of transportation, travel +time, cost, etc. If applicable, be sure to note how and with +whom the child will travel to and from field trip departure +and pick-up locations. + Staff are not permitted to drive students. Privately owned +vehicles from non-approved vendors, ride sharing services +such as Lyft or Uber, or leased vehicles are not to be utilized +except in the case of a bona fide emergency. Staff who +utilize their own vehicles or a leased vehicle risk being +legally liable. Please refer to TRN-03 for regulations on field +trip transportation. + + +Page 11: +Superintendent’s Circular CAO-23 +Page 11 of 36 + + If your trip is less than 100 driving miles in distance, please +ensure ALL students have valid medical insurance that +covers them while on this program. Record details of +insurance on the Medical Information form. +ONE WEEK PRIOR TO TRIP + Verify all arrangements, including transportation and +reception at the site. + Prepare name tags for younger students. + Provisions must be made in advance for any student not +attending the trip and staying at school. If applicable, +provide alternative arrangements and/or comparable +activities for students not attending the trip or unable to +participate in a portion of your trip. + If a student’s family elects for their child not to attend a field +trip for any reason, the child may not be penalized through +their grade or otherwise. + Remind students and chaperones of safety and behavior +expectations. + Notify/consult with the principal/head of school if trip plans +have changed from the original field trip request. Prepare +and leave a field trip package for the principal/head of +school that includes CAO-23 checklist, Day Field Trip +Request form, and permission slip copies. +DURING THE FIELD TRIP + Take attendance and leave the current list of students +attending the trip with the principal/head of school. + Record specific bus number and driver’s name and leave +information with the principal/head of school, all + + +Page 12: +Superintendent’s Circular CAO-23 +Page 12 of 36 + +chaperones, and, if age appropriate, students. + Chaperones must supervise all assigned students. Conduct +head counts and buddy checks before embarking on your +trip, throughout your trip, and before departing the field trip +site for home. + Review standards for safety and behavior with students. + Chaperones must carry the trip binder at all times on the +trip which includes the following: permission slips (original, +signed permission slips must be carried by the lead +chaperone), Emergency Action Plan, Day Field Trip Request +form, and any accompanying itinerary details for this +particular trip. + All students must have the contact information of +chaperones and other necessary emergency and contact +information. + Do not leave students alone. Students should be +accompanied by chaperones unless part of a scheduled +activity of which parents have been informed and have +approved in writing in advance, and that is age appropriate. +However, if unaccompanied as part of a scheduled and +structured activity, students should be in at least pairs AND +always know how to reach an adult chaperone. + Review with everyone where they are to go if separated +from the group. + Program leaders and chaperones have the responsibility to +modify the program to ensure the ongoing safety of +travelers. Consult with principal/head of school and +Department of Safety Services if this becomes necessary. + + +Page 13: +Superintendent’s Circular CAO-23 +Page 13 of 36 + +AFTER THE FIELD TRIP (MANDATORY) + Retain completed, original Day Field Trip Request form, +original permission slips, and any other signed documents +for the field trip in the school office. These records must be +kept for the current fiscal year plus three additional years +after the field trip occurs. + Remind students (and inform parents/guardians) to see a +doctor immediately if they are not feeling well after the trip +and to inform the doctor of their experience. + If applicable, file and follow up with an Incident Report. +AFTER THE FIELD TRIP (SUGGESTED) + Write thank you notes. + Present to the school and family community about the +students’ observations while on the trip. + Conduct related creative and/or analytical projects to +showcase student learning. + Write a news article about the trip for a local newspaper or +website. + Email stories, journals, and pictures of your trip to the +Department of Global Education. + Evaluate the trip. +o Was the educational purpose of the trip served? +o What were the highlights of the trip? +o What might you do differently next time? +o Are there any incidents or accidents to report? + +PLEASE SIGN THIS CHECKLIST, RETAIN A COPY FOR YOUR FILE, + + +Page 14: +Superintendent’s Circular CAO-23 +Page 14 of 36 + +AND SUBMIT THE ORIGINAL TO THE SCHOOL OFFICE FOR +FILING. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed, +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. +School Name: ___________________________________________________ +Signature of Lead Chaperone: ___________________________________ +Date: ____________________________________________________________ +Signature of Principal/Head of School or Sponsoring District +Department: ____________________________________________________ +Date: ____________________________________________________________ + + + + +Page 15: +Superintendent’s Circular CAO-23 +Page 15 of 36 + +For more information, questions, and support about this +circular, please contact: + Owner: +Chief of Teaching and Learning +Department: +Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +ATTACHMENTS: +I. +Day Field Trip Request Form +II. +Emergency Action Plan +III. +Parental Authorization for Day Field Trip +IV. +Parent/Guardian Authorization and Acknowledgement of +Risks for Walking Trips +V. +Chaperone Agreement Form + + + + +Page 16: +Superintendent’s Circular CAO-23 +Page 16 of 36 + + +DAY FIELD TRIP REQUEST FORM (PART I) +This form is submitted to the principal/head of school for +approval. This form and all original permission slips are kept on +file for the current fiscal year plus three additional years. + +SCHOOL INFORMATION +School: __________________________________________________________ +Date Submitted: _________________________________________________ + +OVERVIEW +Number of Students: ____________________________________________ +Number of Chaperones: (10:1 Ratio) _______________________________ +Destination/s: ____________________________________________________ + __________________________________________________________________ +Date of Trip: _____________________________________________________ +Field Trip Category:_______________________________________________ +Overview of Trip/ Educational Purpose: __________________________ + __________________________________________________________________ +Itinerary: ________________________________________________________ + + +Page 17: +Superintendent’s Circular CAO-23 +Page 17 of 36 + + __________________________________________________________________ +SITE/S CONTACT INFORMATION +(If you are visiting multiple places, please list all.) +Site/s: ____________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Address/s: _______________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Site/s Contact Person: ___________________________________________ + __________________________________________________________________ +Site/s Telephone Number & Email(s): + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + + + + + +Page 18: +Superintendent’s Circular CAO-23 +Page 18 of 36 + + +DAY FIELD TRIP REQUEST FORM (PART II) +SUPERVISION +Program Leader (Lead Chaperone): + __________________________________________________________________ +Phone (during the trip): __________________________________________ +Email: ___________________________________________________________ +Names and phone numbers of all chaperones: (attach a separate +document if necessary): + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + + + + +Page 19: +Superintendent’s Circular CAO-23 +Page 19 of 36 + +TRANSPORTATION +Pick-up Location: _______________________________________________ +Drop-off Location: _______________________________________________ +Departure Time: _________________________________________________ +Time Back at School: _____________________________________________ +Method of Transportation: _______________________________________ +Transportation Provider: _________________________________________ + __________________________________________________________________ +Contact Information: (phone number and address) + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Staff may not drive students. Privately owned vehicles, ride +sharing services, vehicles from non-approved vendors, or leased +vehicles are not to be utilized to transport students to and from +field trips, except in the case of a bona fide emergency. Staff who +utilize their own vehicles risk being legally liable. Schools must +use BPS buses or approved bus vendors regardless of how the +trip is paid for. (See TRN-03) +Total Cost: _______________________________________________________ +Funding Source: _________________________________________________ +Grant Number: __________________________________________________ + + +Page 20: +Superintendent’s Circular CAO-23 +Page 20 of 36 + +BEDF Account Code/Description: ________________________________ +Approved by: ____________________________________________________ +Principal/Head of School /Sponsoring District Department +Date: ______________________________ + +Your signature indicates that all policies outlined in this circular +regarding day trips will be followed. + + + + +Page 21: +Superintendent’s Circular CAO-23 +Page 21 of 36 + + +EMERGENCY ACTION PLAN (EAP) +The program leader and chaperones must have copies of this +checklist during the trip. +PROCEDURES FOR CALLING 911 ON A FIELD TRIP: + Do not leave the injured person alone or without an adult +present. + REMAIN CALM. This helps the operator receive your +information. + DIAL 911. Remember, you may need to access an outside line +first. + Answer the dispatcher’s questions clearly and concisely. +They will ask for all the relevant facts. The dispatcher will +end the call when all of the information is verified. + Wait with the person until EMS arrives. + Paramedics will take over care of the person when they +arrive. A chaperone must accompany any injured student in +the ambulance and remain with the student until the +parent/guardian arrives. +NOTIFICATION OF INCIDENT + Call parent/guardian, principal/head of school, the +Superintendent’s Office, and Department of Safety Services +regarding the incident immediately. + File an Incident Report. + + +Page 22: +Superintendent’s Circular CAO-23 +Page 22 of 36 + + +Principal/Head of School Phone Numbers: + __________________________________________________________________ +Department of Safety Services: (617) 635-8000 +Additional Phone Numbers: ______________________________________ + __________________________________________________________________ + + +Page 23: +Superintendent’s Circular CAO-23 +Page 23 of 36 + + +PARENTAL AUTHORIZATION FOR DAY FIELD TRIPS +BPS STAFF: + Use one form per trip, per student. + Complete the School Portion of form. + Send a copy home for parent/guardian and student +signatures. + During the field trip, the signed, original form must be +carried by the lead chaperone, copies by all other +chaperones and a photocopy must be left on file in the +school office. +STUDENTS: + Complete the “Student Agreement” section. +PARENT / LEGAL GUARDIAN, IF STUDENT IS UNDER 18 YEARS OF +AGE; OR STUDENT, IF AT LEAST 18 YEARS OLD: + Complete the Authorization & Acknowledgement of Risks +section. + Complete the “Medical Authorization” section. + + + + +Page 24: +Superintendent’s Circular CAO-23 +Page 24 of 36 + +PARENTAL AUTHORIZATION FOR DAY FIELD TRIPS +To be completed by the school + +School Name: ____________________________________________________ +Student Name: ___________________________________________________ +Date(s) of Trip: ____________________________________________________ +Destination: ______________________________________________________ +Purpose(s): ______________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +List of Activities: ________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Supervision: (Check one) + Students will be directly supervised by adult chaperones on +this trip at all times. + + + + +Page 25: +Superintendent’s Circular CAO-23 +Page 25 of 36 + +Mode of Transportation (check all that apply): +□ Walking □ School bus □ MBTA +□ Other __________________________________________________________ +Students will leave from: +_________________________________________ at ____________________. + (location) (time) + +Students will return to: (location) _________________________________ +at about (time)__________________. +Chaperone(s) in Charge: _________________________________________ + __________________________________________________________________ +Chaperone/Student Ratio: __________________________ (10:1 for all +grades; minimum of two chaperones) +STUDENT AGREEMENT +While participating in this field trip, I understand I am +representing BPS and my community. I understand that +appropriate standards must be observed, and I will accept +responsibility for maintaining good conduct and abide by school- +based rules and the Boston Public Schools’ Code of Conduct. +Student signature _________________________ Date _________________ + + + + +Page 26: +Superintendent’s Circular CAO-23 +Page 26 of 36 + +To be completed by the parent/guardian or student (if 18 or over): +PARENT/GUARDIAN AUTHORIZATION AND +ACKNOWLEDGEMENT OF RISKS FOR BPS DAY TRIPS +I understand that my/my child’s participation in this field trip is +voluntary and may expose me/my child to some risk(s). I have +read and understand the description of the field trip (on the first +page of this form) and authorize myself/my child to participate in +the planned components of the field trip. +I assume full responsibility for any risk of personal or property +damages arising out of or related to my/my child’s participation +in this field trip, including any acts of negligence or otherwise +from the moment that my student is under BPS supervision and +throughout the duration of the trip. I further agree to indemnify +and to hold harmless BPS and any of the individuals and other +organizations associated with BPS in this field trip from any claim +or liability arising out of my/my child’s participation in this field +trip. I also understand that participation in the field trip will +involve activities off school property; therefore, neither the +Boston Public Schools, nor its employees nor volunteers, will have +any responsibility for the condition and use of any non-school +property. +I understand that BPS is not responsible for my/my child’s +supervision during such periods of time when I/my child may be +absent from a BPS supervised activity. Such occasions are noted +in the “Supervision” section in this agreement. I state that I +have/my child has read and agree(s) to abide by the terms and +conditions set forth in the BPS Code of Conduct, and to abide by +all decisions made by teachers, staff, and those in authority. I +agree that BPS has the right to enforce these rules, standards, +and instructions. I agree that my/my child’s participation in this + + +Page 27: +Superintendent’s Circular CAO-23 +Page 27 of 36 + +field trip may at any time be terminated by BPS in the light of +my/my child’s failure to follow these regulations, or for any reason +which BPS may deem to be in the best interest of a student +group, and that I/my child may be sent home at my own expense +with no refund as a result. In addition, chaperones may alter trip +activities to enhance individual and/or group safety. +MEDICAL AUTHORIZATION +I certify that I am/my child is in good physical and behavioral +health, and I have/my child has no special medical or physical +conditions which would impede participation in this field trip. I +agree to disclose to BPS any medications (including over- the- +counter/herbal) and/or prescriptions which I/my child shall or +should take at any time during the duration of the field trip. In +the event of serious illness or injury to my child/ward, I expressly +consent by my signature to the administration of emergency +medical care, if in the opinion of attending medical personnel, +such action is advisable. +Further, I authorize the chaperones listed to act on my behalf as +parent/guardian of my child/ward while participating in the trip +described above, including the admittance to and release from a +medical facility. + NO: My child DOES NOT require medication during this trip. + YES: My child DOES require medication during this +authorized trip. +If you checked yes, please describe in the space below the type of +medication and the required administration of this medication. If +medication is taken on an as-needed basis, specify the symptoms +or conditions when medication is to be taken and the time at +which it may be given again. If necessary, attach an additional + + +Page 28: +Superintendent’s Circular CAO-23 +Page 28 of 36 + +page. + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +SIGNATURES +If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and that +I understand the above Agreement, and that I accept and will be +bound by its terms and conditions. +Student Signature: _______________________________________________ +Date: _____________________________________________________________ +If the applicant is under 18 years of age, the following statement +must be read and signed by the student’s parent or legal +guardian: +I certify that I am the parent and legal guardian of the applicant, +that I have read and that I understand the above agreement, and +that I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + +I give permission for: +____________________________________________________________ +(student) + + +Page 29: +Superintendent’s Circular CAO-23 +Page 29 of 36 + +to participate in all aspects of this trip. +Parent/Guardian Signature/s _____________________________________ +Date: _____________________________________________________________ + +The student, if at least 18 years of age, or the parent/legal +guardian must complete the information below: +Print parent/guardian/s first and last name(s): + __________________________________________________________________ +Address: _________________________________________________________ + __________________________________________________________________ +Telephone: (CELL, HOME, WORK): ________________________________ + __________________________________________________________________ +Emergency contact’s first and last name (other than +parent/guardians): _______________________________________________ +Relationship to Student: _________________________________________ +Emergency Contacts Telephone #s: ______________________________ + __________________________________________________________________ + + +WALKING TRIPS + + +Page 30: +Superintendent’s Circular CAO-23 +Page 30 of 36 + +Parent/Guardian Authorization and Acknowledgement of Risks +for Walking Trips +Instructions: This form is to be completed by parents/guardians +to authorize BPS to engage students in day field trips that +require walking within a 1-mile radius of the school. This form will +apply for all walking field trips during the current school year, +and will need to be updated each school year, or as +student/family information changes. The school is still required +to inform families in advance of walking field trips, and obtain +principal/head of school approval. +I understand that my/my child’s participation in this field trip is +voluntary and may expose me/my child to some risk(s). I have +read and understand the description of the field trip (on the front +page of this form) and authorize myself/my child to participate in +the planned components of the field trip. I assume full +responsibility for any risk of personal or property damages arising +out of or related to my/my child’s participation in this field trip, +including any acts of negligence or otherwise from the moment +that my student is under BPS supervision and throughout the +duration of the trip. I further agree to indemnify and to hold +harmless BPS and any of the individuals and other organizations +associated with BPS in this field trip from any claim or liability +arising out of my/my child’s participation in this field trip. I also +understand that participation in the field trip will involve +activities off of school property; therefore, neither the Boston +Public Schools, nor its employees nor volunteers, will have any +responsibility for the condition and use of any non-school +property. I understand that BPS is not responsible for my/my +child’s supervision during such periods of time when I/my child +may be absent from a BPS supervised activity. Such occasions are +noted in the “Supervision” section in this agreement. I state that I + + +Page 31: +Superintendent’s Circular CAO-23 +Page 31 of 36 + +have/my child has read and agree(s) to abide by the terms and +conditions set forth in the BPS Code of Conduct, and to abide by +all decisions made by teachers, staff, and those in authority. I +agree that BPS has the right to enforce these rules, standards, +and instructions. I agree that my/my child’s participation in this +field trip may at any time be terminated by BPS in the light of +my/my child’s failure to follow these regulations, or for any reason +which BPS may deem to be in the best interest of a student +group, and that I/my child may be sent home at my own expense +with no refund as a result. In addition, chaperones may alter trip +activities to enhance individual and/or group safety. +MEDICAL AUTHORIZATION +I certify that I am/my child is in good physical and behavioral +health and I have/my child has no special medical or physical +conditions which would impede participation in this field trip. I +agree to disclose to BPS any medications (including over- the- +counter/herbal) and/or prescriptions which I/my child shall or +should take at any time during the duration of the field trip. In +the event of serious illness or injury to my child/ward, I expressly +consent by my signature to the administration of emergency +medical care, if in the opinion of attending medical personnel, +such action is advisable. Further, I authorize the chaperones +listed to act on my behalf as parent/guardian of my child/ward +while participating in the trip described above, including the +admittance to and release from a medical facility. + NO: My child DOES NOT require medication during this trip. + YES: My child DOES require medication during this +authorized trip. +If you checked yes, please describe in the space below the type of + + +Page 32: +Superintendent’s Circular CAO-23 +Page 32 of 36 + +medication and the required administration of this medication. If +medication is taken on an as-needed basis, specify the symptoms +or conditions when medication is to be taken and the time at +which it may be given again. If necessary, attach an additional +page. + + + + + +Page 33: +Superintendent’s Circular CAO-23 +Page 33 of 36 + +SIGNATURES +If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and that +I understand the above Agreement, and that I accept and will be +bound by its terms and conditions. +Student Signature: _______________________________________________ +Date: ___________________________ +If the applicant is under 18 years of age, the following statement +must be read and signed by the student’s parent or legal +guardian: +I certify that I am the parent and legal guardian of the applicant, +that I have read and that I understand the above Agreement, and +that I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + +I give permission for: _____________________________________________ +(student) +to participate in all aspects of this trip. +Parent/Guardian Signature/s: _____________________________________ + __________________________________________________________________ +Date: ___________________________________ + +The student, if at least 18 years of age, or the parent/legal + + +Page 34: +Superintendent’s Circular CAO-23 +Page 34 of 36 + +guardian must complete the information below: +Print Parent/Guardian/s First and Last Name/s: + __________________________________________________________________ +Address: ________________________________________________________ + __________________________________________________________________ +Telephone: (CELL, HOME, WORK): ________________________________ + __________________________________________________________________ +Emergency Contact’s First and Last Name (other than +parent/guardians): _______________________________________________ + __________________________________________________________________ +Relationship to Student: _________________________________________ +Emergency Contacts Telephone #s: ______________________________ + __________________________________________________________________ + + + + +Page 35: +Superintendent’s Circular CAO-23 +Page 35 of 36 + + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS sponsored +field trips and submitted to the program leader (lead +chaperone). + +School Name: ____________________________________________________ +Destination: ______________________________________________________ +Departure Date: _________________ Return Date: ___________________ +All chaperones must agree to abide by the following code of +conduct to participate in a BPS sponsored field trip. +SAFETY & RESPONSIBILITY +I understand that my safety, and the safety of other participants, +is extremely important during this field trip. I agree to make +safety my first priority. I agree to conduct myself in a manner that +promotes my safety and the safety of others at all times. I +understand that maintaining students’ safety requires that +students must be supervised by me and/or other chaperones at +all times while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews and room checks for students, as well as +morning wake up calls for students, are part of my responsibility. +I agree to follow BPS policies, protocols, and guidance of BPS +staff when in the field. + + + +Page 36: +Superintendent’s Circular CAO-23 +Page 36 of 36 + +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits students +from possessing, using, selling, and/or distributing any of the +following on all domestic and international field trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, use or +distribution of over the counter medication; and selling of +prescription drugs. +The Code also prohibits the use of tobacco products (including e- +cigarettes, hookah paraphernalia, and vapor cigarettes). I +understand that these prohibitions apply to all students, +regardless of age. +I understand that I am forbidden to use or visibly be in possession +of tobacco in the presence of students. I also understand that the +use of all other drugs, including alcohol, and weapons are strictly +prohibited on the field trip. + +Chaperone Name (Printed): ______________________________________ +Chaperone Signature: ___________________________________________ +Date: _________________________ + + diff --git a/data/data_txt/CAO-24 Domestic Overnight Field Trip Guidelines.txt b/data/data_txt/CAO-24 Domestic Overnight Field Trip Guidelines.txt new file mode 100644 index 0000000..199ee19 --- /dev/null +++ b/data/data_txt/CAO-24 Domestic Overnight Field Trip Guidelines.txt @@ -0,0 +1,2674 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-24 +Version 01 + + +OVERNIGHT FIELD TRIP GUIDELINES + +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. + +IMPORTANT NOTE: These guidelines might be impacted by COVID-19 +restrictions and are subject to change based on public health, +international security, or other emergent issues that could impact travel. +For the most up-to-date information and guidance, contact +OPL@bostonpublicschools.org for assistance/guidance. + + +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular should be read AFTER the Superintendent’s Circular +No. CAO-22, General Guidelines and Procedures for All Field Trips +as additional guidelines are outlined there. +The principal/head of school and/or the district department +sponsoring the trip are responsible for ensuring that all field trip +policies and procedures as outlined in this circular are adhered +to. +Together, the principal/head of school and/or the district +department lead sponsoring the trip and the program leader + + +Page 2: +Superintendent’s Circular CAO-24 +Page 2 of 80 + + +must review and complete checklists for this circular. Signed +checklists must be kept on file at the school/district department. +OVERNIGHT FIELD TRIP: Any domestic trip off school grounds that +involves students’ participation overnight. +● Overnight Field Trip forms are submitted to the +principal/head of school AT LEAST 12 weeks in advance and +approved by the principal/head of school. +● All forms, including the signed CAO-24 checklist form, are +filed at the school. +● Overnight Field Trip Request form, the list of student names, +emergency contact name and number, grade, D.O.B, the list +of chaperone names and their role in the school community, +the itinerary, and if applicable, train and flight information +are sent to the district to notify the district of trip plans AT +LEAST 4 weeks in advance. Scan and email the Overnight +Field Trip Request form and information to the appropriate +principal/ leader as well as to the Department of Global +Education. Please follow up to ensure documentation has +been received. + +OVERNIGHT FIELD TRIP CHECKLIST + Review Superintendent’s Circular No. CAO-22, General +Guidelines and Procedures for All Field Trips. + All field trip IDEAS must be preliminarily approved in writing +by the principal/head of school or District Department +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students + + +Page 3: +Superintendent’s Circular CAO-24 +Page 3 of 80 + + +and their parents/guardians and prior to any fundraising or +other detailed preparations. Consult with the principal/head +of school on potential chaperones and student recruitment. + Review Superintendent’s Circular FSE-05 Medical +Emergency Management and SAF-04 Incident Data +Reporting and Release for important safety protocols. The +Department of Global Education should be used as a +resource for questions regarding risk management on +overnight field trips. + Select a site and investigate the appropriateness of the site +in relation to the category of field trip. + Select a date and an alternate date. Note: Check with the +principal/head of school, teachers, and staff to ensure that +trips are not scheduled on dates that interfere with +important tests, religious holidays, or class work. + +PLANNING PROCESS +For thorough planning and to maximize affordability and +fundraising efforts, it is recommended that overnight trips are +planned at least six months in advance. + +ROLE OF THE PROGRAM LEADER (LEAD CHAPERONE) +Program Leader Description: The program leader is a BPS +employee and the lead chaperone organizing and leading the +trip. All program leaders (lead chaperones and the BPS employee +organizing and leading the trip) and chaperones must be +approved by the principal/head of school or district department +sponsoring the trip. The program leader is responsible for + + +Page 4: +Superintendent’s Circular CAO-24 +Page 4 of 80 + + +ensuring all guidelines in CAO-22 and CAO-24 are followed and +keeping the principal/head of school and the district informed of +trip developments. The program leader is responsible for +completing the Overnight Field Trip Request form and +accompanying documents that are submitted to the +principal/head of school for approval. The program leader is also +responsible for organizing the chaperone team, student team, +and pre-departure meetings. + School Nurse and Guidance Counselor Consultation: Before +approval of a field trip, the program leader must consult +with the school leader to determine if, and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +consult with and, when necessary, receive training from the +school nurse regarding any students who have medical +needs at least six weeks before departure (much longer for +international and overnight field trip programs). Also consult +with the school counselor regarding mental and behavioral +health needs. If any student has a serious medical or mental +health condition, be sure that their doctor is aware of the +essential participation criteria and location of the trip and +writes a letter indicating that the child may safely attend +and participate in trip activities. Keep this document on file +with other key permissions slips and medical forms. + Overnight Field Trip Form: Complete and submit an +Overnight Field Trip Request form and accompanying +documents to obtain official consent from the + + +Page 5: +Superintendent’s Circular CAO-24 +Page 5 of 80 + + +principal/head of school to execute the trip. Once the +principal/head of school has approved the trip, you must +send a copy of the request, itinerary, and supporting +documents to the Department of Global Education. + Mindset: Planning, organization, and preparation are critical +to a successful experience for all participants. As part of trip +planning and itinerary development, ensure the major +aspects of health, safety, student inclusion, and security +have been addressed with due diligence. Program leaders +must be able to articulate in an informed manner what +decisions were made, why they were made, and the sources +that informed that decision making. If you have questions +about the appropriateness of an activity, please consult with +your principal/head of school and the Department of Global +Education. + School File: Create a school file to house all important +documents: Overnight Field Trip Request form and +attachments, student roster, student permission slips, and +medical forms, and other signed documents including +incident reports, incident log, and the fire safety plan. These +documents must be kept on file for the current fiscal year +plus three additional years after the trip has occurred. + Communication: Share the trip details listed below with all +teachers, nurses, and other staff members so that they may +plan accordingly. +o Trip overview (purpose) +o Destination +o Date of trip +o Students’ names + + +Page 6: +Superintendent’s Circular CAO-24 +Page 6 of 80 + + +o Chaperones’ names and roles in school community + Documentation: Prepare and distribute the Parental +Authorization for Overnight Field Trip form, Medical +Information form, Student Traveler Behavior Contract, +Student Support for Overnight Programs, and the +Medication Administration form to each participating +student and chaperone. For preparedness and safety, you +also must have these medical forms from chaperones. If +applicable, prepare and distribute the Notarized +Parent/Guardian Airline Travel Consent form. (Some airlines +and travel companies require this; some do not. Research +your particular trip to see if this applies.) + Meetings: Conduct AT LEAST TWO pre-departure student +meetings. Discuss the trip’s educational purpose and goals, +conduct expectations, itinerary, healthy travel, and all other +logistics of the program. (For lengthy overnight programs, +see CAO-25 for additional student meeting topics.) Conduct +AT LEAST ONE parent/guardian meeting (with each family +or all families together) to review the purpose of the trip, +itinerary, review/sign permission forms, review logistics of +travel, and share medical and safety information. +Please note: Plan for families who may need translation +services at the meeting; students should not serve as their +parent/guardian’s translator at this meeting. If a +parent/guardian is unable to attend the meeting, a +chaperone (a BPS employee) must be sure to speak to the +parent/guardian via telephone or in-person about the trip +prior to taking the student on an overnight trip. Document +this personal contact for your records. + + +Page 7: +Superintendent’s Circular CAO-24 +Page 7 of 80 + + +SAFETY PREPAREDNESS + Travel Advisories/Warnings: The head of school and +superintendent reserve the right to cancel any field trip up +to and including the day of departure to manage risk. + Insurance: Through On Call International insurance, the +district provides medical coverage for international and +domestic BPS-sponsored trips (domestic being 100 driven +miles away from home or place of study or employment) for +BPS students, BPS staff participants, and chaperones. On +Call will serve as the primary source for medical insurance. +However, in some cases, if a hospital visit is required, +students may be required to pay out of pocket, and be +reimbursed by On Call later. Families will want to budget for +this just-in-case expense. The On Call insurance policy does +NOT include cancellation or trip interruption insurance +should the trip be canceled or interrupted for any reason +other than medical. Cancellation/interruption must be due +to the traveler getting sick, injured, or someone in the +traveler’s immediate family being sick, injured, or death. +Students/families would need to show proof of a +sickness/injury; and the sickness/injury must be so disabling +as to cause them to cancel/interrupt their trip. If there is a +sickness/death for their family member, they would need to +show proof of that, too. Save all receipts for flights/lodging +for reimbursement purposes and a claim form would need +to be filled out. Families will need to know in advance that +Trip Cancellation has a $2,000 limit, and Trip Interruption +has a $2,500 limit. Again, the superintendent reserves the +right to cancel a trip for any reason and at any time for +safety purposes; Cancel for Any Reason Insurance (CFAR) is + + +Page 8: +Superintendent’s Circular CAO-24 +Page 8 of 80 + + +NOT provided by the district. Therefore, all trip participants +must purchase their own (CFAR) insurance to protect their +trip investment. + Training: It is recommended that at least two chaperones +(including the program leader) hold valid CPR AND first aid +certification. First Aid: Ensure the availability of a first aid kit. +Verify emergency and medical information and contact +details. + Chaperone Ratios: For overnight trips, the student-to- +chaperone ratio is 7:1, with a two-chaperone minimum. It is +recommended that a chaperone reserve, or backup, be +identified in the event a chaperone is no longer able to +participate at the last minute or must leave the field. Tour +guides, or employees of third-party vendors contracted to +help operate the trip, are not considered chaperones, and +do not factor into the student to chaperone ratio. + Transportation: School buses or BPS-approved +transportation vendors’ vehicles MUST be used to transport +students to and from field trips or athletic events, regardless +of how the trip is paid for. Privately owned vehicles, vehicles +from non-approved vendors, ride-sharing transportation +services such as Uber and Lyft, or leased vans are not to be +utilized to transport students to and from field trips or +athletic events, except in the case of a bona fide emergency. +Refer to TRN-03 and CAO-22 for information and regulations +on field trip transportation. + Water Activities: If your trip involves any activities in or on +the water, you must contact the Department of Global +Education for approval at least 16 weeks in advance. There is + + +Page 9: +Superintendent’s Circular CAO-24 +Page 9 of 80 + + +a separate and mandatory procedure for all trips involving +water. Please review CAO-27 and contact the Department of +Global Education immediately. + Healthy Travelers: Be sure students have had a recent +(current school year) doctor’s visit and physical exam prior to +departure. Students and staff should be current on all +immunizations and vaccinations, including those related to +the location they will be traveling to. Travelers should +consult with their primary care doctor and can also visit the +Center for Disease Control’s website for information on +staying healthy while traveling at +http://wwwnc.cdc.gov/travel/. If any student has a serious +medical condition, please be sure that their doctor writes a +letter indicating that the child may safely attend and +participate in trip activities. + +CHAPERONE CRITERIA + Chaperone Recruitment: Program leaders must consult +with the principal/head of school on potential chaperones +and student recruitment. The program leader (lead +chaperone) must be a BPS employee. Other authorized +chaperones may include parents and guardians who are +required to be 21 years of age or older. Any parent on the trip +must operate in the role of chaperone. All chaperones must +be approved by the head of school/principal. Every effort +should be made for students to have access to the field trip +experience, for chaperones to be representative of the +student group, and for chaperones to include males and +females. The selection and approval of chaperones by the + + +Page 10: +Superintendent’s Circular CAO-24 +Page 10 of 80 + + +principal/head of school should be based on the individuals’ +thorough knowledge of and rapport with most of the +student participants. Choose a chaperone team purposefully +and wisely, considering strengths. Every adult on the trip +must be a chaperone and have a clear role. + Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who are required to be 21 +years of age or older. All non-BPS employee chaperones +must submit a yearly CORI/SORI authorization form to the +Office of Human Capital. Complete the eCORI form online. +Contact the BPS Office of Human Capital (OHC) for CORI +check and confirmation support. The principal/head of +school and the lead chaperone are responsible for +submitting authorization forms to OHC and must not allow +chaperones to take part in activities until they have been +CORI/SORI cleared. Non-BPS employees who chaperone on +a field trip are not covered for liability by the Boston Public +Schools. The program leader must be sure that all +chaperones, including non-BPS chaperones, are familiar +with the BPS Code of Conduct and other district and school- +based rules. + BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent + + +Page 11: +Superintendent’s Circular CAO-24 +Page 11 of 80 + + +chaperone is responsible for incurring all costs associated +with their child’s participation. +● All chaperones must complete the Chaperone +Agreement form. +● Non-BPS employees who chaperone on a field trip are +not covered for liability by the Boston Public Schools. +● Refer to CAO-22 for additional chaperone criteria. + +STUDENT ACCESSIBILITY AND PARTICIPATION + Essential Criteria: The program leader and principal/head of +school shall work together to establish essential +participation criteria for the trip that informs students and +parents of all activities and risks associated with each +itinerary activity and trip location, to determine what +accommodations or modifications may need to be made for +the student to successfully and safely participate in all or +portions of the trip. + Recruitment: Students not enrolled in the Boston Public +Schools may not participate. Once on the field trip, student +participants are not permitted to leave the group to visit +friends, relatives etc., and rejoin the group. Students must +remain with the group at all times. Field trips must be +advertised to all students (within the whole school, +particular grade, class/subject, club, or program associated +with the trip), regardless of their financial situation. Schools +shall make every reasonable effort to make instructional +field trips affordable for all students. A student’s ability to +pay may not be a criterion for field trip participation. Trips +must be advertised to all students (within the school, + + +Page 12: +Superintendent’s Circular CAO-24 +Page 12 of 80 + + +particular grade, class, or program associated with the trip), +regardless of their financial situation. + Accommodations: Students with English Learner status, 504 +plans, and/or IEPs cannot be denied access to field trips due +to their status, or ability. It is the responsibility of the school +to ensure that all accommodations normally provided to a +student as indicated in their educational plans are made +available during a field trip, including medication. See +Superintendent’s Circular SHS-8 for information about +medical dispensation on field trips. Participating students’ +IEP or 504 plan shall be available to any staff coordinating +and/or participating in the field trip. If any student has a +serious medical, or mental health condition, please be sure +that their doctor is aware of the essential participation +criteria and location of the trip and writes a letter indicating +that the child may safely attend and participate in trip +activities. Keep this document on file with other key +permissions slips and medical forms. + Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQ community, students with disabilities, those who +may be in the minority during your field trip experience, and +those students who belong to groups that have experienced +marginalization in the location being visited. Program +leaders must (1) work to prepare students for sensitive +experiences, and (2) ensure that the program is safe and + + +Page 13: +Superintendent’s Circular CAO-24 +Page 13 of 80 + + +inclusive for all students. Consult the Department of Global +Education for resources if needed. + Inclusive Rooming: The program leader and principal/head +of school shall work with transgender and gender +nonconforming students to provide accommodations +(including rooming) that affirm the student’s gender +identity while also ensuring safety. Program leaders should +work with students and families to make sure all travel +documents (airline tickets, passport) reflect their legal +names as listed on government-issued identification, while +all unofficial documents and materials may reflect the +student’s preferred name. Please view additional rooming +guidelines from the Office of Equity here. BPS students and +parents are required to sign a BPS Student Traveler & Family +Agreement form regarding student conduct while +participating in a BPS sponsored field trip. Participation in +field trips may be denied to any student who has +demonstrated disregard for the policies and rules of BPS or +the school prior to the field trip. Parents/guardians and +students must be made aware of this policy in advance and +communicated with throughout any processes involving +their child not participating in a field trip. + Student Dismissal: Following an investigation, if the +program leader, in consultation with the principal/head of +school and Central Office staff, determines that a student’s +conduct while on an overnight trip, poses a risk to +themselves, or the safety of the group, or is no longer +manageable by BPS staff in the field, the district reserves +the right to request, and make arrangements for that + + +Page 14: +Superintendent’s Circular CAO-24 +Page 14 of 80 + + +student to return home. The district also reserves the right +to request that families assume responsibility for all or a +portion of the costs associated with their child’s return. +Students may be subject to further disciplinary action and +will be provided the opportunity to have a formal hearing at +the school level upon return. The school must document the +parent/guardian’s consent of this policy prior to the trip. +If a student is to be dismissed from an overnight field trip, +the student’s parent/guardian must be notified in advance +and should agree to meet the student at the airport or other +agreed-upon destination. If the parent/guardian is not +reachable, the student’s principal or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed-upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines.) Any costs assumed in this +regard will be the responsibility of the parent/guardian. + Attendance: Provisions must be made in advance for any +student not attending the trip and staying at school. If +applicable, provide alternative arrangements and/or +comparable activities for students not attending the trip or +unable to participate in a portion of your trip. If a student’s +family elects for their child not to attend a field trip for any +reason, the child may not be penalized through their grade +or otherwise. Attendance forms should indicate when a + + +Page 15: +Superintendent’s Circular CAO-24 +Page 15 of 80 + + +student is physically absent from the school building on a +field trip but participating in a school-sponsored program +being conducted off school grounds. (Note: It is important to +know and document where students are at all times. + +PRE-DEPARTURE CONFIRMATION CHECK + +Eight Weeks (or More) Prior to Your Trip: + Develop transportation plans: mode of transportation, travel +time, cost, etc. (If applicable, be sure to note how and with +whom the child will travel to and from a field trip’s +departure and pick-up locations.) + Review all students’ medical forms with the school nurse +and school counselor to ensure all documents are +completed, to support each student’s health during the trip. +(Please note: nurses and counselors do not “clear” students +for travel but will provide chaperones with guidance in +supporting students while traveling.) Consult with and, +when necessary, receive training from and obtain written +comments from the school nurse and counselor regarding +any students who have expressed medical needs (e.g., +medication, asthma, allergies, etc.). + If your trip is less than 100 driving miles in distance, please +ensure ALL students have valid medical insurance that +covers them while on this program. Record details of +insurance on the Medical Information Form. + + +Page 16: +Superintendent’s Circular CAO-24 +Page 16 of 80 + + +Five Weeks (or More) Prior to the Field Trip: + Contact the field trip site and ensure that the necessary +arrangements are still in place. + Collect the completed and signed Parental Authorization for +Overnight Trip, Medical Information, and Medication +Administration forms from each participating student and +chaperone and ensure that copies of all forms (and the +itinerary) are submitted to the principal/head of school. +* Contact the Department of Global Education for the +Informed Consent Template to be tailored for your trip and +then shared with families. + If necessary, collect the Notarized Parent/Guardian Airline +Travel Consent form. + Hold a chaperone team meeting to distribute trip +responsibilities and to review the student team. + Review students’ permission slips and medical forms; +prepare any questions for follow-up with families and the +school nurse. + The lead chaperone will record the names of the chaperones +and whom each chaperone is supervising; each chaperone +must carry this list. + Chaperones will organize a buddy system, pairing students +with one another for safety purposes. + + +Page 17: +Superintendent’s Circular CAO-24 +Page 17 of 80 + + + The lead chaperone will prepare trip binder for all +chaperones (see During the Trip section which lists all +binder contents). + Notify the appropriate principal leader and the Department +of Global Education of your overnight travel plans by +scanning and emailing the Overnight Field Trip Request +Form at least four weeks in advance. + +Two Weeks (or More) Prior to the Field Trip: + If applicable, inform the food service manager or attendant +of the names of the students going on the trip and the date +and time of the field trip. + Verify all arrangements, including transportation and +reception at the site. + Contact parents/guardians via telephone or in-person to +review the final details of travel and verify emergency, +medical and safety information, and contact details. Be sure +families have copies of their child’s permission and medical +forms as well as the trip itinerary and contact details. + Notify/consult with the principal/head of school (and +Department of Global Education) if trip plans have changed +from the original field trip request. + +COMMUNICATION PLAN + For Domestic Overnight Trips: The principal/head of school +(or designee) is the emergency contact for program leaders +and must be notified in the event of a serious medical + + +Page 18: +Superintendent’s Circular CAO-24 +Page 18 of 80 + + +emergency or other emergency event. The Department of +Global Education should be used as a resource for questions +regarding safety on trips, and for support with insurance +support and claims. Prior to departure, program leaders will +receive emergency contact information. + Phone Service Coverage: Program leaders must have cell +phone coverage for the duration of the trip for +communication with BPS and families in the event of an +emergency. This cell phone must be on at all times so you +may be contacted in case of an emergency. If this is not +possible due to your location, please arrange a +communication plan with the Department of Global +Education. Program leaders must carry the phone numbers +for the principal/head of school or sponsoring district +department and the Department of Global Education. You +are required to call anytime there is an emergency. + District Communication: Codify a clear communication plan +with your principal/head of school or sponsoring district +department prior to departure. You must check-in via phone +call, text, or email upon arrival, every 48 hours, whenever the +itinerary significantly changes, whenever you expect to lose +cell/email coverage, upon departure, and upon safe return. +You MUST check-in via phone when there is an incident. + + +Page 19: +Superintendent’s Circular CAO-24 +Page 19 of 80 + + +Definitions of communication types and expectations: +Green Communication: No immediate concern. +Program leader: notifies principal about arrival, departure, +changes in itinerary, loss of connectivity, highlights of +programs, photos. *Check in daily via text, phone call, email. +Yellow Communication: A Yellow Call is a reportable +situation or event, but no threat to life, limb, eyesight, or +potential for severe emotional trauma. The incident is +managed effectively in the field by program leader, but +could devolve into a serious or critical incident, and requires +attention from BPS on-call staff. +Program leader: (1) notifies principal; (2) documents Incident +SOAP Report; (3) monitors; (4) updates on-call BPS staff. +Red Communication: Critical, violent, time-sensitive +incident, illness, injury; or event that resulted in the loss of +OR potential loss of life, limb, eyesight. +Requires IMMEDIATE RESPONSE of program leader: +(1) notifies principal; (2) alerts local medical assistance and/or +law enforcement; (3) documents Incident SOAP Report; +(4) monitors; (5) updates on-call BPS staff. + Communication with Families: Call students the night +before travel to ensure transportation to the departure +location is set, remind students to bring travel documents, +and answer last-minute student and family questions. Set +expectations regarding communication during travel +between chaperones/student travelers, and the + + +Page 20: +Superintendent’s Circular CAO-24 +Page 20 of 80 + + +principal/families. Families must know who to call 24/7 in +case of an emergency. + +DURING THE FIELD TRIP PROGRAM + On the day of the trip, take attendance and leave the current +list of students attending the trip with the principal/head of +school. If applicable, record a specific bus number and +driver’s name and leave this information with the +principal/head of school and share with all chaperones and, if +age-appropriate, students. + Team Safety: If you believe conditions are unsafe, or +unhealthy at any point on the trip, it is the program leader’s +responsibility to make adjustments in the interest of +group/individual safety. Consult your principal/head of +school and the Department of Global Education during the +trip when you have questions regarding trip safety. + Conduct Safety Reviews with Students in the Field: The +following topics must be reviewed with students: + Program leaders conduct a fire and safety assessment +and fire drill (Fire Prevention and Safety Instructions) +when you arrive at EACH NEW accommodation. Share +with the chaperone team the “Assessment” and +prepare for orientation and fire drill. + Share evacuation plan and emergency plans: Discuss +where students go during an emergency or otherwise? +Discuss where students go if they are separated from +the group during an activity. + + +Page 21: +Superintendent’s Circular CAO-24 +Page 21 of 80 + + + Ensure students have a list of the key addresses +(hotel/chaperone information) and emergency +information as well as copies of all travel documents. +Share where you are staying (room number if +applicable) and how to reach you on the trip. + Conduct in-country orientation for conduct and +cultural expectations. Set expectations for phone usage +and social media. This is especially critical during an +emergency. + Conduct safety orientations for service learning +projects where teams work to construct, alter, and/or +repair structures, including painting and decorating, +and for agricultural projects, chaperones with the +support of program providers, must conduct a safety +orientation at the beginning of each activity. + +Student Debriefs/Reflections: + Conduct morning briefings to review the day’s itinerary +and key information. Ask and answer questions. + Conduct afternoon and/or evening debriefings to +review the next day’s itinerary, gather feedback, and +process the day’s learning, and make any necessary +adjustments. Engage students in conversations that +help them process their experiences. Help them break +down stereotypes so that when they return, they have +a deeper understanding of the culture and country +they visited. Draw connections to how they will take + + +Page 22: +Superintendent’s Circular CAO-24 +Page 22 of 80 + + +the experience home with them and how the lessons +they have learned will translate back home. + +Check-Ins & Student Supervision: + Conduct frequent check-ins with the chaperone team +to assess programming, student dynamics, and to +make any adjustments. + Conduct frequent check-Ins with students about their +behavioral and physical health as well as their ability to +process their trip experiences. + Conduct nightly bed checks to be sure students are in +their rooms at the designated time. If staying in a +hotel/hostel be sure to request in advance for students +to be placed near chaperones. + Establish a curfew with clear guidelines, and ensure +doors are open if students congregate in the evening. +Adults should stay close by and conduct frequent +expected and unexpected room checks. Be mindful of +romantic relationships amongst students. + Conduct regular and frequent headcounts and buddy +checks throughout the day. Do not leave students +alone. Students should be accompanied by chaperones +unless part of a scheduled activity and age appropriate +as approved by their parent/guardian in advance. +However, if unaccompanied as part of a scheduled and +structured activity, students should be in at least + + +Page 23: +Superintendent’s Circular CAO-24 +Page 23 of 80 + + +groups of three AND always know how to reach an +adult chaperone. + +DOCUMENTS TO TAKE +All chaperones must carry a trip binder at all times (or have them +very close at hand) that includes the following documents. The +program leader carries the original forms; all other chaperones +carry copies. +● Permissions slips (updated based on contact +verification done with families) +● Medical Information Form and Medical Administration +Form +● Student & Family Conduct Agreement Form +● Parental waivers (if applicable) +● Notarized Airline Consent Form (if applicable) +● Copies of passports, visas, resident cards, and other +travel-related documents +● Emergency Action Plan (EAP) +● Insurance information +● BPS Field Guide protocols with emergency phone +numbers +● Fire prevention and safety information +● Incident Report (blank and/or completed) +● Witness Report Form (blank and/or completed) +● Incident Investigation Log (blank and/or completed) + + +Page 24: +Superintendent’s Circular CAO-24 +Page 24 of 80 + + +● SOAP Note (blank and/or completed) +● List of addresses and emergency contacts in-country +for all travelers +● Water Activities Forms if applicable +● Program leaders carry originals of permission slips and +medical forms; other chaperones carry copies. + +DOCUMENTS TO LEAVE FOR YOUR PRINCIPAL/HEAD OF +SCHOOL +● CAO-24 circular with checklists +● Permissions slips (updated based on contact +verification done with families) +● Student & Family Conduct Agreement Form +● Parental waivers (if applicable) +● Medical Information Form and Medical Administration +Form +● Notarized Airline Consent Form (if applicable) +● Copies of passports, visas, resident cards, and other +travel-related documents +● Emergency Action Plan (EAP) +● Insurance information +● Fire prevention and safety information +● International Program Incident Report (blank for +reference) +● Water Activities Forms (if applicable) + + +Page 25: +Superintendent’s Circular CAO-24 +Page 25 of 80 + + +AFTER THE FIELD TRIP (MANDATORY) +Ensure all students safely return to their parents/families +when you arrive back from the destination by following +expectations set prior to the trip for student pick-up from +arrival location. + Medical Follow-Up: Depending on travel location and +prescribed travel medication, call all students and families +after the trip to remind students to continue to take all +prescribed travel medication. Additionally, remind students +(inform parents/guardians) to see a doctor immediately if +they are not feeling well after the trip and to inform the +doctor of their recent travels. + Incident Reports: If applicable, file and follow up with an +Incident Report. + +AFTER THE FIELD TRIP (SUGGESTED) + Write thank-you notes. + Present to school, family, and the community about the +experience. + Conduct related creative and/or analytical projects to +showcase student learning. + Write a news article about the trip for a local newspaper or +website. + Email stories, journals, and pictures of your trip to the +Department of Global Education. + + +Page 26: +Superintendent’s Circular CAO-24 +Page 26 of 80 + + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent +ATTACHMENTS: +1. Overnight Field Trip Request Form +2. Emergency Action Plan +3. Parental Authorization for Overnight Field Trip +4. Medical Information Form +5. Medication Administration Form +6. Notarized Parent/Guardian Airline Consent Form +7. Overnight Programs Incident Report +8. Overnight Programs Witness Report +9. Overnight Programs Incident Log +10. Fire Prevention and Safety Instructions +11. BPS Student Traveler & Family Agreement Form +12. BPS Chaperone Agreement Form + + +Page 27: +Superintendent’s Circular CAO-24 +Page 27 of 80 + + +OVERNIGHT FIELD TRIP CHECKLIST +Please sign this checklist, retain a copy for your file, and submit +the original to the school office for filing. +Your signature indicates that you read and understand the +policies in this circular; that they have been/will be followed; and +all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + + +School Name: + + +Program Leader: +Date + + + +Signature of Principal/Head of School or +Date +Sponsoring District Department + + +Page 28: +Superintendent’s Circular CAO-24 +Page 28 of 80 + + +CAO- 24 ACKNOWLEDGEMENT FORM +Please sign this checklist, retain a copy for your file, submit the +original to the school office for filing and attach it to your +completed request package. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + + +School Name: + + + + + +Signature of program leader +Date + + + +Signature of Principal/Head of School +Date +or Sponsoring District Department + + +Page 29: +Superintendent’s Circular CAO-24 +Page 29 of 80 + + +OVERNIGHT FIELD TRIP REQUEST FORM +This form is submitted to the principal/head of school and is kept +on file in the school office. In addition, notify the appropriate +Network Superintendent and the Department of Global +Education of your plans (four weeks in advance) by faxing or +emailing as a PDF the following documents: 1) Overnight field +Trip Request Form signed by the principal/head of school , 2) +Day- by-Day trip itinerary, 3) Student roster; D.O.B, grade, +emergency contact name, and number and 4) if applicable, your +flight or train itinerary. Please call or email to ensure these +documents have been received by all parties. + +SCHOOL INFORMATION: +School: + + +Date Submitted: + + + +TRIP OVERVIEW: +Number of Students: +Number of Chaperones: + + + +(Supervision: maximum ratio 10:1 with a two-chaperone +minimum. For students with disabilities, the ratio of staff to +students must be at least the same as the ratio mandated in +their IEPs for their classes.) + + +Page 30: +Superintendent’s Circular CAO-24 +Page 30 of 80 + + +Field Trip Category: + +Destination: + +Dates of Trip: + + +Overview of Trip (Educational Purpose): + + + + + +ACCOMMODATION/LODGING INFORMATION + + +Accommodation Name: + +Address: + +Phone Number: + + + +Page 31: +Superintendent’s Circular CAO-24 +Page 31 of 80 + + +PROGRAM PROVIDER INFORMATION +(If working with a company, organization, or partner) + +Program Provider: + +Program Provider Contact Person: + +Program Provider Telephone Number: + +Program Email: + + +ITINERARY +Please attach the detailed day-by-day itinerary: + + +Page 32: +Superintendent’s Circular CAO-24 +Page 32 of 80 + + +PROGRAM LEADER: + +Program Leader/Lead Chaperone: + + +Role in School: + +Program Leader Phone # (prior to the trip): + +Program Leader Phone # (during the trip): + +Program Leader Email: + +Other Chaperones/Roles in School/ Phone Numbers on Field Trip: +Attach a separate sheet if necessary. + +Name +Role +Phone # +Email + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Page 33: +Superintendent’s Circular CAO-24 +Page 33 of 80 + +Staff are not permitted to drive students. Privately owned +vehicles, vehicles from non-approved vendors, or leased +vehicles are not to be used to transport students to and from +field trips except in the case of a bona fide emergency. Staff +who use their own vehicles risk being legally liable. Please refer +to TRN-03 for regulations regarding field trip transportation. + +STUDENT PARTICIPANTS: +Please attach a student roster that includes: Legal and last +name, D.O.B, grade, emergency contact name, and phone #. + +TRANSPORTATION INFORMATION: + + +Method of Transportation: + + +Transportation Company: + +(For bus transportation, only BPS-approved vendors may be +used regardless of how the trip is paid for. See TRN-3 for list.) +Contact Information (phone and address): + + + + +Departure Location and Time: + +Return Location and Time: + +*If applicable, attach detailed train or flight information. + + +Page 34: +Superintendent’s Circular CAO-24 +Page 34 of 80 + + +FUNDING SOURCES: +Total Cost: $ + + +Funding Source: + +Grant Number: + +BEDF Account Code/Description: + + + + +Approved by: + +Principal/Head of School +or Sponsoring District Department +Date: + +Your signature indicates that all policies outlined in CAO-22 AND +CAO-24 regarding overnight field trips will be followed. + + +Page 35: +Superintendent’s Circular CAO-24 +Page 35 of 80 + + +EMERGENCY ACTION PLAN (EAP) +PROCEDURES FOR CALLING 911 ON A FIELD TRIP +Do not leave the injured person alone or without an adult +present. + +1. REMAIN CALM. This helps the operator receive your +information. +2. DIAL 911. Remember you may need to access an outside line +first. +3. My name is +. I am a (your role) in the Boston +Public Schools. +4. I need paramedics now. +5. My exact address is +. +6. There is a person with a (state type/location of injury) injury. +7. The person’s name is +and they are + +years old. +8. The person is located at +which is on the +(North/South/East/West) side of the facility. +9. I am calling from (telephone number). +10.(Name) will meet the ambulance. +11. Don’t hang up. Ask for the information to be repeated back +to you and answer any questions the dispatcher may have. +Hang up the phone when all information is correct and +verified. + + +Page 36: +Superintendent’s Circular CAO-24 +Page 36 of 80 + + +12. Wait with the person until EMS arrives. +13. Paramedics will take over care of the person when they +arrive. A chaperone must accompany any injured student in +the ambulance and remain with the student until the +parent/guardian arrives. +14. Call your head of school or appointee. The Department of +Global Education can assist in contacting the necessary +district personnel and insurance providers. File an Overnight +Program Incident Report and Overnight Incident Log. +Principal/Head of School: + + +Phone Numbers: + +Principal Leader: + +Department of Safety Services: (617) 635-8000 +Department of Global Education: + + +Additional Phone Numbers: + + + +Page 37: +Superintendent’s Circular CAO-24 +Page 37 of 80 + + +PARENTAL AUTHORIZATION FOR DOMESTIC +OVERNIGHT FIELD TRIP +ASSUMPTION OF RISK, WAIVER, RELEASE, AND INDEMNITY +HOLD HARMLESS AGREEMENT +Program Leaders: +Access the required Assumption of Risk, Waiver, Release, and +Indemnity Hold Harmless Agreement template here. Please +make a copy of this template document before you edit the text +in RED, and then share it with the Director of Global Education. +This document is to be reviewed by the Director of Global +Education & BPS Legal BEFORE sharing with parents/guardians +for signature** +This document is a requirement, and a binding legal document. +Should you have any questions, please contact the Department +of Global Education. + + +Page 38: +Superintendent’s Circular CAO-24 +Page 38 of 80 + + +MEDICAL FORM OVERNIGHT TRIPS +GENERAL INFORMATION +IMPORTANT NOTES: +• Students may be in new and unfamiliar situations when +traveling. It is critical that this form is completed thoroughly +and accurately so we may be in the best position possible to +support you/your child. +• Please indicate with an X +HERE if you would like to +schedule a meeting with the program leader of the trip to +discuss your child’s medical or mental health. +• To participate in a domestic overnight trip, a copy of the +student’s current school year physical examination record +must be on file at the school in order to participate on an +overnight field trip. If traveling internationally, all students +must visit their primary care doctor prior to traveling and be +current on all immunizations and vaccinations for the U.S. in +addition to the recommended immunizations and +vaccinations for the locations/country(s) to be visited. +• To be completed by the parent/guardian of the BPS student. + + +Page 39: +Superintendent’s Circular CAO-24 +Page 39 of 80 + + +STUDENT INFORMATION + +Student’s Full Name: + + +Date of Birth: + + +Country of Origin: +Parent/Guardian Name: + + +Cell: +Home: +Work: +Email: +Home Address: +Parent/Guardian Name: + + +Cell: +Home: +Work: +Email: +Home Address: + + +Page 40: +Superintendent’s Circular CAO-24 +Page 40 of 80 + + +Emergency Contact # 1 + + +Name: + + +Relationship to student: + + +Address: + + +Cell #: +Work #: +Email: +Emergency Contact # 2 + + +Name: + + +Relationship to student: + + +Address: + + +Cell #: +Work #: +Email: + + +Page 41: +Superintendent’s Circular CAO-24 +Page 41 of 80 + + +MEDICAL FORM OVERNIGHT TRIPS +STUDENT HEALTH QUESTIONS +IMPORTANT NOTES to be completed by the parent/guardian of +the BPS student at least two months in advance of trip: +1. Primary care physician’s name and contact information (in +case of an emergency): + + +2. Health insurance provider’s name, policy #, and contact +information (in case of emergency): + + +3. Insurance provider claim instructions/procedures (in case of +emergency): + + +4. The student has the following health conditions and/or +allergies of which BPS should be +aware: + + +5. Physical health conditions: + + +6. Behavioral/mental health conditions: (e.g., depression, +anxiety, etc.) + + +7. Allergies (food, medication, insects, plants, animals, etc.): + + +Page 42: +Superintendent’s Circular CAO-24 +Page 42 of 80 + + +8. The student takes the following medications (including +over-the-counter and herbal) and/or prescriptions of which +BPS should be aware. (Be sure to complete the Medical +Administration Form): + + +9. If medication is taken on an as-needed basis, specify the +symptoms or conditions when medication is to be taken +and the time at which it may be given again. + + +10. Is there any factor that makes it advisable for your child to +follow a limited program of physical activity? (i.e., asthma, +recent surgery, heart condition, fear, etc.) If yes, specify the +ways in which you wish their program limited. If the student +has asthma, please attach the asthma action plan to this +medical form. + + +11. Are there any activities on the itinerary that your child +cannot or should not do? + + +12. Other than a yearly physical, is the student currently under a +physician’s or other medical professional’s care (e.g., social +worker, therapist, etc.)? If yes, please detail the reason. + + +Page 43: +Superintendent’s Circular CAO-24 +Page 43 of 80 + + +13. Other than a yearly physical, has the student been under a +physician’s or other medical professional’s (e.g., social +worker, therapist, etc.) care anytime in the last year. If yes, +please detail the reason and dates of treatment. + + +14. Please list any hospital, treatment center, surgical, +psychiatric, or urgent care visits within the last year: (Please +specify the date, the reason, the physician or professional +seen, and the length of stay.) + + +15. Additional information of which BPS should be aware +concerning student’s health: + + +Page 44: +Superintendent’s Circular CAO-24 +Page 44 of 80 + + +I authorize the release of the information given above to +chaperones and other school staff in order to coordinate +services and understand that chaperones will consult with +the school nurse about each student's health so they will be +in the strongest position to support you/your child on this +program. + + + +Student Signature, if at least 18 years of age +Date + + + + +Parent/Guardian Signature, if the student +Date +is under 18 years of age + + +▪ If necessary, attach the doctor’s letter to this form. +▪ If necessary, attach the asthma action plan to this form. +▪ If necessary, attach the diabetes action plan to this form. +▪ If necessary, attach copies that document student shots +and immunizations to this form. + + +Page 45: +Superintendent’s Circular CAO-24 +Page 45 of 80 + + +MEDICAL FORM: OVERNIGHT TRIPS +MEDICATION ADMINISTRATION + +*Please send only essential medications with your student +on this trip. + + +Student Name: + +1. Name of Medication: + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + +2. Name of Medication: + + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + + + +Page 46: +Superintendent’s Circular CAO-24 +Page 46 of 80 + + +3. Name of Medication: + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + +4. Name of Medication: + + +Time(s) to be taken: + + +Reason for Medication: + +Side effects to be aware of/other information: + + + + + +Additional information/special instructions: + + +Page 47: +Superintendent’s Circular CAO-24 +Page 47 of 80 + + +I authorize my child to take the above medications on this trip. + + + + + +Student Signature, if at least 18 years of age +Date + + + + +Parent/Guardian Signature, if student is +Date +under 18 years of age + + +Page 48: +Superintendent’s Circular CAO-24 +Page 48 of 80 + + +TRAVEL CONSENT FORM (PAGE 1) + +The parties to this agreement are: +Parent/ Legal Guardian: (hereinafter referred to as “the +parent/guardian”) + +First and Last Name: + +Physical Address: + +Contact Details: + +Child: (hereinafter referred to as “the child”) + + +First and Last Name: + +Birthdate: + +Traveling Guardian(s) and Contact Details: (hereinafter referred +to as “The Traveling Guardians”) + + +Full Name: +Address: +Contact Details: + + +Page 49: +Superintendent’s Circular CAO-24 +Page 49 of 80 + + +Notarized Parent/Guardian Airline Travel Consent Form (page 2) + +1. I hereby authorize the child to travel with the traveling +guardians to the following destination: +2. The period of travel shall be from + to + +. +3. Should it prove to be impossible to notify the parent/ +guardian of any change in travel plans due to an emergency +or unforeseen circumstances arising, I authorize the +traveling guardian to authorize such travel plans. +4. Should the traveling guardian in their sole discretion (which +discretion shall not be unreasonably exercised) deem it +advisable to make special travel arrangements for the child +to be returned home due to unforeseen circumstances +arising, I accept full responsibility for the additional costs +which shall be incurred thereby. +5. I indemnify the traveling guardian against any and all claims +whatsoever and howsoever arising, save where such claims +arise from negligence, gross negligence, or willful intent +during the specified period of this travel consent. +6. I declare that I am the legal custodian of the child and that I +have the legal authority to grant travel consent to the +traveling guardian of the child. +7. Unless inconsistent with the context, words signifying the +singular shall include the plural and vice versa. + + +Page 50: +Superintendent’s Circular CAO-24 +Page 50 of 80 + + +Notarized Parent/Guardian Airline Travel Consent Form (page 3) + + +Signed at +on the +day of + +, 20 +. + +Signature +(Parent/ Guardian) +Signature + +(Witness 1) +Signature +(Witness 2) +*Witness signatures must be by independent persons and not by +anyone listed on the Travel Consent form. + +On this +day of +, 20 +, before me, +the undersigned authority, personally appeared and proved to +me through satisfactory evidence of identity, to wit, to be the +person(s) whose name(s) is/are signed on the attached +document and who signed in my presence. + + +Official Notary Signature: + + + +Name of Notary Typed, Printed or Stamped: + + +Commission Expires: + + + +Page 51: +Superintendent’s Circular CAO-24 +Page 51 of 80 + + +STUDENT SUPPORT DURING DOMESTIC OVERNIGHT +PROGRAMS FORM (RECOMMENDED) + + +Note: This form is to be completed by students who intend to +participate in an overnight program. The information is +confidential and will be used by program leaders to better +understand and support the needs of students while on program +in a foreign country. +Student First & Last Name: + + + +When preparing for your international program, please think +about the following questions, and respond as honestly as +possible in order to be supported: +1. What are you nervous about? + + + + +2. What are you excited about? + + + + +3. What scares you about the trip location or activities +(itinerary)? + + +Page 52: +Superintendent’s Circular CAO-24 +Page 52 of 80 + + +4. When in a new environment, I get anxious when… + + + + +5. When in a new environment, I get upset when… + + + + +6. In order to get the most learning and benefits from +this experience, I will need… + + +Page 53: +Superintendent’s Circular CAO-24 +Page 53 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS INCIDENT REPORT +Incident reports should be used for all yellow and red incidents +that are not fully described or investigated already through the +SOAP Note. + +A. Complete all Fields: +School/s: + +Date of Report: + +Country: + +Incident Date and Time: + +Reporting Chaperone: + +B. Complete all Applicable Fields: + +Victim(s) Name(s) +Contact Information + +Suspect(s) Name(s) +Contact Information + +Witness(s) Name(s) +Contact Information + +Location of Event +Address + + + +Page 54: +Superintendent’s Circular CAO-24 +Page 54 of 80 + + +Domestic Overnight Programs Incident Report (page 2) + +C. Nature of Incident (check all that apply) + + Injury + Equipment Fail + Behavioral/ +Psychological + Illness + Missing/Separa- +ted Person + Natural Disaster + Physical Assault + Sexual +Assault + Theft + Property +Damage + Sexual +Harassment + Fatality + Crime + Political +Upheaval + Disease +Outbreak + BPS Code +of Conduct +violation + Other: + + +D. Narrative (Using facts, describe what happened): + + +Page 55: +Superintendent’s Circular CAO-24 +Page 55 of 80 + + +Domestic Overnight Programs Incident Report (page 3) + +E. Activity at Time of Incident (check all that apply) + + Class time + Service + Homestay + Traveling + Fieldtrip + Camping + Hike/Jog/Walk + Swimming + Water Activity + Other: + + +F. Contributing Factors (Check all that apply) + + Not disclosed in +medical form + Sports/Recreation + Animal/Insect/Plant + Pre-Existing +Condition + Alcohol/Drugs/ +Medication + Motor Vehicle + Weather/Terrain + Pre-Course Info + Orientation/ +Training + Political/ +Cultural/ +Language + Other + + + +Page 56: +Superintendent’s Circular CAO-24 +Page 56 of 80 + + +Domestic Overnight Programs Incident Report (page 3) + +G. Action Taken +Details +First Aid +When +By Whom + +Type (i.e., medication, CPR, +etc.) + +Emergency Evacuation + +Visit Medical Facility +Name of Facility +Doctor/PA/Nurse +Reported Diagnosis +Medication Prescribed + +Emergency Contact Person +Notified? +☐ Yes +☐No +Name: +Date and Time Contacted: +Notes: + + +Page 57: +Superintendent’s Circular CAO-24 +Page 57 of 80 + + +G. Action Taken +Details +Department of Global +Education (DGE) Contacted? +☐ Yes +☐No +Name: +Date and Time DGE Contacted: +Notes: +Insurance Contacted? +☐ Yes +☐No +Name: +Date and Time Contacted: +Claim #: +Notes: +Local Authorities Notified? +☐ Yes +☐No +Date and Time Notified: +Organization: +Authority Name(s): +Notes: + + +Page 58: +Superintendent’s Circular CAO-24 +Page 58 of 80 + + +G. Action Taken +Details +Follow-up Plan +Details: + + + +Signature of Reporting Chaperone: +Date: +File this Overnight Incident Programs Report along with +any accompanying reports/documents from local law +enforcement, medical professionals, and/or International +Programs Witness Report via email if possible OR as soon +as circumstances permit. Turn in the original report to the +DGE as soon as you return to Boston. Incident reports +require at least one witness signature, and where possible +the signatures of all impacted participants. + + +Page 59: +Superintendent’s Circular CAO-24 +Page 59 of 80 + + +Domestic Overnight Programs Incident Report (page 6) + + +Witness Signature +Date +Signatures of those impacted: +1. +Date: + +2. +Date: + + +3. +Date: + +4. +Date: + + + +Page 60: +Superintendent’s Circular CAO-24 +Page 60 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS WITNESS REPORT +Witnesses shall use this form to provide a statement of their +observations to accompany the Incident Report Form. + +Witness Statement of [Name]: + +Phone Number: + +Address: + + + + +Description of Incident: + + + + + + + + + + + + + + + +I believe the contents of this statement are true. +Signature: + Date: + + + +Page 61: +Superintendent’s Circular CAO-24 +Page 61 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS +INVESTIGATION LOG +This template can be used to take running notes during an +investigation. + +Event +Time +Location +Parties +Involved +Source of +Information + + + + + + + + + + + + + + + + + + + + + + +Page 62: +Superintendent’s Circular CAO-24 +Page 62 of 80 + + +Event +Time +Location +Parties +Involved +Source of +Information + + + + + + + + + + + + + + + + +Signature of Investigator +Date + + +Page 63: +Superintendent’s Circular CAO-24 +Page 63 of 80 + + +SOAP NOTE +SOAP Notes should be used for live documentation of all health +related incidents requiring further monitoring and/or +evacuation. SOAP Notes should be attached to the +corresponding Incident Report. + +Subjective: What the patient tells you; note the chief +complaint(s): + + + + + + +Objective: What you see; vital signs; general survey of patient: + + + + + + +Assessment: What you think is going on; diagnosis presented by +medical professional: + + + + +Anticipated Problems: + + +Page 64: +Superintendent’s Circular CAO-24 +Page 64 of 80 + + +Plan: What will be done about it; Tests ordered, medications +prescribed, follow up needed: + + + + + + + + + +Reporting Chaperone +Date +File this SOAP Note along with any accompanying +reports/documents from local law enforcement, medical +professionals and/or International Programs Witness Report via +email if possible OR as soon as circumstances permit. Turn in the +original report to the DGE as soon as you return to Boston. + + +Page 65: +Superintendent’s Circular CAO-24 +Page 65 of 80 + + +FIRE PREVENTION AND SAFETY PRACTICES +OVERNIGHT PROGRAMS +Fire safety plans on overnight and international programs +differ from the procedures set for our schools. The laws that +regulate fire prevention may differ from what exists in +Massachusetts. The steps below must be followed on all +overnight and international programs: +1. Conduct a fire prevention assessment. +The program leader must conduct a fire safety +prevention assessment using the Fire Prevention and +Safety Form (Attachment A) within 24 hours of arrival. +Using the Fire Prevention and Safety Form, the +program leader shall formulate a plan for the +evacuation of all persons on the trip in the event of a +fire or other emergency. This plan shall include +alternate means of egress and should be created in +consultation with an accommodation staff person, and +if applicable, the third-party provider. +2. Prepare Chaperone Team on fire prevention strategy. +Based on the results from the Fire Prevention and +Safety Form, the program leader should ensure that +each staff member receives and understands the fire +prevention landscape and has instructions on the fire +drill procedure created for the accommodation. +Questions to review include: +a. What are the best means of egress in case of a fire? +(Consider all rooms students and staff are staying in + + +Page 66: +Superintendent’s Circular CAO-24 +Page 66 of 80 + + +and all places where the group may congregate. Use +the hotel’s posted evacuation routes if applicable.) +b. Where is the designated meeting point? (This +meeting point should be a safe distance from the +building, but easy for the group to identify and +locate.) +c. Who is responsible for each student? (Attendance +must be taken; if chaperone ratios permit, the lead +chaperone should not be assigned to a group and +should serve as the contact person for emergency +personnel.) +d. What are some hazards that students and +chaperones should be aware of? +e. What happens in the case of a missing person? +3. Review prevention strategy with students and conduct a +fire drill. +The lead chaperone and the chaperone team will +review the fire prevention strategy and conduct a fire +drill (walkthrough) with the students within the first 24 +hours of the trip. Conducting a fire drill (walkthrough) +is important as participants are unfamiliar with the +building. +Instructions for fire drills: +Since each accommodation is different, each plan and +drill will vary. Regardless of the accommodation, it is +critical that a procedure is in place for evacuating the +building, each chaperone knows their responsibilities, +every student participates in the fire drill + + +Page 67: +Superintendent’s Circular CAO-24 +Page 67 of 80 + + +(walkthrough), and each person knows the meeting +location when evacuated from the building. Please +note: A fire drill as defined here is a walkthrough of the +route the group will take to exit the premises in the +event of an emergency. +A few general instructions: +● Evacuate immediately. +● Do not use elevators during a fire evacuation. +● Each student should walk to the designated meeting +location outside of the building in a quiet and orderly +manner. +● Make sure all students know all possible exits from +their area and that students know where the meeting +location is outside of the building. +● Fire drill plans must ensure adequate procedures for +the emergency evacuation of students and staff with +disabilities. (Have a staging location for students/staff +with disabilities and make sure hotel/hostel personnel +are also aware.) +● Chaperones are responsible for students under their +supervision and must take attendance. + + +Page 68: +Superintendent’s Circular CAO-24 +Page 68 of 80 + + +● Upon the evacuation of a building, no person or +persons shall re-enter the building without the +authorization of the lead chaperone. The lead +chaperone, as a part of their fire drill procedures, must +establish a command procedure for such evacuations. +4. Conduct a post-fire drill debrief. +After the fire drill, the chaperone team should set aside +time to debrief. Record response on Attachment A. + + +Page 69: +Superintendent’s Circular CAO-24 +Page 69 of 80 + + +FIRE PREVENTION AND SAFETY ASSESSMENT FORM +For each accommodation, please complete and, upon your +return, file this form with other documents you are +mandated to keep. Legally, these documents must be kept +on file for the current fiscal year plus three additional years +after the field trip has occurred. + +BUILDING: +Program Leader: + + +Date of the Safety Prevention Assessment: + +Name/s and Titles of Staff Consulted for Assessment: + + + +(accommodation staff/ program provider staff) + + +OUTSIDE THE BUILDING: +List the possible hazards in the area: + + + + +Can the accommodation be accessed by a fire department +or emergency team?  YES + NO + + +Page 70: +Superintendent’s Circular CAO-24 +Page 70 of 80 + + +INSIDE THE BUILDING + +Equipment: +Does the building have fire alarms? +☐ YES +☐ NO +Are there fire sprinklers? +☐ YES +☐ NO +If yes, where are they located? + + + +Is there adequate lighting in the corridors? + +☐ YES + +☐ NO +Are there clear exit signs? +☐ YES +☐ NO +Are there fire alarm pull stations? +☐ YES +☐ NO +Are the fire alarm pull stations visible and +accessible? + +☐ YES + +☐ NO +Are there fire extinguishers? +☐ YES +☐ NO +If yes, where? + + + +Are there smoke detectors in the corridors and in + + +every room where participants are staying? +☐YES +☐NO + + +Hazards: +List the potential fire hazards at the site: + + + + +Are there notable fire hazards such as open fire doors, +accumulated trash, blocked corridors, locked exit doors, blocked + + +Page 71: +Superintendent’s Circular CAO-24 +Page 71 of 80 + + +stairways, burned-out exit lights, or missing/broken fire +equipment? +☐ YES +☐ NO +Means of Evacuation/Egress: + + +Does the facility have an evacuation plan for +each room? (If not, be sure that when you +conduct a fire drill (walkthrough) that you +develop a plan for leaving the room.) + + + +☐ YES + + + +☐ NO +What are the means of egress? + + + +Are there primary exits and alternate exits? + +☐ YES + +☐ NO +Note locations: + + + +FIRE DRILL/WALKTHROUGH PLAN: + + +(Please record notes below.) + + + + +Page 72: +Superintendent’s Circular CAO-24 +Page 72 of 80 + + +POST-DRILL DEBRIEF: +Date and time of the fire drill: + + + +Did the students and chaperones follow the procedures of the +fire drill? If no, why not? +☐YES +☐NO + + + + +Based on this debrief, either inform the students of your +findings for adjustments or, if necessary, conduct another +fire drill. Once the safety review and drill are completed, +please sign below. + +Signature of Program Leader: + + + +Page 73: +Superintendent’s Circular CAO-24 +Page 73 of 80 + + +BPS STUDENT TRAVELER & FAMILY AGREEMENT +FOR DOMESTIC OVERNIGHT TRAVEL +Overview: Positive behavior is a key expectation for students +participating in domestic and international travel opportunities. +Positive behavior reflects trustworthiness, respect, responsibility, +ambassadorship, and service. Participants are expected to fully +participate, follow all program guidelines, and behave +appropriately to ensure a high-quality learning experience. +Parent/guardians: please read this contract carefully with your +student and sign it. +Students: your signature on this contract seals your commitment +to follow behavior expectations leading up to, and during your +school trip. + +STUDENTS: +Before I go on the trip: +● I understand that my acceptance to a trip prior to departure +does not guarantee that I will be allowed to attend. +● I have access to my school's handbook which includes all +BPS and school rules and the BPS Code of Conduct. +● I know that it is my responsibility to follow all BPS rules and +guidelines set by the administrator or chaperone. +● I will attend all mandatory pre-departure meetings and +complete all mandatory paperwork. +● I will not violate the BPS Code of Conduct. + + +Page 74: +Superintendent’s Circular CAO-24 +Page 74 of 80 + + +● I will not distribute or consume alcohol or drugs (including +edibles) and/or encourage actions that are against the BPS +Code of Conduct or law. +● I will not pack any illegal or inappropriate items (i.e., items in +violation of the BPS Code of Conduct, including, but not +limited to: weapons, alcohol, edibles, drug paraphernalia). +● I will be compliant with any guidelines set by the school, +administrator, or chaperone regarding program +expectations and any required materials, such as completed +projects, journals, and service hours. +● I know that if I do not act appropriately, or if I violate any +rule, there are consequences for my actions. Such +consequences include, but are not limited to, not being +allowed to participate in the international trip program. +While I am on the trip: +● I will not violate the BPS Code of Conduct. +● I will ask for help from the adults when needed. +● I will treat my peers, all adults, and all people with the +utmost level of respect. +● I will not purchase, distribute, or consume any illegal or +inappropriate items (i.e., items in violation of BPS Code of +Conduct, including but not limited to: weapons, alcohol, +edibles, drug paraphernalia), even if these substances are +legal in the state or foreign country, or I am of legal age in +the foreign country. + + +Page 75: +Superintendent’s Circular CAO-24 +Page 75 of 80 + + +● I will use social media responsibly during the trip and will +not post or communicate any information regarding other +students during an emergency. +● I will abide by the established curfew and sleep alone in my +assigned bed and sleeping location each night. +● I will not vandalize any property at any venue I visit (hotel, +tour bus, tourist sites, homestay location). +● I will obey the BPS dress code, as well as the suggested +attire for the foreign country and specific sites and locations +within the foreign country I will visit. +● I will not share any medication with anyone on the trip. +● I will take medication prescribed for me by my doctor for +required or recommended medical use while abroad (e.g., +malaria pills, asthma inhaler, prescriptions for anxiety, +depression). +● I will not leave the group at any time unless specifically +authorized to do so. +● I will practice good common sense, respect, and +consideration for others and their property. +● I understand that I am responsible for keeping my passport, +important belongings, and other travel documents safe. +● I understand that partaking in any illegal activity abroad can +result in my arrest. +● I understand that if an issue of any kind arises, my +chaperone will address the issue, and their decision is final. + + +Page 76: +Superintendent’s Circular CAO-24 +Page 76 of 80 + + +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such +consequences include, but are not limited to, being sent +home at my parent/guardian's expense. + +PARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: +I fully understand the following conditions regarding student +international travel with BPS: +1. The BPS Code of Conduct applies to all field trips. Following +an investigation, if the program leader, in consultation with +the principal/head of school and Central Office staff, +determines that a student’s conduct while on an overnight +trip poses a risk to themselves, or the safety of the group, or +is no longer manageable by BPS staff in the field, the district +reserves the right to request and arrange for that student to +return home. The district also reserves the right to request +that families assume responsibility for all or a portion of the +costs associated with their child’s return. Students may be +subject to further disciplinary action and will be provided +the opportunity to have a formal hearing at the school level +upon return. +2. If a student is to be dismissed from an overnight field trip +due to behavior that violates the BPS Code of Conduct while +participating in a domestic overnight trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed- +upon destination. If the parent/guardian is not reachable, +the student’s principal or appropriate school-based point of +contact must be notified and agree to meet the student at +the airport or other agreed-upon destination. Students +under the age of 16 must be accompanied on their flight by + + +Page 77: +Superintendent’s Circular CAO-24 +Page 77 of 80 + + +a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +3. Parents or students who sign contracts and/or agreements +with third-party company vendors acknowledge that +outside companies’ protocols and procedures might differ +from BPS policies and procedures. Families should +especially be aware of cancellation and refund policies. BPS +is not responsible for money paid to third-party vendors. +4. BPS reserves the right to cancel a trip at any time. Trip +destinations that impose an immediate risk to our students +will be canceled. In these instances, all families will be +notified immediately. + + +(Families: Keep this page.) + + +Page 78: +Superintendent’s Circular CAO-24 +Page 78 of 80 + + +(Program leaders: Keep this page.) + + +STUDENT/GUARDIAN STATEMENT OF UNDERSTANDING +We have read and understand the BPS Student Traveler & +Family Agreement Form. We understand what is expected of the +prospective student traveler and feel that we, the +parent/guardian and student, can commit to these expectations. +PARENT/GUARDIAN (print name): + + +PARENT/GUARDIAN (signature) + +DATE + +PHONE NUMBER: + +STUDENT (print name): + + +STUDENT (signature): + +DATE: + +PHONE NUMBER: + + + +(Students: Return this page to your program leader.) + + +Page 79: +Superintendent’s Circular CAO-24 +Page 79 of 80 + + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS sponsored +field trips and submitted to the program leader (lead +chaperone). + +School Name: + + +Destination: + + +Departure Date: +Return Date: + + + +All chaperones must agree to abide by the following code of +conduct in order to participate in a BPS-sponsored field trip. + +SAFETY & RESPONSIBILITY +I understand that my safety and the safety of other +participants are extremely important during this field trip, +and I agree to make safety my first priority. I agree to +conduct myself in a manner that promotes my safety and +the safety of others at all times. I understand that +maintaining students’ safety requires that students must be +supervised by me and/or other chaperones at all times +while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews and room checks for students, as well as +morning wake-up calls for students, are part of my +responsibility. I agree to follow BPS policies, protocols, and +guidance of BPS staff when in the field. + + +Page 80: +Superintendent’s Circular CAO-24 +Page 80 of 80 + + +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits +students from possessing, using, selling, and/or distributing +any of the following on all domestic and international field +trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, +use, or distribution of over-the-counter medication, and +selling of prescription drugs. The Code also prohibits the use +of tobacco products (including e-cigarettes, hookah +paraphernalia, and vapor cigarettes). I understand that +these prohibitions apply to all students, regardless of age. +I understand that I am forbidden to use or visibly be in +possession of tobacco in the presence of students. I also +understand that the use of all other drugs, including +alcohol, and weapons are strictly prohibited on the field trip. + + +Chaperone Name (Printed): + + +Chaperone Name (Signature): + + +Date: + + + diff --git a/data/data_txt/CAO-25 International Field Trips Guidelines & Forms.txt b/data/data_txt/CAO-25 International Field Trips Guidelines & Forms.txt new file mode 100644 index 0000000..5fa15c1 --- /dev/null +++ b/data/data_txt/CAO-25 International Field Trips Guidelines & Forms.txt @@ -0,0 +1,3258 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-25 +DATE: +Version 01 + +GUIDELINES FOR INTERNATIONAL FIELD TRIPS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: *These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that +could impact travel. For the most up-to-date information and +guidance, contact the Department of Global Education +(kdorseytwumasi2@bostonpublicschools.org) for +assistance/guidance. +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +● This circular should be read AFTER the Superintendent’s +Circular CAO-22, General Guidelines and Procedures for All +Field Trips, as additional guidelines are outlined there. +● The principal/head of school (and/or the district +department lead sponsoring the trip) are responsible for +ensuring that all field trip policies and procedures as +outlined in this circular and others are adhered to. +● As soon as a trip opportunity becomes known, contact the +Department of Global Education for support throughout +the planning process. The principal/head of school (and/or + + +Page 2: + +Superintendent’s Circular CAO-25 +Page 2 of 104 +the district department sponsoring the trip) and the +program leader (lead chaperone) must review and +complete checklists for this circular throughout the +planning process. Signed checklists must be kept on file at +the school. +PLANNING PROCESS +International Field Trip Program: An international field trip +program is any trip off school grounds that involves travel to a +location outside of the United States. International field trips +must be planned at least a year in advance to maximize +affordability and fundraising efforts, and when possible, +scheduled during non-school time (i.e., school vacations, and +summer). NEW: BPS international field trip programs require +execution by a reputable travel vendor and will require a vetting +process by the Department of Global Education and BPS legal. +Travel to ‘U. S. Territories, including Puerto Rico, the United States +Virgin Islands, Guam, American Samoa, and Northern Mariana +Islands are covered under international travel insurance. Travel to +these territories is subject to some forms and requirements in the +CAO-25 International Field Trip guidelines, but only require +Principal/Head of School approval. Consult with the Department +of Global Education for required forms for these destinations. +APPROVAL PROCESS +• STEP 1: Interest Form & Consultation: +As soon as a trip opportunity becomes known, or there is +interest in an international travel program, teachers must +complete an Interest Form from the Department of Global +Education, and inform their principal/head of school. + + +Page 3: + +Superintendent’s Circular CAO-25 +Page 3 of 104 +Contact the Department of Global Education for support +and guidance with the CAO-25 application, and throughout +the planning process. No arrangements should be made, +meetings held, payments, or deposits made without +consultation with the Department of Global Education and +formal application approval from the Superintendent. +• STEP 2: CAO-25 Application +After consulting with the Department of Global Education +and head of school, the CAO-25 application shall be +submitted to the Director of Global Education no less than +10-12 months before departure. The proposal and official +application must be completed, reviewed by the +principal/head of school, and endorsed with an official letter +from them. The application then requires approval by the +Department of Global Education, which will then seek +approval from the appropriate district leaders, before +obtaining final approval from the Superintendent. Again, No +arrangements should be made, payments or deposits +placed without approval first from the Superintendent. You +cannot gauge student interest or engage with families +without program approval. District leadership and/or the +Superintendent may have questions about your application +or ask that aspects of the proposal be changed or removed. +• STEP 3: Approval +Once the CAO-25 application is approved by the +Superintendent, in consult with your principal/head of +school, you may begin to promote the international +program to students, families, and your school community. +Should your itinerary, roster, or any other aspect of your +approved application package change, you must notify the + + +Page 4: + +Superintendent’s Circular CAO-25 +Page 4 of 104 +Department of Global Education in writing as soon as +possible. +SAFETY PREPAREDNESS +• Travel Advisories/Warnings: Travel to countries cited as a +Level 3 or 4 in the United States Department of State Travel +Warning Listing or the Center for Disease Control (CDC) are +prohibited. For countries listed as a Level 2, consult the +Department of Global Education in advance. The Boston +Public Health Commission and Department of Global +Education will continue to monitor country destinations for +safety. The program leader, principal/head of school are also +responsible for checking the State Department and CDC +throughout the trip planning process as levels change. +Please note: The Superintendent reserves the right to cancel +any field trip up to and including the day of departure to +manage risk. +• Insurance: Through On Call International insurance, the +district provides medical coverage for international BPS +sponsored trips for BPS students, BPS staff participants, and +chaperones. On Call will serve as the primary source for +medical insurance while abroad. However, in some cases, if +a hospital visit is required, students may be required to pay +out of pocket, and be reimbursed by On Call later. Families +will want to budget for this just-in-case expense. +The On Call insurance policy does NOT include cancellation +or trip interruption insurance should the trip be canceled or +interrupted for any reason other than medical. +Cancellation/interruption must be due to the traveler +getting sick, injured, or someone in the traveler’s immediate + + +Page 5: + +Superintendent’s Circular CAO-25 +Page 5 of 104 +family being sick, injured, or death. Students/Families would +need to show proof of a sickness/injury and the +sickness/injury must be so disabling as to cause them to +cancel/interrupt their trip. If there is a sickness/death for +their family member they would need to show proof of that +too. Save all receipts for flights/lodging for reimbursement +purposes and a claim form would need to be filled out. +Families will need to know in advance that Trip Cancellation +has a $2,000 limit, and Trip Interruption has a $2,500 limit. +Again, the superintendent reserves the right to cancel a trip +for any reason and at any time for safety purposes–Cancel +for Any Reason Insurance (CFAR) is NOT provided by the +district. Therefore, all trip participants are strongly +encouraged to purchase their own (CFAR) insurance to +protect their trip investment. +On Call International provides overseas evacuation +insurance (enabling students who become seriously ill or for +whom there is some kind of emergency to be returned to +the United States). On Call International must coordinate, +approve, and perform the evacuation. Emergency family +travel arrangements are covered up to a limit if the traveler +is hospitalized for 2 or more days. +• Informed Parental Consent, Associated Risks, and +Indemnity: Families must sign the customized Informed +Parental Consent, Associated Risks, and Indemnity form +explicitly developed for their travel program by the director +of Global Education and BPS Legal in collaboration with the +program leader. The program leader is responsible for +initiating this form based on a template provided from the +Department of Global Education. + + +Page 6: + +Superintendent’s Circular CAO-25 +Page 6 of 104 +• District Training: Program leaders must attend training for +effective in-field risk management and response practice. +This training is offered by the district once per year. Please +email the Department of Global Education for details. If you +miss the training, you must schedule a meeting with DGE to +supplement. +o While this training is mandatory for program leaders, it +is recommended that one additional chaperone from +the team attend the training with the program leader. +However, in cases where other chaperones (non- +program leaders) are not able to attend the in-person +training (due to budget, space, or scheduling), it is +expected that they will receive training and +information from pre-travel meetings/virtual webinars, +and guidance from the Department of Global +Education and program leader in preparation for their +role. All chaperones will be required to review this +document and participate in pre-travel meetings with +the Department of Global Education. +o CPR & First Aid: At least two chaperones (including the +program leader) must hold valid CPR AND first aid +certification. The district will offer this training at least +once per year for program leaders. Please email the +Department of Global Education for details. Ensure the +availability of a first aid kit/supplies from the +Department of Global Education. Verify emergency and +medical information and contact details. +• STEP Program: Program leaders, or parents must register +students and chaperones through the U.S. State +Department’s STEP (Smart Traveler Enrollment Program) +program. If you have non-U.S. citizens traveling with your + + +Page 7: + +Superintendent’s Circular CAO-25 +Page 7 of 104 +group, contact their respective embassies to see what +services they would provide these individuals in the event of +an emergency. U.S. embassies abroad do not necessarily +assist non-U.S. citizens in emergencies overseas. +• Transportation: School buses or BPS approved +transportation vendors’ vehicles MUST be used to transport +students to and from field trips or athletic events, regardless +of how the trip is paid for. Privately owned vehicles, vehicles +from non-approved vendors, ride sharing transportation +services such as Uber and Lyft, or leased vans are not to be +utilized to transport students to and from field trips or +athletic events, except in the case of a bona fide medical +emergency. Refer to TRN-03 and CAO-22 for information +and regulations on field trip transportation. +• Itineraries: Upon advance review of itineraries, BPS reserves +the right to deny schools to participate in field trip activities +on their itinerary where the risks of the activity outweighs +the intended learning outcomes of the program. The +program leader, in collaboration with the chaperone team, +are required to submit a risk analysis for each part of the +program that identifies the top 5 risks/concerns associated +with the program. +GOVERNMENT RESOURCES TO SUPPORT PREPARATION +• U.S. State Dept. Travel: www.travel.state.gov +• Overseas Security Council: +https://www.osac.gov/Pages/Home.aspx +• U.S. State Dept. Passport Application: +http://travel.state.gov/passport/ + + +Page 8: + +Superintendent’s Circular CAO-25 +Page 8 of 104 +• U.S. State Dept. Medical: +http://travel.state.gov/content/passports/english/go/checklis +t.html#checklist_parentitem_1 +• U.S. Embassies Abroad: www.usembassy.state.gov +• Visa Req. for U.S. Citizens Abroad: +http://travel.state.gov/content/visas/english/general/america +ns-traveling-abroad.html +• Center for Disease Control Traveler’s Health: +http://wwwnc.cdc.gov/travel/destinations/list.aspx +• U.S. Customs & Border Protection: http://www.cbp.gov/ (877- +227-5512) +MEDICAL PREPARATION FOR SAFE TRAVEL +• Doctor’s Visit: Prior to the trip, all students and chaperones +must inform their primary care doctor/travel clinic doctor of +their trip location and have had a recent doctor’s visit and +physical exam prior to departure. If any student has a +serious medical or mental health condition, please be sure +that their doctor writes a letter indicating that the child may +safely attend and participate in trip activities. There are +certain locations in the world where entry requires specific +vaccinations, immunizations, and medications necessary for +healthy travel--in those cases--all participants will be +required to obtain those vaccinations, immunizations, and +medications. +• Medical Documentation: Chaperones must document and +carry all students’ medical information, including any +specialized immunizations or medications required by their +doctors for travel. Participants are also required to list all + + +Page 9: + +Superintendent’s Circular CAO-25 +Page 9 of 104 +medications that might be prescribed with this particular +program in mind along with the other medications that +they may take regularly. Program leaders should send a +final email to all participants to check on additional +medications added before departure. +• School Nurse & Counselor Review: The program leader +must consult with the school leader to determine if, and +what type of medical assistance is needed for participating +students. To ensure accessibility, this step is crucial, and +must take place before the field trip is secured. For +additional questions, please consult the Health Services +Department. Additionally, to thoroughly support a student's +participation in a field trip, at least six weeks before +departure (much longer for international and overnight field +trip programs), consult with and, when necessary, receive +training from the school nurse regarding any students who +have medical needs. Also consult with the school counselor +regarding mental and behavioral health needs. If any +student has a serious medical or mental health condition, be +sure that their doctor is aware of the essential participation +criteria and location of the trip and writes a letter indicating +that the child may safely attend and participate in trip +activities. Keep this document on file with other key +permissions slips and medical forms. +• Nurse Verification Form: Review all students’ medical forms +with the school nurse and guidance counselor to ensure all +documents are completed and to be sure you are in the +strongest position to support each student’s health while +abroad. School nurses and counselors do not “clear” +students for travel but will provide chaperones with +guidance in supporting students while traveling. Consult + + +Page 10: + +Superintendent’s Circular CAO-25 +Page 10 of 104 +with, and when necessary, receive training from and obtain +written comments from the school nurse regarding any +students who have expressed medical needs. Complete and +submit the Nurse Verification form to the Department of +Global Education. +CHAPERONE CRITERIA +• Role of the Program Leader (Lead Chaperone): The +selection and approval of all chaperones is conducted by the +principal/head of school. The program leader is a BPS +employee and the lead chaperone organizing and leading +the trip. The program leader is required to have experience +leading, or co-leading BPS students (or students from +another district) abroad previously and has the full support +and approval of the principal/head of school to do so. The +program leader leads the entire school team and is the main +representative of the group and district while abroad. The +program leader is responsible for ensuring all guidelines in +CAO-22 and CAO-25 are followed and keeping the +principal/head of school and the district informed of trip +developments. The program leader is responsible for +completing the International Field Trip Request Form and +accompanying documents that are submitted to the +principal/head of school and Department of Global +Education for approval. The program leader is also +responsible for organizing the chaperone team, student +team, and pre-departure meetings. +• Chaperone Selection: Every adult on the trip must be a +chaperone and have a clear role. + + +Page 11: + +Superintendent’s Circular CAO-25 +Page 11 of 104 +o Diverse Strengths: Choose a chaperone team +purposefully and wisely, considering strengths and +what each chaperone can contribute to the overall +experience. The goal is to have a well-rounded team of +chaperones from different areas. We recommend that +at least one member of the chaperone team — if not +the program leader — speak the local language of the +country visited. For example, consider chaperones who +have visited the country before, and one who speaks +the local language. Additionally, consider chaperones +who are subject matter experts in the topic being +explored, or who have professional medical/social +emotional health experience. Efforts should be made +for chaperones to be representative of the student +group and include males and females where relevant. +o Knowledge of Students: The selection and approval of +chaperones by the principal/head of school should also +be based on the individuals’ knowledge of, and rapport +with, most of the student participants. +• Chaperone Ratios: For international programs, the student- +to-chaperone ratio is 7:1, with a two-chaperone minimum. It +is recommended that a chaperone reserve, or backup, be +identified in the event a chaperone is no longer able to +participate at the last minute or must leave the field. The +reserve chaperone should have a valid passport and visa to +travel to the destination. Tour guides and employees of +third-party vendors contracted to help operate the trip are +not considered chaperones, and do not factor into the +student to chaperone ratio. All BPS and non-BPS +chaperones are required to sign the Chaperone Agreement +form. Refer to CAO-22 for additional chaperone criteria. + + +Page 12: + +Superintendent’s Circular CAO-25 +Page 12 of 104 +• Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who must be 21 years of age +or older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the eCORI form online. Contact the BPS +Office of Human Capital (OHC) for CORI check and +confirmation support. The principal/head of school and the +lead chaperone are responsible for submitting authorization +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. +• BPS Employee Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL of the student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS employee is +responsible for incurring all costs associated with their +child’s participation. +PASSPORTS & VISAS +• Check Student & Chaperone Passports: During the +recruitment process, physically check all students’ passports +well before your travel date to ensure that they are valid for +travel and will be valid at least six months after your return +date. Students must renew or apply for a first-time passport +as soon as possible as the process can be lengthy. + + +Page 13: + +Superintendent’s Circular CAO-25 +Page 13 of 104 +• Non-U.S. Passports: Determine who holds a non-U.S. +passport. There are many countries that do not require U.S. +passport holders to have a visa but require them for NON- +U.S. passport holders. There are also countries that might +require Americans to obtain a visa but do not require one for +a non-U.S. passport holder. Identify the countries from +which your travelers hold passports, as they might be +questioned in customs or might have to contact other +consulates if they lose their passports abroad. *Also plan for +delays at border control at the airport for non-US passport +holders. +• Visa Requirements: Research if your destination requires a +visa. Every country has a different application and timeline +for obtaining a visa. +• Parent Passports: Encourage parents to obtain valid +passports and visas should they need to travel to the +country for their child during an emergency. +• Copy Passports: Copies of student and chaperone passports +and visas must be left with families, and the principal/head +of school. + + + + +Page 14: + +Superintendent’s Circular CAO-25 +Page 14 of 104 +STUDENT ACCESSIBILITY, PARTICIPATION, AND CONDUCT +Student Participation: Students not enrolled in the Boston Public +Schools may not participate. Once on the field trip, student +participants are not permitted to leave the group to visit friends, +relatives etc., and rejoin the group. Students must remain with +the group at all times. +• Essential Participation Criteria: Before student recruitment +begins, the program leader and principal/head of school +shall work together to establish essential participation +criteria for the trip that informs students and parents of the +program objectives, all of the activities and risks associated +with each itinerary activity, and trip location, to determine +what accommodations or modifications may need to be +made for students to successfully and safely participation in +all or portions of the trip. +• Student Recruitment: By default, any program is open to all +students. However, there may be programs that are specific +to certain students (i.e., class, club, team, grade level specific +trips) with the consultation of the program leader and head +of school that keeps in mind financial accessibility, diversity, +and equity. The recruitment process must be transparent +and fair. The chaperone team must create an environment +and structures to support all students. Trips must be +advertised to all students (within the school, particular +grade, class, or program associated with the trip), regardless +of their financial situation. If there is a formal process for +being enrolled on your trip, such as an application, it must +first be approved by the head of school and have a clear +rubric that demonstrates the essential criteria for an +applicant. A student’s ability to pay may not be a criterion + + +Page 15: + +Superintendent’s Circular CAO-25 +Page 15 of 104 +for field trip participation. If a student is denied admission to +a trip, be prepared to speak to the student, administration, +or family if there are questions about your selection process. +Keep a record of all applications and decisions made. +Accessibility +• Field Trip Location Selection: Program leaders must +consider their student demographics when selecting field +trip locations, sites, and activities. The location of the trip +must tie directly to the objectives and learning outcomes of +the program. Specifically, determine the impact the +locations, sites, and activities that may have on diverse +populations such as students of color, ELL students, +students who identify with the LGBTQIA+ community, +students with disabilities, those who may be in the minority +during your field trip experience, and those students who +belong to groups that have experienced marginalization in +the location being visited. Program leaders must work to +prepare students for sensitive experiences and ensure that +the program is safe and inclusive for all students. Consult +the Department of Global Education for resources if needed. +• Access and Inclusion: Students with English Language +Learner status, 504 plans, and/or IEPs cannot be denied +access to field trips due to their ability. It is the responsibility +of the school to ensure that all accommodations normally +provided to a student as indicated in their educational plans +are made available during a field trip, including medication. +See Superintendent’s Circular SHS-08 Medication +Administration for information about medical dispensation +on field trips. Participating students’ IEP or 504 plan shall be + + +Page 16: + +Superintendent’s Circular CAO-25 +Page 16 of 104 +available to any staff coordinating and/or participating in +the field trip to meet the child’s needs. +• Student Health: If a student has a serious medical or mental +health condition, please be sure that their doctor is +informed of the essential participation criteria and location +of the trip and writes a signed letter on letterhead indicating +that the child may safely attend and participate in trip +activities. The program leader must keep this document on +file with other key permissions slips and medical forms. +Again, also consult with your school nurse at least 6 weeks +in advance. +• Inclusive Accommodations: In collaboration with the +student and their family, the program leader and +principal/head of school shall work with transgender and +gender nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety. +Program leaders should work with students and families to +make sure all travel documents (e.g., airline ticket, passport) +reflect their legal names as listed on government issued +identification, while all unofficial documents and materials +may reflect the student’s preferred name. Please view +additional rooming guidelines from the Office of Equity. +CONDUCT +The BPS Code of Conduct applies on all field trips. BPS students +and parents are required to sign a BPS Student Traveler & Family +Agreement Form regarding student conduct while participating +in a BPS sponsored field trip. Following an investigation, if the +program leader, in consult with the principal/head of school and + + +Page 17: + +Superintendent’s Circular CAO-25 +Page 17 of 104 +Central Office staff, determines that a student’s conduct while on +an overnight trip poses a risk to themselves or the safety of the +group, or is no longer manageable by BPS staff in the field, the +district reserves the right to request and arrange for that student +to return home. The district also reserves the right to request that +families assume responsibility for all or a portion of the costs +associated with their child’s return. Students may be subject to +further disciplinary action and will be provided the opportunity to +have a formal hearing at the school level upon return. The school +must document the parent/guardian’s consent of this policy prior +to the trip. +• Dismissal Transportation Protocol: If a student is to be +dismissed from an overnight field trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon destination. If the parent/guardian is not reachable, +the student’s principal/head of school or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +Program leaders must inform families of this protocol at or +before initial promotional meetings. +• Pre-departure Program Dismissal: In the event a student is +to be dismissed from an international field trip program +before departure, a Pre-departure Incident Report must be + + +Page 18: + +Superintendent’s Circular CAO-25 +Page 18 of 104 +submitted to the Department of Global Education (DGE). A +chaperone cannot dismiss a student from a trip without +approval from the principal/head of school. The +principal/head of school must approve the recommendation +for dismissal by signing the pre-departure incident report. +The report should then be filed with the DGE, who will +review and file the report. Any loss of fees or deposits +associated with early dismissal will be absorbed by the +family, which must be communicated before any deposits +are made by families. Program leaders must inform families +of this protocol at or before initial promotional meetings. +PRE-DEPARTURE MEETINGS +• Student Meetings: Program leaders must conduct at least +three (more are recommended) student meetings before +departure. This does not include the mandatory parent +meeting; however, students should be encouraged to +attend the parent meeting as well. Meetings should review +logistics and prepare students to be mindful, healthy, +responsible, and safe travelers. Most programs hold many +more meetings to prepare students for the challenges and +rewards of the travel experience. +• Parent Meetings: Program leaders must conduct at least +one (more are recommended) parent/guardian meeting +(with each family, or all families together). This does not +include the initial meeting to promote the trip. Please note +that if traveling to a Level 2 destination issued by the Center +for Disease Control (CDC) or State Department, the program +leader is required to inform parents of the medical or safety +concerns and precautionary plan. Please consult with the +Department of Global Education before this meeting. For + + +Page 19: + +Superintendent’s Circular CAO-25 +Page 19 of 104 +information on staying healthy while traveling, go to the +CDC page on Travelers’ Health/Medical Tourism. Your entire +group and their families must attend a mandatory +information session. All chaperones should be present and +play a role in this meeting. +• Meeting Topics: During pre-departure meetings, the +following topics must be reviewed (others may be discussed +at the lead chaperone’s discretion): +○ Trip’s educational purpose +○ Behavior expectations +○ Detailed itinerary +○ Review of country landscape (health, cultural norms, +safety, and security) +○ Insurance coverage +○ Required travel documents +○ Packing list +○ Communication plan and emergency contact +information +○ Transportation plans and logistics +○ Review and collect permission forms +○ Meals and accommodations +○ In-country transport (be specific, as modes of transport +vary country to country) +○ Expectations for in-country expenses and procedures +to exchange money, if applicable +○ Passport and visa requirements, if applicable +○ Program provider documents. +Contact the Department of Global Education for sample meeting +agendas and templates and support with meeting agendas. +Important Meeting Notes: + + +Page 20: + +Superintendent’s Circular CAO-25 +Page 20 of 104 +● Document parent/family attendance. +● Utilize zoom meetings when necessary. +● Develop a plan for families who may need translation +services at the meeting; students should not serve as their +parent/guardian’s translator. +● If a parent/guardian is unable to attend a meeting, at least +one trip chaperone (who is a BPS employee) must +physically meet with the parent/guardian about the trip +before taking the student abroad. Document this private +meeting for your records. +Chaperone Team Meetings: +Program leaders must conduct at least three pre-departure +chaperone team meetings. Meeting topics to include: +○ Assign chaperone roles for pre, during, and post trip; +○ Review Emergency Action Plan (EAP) and insurance +coverage; +○ Student paperwork (Binders) +○ Participants +○ Student Code of Conduct Agreement +○ The Pre-Departure Incident Report and the incident +report form for while on the trip +○ For non-BPS employee chaperones, review their +knowledge of BPS policies and chaperone expectations +○ Review detailed itinerary +○ Distribute responsibilities +○ Map out plans that include movement from one place +to another and program transitions. +○ Determine if there are any students who require extra +support, or physical/medical accommodations + + +Page 21: + +Superintendent’s Circular CAO-25 +Page 21 of 104 +○ Review with the team any recommendations, advice, +or instructions that you have received from the school +nurse, guidance counselor, parent, or primary care +doctor. +Non-BPS Chaperones: +Along with CORI/SORI clearance they must schedule a +consult with the Department of Global Education at least 8 +weeks prior to departure and attend at least one pre-trip +parent meeting and at least one student meeting. +All non-BPS chaperones must know the details of the trip, +the Emergency Action Plan (EAP), the BPS Code of Conduct, +and other district and school-based rules. The program +leader must be sure all non-BPS chaperones understand +BPS rules and schedule a consult with the Department of +Global Education. +COMMUNICATION PLAN +• International Phone Service Coverage: Program leaders +must have international cell phone coverage for the +duration of the trip for communication with BPS and +families in the event of an emergency. This cell phone must +be on at all times so you may be contacted in case of an +emergency. If this is not possible due to your location, please +arrange a communication plan with your principal/head of +school and the Department of Global Education. If such +international coverage requires you to purchase an +international plan or to accrue additional costs due to the +trip, please submit your receipts to the BPS Finance Office +for reimbursement. Program leaders must also carry the +phone numbers for the principal/head of school or + + +Page 22: + +Superintendent’s Circular CAO-25 +Page 22 of 104 +sponsoring district department, and the Department of +Global Education. You are required to call your head of +school and the Department of Global Education anytime +there is an emergency. +• District Communication: Codify a clear communication plan +with your principal/head of school or sponsoring district +department, and the Director of Global Education prior to +departure. The director of Global Education will initiate a +group chat with the program leader, and head of school on +WhatsApp. You must check in with the Director of Global +Education via phone, text (download WhatsApp for free for +messaging), or email upon arrival, every 48 hours, whenever +the itinerary significantly changes, whenever you expect to +lose cell/email coverage, upon departure, and upon safe +return. You MUST check in via phone call to your Head of +School and the Department of Global Education when there +is an incident. +• Definitions of communication types and expectations: + + + + +Page 23: + +Superintendent’s Circular CAO-25 +Page 23 of 104 + +Green Communication: No immediate concern. +Program leader: Notifies head of school and on-call BPS +staff about arrival, departure, changes in itinerary, loss of +connectivity, highlights of programs, photos. *Check in daily +via text, phone call, email. +Yellow Communication: A Yellow Call is a reportable situation or +event, but no threat to life, limb, eyesight, or potential for severe +emotional trauma. The incident is managed effectively in the +field by program leader, but could devolve to a serious or critical +incident, and requires attention from BPS on-call staff. +Program leader: (1) Notifies Head of School and on-call BPS +staff; (2) Documents Incident SOAP Report (3) Monitors (4) +Updates on-call BPS staff +Red Communication: Critical, violent time sensitive incident, +illness, injury; or event that resulted in loss or potential loss of life, +limb, eyesight. Student disciplinary violations. +Requires IMMEDIATE RESPONSE of program leader: (1) +Alerts appropriate local medical care, local law enforcement, +and/or shelter, triggers insurance support if able to do so. (2) +Notifies head of school and on-call BPS staff; (3) Documents +Incident SOAP Report (4) Monitors (5) Updates head of +school and on-call BPS staff +Refer to BPS International Field Trip Communication Plan for +more information. +• Communication with Families: Set expectations regarding +communication during travel between chaperones/student + + +Page 24: + +Superintendent’s Circular CAO-25 +Page 24 of 104 +travelers and the principal/families. Families must know +whom to call 24/7 in case of an emergency. If you need +support in family communication before, during, and after +the trip, contact the Department of Global Education. +• Communication with Students: Set and remind students +and families of the expectations for social media usage +while abroad. Discuss what is, and is not acceptable for +posting, recording, and sharing on social media. Make clear +the boundaries, confidentiality, and privacy of other +students, staff members, and visiting communities as it +pertains to social media footage. These expectations should +be discussed several times during the pre-departure +meetings and while in the field. *Remember that the BPS +Code of Conduct is applicable. +DOCUMENTATION & FORMS +● Documents for Students & Families: Prepare, distribute to, +and collect from each participating student and chaperone +the following: +○ Parental Authorization for International Field Trip form +○ Medical Information Form +○ Medication Administration Form +○ Chaperone Agreement Form +○ Student & Family Conduct Agreement Form +○ Student Support for Field Trip Travel Form +○ Any Parental Waivers associated with your program. +○ If applicable, prepare, distribute, and collect the +Notarized Parent/Guardian Airline Travel Consent +Form. (Some countries, airlines, and travel companies + + +Page 25: + +Superintendent’s Circular CAO-25 +Page 25 of 104 +require this. Research your particular trip to see if this +applies.) +○ If your program includes a homestay, refer to CAO-26 +Homestay Guidelines for required forms. +● Documents to Submit to Central Office Approval: The +following documents must be submitted at least 10-12 +months in advance of the trip to the Department of Global +Education for the program to be reviewed, and the +necessary signatures obtained for approval. You must send +your completed application to the Department of Global +Education for review and feedback prior to final submission. +Below is an overview of the required documents. A more +detailed list is included in the application section of this +circular. +○ CAO-25 International Field Trip Request Form (with +original signature of the Headmaster/Principal or +sponsoring District Department, and Program Leader) +○ Signed Cover Letter (on school letterhead) addressed +to the superintendent and Department of Education +from the principal/head of school/district department +lead stating support for the proposed trip. +○ International trip narrative: +■ What was the student recruitment and selection +process? +■ What are the student learning outcomes of your +program? +■ How will this program build students’ global +competence (investigate the world, communicate +ideas, weigh perspective, take action: identify all +that apply and how they will be addressed +through your program). + + +Page 26: + +Superintendent’s Circular CAO-25 +Page 26 of 104 +■ What specific standards are addressed in your +program, and how will they be addressed? +■ How and when will your students reflect on what +they learned from this experience? +○ Itinerary (detailed): Day-by-day and hour by hour (or +morning/afternoon/evening) format providing detailed +information about program (i.e. +hotels/accommodations, sites visited, activities +planned, meetings held, curfew set, and meals +scheduled for the morning, afternoon, and evening) +○ Emergency Action Plan +○ Nurse Verification Form +○ CAO-25 Acknowledgment Form +○ Tentative Student Traveler Roster: [Prior to departure, +the program leader must submit a FINAL roster of all +confirmed student travelers that includes: BPS ID, their +name, grade, age, D.O.B, the country in which their +passport is issued, emergency contact name and +number, and (NEW) if student is traveling abroad for +the first time. +Important Note: **Submit documents for Water Activities +(CAO-27)) if applicable.* While you do not need to submit +to the central office a copy of each Parental Authorization +for International Field Trip permission, this form must be +on file at your school when your trip request is submitted +to the district office. +● Documents to Leave with your principal/head of school: +○ CAO-25 circular with checklists +○ Permissions Slips (updated based on contact +verification done with families) + + +Page 27: + +Superintendent’s Circular CAO-25 +Page 27 of 104 +○ Student & Family Conduct Agreement Form +○ Parental Waivers +○ Medical Information Form and Medical Administration +Form +○ Notarized Airline Consent Form (if applicable) +○ Copies of passports, visas, resident cards and other +travel related documents +○ Emergency Action Plan (EAP) +○ Insurance Information +○ Fire Prevention and Safety Information +○ International Program Incident Report (blank for +reference) +○ Finalized Homestay List and other homestay +documents (if applicable) +○ Water Activities Forms (if applicable) +● Documents to Take Abroad: +○ Permissions Slips (updated based on contact +verification done with families) +○ Medical Information Form and Medical Administration +Form +○ Student & Family Conduct Agreement Form +○ Parental Waivers +○ Notarized Airline Consent Form (if applicable) +○ Copies of passports, visas, resident cards and other +travel related documents +○ Emergency Action Plan (EAP) +○ Insurance Information +○ BPS Field Guide Protocols with Emergency Phone +Numbers +○ Fire Prevention and Safety Information + + +Page 28: + +Superintendent’s Circular CAO-25 +Page 28 of 104 +○ International Programs Incident Report (blank and/or +completed) +○ International Witness Report Form (blank and/or +completed) +○ Incident Investigation Log (blank and/or completed) +○ SOAP Note (blank and/or completed) +○ List of addresses and emergency contacts in country +for all travelers +○ Homestay documents, if applicable +○ Water activities form, if applicable +○ Program leader carries originals of permission slips and +medical forms; other chaperones carry copies. +DURING THE FIELD TRIP PROGRAM +● Team Safety: If you believe conditions are unsafe or +unhealthy at any point on the trip, it is the program leader’s +responsibility to make adjustments in the interest of +group/individual safety. Consult the Department of Global +Education during the trip when you have questions +regarding trip safety. +● Conduct Safety Reviews with Students in the Field: The +following topics must be reviewed with students: +○ Program leaders conduct a fire and safety assessment +and fire drill (Fire Prevention and Safety Instructions) +when you arrive at EACH NEW accommodation. Share +the assessment with the chaperone team and prepare +for orientation and fire drill. +○ Share evacuation plan and emergency plans. Discuss +where students go during an emergency or otherwise. + + +Page 29: + +Superintendent’s Circular CAO-25 +Page 29 of 104 +Discuss where students go if they are separated from +the group during an activity. +○ Ensure students have a list of the key addresses +(hotel/chaperone/host family contact information) and +emergency information for the US and the +international destination as well as copies of all travel +documents. Share where you are staying (room +number if applicable) and how to reach you on the trip. +○ Conduct in-country orientation for conduct and +cultural expectations. Set expectations regarding social +media. This is especially critical during an emergency. +○ Conduct safety orientations for service learning +projects where teams work to construct, alter, and/or +repair structures, including painting and decorating +and for agricultural projects; chaperones, with support +of program providers, must conduct a safety +orientation at the beginning of each activity. +● Student Debriefs/Reflections: +○ Conduct morning briefings to review the day’s itinerary +and key information. Ask and answer questions. +○ Conduct afternoon and/or evening debriefings to +review the next day’s itinerary, gather feedback, +process the day’s learning, and make any necessary +adjustments. Engage students in conversations that +help them process their experiences. Help them to +reflect and break down stereotypes so that when they +return, they have a deeper understanding of the +culture and country they visited. Draw connections to +how they will take the experience home with them, +and how the lessons they have learned will translate +back home. + + +Page 30: + +Superintendent’s Circular CAO-25 +Page 30 of 104 +● Check-Ins and Student Supervision: +○ Conduct frequent check-ins with the chaperone team +to assess programming, student dynamics, and to +make any adjustments. +○ Conduct frequent check-Ins with students about their +behavioral and physical health as well as their ability to +process their trip experiences. +○ Conduct nightly bed checks to ensure students are in +their rooms at the designated time. If staying in a +hotel/hostel, be sure to request in advance for students +to be placed near chaperones. If students are with host +families, share the BPS policy of nightly bed checks to +ensure students are safely in their rooms each night. +Students should know exactly how to get in touch with +a chaperone in case of an emergency (room number or +phone number if staying with a host family). +○ Establish a curfew with clear guidelines, and ensure +doors are open if students congregate in the evening. +Adults should stay close by and conduct frequent +expected and unexpected room checks. Be mindful +about romantic relationships among students. +○ Do not leave students alone! Students should be +accompanied by chaperones (or if applicable, host +families and students) unless part of a scheduled +activity and age appropriate, as approved by their +parent/guardian in advance. However, if +unaccompanied as part of a scheduled and structured +activity, students should be in at least groups of three, +AND always know how to reach an adult chaperone. +○ Conduct regular, frequent headcounts and buddy +checks throughout the day. + + +Page 31: + +Superintendent’s Circular CAO-25 +Page 31 of 104 +INTERNATIONAL PROGRAM INCIDENT REPORTING AND +SUPPORT +Contact your head of school and the Department of Global +Education for any emergency that results in the admittance of a +student or chaperone to a hospital or clinic, or if you fear for the +safety of anyone on your trip at any time. When in doubt, call! +Emergencies may be of a medical, environmental, political, +behavioral, legal, logistical, or other nature. You MUST check in +via phone call to the Department of Global Education when there +is an incident. Refer to BPS International Field Trip +Communication Plan for more information. +[NEW] Examples of incidents (this is not an exhaustive list): +Green Examples: Positive group gains, dynamic and culture, +media coverage +Yellow Examples: Fever, loss of passport, diarrhea, +constipation, vomiting when prescription medication is +administered by BPS staff, lost/damaged/insufficient +prescription medication, tooth loss/ crack/chip, animal or +insect encounters that could potentially result in injury, any +time insurance is used or consulted, insect bites or stings +out of the ordinary, lost or stolen luggage, challenges in +Customs. +Red Examples: Sexual assault, terrorism, missing person, +crime/theft; head injury, loss of consciousness, contraction +of parasite and/or infestation, animal bites, transportation +accident, severe allergic reaction, exposure to any +communicable diseases, eye injury, heat exhaustion/stroke, +hyperthermia, significant violations of student/chaperone +conduct contract (fighting, alcohol, drug use, possession of + + +Page 32: + +Superintendent’s Circular CAO-25 +Page 32 of 104 +weapons, bullying, harassment, persistent behavior from +participant that is disruptive, poses a risk to team and the +success of the program), severe weather, exposure to any +toxic or potentially toxic chemical/irritant +➤ Note: This list is not exhaustive. Any additional incident not +listed but deemed unusual or potentially harmful by the program +leader, should be reported. Yellow incidents have the potential to +quickly progress to Red incidents. Thus, yellow incidents should +be monitored closely, and On-Call BPS staff should be kept +abreast of any updates, and changes in status. +File an International Program Incident Report via email if possible +OR as soon as circumstances permit. Utilize the SOAP note, +witness reports and incident investigation logs as necessary. Turn +in the original reports to the Department of Global Education as +soon as you return to Boston. When incidents occur, it is critical +that everything is documented. +AFTER THE FIELD TRIP (MANDATORY) +● Medical Follow-Up: Depending on travel location and +prescribed travel medication, call all students and families +after the trip to remind students to continue to take all +prescribed travel medication. Additionally, remind students +(and inform parents/guardians) to see a doctor immediately +if they are not feeling well after the trip and to inform the +doctor of their recent travels. +● Incident Reports: If applicable, file and follow up with +International Programs Incident Report, International +Programs Witness Report and International Programs +Incident Log. + + +Page 33: + +Superintendent’s Circular CAO-25 +Page 33 of 104 +● District Survey: Complete the BPS Post-International +Program Survey to provide feedback on your experience. +AFTER THE FIELD TRIP (SUGGESTED) +● Write thank you notes. +● Present to school, family, and the community about the +experience. +● Conduct related creative and/or analytical projects to +showcase student learning. +● Write a news article about the trip for a local newspaper or +website. +● Email stories, journals, and pictures of your trip to the +Department of Global Education. + + + + +Page 34: + +Superintendent’s Circular CAO-25 +Page 34 of 104 + +For more information, questions, and support about this +circular, please contact: +Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 35: + +Superintendent’s Circular CAO-25 +Page 35 of 104 +INTERNATIONAL FIELD TRIP CHECKLIST +Field Trip Category(s): ____________________________________________ +(For category, see CAO-22.) +Site: _____________________________________________________________ + + +Date: __________________________________ + +Alternate Date: _________________________ + +Item +Complete? +Review Superintendent Circular No. CAO-22, +General Guidelines and Procedures for All Field +Trips. + +Review Superintendent’s Circular on Medical +Emergency Management, FSE-05 and Incident +Data-Reporting and Release, SAF-04 for +important safety protocols. While on the trip, the +Department of Global Education must be notified +in the event of a serious incident or emergency +and should be used as a resource for questions +regarding safety on international field trips. + +Select a site and investigate the appropriateness +of the site in relation to the category of field trip. + + +CAO-25 ACKNOWLEDGEMENT FORM + + +Page 36: + +Superintendent’s Circular CAO-25 +Page 36 of 104 +Please sign this checklist, retain a copy for your file, submit the +original to the school office for filing and attach to your +completed request package. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + +School Name: ____________________________________________________ + +_______________________________________________ __________________ + +Signature of Program Leader +Date + +_______________________________________________ __________________ +Signature of Principal/Head of School or + Date + +Sponsoring District Department + + + + + + +Page 37: + +Superintendent’s Circular CAO-25 +Page 37 of 104 +INTERNATIONAL FIELD TRIP REQUEST DOCUMENT CHECKLIST +The following documents must be submitted at least 10-12 +months in advance of the trip to the Department of Global +Education so that the trip may be reviewed and the necessary +signatures may be obtained. Complete this application with as +much information and detail as you have available. Should +additional and final details become available later, please update +the Department of Global Education as soon as possible. It is +recommended that you send drafts of these documents to the +Department of Global Education for review and feedback prior to +final submission. Please type all documents and retain copies of +all documents submitted. +Documents to Submit to the Department of Global Education +for Approval +1. International Field Trip Request Form (with original +signature of the principal/head of school or sponsoring +district department, and program leader) +2. Signed Cover letter (on school letterhead) addressed to the +superintendent and Department of Education from the +principal/head of school/district department lead stating +support for the proposed trip. +3. International Trip Narrative Educational Goals (please be +detailed): +a. What is the purpose of this international program? +Why is it necessary, and why is this specific location +relevant? +b. What are the student learning outcomes of your +program? + + +Page 38: + +Superintendent’s Circular CAO-25 +Page 38 of 104 +c. How will this program build students’ global +competence (investigate the world, communicate +ideas, weigh perspective, take action: identify all that +apply and how they will be addressed through your +program). +d. What specific standards are addressed in your +program, and how will they be addressed? +e. Describe the student recruitment and selection +process? How did you ensure the process was +equitable and inclusive? +f. How and when will your students reflect on what they +learned from this experience? +4. Itinerary +a. Day-by-day and hour by hour (or morning/afternoon/ +evening) format providing detailed information about +program (i.e., sites visited, activities planned, meetings +held, curfew set, and meals scheduled for the morning, +afternoon, and evening) +5. Emergency Action Plan +6. Nurse Verification Form +7. CAO-25 Acknowledgment Form +8. Tentative Student Traveler Roster (Prior to departure, the +program leader must submit a FINAL roster of all confirmed +student travelers that includes: BPS ID, their name, grade, +age, D.O.B, the country in which their passport is issued, +emergency contact name and number, and if student is +traveling abroad for the first time. +Important Note: Submit documents for Water Activities +(CAO-27) and/or Homestays (CAO-26) if applicable. + + +Page 39: + +Superintendent’s Circular CAO-25 +Page 39 of 104 + + + + +Page 40: + +Superintendent’s Circular CAO-25 +Page 40 of 104 + +INTERNATIONAL FIELD TRIP REQUEST FORM +(This form along with all accompanying documents listed in this +circular must be completed by the lead chaperone in +consultation with the principal/head of school. It is submitted to +the Department of Global Education at least four months prior to +the trip.) +School/District Department: _____________________________________ + +Head of School /Principal Information: +Name: ______________________________________________________ +Cell phone: __________________________________________________ +Email: _______________________________________________________ +Select Field Trip Category (See CAO-22 for descriptions): +● Instructional +● Cultural +● Community Building +● Service Learning +● Personal Growth & Development +Program Destination(s): Include exact cities, or regions: + __________________________________________________________________ + __________________________________________________________________ + + +Page 41: + +Superintendent’s Circular CAO-25 +Page 41 of 104 +Dates of Trip: +Departure Date: ________________ Return Date: ___________________ +Student Data: Send complete student roster to Dept. of Global +Education before travel. Roster must include D.O.B, grade, +country of passport issuance, emergency contact name and +number. +Number of Students: ________________ + +Number of First Time Student International Travelers: _______ + +Chaperone Data: Chaperones: 7:1 ratio and minimum of 2 +chaperones +Information +Program Leader +Chaperone +Chaperone +Name + + + +Cell Phone +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back up # + + + + + + + + +Page 42: + +Superintendent’s Circular CAO-25 +Page 42 of 104 + +Information +Chaperone +Chaperone +Chaperone +Name + + + +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back Up # + + + + +Information +Chaperone +Chaperone +Chaperone +Name + + + +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back Up # + + + + +Funding +Please note that: A criterion for participation, may not be the +student and their family’s ability to pay. Also “100” school funds +may not be used for international trips. +Cost Per Person: _________________________________ + +Total Cost: $ _____________________________________ + + + + +Page 43: + +Superintendent’s Circular CAO-25 +Page 43 of 104 +Funding Source(s): +(List funding sources below. Please detail how the trip was paid +for and how students had access to this trip regardless of the +trip’s cost.) + + + +Grant name/Grant Number (if applicable): _______________________ + +Fundraise with Private Grants BEDF Account Code/Description (if +applicable): _______________________________________________________ + +Country/Site Information +Country(s) to be visited: + +Is this country(s) listed on the +United States Department of +State Travel warning list? + +Is this country(s) listed on the +Center for Disease Control +(CDC) warning list? + +In-Country/Site Contact Person +and Title/Role: + +In-Country/Site Telephone # + +In-Country/Site Email Address + + + +Page 44: + +Superintendent’s Circular CAO-25 +Page 44 of 104 +Native language of in- +country/site contact person + +Can the in-country/site contact +person speak English? + + +Has your travel vendor/partner been vetted by the Department of +Global Education/BPS Legal?  Yes  No +Vendor Name: ______________________________________________ +Vendor Contact Name: ______________________________________ +Vendor Contact Number & Email: ___________________________ +AIRLINE TRANSPORTATION TO INTERNATIONAL DESTINATION +(Please note: You may include your flight reservation as an +attachment; however, the following section must still be +completed.) +Departing flight from US/Boston: +Departure Date + +Departure Time + +Departure Location + +Departure Airlines + +Flight Number + +Departing Flight +Arrival Date + + + +Page 45: + +Superintendent’s Circular CAO-25 +Page 45 of 104 +Arrival Time + +Arrival Location + +Return flight to US/Boston +Return Date + +Return Time + +Return Location + +Return Airlines + +Flight Number + +Return Flight Arrival +Date + +Arrival Time + +Arrival Location + +Additional Transportation in the U.S. (i.e., to and from airport): +Will you be providing transportation for students to and from the +airport? ▢ Yes ▢ No +If no, how will students get to and from the U.S. airport? + __________________________________________________________________ + __________________________________________________________________ +If yes, please complete the chart below. + + +Page 46: + +Superintendent’s Circular CAO-25 +Page 46 of 104 +Mode of +Transportation + +Transportation Co. + +BPS Vendor # + +Company Number + +Pickup Location + +Pickup time + + +Transportation to International Destination (other than airplane): +Mode of +Transportation + +Transportation Co. + +BPS Vendor # + +Company Number + +Pickup Location + +Pickup time + +Where will you be +transported to? +(Address of hotel, or +drop off site) + + +Transportation in Foreign Country +All modes of transportation arranged within the foreign country: + + +Page 47: + +Superintendent’s Circular CAO-25 +Page 47 of 104 + + +IN-COUNTRY LODGING INFORMATION +Primary Lodging +Contact information if students will be staying in a hotel or +hostel: Itinerary must provide detailed information regarding +lodging each night. +Name of site + +Address + +Number + +Dates + + +Name of site + +Address + +Number + +Dates + + + + + + +Page 48: + +Superintendent’s Circular CAO-25 +Page 48 of 104 + +Name of site + +Address + +Number + +Dates + + +Does your trip include water activities? +YES ▢ NO ▢ +If yes, have you reviewed CAO-27, and completed the necessary +forms? +YES ▢ NO ▢ +Home Stay +*Note: The permissibility of Home Stay programs is currently +under review. +Will this program include a home stay? YES ▢ NO ▢ +If yes, is this home stay facilitated by a third-party vendor? If yes, +please provide the company name and site contact info. + __________________________________________________________________ + __________________________________________________________________ + + +Page 49: + +Superintendent’s Circular CAO-25 +Page 49 of 104 +Safety is the highest priority in the Boston Public Schools. Have +you followed the Home Stay Guidelines CAO-26 and completed +the necessary forms? YES ▢ NO ▢ N/A +Have parents/guardians signed the Home Stay Waiver form? +YES ▢ NO ▢ N/A +Water Activities +Does your program include water activities? +YES ▢ NO ▢ N/A +If yes, have you reviewed CAO-27, and completed the necessary +forms? YES ▢ NO ▢ N/A +TRAVEL LOGISTICS +Have you held (or will you hold prior to departure) at least three +pre-departure student meetings to prepare the student team for +the responsibilities of participating in an international trip as +outlined in CAO-25? YES ▢ NO ▢ +Meeting Date: +Meeting Date: +Meeting Date: +Have you held (or will you hold prior to departure) at least three +chaperone meetings to prepare the adult team for the +responsibilities of leading students on an international trip as +outlined in CAO-25? YES ▢ NO ▢ +Meeting Date: +Meeting Date: +Meeting Date: + + +Page 50: + +Superintendent’s Circular CAO-25 +Page 50 of 104 +Have you conducted (or will you conduct prior to departure) at +least one parent meeting (in addition to the promotional +meeting) to review required topics outlined in CAO-25? +YES ▢ NO ▢ +Meeting Date: +If you are traveling to a destination with an alert from the CDC or +State Department Level 2 country, will you provide families with +the respective Informed Parental Consent, Associated Risk, +Indemnity Form? YES ▢ NO ▢ +Do you have trip cancellation insurance? YES ▢ NO ▢ +Please describe the contingency plan should your departure +and/or return travel be delayed: + + +TRAVEL SAFETY AND RISK MANAGEMENT +Have all travelers received (or will they all receive prior to +departure) all travel immunizations, vaccinations, and relevant +medications recommended by the CDC and their primary care +doctors? YES ▢ NO ▢ +Comments: + +Who on your chaperone team speaks the local language? + + +Page 51: + +Superintendent’s Circular CAO-25 +Page 51 of 104 + __________________________________________________________________ + __________________________________________________________________ +Have the program leader and other chaperones reviewed the +BPS Insurance Policy? YES ▢ +NO ▢ +Does each traveler have health insurance coverage abroad, +including medical and political evacuation coverage? (BPS has +this insurance for ALL BPS students and BPS chaperones.) +YES ▢ NO ▢ +Has the program leader and other chaperones reviewed the BPS +Code of Conduct? YES ▢ +NO ▢ +Have all non-BPS employed chaperones scheduled a meeting +with the DGE? YES ▢ +NO ▢ +N/A ▢ +Has the program leader attended (or will they have attended +prior to departure) BPS Risk Management Training Abroad? + YES ▢ NO ▢ +Training Date: _______________________________________________ + (Training is valid for two school calendar years.) + + + + +Page 52: + +Superintendent’s Circular CAO-25 +Page 52 of 104 +Has the program leader led BPS students abroad before? +YES ▢ +NO ▢ +When? Provide the most recent date: _______________________ +If not, what experience(s) have prepared you to lead BPS +students abroad? + +Do at least two chaperones hold valid (duration of the trip) CPR +and First Aid certification? YES ▢ +NO ▢ +Names of certified chaperones: ___________________________________ + __________________________________________________________________ +Name of chaperones: ____________________________________________ + __________________________________________________________________ +Have you completed the Emergency Action Plan (EAP) for the +country you are visiting? YES ▢ NO ▢ +Have you (or will you prior to departure) set up a Pre-Departure +Risk Management meeting with the Department of Global +Education? YES ▢ NO ▢ N/A ▢ +Have you (or will you prior to departure) submitted the +Emergency Contact List for all travelers to the Department of +Global Education? YES ▢ NO ▢ +Have you completed the Nurse Verification form? YES ▢ NO ▢ + + +Page 53: + +Superintendent’s Circular CAO-25 +Page 53 of 104 +All CAO-25 “Checklists” MUST be followed by the program leader, +other chaperones, and principal/head of school or district +department sponsoring the trip before, during, and after the trip. +Will you complete all “Checklists” before, during, and after the +trip with the consult of your principal/head of school or district +department? YES ▢ NO ▢ +SCHOOL/DISTRICT DEPARTMENT APPROVAL +_________________________________________________ ________________ + +Program Leader/Lead Chaperone +Date +_________________________________________________ ________________ + Head of School/Principal or Sponsoring Dept. +Date +Signatures above indicate approval for the trip and attest that +the CAO-25 checklist will be completed before, during, and after +the trip. +DISTRICT APPROVALS +International field trips require the District approvals below: +_________________________________________________ ________________ + +Director of Global Education +Date +_________________________________________________ ________________ + +Chief of Teaching & Learning + Date + +_________________________________________________ ________________ + +Chief Financial Officer + Date +_________________________________________________ ________________ + +Superintendent +Date + + +Page 54: + +Superintendent’s Circular CAO-25 +Page 54 of 104 + +EMERGENCY ACTION PLAN (EAP) +International Field Trips +Directions: +● The lead chaperone must complete this form prior to +departure. +● All chaperones should carry this form throughout the trip. +● Leave a copy of this form with the principal/head of school. +● Submit this form as part of your package to the district. +● Register your trip and student participants through the +Safe Traveler Enrollment Program (STEP). program +General Guidelines: +● In the event of an emergency, REMAIN CALM. +● Do not leave the injured person alone or without an adult +present. +● Call local EMS. +● Accompany any injured student to the nearest medical +facility. An adult chaperone (or adult designee) must be +present with any injured student throughout the +emergency. + + + + +Page 55: + +Superintendent’s Circular CAO-25 +Page 55 of 104 +Emergency Contacts +● Local EMS. +● Insurance (See insurance card for the appropriate # for your +destination.) +● Head of school or designee cell #_______________________and +director of Global Education (315-601-0292) for emergencies. +See Emergency Communication and Protocols packet. +● Parents/guardians must be informed and given updates +throughout the medical emergency. (Your Head of School +and DGE will help coordinate communication with +parents/family.) +U.S. State Department, the Center for Disease Control and other +reputable sources, please complete the information below: +Address and contact information for the nearest U.S. Embassy(s) +while abroad: + + +Address and contact information for the nearest embassy(s) for +non-U.S. citizen travelers while abroad: + + +Name and address of the nearest medical hospital or facility/s: + + + + +Page 56: + +Superintendent’s Circular CAO-25 +Page 56 of 104 + +PARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP +Directions: +BPS Staff: +● Use one form per trip. +● Complete the School Portion of form. +● Duplicate one form per student. +● Send a copy home for parent and student signatures. +● During the field trip, the signed, original form must be +carried by the program leader and copies by the other +chaperones. A photocopy must be left on file in the school +office. +Student First & Last Name: _______________________________________ +School: ___________________________________________________________ +Destination (s): ___________________________________________________ + __________________________________________________________________ +Purpose of Trip: __________________________________________________ +List of Activities: Parents must be informed of all activities. + + + +Page 57: + +Superintendent’s Circular CAO-25 +Page 57 of 104 +Supervision: (Check One.) + Students will be directly supervised by adult chaperones on +this trip at all times. + Students will be directly supervised by adult chaperones on +this trip with the following exceptions: +Mode of Transportation: (Check all that apply.) + walking  school bus  MBTA  Other _________________ +Students will leave from (where)_________________________at +(time) ____________________. +Students will return to (where) ____________________________at +about (time) _______________. + +Program Leader & Chaperone(s) in Charge: ______________________ + __________________________________________________________________ +Chaperone/Student Ratio: ________________ (maximum ratio 7:1) + + + + +Page 58: + +Superintendent’s Circular CAO-25 +Page 58 of 104 +STUDENT AGREEMENT +While participating in this field trip, I understand I will be a +representative of BPS and my community. I understand that +appropriate standards must be observed, and I will accept +responsibility for maintaining good conduct and abiding by +school-based rules and the Boston Public Schools’ Code of +Conduct. +_____________________________________________ ____________________ + +Student Signature +Date + + + + + +Page 59: + +Superintendent’s Circular CAO-25 +Page 59 of 104 + +PARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP +Assumption of Risk, Waiver, Release, and Indemnity Hold +Harmless Agreement + +Program leaders: Access the required Assumption of Risk, +Waiver, Release, and Indemnity Hold Harmless Agreement +template. Please make a copy of this template document before +you edit the text in RED, and then share it with the director of +Global Education. This document is to be reviewed by the +director of Global Education & BPS Legal BEFORE sharing with +parents/guardians for signature** +This document is a requirement, and a binding legal document. +Should you have any questions, please contact the Department +of Global Education. + + + + + + + + +Page 60: + +Superintendent’s Circular CAO-25 +Page 60 of 104 + +MEDICAL INFORMATION FORM +IMPORTANT NOTES: +Students may be in new and unfamiliar situations when +traveling. It is critical that this form is completed thoroughly and +accurately so we may be in the best position possible to support +you/your child. +Please indicate with an X ______ HERE if you would like to +schedule a meeting with the program leader of the trip to discuss +your child’s medical or mental health. +All students must visit their primary care doctor prior to traveling +on a BPS trip and be current on all immunizations and +vaccinations for the U.S. in addition to the recommended +immunizations and vaccinations for the country(s) to be visited. + + + + +Page 61: + +Superintendent’s Circular CAO-25 +Page 61 of 104 +STUDENT INFORMATION +Student’s Full Name +Date of Birth + +Country of Origin + +Parent/ Guardian +Name(s) + +Parent/Guardian +Address + +Parent/Guardian +Contact +Cell: +Home: +Work: + + + + +Page 62: + +Superintendent’s Circular CAO-25 +Page 62 of 104 +Emergency Contact # 1 +Emergency Contact # 2 +Name: +Relationship to student: +Address: + +Cell #: +Work #: +Email: +Name: +Relationship to student: +Address: + +Cell #: +Work #: +Email: +STUDENT HEALTH QUESTIONS +Primary care physician’s name and contact information (in case +of an emergency): + + +Health insurance provider’s name, policy #, and contact +information (in case of emergency): + + +Insurance provider claim instructions/procedures (in case of +emergency): + + + +Page 63: + +Superintendent’s Circular CAO-25 +Page 63 of 104 +Student has the following health conditions and/or allergies of +which BPS should be aware: + + +Physical health conditions: + + +Behavioral/mental health conditions: (e.g., depression, anxiety, +etc.) + + +Allergies (food, medication, insects, plants, animals, etc.): + + +Student takes the following medications (including over-the- +counter/ herbal) and/or prescriptions of which BPS should be +aware. (Be sure to complete the Medical Administration Form): + + +If medication is taken on an as-needed basis, specify the +symptoms or conditions when medication is to be taken and the +time at which it may be given again. + + +Page 64: + +Superintendent’s Circular CAO-25 +Page 64 of 104 + + +Is there any factor that makes it advisable for your child to follow +a limited program of physical activity? (i.e., asthma, recent +surgery, heart condition, fear, etc.) If yes, specify the ways in +which you wish their program limited. If the student has asthma, +please attach the asthma action plan to this medical form. + + +Are there any activities on the itinerary that your child cannot or +should not do? + + +Other than a yearly physical, is the student currently under a +physician’s or other medical professional’s care (e.g., social +worker, therapist, etc.)? If yes, please detail the reason. + + + + + + +Page 65: + +Superintendent’s Circular CAO-25 +Page 65 of 104 +Other than a yearly physical, has the student been under a +physician’s or other medical professional’s (e.g., social worker, +therapist, etc.) care anytime in the last year. If yes, please detail +the reason and dates of treatment. + + +Please list any hospital, treatment center, surgical, psychiatric, or +urgent care visits within the last year: (Please specify the date, +the reason, the physician or professional seen, and the length of +stay.) + + +Additional information of which BPS should be aware concerning +student’s health: + + + + + + +Page 66: + +Superintendent’s Circular CAO-25 +Page 66 of 104 +I authorize the release of the information given above to +chaperones and other school staff in order to coordinate services +and understand that chaperones will consult with the school +nurse about each student's health so they will be in the strongest +position to support you/your child on this program. + +________________________________________________ _________________ + +Student Signature, if at least 18 years of age +Date + +________________________________________________ _________________ + +Parent/Guardian Signature, if student is +Date + + +under 18 years of age + +▪ If necessary, attach a doctor's letter to this form. +▪ If necessary, attach the asthma action plan to this form. +▪ If necessary, attach copies that document student’s shots +and immunizations to this form. + + + + +Page 67: + +Superintendent’s Circular CAO-25 +Page 67 of 104 + +MEDICAL FORM — OVERNIGHT TRIPS +Medication Administration +Please send only essential medications with your student on this +trip and include over-the counter/herbal medications on this list. +Student Name: ___________________________________________________ +Name of Medication: _____________________________________________ +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ +Name of Medication: _____________________________________________ +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ +Name of Medication: _____________________________________________ + + +Page 68: + +Superintendent’s Circular CAO-25 +Page 68 of 104 +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ + _____________________________________________________________ +Additional information/special Instructions: + + + +I authorize my child to take the above medications on this trip. + +________________________________________________ _________________ + +Student Signature, if at least 18 years of age +Date + +________________________________________________ _________________ + +Parent/Guardian Signature, if student is +Date + +under 18 years of age + + + + +Page 69: + +Superintendent’s Circular CAO-25 +Page 69 of 104 + +NOTARIZED PARENT/GUARDIAN AIRLINE TRAVEL +CONSENT FORM +The parties to this agreement are: +Parent/ Legal Guardian: +Full Name and Surname: (hereinafter referred to as “the +Parent/ Guardian”) __________________________________________ +Physical Address: ___________________________________________ +Contact Details: _____________________________________________ + _____________________________________________________________ +Child: (hereinafter referred to as “the Child”) +Full Name and Surname: ____________________________________ + +Birth Date: __________________________________________________ + +Traveling Guardian(s) and Contact Details: (hereinafter referred +to as “The Traveling Guardians”) +Full Name and Address: _____________________________________ + _____________________________________________________________ + + +Page 70: + +Superintendent’s Circular CAO-25 +Page 70 of 104 +I hereby authorize the Child to travel with the Traveling +Guardians to the following destination: +The period of travel shall be from ____________ to ______________. +Should it prove to be impossible to notify the Parent/ Guardian of +any change in travel plans due to an emergency or unforeseen +circumstances arising, I authorize the Traveling Guardian to +authorize such travel plans. +Should the Traveling Guardian in their sole discretion (which +discretion shall not be unreasonably exercised) deem it advisable +to make special travel arrangements for the Child to be returned +home due to unforeseen circumstances arising, I accept full +responsibility for the additional costs which shall be incurred +thereby. +I indemnify the Traveling Guardian against any and all claims +whatsoever and howsoever arising, save where such claims arise +from negligence, gross negligence, or willful intent during the +specified period of this Travel Consent. +I declare that I am the legal custodian of the Child and that I have +legal authority to grant travel consent to the Traveling Guardian +of the Child. +Unless inconsistent with the context, words signifying the +singular shall include the plural and vice versa. + + + + +Page 71: + +Superintendent’s Circular CAO-25 +Page 71 of 104 +Signed at ____________________________________ on the _______day +of __________, 20____. + +Signature _____________________________________ (Parent/ Guardian) + +Signature _____________________________________________ (Witness 1) + +Signature ____________________________________________ (Witness 2) +Witness signatures must be by independent persons and not by +anyone listed on the Travel Consent form. + +On this _________ day of ___________________, 20___, before me, the +undersigned authority, personally appeared and proved to me +through satisfactory evidence of identity, to wit, to be the +person(s) whose name(s) is/are signed on the attached document +and who signed in my presence. +Official Notary Signature: _________________________________________ + +Name of Notary Typed, Printed or Stamped: + + +Commission Expires: _____________________________________________ + + + + +Page 72: + +Superintendent’s Circular CAO-25 +Page 72 of 104 + +STUDENT SUPPORT INTERNATIONAL PROGRAMS FORM +Note: This form is to be completed by students who intend to +participate in an international program. The information is +confidential, and will be used by Program Leaders to better +understand, and support the needs of students while on program +in a foreign country. +Student First & Last Name: _______________________________________ + +When preparing for your international program, please think +about the following questions, and respond as honestly as +possible in order to be supported: +What are you nervous about? ____________________________________ + __________________________________________________________________ +What are you excited about? _____________________________________ + __________________________________________________________________ +What scares you about the trip location or activities on the +itinerary? _________________________________________________________ + __________________________________________________________________ + + + + +Page 73: + +Superintendent’s Circular CAO-25 +Page 73 of 104 +When in a new environment, I get anxious when…________________ + __________________________________________________________________ +When in a new environment, I get upset when….. _________________ + __________________________________________________________________ +In order to get the most learning and benefits from this +experience, I will need ____________________________________________ + + +Given the laws, customs, and culture of the country that we are +visiting, what concerns do you have? ____________________________ + __________________________________________________________________ + __________________________________________________________________ + +Would you prefer to speak in person with a member of the +chaperone team to discuss this form, or share additional +information?  Yes  No + + + + +Page 74: + +Superintendent’s Circular CAO-25 +Page 74 of 104 + + +INTERNATIONAL PROGRAMS INCIDENT REPORT +Incident reports should be used for all yellow and red incidents +that are not fully described or investigated already through the +SOAP Note. +A. Complete all fields +School/s: ____________________________________________________ +Date of Report: _____________________________________________ +Country: ____________________________________________________ +Incident Date and Time: ____________________________________ +Reporting Chaperone: _______________________________________ + + + + +Page 75: + +Superintendent’s Circular CAO-25 +Page 75 of 104 +B. Complete all Applicable Fields +Victim(s) Name(s) +Contact Information + +Suspect(s) Name(s) +Contact Information + +Witness(s) Name(s) +Contact Information + +Location of Event +Address + + +C. Nature of Incident (check all that apply) +☐Injury +☐Equipment Failure +☐Behavioral/ +Psychological +☐Illness +☐Missing/Separated +Person +☐Natural Disaster +☐Physical Assault +☐Sexual Assault +☐Theft +☐Property Damage +☐Sexual +Harassment +☐Fatality +☐Crime +☐Political Upheaval +☐Disease Outbreak +☐Other: _________ +☐BPS Code of +Conduct violation +International Programs Incident Report, continued + + +Page 76: + +Superintendent’s Circular CAO-25 +Page 76 of 104 +D. Narrative (Using facts, describe what happened): + + + +E. Activity at Time of Incident (check all that apply) +☐Class time +☐Service +☐Homestay + + +☐Traveling +☐Fieldtrip +☐Camping +☐Hike/Jog/Walk +☐Swimming +☐Water Activity + +☐Other _____________ + +F. Contributing Factors (Check all that apply) +☐Not disclosed in Medical Form +☐Animal/Insect/Plant +☐Pre-Existing Condition +☐Alcohol/Drugs/Medication +☐Weather/Terrain +☐Motor Vehicle +☐Political/Cultural/Language +☐Pre-Course Info +☐Sports/Recreation +☐Orientation/Training +☐Other + + + + + + + +Page 77: + +Superintendent’s Circular CAO-25 +Page 77 of 104 +G. Action Taken +Details +First Aid +When +By Whom +Type (ie. +Medication, CPR, +etc.) + +Emergency +Evacuation + + +Visit Medical +Facility +Name of Facility +Doctor/PA/Nurse +Reported +Diagnosis +Medication +Prescribed + + +Emergency +Contact Person +Notified? +☐Yes ☐ No Name: +Date and Time Contacted: +Notes: + + +Page 78: + +Superintendent’s Circular CAO-25 +Page 78 of 104 +Department of +Global Education +(DGE) Contacted? +☐Yes ☐ No Name: +Date and Time DGE Contacted: +Notes: + + +Insurance +Contacted? +☐Yes ☐ No Name: +Date and Time Contacted: +Claim #: +Notes: + +Local Authorities +Notified? +☐Yes ☐No +Date and Time Notified: +Organization: +Authority Name(s): +Notes: + +Follow up Plan +Details: + +_______________________________________________ __________________ + + +Page 79: + +Superintendent’s Circular CAO-25 +Page 79 of 104 + +Signature of Reporting Chaperone +Date +File this International Incident Programs Report along with any +accompanying reports/documents from local law enforcement, +medical professionals and/or International Programs Witness +Report via email if possible OR as soon as circumstances permit. +Turn in the original report to the DGE as soon as you return to +Boston. Incident reports require at least one witness signature, +and where possible the signatures of all impacted participants. + +_______________________________________________ __________________ + +Signature of Witness +Date + +Signatures of those impacted: +_______________________________________________ __________________ + + +Date + +_______________________________________________ __________________ + + +Date + +_______________________________________________ __________________ + + +Date + + + + +Page 80: + +Superintendent’s Circular CAO-25 +Page 80 of 104 + +SOAP NOTE +SOAP Notes should be used for live documentation of all health- +related incidents requiring further monitoring and/or evacuation. +SOAP Notes should be attached to the corresponding Incident +Report. +Subjective: What the patient tells you. Note the chief +complaint(s): + + + + +Objective: What you see; vital signs; general survey of patient: + + + + + + + +Page 81: + +Superintendent’s Circular CAO-25 +Page 81 of 104 +Assessment: What you think is going on; diagnosis presented by +medical professional: + + + +Anticipated Problems: + + + +Plan: What will be done about it; Tests ordered, medications +prescribed, follow up needed: + + + +_______________________________________________ __________________ + +Signature of Reporting Chaperone +Date +File this SOAP Note along with any accompanying +reports/documents from local law enforcement, medical +professionals and/or International Programs Witness Report via +email if possible OR as soon as circumstances permit. Turn in the +original report to the DGE as soon as you return to Boston. + + +Page 82: + +Superintendent’s Circular CAO-25 +Page 82 of 104 + +INTERNATIONAL PROGRAMS WITNESS REPORT +Witnesses shall use this form to provide a statement of their +observations to accompany the Incident Report Form. +Witness Statement of: ____________________________________________ +Phone Number: __________________________________________________ +Address: __________________________________________________________ + __________________________________________________________________ +Description of Incident: + + + + + +I believe the contents in this statement are true. + +_______________________________________________ __________________ + +Witness Signature +Date + + +Page 83: + +Superintendent’s Circular CAO-25 +Page 83 of 104 + +INTERNATIONAL PROGRAMS INCIDENT INVESTIGATION LOG +This template can be used to take running notes during an +investigation. +Event +Time +Location +Parties Involved +Source of +Information + + + + + + + + + + + + + + + + + + +Page 84: + +Superintendent’s Circular CAO-25 +Page 84 of 104 +Event +Time +Location +Parties Involved +Source of +Information + + + + + + + + + + + + + + + + + +_______________________________________________ __________________ + +Signature of Investigator +Date + + + + +Page 85: + +Superintendent’s Circular CAO-25 +Page 85 of 104 + +FIRE PREVENTION AND SAFETY PRACTICES +International & Overnight Programs +Fire safety plans on overnight and international programs differ +from the procedures set for our schools. The laws that regulate +fire prevention may differ from what exists in Massachusetts. The +steps below must be followed on all overnight and international +programs: +1. Conduct A Fire Prevention Assessment +The program leader must conduct a fire safety prevention +assessment using the Fire Prevention and Safety Form +(Attachment A) within 24 hours of arrival. Using the Fire +Prevention and Safety Form, the program leader shall formulate +a plan for the evacuation of all persons on the trip in the event of +a fire or other emergency. This plan shall include alternate means +of egress and should be created in consultation with an +accommodation staff person, and if applicable, the third-party +provider. + +2. Prepare Chaperone Team on Fire Prevention Strategy +Based on the results from the Fire Prevention and Safety Form, +the program leader should ensure that each staff member +receives and understands the fire prevention landscape and has + + +Page 86: + +Superintendent’s Circular CAO-25 +Page 86 of 104 +instructions on the fire drill procedure created for the +accommodation. Questions to review include: +A. What are the best means of egress in case of a fire? +(Consider all rooms students and staff are staying in +and all places where the group may congregate. Use +the hotel’s posted evacuation routes if applicable.) +B. Where is the designated meeting point? (This meeting +point should be a safe distance from the building, but +easy for the group to identify and locate.) +C. Who is responsible for each student? (Attendance +must be taken; if chaperone ratios permit, the lead +chaperone should not be assigned to a group and +should serve as contact person for emergency +personnel.) +D. What are some hazards that students and chaperones +should be aware of? +E. What happens in the case of a missing person? +3. Review Prevention Strategy with Students and Conduct a +Fire Drill +The lead chaperone and the chaperone team will review the fire +prevention strategy and conduct a fire drill (walkthrough) with +the students within the first 24 hours of the trip. Conducting a +fire drill (walkthrough) is important as participants are unfamiliar +with the building. + + + + +Page 87: + +Superintendent’s Circular CAO-25 +Page 87 of 104 +Instructions For Fire Drills +Since each accommodation is different, each plan and drill will +vary. Regardless of the accommodation, it is critical that a +procedure is in place for evacuating the building, each chaperone +knows their responsibilities, every student participates in the fire +drill (walkthrough), and each person knows the meeting location +when evacuated from the building. Please note: A fire drill as +defined here is a walkthrough of the route the group will take to +exit the premises in the event of an emergency. +A few general instructions: +• Evacuate immediately. +• Do not use elevators during a fire evacuation. +• Each student should walk to the designated meeting +location outside of the building in a quiet and orderly +manner. +• Make sure all students know all possible exits from their +area and that students know where the meeting location is +outside of the building. +• Fire drill plans must ensure adequate procedures for the +emergency evacuation of students and staff with disabilities. +(Have a staging location for students/staff with disabilities +and make sure hotel/hostel personnel are also aware.) +• Chaperones are responsible for students under their +supervision and must take attendance. +• Upon the evacuation of a building, no person or persons +shall re-enter the building without the authorization of the +lead chaperone. The lead chaperone, as a part of their fire + + +Page 88: + +Superintendent’s Circular CAO-25 +Page 88 of 104 +drill procedures, must establish a command procedure for +such evacuations. +4. Conduct a Post-Fire Drill Debrief +After the fire drill, the chaperone team should set aside time to +debrief. Record response on Attachment A. + + + +Page 89: + +Superintendent’s Circular CAO-25 +Page 89 of 104 + +FIRE PREVENTION AND SAFETY ASSESSMENT FORM +Directions: For each accommodation, please complete and upon +your return, file this form with other documents you are +mandated to keep. Legally, these documents must be kept on file +for the current fiscal year plus three additional years after the +field trip has occurred. +Building: +Program Leader: ___________________________________________ +Date of the Safety Prevention Assessment: _________________ +Name/s of Staff and Their Titles Consulted for Assessment +(accommodation staff/ program provider staff): + _____________________________________________________________ + _____________________________________________________________ +Outside the Building: +List the possible hazards in the area: + +Can the accommodation be accessed by a fire department +or emergency teams? + ▢ YES ▢ NO + + +Page 90: + +Superintendent’s Circular CAO-25 +Page 90 of 104 +Inside the Building: +Equipment: +Does the building have fire alarms? + + +▢ YES ▢ NO +Are there fire sprinklers? +▢ YES ▢ NO +If yes, where are they located? + +Is there adequate lighting in the corridors? +▢ YES ▢ NO +Are there clear exit signs? +▢ YES ▢ NO +Are there fire alarm pull stations? +▢ YES ▢ NO +Are the fire alarm pull stations visible and +accessible? +▢ YES ▢ NO +Are there fire extinguishers? +▢ YES ▢ NO +If yes, where? + +Are there smoke detectors in the corridors and in every +room where participants are staying? +▢ YES ▢ NO + + + + +Page 91: + +Superintendent’s Circular CAO-25 +Page 91 of 104 +Hazards: +List the potential fire hazards at the site: + +Are there notable fire hazards such as open fire doors, +accumulated trash, blocked corridors, locked exit doors, +blocked stairways, burned out exit lights or missing/broken +fire equipment? +▢ YES ▢ NO +Means of Evacuation/Egress +Does the facility have an evacuation plan for each room? (If +not, be sure that when you conduct a fire drill (walkthrough) +that you develop a plan for leaving the room.) +▢ YES ▢ NO +What are the means of egress? + +Are there primary exits and alternate exits? +▢ YES ▢ NO +Note locations: + + + + + +Page 92: + +Superintendent’s Circular CAO-25 +Page 92 of 104 +Fire Drill/Walkthrough Plan: (Please record notes below.) + + +Post-Drill Debrief: +Date and Time of the Fire Drill: ___________________________________ + +Did the students and chaperones follow the procedures of the +fire drill? +▢ YES +▢ NO +If no, why not? + + +Based on this debrief, either inform the students of your findings +for adjustments, or if necessary, conduct another fire drill. Once +the safety review and drill are completed, please sign below. + +________________________________________________ _________________ + +Signature of Program Leader +Date + + + + + +Page 93: + +Superintendent’s Circular CAO-25 +Page 93 of 104 + +BPS STUDENT TRAVELER & FAMILY AGREEMENT FORM +Overview: Positive behavior is a key expectation for students +participating in domestic and international travel opportunities. +Positive behavior reflects trustworthiness, respect, responsibility, +ambassadorship, and service. Participants are expected to fully +participate, follow all program guidelines, and behave +appropriately to ensure a high-quality learning experience. +Parent/guardians: please read this contract carefully with your +student and sign it. Students: your signature on this contract +seals your commitment to follow behavior expectations leading +up to, and during your school trip. + __________________________________________________________________ +BEFORE I GO ON THE TRIP: (STUDENTS) +● I understand that my acceptance to a trip prior to +departure does not guarantee that I will be allowed to +attend. +● I have access to my school's handbook which includes all +BPS and school rules and the BPS Code of Conduct. +● I know that it is my responsibility to follow all BPS rules and +guidelines set by the administrator or chaperone. +● I will attend all mandatory pre-departure meetings and +complete all mandatory paperwork. +● I will not violate the BPS Code of Conduct. + + +Page 94: + +Superintendent’s Circular CAO-25 +Page 94 of 104 +● I will not distribute or consume alcohol or drugs (including +edibles), and/or encourage actions that are against the BPS +Code of Conduct or law. +● I will not pack any illegal or inappropriate items (i.e., items +in violation of the BPS Code of Conduct, including, but not +limited to: weapons, alcohol, edibles, drug paraphernalia). +● I will be compliant with any guidelines set by the school, +administrator, or chaperone regarding program +expectations and any required materials, such as +completed projects, journals, and service hours. +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such +consequences include, but are not limited to, not being +allowed to participate in the international trip program. +WHILE I AM ON THE TRIP: (STUDENTS) +● I will not violate the BPS Code of Conduct +● I will ask for help from the adults when needed. +● I will treat my peers, all adults and all people with the +utmost level of respect. +● I will not purchase, distribute, or consume any illegal or +inappropriate items; (i.e., items in violation of BPS Code of +Conduct, including, but not limited to: weapons, pepper +spray, alcohol, edibles, drug paraphernalia) even if these +substances are legal in the state or foreign country, or I am +of legal age in the foreign country. + + +Page 95: + +Superintendent’s Circular CAO-25 +Page 95 of 104 +● I will use social media responsibly during the trip, and will +not post or communicate any information regarding other +students during an emergency situation. +● I will abide by the established curfew, and sleep in my +assigned bed, alone, and sleeping location each night. +● I will not vandalize any property at any venue I visit (hotel, +tour bus, tourist sites, homestay location). +● I will obey the BPS dress code, as well as the suggested +attire for the foreign country, and specific sites and +locations within the foreign country I will visit. +● I will not share any medication with anyone on the trip. +● I will take medication prescribed for me by my doctor for +required or recommended medical use while abroad (i.e., +malaria pills, asthma inhaler, prescriptions for anxiety, +depression). +● I will not leave the group at any time unless specifically +authorized to do so. +● I will practice good common sense, respect, and +consideration for others and their property. +● I understand that I am responsible for keeping my passport, +important belongings and other travel documents safe. +● I understand that partaking in any illegal activity abroad +can result in my arrest. +● I understand that if an issue of any kind arises, my +chaperone will address the issue, and their decision is final. +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such + + +Page 96: + +Superintendent’s Circular CAO-25 +Page 96 of 104 +consequences include, but are not limited to, being sent +home at my parent/guardian's expense. + +PARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: +I fully understand the following conditions regarding student +international travel with BPS: +● The BPS Code of Conduct applies on all field trips. Following +an investigation, if the program leader, in consult with the +principal/head of school and central office staff, determines +that a student’s conduct, while on an overnight trip, poses a +risk to themselves or the safety of the group, or is no longer +manageable by BPS staff in the field, the district reserves +the right to request and arrange for that student to return +home. The district also reserves the right to request that +families assume responsibility for all or a portion of the +costs associated with their child’s return. Students may be +subject to further disciplinary action and will be provided +the opportunity to have a formal hearing at the school level +upon return. +● If a student is to be dismissed from an +international/overnight field trip due to behavior that +violates the BPS Code of Conduct while participating in a +domestic overnight or international trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon destination. If the parent/guardian is not reachable, +the student’s principal or appropriate school-based point of +contact must be notified and agree to meet the student at + + +Page 97: + +Superintendent’s Circular CAO-25 +Page 97 of 104 +the airport, or other agreed upon destination. Students +under the age of 16 must be accompanied on their flight by +a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +● Parents or students who sign contracts, and or agreements +with third party company vendors, acknowledge that +outside companies protocols and procedures might differ +from BPS policies and procedures. Families should +especially be aware of cancellation and refund policies. BPS +is not responsible for money paid to third party vendors. +● BPS reserves the right to cancel a trip at any time. Trip +destinations that impose an immediate risk to our students +will be canceled. In these instances all families will be +notified immediately. + +(Families keep this page) + + + + +(Program leaders keep this page.) + + +Page 98: + +Superintendent’s Circular CAO-25 +Page 98 of 104 +STUDENT/GUARDIAN STATEMENT OF UNDERSTANDING +We have read and understand the BPS Student Traveler & Family +Agreement Form. We understand what is expected of the +prospective student traveler and feel that we, the +parent/guardian and student, can commit to these expectations. + +PARENT/GUARDIAN (Print Name) ________________________________ +PARENT/GUARDIAN (Signature) __________________________________ +DATE: ____________________________ +PHONE NUMBER: ________________________________ +STUDENT (Print Name) ___________________________________________ +STUDENT (Signature) _____________________________________________ +DATE: ____________________________ +PHONE NUMBER: ________________________________ + + +(STUDENTS RETURN THIS PAGE TO YOUR PROGRAM LEADER) + + + +Page 99: + +Superintendent’s Circular CAO-25 +Page 99 of 104 + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS Sponsored +field trips and submitted to the program leader (lead chaperone). +School Name: ____________________________________________________ +Destination: ______________________________________________________ +Departure Date: __________________ Return Date __________________ + +All chaperones must agree to abide by the following code of +conduct to participate in a BPS sponsored field trip. +SAFETY & RESPONSIBILITY +I understand that my safety, and the safety of other participants +is extremely important during this field trip, and I agree to make +safety my first priority. I agree to conduct myself in a manner that +promotes my safety, and the safety of others at all times. I +understand that maintaining students’ safety requires that +students must be supervised by me and/or other chaperones at +all times while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews, and room checks for students, as well as +morning wake up calls for students are part of my responsibility. I + + +Page 100: + +Superintendent’s Circular CAO-25 +Page 100 of 104 +agree to follow BPS policies, protocols, and guidance of BPS staff +when in the field. +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits students +from possessing, using, selling and/or distributing any of the +following on all domestic and international field trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, use or +distribution of over the counter medication, and selling of +prescription drugs. The Code also prohibits the use of tobacco +products (including e-cigarettes, hookah paraphernalia, and +vapor cigarettes). I understand that these prohibitions apply to all +students, regardless of age. +I understand that I am forbidden to use or visibly be in possession +of tobacco in the presence of students. I also understand that the +use of all other drugs, including alcohol, and weapons are strictly +prohibited on the field trip. + +Chaperone Name (Printed): ______________________________________ +Chaperone Name (Signature): ___________________________________ +Date: _____________________________ + +CAO-25: INTERNATIONAL TRIP REQUEST + + +Page 101: + +Superintendent’s Circular CAO-25 +Page 101 of 104 +Attachment: Nurse Verification Form +OVERVIEW & INSTRUCTIONS +This is a mandatory risk management procedure. Please +complete this form at least 10 weeks prior to departure. +It is BPS’ goal that you are in the strongest position to support +each student’s health while abroad. Program leaders must review +all students’ medical forms and consult with the school nurse to +ensure all documents are accurately completed. +Please note: the school nurse does not “clear” students for travel +but will provide trip leaders/chaperones with guidance in +supporting students medically while traveling. Program leaders +shall consult with, and when necessary, receive training from and +obtain written comments from the school nurse regarding any +students who have expressed medical needs (e.g., medication, +asthma, allergies, etc.). +It is important for program leaders and chaperones to know that +many students and families omit medical information from +permission slips for a variety of reasons, and in some cases +Program leaders discover medical conditions that the nurse was +not aware of. Therefore, it becomes a collective duty to ensure +that we have the most up to date medical information for all +student travelers. Program leaders should actively discuss the +importance of honesty and full medical disclosure with students +and families at one of the pre-departure meetings. +School nurses can assist with the following (list is not limited to +what is below): + + +Page 102: + +Superintendent’s Circular CAO-25 +Page 102 of 104 +● A student's current medical status/current immunization +record +● Background information regarding a particular medical +condition +● Specific medication instructions and training for +medication application if necessary +● Epi Pen instructions +● Can help determine appropriate trip accommodations and +considerations for the student traveler +● Can further consult with outside medical professionals who +are involved with the student’s medical needs. i.e. social +workers, occupational therapist and the child’s primary care +physician. +Program leaders must provide the nurse with the following +information and a student traveler roster: Trip destination, dates, +and draft itinerary. The Nurse Verification Form to follow must +be submitted 10 weeks prior to departure. It may be mailed or +scanned to DGE. For additional questions please contact Kayla +Dorsey-Twumasi, Director of Global Educcation. + + + + +Page 103: + +Superintendent’s Circular CAO-25 +Page 103 of 104 +CAO-25: INTERNATIONAL TRIP REQUEST +ATTACHMENT: NURSE VERIFICATION FORM +School/trip Name: _______________________________________________ +Trip Destination: _________________________________________________ +Dates of Travel: __________________________________________________ +Trip Leader Name: ______________________________________________ +School Nurse Name: _____________________________________________ +School Nurse Phone Number: ____________________________________ +School Nurse Email: ____________________ @Bostonpublicshools.org +PROGRAM LEADER: +Please sign this form to verify that you have consulted with your +school nurse regarding your student traveler roster, retain a copy +for your file, and submit the original to the department of global +education. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed. +Additionally, your signature indicates that you have read and +understand the nurse verification protocol. +________________________________________________ _________________ + +Signature of Trip Leader +Date + + +Page 104: + +Superintendent’s Circular CAO-25 +Page 104 of 104 +SCHOOL NURSE +Your signature indicates that the above trip leader has shared the +proposed international trip, student traveler roster, and medical +forms with you. If they have completed this mandatory step, +please sign below to verify that. + +________________________________________________ _________________ + +Signature of School Nurse +Date + + diff --git a/data/data_txt/CAO-27 Water Activities on Field Trips.txt b/data/data_txt/CAO-27 Water Activities on Field Trips.txt new file mode 100644 index 0000000..951547f --- /dev/null +++ b/data/data_txt/CAO-27 Water Activities on Field Trips.txt @@ -0,0 +1,390 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-27 +Version 01 + +GENERAL GUIDELINES AND PROCEDURES FOR +WATER ACTIVITIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +IMPORTANT NOTE: These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and guidance, +contact OPL@bostonpublicschools.org for assistance/guidance. + +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular MUST be read in its entirety by program leaders +(chaperones), principal/head of school and/or the district +department sponsoring a field trip that includes an IN the water +or ON the water activity. These parties are responsible for +ensuring that all field trip policies and procedures as outlined in +this circular AND all applicable field trip circulars (CAO-23, 24, +and 25) are adhered to. +WATER ACTIVITIES +• If your trip involves ON or IN water activities, you must + + +Page 2: +Superintendent’s Circular CAO-27 +Page 2 of 13 + +contact the Department of Global Education immediately +to submit a mandatory Water Activity Request Form 16 +weeks in advance to ensure that the site location for the +water activity has up-to-date insurance, a safety plan, and +certification documentation on file with the district. +• For water activities: The student-to-chaperone ratio must +remain 10:1 at all times during swimming for all grade +levels. (This ratio does not include the lifeguards on duty.) +SWIMMING (IN THE WATER) +• Instructional swimming is permitted only if proper +swimmer-lifeguard ratios are maintained (20:1); the +swimming teachers hold valid American Red Cross or +YMCA Lifeguard Instruction/ Water Safety Instruction, +CPR/AED, and First Aid certificates; the site is nationally +recognized for swim instruction (e.g., YMCA); and +parents/guardians are informed in the appropriate +Parental Authorization for Field Trip form. +Parents/guardians must be given sufficient information +to understand the nature and scope of the activity(s). +• Principal/head of school is responsible for ensuring these +requirements are met and must receive written +documentation of all listed guard and instructor +certifications. Copies of these certifications, along with +students’ permission slips, must be kept on file for the +current fiscal year plus three additional years. +• Therapeutic/adaptive swimming for students with +disabilities is permitted only with individuals with +Therapeutic/Adaptive Swim certification or licensure +and proper swimmer-lifeguard ratios are maintained + + +Page 3: +Superintendent’s Circular CAO-27 +Page 3 of 13 + +(10:1); and parents/guardians are informed in the +appropriate Parental Authorization for Field Trip form. +Parents/guardians must be given sufficient information +to understand the nature and scope of the activity(s). +• Recreational swimming is NOT permitted on BPS field +trips. +WATER ACTIVITIES (ON THE WATER) +• Water activities are permitted involving larger +commercial or passenger vessels which meet U.S. Coast +Guard standards for safety and hold a valid Certification of +Compliance for the state or its international equivalent +(Please note: There must be one life jacket per +passenger). In addition, be sure the water-related activity +is clearly listed in the appropriate Parental Authorization +for Field Trip form. Parents/guardians must be given +sufficient information to understand the nature and +scope of the activity(s). +• Water activities such as kayaking, rowing, and canoeing +(or the equivalent where the movement of a craft +depends on the physical endurance of its operator) and +travel in small watercraft are not permitted on a BPS field +trip unless a request is submitted and approved by the +district. (Please note: There must be one life jacket per +passenger.) These requests are submitted to and +reviewed by the Department of Global Education. +Significant lead time is needed (16 weeks or more) to +allow for safety requirements to be met. +• The sponsoring water venue/facility must provide the +following documents to the district annually: 1) Safety + + +Page 4: +Superintendent’s Circular CAO-27 +Page 4 of 13 + +Plan; 2) Liability Insurance; and 3) Lifeguard Certification. +CHAPERONE REQUIREMENTS: +• The program leader (lead chaperone) must be a BPS +employee. Other authorized chaperones may include +parents and guardians 21 years of age or older. +• Chaperones must be equipped with hand sanitizer and +additional masks if the need arises for staff and students. +• All chaperones must complete the Chaperone Agreement +Form. +• All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of +Human Capital. Complete the eCORI form online at this +link. Contact the BPS Office of Human Capital (OHC) for +CORI check and confirmation support. The +principal/head of school and the lead chaperone are +responsible for submitting authorization forms to OHC +and must not allow chaperones to take part in activities +until they have been CORI/SORI cleared. Non-BPS +employee chaperones (parents/guardians) must show +proof of vaccination or a negative COVID-19 test within 24 +hours of the field trip. Non-BPS employees who +chaperone on a field trip are not covered for liability by +the Boston Public Schools. +• The program leader must be sure that all chaperones, +including non-BPS chaperones, are informed of, adhere +to, and uphold the BPS Code of Conduct and other +district and school-based rules. +• Chaperones who are parents/guardians of BPS students + + +Page 5: +Superintendent’s Circular CAO-27 +Page 5 of 13 + +on the trip must provide the same level of care and +attention to ALL student participants. If a BPS +chaperone’s child who does not attend the participating +school must attend the program, the child must be a BPS +student and in the same grade or age range as +participating students. In this case, the BPS employee is +responsible for incurring all costs associated with their +child’s participation. +• Tour guides and employees of third-party vendors +contracted to help operate the trip are not considered +chaperones and do not factor into the student-to- +chaperone ratio. +➤ For Day & Water Field Trips, the Department of Safety Services +(617-635-8000), must be notified in the event of a serious medical +or other emergency and should be used as a resource for +questions regarding safety on day field trips, including WATER +ACTIVITY day trips. + + + + + + + +Page 6: +Superintendent’s Circular CAO-27 +Page 6 of 13 + +For more information about this circular, contact: + Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 7: +Superintendent’s Circular CAO-27 +Page 7 of 13 + +BOSTON PUBLIC SCHOOLS +WATER ACTIVITY REQUEST FORM + +DIRECTIONS: +1. This form must be submitted for water activities at least +16 weeks in advance for the proposed water activity to be +considered. Please email this form to +OPL@bostonpublicschools.org and confirm its receipt. +2. One form should be completed per field trip. However, if +there are multiple “water activities” planned, each water +experience must be listed separately. For example, if you +are taking students on a service-learning trip for one +week and would like students to participate in a water +activity on multiple days, each separate excursion should +be listed, even if the excursion is at the same location. +3. Requests will be reviewed and schools will receive an +answer regarding their requests in 2-3 weeks. + +TO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL +Date request submitted: _________________________________________ +Date(s) of field trip: _______________________________________________ +School: ___________________________________________________________ + +Principal/Head of School /District Department Name: + + +Page 8: +Superintendent’s Circular CAO-27 +Page 8 of 13 + + __________________________________________________________________ +Trip leader’s name, role, and contact number: + __________________________________________________________________ + __________________________________________________________________ +Chaperones’ names and roles in school: + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Vendor/Organization: ____________________________________________ +What is the purpose of the water activity? How does the water +activity add to the overall trip experience?________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Number of students participating in the field trip: ________________ +Grade level and ages of students: _________________________________ + + +Page 9: +Superintendent’s Circular CAO-27 +Page 9 of 13 + + +Please complete the information below for each water activity +planned for students: + +Water Activity # ________ +Date + +Hours + +Water Activity +Location +(Address) + + +Water Activity +(i.e., canoeing) + +Site Contact +Person + + +Site Contact’s +Email & Phone # + + +Water Activity # _______ + + +Page 10: +Superintendent’s Circular CAO-27 +Page 10 of 13 + +Date + +Hours + +Water Activity +Location +(Address) + + +Water Activity +(i.e., canoeing) + +Site Contact +Person + + +Site Contact’s +Email & Phone # + + + + + +Principal/Head of School /District Department’s Signature + +Date: ________________________________ + + + + +Page 11: +Superintendent’s Circular CAO-27 +Page 11 of 13 + +BOSTON PUBLIC SCHOOLS +WATER ACTIVITY ADDENDUM TO PARENTAL AUTHORIZATION +FIELD TRIP FORM FOR “ON” WATER ACTIVITIES +Directions: +1. This form must be used if a water activity such as kayaking, +rowing, or canoeing, or riding on a boat is listed as a possible +activity on the Attached Parental Authorization Field Trip +form for this field trip. +2. Complete the school portion of this form and attach it to the +appropriate Parental Authorization Field Trip form for +parent/guardian. +Parent/legal guardian, if student is under 18 years of age, or +student, if at least 18 years old: Complete the Authorization & +Acknowledgement of Risk Section. +➤ If a student does not wear a life jacket, the student may not +participate in the water activity. +School Name: ____________________________________________________ +Student Name: ___________________________________________________ +Date(s) of Trip: ____________________________________________________ +Water Activity Location(s): ________________________________________ +List of Water Activities: __________________________________________ + __________________________________________________________________ + + +Page 12: +Superintendent’s Circular CAO-27 +Page 12 of 13 + +AUTHORIZATION AND ACKNOWLEDGEMENT OF RISKS +I understand that participation in this field trip may involve water +activities, including but not limited to boating. I understand that +participation in these activities is voluntary and may expose +me/my child to some risks(s). I assume responsibility for any risk +of personal or property damages arising out of or related to +my/my child’s participation in this boating and/or other water +related activity, including acts of negligence or otherwise. I +further agree to hold harmless BPS and any of the individuals +and other organizations associated with BPS in this activity from +any claim or liability arising out of my/my child’s participation in +this activity. I authorize myself/my child to participate in the +planned components of the field trip to the extent indicated by +my signature below. +➤ If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and +understand the above Agreement, and that I accept and will be +bound by its terms and conditions. + + ________________________________________________________________ ____________________________ +Student Signature +Date + + + + + +Page 13: +Superintendent’s Circular CAO-27 +Page 13 of 13 + +➤ If the applicant is under 18 years of age, the following +statement must be read and signed by the student’s parent or +legal guardian: +I certify that I am the parent/legal guardian of the applicant, +that I have read and understand the above Agreement, and that +I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + + ________________________________________________________________ ____________________________ +Parent/Guardian Signature +Date + +Emergency Contact’s Name (other than parent/guardian): + __________________________________________________________________ +Relationship to Student: _________________________________________ +Emergency Contact’s Telephone Number: _______________________ + + diff --git a/data/data_txt/COM-01 Communications Policy.txt b/data/data_txt/COM-01 Communications Policy.txt new file mode 100644 index 0000000..30ee8a6 --- /dev/null +++ b/data/data_txt/COM-01 Communications Policy.txt @@ -0,0 +1,105 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +COM-01 +Version 01 + + +COMMUNICATIONS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools (BPS), Boston School Committee, +superintendent, and all central and school-based staff are +responsible for communicating accurately and effectively with +families, students, colleagues, partners, and the community. +Ongoing communication with all stakeholders is essential to +developing and sustaining effective home/school/community +partnerships for improving student achievement. +The Boston School Committee affirms the following principles: +● Families and citizens have a right to know what is occurring +in their public schools. +● All BPS employees have an obligation to ensure the public is +kept systematically and adequately informed. +● Boston Public Schools staff and families benefit from +improved sharing of information – positive and negative. +● Written and verbal communication from schools and +employees should reflect the BPS commitment to +supporting all children and families, focusing on student +achievement through high-quality teaching and learning. +● Effective communication requires an ongoing two-way +exchange between schools and constituents, including + + +Page 2: + +Superintendent’s Circular COM-01 +Page 2 of 4 + + +thoughtful mechanisms at the school and district levels for +seeking family, student, and community perspectives on +critical issues and decisions. +● Language used to communicate with families and the +community must be free of educational jargon, acronyms, +and other terminology unfamiliar to non-educators. +● All communication must reflect and be sensitive to the +diversity of BPS families and staff, free of bias with respect +to race, ethnicity, language, education, income, gender, +religion, sexual orientation, or disability. +In keeping with these principles, the superintendent shall issue +district-wide procedures and guidelines to foster effective +communication in crucial areas such as media relations, +emergency communications, customer service, publications, +presentations, photography, events, and +translation/interpretation. +To ensure brand consistency and help families identify official +BPS publications and properties, schools and departments must +display the BPS logo on websites and publications. School and +department stationery and signage should incorporate the BPS +logo, the Boston city seal, or both. The BPS logo may not be +altered and must be reproduced in its correct aspect ratio. The +logo digital and printable files are available at the BPS-LOGO +folder. +It is the responsibility of every school, office, and program in the +Boston Public Schools to adhere to these procedures and +execute additional effective communication strategies. The BPS +Communications Office shall provide leadership, resources, +guidance, and technical assistance to support the district and +schools in these efforts. + + +Page 3: + +Superintendent’s Circular COM-01 +Page 3 of 4 + + + + + + +Page 4: + +Superintendent’s Circular COM-01 +Page 4 of 4 + + +For more information about this circular, contact: +owner: +Chief of Communications +Department: +Chief of Communications +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9265 +Email: +communications@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/COM-02 Media Relations Policy.txt b/data/data_txt/COM-02 Media Relations Policy.txt new file mode 100644 index 0000000..cc4074e --- /dev/null +++ b/data/data_txt/COM-02 Media Relations Policy.txt @@ -0,0 +1,70 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +COM-02 +Version 01 + + +MEDIA RELATIONS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to cultivating and +maintaining an open and productive relationship with the news +media. The district recognizes that the media provides a public +service, are viewed as a reliable source of news about the Boston +Public Schools and seeks to provide timely and accurate +information toward that end. +The district maintains that the top priority of schools is to +educate students and ensure the safety and privacy of all +students, staff, and families. + To balance the responsibilities of schools and the need to provide +information to the media, all press inquiries about the Boston +Public Schools or any individual school, student, staff member, +program, or initiative are to be directed first to the +Communications Office. + Any staff member contacted directly by a member of the news +media must refer the reporter to the Communications Office, +who will work with staff and the media outlet to respond +appropriately to the inquiry. + District officials, schools, and staff must cooperate with the news +media to the extent required and appropriate by law while +ensuring that media coverage does not interfere with teaching +and learning. + + +Page 2: +Superintendent’s Circular COM-02 +Page 2 of 2 + + It is critically important to protect the privacy of students and +staff while fulfilling the requirements of public records laws. The +Communications Office works closely with the Legal Advisor to +determine what information is a matter of public record and +what must remain confidential. Only a student whose parent or +guardian has signed and returned a Media Appearances form +may be recorded, filmed, photographed, or interviewed. Students +for whom no such consent is on file in the school office may not +participate in any media-related activities, and their name and +image are not to be released to the media or anyone else outside +of the school. For more information, see the Guide to the Boston +Public Schools for Families and Students. +For more information about this circular, contact: +Owner: +Chief of Communications +Department: +Chief of Communications +Mailing +Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9265 +Email: +communications@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EL-04 Title I Expenditures for ELs.txt b/data/data_txt/EL-04 Title I Expenditures for ELs.txt new file mode 100644 index 0000000..9ebe9f1 --- /dev/null +++ b/data/data_txt/EL-04 Title I Expenditures for ELs.txt @@ -0,0 +1,659 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EL-04 +Version 01 + + +TITLE I EXPENDITURES FOR ENGLISH LEARNERS +AMENDED ORDER BETWEEN LATINO PARENTS ET AL +AND BOSTON PUBLIC SCHOOLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +TABLE OF CONTENTS +1. General Information +2. English Learner Equity Requirement +3. General Guidelines +4. Sample Acceptable Uses +5. Annual Reporting of Title I Services + +1. GENERAL INFORMATION +In 1992, the Boston Public Schools (BPS) and parents of English +Learner students (ELs), who were represented by attorneys with +Multicultural Education, Training and Advocacy, Inc. (META), +entered into a binding consent decree that is enforceable by use +of the federal court’s power to hold violators in contempt of court + + +Page 2: +Superintendent’s Circular EL-04 +Page 2 of 19 + + +to compel compliance. A copy of this consent decree can be +found on the Office of English Learners website. +This Superintendent’s Circular outlines the basic components of +the consent decree regarding appropriate Title I expenditures for +ELs and provides guidelines to comply with the edict. The +consent decree defines many requirements of BPS, which +includes the equitable allocation of Title I funds to service the +needs of ELs. +The federal consent decree enforced by META commits BPS to: +• Improve and provide equal access to programs for EL +students +• Refrain from discriminating against EL students relative to +non-ELs, in the provision of Title I services +• Ensure proportionality in the provision of services; the +percentage of Title I eligible but unserved EL students must +not exceed the percentage non-ELs who are not benefiting +from Title I funds +• Adjust Title I school budgets for staff and services annually +and periodically in light of changing student needs +• Provide literacy (HILT) programs for EL students ages 8-22 +with limited or interrupted formal education (SLIFE) +• Consult with and involve EL parents in each school +(additional guidance on how to document this consultation +will follow) +• Report annually on the status of Title I services to EL +students. + + + + +Page 3: +Superintendent’s Circular EL-04 +Page 3 of 19 + + +Note: +• All other district purchasing guidelines still apply. For +general information regarding purchasing, please refer to +Superintendent’s Circular FIN-07. +• For state guidance on the use of Title I Part A funds in +general (not specific to the additional requirements +pursuant to the consent decree), visit +https://www.doe.mass.edu/federalgrants/titlei-a/ or contact +the BPS Grants Department. +2. ENGLISH LEARNER EQUITY REQUIREMENT +The portion of Title 1 resources for EL students is based on the +percentage of EL population in that school. +EL Equity Amount example: If School-A receives $100,000 in Title +I funding with a school population consisting of 25% ELs, $25,000 +must be spent to benefit ELs. In this example, $25,000 is the “EL +Equity amount” that must be spent on supplemental services +directly and solely benefitting ELs. +As part of the BPS annual Budget Collaborative process, the +Finance Department provides each school their Title I allocation +and identifies for schools the EL Equity Amount subject to the +spending guidelines outlined in this circular. +• A school’s Title I allocation is determined based on the +school’s percentage of direct certified students and +projected enrollment, multiplied by a per pupil amount. +Direct certification, in compliance with USED and DESE, +includes data from the Supplemental Nutrition Assistance + + +Page 4: +Superintendent’s Circular EL-04 +Page 4 of 19 + + +Program (SNAP), Temporary Assistance for Needy Families +(TANF), and Medicaid enrollment. +• Within the school’s Title I allocation, the EL Equity Amount is +separately identified. This is calculated based on the +projected enrollment of English Learner students as a +percentage of the overall enrollment of projected students +at each school. +3. GENERAL GUIDELINES +The META Consent Decree requires the following: +1) Each individual school must determine the additional +services for EL students that will supplement their +instruction, either for academic language in English and/or +through native language supports. +2) This determination must be conducted prior to spending +Title I funds for ELs at a school. +3) These services must be supplemental, solely benefit ELs, +and be tailored to meet the specific needs of EL students. +4) The district, through the Office of English Learners, as part of +its monitoring duties under the META Consent Decree, is +obliged to ensure compliance with these legal +requirements, including working with schools to make +appropriate revisions to any budget that does not reflect +compliance with Title I and META Consent Decree +requirements. +5) Each school must annually submit both a plan for spending +prior to any expenditures as well as an annual checklist that +reports the use of Title I for ELs funds. +Services Tailored to Meet the Specific Needs of ELs + + +Page 5: +Superintendent’s Circular EL-04 +Page 5 of 19 + + +Services provided with the use of Title I EL funds need to be +tailored to meet the specific linguistic, cultural, socio-emotional +and academic needs of ELs. These needs should be identified as +part of the needs assessment process required by the consent +decree. +Services Solely Benefitting ELs +Title I expenditures for ELs are also required to solely benefit ELs. +This means, for instance, if a school desires to fund a position, the +responsibilities for that position must be solely dedicated to ELs. +There is an expectation that the services provided by the staff +should focus on EL students with the highest needs such as +those with English language development (ELD) levels 1 and 2, as +they are the most vulnerable group of students requiring +supplemental services. +4. SAMPLE ACCEPTABLE USES +Supplement and Not Supplant Rule +Title I for ELs funds must be used to supplement, and not +supplant, local, state or federal resources available or required +under state or federal law to meet the educational needs of ELs. +In other words, these Title I funds should not take the place of— +supplant—public education services that are to be provided by +law to English Learner students. Instead, these funds must be +used to supplement requisite education services, to provide +services that go above and beyond what is otherwise required. +Here are a few examples: + + +Page 6: +Superintendent’s Circular EL-04 +Page 6 of 19 + + +• Funding lunch monitors is an inappropriate use for which +BPS was previously cited, since maintaining order in the +lunchroom is a basic function that is not above and beyond +what the district would do without Title I dollars and is also a +function that does not solely benefit ELs. +• General classroom supplies needed for everyday classroom +instruction (e.g., paper, notebooks, white boards) would not +constitute an allowable use of these funds, even if they only +are used by ESL or other EL program classrooms, as the +supplies are not supplemental in nature. +• It would not be allowable to use these funds to purchase +core curriculum materials — including core ESL materials — +for English Learner students. +• Equally important is that even if an expenditure is +supplemental by nature, it would be a violation of the +“supplement, not supplant” rule to fund a service or activity +for ELs out of the TItle I for ELs funds while also funding the +same service or activity with general funds for other +students at the school. For example, if a school purchases +technology with general funds for general education +classrooms, it would generally not be allowable to use the +Title I EL funds to purchase the same technology for English +Learner program classrooms. Potential allowances may be +made if the technology is provided on a 1:1 basis for ELs only, +and not for students as a whole. +Note: The consent decree allows for an important exception to +the “supplement, not supplant” rule: generally, expenditures +related to the High Intensity for Literacy Training for Students + + +Page 7: +Superintendent’s Circular EL-04 +Page 7 of 19 + + +with Limited or Interrupted Formal Education (HILT for SLIFE) +program constitute an allowable use of these Title I EL funds. +The following table provides a list of sample acceptable uses of +Title I for ELs funds. +• It is important to note that this list is not exhaustive, and +that the “supplement, not supplant” provision still applies. +Additional examples are posted on the Office of English +Learners Title I for ELs website. +• School leaders are advised to discuss their ideas for the use +of these funds with the Title I EL coordinator +(Title1EL@bostonpublicschools.org) to ensure compliance. + +Sample Acceptable Uses of Title I Funds for English Learners +• High Intensive Literacy Training for Students with Limited or +Interrupted Formal Education (HILT for SLIFE) programs: +strongly recommended to be funded through Title I for ELs +funds. +• Extra learning time outside of the school day: materials and +stipends for after-school, summer, and Saturday programs +tailored specifically to meet the needs of ELs. +• Supplementary enrichment and accelerated curriculum +materials for ELs. +• Supplementary materials, including native language +resources, that strengthen the core academic program for +ELs in the school. +• Supplementary counseling, pupil services, and mentoring +services for ELs that is above and beyond what is offered to +all students at the school. + + +Page 8: +Superintendent’s Circular EL-04 +Page 8 of 19 + + +• College and career awareness programs solely for ELs that +are above and beyond what is offered to all students at the +school. +• Methods to assess the efficacy of all implemented strategies +(such as stipends for after-school monitoring and planning +meetings) for ELs. +• High-quality ongoing professional development for +teachers, administrators, paraprofessionals, parents, and/or +pupil services personnel that is not otherwise required and +is geared specifically towards meeting the needs of ELs. +• Increasing EL parental involvement through literacy +services. +• Consulting to strengthen the core academic standards or +the school improvement plan to meet the specific needs of +ELs. +• Assessment fees associated with an EL student obtaining +the Seal of Biliteracy. +• A supplemental bilingual paraprofessional (not for class size +reasons) to assist former SLIFE students who exit SLIFE into +SEI content classes but who need continuing native +language support. + +Previous Findings of Non-compliance +The following are examples of inappropriate usages of Title I to +count towards the EL equity percentage: +• Since ESL instruction is considered core, funding of a sole +ESL teacher to provide ESL for all ELs in the school is +considered supplanting. However, it is acceptable for this + + +Page 9: +Superintendent’s Circular EL-04 +Page 9 of 19 + + +purpose if it is used to supplement the core ESL +requirements by providing additional ESL support or +providing smaller group instruction to students targeting +ELs with ELD levels 1 and 2. +• Funding instructional or other basic supplies (copy paper, +classroom supplies, notebooks, chart paper, printer +cartridges, etc.) are basic classroom supplies needed for any +classroom and would therefore be a clear example of +supplanting. Similarly, Title I EL monies may neither be used +to satisfy the district’s minimum $1,000 supply budget per +school nor the minimum supply to be budgeted per +student. +• Funding lunch monitors is an illegal use for which BPS was +previously cited, since maintaining order in the lunchroom is +a basic function and not above and beyond what the district +would do without Title I dollars. +• Title I EL funds may not be applied to the salaries of general +administrative personnel. +• Shifting a position from general funds that is a core position +to Title I is a clear indication of supplanting and not an +appropriate Title I EL expenditure. +• Funding positions that serve the whole school, such as +family and community outreach coordinator, physical +education, computer, music/art teacher, school wide +counselors, school wide literacy coordinators, school wide +paraprofessionals, and parent coordinators/liaisons would +be considered supplanting and therefore would not be an +allowable use of these funds. + + +Page 10: +Superintendent’s Circular EL-04 +Page 10 of 19 + + +5. ANNUAL REPORTING OF TITLE I SERVICES +Title I funding for ELs is reported annually to META by the Office +of English Learners (OEL). School leaders must submit a Title I EL +Budget Plan (1) during their Budget Collaborative during January +and a Title I for ELs Budget Monitoring Checklist by June of the +current school year to OEL. Using this Title I checklist, school +leaders will be asked to verify and report what services the Title I +funded staff have provided, number of students serviced, and +additional resources/supplies purchased within the year. +Title I EL Budget Plan (future year budget): Each school will +receive a Title I EL Budget Plan that is pre-populated with the +schools’ Title I EL allocation for the upcoming fiscal year. The Title +I EL Budget Plan requires school leaders to identify the needs +assessment that undergirds their planned spending, and to +identify categories of planned spending (e.g., staffing, +supplemental instructional supplies, contractual services, +stipends, etc.). +During a school’s budget collaborative, each school leader is to +submit their EL Budget Plan. A school’s budget collaborative will +not be considered approved until the school’s Title I EL Budget +Plan is finalized and the budget lines can be structured +accordingly in FutureForce. School leaders are encouraged to +schedule appointments with their EL school support liaison for +support. + +(1) Template. May be updated with feedback from stakeholders. + + +Page 11: +Superintendent’s Circular EL-04 +Page 11 of 19 + + +The following represents general considerations for school +leaders to aid them in preparing sufficient plans: +Needs Assessment +● The META consent decree specifies that, prior to spending +Title I for ELs funds at schools, the determination of the +services most needed by the school’s ELs must be +conducted first to ensure that the funds will be used to +support the language development needs of English +Learner students. +● Schools should review multiple data points to identify the +needs of their English Learner student population, keeping +in mind that English Learners do not constitute a monolithic +group. +● At a minimum, English Learner students’ ACCESS +performance and progress data should be reviewed. +Additional data to be reviewed may include: MCAS and +interim/formative assessment data; attendance data; +student/parent surveys; school Equity Roundtable notes; +students’ Individual Learning Plans for SLIFE or ELs who +have not met ACCESS benchmarks; etc. +○ Schools should disaggregate the data for different EL +subgroups; e.g., EL students with disabilities, Students +with Limited or Interrupted Formal Education, +newcomers, long-term English Learners, etc. +● School leaders should consult the LATF and other EL +teachers as well as with English Learner parents when +developing their Title I EL Budget Plan. School leaders may +also consider consulting with English Learner students. + + +Page 12: +Superintendent’s Circular EL-04 +Page 12 of 19 + + +● When considering the types of goods and services to +include in their Title I EL Budget Plan, school leaders should +also consider the effectiveness of purchases made with prior +Title I EL funds on improving EL student achievement. +Budgeting for an FTE +● If requesting an ESL FTE, make sure the minimum ESL FTE +requirement is met within your general funds before +submitting an additional request on your EL Title 1 +allocation. This should only be a supplemental position. This +FTE cannot deliver core ESL instruction to meet minimum +ESL instructional compliance. +● Identify how the position primarily serves ELD 1 and 2 +students if applicable. +● Both salary and benefits need to be accounted for. +● It will be the school leader’s responsibility to ensure that this +FTE does not perform job responsibilities other than those +approved with the use of the Title I EL funds. + + + + +Page 13: +Superintendent’s Circular EL-04 +Page 13 of 19 + + +Budgeting for Stipends +● If requesting stipends for supplemental EL instructional +support outside of school hours, make sure that staff are +appropriately qualified (e.g., ESL license, SEI endorsement, +bilingual endorsement) to instruct ELs. Specify the nature of +the services provided to demonstrate that core ESL +instruction is not being delivered through these stipends. +● Additionally, LATF duties are not permitted to be +compensated through these stipends. Ensure that all +stipend requests adhere to district policy. +Budgeting for Contractual Services +● If requesting contractual services for professional +development, make sure to demonstrate that the PD +provider is appropriately qualified to provide training on +English Learner instruction and that the PD is specific to +English Learner instruction or supports. +● Schools can review the OEL website to identify other +approved professional development that can be targeted for +students or parents to integrate native language and +cultural learning opportunities as part of the school PD +offerings. +Budgeting for Supplies/Materials/Technology +● If requesting technology, make sure the technology is not +already in the school being used by non-ELs and that it is +not used for mandated assessments (e.g., ACCESS, MCAS). +● If you’re requesting books/instructional materials, make sure +to indicate how this supplements the requisite or core + + +Page 14: +Superintendent’s Circular EL-04 +Page 14 of 19 + + +curriculum and how it is specifically designed for English +Learners. +The following provides a sample exemplar for the type of +rationale that needs to be included in the Title I EL Budget Plan. +QUESTION: How is this supplemental? +● Weak Rationale: This text is supplemental because it is in +addition to the core work. +● Strong Rationale: This text provides a brief, accessible guide +to this textbook to make the content comprehensible to +ELs, especially EL 1 and 2 students. This is a supplement to +traditional textbook and primary source materials for +teaching this class. Newcomer students often haven't been +taught this curriculum, so it is even more important to +communicate the essentials of this work (which many +general education students might already have learned). +○ Difference: This differs from the weak example because +it includes detail on how the text will be used in the +classroom and demonstrates supplemental use. +QUESTION: How will this solely benefit ELs? +● Weak: This will only be used for ELs. ELDs 1-3. +● Strong: This text has allowed me to make the content +accessible, especially for ELs with ELD levels 1-3. Newcomer +students often haven't been taught this curriculum, so it is +even more important to communicate the essentials of this +work (which many general education students might +already have learned). +○ Difference: This differs from the weak example because +it shows that non-EL students would not benefit from + + +Page 15: +Superintendent’s Circular EL-04 +Page 15 of 19 + + +this book and that the ELs would need the book to help +them access the content and narrative. +QUESTION: How is this tailored to meet the needs of your EL +students? +● Weak: This text is only used in ESL specific classrooms. +● Strong: The visual and shorter, chunked text provides +comprehensible input for students to master the concepts +in the traditional reading. This topic is especially important +for this time period both because my newcomer students +consistently express interest in learning about these two +events and because there are so many events within this +time period that a supplemental text would help students +follow the narrative. +○ Difference: This differs from the weak example because +it demonstrates how the text is tailored to meet the +language needs of the EL students by stating it has +visuals and shorter texts. +Title I EL Budget Monitoring Checklist (current year actual +spending): Whereas the Title I EL Budget Plan identifies the +intended use of the funds, the Title I EL Budget Monitoring +Checklist identifies how the funds were actually spent and +provides the rationale to demonstrate how the identified goals +within the Title I EL Budget Plan from the previous year were +met. Once the district’s spending deadline has passed, the Title I +EL coordinator provides each school leader with their own +checklist document that is pre-populated with each line item of +requisitions and stipends. Prior to the close of the school year, +school leaders review the rationale they provided at the time of +the purchase request, sign the document, and return it to the +Title I EL coordinator. + + +Page 16: +Superintendent’s Circular EL-04 +Page 16 of 19 + + +MONITORING COMPLIANCE +The district submits each school’s Title I EL Budget Plan and Title +I EL Budget Monitoring Checklist to META attorneys. Note: In the +event a school leader fails to comply with the submission +deadlines, the district may not process purchase requests that +fall under the school’s Title I EL budget lines until such +compliance is met. +The Title I EL funds are denoted in a school or department’s Fund +200 budget with a program code of 24xx. For instance, for FY23, +the budget line would include BPS23150 (Title I) and a program +code of 24xx (e.g., 2401). The use of these funds is subject to the +terms of the META consent decree and this circular. +Throughout the school year, the Title I EL coordinator +(title1EL@bostonpublicschools.org) will review each requisition +for purchase (e.g., requisitions, stipends, EAEs, FTEs, budget +transfers, etc.) to ensure that the given request meets Title I EL +spending guidelines and aligns to the school’s approved Title I EL +Budget Plan. The Title I EL coordinator tracks each purchase and +its rationale for annual reporting purposes. +● When a given request has not been included in a school’s +Title I EL Budget Plan, the Title I EL coordinator will request +additional information from the school to ensure +compliance. +● The Budget and Finance departments will not process any +requests without prior written approval from the Title I EL +coordinator. +The Title I EL coordinator may also request additional information +throughout the school year when necessary to ensure that +spending remains in compliance. The district reserves the right to + + +Page 17: +Superintendent’s Circular EL-04 +Page 17 of 19 + + +implement additional monitoring requirements throughout the +school year. +Timely spending: Responsibility Centers receive monthly BAIS +Financials output reports that identify the balance of available +Title I EL funds. It is the responsibility of school leaders and +department heads to ensure that funds are spent appropriately +and in a timely manner to support the unique needs of English +Learner students most effectively. +● To ensure appropriate spending, all unspent Title I EL funds +at the school level will be re-allocated to the Office of +English Learners at the close of the fiscal year for +appropriate spend- down. +META visits and requests for information: META monitors +compliance by way of reviewing the Title I EL Budget Plans and +the end-of-year Title I EL Budget Monitoring Checklists, as well as +conducting school visits. During the visit, META will meet with +the school team and may review the school’s current and +projected budget, Title I checklist, staff qualifications, and other +information deemed necessary to comply with the Consent +Decree. +● Schools will be supported by the Office of English Learners +and Grants Department prior to any such visits. +● School personnel who receive direct contact from META +attorneys with requests for information outside the context +of a scheduled visit are directed to contact the BPS Office of +Legal Advisor at legal@bostonpublicschools.org for +guidance. + + +Page 18: +Superintendent’s Circular EL-04 +Page 18 of 19 + + +KEY DATES +Responsible +Activity +Date +School Leader +Submit FY25 Title I EL +Budget Plan (planned +expenditures for the +following school year) to +Title I EL Coordinator for +approval +Dec. 2023/Jan. 2024 +(prior to Budget +Collaborative) +OEL +Review and approve +submitted FY25 Title I +EL Budget Plan +(planned expenditures +for the following school +year) +Dec. 2023/Jan. 2024 +(prior to Budget +Collaborative) +Office of Legal +Advisor +Submit annual Title I +report to META +January 2024 +School Leader +Submit FY24 Title I EL +Checklist to OEL/Grants +(accounting of +expenditures from the +current school year) +June 2024 (after +spending deadline) +September 2024 (if +applicable, for any +2024 summer +spending) +OEL +Review and analyze +submitted FY24 Title I +EL Checklist to +OEL/Grants +July 2024 + + + +Page 19: +Superintendent’s Circular EL-04 +Page 19 of 19 + + +RESOURCES +Title I for English Learners website: +https://www.bostonpublicschools.org/title1el. +Guidance is also included annually in the district’s Budget +Collaborative and Probable Organization guidance document for +school leaders. +For more information about this circular, contact: +Owner: +Executive Director, or +Director of Grants and External Funds +Department: +Office of English Learners or Finance +Department +Mailing Address: 2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9435 or 617-635-6995 +Email: +all-acad-division@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + diff --git a/data/data_txt/EL-06 Initial Identification and Assessment of Multilingual Learners.txt b/data/data_txt/EL-06 Initial Identification and Assessment of Multilingual Learners.txt new file mode 100644 index 0000000..cead21e --- /dev/null +++ b/data/data_txt/EL-06 Initial Identification and Assessment of Multilingual Learners.txt @@ -0,0 +1,798 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +EL-06 +Version 01 + + + +1 +INITIAL IDENTIFICATION AND ASSESSMENT OF +MULTILINGUAL LEARNERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to bring clarity and guidance +regarding the initial identification and assessment of Multilingual +Learners (MLs) in BPS. The district is obligated to appropriately +assess and identify MLs as outlined in several key documents, +including by the Massachusetts Department of Elementary and +Secondary Education’s Guidance1, the Successor Settlement +Agreement and META Consent Decree. To meet our obligations +to our MLs and their families, we must ensure that all BPS +students are correctly assessed, identified, placed, and receive +appropriate services. + + + +1 https://www.doe.mass.edu/ele/resources/id-assess-place- +reclass.html + + +Page 2: +Superintendent’s Circular EL-06 +Page 2 of 20 + +TABLE OF CONTENTS +1. Assessment requirements +2. Reason to suspect a student may be a Multilingual Learner +3. Process to assess Students for Multilingual Learner status +who have an HLS of EEE +4. K1 School-Based English Language Proficiency Assessment +Calendar SY 2024 + +1. ASSESSMENT REQUIREMENTS +Under federal2 and state3 law, the Boston Public Schools (BPS) +must take appropriate steps to identify potential Multilingual + +2 Paragraph 28 of The Successor Agreement between the United +States of America and the Boston Public Schools and U.S. +Department of Education (USDOE) and U.S. Department of +Justice (USDOJ) EL policy document entitled Dear Colleague +Letter, English Learner Students and Limited English Proficient +parents/guardians (01/7/2015) (referred to as “Dear Colleague +letter” hereafter) at +http://www2.ed.gov/about/offices/list/ocr/letters/colleague-el- +201501.pdf. +3 Guidance on Placement, Progress Monitoring and +Reclassification Procedures of English Learners, Massachusetts +Department of Elementary and Secondary Education, and G. L. C. +71A; 603 CMR 14.02. + + + + +Page 3: +Superintendent’s Circular EL-06 +Page 3 of 20 + +Learners (MLs) in K2 through grade 12 and provide them with the +appropriate English Learner services and supports. The initial +identification and assessment of Multilingual Learners follows the +requirements outlined in paragraphs 28-31 of the Successor +Settlement Agreement: +Successor Settlement Agreement Paragraph 28: +A student must be referred for an English language proficiency +assessment when the results of the Home Language Survey +(HLS) indicate that a language other than English is: +• The primary language used in the home, regardless of the +language spoken by the student +• The language most often spoken by the student, and/or +• The language that the student first acquired. +If the parent/guardian answered “yes” to one or more of the +above questions, the student is required to be assessed using the +grade-level, state-required language screening assessment. +Please refer to the MA Department of Elementary and Secondary +Education Guidance on the Initial Identification of English +Learners for more information on identifying and evaluating ELs. +The Successor Agreement obligates the district to ensure that +English language proficiency (ELP) assessments shall be +accomplished as soon as possible, but no later than 20 days from +the student’s enrollment during the school year, or within 20 +days or by the first day of the new school year, whichever comes +later, if the student enrolls during the summer. During peak +seasons, January 1 through March 15 and August 1 through +October 31, ELP assessments shall be accomplished as soon as +possible, but no later than 25 days. Parents/guardians shall be + + +Page 4: +Superintendent’s Circular EL-06 +Page 4 of 20 + +informed in writing of assessment results and student +assignment options no later than 2 school days after the +completion of the assessments. The Newcomers Assessment and +Counseling Center provides written notice of the assessment +scores and school choice options to the parent/guardian at the +end of the assessment appointment. +TABLE 1: The following table delineates the process of +Multilingual Learner identification at the time of enrollment. It +highlights the departments’ roles and responsibilities and their +order in Multilingual Learner identification. +Please note: Bolded action steps relate directly to English +Learner identification and placement. + + + + +Page 5: +Superintendent’s Circular EL-06 +Page 5 of 20 + +Department +Action Steps +Welcome +Center +1. Collect and verify documents (medical forms, +residency, birth date). +2. Administer Home Language Survey (HLS) to all +families to identify potential Els. +3. Score HLS and inform families of the result. +4. Schedule an appointment at NACC if the HLS score is +anything other than EEE. +5. Assign an initial case number to the student. +Newcomers +Assessment +and +Counseling +Center +(NACC) +1. Interview families and collect information about +students’ academic background. +2. Assess K-12 students in English and determine the +initial ELD level. +3. Administer Native Language test to newcomer +students in grades 3-12 in the major languages spoken +in BPS if students indicate interrupted learning or +limited formal education. +4. Inform families of their program options so that they +feel equipped to make the best choice for their child. +5. Enter families' choices in SIS so BPS can begin the +assignment process. +Enrollment +Planning +Services +1. Approve case for assignment. +2. Assign a BPS identification number to the case. +3. Review the school choices and use the NACC +placement recommendations to assign the student to +a school. +4. Maintain student assignment data. +5. Notify families by letter of their final assignment. + + +Page 6: +Superintendent’s Circular EL-06 +Page 6 of 20 + +PARENT NOTIFICATION AND COUNSELING +After scoring the assessment, assessment specialists review all +available information (e.g., transcripts, IEP, 504 plans) collected +from the parent/guardian during the intake interview to propose +a program recommendation. +Next, testers sit with the parent/guardian to inform them, in the +language of their preference, of the results of the assessment. +Testers use all available information collected during the +language testing appointment to counsel the parent/guardian +about EL programs and services (e.g., SEI, SLIFE, Dual Language, +etc.) that are appropriate for their child's proficiency level. After +counseling the families, testers enter scores into the student's +case record in Aspen SIS, which generates a list of schools with +the appropriate programs and services. The parent/guardian +then ranks schools on their choice list and signs the school +selection form. The tester enters the parent/guardian’s rank order +choices into SIS, and the case is forwarded to the Welcome +Services student assignment team. At the end of the visit, the +family receives a copy of the documents (e.g. Notification of Initial +Assessment Form they signed. +2. REASON TO SUSPECT A STUDENT MAY BE AN ENGLISH +LEARNER +Paragraph 28 of the Successor Settlement Agreement requires +the district to assess enrolling students whose Home Language +Survey does not indicate a language other than English in the +case that “there is any other reason to believe the student is not +proficient in English.” The district has operationalized this +requirement as detailed in the tables in section 3. + + +Page 7: +Superintendent’s Circular EL-06 +Page 7 of 20 + +3. PROCESS TO ASSESS STUDENTS FOR ENGLISH LEARNER +STATUS WHO HAVE AN HLS OF EEE +Some students may be suspected of being MLs but may not have +been identified during enrollment because of an HLS score of +EEE. The following table outlines the action steps necessary to +determine if such a student is an ML. +TABLE 2: Please see Table 2 for the process to assess students +who have an HLS of EEE and are suspected of being Multilingual +Learners. +Department +Action Steps +School +1. Obtain written parent permission that they would +like to amend their HLS results in Aspen to indicate +another language is spoken at home and that they +would like their student tested for ELE services +before administering testing. Parents must include +the updated home language on their request. +Parents must be informed that this change will +result in testing. +2. Submit this request to the EL-CCR with a copy of the +updated letter of the home language survey to +upload, or, if it is an email, please make sure the +email is one that is stored in Aspen in the contact +section. +3. Attach the documentation to the EL-CCR form and +forward these items to the Office of Multilingual and +Multicultural Education at +ommeequityteam@bostonpublicschools.org. + + +Page 8: +Superintendent’s Circular EL-06 +Page 8 of 20 + +Department +Action Steps +OMME Equity +and +Accountability +4. Review EL-CCR submission for a first language +change request and either approve or deny based +on meeting requirements for submission. +5. Inform school of EL-CCR decision. +School +6. Wait for an approval email and for the HLS results to +be changed in Aspen. Please do not test the student +until you have received approval from OMME. +7. Test the student with the WIDA Screener. You must +administer the test to the student in person with a +trained test administrator. +8. Enter the test results in Aspen under the language +tab. +9. Submit another request to the EL-CCR for the +student to have an ELD level and include the results +of the test in the upload of documentation. +OMME Equity +and +Accountability +10. Review EL-CCR submission for a NEL to EL request +and either approve or deny based on meeting +requirements for submission. +11. Inform school of EL-CCR decision. +School +12. Schedule student for ELE services appropriate to +their ELP. + +TABLE 3: The following table outlines the steps that must be +taken before assessing a student’s potential Multilingual Learner +Status based on their Home Language Survey Score. + + + +Page 9: +Superintendent’s Circular EL-06 +Page 9 of 20 + +HLS Result +Procedure +OEE/EOE/E +EO +Parent/ +Guardian +Permission +Required? +YES: Welcome Center explains testing +implications of Home Language Survey results +during the enrollment process. +Action +Steps +1. Student is identified as a potential ML +upon registration via the Home Language +Survey at the Welcome Center. +2. Student case is transferred to NACC +where the family is interviewed and +student is assessed. +3. Student is assigned. +4. Student receives ACCESS testing annually +until they meet exit criteria. +OEE/EOE/E +EO + +But +student +tested +proficient +during +testing at +the time of +enrollment +Parent/ +Guardian +Permission +Required? +YES: Schools must contact the parent/guardian +and inform them they have concerns based on +evidence (i.e., academic performance, test +results) and want to assess their student. The +school must document all meetings and +information shared with parents and include +them in the ELD folder. +Action +Steps +1. Parent/guardian(s) must put in writing +that they would like to have their student +reassessed. Please inform the parent that +this may lead to their student being +identified as a Multilingual Learner (ML) +which will result in EL services being +required and an annual ACCESS + + +Page 10: +Superintendent’s Circular EL-06 +Page 10 of 20 + +HLS Result +Procedure +assessment. +2. If the parent/guardian(s) agree, test the +student with the appropriate WIDA +assessment. You must administer the test +to the student in person with a trained +test administrator. +3. Enter the test results in Aspen under the +LEP Testing Template. Contact NACC with +questions about the LEP Testing +Template. +4. Submit a request to the EL-CCR for the +student to have a NEL to EL change, and +include the parent’s documentation, +school documentation, and results of the +test in the upload of documentation. + +TABLE 4: The following table outlines which test a trained test +administrator should administer to a student who may be a +potential Multilingual Learner. +Please note: A grade level begins on July 1st of the summer +before entering a grade and ends on June 30th of the year of +completing that grade. + + + + +Page 11: +Superintendent’s Circular EL-06 +Page 11 of 20 + +Student +Grade Level +Correct Screener +Test +Who Can Administer +K1 +WIDA Screener +for Kindergarten +(2 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +Currently enrolled K1 students are +tested annually beginning April 15 for +K2 seats in the upcoming school year. +K2 +First half of +the school +year + +WIDA Screener +for Kindergarten +(2 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment +K2 +Second half +of the school +year (from +Tuesday +after MLK +day) +WIDA Screener +for Kindergarten +(4 domains) + +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment +1 +First half of +the school +year (until +Friday +Before MLK +WIDA Screener +for Kindergarten +(4 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment + + +Page 12: +Superintendent’s Circular EL-06 +Page 12 of 20 + +Student +Grade Level +Correct Screener +Test +Who Can Administer +Day) +1 +Second half +of the school +year +(from +Tuesday +after MLK +Day) +WIDA Screener +Online +Teachers currently certified in WIDA +Screener Online (include TIII Parent +Notification of Initial Identification) +OR +NACC by request and with appointment +3-12 +With 1 or 2 +years in +district +WIDA Screener +Online & Native +Language +Assessment +NACC only +3-12 +With 3 or +more years +in district +WIDA Screener +Online +Teachers currently certified in WIDA +Screener Online (include TIII Parent +Notification of Initial Identification) +OR +NACC by request and with appointment + + + + + +Page 13: +Superintendent’s Circular EL-06 +Page 13 of 20 + +TABLE 5: The following table outlines when ACCESS Testing is +appropriate for Multilingual Learners. +Student Details +Administer ACCESS Test? +A student is a suspected ML but has not +been confirmed as a Multilingual +Learner. +No. Do not administer ACCESS. +Instead, follow the steps to +confirm a suspected EL outlined +in Table 1. +A student is a confirmed ML based on +the correct screener test. (Steps for +identifying correct screener test +outlined in Table 2). +Yes. Administer ACCESS. +A student is a confirmed ML based on +the correct screener test BUT has opted +out of some or all English Learner +services. (Steps for identifying correct +screener test outlined in Table 2). +Yes. Administer ACCESS. +A student scored Proficient on the +correct screener test. (Steps for +identifying correct screener test +outlined in Table 2). +No. Do not administer ACCESS. + A student scored Proficient on ACCESS +the previous year +No. Do not administer ACCESS. + + + + + +Page 14: +Superintendent’s Circular EL-06 +Page 14 of 20 + +4. K1 SCHOOL-BASED ENGLISH LANGUAGE PROFICIENCY +ASSESSMENT CALENDAR SY 2024 +Every year, school-based designated testers assess approximately +1,300 K1 students under the training and guidance of NACC. To +ensure that all K1 students identified as Multilingual Learners +(MLs) receive the related services and programs in SY 2023-2024, +we ask schools to carefully review, prepare for, and adhere to the +assessment calendar below. +TABLE 6: +Action Steps +Instructions +Date(s) +STEP 1 +Convene Language +Assessment Team +School staff should review their K1 roster +to start developing their assessment +schedule: +Following NACC training, schools will +receive a list of students that need to be +assessed. Schools should carefully review +this list. +If a school suspects a student should be +on the list to be assessed because a +language other than English is spoken in +the home, the LAT should convene to +determine if the student is eligible for +testing. Contact NACC and the OMME +Instruction Team if you have any +questions about this. +Although explicit parental consent is not +03/01/24 + + +Page 15: +Superintendent’s Circular EL-06 +Page 15 of 20 + +Action Steps +Instructions +Date(s) +required, schools should meet with +parents/guardians to discuss concerns +and inform them of the plan to assess +students with the grade level required +language screener (WIDA screener for +K1). This communication allows the +families to have meaningful access to +their child’s education. +STEP 2 +Identify designated +testers +The principal identifies the staff +members who will administer the +English language proficiency +assessment. School leader should submit +the name of the school-based +designated tester on this form. +The designated testers should be +licensed teachers or licensed staff +members who are experienced EL +educators. +It is recommended that schools select +their Language Acquisition Team +facilitators (LAT-F), ESL teachers, and K1 +teachers familiar with the students as the +designated testers. +Beginning April 15th, school leaders +provide 3 hours for K1 designated testers +to watch the WIDA Screener for +03/01/24 + + +Page 16: +Superintendent’s Circular EL-06 +Page 16 of 20 + +Action Steps +Instructions +Date(s) +Kindergarten training course and take all +the required Quizzes on the WIDA Secure +Portal before they come to overview +sessions. (3 hours could be during their +common planning time, school-based PD +time, etc.) Designated testers should use +the following Google Form link to submit +their SY 2024 WIDA Certificates: Google +Form. +Schools with K1 programs should +designate testers for a test +administration overview session. +Designated testers will receive a +registration link for an overview session +no later than Tuesday, April 2, 2024. +STEP 3 +Attend training +session +Schools must allocate time for the +designated testers to attend one of the +K1 test administration overview sessions. +All test administration overview sessions +will take place online. +Training is designed to support new and +experienced testers. +04/2/24 & +04/03/23 + + + +Page 17: +Superintendent’s Circular EL-06 +Page 17 of 20 + +Action Steps +Instructions +Date(s) +STEP 4 +Pick up materials +Designated testers should pick up the +testing materials after the overview +session at NACC in the Bolling Building. +04/04/24- +04/09/23 + +STEP 5 +Assess identified K1 +students +Designated testers assess all identified K1 +students with the corresponding English +language proficiency assessment. +Only testers who attend the training +sessions in April can administer the +English language proficiency +assessments. +To ensure appropriate test +administration, designated testers +cannot transfer assessment +responsibilities or “deputize” educators +who have not attended a SY 2024 +training session. +Students with disabilities should be +tested according to their IEP +accommodations. Copies of the IEP +accommodations should be attached to +the students’ test booklets and +forwarded to NACC no later than Friday, +May 10, 2024. +To ensure that students receive the +05/10/24 + + +Page 18: +Superintendent’s Circular EL-06 +Page 18 of 20 + +Action Steps +Instructions +Date(s) +appropriate placements for the 2024- +2025 school year, K1 English language +proficiency assessments must be +completed no later than Friday, May 10, +2024. +STEP 6 +LAT-F input test +results, return test +answer booklets and +requested +documents +LAT-F input results of English language +proficiency assessments into Aspen SIS +to ensure the initial ELD level and test +results become a part of the student’s +assessment record. All test results must +be entered into Aspen SIS by Friday, May +10, 2024. +Schools must keep copies of the test +answer sheets and a hard copy of the +WIDA Score Report in the students’ ELD +folders. +If a student was screened and found NOT +to be an EL, the school should keep the +test answer sheet and the WIDA Score +Report in the student’s cumulative folder. +Schools must return all original test +answer booklets and all requested +documents to NACC no later than Friday, +May 10, 2024 so that OMME can review +the data before submitting final test +05/10/24 + + +Page 19: +Superintendent’s Circular EL-06 +Page 19 of 20 + +Action Steps +Instructions +Date(s) +scores to OIIT. +STEP 7 + +Data Validation +OMME will review assessment samples +for data validation. +OMME will inform LATFs of any errors in +assessment scoring. Schools will be able +to see any updates to their data in Aspen +SIS after May 17, 2024. +05/17/24 +STEP 8 + +Parent Notification +Letter +LAT-Fs will inform the parent/guardian of +their student’s assessment results via the +Parent Notification Letter in the parent’s +preferred language within two weeks +after the assessment data is confirmed in +Aspen SIS. +File a signed copy of the letter in the +student’s ELD folder. +05/31/2024 +STEP 9 + +K1 students +assigned after +05/10/24 + +After the testing window closes on May +10, 2024, schools must continue to assess +all newly assigned K1 students whose +HLS indicates any language other than +English. +The designated tester must borrow a +copy of the Kindergarten Screener for +testing K1 students from NACC. +06/14/24 + + +Page 20: +Superintendent’s Circular EL-06 +Page 20 of 20 + +Action Steps +Instructions +Date(s) +Designated testers should follow the +instructions in Step 4 and Step 5. + + +For more information about this circular, contact: +Owner: +NACC Director +Department: +Office of Multilingual and Multicultural +Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-1565 +Email: +nacc@bostonpublicschools.org +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EL-07 Instructional System & Monitoring for Multilingual Learners.txt b/data/data_txt/EL-07 Instructional System & Monitoring for Multilingual Learners.txt new file mode 100644 index 0000000..ce06f92 --- /dev/null +++ b/data/data_txt/EL-07 Instructional System & Monitoring for Multilingual Learners.txt @@ -0,0 +1,759 @@ +Page 1: + + + + + Superintendent’s +Circular +NUMBER: +EL-07 +Version 01 + +BPS INSTRUCTIONAL SYSTEM AND MONITORING FOR +MULTILINGUAL LEARNERS + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +This superintendent’s circular outlines the district’s instructional +system and monitoring for multilingual learners, including: +1. Instructional Expectations and Resources: +a. Defining high-quality instructional expectations and +materials for our multilingual learners and multilingual +learners with disabilities (MLWD) +b. Curating and outlining resources for schools, classroom +staff, and school leaders to change and improve +current practices in classrooms serving Multilingual +learners and those with disabilities +2. Monitoring of Multilingual Learners’ Instruction: +a. Monitoring Individualized Learning Plans (ILPs) for +multilingual learners who have not met ACCESS +progress benchmarks + + +Page 2: + + +Superintendent’s Circular EL-07 +Page 2 of 18 + +b. Conducting classroom observations by school leaders +and district regional support teams or ESL and content +instruction across programs serving Multilingual +learners +In accordance with the DOJ agreement for ELE services, an +overview of ELE services, compliance monitoring, accountability, +and DOJ reporting schedule is outlined here. + +INSTRUCTIONAL EXPECTATIONS +The circular provides foundational information on practices and +expectations regarding high-quality instruction and grade-level +content instruction for our MLs aligned to MA-DESE frameworks +and grade-level standards. Included are resources for classroom +staff and school leaders to align and improve current classroom +practices. The research-based resources and strategies will +provide consistent, high-quality educational practices across the +District to develop a systemwide understanding of expectations +for instructing our multilingual learners and those with +disabilities. +One priority of the Office of Multilingual and Multicultural +Education (OMME) is to outline instructional expectations with +guidance and resources for multilingual learner (ML) educators to +accelerate MLs’ language acquisition and support their growth +across content. All MLs are entitled to meaningful access to +grade-level content learning and English language development +(ELD) instruction to build their English language skills in all four +language domains (reading, writing, listening, and speaking). All + + +Page 3: + + +Superintendent’s Circular EL-07 +Page 3 of 18 + +MLs regardless of program or placement are entitled to receive +sheltered content with an SEI teacher and ESL services with an +ESL-certified teacher1. To that end, OMME is committed to +providing all ESL and SEI content teachers with tools that best +support MLs. + +GROUNDING THE INSTRUCTIONAL CORE IN WIDA AND MA +CURRICULUM FRAMEWORKS +To maintain high-quality content and language learning for MLs, +it is paramount to center all ML instruction for Fall 2023 and +beyond on research-based standards for language development +as well as grade-level content. OMME expects that the MA +Curriculum Frameworks and WIDA 2020 Standards Framework +are the foundations for all effective delivery of English as a +Second Language (ESL) instruction and English Learner +Education programs. +OMME has created clear and explicit guidance around what +defines English as a Second Language (ESL) instruction in Boston +Public Schools (BPS) and the varied programmatic structures it +may take. ESL is its own subject matter and provides explicit, +systematic, and sustained language instruction to promote MLs’ +success at school and beyond. ESL is: + +1 Any core academic teacher of an Multilingual Learner (providing instruction in English): teachers of +MLs with moderate disabilities; teachers of MLs with severe disabilities; teachers in English, reading or +language arts; mathematics, science; civics and government, economics, history, and geography; early +childhood and elementary teachers who teach MLs such subjects; and any career vocational technical +teacher who instructs a ML. + + +Page 4: + + +Superintendent’s Circular EL-07 +Page 4 of 18 + + +• Asset-based and culturally sustaining +• Language driven +• Balanced, focused on both meaning and form +• Standards-based (i.e. ELA, History, Math, Science), rigorous, +and integrated +• Designed for authentic language interactions, dialogue, and +collaboration +• Planned and dynamic +• Differentiated and scaffolded +• Grounded in effective assessment practices + +Successful pedagogy is grounded in these frameworks and +approaches: +● MA Curriculum Frameworks: The frameworks establish clear +academic expectations for what students should know and +be able to do at the end of each school year. They +emphasize the development of 21st-century skills with +college and career readiness. Current curriculum +frameworks for each content area can be found here. +○ English Language Arts & Literacy +○ Social Studies / Humanities +○ Science Technology & Engineering +○ World Language Standards +● WIDA: A research-based, comprehensive approach to + + +Page 5: + + +Superintendent’s Circular EL-07 +Page 5 of 18 + +supporting, teaching, and assessing multilingual learners. +The WIDA 2020 Framework and Standards prioritize equity +of opportunity and access, integration of content and +language, collaboration among stakeholders, and a +functional approach to language development. + +Key components to effective ML teaching in the BPS: +● Native Language : Research shows that using native +language instruction and resources has a positive effect on +English language development. Teachers should leverage +students’ native-language literacy skills whenever possible +and use that knowledge to facilitate metalinguistic +awareness and cross-linguistic transfer. When teachers have +a basic knowledge of students’ native language structure, +they can better identify students’ positive and negative +linguistic transfers. Furthermore, teachers should consider +using native language materials to build background +knowledge and help students transfer content-area skills +and understandings from one language to another. +● Collaboration Among ML Educators: BPS prioritizes teacher +collaboration to support MLs’ success in content area +classes and programs. “Co-Teaching ESL is a unique form of +teacher collaboration where two teachers (an ESL and a +grade level/content area teacher) fully share teaching +responsibilities for a common group of students. The co- +teachers jointly plan for, deliver, and assess dedicated, +systematic, explicit, and sustained standards-based and +language-focused ESL instruction that connects to content + + +Page 6: + + +Superintendent’s Circular EL-07 +Page 6 of 18 + +area topics and analytical practices.” (DESE’s Quick +Reference Guide Co-Teaching Co-Teaching ESL) + +MATERIALS GUIDANCE +OMME will continue to work across academic departments to +ensure that all materials provide scaffolding and supports for +multilingual learners. To support this initiative, OMME has +developed an ELD Look-For Tool that illustrates effective +culturally and linguistically sustaining practices that are key +instructional components for all classrooms serving Multilingual +Learners. This tool is aligned with research-based best practices +for MLs and to the BPS Equitable Literacy Look-Fors, and the +Culturally Responsive Instruction Observation Protocol (CRIOP). +In order to support the integration of content and language, +OMME created an integrated Language Objectives writing tool +and a series of professional development to support this initiative. + +Multilingual Instructional Coaches (MICs) worked throughout SY +2022/23 to analyze district-approved tier 1 curriculum, thoroughly +examine the WIDA 2020 Standards Framework to create a scope +and sequence and unit maps for ESL instruction for grades K-12: +Focus in Grades K0-2, EL Education for Grades 3-5, and StudySync +and core content in Grades 6-12. All curriculum and support +documents will be housed in this Boston Public Schools ESL +Curriculum Digital Notebook. + + + + +Page 7: + + +Superintendent’s Circular EL-07 +Page 7 of 18 + +The work was grounded in: +• Massachusetts Department of Elementary and Secondary +(DESE) Next Generation ESL Curriculum Guidance, +• 7 Forms of Bias, +• Culturally Responsive Teaching, +• Systemic Functional Linguistics, +• Equitable Literacy and Culturally and Linguistically +Sustaining Practices, +• the 3Ls, +• WIDA 2020 Standards Framework, and +• Understanding by Design (UbD). + +Dual Language schools have adopted a variety of authentic texts +or trans-adapted texts / materials in the native language. OMME +recommends usage of native language text sets aligned to grade +level standards and units of study that meet the rigor and +expectations for quality materials using CURATE. Additionally, the +district recommends the following Spanish and English +complimentary materials for dual language: +1. Focus Transadapted Spanish Texts +2. American Reading Company +Other Dual Language and bilingual programs in majority BPS +languages are provided materials in the form of authentic texts +or transadapted texts thematically aligned to the biliteracy +framework for the target languages that must meet grade level +standards. + + +Page 8: + + +Superintendent’s Circular EL-07 +Page 8 of 18 + + +In setting expectations for high-quality instruction, the District +has a responsibility to provide district level and individualized +coaching support for school and classroom staff. The following is +a list of instructional recommendations with critical resources for +teachers and school leaders serving multilingual learners and +English learners with disabilities (ELD). + +SEI PROGRAMS VS. SEI CLASSROOMS +Boston Public Schools has the highest number of MLs across the +state. Therefore, it is expected that every BPS classroom is an SEI +classroom (if there is at least one multilingual learner enrolled) +with a qualified SEI teacher. Additionally, BPS offers SEI programs +to students at ELD levels 1-3 with some language specific +programs at specified schools to better meet the needs of +students at ELD levels 1-3 and provide language support if the +educator has the same language. All MLs across ELD levels and +placement settings are expected to receive ESL instruction in +accordance with their level, grouping per the Department of +Justice (DOJ) and the Massachusetts Department of Elementary +& Secondary Education (MA DESE). + +ESL: English as a Second Language SCI: Sheltered Content Instruction +NLI: Native Language Instruction NLS: Native Language Support + + + +Page 9: + + +Superintendent’s Circular EL-07 +Page 9 of 18 + +Program Type & +Target +Instructi +on Type +BPS Instructional Expectations +Resources +SEI Multilingual +Program - targeted +for ML ELD 1-3 with +low incidence +languages +✓ ESL +✓ SCI +● +Grade level aligned instruction +using district materials or +curriculum meets MA frameworks. +● +Adapting or differentiation for lower +ELD levels and/or low levels of +literacy to accelerate learning. +● +Educators teach academic +language and align to MA +Framework content grade level +standards and WIDA standards. +● +Classroom teachers collaborate and +plan with ESL teachers. +● +Educators are bilingual and believe +that the native language of +students and families is an asset +and promotes bilingual education. +● +Classroom environments are +multicultural, engage diverse +perspectives and experiences and +value all students' cultural and +linguistic backgrounds. +● +Student ILP (if needed) is aligned to +WIDA Can Do and language +domains. +● +ESL instructional pedagogy is +connected thematically with a +focus on academic language. +● MASS +Literacy +Guide +● MA DESE +Collaboration +Tool +● Incorporating +Native +Language +into Learning +● BPS +Equitable +Literacy Look- +Fors +● MA DESE ESL +Model +Curriculum +Units +● CGCS 3Ls: +Learning, +Language +and Literacy +● SFL Writing +Pedagogy +● UDL +Guidelines +● MA DESE’s +Defining ESL +Guidance +SEI Language +Specific Program - +targeted for ML ELD +1-3 with high +incidence languages +✓ ESL +✓ SCI +✓ NLS* +SEI Inclusion +Program - targeted +for dually +identified ML with +ELD levels 1-3 and +MLs with Disabilities +✓ ESL +✓ SCI +✓ NLS* +SEI Classrooms +without district ELE +Programs - targeted +to ELD 4 and ELD 5 +and at all schools +without an SEI +Multilingual, +Language Specific +or SEI Inclusion +Program + +✓ ESL +✓ SCI + + +Page 10: + + +Superintendent’s Circular EL-07 +Page 10 of 18 + + + +Dual Language - +targeted for MLs in +ELD levels 1-3 and +English monolingual +students +✓ ESL +✓ SCI +✓ NLI +● +Biliteracy skills that support each +language and build metalinguistic +awareness, such as teaching +cognates. +● +Educators are bilingual and hold +the belief that the native language +of students and families is an asset. +● +Materials reflect authentic texts or +are +● +transadapted with authors who +reflect the linguistic and ethnic +diversity of the target language. +● +The curriculum includes a +standards-based scope and +sequence for language and literacy +development in English and the +partner language for all students. + +● Dual +Language +CAL +Guidance +SLIFE - targeted for +newcomer students +with low native +literacy +assessments and +gaps of education +(Newcomer +Program) +✓ ESL +✓ SCI +✓ NLI +✓ NLS * +● +Native language literacy and +numeracy skills that develop +students academically. +● +Appropriate developmental +strategies and pedagogy that build +on students’ schema and life +experiences. +● +Educators are bilingual and hold +the belief that the native language +● SLIFE DESE +Guidance + + +Page 11: + + +Superintendent’s Circular EL-07 +Page 11 of 18 + +of students and families is an asset. +● +Materials reflect authentic texts or +are +● +transadapted with authors who +reflect the linguistic and ethnic +diversity of the target language. +● +Drawing on students’ cultures and +identities with projects and life skills +that connect to their communities +and assets. +Heritage Program - +targeted for +students with +common ethnic and +native language +✓ NLI +✓ ESL +● +Students from heritage +backgrounds are taught target +language across modalities aligned +to World Language Standards. +● +Identity is often a major factor in +heritage speakers/signers’ +motivations for language learning, +and educators must discuss identity +issues to effectively support +students in making the cultural +connections described in world +language content standards. +● World +Language +Standards +● Heritage +Speakers' +Guide + + +MONITORING OF MULTILINGUAL LEARNERS INSTRUCTION +In addition, this circular outlines the District's expectations for +Central Office and school leaders regarding a quality monitoring +system for ESL and content instruction for multilingual learners +across English Learner Education (ELE) programs and general +education settings. This system facilitates the District's +identification of classrooms, programs, and schools of excellence +so BPS can share these practices, trends and teaching pedagogy + + +Page 12: + + +Superintendent’s Circular EL-07 +Page 12 of 18 + +district-wide. In addition, routine observations will allow the +District to identify schools and classrooms that need support for +instructional improvement and, in some cases, intervention at a +school, program, or classroom. The BPS monitoring system will +ensure that students with an ILP are attended to with specific +language goals. + +MONITORING OF ML INDIVIDUALIZED LEARNING PLANS (ILPS) +Multilingual Learners that are not meeting targeted ACCESS +progress benchmarks indicated by MA DESE are required to have +Individual Learning Plans (ILP) (also known as a student success +plan) that track their language growth and academic progress. +Each year, OMME will share guidance, the list of students who +need an ILP per DESE’s criteria, and the template document. +LATFs will support the dissemination of information and these +materials to teachers for completion. The ILPs should be +completed by the student’s team of teachers, integrating how +the student will grow across content areas. The use of the WIDA +framework and Can Do descriptors guide the BPS ILP document +so that the goals within each language domain of where a +student needs to grow to move to the next level on the English +language proficiency continuum are aligned with WIDA. A BPS +ILP sample template can be found here. + +With the continued implementation of this policy, school leaders, +LATFs and teachers are expected to: +• Identify the areas in which identified MLs need + + +Page 13: + + +Superintendent’s Circular EL-07 +Page 13 of 18 + +improvement and establish personalized goals for +attaining English proficiency; +• Assess and track the progress of MLs who did not meet +benchmarks in the identified areas in need of +improvement; +• Review resources and services available to assist MLs in +the identified areas in need of improvement; and +• Incorporate input from the parents or legal guardian of +the identified ML. + +OMME is developing a systemic approach to monitoring ILPs for +ML who have not met WIDA ACCESS Benchmarks as outlined +below: +• School leaders and LATFs will be notified and updated on +the percentage of ILP completion, and OMME will +monitor progress towards 100% completion of ILP plan; +• ILPs should be finalized for students by October 15, 2023; +• Schools principals and LATFs with incomplete ILPs will be +notified by late October to follow-up; +• Any remaining incomplete ILPs will be reflected on school +EL plans; +• OMME Equity and Accountability regional liaisons will +work with school superintendents to ensure ILP +completion for ML identified in need of a plan. + +MONITORING OF INSTRUCTION +BPS recognizes that rigorous, standards-based, culturally +affirming instruction is critical to student outcomes in our + + +Page 14: + + +Superintendent’s Circular EL-07 +Page 14 of 18 + +highest needs schools. The district will implement a consistent +monitoring system to ensure ESL and content instruction for +Multilingual learners and those with Disabilities receive high- +quality instruction and opportunities for accelerated learning +across Equitable MTSS tiers. +● The Office of Multilingual and Multicultural Education +(OMME) is increasing staffing and instructional support in +SY23/24 to support school leaders and educators in meeting +consistent expectations for instructional practices for +Multilingual Learners and those with disabilities. OMME +multilingual instructional coaches will work to align +instructional expectations from the district to classroom +level with materials, role expectations, instructional +practices, and coaching cycles. +● OMME has adopted an updated MLs observation tool using +the Equitable Literacy Self Reflection Tool and Learning, +Language and Literacy observation tool with embedded +practices that meet grade level content expectations for +MLs. The updated MLs observation tool will be utilized +district-wide to perform learning walks and observations +across all ESL and content classrooms where MLs are placed +in order to assess the quality of teaching and learning for +Multilingual learners with a focus on Culturally and +Linguistically Sustaining Practices (CLSP). +● BPS district teams and schools will use the updated MLs +observation tool replicated in Bullseye online platform for +observers to input observation records in order to collect +data, assess outcomes and monitor trends towards + + +Page 15: + + +Superintendent’s Circular EL-07 +Page 15 of 18 + +increased instructional improvements. +● All district staff, school leaders and other classroom +observers will be trained on the updated MLs observation +tool via Bullseye online platform in order to implement +across the system and leverage as a consistent routine +classroom observation and monitoring tool. + +SCHOOL ACCOUNTABILITY +The following outlines the District’s expectations for school +leaders and central office regarding a quality monitoring system +for ESL and content instruction for multilingual learners +regardless of program or placement. It will ensure that we +monitor schools for high-quality ML teaching practices and +coherence across the district. OMME will add training for school +leaders on ML instruction expectations and observation look-fors +to better prepare them for appropriately evaluating and growing +educators towards meeting proficient or exemplary status +following the MA DESE Classroom Teacher Rubric. + + + + +Page 16: + + +Superintendent’s Circular EL-07 +Page 16 of 18 + +School leaders or assigned evaluators: +a) Once every two weeks, school leaders are expected to +do short observations (10-15 minutes) of all classrooms +serving Multilingual Learners in the school. The school +leaders should use the updated MLs observation tool to +collect observation notes and align to district +instructional vision. +b) Within 48 hours of observations, school leaders should +provide the classroom leaders with a quick note +including a positive practice observed and a noticing or +wondering to improve instructional practices. +Resources aligned to expectations or improving +instructional practices should be included with the +noticings or wonderings. +c) If any concerns arise from the short observation, the +school leader should schedule an observation, +including a one-on-one discussion with the teacher +that offers resources, support, or coaching if available. +d) When a school leader observes consistent classroom +instruction below the expectations for teaching and +learning, the school leader must have a conversation +with the teacher and start the teacher improvement +evaluation process. This should include expectations +for improvement and resources to support the growth +of the classroom staff. + + + +Page 17: + + +Superintendent’s Circular EL-07 +Page 17 of 18 + +DISTRICT ACCOUNTABILITY +Regional School Superintendents and District Regional Support +Staff (District Team): +a) Once a quarter, starting at the end of September, +regional school superintendents and other district +regional support staff will join school leaders to observe +classroom practices in classrooms serving Multilingual +Learners. The team will use the updated MLs +observation tool to observe, record, and provide +feedback on classroom instructional practices to +identify trends and growth areas and monitor progress. +b) Regional support staff conducting walkthroughs will +be expected to record their observations in the +centrally maintained Bullseye online platform. This will +allow for district-wide analysis and monitoring of data +trends. Additionally, school leaders and district staff will +be able to monitor progress and share evidence to +norm and validate observations. +c) Regional school superintendents and regional support +staff will debrief with school leaders on the day of the +observations and discuss highlights of classroom +instruction, how to grow pedagogically appropriate +instructional practices, identify which instructional +practices need support, and support is provided. +d) Every quarter, the district team will monitor trends for +evidence of improvement and areas of growth. The +district team will be expected to coordinate central + + +Page 18: + + +Superintendent’s Circular EL-07 +Page 18 of 18 + +office resources, including OMME coaches, and utilize +data to support the classroom and school’s needs +effectively. +e) School superintendents will work with school leaders +who have not demonstrated progress to develop an +action plan for improving instruction with clear metrics +that include district support and will be reflected in +future QSP and on school leader evaluation. + +For more information about this circular, contact: + +Owner: +Deputy Superintendent of Academics and Interim +Assistant Superintendent of OMME +Departme +nt: +Office of Multilingual and Multicultural Education +(OMME) +Mailing +Address: +Bolling Building, 2300 Washington Street, 6th +Floor, Roxbury, MA 02119 +Phone: +617-635-9435 +Email: +OMMEequityteam@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-01 Nondiscrimination and Policy Statement.txt b/data/data_txt/EQT-01 Nondiscrimination and Policy Statement.txt new file mode 100644 index 0000000..af0a312 --- /dev/null +++ b/data/data_txt/EQT-01 Nondiscrimination and Policy Statement.txt @@ -0,0 +1,136 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-01 +Version 01 + + + +NONDISCRIMINATION POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to maintaining an +educational environment and workplace where individuals of all +backgrounds and experiences are welcomed, encouraged, +included, and can flourish. We aim to eliminate all forms of bias +and bigotry, including discrimination based on race, color, age, +criminal record (inquiries only), physical or mental disability, +pregnancy and pregnancy-related conditions, homelessness, +sex/gender, gender identity, religion, national origin, ancestry, +sexual orientation, genetics, natural or protective hairstyle, and +military status. The Boston Public Schools is resolved that +prejudice and disparate treatment will never impede our learners +or our educators. +The Boston Public Schools will not tolerate discriminatory +behavior, including intimidation, threats, or harassment of +employees, students, or anyone else who visits or is part of our +learning community. Retaliatory conduct toward persons who +have reported possible bias, discrimination, or inappropriate +behavior, who have assisted in an investigation, or who have +otherwise exercised their rights under this policy is also +prohibited. + + +Page 2: +Superintendent’s Circular EQT-01 +Page 2 of 4 + + + +Conduct in violation of this policy includes any action, including +verbal or nonverbal communication, that contributes to, +promotes, or is complicit in disrupting the district’s inclusive +learning and working environment. Derogatory or intimidating +statements, threats, acts of exclusion, or other mistreatment +regarding a student’s or employee’s membership in or +association with a member of a protected group, whether made +in person or by telephone, postal mail, e-mail, internet posting, or +any other means, will not be tolerated. This includes such +statements made toward students, members of students’ +families, employees, contractors, or other parties who support or +participate in district programming. +This policy extends to all employment and educational practices +and programs, including: +• Recruitment +• Selection and admission +• Compensation and benefits +• Access to learning +• Professional development, training, and extracurricular +activities +• Discipline, evaluation, and testing +• Reasonable accommodation for disabilities or religious +practices +• Promotion +• Transfer +• Termination +• Layoff +• Other terms and conditions of employment and education. + + + +Page 3: +Superintendent’s Circular EQT-01 +Page 3 of 4 + + + +The Boston Public Schools will vigorously implement and actively +enforce this policy to ensure that all its daily operations are +characterized by fairness, respect, and equity. Any violation of this +policy will be viewed as serious misconduct and may result in +discipline, up to and including termination of the offending +employee or expulsion of the responsible student. Retaliation +against any person who has testified, assisted, or participated in +any manner in an investigation, proceeding, or hearing of a +report of a violation of this policy, will similarly be viewed as +serious misconduct and may result in discipline, up to and +including termination or expulsion. +Information about the investigative procedures associated with +this policy is detailed in Superintendent’s Circulars EQT-02 and +EQT-05. +All Boston Public Schools newly printed publications (e.g., Code +of Conduct, Citywide Learning Standards and Curriculum +Frameworks, course selection booklets, student/parent/employee +handbooks, job postings, etc.) for students, parents, teachers, +non-academic employees, and the general public must contain +the following nondiscrimination notice: +The Boston Public Schools, in accordance with its +nondiscrimination policies, does not discriminate in its +programs, facilities, or employment or educational +opportunities on the basis of race, color, age, criminal +record (inquiries only), disability, pregnancy, homelessness, +sex/gender, gender identity, religion, national origin, +ancestry, sexual orientation, genetics, natural or protective +hairstyle, or military status, and does not tolerate any form +of retaliation, or bias-based intimidation, threat, or + + +Page 4: +Superintendent’s Circular EQT-01 +Page 4 of 4 + + + +harassment that demeans individuals’ dignity or interferes +with their ability to learn or work. + +For more information about this circular, contact: +Owner: +Assistant Superintendent of Equity +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.txt b/data/data_txt/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.txt new file mode 100644 index 0000000..41a424b --- /dev/null +++ b/data/data_txt/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.txt @@ -0,0 +1,366 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-02 +Version 01 + + + +BIAS-BASED CONDUCT TOWARD STUDENTS, FAMILIES, +OR OTHER THIRD PARTIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +The Boston Public Schools is committed to maintaining an +environment free of bias and discrimination where all students +can flourish, and all families are welcome and able to engage fully +as partners in students’ education. +The Boston Public Schools utilizes the procedures outlined in this +circular to investigate and resolve reports of alleged violations of +the district’s nondiscrimination policy (see EQT-01) that are +targeted at students, families, or other third parties. These +procedures are designed to facilitate a prompt and effective +internal review and resolution of allegations of bias-based +conduct or discrimination based on race, color, age, disability, +sex/gender, gender identity, religion, national origin, ancestry, +retaliation, sexual orientation, genetics, natural or protective +hairstyle, military status, or homelessness. The intent of these +procedures is to ensure that, to the greatest extent possible, +reports of bias-based conduct are resolved in a constructive +manner. + + + +Page 2: +Superintendent’s Circular EQT-02 +Page 2 of 10 + + + +Employees of the Boston Public Schools who become aware of +any possible bias-based conduct toward or involving students +must report the incident or concern to their school leader, +supervisor, and/or the Office of Equity as soon as practicable, +generally within the same school day. The same standard applies +to partners or contractors providing services in or under the +auspices of the Boston Public Schools. +COVERAGE +The procedures pertain solely to reports explicitly alleging bias- +based conduct related to race, color, age, disability, sex/gender, +gender identity, pregnancy, religion, national origin, ancestry, +retaliation, sexual orientation, genetics, natural or protective +hairstyle, military status, or homelessness. This applies to +allegations of discrimination, harassment, or bias-based bullying +in any activity under the auspices of the Boston Public Schools, +including, but not limited to: +• Admission +• Provision and accessibility of programs and services +• Guidance practices +• Participation in sporting events or other extracurricular +activities. + +Examples of unacceptable conduct include treating students +differently because of their membership in a protected group, +such that the treatment interferes with or limits the student’s +ability to participate in or benefit from an educational +opportunity or extracurricular program. Bias-based conduct also +includes derogatory verbal, written, print, or digital + + +Page 3: +Superintendent’s Circular EQT-02 +Page 3 of 10 + + + +communication or conduct relating to a student’s membership in +a protected category. Any form of communication or physical +action that creates an intimidating, threatening, or abusive +educational environment will not be tolerated. +Such conduct may originate with students as well as employees +and may also be caused by other persons who participate, +observe, or otherwise engage in a district-sponsored activity. +Behavior that occurs in a location other than a Boston Public +Schools building or outside of BPS school or work hours may still +constitute bias-based conduct and a violation of this policy if that +behavior has the effect of disrupting a student's ability to learn. +Examples of inappropriate behavior toward students that may +violate this policy include: +• Speaking or otherwise communicating derisively to or about +a student or parent because of their membership in a +protected group, such as their race, including the use of +slurs +• Telling or digitally circulating jokes that are derisive toward +members of a particular group, such as a student of a +particular religious faith +• Using insulting nicknames for members of a protected +group, such as a female student +• Refusing to allow students to participate in any activity +because of their membership in a protected group, such as +their sexual orientation, and in the absence of a legitimate +nondiscriminatory reason for the refusal + + +Page 4: +Superintendent’s Circular EQT-02 +Page 4 of 10 + + + +• Disciplining a student more frequently or more harshly +because of their membership in a protected group, such as +their national origin +• Displaying pictures or taking any action that is derisive to +any student based on their membership in a +• Refusal to use the gender identity affirming name and/or +pronouns that a student has stated. +Students sometimes experience “microaggressions”: verbal or +nonverbal communication that is rooted in implicit bias but does +not rise to the level of a violation of this circular. Examples +include: +• Mistaking one student for another because they share the +same racial identity +• Complimenting a student for having a skill that is counter to +a stereotype regarding their gender or ethnicity +• Assuming a student observes a particular religious holiday +or has a particular sexual orientation +• Asking a student about their disability without their +consent. +When microaggressions are reported to the Office of Equity, the +Office will partner with the student, family, and appropriate +school staff to determine an effective intervention, such as +coaching, mediation, restorative justice, or individual, classroom, +or school-wide instruction or training. + + +Page 5: +Superintendent’s Circular EQT-02 +Page 5 of 10 + + + + +GENERAL POLICIES +1. Retaliation against any student, family member, or other +third party for reporting or participating in any way in the +reporting or investigative procedure is strictly prohibited. +2. Whenever possible, investigatory meetings will be +scheduled during a mutually convenient time that does +not conflict with regularly scheduled school programs. +3. Reporting a possible violation will not be construed as +reflecting unfavorably on a student, family member, or +other third party’s good standing, academic performance, +loyalty, or desirability to the Boston Public Schools. +4. Information regarding the allegations, including the +parties involved in the report and the investigation, will +be kept confidential to the extent practicable. +5. In determining whether the alleged conduct constitutes a +violation of the BPS nondiscriminatory policy, the +Superintendent or their designee will consider the +surrounding circumstances, the nature of the behavior, +the relationships between the parties involved, and the +context in which the alleged incidents occurred. A +determination whether a particular action or incident +constitutes a violation of the policy will be based on all +the facts. + + + + +Page 6: +Superintendent’s Circular EQT-02 +Page 6 of 10 + + + +PROCEDURES +I. Reports to School Leaders +Students, families, and other third parties are encouraged to +report concerns regarding bias-based incidents of any kind +to their school’s principal or headmaster. It is advised to file +this report as close to the time of the incident as possible, as +matters are generally more easily resolved the sooner they +are reported. +The principal or headmaster (or their designee) will attempt +to work with the individual(s) to resolve the matter. They will +contact the Office of Equity to ensure that any next steps +are carried out in partnership with the Office of Equity and +appropriately documented. +Students, families, or other third parties who do not wish to +seek assistance from their school’s principal or headmaster, +or who are dissatisfied with the principal’s or headmaster’s +attempt at resolution, may report their concerns directly to +the Office of Equity. Nothing in this policy shall prevent a +student, family member, or other third party from reporting +a concern directly to the Office of Equity. +II. Reports to the Office of Equity +1. A member of the Office of Equity staff will ask the +reporter for information regarding the incident(s) and +may request that the reporter submit a written +statement. The Office of Equity will ensure that assistance +is provided in preparing such a written statement, if +needed. + + +Page 7: +Superintendent’s Circular EQT-02 +Page 7 of 10 + + + +2. After a report is received, the Office of Equity will notify +the appropriate school leader(s) and/or the individual +about whom the report has been filed, as appropriate. +3. The Office of Equity will conduct a fair, impartial, +thorough, and prompt review of the reported incident(s) +and investigate as needed. Any investigation may include +interviews with individuals who have pertinent +information, and review of any documents or other +information relevant to the investigation. BPS employees +and students are obligated to cooperate with any Equity +investigation, including promptly providing any +requested information or documents. +4. The individual who reported alleged bias-based conduct +and any subjects of the investigation will generally be +informed when the investigation is complete and +whether prohibited conduct was found. Depending on +the facts gathered, the Office of Equity may resolve the +concerns by applying approaches such as alternative +dispute resolution, restorative justice, training, or +coaching. In other instances, the results of the +investigation may also be documented as written +findings. +5. The Office of Equity will maintain records of all reports of +bias-based conduct made to the Office of Equity, noting +the school or department in which the alleged incident(s) +occurred, the person accused, and the results of the +investigation. The Office of Equity may review its records +to identify any patterns and take appropriate action as +necessary. +The Office of Equity will: + + +Page 8: +Superintendent’s Circular EQT-02 +Page 8 of 10 + + + +1. Take seriously all concerns regarding possible bias-based +conduct. +2. Take necessary steps to end any conduct determined to +be in violation of the district’s nondiscrimination policy +and prevent this conduct from recurring in the future. +3. Refer individuals found to have violated the district’s +nondiscrimination policy for disciplinary action when +appropriate. +For employees, such action may include written warning, +suspension, termination, or another action deemed +appropriate under the circumstances. (For more +information about Employee Discipline Procedures, +please see Superintendent Circular HRS-PP10.) +For students, such action may include suspension, +expulsion, or another action deemed appropriate under +the circumstances. (For more information on student +discipline, please see the Code of Discipline for Students +and Students with Disabilities – Superintendent Circulars +SUP-05 and SPE-15.) +4. Require students, employees, or other third parties found +to violate the district’s nondiscrimination policy to attend +Equity protocols and/or bias prevention training, as +appropriate. + + + + +Page 9: +Superintendent’s Circular EQT-02 +Page 9 of 10 + + + +STATE AND FEDERAL REMEDIES +Using the BPS Equity reporting process does not prohibit you +from also filing a complaint with a state or federal agency. These +agencies have a short time period for filing a claim (OCR – 180 +days; DESE – within the same school year; MCAD – 300 days). + For incidents involving students’ civil rights: +United States Department of Education Office for Civil +Rights (OCR) +John W. McCormack Post Office and Courthouse +5 Post Office Square, 8th Floor, Suite 900, Boston, MA 02109 + +(617) 289-0111 + + + + + + + For concerns regarding students’ equitable access to +education: +Massachusetts Department of Elementary and Secondary +Education (DESE) +350 Main Street, Malden, MA 02108 +(781) 388-3300 + + For concerns regarding civil rights related to food and +nutrition (school-provided meals): +U.S. Department of Agriculture Office of the Assistant +Secretary for Civil Rights +1400 Independence Avenue, SW, Washington, DC 20250 + + + + + +Page 10: +Superintendent’s Circular EQT-02 +Page 10 of 10 + + + + For incidents regarding employees’ civil rights: +Massachusetts Commission Against Discrimination (MCAD) + +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +For more information about this circular, contact: +Owner: +Director of Compliance and Title IX +Coordinator +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-03 Sexual Misconduct Toward Students.txt b/data/data_txt/EQT-03 Sexual Misconduct Toward Students.txt new file mode 100644 index 0000000..1943d47 --- /dev/null +++ b/data/data_txt/EQT-03 Sexual Misconduct Toward Students.txt @@ -0,0 +1,499 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-03 +Version 01 + + + +SEXUAL MISCONDUCT TOWARD STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +INTRODUCTION +The Boston Public Schools (BPS) is committed to ensuring that +students learn in an environment free of sexual misconduct. +Sexual misconduct committed against a BPS student will not be +tolerated. In addition, acts of retaliation against an individual who +reports an allegation of sexual misconduct or cooperates with a +related investigation are unacceptable and will not be tolerated. +Students participating in BPS academic, educational, +extracurricular, athletic, and school programs or activities are +protected from sexual misconduct by other students, parents, +BPS employees, and third parties (e.g., visitors). In addition, BPS +students may be protected from sexual misconduct that occurs +outside the context of a school’s education program, activity, or +school property, if the behavior was in connection with a school +program or activity which includes locations, events, or +circumstances over which the district exercised substantial +control over both the person accused of the conduct and the +context in which the sexual misconduct occurred. +The Boston Public Schools treats reports of sexual misconduct +with the utmost seriousness. We will address any sexually + + +Page 2: +Superintendent’s Circular EQT-03 +Page 2 of 14 + + + +inappropriate communication or behavior directed toward +students, regardless of whether that conduct is unlawful. This +policy is neither designed nor intended to limit the district’s +authority to discipline or take remedial action for conduct that +the Boston Public Schools deems unacceptable. +DEFINITION OF SEXUAL MISCONDUCT +For the purposes of this policy, sexual misconduct constitutes +sexually inappropriate comments and/or behaviors of any kind. +Below are examples of sexual misconduct: +Sexual Violence +Sexual violence is broadly defined as any sexual activity that is +forced, coerced, or unwanted. It also includes any sexual act +against another person who is incapable of giving consent, either +because of their temporary or permanent mental or physical +incapacity, or because they are a minor. +Consent is defined as clear, active agreement and permission to +engage in any form of verbal or nonverbal sexual communication +or activity with another person. The initiator of the sexual contact +is responsible for obtaining consent before engaging in any +sexual contact. Consent can be withdrawn by either party at any +point. Consent must be voluntary and may not be valid if a +person is being subjected to an emotional, psychological, +physical, reputational, or financial threat, intimidation, or +coercion. Consent to engage in one sexual activity, or past +agreement to engage in a particular sexual activity, cannot be +presumed to constitute consent to engage in a different sexual +activity or to engage again in a sexual activity. Consent cannot be + + +Page 3: +Superintendent’s Circular EQT-03 +Page 3 of 14 + + + +validly given by a person who is incapacitated or under the age of +sixteen. +Sexual violence may include criminal acts, such as indecent +assault and battery, rape, abuse, or assault with intent to rape. +Any acts that may be criminal will be referred to law +enforcement. +Examples of sexual violence may include, but are not limited to, +the following: +• Unwelcome sexual touching +• Non-consensual sexual contact that occurs during school or +non-school hours, on or off school grounds, including dating +violence +• Recruiting, transporting, obtaining, or providing a student of +any gender for the purpose of sex. +Other Forms Of Sexual Misconduct +Sexual misconduct includes unwelcome conduct of a sexual +nature that denies or limits, on the basis of sex, a student's ability +to participate in or to receive benefits, services, or opportunities +in the school's program or activities. +Examples of behavior that may constitute sexual misconduct +depending upon the totality of the circumstances, the ages of +the student or other individuals involved, and the severity and +pervasiveness of the conduct, include but are not limited to: +• Sexual advances, whether or not they involve touching +• Requests for sexual favors + + +Page 4: +Superintendent’s Circular EQT-03 +Page 4 of 14 + + + +• Making an educational decision or benefit contingent upon +a student’s submission to unwelcome sexual conduct +• Offensive public sexual display of affection, including +groping, fondling, gestures, or inappropriate touching of +oneself or others +• Consensual groping, fondling, sexual touching, or sex on +school property or at any school-sponsored activity +• Sexual jokes or references +• Comments regarding a student’s body or a student’s sexual +activity or orientation +• Offensive name calling or profanity that is sexually +suggestive, sexually degrading, or based on sexual +stereotypes or sexual orientation +• Different treatment because of pregnancy status +• Displaying or distributing sexually explicit drawings, +pictures, or other materials in any form (such as sexting) +• Trafficking of youth for sexual purposes, such as recruiting, +transporting, or otherwise exploiting a minor in exchange +for money, shelter, or food +• Sexual advances or contact, whether or not they are +consensual, between a student and employee, contractor, or +community partner +• Sexual activity between students in a school, or any building +where BPS business is conducted +• Other verbal, nonverbal, or physical conduct of a sexual +nature. + + +Page 5: +Superintendent’s Circular EQT-03 +Page 5 of 14 + + + +Any student, regardless of gender identity or sexual orientation, +can be a target of sexual misconduct, and the alleged targets and +the subject of the concern can be of the same or different +genders. +Employees of the Boston Public Schools who become aware of +any possible sexual misconduct toward or involving students +must report the incident or concern to their school leader, +supervisor, and/or the Office of Equity as soon as practicable, +generally within the same school day. The same reporting +requirement applies to partners or contractors providing services +to students in or under the auspices of the Boston Public Schools. +The above list of examples is not exhaustive. If you are unsure +whether a student may have been a target of sexual misconduct +or if you have knowledge of a possible incident of sexual +misconduct involving a student, immediately contact your school +principal/head of school, supervisor, or the Office of Equity at 617- +635-9650 or bpsequity@bostonpublicschools.org. +REPORTING AND INVESTIGATING SEXUAL MISCONDUCT +A student, parent, or other third party who believes that a +student has been subjected to inappropriate sexual conduct may +report the incident to the principal/head of school or the Office of +Equity. +The Boston Public Schools will promptly investigate allegations +of sexual misconduct even when the incident is being +investigated by law enforcement or another entity. Our +obligation is to determine if there has been a violation of a BPS +circular and/or the BPS Code of Conduct. The investigation will +be conducted in a manner maintaining confidentiality to the + + +Page 6: +Superintendent’s Circular EQT-03 +Page 6 of 14 + + + +extent practicable under the circumstances. Incidents that a BPS +employee becomes aware of directly or indirectly, such as from a +note or an overheard conversation, will also be investigated. +Interim measures for the safety of the students involved must be +taken upon receipt of the report to ensure equal access to +educational programs and activities. +If the investigation results in a finding of a violation of this policy, +Boston Public Schools will take steps to end the misconduct, +prevent any further misconduct, remedy its effects where +appropriate, and take disciplinary action, as deemed appropriate +under the circumstances. +REPORTING PROCEDURES +(see Appendix A checklist) +These instructions assume that the Office of Equity has already +been informed of an incident as required, and that a school +administrator has been instructed to follow this protocol. +After receiving a report of sexual misconduct, the building +administrator must immediately (within the same school day, +with rare exceptions): +1. Ensure that a student who discloses sexual misconduct is +not interviewed by any other BPS employee subsequent to +the initial disclosure, unless otherwise specifically directed +by law enforcement, the state Department of Children and +Families (DCF), or the Office of Equity. To minimize the +alleged target’s emotional distress and to preserve the +integrity and reliability of any investigation, the initial + + +Page 7: +Superintendent’s Circular EQT-03 +Page 7 of 14 + + + +disclosure conversation should be limited to the essential +facts. The BPS staff member who first receives the report +must document the conversation as thoroughly as possible. +2. Assess the need for emergency interim safety measures to +prevent any additional incidents and ensure that the target +is able to fully engage in the school’s programs and +activities. Implement any plan as appropriate. +3. Report the incident to your school’s Safety Specialist or +Safety Services at 617-635-8000 if the allegation involves +sexual assault or violence, such as physical contact or +threats. Call Safety Services even if you are not sure if the +alleged incident constitutes sexual violence. Inform the +school nurse if medical care is needed. +If Safety Services are not available, call 911. +Depending on the nature of the allegations, the Office of +Safety Services may work directly with the Boston Police +Department School Unit. Thereafter, the Boston Police +Crimes Against Children Unit may conduct the +investigation. A team investigation may include other +agency involvement. By law, the police cannot provide the +Boston Public Schools with a written report regarding an +incident of sexual violence. +4. Contact the Department of Children and Families (DCF) to +file a 51A report if the allegation warrants. As mandated +reporters, employees of the Boston Public Schools are +required to report situations when there is reasonable cause +to believe a student is suffering from physical or emotional +injury that causes harm or a substantial risk of harm to the +student’s health or welfare. + + +Page 8: +Superintendent’s Circular EQT-03 +Page 8 of 14 + + + +Questions related to school employees’ obligation to file a +51A report with DCF should be directed to the Office of Legal +Advisor. Please also refer to Superintendent’s Circular SSS-17 +on Child Abuse and Neglect. +If the alleged subject is over 18 years old, under 7 years old, +or has a disability that might manifest as inappropriate +sexual conduct, please call the Office of Equity prior to filing +a 51A. +5. Always alert the school’s operational leader. If you wish, +and/or upon request of the Office of Equity, also alert the +school’s elementary or secondary school superintendent. +Depending on the severity and complexity of the +allegations, the school superintendent and/or operational +leader will then partner with the designated school +administrator and/or the Office of Equity to complete the +investigation. +6. Notify the parent(s) or legal guardian(s) of the reporter or +alleged victim, if a minor, unless the parent/legal guardian is +the subject of the concern and/or such notification will +create a substantial risk to the student’s health, safety, or +welfare. +7. If the subject of the concern is a minor, the building +administrator (or other Office of Equity Designee) should +notify the subject’s parent(s) or legal guardian(s). For +reasons of confidentiality, do not inform the subject’s family +of the alleged target’s identity or gender. +8. Submit Section 1 of the Equity Student Incident & +Investigation Form within the same school day, if possible, +but always within 48 hours of the incident. This document + + +Page 9: +Superintendent’s Circular EQT-03 +Page 9 of 14 + + + +should be treated as confidential and sent to the Office of +Equity only. Only share this document or other related +documents as directed by the Office of Equity, Office of +Legal Advisor, or law enforcement authorities. The form can +be submitted digitally via this link. +9. Investigate and document the allegation. If it is determined +by a preponderance of the evidence that inappropriate +conduct occurred, the Boston Public Schools will take such +actions as it deems appropriate under the circumstances. +For students, such actions will be consistent with the Code +of Conduct, and may also include training, mediation, or +restorative practices. For employees, such actions will be +consistent with the district’s labor practices, and may +include training, restorative practices, and/or discipline. +10. Submit Section 2 of the Equity Student Incident & +Investigation Form within 10 days of the incident. When +completing the narrative, staff should document witness +statements and the subject’s response to the allegation(s). +Additionally, staff should document the investigatory +findings and remedial action taken, if any. The form can be +submitted digitally via this link. +During the investigation, the alleged target of the +misconduct should not discuss the incident with the subject +of the concern present under any circumstances. + +For detailed guidance on investigating and documenting +allegations of sexual misconduct, please follow the Boston +Public Schools Protocols for Sexual Misconduct + + +Page 10: +Superintendent’s Circular EQT-03 +Page 10 of 14 + + + +Investigations Conducted by School Leaders and Central +Office Managers. + +All reports submitted through the Equity Student Incident & +Investigation Form will be reviewed by the Office of Equity. +PROHIBITION OF RETALIATION +Retaliation against an individual who reports sexual misconduct +and retaliation against individuals for cooperating with a related +investigation is unlawful and will not be tolerated by the Boston +Public Schools. +Reports of retaliation should be brought to the building +administrator or the person who is conducting the investigation. +A student who feels there has been retaliation following a +complaint may also call the Office of Equity at 617-635-9650. +BPS TITLE IX COORDINATOR +The Boston Public Schools’ Title IX coordinator is responsible for +ensuring compliance with the investigatory process outlined in +EQT-3, and tracking incidents across the district. Any parent or +employee who raises concerns regarding the investigatory +process and/or outcomes may contact the district’s Title IX +coordinator: + +Director of Compliance and Title IX Coordinator +Boston Public Schools +2300 Washington Street, Roxbury, MA 02119 +Phone: 617-635-9650, Fax: 617-635-7940 + + +Page 11: +Superintendent’s Circular EQT-03 +Page 11 of 14 + + + +Email: bpsequity@bostonpublicschools.org +OTHER RESOURCES +United States Department of Education Office for Civil Rights +(OCR) +5 Post Office Square, 8th Floor, Boston, MA 02109 +(617) 289-0111 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +Massachusetts Department of Elementary and Secondary +Education +Program Quality Assurance +75 Pleasant Street, Malden, MA 02148-4906 +(781) 338-3700 + + + +Page 12: +Superintendent’s Circular EQT-03 +Page 12 of 14 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +For matters involving DCF, contact: +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 13: +Superintendent’s Circular EQT-03 +Page 13 of 14 + + + +APPENDIX A: CHECKLIST FOR SCHOOL ADMINISTRATORS +These instructions assume that the Office of Equity has already +been informed of an incident as required, and that a school +administrator has been instructed to follow this protocol. +After receiving a report of sexual misconduct, including sexual +harassment and sexual violence, the school or central office +administrator (or the elementary or secondary school +superintendent, elementary or secondary school assistant +superintendent, and/or operational leader if the complaint is +against the school or central office administrator) must +immediately: + Receive a disclosure of sexual misconduct. Whoever the +students report to first must document the following: +1. Who is the subject of the concern? +2. What did the subject say or do? +3. If physical contact was made, where did the subject +touch you (clarify if contact was made above clothing +or directly on the student’s skin)? +4. Is this the first time something like this happened? +5. Was anyone else there when it happened? +6. Did you tell anyone else what happened? +Students cannot be interviewed more than once by a BPS +employee and should only be interviewed with one adult in +the room. + Assess the need for emergency interim measures and +implement as appropriate. + + +Page 14: +Superintendent’s Circular EQT-03 +Page 14 of 14 + + + + Report the incident to your school’s Safety Specialist or +Safety Services at (617) 635-8000 if the allegation involves +sexual violence, such as physical contact or threats. Call +Safety Services even if you are not sure if the alleged +incident constitutes sexual violence. If Safety Services is not +available, call 911. + Contact the Department of Child and Family Services to file +a 51A report if the allegation warrants. + Alert the Operational Leader. In addition, upon request of +the Office of Equity, alert the school’s elementary or +secondary school superintendent. + Notify the parent(s) or legal guardian(s) of the alleged +target of the misconduct, unless the parent/legal guardian is +the subject of the investigation and/or such notification will +create a substantial risk to the student’s health, safety, or +welfare. + Notify the subject’s parent(s) or legal guardian(s) if that +individual is a minor. + Submit Section 1 of the Equity Student Incident & +Investigation Form within the same school day if possible, +but always within 48 hours of the incident. + Investigate and document the allegations consistent with +the Office of Equity Protocols to determine if a violation of +the circular has occurred. If a Code of Conduct violation is +found, conduct disciplinary proceedings. + Submit Section 2 of the Equity Student Incident & +Investigation Form within 10 days of the incident. + + + diff --git a/data/data_txt/EQT-04 Students and Gender Identity.txt b/data/data_txt/EQT-04 Students and Gender Identity.txt new file mode 100644 index 0000000..3006d8e --- /dev/null +++ b/data/data_txt/EQT-04 Students and Gender Identity.txt @@ -0,0 +1,274 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +EQT-04 +Version 01 + + + +TRANSGENDER AND GENDER NONCONFORMING +STUDENTS — NONDISCRIMINATION ON THE BASIS OF +GENDER IDENTITY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +This circular sets out guidelines for schools and district staff to +create a culture where transgender and gender nonconforming +students feel safe, supported, and fully included, and to meet +each school’s obligation to provide educational opportunities for +all students. We aim to achieve inclusion of transgender and +gender nonconforming students, while maintaining students’ +right to privacy. +BIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT +Massachusetts law and the Boston Public Schools (BPS) require +that all classrooms, programs, activities, and employment +practices be free from bias and discrimination on the basis of sex, +sexual orientation, and gender identity. It is the responsibility of +each school and the district to ensure that transgender and +gender nonconforming students have a safe school environment. +For policies and procedures about BPS’s “Bullying Prevention +and Intervention Plan,” please see Superintendent’s Circular SSS- + + +Page 2: +Superintendent’s Circular EQT-04 +Page 2 of 8 + + + +18. For more information about safety transfers in the district, +please see Superintendent’s Circular AMT-07. +Reports of bias, discrimination or harassment based on a person’s +actual or perceived gender identity or gender nonconformity are +handled in the same manner as other reports of bias-based +conduct. Students, employees, and third parties alleged to have +violated this policy (EQT-04) will be investigated and addressed +according to the protocols detailed in Superintendent’s Circular +EQT-02, “Bias-Based Conduct Toward Students Families or Other +Third Parties.” +NAMES AND PRONOUNS +In Massachusetts, an individual may adopt a name that is +different from the name that appears on their birth certificate. No +additional legal or other documentation is required for school +staff to honor student requests to go by a chosen/affirming +name. If a student or their family is looking to update the name +that appears on official school records, they may do so either by +completing the Change of Student Information Form - Name and +Gender Change Request (if the update is related to gender +identity) or by contacting BPS Welcome Services (if the update is +not related to gender identity). Note: This process is not a legal +name change and does not affect any records other than those +kept by BPS. +After a student requests a name change, school personnel shall +make every effort to consistently use the student’s chosen name +and stated pronouns. For students who remain in the same +school following a gender transition, it is important to develop a +plan for ensuring the use of the chosen name and stated + + +Page 3: +Superintendent’s Circular EQT-04 +Page 3 of 8 + + + +pronouns. School-based staff are strongly encouraged to contact +the Office of Equity for additional support in this process. +PRIVACY, CONFIDENTIALITY, AND STUDENT RECORDS +Under Massachusetts law, information about a student’s +assigned birth sex, gender transition, name change associated +with transition, medical or mental health treatment related to +gender identity, or any other related information is part of the +individual’s student record (for more information, see the +Massachusetts Student Records Regulations, 603 CMR 23.00). +Student records are confidential and must be kept private and +secure except in limited circumstances, such as when authorized +school personnel require the information to provide +administrative, teaching, counseling, nursing, or other services to +the student in the performance of their official duties. Authorized +school personnel may include, but are not limited to, individuals +such as the principal, school nurse, classroom teacher(s), social +worker, and/or guidance counselor. +When a student new to a school is using a chosen or affirming +name, the birth name is considered private information and may +be disclosed only with authorization as provided under the +Massachusetts Student Records Regulations. If the student has +previously been known at school and/or in school records by their +birth name, school personnel must use the student’s chosen +name. School personnel should not disclose information that +may reveal a student’s transgender status or gender +nonconforming presentation to others, including parents and +other school personnel, unless legally required to do so, for safety +reasons, or if the student and/or guardian has authorized such +disclosure. + + +Page 4: +Superintendent’s Circular EQT-04 +Page 4 of 8 + + + +Transgender and gender nonconforming students have the right +to discuss and express their gender identity and expression +openly and to decide when, with whom, and how much +information to share. A student who is 14 years of age or older, or +who has entered the ninth grade, may consent to disclosure of +information from their student record. If a student is under 14 +and is not yet in the ninth grade, only the student’s parent has +the authority to decide on disclosures and other student record +matters. +To the extent that the school is not legally required to use a +student’s legal name and gender on other school records or +documents, every effort shall be made to update student records +with the student’s chosen name and not circulate records with +the student’s birth name. Records with the student’s birth name +shall be kept confidential. +For more information about Student Record Regulations, please +see Superintendent’s Circular LGL-07. +RESTROOMS, LOCKER ROOMS, AND CHANGING FACILITIES +In accordance with Massachusetts law, all students are entitled to +have access to restrooms, locker rooms, and changing facilities +consistent with the student’s gender identity. As part of the +transition process, the school leader (or their designee) and +student (and parent/guardian, when applicable) shall address the +student’s access to the restrooms, locker room, and changing +facilities. +Each situation needs to be addressed based on the particular +circumstances of the student and the school facilities. In all cases, +the school leader (or their designee) shall be clear with the + + +Page 5: +Superintendent’s Circular EQT-04 +Page 5 of 8 + + + +student (and parent/guardian when applicable) that the student +may access the restroom, locker room, and changing facility that +corresponds to the student’s gender identity. Transgender +students who prefer not to use a sex-segregated restroom should +be provided with a safe and adequate alternative, such as a single +stall restroom or nurse’s restroom if possible. The single-user +facility, however, may not be given as the only option for +transgender or gender nonconforming students. +School-based staff should be aware that there will be students +who do not identify along the gender binary (boy/girl or +man/woman). These students may use terms such as +“nonbinary,” “gender fluid,” or “gender queer” to describe their +gender identity. They should be given access to whichever facility +feels most comfortable to them. Students who prefer not to use a +sex-segregated restroom should be provided with a safe and +adequate alternative, such as a single stall restroom or nurse’s +restroom if possible. The single-user facility, however, may not be +given as the only option for transgender or gender +nonconforming students. If possible, schools should consider +designating one or more restrooms at their school as “all gender,” +meaning that anyone of any gender may use that restroom. +Student and/or school staff discomfort is not an acceptable +reason to deny restroom access to transgender and/or gender +nonconforming students. School administrators, educators, and +counseling staff should take a proactive approach to address any +discomfort, foster understanding, and create a school culture +that respects and values all students. School-based staff may +contact the Office of Equity for additional support in this area. + + +Page 6: +Superintendent’s Circular EQT-04 +Page 6 of 8 + + + +PHYSICAL EDUCATION CLASSES, INTRAMURAL SPORTS, AND +INTERSCHOLASTIC ATHLETIC ACTIVITIES +Where there are sex-segregated classes or athletic activities, +including intramural and interscholastic athletics, all students +must be allowed to participate in a manner consistent with their +gender identity. The Massachusetts Interscholastic Athletic +Association, as outlined in their Gender Identity Policy +Clarification, will defer to the determination made by the student +and their school regarding gender identity. +DRESS CODES +All students have the right to dress in a manner consistent with +their gender identity or expression. In general, schools should +eliminate dress codes that restrict students’ clothing or +appearance on the basis of gender.(1) School staff must not +enforce the dress code more strictly against transgender and +gender-nonconforming students than other students. +DIPLOMAS +Graduating students are entitled to use a chosen or affirming +name on their BPS diploma, this name may be different from the +name listed in student records. Students wanting a diploma +printed with a name other than or in addition to the name listed +in student records should speak to their school guidance +counselor or the LGBTQ+ student support manager. + +(1) The Office of Equity will provide schools with a sample dress +code upon request. + + +Page 7: +Superintendent’s Circular EQT-04 +Page 7 of 8 + + + +GENDER-BASED ACTIVITIES, RULES, POLICIES AND PRACTICES +Schools should evaluate all gender-based policies, rules, and +practices, and maintain only those with a clear and sound +pedagogical purpose and equivalent offerings for students of all +genders. Gender-based policies, rules, and practices may have +the effect of marginalizing, stigmatizing, and excluding students, +including gender nonconforming students. +Whenever students are separated by gender in school activities +or are subject to an otherwise lawful gender-specific rule, policy, +or practice, students must be permitted to participate in such +activities or conform to such rule, policy, or practice consistent +with their gender identity. +RELATED RESOURCES +• The Gay, Lesbian and Straight Education Network (GLSEN) +Gender Terminology Guide is available here: +https://www.glsen.org/activity/gender-terminology. +• For information about the Boston Public Schools policies on +bias-based conduct or bullying, see Superintendent’s +Circulars EQT-02, EQT-03, or SSS-18. +• For more information about the Massachusetts gender +identity law, see the Massachusetts Department of +Elementary and Secondary Education guidance document, +“Nondiscrimination on the Basis of Gender Identity” at +http://www.doe.mass.edu/ssce/GenderIdentity.pdf. +• Contact the Office of Equity at 617-635-9650 or +bpsequity@bostonpublicschools.org for information about +additional support. + + +Page 8: +Superintendent’s Circular EQT-04 +Page 8 of 8 + + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th floor, Roxbury, MA +02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-05 Bias-Based Conduct Toward Employees.txt b/data/data_txt/EQT-05 Bias-Based Conduct Toward Employees.txt new file mode 100644 index 0000000..fe1b794 --- /dev/null +++ b/data/data_txt/EQT-05 Bias-Based Conduct Toward Employees.txt @@ -0,0 +1,272 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-05 +Version 01 + + + +BIAS-BASED CONDUCT TOWARD EMPLOYEES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. +The Boston Public Schools utilizes the procedures outlined in this +circular to investigate and resolve reports of alleged violations of +the district’s nondiscrimination policy (see EQT-01). These +procedures are designed to facilitate a prompt and effective +internal review and resolution of allegations of bias-based +conduct, discrimination or harassment based on race, color, age, +criminal record (inquiries only), disability, sex/gender, gender +identity, religion, national origin, ancestry, retaliation, sexual +orientation, genetics, natural or protective hairstyle, or military +status. The intent of these procedures is to ensure that, to the +greatest extent possible, such reports are addressed in a +constructive manner. +COVERAGE +The procedures pertain solely to reports explicitly alleging bias- +based conduct, discrimination, or harassment based on race, + + +Page 2: +Superintendent’s Circular EQT-05 +Page 2 of 8 + + + +color, age, criminal records (inquiries only), disability, +pregnancy/pregnancy related conditions, sex/gender, gender +identity, religion, national origin, ancestry, retaliation, sexual +orientation, genetics, natural or protective hairstyle, or military +status. Behavior that occurs in a location other than a Boston +Public Schools building or outside of BPS school or work hours, +including when an employee is working remotely, may still +constitute bias-based misconduct and a violation of this policy if +that behavior has the effect of disrupting an employee’s ability to +do their job. +Employees sometimes experience “microaggressions”: verbal or +nonverbal communication that is rooted in implicit bias, but does +not rise to the level of a violation of this circular. Examples +include: +• Mistaking one staff member for another because they share +the same racial identity +• Complimenting a staff member for having a skill that is +counter to a stereotype regarding their gender or ethnicity +• Assuming a staff member observes a particular religious +holiday or has a particular sexual orientation +• Asking a staff member about their disability without their +consent. +When microaggressions are reported to the Office of Equity, the +Office will partner with the reporter and/or other appropriate +staff to determine an effective intervention, such as coaching, +mediation, restorative justice, or an individual or school- or +department-wide training. + + +Page 3: +Superintendent’s Circular EQT-05 +Page 3 of 8 + + + +GENERAL POLICIES +1. Employees in supervisory or managerial roles have an +obligation to report possible violations of this circular. +2. Retaliation against any employee for reporting or +participating in any way in the reporting or investigative +procedures is strictly prohibited. +3. Whenever possible, investigatory meetings will be +scheduled during a mutually convenient time that does not +conflict with regularly scheduled school programs. +4. Reporting a possible violation will not be construed as +reflecting unfavorably on an employee’s or applicant’s good +standing, performance, loyalty, or desirability to the Boston +Public Schools. +5. Information regarding the allegations, including the parties +involved in the report and the investigation, will be kept +confidential to the extent practicable. +6. In determining whether the alleged conduct constitutes a +violation of the BPS nondiscrimination policy, the +Superintendent or their designee will consider the +surrounding circumstances, the nature of the behavior, the +relationships between the parties, and the context in which +the incidents occurred. A determination whether a +particular action or incident constitutes a violation of the +policy will be based on all the facts. +PROCEDURES +1. An employee or applicant who believes they may have +experienced, witnessed, or become aware of possible bias- +based conduct must contact the Office of Equity by phone, + + +Page 4: +Superintendent’s Circular EQT-05 +Page 4 of 8 + + + +email, or fax. Employees are strongly encouraged to contact +the Office of Equity as soon after the incident as possible, as +reports are more easily addressed the sooner they are +reported. A member of the Office of Equity staff will ask the +reporter for information regarding the incident(s) and may +request that the reporter submit a written statement. The +Office of Equity will ensure that assistance is provided in +preparing such a written statement, if needed. The Office of +Equity accepts all reports of possible bias-based conduct +but, depending on the circumstances, may decline to +investigate allegations regarding incidents that occurred +more than 300 calendar days prior to receipt of the report. +2. Employees in a supervisory capacity are required to report +possible bias-based conduct toward or involving employees, +vendors, or contractors to the Office of Equity as soon as +practicable, generally within the same school day. +3. After a report is received, the Office of Equity will notify the +appropriate department identified in the report and/or the +individual against whom the report has been filed. +4. The Office of Equity will make a fair, impartial, thorough, and +prompt investigation of the reported incident(s). The +investigation may include interviews with individuals who +have pertinent information and a review of any documents +or other information relevant to the investigation. BPS +employees are obligated to cooperate with any Equity +investigation, including promptly providing any requested +information or documents. +5. The individual who reported alleged bias-based conduct +and any subjects of the investigation will be informed when +the investigation is complete, and informed whether + + +Page 5: +Superintendent’s Circular EQT-05 +Page 5 of 8 + + + +prohibited conduct was found. Depending on the facts +gathered, the Office of Equity may resolve the concerns by +applying approaches such as alternative dispute resolution, +restorative justice, training, or coaching. In other instances, +the results of the investigation may also be documented as +written findings. Mediation will not be used in cases +involving sexual assault. +6. If the Office of Equity finds that there is a preponderance of +evidence to show that a violation of the district’s +nondiscrimination policy occurred, the office will determine +ways to address the matter and prevent recurrences. +7. The Office of Equity will maintain records of all reports of +bias-based conduct made to the Office of Equity, noting the +school or department in which the alleged incident(s) +occurred, the person accused, and the results of the +investigation. The Office of Equity may review its records to +identify any patterns and take appropriate action as +necessary. +The Office of Equity will: +1. Take seriously all concerns regarding possible bias-based +conduct. +2. Take necessary steps to end any conduct determined to be +in violation of the district’s nondiscrimination policy, prevent +this conduct from recurring in the future, and remedy its +effects, where appropriate. +3. Refer individuals found to have violated the district’s +nondiscrimination policy for disciplinary action when +appropriate. + + +Page 6: +Superintendent’s Circular EQT-05 +Page 6 of 8 + + + +For employees, such action may include written warning, +suspension, termination, or another action deemed +appropriate under the circumstances. (For more information +about Employee Discipline Procedures, please see +Superintendent Circular HRS-PP10.) +For students, such action may include suspension, +expulsion, or another action deemed appropriate under the +circumstances. (For more information on student discipline, +please see the Code of Discipline for Students and Students +with Disabilities – Superintendent Circulars SUP-05 and SPE- +15.) +4. Require students, employees, or other third parties found to +violate the district’s nondiscrimination policy to attend +discrimination prevention training, as appropriate. +STATE AND FEDERAL REMEDIES +In addition to the above, if you believe you have been subjected +to unlawful discrimination, you may file a formal complaint with +either of the government agencies set forth below. Reporting a +concern to the Office of Equity does not prohibit you from filing a +complaint with these agencies. Each of the agencies has a time +period of 300 days for filing a claim. + + + + +Page 7: +Superintendent’s Circular EQT-05 +Page 7 of 8 + + + +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +(800) 660-4000 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + + + + + +Page 8: +Superintendent’s Circular EQT-05 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th floor, Roxbury, MA +02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-06 Sexual Misconduct Toward Employees and Third Parties.txt b/data/data_txt/EQT-06 Sexual Misconduct Toward Employees and Third Parties.txt new file mode 100644 index 0000000..8d1ac5c --- /dev/null +++ b/data/data_txt/EQT-06 Sexual Misconduct Toward Employees and Third Parties.txt @@ -0,0 +1,232 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-06 +Version 01 + + + +SEXUAL MISCONDUCT TOWARD EMPLOYEES AND +OTHER THIRD PARTIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Boston Public Schools is committed to ensuring a work +environment free of inappropriate sexual conduct. Inappropriate +sexual comments or behavior will not be tolerated. In addition, +any retaliation against an individual who reports inappropriate +sexual conduct or harassment, or has cooperated with a related +investigation, is unacceptable. The Boston Public Schools treats +reports of violations of this policy with the utmost seriousness. +We will respond promptly to any allegations of sexually +inappropriate conduct and intervene to cease any conduct that +violates this policy. Anyone who violates this policy will be subject +to corrective action up to and including termination. +DEFINITION OF SEXUAL HARASSMENT +In Massachusetts, sexual harassment means sexual advances, +requests for sexual favors, and verbal or physical conduct of a +sexual nature when: + + +Page 2: +Superintendent’s Circular EQT-06 +Page 2 of 7 + + + +a) Submission to or rejection of such advances, requests, or +conduct is made, either explicitly or implicitly, a term or +condition of employment or as a basis for employment +decisions; or +b) Such advances, requests, or conduct have the purpose or +effect of unreasonably interfering with an individual’s work +performance by creating an intimidating, hostile, +humiliating, or sexually offensive work environment. +Please note that while this policy sets forth the goal of promoting +a workplace that is free of harassment, the policy is not designed +or intended to limit the district’s authority to discipline or take +remedial action for workplace conduct that the district deems +unacceptable, regardless of whether the conduct satisfies the +definition of unlawful harassment. +The definition of inappropriate sexual communication and +behavior is broad. Conduct that is sexual or perceived as sexual, +and that is welcome or unwelcome, may constitute sexual +harassment. +CONDUCT PROHIBITED +Employees shall not engage in inappropriate sexual conduct +while employed, working for, attending, or participating in +district endeavors. Employees are protected from inappropriate +sexual conduct by anyone they interact with in the course of their +work. The same standard applies to partners or contractors +providing services in or under the auspices of the Boston Public +Schools. Behavior that occurs in a location other than a Boston +Public Schools building or outside of BPS school or work hours, + + +Page 3: +Superintendent’s Circular EQT-06 +Page 3 of 7 + + + +including when an employee is working remotely, may still +constitute sexual misconduct and a violation of this policy if that +behavior has the effect of disrupting an employee’s ability to do +their job. +While it is not possible to list all circumstances that may +constitute prohibited conduct, the following are some examples: +VERBAL: Using suggestive, derogatory, vulgar comments, or +sexual innuendos or slurs; making unwanted sexual advances, +invitations, and/or comments; repeatedly requesting dates; +spreading rumors about or rating others as to their sexual activity +or performance; making threats or pressuring others to submit to +sexual requests; inquiring into one’s sexual activities or +orientation. +VISUAL: Displaying sexually suggestive objects, pictures, posters, +written material, cartoons, or drawings; texting, emailing, or +sharing digital images or comments of a sexual nature; using +sexual gestures. +PHYSICAL: Sexual activity, whether or not it is consensual, in a +school or any building where BPS business is conducted. +Participating in unwanted touching, pinching, kissing, hugging; +blocking normal movement; stalking; engaging in unwanted +sexual acts or assault; physically interfering with an individual’s +work because of their actual or perceived sex, sexual orientation, +gender identity, or gender expression. + + +Page 4: +Superintendent’s Circular EQT-06 +Page 4 of 7 + + + +RESPONDING TO REPORTS OF SEXUAL MISCONDUCT +An employee who believes that they have been a target of +inappropriate sexual conduct may report the incident to any of +the following individuals: school principal/head of school, school +superintendent, or the Office of Equity. +1. If an employee believes that they have been subjected to +inappropriate sexual conduct or have witnessed +inappropriate sexual conduct, the employee has the right to +file a report with the Boston Police. +2. The aggrieved employee also has the right to file a report +with the Boston Public Schools Office of Equity, either orally +or in writing, at 617-635-9650 or +bpsequity@bostonpublicschools.org. +3. Employees in supervisory or managerial roles have an +obligation to report any employee complaint of sexual +misconduct to the Office of Equity within two (2) business +days of learning of the complaint. The person submitting +the report must ensure the integrity and confidentiality of +the report and shall not disclose the allegations or any +related information to either party or to any third party, +excepting the Office of Equity, unless required by law. +Employees in a supervisory capacity are required to report +possible sexual misconduct toward or involving employees, +vendors, or contractors to the Office of Equity as soon as +practicable, generally within the same school day. + + + +Page 5: +Superintendent’s Circular EQT-06 +Page 5 of 7 + + + +After a report is filed, the Office of Equity or the office’s designee +will promptly investigate the allegation in a fair and expeditious +manner. The investigation may include a private interview with +the person filing the report, the person alleged to have engaged +in sexually inappropriate conduct, and other witnesses. In some +circumstances, as determined by the Office of Equity, the person +alleged to have engaged in the conduct may be placed on +administrative leave pending the outcome of the investigation. +BPS employees are obliged to cooperate with the investigation, +including promptly participating in investigatory interviews, and +providing any requested information or documents. +If Boston Public Schools finds that there has been a violation of +this policy, the district will take action to eliminate the conduct. +Disciplinary action for employees may include warnings, +reprimands, required training, suspension or termination of +employment, or other discipline as appropriate. +When the investigation is completed, the Office of Equity will +inform the reporter and the person alleged to have engaged in +the conduct of the results of the investigation to the extent +appropriate under the circumstances. +PROHIBITION OF RETALIATION +Retaliation against an individual who reports inappropriate +sexual conduct, sexual harassment, or retaliation against +individuals for cooperating with an investigation of a sexual +harassment allegation is unlawful and will not be tolerated by the +Boston Public Schools. + + +Page 6: +Superintendent’s Circular EQT-06 +Page 6 of 7 + + + +STATE AND FEDERAL REMEDIES +If you believe you have been subjected to unlawful sexual +harassment, you may also file a formal complaint with either of +the government agencies set forth below. Using the district’s +internal reporting process does not preclude you from filing a +complaint with these agencies. Each agency has a short time +period for filing a claim (300 days). +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +(800) 660-4000 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 +For more information about this circular, contact: + + +Page 7: +Superintendent’s Circular EQT-06 +Page 7 of 7 + + + +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +E-mail: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-07 Accommodating Employees.txt b/data/data_txt/EQT-07 Accommodating Employees.txt new file mode 100644 index 0000000..7440499 --- /dev/null +++ b/data/data_txt/EQT-07 Accommodating Employees.txt @@ -0,0 +1,226 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-07 +Version 01 + + + +ACCOMMODATING EMPLOYEES WITH DISABILITIES, +PREGNANCY, AND PREGNANCY-RELATED CONDITIONS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Boston Public Schools is committed to providing equal +employment opportunity to all individuals, in accordance with +Chapter 151B of the Massachusetts General Laws and with the +Americans with Disabilities Act (ADA). This circular provides +information about the district procedures to address +accommodation requests for employees on the basis of disability, +pregnancy, and pregnancy-related conditions. +EMPLOYEES WITH DISABILITIES +Any current or prospective employee who is an individual with a +disability may request a reasonable accommodation to assist in +performing the essential functions of their assignment. +Chapter 151B and the ADA define a person with a disability as +someone who: (1) has a physical or mental impairment that +substantially limits one or more major life activities; (2) has a +record of such an impairment; or (3) is regarded as having such +an impairment. + + +Page 2: +Superintendent’s Circular EQT-07 +Page 2 of 6 + + + +Major life activities include, but are not limited to, caring for +oneself, performing manual tasks, seeing, hearing, eating, +sleeping, walking, standing, lifting, bending, speaking, breathing, +learning, reading, concentrating, thinking, communicating, and +working, and the operation of a major bodily function. Although +not exhaustive, examples of the range and variety of disabilities +included under these laws are provided below. +• Non-Ambulatory Disabilities – Physical impairments, +regardless of cause, that require an individual to use a +wheelchair, including individuals who are paraplegic, +quadriplegic, hemiplegic, or have had a limb or limbs +amputated. +• Semi-Ambulatory Disabilities – Physical impairments that +cause a person to walk with difficulty, perhaps with the +assistance of a cane, crutches, or walker. +• Coordination Disabilities – Impairments of muscle control of +the limbs. +• Sight Disabilities – Impairments affecting vision totally or +partially. +• Hearing Disabilities – Impairments affecting hearing totally +or partially. +• Speech Impairments – Impairments affecting totally or +partially the ability to communicate orally. +• Learning Disabilities – Impairments that impede learning +processes. +• Mental or Psychological Disorders – Impairments affecting +individuals’ neurological and/or psychological functioning, +behavior, and/or mood. + + +Page 3: +Superintendent’s Circular EQT-07 +Page 3 of 6 + + + +The district’s nondiscrimination policy prohibits bias-based +conduct or discrimination on the basis of disability in any aspect +of the employment relationship, including: +1. +Recruitment, advertising, and the processing of +applications +2. +Hiring, evaluation, upgrading, promotion, award of +permanent teacher status, demotion, transfer, layoff, +termination, right of return from layoff, and rehiring +3. +Rates of pay or any other form of compensation, and +changes in compensation +4. +Job assignments, job classifications, organizational +structures, position descriptions, lines of progression, +and seniority lists +5. +Leaves of absence, sick leave, or any other leave +6. +Fringe benefits available by virtue of employment, +whether or not administered by the Boston Public +Schools +7. +Selection and financial support for training, including +professional development, conferences, and other +related activities, and selection for leave of absence to +pursue training. +PREGNANCY AND PREGNANCY-RELATED CONDITIONS +As of April 1, 2018, any current or prospective employee who is +pregnant or has a pregnancy-related condition, such as lactation +or the need to express breast milk, may request a reasonable +accommodation to assist in performing the essential functions of +their assignment. + + +Page 4: +Superintendent’s Circular EQT-07 +Page 4 of 6 + + + +If an employee requests an accommodation for: (1) more frequent +restroom, food, or water breaks; (2) seating; (3) limits on lifting no +more than 20 pounds; and (4) private, non-bathroom space for +expressing breast milk, no medical documentation +accompanying such a written request is necessary. Other +accommodation requests may require supporting medical +documentation or information. +Employees who are pregnant or have pregnancy-related +conditions may contact the Office of Equity to begin the +accommodations process. +REASONABLE ACCOMMODATION PROCESS +A “reasonable accommodation” is any modification or +adjustment to a job or work environment that allows an +applicant or employee with a disability, pregnancy, and +pregnancy-related conditions to participate in the job application +process, perform the essential functions of a job, or enjoy benefits +and privileges of employment equal to those enjoyed by +employees. Upon receiving a request for a reasonable +accommodation, the Boston Public Schools will engage in an +interactive dialogue process. The district will attempt to provide +reasonable accommodations unless it would cause an undue +hardship or fundamentally alter the district’s programs. +Any applicant or employee seeking reasonable accommodations +on the basis of a disability, pregnancy, and pregnancy-related +conditions may contact the Office of Equity to begin the process. +Information an employee chooses to submit during the +accommodation process, such as relevant medical +documentation, will be kept confidential to the extent + + +Page 5: +Superintendent’s Circular EQT-07 +Page 5 of 6 + + + +practicable. Information collected in the reasonable +accommodation process will be kept in a confidential file with +the Office of Equity. +Your cooperation in implementing a policy of nondiscrimination +against persons with disabilities will assist the Boston Public +Schools in ensuring equal opportunity for all employees and +potential employees. +STATE AND FEDERAL REMEDIES +If you believe you have been subjected to unlawful discrimination +on the basis of disability, pregnancy, and pregnancy-related +conditions, you may file a formal complaint with either of the +government agencies set forth below. Using BPS' internal +reporting process does not prohibit you from also filing a +complaint with these agencies. These agencies have a short time +period for filing a claim (300 days from the most recent act of +alleged discrimination). +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +Phone: 1-800-660-4000 + + + + + +Page 6: +Superintendent’s Circular EQT-07 +Page 6 of 6 + + + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +For more information about this circular, contact: +Owner: +Director of Accommodations in the Office of +Equity +Department: +Office of Equity +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +E-mail: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-08 Expectant & Parenting Students.txt b/data/data_txt/EQT-08 Expectant & Parenting Students.txt new file mode 100644 index 0000000..801b0a4 --- /dev/null +++ b/data/data_txt/EQT-08 Expectant & Parenting Students.txt @@ -0,0 +1,1002 @@ +Page 1: + + + +Superintendent’s +Circular + NUMBER: +EQT-08 +Version 01 + + + +EXPECTANT AND PARENTING STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +Boston Public Schools aims to graduate all students from high +school and prepare them for college and career success. For +students who are expecting or raising children, it is especially +crucial to maintain high expectations and intensive support for +school completion, as pregnancy and parenthood are among the +primary reasons many students drop out of school. As a school +district, Boston Public Schools aims to prevent student +pregnancy through comprehensive health education and access +to sexual health services. Under the District Wellness Policy, +schools must provide students with access to key resources and +services that are developmentally appropriate, and support +sexual and reproductive health in a safe and supportive +environment. It is also essential to engage with students who are +currently expectant or parenting to ensure a safe and supportive +learning environment and to promote academic success. +Moreover, we must ensure compliance with district policies that +prohibit bias-based conduct consistent with federal Title IX law, +which prohibits discrimination against students who are +pregnant or parenting. + + + +Page 2: +Superintendent’s Circular EQT-08 +Page 2 of 28 + + + +DEFINITIONS +Expectant: an individual, regardless of gender identity, who +is either pregnant or the partner of someone who is +pregnant. +Parenting: an individual, regardless of gender identity, who +is the parent of a child. +Caregiver: an individual currently providing care for the +student who has completed the notarized “Caregiver +Authorization Affidavit” granting education decision-making +rights. +Emancipated minor: an individual under age 18 who is self- +supporting and independent of parental control, sometimes +as a result of a court order terminating the rights and duties +of the parent(s). Under Massachusetts law, a minor who is +pregnant or parenting is not automatically emancipated; +however, as provided for in the law, pregnant and parenting +students can give independent consent for medical or +dental care for themselves or their children, including for +school-based medical services (see M.G.L. Ch. 112 § 12F). +FERPA (Family Educational Rights and Privacy Act): a +federal law that affords parents the right to have access to +their children’s education records, the right to seek to have +the records amended, and the right to have some control +over the disclosure of personally identifiable information +from the education records. When a student turns 18 years +old or enters a postsecondary institution at any age, the +rights under FERPA transfer from the parents to the +student. + + +Page 3: +Superintendent’s Circular EQT-08 +Page 3 of 28 + + + +HIPAA (Health Insurance Portability and Accountability +Act): a federal law establishing national standards and +requirements for electronic health care transactions and +protecting the privacy and security of individually +identifiable health information. This law applies to health +care providers and ensures that they do not share medical +information about their patients without the patients’ +permission. +Gender identity: A person's internal sense of being male, +female, some combination of male and female, or neither +male nor female. A person’s gender identity can be the +same or different from their physiology or assigned sex at +birth. +Parent: a child’s mother or father or both or guardian, or a +person or agency legally authorized by a court order to act +on behalf of the child in place of or in conjunction with the +mother, father, or guardian. +POLICY +Maintaining Confidentiality +Expectant and parenting students have the right to choose how +and when they seek services and support from school staff. +School staff must adhere to all applicable laws and regulations on +confidentiality for students, including the requirements stated in +the Family Educational Rights and Privacy Act (FERPA). As +provided for by this law, expectant and parenting students have +the right to have their health and personal information kept +confidential, including from other students and school staff who + + +Page 4: +Superintendent’s Circular EQT-08 +Page 4 of 28 + + + +are not required to be kept informed, except in circumstances +involving their physical safety. +When a student informs a school staff member of their expectant +or parenting status, the staff member must inform their head of +school within a reasonable time period as appropriate. A +reasonable time period should be determined by the immediacy +of the student’s need for an adjusted attendance policy and +academic supports; for expectant students, sufficient time should +be allowed for medical and health decisions to be made before +sharing the student’s expectant status with the head of school. +The staff member who has been informed must make the +expectant or parenting student aware of the need to inform the +head of school. The staff member should discuss with the +student and determine a reasonable time period in which to +inform the head of school. Depending on the details of the +situation, the student’s preferences regarding confidentiality, and +the student’s needs, the head of school should then share this +information with other staff on a limited, need-to-know basis. +School staff must not force or coerce a student to inform their +parents, or any other individual, of any pregnancy or parenting- +related information. School staff must not disclose information +about a student’s expectant or parenting status to the student’s +parents without permission from the student. If information +about a student’s pregnancy is documented within the student +record of a student under the age of 18, and parents make a +request for the student record, FERPA would require the district +to present parents with an opportunity to view the student +record. Boston Public Schools encourages communication with +and involvement of parents/guardians/caregivers regarding +health services and student supports. School staff working with + + +Page 5: +Superintendent’s Circular EQT-08 +Page 5 of 28 + + + +expectant or parenting students should encourage students to +consider informing their parents/guardians/caregivers or other +trusted family members about the pregnancy and decisions +related to that pregnancy. +Nothing in this policy must prevent the disclosure of information +in certain limited circumstances: cases of suspected child abuse +or neglect (in accordance with laws on mandated reporting of +abuse), threats by a minor against themselves or others, or cases +where there is a serious risk to a minor’s life or health. A student’s +pregnancy does not in itself constitute a serious risk to a minor’s +life or health, and therefore does not compel a staff member to +file a 51A based solely on the student’s pregnancy, regardless of +the student’s age. +A student must give written consent to store data linking their +name with academic information and their expectant or +parenting status. Storing this data together will help to ensure +that the student is receiving coordinated academic support. +Before giving this written consent, students must be informed +that, if they consent, information about their expectant or +parenting status may be accessible to their parents as part of +their full academic records. Any aggregated or trend data on +expectant or parenting students should not include any +identifying information. Qualified medical professionals within a +school building may keep confidential medical records on +pregnant students who have sought treatment. +Ensuring a Safe and Supportive Learning Environment +BPS Equity circulars protect the rights of students, including +expectant and parenting students, to attend school in an +environment free of bias-based conduct. Regardless of their + + +Page 6: +Superintendent’s Circular EQT-08 +Page 6 of 28 + + + +sexual orientation, gender identity, relationship status, marital +status, race, ethnicity, immigration status, Special Education or +English learner status, or other identities, expectant and +parenting students have the same right as any other students to +attend district schools or programs. District staff must not +engage in bias-based conduct toward any expectant or +parenting student, or exclude expectant or parenting students +from any school, program, class, or extracurricular activity on the +basis of a student’s expectant or parenting status. School staff are +encouraged to bring an anti-racist lens to ensuring that +expectant and parenting students be respected, provided with all +needed supports, and actively encouraged to achieve their +academic goals. +School personnel may require an expectant or parenting student +to obtain the certification of a physician that the student is +physically and emotionally able to continue participation in such +programs or activities only if a certification is also required of all +other students with physical or emotional conditions requiring +the attention of a physician. +All school staff must maintain and communicate high academic +expectations for all students, regardless of expectant or +parenting status. Bias-based counseling and the use of materials +that treat students differently on the basis of sex, including +expectant or parenting status, are prohibited. +The Office of Equity and administrators at each school are +responsible for monitoring compliance with the provisions of this +circular. Individuals who feel that this circular may have been +violated or that they have been subject to bias-based conduct +may contact the BPS Office of Equity. Any school employee who + + +Page 7: +Superintendent’s Circular EQT-08 +Page 7 of 28 + + + +becomes aware of bias-based conduct against an expectant or +parenting student must report such conduct to the head of +school and/or to the Office of Equity. +Finally, to promote a safe and supportive school environment, +teachers and school staff must be sensitive to the health needs of +expectant and parenting students. For example, some pregnant +students may benefit from bringing snacks to class, taking extra +bathroom breaks, or leaving class shortly before dismissal to +allow more time to pass between classes. Schools must also +accommodate new mothers’ need to express breastmilk and +work with students in partnership with the Office of Equity to +identify a private, sanitary location for this purpose, along with +appropriate storage space for nursing equipment. +Promoting Academic Success +Expectant and parenting students have the right to remain in +their regular or current school program, subject to universal +participation requirements for those programs. School programs +include but are not limited to: honors programs; special +education placements; specialized language programs; +alternative programs; extracurricular, intramural, and +interscholastic activities; and graduation programs or activities. +Students may attend an alternative school or participate in an +alternative program or activity for expectant or parenting +students, but such enrollment or participation must be +completely voluntary and never coerced. The alternative school, +program, or activity must align with the Common Core State +Standards and the Massachusetts Curriculum Frameworks. + + +Page 8: +Superintendent’s Circular EQT-08 +Page 8 of 28 + + + +Implementing Attendance Policies +Absences for reasons of pregnancy and related medical +conditions, including pregnancy-related illness or health +conditions, the termination of pregnancy, childbirth, and +recovery therefrom, must be considered excused absences. +Students have the right to be reinstated at the same school with +the same status as before the leave began after any pregnancy- +related medical leave and/or parental leave. +Students who are parents are entitled to a fair and reasonable +parental leave following the birth of a new child. Students who +are parents are entitled to a minimum of eight weeks of parental +leave for the purpose of giving birth, although a school may not +require a student to remain out of school for a fixed period of +time post-childbirth. The amount of parental leave for each +expectant student shall be determined in consultation with the +student, school staff, the student’s health care providers, and any +other adults the student consents to include. School staff should +encourage students to consider including their +parents/guardians/caregivers in this conversation. +Documentation from students’ licensed healthcare providers +may be required for verification of pregnancy and related +medical conditions only if it is also required for absences due to +other medical conditions. +Absences due to the illness or medical appointment during +school hours of a student’s child shall also be considered excused +absences. Parenting students shall not be required to provide +documentation from a licensed healthcare provider to verify their +children’s illnesses unless such documentation is also required +for absences due to all students’ medical conditions. + + +Page 9: +Superintendent’s Circular EQT-08 +Page 9 of 28 + + + +Schools must support the continuation of learning during +excused absences and leave, as medically appropriate. Every +reasonable effort must be made to provide school and home- +based independent study activities for students who are or will +be absent for a significant period of time due to pregnancy- +related illnesses, childbirth, and recovery, and parental leave. +Students who are pregnant or parenting must have access to +homebound or hospital instructional services on the same basis +as any other student who misses school for a temporary medical +condition. +Students with excused absences due to their expectant or +parenting status must have the same opportunity to complete +assignments and tests missed, or an equivalent of the work +missed, that any other student would have after excused +absences. Students must be given full credit upon satisfactory +completion of that work. +Using Liaisons to Share Information +Heads of school that oversee any student in grades 6-12 must +identify a school liaison for the Expectant and Parenting Students +Policy to help share information among the school community. +Schools must submit the name of this liaison to the Health and +Wellness Office. The liaison may be a guidance counselor, school +nurse, social worker, or other school staff member. Should the +expectant and parenting student liaison step down, a +replacement must be identified and reported to the Health and +Wellness Office within 15 school days. +Liaisons will work with the school leadership and the School +Wellness Council to share this policy with staff, students, and +families. All schools within the district that include any grades 6- + + +Page 10: +Superintendent’s Circular EQT-08 +Page 10 of 28 + + + +12 must disseminate this policy among school staff and +administration. The policy must also be shared with students and +families within the first month of school, and it must be posted in +the school nurse’s office throughout the school year. The school +must make the policy publicly available in any school-based +health centers or health resource centers. The name of the +expectant and parenting student liaison as well as a copy of this +policy must also be posted on the school website. +Heads of school are ultimately responsible for the academic +success of their students. Therefore, school leaders must +intervene in cases where students’ needs are not being met, +especially when the action or inaction of school staff is a +contributing factor. +The Office of Health and Wellness will coordinate training for +liaisons. That office must supply district and community +resources to liaisons. Liaisons must make this information +available to students and staff as needed. + + + + +Page 11: +Superintendent’s Circular EQT-08 +Page 11 of 28 + + + +POLICY IMPLEMENTATION AND REVIEW +Central offices and departments (e.g., Opportunity Youth, Health +Services, Health & Wellness), in collaborations with school +superintendents, will work with schools where there are multiple +expectant and parenting students, where existing support +systems may not be adequate to support their needs, to help +establish a plan for providing more comprehensive systems of +support. For example, this could include creating a school-based +team to develop and implement individual student plans, hiring a +part-time student liaison to work with expectant and parenting +students, or bringing in external programs or resources to +support students. In all cases, the plan must be approved by the +head of school and must match available school resources +(particularly staff and budget). +This policy and its associated implementation procedures will be +reviewed annually by the Office of Equity and the Office of Health +and Wellness and updated as needed. +IMPLEMENTATION GUIDELINES & PROCEDURES +Rights of Expectant and Parenting Students +Expectant and parenting students have the right to: +1. Choose how and when they seek services and support from +school staff. +2. Choose when and how to inform +parents/guardians/caregivers or other trusted family +members of their pregnancy and decisions related to that +pregnancy. + + +Page 12: +Superintendent’s Circular EQT-08 +Page 12 of 28 + + + +3. Have information shared with school personnel on a need- +to-know basis only, unless the student provides written, +informed consent. +a. In particular, students must give written, informed +consent before information on their expectant or +parenting status is stored in school files alongside their +academic information. +4. Participate in school programs, activities, classes, or +extracurricular activities and remain in their regular or +current school program, subject to universal participation +requirements. +a. Enrollment by expectant or parenting students in any +alternative program or activity must be completely +voluntary. +5. Have their absences excused when due to the illness or +medical appointment of a child or their own pregnancy- +related reasons. +6. Complete assignments and tests missed, or an equivalent of +the work missed, after excused absences due to their +expectant or parenting status and receive full credit upon +satisfactory completion of that work. +7. Participate in a conference with school staff and health care +providers about the amount of parental leave they will take, +and to choose which other adults (including +parents/guardians/ caregivers or other trusted family +members), if any, to include in that conference. +a. Students are entitled to a minimum of eight weeks of +parental leave. + + +Page 13: +Superintendent’s Circular EQT-08 +Page 13 of 28 + + + +b. BPS employees may not require a student to remain +out of school for a fixed period of time post-childbirth. +8. Receive Home and Hospital Instruction services to continue +learning and obtain instruction during excused absences +and/or leave that total more than 14 days in a school year. +a. Students must provide a qualified physician's +statement to access Home and Hospital Instruction +services. +9. Be reinstated at the same school at the conclusion of +pregnancy and/or parental leave with the same status as +before the leave began. +Protecting Student Confidentiality +1. Boston Public Schools employees must adhere to all +applicable laws and regulations on confidentiality for +students, including the requirements stated in the Family +Educational Rights and Privacy Act (FERPA). +a. Obtain written, informed consent from expectant or +parenting students before storing data linking +students’ names with academic information and +expectant or parenting status. +b. Before giving written consent, students must be +informed that, if they consent, information about their +expectant or parenting status will be entered into their +educational records to ensure that students are +receiving necessary supports, and educational records +are accessible to their parents in accordance with +FERPA. + + +Page 14: +Superintendent’s Circular EQT-08 +Page 14 of 28 + + + +2. When a student informs a school staff member of their +expectant or parenting status, the staff member must +inform their head of school within a reasonable time period +as appropriate in order to provide coordinated academic +support and adjusted attendance policies. +a. A reasonable time period should be determined by the +immediacy of the student’s need for an adjusted +attendance policy and academic supports, balanced +with the time needed by an expectant student to make +personal health decisions before the head of school is +informed. +b. The staff member should explain to the student the +need to inform the head of school in order to make a +coordinated plan for academic success. The staff +member should discuss with the student what a +reasonable time period would be for them so there is a +shared understanding and accountability of the next +steps. +c. If the student is pregnant and needs more time and +support to consider their options and connect with a +medical provider, the staff and student should make a +plan to check in regularly to ensure the student +receives timely support. The staff member is not +required to inform the head of school if the pregnancy +is ended. +d. Depending on the details of the situation, the student’s +preferences regarding confidentiality, and the +student’s needs, the head of school should then share +this information with other staff on a limited, need-to- +know basis. The school nurse may be helpful if health + + +Page 15: +Superintendent’s Circular EQT-08 +Page 15 of 28 + + + +care coordination with the student’s medical provider +is needed. A school social worker may be helpful in +connecting the student to other support services. The +student should be consulted before sharing their +status with other staff; this is essential to building trust, +honoring student autonomy, and ensuring the student +feels safe and supported. +3. School staff members must not disclose a student’s +expectant or parenting status to that student’s parents +regardless of age without permission from the student. +Additionally, staff members must not force or coerce +students to inform their parents, or any other individual, of +any pregnancy or parenting-related information. +a. School staff working with expectant or parenting +students should encourage them to consider informing +their parents/guardians/caregivers or other trusted +family members of the pregnancy and decisions +related to that pregnancy. Having a support system +where they live is very important during pregnancy +and while parenting. However, to help the student +make a support plan, the trusted staff should ask if the +student believes that telling their family about the +pregnancy will put the student in danger and should +be aware of such dynamics in the student’s home life. +A school social worker, a trained reproductive health +counselor, or a similar support role may be best suited +to help counsel a student in this matter. +b. In accordance with Massachusetts General Law +(Chapter 119, Section 51A), school staff are expected to +disclose information on child abuse or neglect to the + + +Page 16: +Superintendent’s Circular EQT-08 +Page 16 of 28 + + + +appropriate authorities. Mandated reporters must +report if, when acting in their professional capacities, +they have reasonable cause to believe that a child is +suffering certain kinds of physical or emotional injury. +The kinds of physical or emotional injuries that must be +reported are those that are the result of (i) abuse +inflicted upon the child which causes harm or +substantial risk of harm to the child's health or welfare, +including sexual abuse; (ii) neglect, including +malnutrition; or (iii) physical dependence upon an +addictive drug at birth. A student’s pregnancy does not +in itself constitute a serious risk to a minor’s life or +health and does not automatically require submitting a +report. +4. School staff members should reach out to the school policy +liaison, a school administrator, or the Office of Equity to get +support in understanding confidentiality procedures as +needed. +Ensuring a Safe, Supportive Learning Environment +BPS employees must: +1. Treat all students, including expectant and parenting +students, with respect, recognizing that all students have +the potential to succeed. +2. Maintain and communicate high academic expectations for +all students, regardless of expectant or parenting status. +3. Recognize and address the ways multiple forms of bias, +inducing racial bias, may impact an expectant or parenting +student’s opportunities for academic success. + + +Page 17: +Superintendent’s Circular EQT-08 +Page 17 of 28 + + + +4. Ensure that expectant and parenting students are not +excluded from any school, program, class, or extracurricular +activity on the basis of the student’s expectant or parenting +status. +a. Teachers and school staff are encouraged to be +sensitive to the health needs of expectant and +parenting students. For example, some pregnant +students may benefit from bringing snacks to class, +taking extra bathroom breaks, or leaving class shortly +before dismissal to allow more time to pass between +classes. +b. Schools must also accommodate new mothers’ need to +express breast milk. Contact the Office of Equity for +assistance as needed. +5. Any BPS employee, student, or family member who +becomes aware of possible bias-based conduct against an +expectant or parenting student should report such conduct +to the head of school and/or to the BPS Office of Equity. +ROLES AND RESPONSIBILITIES +1. School administrators are responsible for: +a. Ensuring school staff’s compliance with the policy. +i. Intervene in cases where students’ needs are not +being met, especially when the action or inaction +of school staff is a contributing factor. +b. Identifying a school policy liaison: Schools with any +grades 6-12 must identify an Expectant and Parenting +Student Policy liaison to share information with school +staff, students, and families. + + +Page 18: +Superintendent’s Circular EQT-08 +Page 18 of 28 + + + +i. School leaders must submit the name of the +policy liaison to the assistant superintendent, +Office of Health & Wellness, by the first day of +school each year. See contact at the end of the +circular. +ii. If the school’s policy liaison steps down, the school +leader must identify a replacement and report +their name to the Assistant Superintendent, Office +of Health & Wellness, within 15 school days. +iii. Every school has a different structure for +providing student support services; therefore, the +school-based position of the liaison may differ +among schools. It is usually best if the liaison is in +regular contact with expectant and parenting +students as part of their job, such as a guidance +counselor or social worker. At the K-8 or middle +school level, where there are generally fewer +expectant or parenting students, it may be +appropriate for a health teacher or other +interested teacher to serve as liaison. School +nurses may not be the ideal choice as a liaison +since they may not be available to leave the +nurse’s office during school hours to share +information with other staff. +c. Overseeing the policy liaison to ensure communication +of the policy to all staff, students, and families. +d. Working with the Office of Equity to accommodate +new mothers’ need to express breast milk by +identifying a private, sanitary location for this purpose, +along with appropriate storage space for nursing + + +Page 19: +Superintendent’s Circular EQT-08 +Page 19 of 28 + + + +equipment. Bathrooms are not appropriate facilities, +even if private. To qualify, spaces should be “shielded +from view and free from any intrusion.” For more +guidelines, see the fact sheet on “Break Time for +Nursing Mothers Under the FLSA,” available at +http://www.dol.gov/whd/regs/compliance/whdfs73.htm +e. Reporting any instances of possible bias-based +conduct against an expectant or parenting student to +the Office of Equity (phone: 617-635-9650 or email: +bpsequity@bostonpublicschools.org) +i. It is considered bias-based conduct to exclude an +expectant or parenting student from any school, +program, class, or extracurricular activity on the +basis of a student’s expectant or parenting status. +ii. Enrollment by expectant or parenting students in +any alternative program or activity must be +completely voluntary. +2. School Expectant and Parenting Student Policy liaisons are +responsible for: +a. Completing the initial district training for policy liaisons +within the first few months of school, and any refresher +training as required. The training objectives are to +increase knowledge about the policy and related laws +and improve skills in supporting expectant and +parenting students and communicating with the +school community. +b. Ensuring that the policy is shared with students, +families, and school staff. + + +Page 20: +Superintendent’s Circular EQT-08 +Page 20 of 28 + + + +i. Work with the school leadership and the school +wellness council to share the policy with staff, +students, and families, ensuring translation for +students and families whose primary language is +not English. +ii. Make the policy and any appropriate resources +available in the school nurse’s office and any +school-based health centers or health resource +centers. +iii. Post the name of the policy liaison and a copy of +the policy on the school website so any member +of the school community can access it. +c. Disseminating information about district and +community resources. +i. Inform administrators, staff, and students about +the availability of resources for expectant and +parenting students; see Office of Health & +Wellness for resources. +ii. Disseminate information about support resources +to expectant and parenting students directly as +appropriate or through other school staff +members as needed; students are not required to +meet with the liaison if they do not wish. +d. Supporting all school staff in maintaining student +confidentiality as required by this policy and the law. +i. Liaisons do not need to be informed of the +identity of any expectant and parenting student +unless the student chooses to inform the liaison; +information and resources can be shared through + + +Page 21: +Superintendent’s Circular EQT-08 +Page 21 of 28 + + + +the school staff member with whom the student +has confided. +ii. Liaisons are not expected to be case managers or +counselors for expectant or parenting students +unless this is already part of their job +requirements. +3. School nurses are responsible for: +a. Offering regular check-ins with expectant students to +monitor their health and wellness during their +pregnancy. The type and frequency of check-ins should +be established based on the student’s wishes, needs, +and determined in consultation with the student. +i. Health services should be provided in a safe and +supportive environment free from bias-based +conduct towards expectant or parenting students. +b. Maintaining confidential medical records on pregnant +or parenting students who have sought treatment. +School nurses must be particularly aware of their +responsibilities under state and federal law and +regulations, especially the Health Insurance Portability +and Accountability Act (HIPAA). +c. Partnering with the head of school and the Office of +Equity to accommodate new mothers’ need to express +breast milk by identifying a private, sanitary location for +this purpose, along with appropriate storage space for +nursing equipment. Bathrooms are not appropriate +facilities, even if private. To qualify, spaces should be +“shielded from view and free from any intrusion.” For +more guidelines, see the fact sheet on “Break Time for + + +Page 22: +Superintendent’s Circular EQT-08 +Page 22 of 28 + + + +Nursing Mothers Under the FLSA,” available at +http://www.dol.gov/whd/regs/compliance/whdfs73.htm +d. Helping to determine the amount of parental leave a +student will take following the birth of a child in +consultation with the student, school staff who are +already aware of the student’s expectant status, the +student’s health care providers, and any other adults +the student consents to include. +i. Students are entitled to a minimum of eight +weeks of parental leave. +ii. BPS employees may not require a student to +remain out of school for a fixed period of time +post-childbirth. +e. Posting the policy in the school nurse’s office +throughout the school year and making the policy +publicly available in any school-based health centers or +health resource centers. + +4. Guidance counselors are responsible for: +a. Providing expectant and parenting students with +academic support and guidance when requested. +Students should be encouraged to seek support from +school guidance counselors to make an academic plan, +but students have a right to choose how and when +they seek services and support from school staff. +i. Work with expectant and parenting students to +determine a school schedule that promotes on- +time arrival and regular attendance. For some + + +Page 23: +Superintendent’s Circular EQT-08 +Page 23 of 28 + + + +students, this may include flexible scheduling, +independent study periods, or online courses +(provided that online courses include sufficient +opportunities for in-person interaction and +support as needed). +b. Obtaining written, informed consent from expectant or +parenting students before storing data linking +students’ names with academic information and +expectant or parenting status. Before giving written +consent, students must be informed that, if they +consent, information about their expectant or +parenting status will be entered to ensure that +students are receiving necessary support, and then +may be accessible to their parents as part of their full +academic records. +c. Ensure that any counseling or information provided to +students is unimpeded by bias. +d. Ensure that any student’s decision about whether to +participate in alternative schools, programs, or +activities for expectant or parenting students is +completely voluntary if sharing information with +students about those programs. +e. If a school does not have a guidance counselor on staff, +these responsibilities fall to the head of school. +5. The student’s school leader or their designee is responsible +to: +a. Bring together the student, other school staff already +aware of the student’s expectant or parenting status, +the student’s health care providers, and any other + + +Page 24: +Superintendent’s Circular EQT-08 +Page 24 of 28 + + + +adults the student consents to include to determine +the amount of parental leave for each expectant +student. Encourage students to consider including +their parents/guardians/caregivers in this conversation. +i. Students are entitled to a minimum of eight +weeks of parental leave. +ii. BPS employees may not require a student to +remain out of school for a fixed period of time +post-childbirth. +b. Ensure that students are reinstated at the conclusion +of a pregnancy and/or parental leave with the same +status as before the leave began. +c. Support the continuation of learning during excused +absences and leave, as medically appropriate, including +by working with the student to arrange a temporary +home or hospital instructional services through the +BPS Opportunity Youth Department. +d. Work with expectant and parenting students to +determine a school schedule that promotes on-time +arrival and regular attendance. Contact the Homeless +Education Resource Network (HERN) to arrange +transportation and promote school attendance among +expectant or parenting students experiencing +homelessness who are residing outside of the district. +e. Ensure that absences are excused when they arise +from pregnancy and related medical conditions, +including pregnancy-related illness or health +conditions, the termination of pregnancy, childbirth, +and recovery therefrom. Documentation from + + +Page 25: +Superintendent’s Circular EQT-08 +Page 25 of 28 + + + +students’ licensed healthcare providers may be +required for verification of pregnancy and related +medical conditions only if it is also required for +absences due to other medical conditions. +f. Ensure that absences are considered excused when +they are due to the illness or medical appointment +during school hours of a child of a student. +6. Central Office Staff +a. Office of Health and Wellness is responsible for: +i. Tracking names of school-based policy liaisons +ii. Coordinating initial and any needed refresher +training resources for policy liaisons. The training +will include best practices on disseminating +information about the expectant and parenting +students policy, on finding and distributing +resources to students in a culturally responsive +way, and on expectations for data collection and +confidentiality. +iii. Maintaining up-to-date district and community +resources for supporting expectant and parenting +students and sharing these resources with +liaisons. +b. Office of Equity is responsible for: +i. Monitoring compliance with this policy, including +responding to reports of possible bias-based +conduct. +ii. Ensuring communication of the policy at every +level of staff within the district and + + +Page 26: +Superintendent’s Circular EQT-08 +Page 26 of 28 + + + +communicating the policy yearly to families +through the BPS Guidebook. +iii. Reviewing the policy and its associated +implementation procedures annually and +updating as needed in collaboration with the +Office of Health and Wellness and other central +office stakeholders identified in this policy. +iv. Sharing the expectant and parenting students +policy and policy updates with the Boston +Student Advisory Council and other student +groups. +c. The Department of School Health Services is +responsible for: +i. Providing training and guidance to school nurses +on best practices for working with expectant and +parenting students, including how to ensure +confidentiality in accordance with this policy and +the law and providing culturally responsive +services. +d. Office of Opportunity Youth is responsible for: +i. Working with schools to help support the +continuation of learning during excused absences +and leave through the Home and Hospital +Instruction Program. +ii. Through supervisors of attendance, responding to +inquiries about attendance policies or reporting, +including policies on excused absences for +expectant and parenting students. + + +Page 27: +Superintendent’s Circular EQT-08 +Page 27 of 28 + + + +iii. Through the Homeless Education Resource +Network (HERN), working with schools to arrange +transportation and promote school attendance +among expectant or parenting students +experiencing homelessness who are residing +outside of the district. +e. Central office departments tasked with student +support services, such as Guidance and Social Work, +are responsible for: +i. Supporting the communication of this policy to +the school-based staff they support and +supporting professional development to ensure +staff is trained and have the resources to support +expectant and parenting students. +ii. Identifying schools with large numbers of +expectant and parenting students, such that +existing support systems may not be adequate to +support their needs and helping to establish a +plan for providing more comprehensive systems +of support. +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington Street, 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-9650 +Email: +bpsequity@bostonpublicschools.org + + +Page 28: +Superintendent’s Circular EQT-08 +Page 28 of 28 + + + +OR +Name: +Senior Executive Director +Department: +Office of Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-7926 +Email: +healthandwellness@bostonpublicschools. +org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-09 Transgender and Gender Nonconforming Employees.txt b/data/data_txt/EQT-09 Transgender and Gender Nonconforming Employees.txt new file mode 100644 index 0000000..aaf4a0f --- /dev/null +++ b/data/data_txt/EQT-09 Transgender and Gender Nonconforming Employees.txt @@ -0,0 +1,275 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-09 +Version 01 + + + +TRANSGENDER AND GENDER NONCONFORMING +EMPLOYEE NONDISCRIMINATION ON THE BASIS OF +GENDER IDENTITY AND EXPRESSION +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. All Boston Public Schools are to be +free from bias and discrimination on the basis of sex, sexual +orientation, and/or gender identity. +This circular sets forth guidelines to address the needs of +transgender and gender non-conforming employees and clarifies +the Office of Equity’s investigatory process. This circular does not +anticipate every situation that might occur with respect to +transgender or gender non-conforming employees, and the +needs of each transgender or gender non-conforming employee +must be assessed on a case-by-case basis. +Reports of bias, discrimination or harassment based on a person’s +actual or perceived gender identity or gender nonconformity are +handled in the same manner as other reports of bias-based +conduct. Students, employees, and third parties alleged to have +violated this policy (EQT-09) will be investigated and addressed + + +Page 2: +Superintendent’s Circular EQT-09 +Page 2 of 8 + + + +according to the protocols detailed in Superintendent’s Circular +EQT-05, “Employee Reports of Bias-Based Conduct.” +DEFINITIONS +The definitions provided below are not intended to label or limit +employees’ individual identities or experiences, but rather to +assist in understanding this circular and the district’s legal +obligations. Although these are the most commonly used terms, +employees may or may not choose to use these terms to describe +their gender identity, appearance, or behavior. + + +• Gender Identity: Defined under Massachusetts law as “a +person’s gender-related identity, appearance, or behavior, +whether or not that gender-related identity, appearance, or +behavior is different from that traditionally associated with +the person’s physiology or assigned sex at birth.” +• Gender Expression: The way a person represents or +expresses gender to others, often through behavior, +clothing, hairstyles, activities, voice, or mannerisms. + + +• Transgender: A person whose gender identity or expression +is different from that traditionally associated with the +assigned sex at birth. + + + + + +• Gender Nonconforming: People whose gender identity +and/or gender expression do not conform to traditional +societal expectations or norms. The terms “gender +nonbinary,” “gender variant,” or “gender-atypical” may also +be used. + + + + +• Queer: While historically and sometimes currently +considered an offensive term, “queer” has been reclaimed +by many members of the lesbian, gay, bisexual, and + + +Page 3: +Superintendent’s Circular EQT-09 +Page 3 of 8 + + + +transgender (LGBT) community as a term of empowerment. +The term generally refers to a member of the LGBT and/or +gender nonconforming community. This term may be used +by someone who identifies as a member of the LGBT +community, but who does not specifically consider +themselves to be lesbian, gay, bisexual, or transgender. +Since this term has a negative history, it should only be used +to describe individuals who identify themselves as queer +and give permission for others to use that term to describe +them. + + + + + +• Transition: The process by which a person goes from living +and identifying as one gender to living and identifying as +another. Transitions may include physical, social, and/or +medical processes. Not all transgender or gender +nonconforming people transition or desire to transition in +the same way. Transitions are private, and personal +information about a transition should not be discussed +unless the conversation is initiated and led by the +transgender or gender-nonconforming employee. +RESPONSIBILITIES +The Boston Public Schools Office of Equity is responsible for +ensuring compliance with this circular and ensuring that all +school administrators and Central Office department heads are +trained and prepared to comply with their obligations under this +circular. +PRIVACY AND CONFIDENTIALITY +Transgender and gender nonconforming employees have the +right to discuss their gender identity or expression openly or + + +Page 4: +Superintendent’s Circular EQT-09 +Page 4 of 8 + + + +keep that information private. The employee has the right to +decide when, with whom, and how much to share when +speaking about their identity or expression. +BPS Central Office employees, school personnel, and other +parties employed, contracted by, or serving as volunteers in the +district should not disclose information that may reveal an +employee’s transgender status or gender nonconforming +presentation to others without their express permission. Private +and confidential information may only be shared with the +transgender employee’s consent, and with employees who truly +need to know to execute their job requirements. +DRESS AND APPEARANCE +Boston Public Schools does not have dress codes that restrict +employees’ clothing or appearance on the basis of gender. +Transgender and gender nonconforming employees have the +right to dress in a manner consistent with their gender identity +and/or gender expression. +NAMES AND PRONOUNS +An employee has the right to be addressed by the name and +pronoun that corresponds to the employee’s gender identity in +the workplace, including by their colleagues, and for school- +based employees, by their students. A court-ordered name or +gender change is not required. The intentional refusal to respect +an employee’s gender identity may constitute a violation of the +district’s circular, Bias-Based Conduct Toward Employees (EQT- +05) and/or state and federal anti-discrimination laws. If a district +employee is unsure what pronoun a staff member uses, they +should ask the employee how they would like to be addressed. + + +Page 5: +Superintendent’s Circular EQT-09 +Page 5 of 8 + + + +PUBLIC FACILITIES ACCESSIBILITY +Employees have a right to access safe and appropriate facilities, +including the right to use a restroom and/or locker room that +corresponds to the employee’s gender identity, regardless of the +employee’s sex assigned at birth. Any employee who has a need +or desire for increased privacy will be provided access to a single- +stall restroom and/or private area, if available. No employee +should be required to use a single-stall restroom or a private +changing area. +TRANSITIONING AT BPS +Employees who transition during their BPS employment can +expect the support of the Office of Human Capital and the Office +of Equity. These two offices will work with each transitioning +employee individually to ensure a successful workplace +transition. +BEFORE THE WORKPLACE TRANSITION BEGINS +Transitioning employees are encouraged to work in partnership +with the Office of Equity and Office of Human Capital to learn +more about the district’s transgender-related policies, and the +availability of transition-related health care benefits. + +All relevant parties should discuss a workplace transition plan, +including the employee, the employee’s supervisor, and others as +appropriate. A work plan should specify: +• The date selected by the employee for when the transition +will officially and formally take place. This date will + + +Page 6: +Superintendent’s Circular EQT-09 +Page 6 of 8 + + + +correspond to the date the employee changes their gender +expression, name, and pronouns. Employees may also +choose to start using the bathroom and other facilities that +correspond to their gender identity on this date. The +employee has the right to revise the start date and other +aspects of the plan based on their evolving needs and +preferences. +• How and in what format the transitioning employee will +notify co-workers or personnel who need to know. +• What, if any, training will be provided to co-workers, +students, or other appropriate personnel or families. +• What updates should be made to the transitioning +employee’s records, and when they will be made. +• The dates of any leaves that may be needed for pre- +scheduled medical procedures or treatment, if applicable. +BIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. + +Reports of bias, discrimination, or harassment based on a +person’s actual or perceived gender identity or gender +nonconformity are handled in the same manner as other reports +of bias-based conduct. The Boston Public Schools utilizes the +procedures outlined in EQT-05, Bias-Based Conduct Toward +Employees. These procedures are designed to facilitate a prompt +and effective internal review and resolution of allegations of bias- + + +Page 7: +Superintendent’s Circular EQT-09 +Page 7 of 8 + + + +based conduct, discrimination, or harassment based on +sex/gender, gender identity, gender expression, and sexual +orientation. +RELATED RESOURCES +• Links to laws, regulations, cases, and web sources on +gender identity or expression law can be found at +Massachusetts Law About Gender Identity or Expression. +• Contact the Office of Equity at 617-635-9650 or +bpsequity@bostonpublicschools.org for information about +additional training and support. + + + + + +Page 8: +Superintendent’s Circular EQT-09 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-9291 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/EQT-10 Opportunity & Achievement Gaps Policy Implementation.txt b/data/data_txt/EQT-10 Opportunity & Achievement Gaps Policy Implementation.txt new file mode 100644 index 0000000..7aee878 --- /dev/null +++ b/data/data_txt/EQT-10 Opportunity & Achievement Gaps Policy Implementation.txt @@ -0,0 +1,363 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +EQT-10 +Version 01 + + + +OPPORTUNITY AND ACHIEVEMENT GAPS (OAG) +POLICY IMPLEMENTATION +(For the 2016 Policy of the Boston Public Schools to Eliminate +Opportunity & Achievement Gaps for students of color, +multilingual learners, students with disabilities and students of +low socio-economic status) +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +CIRCULAR CONTENTS +I. +Opportunity & Achievement Gaps (OAG) Policy Goals +II. +OAG Policy Oversight and Implementation +III. +OAG Policy SMARTIE Goals / Aligned with Strategic Plan +Implementation Goals +a. Superintendent Goals +b. Central Office Department & Division Goals +c. School-based Goals +d. Cross Functional Team Goals +IV. +Transparency & Public Accountability +The Boston Public Schools is committed to ensuring that every +child in every classroom has unfettered access to all the +opportunities needed to be successful academically and social +emotionally. In order to meet this mission, it’s important that +every district employee reads, understands, embodies, and +implements the 2016 Opportunity & Achievement Gaps Policy. + + +Page 2: +Superintendent’s Circular EQT-10 +Page 2 of 10 + + + + +I. +OAG POLICY GOALS +The OAG Policy aspires to achieve the following goals: +• Goal 1: Districtwide Implementation and Oversight +• Goal 2: Districtwide Focus on Cultural Proficiency as +Central to the Work of the Boston Public Schools +o Objective 2.1: Develop a clear, shared vision for cultural +proficiency with Cultural Proficiency Standards, and +promote culturally and linguistically sustaining and +affirming practices districtwide. +o Objective 2.2: Continue and expand efforts aimed at +increasing dialogue and transparency around issues of +racism and inclusion and create a system for reporting +allegations of racial bias and discriminatory practices +through the Office of Equity. +• Goal 3: Diversity and Cultural Proficiency in Leadership +and Human Capital +o Objective 3.1: Increase the diversity of teachers, +administrators, and staff in schools and the Central +Office. +o Objective 3.2: Provide long-term, ongoing professional +development and coaching for staff at all levels of the +district on eliminating gaps, transforming and +improving instructional practices and beliefs, and +building a culture of high expectations and +achievement for all students. + + + + +Page 3: +Superintendent’s Circular EQT-10 +Page 3 of 10 + + + +• Goal 4: Holistic, Culturally Affirming Approach to School +and Teacher Quality +o Objective 4.1: Provide a culturally proficient and highly +effective teacher in every classroom and give cultural +proficiency standards greater weight on the Teacher +Evaluation Rubric. +o Objective 4.2: Demonstrate how curricula are vetted +for bias and cultural proficiency and ensure that the +curriculum and instructional strategies used in all +subjects at all levels are rigorous, highly engaging, +culturally affirming, and foster student identity and +voice. +o Objective 4.3: Demonstrate how Social and Emotional +Learning (SEL) is used to develop student identity and +an appreciation of race, ethnicity, culture, language, +gender, and social class among students and teachers; +and foster comfort in discussing these issues explicitly +in school. +o Objective 4.4: Demonstrate how assessments are used +to drive deeper learning, eliminate redundant testing, +and disaggregate data by ethnicity in addition to race +and gender to identify and address opportunity and +achievement gaps. +o Objective 4.5: Demonstrate how appropriate +identification, placement, and support services are +provided for students with disabilities and English +Language Learners. + + + + +Page 4: +Superintendent’s Circular EQT-10 +Page 4 of 10 + + + +• Goal 5: Dismantling Structural Barriers and Providing +Greater Access to Opportunities +o Objective 5.1: Demonstrate how equity is addressed +within the district’s operations. +o Objective 5.2: Demonstrate equity in student +assignment, enrollment, and school closings. +o Objective 5.3: Demonstrate equity, quality, and impact +in funding and resources. +o Objective 5.4: Demonstrate how opportunities such as +access to rigorous curriculum, early childhood +education, and extended learning time are being +expanded to all students of color and other +marginalized groups. +o Objective 5.5: Demonstrate how, in collaboration with +the City of Boston, BPS fosters strong parent +community-school ties to mitigate the effects of +concentrated poverty and institutional racism citywide +as a strategy to eliminate gaps. +• Goal 6: Students, Family, and Community as Authentic +Partners +o Objective 6.1: Demonstrate how students are engaged +as partners in eliminating opportunity and +achievement gaps, while promoting student +engagement and agency in active learning. +o Objective 6.2: Demonstrate how parents are engaged +as partners in eliminating opportunity and +achievement gaps. +o Objective 6.3: Demonstrate how community partners + + +Page 5: +Superintendent’s Circular EQT-10 +Page 5 of 10 + + + +are engaged with the District to eliminate opportunity +and achievement gaps. +II. +OAG POLICY OVERSIGHT AND IMPLEMENTATION +The Office of Opportunity Gaps of the Division of Equity, Strategy +and Opportunity Gaps (ESOG) has the authority to oversee the +implementation of the OAG policy as designated by the +superintendent of schools. +• To ensure that all “departments and schools +[demonstrate] equity in all facets of district operations,” +each department and school is expected to develop +annual goals that advance the goals of the OAG policy +under their purview. +• For central office departments, each OAG policy goal +should be developed in consultation with a designated +member of the Office of Opportunity Gaps before the +beginning of each school year. +• For schools, school leaders, in consultation with their +school superintendent, should develop goals advancing +the OAG policy as a part of their annual Quality School +Plan (QSP). The school superintendents should have the +goals reviewed by the Office of Opportunity Gaps for +consultation and feedback for finalization by November 1 +of each year. +• The Office of Opportunity Gaps and the Office of Strategy +& Innovation will work in partnership to ensure alignment +of strategy plan implementation goals and OAG policy +implementation goals across central office departments. +Each department's OAG goal(s) shall also serve as one or + + +Page 6: +Superintendent’s Circular EQT-10 +Page 6 of 10 + + + +more of its strategic plan implementation goals. + +III. +OAG POLICY SMARTIE GOALS / ALIGNED WITH STRATEGIC +PLAN IMPLEMENTATION GOALS +“Implementation and Evaluation: Within six months of the +Boston School Committee (BSC) adoption of this policy, Boston +Public Schools (BPS) will develop and present to BSC an +interdepartmental implementation plan for this policy. The +Implementation Plan must include SMART Goals which are +Specific, Measurable, Attainable, Realistic, and Time-Bound. +Each October, beginning in 2017, BPS will submit an annual +report on the Plan’s progress which will include SMART Goals for +the subsequent calendar year. BPS will develop an Opportunity +and Achievement Gaps (OAG) Dashboard, publicly available on +the BPS website, which monitors and assesses the District’s +progress towards meeting the goal of eliminating the +opportunity and achievement gaps facing students of color and +other marginalized groups.” +• Superintendent Goals: At the beginning of each school +year, the superintendent’s goals, objectives, and +implementation of activities will be aligned with the goals +and objectives of the Opportunity and Achievement Gap +Policy. +• Central Office Goals: At the beginning of each fiscal year, +each division-office must develop an Opportunity and +Achievement Gap Goal and Strategy(s) that elevates +student disproportionality within their workstreams. +Goals are reviewed quarterly to determine progress on +implementation for student achievement. + + +Page 7: +Superintendent’s Circular EQT-10 +Page 7 of 10 + + + +• School-Based Goals: At the beginning of each school year, +School Leaders and their teams must develop an +Opportunity and Achievement Gap Goals and +Strategy(ies) within their Quality School Plans that elevate +student disproportionalities within teaching, learning, +operational, and social emotional supports. Quality School +Plans are reviewed every 90 days to determine progress +on implementation for student achievement. +IV. +TRANSPARENCY & PUBLIC ACCOUNTABILITY +“The Boston School Committee must ensure that eliminating the +opportunity and achievement gaps facing students of color, +English Language Learners, students with disabilities, and +students of low socio-economic status is a primary and urgent +priority that will not change with new leadership, fluctuating +budgets, and shifting priorities. All District policies, budgets, +strategic plans, and school improvement plans shall advance +the goal of eliminating the opportunity and achievement gaps +facing students of color, English Language Learners, students +with disabilities, and students of low socio-economic status.” +RESPONSIBILITY OF DISTRICT LEADERSHIP +Equity Impact Statements: +All reports, policy recommendations, and budgets presented to +the Boston School Committee shall be accompanied by an Equity +Impact Statement that explicitly shows a comparison of the gaps +for students of color, multilingual learners, students with +disabilities, and students of low socio-economic status, +disaggregated by ethnicity, to the extent possible. This +Achievement Gap Impact Statement will give an explicit + + +Page 8: +Superintendent’s Circular EQT-10 +Page 8 of 10 + + + +examination of how the report, policy recommendation, and/or +budget will help or hinder eliminating gaps and increase or +decrease opportunities for students of color, Multilingual learners, +students with disabilities, and students of low socio-economic +status. +All new policies will be automatically reviewed in one year to +present disaggregated ethnic and program data to show that the +policy is having its intended impact, along with lessons learned +and future recommendations. +Other Provisions / Excerpts From the OAG Policy: +• Leadership and Oversight: The superintendent and their +designee (e.g., the assistant superintendent for the +Opportunity and Achievement Gap) will have the +responsibility, authority, and accountability to lead, +facilitate, and monitor the implementation of this policy +so that it is fully embedded in the operations and +practices of the district. +• Resource Allocation: BPS shall base resource allocation +decisions on the OAG Implementation Plan, and target +resources to meet the specific gap closing goals of the +plan, including fully funding the Office of the Opportunity +and Achievement Gap and the Office of Equity. As part of +the annual report, BPS will indicate the resources it has +allocated to implement the OAG plan. +• Monitoring: The Opportunity and Achievement Gaps Task +Force shall continue as a monitoring body, meeting no +less than quarterly, providing guidance and input, and +working in partnership with the Boston School + + +Page 9: +Superintendent’s Circular EQT-10 +Page 9 of 10 + + + +Committee, and BPS to help ensure that the +Implementation Plan is developed, and the policy is being +implemented with consistency and fidelity across the +district. The task force will give an annual State of the +Opportunity and Achievement Gaps Report to the Boston +School Committee and shall make recommendations as +needed to influence the budget process and planning for +each subsequent school year. +• Performance Reviews: Beginning in SY22-23, annual +performance reviews for the superintendent and all BPS +staff shall include goals related to cultural proficiency and +eliminating opportunity and achievement gaps. + + + + + +Page 10: +Superintendent’s Circular EQT-10 +Page 10 of 10 + + + +For more information about this circular, contact: +Name: +Assistant Superintendent, Office of +Opportunity Gaps +Department: +Office of Opportunity Gaps +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +ofca-staff@bostonpublicschools.org +OR +Owner: +Assistant Superintendent, Office of +Opportunity Gaps +Department: +Equity Strategy, Opportunity Gaps +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt/FAM-01 School Parent Councils.txt b/data/data_txt/FAM-01 School Parent Councils.txt new file mode 100644 index 0000000..4322fb3 --- /dev/null +++ b/data/data_txt/FAM-01 School Parent Councils.txt @@ -0,0 +1,363 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FAM-01 +Version 01 + + + +SCHOOL PARENT COUNCILS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public Schools values the voices of families and seeks to +engage families in both school governance and in an advisory +capacity at all levels throughout the district. School Parent +Councils (SPCs) serve as advocates and advisors to +principals/heads of school, school superintendents, the +superintendent, and the School Committee. +SPCs provide an opportunity for families to be more deeply +engaged at the school level, partnering with the principal/head of +school to improve school culture and outcomes for all students. +In addition to the school-based SPC, there are districtwide parent +advisory councils that bring together parents across schools to +serve as advisors to district leadership. The Citywide Parent +Council (CPC) serves as the districtwide voice for parents and is +composed of representatives from each school. The Special +Education Parent Advisory Council (SPED PAC) represents the +families of students with disabilities who receive special +education services. The District English Learner Advisory +Committee (DELAC) works to ensure that parents are informed +about all aspects of BPS that affect English learners and provide +recommendations to the Office of English Learners. These groups +serve to empower parents and partner with BPS to improve + + +Page 2: +Superintendent’s Circular FAM-01 +Page 2 of 10 + + +outcomes for all students. This circular focuses on the role and +function of the SPC. +SCHOOL PARENT COUNCILS +The SPC is the independently established "voice" of all parents in +the school community. The SPC advocates for students and the +school, meets frequently and consistently, elects representatives +to sit on the School Site Council (SSC), and promotes an +environment of understanding and common purpose among +parents, students, and school staff, with a focus on student +learning and school improvement. For the purposes of this +circular, the term “parent” includes a legal guardian or other +person standing in loco parentis (such as a grandparent or +stepparent with whom the child lives, or a person who is legally +responsible for the child's welfare)." Sect. 9101(31) ESEA. +The roles and responsibilities of the SPC are as follows: +Roles: +• Collaborate with school staff to create a welcoming school +climate for all students and families. +• Coordinate school-wide activities and events that engage +families in student learning. +• Raise funds to support school-based initiatives, activities, +and events. +Responsibilities: +• Provide a safe forum for families to express concerns. +• Contribute to school-based initiatives related to school +improvement, school climate, and student learning. + +All parents or legal guardians of a child attending a particular + + +Page 3: +Superintendent’s Circular FAM-01 +Page 3 of 10 + + +school are automatically members of that school’s SPC. +The SPC Executive Committee is the elected leadership of the +SPC. Schools must adhere to the following guidelines for the +election of the Executive Committee: +• OFCA recommends that the school’s Family Liaison is either +the facilitator, co-facilitator, or observer of the election. +• Elections for SSC and SPC parent reps must happen in the +fall of the new school year. Spring elections will no longer be +accepted. This is to help make opportunities for +engagement in the councils more equitable. +• Elections for the 2024-2025 school year may be conducted +in person, virtually, or through a hybrid system, providing for +equitable access to voting. +• Parents/legal guardians who wish to become members of +the Executive Committee must have a child enrolled at the +school in which they are running. +• Co-chairs and officers should be representative of the school +community. +• Any parent/legal guardian who is present at an SPC election +(held in person or virtually) may be nominated for the SPC +Executive Committee (a parent may nominate themself). +• Within one school, elected members can serve more than +one role only if there is an insufficient number of candidates +to fill all roles. +• Parents/legal guardians who are not present (in-person or +virtually) at the time of the election may not be nominated. +• Parents/legal guardians who work at their child’s school +may not be elected to the SPC Executive Committee, except +for extenuating circumstances. +• Each family is allowed one vote per family. + + +Page 4: +Superintendent’s Circular FAM-01 +Page 4 of 10 + + +• Each candidate should be allowed one minute to introduce +themself. +• Elections may be carried out by secret ballot or can be +approved by a majority vote of the present group. +• Nominations and elections are held during the same +meeting; therefore, voters must be present, virtually or in +person, to participate in the election. + +SPC EXECUTIVE COMMITTEE +The role of the SPC Executive Committee is to: +• Provide leadership and to organize the work of the SPC . +• Maintain ongoing communication with all parents to ensure +that they are connected to what is happening at school. +• Maintain ongoing communication and a collaborative +working relationship with the principal/head of school, +teachers, school staff, and community partners. +• Create an inclusive environment on the SPC and in the +whole school community that welcomes the active +participation of all parents. +• Set a schedule and format of meetings that invites +maximum participation of families. + +The composition of the SPC Executive Committee should: +• Reflect the racial and ethnic diversity of the student body. +• Include parents of students who are English Learners +• Include parents of students who receive special education +services. +• Include parents of students in a range of grade levels. +• Include a mix of newly elected and experienced parent +leaders. + + +Page 5: +Superintendent’s Circular FAM-01 +Page 5 of 10 + + + +Parents may serve in more than one SPC Executive Committee +role simultaneously at the same school if no other candidates +come forward. However, SPCs are encouraged to elect as many +parents as possible for the various roles for the purposes of +sharing responsibility and building leadership capacity. The SPC +Executive Committee consists of the following roles: +Co-Chair +• Number elected: 2 +• Schedule and facilitate SPC meetings +• Create agendas +• Maintain ongoing two-way communication with +principal/head of school +Treasurer +• Number elected: 1-2 +• Maintain clear and accurate financial records for the SPC +• Provide monthly expense reports +• Lead or manage SPC fundraising efforts +Secretary +• Number elected: 1-2 +• Conduct outreach to the parent community +• Record and share meeting notes with the school +community + +School Site Council Reps +• Number elected: 5-8 (based on the number of staff in the +BTU bargaining unit) +• Represent the parent community as a member of the SPC +• Participate in school-based decision-making + + +Page 6: +Superintendent’s Circular FAM-01 +Page 6 of 10 + + +• Attend SPC meetings to report out on SSC business and +receive information to bring back to the SSC +• Facilitate communication between the SPC and SSC + +Citywide Parent Council Rep +• Number elected: 1-2* + +• Participate in a districtwide parent group designed to +advocate for BPS families and students and influence BPS +policy +Special Education Parent Advisory Council Rep +• Number elected: 1-2* +• Participate in a citywide parent organization designed to +provide information and resources to families of students +with disabilities who receive special education services +District English Learners Advisory Committee + +• Number elected: 1-2* +• Participate in a citywide committee tasked with providing +recommendations to school and district officials regarding +programs and services provided to EL students +Total # of Parents Elected to SPC Executive Committee: 12-20 + +*If vacant, this position should be revisited throughout the school +year, and families should be reminded of the opportunity and +the benefit of representation on these citywide councils. + + + +Page 7: +Superintendent’s Circular FAM-01 +Page 7 of 10 + + +RELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND +SCHOOL SITE COUNCIL +The School Parent Council (SPC) elects parent members to +represent the parent voice on the School Site Council (SSC). SSC +representatives are members of the SPC Executive Committee +and should attend SPC meetings to provide regular updates on +SSC proceedings to ensure opportunities for parent input and +feedback. All SSC meetings are open to the public; therefore, any +parent, staff person, or community member can attend. However, +only the elected representatives can vote on SSC decisions. +SCHOOL PARENT COUNCIL BY-LAWS +All SPCs must develop by-laws for their council to provide +structure and guidance for SPC operations. SPCs must annually +review and approve their by-laws at their first meeting following +the election. The by-laws are a public document and should be +made available to all parents and members of the school +community, upon request. The SPC by-laws should be submitted +to the Office of Family and Community Advancement (OFCA) +upon approval by the SPC. +SCHOOL PARENT COUNCIL MEETINGS +The SPC should meet at least once monthly. The first meeting of +the year should include a presentation from the principal/head of +school on the school’s goals for the year and election of +representatives to the Executive Committee and School Site +Council (see Superintendent’s Circular FAM-02 for more details). +The following meeting should focus on sharing the work that the +SPC is doing and provide the opportunity for feedback from +parents. SPCs are encouraged to meet monthly, in keeping with +the SSC frequency, to ensure that the parent body is kept + + +Page 8: +Superintendent’s Circular FAM-01 +Page 8 of 10 + + +abreast of SSC activity. Meeting frequency and purpose should +be detailed in the SPC By-laws. +SPC GUIDELINES FOR PRINCIPALS, HEADS OF SCHOOL, AND +ADMINISTRATORS +• The principal/head of school must work with the SPC to host +an annual Title I meeting to share with families (1) how the +school is investing its Title I allocation, (2) rights and +responsibilities of Title I parents, and (3) to seek feedback +and/or input from parents on the Home-School Compact +and Family Engagement Plan. +• The principal/head of school should meet with the SPC on a +regular basis to provide updates on school policies, the +instructional focus, school data, other pertinent information, +and to address school-wide parent concerns. +• The principal/head of school should provide families with +periodic updates on overall student/school progress, sharing +data at SPC meetings. +• The principal/head of school should meet with the SPC co- +chairs for ongoing communication regarding family and +student engagement practices, student learning, and school +improvement. +• The principal/head of school should work with the SPC co- +chairs to have information translated into the home +languages represented at their school and ensure that +arrangements for translation and interpretation have been +negotiated and agreed upon by the SPC and school staff +(this includes election night). +• The principal/head of school or designee should assist the +SPC in notifying families of all SPC and/or Executive + + +Page 9: +Superintendent’s Circular FAM-01 +Page 9 of 10 + + +Committee meetings, by providing access to a computer, +paper, copying machine, and postage; and by working with +the SPC for timely dissemination of notices for the entire +community using a range of communication methods, +including School Messenger, email, the school’s website, +and school media. +The SPC works collaboratively with the principal/head of school +and school staff to solve problems and develop plans to improve +the engagement of families and students. The commitment to +partnering with families reflects the value that BPS has placed on +the engagement of families and is grounded in decades of family +engagement research. +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Effective implementation and the authentic engagement of +parent, teacher, and student voice align with the following +standards of the Massachusetts Administrator Evaluation rubric: +• Indicator III-A1. Family Engagement +o Engages parents, students, and teachers in creating a +welcoming school environment and fostering a shared +responsibility engagement. +• Indicator IV-B1. Policies and Practices +o Creates opportunities for authentic parent, student, +and teacher voice in school-based decision-making. +• Indicator IV-E-1. Shared Vision Development +o Parents, students, and teachers have an opportunity to +shape the vision for the school as it pertains to +instruction and school climate. +• Indicator IV-F-3. Consensus Building + + +Page 10: +Superintendent’s Circular FAM-01 +Page 10 of 10 + + +o Decisions are made using a consensus model, in which +all members of the SSC (including SPC members) have +an equal voice. +o Resolves conflicts among members of the school +community. +IMPORTANT DATES +Date +Activity +September 15 +Election dates submitted to OFCA +October 31 +Deadline for completing SPC elections of all +parent reps, including SSC representatives; and +submitting rosters to OFCA. + + +For more information about this circular, contact: +Owner: +Director, Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FAM-02 School Site Councils.txt b/data/data_txt/FAM-02 School Site Councils.txt new file mode 100644 index 0000000..6351b03 --- /dev/null +++ b/data/data_txt/FAM-02 School Site Councils.txt @@ -0,0 +1,468 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FAM-02 +Version 01 + + + SCHOOL SITE COUNCILS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Engaging families and students as equal partners has been +identified as a core strategy for improving student performance +in the Boston School Committee goals and the BPS Engagement +Policy. Family and student engagement is also a significant +component of the Massachusetts School-Level Administrator +Rubric. +This circular has been developed to help principals/heads of +school effectively implement School Site Councils (SSC) as a +foundational structure for engaging parents and students in +school-based decision-making and school improvement. The +Office of Family and Community Advancement (OFCA) +collaborates with the Boston Teachers Union (BTU) to provide +oversight and support for SSCs. +For the purposes of this circular, the term “parent” includes a +legal guardian or other person standing in loco parentis (such as +a grandparent or stepparent with whom the child lives, or a +person who is legally responsible for the child's welfare). Sect. +9101(31) ESEA. + + +Page 2: +Superintendent’s Circular FAM-02 +Page 2 of 14 + +ROLE AND PURPOSE +The role of the School Site Council is to engage parents and +teachers to serve with the principal/head of school as the central +decision-making body of the school. SSCs are required by the +Massachusetts Education Reform Act of 1993 and by the +collective bargaining agreement between the Boston Teachers +Union (BTU) and the Boston School Committee. +Under the school-based management/shared decision-making +model described in the collective bargaining agreement +between BPS and the BTU, the role of the SSC is to: +● Review and approve the Quality School Plan within +guidelines established by the superintendent. +● Review and approve the recommendations of the +Instructional Leadership Team (ILT) that have been +endorsed by the principal/head of school and that will have +a major effect on the school community. +● Review and comment on the entire school budget, +including the general funds and external funds budgets, in a +timely fashion. +● Approve the budget for discretionary school materials, +supplies, textbooks, and equipment, including the use of +school improvement award funds. +● Review and approve recommendations from any other +committee or group that is established to recommend +changes that will have a major effect on the school +community. +● Develop and approve plans for increasing parent +engagement in the school. + + +Page 3: +Superintendent’s Circular FAM-02 +Page 3 of 14 + +● Develop, review annually, and approve the School-Parent +Compact as required by Title I. +● Receive information about all outside programs or outside +professionals that come into the school. +● Approve waivers. +As the central governing body at the school, the SSC oversees all +school-based committees, including the ILT and the Personnel +Subcommittee. +The role of the ILT is to: +● Serve as an advisory body to the principal/head of school on +issues related to teaching and learning, assessment, and +professional development. +● Give a report each month to the SSC on ILT activities. +● Seek and receive SSC approval for any ILT recommendation +that alters the Quality School Plan or may have a major +effect on the school community. +Each school must elect a Personnel Subcommittee, whose +composition must include two teachers, one parent, and the +principal/head of school. The responsibilities of the Personnel +Subcommittee are to: +● Approve the hiring of new BTU teacher bargaining unit staff +and in-transfer of BTU teachers’ bargaining unit staff from +other schools in the system and the choice of teachers from +the excess pools. +● Approve the selection of lead teachers, mentor teachers, +and new athletic coaches. +● Determine the schedule and procedures for reviewing + + +Page 4: +Superintendent’s Circular FAM-02 +Page 4 of 14 + +candidates for positions. +Schools must submit the names of the members of the +Personnel Subcommittee to the Office of Family and Community +Advancement by October 31. For additional information on the +Personnel Subcommittee, see Superintendent’s Circular FAM-04 +Personnel Subcommittee. +SSC GOVERNANCE AND OPERATIONS +The following provisions describe how effective SSCs should +operate. +1. SSC operations are governed by a BPS/BTU Joint Steering +Committee, which includes parents and students. Any +member of the SSC may file a complaint with the Steering +Committee concerning the operation of the SSC at their +school. +2. The SSC is expected to operate as a single decision-making +team, working together to reach consensus, as opposed to +being individual representatives of specific constituent +groups. +3. Formally, decisions made by the SSC will be made by +majority vote, with the principal/head of school voting with +the majority. +4. The principal/head of school is required to account in writing +and in person (at a subsequent meeting) for any vote in +contravention of a majority of the council. +5. A quorum must be present to vote on issues. To constitute a +quorum, the principal/head of school must be present as +well as at least two teachers and two parents for SSCs with 9- +12 members and three teachers and three parents for SSCs +with 13 or more members. + + +Page 5: +Superintendent’s Circular FAM-02 +Page 5 of 14 + +6. The principal/head of school shall serve as SSC co-chair and +at the first meeting of the school year; the elected members +of the SSC are encouraged to select one member (preferably +a parent) to serve as the other co-chair. +7. Other roles, such as note taker and any subcommittees, shall +also be selected at the first SSC meeting of the school year. +8. At the first SSC meeting of the year, a calendar of meetings +for the entire school year shall be established, ensuring that +the times and dates are convenient for all members. +9. The agenda for the meetings shall be developed by the SSC +co-chairs with input from other members of the SSC and the +school community at large. +10. Each SSC is required to pass by-laws to govern its operations. +The by-laws must be approved or amended by two-thirds of +the members of the bargaining unit in the school eligible to +vote for the SSC and by two-thirds of the parents who come +to a parent meeting. There must be at least two weeks’ +notice for the parent meeting. +11. All SSC meetings are subject to DESE regulations regarding +specific law, including publicizing meeting dates in advance +and sharing meeting minutes with the school community. +12. On March 29, 2023, Governor Healey signed into law a +supplemental budget bill which, among other things, +extends the temporary provisions pertaining to the Open +Meeting Law to March 31, 2025. These provisions allow for +School Site Councils to meet remotely, provided that +adequate access to the meetings is still available to the +public. Please see https://www.mass.gov/the-open-meeting- +law for more information or current updates. Decisions +about hosting in- person or virtual school-based meetings + + +Page 6: +Superintendent’s Circular FAM-02 +Page 6 of 14 + +with families for SY 24-25 should be a shared decision with +community members. +For additional information on SSC governance and operations, +please contact the Office of Family and Community +Advancement or refer to the Shared Decision-Making section of +the collective bargaining agreement between BPS and the BTU. +COMPOSITION OF THE SSC +The SSC shall be composed of: +● The principal/head of school +● Elected members of the BTU who work more than 50% of +their work week at that school +● Parents of children enrolled in that school elected by the +School Parent Council +● Two students (high school only) enrolled in that school +elected by the Student Government. +The specific number of parent and teacher representatives on +the SSC is determined by the number of BTU members employed +at the school. The number of parent representatives on the SSC +must be equal to the number of BTU representatives, plus the +principal/head of school. The table below demonstrates how the +number of teacher and parent representatives are calculated. + + + + +Page 7: +Superintendent’s Circular FAM-02 +Page 7 of 14 + +School Site Council Representation* +# of BTU members +in school +# of BTU SSC Reps # of Parent SSC Reps +30 or fewer BTU +4 +4 +31 – 60 BTU +5 +5 +61 or more BTU +6 +6 + +*Plus, the principal/head of school and, as applicable, two +students, as outlined above. +Schools may also select associate (non-voting) SSC members +from community-based organizations, higher education, or +businesses that partner closely with the school. +Each school shall also elect each year alternate parent, teacher, +and student members of the SSC to substitute for absent +members of their group. Alternate members who are elected by +BTU bargaining unit members or parents to substitute for absent +members may also fill vacancies created by the resignation or +removal of SSC members. +Parents elected as SSC representatives must reflect the racial and +ethnic diversity of the student population at the school and +include parents of students participating in a range of +educational programs, such as special education and related +services and programming for English Language Learners. +For specific information on the election process of BTU +representatives, please refer to the Shared Decision-Making +section of the collective bargaining agreement between BPS and +the BTU. + + +Page 8: +Superintendent’s Circular FAM-02 +Page 8 of 14 + +SSC ELECTION PROCEDURES FOR SELECTING PARENT AND +STUDENT REPRESENTATIVES +The following are key points for conducting successful elections. +● Principals/heads of school should designate an impartial +staff person as the school’s Election Facilitator. Elections +should not be facilitated by the principal/head of school or +by a parent currently serving on the SPC Executive +Committee or SSC. The Office of Family and Community +Advancement provides training, support, and materials for +all election facilitators, and can facilitate elections provided +that (a) a facilitator cannot be identified from within the +school community, and (b) the school contacts Office of +Family and Community Advancement with the election +date, time, and location at least two weeks in advance. +● OFCA recommends that the school’s Family Liaison is either +the facilitator, co-facilitator, or observer of the election. +● Elections for SSC and SPC parent reps must happen in the +fall of the new school year. Spring elections will no longer be +accepted. This is to help make opportunities for +engagement in the councils more equitable. +● Elections should be held at the first School Parent Council +(SPC) meeting of the year and conducted at a time that is +convenient for parents. The SPC consists of all parents in the +school community. See Superintendent’s Circular FAM-01 for +additional details. +● Election of student SSC representatives at high schools +should be incorporated into schools’ student government +election process. +● Schools should be prepared to provide translation and + + +Page 9: +Superintendent’s Circular FAM-02 +Page 9 of 14 + +interpretation, as well as childcare, at the parent election +and at the meetings as needed. +● Parent elections typically take between 30 and 60 minutes. +The election facilitator should be prepared to explain the +role and purpose of the SPC and SSC, as well as provide an +overview of each position and requirements of the election. +● Parents or legal guardians of students currently enrolled at +the school are eligible to be elected to the SSC. Note: +parents/legal guardians who work at their child’s school +cannot serve as the parent representative on the SSC. +● Parents may be nominated and elected to serve on both the +SSC and the SPC executive committee/team. +● All families who are present at the election are allowed one +vote per family per elected position. No absentee ballots will +be accepted. +● Voting may be conducted by secret ballot or by majority +vote. +● Upon completion of voting, each newly elected parent +should complete an Elected Member Information Form and +return it to the election facilitator. +● After the election, the school is responsible for submitting all +election results to the Office of Family and Community +Advancement +RELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND +SCHOOL SITE COUNCIL +The School Parent Council elects parent members to represent +the parent voice on the School Site Council. The SSC +representatives are members of the SPC Executive Committee +and should attend SPC meetings to provide regular updates on + + +Page 10: +Superintendent’s Circular FAM-02 +Page 10 of 14 + +the SSC proceedings to ensure opportunities for parent input and +feedback. All SSC meetings are open to the public; therefore, any +parent, staff person, or community member can attend. However, +only the elected representatives can vote on SSC decisions. +SSC REPORTING +All BPS schools are required to submit their SSC rosters and +materials listed below directly to the Office of Family, Student +and Community Advancement by October 31. Additionally, +schools are required to submit the following documents for the +purposes of demonstrating compliance with MA Open Meeting +Law and BPS policy: +● SPC roster +● SSC roster +● Personnel Subcommittee roster +● SSC meeting calendar for the year +● SSC meeting agendas, monthly +● SSC meeting notes, monthly +● SSC by-laws +● Family Engagement Plan +● Home-School Compact +The first deadline for submitting this documentation is October +31, at which time every school will be assigned one of the +following statuses: +● Full Compliance: School has uploaded SSC and SPC roster, +as well as all other SSC documentation. +● Reporting: School has uploaded SSC and SPC roster, with +incomplete additional SSC documentation. +● No Data: School has not uploaded SSC and SPC roster. + + +Page 11: +Superintendent’s Circular FAM-02 +Page 11 of 14 + + +SSC meeting agendas and notes should be submitted on request +for updated SSC status to be maintained and/or updated. +SUPPORT AND TRAINING +The Office of Family, Student and Community Advancement +provides the following supports to schools to help them +effectively conduct elections, provide the required +documentation, and implement effective SSCs throughout the +school year: +● Required election materials +● Election facilitation training +● Election facilitation, in the event that the school is not able +to identify a facilitator and is able to request an election +facilitator at least ten school days in advance +● SSC trainings, in collaboration with the BTU, on topics +including SSC Basics, SSC Budget Basics, and Shared +Decision-Making +● SSC manuals, including specific tools to support SSC +operations and answers to frequently asked questions +● SSC trainings for high school students and adult allies +● Ongoing support, coaching, and technical assistance. +OPEN MEETING LAW REQUIREMENT +SSCs serve as the decision-making body of the school and are +subject to certain aspects of the Massachusetts Open Meeting +Law, per DESE Regulations. According to these laws, SSCs must +adhere to the following requirements: + + +Page 12: +Superintendent’s Circular FAM-02 +Page 12 of 14 + +● Meeting dates and agendas must be posted publicly, with +48 hours advance notice. +● All SSC meetings must be open to the public. +● Meeting minutes and notes must be shared, posted, and +kept in a place at the school where they are accessible. +For more complete information on the MA Open Meeting Law, go +to www.mass.gov/ago/government-resources/open-meeting- +law/ +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Effective implementation and the authentic engagement of +parent, teacher, and student voice align with the following +standards of the Massachusetts School Level Administrator +Rubric: +● Indicator III-A1. Family Engagement +o Engages parents, students, and teachers in creating a +welcoming school environment and fostering a shared +responsibility engagement. +● Indicator IV-A-3. Professional Culture +o Plans and leads well-run and engaging meetings that +have a clear purpose, focus on matters of consequence, +and engage participants in a thoughtful and +productive series of conversations and deliberations +about important school matters. +● Indicator IV-B1. Policies and Practices +o Creates opportunities for authentic parent, student, +and teacher voice in school-based decision-making. +● Indicator IV-E-1. Shared Vision Development + + +Page 13: +Superintendent’s Circular FAM-02 +Page 13 of 14 + +o Parents, students, and teachers have an opportunity to +shape the vision for the school as it pertains to +instruction and school climate. +● Indicator IV-F-3. Consensus Building +o Decisions are made using a consensus model, in which +all members of the SSC have an equal voice. +o Resolves conflicts among members of the school +community. +IMPORTANT DATES +Date +Activity +September 15 +Election dates submitted to the Family-School +Engagement Practices Team, Office of Family +and Community Advancement +October 15 +Deadline for completing elections of all parent, +student, and teacher SSC representatives and +submission of rosters +October 31 +Deadline for conducting first SSC meeting +October 31 +Deadline for submitting all required +documentation to the Office of Family and +Community Advancement +TBA +Districtwide SSC trainings + + + + + +Page 14: +Superintendent’s Circular FAM-02 +Page 14 of 14 + +For more information about this circular, contact: +Owner: +Director, Family-School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FAM-03 Student Government.txt b/data/data_txt/FAM-03 Student Government.txt new file mode 100644 index 0000000..b7071a9 --- /dev/null +++ b/data/data_txt/FAM-03 Student Government.txt @@ -0,0 +1,246 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-03 +Version 01 + +MIDDLE AND HIGH SCHOOL STUDENT GOVERNMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +“As we continue to work at improving the quality of education +for all students, it is important that the voice of students be +heard at the local, state and national levels.” +Massachusetts Dept. of Elementary and Secondary Education + +Every Boston public middle and high school (including district +schools, exam schools, and all alternative, pilot, and in-district +charter schools) must have a written student engagement policy +documenting opportunities for students to assume leadership +roles within classrooms and the broader school community, in +alignment with the 2016 BPS Opportunity and Achievement Gaps +Policy. As part of this policy, each high school must also have a +functioning and engaged student government. Middle schools +are encouraged to have a student government. Student leaders +in this body will represent their peers by serving as advisors, +researchers, and participants in the decision-making process at +the school and district level. Student government serves to +engage students in learning about democracy and leadership. +Student government bodies are essential to ensuring equity in all +aspects of schooling. With faculty and administrative support, +student government members should: +● Ensure student voices are heard and incorporated in school + + +Page 2: +Superintendent’s Circular FAM-03 +Page 2 of 7 + +decision making through the School Site Council, +(SSC)/Governing Board, and meetings with the +administration. +● Develop and grow a body of student leaders by working +closely with the faculty advisor(s) and the head of school. +● Organize the student body and advocate for policies, +practices, and opportunities that will close opportunity gaps +at the school and district level. +Through student government and SSC, students can assist in +fulfilling the school’s mission and design and improve the culture +and climate of the school. +STUDENT GOVERNMENT COMPOSITION +Schools will strive to form a student government that reflects the +diversity of the student population in terms of race/ethnicity, +gender, grade level, educational program (e.g., general, special, +and bilingual education), and other factors. The number of +participants should depend on the size of the school and what is +manageable for the advisor. The recommendation is to have 10-15 +students serve in student government. +It is recommended that student government members be +connected to other school-based groups such as the School- +Based Wellness Council and student clubs. These positions can +be dual roles with other positions on Student Government or can +be stand alone. The faculty advisor should help students think +about their time and commitments and what it would mean to +take on dual roles in the student government. +ROLE OF THE FACULTY ADVISOR +The principal/head of school, with student input, should appoint + + +Page 3: +Superintendent’s Circular FAM-03 +Page 3 of 7 + +one or more faculty advisors to support and oversee each student +government. The principal/head of school will include students in +the selection process. Student governments can be considered +school clubs, and as such principals/heads of school are strongly +encouraged to pay a stipend to the faculty advisor(s). +The faculty advisor(s) will: +● Facilitate youth leadership in all aspects of student +governance. +● Meet with the student government at least twice per month +and provide support in organizing quarterly meetings each +school year. +● Assist student government leaders in the development of +action plans for the school and obtain the appropriate +approvals before a plan is implemented. +● Assist student government leaders in planning and +managing their events/activities, supporting with logistics +and approval. +● Act as a liaison between the student government, School Site +Council/Governing Board, and the Instructional Leadership +Team (ILT). +● Ensure the tracking of data and support members as they +complete reporting on activities. +● Provide the principal/head of school with regular updates on +how the action plans are being carried out. +● Advise student government leaders on their leadership and +scholar-activism. +● Monitor and record all student work and approvals for +proposals and dates. +● Develop student leaders by providing or facilitating training +and support as necessary. + + +Page 4: +Superintendent’s Circular FAM-03 +Page 4 of 7 + +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Please refer to the Massachusetts Department of Elementary and +Secondary Education Educator Evaluation: Appendix B: School- +Level Administrator Rubric. +● Indicator III-A1. Family Engagement. +o Engages SG in activities, events, and opportunities to +create a welcoming environment. +o Students contribute to the design by sharing their +knowledge of family and culture. +o Students evaluate and problem solve with staff and +leadership challenges/barriers to including families in the +school community. +● Indicator IV-B1. Policies and Practices. +o Students participate in an activity identifying the makeup +of the school. +o Cultural Sharing day. +o Students participate in SSC and/or other groups that +develop culturally sensitive policies. +● Indicator IV-E-1. Shared Vision Development. +o Students are part of the visioning process through focus +groups, surveys, community meetings, etc. +o Students share in the developing messaging for the +student body. +● Indicator IV-F-3. Consensus Building. +o Conflict resolution. +o Restorative justice practices. +o Student involvement in SSC and decision-making body. + + +Page 5: +Superintendent’s Circular FAM-03 +Page 5 of 7 + +ELECTIONS +It is the responsibility of every principal/head of school to ensure +that elections are held and the student government is +established no later than October 15. The recommendation is that +all student elections be held as one process by April 15 of the +current school year to roll out the following school year. See the +Student Elections Toolkit for guidance on facilitating student +elections and all the necessary reporting forms. +REPORTING +Once the student government is established, each school must +send the student government roster to the Office of Youth +Leadership, which must include: +1. Student information for all elected positions. +2. Student information for the two (2) students who are +elected to serve on SSC or Governing Board (these +students shall also serve on the Personnel +Subcommittee). +3. Student information for the BSAC representative (see +Superintendent Circular FAM-06). +4. Student information for the Greater Boston Regional +Student Advisory Council (GBRSAC) representatives. +Please note the Department of Elementary and +Secondary Education requires secondary schools to host +their student elections for GBRSAC representatives and +those names be submitted no later than mid-April for the +representatives serving the following school year. + + + +Page 6: +Superintendent’s Circular FAM-03 +Page 6 of 7 + +MIDDLE SCHOOL LEVEL OVERVIEW +Middle school student governments serve the same functions as +high school student governments. During middle school, +students are building their self-advocacy skills to develop their +voices, identities, and agency in the school community. Learning +about leadership is a key activity for many middle school student +governments. Student government members learn how to +research, plan, organize, and execute programs and activities for +many students. The student government advisor leads student +government members in developing their leadership skills. +Practicing Democracy: Governing democratically is a skill +students learn during student government. Student government +gives students hands-on experience in the workings of a +democracy and teaches them how to work cooperatively with +others. Meetings should be run to promote students' working +together for the common good and learning how to put +leadership into action. +Planning and Implementing School Spirit Activities: Building +school spirit and culture that is linguistically sustaining and +affirming can be one of the projects of the student government. +Through school events such as talent shows, fundraisers, and +assemblies, students, teachers, faculty members and parents +come together to help plan these activities throughout the +school year and appoint various people to run these functions. +Addressing Cares, Concerns, and Restorative Justice: Students +will raise school concerns that can best be addressed in student +government. Whether it is more nutritious foods served in the +cafeteria or issues regarding school spirit days, student +government meetings give students a forum for sharing their +grievances and analyzing possible solutions to these problems. +With the support of the Office of Restorative Justice, students + + +Page 7: +Superintendent’s Circular FAM-03 +Page 7 of 7 + +can be trained as circle keepers and can implement restorative +justice to build community, repair harm, and promote collective +healing. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +October 15 +Deadline for student government elections to be +held +October 15 +Deadline for reporting the student government +roster, including all student and faculty +information listed above, to the Office of Youth +Leadership at BSAC@bostonpublicschools.org +October 31 +Deadline for the first student government meeting +to be held + +For more information about this circular, contact: +Owner: +Senior Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FAM-04 Personnel Subcommittee.txt b/data/data_txt/FAM-04 Personnel Subcommittee.txt new file mode 100644 index 0000000..916ef1f --- /dev/null +++ b/data/data_txt/FAM-04 Personnel Subcommittee.txt @@ -0,0 +1,160 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FAM-04 +Version 01 + + +SCHOOL SITE COUNCIL PERSONNEL SUBCOMMITTEE +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Deepening partnerships with families is one of the key strategies +for strengthening student learning and closing achievement +gaps in the Boston Public Schools. Consistent with the principles +of school-based management, the School Site Council engages +parents and students in shared decision-making as a lever for +school improvement. The intention of the Personnel +Subcommittee is to actively involve members of the school +community in the teacher hiring process, as these decisions will +have a significant impact on instructional practice and the lives of +students. +RESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE +The responsibilities of the Personnel Subcommittee of the School +Site Council are to: +• Approve the hiring of new Boston Teachers Union (BTU) +teachers’ bargaining unit staff and in-transfer of BTU +teachers’ bargaining unit staff from other schools in the +system and the choice of teachers from the excess pool. +• Approve the selection of lead teachers, new teacher +developers, mentor teachers, and new athletic coaches. +• Determine the schedule and procedures for reviewing + + +Page 2: +Superintendent’s Circular FAM-04 +Page 2 of 5 + +candidates for positions. + +The decisions of the Personnel Subcommittee are not subject to +the approval of the School Site Council. +PERSONNEL SUB-COMMITTEE MEMBERSHIP +1. The Personnel Subcommittee shall consist of two teachers, +one parent, one student in high schools, and the +principal/head of school or their designee. +2. BTU members on the School Site Council shall select the BTU +representatives to serve on the Personnel Subcommittee. +3. The parent members of the School Site Council shall select +the parent representative. +4. The student members of the School Site Council at high +schools shall select the student representative. +5. The composition of the Personnel Subcommittee should +reflect the racial and ethnic diversity of the school +community to the extent possible. +6. Teacher, parent, and student representatives on the +Personnel Subcommittee may designate temporary +replacement representatives to the subcommittee for +specific positions. +SCHOOL STAFFING +The Personnel Subcommittee interviews and decides on the +selection of permanent teachers who voluntarily apply for +transfer into the school and the hiring of new teachers for +vacancies, consistent with the terms of the current collective +bargaining agreement between Boston Public Schools (BPS) and +the BTU. + + +Page 3: +Superintendent’s Circular FAM-04 +Page 3 of 5 + + +OPEN POSTING +In accordance with circular HRS-HS-07, schools must adhere to +the requirements to open post. Therefore, schools must ensure +that the Personnel Subcommittee of the School Site Council is +formed and ready to begin the hiring process by March 1. +Training related to personnel subcommittees is offered by the +Office of Family and Community Advancement, the BTU, and the +Office of Human Capital. +PERMANENT AND PROVISIONAL TEACHERS +In addition to permanent teachers who apply for transfer, a +Personnel Subcommittee may consider a provisional teacher +with a letter of reasonable assurance for a position which appears +on the transfer list and that the provisional currently holds within +the school. +After interviewing candidates for a vacancy at a school that +results from the transfer process, or if a vacancy at a school +occurs after the completion of the regular transfer process, a +school may choose to advertise or re-advertise the position. +TIME COMMITMENT +The Personnel Subcommittee is a standing committee of the +School Site Council for the duration of the school year. As such, +the Personnel Subcommittee must be formed by October 31 and +should meet as vacancies occur. The Personnel Subcommittee is +not required to meet between the end of one school year and the +beginning of the succeeding school year. Before the summer +recess, members of the Personnel Subcommittee should leave + + +Page 4: +Superintendent’s Circular FAM-04 +Page 4 of 5 + +contact information with the principal/head of school, who will +contact members prior to the interviewing or hiring of any +teacher applicants. +ALIGNMENT WITH EDUCATOR EVALUATION +The Massachusetts School-Level Administrator Rubric includes +Family and Community Engagement (Standard III) as one of four +standards for effective principals/head of school practice. +Engaging parents and students in shared decision-making as +members of the Personnel Subcommittee aligns with Standard +III, Indicator A, Family Engagement of the rubric. Sharing +evidence of effective implementation of the Personnel +Subcommittee may be a valuable way for principals/heads of +school to demonstrate proficient practice in Standard III. +ADDITIONAL INFORMATION AND SUPPORT +For additional information on the role and purpose of the School +Site Council, shared decision-making, and school-based +management, please refer to circular FAM-01 School Site Council +and the School Site Council Manual. +For additional information on school staffing and hiring, please +refer to circular HRS-HS-07 School Staffing, Reassignment, and +Hiring. +Engagement staff from the Office of Family and Community +Advancement (OFCA) are available to provide support, coaching, +and technical assistance related to shared decision-making and +school-based management to all BPS schools. + + + + +Page 5: +Superintendent’s Circular FAM-04 +Page 5 of 5 + +Additionally, OFCA and the BTU collaborate to provide training +for schools on all aspects of the School Site Council, including the +Personnel Subcommittee. + +For more information about this circular, contact: +Owner: +Director of Family School Engagement +Practice Team +Department: +Office of Family and Community +Advancement +Mailing Address: +443 Warren Street Boston, MA 02121 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FAM-05 Title I Family Engagement Requirements.txt b/data/data_txt/FAM-05 Title I Family Engagement Requirements.txt new file mode 100644 index 0000000..821468c --- /dev/null +++ b/data/data_txt/FAM-05 Title I Family Engagement Requirements.txt @@ -0,0 +1,220 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-05 +Version 01 + + +TITLE I FAMILY ENGAGEMENT REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +Deepening partnerships with families is one of the key strategies +for strengthening student learning and closing achievement +gaps in the Boston Public Schools. Strong family and home- +school connection focused on student academic learning has +consistently been shown to be associated with improved student +achievement and school improvement. The shared responsibility +that results from partnerships has the potential to improve +relationships, strengthen schools, and ensure students are +prepared to reach their educational potential in school and +beyond. +The BPS Five Core Elements of Engagement provide clear +guidance for schools to develop and implement the Title I Family +Engagement Requirements. Title I, Part A, Section 1118, of the +Elementary and Secondary Education Act (ESEA) identifies +specific family engagement practices required of all schools that +receive Title I funds. The Office of Engagement provides oversight +and support to ensure all schools that receive Title I funds meet +the engagement requirements of Sec. 1118. + + + + +Page 2: +Superintendent’s Circular FAM-05 +Page 2 of 7 + + +REQUIREMENTS OF SCHOOLS RECEIVING TITLE I FUNDS +All schools receiving Title I Funds are required to do the following: +1. Have a written Family Engagement Plan/Policy, developed +in collaboration with parents and approved by the School +Parent Council and School Site Council or Governing Board. +2. Have a Home-School Compact, developed in collaboration +with parents and approved by the School Parent Council +and School Site Council or Governing Board. +3. Set aside a minimum of 1% of Title I allocation in the school’s +budget for family engagement. Decisions on how to allocate +the 1% for family engagement must comply with federal +guidelines and be made by the School Site Council or +Governing Board. +4. Host an annual parent meeting to discuss school priorities +and programs under Title I by October 31. +5. Build capacity of both families and teachers to effectively +engage with one another to improve student learning +outcomes. with an emphasis on the use of CRIOP, Pillar II. +FAMILY ENGAGEMENT POLICY/PLAN +The family engagement policy/plan is jointly designed by families +and school stakeholders to describe how the school will carry out +parent engagement to meet the changing needs of families, +students, and the school. + + + + +Page 3: +Superintendent’s Circular FAM-05 +Page 3 of 7 + + +The Family Engagement Policy/Plan must: +● Describe how parents will be engaged as equal partners in +school-based decision-making, including tools they will use, +such tools as School-based Equity Roundtables. +● Describe how parents will be engaged in school +improvement and student learning. +● Identify strategies that the school will employ to build both +parent and teacher capacity for partnering to support +student learning. +● Be shared with the school community in a format that is +family friendly. +● Be translated into families’ home languages. +● Be updated annually to reflect the changing concerns of +families’ and school priorities related to school climate and +student learning. +For additional information on the family engagement policy/plan, +see ESEA Title I, Part A, Section 1118(b). +HOME-SCHOOL COMPACT +The purpose of the Home-School Compact is to establish shared +responsibility for student academic achievement. +For additional information on Home-School Compacts: +● ESEA Title I, Part A, Section 1118(d) +● BPS Circular FAM-7 Home-School Compacts +● www.schoolparentcompact.org +● Title I Toolkit + + +Page 4: +Superintendent’s Circular FAM-05 +Page 4 of 7 + + +1% MINIMUM FAMILY ENGAGEMENT ALLOCATION +All schools receiving Title I funds are required to set aside a +minimum of 1% of the Title I allocation in the school's budget for +family engagement. As needed, the Family School Engagement +Practice team can provide guidance in allowable expenditures to +schools. Decisions on how to allocate the 1% for family +engagement should be made by the School Site Council or +Governing Board in consultation with the parent body. +For additional information on the use of Title I funds for family +engagement, please see ESEA Title 1, Part A, Section1118(a)(3)(C) +and Section 1118(e)(8), (9), and (10). +ANNUAL MEETING +Schools receiving Title I funds must convene an annual meeting +with families in which: +● All families are invited and encouraged to attend. +● Families are informed of the school’s status as a Title I +school. +● The requirements of Title I are explained to families. +● The school’s use and allocation of Title I funds is shared with +families. +● Families are informed of the different opportunities to be +involved in school-based decision-making, school +improvement, and supporting student learning. + +For additional information on the Annual Meeting as required +under Title I, please see ESEA Title I, Part A, Section 1118(C)(1). +CAPACITY BUILDING + + +Page 5: +Superintendent’s Circular FAM-05 +Page 5 of 7 + + +Schools that receive Title I funds are required to provide capacity +building opportunities for both families and educators designed +to: +● Help families understand learning standards, assessment of +student learning, and how to effectively monitor student +progress. +● Strengthen families’ ability to support student learning at +home. +● Help principals/heads of school, teachers, and other school +staff develop the mindsets, beliefs, skills, and strategies to +effectively build relationships and maintain ongoing, two- +way, culturally appropriate communication with students’ +families. +● Collaborate with community-based organizations that work +with school staff and/or parents to strengthen student +learning outcomes. +● Translate communications and provide interpretation from +the school to families who speak a language other than +English into the appropriate language. +For additional information on the Title I requirements related to +parent and teacher capacity building, please see ESEA, Title I, +Part A, Section 1118(e). +REPORTING +To be considered in compliance with the family engagement +requirements of Title I and the requirements of the BPS Core +Elements of Engagement, schools must submit the following +documents to the Office of Family and Community +Advancement, or submit to their engagement folder: + + +Page 6: +Superintendent’s Circular FAM-05 +Page 6 of 7 + + +● School-based Family Engagement Plan/Policy +● Home-School Compact +● Agenda, meeting minutes, election documents, meetings +dates, roster, and bylaws of School Site Council +● A self-assessment of the school’s engagement practices. + +The Office of Family and Community Advancement will be +responsible for tracking parent participation in BPS Parent +University, which builds the capacity of parents to effectively +support student learning and advocate for student needs. +ALIGNMENT WITH EDUCATOR EVALUATION +The Title I Family Engagement requirements align with the +educator evaluation Standard III: Family and Community +Engagement addressing the continuum of supports that reflect +shared expectations, responsibility, and opportunities for active +participation and collaborative partnerships between schools, +families, and community. Further, Title 1 requirements align with +Culturally and Linguistically Sustaining Practices (CLSP), +including the Culturally Responsive Instructional Observation +Protocol (CRIOP). + + + + +Page 7: +Superintendent’s Circular FAM-05 +Page 7 of 7 + + +For more information about this circular, contact: +Owner: +Director of Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +445 Warren Street, Roxbury, MA 02121 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FAM-06 Boston Student Advisory Council.txt b/data/data_txt/FAM-06 Boston Student Advisory Council.txt new file mode 100644 index 0000000..31fc839 --- /dev/null +++ b/data/data_txt/FAM-06 Boston Student Advisory Council.txt @@ -0,0 +1,140 @@ +Page 1: + + + +Superintendent’s +Circular + NUMBER: +FAM-06 + + +BOSTON STUDENT ADVISORY COUNCIL +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Massachusetts State Law Chapter 71: Section 38M. Student +Advisory Committee states: School committees of cities, towns +and regional school districts shall meet at least once every other +month, during the months school is in session, with a student +advisory committee to consist of five members to be composed +of students elected by the student body of the high school or +high schools in each city, town, or regional school district. +MISSION STATEMENT +The Boston Student Advisory Council advocates for and protects +the voices of students in the Boston Public School system, +empowers the student body to express their opinions regarding +educational policy changes, and ensures that students are +included in decision and policy making which impacts their lives +and educational experiences. +In the Boston Public Schools, students can apply to their school +to serve on the Boston Student Advisory Council. The Boston +Student Advisory Council (BSAC), a citywide body of student +leaders representing their respective high schools, serves as the +voice of students to the Boston School Committee, the +superintendent, and central office departments. BSAC offers +student perspectives on policies, initiatives, and reform efforts, +and inform their respective schools about relevant citywide + + +Page 2: +Superintendent’s Circular FAM-06 +Page 2 of 4 + + +school issues. They also address student issues by developing +district-wide policies and working with student governments and +heads of schools on school level policies and practices. +BSAC is made up of a Full Council and Executive Committee. The +Full Council is the think tank which generates the ideas for +projects, and the Executive Committee is the leadership team of +six (6) to twelve (12) students who serve as the advising body to +the Boston School Committee and superintendent. The Executive +Committee also plans and facilitates meetings with the support +of the BSAC manager, facilitates youth engagement in district +initiatives and departments, develops BSAC priorities, and +monitors progress. +Each Boston public high school (including district, exam, all high +school-level alternative, pilot, and in-district charter schools) is +required to have at least one and up to two BSAC representatives +from their school. The BSAC representative is a part of the +student government and must regularly attend student +government meetings to share BSAC’s work, receive feedback, +and gather input on projects/policies. Where possible, it is helpful +to have a student representative who is on the School Site +Council serve on BSAC as well. There are two ways students may +become a BSAC member: (1) through student elections at the +school level, or (2) through the BSAC application managed by the +Office of Youth Leadership. +ROLE OF BSAC MEMBERS +1. To elect a leadership team that will serve in advisory to the +School Committee as part of its decision-making process. +2. To keep their Student Government and school community +informed about relevant district initiatives and decisions, +and actively seek and collect feedback to inform district + + +Page 3: +Superintendent’s Circular FAM-06 +Page 3 of 4 + + +decision making through regular attendance and +participation in Student Government meetings. +3. To work on BSAC projects and initiatives. +BSAC representatives will: +• Represent their schools at BSAC meetings. +• Assist in decision making for their schools by advising the +administration on student-centered citywide issues and +policies. +• Work on policies that BSAC develops. +• Perform tasks necessary to advance project work, such as +surveys, meetings with heads of schools and Student +Government advisors, peer interviews, etc. +• Ensure representation of student voice for their school +through continuous engagement with the Student +Government and their broader student body. +The Office of Youth Leadership is responsible for oversight and +support of BSAC. + + + + +Page 4: +Superintendent’s Circular FAM-06 +Page 4 of 4 + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September 29 First BSAC meeting for returning representatives +October 15 +Deadline to hold Student Government Elections +October 15 + +Email names of Student Government +representative(s) and BSAC member to Office of +Youth Leadership, +BSAC@bostonpublicschools.org +October 28 +Deadline for youth to apply to City of Boston’s +Success Link to qualify for a youth job slot. When +possible, the Office of Youth Leadership partners +with the City of Boston’s Department of Youth +Engagement and Employment to provide paid +youth jobs to BSAC members. + +For more information about this circular, contact: +Owner +Senior Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + Mary Skipper, Superintendent + + diff --git a/data/data_txt/FAM-07 Home-School Compact.txt b/data/data_txt/FAM-07 Home-School Compact.txt new file mode 100644 index 0000000..5ef7c7b --- /dev/null +++ b/data/data_txt/FAM-07 Home-School Compact.txt @@ -0,0 +1,200 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-07 +Version 01 + + +HOME-SCHOOL COMPACT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +The Home-School Compact is a document that clarifies what +school staff and families, working in collaboration, can do to help +children reach high specific academic goals in core content +areas. At their best, compacts link family engagement to school- +wide and grade level instructional goals and help ground the +relationships between teachers and families in student learning. +Additionally, the compact serves as a clear reminder of the +shared responsibility of the school and home to ensure that +children can learn what is required of them. It is a written +commitment indicating how all members of a school community +— families, teachers, principals, students, and concerned +community members — agree to share responsibility for student +learning. +All schools receiving Title I funds are required to develop a +home-school compact annually. +WHAT IS INCLUDED IN A HOME-SCHOOL COMPACT? +The compact should clearly communicate the following: + + +Page 2: +Superintendent’s Circular FAM-07 +Page 2 of 6 + + +1. Schoolwide instructional goals in core content areas and +culturally and linguistically sustaining practices +2. Specific learning goals for each grade level +3. Key instructional strategies that the school plans to employ +4. Specific strategies for families to support student learning at +home +5. How stakeholders, especially families, are involved in +developing and revising the compact. +Additionally, the compact provides a vehicle for clearly defining +the expectations and shared responsibility for educating +students. +The compact must describe how the school and teacher agree to +be responsible for: +● Providing high-quality instruction for all students +● Creating a supportive learning environment +● Describing how school/teacher will build student agency in +their learning +● Showing respect for students and their families +● Communicating with families and students about student +progress. +The compact must describe how families agree to be responsible +for: +● Supporting their children’s learning in school and out of +school +● Seeing that their children attend school regularly and on +time + + +Page 3: +Superintendent’s Circular FAM-07 +Page 3 of 6 + + +● Participating in decisions relating to the education of their +child and the school +● Communicating with teachers on a regular basis. +The compact must describe specific ways students agree to be +responsible learners with the support of their parent(s) and +teacher(s) by: +● Attending school regularly and on time +● Showing respect for themselves, their school, and other +people +● Believing they can and will learn +● Trying to do their best in their work. +The compact must emphasize the importance of ongoing, two- +way communication between home and school through the +following minimum requirements: +● Annual parent-teacher conference(s) to discuss the +relationship between the compact agreements and the +student’s achievement +● Frequent, timely progress reports to families +● Reasonable access to school staff in a variety of ways +● Opportunities to participate in and observe class activities. +DEVELOPING AND REVIEWING THE HOME-SCHOOL COMPACT +The following are key considerations for developing your home- +school compact: +1. The compact must be developed by a committee consisting +of administrators, school staff, families, students, and + + +Page 4: +Superintendent’s Circular FAM-07 +Page 4 of 6 + + +teachers. Existing school-based family engagement action +teams or a subcommittee of the School Site Council are +options for the development of this document. +2. The process for developing a compact should be open and +inclusive, soliciting the input and contributions of a wide +range of stakeholders. +3. The compact provides an opportunity for each stakeholder +to articulate their expectations regarding the delivery of +teaching and learning and what they agree to be held +accountable for regarding student achievement. +4. The compact should be written in clear, family-friendly +language, and translated into the languages spoken at the +school. +5. The compact should be written using the Racial Equity +Planning Tool. +6. Once a draft of the compact has been developed, families, +teachers, and students should be given an opportunity to +provide feedback and input. +7. The final version of the document must be approved by the +School Site Council annually in the spring in preparation for +the upcoming school year. +8. A final version of the compact must be submitted to the +Office of Family and Community Advancement by +October 31, 2024. + + + + +Page 5: +Superintendent’s Circular FAM-07 +Page 5 of 6 + + +USING THE HOME-SCHOOL COMPACT +Schools must also develop a process for utilizing the compact to +frame the relationships between teachers and families. Examples +include: +● The compact is reviewed at the beginning of parent-teacher +conferences to frame the conversation about student +progress and mutual accountability. +● The compact is used throughout the year to frame +conversations between teachers and families related to +monitoring student progress toward specific learning goals. +● The compact is used to frame school-based workshops +designed to help families understand schoolwide and +grade-level learning goals and how to support learning at +home. +ALIGNMENT WITH EDUCATOR EVALUATION +The compact, if it is developed and used effectively and +consistently, can be used as evidence of reaching the proficiency +targets for the elements and indicators of Standard III in both the +administrator and teacher evaluation rubrics. +ADDITIONAL INFORMATION AND SUPPORT +For additional information on home-school compacts, please see: +● ESEA Title I, Part A, Section 1118(d) +● www.ctsschoolparentcompact.org +● Title I Toolkit + + +Page 6: +Superintendent’s Circular FAM-07 +Page 6 of 6 + + +The Office of Family and Community Advancement is responsible +for supporting schools with the development and +implementation of the compacts. +IMPORTANT DATES +Date +Activity +October 31 +Deadline for submitting current year Home-School +Compact to Office of Family and Community +Advancement +May 31 +Deadline for School Site Council to review and +approve the Home School Compact for the +following school year + +For more information about this circular, contact: +Owner: +Director, Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FAM-08 Translation and Interpretation Services.txt b/data/data_txt/FAM-08 Translation and Interpretation Services.txt new file mode 100644 index 0000000..96e158c --- /dev/null +++ b/data/data_txt/FAM-08 Translation and Interpretation Services.txt @@ -0,0 +1,242 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FAM-08 +Version 01 + + + +• TRANSLATION AND INTERPRETATION SERVICES +This Circular will remain in effect unless rescinded or superseded +to a subsequent version. + +HISTORICAL CONTEXT +The “Parent Communications” section of the Successor +Settlement Agreement between the Boston Public Schools (BPS) +and the Department of Justice (DOJ) outlines the services that +must be provided to ensure meaningful language access for our +BPS families. The Office of Language Access, formerly the +Translation and Interpretation Unit (T&I), was established to +implement and coordinate interpretation and translation services +throughout BPS to centralize and standardize language access +across the district. The Office of Language Access strives to +provide meaningful language access to limited and non-English +proficient constituents via qualified, trained, and professional +interpreters and translators. +REQUEST PARAMETERS +The Office of Language Access handles translation and +interpretation services for essential information. The following list +provides examples of essential information requiring translation +and interpretation: + + +Page 2: +Superintendent’s Circular FAM-08 +Page 2 of 7 + + + + +• IEP/504 meetings +• Report cards for students +• Academic progress reports for students +• Enrollment/registration documents +• Disciplinary process information +• Permission slips/forms for district and school activities and +programs +• Applications for activities requiring parental consent +• Parent-teacher conferences +• Open houses +• Parent handbooks +• Public health and safety information +• Documents on academic planning/options +• Screening procedures needing students’/parents’ language +backgrounds, the process for refusing all/some ELL services +• Written information on parents’/students’ rights and +responsibilities +• Written information on services and benefits available to +parents and students +With every request, the Office of Language Access will determine +whether the services sought are the most appropriate to fulfill +the specific language access need and may tailor the request +accordingly. Fulfilling requests for translation and interpretation +of non-essential information is at the discretion of the Office of +Language Access and is contingent on availability. + + + + + +Page 3: +Superintendent’s Circular FAM-08 +Page 3 of 7 + + + +SERVICES PROVIDED BY QUALIFIED AND BILINGUAL STAFF +The district is charged with providing qualified and trained +translators and interpreters to ensure families have meaningful +access to information. As such, the Office of Language Access +discourages the use of non-approved professionals with +bi/multilingual skills, save for in exceptional circumstances. In +addition, the use of computers/machines to translate is strongly +discouraged. +REQUESTING TRANSLATION AND INTERPRETATION SERVICES +All services are requested and managed through the district's +online translation and interpretation request platform. Please be +aware that the Office of Language Access can only support +Boston Public Schools' requests placed through the Office of +Language Access online platform to comply with the City of +Boston's procurement regulations and processes. To that end, +any language access work performed outside of the district's +established translation and interpretation protocol will be at the +requester's expense. +Schools should designate one primary and one alternate point of +contact for submitting their translation and interpretation +requests. In addition, the point of contact (1) is responsible for +answering logistic questions about events, (2) will serve as the +contact for interpreters, (3) will provide informational materials +for interpreters before scheduled events, and (4) will clarify +written content and receive the written translations. Lastly, this +person must also promptly fill out the post-service survey. +For district staff, designated central office employees may +request translation and interpretation services. Similarly, the + + +Page 4: +Superintendent’s Circular FAM-08 +Page 4 of 7 + + + +central office requester serves as the point of contact for that +service. This could entail (1) answering logistics questions about +events, (2) contacting on-site/virtual interpreters, (3) providing +informational materials for interpreters prior to the event, (4) +clarifying written content/materials, and (5) receiving the written +translations. This person must also promptly fill out the post- +service survey. +FULFILLING REQUESTS FOR TRANSLATIONS AND +INTERPRETATIONS +For translations, requesters should allow a minimum of 2 weeks, +bearing in mind that larger jobs will, correspondingly, take longer +to complete. As rush/short notice jobs do occur, please specify on +the request form if the translation needs expediting. Expediting +is at the discretion of the Office of Language Access. +For in-person interpretations, the more advance notice given, the +easier it is to secure interpreter services. Please submit a request +a minimum of 2 weeks before the service date. For American Sign +Language (ASL), a minimum of 3 weeks is recommended to +secure services. As rush/short notice jobs do occur, please specify +on the request form if the service needs to be expedited. +Interpreter assignment is based on availability and not +guaranteed. +Emergent requests outside of the Superintendent’s and +Communications offices that need to be expedited will be +completed in a timeframe at the discretion of the Office of +Language Access. + + +Page 5: +Superintendent’s Circular FAM-08 +Page 5 of 7 + + + +CANCELLATIONS OF SERVICES +The Office of Language Access must be notified immediately of +any appointment cancellation in which an interpreter (i.e., oral, +ASL) has been scheduled. A 48-hour notice of cancellation is +required for ASL. For oral interpreter services, we require a 24- +hour notice of notice of cancellation. Please be aware that if you +fail to cancel within the designated timeframes, the district will +be charged for the services you requested. This can lead to +inefficient utilization of our limited funds and resources, which +we strive to avoid. To cancel interpreter services, please submit +via interpretations@bostonpublicschools.org. If you are canceling +translation requests, please do so as early as possible via +translations@bostonpublicschools.org. +TELEPHONIC INTERPRETATION SERVICES +Schools have the option to utilize the on-demand LionBridge +Telephonic Interpretation service that is available 24 hours a day, +7 days a week, 365 days a year, in more than 350 languages. +Telephonic interpretation is the oral transmission of a message +from one language to another via telephone. It is typically +conducted in consecutive mode, meaning the interpreter will +translate the message after the speaker has stopped speaking. +This service should be used for instances when parent +communication is not pre-scheduled, e.g., a parent stops by a +school, a school must contact the parent of a sick/injured +student, etc. When essential information is discussed, please +ensure that an interpreter or translation of relevant documents is +requested in advance. +The Office of Language Access will monitor calls and usage to + + +Page 6: +Superintendent’s Circular FAM-08 +Page 6 of 7 + + + +ensure adherence to district protocols. Schools and/or central +office departments will be notified of usage restrictions due to +non-adherence, which will be at the discretion of the Office of +Language Access. +TALKING POINTS +Schools have access to TalkingPoints, which is a two-way +multilingual family engagement platform allowing educators and +administrators the opportunity to communicate with families in +their native language (including English speakers) via the web, +mobile, or text messages. +• TalkingPoints equips educators and administrators with a +platform for collaborative communication and analytics +around family engagement and student progress to +increase student potential for long-term success. +• The service is available 24 hours a day, 7 days a week, 365 +days a year, in more than 100 languages.1 +• It removes the need for educators to provide parents with +their personal cell phone numbers. +ASSISTANCE +For further information, including but not limited to detailed + +1 At present, the platform doesn't support Caboverdiano; +however, a simplified version is currently being piloted at the +Orchard Gardens Elementary School. The simplified version +supports outgoing one-way messaging/announcements to +families only. Additional functionality will be considered based on +pilot results. + + +Page 7: +Superintendent’s Circular FAM-08 +Page 7 of 7 + + + +translation and interpretation policy and procedures, tutorials +(i.e., How to Submit a Request, Request Platform User Guide, +School-Based Administrator Training Webinar), and school and +parent resources/materials to support your school-specific +language access efforts, please refer to the Office of Language +Access website at +https://www.bostonpublicschools.org/translation-interpretation. + +For more information about this circular, contact: +Owner: +Director of Language Access Services +Department: +Family and Community Advancement +(Office of Language Access) +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7967 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FIN-01 Travel Policy.txt b/data/data_txt/FIN-01 Travel Policy.txt new file mode 100644 index 0000000..25c34d7 --- /dev/null +++ b/data/data_txt/FIN-01 Travel Policy.txt @@ -0,0 +1,469 @@ +Page 1: + + + + Superintendent’s +Circular + NUMBER: +FIN-01 +Version 01 + + +TRAVEL POLICY – PROCEDURES FOR APPROVAL AND +REIMBURSEMENT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Most Boston Public School business is conducted locally, on-line +or by telephone. Under some special and limited circumstances, +overnight or out-of-state travel may be required. These +circumstances usually arise if the Boston Public Schools is +obliged to send staff out-of-state if a strong case can be made +that such travel would substantially benefit the district. +In all cases, a request for subsidized travel requires justification, +prior notification, and prior approval. BPS is not obligated to +reimburse any employee for travel costs that were not approved +according to this policy. +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +TRAVEL APPROVAL +1. Applicants must secure approval using the online form; sign +in here. Directions for this process are in the BPS Travel +Request documentation document. It is the sole obligation +of the traveler to determine that sufficient funds are +available for reimbursement. + + +Page 2: +Superintendent’s Circular FIN-01 +Page 2 of 8 + +2. No travel should occur until the traveler receives a fully +APPROVED travel request. Any travel request that is +received AFTER the travel has occurred will NOT be +reimbursed. +3. All overnight and out of state travel requires prior approval +and must be submitted at least 20 days prior to departure +date. When you apply, the online form will go through the +following approvers for signatures: school leader, school +superintendent/division chief, financial analyst, chief +financial officer, and operations manager/superintendent. +The traveler will need to follow their travel approval +application online in case there is a question that an +approver may have or a denial which they will note on the +application. When the application is approved, you are then +eligible to travel and receive any reimbursements owed to +you. +4. Please note that only these two accounts must be used: +• 52802 for planes, trains, busses, taxis, Ubers/Lyfts etc. – +the cost associated with getting there. +• 52804 for conference fees, hotel, food etc. – the cost +associated with being there. +You should also use these two accounts when doing +requisitions for travel. +5. Supporting documentation describing the conference and +the purpose of your attendance must be attached to the +online travel request form with any other pertinent +information. +6. All staff planning to attend an overnight or out-of-town +conference are required upon their return to prepare a + + +Page 3: +Superintendent’s Circular FIN-01 +Page 3 of 8 + +report of the presentations/workshops, etc., attended and to +submit their report to their immediate supervisor, who shall +determine the format of this report. +7. If travel is being paid for by the conference host, the BPS +Employee Disclosure Form (3 pages) must be attached to +your “Travel Approval Form” application. +REIMBURSEMENT OF TRAVEL EXPENSES +To secure prompt reimbursement for travel, reimbursement +requests must be submitted to the Business Office within fifteen +(15) business days after the travel has occurred. The traveler must +submit the following forms, documentation/receipts to Accounts +Payable, Office of the Business Manager (emails accepted): +1. A completed City of Boston Special Draft/Non Order Form, +filled out completely with: +• School/department +• Date +• Full name of person being reimbursed +• Full address of person being reimbursed +• Vendor # (see NOTE below) +• Funding source +• Full detailed description: name of conference, dates, and +place/state where held +• Amount being reimbursed +• Signed by the employee’s immediate supervisor. +2. A copy of City of Boston and County of Suffolk Travel Expense +Voucher (attached). This form must be filled out completely +with each daily expense, then signed on the lower right by +the person taking the trip and on the lower left by the +department head. + + +Page 4: +Superintendent’s Circular FIN-01 +Page 4 of 8 + +3. The “Certification Form” attesting, under the pains and +penalties of perjury, that the requested reimbursement was +incurred as reasonable expenses in the service of the City of +Boston. +4. A copy of the approved Request for Travel Approval form +MUST be attached. +IMPORTANT NOTES: +BPS does not reimburse taxes for expenditures. BPS will +reimburse taxes and tips on FOOD ONLY. +Reimbursements cannot exceed the amount authorized by the +Superintendent. Only in extreme conditions can this original +amount be increased via an amended travel form which must be +submitted to the Finance Office prior to travel. +If travel substitution occurs, an amended form approved by the +Superintendent is required before travel. A copy of the “Travel +Approval” must be submitted with each request for +reimbursement. +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file to be reimbursed. Go to +www.boston.gov/procurement, click on "Go to Supplier Portal," +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. +If submitting by paper: +• ONLY submit single-sided reimbursements packet – not +double-sided. +• 12-point font or larger on 8.5 x 11 white paper. + + +Page 5: +Superintendent’s Circular FIN-01 +Page 5 of 8 + +• DO NOT highlight or put scotch tape on receipts because +it fades the receipts; use staples. Only legible receipts will +be reimbursed. Must submit copies of all cash register +receipts on 8.5 x 11 paper. +ALLOWABLE EXPENSES +1. Economy class commercial carrier charges (airlines, trains, +buses) are to be used at all times. The maximum +reimbursement will be limited to the lowest commercial +carrier fare to the destination. The maximum limitation +does not apply for in-state travel. +2. Hotel charges are limited to $200.00 per night. Exceptions +to this limit will only be approved if: +a) basic accommodations are unavailable, or +b) basic accommodations are too distant from the event, +or +c) the event is being held at a specific hotel. +3. The purchase of meals will be reimbursed when supported +by original receipts, not to exceed $50.00 per day. A +maximum of $25.00 per day will be allowed without +receipts. Each person traveling must pay for their own +meals (NOT other individuals or group meals) unless +otherwise noted on the Travel Approval Request; the name +of each individual must be listed on the Travel Approval +Request prior to travel. +a) Gratuities cannot exceed 20%. +b) Original receipts must include an itemized breakdown +of what was ordered. If an itemized breakdown is not +provided, the $25.00 per-diem allowance will be +reimbursed. +c) Reimbursement for room service also requires the +submission of an itemized breakdown. + + +Page 6: +Superintendent’s Circular FIN-01 +Page 6 of 8 + +4. Conference registration fees must be supported by original +documentation. +LOCAL TRANSPORTATION CHARGES +1. Car rentals/gas and airport parking must be listed on the +“Travel Approval” if reimbursement is to be requested. +2. Charges claimed for taxis/Lyfts/Ubers must be supported by +original receipts. +3. Travel by automobile is eligible for reimbursement at the +current IRS allowable rate per mile (see Superintendent’s +Circular FIN-02 – Mileage) +4. Tolls and parking charges must be supported by original +receipts. +MISCELLANEOUS TRAVEL ISSUES +1. Travel by City Contractors/Vendors. Some contracts and/or +service agreements may require the vendor to travel on +behalf of the Boston Public Schools. The City of Boston +Travel Policy must be incorporated by reference into the +contract/agreements prior to execution. +2. Conflicting Obligations. It is generally not permissible, +without the prior review and approval of the Office of Legal +Advisor, to engage in travel sponsored by a third party. +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year. You cannot use current school year +funds to pay for prior school year expenses. + + + +Page 7: +Superintendent’s Circular FIN-01 +Page 7 of 8 + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + +For more information about this circular, contact: +Owner: +Principal Account Clerk Accounts Payable +Business Services +Department: +Operations +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9472 +Email: +finance-staff@bostonpublicschools.org + + + + + + + + + + + + + + + + + + + + +Page 8: +Superintendent’s Circular FIN-01 +Page 8 of 8 + +CITY OF BOSTON AND COUNTY OF SUFFOLK +TRAVEL EXPENSE VOUCHER +THIS FORM IS SUBMITTED WITH REIMBURSEMENT RECEIPTS +TO THE AUDITING DEPARTMENT (Business Office). +ORIGINAL TO BE FILED IN AUDITOR'S OFFICE + + +Month of: + + + +Name of Official or Employee: +Department and Unit: Boston Public Schools + + + + + + + + + + + + + + +Day +Description +PRIVATE +AUTOMOBILE +Rail- +Road +Fares +Bus Taxi and +other fares + +Meals + +HOTEL +Tele- +phone +& Tele- +graph +All Other +TOTAL + + +Miles +Amount + + +Break +-fast +Lunch +Dinner + + +Item +Amount + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +TOTALS + + + + + + + + + + + + + + + + + + + + + + + + + + + +By signing this voucher you certify that each item of expenditure was incurred and was necessary in the service of the City or County +and complies with the regulations on the back of this voucher. + + + + + + + + + + + + + + + + +I hereby certify that I have personally examined this statement, that I approve of each item of +expense hereon, that each item conforms to the regulations printed on the back, the amounts +charged are reasonable and the expenditures necessary in the service of the City or County. + + + + + + + + + + + + + + + + + + + + +Signature + + + +Signature + + + +Department Head + + + + +Employee + + + diff --git a/data/data_txt/FIN-02a Mileage Reimbursement.txt b/data/data_txt/FIN-02a Mileage Reimbursement.txt new file mode 100644 index 0000000..0fe69b8 --- /dev/null +++ b/data/data_txt/FIN-02a Mileage Reimbursement.txt @@ -0,0 +1,218 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-02 +Version 01 + + +MILEAGE REIMBURSEMENT + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public School employees who are eligible for mileage +reimbursement are required by IRS regulation to document +those costs and provide specific information. Reimbursement +cannot be made unless all procedures detailed in this circular are +followed, and all necessary documentation is provided. + +All employees who use their own vehicle on authorized school +business are entitled to be reimbursed as listed below. Please +note that travel to and from home is not eligible for +reimbursement. + + +All Itinerant Service Providers +School Psychologists, District Social +Workers, Speech & Language +Pathologists, Occupational Therapists, +Physical Therapists, Adaptive Physical +Education Teachers, Vision Teachers + +$600.00 per “full” +school year (flat +rate) +or +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + +All other BTU members + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + +Page 2: +Superintendent’s Circular FIN-02 +Page 2 of 5 + + + + +Supervisors of Attendance + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + +BASAS + + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + +Management + + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + + +Planning & Engineering + + +$15.00 per day (flat +rate) + + + +For eligible mileage reimbursement, there must be a sufficient +appropriation in the respective responsibility center manager’s +budget (Account 52803 Mileage). + + + + + +Page 3: +Superintendent’s Circular FIN-02 +Page 3 of 5 + + + +IMPORTANT! +Parking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA +individual fares only (monthly passes are not reimbursable) etc., +will be reimbursed only when it is clearly stated that the trip +taken, which resulted in these fees, was for official school +business and the method of transport was the most +economical. Original receipts must be produced/provided for +reimbursement. + + +Follow the procedures below to submit for reimbursement +(Emails accepted): + +1. Submit a completed “City of Boston Special Draft/Non Order +Form” – it must be filled out completely with: +• School/Department +• Date +• Full name of the person being reimbursed +• Full address of the person being reimbursed +• Vendor # +• Funding source +• Full “detailed” description +• Amount to be reimbursed +• Must be signed by the employee’s immediate +supervisor + +2. Submit the “Certification Form” attesting “under penalty of +perjury that amounts stated are correct and were incurred +in the service of the City of Boston.” + + + +Page 4: +Superintendent’s Circular FIN-02 +Page 4 of 5 + + +3. Submit a completed “Mileage Detail Form” - List the total +number of miles traveled each day and total-up each page – +must sign and date each page. + +4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA +individual fares only, etc. + +5. Mileage Reimbursement requests “must be” submitted at +the end of each month or quarterly – 4 times per year, which +is September 30, December 31, March 31 and the last day of +school in June. + +6. Employee group (union) affiliation must be indicated to +insure eligibility for reimbursement. + + + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + +If Submitting by Paper: +● ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +● DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be + + +Page 5: +Superintendent’s Circular FIN-02 +Page 5 of 5 + + +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year - You cannot use current school year +funds to pay for prior school year expenses. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + + +For more information about this circular, contact: +Name: +Unit Leader of Business Services/Accounts +Payable +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston MA. 02119 +Phone: +617-635-9472 +E-mail: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + diff --git a/data/data_txt/FIN-02b Mileage Reimbursement_January-June.txt b/data/data_txt/FIN-02b Mileage Reimbursement_January-June.txt new file mode 100644 index 0000000..62b23ae --- /dev/null +++ b/data/data_txt/FIN-02b Mileage Reimbursement_January-June.txt @@ -0,0 +1,204 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-02 +Version 01 + + +MILEAGE REIMBURSEMENT + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public School employees who are eligible for mileage +reimbursement are required by IRS regulation to document +those costs and provide specific information. Reimbursement +cannot be made unless all procedures detailed in this circular are +followed and all necessary documentation is provided. + +All employees who use their own vehicle on authorized school +business are entitled to be reimbursed as listed below. Please +note that travel to and from your home is not eligible for +reimbursement. + + +All Itinerant Service Providers +School Psychologists, District Social +Workers, Speech & Language +Pathologists, Occupational Therapists, +Physical Therapists, Adaptive Physical +Education Teachers, Vision Teachers (ISP +will receive that $600 payment in +succeeding years provide the ISP’s direct +supervisor verifies that the ISP’s travel +schedule is substantially unchanged) + +$600.00 per “full” +school year (flat +rate) +or +67¢ per mile + + +Page 2: +Superintendent’s Circular FIN-02b +Page 2 of 5 + + + +All other BTU members + +67¢ per mile + +Supervisors of Attendance + + +67¢ per mile + + +BASAS + + + +67¢ per mile + +Management + + + +67¢ per mile + + + + +Planning & Engineering + + +$15.00 per day (flat +rate) + + + +For eligible mileage reimbursement, there must be a sufficient +appropriation in the respective responsibility center manager’s +budget (Account 52803 Mileage). + + + + +Page 3: +Superintendent’s Circular FIN-02b +Page 3 of 5 + + + +IMPORTANT! +Parking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA +individual fares only (monthly passes are not reimbursable) etc., +will be reimbursed only when it is clearly stated that the trip +taken, which resulted in these fees, was for official school +business and the method of transport was the most economical. +Original receipts must be produced/provided for reimbursement. + +Follow the procedures below to submit for reimbursement +(Emails accepted): + +1. Submit a completed “City of Boston Special Draft/Non Order +Form” – it must be filled out completely with: +• School/Department +• Date +• Full name of the person being reimbursed +• Full address of the person being reimbursed +• Vendor # +• Full funding source +• Full “detailed” description +• Amount to be reimbursed +• Must be signed by the employee’s immediate +supervisor + +2. Submit the “Certification Form” attesting “under penalty of +perjury that amounts stated are correct and were incurred +in the service of the City of Boston.” + + + +Page 4: +Superintendent’s Circular FIN-02b +Page 4 of 5 + + +3. Submit a completed “Mileage Detail Form” - List the total +number of miles traveled each day and total-up each page – +must sign and date each page. + +4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA +individual fares only, etc. + +5. Mileage Reimbursement requests “must be” submitted at +the end of each month or quarterly – 4 times per year, which +is September 30, December 31, March 31 and the last day of +school in June. + +6. Employee group (union) affiliation must be indicated to +insure eligibility for reimbursement. + + + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + +If Submitting by Paper: +● ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +● DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be + + +Page 5: +Superintendent’s Circular FIN-02b +Page 5 of 5 + + +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + +** You cannot use current school year funds to pay for prior +school year expenses. ** + + + +For more information about this circular, contact: +Name: +Business Manager +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston MA. 02119 +Phone: +617-635-9472 +E-mail: +ffinancestaff@bostonpublicschools.organceo.org + +Mary Skipper, Superintendent + + + + + diff --git a/data/data_txt/FIN-03 Expenditure Reimbursement.txt b/data/data_txt/FIN-03 Expenditure Reimbursement.txt new file mode 100644 index 0000000..516fa66 --- /dev/null +++ b/data/data_txt/FIN-03 Expenditure Reimbursement.txt @@ -0,0 +1,188 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-03 +Version 01 + +EXPENDITURE REIMBURSEMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The purpose of this memorandum is to clarify those +circumstances under which reimbursement is appropriate and +those that are not. +The reimbursement process is intended to accommodate those +limited instances where the traditional purchasing system +cannot be utilized. It is not intended to replace, substitute for, +supplant, or otherwise institute an alternative purchasing system. + +Expenditures Allowable for Reimbursement +The reimbursement process is intended to allow for the +immediate purchase of incidental or emergency goods and +services that could not be contemplated in the normal course of +business. This process can be used when the aggregate +purchase value of goods or services is minimal. Make sure the +proper accounting codes are used and align with the expense. +Examples of these goods or services include reimbursement for +an emergency, unanticipated supply, or repair needs minimal in +cost. +The reimbursement process is intended to allow individuals to be +reimbursed for personal expenditures incurred in support of + + +Page 2: +Superintendent’s Circular FIN-03 +Page 2 of 7 + +authorized Boston Public Schools activities. This also applies to +travel expenses as defined and consistent with the Boston Public +Schools travel policy (refer to Superintendent’s Circular FIN-01 +Travel Policy - Procedures for Approval and Reimbursement). + +Expenditures Not Eligible for Reimbursement +Expenditures not eligible for reimbursement include those for +the purchase of goods and services that are not consistent with +the guidelines referenced above. A detailed description of +guidelines to be used for purchasing can be found in +Superintendent’s Circular FIN-07 – Purchasing Guidelines. +Certain expenditures, such as purchasing gifts for fellow +employees, constitute an inappropriate expenditure of resources +and are not eligible for reimbursement. + +Purchase Of Food +Food for staff events cannot be reimbursed from fund 100. Fund +100 can only be used for students, parents and community +events using the food account code 53204, be sure funds are +available prior to submitting for reimbursement. If you are using +fund 200, the rules of the grant must allow for food purchases, +prior to purchase always check with your grant liaison. +The practice of purchasing food products from supermarkets for +parents, school councils, or other meetings is an acceptable (and +more cost-effective) mechanism than procuring catered services. +These expenditures will be reimbursed, but only upon the +presentation of itemized invoices and cash register receipts. + + +Page 3: +Superintendent’s Circular FIN-03 +Page 3 of 7 + +Reimbursements will be made only for those items that can be +appropriately documented. + +Gift Cards/Certificates: A Specific Issue +The purchase of gift cards/certificates is not permitted. The use +of gift cards/certificates does not allow for appropriate controls +that document the nature and value of the items that are +ultimately purchased. Nor does this practice allow for the proper +reporting of expenditures. It is a practice that is highly +susceptible to abuse. + +Documentation Required for Reimbursement: +In order to secure prompt reimbursement, all requests must be +submitted to the Business Office within fifteen (15) business days +of purchase. Allowable expenditures for reimbursement must be +fully supported by appropriate documentation/receipts. Follow +the procedures below (Emails Accepted): +1. +Submit a completed “City of Boston Special Draft/Non +Order Form” - it MUST be filled out completely with: +● School/Department +● Date +● Full name of person being reimbursed +● Full address of person being reimbursed +● Vendor # +● Funding source +● Full “detailed” description + + +Page 4: +Superintendent’s Circular FIN-03 +Page 4 of 7 + +● Total amount requested +● Must be signed by the employee’s immediate +supervisor +2. +Submit the “Certification Form” attesting “under +penalty of perjury, that amounts stated are correct and +were incurred in the service of the City of Boston +3. +Itemized (not summary) of cash register receipts +4. +Itemized invoice produced by the vendor +5. +Copies of the front and back of cancelled personal +checks, or Credit card statement that details the item(s) +purchased by an individual. The name of the person being +reimbursed should be on the check and credit card +statement – for Proof of Purchase + +BPS does NOT reimburse taxes for expenditures unless the +Student Activity Account is being used for the purchase - BPS +will reimburse taxes and tips on FOOD ONLY. + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + + +Page 5: +Superintendent’s Circular FIN-03 +Page 5 of 7 + +If Submitting by Paper: +• ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +• DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 +starts the new Fiscal School Year - You cannot use current school +year funds to pay for prior school year expenses. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + + + + + +Page 6: +Superintendent’s Circular FIN-03 +Page 6 of 7 + +For more information about this circular, contact: +Owner: +Unit Leader of Business Services/Accounts +Payable +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9469 +E-mail: +finance-staff@bostonpublicschools.org +Mary Skipper, Superintendent + +Business Services Guide is available here. + + +Page 7: + + + + diff --git a/data/data_txt/FIN-04 Student Activity Accounts.txt b/data/data_txt/FIN-04 Student Activity Accounts.txt new file mode 100644 index 0000000..767af29 --- /dev/null +++ b/data/data_txt/FIN-04 Student Activity Accounts.txt @@ -0,0 +1,415 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +FIN-04 +Version 01 + + + +STUDENT ACTIVITY ACCOUNTS: +OPERATING PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +This Student Activity Accounts: Operating Procedures +Superintendent’s Circular was put together in accordance with +Massachusetts General Law Chapter 71 Section 47. The Student +Activity Account Policy was approved by the School Committee +in the fall of 2018. +All students should have an opportunity to take part in co- +curricular activities. As such, Boston Public Schools have +migrated to a new business process for managing student +activity accounts. Student activity funds are managed under an +“Agency Account,” housed under the City’s tax ID number. +DEFINITION AND CATEGORIES OF STUDENT ACTIVITY +ACCOUNTS +Student activity accounts may only be used for the express +purpose of conducting student activities, which are broadly +defined to be: +● Co-curricular in nature. +● Contingent on a fee or on fundraising. +● For the sole benefit of students. + + +Page 2: +Superintendent’s Circular FIN-04 +Page 2 of 13 + + +Boston Public Schools recognizes the following categories as +student activities: +● SOCAL = Socials, such as a dance or pizza party +● EVENT= Special events, such as a graduation or Science Fair +● FLDTR = Field trips, such as transportation costs or entrance +fees +● CLUBS = School leader-approved student clubs, such as a +Student Council or Debate Club +● STORE = Bookstore, only when bookstore is run by students +and proceeds will benefit students directly +● ATHLT = Athletics, only when funds are student-driven and +proceeds will benefit specific student activities directly +● SNDRY = Miscellaneous activities (this is NOT a catch-all, see +Student Activity Accounts on the BPS website for approved +list) +● BNKFE = Bank fees, such as fees for returned checks +ESTABLISHING A STUDENT ACTIVITY ACCOUNT +Student activity funds will be managed utilizing a Student +Activity Agency Account. The Agency Account is a master +account maintained by the City’s Collector-Treasurer and is +utilized to record deposits and expenses. All student activity +accounts must utilize the City of Boston’s tax ID number and be +authorized by the BPS chief financial officer and city treasurer. +Schools seeking to set up a new student activity account within +the Student Activity Agency Account must contact the BPS +Finance Office. + + + + +Page 3: +Superintendent’s Circular FIN-04 +Page 3 of 13 + +When a new school leader begins at a BPS school, they should +contact the BPS Finance Office. Accounts should be reconciled +prior to the account changing hands. +DEPOSIT PROCEDURE +To deposit funds into your school’s student activity account: +1. Deposit funds at a Boston Citizens Bank branch using the +unique deposit slips provided to your school. This is critical to +ensuring funds are deposited to your school’s subaccount +and simplifying the reconciliation process. +a. If depositing funds for use in multiple different student +activities, schools must use a separate deposit slip for +each pool of money. +2. Complete the revenue breakdown form within 2 business +days of the deposit date to designate the funds to a program +(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, +BNKFE) and class (grade level). This allows the deposited +funds to be applied to your school’s subaccount and +reflected in BAIS Financials. +a. If a deposit is for multiple grades or undefined, utilize +the “0000” for all grades. +3. Allow at least 5 business days for the deposit to be booked to +your school’s subaccount and reflected in BAIS Financials. +Schools must notify the BPS Finance Office when they are +running low on unique deposit slips, not when they’ve run out of +deposit slips, so additional deposit slips may be ordered and +delivered to the school. + + + + +Page 4: +Superintendent’s Circular FIN-04 +Page 4 of 13 + +TRANSFER PROCEDURE +To request a transfer within your school’s student activity +account: +1. Submit the transfer request form, which requires a +justification letter be attached documenting the request. +Transfer Request Justification Template +2. Allow at least 5 business days for the transfer to be reflected +in BAIS Financials. +EXPENDITURE PROCEDURE +Standard Purchasing +To make a purchase out of your school’s student activity account: +1. Confirm the company/venue is already an approved city +vendor by looking them up in BAIS Financials or determine if +the individual needs to be “hired” and paid through the city’s +payroll system. +a. If you have a question about whether a +company/venue is an approved city vendor or should +be hired, please email +Vendor.Questions@cityofboston.gov or call 617-635- +4564. +b. New vendors should register online (see step-by-step +guidelines for registering online). +2. After confirming the company/venue is an approved city +vendor, enter a requisition for student activities using the +following information: +Fund Number: 470 + + +Page 5: +Superintendent’s Circular FIN-04 +Page 5 of 13 + +Account: Should be appropriate to the requisition. An +example is account 52811 for a field trip. If unsure, review +the account code list or contact BPS Purchasing. +Program: An alpha entry matching the revenue breakdown +of SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, or +BNKFE. +Class: An alphanumeric entry matching the revenue +breakdown of: 0000 (all grades); BPSK0; BPSK1; BPSK2; +BPS01; BPS02; BPS03; BPS04; BPS05; BPS06; BPS07; BPS08; +BPS09; BPS10; BPS11; BPS12 +Bud Ref: 0000 +3. Follow the standard purchasing guidelines outlined in the +Business Services Manual to complete the requisition and +purchase process. +Reimbursement +To request a reimbursement out of your school’s student activity +account: +1. Confirm the person is already properly hired or an approved +city vendor by looking them up in BAIS Financials. +b. If you have a question about whether a +company/venue is an approved city vendor or should +be hired, please email +Vendor.Questions@cityofboston.gov or call 617-635- +4564. +c. New vendors should register online (see step-by-step +guidelines for registering online). + + +Page 6: +Superintendent’s Circular FIN-04 +Page 6 of 13 + +2. After confirming the person is an approved city vendor, +complete and submit a hard copy of the Non Order form +with details of the expense, funding source, and amount. +Reimbursement instructions can be found in +Superintendent’s Circular FIN-03. + +Staff seeking reimbursement out of the Student Activity Account +can receive reimbursement for tax on purchases; however, tax +can be saved by going through the standard purchasing process. +Reach out to Lisa Greaves or Bob Cass with any reimbursement +questions. +The Business Services Guide may be a helpful resource for further +inquiries on purchasing. +CHECKING STUDENT ACTIVITY ACCOUNT BALANCES +To check your school’s student activity account balance: +1. Log into BAIS Financials. +2. From the main menu drop-down options, select +REPORTING TOOLS. +3. From Reporting Tools, select QUERY. +4. Click on QUERY VIEWER. +5. Next to “Search by,” select QUERY NAME from the drop- +down options. +6. In the blank next to “begins with,” enter +Y_GL_QRY_SCH_ACT_BUDGET_BAL. +7. Select how you'd like to run the report: HTML, Excel, or XML. +8. In the blank next to “department,” enter your school’s 6- +digit RC code. +9. Click VIEW RESULTS: +a. Scroll through all the line items to find balances (there + + +Page 7: +Superintendent’s Circular FIN-04 +Page 7 of 13 + +will likely be several rows that show no balance) OR +b. Download the results and filter out all the rows without +a balance. +To check deposits and expenditures in your school’s student +activity account: +1. Log into BAIS Financials +2. From the main menu drop down options, select REPORTING +TOOLS. +3. From Reporting Tools, select QUERY. +4. Click on QUERY VIEWER. +5. Next to “Search by,” select QUERY NAME from the drop- +down options. +6. In the blank next to “begins with,” enter +Y_GL_QRY_EXP_PO_CN_DTL. +7. Select how you'd like to run the report: HTML, Excel, or XML. +8. Enter the following for the blanks: +a. Fund Code: 470 +b. Organization: Your school’s 6-digit RC Code +c. Program Code: % +d. Sub-Classification: % +e. Project/Grant: % +f. Account: % +g. Budget Reference: % +h. From Accounting Period: 1 +i. To Accounting Period: 12 +j. From Fiscal Year: Starting year (for example, if you just +want to look at this current school year, you’d enter +2024, but if you wanted to look at the account over +time, you’d enter 2018). +k. To Fiscal Year: Ending year. +9. Click VIEW RESULTS. + + +Page 8: +Superintendent’s Circular FIN-04 +Page 8 of 13 + +REPORTING +Monthly Reconciliation Reports +By the 5th of each month (September - July): +1. Complete the monthly reconciliation report for the previous +month, reconciling your school’s PeopleSoft balance with +submitted revenue breakdown forms and expenditure +requests. +2. Completed monthly reconciliations should be sent to school +leader, all student organization leadership (and/or parent +council leadership if elementary school), and Charlie Ng by +the 5th of each month for the previous month (example: for +the February reconciliation, submit by March 5). PDFs should +be uploaded to your school’s SAA reporting folder and saved +for 7 years. +Year End Reconciliation +By June 21: +1. Complete Form B for each additional bank account +associated with the school (Form B doesn’t need to be +completed for the student activity and before/after school +accounts) and record every transaction for each account. +Additional bank accounts include 501c3, BEDF, Parent +Council, and Sunshine Fund accounts. +2. A final monthly reconciliation report should be submitted by +July 5 to close out the student activity account for the school +year +3. Completed forms should be sent to Charlie Ng. + + +Page 9: +Superintendent’s Circular FIN-04 +Page 9 of 13 + +CASH POLICY AND RECORD-KEEPING +Internal Records And Ledgers +Schools must keep detailed records of their receipts and +expenses for the account. Records should contain, at minimum, +the level of detail provided in the example ledger by line. The +specific purpose/activity of all money should be tracked. It is +recommended that for individual activities, such as a specific +field trip or event, schools also track all receipts and expenses (i.e., +all revenue and expenses for prom). A copy of these records +should be housed in your school’s SAA folder. The purpose of +these records is to: +● Ensure bank deposits match the total receipts of fees and +fund-raised money. +● Ensure entirety of the money is spent on the intended +purpose, benefiting solely the students who the money was +raised for/by. +● Avoid large surpluses and deficit spending. +Cash Policy +Cash boxes may be used to receive cash and checks and make +change during fundraising activities. +As needed, the cash box may be signed out to staff and student +organizations as long as a cash box log is completed each time +the cash box is signed out. +Schools need to keep records of collected cash and checks. When +$10 or more is collected from an individual, a pre-printed carbon +receipt must be issued to that individual. Carbon copies of +receipts should be submitted to the school leader along with + + +Page 10: +Superintendent’s Circular FIN-04 +Page 10 of 13 + +collected cash and checks WITHIN 24 HOURS of receipt. In cases +of a large number of transactions in a short period of time, the +receipt log should be used to provide a record of individual +transactions and be submitted to the school leader along with +collected cash and checks WITHIN 24 HOURS of receipt. +When less than $10 is collected from an individual, a pre-printed +carbon receipt does not need to be issued. Rather, the person +handling the cash box needs to record the collected funds on the +receipt log. The receipt log should be submitted to the school +leader along with collected cash / checks WITHIN 24 HOURS of +receipt. +The cash box must be reconciled daily by two individuals. Once +the cash is counted, each individual should initial the cash box +reconciliation form. +Collected cash / checks totaling under $1,500 must be deposited +at a Boston Citizens Bank branch WITHIN A WEEK of receipt. +Total collected cash / checks exceeding $1,500 must be deposited +at a Boston Citizens Bank branch WITHIN 72 HOURS of receipt. + + + + +Page 11: +Superintendent’s Circular FIN-04 +Page 11 of 13 + +CLOSURE OF ACCOUNTS +Closure of Class Accounts at Graduation +The following procedures should be followed with respect to +class accounts at graduation: +1. Keep class accounts open and active for 90 days after +graduation to allow for outstanding bills to be received and +paid. +2. After 90 days, remaining funds must either be: +a. Transferred to a separate account established by class +members, not using the city’s tax ID number. +b. Transferred to the school’s SNDRY, 0000 (all grades) +line. +Closure of Inactive Accounts +The following procedures should be followed with respect to +inactive and undesignated accounts at the district level: +1. Accounts will be closed, and remaining balances will be +transferred to the Student Activity Agency Account. +2. Remaining balances will be distributed across all schools’ +SNDRY, 0000 (all grades) lines. +The following procedures should be followed with respect to +inactive accounts at the school level: +1. Provide written notification about the inactive account to +the BPS Finance Office. +2. If the account should be closed out and has a balance of +funds: +a. The balance of recognized student activity funds +should be moved into the appropriate program and + + +Page 12: +Superintendent’s Circular FIN-04 +Page 12 of 13 + +class subaccounts. +b. The balance of unrecognized student activity funds +should be moved into the school’s SNDRY, 0000 (all +grades) line. +RESOURCES +For additional information and resources on Student Activity +Accounts: +● Student Activity Account: Policies & Procedures Manual +Student Activity Account Website +● SAA Slide Deck +● 7-minute Overview Presentation +● Purchasing Manual +● Massachusetts General Law +Please contact the Finance Office if you have any student activity +account questions not addressed in this circular. +Questions related to deposits, fund balances, and account status +should be directed to: +Special Accounts Manager, finance- +staff@bostonpublicschools.org +Internal Controls Project Manager, finance- +staff@bostonpublicschools.org + + + + + +Page 13: +Superintendent’s Circular FIN-04 +Page 13 of 13 + +Questions related to purchases from this account should be +directed to: +Assistant Business Manager, finance- +staff@bostonpublicschools.org / 617-635-6758 +Questions related to reimbursements from this account should +be directed to: +Principal Account Clerk finance-staff@bostonpublicschools.org / +617-635-9472 + +Unit Leader of Business Services/Accounts Payable +finance-staff@bostonpublicschools.org / 617-635-9469 + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FIN-07 Purchasing Guidelines.txt b/data/data_txt/FIN-07 Purchasing Guidelines.txt new file mode 100644 index 0000000..e2c3c72 --- /dev/null +++ b/data/data_txt/FIN-07 Purchasing Guidelines.txt @@ -0,0 +1,328 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-07 +Version 01 + + + +PURCHASING GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Procurement procedures at BPS follow state and federal laws +and City policies. Non-compliance with these laws could result in +invalid procurements and unenforceable contracts. The State +Procurement Law (M.G.L. c. 30B) mandates standard procedures +for local jurisdictions to ensure fairness and consistency when +purchasing supplies or services. The information below provides +the necessary procedures and requirements for purchasing +supplies or services following competitive and non-competitive +procurement regulations. +INDIVIDUALS AUTHORIZED TO SIGN CONTRACTS ON BEHALF +OF THE BOSTON PUBLIC SCHOOLS +No Boston Public School employee, other than those listed +below, may enter into a contract with any vendor. This includes +but is not limited to contracts, agreements, memorandums of +understanding, grants, partnership agreements, or any other +expenditure that binds the district to pay for services/goods. This +includes purchases of services or goods for under $10,000. +Only three (3) BPS employees are authorized to enter into +contracts on behalf of the Boston Public Schools: + + +Page 2: +Superintendent’s Circular FIN-07 +Page 2 of 10 + + +• The superintendent of schools +• The BPS chief financial officer +• The BPS deputy chief financial officer + +1. PURCHASES LESS THAN $10,000. +The standard for selection: Following M.G.L. c. 30B, § 2 "Sound +Business Practices,” the school or department must solicit three +quotes via telephone, email, catalog, or the City Certified +Business Directory. A record of these quotes should be recorded +on this form and kept on file at the school or department for +auditing purposes. +Required document: Requisition +Authorization: Purchase order +Turnaround time*: 1 -2 Weeks + +2. PURCHASES BETWEEN $10,000 - $100,000 +The standard for selection: When procuring supplies or services +that are not a sole source or exempt from Chapter 30B, schools +and departments must solicit written quotes from at least three +vendors via telephone, email, catalog, or the City Certified +Business Directory. A record of these quotes should be recorded +on this form and kept on file at the school or department for +auditing purposes. The contract should then be awarded to the +responsible and responsive supplier offering the needed quality +of supply or service at the lowest price quotation. In cases when +obtaining three quotes is impossible despite reasonable effort, +awarding the contract based on one or two quotes is acceptable. +Important Note: School districts may still opt to issue an IFB + + +Page 3: +Superintendent’s Circular FIN-07 +Page 3 of 10 + + +when procuring supplies or services estimated to cost $100,000 +or less. +Required documents: To ensure a timely and efficient +procurement process, all required documents should be +submitted to the Business Office/Procurement office at least four +weeks before the desired procurement date: requisition, Contract +Request Form, detailed specifications, and, if applicable, a sole- +source letter addressed to the Business Manager. Before +submitting, use the detailed checklist to verify that all required +information has been completed. +Authorization: Purchase order and written quote contract (WQC), +signed by the vendor and approved by the superintendent and +the City auditor. +Turnaround time*: 2 - 4 Weeks +3. PURCHASES OF MORE THAN $100,000 +The standard for selection: For supplies or services estimated to +cost more than $100,000, an invitation for bids (IFB) or a request +for proposals (RFP) can be used. In a bid process, IFB, you award +the contract to the qualified bidder who meets your +specifications and offers you the best price. Information for Bid +(IFB) Sealed bids (M.G.L. c. 30B, § 5. In a proposal process, RPF, you +award the contract to the offeror submitting the most +advantageous proposal, considering your specified evaluation +criteria and price. Request for Proposals (RFP) Sealed proposals +(M.G.L. c. 30B, § 6 + + + + +Page 4: +Superintendent’s Circular FIN-07 +Page 4 of 10 + + +Notice/Advertising Requirements: The Business Services and +Finance Procurement Unit will submit an ad for schools and +central departments to be posted at least two weeks before bids +or proposals are due in the City Records. If the procurement +exceeds $100,000, an advertisement will be published in the +Goods and Services Bulletin at least two weeks before bids or +proposals are due. +Required documents: Requisition and a completed Contract +Request Form with a detailed written description of the items or +services to be purchased. +Authorization: Purchase order and fully executed contract +Turnaround time*: 4 - 8 Weeks +*NOTE: These timelines may not apply to all procurement +requests. The turnaround times listed above are approximate and +do not apply to peak procurement periods, ranging from 08/15 to +09/30 and 04/15 to 06/30. +4. MOAS AND MOUS AGREEMENTS +The following types of agreements are exempt from Chapter 30B +and do not require a City of Boston standard contract to be +executed: an agreement between agencies, boards, +commissions, authorities, departments, or public +instrumentalities of one city or town (ch. 30B§1(7)); or an +agreement to purchase supplies or services from or to dispose of +supplies to an agency or instrumentality of the federal +government, the Commonwealth, or any of its political +subdivisions or any other state or political subdivision thereof (ch. +30B§1(9)) + + +Page 5: +Superintendent’s Circular FIN-07 +Page 5 of 10 + + +• Memoranda of Agreement (MOA), in addition to outlining +the terms and obligations of each government agency, +requires payment or exchange or transfer of funds between +the parties. There are only to be used between two or more +government agencies. If one or more of the parties to the +agreement is not a government agency, then the normal +rules related to standard contracts apply. There is no dollar +threshold for an MOA. +All MOAs must be initially reviewed by the BPS Law +Department, signed by the City Corporation Counsel and +City Auditing, and necessary signer(s) involved in the +agreement before it can be accepted as a valid contractual +agreement. +• Memoranda of Understanding (MOU) is an agreement of +terms and obligations that does not include funds transfer +between the parties. While parties to an MOA must all be +government agencies, parties to an MOU may, but are not +required to be, government agencies. +All MOUs must be initially reviewed by the BPS Law +Department, signed by the City Corporation Counsel, and +necessary signer(s) involved in the agreement before it can +be accepted as a valid contractual agreement. +NOTE: The Law Department reserves the right to require City +departments to execute a formal contract in any situation +involving agreements with non-government entities. +Authorization: Purchase order and fully executed and signed +MOA agreement + +Turnaround time*: 4 - 8 Weeks + + +Page 6: +Superintendent’s Circular FIN-07 +Page 6 of 10 + + +5. GRANT CONTRACTS +Under Massachusetts General Law, a “grant agreement” is +defined as “an agreement between a governmental body and an +individual or nonprofit entity, the purpose of which is to carry out +a public purpose of support or stimulation instead of procuring +supplies or services for the benefit or use of the governmental +body.” If a grant agreement properly fits within this definition, +then it is exempt from the requirements of Chapter 30B. +The first step in the analysis of whether a grant agreement can +be used is to determine the public purpose of the grant and how +grant funds are being directly linked back to the public delivery +of a program. Generally, supporting a non-profit organization, or +keeping it operational, is not a permissible public purpose. While +non-profits may operate for the public good, grant funds must be +directly linked back to the specific delivery of a program. Please +review this Law Department memo for further considerations +and guidance when determining whether a grant process is +applicable. If you plan to conduct a grant process because each +case is evaluated individually, please contact the BPS Office of +the Legal Advisor at 617-635-9320. +6. EMERGENCY PURCHASES +In the case of an unforeseen emergency, if complying with all of +Chapter 30B's requirements would put people or property at risk, +you are allowed to procure the necessary item or service without +full compliance. However, it is important to keep a record of the +emergency procurement, including the reason for deeming it an +emergency, the supplier's name, the contract amount and type, +and a list of the supplies or services purchased under each +contract. Additionally, document any procedures used to elicit + + +Page 7: +Superintendent’s Circular FIN-07 +Page 7 of 10 + + +competition. It is important to inform the Business Services +Procurement Unit of the emergency purchases as soon as +possible. Please refer to the Goods and Services Bulletin for +further guidance on processing and emergency procurement. +7. FOOD PURCHASES +Food purchases are allowed for events where parents, suppliers, +constituents, and community members attend — not just +students, teachers, or the superintendent. If it's a fund 100, it +must be purchased against the following food budget, 53204. If +using fund 200, please check with Yvonne Macrae, Director of +Grants and External Funds, ymacrae@bostonpublicschools.org, +to ensure that the grant rules allow food purchases. Please +review Superintendent's Circular FIN-03 and additional +guidelines on reimbursements for food purchases. +8. REAL PROPERTY – ACQUISITIONS AND DISPOSITIONS – +M.G.L. C. 30B +Real Property Acquisitions and Dispositions: After determining +the value of the acquisitions and disposing of the real property +valued over $35,000.00, an invitation for bids (IFB) or a request for +proposals (RFP) can be used. In a bid process, an IFB can select +the proposer who meets your quality requirements and offers the +lowest price. Information for Bid (IFB) Sealed bids (M.G.L. c. 30B, § +5. In a proposal process, an RPF will allow you to compare the +relative merits of the proposals you receive and the price. +Request for Proposals (RFP) Sealed proposals (M.G.L. c. 30B, § 6 . +Contact Business Services for further information on when to use +a license or a lease. +Notice/Advertising Requirements: The Business Services and + + +Page 8: +Superintendent’s Circular FIN-07 +Page 8 of 10 + + +Finance Procurement Unit will submit an ad to be published in +the Central Register at least 30 days before executing a binding +agreement to acquire the property. M.G.L. c. 30B, § 16(d) +Authorization: Purchase order and fully executed contract +Turnaround time*: 4 - 8 Weeks + +RESOURCES +BPS Legal Advisor +Legal Advisor legal@bostonpublicschools.org +617-635-1577 +Computer Equipment +OIIT: Director of Technology Business Operations Operations- +Department-Heads@bostonpublicschools.org +617-635-9190 +Educational and Administrative Applications +OIIT: Director of Technology Business Operations, Operations- +Department-Heads@bostonpublicschools.org +617-635-9190 +Purchasing, Textbook Adoptions +Business Services: Assistant Business Manager +finance-staff@bostonpublicschools.org 617-635-8207 +PeopleSoft/Financials Training +Business Services: Assistant Business Manager) +finance-staff@bostonpublicschools.org 617-635-8207 +Furniture and Rugs +Facilities Mgt.: + + +Page 9: +Superintendent’s Circular FIN-07 +Page 9 of 10 + + +Operations-Department-Heads@bostonpublicschools.org 617- +635-9119 +Playground Equipment +Facilities Mgt.: +Operations-Department-Heads@bostonpublicschools.org +617-635-9117 +Grants/External Funds +Director of State & Federal Grants finance- +staff@bostonpublicschools.org617-635-9577 +Field Trips +Transportation: Executive Director of Transportation +Operations-Department-Heads@bostonpublicschools.org 617- +635-9000 +Budget Management +Assistant Budget Director, finance- +staff@bostonpublicschools.org +617-635-6984 + + + + +Page 10: +Superintendent’s Circular FIN-07 +Page 10 of 10 + + +For more information about this circular, contact: +Owner: +Assistant Business Manager +Department: +Business Services +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-8207 +Email: +finance-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + +• Essential Training Guide is available here. +• Business Services Guide is available here. + + diff --git a/data/data_txt/FIN-09 Private Contributions Management Guidelines.txt b/data/data_txt/FIN-09 Private Contributions Management Guidelines.txt new file mode 100644 index 0000000..aa5f667 --- /dev/null +++ b/data/data_txt/FIN-09 Private Contributions Management Guidelines.txt @@ -0,0 +1,236 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-09 +Version 01 + + +PRIVATE CONTRIBUTIONS MANAGEMENT GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +BOSTON PUBLIC SCHOOLS PRIVATE CONTRIBUTIONS +All external funding — to the district as a whole, individual +schools, central offices, or fiscal sponsorship — that is received +from private sources, such as foundation grants, contributions, +and individual donations other than public state and federal +grants, must adhere to the established rules and guidelines set +forth in this circular. +Schools may not receive cash grants directly into activity +accounts or any other accounts maintained by the school (see +Superintendent’s Circular FIN-04, Student Activity Accounts). +Schools and departments may solicit in-kind services and +contributions from private sources (businesses, non-profit +foundations, and individuals) to be made to the Boston Public +Schools via the Boston Educational Development Foundation, +Inc. (BEDF) in accordance with the guidelines set forth in State +Ethics Commission opinion EC-COI-12-1. Programs funded by +private philanthropy must further BPS goals. Funds will not be +accepted from sources specifically precluded by the School +Committee (there are no fund sources specifically precluded at +this time). + + +Page 2: +Superintendent’s Circular FIN-09 +Page 2 of 7 + + + +ROLES AND RESPONSIBILITIES +All private funds must comply with funders’ intentions and +guidelines established by BEDF regarding programming, +spending, accounting, and auditing, as well as related to civil +rights, access, and confidentiality as per the public use of these +funds. +The program supervisor is the individual who will be responsible +for overseeing the program(s) or initiative that private +contributions are funding. +The fund manager is the department head or the respective +principal/head of school and/or a designee and will be the +primary point of contact for all management issues for BEDF. The +fund manager will take fiscal responsibility for managing private +contributions and assure the submission of proper reporting to +funders. +BEDF has fiduciary and financial oversight responsibility for +private-funded programs, including compliance with all relevant +regulations and reporting. BEDF must sign contracts and other +legal documents that could raise a liability and oversee the full +execution of grant agreements and/or award letters. BEDF will +follow guidelines set by its Board of Directors and funders’ +restrictions and will collaborate to comply with other +requirements related to civil rights, access, and confidentiality. +ABOUT BEDF + + +Page 3: +Superintendent’s Circular FIN-09 +Page 3 of 7 + + +Mission +The Boston Educational Development Foundation, Inc. (BEDF) +was founded in 1984 by the superintendent and School +Committee for departments and schools to improve their ability +to raise money from private sources including foundations, +corporations, and individuals. +BEDF is a 501(c)(3) that exists to improve educational +opportunities for the students of BPS. BEDF provides fiscal +sponsorship and fundraising support for programs and +opportunities that may otherwise not be possible, such as: out of +school time; enrichment and health initiatives for students; +leadership and professional development for teachers; +engagement and learning programs for families; and multiple +academic initiatives. +Fiscal Sponsorship Services +BEDF provides general, financial, and administrative +management and staffing to private-funded programs that +further the educational aims and goals of BPS. BEDF also +provides fundraising support in the following areas: grant +seeking and administration; assistance in grants review and +submission; and the creation of online fundraising campaigns for +schools and programs. +Indirect Rate +BEDF charges an 8% indirect rate on all grants, donations, +sponsorships, and other charitable contributions for which BEDF +serves as the fiscal sponsor. This indirect rate does not apply to +any BPS student scholarships. The BEDF Board of Directors has +the authority to change the rate at any time by giving written +notice to Fund Managers. + + +Page 4: +Superintendent’s Circular FIN-09 +Page 4 of 7 + + + +PRE-AWARD +All BPS staff, parents, and partners are encouraged to seek and +apply for private funding opportunities from a variety of sources. +School fundraising is a team process within the +department/school to enable those individuals who will +ultimately be responsible for implementing the programs to be +involved. Heads of schools, principals, and other administrative +heads must be aware of and approve private solicitations for +programs that will take place under their supervision. +Intent to Apply +All BPS entities planning to pursue a private funding opportunity +must submit an online Intent to Apply Form (for asks above +$10,000) 1-3 months prior to the deadline for submission, if +possible. This will ensure that potential funding applications are +consistent with BPS goals and are not in conflict with other BPS +solicitations to the same agencies and funders. +The Intent to Apply Form will be revised on a weekly basis by the +cross-functional BPS Grants Review Team and will communicate +a recommendation to the applicant. Upon confirmation, you will +receive a completed grant cover page to be signed by your +department head/supervisor. For grant applications seeking +letters of support, a brief form will be attached as well. +POST AWARD +BEDF holds private funds through a set of strictly segregated +funds (previously called accounts). Either fund managers or +funders must forward the award letter and/or grant agreement +(that includes program and budget information) along with the + + +Page 5: +Superintendent’s Circular FIN-09 +Page 5 of 7 + + +deposit form to BEDF. If a new account is needed, the fund +manager should submit the proper form. BEDF will notify within +five business days upon receipt. +SPENDING, MONITORING, AND REPORTING +Spending +Funds held at BEDF will adhere to BEDF current spending, +financial, and administrative policies regarding accounts +receivable and payable, employee stipend documentation, and +any other administrative controls established. For privately +funded programs, BEDF only compensates individuals as +independent contractors (1099) or through the BPS approved +commitment letter process (if individuals are BPS employees). +Individuals are subject to applicable state and federal taxes. +Programs will keep their own records to comply with applicable +BPS regulations. Please contact BEDF at admin@bedf.org for +detailed information. +The BEDF executive director must co-sign all contracts and other +documents in which BEDF could incur liability, legal exposure, or +financial obligations, including purchase orders and grant +agreements, on behalf of the programs. +For internal controls, all expenses require signoff by the fund +managers or designee before any costs can be incurred or +payments released. +The fund manager is responsible for monitoring the spending of +the private funds. This includes assuring that the funds are being +used for allowable expenses; spending according to the +contribution timeline; entering receipt for goods/services; and +submitting invoices to BEDF for all matters related to their + + +Page 6: +Superintendent’s Circular FIN-09 +Page 6 of 7 + + +program budget. In case private-funded program budgets need +to be amended, they should get approval from the funder. BEDF +will ensure these responsibilities are fully completed in +accordance with the provisions of the funder and these +guidelines. +Monitoring +Fund managers are responsible for preparing and submitting +interim reports as requested by funders. BEDF will support +completions and take the appropriate steps to ensure timely +report submission. +Programmatic grant reports are the responsibility of the fund +manager who is overseeing the program being funded. Fund +managers must send a copy of completed reports to BEDF. +Final Reports +BEDF will produce a financial report to be finalized and +complemented with program outcomes by the fund manager in +order to complete and submit a final report as per the funder +guidelines. Please submit a copy of the final version to BEDF for +record keeping purposes. BEDF will take proper measures to +assure fiduciary responsibility to funders, including freezing the +activity of the fund until submission is complete. +AUDITING +The fund manager and program supervisor will collaborate with +auditors, consultants, and program advisors as requested by +BEDF to ensure compliance with tax regulations and impact +assessment of the partnership with BPS, including site visits and +data collection efforts. + + +Page 7: +Superintendent’s Circular FIN-09 +Page 7 of 7 + + +For general inquiries, please email admin@bedf.org. + +For more information about this circular, contact: +Owner +Email +Executive Director, BEDF + admin@bedf.org +Director of Finance and +Operations, BEDF + admin@bedf.org +Assistant Director of +Finance, BEDF + admin@bedf.org +Resource Development & +Communications Manager, +BEDF + admin@bedf.org +Finance Associate, BEDF + admin@bedf.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/FIN-10 Grants Guidelines.txt b/data/data_txt/FIN-10 Grants Guidelines.txt new file mode 100644 index 0000000..11b2daa --- /dev/null +++ b/data/data_txt/FIN-10 Grants Guidelines.txt @@ -0,0 +1,457 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FIN-10 +Version 01 + +GRANTS GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BOSTON PUBLIC SCHOOLS GRANTS +All grants going to the Boston Public Schools — to the district as +a whole, individual schools, or central offices — must adhere to +federal, state, city, and district policy. This circular contains the +grant management standards and procedures the district uses to +ensure all funds are lawfully expended. +Based on the funding source, grants will be housed in either the +Office of Grants and External Funding or the Boston Educational +Development Foundation (BEDF). All federal and state grants, as +well as some private grants, are housed in the Office of Grants +and External Funding and must adhere to the following +information. Private grants that are housed in the Boston +Educational Development Foundation (BEDF) 501c3 account +must adhere to the rules and regulations of BEDF. Information on +BEDF can be found in Superintendent’s Circular FIN-09. +ROLES AND RESPONSIBILITIES +All grants must adhere to federal, state, city, and Boston Public +Schools requirements for purchasing, accounting, auditing, civil + + +Page 2: +Superintendent’s Circular FIN-10 +Page 2 of 14 + +rights, access, and confidentiality, as well as established +guidelines set forth by the funder. Regulations for state and +federal grants are published in the Grants Management +Procedural Manual published by the Bureau of Grants +Management of the Massachusetts Department of Education. All +federal grants must comply with EDGAR 2 C.F.R.§ 200. All policies +and procedures, as well as internal controls and grant +management standards used by the BPS to ensure that all funds +are lawfully expended are outlined in the Fiscal Policies and +Procedures Manual. +Any individual who works under a grant, expends grant funds, or +oversees a department that utilizes grant funds is responsible for +lawfully expending grant funds. +GRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS +AND EXTERNAL FUNDING +The following documents are required when seeking grant +funding: +• Intent to Apply Form +• School Committee Approval Form +• Boston Fiscal Policies and Procedures +• Grants Subrecipient and Responsibilities +Program managers and grant applicants are responsible for +implementing the following rules for seeking and managing +grants: +1. Most federal and state grants follow the ‘supplement and +not supplant’ rule. This means grant money must not be +used to replace positions previously funded with local + + +Page 3: +Superintendent’s Circular FIN-10 +Page 3 of 14 + +money and should not be used to fund non-salary items +that are the responsibility of the local school district. For +example, grant funds may not be used to fund classroom +teachers or administrative personnel, as these positions are +considered core. A clear indication of supplanting is shifting +a position from GSP to a grant. +2. Grant-funded programs should be self-sufficient. Awarded +funds must cover all expenses of the program, including +wages, benefits, supplies, transportation, utilities, custodial +requirements, and fees. Please consult the Office of Grants +and External Funding and the Budget Office for approval of +any exceptions. If technology is involved, applicants should +consult with the Office of Information and Instructional +Technology (OIIT) to ensure that they are in support of the +proposal. +3. All BPS policies, procedures, rules, and regulations apply to +grant- funded programs. Regular personnel, budget, and +business procedures apply to grant funded programs in the +same way they apply to locally funded programs. Please +reference appropriate budget, business, and human capital +memoranda for rules and procedures. +4. No agreement to apply for or be a subrecipient of a grant is +to be entered into with an outside organization or entity on +behalf of the district without the approval of the Grants and +External Funds Office. +PRE-AWARD +All BPS staff, parents, and partners are encouraged to seek and +apply for grant opportunities from a variety of sources. Grant +development should be a team process within the + + +Page 4: +Superintendent’s Circular FIN-10 +Page 4 of 14 + +department/school to enable those individuals who will +ultimately be responsible for implementing the grant to be +involved. Heads of school, principals, and other administrative +heads must be aware and pre-approve grant proposals for +programs that will take place under their supervision. +INTENT TO APPLY +All BPS entities planning to pursue a grant opportunity must +submit an online Intent to Apply form for all federal and state +grants, as well as private grants over $10,000. The Intent to Apply +form should be submitted as soon as the funding opportunity +and applicant have been identified, but no less than 3 weeks +before the grant due date. This will ensure that potential grant +applications are consistent with BPS goals and policies and are +not in conflict with BPS solicitations for funds to the same +agencies and donors. +Your intent to apply will be reviewed on a weekly basis. Upon +approval, you will receive a completed Grant Cover Page with +your submitted information and details on next steps. +Superintendent Signature +The Office of Grants and External Funding will facilitate obtaining +the superintendent’s signature on your behalf. Please submit the +Intent to Apply form, and the Office of Grants and External +Funding will contact you within ten (10) days with next steps. All +documents requiring signature (including electronic signature) +must be submitted at least one week (7 days) before they are +due. All proposals must be submitted through the Intent to Apply +form and obtain approval to move forward from the Grants +Review Team before signatures will be obtained. + + +Page 5: +Superintendent’s Circular FIN-10 +Page 5 of 14 + +Letter of Support +The Office of Grants and External Funding will facilitate and +obtain all signatures on letters of support from the +superintendent and mayor (for federal grants). Once the Intent to +Apply has been reviewed and approved by the Grants Review +Team, please draft a letter of support for signature. All letters +requiring signature must be submitted at least one week (7 days) +before they are due. +If you are requesting a letter of support from BPS not tied to a +BPS grant application, please complete the online Letter of +Support Request Form. The Office of Grants and External +Funding will follow up with next steps. +BUDGET CREATION +The Office of Grants and External Funding can assist with +developing and reviewing your application’s budget. Once you +complete the online Intent to Apply Form, the Office of Federal +and Grants will contact you. Please reply to this communication +to schedule time to create and review your budget. All budgets +must adhere to BPS, state, and federal regulations and budgets +that do not adhere will need to be amended before BPS will +approve or allow spending. +SUPERINTENDENT SIGNATURE +All grant applications that will be submitted to external funders +(private, state, and federal) must have internal BPS approval prior +to submission. The Office of Grants and External Funding will +facilitate this process. +After completing the Intent to Apply form, the Office of Grants + + +Page 6: +Superintendent’s Circular FIN-10 +Page 6 of 14 + +and External Funding will contact you with next steps. All +documents requiring signature (including electronic signature) +must be submitted at least one week (7 days) before they are +due. The superintendent is the only authorized representative +who can sign grant proposals on behalf of BPS. +BPS can submit the grant to the funder on the requester’s behalf. +In some cases, grants can also be submitted directly from the +program manager, if so preferred, but only after all prior steps are +completed. +ONCE GRANT HAS BEEN AWARDED +School Committee Approval +All grants being managed through the Office of Grants and +External Funding must be approved by the School Committee +before they can be officially accepted by BPS. Similarly, the +School Committee’s approval is required before the Office of +Grants and External Funding can gain access to the grant funds +in conjunction with City Hall. Therefore, as soon as a grant +application has been submitted, the grant may be submitted for +School Committee approval. +To obtain School Committee approval, three steps must be +completed: +1. A packet of School Committee materials is submitted to the +Office of Federal and State Grants. This packet includes a +complete School Committee Acceptance Form, the full +grant budget, the grant narrative, the signed cover page (if +available), MOA/MOU (if available), and award letter (if +available). This must be submitted no later than 14 days prior + + +Page 7: +Superintendent’s Circular FIN-10 +Page 7 of 14 + +to any School Committee meeting. +2. A meeting is held between the program manager and the +Office of Grants and External Funding. +3. The program manager attends the School Committee +meeting, answering any questions that may arise +surrounding the grant. +Once the grant has been approved by the School Committee, +official confirmation of the School Committee acceptance will be +sent out to the requester via email approximately 2 days after the +School Committee vote. +Please contact Coordinator, Office of Grants and External +Funding at finance-staff@bostonpublicschools.org, with any +questions about or requests for School Committee approval. +Grant Set-up +Once a ‘notice of payment’ (official award letter from grantor), +funding wire or MOA/executed contract has been received by the +Office of Grants and External Funding and the grant has received +School Committee approval, the grant set-up process will begin. +During the set-up process, the Office of Grants and External +Funding will map the submitted budget to the BAIS +Financials/PeopleSoft system. The grant will be set up according +to the budget that was approved by the funder. Once the budget +is set up within BPS, it is set up in the City of Boston’s system. The +Office of Grants and External Funding will alert program +managers once this occurs and spending may then begin. This +process takes approximately eight days from the date the +payment notice is received. For questions on grant set up, please +contact the coordinator of Federal and State Grants, Carlos + + +Page 8: +Superintendent’s Circular FIN-10 +Page 8 of 14 + +Coordinator, Office of Grants and External Funding (finance- +staff@bostonpublicschools.org). +GRANT SPENDING +Grant Monitoring and Spending +It is the responsibility of the program manager to monitor the +spending of the grant. This includes: assuring that the grant +funds are being used for allowable expenses; spending according +to the grant timeline; working closely with the Business Office to +process any contracts and/or procurement needs; entering all +requisitions; monitoring purchase orders; entering receipt for +goods/services; and submitting invoices to Accounts Payable for +all work orders related to their budgeted grant funds. It is the +responsibility of the program manager’s supervisor to assure +these responsibilities are fully completed according to +requirements and to offer assistance, when necessary. +Throughout the life of a grant, the budget may need to be +adjusted. This is done through budget transfers in the BAIS +Financials system. Changes may be made among grant lines but +not into or out of a grant to make changes to the grand total. +Changes to the initial grant intent are NOT allowable. +Before any changes are made to the approved grant budget, +approval should be obtained from the funder. An amendment +may be required. If so, the Office of Grants and External Funding +will help with completing and filing the amendment. Please +contact Carlos Martinez, Coordinator of Federal and State Grants, +regarding amendments. + + +Page 9: +Superintendent’s Circular FIN-10 +Page 9 of 14 + +Subrecipient Monitoring and Spending +In accordance with the Uniform Grant Guidance, all sub awards +— where BPS is serving as the pass-through entity — must be +clearly identified and managed according to the standards set +forth by Federal Regulations, 2 CFR 200.331. The program +manager is responsible for communicating federal regulations +and assuring that subrecipients adhere to sub-award regulations. +Please contact the Office of Grants and External Funding for +more information about subrecipient monitoring. +Grant Spending Reports +Program managers will receive quarterly spend-down reports +from the Office of Grants and External Funding. The report is +designed to provide a high-level overview of spending, as well as +spending details. It is the responsibility of program managers to +look through the report, identify any errors in spending, and +report back any programmatic changes that may have affected +the budget timeline. +Amendments +An amendment is necessary when there is a modification to the +scope or finances of a previously approved grant application. +When the scope of a project changes significantly or the +expenditure of a budgeted category exceeds a variance of 10% or +$10,000, whichever is greater, an amendment is needed. +Amendments should be submitted at least 30 days prior to the +desired change. Most federal and state grants require a final +amendment to be filed no later than 30 days prior to the end of +the grant. The Office of Grants and External Funding will submit +any amendments necessary but will need justification from the + + +Page 10: +Superintendent’s Circular FIN-10 +Page 10 of 14 + +Program Manager on why the changes occurred. +GRANT CLEAN UP AND CLOSE OUT +Grant Clean-up +In the final weeks of the grant, clean-up must occur for most +grants. To close out a grant and file a final amendment, there +may not be any remaining requisitions, and all purchase orders +must be fully received. It is the responsibility of the program +manager to assure that the grant is clean for close and final +reports. +Prior to the grant end date, all requisitions must either be +canceled or converted to purchase orders. All purchase orders +must be fully received in BAIS financials by the grant end date. If +a purchase order will not be paid in full, the remainder must be +canceled prior the grant end date. It is the responsibility of the +program manager to monitor clean up, work with the Business +Office to convert requisitions, cancel POs, and enter receipts for +goods and services. +Stipend requests (PS08s) must be submitted and approved +before stipend work can be performed. Final stipend paperwork +(PS09s) must be submitted within two weeks of the stipend +period ending, hence no later than two weeks of the grant end +date. Failure to purchase items or submit stipend requests by the +above deadlines may result in forfeiting of funds. +Grant Outcomes Reporting +At the conclusion of each grant, program managers must report +the outcomes of their SMART goals presented to the School +Committee. The Office of Grants and External Funding will reach + + +Page 11: +Superintendent’s Circular FIN-10 +Page 11 of 14 + +out to program managers for this information. This report will be +shared with the School Committee and key stakeholders. +Grant Close +Grant funds must be spent prior to the grant end date. Funds not +utilized by this end date will be forfeited. For grant compliance +purposes, only funds that are encumbered — as defined by being +on a purchase order and fully received in BAIS financials — or +expended by the grant end date can be claimed under the grant. +The program manager is responsible for assuring that this occurs +by the grant end date. +FISCAL REPORTING +All fiscal reporting will be completed by, or must be reviewed by, +the Office of Grants and External Funding/Auditing Department. +No fiscal report may be submitted to the funder without review +by the Office of Grants and External Funding/Auditing +Department. +FINAL REPORTS +Final financial reports will be completed by the Auditing +Department. Final reports are due to the funder 60 days after the +grant closes. To assure that a final report is filed on time, all +requisitions and open purchase orders should be cleaned up as +soon as possible after the grant end date. Once the final report +has been completed and submitted, a copy will be sent to the +program manager for record-keeping purposes. +MULTI-YEAR GRANTS +Multi-year or continuing federal and state grant accounts must + + +Page 12: +Superintendent’s Circular FIN-10 +Page 12 of 14 + +be established at the start of each fiscal year. Accounts are not +automatically opened or carried forward from year to year. +Therefore, responsible administrative heads, department +managers, and relevant program managers should share, on an +annual basis, all award notification from their respective funders +with the Office of Grants and External Funding +PROGRAMMATIC REPORTING +Programmatic grant reports are the responsibility of the program +manager who is supervising the grant implementation. Please +share all such completed reports with the Office of Grants and +External Funding. Grant-related financial reports and requests for +revenue are managed by the BPS Business Office. However, +please share any relevant details for these well in advance, with +Director of State & Federal Grants (finance- +staff@bostonpublicschools.org) and/or Coordinator, Office of +Grants and External Funding (finance- +staff@bostonpublicschools.org), so they can be submitted to the +funder by the intended deadline. + + + +Page 13: +Superintendent’s Circular FIN-10 +Page 13 of 14 + +GRANTS MANAGEMENT RESOURCES +Grants Website +The Office of Grants and External Funding provides information +about grants at BPS, resources for finding grant opportunities, +contact information, process and policy information, the +quarterly newsletters, and constant updates that may impact +grants. +Internal Grants Management Library +This internal resource provides detailed information about +managing a grant in BPS. This searchable and constantly +updated document includes common grant application answers, +key application documents, how-to guides on running common +reports, and step-by-step instructions on how to manage a +budget, contact information, and information on how to perform +most grant activities in BPS. +CONTACT INFORMATION FOR OFFICE OF GRANTS AND +EXTERNAL FUNDING +Director of State & Federal Grants +617-635-9577 +Email: finance-staff@bostonpublicschools.org + +Senior Grants Manager +617-635-8582 +Email: finance-staff@bostonpublicschools.org + + + + + +Page 14: +Superintendent’s Circular FIN-10 +Page 14 of 14 + + +Coordinator, Office of Grants and External Funding 617-635-9084 +Email: finance-staff@bostonpublicschools.org + +Accounting Coordinator +617-635-9466 +Email: TBD + +External Funding Analyst - Please see Superintendent’s Circular +FIN-04, Student Activity Accounts. + +For more information about this circular, contact: +Owner: +Director of State & Federal Grants +Department: +Director of Grants and External Funding, Finance +Mailing +Address: +Bruce C. Bolling Building, 2300 Washington St., +Boston, MA 02119 +Phone: +617-635-9577 +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FIN-11 Scholarships, Awards, and Honors for Students.txt b/data/data_txt/FIN-11 Scholarships, Awards, and Honors for Students.txt new file mode 100644 index 0000000..220e28f --- /dev/null +++ b/data/data_txt/FIN-11 Scholarships, Awards, and Honors for Students.txt @@ -0,0 +1,630 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-11 +Version 01 + +SCHOLARSHIPS, AWARDS, AND HONORS FOR +STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version.. + +This circular provides procedures for making awards from +centrally administered trusts that benefit individual students. +Superintendent’s Circular FIN-12 deals with trusts benefiting +schools. Fifteen trusts are listed in the attachment to this +memorandum. Those involving many schools are: + +ALICE F. CASEY AWARDS + +CHARLOTTE FELLMAN AWARDS MARY DOROTHEA +DEVEREAUX AWARDS +SAMUEL GROSS DAVIS AWARDS +MATHEMATICS AWARD +MARY C. MCLAUGHLIN AWARD +MARY GRASSA O'NEILL AWARD +All elementary schools +All elementary and middle +schools +List attached +List attached +All schools +All schools K-12 +All schools 1-12 + + + + + +Page 2: +Superintendent’s Circular FIN-11 +Page 2 of 17 + +Principals and heads of schools are responsible for knowing the +eligibility of their schools and students for scholarships and +awards, for ensuring that recipients of awards have been +appropriately selected, and for following procedures for the +disbursement of the awards. Please submit your requests to the +Chief Financial Office as soon as possible but no later than May 31, +2024. Late requests will not be processed. + + +ELIGIBILITY FOR AWARDS +See the following pages for a list of awards by level and school +and for a description of awards listed in alphabetical order. + +SELECTION PROCEDURES +In addition to criteria specific to each trust, equal opportunity +policies apply to selection procedures. +● Teachers, or a committee of teachers, recommend a +nominee. +● The head of school or principal approves nomination(s). + + + + + +Page 3: +Superintendent’s Circular FIN-11 +Page 3 of 17 + + +DISBURSEMENT PROCEDURES +● Provide the information required for the award on the +attached application form OR on the letterhead of the +school, signed by the principal/head of school. If schools +are eligible for more than one award, use separate +letterhead for each award. +● Submit the memorandum to the Chief Financial Office by +May 31, 2024; late submissions will not be funded. +● Checks will be sent directly to the recipients at the +address provided by the school. Checks cannot be issued +without a Social Security number. All monetary awards are +disbursed through the City of Boston Trust Office. +● Present the awards at a suitable ceremony developed +within each school. +● Maintain records of receipt of awards. Schools should +maintain records of receipts by students, and copies of all +submissions. If it is not possible to obtain a signature, +maintain a dated record of the name, address and method +of transmittal. Documentation of receipts should be +available upon request. + + + + + +Page 4: +Superintendent’s Circular FIN-11 +Page 4 of 17 + +TRUST AWARDS +Aznive +Grace N. Aznive +Casey +Alice F. Casey +Davis +Samuel Gross Davis +Devereaux +Mary Dorothea Devereaux +Fellman +Charlotte Fellman +Franklin +Benjamin Franklin +GeorgeAnna +Judson George +Goldberg +Jacob Goldberg +Goulston +Edward J. Goulston +Hoffman +Ensign David A. Hoffman +Latin +Latin School Prize +Lawrence +Lawrence High School +Lawrence Latin +Lawrence Latin School +Mathematics +Mathematics Award +McLaughlin +Mary McLaughlin +Morrison +Helen C. Morrison +Grassa O’Neill +Grassa O’Neill + + +TRUST AWARDS BY SCHOOL + +ELEMENTARY SCHOOLS +All Elementary Schools +Alice F. Casey + + +Page 5: +Superintendent’s Circular FIN-11 +Page 5 of 17 + + + + + +Charlotte Fellman +Mathematics Achievement +Mary McLaughlin Reading + +Mary Grassa O’Neill +Mason Elementary +Samuel Gross Davis +Tobin K-8 +Samuel Gross Davis +Eliot K-8 +Jacob Goldberg +Winship Elementary +Mary Dorothea Devereaux +Ellis Elementary +Samuel Gross Davis +Hale Elementary +Samuel Gross Davis +Hennigan Elementary +Samuel Gross Davis +Higginson/Lewis K-8 +Samuel Gross Davis +J. F. Kennedy Elementary +Samuel Gross Davis +Trotter Elementary +Samuel Gross Davis + + + + + +Page 6: +Superintendent’s Circular FIN-11 +Page 6 of 17 + + +MIDDLE SCHOOLS +All Middle Schools + + + + +Mary Dorothea Devereaux +Charlotte Fellman +Mathematics Achievement +Mary McLaughlin Reading + +Mary Grassa O’Neill +Dearborn Middle +Samuel Gross Davis +Higginson/Lewis K-8 +Samuel Gross Davis +Timilty Middle +Samuel Gross Davis + + +HIGH SCHOOLS +All High Schools + + + + + +Mary Dorothea Devereaux +Grace Aznive Art Scholarship +Franklin Medal +Mathematics Achievement +Mary McLaughlin Reading +Mary Grassa O’Neill +Boston Latin School +Samuel Gross Davis +Lawrence Latin School +Latin School Prize +Boston Latin Academy +Samuel Gross Davis +Brighton High +Anna Judson George + + +Page 7: +Superintendent’s Circular FIN-11 +Page 7 of 17 + +English High +Edward J. Goulston +Lawrence High School Fund +Madison Park High/Technical/ Vocational +High School +Samuel Gross Davis +O’Bryant School of Mathematics & Science +Samuel Gross Davis +Helen C. Morrison +Carter School +Samuel Gross Davis + + + + + + +Page 8: +Superintendent’s Circular FIN-11 +Page 8 of 17 + +TRUST AWARD DESCRIPTIONS + +AZNIVE ART SCHOLARSHIP FUND in memory of Grace Aznive, a +former BPS teacher, was established in 1955. The scholarship is for +outstanding seniors planning to attend art school. Please call 617- +635-6769 for more information. + +CASEY AWARD in honor of Alice F. Casey, a former associate +superintendent of the Boston Public Schools, was established +1977. +Eligibility: +All elementary schools, one student in each classroom, grades 1-5 +Criteria: +Elementary students who have demonstrated the highest degree of +social and academic growth during the school year and have shown +outstanding and positive attitudes toward classmates of all racial and +ethnic backgrounds while promoting a positive spirit of integration +within their classroom and school community. Current satisfactory +grades in conduct and effort and improved grades in class work or report +card; concern for students and staff; participation in school activities; +helpful and enthusiastic attitude; recognition of rights of others. +Award: +Alice F. Casey Certificate +Submit: +Submit request to Chief Financial Office on school letterhead, with +number of certificates needed. + + +DEVEREAUX AWARD is a gift of Mary Dorothea Devereaux, +formerly a Boston Public Schools teacher, established in 1965. +Eligibility: +One girl and one boy in the graduating class of the following schools: +● +All high schools +● +All middle schools +● +Winship Elementary School + + +Page 9: +Superintendent’s Circular FIN-11 +Page 9 of 17 + +Criteria: +For students who, as a result of the tutelage of their teachers, have +exhibited exemplary personal development and growth of character. +Under no circumstances shall scholastic achievement or athletic ability +be used as criteria. +Award: +$25 check, issued by the City of Boston Treasury Department. +Submit: +Submit request to Chief Financial Office on school letterhead with names, +addresses, dates of birth, student numbers and Social Security numbers +of recipients. + +FELLMAN AWARD is in honor of Charlotte Fellman, a former +associate director of music, established 1984. +Eligibility: +Two graduating eighth grade students from each middle school and each +K-8 school and one graduating fifth grade student from each elementary +school. +Criteria: +Outstanding talent and positive social attitude toward classmates of all +racial and ethnic backgrounds; participation in the musical life of the +school or community; interest in continuing in music; outstanding +musical talent and helpful and enthusiastic attitude toward classmates. +Award: +Certificate of Recognition +Submit: +Submit request to Chief Financial Office on school letterhead, with +number of certificates needed. + + +FRANKLIN CERTIFICATE is a gift of Benjamin Franklin. +Eligibility: +All high schools +Criteria: +High rank in scholarship and conduct +Award: +A certificate +Submit: +Nominating procedure, and name and address of recipients. +Nominations submitted to the Guidance Department. + + + +Page 10: +Superintendent’s Circular FIN-11 +Page 10 of 17 + + + + + + +GEORGE SCHOLARSHIP is in memory of Anna Judson George +and was established 1923. +Eligibility: +A graduating senior from Brighton High School +Criteria: +For excellence in English, to be used for their higher education +Award: +$225 check payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with names, +addresses, dates of birth, student numbers and Social Security numbers +of recipients. + +GOLDBERG TRUST is in honor of Jacob Goldberg upon the +occasion of completion of 50 years of outstanding service to his +employer, W. M. Filene & Sons Company. This trust was +established in 1962. +Eligibility: +A member of the graduating class of the Eliot School +Criteria: +For leadership qualities +Award: +$400 check payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + + +Page 11: +Superintendent’s Circular FIN-11 +Page 11 of 17 + + +GOULSTON AWARD is in memory of Edward S. Goulston and was +established in 1929. +Eligibility: +A member of the graduating class of English High School +Criteria: +Deserving pupil to be used for their higher education +Award: +$250 check; payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + +HOFFMAN SCHOLARSHIP is in memory of Ensign David A. +Hoffman and was established in 1920. + + +Eligibility: +A member of the graduating class of East Boston High School +Criteria: +A scholar who most nearly combines the highest attributes of an all +around student in studies, athletic ability and morality. +Award: +$175 check; payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + +Page 12: +Superintendent’s Circular FIN-11 +Page 12 of 17 + + + +LATIN SCHOOL PRIZE is for the encouragement of scholars at +Boston Latin School. +Eligibility: +Students from Boston Latin School +Criteria: +Excellence in scholarship +Award: +$250 total available, check payable to student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + +LAWRENCE HIGH SCHOOL FUND is from a gift of Abbott +Lawrence in 1844. +Eligibility: +Students from English High School +Criteria: +High rank in various subjects of the course of study +Award: +$525 total available, checks payable to the student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + + + +Page 13: +Superintendent’s Circular FIN-11 +Page 13 of 17 + + +LAWRENCE LATIN SCHOOL FUND is from a gift of Abbott +Lawrence in 1845. +Eligibility: +Students from Boston Latin School +Criteria: +High rank in various subjects of literature and science +Award: +$475 total available, checks payable to the student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + +MORRISON FUND is a legacy of Helen C. Morrison, established in +1972. +Eligibility: +Students from Technical High Schools +Criteria: +To assist worthy and needy students at technical high schools; funds can +be used either to assist students currently attending technical high +schools in Boston or as scholarships at an institution of higher learning. +Award: +$2,525 total available; check(s) payable to recipient(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + +MARY GRASSA O’NEILL WRITING AWARD: The Boston School +Committee and Superintendent Mary Skipper wish to award +certificates to selected students in recognition of achievement in +writing. Schools should make requests for certificates directly to +the Program Director/ELA, OPL@bostonpublicschools.org. These +certificates will be sent directly to your school, and the schools +will complete the certificates for distribution to selected +students. + + + +Page 14: +Superintendent’s Circular FIN-11 +Page 14 of 17 + +MATHEMATICS ACHIEVEMENT AWARD: The Boston School +Committee and +Superintendent Mary Skipper wish to award certificates to +selected students in recognition of achievement in mathematics. +Schools should make requests for certificates directly to the +Program Director, Mathematics, OPL@bostonpublicschools.org. +These certificates will be sent directly to your school, and the +schools will complete the certificates for distribution to selected +students. + +MARY C. MCLAUGHLIN READING AWARD: The Boston School +Committee and +Superintendent Mary Skipper wish to award certificates to +selected students in recognition of achievement in +reading/language arts. Schools should make requests for +certificates directly to the Program Director/ELA, +OPL@bostonpublicschools.org. These certificates will be sent +directly to your school, and the schools will complete the +certificates for distribution to selected students. + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +May 31, 2024 +All requests must be submitted to the CFO. + + + +For more information about this circular, contact: + + +Page 15: +Superintendent’s Circular FIN-11 +Page 15 of 17 + +Owner: +Special Assistant to the Chief of Finance +Department: +Chief Financial Office +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9485 +Scan Documents to +finance-staff@bostonpublicschools.org +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + +ATTACHMENT: +Application for Awards form + + + + +Page 16: +Superintendent’s Circular FIN-11 +Page 16 of 17 + +APPLICATION FOR AWARDS + +This form may be used for each student receiving a cash / savings +bond award; or submit a typewritten list on school letterhead +with all of this information. No student may receive a check or +savings bond without a Social Security number. + +TITLE OF AWARD: +_____________________________________________________ + + +STUDENT'S NAME: +____________________________________________________ + + +STUDENT’S STREET ADDRES +______________________________________________ APT.#:____ + + + + + + + + + +CITY OR TOWN: ___________________________ZIP CODE: _________ + + +STUDENT’S DATE OF BIRTH + + +Page 17: +Superintendent’s Circular FIN-11 +Page 17 of 17 + +____________________________________________ + + +STUDENT’S SSN: +______________________________________________ + + +STUDENT’S ID NUMBER: +______________________________________________ + + +SCHOOL: +______________________________________________________ + + +SCHOOL STREET ADDRESS: +__________________________________________ + + +CITY OR TOWN: ______________________ ZIP CODE: _____________ + + + diff --git a/data/data_txt/FIN-12 Trust Funds for Schools.txt b/data/data_txt/FIN-12 Trust Funds for Schools.txt new file mode 100644 index 0000000..f570cb3 --- /dev/null +++ b/data/data_txt/FIN-12 Trust Funds for Schools.txt @@ -0,0 +1,595 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FIN-12 +Version 01 + + +TRUST FUNDS FOR SCHOOLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +This memorandum provides procedures for making awards from +centrally administered trusts that benefit schools. Heads of +schools and principals are responsible for knowing the eligibility +of their schools for trust funds, for ensuring that trust fund +purchases are appropriately selected, and for following +procedures for the awards. Please submit your requests to the +Finance Office as soon as possible and no later than May 31, 2024. +Late requests will not be processed. +1. +ELIGIBILITY FOR AWARDS +See Attachment 1 for awards by school. +See Attachment 2 for a description of the awards listed in +alphabetical order. +2. +PROCEDURES FOR REQUESTING FUNDS +Submit a detailed list of items including the item name, publisher +and/or vendor, and the cost, together with a cover memorandum +giving the name of the trust and the total requested. Separate +letterhead must be used for each award request. + + +Page 2: +Superintendent’s Circular FIN-12 +Page 2 of 14 + + +3. +PROCEDURES FOR RECEIVING FUNDS +Checks will be sent directly to the recipient at the address +provided by the school. Principals/heads of schools should retain +records of all requests, receipt of checks, and documentation of +purchases for five years. Documentation of purchases should be +available on request. + +ELEMENTARY SCHOOLS +AWARD +ALL ELEMENTARY SCHOOLS +Peter F. Degrand Award +Charlestown Schools +Devens Infant School +Dorchester Schools +Bowdoin +Dorchester Schools +Stoughton School +Dorchester/South Boston Schools Gibson School Fund +Condon Elementary School +Norcross School Library +Blackstone Elementary School +Webb Franklin +Eliot k-8 School +Abigail Smith +Harvard-Kent Elementary +Devens Infant School +Joseph J. Hurley K-8 School +Webb Franklin +Quincy Elementary School +Abigail Smith + +Martin Milmore Award +Warren-Prescott K-8 School +Devens Infant School +Winthrop Elementary School +Henry B. Hall Award + +MIDDLE SCHOOLS +AWARD +Timilty Middle School (closed) +Sherwin School Graduates +Washington Irving Middle School +Harrington Trust Fund +HIGH SCHOOLS + + +Page 3: +Superintendent’s Circular FIN-12 +Page 3 of 14 + + +Dorchester Academy +Bowdoin Dorchester + +Gibson School Fund + +Stoughton School +Boston Community Leadership +Academy +Anna & Alice Maguire +Boston Latin Academy +Bowdoin Dorchester + +Gibson School Fund + +Persis P. Drake + +Stoughton School +Roxbury Memorial +Scholarship +Brighton High School +Elvira B. Smith +Burke High School +Bowdoin Dorchester + +Gibson School Fund + +Stoughton School +English High School +William Stewart +Excel High School +Gibson School Fund +Horace Mann School +Susan E. Gavett + +Mrs. John A. Lewis + +Samuel E. Sawyer + +Adams/Osgood Fund +Madison Park High School +Costello C. Converse + + +CENTRAL OFFICE +Superintendent +Teachers Waterston + +TRUST FUNDS FOR SCHOOLS ADMINISTERED CENTRALLY +Bowdoin Dorchester +James Bowdoin + + +Page 4: +Superintendent’s Circular FIN-12 +Page 4 of 14 + + +Converse +Costello C. Converse +DeGrand +Peter F. DeGrand +Devens +Devens Infant School +Drake +Persis P. Drake +Eastburn +John Eastburn Fund +Gibson +Christopher Gibson +Hall +Henry B. Hall +Harrington +Francis E.; Alice S. +Horace Mann +Susan E. Gavett +Horace Mann +Mrs. John A. Lewis +Horace Mann +Samuel E. Sawyer +Horace Mann +Adams/Osgood Fund + + +Milmore +Martin Milmore + +Maguire +Alice and Anna Maguire +Norcross +Norcross School Library +Sherwin +Sherwin School Graduates +Smith, A. +Abiel Smith +Smith, E. +Elvira Bush Smith +Stewart +William Stewart +Stoughton +Stoughton School +Waterston +Teachers Waterston +Webb Franklin +Webb Franklin + + + + + + + +Page 5: +Superintendent’s Circular FIN-12 +Page 5 of 14 + + +BOWDOIN DORCHESTER bequest of James Bowdoin established +in 1889. +Eligibility: Schools located in Dorchester only (Dorchester +address). +Criteria: +To benefit the public schools +Award: +$750 total. A check divided to schools who apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +CONVERSE FUND in memory of Costello C. Converse, established +in 1931. +Eligibility: Madison Park Technical Vocational High School +Criteria: +General uses and purposes of the school. +Award: +$500 available; check payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +PETER F. DEGRAND to purchase books for kindergarten, first, and +second grades. +Eligibility: For the purchase of books for students attending +kindergarten, first and second grades in the City of +Boston. +Criteria: +Excellent attendance +Award: +$2,500 available. A check divided to the schools that +apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +DEVENS INFANT SCHOOL K1&2 - 2 grades. + + +Page 6: +Superintendent’s Circular FIN-12 +Page 6 of 14 + + +Eligibility: Schools located in Charlestown for kindergarten, +grades one and two. +Criteria: +Excellent attendance for the use and benefit of +children +Award: +$100 available. A check divided to the schools that +apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +DRAKE FUND gift of Persis P. Drake +Eligibility: Boston Latin Academy +Criteria: +To benefit the school +Award: +$200 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +JOHN EASTBURN SCHOOL FUND +Eligibility: High school seniors who are Boston residents (proof +of residence required) and are pursuing a teaching +curriculum at the University of Massachusetts. +Award: +$1,000 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + +Page 7: +Superintendent’s Circular FIN-12 +Page 7 of 14 + + +GIBSON SCHOOL FUND a bequest from Christopher Gibson +established in 1674. +Eligibility: Schools located in the Dorchester neighborhood, +which in 1674, included South Boston. +Criteria: +For library books and teaching equipment +Award: +$9,500 total available: A check payable (in proportion) +to the schools that apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +HENRY B. HALL for books and supplies. +Eligibility: John Winthrop School +Criteria: +Books and supplies +Award: +$17,000 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +FRANCIS E. & ALICE S. HARRINGTON TRUST FUND + Eligibility: Washington Irving Middle School +Criteria: +Two top students who obtain the highest combined +grade average in French or another foreign language +for two academic years. +Award: +$100 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + +Page 8: +Superintendent’s Circular FIN-12 +Page 8 of 14 + + +ANNA & ALICE MAGUIRE for the school located at 152 Arlington +Street. +Eligibility: Boston High School (now Boston Community +Leadership Academy) +Criteria +Purchase of books for students in attendance +Award: +$50 available; payable to school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +HORACE MANN SCHOOL FUNDS +Susan E. Gavett bequest, received in 1909. +Award: $450 check payable to school +Mrs. John A. Lewis legacy, received in 1903. +Award: $100 check payable to school +Samuel E. Sawyer, received in 1895. +Award: $150 check payable to school +Adams/Osgood Fund, received in 1936. +Award: $4,000 check payable to school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + +Page 9: +Superintendent’s Circular FIN-12 +Page 9 of 14 + + +MARTIN MILMORE +Eligibility: Josiah Quincy and others from the former Brimmer +School District +Criteria: +Equal distribution among eligible schools +Award: +$50 total available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +NORCROSS SCHOOL LIBRARY to assist school libraries within the +former Norcross School District. +Eligibility: Condon Elementary School +Criteria: +To assist the library +Award: +$100 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +ROXBURY MEMORIAL SCHOLARSHIP FUND +Eligibility: One male and one female in the graduating class at +Boston Latin Academy. +Criteria: +Strongest academic growth +Award: +$850 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + + +Page 10: +Superintendent’s Circular FIN-12 +Page 10 of 14 + + +SHERWIN SCHOOL GRADUATES for K-8 schools within the +former Sherwin School district. +Eligibility: Timilty Middle School (closed) +Criteria: +For the benefit of the school +Award: +$100 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +SMITH, ABIGAIL FUND for books in equal portions for Quincy and +Eliot Schools. +Eligibility: Quincy and Eliot Schools +Criteria: +Purchase of books +Award: +$800 available / $400 per school if both schools apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +SMITH, ELVIRA FUND in memory of Elvira B. Smith, established in +1940. +Eligibility: Brighton High School +Criteria: +Books, and/or other educational materials for the +history department as directed by the headmaster +with approval of the head of the History Dept. +Award: +$50 available. Check payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + + + +Page 11: +Superintendent’s Circular FIN-12 +Page 11 of 14 + + +STOUGHTON SCHOOL supplements the salaries of temporary +substitute teachers in high and grammar schools in Dorchester. +Eligibility: Schools with a Dorchester address +Criteria: +Substitute teachers, supplement to regular +compensation in the form of additional days’ work + +Award: +$300 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + +TEACHERS WATERSTON for lectures to teachers regarding +natural history or any of its various departments. +Eligibility: At the discretion of the superintendent +Criteria: +Lectures to teachers regarding natural history or any +of its various departments. +Award: +$500 available +Submit: +Submit a request to the Finance Office. Date and +lecture information required. + +WEBB FRANKLIN +Eligibility: Blackstone and Hurley Schools +Criteria: +Books for students +Award: +$275 available/$137.50 per school if both schools apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + + + +Page 12: +Superintendent’s Circular FIN-12 +Page 12 of 14 + + +WILLIAM STEWART +Eligibility: English High School +Criteria: +Best all-around scholar-athlete at English High School +Award: +$2,500 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + + +Page 13: +Superintendent’s Circular FIN-12 +Page 13 of 14 + + +APPLICATION FOR TRUST FUND +1. Submit this form for each student receiving a cash or savings +bond award, or submit a typewritten list with this +information. +2. No student can receive a check or savings bond without a +Social Security number. +Title of Award: +Student's Name: +Student’s Street Address and Apt.#: +City or Town: +Zip Code: +Student’s Date of Birth: +Student’s Social Security Number: +Student’s ID Number: +Name of School: +School Street Address: +City or Town: +Zip Code: + + + +Page 14: +Superintendent’s Circular FIN-12 +Page 14 of 14 + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES + +Date +Activity +May 31, 2024 +All requests must be submitted to the Finance +Office. + + +For more information about this circular, contact: + +Owner: +Special Assistant to the Chief of Finance +Department: +Finance Office +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9485 +Scan documents to: finance-staff@bostonpublicschools.org +Email: +finance-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FIN-14 Overpayment of Salaries.txt b/data/data_txt/FIN-14 Overpayment of Salaries.txt new file mode 100644 index 0000000..958f585 --- /dev/null +++ b/data/data_txt/FIN-14 Overpayment of Salaries.txt @@ -0,0 +1,69 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-14 +Version 01 + + + + +RESOLUTION OF OVERPAYMENT OF SALARIES +FOR FORMER EMPLOYEES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +With the multitude of daily transactions, corrections on both the +financial and payroll component are warranted. The following +process must be strictly followed when an overpayment occurs. +1. When this transaction is identified, notification is +generated from the payroll unit to the accounting unit. +2. This notification states the name and the amount of +the salary overpayment. +3. Immediate request for payback is forwarded to the +individual through the United States Post Office and/or +email by the accounting unit. +4. To finalize this transaction, the employee is requested +to return the amount overpaid, payable to the City of +Boston – Boston Public Schools, Bank Check or Money +Order. +5. Upon receipt, the check is deposited with the City +Treasurer, and the adjustments of the employee’s +annual wages are activated. +6. If further resolution is warranted, the employee should + + +Page 2: +Superintendent’s Circular FIN-14 +Page 2 of 2 + + + +substantiate their claim with supporting +documentation. In the event of a financial hardship, the +accounting unit will review the circumstances and +make a payment plan recommendation to the +business manager. + +For more information about this circular, contact: +Owner: +Director of Payroll +Department: +Office of Human Capital +Mailing Address: +Bruce C. Bolling Building, 2300 +Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Additional +Questions +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can +be found on Access Boston (finance- +staff@bostonpublicschools.org). + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FIN-16 Budget Transfers.txt b/data/data_txt/FIN-16 Budget Transfers.txt new file mode 100644 index 0000000..bb471fb --- /dev/null +++ b/data/data_txt/FIN-16 Budget Transfers.txt @@ -0,0 +1,204 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-16 +Version 01 + + + +BUDGET TRANSFERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Please use the online reference document Budget Transfers as +your guide to initiating online budget transfer requests. + +INTRODUCTION +Each year, departments review their budgets and allocate money +for various goods and services for the next fiscal year. Funds are +allocated to budget lines reflective of their intended use. As +needs change, departments often want to reallocate money +between budget lines. This can be accomplished through a +budget transfer. Budget transfers are the mechanism by which +available budgeted resources are moved from one budget line +item to another in the Boston Public Schools financial system +(PeopleSoft). +All budget transfer requests are entered directly into the +PeopleSoft financial system by authorized users (principals, +heads of school, responsibility center managers, or their +designees). The Budget Office no longer accepts paper transfer +forms. A detailed “job aid” follows on how an online budget +transfer request is initiated. + + +Page 2: +Superintendent’s Circular FIN-16 +Page 2 of 5 + + + +The on-line budget transfer request process involves 6 basic +components: +1) Navigate to the transfer “form” (budget journal) in +PeopleSoft. +2) Enter data (explanation, budget codes, dollars, and/or FTEs). +3) Complete a budget error check. +4) Save the completed transfer. +5) Send to the Budget Office for approval. +6) Track the progress of your transfer online. +INCREMENTAL APPROACH +Budget transfers employ an “incremental” approach, meaning +that if dollars are being moved from a particular line item, a +negative dollar value will be associated with that line item. +Conversely, if resources are being moved to a line item, the dollar +value in the amount column will be a positive figure. Budget +transfers must sum to $0. For example, if a principal wished to +move $3,000.00 from a contracts line item to a stipends line item, +the transfer lines might look like this: +Account +Fund +RC +Program +Subclass +Amount +52907 +Contracted +Services +100 +General +Fund +101203 +Adams +School +2112 +Elem Ed. + + +0000 +- +$3,000.00 +51202 Prof. +OT/ Stipends +100 +General +Fund +101203 +Adams +School +2014 +Grade 4 + + +0000 +$3,000.00 + + + + + +Page 3: +Superintendent’s Circular FIN-16 +Page 3 of 5 + + + +Budget transfers involving additions, deletions, or changes to full- +time equivalent (FTE) positions also follow an incremental +approach. Therefore, a negative FTE would be associated with the +reduction or deletion of a position, and a positive FTE with the +creation or increase of a position. For example, if I wished to +reduce a position from a 0.8 FTE to a 0.6 FTE, I would type -0.2 in +the FTE column (“statistic amount” in the budget journal) for that +budget line. If I wished to delete that position entirely, I would +have put -0.8 in the FTE column. If I had wished to increase the +position to 1.0 FTE, I would have typed 0.2 in the FTE column. +Whenever a budget transfer involves a position, the position +number should be identified in the “reference” field in the +budget transfer. If requesting a new position, leave the reference +field blank, to be filled in by the Budget Office when the new +position is created. +REQUIREMENTS & RESTRICTIONS +1. The authorizer requesting the transfer must have BAIS FN +access. +2. No Responsibility Center will be allowed to transfer funds +arising from staff vacancies. These “lag funds” make up the +Boston Public Schools contingency fund and will be +reallocated at the sole discretion of the superintendent. +Exceptions to this policy will only be made upon written +request and written approval by the chief financial officer. +3. Funds should not be transferred out of personnel accounts +(starting with 51__) or substitute accounts. Under normal +circumstances, adjustments to budget line items associated +with positions will be rare and must be explicitly approved + + +Page 4: +Superintendent’s Circular FIN-16 +Page 4 of 5 + + + +by the Office of Human Capital prior to the budget transfer +request being approved. +4. Budget transfer requests that lack sufficient explanatory +detail in the “Long Description” text box on the budget +journal header will not be approved. +5. In concert with the annual requisition deadline, budget +transfers for any fiscal year will not be processed after the +April requisition deadline of that fiscal year. The only +exception to this policy may be transfers for grants which +extend beyond June 30. +6. Transfer requests which exceed the “available amount” left +in a particular line will not be processed (in other words, you +cannot transfer funds which you have already spent!). +7. Line-item budget transfers can only take place within a +funding source (i.e., General Fund to General Fund or Title 1 +to Title 1), but not between the General Fund and a grant, +nor between two separate grants. +8. Title I EL funds (programs that begin with 24__) cannot be +transferred to another program, as this funding can only be +used for ELLs. Likewise, partnership funds (program 2536), +and parent support services funds (Fund 200 program 2515) +should not be moved to another program. Homeless +services funds (program 2533) should be kept in the same +code where possible but are not fully restricted. +9. Authority to request budget transfers is reserved to +principals, heads of school, and RC managers, unless and +until they explicitly delegate that authority to a designee in +writing to the chief financial officer or the budget director. + + +Page 5: +Superintendent’s Circular FIN-16 +Page 5 of 5 + + + +10. While the on-line budget transfer protocol has made the +execution of budget transfers simple and efficient, there is +no substitute for thoughtful, forward-looking resource +planning. The Budget Office is glad to assist with such +planning. + +PLEASE USE THE ONLINE REFERENCE DOCUMENT BUDGET +TRANSFERS AS YOUR GUIDE TO INITIATING ONLINE BUDGET +TRANSFER REQUESTS. + +For more information about this circular, contact: +Owner: +Budget Director +Department: +Budget Office +Mailing Address: +2300 Washington Street. Roxbury, MA 02119 +Phone: +617-635-6772 +E-mail: +finance-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FIN-19 BPS Postage & Printing Policy.txt b/data/data_txt/FIN-19 BPS Postage & Printing Policy.txt new file mode 100644 index 0000000..7dc3b71 --- /dev/null +++ b/data/data_txt/FIN-19 BPS Postage & Printing Policy.txt @@ -0,0 +1,161 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-19 +Version 01 + + + +BPS MAILROOM AND COPY CENTER GUIDELINES +BPS POSTAGE & PRINTING POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +We are responsible for directing the operational performance of +the mailroom and Copy Center to ensure an efficient, cost- +effective, and secure operation. Responsibilities include +managing the processing of high-volume daily mail, loading and +delivery of heavy shipments, scanning, copying, printing, and +sending and receiving all sorts of documents. +MAILROOM OPERATIONS +Adhering to the following guidelines will facilitate a smoother +operation of the mailroom at the Bolling Building: +• Only school-related items will be processed through the +mailroom for postage. +o These items need to be properly sealed and bundled. +o Items need to have a school return address. We need +to know who is sending each mailing to keep track and +to avoid missing undeliverable mail. +• Each school/department will be charged for postage used. + + +Page 2: +Superintendent’s Circular FIN-19 +Page 2 of 5 + + +o Each school / department should have a budget line +allocated for mailing purposes. +• Personal mail will not be processed through the mailroom +for postage (e.g., mortgage, utility, credit card payments, +birthday cards, mail returns, etc.). +o The mailroom is not responsible for receiving or storing +personal deliveries (e.g., personal packages from +Amazon, Walmart, Target, etc.). +• All interoffice mail should be addressed as follows: +o Name of person, school, and/or department where the +mail should be delivered +o Cluster number +o Return address (who is sending the mail?) +• Please do not put sticky notes on the outside of every +envelope (adhesive glue could damage the postage +machine). One per bundle is fine. +• Advance notice is required for mailings of over 2000 pieces +of mail. Please contact Mailroom & Copy Center by phone +617-635-9075 or email, finance- +staff@bostonpublicschools.org. +• Schools and departments will be charged for each mailing +over 100 pieces of mail. +• UPS, FEDEX, DHL: BPS does not have a business account +with any shipping carriers. +o All mail and packages intended to be shipped through +any of these carriers should be prepaid by the sender. + + + +Page 3: +Superintendent’s Circular FIN-19 +Page 3 of 5 + + +COURIER SERVICES +Also known as cluster mail, starting at the Bolling Building, our +courier delivers and picks up interoffice mail 2 times a week to +our cluster offices located throughout the district. Each school is +a part of a cluster (previously known as zones, networks, TLTs) +Adhering to the following guidelines will facilitate a smoother +operation of the courier services: +• The courier is an EXTERNAL vendor under contract, not BPS +operated. +• All mail should be clearly marked, including the sender and +receiver. +o Each school belongs to a cluster; if unsure, please +contact the mailroom for the latest information. +• The courier runs on Tuesday and Thursday of each week. +• The current contract requires the courier to pick up no more +than 3 bins of mail per cluster. +o If on a certain day a cluster office has more than 3 bins +of outgoing mail, the courier could pick up the excess +on the next run. +• The courier DOES NOT GO TO EACH SCHOOL. +o Special runs can be requested at an additional charge +paid to the vendor. + + + + +Page 4: +Superintendent’s Circular FIN-19 +Page 4 of 5 + + +COPY CENTER OPERATIONS +The BPS Copy Center provides various copy and printing +functions. With our copying and finishing, we can have your +manuals, student handbooks, presentations, letters to students, +and much more completed in-house, saving BPS and the city +money. +● Our printing services offer: +○ Mass production copying and printing. +■ Black & White +■ Color +○ Posters up to 24x36 inches +○ Three-hole punch +○ Staple finishing +● Printing services NOT offered by the BPS Copy Center: +○ Envelopes +○ Books +○ Lamination +○ Postcards +○ Banners, etc. +Adhering to the following guidelines will facilitate a smoother +operation of our in-house printing services: +● Printing services work on a first come-first served basis. +● Advanced notice is required for all jobs. +○ Please consider that there is a high volume of requests +during the beginning and end of the school year, as +well as during the summer as schools prepare for the +new school year. + + +Page 5: +Superintendent’s Circular FIN-19 +Page 5 of 5 + + +CHARGES FOR PRINTING SERVICES +Each job will be charged to the schools at lower than market +cost. Please contact the Copy Center for the latest quote. + +For more information about this circular, contact: +Owner: +Mailroom & Copy Center +Department: +Business Services +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9075 +E-mail: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + +● Essential Training Guide is available here. +● Business Services Guide is available here. + + diff --git a/data/data_txt/FIN-20 Managing Stipends.txt b/data/data_txt/FIN-20 Managing Stipends.txt new file mode 100644 index 0000000..191395b --- /dev/null +++ b/data/data_txt/FIN-20 Managing Stipends.txt @@ -0,0 +1,454 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-20 +Version 01 + +MANAGING YOUR STIPENDS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Please use the Budget Office /Stipends reference document as +your guide to initiating online stipend requests. + +DEFINITION OF STIPEND WORK FOR UNION POSITIONS (BTU, +BASAS, GUILD) +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +○ Some examples of stipend work include staff training +beyond the contractual PD and Saturday or evening +schools for teachers. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● For BASAS staff, they must perform their school day hours +for the year prior to being eligible for a stipend. + +DEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS +— SCHOOLS + + +Page 2: +Superintendent’s Circular FIN-20 +Page 2 of 13 + + +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +School-based managerial employees cannot receive a +stipend unless their contractual school days (223) are +completed. Stipend work is not to be performed during the +period of time that constitutes the normal workday. +● These stipends must be for activities that are outside of the +job description of the managerial employee. +● Stipend opportunities for managerial employees in schools +must be posted in the school or on TalentEd. +● To authorize a stipend request for an individual in a +leadership position, Tiers D through F, the submitter will be +required to attach one of the following to their request: the +supervisor’s written approval, a signed superintendent’s +memo, or an email approving the work. +DEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS +— CENTRAL OFFICE +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● Managerial employees in central offices are only eligible to +receive stipends that have been posted through the Office +of Human Capital. These stipends must be for activities that +are outside of the job description of the managerial +employee. +● Central office managerial employees may not apply for +stipends unless they have been posted on TalentEd via the + + +Page 3: +Superintendent’s Circular FIN-20 +Page 3 of 13 + + +Office of Human Capital. Please connect with your OHC +staffing manager if you are interested in posting a stipend +opportunity on TalentEd. +● To authorize a stipend request for an individual in a +leadership position, Tiers D through F, the submitter will be +required to attach one of the following to their request: the +supervisor’s written approval, a signed superintendent’s +memo, or an email approving the work. +DEFINITION OF STIPEND WORK FOR SCHOOL LEADERS +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● School leader stipends must be for activities that are outside +of the job description of the school leader. +● In order for a school leader to receive a stipend, it must be +either posted on TalentEd or the stipend request must be +submitted along with a signed memo to the +superintendent. +DEFINITION OF STIPEND POSTING +Stipend work must be offered to individuals at schools in +accordance with the policies of the School Committee. +Specifically, the work must be distributed equitably and based on +demonstrated competence and qualifications. +In schools, stipend opportunities must be posted to the staff. +These postings may be internal to the school, so long as all non- + + +Page 4: +Superintendent’s Circular FIN-20 +Page 4 of 13 + + +managerial employees at the school have the opportunity to +apply. An email to all school staff is an appropriate method of +posting. OHC or Budget may ask for proof of posting at any time +after a stipend authorization request (formerly referred to as a +PS08) has been submitted. School-based managerial staff may +apply to their school’s internal posting if eligible. School-based +stipend opportunities can be posted on TalentEd as well. +In central office departments, stipend opportunities must also be +posted. These postings must be done through the Office of +Human Capital. Central office managerial employees may not +apply for stipends unless they have been posted on TalentEd via +the Office of Human Capital. +AUTHORIZATION TOOLS +Stipend Authorization Request (SAR) – request for authorization +before work starts (must be submitted at least two weeks prior to +the first day of work). SARs for summer work should be +submitted before the end of May. If an SAR is submitted after the +work has started, the submitter is required to provide an +explanation as part of the request. +Pay Certification Request (formerly referred to as a PS09) – +request for payment after work is completed (must be submitted +no later than two weeks after the work is completed). If an SPC is +submitted after the work has started, the submitter is required to +provide an explanation as part of the request. + + + + +Page 5: +Superintendent’s Circular FIN-20 +Page 5 of 13 + + +SCHEDULE FOR AUTHORIZATION +Department heads or principals should plan in advance and +request SARs on time. +● SARs must be submitted at least two weeks before work +starts, except in the case of summer work. If a stipend is +requested late, the submitter will have to write in an +explanation when prompted in the online system. +● SARs for summer work should be submitted before the end +of May. +● Pay certification requests should be submitted no later than +two weeks after the work has ended. +● Pay certification requests that need to be processed in the +last paycheck in June must be submitted by the Wednesday +prior to the pay period end date. + +In addition, due to the Budget Collaborative and Probable Org +schedule between December and February, please allow +additional time for SAR approvals and submit them at least three +weeks before work starts. +AUTHORIZATION PROCESS +All stipend work must be authorized in advance by the Office of +Human Capital and Budget Office. +Authorization from Budget and HC must be received via the +approved SAR before the work starts. A department head does +not have independent authority to authorize stipend work. +Departments or schools are responsible for informing employees +when a pay certification request has been submitted for + + +Page 6: +Superintendent’s Circular FIN-20 +Page 6 of 13 + + +payment. Please review the stipend guidance around submitting +SARs and pay certification requests. Additional guidance on the +stipend process can be found on the Budget Office +Resources/Stipends page. +WORKFLOW FOR STIPENDS +1. Stipend work opportunity is posted (internally for schools +and on TalentEd for central office) and individuals are +chosen to perform this work. +2. Secretary or department head’s designee originates stipend +authorization request (SAR). +a. Submitter cannot be one of the employees to receive a +stipend. +b. Submitter must complete the authorization process for +all individuals that are flagged. This could include the +following: +i. Tier C, D, E, or F Managerial employees (will +require approval by department head or division +lead to be submitted along with the SAR) +ii. School Leaders +iii. Employees outside of the submitter’s department +iv. Submitter must provide an explanation for any +late requests +3. Principal or department head gives first-level approval. +4. HC reviews to confirm the below items for approval (please +also see Process and Selection section for additional details +on the OHC approval process): + + +Page 7: +Superintendent’s Circular FIN-20 +Page 7 of 13 + + +a. That the submitter isn’t a recipient of the stipend +b. That the opportunity has been posted appropriately +c. That the employee is eligible to receive the stipend +d. That the Superintendent’s Memo has been submitted if +the stipend is for school leaders. +5. Payroll reviews to again confirm that the employee is +eligible to receive the stipend. +6. Budget reviews to confirm the below guidelines for +approval: +a. That there are enough funds available in the budget to +cover the expense +b. That the stipend funding information is correct, such as +the budget year +c. That the stipend is allowable under the grant if it is in +fund 200 +d. That the commitment letter (which includes a +description of the work, the staff member’s name, and +the amount of the stipend) is attached to the stipend +authorization request form (SAR) for Reimbursable +grant stipends. +e. That the hours worked are included if the stipend is +above $5,000 for an individual +f. That the budget director approves the stipend if it is +above $10,000 for an individual +7. Department or school should regularly monitor their +stipend request for approval status updates. + + +Page 8: +Superintendent’s Circular FIN-20 +Page 8 of 13 + + +8. Secretary or department head’s designee informs employee +that work can start. +9. Time sheets are maintained in the school or department +and may be subject to periodic audits. +10. Department head or principal monitors completion and +quality of work. +11. Work ends. +12. Secretary or department head’s designee submits pay +certification, due the Wednesday before the pay period end +date. +13. Payroll processes pay certification requests and checks for +the following (see Payroll Guidelines, below): +a. Confirm that the funds don’t go out prior to the end +date. +14. Stipend is paid to employee as a supplement to regular +paycheck. +NOTE: If an employee is listed on more than one eForm for +various stipends, they cannot be paid out in the same pay period. +A warning notice will appear when trying to add the additional +stipend. Will have to hold that payment until the employee has +been paid out by the other in-process pay certification request. + + + + +Page 9: +Superintendent’s Circular FIN-20 +Page 9 of 13 + + +BUDGET GUIDELINES +All stipends and overtime payments are paid out of account +51202. +Stipend Authorization Requests (SAR): +● Departments are responsible for tracking their original +budget in 51202 and the SAR approvals that have been +issued against this original budget. Contact your Financial +Analyst if you have questions about your available funds for +stipends. +● SAR approvals do not “encumber” funds in the All Funds +report. All 51202 funds will appear to be available until the +pay certifications are paid out. In your All Funds report, +please do not depend on the “Available” amount in account +51202 to track stipends. Stipend requests must be tracked +by the department; the Stipend Tracker template can be +found here. +● For all single stipend payments that amount to $5,000 or +more per individual, please fill out the hourly rate portion of +the SAR eForm. + +Stipend Pay Certification Requests: +● Processed Stipend Pay Certification Requests will move +funds from the Available budget to the Expense line. +● It is possible to issue partial payment on a Stipend Pay +Certification Requests if only some of the work was +completed, or if only some of the employees should be paid. + + +Page 10: +Superintendent’s Circular FIN-20 +Page 10 of 13 + + +● If the work ends early and you are paying out the full +stipend before the end date on the form, you must leave a +note to explain this on the Stipend Pay Certification +Request. + +Stipends paid from grants: +● Any stipend payments being made from a grant funding +source need to be for work done during the grant time +period. Stipends cannot be paid for work that may have +begun before the start date of the grant or continuing after +the grant end date. +● All stipends on grants must be allowable under the grant, +and it is the responsibility of the school or department to +ensure that they are complying with grant guidelines. +● For Reimbursable grant stipends, attach the commitment +letter (which includes a description of the work, the staff +member’s name, and the amount of the stipend) to the +stipend authorization request form (SAR). +PROCESS AND SELECTION +● Departments must ensure that the activities covered by +overtime and stipend requests meet and conform to the +definitions listed at the top of this circular. +● Departments are expected to internally post and advertise +opportunities to ensure that individuals do not receive a +disproportionate share of overtime and stipend +assignments. + + +Page 11: +Superintendent’s Circular FIN-20 +Page 11 of 13 + + +● For stipends that managerial employees in central offices +may receive, the posting must be done via the Office of +Human Capital. +● Departments are expected to select qualified individuals +and make selections in an equitable way. +● Departments must ensure that the work is done in a +complete and satisfactory way before issuing authorization +for payment. +● Timesheets are required for those working overtime or +stipended hours. +● Timesheets for all stipends and overtime must be retained +in a central location at the department for 7 years. +The Office of Human Capital may inquire with a department to +be sure that it is specifically conforming to these guidelines and +procedures. +SINGLE OR CUMULATIVE PAYMENT THRESHOLDS +In circumstances where the single payment to an individual or +the sum of payments in one fiscal year to an individual meets the +thresholds in the table below, there is an additional approval +requirement. + + + + +Page 12: +Superintendent’s Circular FIN-20 +Page 12 of 13 + + + +Single or +Cumulative +Stipend +Amount +Non-Autonomous School +Approval Process + Central Office + Approval Process +Greater than +or equal to +$5,000 +Depending on the situation, +stipend authorization may be +held at HC or Budget +approval step for further +questions. You will be +required to submit the hours +worked and hourly rate for +stipends amounting to $5,000 +or more for an individual. +Depending on the +situation, a stipend +authorization may be held +at the HC or Budget +approval step for further +questions. +Greater than +or equal to +$10,000 +Budget director approval +required. When submitting a +stipend authorization that +amounts to $10,000 or more +per individual, please fill out +the hourly rate portion of the +stipend authorization eForm. +Please send an email +explaining the reasons for +exceeding this threshold to +your financial analyst in the +Budget Office. +Budget director approval +is required. When +submitting a stipend +authorization, please send +an email explaining the +reasons for exceeding this +threshold to your financial +analyst in the Budget +Office. +There are no additional approvals necessary for autonomous +schools that submit single or cumulative stipends greater than or +equal to $5,000. + + +Page 13: +Superintendent’s Circular FIN-20 +Page 13 of 13 + + +The stipend thresholds for single or cumulative payments listed +above are not impacted by: +● Regular differential payments for employees in a formal +Extended Learning program +● Regular differentials for academic coaches or athletic +coaches +● Regular differentials for lead teachers +● Regular payments to instructors in formal Summer School +and Acceleration Academies +● Regular inclusion buyback payments for employees who +use more than one certification while teaching in the +classroom. + +Please use the Budget Office /Stipends reference document as +your guide to initiating online stipend requests. + +For more information about this circular, contact: +Owner: +Chief of Finance +Department: +Budget Office +Mailing Address: 2300 Washington Street. Roxbury, MA 02119 +Phone: +617-635-9000 +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FIN-21 BPS-Recognized Independent 501c3s.txt b/data/data_txt/FIN-21 BPS-Recognized Independent 501c3s.txt new file mode 100644 index 0000000..63360d9 --- /dev/null +++ b/data/data_txt/FIN-21 BPS-Recognized Independent 501c3s.txt @@ -0,0 +1,93 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +FIN-21 +Version 01 + +CREATING A BPS-RECOGNIZED INDEPENDENT 501C3 +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools encourages schools to seek and +receive external resources to supplement their instructional and +programmatic strategies. To this end, the Boston Public Schools +has partnered with the Boston Educational Development Fund +(BEDF) to serve as a 501c3 fiscal agent to receive financial +donations as charitable contributions, eligible for tax deductions +by the donor. Independently, as a fiscal partner to schools, BEDF +manages funds, creates financial reports, and offers technical +assistance to schools in their pursuits of private funds. BPS +schools are entitled to utilize BEDF as a fiscal agent in pursuit of +private funding. +In the case that a school wishes to pursue establishing and +managing an independent 501c3, formal approval is required. +SCHOOLS WITH EXISTING INDEPENDENT 501C3S +Schools with existing 501c3s, registered with the proper federal +and state authorizing agencies, must complete the BPS +Independent 501c3 Form to update BPS on current details +including board structure, status, and operating revenue. +Independent 501c3s with strong governance boards and rationale +will receive recognition from BPS. + + +Page 2: +Superintendent’s Circular FIN-21 +Page 2 of 3 + +SCHOOLS SEEKING TO ESTABLISH A BPS-RECOGNIZED +INDEPENDENT 501C3 +To request to establish a 501c3, all schools must have the +following: +• A strong rationale for the need for a separate, independent +501c3. +• A draft plan for the 501c3 including governance board. +• A track record of managing private investments +appropriately and on-time reporting OR someone on the +governing board with this experience. +• An estimate of anticipated annual revenue and revenue +sources. +For a school to establish a 501c3, the following outlined steps +must be completed, and approval given by the superintendent: +• All schools must complete a BPS Independent 501c3 . +• Submitted requests will be reviewed by the chief financial +officer and superintendent and approved if a strong +application is submitted. +COMPLIANCE AND ACCOUNTABILITY +BPS reserves the right to alert foundations/nonprofit partners to +the existence of 501c3 that are considered to be out of +compliance or that have been created without proper approval +from the Superintendent’s Office. +BPS believes in the ability to provide timely, accurate, and +thorough reports to our philanthropic partners and takes +seriously the significant commitment of time and expertise that +this places on a school community to run an independent 501c3. + + + +Page 3: +Superintendent’s Circular FIN-21 +Page 3 of 3 + +We encourage the use of our established partner, BEDF, to +responsibly manage funds. BPS has put these requirements in +place to ensure proper management of all funds and proper +reporting, to support schools in philanthropic pursuits, and to +provide a low-cost 501c3 to house private funding. + +For more information about this circular, contact: +Owner: +Chief of Finance +Department: +Finance +Mailing Address: +Bruce C. Bolling Building, +2300 Washington St., Boston, MA 02119 +Phone: +617-635-7962 +Email: (preferred) finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FMT-01 Performance Evaluation of Custodians.txt b/data/data_txt/FMT-01 Performance Evaluation of Custodians.txt new file mode 100644 index 0000000..9d6fb89 --- /dev/null +++ b/data/data_txt/FMT-01 Performance Evaluation of Custodians.txt @@ -0,0 +1,536 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-01 +Version 01 + + +PERFORMANCE EVALUATION OF CUSTODIANS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to set forth the individuals +responsible for custodian evaluations and to outline the +philosophy, objectives, guidelines, and procedures applicable to +the process. +The contract between the School Committee and the Custodians +Union provides for the annual evaluation of the performance of +custodians by principals and heads of school. To assist in the +implementation of the performance evaluation process, the +Department of Facilities Management (Building Services) has +developed a handbook for custodians, principals, and heads of +schools. The evaluation process relates to the job duties and +responsibilities of the position as contained in the handbook. +It is the supervisor's responsibility to clearly communicate the +specific duties associated with the position, in writing, to the +custodial employee. Therefore, principals and heads of school +should take all steps to become familiar with the contents of the +handbook and should ensure that each custodian understands +the content of the manual. +Heads of school, principals, and other administrative heads are +responsible for the evaluation of the performance of all custodial + + +Page 2: +Superintendent’s Circular FMT-01 +Page 2 of 14 + + + +employees under their supervision. However, the actual +evaluation must be done by the immediate supervisor, i.e., the +principal/head of school is responsible for the evaluation of both +senior and junior custodians. During the school year, all custodial +employees, with input by the senior custodian and Facilities +Management, will be evaluated using the diagnostic-prescriptive +approach and the procedures and forms developed for the +implementation thereof. +Training on the performance evaluation process will be provided +during the school year. Principals and heads of schools are +encouraged to consult with the Department of Facilities +Management (Building Services) on all performance issues +affecting custodial employees. The evaluation process itself is +modeled on the teacher evaluation procedures. +PHILOSOPHY +The Boston Public Schools recognizes that the quality of +educational service provided depends upon the professional +performance and total job effectiveness of all employees in the +system. Thus, since custodial employees can and should be held +accountable for the quality of their performance, a just and +effective process for evaluating that performance is essential. +True performance evaluations involve analyses of an individual's +strengths and weaknesses, resulting in diagnoses and +prescriptions. This in turn leads to the desired improvement of +skills and improved performance of the custodial employee. +An effective performance evaluation program is one that is +continuous rather than periodic, and organized to: + + +Page 3: +Superintendent’s Circular FMT-01 +Page 3 of 14 + + + +● Develop in the support staff a clearer understanding of the +goals of the department or school. +● Assist employees to address more effectively the needs of +each school or department. +● Encourage cooperative staff relations through mutual trust +and respect for each employee's individual role. +The contract with the Custodians Association further provides for +the principal/head of school and the senior custodian to establish +a mutually supportive relationship, and to cooperate in the +resolution of all plant maintenance and operation problems. +Further, the contract clearly provides that the principal/head of +school of a school building will oversee all staff and has the +responsibility to ensure the cleanliness and maintenance of the +school building at all times. Each custodian in a school is +managed by the principal/head of school of that building. +A diagnostic-prescriptive evaluation program is positively +directed and encourages staff to maximize unique strengths and +skills. This evaluation program encourages staff to participate in +the evaluation of their own performance and to help set +objectives for self-improvement. The performance evaluation +process, however, is not intended to be a substitute for the day- +to-day communication and supervision of employees. +ROLES AND RESPONSIBILITIES +Heads of schools, principals, and other administrative heads have +primary responsibility for the evaluation of all staff in their +responsibility centers. After the evaluation has been presented to +the employee, the evaluation form must be signed by the + + +Page 4: +Superintendent’s Circular FMT-01 +Page 4 of 14 + + + +employee (refer to the evaluation instrument) prior to submission +to the Office of Human Capital and Office of Facilities +Management (Building Services). Performance evaluation +activities may include but are not limited to: 1) preliminary +planning conferences, 2) daily observations, 3) notations, 4) +formal interim evaluations, 5) follow-up conferences, and 6) +recommendations to the staff member by the evaluator. +Principals/heads of school must evaluate both senior and junior +custodians, in writing, and sign the completed written +evaluations. +PROCEDURAL STEPS +Preliminary Procedures +Prior to the implementation of the process, the principal/head of +school must prepare the work schedule in cooperation with the +senior custodian(s). They should then meet with the senior +custodian to provide an orientation to the performance +evaluation process and to specific roles and responsibilities +within that process for the upcoming year as contained in the +work schedule. Principals and heads of school should seek +technical assistance from area managers and the Department of +Facilities Management (Building Services). +The evaluator shall meet with the staff member for the purpose +of explaining the diagnostic-prescriptive evaluation process, +including a description of all components of the evaluation +process. + + +Page 5: +Superintendent’s Circular FMT-01 +Page 5 of 14 + + + +Diagnosis and Prescription +The performance evaluation process should provide each +custodial staff member with an appraisal of the individual's +strengths and identify areas in need of improvement. The +employee will be evaluated on each standard within the various +categories: +● U - UNSATISFACTORY: The employee fails to meet the job +description and their performance needs improvement. +● S - SATISFACTORY: The employee meets the job description +and their performance, as measured against this standard, is +satisfactory. +● G - GOOD: The employee meets and/or generally exceeds +the standards and their performance, as measured against +this standard, is good. +● E - EXCELLENT: The employee exceeds standards and their +performance as measured against this standard, is excellent. +Every formal evaluation must result in a mark for each +appropriate item on the performance evaluation form. In any +area where the supervisor indicates a need for improvement, +they will provide the employee with a written prescription. The +diagnosis and subsequent prescription should be fully descriptive +and instructive, suggesting specific remedies or +recommendations for adoption by the employee. During the +entire evaluation process, continuous administrative assistance, +support, and encouragement should be extended to assist the +employee in meeting established objectives. The employee may +suggest additional or alternative prescriptions. + + +Page 6: +Superintendent’s Circular FMT-01 +Page 6 of 14 + + + +Evaluation Conference +The employee's supervisor shall meet with the staff member for +the purpose of discussing the evaluation. During the conference, +the staff member will be shown the written evaluation and will +sign it to indicate that it has been seen but not to indicate +agreement or disagreement with its contents. The staff member +will be allowed to attach comments to the evaluation. One copy +of the written evaluation must be given to the employee, and a +second signed copy must be retained and filed with the assistant +director of Facilities Management (Building Services). In any area +that has been identified as being unsatisfactory, the +principal/head of school should consult with the appropriate +operational leader. +INTERIM REPORTS +If an unsatisfactory evaluation is issued for any item, the +immediate supervisor must evaluate the staff member at least +once a month until the individual's performance is judged to be +satisfactory (see Section V). +Principals/heads of school must submit a copy of the written +evaluation of any employee who has received a mark of +unsatisfactory in any item indicated on the form to the assistant +director of Facilities Management (Building Services). +Administrators must submit the evaluations directly to the +assistant director of Facilities Management (Building Services). +Any subsequent unsatisfactory evaluation must also be +forwarded. +➤ All evaluations must be completed by August 31 of each year. + + +Page 7: +Superintendent’s Circular FMT-01 +Page 7 of 14 + + + +SUMMATIVE REPORTS +● +At the end of each evaluation period, the principal/head of school and other administrators +should retain copies of all evaluations and send copies to the team leader/Human Resources +and assistant director of Facilities Management (Building Services). +● +If, at the conclusion of a prescriptive period (normally at the end of an evaluation period, but in +any event at most one month after the last evaluation), the supervisor judges an employee's +overall performance as unsatisfactory, the supervisor shall submit to the superintendent or +designee and to the assistant director of Facilities Management (Building Services) a written +report based on the series of evaluations. +● +Continued failure on the part of an employee to meet a standard will result in possible +disciplinary action. +PROCEDURES FOR DISCIPLINE +If a principal/head of school determines that an employee has +committed an infraction of work rules such as excessive +tardiness, absences, etc., the supervisor should follow procedures +outlined in Superintendent's Circular: Procedures Relating to the +Discipline of Employees. Additionally, the supervisor should +consider the infraction in evaluating the employee's overall +performance. Principals and heads of school may issue discipline +only up to and including letters of reprimand. The director of +Facilities Management or other designees of the superintendent +issue discipline beyond this level. +Failure to address job performance problems of assigned staff +through the performance evaluation process represents +unacceptable performance on the part of the supervisor. This +problem is further compounded when "problem staff” is given a +satisfactory rating by the supervisor and encouraged to transfer +to another school/department. Such failure on the part of a +supervisor represents "unsatisfactory" administrative + + +Page 8: +Superintendent’s Circular FMT-01 +Page 8 of 14 + + + +performance on the part of that person, who may be held +accountable by the appropriate supervisor. +Please refer in advance to Superintendent's Circular: Procedures +relating to the Discipline of Employees. +FORMS +Performance Evaluation Report may be obtained from the Office +of Facilities Management. Summary of significant dates and +deadlines: +Date +Activity +August 31 +Deadline for completing custodian evaluations + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular FMT-01 +Page 9 of 14 + + + +CUSTODIANS ASSOCIATION CONTRACT LANGUAGE +ARTICLE XXIII +PERFORMANCE EVALUATION + +Section 1 - A diagnostic-prescriptive evaluation procedure shall +be maintained which is reasonably related to the custodian's job +performance using the procedure and form currently in use. +Evaluation shall be from June 1 to May 31 for each custodian. +Section 1A - Interim Performance Evaluation may be performed +at the discretion of the principal/head of school and/or senior +custodian between annual bid. +Section 2 - Custodian Association members shall be evaluated by +their immediate supervisors as follows: +Evaluatee +Evaluator +Junior Custodian +Principal/head of school with input by +senior custodian and Facilities +Management. +Senior Custodian +Principal/head of school with input by +Facilities Management. +Section 3 - No later than thirty (30) days after the start of the +rating year, the evaluator will meet with the evaluatee for the +purpose of explaining the diagnostic-prescriptive evaluation +program, answering questions, and determining additional job- +related responsibilities which will be covered in the evaluation. + + +Page 10: +Superintendent’s Circular FMT-01 +Page 10 of 14 + + + +Within five (5) days after the meeting, the evaluatee will receive a +copy of a list of job-related functions for which they are +responsible and on which their performance will be evaluated. +Section 4 - Within ten (10) days following the completion of the +evaluation, the evaluator will meet with the evaluatee for the +purpose of discussing the evaluation. At this meeting, the +evaluatee will be shown their written evaluation and will sign it to +indicate having seen it, but not to indicate agreement or +disagreement. A copy of the evaluation will be provided to the +evaluatee. The evaluatee shall be allowed to attach their +comments to the evaluation. The evaluatee whose overall +performance has been judged unsatisfactory will be so notified in +writing and will meet directly with the evaluator. There will be a +space for the principal/head of school to sign the evaluation and +attach comments to it, if any. +Section 5 - In any area where the evaluator indicates a need for +professional improvement, they will provide the evaluatee with a +specific written prescription. +Section 6 - Continued failure to meet a standard will result in +warnings, additional evaluations, and further action. +Section 7 - An overall evaluation of unsatisfactory shall be subject +to the grievance and arbitration procedure. +Section 8 - The committee will comply with state and federal +laws concerning confidentiality and privacy of evaluations. + + + + + +Page 11: +Superintendent’s Circular FMT-01 +Page 11 of 14 + + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION — CUSTODIAL +DATE: _____/_____/__________ +NAME: ___________________________________________________________ +SCHOOL: ________________________________________________________ +(Building staffed according to formula): Yes _______ No _______ +Senior ______ Junior ______ Days ______ Nights ______ Grade _______ + +E - Excellent +G - Good +S - Satisfactory +U - Unsatisfactory +QUALITY +1. Work performed is of an acceptable nature and level. + +E ☐ +G ☐ +S ☐ +U ☐ +QUANTITY + +2. Completes work in a reasonable time. + +E ☐ +G ☐ +S ☐ +U ☐ + + +Page 12: +Superintendent’s Circular FMT-01 +Page 12 of 14 + + + +ATTITUDES + +3. Knows the tasks to be completed and organizes them. + +E ☐ +G ☐ +S ☐ +U ☐ +4. Learns and applies new ideas and techniques. + + +E ☐ +G ☐ +S ☐ +U ☐ +5. Shows interest in work. + + +E ☐ +G ☐ +S ☐ +U ☐ +6. Accepts responsibility related to work performed. + +E ☐ +G ☐ +S ☐ +U ☐ +DEPENDABILITY + +7. Continues to work in absence of supervision. + +E ☐ +G ☐ +S ☐ +U ☐ +8. Complies with reasonable written and oral instructions. + + +E ☐ +G ☐ +S ☐ +U ☐ +ATTENDANCE +9. Maintains good attendance. + +E ☐ +G ☐ +S ☐ +U ☐ +10. Maintains contracted hours of work. + + +E ☐ +G ☐ +S ☐ +U ☐ + + + +Page 13: +Superintendent’s Circular FMT-01 +Page 13 of 14 + + + +SUPERVISORY SKILLS (APPLIES TO SENIORS ONLY) +11. Plans and directs work to others. + +E ☐ +G ☐ +S ☐ +U ☐ +12. Guides the group to reasonable effectiveness. + + +E ☐ +G ☐ +S ☐ +U ☐ +13. Provides evaluation reports. + +E ☐ +G ☐ +S ☐ +U ☐ +14. Trains subordinates. + + +E ☐ +G ☐ +S ☐ +U ☐ +15. Attempts to settle disputes at lower level. + + +E ☐ +G ☐ +S ☐ +U ☐ +Signatures: + + + + + +Principal/Head of School/Admin + Date + Comments + + + +Senior Custodian + Date + Comments + + + +Junior Custodian + Date + Comments + + + + + +Page 14: +Superintendent’s Circular FMT-01 +Page 14 of 14 + + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION — CUSTODIAL + +DIAGNOSIS AND PRESCRIPTION + + + + diff --git a/data/data_txt/FMT-02 Work Order Requests.txt b/data/data_txt/FMT-02 Work Order Requests.txt new file mode 100644 index 0000000..976fe29 --- /dev/null +++ b/data/data_txt/FMT-02 Work Order Requests.txt @@ -0,0 +1,197 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-02 +Version 01 + + +WORK ORDER REQUESTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +All work requests are to be submitted through Asset Essentials. +The following procedures are to be followed when originating +work requests. +ASSET ESSENTIALS +You will be able to login through your Google App launcher, +which is the icon at the top of your Gmail (3 by 3 box.) Scroll down +until you see the "SchoolDude - Asset Essentials" icon. +REQUEST FORMAT +Each request begins by selecting the school from the drop-down +menu. Please provide a detailed description of the work needed, +including the floor, room number, and room name (if there is +one). Please note the system will automatically collect your email +address for return messages. +EMERGENCIES +Call emergencies into the Planning and Engineering Office +immediately at 617-635-8300 or 617-635-9135. You may also call +the appropriate Planning and Engineering supervisor to report + + +Page 2: +Superintendent’s Circular FMT-02 +Page 2 of 6 + + +any emergency. After calling in the emergency, enter the +emergency Work Order Request into the system by the end of +the day, indicating that it was an emergency, and the request is a +confirming order. +EXTERNAL FUNDS +If the costs are to be charged to an external funding source, +indicate in the request to what account the costs should be +charged. Refer to Superintendent’s Circular — External Funding +of Renovations to School Buildings and Yards. +STATUS OF WORK ORDER REQUESTS +Once a Work Order Request has been submitted for initial +review, you will be able to view the status and actions taken by +Planning and Engineering staff on the initial request. +Status codes are as follows: +● In Progress - We have decided to move forward with +obtaining an estimate from a contractor. Once we have +obtained an estimate from a contractor, we will assess and +make a final decision. +● On Hold - The decision has been made to put this on hold +for right now. You will be able to view the status and actions +taken by Planning and Engineering staff on the initial +request. There will be a detailed note explaining this +decision. +● Denied - The decision has been made to not proceed with +this work order. You will be able to view the status and +actions taken by Planning and Engineering staff on the + + +Page 3: +Superintendent’s Circular FMT-02 +Page 3 of 6 + + +initial request. There will be a detailed note explaining this +decision. +● Capital Project - This has been deemed to be a capital +project and so it has been forwarded to the Capital Project +team. +● Completed - Once a supervisor has provided estimated +costs, contractors to complete the work, and estimated +completion date, and a final decision has been rendered, +you will be able to review the status and actions taken by +Planning and Engineering staff. +► Please note that, for most approved work orders, you +generally will not receive a note. If your request is put On +Hold, Denied, or Capital Project, you will generally receive a +note explaining the reason for the decision. +SUBDIVISION OF CLASSROOMS/CHANGE IN +OCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS +FOR OFFICE SPACE +Requests for subdivision for expanding classroom space must: +● be submitted on the attached Request for Space +Modification Form (Attachment A) with location and +purpose. +● be approved by the director of Student Assignment and +director of Facilities Management. +● meet building codes for safety. + +Partitioning of non-educational spaces such as cafeterias, +gymnasiums, or corridors is prohibited. + + +Page 4: +Superintendent’s Circular FMT-02 +Page 4 of 6 + + +► PLEASE NOTE, ALL APPROVALS ARE SUBJECT TO THE +AVAILABILITY OF FUNDING + +For more information about this circular, contact: +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Boston, MA 02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + +Page 5: +Superintendent’s Circular FMT-02 +Page 5 of 6 + + +ATTACHMENT A +REQUEST FOR SPACE MODIFICATION +Request for any programmatic plan that changes existing space +in a school building must be done in writing. Please complete +the Request Form below and submit to the director of the +Student Assignment Unit. +A. Request: +School: _______________________________________Date: + +Detail of Space Modification: + + + + + +Rationale for Modification: + + + + + +Source of Funding: +☐ Requested from Facilities Management +☐ School Funds Available ☐ Grant Funds Available +Principal/Head of School signature: + + + + +Page 6: +Superintendent’s Circular FMT-02 +Page 6 of 6 + + +B. Approval / Non-Approval: +Director of Student Assignment: +□ Approved / supports enrollment capacity needs. +□ Not approved / negatively impacts enrollment capacity +needs. +□ No impact on enrollment capacity needs / move to Facilities +Management for decision. + +Signature: ___________________________________Date: + +Director of Facilities Management: +□ Approved / supports enrollment capacity needs. Funding +will be allocated. +□ Approved / no impact on enrollment and funding identified +by principal/head of school. +□ Not approved / no funding available. +□ Not approved / building code violation. + +Signature: ___________________________________Date: + + +Upon final decision regarding Approval / Non-Approval, a copy of +same will be forwarded to the principal/head of school initiating +the request for space modification. + + diff --git a/data/data_txt/FMT-03 Renovations to School Buildings and Yards.txt b/data/data_txt/FMT-03 Renovations to School Buildings and Yards.txt new file mode 100644 index 0000000..3113eeb --- /dev/null +++ b/data/data_txt/FMT-03 Renovations to School Buildings and Yards.txt @@ -0,0 +1,284 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-03 +Version 01 + +RENOVATIONS TO SCHOOL BUILDINGS AND YARDS – +EXTERNAL FUNDING +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +To guarantee that all work performed on School Department +property conforms to district standards, building and life safety +codes, and other requirements, the following procedure has been +established for external funding sources, particularly those that +are not processed through the PeopleSoft Financial System, i.e., +Boston Educational Development Foundation (BEDF). +RENOVATIONS VS. REPAIRS +The following table lists projects that fall under the category of a +renovation or a repair or maintenance, as well as the sequence to +follow for each: + + + + +Page 2: +Superintendent’s Circular FMT-03 +Page 2 of 9 + +Renovations +Repairs & Maintenance +Type +Process +Type +Process +Major renovations +or improvements +Alterations that +are required due +to programmatic +changes +Alterations of +existing spaces +(wall up/wall +down) +Toilet room +renovations + +Submit a +REQUEST FOR +SPACE MODIFI- +CATIONS +General +repairs (i.e., +broken glass, +broken +locks/hardw +are, graffiti, +leaks from +plumbing or +roof) +Submit a +WORK +REQUEST + +To properly plan resources and budget, requests for renovations +for the coming school year must be initiated by the requester by +no later than December 1 of the previous school year. Requests +received after this deadline may not be approved. + + + + +Page 3: +Superintendent’s Circular FMT-03 +Page 3 of 9 + +Requests for renovations or alterations to school buildings and +yards must follow the sequence outlined below: +1. Complete the form. +2. Submit a request through Asset Essentials; choose +‘Modification of Space’ as the work type and attach the form +to the work order. +3. A confirmation of receipt is sent to the person submitting +the request. +4. Form and Asset Essentials request are reviewed by a cross- +functional team to determine next steps: +a. Planning and Analysis verifies that the request is in +alignment with current and future space requirements. +b. Finance determines that there are not financial issues +or challenges for the request. +c. Facilities Management determines feasibility of +requests only after steps 1 and 2 have been completed. +5. After the request has been reviewed, it will determine if and +when the work can be completed. +6. A follow-up email will be sent to the school leader, +requester, and school superintendent to provide status and +timeline of request. Please note: Not all projects will be +approved. +7. Once approved, Facilities Management will engage to +establish a plan within the timeline identified. +Project requests that do not comply with this process will not be +considered. + + + +Page 4: +Superintendent’s Circular FMT-03 +Page 4 of 9 + +The Office of Facilities Management / Planning & Engineering +must review and approve all plans for improvements to any +school buildings and yards. +EXTERNAL FUNDING +It also strongly recommended that a school communicate with +the Director of Facilities Management prior to submitting grant +funding applications, or seeking any other material support that +may require alterations and/or additions to a schools’ facilities. +Applicants should first receive acceptance from the director of +Facilities Management of Facilities Management’s willingness to +participate in implementation contingent on the school’s +successful grant application/funding etc. Principals/heads of +school, and community school directors must include the +director of Facilities Management in the drafting of plans that +would require any form of alteration, addition, repair, and/or +connections to any building services or location on the property +of the school. The director of Facilities Management will submit +the plans, specifications, and/or product data to the appropriate +Planning and Engineering staff for review and approval of all +proposed plans, specifications, product data, warranties, and/or +maintenance agreements. +This process will ensure that there is a thorough review of the +proposed renovation, alteration, addition, repair, and/or +connection to existing building systems, including the materials +used, quality of workmanship, fairness in pricing, and contractors +ability to complete the proposed project; and that the contractor +performing the work has the proper insurance coverage +(including but not limited to Worker’s Compensation, General +Liability, and Property Damage). + + +Page 5: +Superintendent’s Circular FMT-03 +Page 5 of 9 + +A Request for Facilities Improvement Form (Attachment A) +should be filled out and forwarded to Planning & Engineering, +1216 Dorchester Avenue, Boston, MA 02125. No work will proceed +without the final approval of the Office of Facilities +Management/Planning and Engineering Division. +Request for Space Modification Form + +For more information about this circular, contact: +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + + + + + + + + +Page 6: +Superintendent’s Circular FMT-03 +Page 6 of 9 + +ATTACHMENT A +OFFICE OF FACILITIES MANAGEMENT +REQUEST FOR FACILITIES IMPROVEMENT + +Date: _____________________________________________________________ +School: ___________________________________________________________ +Address: __________________________________________________________ +Contact: __________________________________________________________ +Telephone: _______________________________________________________ +Project Title: _____________________________________________________ +Funding Sources: _________________________________________________ +Budget Year _____________Org. __________ Fund Code _____________ +Program Account ________ Sub Class _______ Proj./Grant __________ +Expense Object __________ +Proposed Implementation Date: _________________________________ +Project Description and Justification (attach a sketch): + + + + + + + +Page 7: +Superintendent’s Circular FMT-03 +Page 7 of 9 + +Please return this form to: +Brian Forde, Executive Director +Office of Facilities Management +1216 Dorchester Avenue +Dorchester, MA 02125 + +---------------------------------------------------------------------------------------------------------------------- + + + + +Page 8: +Superintendent’s Circular FMT-03 +Page 8 of 9 + +(For Planning & Engineering Use Only) +PROJECT COST ESTIMATES: +A. OPM Fee (projects over $1,500,000): ____________________ +B. Design Fee (if needed): _________________________________ + +C. Construction Costs: ____________________________________ +D. Contingency (A+B+C x 15%): ____________________________ + +TOTAL COST (A+B+C+D): __________________________________ + +ESTIMATED PROJECT TIMELINE: +Owner's Project Manager Selection: ______________________ + +Submit CB-04 __________________________________________ +Advertise RFP: _________________________________________ +RFP Due: _______________________________________________ +Interviews: _____________________________________________ +Award: _________________________________________________ +Designer Selection: _______________________________________ + +Submit CB-04: _________________________________________ +Advertise RFP: _________________________________________ +RFP Due: _______________________________________________ +Interviews: _____________________________________________ +Award: _________________________________________________ + + +Page 9: +Superintendent’s Circular FMT-03 +Page 9 of 9 + +Bidding & Construction: +Advertise Filed Sub Bids: _______________________________ +Advertise General Bids: _________________________________ +Filed Sub Bids Due: ____________________________________ +General Bids Due: ______________________________________ +Award Contract: ________________________________________ +Construction Start: _____________________________________ +Completion Date: ______________________________________ +MAINTENANCE PLAN: +Required Annual Maintenance: ___________________________ + ___________________________________________________________ + ___________________________________________________________ +Costs: _____________________________________________________ +Maintenance Schedule: ___________________________________ + +Prepared by: ________________________________Date: _______________ +Approved by: _______________________________Date: ________________ + + + diff --git a/data/data_txt/FMT-04 Custodial Pay Adjustments.txt b/data/data_txt/FMT-04 Custodial Pay Adjustments.txt new file mode 100644 index 0000000..2f182c5 --- /dev/null +++ b/data/data_txt/FMT-04 Custodial Pay Adjustments.txt @@ -0,0 +1,89 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-04 +Version 01 + + + +CUSTODIAL PAY ADJUSTMENTS – CALL-IN +PROCEDURE +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +So the Office of Facilities Management (Building Services) may +properly adjust a custodian's pay in a timely manner, it is +essential that you follow the payroll procedure outlined below: +When a senior custodian is absent, you must notify Facilities +Management (Building Services), by telephone 617-635-9162 or e- +mail (emalone2@bostonpublicschools.org) with: the name of the +absent senior custodian; the name of the custodian covering; the +reason for the absence; and all dates of absence, if known. +When the absent senior custodian returns to work, Facilities +Management (Building Services) must be notified to ensure that +the person covering is paid for the correct number of days. +The custodial pay period begins on Saturday and ends on Friday. +It is a weekly payroll. If the absentee is to be out on a long-term +basis, Facilities Management (Building Services) must be notified +if the current acting senior should be carried forward to the next +pay period. + + + + +Page 2: +Superintendent’s Circular FMT-04 +Page 2 of 3 + + + + If a custodian is being docked for all or any part of a day, +you must notify Beth Malone to ensure the dock is +properly recorded. You must also notify Facilities with the +reason for the dock (i.e., late, no show/no call, left early). +If a custodian is at "0" balance (out of sick, personal, or vacation +leave), they must be coded. Select Absence Name - Leave +Without Pay, then select Absence Reason. Additional information +should be entered in the “comments” panel. +All docks and acting senior coverage must be reported in a timely +manner. +To ensure coverage in a single-person building, prior notice +should be given to the Office of Facilities Management (Building +Services) whenever possible. Forty-eight (48) hours’ notice is +required for personal and compensatory days. Two weeks’ notice +is required for vacation. +Calls for acting senior coverage while school is in session will only +be taken from the head of school/principal, secretary, or +principal's designee. Custodians should call in any acting senior +coverage during school vacations and summer months. + + + + +Page 3: +Superintendent’s Circular FMT-04 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/FMT-05 Facilities Building Permits & Conditions.txt b/data/data_txt/FMT-05 Facilities Building Permits & Conditions.txt new file mode 100644 index 0000000..6d6940c --- /dev/null +++ b/data/data_txt/FMT-05 Facilities Building Permits & Conditions.txt @@ -0,0 +1,310 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +FMT-05 +Version 01 + + + +PERMIT ACTIVITIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PERMIT REQUEST PROCESS FOR ALL BPS BUILDINGS +Any activity taking place in a school building after school hours +requires a permit, including activities during school vacation +weeks, holidays, and summer months. +ALL PERSONS WILL BE DENIED ACCESS TO BPS BUILDINGS IF +NO PERMIT HAS BEEN REQUESTED AND APPROVED BY THE +SCHOOL AND FACILITIES MANAGEMENT. +Permits are to be electronically submitted through SchoolDude +at least two weeks (minimum) before the event, so it is advisable +to submit your request when the activity/event is scheduled and +confirmed. +For external (non-BPS) users: +• Access link: Facilities Mgt. Community Use Monthly +Calendar +• Please see the CommunityUse Requester Guide for more +information about how an outside organization accesses the +system and submits requests. +• Please see the FSRequester Guide, which includes video and + + +Page 2: +Superintendent’s Circular FMT-05 +Page 2 of 9 + + + +picture how-to guides for submitting requests once you are +logged in. +For internal (BPS) users: +• Single Sign On: From the nine-dot grid in the top right of +your Gmail screen, click “More,” then click the SchoolDude +icon (looks like a cartoon face). +• SchoolDude log in screen +• Please see How to Submit a Schedule Request, which +includes video and picture how-to guides for submitting +requests once you are logged in. +• Once an organization or BPS staff member has submitted a +request, it will be routed to the school leader or their +designee for approval. Please see Processing Schedules for +more information about how to manage approvals. +If an independent third party (NOT a BPS or BPS partner +organization) submits a permit request form to use or +occupy school property for an event at which attendance is +expected to exceed 60 people, or at which there is a charge +for admission, the party shall be required to hire a School +Police detail, at the third party’s own expense, to be present +for the duration of their use of the property. +Please Note: The routing process for summer will be different +from the school year process. [See page 4 of this circular.] For +summer programs, requests will go first to BPS Facilities, then +the school leader will receive notification of the approval of +building use. + + +Page 3: +Superintendent’s Circular FMT-05 +Page 3 of 9 + + + +CUSTODIAL HOURS AND OVERTIME +The applicant is responsible for custodial overtime, utilities fees, +and building usage fees, if applicable. Schools and other +applicants may also be responsible for overtime if the event +occurs before or after a building is closed, on a weekend, holiday, +or school vacation, and/or when the building is open if additional +custodial coverage is required, as determined by Facilities +Management. Payment in the form of a certified check or money +order made out to Boston Public Schools is required prior to the +permit activity occurring. +For all activities and events that occur when the building is +closed, the custodian(s) will open the building one-half hour prior +to the entrance of the applicant to the building and will close the +building one-half hour after the applicant exits the building. +Groups requesting building space must abide by their requested +permit hours. +REQUEST FOR BUILDING USE BY COMMUNITY USERS +All the above conditions apply, with the addition that outside +groups must pay a building usage fee. A fee is charged per +space. +An invoice for all Facilities Management permit fees will be sent +by the Facilities Management Department via the SchoolDude +building permitting system with the actual fees that the +requester will be charged. Custodial coverage is determined by +the number of people and the amount of space used by the +applicant. +Staffing Minimum + + +Page 4: +Superintendent’s Circular FMT-05 +Page 4 of 9 + + + +Up to 150 people = 1 Senior Custodian +Up to 350 people = 1 Senior Custodian and 1 Junior Custodian +Up to 450 people = 1 Senior Custodian and 2 Junior Custodians + +An additional hour is added to the permit hours (one-half hour to +open and one-half to close). +If a custodian works overtime, principals/heads of schools should +work with their area managers to ensure that the custodian has +meaningful work to do (a predetermined work schedule) during +overtime hours. Custodians are expected to remain on the school +premises while on overtime and perform the scheduled work. +Custodial opening and closing times (one-half hour before and +after) are figured into the permit hours. Requesters DO NOT need +to include this time in the request. +GENERAL TERMS AND CONDITIONS +Responsibility for Use: +• It is expressly understood and agreed that the regulations of +the School Committee are to be strictly complied with. The +requester/organization may refer to the BPS Superintendent +Circulars for BPS Policies and Procedures. +• The requester/organization assumes full responsibility for +any injury to or loss of city property as a consequence of +such use of the above-described accommodations and +engages to make the same good without the expense to the +city. The requester/organization further agrees to pay the +charge for the light, heat, custodians, security, and other +service as required. +• BPS gymnasiums: Requester/organization assumes all + + +Page 5: +Superintendent’s Circular FMT-05 +Page 5 of 9 + + + +responsibility for the proper use and protection of the +facilities provided in the school. Requester/organization +must not allow persons to use these facilities over whom +they have no control. +The organization, their participants, and spectators are +prohibited from any part of the building other than the +gymnasium. Organization shall enter the school through +one entrance. Entry doors are NOT to be propped open to +allow unauthorized individuals to enter the building. It will +be the responsibility of the organization to station an +individual at the designated entrance to ensure only +participants of that program are allowed in. Once all +participants are allowed in, all doors should be closed and +secured. +Supervision: The applicant/organization must provide sufficient +supervisory personnel to ensure proper supervision for the safety +of members/guests and regulate responsible usage. The +organization will be responsible for all costs incurred to repair any +damage done to the premises. Custodial employees are not +available for supervising the premises but do have obligations +connected with cleaning and maintenance of the building. +Licenses: In addition to the permit required by the regulations of +the School Committee, for any exhibition or entertainment where +an admission fee will be required, a license under the provisions +of Chapter 348 of the Special Acts of 1915 must be obtained. This +license can be obtained by applying to the Mayor of the City of +Boston and paying the required fee. No such license is required +for entertainment in school buildings by or for the benefit of the +pupils thereof, and under the supervision of the principal/head of +school. + + +Page 6: +Superintendent’s Circular FMT-05 +Page 6 of 9 + + + +Police Attendance: If admission is charged, the person to whom +the permit is issued must make provisions for BPS School Police +attendance. If a school building is occupied outside of school +hours by third-party programs, sufficient BPS School Police +attendance is necessary if there are sixty (60) or more persons +occupying the facility. A BPS School Police detail is the sole +responsibility of the renter(s). If BPS School Police are not in +attendance, BPS Facilities Management may cancel the permit +and exclude all persons from the building. +Time for Filing Permit Requests: Building permit requests during +the school year must be submitted. No definite and final +reservations are made until (1) the request is approved by the +principal/head of school and (2) Facilities Management has given +final approval and activated the permit. +Gymnasium Permit Start and End Date: Gymnasium permits will +begin the last week of September and end two (2) weeks prior to +the closing of school. +Alcohol, Smoking, and Food Regulations: According to state law, +alcoholic beverages are not allowed in public school buildings. +Consumption of food and/or beverages is not permitted in the +auditorium or conference rooms. Smoking is not permitted in any +school building. +Payment: Personal/company checks; certified bank checks, +and/or money orders will be accepted as forms of payment. Cash, +credit cards, and money transfers are not accepted forms of +payment. Any check returned for insufficient funds will be +charged an additional $25.00. +Right to Cancel: Heads of schools/principals reserve the right to + + +Page 7: +Superintendent’s Circular FMT-05 +Page 7 of 9 + + + +request cancellation of any requested permit activity occurring at +their facility. BPS Central Administration will make final +determinations regarding principal/head of school cancellation +requests. BPS Central Administration has the right to cancel any +permit in violation of BPS building usage and/or safety policies. +Obligation to Clean: Requester is obligated to clean and organize +any used building space and return the building space to the +state it was found it. If the space is not suitably cleaned and/or +returned to the state it was in prior to use, the requester may be +charged additional custodial and/or other fees and may lose the +privilege of using any BPS facility in the future. +School Closures: If schools are closed due to inclement weather +or other emergencies, all permits are automatically +canceled/suspended for the duration of the inclement weather or +other emergency. Gymnasiums are not available for rental during +holidays and Christmas, February, April, and summer vacations. +Weekend Use: If snow is forecast, Facilities Management cannot +guarantee that parking lots will be cleared for scheduled events. +Organizations are urged to contact Facilities Management to +cancel when necessary. You may contact the area manager on +duty through Municipal Protective Services at 617-635-4844 to +cancel. +PERMITS DURING SUMMER TERMS +Permit Approval: Summer permit requests will be routed first to +BPS Facilities. The school leader will then receive notification of +the approval of building use. +Permit Start and End Date: Summer programs may operate in + + +Page 8: +Superintendent’s Circular FMT-05 +Page 8 of 9 + + + +BPS buildings between July 8 and August 9, 2024, with one day +of setup to be arranged with the school leader prior to July 1, +2024. Gymnasium permits will begin one week after the opening +of school and end one week prior to the closing of school. +Student and Employee Attendance: Programs operating in BPS +buildings must record daily student and staff attendance to be +available upon request. +Identification: During the summer, all adults working in any BPS +building must wear an identifying name badge indicating at +minimum their full name and organization/program name. +Specifications for employees working in BPS buildings during +summer staff are as follows: +• BPS summer staff: All BPS employees must wear their BPS +issued ID. +• Non-BPS summer staff hired via OHC external hiring +process: All non-BPS summer staff must wear their BPS +Summer ID issued by OHC at their Welcome Session. +• Community-based program staff: Must wear a visible +organizational ID badge every day during the program. +BOSTON PUBLIC SCHOOLS FACILITIES RENTAL FEES +All events and functions to be held in Boston Public School +buildings will be implemented in accordance with the following +fee schedule. +One Time Event ··········· $515.00/event +Continuous Usage ······ $2,575.00 per 10 events +Utilities ·························· $95.00/hour +Senior Custodian ········· $49.00/hour + + +Page 9: +Superintendent’s Circular FMT-05 +Page 9 of 9 + + + +Junior Custodian ········· $37.00/hour + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FMT-08 Recycling and Zero Waste Policy.txt b/data/data_txt/FMT-08 Recycling and Zero Waste Policy.txt new file mode 100644 index 0000000..b2e50f7 --- /dev/null +++ b/data/data_txt/FMT-08 Recycling and Zero Waste Policy.txt @@ -0,0 +1,341 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-08 +Version 01 + + + +BOSTON PUBLIC SCHOOLS RECYCLING AND ZERO +WASTE GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +The Commonwealth of Massachusetts and City of Boston seek to +minimize waste by reducing, reusing, and recycling. State policies +and programs such as the Environmentally Preferable +Purchasing Policy, MassDEP’s Waste Ban Regulations, and +Executive Order 484 – Leading by Example, and the City of +Boston Zero Waste Plan are helping state agencies and +municipalities create healthier buildings and cleaner +communities while simultaneously reducing costs. Boston Public +Schools (BPS) has been actively recycling for over a decade. By +reducing the amount of resources we use and waste we produce, +we are creating a healthier and more sustainable Boston Public +Schools. +BPS is committed to Zero Waste because: +• Recycling is a core component of the City of Boston's +commitment to zero waste. +• Recycling is free for BPS, while trash is an operational cost +for BPS. School recycling is picked up curbside for free by +Boston Public Works Department (PWD) as part of the PWD + + +Page 2: +Superintendent’s Circular FMT-08 +Page 2 of 10 + + + +Residential Recycling program. School trash is picked up at +a cost by a contracted waste hauler. Increasing recycling +while reducing trash decreases BPS operating costs, funds +which could otherwise be directed to teaching and learning. +• School zero waste programs mitigate clutter. Clutter +attracts pests, creates asthma triggers like dust, and takes +up valuable school space that could otherwise be used for +teaching, learning, and organized storage. +• School zero waste programs create hands-on learning and +engagement opportunities for students and staff. A +successful zero waste program incorporates education and +collaboration. +• The principles of zero waste – redesign/rethink, refuse, +reduce, repurpose, reuse, recycle – teach us responsibility for +our schools and our waste. + POLICY +The intent of this BPS Zero Waste Policy is to reduce the amount +of waste generated by building occupants and reduce the +amount of non-recyclable waste that is hauled to and disposed of +in landfills or incineration facilities. Boston Public Schools has +created this policy which aligns with the City of Boston’s Zero +Waste Plan. +Boston Public Schools is responsible for providing recycling +equipment, education, and cardboard hauling services to all +buildings operated by BPS, and for ensuring that banned +materials are separated from trash at the school and other +building sites, according to MassDEP’s Waste Ban Regulations +(310 CMR 19.017). The City of Boston Public Works Department is + + +Page 3: +Superintendent’s Circular FMT-08 +Page 3 of 10 + + + +responsible for providing curbside hauling services for all BPS +single-stream recycling. +School principals/heads of schools, and custodians must ensure +single stream recycling equipment and signage are displayed to +collect applicable materials (cardboard, glass, metals, paper, +plastics) and that other materials are collected and recycled +and/or disposed of properly, including but not limited to: office +supplies, books, textiles, yard waste, batteries, ink/toner, +electronics, and furniture. +Each school is responsible for identifying a zero waste champion +who serves as the liaison to BPS Facilities Management and +whose duties can include educating the school on recycling +practices, advising a student recycling team, and ensuring the +school has recycling equipment and signage provided by +Facilities Management. The zero waste champion and custodial +staff are encouraged to participate in the school’s Wellness +Council to ensure that waste management is prioritized and that +the school’s indoor environment is upheld as a healthy and clean +place to learn and work. +IMPLEMENTATION PLAN +Boston Public Schools recycling and zero waste guidance and +resources can be found at bostongreenschools.org/zero-waste. +Please use the BPS Zero Waste Guide and BPS recycling signage. +BPS provides the following recycling services: single stream +(paper, metal, glass, plastic, paperboard), corrugated cardboard, +electronic waste, furniture, books, yard waste, construction +waste, hazardous waste, and universal waste. + + +Page 4: +Superintendent’s Circular FMT-08 +Page 4 of 10 + + + +Recycling is a collaborative effort and will require support from +the principal/head of school, custodians, cafeteria staff, teachers, +students, zero waste champions, and Facilities Management. +Schools are encouraged to form a student-led Zero Waste Team +to help manage the single stream recycling program and keep it +running smoothly throughout the school year. Schools are +encouraged to host an annual recycling event to educate the +school community about recycling best practices and announce +any new recycling or waste management initiatives. +For recycling to be successful across BPS, each school must: +• Identify a zero waste champion (teacher, staff, active +volunteer, or a staff-advised student team) to be a liaison to +the Facilities Department and a recycling advocate in the +school. +• Incorporate recycling tasks into the custodial work plan. +• Allow time for the zero waste champion and the senior +custodian to attend any recycling training with Facilities +Management. +• Commit to providing ongoing education to the school +community about recycling best practices to divert as much +recycling material from the waste stream as possible. +• If your school needs recycling equipment (boxes, carts, +barrels, lids, wheels, or signage), complete and submit the +Zero Waste Equipment Request form to request free +equipment from Facilities Management. BPS warehouse +staff will deliver the equipment. +• Place recycling signage and equipment in appropriate +places and implement updates to the program per + + +Page 5: +Superintendent’s Circular FMT-08 +Page 5 of 10 + + + +instruction from Facilities Management. +• Equipment must be placed in a 1:1 ratio – one recycling bin +next to one trash bin. +• Classrooms and offices must have small recycling bins or +boxes and trash bins (one of each per room). These small +bins should be emptied into the larger recycling barrels or +carts and trash barrels, respectively. +• Hallways, common areas, food service areas, and +gymnasiums should have recycling barrels or carts and +trash barrels. Recycling barrels should be emptied into carts, +and carts should be rolled outside to the curb before 6am on +the day of your school recycling pick-up. You can find your +recycling pick-up day by school address at +https://www.boston.gov/trash-and-recycling-day-schedule- +and-search. Trash barrels should be emptied into the trash +dumpster, which is serviced by BPS’s contracted waste +hauler. +RECYCLING PROCEDURES AND CONTACTS +Zero Waste Program and Education +• Sustainability, Energy, and Environment Program Director, +Operations-Department-Heads@bostonpublicschools.org or +617-635-9576, or visit bostongreenschools.org/zero-waste if +you have questions about the BPS Zero Waste Program or +need educational materials and support. + + + + +Page 6: +Superintendent’s Circular FMT-08 +Page 6 of 10 + + + +Recycling Equipment +• If your school needs recycling equipment (boxes, carts, +barrels, lids, wheels, or signage), please complete the Zero +Waste Equipment Request form to request free equipment +from Facilities Management. BPS warehouse staff will +deliver the equipment. Get the form at +bostongreenschools.org/zero-waste. +Single-stream Recycling +• Paper, and most plastic, glass, and metal containers can be +recycled and picked up curbside by the Public Works +Department (PWD). Learn more at +https://www.boston.gov/trash-and-recycling. +• Question about a particular item? Visit the state’s +RecycleSmartMA.org and use the Recyclopedia tool. +• Was your curbside recycling not picked up? Call the City of +Boston 311 or report through the 311 App. PWD will be +notified immediately of your missed pick-up. Indicate your +school, your address, and the issue you had with a missed +pick-up. +• Contact Area Manager, Operations-Department- +Heads@bostonpublicschools.org or 617-763-1030, if you have +questions or concerns related to the trash and recycling +dumpsters. +Cardboard Recycling +• All corrugated cardboard must be separated from the +single-stream recycling, flattened, and stacked into +hampers for pickup, because BPS receives income for + + +Page 7: +Superintendent’s Circular FMT-08 +Page 7 of 10 + + + +cardboard that is put back into the recycling program. +Cardboard is regularly collected by BPS warehouse staff, +separately from PWD’s curbside pick-up. +• Contact Sustainability, Energy, and Environment Program +Director if your school needs an additional cardboard pickup +or there were issues with the collection. +Food Waste +• At this time, BPS does not compost food waste. Therefore, +all food waste should be placed into the large trash barrels. +Food waste should never be put into any type of recycling +bin, barrel, or cart, nor should it be put into classroom trash +bins. By putting food waste into the large trash barrels, you +are helping to prevent pests, spills, and odors in the +classrooms. +• BPS will begin implementing food waste collection and +composting services at some schools in 2022-2023, with +plans to add services at additional schools each subsequent +year. +• Contact your Food & Nutrition Services representative with +questions about food waste. +Reuse: Books, School and Art Materials, Sports Equipment, +Clothing, etc. +• Consider setting-up a “reuse station” in your school for +unwanted school supplies that could be used by another +person in the school. +• Contact the Office of Academics and Professional Learning, +bostonpublicschools.org/Domain/2439, for anything related + + +Page 8: +Superintendent’s Circular FMT-08 +Page 8 of 10 + + + +to unwanted books or curriculum. +• Clothing and textiles can be placed in the Bay State Textiles +or Helpsy boxes, which can be found at multiple school +locations. Learn more at bostongreenschools.org/zero- +waste, including how your school can add a textiles +recycling box to your schoolyard. +Furniture +• All furniture waste must be reviewed by BPS Facilities +Management for reuse, redistribution, or proper disposal. +• Contact Assistant Director, Building Services, Operations- +Department-Heads@bostonpublicschools.org for any +furniture related questions. +Electronic (anything with a plug or cord) and Toner/Ink +Cartridge Recycling +• BPS OIIT manages the collection of old and recyclable IT +equipment such as printers, monitors, computers, and TVs, +and ink and toner cartridges. +• Complete Form 57 and submit to OIIT. OIIT will schedule a +vendor to pick up the items. Get the form at +bostongreenschools.org/zero-waste. +Universal Waste/Hazardous Waste +• All universal waste (lamps, batteries, mercury-containing +devices, and pesticides) and hazardous waste must be +properly labeled and stored in the school’s accumulation +location. +• Contact Sr. Environmental Supervisor, Operations- +Department-Heads@bostonpublicschools.org or 617-828- + + +Page 9: +Superintendent’s Circular FMT-08 +Page 9 of 10 + + + +0695, to schedule a pick-up. +Metal Recycling +• Contact Area Manager, Operations-Department- +Heads@bostonpublicschools.org or 617-763-1030, to recycle +metal furniture or scrap items. +Yard Waste +• Prior to accumulating yard waste, contact Head +Groundskeeper, Operations-Department- +Heads@bostonpublicschools.org or 617-293-3889 to +schedule a pick-up. All schoolyard waste must be bagged in +compostable brown bags or in plastic barrels. All branches +need to be cut into small pieces and bundled. +Facility Alterations, Additions, Construction, and Demolition +• Base building elements permanently or semi-permanently +attached to the building itself, including all studs, insulation, +doors, windows, panels, drywall, trim, ceiling panels, carpet, +flooring material, adhesives, sealants, paints, and coatings +should be reused or recycled to the greatest extent possible. +Massachusetts law bans clean gypsum wallboard, concrete, +asphalt, brick, and wood from disposal in the trash. +• BPS Facilities Management shall coordinate with +contractors and Public Facilities Department, when +applicable, to ensure building repair projects are complying +with all waste removal laws. + +For more information about this circular, contact: + + +Page 10: +Superintendent’s Circular FMT-08 +Page 10 of 10 + + + +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9576 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + diff --git a/data/data_txt/FMT-09 Material Distribution Procedures.txt b/data/data_txt/FMT-09 Material Distribution Procedures.txt new file mode 100644 index 0000000..60029e7 --- /dev/null +++ b/data/data_txt/FMT-09 Material Distribution Procedures.txt @@ -0,0 +1,89 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-09 +Version 01 + + + +MATERIAL DISTRIBUTION PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +INDIVIDUAL OR SPECIAL PURCHASE ORDERS FOR DELIVERY TO +THE MATERIAL DISTRIBUTION CENTER +Individual or special orders are delivered to users as requested by +department heads. Copies of the purchase order must be +forwarded to the Distribution Center before the material arrives +or it may be refused; if accepted, it may be confused with other +individual orders and sent to the wrong department. Freight +carriers are required to schedule their deliveries with the +Distribution Center. Failure to notify the Distribution Center +before making a delivery may result in your order being refused, +especially during the period between August 1 and November 15 +when storage space is at a minimum. All orders shipped to the +Distribution Center should have an “Attention To:” block which +indicates a person or department to which the material is being +shipped; this is very important. You can stipulate an “Attention +To:” address on your original requisition entered on PeopleSoft. +CUSTODIAL ORDERS +Custodial requisitions are submitted on two forms developed by +Distribution and the Facilities Management Department. The first +form is an annual order form which lists all custodial items + + +Page 2: +Superintendent’s Circular FMT-09 +Page 2 of 3 + + + +authorized for delivery to schools. This form is delivered to each +school on an annual basis in June/July. The second form is a bi- +monthly (every 2 months) “short” form which is delivered to +schools each bi-monthly except those months when the large +annual form is used. Custodians are required to complete these +forms and return them to the Distribution Center. All forms +should be emailed to warehouse@bostonpublicschools.org or +faxed to the Distribution Center at 617-635-8581. All orders which +are not a part of regular bi-monthly cycles must be submitted +and approved by Facilities Department custodial area managers. +REQUIRED DATA +Department head signatures, shipping location, and “Attention +To” are required on all requests; if any of these items are missing, +your requests could be delayed or may ship to the wrong +department. +Please call the Distribution Center at 617-635-8745 if you have +special requirements or problems, or fax us at 617-635-8581, or +email warehouse@bostonpublicschools.org. + + + +Page 3: +Superintendent’s Circular FMT-09 +Page 3 of 3 + + + +For more information about this circular, contact: + +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FMT-10 Integrated Pest Management (IPM).txt b/data/data_txt/FMT-10 Integrated Pest Management (IPM).txt new file mode 100644 index 0000000..3ea7b1d --- /dev/null +++ b/data/data_txt/FMT-10 Integrated Pest Management (IPM).txt @@ -0,0 +1,233 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-10 + Version 01 + +INTEGRATED PEST MANAGEMENT (IPM) +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +MISSION STATEMENT +To further ensure a healthy and safe learning and work +environment at all Boston Public School (BPS) buildings, BPS will +be implementing a systemwide IPM program. IPM is a holistic +approach to control pest activity and to reduce pesticide usage in +the building and surrounding landscape. +IMPLEMENTATION PLAN +A key component of an effective IPM plan is the selection of an +IPM coordinator. The IPM coordinator should be someone with +administrative authority to adequately enforce and implement +the program. The IPM coordinator acts as a representative of the +principal. The IPM coordinator is required to establish an IPM +Committee, which will include interested stockholders (e.g., +custodian(s), after school program, community school (as +applicable), food service manager, teacher, etc.). +State laws and regulations require all school buildings and +licensed daycares to register an indoor and outdoor IPM plan +with the Massachusetts Department of Agricultural Resources +(MDAR). The law requires the IPM plans to be updated and +registered annually. The pest control contractor (PCC) is +responsible to annually update the indoor and outdoor plan. + + +Page 2: +Superintendent’s Circular FMT-10 +Page 2 of 7 + +All IPM plans must be updated annually by the pest control +contractor by December 1. The PCC will meet with the +principal/head of school or designee to update the plan. The +updates will include but not be limited to technical components, +pest treatment products, and devices of the IPM plan. The +principal/head of school or designated representative (i.e., IPM +coordinator) will provide the PCC with the school's information, +including but not limited to school name and address, name of +principal/head of school, IPM coordinator’s name, IPM Committee +members, etc. +The logbook must contain the following sections: +• A copy of the MDAR approved indoor and outdoor IPM +plan +• Complaint/sighting forms +• Pest control contractor inspection and treatment reports +• Treatment product health and safety information (similar +to a material safety data sheet) +• Pest control contractor (PCC) information (name and +address of company, contact person, telephone number, +etc.) +NOTE: It’s very important that all pest problems/issues be +entered into the logbook to ensure problem areas are treated +during monthly inspections. +MONTHLY INSPECTION +1. All PCCs working in BPS facilities will be familiar with +the BPS IPM protocol. +2. Prior to the start of any service, the PCC will report to +the main office and review the IPM logbook for recent + + +Page 3: +Superintendent’s Circular FMT-10 +Page 3 of 7 + +entries. +3. The PCC will conduct a monthly inspection of all school +buildings. The minimum inspection will include a +physical inspection and assessment of the following +areas, noting IPM related deficiencies: +a. Food prep and storage areas +b. Dumpster and waste storage areas +c. Loading and receiving areas +d. Building grounds +e. Teacher’s lounge +f. Entry points or connections from a mechanical +space or crawl space +g. Boiler room area, mechanical rooms, and +moveable storage areas +h. Storage rooms, sinks, and custodial storerooms +i. Noted rooms with recent complaints (those +areas/rooms marked with a complaint after the +last service call) +j. Other suspected areas +4. Temporarily seal all potential rodent access holes or +voids (< 3 in. diameter), including voids around pipes +and duct penetrations or any other penetrations. The +PCC will only use approved sealants. The PCC will +provide product specifications for sealants prior to any +use in BPS facilities. The Alterations and Repairs +supervisor will be contacted to permanently seal any +penetrations. +5. The PCC will vacuum any rodent droppings around any +area where traps, glue boards, monitoring stations, etc. +have been placed. +6. The PCC will inspect the above noted areas and make +recommendations for enhanced treatment as + + +Page 4: +Superintendent’s Circular FMT-10 +Page 4 of 7 + +necessary. +7. The PCC will provide electronic copies of any IPM +inspection, treatment, or service via email to the +school’s email address, to the environmental supervisor +or specialist with BPS and Food Services. +The pest control contractor or the school will notify and seek +approval from BPS Environmental Division for any additional IPM +treatments, service calls, or inspections beyond the monthly +treatment. This request must be made through or verified by +email confirmation. +A quality IPM program must effectively control the following +conditions: +• Rodent entry points and access +• Harborage and clutter +• Food source and sanitation +• Moisture +The IPM coordinator must review the IPM logbook immediately +following each inspection. The coordinator will create a work +order request addressed to the environmental supervisor for +treatment or necessary repairs. + + + + +Page 5: +Superintendent’s Circular FMT-10 +Page 5 of 7 + +Clutter is a major issue that needs to be addressed for an +effective IPM program. Clutter creates harborage for pests +and limits full treatment. Clutter is defined as storage +which: +1. Impedes egresses +2. Limits safe movement throughout the area +3. Blocks and limits access to essential mechanical, utility, +and emergency equipment +4. Becomes stagnant: boxes or materials left on the floor +that show signs of deterioration, water damage, or pest +activity +All unnecessary unwanted or contaminated materials must be +removed. +BED BUG PROTOCOL FOR BOSTON PUBLIC SCHOOLS +Bed bugs are becoming a more common pest problem that +could impact the general quality of life but are not known to +transmit any diseases. Bed bugs are small (less than ¼ inch in +diameter), brownish, flattened insects that are known to bite +people when they are asleep. The bites often may not be felt but +can cause itchiness and swelling. Unlike some other insects (e.g., +head lice), bed bugs do not live on people but may hitchhike on +one’s personal items (backpacks, clothing, books, etc.) to get into +a school building. Bed bug infestations are uncommon in +schools, but since they may get in by other means, schools need +to be proactive. +School’s Response Actions: +1. The school’s IPM coordinator, principal, or head of +school must be notified. +2. Write the complaint in your school’s IPM logbook + + +Page 6: +Superintendent’s Circular FMT-10 +Page 6 of 7 + +which is kept in your main office. Please provide details +in your complaint without divulging anyone’s personal +information. A complaint should be logged for any +suspect bed bugs. +3. Contact the Facilities Management, Environmental +Division at 617-635-8300. +4. If you can capture the insect, place it in a sealed clear +plastic bag (Ziploc) for identification. The pest control +contractor (PCC) will come by to identify the insect as +soon as possible. +5. If a student has been identified with a bed bug, the +personal belongings of all students in the room should +be bagged and sealed tightly. +6. A student who has suspect bite marks should see the +school nurse as soon as possible. +7. The school nurse will contact the student’s parent or +guardian to provide them with contact information for +the Boston Public Health Commission to arrange a bed +bug inspection. +For more information, please visit the link below: +https://bphc.org/whatwedo/healthy-homes- +environment/Documents/bedbug_fact_sheet. + + + + +Page 7: +Superintendent’s Circular FMT-10 +Page 7 of 7 + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +ACTIVITY +TIMELINE +Copy of this year’s Superintendent’s +Circular included in IPM book +Annually by October 1 +Pest control contractors will annually +review and update indoor and outdoor +IPM plans, register with +Massachusetts Department of +Agricultural Resources, and submit to +Facilities Management. +Annually by December 1 + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester MA, 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FMT-11 Green Cleaners Policy.txt b/data/data_txt/FMT-11 Green Cleaners Policy.txt new file mode 100644 index 0000000..ff7a870 --- /dev/null +++ b/data/data_txt/FMT-11 Green Cleaners Policy.txt @@ -0,0 +1,161 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-11 +Version 01 + + + +GREEN CLEANERS’ POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +High-performance schools that have superior indoor air quality +and are healthy and well maintained have been shown to reduce +absenteeism and improve student performance. Many Boston +school children suffer from allergies and asthma, which can be +triggered by poor air quality and chemical, biological, and +particulate contaminants. Long or short-term exposure to toxic +chemicals or harmful particles, gasses, or vapors can have serious +consequences, especially for children, such as asthma, allergies, +depression, hormonal changes, or even cancer. To ensure the +best quality learning environment for our students and working +environment for our staff, it is the responsibility of the Boston +Public Schools (BPS) to minimize the negative impacts that +cleaning products have on occupant health and the +environment. +POLICY +The BPS is committed to providing and maintaining high- +performing buildings and grounds in an environmentally friendly +and sustainable manner. The Green Cleaners Policy is in +accordance with the City of Boston’s executive order relative to + + +Page 2: +Superintendent’s Circular FMT-11 +Page 2 of 5 + + + +greening city building maintenance and operations and +executive order relative to climate action. This policy applies to all +BPS buildings and grounds, including offices, classrooms, +restrooms, cafeterias, gymnasiums, hallways, pathways, +kitchenettes, stairwells, etc. +Under this green cleaning policy, BPS departments, school sites, +and partner programs taking place in schools must comply with +the following: +● Purchase, provide, and use only environmentally friendly +cleaning products that comply with the Green Seal +Environmental Standard (GS-37), including but not limited +to glass, bathroom, carpet, and general-purpose cleaners +used for industrial and institutional purposes. +● All other non-approved cleaning products are prohibited +from being used in BPS buildings and grounds by any staff, +volunteer, vendor, or partner. +● Use of disinfectants for cleaning shall be limited to food +service areas and the clean-up of biological and bodily +wastes and “high touch areas” (when directed). All +disinfectants must be premixed, registered by the U.S. +Environmental Protection Agency, and have a Hazardous +Materials Identification System (HMIS) rating of 2 or less. +● Pre-approved or least toxic and asthma friendly +sanitizer/disinfectants must be used in early learning +centers in accordance with the National Association of +Education for Young Children accreditation standards. + + + + +Page 3: +Superintendent’s Circular FMT-11 +Page 3 of 5 + + + +IMPLEMENTATION PLAN +BPS Facilities Management and custodial staff will maintain this +policy through these implementation steps: +● Ensure vendors can provide proof that their products meet +the criteria for Green Seal Environmental Standard for +Cleaning Products for Industrial and Institutional Use, GS-37. +The Green Seal program is a North American multi-attribute, +lifecycle environmental standard and certification. +● Burnish floor surfaces where applicable to reduce the use of +potentially irritating cleaning and stripping compounds. Any +necessary floor stripping and waxing will be performed +during non-occupied hours. +● Automatic mixing stations will be installed for custodial use +that dispense pre-mixed products to ensure the active +ingredient concentration required by the EPA, limit +employee contact with chemicals for enhanced safety, and +minimize waste. +● Upon request, school custodians will provide teachers and +other BPS staff with OSHA-compliant pre-labeled spray +bottles of mixed green cleaning compounds (desktop and +glass cleaners) that meet the Green Cleaning Policy +standards. +● Train and update BPS custodial staff and others who use +chemicals on the Green Cleaners Policy, including but not +limited to hazard communications (Right to Know law, +MSDS, etc.), worker safety and personal protective +equipment use, safe and proper product and equipment +use, etc. + + +Page 4: +Superintendent’s Circular FMT-11 +Page 4 of 5 + + + +● Custodians will participate on the school’s Wellness Council +to ensure compliance with this policy as well as other +Healthy School Environment policies and initiatives +(recycling, integrated pest management, etc.). +● To the greatest extent possible, cleaning materials and +associated packaging will be reused and/or recycled to +minimize waste. +● Protocols governing safe handling and storage of cleaning +chemicals shall be adopted. Quality control checks will be +used to ensure adoption. +RESPONSIBLE PARTIES +This policy is overseen by the BPS Facilities Management +Department and is updated annually to help ensure cleaning +practices, products, and technologies specified in this policy +meet industry standards and best practices. +BPS staff, contractors, and vendors shall review this policy and +may request additional information and training as required. + + + + + +Page 5: +Superintendent’s Circular FMT-11 +Page 5 of 5 + + + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9576 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.txt b/data/data_txt/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.txt new file mode 100644 index 0000000..f2f9d42 --- /dev/null +++ b/data/data_txt/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.txt @@ -0,0 +1,153 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-12 +Version 01 + + + +LOSS OR DAMAGE RESULTING FROM FIRE, THEFT, +VANDALISM OR UNLAWFUL ACTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +In all cases of loss or damage to Boston School Department +buildings, grounds, or other property, heads of school, principals, +and responsibility center managers must complete Form A +(attached) and follow prescribed procedures upon the discovery +of such incidents. Form A is to be used to report all acts of fire, +theft, vandalism, destruction of property, graffiti, breaking and +entering, and attempts to break and enter. Vandalism is +considered to be all willful acts causing damage to school +department property. +Heads of school, principals, and other responsibility center +managers must also contact the Boston Police or Safety Services +and request that an official Police Department incident report +(commonly referred to as a “1-1”) be prepared. This report serves +as documentation that the incident has been reported to and +logged by the Police Department. Heads of school, principals, +and responsibility center managers should keep a copy of both +Form A and the official police report for their records. +The original Form A and a copy of the police report are to be sent +to the Department of Safety Services, 213 Townsend Street, +Dorchester, MA 02121. + + +Page 2: +Superintendent’s Circular FMT-12 +Page 2 of 4 + + + +Additional copies are to be forwarded to the following +departments: +● Facilities Management +● Academic Superintendents +● Others, as necessary + In the event of emergency or hazardous conditions, notify +Facilities Management immediately. +Refer to Superintendent’s Circular FSE-01 School Safety / +Contingency Plans for additional information. +For more information about this circular, contact: +Owner: +Sr. Supervisor Electrical/Security +Department: +Facilities Management +Mailing Address: 1216 Dorchester Ave., Boston, MA 02125 +Phone: +617-635-8300 +Fax: +617-635-7855 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 3: +Superintendent’s Circular FMT-12 +Page 3 of 4 + + + +FORM A +REPORT OF LOSS OR DAMAGE RESULTING FROM +FIRE, THEFT, VANDALISM OR UNLAWFUL ACTS +This form is to be used to report all acts of fire, theft, vandalism, +destruction of property, graffiti, breaking and entering, or attempts to +break and enter. Vandalism shall be considered to be all willful acts +causing damage to school property. +School or other facility: ________________________________________________ +Date of report: ________________________________________________________ +Specific location of incident: __________________________________________ +Point of entry: ________________________________________________________ +Name of person who discovered the incident: _________________________ +Date/time of incident: _________________________________________________ +Description of damage or loss. Identify property by manufacturer, +model, serial number, and school department identification number: + + + + + +Page 4: +Superintendent’s Circular FMT-12 +Page 4 of 4 + + + +Please complete the following information if this report is the result of +loss, theft, or damage to a laptop/desktop. Once completed, forward a +copy to your Technical Support Teacher (TST). + +Product +Model +Serial # +Asset Tag # +☐ Laptop + + + +☐ Laptop case + + + +☐ Cables + + + +☐ Lock + + + +☐ Desktop Monitor + + + +☐ Desktop CPU + + + + +________________________________________________ ______________________ + +Name of responding Police Officer + +CC Number +_______________________________________________ _______________________ + +Name of Facilities Mgt. personnel notified +Date/Time +_______________________________________________ _______________________ + +Signature +Title +cc: ☐ Facilities Management Copy +☐ Safety Services Copy +☐ Office of Instructional and Information Technology + + diff --git a/data/data_txt/FMT-15 SY Environmental Audit Program .txt b/data/data_txt/FMT-15 SY Environmental Audit Program .txt new file mode 100644 index 0000000..3413d5e --- /dev/null +++ b/data/data_txt/FMT-15 SY Environmental Audit Program .txt @@ -0,0 +1,108 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FMT-15 +Version 01 + + + +ANNUAL ENVIRONMENTAL INSPECTION/AUDIT +PROGRAM +CONDUCTED BY BOSTON PUBLIC SCHOOLS & BOSTON +PUBLIC HEALTH COMMISSION + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +POLICY +To fully meet the intent and requirements of the City of Boston’s +Indoor Air Quality Ordinance (7.12.1-4), Boston Public Schools +(BPS) and the Boston Public Health Commission (BPHC) have +designated an Indoor Air Quality Unit which shall ensure that a +minimum of two facility inspections per occupied school building +are completed on an annual basis. A report with an assessment +of conditions at each site will be developed by BPS and BPHC +and presented to school principals/heads of schools and +published on the BPS website annually. +IMPLEMENTATION PLAN +The Indoor Air Quality (IAQ) Unit responsible for completing the +annual BPS environmental inspections/audit (inspection) will be + + +Page 2: +Superintendent’s Circular FMT-15 +Page 2 of 3 + + +comprised of representatives from BPS Facilities Management’s +Environmental Division and the BPHC’s Office of Environmental +Health. +The IAQ Unit will conduct two inspections of each occupied BPS +owned or operated building during the academic school year. +The inspections will begin after the beginning of the academic +school year and will be completed by the end of the academic +year of the following year. An environmental audit will be done by +the BPS and the BPHC. +The inspection report will investigate and note environmental +conditions in each report. The inspectors will test and look for +health and safety conditions throughout the interior and exterior +of each building including but not be limited to: general +sanitation and housekeeping; water-staining, leaks, and mold; +general building repair; signs of pest infestation and activity; +general life safety; unobstructed means of egress; bathroom +sanitation, hygiene, and operability; general ventilation, etc. +Upon completion of the annual environmental inspection, +Facilities Management will immediately address critical health +and safety deficiencies by filing a work order with the appropriate +division. They will incorporate other needed work at the school +sites into the annual budgeting process. On an ongoing basis, +Facilities Management will provide technical assistance to +principals/heads of schools on environmental problems and +other building-related issues. + + + + +Page 3: +Superintendent’s Circular FMT-15 +Page 3 of 3 + + +SIGNIFICANT DATES AND DEADLINES +Date +Activity +September Environmental inspections will begin after the +beginning of the academic school year. +Ongoing +Principals/heads of schools will receive a detailed +inspection report following completion of the +building inspection. +June +Environmental inspections of all school buildings +will be completed by the end of the academic year. +August 31 + +Environmental inspection reports to be posted on +the BPS website (linked from +https://www.bostonpublicschools.org/domain/175) + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing +Address: +1216 Dorchester Avenue, Dorchester, MA, 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + Mary Skipper, Superintendent + + diff --git a/data/data_txt/FMT-18 Science Safety in Schools.txt b/data/data_txt/FMT-18 Science Safety in Schools.txt new file mode 100644 index 0000000..1186d16 --- /dev/null +++ b/data/data_txt/FMT-18 Science Safety in Schools.txt @@ -0,0 +1,303 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FMT-18 +Version 01 + +SCIENCE SAFETY IN SCHOOL LABORATORIES AND +CLASSROOMS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools (BPS) has developed a Science Safety Plan +to promote a safer and more effective learning environment for +students and a healthier workplace for teachers and other +employees within science classrooms and laboratories in Boston +Public Schools. The Science Safety Plan is a comprehensive effort +to address chemical use, storage, and disposal procedures, as +well as the prevention and/or minimization of and response to +chemical spills and other accidents. +The districtwide plan addresses the needs of all BPS science +classes and is consistent with the requirements of the U.S. +Department of Labor, Occupational Safety and Health +Administration’s (OSHA) 29 CFR 1910.1450 Occupational +Exposures to Hazardous Chemicals in Laboratories for the +protection of our students and employees, as well as guidance +materials from the National Fire Protection Association (NFPA), +the National Institute for Occupational Safety and Health +(NIOSH), and the Boston Fire Department. The Science Safety +Plan promotes a culture of safety in science and the safe +operation of all science laboratories for students, faculty, and +staff. +To ensure that all students and their teachers work in an +environment which is safe, it is necessary to formulate standard +procedures and requirements for all schools and their personnel. + + +Page 2: +Superintendent’s Circular FMT-18 +Page 2 of 8 + +The Science Safety Plan and this circular will be reviewed +annually. +Your performance of these procedures is required. +RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOLS +1. +Ensure that all science classes and laboratories are +assigned to and conducted in appropriately equipped +Science Rooms. +2. +Provide a list of all science teachers/teachers of science to +the Science Department by October 1st each year using +the form provided in Appendix R of the BPS Science +Safety Plan. +3. +Appoint a Science Safety Coordinator (SSC) and ensure +they: +a) Attend the mandatory Chemical Safety Training +session co-hosted by the Science Department and +Flinn Scientific. +b) Conduct an annual chemical inventory. +c) Complete the required safety checks as stated in +Sections J and O of the BPS Science Safety Plan. +4. +Inform the staff and students in writing of the safety +standards and procedures, including the need to wear +eye protection devices. +5. +Ensure that workable fire extinguishers, blankets, safety +showers, and eyewash equipment are readily available +and that appropriate personnel receive training in the use +of each. +6. +Ensure staff review and implement the BPS Science +Safety Plan. + + +Page 3: +Superintendent’s Circular FMT-18 +Page 3 of 8 + +7. +Ensure that staff has instructed all students in safety +standards and procedures, including the BPS Science +Safety Plan and the School Safety Plan. +8. +Post building evacuation procedures in classrooms, +laboratories, and chemical storage rooms. +9. +Conduct quarterly fire drills. +10. +Maintain adequate lighting and proper ventilation in +laboratories and classrooms, and report problems to +Facilities Management immediately. +11. +Be sure that teacher evaluations reflect the +implementation of safety standards and procedures. +12. +Ensure that a "Right to Know" workplace notice is posted +in the school's Science Rooms pursuant to Mass. Gen. +Laws c. 111F. +13. +Ensure a copy of all safety data sheets (SDSs) is +maintained in the main office and chemical storage areas. +14. +Ensure that all instructors working with toxic or +hazardous substances receive training as specified in +Chapter 111F of the Massachusetts General Laws through +the Science Department. +15. +Notify the Science Department of any accident or injury in +a Science Area. +16. +Submit the Annual Hazardous Material Permit +Application to Boston Fire Department and post the +current permit in the main office. + + + + +Page 4: +Superintendent’s Circular FMT-18 +Page 4 of 8 + +RESPONSIBILITIES OF TEACHERS +1. +Review and implement the Science Safety Plan, including +SOPs for general laboratories, chemical use and storage, +chemistry laboratories, biology laboratories, physics +laboratories, and waste management. +2. +Attend annual safety training(s) including science safety +and first aid. +3. +Practice safety procedures and serve as the model for +good safety conduct for students. +4. +Establish a Student Safety Contract with each student +prior to any laboratory activities. +5. +Require the use of appropriate personal protective +equipment. +6. +Avoid accidents by insisting that students dress properly +for the laboratory. +7. +Supervise students at all times. Under no circumstances +shall a teacher leave students unsupervised in a +laboratory or chemical storage room. If an instructor must +leave the laboratory in an emergency, they must: +a) Arrange for a qualified teacher as a replacement, OR +b) Relocate students to a properly supervised area, +c) Lock the laboratory, and +d) Shut off equipment. +8. +Inspect fire extinguishers monthly and safety showers +and eyewash stations weekly (SSC or science teacher in +charge). +9. +Maintain first aid kit in an easily accessible area (SSC or +science teacher in charge). + + +Page 5: +Superintendent’s Circular FMT-18 +Page 5 of 8 + +10. +Maintain a chemical inventory using the online +ChemVentory system, update at least annually, and +submit an electronic copy to the Science Department and +Facilities Management by October 1st each year (SSC or +science teacher in charge). +11. +Ensure SDSs for all chemicals are accessible and copies +are kept in the chemical storage room or school’s Science +Department and in the administrative main office (SSC or +science teacher in charge). +12. +Store all chemicals in their compatible chemical families. +13. +Keep all chemical storage rooms or cabinets locked at all +times when not in use. +14. +Label all chemical storage rooms/cabinets and laboratory +doors with the appropriate NFPA Diamond (SSC or +science teacher in charge). +15. +Ensure all chemical and waste containers are labeled +appropriately and stored safely until they can be +removed. Contact Facilities Management for removal. +16. +Implement the appropriate emergency procedure, waste +disposal, spill cleanup, evacuation routes, and fire +emergency notification when needed. +17. +Consult with the Science and/or Facilities Management +Department staff as appropriate regarding the use of +Class 1A flammables, compressed gasses, donated +chemicals, and the implementation of any laboratory +experiment that may be more hazardous than those +contained in the district-identified curriculum. +18. +Report all accidents and injuries to the principal/head of +school and direct supervisor. + + +Page 6: +Superintendent’s Circular FMT-18 +Page 6 of 8 + +19. +Report lighting, ventilation, safety equipment, and +laboratory disrepair to principal/head ofschool, direct +supervisor, and Facilities Management. +RESPONSIBILITIES OF STUDENTS +1. +Practice good chemical hygiene habits. +2. +Maintain an awareness of health and safety hazards and +report unsafe practices and conditions to the teacher. +3. +Report all accidents and injuries to the teacher +immediately. +4. +Know and follow emergency procedures. +5. +Notify the teacher of any sensitivity or allergy to +chemicals. +6. +Wear appropriate apparel and personal protective +equipment, including goggles, during laboratory +activities. +7. +Conduct all activities according to teacher instructions to +ensure the Science Safety Plan is followed. +TECHNICAL ASSISTANCE +Facilities Management and BPS district Science Department will +provide all schools with technical assistance in improving and +maintaining safety procedures. Facilities Management and Safety +personnel are available to coordinate fire prevention activities +and building and safety equipment inspections. + + + + +Page 7: +Superintendent’s Circular FMT-18 +Page 7 of 8 + +Contact: +• Chief Environmental Technician, Facilities Management + +617-635-8300 +• Assistant Superintendent, Office of Teaching and Learning +617-635-8079 + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave., Boston, MA 02108 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Science, Technology, and Engineering +Department +Department: +Office of Teaching and Learning +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Boston, MA 02125 +Phone: +617-635-8750 +Email: +bpssciencematerials@bostonpublicschools.org + + + + + +Page 8: +Superintendent’s Circular FMT-18 +Page 8 of 8 + +Additional contacts in the Office of Teaching and Learning: +Chief of Teaching and +Learning +OPL@bostonpublicschools.org +Executive Director of STEM OPL@bostonpublicschools.org +Program Director, High +School Science +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).txt b/data/data_txt/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).txt new file mode 100644 index 0000000..8f6fc17 --- /dev/null +++ b/data/data_txt/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).txt @@ -0,0 +1,338 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-19 +Version 01 + +BPS STANDARD OPERATING PROCEDURE FOR +CLEANING AND DISINFECTING BODY FLUID SPILLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +This standard operating procedure (SOP) will be implemented to +ensure BPS custodians safely and properly respond to all +incidents requiring cleaning and disinfecting of body fluid spills. +Body fluids – including vomit, diarrhea, and blood – are +considered potentially infectious. Employees should always treat +any body fluid response action as potentially infectious and +always wear proper personal protective equipment when +cleaning and disinfecting body fluid spills. +PROCEDURES +1. Contain the affected area. +● Discontinue food service operations if a spill occurred +in food preparation or service areas. +● Remove students and staff from the affected area or +classroom. +● Block off the area of the spill from staff and students +until cleanup and disinfection are complete. For +incidents involving vomit, contain all areas within 25 +feet of the spill. + + +Page 2: +Superintendent’s Circular FMT-19 +Page 2 of 10 + + + +● Send sick students and staff to the school nurse. +● Excuse (e.g., send home) food service employees with +symptoms of vomiting or diarrhea from food service +operations. Refer to the TFER Exclusions and +Restrictions for Ill or Infected Food Service Employees +for guidance. Please refer to the food service employee +reporting agreement. +● Allow only food service employees and/or custodial +staff designated to clean and disinfect body fluid spills +in the affected area. +2. Put on personal protective equipment (PPE), including: +● Wear disposable, non-latex gloves. Gloves should be +vinyl or nitrile (rubber), and non-powdered. +● Consider double-gloving (wearing two gloves on each +hand). Replace gloves if they tear or become visibly +soiled. Keep hands away from the face while wearing +gloves. +● Wear a face mask and eye protection (goggles or +protective glasses). +3. Remove visible body fluid. +● Put on new disposable gloves. Consider double +gloving. +● Clean the affected area with soap and water, and paper +towels and/or a disposable mop head. This includes +surfaces that came into direct contact with body fluids +and surfaces that may have been contaminated with +body fluids. Before disinfecting, all surfaces should be +thoroughly cleaned (i.e., not visibly soiled). + + +Page 3: +Superintendent’s Circular FMT-19 +Page 3 of 10 + + + +● Dispose of the paper towels and/or disposable mop +head in a plastic garbage bag. +● Remove gloves and discard in a plastic garbage bag. +● Wash hands. +Food contact surfaces: +● Put on new disposable gloves. Consider double +gloving. +● Clean the affected area with soap and water. +● Rinse thoroughly with plain water. +● Wipe dry with paper towels. +● Dispose of paper towels in a plastic garbage bag. +● Disinfect surfaces. +● Prepare and apply a solution of ¾ cup concentrated +bleach + 1 gallon of water. +● Leave the surface wet for at least 5 minutes. +● Rinse all surfaces intended for food or mouth contact +with plain water before use. +● Wipe down with sanitizing solution concentration for +food contact surfaces to air dry. +● Wash your hands thoroughly with soap and water. + + + + +Page 4: +Superintendent’s Circular FMT-19 +Page 4 of 10 + + + +Non-absorbent surfaces (i.e., tile, stainless steel): +● Prepare a disinfecting solution. The disinfecting +solution shall be an EPA registered hospital grade +disinfectant.* +● Wear all PPE, including the face mask and eye +protection or goggles. Ensure that area is well +ventilated (mix solution outdoors if necessary). +● Prepare a disinfecting solution per manufacturer’s +recommendations immediately before applying it to +surfaces. It is recommended that this solution be used +on surfaces that have had any direct contact with body +fluids. +● Transfer solution to a spray bottle. +● Using the spray bottle, generously apply the +disinfecting solution to affected surfaces, including +surfaces that came into direct contact with body fluids, +and surfaces that may have been contaminated with +body fluids. +● For incidents involving vomit, disinfect all areas and +surfaces within 25 feet of the spill. +● Use in a well-ventilated area. +● Disinfect high touch areas (e.g., door handles, toilets, +dispensers, carts, sink faucets, telephones, etc.) +throughout the food service area, cafeteria dining +areas, break rooms, and restrooms using disinfecting +solution and paper towels. +● Leave the disinfecting solution on affected surfaces for +a minimum of 5 minutes. If another EPA-approved + + +Page 5: +Superintendent’s Circular FMT-19 +Page 5 of 10 + + + +disinfectant is used, follow the manufacturer’s +instructions. +● Rinse surfaces with clean water and paper towels +and/or a disposable mop head. +● Allow surfaces to air dry. +● Dispose of the paper towels and/or disposable mop +head in a plastic garbage bag. +● Remove gloves and dispose of them in a plastic +garbage bag. +● Wash hands. +* EPA-approved disinfectants may be used instead of +chlorine bleach solutions. EPA-approved disinfectants +appropriate for vomit and diarrhea may be found at +www.osha.gov/sites/default/files/publications/norovirus +-factsheet.pdf. CDC guidelines on norovirus outbreak +management and disease prevention recommend +using chlorine bleach solutions on hard surfaces when +possible. EPA-approved disinfectants appropriate for +blood may be found www.epa.gov/pesticide- +registration/selected-epa-registered-disinfectants. +Absorbent surfaces (i.e., carpet, upholstery, cloth): +● Disinfect with a chemical disinfectant when possible or +remove and dispose of the affected material. The +material will be double-bagged and disposed of +through mainstream waste disposal. +● Steam clean for a minimum of 5 minutes at 1700F. + + +Page 6: +Superintendent’s Circular FMT-19 +Page 6 of 10 + + + +● Launder in a mechanical washing machine on the +hottest water setting, and dry in a mechanical dryer on +a high heat setting. +● Dispose of disinfecting materials in a plastic garbage +bag, as appropriate. +● Remove gloves and dispose of them in a plastic +garbage bag. +● Wash hands. +4. Discard potentially contaminated food. +● Put on new disposable gloves. Consider double +gloving. +● Dispose of exposed food and food in containers that +may have been contaminated by body fluid in a +garbage bag. +● For incidents involving vomit, discard all food within 25 +feet of the spill. Food stored in intact, sealed containers +(i.e., cans) may be salvaged if adequately cleaned and +disinfected. +● Remove gloves. Dispose of gloves in a plastic garbage +bag. +● Wash hands. +5. Dispose of PPE and cleaning and disinfecting materials. +● Put on new disposable gloves. Consider double +gloving. +● Securely tie garbage bags containing all of the +disposed of materials. + + +Page 7: +Superintendent’s Circular FMT-19 +Page 7 of 10 + + + +● Place garbage bags in a second garbage bag (double +bag). +● Clean all non-disposable items (bucket, mop handle, +etc) with soap and water; then disinfect. Allow these +items to air dry. +● Remove PPE, including disposable gloves, and place in +a second garbage bag. +● Securely tie the second garbage bag. +● Discard the bag(s) in the dumpster. +● Remove soiled clothes, if necessary, and place clothes +in a separate garbage bag. Securely tie the garbage +bag. Keep clothes in the tied garbage bag until they +can be adequately laundered. +6. Wash hands, arms, and face with soap and water in a +restroom sink or hand sink. Put on clean clothing, if +necessary. Apply ethanol-based hand sanitizer to hands. +7. Wash, rinse, and sanitize potentially contaminated food +contact surfaces. Include food contact surfaces that were +disinfected in step 5 of this SOP, and food contact surfaces +that contained food discarded in step 6 of this SOP. +8. Restock supplies for cleanup. + + + + + +Page 8: +Superintendent’s Circular FMT-19 +Page 8 of 10 + + + +MONITORING +Standard daily cleaning of food services areas shall include: +● Custodial Staff: Sweep and clean the cafeteria floors with a +neutral cleaner. Cafeteria walls and ceilings shall be cleaned +on an “as needed” basis. +● Food Service Staff: Clean and disinfect cafeteria tables with +a solution of bleach and water. +NOTE: Cleaning of body fluid spills in food services areas will be +done by the school’s custodial staff. This will include any bodily +fluid spill on the cafeteria tables. In this case, only the affected +table(s) will be cleaned by the custodial staff. All other cafeteria +tables will be cleaned by the food service staff. +1. The senior custodian is designated and trained to +implement this SOP and trained in the use of necessary +supplies. They will ensure that: +● Necessary supplies are available at all times. +● Custodians are: +○ Educated on illnesses and symptoms that must be +reported to their building service area manager or +617-635-9162. +○ Monitored for signs and symptoms of illness. +2. The food service manager will ensure that food service +employees are: +● Educated on illnesses and symptoms that must be +reported to managers. +● Monitored for signs and symptoms of illness. + + +Page 9: +Superintendent’s Circular FMT-19 +Page 9 of 10 + + + +Adapted from USDA document Cleaning and +Disinfecting Body Fluid Spills (Miami County Public +Health website). +For more information about this circular, contact: +Owner: +Senior Environmental Supervisor +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Dorchester, MA 02125 +Phone: +617-635-8300 +Fax: +617-635-7855 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Name: +Equipment Coordinator +Department: +Food and Nutritional Services +Mailing Address: +Food & Nutrition/Wellness Building, 370 +Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9296 +Fax: +617-635-9305 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + + +Page 10: +Superintendent’s Circular FMT-19 +Page 10 of 10 + + + + +Name: +Sr. Manager, Building Services +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Dorchester, MA 02125 +Phone: +617-635-9165 +Fax: +617-6359306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/FMT-20 Drinking Water Access Policy.txt b/data/data_txt/FMT-20 Drinking Water Access Policy.txt new file mode 100644 index 0000000..058b782 --- /dev/null +++ b/data/data_txt/FMT-20 Drinking Water Access Policy.txt @@ -0,0 +1,745 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-20 +Version 01 + +DRINKING WATER ACCESS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Drinking Water Access Policy is for all water units used for +drinking and food preparation. +STATEMENT OF COMMITMENT +Boston Public Schools (BPS) will safely bring online and maintain +all school building water units used for drinking and food +preparation. +BACKGROUND +By law, all students must have access to water during meals and +throughout the school day, at no cost. BPS follows the Healthy, +Hunger-Free Kids Act of 2010, Massachusetts Legislation (H 4459) +223(g), and Massachusetts Uniform State Plumbing Code (248 +MASS. CODE REGS. § 10.10, Table 1 (2011). +Boston Water & Sewer Commission (http://www.bwsc.org/) is the +Public Water System (PWS) that supplies potable water to BPS. +BPS also upholds a bottled water contract. + +BPS, like all school districts, is responsible for following the +guidance of the US Lead Contamination Control Act (LCCA). The + + +Page 2: +Superintendent’s Circular FMT-20 +Page 2 of 21 + + + +LCCA directs the United States Environmental Protection Agency +(EPA) and its state designees to assist school system +administrators, schools, and programs, to identify and reduce or +eliminate lead contamination in their facilities’ drinking water. +The LCCA is an assistance-based, non-regulatory program. + +As a federal designee and the responsible Massachusetts agency, +Massachusetts Department of Environmental Protection +(MassDEP) is responsible for educating school/facility officials +about the LCCA and coordinating statewide efforts to reduce or +eliminate lead in drinking water at schools and childcare +facilities. The Massachusetts program includes both lead and +copper because the same mechanism that leaches lead from +plumbing into drinking can also leach copper. Additional +information on the MassDEP Drinking Water Program is available +at https://www.mass.gov/lead-in-drinking-water. +POLICY +In accordance with the EPA’s revised 3Ts for Reducing Lead in +Drinking Water in Schools and Child Care Facilities Toolkit +(https://www.epa.gov/ground-water-and-drinking-water/3ts- +reducing-lead-drinking-water-toolkit), and the subsequent +recommendations from MassDEP, BPS is committed to the +following drinking water access policy: +1. Annually test all water units used for drinking and food +preparation. +2. Deactivate any unit with test results above or equal to 15 +parts per billion (ppb) for lead and or 1,300 ppb for copper +and implement remediation actions to reduce those levels +to the lowest possible concentrations. Remediation actions + + +Page 3: +Superintendent’s Circular FMT-20 +Page 3 of 21 + + + +may include, but not be limited to, daily flushing, installation +of filtration systems, and/or replacement of drinking water +fixtures, plumbing fixtures, and/or piping. +3. Continue to use units with test results between 1 ppb and 15 +ppb for lead, while implementing short and long-term +remediation actions to reduce those levels to the lowest +possible concentrations. +4. Communicate all test results and subsequent actions. +5. Provide bottled water and cups for any deactivated, offline +schools and any online schools that lack access to fountains +in food service and medical areas. +6. Provide drinking water access training for relevant BPS staff +in accordance with this policy. +DEFINITIONS +• EPA’s 3 T’s for Reducing Lead in Drinking Water: Training, +Testing, and Taking Action, 3Ts for Reducing Lead in +Drinking Water | US EPA. +• Deactivation Level, Copper: ≥1,300 ppb +• Deactivation Level, Lead: ≥15 ppb +• Water Unit: Any water fountain or food service +equipment/fixture (e.g., food preparation sink faucets, +kettles, tilt skillets, etc.) +• Online School: A school building supplied by online water +units as its primary source of drinking water. (see definition: +Online Water Unit) +• Online Water Unit: An active water unit, with verified lead +and copper concentrations below deactivation levels, for + + +Page 4: +Superintendent’s Circular FMT-20 +Page 4 of 21 + + + +drinking and/or food preparation. Concentrations are +verified by the required testing. +• Offline School: A school building provided with a +commercial bottled water supply as its only source of +drinking water. +• Offline Water Unit: A deactivated water unit supplied by the +PWS for drinking and/or food preparation with verified lead +and or copper concentrations above deactivation levels. +• Activation: A change in a water unit’s (e.g., water fountain or +food service equipment and fixtures) status from offline to +online due to initial installation or remediation action(s) and +subsequent testing demonstrating the lowest possible +concentrations for lead and copper. +• Deactivation: A change in a water unit’s (e.g., water fountain +or food service equipment and fixtures) status from online +to offline. Any online water unit with elevated lead or copper +levels above deactivation levels will be deactivated. +Deactivated units will remain deactivated until remediation +action(s) have been completed and the remediated unit has +been re-tested with subsequent test levels at the lowest +possible concentrations for lead and copper. +• Flushing: Turning on a plumbing cold water fixture(s) and +letting the cold water run continuously for a specified time +frame in accordance with MassDEP protocols. +• Daily Flushing: For high use areas, such as fixtures used for +food preparation (e.g., food preparation sink faucets, kettles, +tilt skillets, etc.), BPS will adhere to MassDEP’s flushing +guidance for schools, available at Fact Sheet – Flushing: A +Short-Term Solution to Reduce Lead and Copper. For any + + +Page 5: +Superintendent’s Circular FMT-20 +Page 5 of 21 + + + +online water fountain, it is recommended that the drinker +first let the water run for 5-10 seconds before drinking, and +this is only for precautionary measures as lead and copper +concentrations were already verified to be below +deactivation levels. For directly plumbed water units where +flushing is not feasible (e.g., combination ovens, steamers, +ice makers, etc.), filters have already been or will be +installed. +• Activation Flushing: BPS will adhere to a minimum flushing +time of 20 minutes for activation of offline water units, per +the activation protocol. +• Remediation Action(s): Shall include, but are not limited to +replacement, repair, maintenance, filtration, and/or flushing +to reduce the concentration of lead and copper to the +lowest possible concentrations. + +REQUIREMENTS +Per the Annual Testing Protocol (pg. 8), BPS Facilities +Management Environmental Division will annually test all online +water units used for drinking and food preparation for lead and +copper concentrations. BPS annual testing will adhere to +MassDEP’s guidance for sample collection procedures for schools +and early education childcare facilities, available at the following +link: Sampling for Lead and Copper at Schools and Childcare +Facilities | Mass.gov. This testing protocol does not include any +sinks used for facility cleaning or handwashing, including but not +limited to those found in utility rooms, bathrooms, locker rooms, +kitchens, science labs, prep rooms, and classrooms. These sinks +are not to be used for drinking or any other consumptive purpose + + +Page 6: +Superintendent’s Circular FMT-20 +Page 6 of 21 + + + +such as food preparation, and signage shall be posted as such. +• In cases where concentrations of lead and or copper in any +water unit do not exceed the lead/copper deactivation +levels, no deactivation is needed. Test results will be +available at: BPS Water / Boston School Water Quality. Units +with results between 1 ppb and 15 ppb for lead will continue +to be used, while BPS Facilities Management implements +short or long-term remediation actions to reduce those +levels to the lowest possible concentrations. +• In cases where concentrations of lead and or copper in +water units used for drinking or food preparation exceed +the lead/copper deactivation levels, BPS Facilities +Management and BPS Communications will enact the +Deactivation Protocol (pg. 10), which requires BPS Facilities +Management Plumbing Division to immediately deactivate +only the impacted online water unit(s), and place signage +that says “Water Shut Off. Do NOT turn on without Facilities +Management or FNS (Food and Nutrition Services) +Approval.” For water units used for drinking, the units will +also be tagged with a “DO NOT DRINK”. +• In cases where water sources are not tested for lead or +copper (because these units are not designated for drinking +or food preparation), signage has been conspicuously +placed (as of September 1, 2016) near that source stating: +“WATER FROM SINKS WILL BE USED FOR WASHING ONLY.” +Pictures will be used in locations as needed. BPS +principals/heads of school will designate a responsible +person to check and ensure this signage is posted in +bathrooms and classrooms on a regular basis. BPS Facilities +Management will provide the signage and can be contacted + + +Page 7: +Superintendent’s Circular FMT-20 +Page 7 of 21 + + + +for additional or replacement signage. +• BPS will follow the Activation Protocol (pg. 12) to safely bring +online school building water units used for drinking, food +preparation, or medical services. +• BPS will follow the Flushing Protocol (pg. 13) as one +remediation practice for reducing lead levels to the lowest +possible concentrations. +• BPS Facilities Management will follow the Filter and Filtered +Water Fountain Standard Operating Procedure and +Maintenance Protocol (pg. 13) to manage all filtered water +fountains and filters. +• BPS Facilities Management will follow the Bottled Water +Protocol (pg. 16), which includes providing bottled water, +bottled water units, and cups for all offline schools, and for +any medical or food service areas that lack access to tap +water units in any online school. BPS Facilities Management +will manage and track all bottled water accounts. +• BPS Facilities Management will provide water testing results +and any recent water-related information to BPS +Communications for the BPS water webpage, +http://www.bostonpublicschools.org/water and annual +notices to the BPS community. +• Heads of school/principals will develop a school-based plan +for ensuring bottled water and cups are available +continuously, without disruption, on all water coolers +throughout the entire school day, including during +mealtimes. Schools are responsible for calling Facilities +Management to order water and cups, if running low before +the existing, regular water delivery schedule. + + +Page 8: +Superintendent’s Circular FMT-20 +Page 8 of 21 + + + +• BPS Department of Health & Wellness will educate, +promote, and communicate the importance and benefits of +drinking water and collaborate with Facilities Management +and Food and Nutrition Services to communicate all aspects +of this policy to school leaders, staff, students, and school +community. +• In alignment with BuildBPS, BPS will integrate water +infrastructure improvements into routine renovations and +capital planning and develop a water infrastructure plan for +schools that are offline with a goal of bringing all BPS +schools online. +IMPLEMENTATION PROTOCOLS: TESTING, MAINTENANCE, & +ACCESS +Annual Testing Protocol +BPS annual testing will adhere to MassDEP’s guidance for +Sample Collection Procedures for schools and early education +childcare facilities, available at the following link: Sampling for +Lead and Copper at Schools and Childcare Facilities | Mass.gov. +How to Collect a First Draw Sample +1. Collect the sample before any water has been used. Water +units must be unused for at least eight (8) hours, but not +more than eighteen (18) hours, before testing. +2. Sampler must wear chemical resistant Nitrile gloves while +sampling. +3. Complete the sample collection form during all sampling +(Sample Custody Log - MA DEP LCCA Program or +equivalent). + + +Page 9: +Superintendent’s Circular FMT-20 +Page 9 of 21 + + + +4. Only use containers (250 milliliter/wide mouth) supplied by +a certified laboratory. +5. Containers should not be opened until you are ready to +collect the sample. +6. Sampling containers that have been compromised in any +way (e.g., by being touched on the threads or the interior +surfaces) must not be used. +7. Keep any food and drink away from the sample and its +container. +8. If the fixture/faucet has an aerator at the end of the fixture, it +should not be removed before taking samples. The sampler +should not remove or clean any aerators prior to or during +the collection of tap samples. Make sure no water has been +withdrawn from the tap or water fountain, as well as from +any adjacent taps, before the sample has been collected. +9. Place the container under the water unit that is being +tested and collect 250 milliliters (mL) of water. +10. For all water units being tested, make sure you turn on the +cold water tap. Open the cold water tap and run it as you +would when filling a glass of water. +11. Turn on the water and fill the container without allowing +any water to run down the drain or the outsides of the +container. +12. Close the container according to the instructions from your +certified lab. Tightly cap the sample bottle and place in the +sample (shipping) kit provided. +13. Make sure the container is labeled with the same +information from your sample collection form (Sample + + +Page 10: +Superintendent’s Circular FMT-20 +Page 10 of 21 + + + +Custody Log - MA DEP LCCA Program or equivalent). +14. Prepare the container for shipping according to the certified +lab's instructions. Ship containers according to the certified +lab's instructions. +15. Samples must be delivered and relinquished to a certified +lab within 14 (fourteen) days of collection for proper testing. +Deactivation Protocol +1. In cases where concentrations of lead and or copper in any +water unit do not exceed the lead/copper deactivation +levels, no deactivation is needed. Test results will be +available at: https://www.bostonpublicschools.org/water. +Units with results between 1 ppb and 15 ppb for lead will +continue to be used, while BPS Facilities Management +implements short or long-term remediation actions to +reduce those levels to the lowest possible concentrations. +2. In cases where concentrations of lead and or copper in +water units used for drinking or food preparation exceed the +lead/copper deactivation levels: +a. Upon notification from the BPS Sustainability and +Environmental Resources Manager, BPS Facilities +Management Plumbing Division will immediately +deactivate only the impacted online water unit(s), +unless otherwise specifically directed. These units will +be made offline and tagged “Water Shut Off. Do NOT +turn on without Facilities Management or FNS (Food +and Nutrition Services) Approval.” For water units used +for drinking, the units will be tagged with a “DO NOT +DRINK”. If required, a bottled water unit will be placed + + +Page 11: +Superintendent’s Circular FMT-20 +Page 11 of 21 + + + +as near as possible to the deactivated unit. +b. BPS Facilities Management will provide bottled water, +bottled water coolers, and cups. One bottled water +cooler will be provided for each deactivated water unit +(e.g. water fountain) or as necessary to meet 248 CMR +10.00: Uniform State Plumbing Code requirements +(See: Table 1: Minimum Facilities For Building +Occupancy, available at the following link: 248 CMR +10.00: Uniform state plumbing code). . +c. BPS Communications and Facilities Management will +immediately implement the Deactivation +Communications Protocol (pg. 18). +d. BPS Facilities Management Environmental and +Plumbing Divisions will inspect the impacted water +unit to identify any source or cause of elevation and +schedule any remediation action(s). +e. The impacted water unit will remain deactivated until +remediation actions have been completed and BPS +Facilities Management Environmental Division has +tested and received three (3) consecutive lead and +copper sample results at the lowest possible +concentrations. +3. In cases where water sources are not tested for lead or +copper (because these units are not designated for drinking +or consumption) or levels of lead in water units exceed the +lead/copper action level, signage has been conspicuously +placed near that source stating: “WATER FROM SINKS WILL +BE USED FOR WASHING ONLY.” +4. The Boston Public Health Commission (BPHC) does not + + +Page 12: +Superintendent’s Circular FMT-20 +Page 12 of 21 + + + +recommend that BPS screen children for lead. If a child is +exposed to water containing elevated lead levels, the BPHC +recommends that parents consult their child's medical +provider to assess whether their child's individual risk +warrants blood lead testing. Many healthcare providers, +such as MassHealth, cover the cost of lead testing. Families +with questions or concerns about costs may contact BPS +Health Services at 617-635-6788. +Activation Protocol +1. Upon completion of any water unit’s remediation action +(e.g., replacement, repair, etc.), Facilities Management +Environmental Division will flush each water unit for +approximately 20 minutes or more as needed to remove any +visual signs of sediment, debris, and rust. BPS will adhere to +a minimum flushing time of 20 minutes for activation of +offline water units. +2. Eight to eighteen (8-18) hours post flushing, a sample from +each water unit will be collected for confirmatory analysis of +lead and copper. +3. Repeat step #2 two additional times to conclude three (3) +rounds of testing. For the initial activation of a filtered water +unit, a sample for coliform will be collected during one of +the three rounds of testing (see New England States’ +Sample Collection & Preservation Guidance Manual For +Drinking Water, p. 36, New England States' Sample +Collection & Preservation Guidance Manual for Drinking +Water, Revision 5.0, January 2015). +4. Upon receiving three (3) consecutive sets of sample results +at the lowest possible concentrations and one negative fecal + + +Page 13: +Superintendent’s Circular FMT-20 +Page 13 of 21 + + + +bacteria test per filtered water unit, BPS Communications +and Facilities Management will immediately implement the +Activation Communications Protocol (pg. 18). +5. Facilities Management and the head of school/principal will +select a date for activating the water unit(s) to go online. +6. Once a date has been selected, the Facilities Management +Plumbing Division will work on logistics for turning the +water unit(s) online. Logistics will include an activation flush. +Flushing Protocol +1. Food services equipment and fixtures (i.e., food preparation +sink faucets, kettles, tilt skillets, ice makers, etc.) shall be +flushed every morning for two (2) minutes prior to the +preparation of any food by the food service manager or +designated food services employee. Only cold water shall be +used for the flush and for the preparation of any food and or +beverage. The food services manager will be responsible for +keeping a daily log of all flushing activities. +2. When drinking from an online fountain, it is recommended +that the drinker first let the water run for 5-10 seconds +before drinking. This will be communicated to the BPS +community through the Implementation Protocols: +Education and Training (pg. 20). +3. Following an extended school vacation (e.g., summer +vacation, February vacation), custodians will flush all online +fountains prior to the restart of school. +4. Before watering a school garden with tap water, all +gardeners must first flush the water for 2 minutes. + + +Page 14: +Superintendent’s Circular FMT-20 +Page 14 of 21 + + + +Filter and Filtered Water Fountain Standard Operating +Procedure and Maintenance Protocol +In addition to the Annual Testing Protocol (pg. 8), BPS will collect +samples for coliform testing of filtered online water units. +In cases where coliform is present within filtered online water +units: +1. Upon notification from the BPS Sustainability and +Environmental Resources Manager, BPS Facilities +Management Plumbing Division will immediately deactivate +only the impacted online water unit(s), unless otherwise +specifically directed. These units will be made offline and +tagged “Water Shut Off. Do NOT turn on without Facilities +Management or FNS (Food and Nutrition Services) +Approval.” +2. BPS Facilities Management will provide bottled water, +bottled water units, and cups. One bottled water cooler will +be provided for each deactivated water unit (e.g. water +fountain) or as necessary to meet 248 CMR 10.00: Uniform +State Plumbing Code requirements (See: Table 1: Minimum +Facilities For Building Occupancy, available at the following +link: 248 CMR 10.00: Uniform state plumbing code). +3. BPS Communications and BPS Facilities Management will +immediately implement the Deactivation Communications +Protocol (pg. 18). +4. BPS Facilities Management Environmental and Plumbing +Divisions will inspect the impacted water unit and schedule +remediation action(s) (e.g., replacement of the filter). +5. The impacted water unit will remain deactivated until + + +Page 15: +Superintendent’s Circular FMT-20 +Page 15 of 21 + + + +remediation actions have been completed and BPS +Facilities Management Environmental Division has received +one (1) sample result absent of coliform per affected water +unit. +BPS Facilities Management will initiate and uphold a vendor +contract to replace and maintain water fountain filters once per +year or more as needed. +Daily Use/Maintenance +• Only water should be put down the drains. Anything else +can cause clogging and lead to permanent damage of the +unit and plumbing. +• Custodians are responsible for wiping down the units daily. +The units shall be cleaned using the procedures outlined for +all high touch surfaces using food grade cleaning products. + +Filter Status Indicator Light +• When the light turns yellow, the school should put in a work +order via Asset Essentials, and select “Filter Replacement”. +• The yellow light is just an indicator that the filter is +approaching the end of its life and will need to be changed +soon. The light does not indicate that the filter or water +quality is compromised. +• If a light turns red, please place one of the signs provided in +your Drinking Water Binder on the unit and encourage +occupants to utilize another unit until the filter can be +replaced. + + +Page 16: +Superintendent’s Circular FMT-20 +Page 16 of 21 + + + +Leaking/broken Unit +• If the unit has been newly installed within the last year, the +school should reach out to Audrey Ng, the Water & +Sustainability Project Manager to have the contractor +address the issue under warranty. +• If the unit is not newly installed, the school should put in a +work order via Asset Essentials to be addressed by your +plumbing supervisor. +• The school’s operations staff may choose to use the tools +provided in the Water Bottle Refill Station Repair Kit to open +and turn off the unit to stop the leaking until the contractor +arrives. +Bottled Water Protocol +• BPS Facilities Management will provide bottled water, +bottled water coolers, and cups for all offline schools, and for +any medical or food service areas that lack access to tap +water units in any online schools. +• BPS Facilities Management will cease bottled water +accounts for schools that are activated online. Bottled water +coolers will only remain in an online school in medical or +food service areas if those areas lack access to tap water +units. +• BPS Facilities Management will manage and track all +bottled water accounts. +• Heads of school/principals will develop a school-based plan +for ensuring bottled water and cups are available +continuously, without disruption, on all water coolers +throughout the entire school day, including during meal +times. Schools are responsible for calling Facilities + + +Page 17: +Superintendent’s Circular FMT-20 +Page 17 of 21 + + + +Management to order water and cups, if running low before +the existing, regular water delivery schedule. +IMPLEMENTATION PROTOCOLS: COMMUNICATIONS & +REPORTING +BPS Communications is responsible for updating and +maintaining the BPS water website at BPS Water / Boston School +Water Quality with content support from BPS Facilities +Management and BPS Department of Health and Wellness. BPS +Communications will update the BPS water website to include a +current list of online schools and the most recent annual test +results, and a current list of offline schools. These lists must be +updated every time a school is activated or deactivated. +Deactivation Communications Protocol +In cases where coliform is present or concentrations of lead and +or copper in water units used for drinking or food preparation +exceed the lead/copper action levels, BPS Communications and +Facilities Management will promptly implement the Deactivation +Communications Protocol: +1. The school’s principal/head of school will be notified of the +deactivation protocol and test results by email with the test +results and a standardized letter for the school community. +2. The letter will include the water testing results and a link to +the BPS water website, which provides resources related to +lead in the water. A letter template will be provided by BPS +Communications and BPS Facilities Management, and the +testing results will be provided by BPS Facilities +Management. + + +Page 18: +Superintendent’s Circular FMT-20 +Page 18 of 21 + + + +3. Any media statements will be managed by BPS +Communications. +Activation Communications Protocol +Upon receiving three (3) consecutive sets of sample results below +lead and copper action levels, and one negative fecal bacteria +test result for filtered water units, BPS Communications and +Facilities Management will immediately implement the +Activation Communications Protocol: +1. The school’s principal/head of school will be notified of the +activation protocol and test results. +2. The letter will include the water testing results, a link to the +BPS water website, and details regarding any water +infrastructure improvements (e.g., new fountains, filters, +pipes). A letter template will be provided by BPS +Communications and BPS Facilities Management, and the +test results will be provided by BPS Facilities Management. +The principal/head of school will share this information with +the school community. +3. BPS Facilities Management and the principal/head of school +will select a date for activating the water unit(s) online. +4. Once a date has been selected, BPS Facilities Management +Plumbing Division will implement the logistics for turning +the water unit(s) online. +ANNUAL REPORTING +BPS Facilities Management will provide water testing results and +any recent water-related information to BPS Communications for +the BPS water webpage and annual notices to the BPS + + +Page 19: +Superintendent’s Circular FMT-20 +Page 19 of 21 + + + +community. +BPS Department of Health and Wellness and BPS Facilities +Management will provide annual updates to the “BPS Drinking +Water Access Policy”, if needed. +BPS Department of Health and Wellness and BPS Facilities +Management will annually report on the implementation of the +Water Policy to the District Wellness Council and subsequently +the BPS School Committee. Following BPS School Committee +review, this information will be shared with MassDEP. + +IMPLEMENTATION PROTOCOLS: EDUCATION & TRAINING +The following BPS staff will receive annual training and +professional development about this policy and its protocols: +• Principals/heads of school will receive training at the Annual +Leadership Institute as a part of Operations and/or wellness- +related sessions. +• Food service managers and staff will receive training at the +summer training provided by Food and Nutrition Services. +• Custodians will receive training at summer training +provided by BPS Facilities Management. +• School-based staff will be trained by principals/heads of +school at the beginning of the school year, as part of the +school policies and procedures overview. +• Any new Facilities Management Environmental and +Plumbing Division staff will receive training as part of their +onboarding process. +BPS Department of Health and Wellness will educate, promote, + + +Page 20: +Superintendent’s Circular FMT-20 +Page 20 of 21 + + + +and communicate the importance and benefits of drinking +water, and collaborate with Facilities Management and Food and +Nutrition Services to communicate all aspects of this policy to +school leaders, staff, students, and school community. +BPS School Wellness Councils will include water-policy related +goals as part of their annual Wellness Action Plans. + + + + + + + +Page 21: +Superintendent’s Circular FMT-20 +Page 21 of 21 + + + +For more information about this circular, contact: +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 +Phone: +617-635-9576 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Environmental Supervisor +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Executive Director +Department: +Health & Wellness +Mailing Address: 370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-1631 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FNS-02 Emergency Meal Procedures.txt b/data/data_txt/FNS-02 Emergency Meal Procedures.txt new file mode 100644 index 0000000..b4cdb1a --- /dev/null +++ b/data/data_txt/FNS-02 Emergency Meal Procedures.txt @@ -0,0 +1,269 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-02 +Version 01 + +1 +EMERGENCY MEAL PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + In the event of an unforeseen emergency, school staff must +adhere to the following procedures to ensure meals are made +available to students in a safe and timely manner. “Emergency” is +defined as equipment breakdown, weather, facility issues, etc. or +a situation that prevents staff from serving safe meals during the +allotted mealtimes scheduled. The procedures are: +1. Principal or custodian should inform onsite food service +personnel that there is an emergency preventing the service +of meals and approximately how long the emergency will +last. Often this is difficult to assess. However, if the +emergency is anticipated to be longer than 60 to 90 +minutes after the start of the school day, alternative meal +service plans need to be made to ensure students receive +meals in a safe and timely manner. +2. The Food and Nutrition Services Department should be +informed immediately. The phone number is 617-635-9144. +The onsite Food Services Staff should also contact their +respective field coordinator. +3. Once the Food and Nutrition Services Department is +notified about the emergency, a contingency plan that + + +Page 2: +Superintendent’s Circular FNS-02 +Page 2 of 9 + +includes an alternate menu, mealtimes, or location will be +jointly decided upon. A substitute emergency meal (shelf- +stable) which meets regulations may be provided if the +emergency prevents access to the kitchen. +4. If there is an emergency just before lunch, the onsite Food +Services staff should be notified immediately. If needed, +appropriate arrangements will be made to ensure students +are fed quickly and efficiently. Food and Nutrition Services +may need to provide an alternative meal, depending on the +emergency. Delays may be expected. All staff should be +flexible and patient. +5. When and if the administration makes the decision to send +the student body to another school or alternative location, +the Food and Nutrition Services Department needs to be +notified immediately to ensure food is available at the new +location. +6. This plan of action is dependent on cooperation from +everyone. +7. During a declared state of emergency, the attached +instructions will be followed to issue USDA commodities. + + + + +Page 3: +Superintendent’s Circular FNS-02 +Page 3 of 9 + +For more information about this circular, contact: +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9158 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 4: +Superintendent’s Circular FNS-02 +Page 4 of 9 + +MASSACHUSETTS PLAN FOR UTILIZATION OF USDA DONATED +FOODS FOR DISASTER RELIEF +1. Purpose: The purpose of this plan is to establish the +procedure for obtaining the United States Department of +Agriculture (USDA) donated commodities in Massachusetts +during a presidential disaster. +2. Background: The Secretary of Agriculture is responsible for +ensuring that adequate stocks of food are available for +group feeding or household distribution in any area +suffering from a major disaster or emergency. During a +disaster, food that has been purchased by the USDA for use +in the state's food programs is made available to disaster +organizations in that state. Food that is stored in school or +state warehouses can be used immediately. The USDA will +replace this food. +3. General: +• USDA donated foods will not be distributed to +individual families except when the Secretary of +Agriculture determines that the commercial channels +of trade have been disrupted because of the +emergency caused by a disaster. +• In Massachusetts, USDA foods (which become the +property of the Commonwealth) are distributed by the +Massachusetts Department of Elementary and +Secondary Education, Nutrition Programs and Services, +75 Pleasant Street, Malden, MA 02148-4906. +• Contact should be made with the local authorities to +establish a plan to procure these items. All foods are +free of charge to the Red Cross. There may be a small + + +Page 5: +Superintendent’s Circular FNS-02 +Page 5 of 9 + +service charge for handling. +• Food items are also stored in bulk in four warehouses +throughout the Commonwealth. In the event sufficient +foods are not available in the schools, they may be +requested by the school lunch personnel through their +channels or through the American Red Cross Mass Bay +Chapter office. +• Transportation needed to move the food to the disaster +area is not available from the Department of +Elementary and Secondary Education. It is +recommended that chapters develop local +contingency plans. The key to prompt and efficient +transportation of these foods is prior planning by the +chapter. +• Food will be released when the President has declared +a disaster area, or when the Commonwealth has +requested a declaration. They will also be released +upon request of Red Cross or governmental authorities +when a disaster appears to be imminent, people being +evacuated, or mass feeding is needed for a substantial +number of dislocated families and individuals. +4. Procedure for obtaining USDA donated foods for Red Cross +mass feeding: +• When the feeding is being done by school lunch +personnel: +o They will make food available from their supply. +o When additional foods are required, they will +request them. + + +Page 6: +Superintendent’s Circular FNS-02 +Page 6 of 9 + +• When the feeding is being done by other than school +lunch personnel, the Red Cross will make its request +through the Mass Bay office of the Red Cross. It will +include a synopsis of the disaster situation and the +estimated amounts and kinds of food commodities +required. +• The nearest warehouse or other facility will be +instructed to release the food. +• The Red Cross will dispatch the necessary +transportation to pick up the foods. +• In all instances, temporary receipts will be signed, +followed by more formal procedures. +5. Procedures for returning used foods: +• If a large amount of food is to be returned, the +Department of Elementary and Secondary Education +will send an agent to the Red Cross to arrange the +details of the return. If only a small amount is to be +returned, the Red Cross will be instructed to turn it +over to the designated school in the area. In either +case, the Red Cross should obtain and file a receipt for +the returned food. +6. Procedure for reporting on USDA donated foods: +• After mass feeding is completed, the Red Cross will be +advised on the information necessary to enable the +Department of Elementary and Secondary Education +to report on commodities distributed for disaster relief, +including certification that all food products were used +in accordance with existing regulations and used for +mass feeding. + + +Page 7: +Superintendent’s Circular FNS-02 +Page 7 of 9 + +• The program for use of USDA donated foods in the +disaster will be considered completed when all unused +food has been returned and the above report has been +submitted. +American Red Cross: +Liberty Black +Director of Disaster Services +Mass. DESE: +Robert M. Leshin +Director, Office for Food and Nutrition Programs + + + + + +Page 8: +Superintendent’s Circular FNS-02 +Page 8 of 9 + +MASSACHUSETTS DEPARTMENT OF ELEMENTARY AND +SECONDARY EDUCATION +75 Pleasant Street, Malden, Massachusetts 02148-4906 + +Telephone: (781) 338-3000 +TTY: N.E.T. Relay 1-800-439-2370 +MEMORANDUM +To: +All School and Child and Adult Care Food Program +Sponsors +From: + Kathleen C. Millett +Former Executive Director, Office for Nutrition, Health +and Safety Programs +Date: + January 26, 2015 +Subject: Procedures for Using USDA Foods During an +Emergency +In the case where a school or childcare setting is officially +designated as an emergency shelter, USDA Foods may be +replaced. This memorandum serves to identify the process to use +the USDA Foods and request replacement. After approval from +this office, USDA donated foods will be made available to the +American Red Cross or public schools for feeding in a congregate +setting. The following steps are to be used to receive food +assistance for food services during an emergency declaration. +First, contact Marion Browning of the food distribution section at +mbrowning@doe.mass.edu or 781-338-6460, email is preferred, +with your immediate food needs, along with the estimated +number of meals to be served. If you are unable to reach Ms. + + +Page 9: +Superintendent’s Circular FNS-02 +Page 9 of 9 + +Browning, please email me at kmillett@doe.mass.edu or 781-338- +6479. Include the following information to the extent possible: +• Description of major disaster or emergency situation. +• Number of people requiring meals and congregate meal +service period. +• Quantity and types of food needed for congregate meal +service. +• Number and location of sites providing congregate meal +service. +Once the request for donated foods is approved, you may use any +USDA donated foods available at your school. After the crisis has +passed, please report the following information to the +commodity distribution section: +• Amount of USDA commodities actually utilized. +• Number of days of the meal service and number of meals +actually served (i.e., 2,000 persons, three meals per day for +five days). +We will make every effort to replace the value of USDA donated +foods used with inventory from our warehouse. + + diff --git a/data/data_txt/FNS-03 Competitive Foods Guidelines.txt b/data/data_txt/FNS-03 Competitive Foods Guidelines.txt new file mode 100644 index 0000000..f9fc5d1 --- /dev/null +++ b/data/data_txt/FNS-03 Competitive Foods Guidelines.txt @@ -0,0 +1,671 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-03 +Version 01 + +FOOD AND NUTRITION POLICY ON COMPETITIVE FOOD +AND BEVERAGES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +These guidelines will cover food and beverages that are sold, +provided, or served to students within school buildings or on +school grounds, in the student stores, cafeterias, classrooms, +hallways, and vending machines, all of which are sold outside of +(i.e., in competition with) the federally funded School Meal +Program. These guidelines also apply to fundraisers, classroom +activities, and school events. This includes food and beverages +supplied by schools during official transportation to and from +school and district-sponsored activities, including but not limited +to field trips and interscholastic sporting events where the school +is the visiting team. See the Implementation Guidelines section +for details. +INTRODUCTION +In response to continuing concerns regarding childhood +overweight and obesity as well as other diet-related diseases in +our city’s school-aged children, the Boston School Committee +has approved the following policy language regarding beverages +and food in schools. + + +Page 2: +Superintendent’s Circular FNS-03 +Page 2 of 21 + +These guidelines were first adopted on July 1, 2004, and were +implemented with the start of school in September 2004. They +were updated in April 2011 and June 2015 to take into +consideration new federal and state nutrition guidelines that +impact the overall health and wellness of our students and staff, +specifically the Healthy Hunger-Free Kids Act, 2010. Most recently, +they were updated in August 2017 to reflect changes in the +District Wellness Policy. This document is intended to assist +school administrators in implementing these guidelines in their +schools. +All such competitive foods shall meet the criteria outlined in the +implementation guidelines that follow. This includes food and +beverages sold, provided, or served to students in: +● School cafeterias, specifically “a la carte” entrees and +snacks +● Vending machines +● School stores +● School snack bars +● Concession stands +● Classrooms and hallways +● Booster sales +● Fundraising activities +● School-sponsored or school-related events, including +those with school-sponsored transportation occurring off +school grounds, such as sporting events and field days +● Food trucks on school grounds + +These guidelines apply to entrees, snacks, side items, and +desserts offered or sold outside of the school meals program. + + +Page 3: +Superintendent’s Circular FNS-03 +Page 3 of 21 + +Items that would be considered entrées if sold in the +reimbursable meal program, but are sold a la carte as +Competitive Foods, are not subject to these guidelines. This +policy will be reviewed once yearly by a sub-committee of the +Boston Public Schools (BPS) District Wellness Council. +BACKGROUND +Schools across the city, state, and nation have been grappling +with developing meaningful and applicable guidelines on this +issue of obesity for the past decade. Earlier “Competitive Food +Guidelines,” set forth by USDA and individual state departments +of education, prohibited only the sale of foods of minimal +nutritional value (Federal Register: 7 CFR Part 210.11). These +standards attempted to address types of foods and beverages +sold, provided, or served to students within school buildings. +While some state standards may have been useful thirty years +ago, most are outdated, as they do not address the growing +availability of vending machines, foods, candy, and soda sold +inside and outside of the cafeteria at fundraisers or in student +stores. Competitive foods are relatively low in nutrient density +and high in fat, added sugar, and calories. Neither a la carte nor +competitive foods are bound by dietary guidelines that the +National School Lunch (NSLP), National School Breakfast, and +After School Snack Programs must adhere to. +National and state departments of education, school boards, food +policy advocacy organizations, the American Academy of +Pediatrics, the Center for Science in the Public Interest, state +dietetic and school food service associations, and other +representative groups have met over the past several years to +establish or recommend nutrition standards to promote healthy + + +Page 4: +Superintendent’s Circular FNS-03 +Page 4 of 21 + +eating habits among children. Massachusetts A La Carte Food +Standards to Promote a Healthier School Environment is a +guideline that has been established by the Massachusetts Action +for Healthy Kids, first adopted in January 2004 and updated in +December 2009. These guidelines, along with the Institute of +Medicine, the Alliance for a Healthier Generation Competitive +Foods and School Beverage Guidelines, nutrition standards from +the School Nutrition Bill (H4459, S2322), and the HealthierUS +School Challenge informed the latest revision to our policy. In +accordance with Mayor Menino’s Executive Order Relative to +Healthy Beverage Options1, all beverages sold on school grounds +shall meet the city’s Healthy Options Beverage Standards. +POLICY +The Boston Public Schools supports lifelong healthy eating habits +for all students and staff and is committed to addressing the +increasing rates of diet-related health consequences among +these groups by creating a healthy school food environment. +Serving healthy choices in the lunchroom, limiting availability +and marketing of unhealthy foods and sugary drinks, and making +water available to students throughout the day are some of the +ways to create a healthy school food environment. BPS is +committed to ensuring food sold or served outside of the +cafeteria meets high nutritional standards. +BPS believes the cafeteria is an essential setting to educate and +promote healthy eating habits. BPS is committed to serving +students nutritious and delicious food that is less processed, +more locally sourced, and culturally responsive to reflect the +diverse student population. As an effective way to improve the +nutritional quality of foods served in schools and consumed by + + +Page 5: +Superintendent’s Circular FNS-03 +Page 5 of 21 + +students, the district created and implemented menu and +ingredient guidelines exceeding federal requirements. BPS will +continue a constant review of school food and the food +environment to ensure safety, quality, menu equity, and +innovation. The district will be an innovator with school food, +serving foods that are new and exciting for the students. We +believe that students deserve meals reflective of their culture and +tastes. We believe eating well is not a privilege; it is a right. +Key requirements of creating a healthy school food environment +are: +School Meals Program +● Ensure all menus meet USDA-mandated requirements, as +well as Massachusetts Department of Public Health +regulations and the latest scientific evidence on healthy +eating practices. At a minimum, schools must follow +Bronze status standards for the Alliance for a Healthier +Generation2, and work toward Bronze status standards +for the HealthierUS School Challenge3. +● Ensure all menus offer variety and are well presented in +an appealing way, and meals and menu items are labeled +to communicate deliciousness, as well as specific +ingredients. +● Encourage students to participate in breakfast, lunch, and +afterschool meals programs and avoid stigmatizing +children who participate. +● Provide food with “clean” labels that are free of unwanted +ingredients, including trans fats, high fructose corn syrup, +artificial colors, artificial sweeteners, additives + + +Page 6: +Superintendent’s Circular FNS-03 +Page 6 of 21 + +(azodicarbonamide, bromated flour), and artificial +preservatives (nitrates, nitrites, sulfates, sulfites, MSG, +BHA, BHT, TBHQ). +● Reduce material used for packaging, sourcing recyclable +or compostable materials when possible, and working to +promote best practices around recycling and +composting. +● Make water available at no cost during mealtimes +wherever meals are served. +Food Safety +● Ensure kitchen facilities (both prep and satellite locations) +are inspected twice a year by the Inspectional Services +Division (ISD - Health Department). +● Implement a stringent and detailed internal Hazard +Analysis and Control Points (HACCP) plan that provides +regulations in following safety procedures for food recalls, +emergency preparedness to avoid foodborne illnesses, +and the spread of infectious diseases. +● Ensure all employees who work 5+ hours are Food Safety. +● Ensure all lead employees are allergy awareness certified +and have American Heart Association HeartSaver First Aid +Program 2-year certification. +Nutrition Education, Promotion and Food & Beverage Marketing +● Promote health and nutrition messages that encourage +the consumption of fruits and vegetables, whole grains, +healthy fats, low-fat dairy products, and water; and other + + +Page 7: +Superintendent’s Circular FNS-03 +Page 7 of 21 + +messages consistent with research-based findings that +indicate a positive impact on health. +● Identify opportunities to teach healthy eating habits in +health education, physical education, and other subjects, +and through cafeteria and other school-wide promotions. +● Identify opportunities to support teachers, school staff, +and parents around modeling healthy eating habits and +following appropriate nutritional standards at school +celebrations and staff meetings. +● Only allow food and beverage marketing on school +grounds, including items shared with students, that +promote foods and/or beverages that meet the BPS +nutritional standards. +Competitive Food & Beverages +● Follow federal, state, and local laws and Forbid the sale of +food and beverages by anyone other than the Food and +Nutrition Services Department, which is solely responsible +for food and beverages sold to children during the school +day. regulations for competitive foods and beverages (i.e., +foods sold, provided, or served within school buildings or +on school grounds outside of the school meals program) +in all schools, as outlined in this circular. +● Prohibit food sold in competition with school meals, +including food-based fundraisers and vending machines +during the school day. +● Encourage non-food alternatives for school fundraisers, +school parties, and classroom celebrations. + + +Page 8: +Superintendent’s Circular FNS-03 +Page 8 of 21 + +● Prohibit the use of food and beverage as a reward or +means of discipline. +All BPS schools shall follow Food and Nutrition Services policies +and circulars. +IMPLEMENTATION GUIDELINES +Competitive Food and Beverages +Regulations on competitive food sales in schools and vending +machines are contained in regulations established by the + + +Page 9: +Superintendent’s Circular FNS-03 +Page 9 of 21 + +Massachusetts Board of Education. Failure to follow these +regulations may result in loss of federal funding.1,2,3,4,5,6,7 +The Food and Nutrition Services Department is solely responsible +for food and beverages sold to children during the school day; + +1 Regulatory Authority M.G.L. C.15, § 1G +2 Federal Register, 2013, 7 CFR Parts 210 and 220, National School +Lunch Program and School Breakfast Program: Nutrition +Standards for All Foods Sold in Schools as Required by the +Healthy, Hunger-Free Kids Act of 2010; Interim Final Rule, U.S. +Department of Agriculture, 78 (125) (June 28, 2013). +3 Federal Register, 2014, 7 CFR Parts 210 and 220, Local School +Wellness Policy Implementation under the Healthy, Hunger-Free +Kids Act of 2010: Proposed Rule, U.S. Department of Agriculture, +79 (38) (February 26, 2014). +4 Massachusetts General Laws (2010). Chapter 111, Section 223, +5 State of Massachusetts, Chapter 96 of the Acts of 2012 +(amendment to 2010 law),. +6 Massachusetts Department of Public Health (2010), Nutrition +Standards for Competitive Foods and Beverages in Public +Schools, 105 CMR 225.000 +7 Massachusetts Department of Public Health (2012). “Students, +Healthy Schools: Revised Guidance for Implementing the +Massachusetts School Nutrition Standards for Competitive Foods +and Beverages” + + +Page 10: +Superintendent’s Circular FNS-03 +Page 10 of 21 + +consequently, the sale of food and beverages by others is +expressly forbidden. +The income for the total food and beverage service regularly +maintained on school premises shall accrue to the school food +services program to be used solely for the operation or +improvement of such service. This shall include the income from +the sale of a la carte foods and beverages. Food sales operated for +profit (this includes bake and candy sales) shall not operate +during the regular school day. +The sale of a la carte foods shall be restricted to those items +recognized as contributing to or permitted to be served as part of +the breakfast or lunch. This restriction automatically eliminates +the sale of candy, carbonated beverages, etc. Fundraising +activities can only operate after school hours. +Canteen Services at School Site Locations +7 CFR 210, 220 Competitive Foods: Federal regulations prevent +the sale of candy, gum, and carbonated beverages to students on +school premises from the beginning of the school day to the end +of the last lunch period. +The sale of food items from canteen trucks (with the exception of +an open campus), school stores, or other areas that compete with +school meals, time, and money is in violation of federal +regulations. These sales further divert income essential to the +financial well-being of the Food and Nutrition Services program. +Use of canteen services on school premises by students should +be prohibited. + + +Page 11: +Superintendent’s Circular FNS-03 +Page 11 of 21 + +Preparation of all competitive foods and beverages must meet +state and federal food safety guidelines. +In accordance with 105 CMR 225.100, nutrition information must +be made available to students for non-prepackaged competitive +foods and beverages as of August 1, 2013. This requirement shall +not apply to the sale or provision of fresh fruits or fresh +vegetables, and foods or beverages sold during the school day at +booster sales, concession stands and other school-sponsored or +school-related fundraisers and events. +No competitive food and beverages shall be sold, served, or +provided during school mealtimes. +Implementation guidelines must comply with or exceed nutrition +standards delineated by 105 CMR 225.000: Nutrition Standards +for Competitive Foods and Beverages in Public Schools. +All foods sold, served, or provided at schools should meet the +guidelines given in FNS-06. +Beverages +The total beverage product line must meet the following criteria: +● Schools may sell, provide, or serve only plain water and +juice. All milk is unflavored. No flavored milk will be +offered to students. Beverages such as soft drinks, fruit +drinks with the minimal nutritional value, and sports +drinks cannot be sold, provided, or served to students +anywhere in school buildings or on the school campus. +● Plain drinking water must be readily available during the +school day at no cost. + + +Page 12: +Superintendent’s Circular FNS-03 +Page 12 of 21 + +● Drinking water must be caffeine-free, have 0 mg of +sodium, and have no nutritive or non-nutritive +sweeteners. Natural flavorings and carbonation are +acceptable. +● Beverages shall not contain added sugars, including high +fructose corn syrup and non-nutritive sweeteners. +● No beverages shall contain artificial sweeteners. +● Competitive juice beverages will not be offered in +elementary schools (i.e., grades PreK-5). Fruit and/or +vegetable based drinks sold in middle and high schools +(i.e., grades 6-12) must be composed of no less than 100% +fruit/vegetable juices with no added sweeteners, not to +exceed 4 ounces in middle schools (i.e. grades 6-8), and +not to exceed 8 ounces in high school (i.e., grades 9-12), +with 120 calories/8 oz. plus 10% Daily Value of 3 vitamins +and nutrients, such as Vitamin A, C, D and calcium +● All milk and milk substitute products shall be pasteurized +fluid types of low fat (1%) or skim (fat free) milk which +meet USDA, state, and local standards for milk. All milk +shall contain Vitamins A and D at levels specified by the +Food and Drug Administration and shall be consistent +with the state and local standards for such milk. All milk, +flavored milk, and milk substitute container sizes shall not +exceed 8 ounces. +● Soy, rice, and other milk-substitute drinks shall be +calcium and vitamin-fortified and shall contain no more +than 22 grams total sugars per 8 ounces. +● No beverages shall contain more than trace amounts of +caffeine. + + +Page 13: +Superintendent’s Circular FNS-03 +Page 13 of 21 + +● City of Boston agencies in BPS buildings may offer 8 oz. of +100% juice or low-fat and nonfat milk products in vending +machines available only outside of the school day. +Foods +Fresh fruits and/or non-fried vegetables must be offered +wherever competitive foods are sold, provided, or served to +students except in non-refrigerated vending machines and +vending machines offering only beverages. Use of fryolators in +preparing competitive foods is prohibited. +In addition, competitive foods must meet the following +nutritional criteria per item: +• Any other food that meets all the following criteria: +a. ≤ 35% of total calories from fat. +i. Nuts, nut butters, and seeds are exempt from +above limitation and are permitted if served in 1 oz +portions. +ii. Fruit and nut combination products are exempt +from the above limitation. +iii. If products are dairy, they must be non-fat or low +fat dairy. + + + +Page 14: +Superintendent’s Circular FNS-03 +Page 14 of 21 + +b. ≤ 10% of calories from saturated fat OR ≤1g saturated +fat +i. Nuts, nut butters, and seeds are exempt from +above limitation and are permitted if served in 1 oz +portions. +c. 0g trans fat +d. ≤ 35% of weight from total sugars in foods +i. Non-fat or low-fat yogurt with a maximum of 30g +sugar per 8 ounces. +e. ≤ 200 mg sodium +i. A la carte entrees like cheese sandwiches, +vegetables with sauce, and soups must be less +than 480 mg sodium if they contain one or more +of the following: +1. ≥2g fiber +2. ≥5g protein +3. ≥10% DV of Vitamin A, C, E, folate, calcium, +magnesium, potassium, or iron +f. Meet 1 of the following calorie requirements: +i. +≤100 calories +ii. +Vegetables with sauce and soups can have 150 +calories if they contain two or more of the +following: ≥2g fiber; or ≥5g protein; or ≥10% DV of +Vitamin A, C, E, folate, calcium, magnesium, +potassium, or iron; or ≥½ serving (¼ cup) of fruit +or vegetables. +iii. +Other foods can have calorie limits per below if +they contain one or more of the following: + + +Page 15: +Superintendent’s Circular FNS-03 +Page 15 of 21 + +1. ≥ 2g fiber +2. ≥ 5g protein +3. ≥ 10% DV of Vitamin A, C, E, folate, calcium, +magnesium, potassium, or iron +4. ≥ ½ serving (1/4 cup) of fruit or vegetables: +a. +≤ 150 calories for elementary schools +b. +≤ 180 calories for middle and +c. +≤ 200 calories for high schools +• Bread and other whole grain-based products shall have a +whole grain (such as whole wheat) listed as the first +ingredient or contain grains that are at least 51% whole +grains. +• No more than trace amounts of caffeine are allowed in +foods. +• Foods must contain no artificial sweeteners. +• Foods must have limited added sweeteners as much as +possible. +• Fruits shall have no added sweeteners and have 0g total fat. +Since fresh fruits and vegetables vary in size and calories +naturally, they have no calorie limit. +• Fruits packaged in their own juices or dried will not exceed +the following calorie limits: 150 calories for elementary +schools, 180 calories for middle schools and 200 calories for +high schools. +• Dried fruit and nut combination products (commonly +known as trail mix) can be included within these guidelines +if they meet the following standards: +a. The items found in the combination product include +only unsweetened dried fruit, nuts, and/or seeds. + + +Page 16: +Superintendent’s Circular FNS-03 +Page 16 of 21 + +b. The product contains no added sweeteners. +c. The combination product is exempt from the ≤ 35% of +total calories from fat requirement, but must meet all +requirements around calories, saturated fat, trans fat, +sodium, sugar, and positive nutrients. +• Any one egg or equal amount of egg equivalent is allowable +if it contains no added fat. +• Any reduced-fat or part-skim cheese ≤1 oz. +Time Of Day +The guidelines apply to all food and beverages (outside the USDA +School Meals and After School Snack Program) provided to +students on school grounds during the regular and extended +school day when events are primarily under the control of the +school or third parties on behalf of the school. +The extended school day is the time before or after the official +school day that includes activities such as clubs, yearbook, band +and choir practice, student government, drama, sports practices, +intramural sports, and childcare/latchkey programs. +Vending machines, including those controlled by other entities in +BPS buildings and grounds, shall comply with these guidelines at +all times. Automatic timers will be used to limit access to +competitive foods and beverages in vending machines during +the school day, including during school mealtimes. +Fundraisers, Classroom Parties, Food Rewards, and Meetings +All fundraisers must meet Boston Public Schools’ +implementation guidelines for competitive food. No food-based + + +Page 17: +Superintendent’s Circular FNS-03 +Page 17 of 21 + +fundraisers are permitted during school meals. The building +administrator or designee is responsible for approving all +fundraisers. Classroom parties must also comply with Boston +Public School’s competitive food guidelines and notification of +the cafeteria manager is requested to help the cafeteria plan +appropriately. Principals and staff will promote a school +environment supportive of healthy eating. Adults are encouraged +to model healthy eating by serving nutritious food and beverages +at school meetings and events. +Teachers and staff should refrain from providing candy and +snacks of minimal nutritional value as rewards for students and +instead integrate practices of non-food rewards. Food and +beverage cannot be used as a reward means of discipline. +If schools participate in fundraising involving food and beverages, +the fundraiser should support a healthy school environment and +be free from solicitation of foods that do not meet the +specifications of the Dietary Guidelines for Americans. +Fundraisers should not include the sale of candy, beverages, and +snacks that do not meet the Boston Public Schools’ +implementation guidelines for competitive foods. + +Schools should develop communication and tools to provide to +PTA and other groups who are conducting fundraising, +celebrations, meetings, and rewards for the school so that non- +food activities are used. +Allergies +Schools should consider all students with food allergies and +make appropriate plans and accommodations in any food-based + + +Page 18: +Superintendent’s Circular FNS-03 +Page 18 of 21 + +fundraiser, celebration, and/or reward according to the guidance +provided in Superintendent’s Circular SHS-11, which provides +more information on student allergies. +Support For Implementation +This is a citywide initiative, with the Boston Public Schools taking +the lead to implement healthy snack and beverage guidelines. +The Mayor’s Office, the Boston Public Health Commission (BPHC), +and the Boston Centers for Youth and Families (BCYF) are all in +full support of these policies. +To assist with this transition, Food and Nutrition Services will +continue meeting with vendors and manufacturers to discuss +product specifications that meet these guidelines. Language +referencing new policies is included in the Request for Bids for +beverages, dairy and ice cream, and snack food products. +Vendors who are awarded single-year or multiple-year contracts +must comply with the stated guidelines. +With assistance from the School Wellness Council, students, +teachers, parents, and administrators will be informed and +educated about the new guidelines. Technical support will be +provided to help schools and agency partners adjust to the +revised standards, including providing resources on healthful +forms of fundraising and meeting guidelines. The +Commonwealth of Massachusetts passed a School Nutrition Bill +(H4459, S2322). The BPS implementation guidelines have been +revised to include state nutritional standards. +MONITORING AND COMPLIANCE +Schools will monitor compliance in the following ways: + + +Page 19: +Superintendent’s Circular FNS-03 +Page 19 of 21 + +● School wellness councils should assess and track their +school’s compliance with this policy and include +implementing goals on their Wellness Action Plan to +ensure compliance with the policy. +● All schools will biennially complete the School Health +Profiles Surveys (Profiles), including questions on +competitive foods and beverages. Individual school +reports will be shared back with schools after completing +Profiles, stating whether the school is complying with the +policy. +The principal and relevant operational leaders will be notified by +FNS and the Office of Health & Wellness if a school is found to not +be compliant. School administration, families, students, and +Wellness Council will be provided information about the policy to +engage and support monitoring, enforcement, and compliance. + + + + +Page 20: +Superintendent’s Circular FNS-03 +Page 20 of 21 + +DEFINITIONS +Food of Minimal Nutritional Value: Food that provides less than +five percent of the Reference Daily Intakes (RDI) for each of eight +specified nutrients per serving. +A La Carte Foods: Sold typically in the cafeteria by the school +food service department. They are separately and individually +priced and are not usually part of the NSLP. +Competitive Foods: Competitive foods or beverages means all +foods or beverages sold or provided in public schools, other than +non-sweetened carbonated water and those items sold or +provided as part of federal nutrition programs such as the School +Breakfast Program, School Lunch Program, and the Child and +Adult Care including those offered in: School cafeterias; school +stores; school snack bars; concession stands, booster sales, +vending machines; fundraising activities; school-sponsored or +school-related events; food trucks, and any other location in +public schools. +REFERENCES +Alliance for a Healthier Generation Standards +Healthier US School Challenge Standards + + + + + + + +Page 21: +Superintendent’s Circular FNS-03 +Page 21 of 21 + +For more information about this circular, contact: + +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: 370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9143 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Executive Director +Department: +Office of Health and Wellness +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-6643 +Fax: +617-635-1502 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FNS-04 Responsibilities4 Regarding School Food Services.txt b/data/data_txt/FNS-04 Responsibilities4 Regarding School Food Services.txt new file mode 100644 index 0000000..ab5a633 --- /dev/null +++ b/data/data_txt/FNS-04 Responsibilities4 Regarding School Food Services.txt @@ -0,0 +1,331 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-04 +Version 01 + +1 +RESPONSIBILITIES REGARDING SCHOOL +FOOD SERVICES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Food and Nutrition services is a federally funded program. The +program’s operating revenue is supported by reimbursement +from meals served to students. The department is audited +annually, consisting of a review of the Community Eligibility +Program which includes point of service, accountability, fiscal +accountability, and overall procedures. +School leaders share responsibility with the executive director of +Food and Nutrition Services in ensuring that all federal, state, and +local regulations applicable to the school’s food services are +implemented and administered daily. There are area field +coordinators who are assigned to oversee school-site foodservice +operations. +SCHOOL LUNCH AND BREAKFAST PROGRAMS +Breakfast and Lunch Periods: +● The state mandates sufficient time must be allocated for +the students to eat lunch. At least a 30-minute lunch +period is recommended, whenever possible. No less than +20 minutes can be designated for a lunch period. + + +Page 2: +Superintendent’s Circular FNS-04 +Page 2 of 10 + +● If there is a change to the meal service time, the school +leader must notify the Food Services staff immediately. +Any changes to service impacts staffing and must be +reviewed and discussed before finalizing. +● Breakfast programs should be scheduled at least 15 to 30 +minutes before the start of school. This time is needed for +Food Services staff to have the necessary capability for +accurate meal counting and reporting. +● Supervision is required at breakfast as well as lunch +service. The school leader can make an administrative +assignment or arrange for volunteers to provide student +supervision. Food Service employees will not assume +responsibility for supervising students. +Breakfast After the Bell: +As a continuation from SY2018-2019, the Massachusetts State +Budget mandates public schools with at least 60 percent of their +student population eligible for free or reduced-price meals to +serve breakfast after the instructional day begins. All BPS schools +must comply with this regulation. +FNS understands implementing a change in breakfast service +style has its challenges and has several resources available +including marketing, equipment, and programs to ensure proper +implementation of a comprehensive breakfast after the bell +program that provides access to meals. FNS will keep cafeterias +open 30 minutes past the bell time to continue provision of +breakfast to all students. + + + + + +Page 3: +Superintendent’s Circular FNS-04 +Page 3 of 10 + +Lunch Menu: +Federal regulations mandate lunch to consist of the following: +● Meat or meat alternates +● Whole grains +● Vegetables +● Fruits +● Milk +Breakfast Menu: +Federal regulations mandate breakfast to consist of the +following: +● Meat or meat alternates +● Whole grains +● Fruits +● Vegetables +● Milk +The menu as printed must be followed by FNS staff unless onsite +food service staff receive approval from Food Services supervisory +staff to make adjustments. Menu planning is the sole +responsibility of the Department of Food and Nutrition Services. +School administrators are encouraged to discuss their menu +interest with the executive director of food services, 617-635-9144. +COMMUNITY ELIGIBILITY PROGRAM +This school year (2023-2024), in conjunction with the United +States Department of Agriculture (USDA) and the Massachusetts +Department of Elementary and Secondary Education, Boston +Public Schools (BPS) will continue to participate in the + + +Page 4: +Superintendent’s Circular FNS-04 +Page 4 of 10 + +Community Eligibility Provision (CEP), created by the Healthy, +Hunger-Free Kids Act of 2010. This is available for schools with +high percentages of low-income children to provide breakfast +and lunch to all students at no cost to them. The program +increases participation in school meals, reduces labor costs for +schools, and brings additional revenue to the school district from +the USDA. In short, it allows for a healthier student body and a +healthier school meal budget. +All students in a Community Eligibility Provision (CEP) school are +deemed as economically disadvantaged, and students are +provided all meals — breakfast, lunch, after-school meals, and +summer meals — at no cost. In the event a student requests a +second meal, the cost is $4.00 . Students must pay at the time of +the meal request. There are no credits or charges allowed. +School administrators may establish a revolving fund to cover the +cost of second meals for students without means. Second meals +will not be provided without a source of payment. +AFTER SCHOOL MEAL PROGRAM +Supper meals are available at no charge to schools that have +after school enrichment programs. Program directors must +contact this office to arrange for student meals. There is a brief +application process that should be completed at least 2 weeks +prior to program start-up. All program directors are required to +attend one mandatory annual training session. Program +administrators are responsible for completing the daily tally +sheets to document meals served. Tardy submission of these +reports could result in the discontinuance of the program. + + +Page 5: +Superintendent’s Circular FNS-04 +Page 5 of 10 + +SUMMER MEAL PROGRAM +Meals are provided throughout the City of Boston to all children. +Meals consist of breakfast and lunch and are free to all children +through age 18. +FRESH FRUIT AND VEGETABLE PROGRAM (FFVP) +The goal of the FFVP is to introduce children to fresh fruits and +vegetables, to include new and different varieties, and to increase +overall acceptance and consumption of fresh, unprocessed +produce among children. The FFVP also encourages healthier +school environments by promoting nutrition education. +USE OF SCHOOL LUNCH FOR DISCIPLINARY ACTION +● The National School Lunch Act and the State Department +of Elementary and Secondary Education prohibit the +denial of meals and milk as disciplinary action against +school children. +● Students may not be denied any part of the meal. +● Students may not have a portion of the breakfast or lunch +period taken away. +● Any action that interferes with the student’s right to +access meals or that discriminates against students in +any way in the provision of meals is prohibited. +COMPLIANCE WITH PROGRAM REGULATIONS +We ask that school administrators assist with the enforcement of +program regulations (e.g., federal regulations do not permit free +or reduced reimbursement to ineligible children. There is no +reimbursement for adult meals.) School administration will be +charged for meals in which payment has not been received for + + +Page 6: +Superintendent’s Circular FNS-04 +Page 6 of 10 + +student second meals and adult meals. Outstanding charges will +be posted against individual school instructional supply +accounts. +MEAL SERVICE ACCOUNTABILITY OF SCHOOL +ADMINISTRATORS +To participate in the school lunch and breakfast programs, it is +necessary for a contract to be in effect between the +Commonwealth of Massachusetts and the superintendent of +schools. This agreement stipulates that state-approved controls +are maintained to account for meals served. +● School administrators are required to comply with the +approved system in operation at the particular school site. +● To assist with decreasing meal waste and improving +accountability, it is recommended that elementary +teachers ask students beforehand who will be eating +lunch in the cafeteria or classroom and give that +information to the food service staff one hour before +lunch so they can have more accurate counts. +● School leaders are to ensure that all students know their +student ID numbers, required to be entered at the point +of sale for accountability of each meal. +● Milk cannot be served without payment. +● Meal counts must be taken at the “point of service” (end +of the line) when a student has received a reimbursable +meal. Five food components must be offered for lunch +and three components for breakfast. +● In schools with classroom meal service, it is necessary to +account for the meal served at the time of service. + + +Page 7: +Superintendent’s Circular FNS-04 +Page 7 of 10 + +COMPETITIVE FOOD SALES AND VENDING MACHINES +Regulations on competitive food sales in schools and vending +machines are contained in regulations established by the +Massachusetts Board of Education. Failure to follow these +regulations may result in loss of federal funding (see FNS 03 +Nutrition Policy). +Regulatory Authority: +● M.G.L. C.15, § 1G +● Federal Register, 2013, 7 CFR Parts 210 and 220, National +School Lunch Program and School Breakfast Program: +Nutrition Standards for All Foods Sold in Schools as +Required by the Healthy, Hunger-Free Kids Act of 2010; +Interim Final Rule, U.S. Department of Agriculture, 78 (125) +(June 28, 2013). +● Federal Register, 2014, 7 CFR Parts 210 and 220, Local +School Wellness Policy Implementation under the +Healthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. +Department of Agriculture, 79 (38) (February 26, 2014). +● Massachusetts General Laws (2010). Chapter 111, Section +223. +● General Law - Part I, Title XVI, Chapter 111, Section 223. +● State of Massachusetts, Chapter 96 of the Acts of 2012 +(amendment to 2010 law), Acts of 2012 Chapter 96 - +Session Laws. +● Massachusetts Department of Public Health (2010), +Nutrition Standards for Competitive Foods and Beverages +in Public Schools,105 CMR 225.000 +● Massachusetts Department of Public Health (2012). +“Students, Healthy Schools: Revised Guidance for + + +Page 8: +Superintendent’s Circular FNS-04 +Page 8 of 10 + +Implementing the Massachusetts School Nutrition +Standards for Competitive Foods and Beverages” Healthy +Students, Healthy Schools: Revised GuIdance for +Implementing the Massachusetts School Nutrition +Standards for Competitive Foods and Beverages +Only Food Services is permitted to sell to students. +The Food and Nutrition Services Department is solely responsible +for food and beverages sold to children during the school day; +consequently, the sale of food and beverages by others is +expressly forbidden. +All income must accrue to Food Services. +The income for the total food and beverage service regularly +maintained on school premises shall accrue to the school food +services program to be used solely for the operation or +improvement of such service. This shall include the income from +the sale of a la carte foods and beverages and vending machines, +managed by the Food and Nutrition Services Department. Food +sales operated for profit (this includes bake and candy sales) shall +not operate during the regular school day. + + + + +Page 9: +Superintendent’s Circular FNS-04 +Page 9 of 10 + +Food items allowed for sale: +The sale of a la carte foods shall be restricted to those items +recognized as contributing to or permitted to be served as part of +the breakfast or lunch. This restriction automatically eliminates +the sale of candy, carbonated beverages, etc. Fundraising +activities can only operate after school hours. +Vending machines: +603 CMR 29.01 Non-Profit Lunch Program/Use of Vending +Machines: Vending machines are not to be in use during school +hours. +Canteen services at school site locations: +603 CMR 29.05 Competitive Foods: +Federal regulations prevent the sale of candy, gum, and +carbonated beverages to students on school premises from the +beginning of the school day to the end of the last lunch period. +The sale of food items from canteen trucks, school stores or other +areas that compete with school meals, time, and money is in +violation of federal regulations. These sales further divert income +essential to the financial wellbeing of the Food and Nutrition +Services program. +► Use of canteen services on school premises by students +should be prohibited. + + + + +Page 10: +Superintendent’s Circular FNS-04 +Page 10 of 10 + +CATERING SPECIAL FUNCTIONS AND FIELD TRIPS +Special function considerations: +● Schools planning special activities should contact the +cafeteria manager/satellite attendant AND Office of Food +and Nutrition Services with advance notice of the event. A +written request for use of the cafeteria facility or hiring of +personnel must be made in writing at least 7 days before +the event. +● Food and supplies or cooking utensils will not be +provided free of charge. Schools requesting such services +will be charged a fee to cover costs. +● All evening and weekend functions will require hiring +Food Services staff at an overtime rate. All costs must be +paid prior to the date of the event. Credit will be given if +the event is canceled with 48 hours’ notice. + +For more information about this circular, contact: +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9158 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FNS-06 Menu Standards and Guidelines.txt b/data/data_txt/FNS-06 Menu Standards and Guidelines.txt new file mode 100644 index 0000000..d5569c4 --- /dev/null +++ b/data/data_txt/FNS-06 Menu Standards and Guidelines.txt @@ -0,0 +1,542 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-06 +Version 01 + + + +1 +FOOD AND NUTRITION SERVICES MENU AND +INGREDIENT GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools (BPS) Food and Nutrition Services +(FNS) Menu and Ingredient Guidelines are the benchmarks for +food quality, food safety, nutrition, and variety. They are applied +primarily to menu development and procurement and support +the Nutrition Standard of Food and Nutrition Services. They +pertain to all USDA programs administered by FNS. +FNS continuously monitors its work related to these guidelines +and updates them annually between school years. The guidelines +are informed by sources of evidence-based research, and ad hoc +related to ingredients and standards for operation. +FNS Menu and Ingredient Guidelines align with the Good Food +Purchasing Program and continuously strive to meet the Menus +of Change Principles of the Culinary Institute of America. These +values and principles, respectively, are embedded within the FNS +Menu and Ingredient Guidelines. +The Menu and Ingredient Guidelines are grouped below under +the following headings: + + +Page 2: +Superintendent’s Circular FNS-06 +Page 2 of 17 + + + + +A. Provide nourishing and culturally diverse food choices +according to regulations +B. Offer variety of whole, fresh, local foods +C. Establish levels for some fats, sugar, sodium +D. Eliminate additives +E. Define animal welfare standards +F. Other + +A. Provide nourishing and culturally diverse food choices that +meet or exceed USDA National School Lunch and School +Breakfast Program guidelines as well as guidelines of +Massachusetts Department of Public Health, City of Boston, +and Boston Public Schools Wellness Policy. +FNS strictly follows or exceeds the USDA National School +Lunch and School Breakfast Programs Meal Pattern for the +healthy meal choices that it offers and the frequency that +choices are served. +For Boston schools: +• Menus follow at least a four-week cycle and continuously +evolve for diversity, updates, variety, and trends, reflecting +student preferences. +• Menus for all BPS food service models are as much like +each other as possible. +• Lunch menus have at least one vegetarian entrée daily +and feature at least one vegan protein option per menu +cycle during in-person meal service. + + + +Page 3: +Superintendent’s Circular FNS-06 +Page 3 of 17 + + + +B. Offer a variety of whole foods that are fresh, high quality, +emphasize local, and foods, as purchased, that retain most +of their inherent physical, chemical, sensory and nutritional +properties. These foods should meet the food quality +requirement as noted throughout these Guidelines. +• Menus favor local, seasonal ingredients. Local items are +featured based on availability, primarily on salad bars, as +well as one or more additional local meal components +during the week, to include whole grains, fish, and dairy, +within budget parameters. Local, defined as New +England, is intended to increase in volume over time for +all service models. +• Menus offer a variety of fruits and vegetables. +o FNS offers at least two fruits (minimum one fresh; may +also serve unsweetened canned/frozen, packed in its +own juice, and dried fruit at breakfast and lunch) +o FNS offers at least three fresh vegetables and one fresh +fruit daily at schools (MWCs) with salad bars. Schools +without salad bars offer a minimum of one or more +fresh fruit and/or vegetables daily. +o Frozen and canned vegetables (salt-free or low- +sodium) may be served, as appropriate. +o Legumes/beans are offered at a minimum of once per +week at all sites for lunch. +• Menus offer legumes and beans as a plant-based protein +option to meet the meat alternate component +requirements of meal pattern. +• Menus will provide all the weekly grains as whole grain- +rich and offered in salad bars, sides, and entrees. Local + + +Page 4: +Superintendent’s Circular FNS-06 +Page 4 of 17 + + + +whole grain-rich items will be featured. +• Menus offer a variety of lean proteins, including animal +and plant-based options (i.e.., chicken, turkey, beef, fish, +tofu, beans). Menus offer commercially purchased whole +muscle meat or entrees made from whole muscle meat, +with no fillers. +• Beef is lean, USDA Grade Choice or better, and contains +100% beef only. +• Eggs are USDA Grade A or equivalent and USDA +inspected; frozen eggs are USDA inspected. +• Seafood must be U.S. Department of Commerce- +inspected. +• FNS offers foods that have as little packaging as possible, +with the goal of eliminating all but reasonable, necessary +packaging. Packaged foods include those served +selectively, at the discretion of FNS and primarily in +settings that have no cooking equipment, for Breakfast in +the Classroom, field trips, and occasionally for grab-and- +go carts. Where possible, meals offered in the classroom, +for field trips and on carts align with meals offered in +dining rooms. +• FNS is moving away from unitized/packaged meals +toward on-site meal preparation. +C. Decrease the amount of saturated fat, monitor added +sugar and excess sodium. +• Menu choices favor entrees that are low in saturated fat +(less than 10% based on the average for a 5-day menu +week). + + +Page 5: +Superintendent’s Circular FNS-06 +Page 5 of 17 + + + +• Healthy oil(s) are used in most food preparation. Butter is +used sparingly. +• All liquid milk is rBGH-free. +• All dairy is low fat (1%) or non-fat (skim), excluding butter. +• FNS currently observes USDA Target 1 sodium limits: +o In line with the federal rules, on or before school year +2024-2025, FNS intends to decrease average daily +sodium levels to reach Target 2 standards established +by the USDA Final Rule “Nutrition Standards in the +National School Lunch and School Breakfast Programs +(1/26/12)”. +• Added sugar content is monitored by following the below +guidelines, with the aim to decrease daily added sugar +intake: +o Cereal may contain no more than 6 gm added sugar +(1.5 teaspoons) (for 1 grain equivalent) and must be +identical nutritional/ingredients with retail product. +o Breakfast grain/grain components may contain up to 8 +gm (2 teaspoons) added sugar. +o For two grain equivalents, there will be no more than +14 gm (4.5 teaspoons) added sugar. +o Yogurt may have 15 gm of added sugar (4.5+ +teaspoons) or less per serving. +• Beverages may include fruit-infused water at hydration +stations in school dining rooms. +D. Eliminate additives and ingredients that aren’t needed for +product integrity. + + +Page 6: +Superintendent’s Circular FNS-06 +Page 6 of 17 + + + +• The following unnecessary or unnatural ingredients are +prohibited from menu items. +• Additives and ingredients will be monitored and adjusted +according to evidence-based research. +• Coloring: +o Artificial colors (including synthetic food dyes) +o Annatto and Cochineal extract/carmine +o Caramel color class III and IV avoided in beverages, +food, and sauces. Caramel color class IV may be +featured in gravies, which are used sparingly. +• Artificial flavors: artificial synthetic flavors +• Artificial preservatives: Benzoates & benzoic acid, +BHA/BHT/TBHQ; nitrates/nitrites; propyl gallate, sulfites +• Artificial sweeteners & other sugar free non-nutritive, low +calorie and reduced calorie sweeteners: Sucralose, +aspartame, saccharine, Neotame, acesulfame k +[acesulfame potassium] +• Flavor enhancers: GMP, MSG +• Binders and Fillers: isolate vegetable proteins and +hydrolyzed vegetable protein as filler +• Thickening agents: Carrageenan +• Caffeine +• Sugary syrups: High fructose corn syrup (HFCS), high +maltose corn syrup, high dextrose corn syrup, tapioca +syrup +• Partially hydrogenated oils; trans fats +• Emulsifiers: + + +Page 7: +Superintendent’s Circular FNS-06 +Page 7 of 17 + + + +o Brominated Vegetable Oil (BVO) +o Carboxymethylcellulose (CMC) and Polysorbates +• Flour treatment agents: (azodicarbonamide, bleached +flour, bromated flour [potassium bromate], potassium +iodate) +• Nitrites/Nitrates and Processed Meat: Meat that has been +transformed through salting., curing, fermentation, +smoking, or other processes to enhance flavor or improve +preservation. Examples of processed meat include hot +dogs (frankfurters), deli meat, ham, sausage, corned beef, +beef jerky and canned meat. +• Rendered meat, irradiated meat, meat with latent Tgf- +beta binding protein (LTBP)* +• Ammonium hydroxide, vegetable protein analogues, or +extenders +E. Work toward procurement of animals untreated with +hormones, steroids, or antibiotics that serve no vital +function. +• Due to growing concerns of animal husbandry practices, +FNS supports responsible use of antibiotics in animals. +o Menu features chickens raised without the use of +antibiotics ever. +▪ Menu features entrees utilizing chicken products +following One Health Certified (OHC) standards.37 +OHC addresses several important areas of animal +agriculture within a sustainable continuous +improvement process. +o Menu features turkey products produced under a + + +Page 8: +Superintendent’s Circular FNS-06 +Page 8 of 17 + + + +USDA process verified program that includes +compliance with the following Certified Responsible +Antibiotic Use (CRAU) criteria: +i. No administration of antibiotics pre-hatch +ii. Antibiotics with analogues in human medicine are +not allowed for: +▪ Disease prevention +▪ Growth promotion +▪ Feed efficiency, or +▪ Weight gain +iii. Antibiotics with human analogs can only be used +therapeutically to: +• Treat disease in poultry with bacterial disease +• Control disease in poultry exposed to infectious +bacteria +• FNS is opposed to the use of hormones and steroid +growth promoters in beef and dairy cattle production. +FNS continues to research food products from beef or +dairy cattle produced without hormone growth +promoters and grass-fed products as options become +available. FNS acknowledges some USDA commodity +products (beef, dairy and poultry) are purchased without +the transparency of animal practices, and therefore, FNS +limits how often these products are served. USDA +commodity proteins may be made from whole muscle +meat or restructured meat*. +F. Other guidelines are observed as follows: + + +Page 9: +Superintendent’s Circular FNS-06 +Page 9 of 17 + + + +• All school dining areas are peanut aware. No school +kitchens will serve peanuts or tree nuts. +• FNS accommodates students with medically prescribed +dietary requirements. + +For more information about this circular, contact: +Owner: +Nutrition Manager +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9144 +Email: +Operations-Department- +Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular FNS-06 +Page 10 of 17 + + + +REFERENCES +1 Center for Good Food Purchasing. +https://goodfoodpurchasing.org. Last reviewed 2020. Accessed +January 26, 2020. +2 Menus of Change. https://www.menusofchange.org. Last +reviewed 2021. Accessed May 14, 2021. +3 Michigan State University. What is a processed food? +https://www.canr.msu.edu/news/what_is_a_processed_food +4 American Heart Association. Healthy Cooking Oils. +https://www.heart.org/en/healthy-living/healthy-eating/eat- +smart/fats/healthy-cooking-oils. Last reviewed April 24, 2018. +Accessed January 14, 2020. +5 American Heart Association. Children should eat less than 25 +grams of added sugars daily. +https://newsroom.heart.org/news/children-should-eat-less-than- +25-grams-of-added-sugars-daily +6 Center for Science in the Public Interest. Chemical Cuisine, +Learn About Food Additives. https://cspinet.org/eating- +healthy/chemical-cuisine. Published 2014. Accessed June 26, 2019. +7 Kobylewski S, Jacobson MF. Food dyes: A Rainbow of Risks. +Washington D.C.; 2010. https://cspinet.org/new/pdf/food-dyes- +rainbow-of-risks.pdf. +8 Lefferts LY, Jacobson MF, MacCleery L. Seeing Red: Time for +Action in Food Dyes. Washington D.C.; 2016. +http://cspinet.org/reports/seeing-red-report.pdf. + + +Page 11: +Superintendent’s Circular FNS-06 +Page 11 of 17 + + + +9 Conners CK, Goyette CH, Southwick DA, Lees JM, Andrulonis PA. +Food additives and hyperkinesis: a controlled double-blind +experiment. Pediatrics. 1976;58(2):154-166. +10 Stevenson J, Buitelaar J, Cortese S, et al. Research review: the +role of diet in the treatment of attention deficit/hyperactivity +disorder—an appraisal of the evidence on efficacy and +recommendations on the design of future studies. J Child +Psychol Psychiatry. 2014;55(5):416-427. doi:10.1111/jcpp.12215. +11 Bateman B, Warner JO, Hutchinson E, et al. The effects of a +double blind, placebo controlled, artificial food colourings and +benzoate preservative challenge on hyperactivity in a general +population sample of preschool children. Arch Dis Child. 2004; +89:506-511. doi:10.1136/adc.2003.031435. +12 McCann D, Barrett A, Cooper A, et al. Food additives and +hyperactive behavior in 3-year-old and 8/9-year-old children in +the community: a randomized, double-blinded, placebo- +controlled trial. Lancet. 2007;370(9598):1560-1567. doi:10.1016/ +S0140-6736(07)61306-3. +13 Saeed MG, Sayeed SA, Ashraf S, et al. Investigations of In vitro +Digestibility of Proteins Bound to Food Colors. Journal of +Pharmacy and Nutrition Sciences. 2011, 1, 34-40. +14 USDA Food and Drug Administration D of H and HS. Specific +Food Labeling Requirements. Code of Federal Regulations. +https://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/CFRSea +rch.cfm?CFRPart=101. +15 Piper, P. Potential safety issues surrounding the use of +benzoate preservatives. Beverages. 2018;4(2):33. doi: + + +Page 12: +Superintendent’s Circular FNS-06 +Page 12 of 17 + + + +10.3390/beverages4020033. +16 NTP (National Toxicology Program). 2016. Report on +Carcinogens, Fourteenth Edition.; Research Triangle Park, NC: U.S. +Department of Health and Human Services, Public Health +Service. https://ntp.niehs.nih.gov/go/roc14. +17 Jakszyn P, Gonzalez C-A. Nitrosamine and related food intake +and gastric and esophageal cancer risk: a systematic review of +the epidemiological evidence. World J Gastroenterol. +2006;12(27):4296-4303. +http://www.ncbi.nlm.nih.gov/pubmed/16865769. +18 Alhoff J, Grandjean C. In vivo studies in Syrian golden hamsters: +a transplacental bioassay of ten nitrosamines. Natl Cancer Inst +Monogr. 1979;(51):251-255. +http://www.ncbi.nlm.nih.gov/pubmed/481578. +19 International Agency for Research on Cancer (IARC). IARC +Monographs evaluate consumption of red meat and processed +meat. 2015. doi: https://www.iarc.fr/en/media- +centre/pr/2015/pdfs/pr240_E.pdf. +20 National Toxicology Program. Carcinogenesis Bioassay of +Propyl Gallate in F344 Rats and B6C3F1 Mice. Bethesda; 1982. +https://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf. +21 Ham J, Lim W, Park S, et al. Synthetic phenolic antioxidant +propyl gallate induces male infertility through disruption of +calcium homeostasis and mitochondrial function. Environ +Pollut.2019 May; 248:845-856. Doi: 10.1016/j.envpol.2019.02.087. +22 Abdo KM, Kari FW. The sensitivity of the NTP bioassay for +carcinogen hazard evaluation can be modulated by dietary + + +Page 13: +Superintendent’s Circular FNS-06 +Page 13 of 17 + + + +restriction. Exp Toxicol Pathol. 1996;48(2-3):129-137. doi: +10.1016/S0940-2993(96)80033-9. +23 Soffritti M, Belpoggi F, Degli Esposti D, Lambertini L, Tibaldi E, +Rigano A. First experimental demonstration of the multipotential +carcinogenic effects of aspartame administered in the feed to +Sprague-Dawley rats. Environ Health Perspect. 2006;114(3):379- +385. http://www.ncbi.nlm.nih.gov/pubmed/16507461. +24 Schernhammer ES, Bertrand KA, Birmann BM, Sampson L, +Willett WC, Feskanich D. Consumption of artificial sweetener-and +sugar-containing soda and risk of lymphoma and leukemia in +men and women. Am J Clin Nutr. 2012;96(6):1419-1428. +doi:10.3945/ajcn.111.030833. +25 M. S, M. P, E. T, et al. Sucralose administrated in feed, beginning +prenatally through lifespan, induces hematopoietic neoplasias in +male swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: +10.1080/10773525.2015.1106075. + +26 Liauchonak I, Qorri B, Dawoud F, Riat Y, Szewczuk MR. Non- +Nutritive Sweeteners and Their Implications on the Development +of Metabolic Syndrome. Nutrients. 2019; 11(3):644. +27 Raiten DJ, Talbot JM, Fisher KD. Executive summary from the +report: analysis of adverse reactions to monosodium glutamate +(MSG). J Nutr. 1995;125(11):2891S-2906S. +http://www.ncbi.nlm.nih.gov/pubmed/7472671. +28 Bray GA, Nielsen SJ, Popkin BM. Consumption of high-fructose +corn syrup in beverages may play July 2019 a role in the epidemic +of obesity. Am J Clin Nutr. 2004; 79(4):537-543. + + +Page 14: +Superintendent’s Circular FNS-06 +Page 14 of 17 + + + +http://www.ncbi.nlm.nih.gov/pubmed/15051594. +29 American Heart Association. Trans Fats. +http://www.heart.org/HEARTORG/HealthyLiving/HealthEating/Nu +trition/TransFats_UCM_301120_Article.jsp#.V2HUpvkrJhE. +30 US Food and Drug Administration. Frequently Asked Questions +on Azodicarbonamide (ADA). +http://www.fda.gov/Food/IngredientsPackagingLabeling/FoodAd +ditivesIngredients/ucm387497.htm. +31 Bukhari SSI, Azam I, Abbasi MH, Daud M, Sheikh N, Batool A, +Mahmood R, and Mukhtar M. Effect of Alloxan on IL-6 Gene +Expression in Mus musulus. Biologia (Pakistan). 2018; 64(1):69-73. +https://www.gcu.edu.pk/Publications/Biologia/Vol64_No1_2018.pd +f#page=65. +32 International Agency for Research on Cancer (IARC). +Summaries & Evaluations Potassium Bromate (Group 2B). 1999. +http://www.inchem.org/documents/iarc/vol73/73-17.html +33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments. +https://cfpub.epa.gov/ncea/iris2/chemicalLanding.cfm?substance +_nmbr=1002. Published 2001. Accessed July 24, 2019. +34 Cornucopia Institute. Behind the Bean: The Heroes and +Charlatans of the Natural and Organic Soy Foods Industry.; 2009. +https://www.cornucopia.org/wp- +content/uploads/2017/09/behindthebean_color_final.pdf. +35 Berkeley Wellness. Ask the Experts, Hexane in Soy Food. +Berkeley Wellness, Univ Calif. May 2012. +https://www.berkeleywellness.com/healthy-eating/food- +safety/article/hexane-soy-food. + + +Page 15: +Superintendent’s Circular FNS-06 +Page 15 of 17 + + + +36 Women’s Health. ‘Soy Protein Isolate’ Is in So Many Things—But +Is It Healthy?; 2019. +https://www.womenshealthmag.com/food/a27559289/soy- +isolate-protein/. +37 One Health Certification Foundation. Five Core Principles. +https://onehealthcertified.org/about/core-principles/ +38 U.S. Department of Agriculture. Certified Responsible Antibiotic +Use. https://www.ams.usda.gov/services/auditing/crau +Minneapolis Public Schools Culinary and Wellness Services True +Food Nutrition Philosophy 2019-2020 +(https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd +f) and Culinary & Wellness Services Ingredient Guide +(https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p +df) served as models for the Boston Public Schools Food and +Nutrition Services Menu and Ingredient Guidelines. +Healthy School Campaign Ingredient Guidelines +https://www.google.com/url?q=https://healthyschoolscampaign.o +rg/dev/wp-content/uploads/2020/01/Ingredient-Guide- +2021.pdf&sa=D&source=docs&ust=1689510987098278&usg=AOvVa +w2a5uRgrXBkhb6Xz9zJ6ESc + + + + +Page 16: +Superintendent’s Circular FNS-06 +Page 16 of 17 + + + +NOTES: +*Sugar calculation + +Yogurt: +12 grams of sugar in 4 oz. of “Sweetened Yogurt” +15 grams of sugar in 4 oz. vanilla-flavored yogurt + +Breakfast Condiment: +6 grams of sugar in 1 oz. “Yogurt Dipping Sauce” +8 grams of sugar in .4 oz. of table syrup individual +package + + +Page 17: +Superintendent’s Circular FNS-06 +Page 17 of 17 + + + + + + diff --git a/data/data_txt/FSE-01 School Safety Contingency Plans.txt b/data/data_txt/FSE-01 School Safety Contingency Plans.txt new file mode 100644 index 0000000..6360748 --- /dev/null +++ b/data/data_txt/FSE-01 School Safety Contingency Plans.txt @@ -0,0 +1,1759 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-01 +Version 01 + + + +SCHOOL SAFETY CONTINGENCY PLANS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Emergencies happen randomly in time and place, but they can be +handled efficiently if you have an adequate school action plan and +an informed staff. A plan without a crisis is better than a crisis +without a plan. School administrators and staff routinely manage +crises efficiently, and a well thought out plan will ensure guidance +in a major emergency. +Boston Public Schools is a NIMS (National Incident Management +System) compliance district. NIMS uses a core set of concepts, +principals, procedures, processes, standards, and terminology that +may all be integrated with school emergency management +practices. This in part means that we use straight language and +not codes when emergencies happen. +When developing safety plans, school administrators must +consider mitigation/prevention, response and aftermath, and +components which apply to all emergency preparedness. +Prevention/mitigation +strategies +are +delineated +in +related +Superintendent’s Circulars. Appropriate response will be detailed +in your School Safety Contingency Plan. Dealing with recovery will +be addressed via Special Education and Student Services policies +and procedures and support from other BPS departments. + + +Page 2: +Superintendent’s Circular FSE-01 +Page 2 of 42 + + +It is essential that there be a consistent approach to school safety +planning throughout the district. This will ensure that each school +implements standard procedures in the event of an incident. A +defined course of action will also complement the efforts of +responding public safety agencies. +The issue of school safety planning is regularly assessed. Ongoing +risk analyses are conducted, and lessons learned from actual and +most probable school incidents are integrated with BPS safety +protocols. Although every possible contingency may not be +identified in BPS School Safety contingency plan guidelines, your +plan should serve as a multi-hazard approach for handling school +incidents. +It is the responsibility of each school administrative head to +update, review with staff and submit their School Safety +Contingency Plan no later than the last week of August each +school year. +The names of those schools which fail to comply with this directive +are forwarded to the Superintendent’s Office for appropriate +action. +Your School Safety Contingency Plan is to be completed in the +Google doc shared with the school principal/head of school. Please +use the original doc to complete your plan. Do not copy and +share. It will be automatically saved. You are allowed continuous +access to maintain its currency. It is also accessible to the +Superintendent’s Office staff and other appropriate BPS central +departments. Boston public safety agencies — police, fire, EMS +and BOEM — have access to these plans in an emergency. The +Office of Emergency Management and Preparedness is available +as a resource to assist principals/schools leaders, heads of school +and other administrative heads with access information and + + +Page 3: +Superintendent’s Circular FSE-01 +Page 3 of 42 + + +technical advice in order to complete their plans. +INSTRUCTIONS FOR UPDATING AND EDITING SCHOOL SAFETY +CONTINGENCY PLANS AND FIRE SAFETY PLANS +The following is information on how to access and edit your +building’s School Safety Contingency Plan and the building’s Fire +Safety Plan. The actual School Safety Contingency Plan for your +building was shared with you by the Director of the Office of +Emergency Management and Preparedness or Director of +Technology in a Google Doc. Use this Google Doc for all changes +and updates. Please make all changes in the original doc. Do not +save and make changes. +► If you cannot locate your plan, please contact The Office of +Emergency Management and Preparedness Operations- +Department-Heads@bostonpublicschools.org. + +Summary of significant dates and deadlines: +Date +Activity +Last Week in August +Deadline for completion and submission on Google +Doc to The Director of the Office of Emergency +Management and Preparedness of revised School +Safety Contingency Plan and review same with +staff for this school year. + +SECTION I: INTRODUCTION +The Boston Public Schools continues efforts to simplify and + + +Page 4: +Superintendent’s Circular FSE-01 +Page 4 of 42 + + +standardize school safety plans throughout the system. It is +understood that each school has its own “safety personality” based +on its construction design, location, number of staff, number and +grade level of students, as well as many other characteristics. +However, there are common elements, policies, and procedures +for all schools to follow in the event of an incident/crisis. +There are five phases of emergency management for school +administrators to consider when developing safety plans: +● Mitigation +● Prevention +● Preparedness +● Response +● Recovery +Although special emphasis is placed on spectacular and unusual +incidents by the media, there are many routine types of school +related occurrences that can also be extremely disruptive to a +school. +School administrators are called upon to deal with these +emergencies on a regular basis. In every type of school incident, +the first responders and decision makers are school-based staff. +When the scope of an incident escalates beyond the resources +available at the school, initial actions taken or not taken by those +closest to the event can help or hinder those who will arrive later +and assume responsibility for resolving the situation. +The intent of these guidelines is to assist school administrators in +creating an appropriate working plan that will direct them +through a crisis and expedite the return of their school to its +normal operation following that crisis. It is a multi-hazard +approach to school incident management. + + +Page 5: +Superintendent’s Circular FSE-01 +Page 5 of 42 + + +BPS guidelines are based on concepts utilized in an Incident +Command System developed by public safety agencies across the +nation. The following is a brief overview of the Incident Command +System. +INCIDENT COMMAND SYSTEM +ICS has been modified for our application on the school level to +manage any incident/crisis within our capacity and maintain +compatibility +with +supplementary +public +safety +agency’s +emergency plans. +In managing any incident/crisis, the paramount objectives for all +school staff are to: +● Ensure safety of all occupants +● Follow BPS Safety Plan, Safe Mode and/or Fire protocol +● Stabilize and resolve the incident when possible +● Provide support for responding public safety agencies (911 +and BPS Dispatch 617-635-8000) +● Protect school property +The Incident Command System (ICS) is based on a team concept, +where each team member has specific responsibilities. BPS will +utilize an on-site team and an off-site team that will focus on +securing the necessary support from internal departments and +external agencies. The information flow is illustrated on the next +page. +The on-site BPS Incident Control team (ICT) team model calls for +the following positions: +Site Incident Control Team +● Site Incident Control manager (SICM) +● Risk analyst + + +Page 6: +Superintendent’s Circular FSE-01 +Page 6 of 42 + + +● Safety coordinator +● Building coordinator +● Incident scribe +The roles, responsibilities and required skills for a successful Site +Incident Control Team follow: +Site Incident Control Manager +Generally, the site incident control manager (SICM) should be the +head of school/principal/director, the individual who has ultimate +responsibility for his/her school’s operation. The SICM must have +a clear understanding of the school system’s policies and +procedures. The SICM must also be able to make quality +assessments, communicate well and command others. These are +normal functions for a school’s administrator to perform. +Depending on the severity and tier level of the incident, the SICM +will establish a command post at a designated location and +activate the school’s internal team. The nature of the incident +determines the configuration of the team. In a large-scale +incident, the team can be expanded or collapsed as conditions +warrant. In a smaller school, one person may perform several tasks. +It must be understood that, initially, the SICM may be any member +of your staff who discovers or is alerted to an incident prior to +notification of the head of school/principal/director. +Risk Analyst +The risk analyst will be relied on to assess incurred injuries and +evaluate medical risks associated with developing and occurring +incidents. Recommended personnel for this role include the +school +nurse, +school +psychologist, +and +student +support +coordinator. Consideration of a school’s language requirements + + +Page 7: +Superintendent’s Circular FSE-01 +Page 7 of 42 + + +should also be included in selection of the risk analyst. +Safety Coordinator +The safety coordinator will be called upon to gather occupancy +information and to support efforts to establish control at the +incident site. Recommended personnel for this role include +School Registrar, School Police Officer, Safety Paraprofessional, +Dean of Discipline, and Transportation Coordinator. Since schools +vary in size and range of staff, Principals and Headmasters are +urged to explore their building’s total resources to assist in +identifying this team member. +Building Coordinator +The building coordinator will meet and direct responding +agencies to appropriate locations. The building coordinator will +also assess building security. Due to familiarity and knowledge of +the assigned school and its systems, the senior building custodian +is the suggested primary designee for this role. +Incident Scribe +The incident scribe will be responsible for documenting the +chronology +of +events. + +This +position +will +require +good +organizational skills and willingness to support the rest of the on- +site Incident Control Team members. Suggested staff includes the +school secretary or the person in your building responsible for +organizing student arrival and dismissal. +Smaller schools with limited numbers of administrators or support +staff may find it necessary to have team members perform more +than one role. +Classroom teachers are not recommended as potential members + + +Page 8: +Superintendent’s Circular FSE-01 +Page 8 of 42 + + +of the on-site team. Experience indicates it is best for classroom +teachers to remain with their assigned classes during critical +events. A resource guide for classroom teachers is included in the +Emergency Response Guidelines. +CENTRAL INCIDENT MANAGEMENT +The BPS adaptation of the Incident Command Structure will +include the establishment of an off-site team that will support the +efforts of the on-site team. The components of this off-site Crisis +Command Team will include Facilities Management, Emergency +Management, Transportation, Superintendent’s Office, Student +Support Services, Safety Services, and other areas that might be +required as incidents evolve. The external team will provide liaison +support to any agency required by a situation. + + + + +Page 9: +Superintendent’s Circular FSE-01 +Page 9 of 42 + + +Central Incident Management Team +Group +Primary +Phone +Facilities Management Executive Director of +Facilities +(617) 635-9126 +BPS Emergency +Management +Director of +Emergency +Management +(857) 701-9404 +(617) 635-6082 +Transportation +Chief of +Transportation +(617) 635-9520 +Behavioral Health +Services (BHS) +Chief of Student +Services +(617) 635-9676 +Safety Services +Chief of Safety +Services +(617) 635-8000 + +Superintendent’s +Office +Deputy Supt of +Operations +(617) 635-9643 + +Office of Technology +CIO/Director +(617) 635-9200 +Communications +Department +Chief of +Communications +(617) 635-9265 + +In many instances, this sophisticated level of staffing may not be +required. However, considering identified functions requiring +performance in a crisis, the model ICS structure can be modified +for a specific application to ensure completion of critical +communications and data sharing tasks. It is important to +understand that the incident command system is driven by +functions being performed and not simply staffing positions. + + +Page 10: +Superintendent’s Circular FSE-01 +Page 10 of 42 + + +PUBLIC SAFETY RESPONSE +Should an incident necessitate a response by non-school +department public safety resources based on the assessment of +the school SICM, they will be met by the building coordinator and +informed of the nature of the incident and location of the school +command post. +Should conditions warrant, public safety personnel might assume +primary responsibility and command. The responding public +safety officials may activate their own command post, at which +time an official from the impacted school may be requested to +take a position at that location. +INCIDENT TYPE AND RESPONSE +The BPS adaptation of the Incident Command System calls for +classification of an event or developing situations to be +categorized by the following tier level concepts. The initial +assessment must quickly determine if the best response is safe +mode or evacuation. +School related incidents will be classified according to a level of +seriousness (Tiers I, II, III). Appropriate school response to these +tiers would be to initiate emergency procedures, standby or +monitor the situation, or introduce proactive measures with +careful monitoring of developing situations. The appropriate +response or modes required by the SICM’s evaluation are defined +as follows: +Tier I – Any Situation That Requires Immediate 911 Response +Tier II – Stand By and Response Planning Mode +Tier III – Proactive Prevention and Monitoring Mode + + + +Page 11: +Superintendent’s Circular FSE-01 +Page 11 of 42 + + +DEFINING INCIDENT RESPONSES BY TIER LEVEL +Situations will be categorized by the Site Incident Control +manager (SICM) as a Tier I, Tier II, or Tier III issue. +Tier I – Presents Imminent Danger to Students, Staff, and +Property beyond the School’s Ability to Control +● Bomb threat +● Fire alarm +● Armed person on or near +site +● Hostage situation +● School bus accidents +● Medical emergencies +● Hazardous materials +incident +● Gas leak +● Suicide threats +● Fire +● Explosion +● Kidnapping +● Sexual assault +● Lost or missing children +● Violent behavior +● Psychiatric emergency +● Chemical spills +● Natural disasters +Tier II – Presents Potential Danger to Students, Staff and +Property +● Suicide warnings / signs of depression +● Weather warnings +● Environmental issues +● Facilities failures +● Increased gang activities +● Communicable diseases +● Custody issues +Tier III – Conditions Indicate a Threatening Situation is in +Formative Stage +● Sexual harassment +● Intimidating behavior + + +Page 12: +Superintendent’s Circular FSE-01 +Page 12 of 42 + + +● Increasing levels of vandalism +● Inappropriate communications +● Inappropriate internet use +● Rumors +● Other incidents that warrant further monitoring +CRITERIA FOR DEFINING TIER LEVELS +Tier I +Tier I situations present imminent danger to students, staff, +and property beyond the school’s ability to control and +typically involve a 911 emergency response. +Tier I situations require an immediate SICM assessment to +determine the scope of response required, i.e., some +situations requiring 911 response may be contained by the +arrival of the appropriate responding 911 unit. For example, a +relatively small laceration requiring sutures by EMS would +not require the same scope of response as a bomb scare that +requires evacuation of the building. +The traditional response to emergencies that have school- +wide impact is often limited to school evacuation. These +guidelines, in response to new dimensions in school safety, +call for a determination by the SICM to identify if evacuation +or safe mode is a component of the response for the situation +at hand. +In the Emergency Guidelines portion of this document, the +terms Tier I – Red (Safe Mode) and Tier I – Green (Evacuation) +are introduced to signal the SICM’s assessment to the specific +situation at hand. +Tier I – (Safe Mode): students and staff staying in place within + + +Page 13: +Superintendent’s Circular FSE-01 +Page 13 of 42 + + +the building is appropriate. The safe mode may entail locking +in place or relocation to another part of the building. +Tier I – (Evacuation): evacuation from the building has been +determined as the appropriate response. +The use of the terms Tier I – Safe Mode and Tier I – Evacuation +is limited to Tier I events. +Please note that some Tier I (911) situations will not require +use of the Red or Green designations; the laceration versus +bomb scare example illustrates the distinctions that must be +made regarding the scope of required response. The location +of an armed person outside versus inside a building, or a +hazardous material release near or in the school, illustrates +the need for evaluating whether evacuation or a safe mode +process should be implemented. +The range of response required must be determined by the +SICM. The SICM determines if additional resources need to +be activated. The SICM also indicates if a Tier I – Evacuation +or Tier I – Safe Mode situation exists. + + + + +Page 14: +Superintendent’s Circular FSE-01 +Page 14 of 42 + + +Tier II +Tier II situations present potential danger to students, staff, +and property. +Tier II situations indicate that a standby and response- +planning +mode +is +required. This +entails +gathering +information, developing plans, and notifying appropriate +agencies. +Tier II major situations could include neighborhood fires that +potentially threaten nearby schools, or transportation +accidents involving the transport of hazardous materials. A +less dramatic situation would be a power failure that might +eventually require early dismissal or relocation of students. +As in Tier I, the SICM determines the scope of response +required. +Tier III +Tier III conditions indicate a threatening situation is +developing. Collaboration and communication within and +beyond the BPS support structure is required to ensure +appropriate resources are engaged early to minimize further +development of the threat. +Preventative measures, including proactive engagement by +required support functions or intervention by appropriate +agencies during formative phases, will decrease the +occurrence of critical incidents within our schools. +Tier III situations are occurring daily throughout BPS schools. +Tier III conditions encompass a broad spectrum of behavioral +issues and involve both individuals and groups. Many serious + + +Page 15: +Superintendent’s Circular FSE-01 +Page 15 of 42 + + +safety incidents are preceded by actions that should raise +flags. For example, the appearance of gang related clothing +among students indicates the need for conversations with +gang intervention personnel. Suspicion of abuse or neglect, +or the observance of depression warning signs in individuals, +requires follow up by Student Support staff and possibly the +engagement of external support providers. +Tier III conditions are likely to be first observed by classroom +teachers who become aware of behavior that warrants +further monitoring. +Observation and communication of Tier III situations, which +receive prompt application of Safety Services and Student +Support Services prevention practices and our expanded +support resources, offer the greatest area for positive impact +to our school safety environment. +When members of the onsite Incident Control Team are +informed or observe a Tier III situation, the SICM will identify +and contact the appropriate resources. +SECTION II: GUIDELINES +Initial School Actions +An individual discovering or receiving information about an +incident will make a quick assessment and determine if an +immediate 911 contact is required. If the assessment indicates that +911 supports are required, that individual should contact 911 and +then proceed to notify the Site Incident Control manager (SICM). +For all other situations, the SICM will make the initial assessment +and then notify the onsite Incident Control Team (ICT) of the +situation. The SICM will also initiate contact with other required + + +Page 16: +Superintendent’s Circular FSE-01 +Page 16 of 42 + + +support groups as required. While awaiting the arrival of +requested support, the SICM and ICT will use those critical minutes +to initiate the following eight steps: +1. Classify the tier level and determine the appropriate response +mode: +a. Contact 911 +b. Stand-by and response planning +c. Proactive prevention and monitoring +2. Implement evacuation or safe mode decision +3. Establish communications +4. Identify the danger zone +5. Identify and request needed resources +6. Open a command post +7. Activate staging areas +8. Compile occupancy data +Further details for Steps 1-8 above are as follows: +1. Classify the Tier level. +● Tier I: +Any situation that requires a 911- assistance mode +also requires that the need for an evacuation or +containment response be assessed. +● Tier II: Standby and appropriate response planning mode. +● Tier III: Proactive / prevention and monitoring mode. +Examples of specific tier incidents are included in the +introduction section. +2. Implement Evacuation or Safe Mode Procedures. +Evacuation — Based upon assessment and policy, the SICM +will determine the need for evacuation. If evacuation is +warranted, it will begin upon the communication of a +predetermined signal (fire alarm, intercom, bell, buzzer, + + +Page 17: +Superintendent’s Circular FSE-01 +Page 17 of 42 + + +other). All building occupants will respond to this signal and +immediately evacuate according to prescribed routes. +Notification procedures for Tier I – (Evacuation) should be +entered in the computerized School Submittal Section of +your (Step I, section d) school safety plan. +Each school must have established primary and secondary +evacuation routes +to +be followed +during +drills +and +emergencies. Evacuation routes, which are also an element +of your Fire Safety Plan, should be inspected prior to +utilization and the appropriate one determined during +assessment of the situation. +Assembly areas must also be predetermined for all school- +building occupants upon their exiting the school. This is a +critical time during an emergency, and student / staff +accountability measures must be accomplished at this +point. Evacuation may be to a primary, secondary, or to your +off-site (alternate) location(s). These locations require +assessment during plan development, and at the time of the +incident, to ensure adequacy. This information will be +entered in the computerized School Submittal Section (Step +I, Section B) of your school safety plan. +Safe Mode — Safe Mode is an alternative response to +evacuation procedures. Notification procedures (Safe Mode) +should be entered in the computerized School Submittal +Section (Step I, Section D) of your school’s safety plan. +Generally, evacuation to the outside has been our immediate +response to an emergency signal. Post incident analyses of +serious incidents that have occurred across the country +indicate that evacuation is not always the safest response to +a situation. Again, based upon assessment and policy the + + +Page 18: +Superintendent’s Circular FSE-01 +Page 18 of 42 + + +SICM will determine the need for safe mode. +Safe Mode would commence upon a predetermined +notification procedure. Those contained or relocated will be +directed to that identified site (a room number, common +area, floor, other) and securing the location where you find +yourself (and those for whom you are responsible) or securing +the place to which you may be relocated in an emergency. +This may simply require locking a door. Again, these are +critical +times +in +an +emergency +and +student/staff +accountability measures must be accomplished at this point +by SICM in accordance with school safety plans. +3. Establish communications. Each school will have in place a +means and procedures for communicating in an emergency +within their school and to outside public safety agencies. All +components of this process are required as part of your +school submission. This would also identify those assigned +telephones or radios and individuals tasked with making +necessary notifications. +The individual discovering or receiving initial information +about an incident is responsible to make a quick assessment +and take the following steps: +a. Life threatening situation(s) require immediate 911 +notification. To notify public safety (police, fire, EMS) call +911 via any available telephone. A Fire Alarm pull station +is to be used in the event of a fire related incident with a +back-up telephone call to 911 or (617) 343-2880. +Remember that activating a pull station will summon +emergency +assistance +but +will +also +initiate +an +evacuation that may not be appropriate for the +situation. + + +Page 19: +Superintendent’s Circular FSE-01 +Page 19 of 42 + + +b. The discoverer will then inform the SICM or an on-site +Incident Control Team member of the situation. +c. The SICM or available ICT member will classify the +incident Tier level and assume management of the +situation. +4. Identify the danger zone. In the assessment phase the best +means of separating students/staff from any threat must be +determined. This may be accomplished by building +evacuation +or +implementing +containment/lockdown +procedures. A perimeter should be established and secured +to keep students/staff away from the danger zone and in a +safe area. Moving people away from the threat, isolating and +securing the affected area, and restricting access to non- +emergency personnel are techniques to separate the threat +from students and staff. +5. Identify and request needed resources. As early as possible, +the SICM must try to assess what resources are needed to +mitigate the crisis and request those resources be made +available. Support may come from the Central Incident +Management Team or from outside sources. The extent of +required resources will be initially identified during the +incident tier classification phase. Supplementary resources +may be requested by follow-on agencies. +6. Open command post. The SICM should open a command +post as soon as possible in the event of an incident. It should +be in a spot outside the danger zone from which the SICM +can effectively manage the incident. The command post +must have communications capability in order that the SICM +has access to internal team members as well as public safety +officials and the Central Incident Management Team. There +should be a level of security for the command post to prevent + + +Page 20: +Superintendent’s Circular FSE-01 +Page 20 of 42 + + +unnecessary interruptions by people not involved in the +response, such as the media, parents, and onlookers. Safety +plans and school records must be available at this location. +Locating primary and secondary command posts ahead of +time allows you to quickly open a command post whenever +it is needed. You can predetermine sites because generally it +is not important that you have a view of the danger zone. +Many managers want to manage what they can see, but in a +major critical incident the SICM must manage the entire +scene, not just the source of the event. It is suggested that +primary and secondary sites be at opposite ends of the +building. Just because you have predetermined sites does +not mean you are locked into using them. As the SICM, you +may be dealing directly on location at the source of the issue. +7. Activate staging areas. As with the command post, the +staging areas should be predetermined and located outside +the danger zone in an area that can be secured. In the event +of a major school incident, separate staging areas should be +available for injured and ill persons, parents, and media +representatives. Directing members of these groups will be +a function of the Incident Control Team building coordinator. +8. Compile occupancy data. As stated throughout these +guidelines, student/staff accountability is essential in an +emergency. The following can be used to compile occupancy +data in an emergency: +● Daily class/student rosters +● Daily staff/ employee/visitor sign-in sheets +● Absentee list (students, staff, employee) +● Field trip rosters +● Current emergency information cards +● Locker assignment list + + +Page 21: +Superintendent’s Circular FSE-01 +Page 21 of 42 + + +● Known restraining orders +● Photo identification +● Schedules +● School bus assignments +Any roster should be completed, as early as possible each day, +in a form that can be readily taken from the building during an +emergency. Special attention should be given to document +names of any student/staff member who is transported from +the school or released to a parent. Particular attention should +be paid to ensure the location(s) of any student(s) or staff +member that is (are) physically or visually impaired is known. +SECTION II: OVERVIEW +The above 8 steps are tailored to directly address Tier I situations. +However, several of the steps are relevant to Tier II and Tier III +incidents when applied to longer timelines. Tier II, requiring +standby and response planning, might utilize steps 3, 4 and 5 +initially, and depending on the situation may entail use of the +remaining steps. +Tier III events that occur over longer time periods would still +require that communication and identification of appropriate +proactive preventative measures be developed. +Common sense prevails throughout these guidelines. Those of us +in the schools understand that it is better to have a plan and no +crisis than to have a crisis and no plan. +These basic guidelines are not expected to cover every +contingency. However, application of these simple steps will +provide a consistent approach to handling any school incident. As +previously stated, the severity and your professional assessment of +the incident will determine the scope of response. + + +Page 22: +Superintendent’s Circular FSE-01 +Page 22 of 42 + + +School administrators and staff routinely implement some form of +crisis response management during the discharge of their duties. +The intent of the guidelines is to provide a flexible structure that +will assist you in managing your response. +The following pages contain an Emergency Response Guide to +assist your handling of various situations. It is designed for use as +a handout for your Site Incident Control Team. Included in the +Guide is a section designed specifically for classroom teachers. +The final section of this booklet is a hardcopy of information that +you will be asked to compile. The actual method of collection will +utilize a Google document developed by the Office of Information +Services. The information submitted by your school will be stored +in a consolidated database that will be reviewed and updated on +an annual basis. +SECTION III: EMERGENCY RESPONSE GUIDE +1. ASSESSING THE EMERGENCY RESPONSE +The site incident control manager must identify and +implement appropriate response. + + + + + +Page 23: +Superintendent’s Circular FSE-01 +Page 23 of 42 + + +SAFE MODE IF: +EVACUATION IF: +The situation presents a threat of +illness, injury or death to persons +moving in, around, or about the campus +and it is determined that Safe Mode +will provide a greater level of safety for +those persons. +● Riot +● Shooting +● Hazardous Material Spill +(Outside) +● Hostage Situation +● Suicide +The situation presents a threat of +illness, injury or death to persons +remaining inside a building and it is +determined that evacuation will provide +a greater level of safety for those +persons. +● Fire +● Explosion +● Hazardous Material Spill (Inside) +● Hostage Situation +● Bomb Threat +● Gas Leak + +2. SAFE MODE — PERSONNEL ASSIGNMENTS +All students are to remain contained until emergency +responders advise otherwise. +The following is a list of recommended assignments for +faculty/staff members during a crisis requiring containment. +* Asterisks denote Site Incident Control Team members. * + +* Principal/Assistant Principal (Site Incident Control Manager +- SICM): Initiate safe mode. Safely monitor situations with +available resources. Identify and contact appropriate +emergency responders and BPS support staff. + + +Page 24: +Superintendent’s Circular FSE-01 +Page 24 of 42 + + +* Nurse (Risk Analyst): Set up staging area for ill and injured +persons and administer initial first aid. Keep ill people +(overcome with stress and excitement) separate from the +injured. +* Registrar +(Safety +Coordinator): +Gather +occupancy +information, present occupancy information to Emergency +Responders. Use an alternative if school does not have a +registrar. +* Secretary (Incident Scribe): Continue 911 contact and remain +on the telephone. It is imperative that emergency +responders maintain communication with someone inside +the school. Use an alternative if necessary. +* Custodian (Building Coordinator): Close and lock all +entry/exit points. Stand by to assist emergency responders +with accessibility to mechanical rooms. +Classroom Teachers: Contain students. Keep classroom +rosters. Teachers in possession of cell phones should activate +their phones. Teachers should prepare students to follow +further instructions. +Assistants: Teachers on administrative duty or P&D periods +should assist Incident Control Team (ICT) by checking the +building for unattended students and moving them to +supervised locations. Assistants should be posted at +entry/exit points to ensure that no one leaves the building +and that only Emergency Responders enter the building. +Volunteers: Report to office and be available to follow +instruction. +Cafeteria Staff: Close and contain cafeteria and kitchen. Shut +off appliances and remain in kitchen. + + +Page 25: +Superintendent’s Circular FSE-01 +Page 25 of 42 + + +3. SAFE MODE PROCEDURES +Incident Control Team: +1. Call 911 – Advise reason for safe mode and stay on the line. Do +not hang up. 911 dispatchers will route the call to the +appropriate agencies. +2. Communicate to all staff that a Safe Mode situation exists and +begin safe mode process. + +3. All school personnel will assume their specific assignments +listed herein, exercising flexibility where needed to promote +the safety of all persons. +4. Staging areas should be set up separately for 1.) injured and +2.) ill persons. +5. During safe mode, no one except emergency responders or +their designees will be permitted to enter, exit, or move about +the campus. +6. As additional emergency responders become available, they +will assume some of the posted assignments to relieve school +personnel. +7. Ending the Safe Mode Status: When it has been determined +by the emergency responders and the principal that +conditions are safe to resume normal activities, the principal +shall make an announcement via the P.A. system or send a +messenger to advise each classroom. +4. EVACUATION PROCEDURES +1. Call 911. +a. Advise reasons for evacuation and stay on the line if safe +to do so. Do not hang up. +b. 911 dispatchers will route the call to the appropriate +agencies. +2. Start evacuation procedures according to normal fire drill + + +Page 26: +Superintendent’s Circular FSE-01 +Page 26 of 42 + + +procedures. Communicate to staff that a TIER I – GREEN +situation exists and begin the evacuation process. +3. If the threat of an explosion is present, or a hazardous +material spill has occurred, it may be necessary to move +the students farther than a normal evacuation distance. + +4. Teachers: Bring roll book. It will be necessary to keep a +roster of all students moved. Each teacher will be +responsible for his/her class. The ICT safety coordinator will +organize any dismissal of students. The release of each +student must be documented. +5. Staging areas should be setup separately for: +a. injured +b. ill persons +c. parents +d. media + +6. Students and employees with special needs may require +assistance. Paraprofessionals assigned to students and +staff will remain with their assignments throughout the +duration of the incident. +7. Ending the Evacuation Status: When it has been +determined by the emergency responders and the SICM +that conditions are safe to resume normal activities, the +SICM shall inform staff that it is safe to reenter the building. +SECTION IV: SCHOOL SUBMITTAL SECTION +This is a mockup of the information you will submit via the BPS +Intranet. Please note the Intranet version will have a different +appearance. +STEP I: +Please input the following information. +▪ School Name: +▪ Building Name: + + + +Page 27: +Superintendent’s Circular FSE-01 +Page 27 of 42 + + +▪ Address: + +▪ Principal/Head of School: +▪ Telephone Number: +▪ Fax Number: + + +a. Identify primary and secondary command post locations: + +Primary Location +Secondary Location +Room Name + + +Room Number + + +Phone Number + + + +b. Identify primary and secondary external assembly areas: +Primary Location +Secondary Location + + + +c. Identify primary and secondary alternate school-site +locations: +Primary +Phone +Secondary +Phone + + + + +d. Identify your internal communications method(s) that your +site will use to alert staff to the implementation of a Tier I +(Evacuation) and a Tier I (Safe Mode) response: + + +Page 28: +Superintendent’s Circular FSE-01 +Page 28 of 42 + + +Tier I – Evacuation + +Tier I – Safe Mode + +STEP II: Identify members of your on-site incident control team. +Title +Primary +Alternate +Responsibility +Suggested +Staff +Site Incident +Control +Manager +(SICM) + +Enter Private +Phone Line, +Cell Phone #, +Other Phones +Name: + + +Phone #s: +Name: + + +Phone #s: +Determine Tier level +of event and contact +resources required to +address the situation, +overall management +of school students +and staff, and +ensures that +superseding agencies +directives are +followed +Principal as +Primary; +AP or other +designee as +Alternate +Risk Analyst +Name: + + +Phone #s: +Name: + + +Phone #s: +Assess injuries and +medical risk analysis +Nurse – Primary; +Student Support +Coordinator or +Language +Appropriate +Individual – +Alternate + + +Page 29: +Superintendent’s Circular FSE-01 +Page 29 of 42 + + +Title +Primary +Alternate +Responsibility +Suggested +Staff +Safety +Coordinator +Name: + + +Phone #s: +Name: + + +Phone #s: +Gather occupancy +information, support +efforts to establish +control + +Building Registrar +or equivalent +Building +Coordinator(s) +Name: + + +Phone #s: +Name: + + +Phone #s: +Assess building +security, meet +responding agencies, +and direct them to +appropriate +location(s) +School Custodian +and School Police +Officer (if +available) +Incident +Scribe +Name: + + +Phone #s: +Name: + + +Phone #s: +Log chronology of +incident +School Secretary – +Primary +Transportation +Coordinator + +STEP III: +Building Characteristics +Please indicate if your site includes any of the areas listed below + + +Page 30: +Superintendent’s Circular FSE-01 +Page 30 of 42 + + +in the second column. The third column should identify the +location of the respective areas, as well as any other information +requested in the third column. +Common Areas +Description +Yes/No +If Yes, List Location +Auditorium + + +Boiler Room + +Also identify if gas or oil is used. +Cafeteria + + +Computer Lab(s) + + +Fire Escapes + + +Gymnasium + + +Hazardous Materials + + +Health Center + + +Library + + +Loading Dock + + +Nurses Office + + +Out Buildings + + +Playground + + +Ramps + + +Utility room + + +List Others + + + + + +Page 31: +Superintendent’s Circular FSE-01 +Page 31 of 42 + + + + + + +Page 32: +Superintendent’s Circular FSE-01 +Page 32 of 42 + + +Does your building have the following? +Description +Yes/No +If Yes, List Location +Attic/Penthouse + +Indicate entry points on floor plans +Basement or crawlspace access + +Indicate entry points on floor plans +Community Center + + +Elevators + + +Fire Safety Systems + + +Grounds Maintenance + +Identify chemical storage area(s) +Kitchen Area + +Describe type of kitchen facility: +satellite, full service, other +Motion Detectors + + +Pull Stations + + +Security Systems + + +Swimming Pool + + +Vocational Shop Area +Compressed gasses present? (1) +Liquid fuels present? (2) +(1) List +here + + +(2) List +here + + + +If the school has a vocational area, please +indicate location on floor plans. + + + +Page 33: +Superintendent’s Circular FSE-01 +Page 33 of 42 + + +STEP IV: +Occupancy Information +The purpose of this section is to assist authorities in determining +if a building evacuation is complete or to provide information +regarding numbers of persons within the building. +Description +Numbers +Additional Information / Comments +Total Enrollment + + +Total Staff + + +For students/staff with disabilities (visual, hearing, mobility, +medical, other) please provide all pertinent information required +for assistance in an emergency. (Please use the space below.) + +PLEASE NOTE: Information in the blocks below should be +supplied to authorities when emergency events occur. Please +develop appropriate measures to ensure that accurate and +timely headcount information is available. +Description +Number +Visitors + +Students off site (field trips, etc.) + +Staff off site (training, etc.) + +Other (list) + + + +Page 34: +Superintendent’s Circular FSE-01 +Page 34 of 42 + + +STEP V: + +List Communications Equipment +Please fill in categories as appropriate. +1. Mobile Communication Devices +Description +Yes / +No +Quantity +Assignee +List Appropriate +Numbers +Status: +O=Operational +N=Non-operational +Nextel +Cell Phone +2 Way Radio + + + + + +AT & T Ericsson +Cell Phone + + + + + +Other Cell Phones + + + + + +Beepers/Pagers + + + + + +2. Portable Radios +Description +Yes / +No +Quantity +Assignee +List +Appropriate +Numbers +Status +O=Operational +N =Non-operational +Safety Staff Two- +Way Radios + + + + + +In-House +Two Way Radios + + + + + + +3. Stationary Communications + + +Page 35: +Superintendent’s Circular FSE-01 +Page 35 of 42 + + +Description +Yes / +No +Quantity +Assignee +List +Appropriate +Numbers +Status +O=Operational +N =Non- +operational +Intercom System + + + + + +PA System + + + + +House Phones + + + + + +List Others + + + + + + +4. Telephone Information +Description +Assignee +Room +Number +Phone # +Main Phone + + + +Principal’s Office + + + +Guidance Office + + + +Custodian’s Office + + + +Nurse’s Office + + + +ETF’s Office + + + +Student Support +Coordinator’s Office + + + +Swimming Pool + + + +Safety Officer/Para + + + + + +Page 36: +Superintendent’s Circular FSE-01 +Page 36 of 42 + + +Description +Assignee +Room +Number +Phone # +Pay Phone(s) + + + +Phone System - Extension + + +Phone System - Extension + + +E-Mail Address + + + +Fax Machine(s) + + + +List All Direct Lines + + + + +STEP VI: Floor Plans / Specific Site Information +The following areas should be indicated on floor plans. Facilities +Management personnel will complete this section as noted in +Superintendent’s Circular FSE-01 School Safety Contingency Plan. +● Electrical Control Rooms And Panels +● Utility Access/Controls +● Classrooms/Labs +● Interior Maintenance Areas +● Engineering And Boiler Room Areas +● Vocational Shop Areas +● Swimming Pools +● Grounds Maintenance Storage Areas +● Kitchens And Food Storage Areas +● Fire Standpipes And Sprinkler Connections +● Roof Access, Include Skylights And Indicate Whether Or Not +Operable +● Domestic Water Controls +● Basement Or Crawlspace Access + + +Page 37: +Superintendent’s Circular FSE-01 +Page 37 of 42 + + +● Indicate Which Walls Are Solid Masonry +● Indicate Which Walls Are Framed Drywall + +For building systems, assess and indicate on the floor plans, the +following: +● Heating, ventilation, and air conditioning (HVAC) systems +● Location and accessibility of air intakes +● Filtration media location and accessibility +● Shutdown procedures +● Plumbing drainage +● Fire sprinkler systems – emergency chemical +decontamination use +● Natural gas – use locations and shutoff(s) +● Potable water – access to water supply +● Electrical access/shutoff +SCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST +The following is a list of items which should serve as a guide and +checklist as you review and revise your School Safety / +Contingency Plan. These steps are essential to finalize your plan +as complete, current, and ready in the event of an emergency. +Please insert this checklist in your School Safety Plan book for +reference. +● Command Post Locations: Are they located too close +together as opposed to being appropriately separate for +independent operations? +● Assembly Areas: Are they separate and distinct with your +secondary location at a further distance away from the +school? +● Alternate Sites: Are they realistic with accommodations to + + +Page 38: +Superintendent’s Circular FSE-01 +Page 38 of 42 + + +house all students expected to be relocated? Have prior +agreements been made with the Alternate Site host if these +locations are not BPS properties? Will transportation be +required to relocate? Will dismissal of students in +accordance with School Department policy be a more +practical option on the high school level? +● Internal Communications: Has consideration been given to +the use of a system (examples: public address, intercom, +bell, messenger, school phones, portable radios), rather than +the fire alarm for evacuation? Keep in mind that sounding +the fire alarm without other instructions will initiate a +routine evacuation. This may take building occupants +through or to an unsafe area. Safe Mode notification would +be made via one of the examples given above. +● Incident Control Team: Have responsible members of your +school-based staff been identified for all +positions/functions? Have these designated staff members +been briefed on their duties? +● Facility Components: There may be a need for a more +detailed explanation rather than simply some specifics (e.g., +liquid fuel – gasoline for snow blowers is kept in an +approved cabinet in the custodian's office, and security +system – motion detectors in corridors and stairwells. +● Disability Information: Have all persons in your building +needing assistance during an evacuation been identified? +Have accommodations been made for safe refuge/ +evacuation of students/staff requiring assistance in your +school’s evacuation plan? +● Communications Equipment and Telephone Information: +Have all available means of communication between +identified and portable telephones and radios been + + +Page 39: +Superintendent’s Circular FSE-01 +Page 39 of 42 + + +assigned to staff in accordance with your plan? Has school +email address been included? Have you included Nextel +direct radio numbers? +FIRE SAFETY PLAN SECTION +● Primary Entry for Fire Department: Is this the location of +your fire alarm control panel (annunciator)? Is this your +street address? +● Egress: Are exit doors unlocked from the inside during +operating hours? +● Records/Documentation: Suppression system test +certification applies to kitchen hood extinguishing system. +● Evacuation Matrix: Is there an exit identified for each +classroom, office, and common area? Do you have a “hard +copy” of your evacuation plan included with your school +plan? Are prescribed evacuation routes posted for all +building occupants? +● Primary/Secondary Refuge: These are approved locations +inside the building where mobility impaired occupants +could safely await evacuation. Are they identified for each +floor? +● Training/Orientation: Are all members of the school staff +familiar with details and operation of your school plan? Has +the school plan been practiced? Is the plan updated as +needed? Have staff signed off on their training? Is this +documentation maintained with your plan? +ACKNOWLEDGEMENTS +The following is a list of publications and agencies that assisted in +the development of the Boston Public Schools Safety + + +Page 40: +Superintendent’s Circular FSE-01 +Page 40 of 42 + + +Contingency Plans: +● Emergency Response Guides, San Antonio Independent +School District +● Massachusetts Emergency Management Agency (MEMA) +● Bristol County Sheriff’s Office, “Safe To Learn” +● Federal Emergency Management Agency (FEMA) +● Massachusetts Executive Office of Public Safety, School +Emergencies; Community Pre-Planning Guide +● Laboratory at Brown University, Crisis Planning +Management +● Massachusetts Office of the Attorney General, Guidelines for +a Crisis Management Plan +● U.S. Department of Education + + + + + + + + + + + + +For more information about this circular, contact: + + +Page 41: +Superintendent’s Circular FSE-01 +Page 41 of 42 + + +Owner: +Director of Emergency Management & Preparedness +Department: +Office of Emergency Management, Safety Services +Mailing Address: +205 Townsend Street Boston, MA 02121 +Phone: + (617) 635-6082 or (857) 701-9404 +Email: +Operations-Department-Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + +See template below to be used in classrooms to post evacuation routes + +(Updated 7.16.2024) + + +Page 42: +Superintendent’s Circular FSE-01 +Page 42 of 42 + + +EMERGENCY EVACUATION + +ROOM ______ +LEAVE ROOM, GO ______ +USE STAIRWAY ______ +EXIT # ______ + + diff --git a/data/data_txt/FSE-02 Fire Safety Practices.txt b/data/data_txt/FSE-02 Fire Safety Practices.txt new file mode 100644 index 0000000..e043600 --- /dev/null +++ b/data/data_txt/FSE-02 Fire Safety Practices.txt @@ -0,0 +1,630 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-02 +Version 01 + +FIRE SAFETY PRACTICES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +As we begin another school year, it is essential that we review and +update +fire +prevention, +life +safety, +and +evacuation +plans/procedures in all our schools. Accordingly, appropriate +communications +and +cooperation +with +Fire +Department +authorities is imperative. The Boston Fire Department and The +Office of Emergency Management and Preparedness cite specific +areas of concern and responsibility in this directive, which must be +brought to your attention. +The following fire safety practices should be incorporated into +the fire safety section of your school safety/contingency plan: +A fire safety checklist (Attachment A) must be completed and +readily available in the main office along with appropriate +documents including: fire drill reports, fire alarm tests, * fire +sprinkler system test, fire extinguisher location document, * fire +pump test, AED location, a copy of most recent BFD quarterly +inspection report, and Certificate of Occupancy. +NOTE (*) if applicable: +The Boston Fire Department has directed that school officials +designate a member of their school safety team to report to the + + +Page 2: +Superintendent’s Circular FSE-02 +Page 2 of 15 + +main entrance of the school to meet and direct arriving fire +department and other public safety personnel in an emergency. +This individual is identified as the building coordinator position in +your school safety plan and is usually the school custodian. +The building coordinator should be familiar with this circular, your +building and fire safety reports, and your fire safety checklist; know +the location of fire notification and extinguishing systems; and +have access to all areas. Your plan must also identify an alternate +person to perform this role in the event your custodian is not +available. +FIRE ALARMS +All fire alarm systems must be maintained in working order at all +times. It is important to remember that the sounding of any fire +alarm box automatically transmits a signal to the Fire Alarm Office, +which simultaneously dispatches fire apparatus to the school. +Fire Department regulations and Mass. General Law Chapter 268, +Section 32 prohibits the shutting off or tampering with any fire +alarm system unless directed to do so by the Fire Department. Any +deficiency or trouble noted with the fire alarm system must be +reported immediately to Facilities Management/Fire Alarm +Division at 617-635-8300. +Upon the evacuation of a school building because of an alarm, no +person or persons shall re-enter the building without the +authorization of the fire officer in charge. The principal/head of +school, site coordinator or designee must, as a part of their fire drill +procedures, establish a command procedure for such evacuations. +Upon the sounding of a fire alarm, approved evacuation + + +Page 3: +Superintendent’s Circular FSE-02 +Page 3 of 15 + +procedures for all building occupants are to be followed +immediately, as well as a verification call made to the Fire +Department at 911 or 617-343-2880. +Upon arrival, the Boston Fire Department will exercise its authority +to order all measures that are deemed necessary for the protection +of persons and property. This authority includes building +evacuation and reentry. +DOOR LABELS, NUMBERS OR LETTERING SHALL NOT BE +REMOVED OR CHANGED +The interior and exterior doors that are numbered within Boston +Public Schools should not be removed or changed by anyone +except for members of the BPS Facilities Management Team. The +numbers and letterings are crucial to Boston Police, Boston Fire +and Boston EMS that will need to respond to your school building +for an emergency. +Any changes to the numbering or lettering within your school +building could disrupt any evacuation or safety plans that already +exist within the school. +The existing room numbers are also associated with the school’s +Asbestos Hazard Emergency Response Act (AHERA) Management +Plan and the Indoor Air Quality (IAQ) sensors. +If your school is missing any room numbers or lettering, please +submit a work order to the Facilities Management Team to ensure +any issues are resolved before the start of the school year. + +MEANS OF EGRESS +Designated exits in every school must be maintained as means of + + +Page 4: +Superintendent’s Circular FSE-02 +Page 4 of 15 + +egress. +a. Means of egress must be kept free and clear at all times. +b. The use of chains, ropes, bars, so-called "dutch locks," or any +other unauthorized device that would impede egress is +prohibited during times when school buildings are occupied. +c. No exit door which is intended to be kept closed shall be +blocked open, and no device or arrangement shall be used to +prevent a door designed to be self-closing or automatic- +closing from functioning as intended. Use of wedges to hold +corridor and stairwell doors open is prohibited. +d. Interconnecting doors between rooms must be clear and free +of any locks. Fire and smoke doors are not to be propped +open with wooden wedges or any other means. This is an +illegal practice and prohibited in all schools. +FIRE DRILLS +All schools shall conform to the following fire drill regulations: +a. The responsible school administrator in charge of the school +shall formulate a plan for the protection and evacuation of all +persons in the event of fire or other emergency and shall +include alternate means of egress for all persons involved. +Such a plan is to be developed in consultation with +appropriate representatives of the Boston Fire Department +and +BPS +Director +of +Emergency +Management +and +Preparedness. +b. The principal/head of school, site coordinator or designee +shall see that each staff member receives and understands +proper instructions on the fire drill procedure specified for +the room or area in which that person carries out their duties + + +Page 5: +Superintendent’s Circular FSE-02 +Page 5 of 15 + +before they assume such duties. A log or sign-off list must be +maintained at the school which documents staff receipt of +procedures and familiarization with fire safety practices. +c. A fire drill must be conducted quarterly (September/first +week of school, December, March, and June) involving all +students and staff and in accordance with Mass Fire Code, +527 CMR 1.00: 20.2.4.2. A record of each drill is to be +documented on the google form available in the BPS Fire & +Safety Drill Report under Central Office Support with The BPS +Office of Emergency Management and Preparedness (Safety +Services). If you have any questions, please contact The BPS +Office of Emergency Management and Preparedness. +d. Every student in all schools shall be advised of the fire drill +procedure and shall take part in a fire drill within three days +after school begins in September. Fire drill procedures for +particular rooms shall be posted within those rooms. +Alternate and obstructed drills shall be exercised; and every +other quarter, alternate routes shall be used. +e. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.4, +the head of the Fire Department, or person designated by +them, shall visit each school four times each year for the +purpose of quarterly inspections, reviewing Building Fire +Safety Plans and questioning the administrators. The Fire +Department may also conduct a fire drill for your building if +they feel your building is not in compliance with this law. +Drills may be conducted without advance warning to the +school personnel other than the person in charge of the +school at the time. +f. Fire drill plans must ensure adequate procedures for the +emergency evacuation of students and staff with disabilities. + + +Page 6: +Superintendent’s Circular FSE-02 +Page 6 of 15 + +These procedures must also be incorporated in the School +Safety/Contingency Plan for your school building. Fire drill +procedures must address student and staff accountability in +an evacuation. This element of the plan should identify the +person(s) in charge, ensure accurate class attendance rosters +are available, and identify specific locations for evacuees to +assemble. +g. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.6 +Evacuation: Fire exit drills shall include the complete +evacuation of all persons from the building. +STORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS +Flammables shall be stored in an approved locked metal cabinet +suitably vented. If the amount being stored warrants, a locked +storage vault should be provided. The storage facility must be +under the control of a school official, with only the authorized +personnel allowed access. +Faculty members should not allow students to fuel individual +devices or transport any fuel container from one location to +another. +All school personnel should be thoroughly instructed as to the +hazard involved in a particular flammable liquid, chemical, or gas; +and in its safe and proper handling prior to intended use. Material +Safety Data sheets should be on file in the main office. No fuel +container should be allowed to remain in any classroom but +should be immediately returned to its permanent storage facility. +The above procedures should be incorporated in the School +Safety/Contingency Plan for each school building. Materials used +in school science laboratory experiments are to be stored in + + +Page 7: +Superintendent’s Circular FSE-02 +Page 7 of 15 + +compliance with related laws, codes, and ordinances. Quarterly +school fire inspections are complemented by specialized +inspections conducted by Boston Fire Department Special +Occupancies’ Officers. +*Hazardous storage areas must be secured and identified with the +appropriate warning label. The appropriate chemical storage +room +door +identification is +the +National Fire +Protection +Association’s 704 Diamond. +*Reference Superintendent’s Circular FSE-06 Student Safety / +Health in School Shops, and / or Laboratories and Classrooms; +and the chemical inventory sheet in Superintendent’s Circular +FMT-7 Right to Know Law. +REPORTING OF FIRE INCIDENTS +The Boston Fire Prevention Code requires the following: +a. Upon any person's discovery of a fire or smoke in a building +or premises, they shall immediately notify the Fire Alarm +Office of the Boston Fire Department of the location of the +discovery and of the circumstances they have observed. The +Boston Fire Department must be notified both by sounding +the nearest fire alarm box (pull station) and by telephone (911 +or 617-343-2880) in the event of a fire. +b. Any discovery or evidence of a fire or attempt to burn shall be +reported to the Boston Fire Department by calling either 911 +or 617-343-2880 and the BPS Director of Emergency +Management and Preparedness (857) 701-9404 to begin an +arson investigation. BFD considers any fire started by a +student as a potentially serious mental health issue that, if +addressed early enough, may prevent more serious problems + + +Page 8: +Superintendent’s Circular FSE-02 +Page 8 of 15 + +in the future. +c. This section shall not be construed to forbid any person who +discovers a fire, or the owner, lessee, person in charge of the +building or premises, any occupant, or any of their agents, +after notifying the Fire Department, from using all means +necessary to extinguish or control the fire prior to the arrival +of the Fire Department. +d. No person shall require, make, issue, post, or maintain any +order, direction, or regulation, written or verbal, that would +require or direct anyone to delay reporting a fire to the Fire +Department. +e. All personnel must be familiar with fire reporting procedures. +f. The Boston Fire Department and then Facilities +Management, The Office of Emergency Management and +Preparedness are to be notified of all fire-related incidents. +These include but are not limited to following: +Fire or explosion +Good intent calls +Overpressure rupture +False alarm/false call +Medical emergency + + +Hazardous materials (i.e. fuel +spills or chemical leaks) +Hazardous conditions +Service calls + + + + +Fire extinguished by occupant +g. Any fire (including paper towels or tissues, even if +extinguished), must be reported to the Boston Fire +Department in accordance with procedure delineated in +sections a. and b. above. +h. The principal shall submit a written report available with +this_link: +https://www.mass.gov/doc/fp-200-school-fire- + + +Page 9: +Superintendent’s Circular FSE-02 +Page 9 of 15 + +reporting-form/download of any fire within the school +building or on the school grounds to BPS Director of +Emergency Management and Preparedness, (857) 701-9404 +who will then forward it to the Boston Fire Department +within 24 hours. This is in compliance with Mass General Law, +Chapter 148, Sec. 2A, which went into effect September 2006. +This information is also essential for arson prevention action. +FIRE EXTINGUISHERS/KITCHEN SYSTEMS +a. Portable fire extinguishers must be serviced annually and +located in accordance with the building’s Fire Safety Plan. +b. Kitchen extinguishing systems must be serviced twice a year. +c. It is the responsibility of senior custodians to ensure +extinguishers +are +visually +inspected +weekly +and +recharged/inspected annually to ensure they are ready for +emergency use. +d. Requests for fire extinguisher servicing should be made to +Facilities Management at 617-635-9122. +e. If extinguishers are not hanging in corridors, they must be +readily accessible. A list of fire extinguisher locations shall be +posted in the office and maintained in the Fire Safety section +of your building’s School Safety/Contingency Plan. +FLAMMABLE DECORATIONS +a. Flammable decorations, including examples of students' +work, must not be displayed in paths of egress, including +doorways and stairwells. +b. The Boston Fire Department expects us to display reasonable +amounts of student work. This is to be in accordance with the + + +Page 10: +Superintendent’s Circular FSE-02 +Page 10 of 15 + +National Fire Protection Association, Life Safety Code and 527 +CMR 20.2.4.4.3: +“Paper materials displayed in educational use occupancies +shall be permitted on walls only in accordance with the +following: (1) In classrooms, paper materials displayed shall +not exceed 20% of the total wall area. (2) Paper materials +displayed shall be attached directly to the walls and shall not +be permitted to cover an egress door or be placed within five +feet of an egress door, unless approved by the AHJ. When +determining wall areas, the door and window openings shall +be included unless: (a) Paper materials are displayed in fully +enclosed viewing cabinets with glass or polycarbonate +viewing panels or covered with glass or polycarbonate sheet +material in accordance with the Building Code; (b) Flame +retardant paper material is used for display. (3) Paper +material displays shall be permitted to cover up to 50% of the +total wall area in classrooms that are fully sprinklered in +accordance with Chapter 13. +Corridor displays and decorations are limited to bulletin +boards and must not cover more than 10% of the total +corridor wall space. + +c. Certain buildings have more fire protection features than +others. This may be considered when displaying student +work. +d. Please refer to Superintendent’s Circular FSE-03 Building +Codes and Fire Regulations. + + +Page 11: +Superintendent’s Circular FSE-02 +Page 11 of 15 + +RIGHT TO KNOW – CHEMICAL INVENTORY +Each school / facility must maintain an accurate inventory of toxic +and hazardous substances stored and used in the building. Please +refer to Superintendent‘s Circular FMT-07 “Right to Know” Law – +Chemical Inventory. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September (First +Week of School) +Quarterly Fire Drill Report Due +December +Quarterly Fire Drill Report Due +March +Quarterly Fire Drill Report Due +June +Quarterly Fire Drill Report Due + +For more information about this circular, contact: +Owner: +Director of Emergency Management & +Preparedness +Department: +Office of Emergency Management, Safety +Services +Mailing Address: +205 Townsend Street Boston, MA 02121 +Phone: + (617) 635-6082 or (857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + + +Page 12: +Superintendent’s Circular FSE-02 +Page 12 of 15 + +Mary Skipper, Superintendent + + + + + + + + + + + +(Updated 7.31.2024) + + +Page 13: +Superintendent’s Circular FSE-02 +Page 13 of 15 + +ATTACHMENT A +SCHOOL BUILDING FIRE SAFETY PLANS +School: +Principal/Head of School: + + +1. Does school have a Fire Safety Plan as part of School Safety/Contingency +Plan? +Y +N +2. Is the plan readily available in the main office? +Y +N +3. (School Safety/Contingency Plan, Section 6) +4. Is the plan current for this school year? +Y +N +5. Does plan include following elements: +a. Description of building (type, height, occupancy) +Y +N +b. Types of fire protection systems (sprinkler system, standpipes) +Y N +c. Fire alarms (locations of pull stations, smoke detectors, heat +detectors) +Y +N +d. Location of exits (primary and alternate) +Y +N +e. Evacuation routes (primary and alternate) +Y +N +f. Stairwell designations +Y +N +g. Smoke control (are corridor doors closed or held open by magnetic +devices that release when an alarm is activated?) +Y +N +h. Location of extinguishers +Y +N +i. Identity and location of any occupants with disabilities +Y +N +j. Floor plans +Y +N +k. Record of staff training +Y +N +l. Fire drill reports +Y +N +m. Fire alarm system test records +Y +N +n. Copy of building occupancy permit +Y +N +o. Incident Control Team members identified by name and title with +defined responsibilities in an emergency (including back-ups)Y +N +A follow-up phone call must always be made to the Fire Alarm Office +(911 or 617-343-2880) by a designated staff member. +p. AED device location: +Y +N + + +Date: ________________________________________ + + + + +Page 14: +Superintendent’s Circular FSE-02 +Page 14 of 15 + +ATTACHMENT B +BOSTON FIRE DEPARTMENT — FIRE PREVENTION DIVISION +SCHOOL DISPLAY MATERIALS: 527 CMR 1.05 +AREA +WITH NO SPRINKLERS +WITH SPRINKLERS + + + + + +Classroom +20% wall coverage with +combustible materials allowed. + +Nothing within 5ft. of the +egress door. + +No limit if in viewing cabinet, +covered with polycarbonate, or +materials are flame retardant* +50% wall coverage with +combustible materials allowed. + +Nothing within 5ft. of the egress +door. + +No limit if in the viewing +cabinet, covered with +polycarbonate, or materials are +flame retardant.* + + + + + + + +Exit passageway, +corridors, and +assembly area. +10% wall coverage with +combustible materials allowed. + +Each grouping to be maximum +of 6 ft. high and 12 ft. wide. + +Groups to be separated by at +least the width of the largest +adjacent group. + +No limit if in the viewing +cabinet, covered with +Polycarbonate, or materials are +flame retardant. + +No materials within 5ft. of +egress door. +50% wall coverage with +combustible materials allowed. + +Each grouping to be maximum +of 6 ft. high and 12 ft. wide. + +Groups to be separated by at +least ½ the width of the largest +adjacent group. + +No limit if in the viewing +cabinet, covered with +Polycarbonate, or materials are +flame retardant. + +No materials within 5ft. of +egress door. +Exits and enclosed +stairs +Nothing permitted. +Nothing permitted. + + + + + + +Page 15: +Superintendent’s Circular FSE-02 +Page 15 of 15 + +NOTES: + +(1) +Door and window openings are to be included when +calculating wall areas. +(2) +Documentation must show compliance with NFPA 701 or +CA 13115 to be flame retardant. +(3) +Plexiglas is not allowed; the covering must be glass or +polycarbonate. +(4) +The posting of exit signage or evacuation plans shall not +be prohibited by this regulation. +(5) +527 CMR 1.05 shall not be applicable to any election +materials required by law to be posted during any local, +state, or federal election. + +This regulation is effective September 19, 2003. + + + + diff --git a/data/data_txt/FSE-03 Building Codes & Fire Regulations.txt b/data/data_txt/FSE-03 Building Codes & Fire Regulations.txt new file mode 100644 index 0000000..2be1f16 --- /dev/null +++ b/data/data_txt/FSE-03 Building Codes & Fire Regulations.txt @@ -0,0 +1,160 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FSE-03 +Version 01 + + + +BUILDING CODES AND FIRE REGULATIONS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +All school buildings are required to comply with Massachusetts +State Building Codes and Fire Regulations. Adherence to these +regulations helps to ensure a safe, secure, and accessible learning +and work environment for students and staff. +As the person responsible for the school building, the head of +school/principal/program director shall have responsibility for +monitoring and maintaining compliance with building codes and +fire regulations at all times. Staff assigned to the Department of +Facilities Management and the fire safety director are available +and should be called upon to assist and support the school +building administrator in this effort. +The Inspectional Services Department (ISD) of the City of Boston +will conduct annual egress inspections, and the Boston Fire +Department (BFD) will conduct quarterly inspections to assure +compliance with the state codes and fire regulations. ISD shall +issue certificates of inspection for occupancy annually to schools +which comply. Schools in noncompliance will not be allowed to +open until the deficiencies are corrected and a certificate +granted. During every school year, ISD building inspections will +be conducted annually. However, special inspections can be + + +Page 2: +Superintendent’s Circular FSE-03 +Page 2 of 5 + + + +made at any time to assure continued compliance. +The following guidelines have been mutually agreed upon by the +ISD and the Boston Public Schools and should assist your efforts +and those of your staff in maintaining compliance. They must be +adhered to throughout the year, not just at the time of +inspection. They are as follows: +1. All paths of egress must be clear of any furniture and +materials. +2. Materials or equipment cannot be stored under/near +stairwells or in corridors. +3. Broken furniture must be discarded and not abandoned in +the corridor. +4. Teaching and learning is NOT permitted in hallways and +stairwells. +5. All doors must be clear of artwork/decorations and +functional in case of an emergency. +6. All fire doors must be kept closed at all times, except when +students are passing between classes or when they have +been modified as part of a new fire alarm system. +7. NO CHAINS OR PADLOCKS ON ANY DOORS IN ANY +BUILDING. +8. Bars, chains, or other restricted operations of doors are not +authorized at any time. +9. Deadbolts or locks may not be used on connecting +classroom doors. +10. Classroom connecting doors can not be blocked (essential +egress). + + +Page 3: +Superintendent’s Circular FSE-03 +Page 3 of 5 + + + +11. Papers and art work hanging from light fixtures must be +removed. +12. Using auditorium stages as classrooms is prohibited. +13. Covering classroom heating systems with combustibles +(books and papers) is a fire hazard and is NOT permitted. +14. All electrical and boiler rooms must be locked at all times +and must not be used for storage. +15. All fire extinguishers must be charged and have a current +inspectional tag attached. +16. All gasoline and flammable liquids must be stored in +fireproof cabinets. +17. Corridor displays and decorations are limited to bulletin +boards and must not cover more than 10% of the total +corridor wall space and 20% of classroom wall space. +18. Stairwells and exit doors shall be clear of all flammable +materials. +19. Paper materials displayed shall be attached directly to the +walls and shall not be permitted to cover an egress door or +be placed within five feet of an egress door, unless approved +by the AHJ. The ONLY things permitted to be posted on or +within 5 feet of a door are (1) evacuation routes and (2) the +classroom’s emergency folder/kit (3) the SafeMode window +cover the classroom utilizes. +20. All rugs, curtains, and furniture must be certified as fire +retardant and code compliant. +21. Only electrical appliances authorized by Facilities +Management are permitted. + + +Page 4: +Superintendent’s Circular FSE-03 +Page 4 of 5 + + + +22. Snow blowers and lawn mowers are to be run dry of fuel +after each use and before being brought into the building. +23. Classrooms must be kept clean and orderly. +Your cooperation in maintaining the standards outlined above +will ensure a quick and successful certification process. + + + + +Page 5: +Superintendent’s Circular FSE-03 +Page 5 of 5 + + + +For more information about this circular, contact: +Owner: +Director of Emergency Management & +Preparedness +Department: +Office of Emergency Management, Safety +Services +Mailing Address: +21 Deckard St - Room B28, Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR +Name: +Executive Director of Facilities Management +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9135 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FSE-04 Bomb Threat Procedures.txt b/data/data_txt/FSE-04 Bomb Threat Procedures.txt new file mode 100644 index 0000000..ba10787 --- /dev/null +++ b/data/data_txt/FSE-04 Bomb Threat Procedures.txt @@ -0,0 +1,409 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-04 +Version 01 + + + +BOMB THREAT PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +A bomb threat falsely reporting the existence of an incendiary or +explosive device (simulated or real) is an offense punishable by +imprisonment for up to twenty (20) years and/or a fine of not +more than $10,000. In the event of a bomb threat, a building +administrator must exercise responsible judgment and authority, +keeping in mind their responsibility for the safety and well-being +of the students and staff. To do this, one must (1) get all the facts +and (2) follow the procedures outlined herein, developed in +accordance with the policies of the Boston Public Schools and +the Boston Police Department. +BOMB THREAT PROCEDURES +Upon the receipt of a bomb threat, principals/heads of school and +building administrators are instructed to act in accordance with +the following procedures: +Telephoned Bomb Threats: +1. When taking the call, use the attached Bomb Threat Report +Form (Attachment A) to record all information. This form +must be available at the main telephone(s) in the school and +should be completed immediately after reporting the threat + + +Page 2: +Superintendent’s Circular FSE-04 +Page 2 of 11 + + + +to the building administrator. A copy of the Bomb Threat +Report Form is also to be submitted with the incident +report. +2. Call the Boston Police Department at 911 and report the +incident. If the bomb threat is a 2nd or 3rd call, please note +this in your conversation with the 911 operator. +3. Call the Department of Safety Services/Boston School Police +at (617) 635-8000. +4. Call your operational superintendent. +5. Alert staff via the school’s internal communication method +(ref. Superintendent’s Circular FSE-1 School +Safety/Contingency Plans, Tier I, Containment Procedures) +to visually survey their room/office for suspicious packages. +If anything unusual is observed, immediately report this +information to the building administrator and update +Boston Police via 911 that something unusual has actually +been found. +Designated members of the School’s Safety Team will be +responsible to survey unsupervised common areas, both +internal and external. During this survey, all bells/classes will +be held until the search is completed. +6. In the event a suspicious package or device is found: +a. Report the sighting to the building administrator +immediately. +b. Do not move, touch, or handle objects. +c. Do not use two-way radios. +d. Do not turn off lights or touch switches. +e. Keep loud noise to a minimum. + + +Page 3: +Superintendent’s Circular FSE-04 +Page 3 of 11 + + + +f. Restrict use of telephone to urgent business only. +g. Move people from the area. +h. EVACUATE the school building. +The Police Department will be fully in charge. This action +is to be preceded by an announcement which provides +specific evacuation routes to be followed for the incident +and manner in which the evacuation signal will be given +(fire alarm, bell, intercom, and runner). +7. If no suspicious package or device is found, appropriate safe +mode procedures are to be followed. However, classes +should not be changed until the BPD Bomb Squad has +arrived and evaluated the situation. IF YOU HAVE ANY +DOUBTS, EVACUATE. +8. The Police Department will assist the person in charge of +the building when searching for bombs or other incendiary +devices. Appropriate school personnel should assist, as +necessary. +9. The Police Department will assist and advise the person in +charge of the building regarding resumption of regular +school schedule and activities. The operational leader and +Safety Office must be notified once a decision is made. +10. Send a complete incident report within 24 hours of the +incident to the Department of Safety Services. Attach a copy +of the Bomb Threat Report Form noted above to the +Incident Reporting Form (attached for your reference). + + + + +Page 4: +Superintendent’s Circular FSE-04 +Page 4 of 11 + + + +ELECTRONIC (RECEIVED VIA EMAIL AND WEBSITE): +The person accessing the threat shall: +1. +Save the message on the system. DO NOT DELETE THE +MESSAGE. +2. +Call 911. +3. +Notify the Department of Safety Services/Boston School +Police at (617) 635-8000. +4. +Notify your operational superintendent. +5. +Print copies of the message to turn over to the police and +any others who may require them. +EVACUATION AND RE-ENTRY PROCEDURES +The principal/head of school or building administrator must +develop specific evacuation and re-entry plans for their individual +buildings (c.f. Superintendent’s Circular FSE-01 School +Safety/Contingency Plan). A copy of these plans should be +included in each school’s Contingency Plans. Such procedural +plans should include the following: +1. +Instruction of office staff regarding proper procedures for +answering, documenting, and reporting of such +telephone calls. +2. +Method of notifying staff and students of emergency +conditions. +3. +Method of leaving the building (fire drill procedures may +be followed). Special attention should be given to identify +assembly points, which are recommended to be located +300 yards from the building when evacuating for a + + +Page 5: +Superintendent’s Circular FSE-04 +Page 5 of 11 + + + +suspected bomb. Any area that is being used as a +staging or assembly area must be searched by a +designated staff member prior to sending people to that +area. +4. +Specific plans for special needs and physically impaired +students. +5. +Supervision of students by classroom teachers at all times +while outside the building (prior planning should be done +with local police authorities in schools that would require +extra police surveillance and supervision outside that +school). +6. +Controlled re-entry of the building to include supervision +of students re-entering to insure that no potentially +dangerous objects are brought into the building. +These procedures should be utilized in conjunction with your +School Safety / Contingency Plans. + + + + + +Page 6: +Superintendent’s Circular FSE-04 +Page 6 of 11 + + + +For more information about this circular, contact: +Owner: +Director +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(617) 635-9122 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent +ATTACHMENTS: +A. Bomb Threat Report Form +B. Bomb Threat Procedures +C. Suspicious Package/Device +D. Warning Notice: Please Post + + + + + +Page 7: +Superintendent’s Circular FSE-04 +Page 7 of 11 + + + +ATTACHMENT A +BOMB THREAT REPORT FORM + +Describe caller’s voice: + Male + Female + Angry + Excited + + Calm + Well spoken +(educated) + Stutter + Lisp + Rapid + + Slow + Raspy + + Deep + Soft + Loud + Incoherent + Irrational + Foul + Crying + Disguised + Nasal + Distinct + Slurred + + Accent + Taped + Familiar + Message +read by caller +If the voice is familiar, who did it sound like? +Exact wording of threat: + + +Questions to ask: + + + + + + +1. When is the bomb going to explode? + +2. Where is it right now? + + +3. What does it look like? + +4. What kind of bomb is it? + + +Page 8: +Superintendent’s Circular FSE-04 +Page 8 of 11 + + + +5. What will cause it to explode? +6. Did you place the bomb? +7. Why did you put it in the building? +8. What is your address? + +9. What is your name? + +Background sounds: + + + + Street + Animal +sounds + + PA system + Static + + + Voices + + Music + + Motor + House +Noises + + Local + + Long distance + Office +machinery + Phone booth + +Time: ____________Date: ___________Length of Call: _________________ +Number at which call was received: ______________________________ +REMARKS: _______________________________________________________ + __________________________________________________________________ +Receiver of Call: + __________________________________________________________________ +(Name and Title) +ATTACHMENT B +BOMB THREAT PROCEDURES + + +Page 9: +Superintendent’s Circular FSE-04 +Page 9 of 11 + + + + +1. STAY CALM. +2. Obtain information from the caller and record on Bomb +Threat Form. +3. Call Boston Police at 911. Provide the police dispatcher with +all available information. +4. Activate your school’s Site Incident Control Team. +5. Call the Superintendent's Office at 617-635-9057. +6. Administrator will determine if evacuation or containment is +appropriate. +7. If evacuating, determine appropriate evacuation routes and +advise staff in accordance with your School +Safety/Contingency Plan (internal communication method). +8. Do not announce Bomb Scare; use a known code to +communicate the situation to staff. +9. Take the Bomb Threat Report Form with you if you +evacuate. +10. It is recommended that students and staff assembly point(s) +be at least 300 yards from the building when evacuating for +a bomb threat. +11. WHEN IN DOUBT, EVACUATE. + +(Ref. Suspicious Package/Device) +ATTACHMENT C +SUSPICIOUS PACKAGE/DEVICE + + + +Page 10: +Superintendent’s Circular FSE-04 +Page 10 of 11 + + + +1. STAY CALM. +2. Call Boston Police at 911. Provide the police dispatcher with +all available information. +3. Do not move, touch, or handle the object. +4. Do not use two-way radios. +5. Do not turn off lights or touch switches. +6. Keep loud noise to a minimum. +7. Restrict use of telephone to only urgent business. +8. Secure the location. +9. Activate school’s Site Incident Control Team. +10. Evacuate after determining the safest routes for all building +occupants. +11. Communicate the situation and procedures to be followed +for evacuation to staff in accordance with your School +Safety/Contingency Plan (internal communications +method). + +(Ref. Bomb Threat Procedures) + + + +ATTACHMENT D + + +Page 11: +Superintendent’s Circular FSE-04 +Page 11 of 11 + + + +PLEASE POST +BOSTON PUBLIC SCHOOLS +• WARNING • +It is a crime, as well as disruptive to the +educational process, to pull a false fire alarm or to +make a bomb threat. In addition, accidental injury +or death of a firefighter, student, or staff member +could result. +PENALTY FOR FALSE ALARM +Imprisonment for up to one year or a fine of not +less than $100 but not more than $500. +(M.G.L., C. 269, S. 13) +PENALTY FOR BOMB THREAT +Imprisonment for up to twenty years and/or a fine +of up to $10,000. (M.G.L., C. 269, S. 14) + + diff --git a/data/data_txt/FSE-05 Medical Emergency Management.txt b/data/data_txt/FSE-05 Medical Emergency Management.txt new file mode 100644 index 0000000..03d581d --- /dev/null +++ b/data/data_txt/FSE-05 Medical Emergency Management.txt @@ -0,0 +1,405 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-05 +Version 01 + + + +MEDICAL EMERGENCY MANAGEMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The following guidelines relate to a medical emergency of an +individual student, which is different from episodes where the +entire School Safety Contingency Plan (please refer to +Superintendent’s Circular FSE-01 School Safety Contingency +Plans) is activated. However, the guidelines are complementary. +The school nurse assigned to each school should assist in the +development and implementation of medical emergency +protocols. The elements to be included in the protocol are +described below. +EMERGENCY INFORMATION +Prevention of medical emergencies begins with knowledge of +underlying medical issues. Therefore, Emergency Information +Cards (Form 460 or electronic equivalent), containing the basic +pertinent data to activate an emergency medical plan for the +student, must be on file at each school. This information should +be completed upon the opening of school in September and +updated by January 1 and again by April 1 each school year. +In addition to parental contact phone numbers, alternate +emergency contacts, primary language spoken at home and + + +Page 2: +Superintendent’s Circular FSE-05 +Page 2 of 12 + + + +custody issue documentation, the card or electronic equivalent +should contain: +● Insurance company +● Policy number +● Clinician name and phone +● Hospital where the child is taken in an emergency +● Listing of health problems +● Listing of medications taken at home as well as in school +● Allergies +● Vision or hearing problems +● History of surgery or serious illness in the last year +Each building administrator may practice the most expeditious +means of securing necessary information. +ROUTINE ILLNESS / MINOR INJURY +It is the responsibility of the principal/head of school, in +consultation with the school nurse, to decide whether routinely ill +or slightly injured students should remain in school or be +released to their home. When it is necessary for a student to +leave the school for home, the following procedures must be +followed. +● The parent/guardian, or in those cases where they cannot +be contacted, the individual designated on the Emergency +Information Card, should make necessary arrangements for +the student to be picked up at school by a responsible adult. +(Please refer to Superintendent’s Circular SAF-08 Release of +Students to Authorized Persons.) + + +Page 3: +Superintendent’s Circular FSE-05 +Page 3 of 12 + + + +● The parent/guardian should be informed of any emergency +aid administered at the school and advised to seek further +medical attention, if necessary. +● If the parent/guardian of a student who has sustained a +minor injury or illness cannot be located, the child must +remain in school until the regular dismissal time. +● Under no circumstances should a student be released +without adequate adult supervision. All instances where a +student is released should be properly documented in a log +in the office of the principal/head of school. The log must +indicate all pertinent information, including the time the +child arrived home. +● No child is to be released to anyone other than a +parent/guardian without the parent/guardian’s consent +and proper identification as the parent/guardian’s +designee. +MEDICAL EMERGENCIES +The principal/head of school has administrative and +programmatic responsibility for all activities that occur in their +school. However, in those cases where a medical emergency +exists, principals/heads of school should consult with and follow +the advice of the assigned nursing staff. +● A medical emergency is defined generally as a potentially +life-limiting or life-threatening situation requiring +immediate medical attention, as well as cases of indecent +assault/rape. Protocols for the management of specific +medical emergencies are available to nurses and are to be +kept on file in the nurse's office. + + +Page 4: +Superintendent’s Circular FSE-05 +Page 4 of 12 + + + +● In the beginning of each school year, school nurses should +communicate to relevant staff the known potential health +emergencies of individual students. This meeting should be +documented on the student’s Individual Health Plan. +● The principal/head of school is responsible for responding to +medical emergencies when a school nurse is not available. +● Principals/heads of school should compile a list of staff with +CPR, AED, first aid, and first responder training who can +provide immediate lifesaving measures until EMS arrives. +These staff members should be members of the School +Safety Team. +● Immediate phone support is also available through the +Health Services office at 617-635-6788. +● Each school nurse should complete a list of staff trained in +the administration of Epinephrine in the event of a life- +threatening allergic reaction. This list must remain on the +file with the school administrator. Epinephrine should not +be locked away but should be available to school staff in a +secure location. +● It is recommended that the school nurse, school leader, and +other staff involved in a medical emergency hold a debrief +meeting following the incident. +SERIOUS INJURY / ILLNESS PROTOCOL +● Stabilize the student using the most qualified school staff. +● Activate the Emergency Medical System (EMS) by calling 911. +Cases of indecent assault/rape require Boston Police +notification via 911.* + + +Page 5: +Superintendent’s Circular FSE-05 +Page 5 of 12 + + + +● Call the Superintendent’s Office at 617-635-9057. +● Notify School Safety Services at 617-635-8000. +● The responding ambulance crew of emergency medical +technicians (EMTs) or paramedics will consult with the +qualified school officials and assess the need for +transportation to a medical facility. EMS assumes medical +management of the child. +● School personnel designated by the principal/head of school +must accompany the student in the ambulance and remain +with the child until a) the parent/guardian arrives or, b) the +child is attended to by appropriate and qualified medical +personnel who have taken over the custody of the child, +whichever occurs first. +● Accompanying staff are not required to have medical +experience and are present solely for the comfort of the +child. It is not recommended that the school nurse +accompany the student as the school will be without +nursing support for other students requiring nursing care +during the school day and other first aid/emergency care. +● The school’s representative should bring the student’s +Emergency Information Card, the Individual Collaborative +Health Plan (if the student has identified chronic health +needs), emergency action plan (if available), and all other +pertinent medical information to the hospital. +● If the emergency occurs on the school bus, the driver +(and/or monitor, if present) will provide for the safety of the +child and call the dispatcher, who notifies 911. When EMS +arrives, the dispatcher will be called with the name of the +child and the hospital that the child will be transported to. + + +Page 6: +Superintendent’s Circular FSE-05 +Page 6 of 12 + + + +The dispatcher then calls the Department of Safety Services +at 617-635- 8000, who will notify the family. A safety officer +will proceed to the emergency room to meet with the +student and family. +➢ Release of a student who is a victim of indecent +assault/rape must comply with procedures outlined in +both this memorandum and Superintendent’s Circular +SAF-08 Release of Students to Authorized Persons. +COMMUNICABLE DISEASES +Massachusetts General Law and public health regulations govern +the reporting and control of communicable diseases in public +schools. All suspected cases of a communicable disease require +confirmation from local health authorities before a plan of action +is developed. When a student is suspected of having a reportable +communicable disease: +● The principal/head of school or designee will contact the +school nurse. +● The nurse or principal/head of school will contact the Health +Services administration. +● Health Services will contact and collaborate with the Public +Health Commission to confirm the diagnosis. +● The school nurse, in conjunction with principal/head of +school or designee, Health Services, and local health +authorities, will assess the health risks and develop a plan of +action to address the issues. +Questions or concerns may be directed to Health Services at 617- +635-6788. + + +Page 7: +Superintendent’s Circular FSE-05 +Page 7 of 12 + + + +DEPARTMENT OF SAFETY SERVICES +The Department of Safety Services/Boston School Police is +located at 213 Townsend Street (rear of Boston Latin Academy), +Dorchester, MA 02121, phone 617-635-8000. +● A school administrator must notify the Dept. of Safety +Services by telephone of any serious illness or injury after +notifying Emergency Medical Services via 911. +● Dept. of Safety Services personnel have received various +levels of first aid training and may initiate assistance +appropriate to their level of training. +● A Dept. of Safety Services administrator will respond to the +scene if practical. +● The Dept. of Safety Services may be used as a resource to +assist in making parent/guardian notification. +NOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS +INCIDENTS +● The principal/head of school should follow the guidelines +established in the Superintendent's Circular FSE-01 School +Safety Contingency Plans, providing feedback to staff. +● Should an incident become generally known and be a +matter of concern to parents, the administrator should meet +with the School Parent Council to advise them of the +precautionary measures taken to prevent the recurrence of +such an incident. +● In the event of a serious illness/injury involving a student, +the parent/guardian must be notified as soon as possible. +This notification should include all available information, + + +Page 8: +Superintendent’s Circular FSE-05 +Page 8 of 12 + + + +including hospital destination if the child is transported to a +medical facility. +● If a student is a witness to a medical emergency, their +parent/guardian should be notified prior to that student +being removed from the school for interviewing by police or +any other member of an emergency response agency. +Summary of significant dates and deadlines: +Date +Activity +September Complete Emergency Information Cards (Form 460) +January +Update Form 460 +April +Update Form 460 + +EMERGENCY PLAN +If an emergency occurs: +1. Stay with the student. +2. Call or designate an adult to call the nurse or designee. +a. State who you are. +b. State where you are. +c. State the problem. +3. An administrator or designee is responsible to institute the +Emergency Plan. +Emergency Telephone Procedure: +1. Dial 911. + + +Page 9: +Superintendent’s Circular FSE-05 +Page 9 of 12 + + + +2. State who you are. "I am _______________, a +teacher/paraprofessional in the Boston Public Schools." +3. State where you are. "I am at the ________________School, +address __________________. The telephone number is +______________________." [NOTE: a number that is not the +office number should also be provided to EMS.] +4. State the problem. "There is a _______ year old child here that +is _____________. We need an ambulance now." +5. Give specific directions. "_________________ will meet you at +________________ to direct you." (address) +6. Don't hang up. Ask for the information to be repeated back +to you and answer any questions the dispatcher may have. +Hang up the telephone when all information is correct and +verified. +Emergency Procedures: +1. Notify the principal/head of school or administrator and +inform them of the nature of the emergency and the +location of the student. +2. The administrator or designee will: +a. Meet and direct the EMTs +b. Call parent/guardian +c. Call the Superintendent’s Office at 617-635-9057 +d. Call School Safety at 617-635-8000 +3. The school nurse or designee will accompany the student to +the hospital. +4. Paramedics will decide which hospital is appropriate. + + +Page 10: +Superintendent’s Circular FSE-05 +Page 10 of 12 + + + +5. Copy emergency and health care information. +6. School personnel (not necessarily the nurse) designated by +the principal/head of school must accompany the student in +the ambulance and remain with the student until the +parent/guardian arrives or the child is being taken care of by +appropriate and qualified medical personnel who have +taken over the responsibility of the child’s care, whichever +occurs first. Paramedics will take over care of the student +when they arrive. +7. The school representative should bring copies of the +student's emergency information card, health card, and all +available information pertinent to the student and the +incident/illness to the hospital. + + + +8. The Department of Safety Services may be used as a +resource to assist in notification to the parent/guardian. +Telephone 617-635-8000. +9. School Department personnel must not in any case +transport a sick or injured child in a privately owned motor +vehicle. +10. Under no circumstances should a student be sent to any +location via taxi based solely on notification received by +telephone. +11. It is strongly recommended that the student emergency +information card (Form 460) be regularly updated. +For more information about this circular, contact: +Owner: +Djenny Lobo Lopes + + +Page 11: +Superintendent’s Circular FSE-05 +Page 11 of 12 + + + +Department: +Health Services +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR +Owner: +Director of Emergency Management and +Preparedness +Department: +Safety & Emergency Management +Mailing Address: 205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR + +Owner: +Chief of Safety Services +Department: +Safety Services +Mailing Address: 213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 + + +Page 12: +Superintendent’s Circular FSE-05 +Page 12 of 12 + + + +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.txt b/data/data_txt/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.txt new file mode 100644 index 0000000..0f8f7d6 --- /dev/null +++ b/data/data_txt/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.txt @@ -0,0 +1,1047 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +FSE-06 +Version 01 + + + +STUDENT SAFETY / HEALTH IN SCHOOL SHOPS, +LABORATORIES, AND CLASSROOMS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Each day, thousands of Boston Public School students perform a +variety of activities within shops and laboratories. To ensure that +all students and their teachers work in an environment which is +safe, it is necessary to formulate standard procedures and +requirements for all schools and their personnel. +Your performance of these procedures will ensure that you and +your students are safe. +RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL +1. Inform the staff and students in writing of the safety +standards and procedures, including the need to wear eye +protection devices. +2. Ensure that workable fire extinguishers, blankets, and eye +wash equipment are readily available (custodians are +responsible for recharging fire extinguishers). +3. Make sure that appropriate personnel receive training in use +of portable fire extinguishers and blankets. +4. Ensure that staff has instructed all students in safety +standards and procedures, including School Safety Plan. + + +Page 2: +Superintendent’s Circular FSE-06 +Page 2 of 23 + + + +5. Post building evacuation procedures in classrooms, offices, +and corridors. +6. Review and evaluate safety procedures in shops and +laboratories (refer to Safety Check List attached). +7. Conduct quarterly fire drills (refer to Superintendent's +Circular FSE-2 Fire Safety Practices). +8. Develop emergency procedures in case of a serious accident +(refer to Superintendent's Circular FSE-05 Medical +Emergency Management). +9. Maintain adequate lighting and proper ventilation in shops, +laboratories, and classrooms. Report problems to Facilities +Management. +10. Ensure that food service training programs and/or student- +run restaurants comply with current sanitation code +regulations. +11. Be sure that teacher evaluations reflect the implementation +of safety standards and procedures. +12. Ensure that a "Right to Know" workplace notice is posted in +the school's shops/laboratories. +13. Ensure that all instructors working with toxic or hazardous +substances receive training as specified in Chapter 111F of +the Massachusetts General Laws. +14. State safety regulations within your school-based rules. +15. Make Material Safety Data Sheets available. +RESPONSIBILITIES OF TEACHERS +1. Practice safety procedures; the teacher serves as the +model for the students). +2. Set up and maintain shop or laboratory to permit free, +unobstructed movement of students at benches, around +equipment and machines, and to allow egress from the + + +Page 3: +Superintendent’s Circular FSE-06 +Page 3 of 23 + + + +area. +3. Report all lighting and ventilation problems to the head +of school/principal. +4. Develop emergency procedures to follow in case of an +accident (refer to Superintendent’s Circular FSE-5 Medical +Emergency Management). +5. Post safety rules and safety hazards conspicuously in +appropriate areas; contact the Department of Vocational +Technical Education for translation of safety rules into +appropriate language(s). + +6. ENFORCE SCHOOL-BASED RULES WHICH ADDRESS +SAFETY. +7. Supervise students at all times. Under no circumstances +shall a teacher leave students unsupervised in a +laboratory or shop area. If an instructor must leave the +shop in an emergency, they must: +a. Arrange for a qualified teacher as replacement OR +b. Relocate students to a properly supervised area. +c. Lock laboratory/shop area. +d. Shut off equipment. +8. Check fire protection equipment weekly. +9. Know the location of the closest fire extinguisher. +10. Maintain a first aid kit in an easily accessible area. +11. Check machinery/equipment weekly to make sure safety +guards are in place and working properly. +12. Check any gas-burning equipment daily for gas leaks. +13. If anyone detects the smell of gas, shut off the gas source +before reporting the problem to your supervisor. +14. Maintain a dated, self-evaluation safety inspection +checklist. Safety program checklist forms are available +from the Department of Career and Technical Education. + + +Page 4: +Superintendent’s Circular FSE-06 +Page 4 of 23 + + + +15. Use the building safety committee as a resource for +student safety plans. +16. Present each student with a copy of the shop's safety +rules and procedures. +17. Teach safety as an integral part of each job or lesson by: +a. Testing students on their knowledge of safety rules +and procedures. +b. Using objective tests to emphasize shop safety. +c. Checking student mastery of safe methods and safe +practices. +d. Testing students’ handling of tools, operation of +machines, use of equipment, and trade practices, all +with a focus on safety. +e. Having a student sign their written test as indication +they understand safety rules and procedures. +f. Filing signed written tests in the student's folder as a +permanent record. +18. Know location of AED and qualified operations. +19. Avoid shop accidents by insisting that students dress +properly for the laboratory/shop. Each student shall: +a. Wear shoes with low or flat heels and substantial +soles, or wear work shoes where mandated. +b. Wear head covering, pin up hair, or tie hair back. +c. Wear eye protection devices as per M.G.L. c.71, s.55C. +d. NOT wear loose-fitting clothes which could get +caught in moving equipment. +e. NOT wear rings, bracelets, or necklaces which could +get caught in moving machinery parts. +20. Supervise students at all times. Under no circumstances +should an unsafe piece of equipment be operated. +Disconnect or remove the fuse to ensure that an + + +Page 5: +Superintendent’s Circular FSE-06 +Page 5 of 23 + + + +accident will not occur. +21. Insist that visitors to your area wear safety equipment +(eye protection, etc.). +22. Shut off all machines, store all equipment, and shut off +lights before closing the laboratory/shop for the day. +23. Make sure that soap and towels are replenished as +needed. +24. Establish a foolproof system for dispensing and securing +tools. +25. Designate storage for tools to prevent accidents. +26. Lock up hazardous materials and equipment in +approved containers when not in use. +27. Keep machinery and equipment in good condition; +conduct monthly inspections. +28. Submit appropriate requisition(s) to paint hazardous +machinery parts and safety switches in conspicuous +colors. +29. Submit appropriate requisition(s) to secure safety mats +to the floor around machines to prevent slipping. +30. Check the emergency disconnect switch (PANIC +BUTTON) to ensure proper operation. +31. Dispose of oily waste and rags in designated containers. +32. Ensure that food service training programs and/or +student-run restaurants comply with current sanitation +code regulations. +RESPONSIBILITIES OF NURSES +1. Help students and teachers obtain necessary health +screening, where required, for admission to occupational +programs (e.g., food service/restaurant programs). +2. Administer first aid. + + +Page 6: +Superintendent’s Circular FSE-06 +Page 6 of 23 + + + +3. Evaluate the injury. +4. Notify student's parent/guardian. +5. Complete nurse's section of accident report. +6. If an accident is serious, in addition to above, implement +procedures documented in Superintendent's Circular +FSE-5 Medical Emergency Management. +ACCIDENT REPORTS +1. The instructor, nurse, and/or witness will fill out or assist in +filling out two separate accident reports: Occupational +Education Accident Report Form EE 111 (attached) and Pupil +Accident Report Form 201 (attached). +2. The principal/head of school will retain original Form EE 111 +in the school file and send a copy to the director of Career +and Technical Education, 75 Malcolm X Blvd., Boston, MA +02119. +3. The principal/head of school will retain Form 201 in the +school file and send a copy to the Department of Safety +Services, 213 Townsend Street, Dorchester, MA 02121. + +TECHNICAL ASSISTANCE +The Department of Career and Technical Education will provide +all schools with technical assistance in improving and +maintaining safety procedures. Facilities Management and Safety +personnel are available to coordinate fire prevention activities +and building inspections. Career and Technical Education staff +will perform continual safety inspections for +shops/laboratories/classrooms. +Contact: + + +Page 7: +Superintendent’s Circular FSE-06 +Page 7 of 23 + + + +Director of Career and Technical Education, 617-635-8970 +Director Safety / Emergency Preparedness, 617-635-8300 + +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + +ATTACHMENTS: +Form EEE 111 – Occupational Education Accident Report +Form 201 – Pupil Accident Report +Occupational Safety and Health: Safety Inspection Checklist + + + + + +Page 8: +Superintendent’s Circular FSE-06 +Page 8 of 23 + + + +FORM EE 111 +OCCUPATIONAL EDUCATION ACCIDENT REPORT + +Name of injured: _________________________________________________ +Grade: ________ Age: ________ +Parent's/guardian's name: ________________________________________ +Address: __________________________________________________________ + __________________________________________________________________ +Date of accident: ______________Time of accident: _________________ +Location of accident: _____________________________________________ +Description of accident: __________________________________________ + __________________________________________________________________ +State exact part of person injured and extent of injury: ___________ + __________________________________________________________________ +Emergency care was given by: ___________________________________ +Follow-up (check statements which apply): +☐ Pupil remained in school +☐ Parent/guardian notified +☐ Taken to nurse's office by _____________________________________ . + + +Page 9: +Superintendent’s Circular FSE-06 +Page 9 of 23 + + + +☐ Taken to hospital by ___________________________________________ +Name of doctor, if any ___________________________________________ +Witness to accident: ______________________________________________ +Person reporting accident: _______________________________________ +Signatures: +Person making this report: _______________________________________ +Person supervising activity/program _____________________________ +School nurse _____________________________________________________ +Principal/head of school _________________________________________ + +Report #: ___________________________ (to be filled in by the +building principal/headmaster) + +Reviewed by: _____________________________________________________ + +Director of Career and Technical Education + +NOTE: Retain original in principal’s/head of school’s office. Send +copy to the director of Career and Technical Education, 75 +Malcolm X Blvd., Boston, MA 02120. + + +Page 10: +Superintendent’s Circular FSE-06 +Page 10 of 23 + + + +FORM 201 +PUPIL ACCIDENT REPORT +(Section 225 of the Rules and Regulations) +All accidents involving injury to pupils on school premises or +while going to or from school must be reported on Form 201 to +the Department of School Safety Services, 213 Townsend Street, +Dorchester, MA 02121 no later than the day following the day of +the accident. This report is to be filled out in its entirety. A +duplicate copy of the Pupil Accident Report is to be retained by +the school principal. If possible, this report should be typewritten. +1. Student’s Last Name ___________________________________________ +First Name ____________________________Middle Initial ___________ +2. Address _______________________________________________________ + __________________________________________________________________ +3. School ________________________________________________________ +4. Student’s Age _________Sex ________Grade_____Room___________ +5. Name of Parent or Guardian (in full) ___________________________ + __________________________________________________________________ +6. Date of accident _________Time _______ A.M. ______ P.M. ________ + +7. Nature and extent of injury ____________________________________ + + + + +Page 11: +Superintendent’s Circular FSE-06 +Page 11 of 23 + + + +8. In case of dog bite, has a report been made to the Boston +Health Department? ☐ Yes ☐ No +8. Specific location of accident ___________________________________ +9. Teacher(s) in charge of location when accident occurred + __________________________________________________________________ +9. Teacher(s) in charge present at scene of accident? ☐ Yes ☐ No +10. Description of accident, including cause ______________________ + __________________________________________________________________ + __________________________________________________________________ +11. In the case of a shop accident, were all guards required by law +in use? ________________________________________________________ + If not, why not? _______________________________________________ + ________________________________________________________________ +12. In case of shop or laboratory accident, is the statement +required by Section 225 of the Rules and Regulations +attached? ☐ Yes ☐ No +If answer is no, state reason: ___________________________________ +13. To whom was the accident first reported? _____________________ +What action was taken by this person? ________________________ + ________________________________________________________________ +14. Were first aid supplies available? ☐ Yes ☐ No +15. Was any treatment administered? ☐ Yes ☐ No + + +Page 12: +Superintendent’s Circular FSE-06 +Page 12 of 23 + + + +Where? _______________________________________________________ +16. Did the pupil leave school (or place of accident)? ☐ Yes ☐ No +If so, to what destination? _____________________________________ +17. If transported by ambulance, attendant names, and unit #: + __________________________________________________________________ +18. Escorted to destination by whom? (An injured pupil should be +escorted by a responsible person) _____________________________ + __________________________________________________________________ +19. Names and addresses of witnesses: ___________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +The accident report has been investigated and will be carefully +followed up. + __________________________________________________________________ +Signature of Safety Counselor + __________________________________________________________________ +Signature of Principal +Date of Report ___________________________________________________ +School ___________________________________________________________ +BOSTON PUBLIC SCHOOLS — VOCATIONAL, ADULT, + + +Page 13: +Superintendent’s Circular FSE-06 +Page 13 of 23 + + + +AND ALTERNATIVE EDUCATION +OCCUPATIONAL SAFETY AND HEALTH: SAFETY INSPECTION +CHECKLIST +School ______________________________________Level _______________ +Department ___________________Area __________Date _____________ +Inspection by __________________________Position _________________ +STUDENTS +YES NO N/A +1. Are they wearing proper eye protection? +☐ +☐ +☐ + +Comment: +2. Are they wearing proper footwear? + ☐ +☐ +☐ + +Comment: + +3. Are they properly dressed? + ☐ +☐ +☐ + +Comment: +4. Are they trained in safety procedures? +☐ +☐ +☐ + +Comment: +5. Do they have safe work habits? +☐ +☐ +☐ + +Comment: + + + + +Page 14: +Superintendent’s Circular FSE-06 +Page 14 of 23 + + + +STUDENTS (continued) +YES NO N/A +6. Are they wearing proper hearing protection? +☐ +☐ +☐ + +Comment: +7. Are hard hats provided and worn where any + +danger of falling objects? + +☐ +☐ +☐ +Comment: +8. Do they know how to properly and safely +use the tools? + +☐ +☐ +☐ + +Comment: +9. Are they trained in safety procedures? + ☐ +☐ +☐ +Comment: +10. Do students know what to do in emergencies? +☐ +☐ +☐ + +Comment: +WORK AREA +YES NO N/A +1. Is it clean and orderly? +☐ +☐ +☐ + +Comment: +2. Are exit lanes clear and marked? +☐ +☐ +☐ + +Comment: + + + + +Page 15: +Superintendent’s Circular FSE-06 +Page 15 of 23 + + + +3. Are materials neatly stored? +☐ +☐ +☐ + +Comment: +WORK AREA +YES NO N/A +1. Are tools safely stored? + ☐ +☐ +☐ + +Comment: +2. Are floors clean and dry? +☐ +☐ +☐ + +Comment: +3. Are hazard signs properly posted? +☐ +☐ +☐ + +Comment: + +4. Are floors non-skid? +☐ +☐ +☐ + +Comment: +5. Are compressed gas cylinders properly + +secured? +☐ +☐ +☐ + +Comment: + +DOORS +YES NO N/A +1. Are there an adequate number of exits? +☐ +☐ +☐ + +Comment: +2. Are exits properly marked with signs? +☐ +☐ +☐ + +Comment: + + + + +Page 16: +Superintendent’s Circular FSE-06 +Page 16 of 23 + + + +3. Is there an unobstructed and clear way to + +all doors? +☐ +☐ +☐ + +Comment: +Are fire doors (automatic/self-closing) in + +operable condition? +☐ +☐ +☐ + +Comment: + +EYEWASH - EMERGENCY SHOWERS + YES NO N/A +1. Are there washing facilities available where +students are exposed to corrosive materials, + +flying chips, or dust? +☐ +☐ +☐ + +Comment: +ELECTRIC DEVICES +YES NO N/A +1. Are all outlets and switches in good condition? +☐ +☐ +☐ + +Comment: +2. Are there any loose wires? +☐ +☐ +☐ + +Comment: +3. Are all outlets properly grounded? +☐ +☐ +☐ + +Comment: + + + + + +Page 17: +Superintendent’s Circular FSE-06 +Page 17 of 23 + + + +FIRE DRILLS +YES NO N/A +1. Are fire drill instructions (exit routes) posted? +☐ +☐ +☐ + +Comment: +2. Do alarms work properly? +☐ +☐ +☐ +Comment: +3. Are fire drill practices held frequently? +☐ +☐ +☐ +Comment: +4. Are staff members instructed in the use of + + +extinguishers and fire protection procedures? +☐ +☐ +☐ + +Comment: +FIRE EXTINGUISHERS +YES NO N/A +1. Are extinguishers mounted in a readily +accessible/visible location? +☐ +☐ +☐ + +Comment: +2. Was the extinguisher inspected during the + +past year (check inspection tag)? +☐ +☐ +☐ + +Comment: + + + + + +Page 18: +Superintendent’s Circular FSE-06 +Page 18 of 23 + + + +FLAMMABLE ITEMS +YES NO N/A +1. Is there more than one (1) shift or a one (1) day + + +supply of flammable liquid in the school shop + +area? + ☐ +☐ +☐ +Comment: +2. Are all flammable liquids (one day's supply +of oil, previously opened paint, gasoline, etc.) +sealed in fireproof containers away from +possible sources of ignition? +☐ +☐ +☐ +Comment: + +4. Is there an excess of flammables kept on the +premises? +☐ +☐ +☐ +Comment: +4. Are rags and other flammable items stored in a + +safe location? +☐ +☐ +☐ + +Comment: + +5. Are waste receptacles provided and are they +emptied regularly? +☐ +☐ +☐ +Comment: + + + + + +Page 19: +Superintendent’s Circular FSE-06 +Page 19 of 23 + + + +FIRST AID +YES NO N/A +1. Is a fire blanket and container mounted in a +readily accessible/visible location? + ☐ +☐ +☐ +Comment: + +2. Are first aid boxes in an accessible location? +☐ +☐ +☐ +Comment: + + +3. Are the supplies adequate for the type of +potential injuries in the shop? +☐ +☐ +☐ +Comment: + +4. Are all items sterile? +☐ +☐ +☐ +Comment: + + +5. Is there a staff member trained in first aid? +☐ +☐ +☐ +Comment: + +6. Are emergency numbers posted? + +☐ +☐ +☐ +Comment: + + + + + +Page 20: +Superintendent’s Circular FSE-06 +Page 20 of 23 + + + +HEATING +YES NO N/A +1. Are all heat dispersing units free from +obstruction and flammable materials? +☐ +☐ +☐ +Comment: + + +2. Is the heat in the shop adequate? +☐ +☐ +☐ +Comment: + +LIGHTS +YES NO N/A +1. Is lighting suitable for work being done? + +☐ +☐ +☐ +Comment: + + +2. Is there a back-up light in case of emergency +(battery-operated)? + + +☐ +☐ +☐ +Comment: + + + +MACHINERY AND TOOLS + + +YES NO N/A +1. Are safety guards in place? + + +☐ +☐ +☐ +Comment: + + +2. Are they properly cleaned and lubricated? +☐ +☐ +☐ +Comment: + + +3. Are there any dangerously worn parts? + +☐ +☐ +☐ +Comment: + + +4. Is there adequate space between machines for + + +Page 21: +Superintendent’s Circular FSE-06 +Page 21 of 23 + + + +working safely? + + +☐ +☐ +☐ +Comment: + + +5. Are there any electrical hazards? + +☐ +☐ +☐ +Comment: + + +6. Are hand tools and other equipment regularly +inspected for safe conditions? +☐ +☐ +☐ +Comment: + + + +POWER SHUT-OFFS + YES NO N/A +1. Are there emergency shut-offs? + + +☐ +☐ +☐ +Comment: + + +2. Do they work? + + +☐ +☐ +☐ +Comment: + + + +3. Are they checked each month? + + +☐ +☐ +☐ +Comment: + + + + + + +Page 22: +Superintendent’s Circular FSE-06 +Page 22 of 23 + + + +VENTILATION +YES NO N/A +1. Do all exhaust ducts terminate outside the +building? +☐ +☐ +☐ +Comment: + + + +2. Does tailpipe exhaust exit outside the building? +☐ +☐ +☐ +Comment: + + +3. Does this shop (welding, auto body, etc.) +require exhaust fans? + + +☐ +☐ +☐ +Comment: + + +4. Does this shop have exhaust fans, and do they +exhaust to the outside? +☐ +☐ +☐ +Comment: + + +5. Is the system sufficient with shop at full capacity? ☐ +☐ +☐ +Comment: + + + +RIGHT TO KNOW LAW + + +YES NO N/A +1. Is a workplace notice posted? + + +☐ +☐ +☐ +Comment: + + +2. Are containers labeled that contain toxic or +hazardous substances? + + +☐ +☐ +☐ +Comment: + + +3. Have the instructors been taught about the + + + +Page 23: +Superintendent’s Circular FSE-06 +Page 23 of 23 + + + +nature and effects of the MSL substances to +which they may be exposed in the workplace? +☐ +☐ +☐ +Comment: + + +4. Other: + + + +☐ +☐ +☐ +Comment: + + + + + + + + + diff --git a/data/data_txt/FSE-07 Public Health & Workplace Safety.txt b/data/data_txt/FSE-07 Public Health & Workplace Safety.txt new file mode 100644 index 0000000..55d9522 --- /dev/null +++ b/data/data_txt/FSE-07 Public Health & Workplace Safety.txt @@ -0,0 +1,283 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FSE-07 +Version 01 + + + +PUBLIC HEALTH AND WORKPLACE SAFETY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +In the past, concerns have been raised over the potential use of +the U.S. Postal Service to conduct bioterrorist activity. In both +New York and in Washington D.C., contents of three or four +envelopes were tested positive for anthrax. In those cases where +positive results were recorded, public health authorities dealt +with this issue. +The purpose of this memorandum is to provide guidelines for the +handling of mail in the Boston Public Schools. In providing these +guidelines, it is important to note that we have been informed by +the Boston Public Health Commission that there have been no +confirmed anthrax cases reported in either the Boston Public +Schools or in the City of Boston. +Your School Emergency Operations Guide (flip chart) will serve as +an action reference on this subject. +GUIDELINES +The following guidelines are effective immediately and shall + + +Page 2: +Superintendent’s Circular FSE-07 +Page 2 of 9 + + +remain in place until otherwise ordered: +1. Every responsibility center should assign one person and a +backup person to sort and distribute mail. That person shall +be supplied with rubber gloves and plastic bags to be used +at their discretion. Training in the safe handling of mail will +be provided. +2. Techniques for safe handling of routine mail include the +following: +a. Examine all mail before opening to determine if it is +suspicious. +b. Isolate suspicious mail in a plastic bag. +c. Open mail with a letter opener over a hard cleanable +surface, holding the envelope upright so that the +contents will not spill out. +d. Examine the inside contents prior to removal. +e. Never shake or wave any mail or contents of +letters/packages. +f. Ensure that food or drinks are not in the area while +mail is handled. +3. All mail and packages sent to internal offices/departments +through the courier service should be sealed by the sender +and the name and return address of the sending office +clearly marked on the envelope/package. +4. Characteristics of suspicious letters and packages include +the following: +a. No return address. +b. Return address not matching city/state on the +postmark. +c. Stained, discolored mail or mail with an odor. +d. Excessive postage/excessive weight. +e. Lopsided or uneven envelope/packaging. + + +Page 3: +Superintendent’s Circular FSE-07 +Page 3 of 9 + + +f. Improper address, illegible or poorly written address. +g. Mail with visual threats on packaging materials. +h. Unexpected mail with an international postmark. +i. Ticking sound. +j. Any combination of the aforementioned +characteristics. +5. Suspicious mail or packages should NOT be opened or +jostled. It should be placed in a plastic bag and isolated for +inspection by the responsibility center manager. +6. If suspicious mail is already opened, it should be left on the +desk/table and should NOT be handled further. It is +suggested that it be covered with a plastic trash bag and +the immediate area closed off. Refer to items 8 and 9 and +follow the procedures outlined. +7. If any powder or suspicious substance spills out of the +envelope, cover it, close off and leave the immediate area, +wash your hands with soap and water and notify your +responsibility center manager. +8. When suspicious mail has been received, the responsibility +center manager should call 911 and notify the +Superintendent's Office. Our protocol does not call for +evacuation of the building unless so directed by public +safety officials. +9. All persons who handled suspicious letters/packages should +wash their hands with soap and water. +Attached for informational and review purposes are public health +fact sheets prepared by the Boston Public Health Commission. +Please keep this memorandum available for reference. + + +Page 4: +Superintendent’s Circular FSE-07 +Page 4 of 9 + + +ATTACHMENT A + +PUBLIC HEALTH FACT SHEET +Communicable Disease Control +1010 Massachusetts Ave, Boston MA 02118 +617-534-5611 +ANTHRAX +What is anthrax? +Anthrax is a disease caused by a bacterium called Bacillus +anthracis. Anthrax most commonly occurs in animals, but it can +also infect people. Anthrax has the potential to be used as a +biological weapon. In late 2001, terrorism related Anthrax cases +were found in Connecticut, New York City, New Jersey, Florida, +and Washington DC. +How is anthrax spread? +Anthrax can be spread by touching it (when there’s a cut on the +skin), breathing it in, or eating meat contaminated with Anthrax. +It is not contagious. An infected person cannot give it to others. +What are the symptoms of anthrax? +Symptoms of the disease vary depending on how the disease +was contracted, and usually occur within 7 days, but can take up +to 60 days to appear. + + +Page 5: +Superintendent’s Circular FSE-07 +Page 5 of 9 + + +• Cutaneous (skin form): Most anthrax infections occur when +bacteria enter the skin. The infection begins as a raised itchy +bump that resembles an insect bite, but within several days +develops into a blister. The blister ulcerates and forms a +black area in the center. With prompt treatment, the vast +majority of people recover fully. +• Inhalation: Initial symptoms may resemble the flu with +fever, chills, and muscle aches. After several days, the +symptoms progress to severe breathing problems and +shock. In the past, death occurred 1-2 days after the onset of +symptoms. However, during the recent outbreak of anthrax +in the United States, with prompt treatment more than half +of the people who developed inhalation anthrax survived. +• Intestinal: This form of anthrax occurs from eating +contaminated meat. Symptoms include nausea, loss of +appetite, vomiting, fever, and are followed by abdominal +pain, vomiting of blood, and severe diarrhea. +Can I acquire anthrax from another person? +Person-to-person spread of anthrax is not known to occur. Only +people directly exposed to anthrax spores could develop disease. +Is there an anthrax vaccine? +There is a limited amount of anthrax vaccine available in the +United States; however, most people are not routinely vaccinated +against anthrax unless they fall into a high-risk group such as +military personnel. The anthrax vaccine requires 6 shots over a +period of 18 months with follow-up shots. Anthrax vaccines +intended for animals should not be used in humans. + + +Page 6: +Superintendent’s Circular FSE-07 +Page 6 of 9 + + +Is there a treatment for anthrax? +Doctors can prescribe antibiotics that work against anthrax. To +be effective, treatment should be initiated early. If left untreated, +the disease can be fatal. In Massachusetts, all cases of suspected +anthrax are required to be reported immediately to local health +departments. In Boston, suspected cases should be reported to +Boston Public Health Commission at 617-534-5611. +For more information call the BPHC Bioterrorism Information +Line at 617-534-2362 or visit http://www.bphc.org + + + + +Page 7: +Superintendent’s Circular FSE-07 +Page 7 of 9 + + +ATTACHMENT B + +PUBLIC HEALTH FACT SHEET +Communicable Disease Control +1010 Massachusetts Ave, Boston MA 02118 +617-534-5611 + +BIOTERRORISM +What is Bioterrorism? +Bioterrorism is a form of terrorism in which infectious biological +agents, such as bacteria, viruses, or toxins are used (or are +threatened to be used) against another person to create fear and +disrupt normal daily activities. Use or threatened use of such +agents is a Federal crime and is thoroughly investigated by the +Boston Police Department, FBI, and other agencies. +What is the Boston Public Health Commission doing to prepare +for a possible bioterrorist event? +The Boston Public Health Commission (BPHC) has been +preparing for potential bioterrorism for several years. BPHC has +been working with health care providers and others in the city to +develop an early warning system for possible bioterrorist attacks. +This system will allow city officials time to implement steps to +prevent further illness. + + +Page 8: +Superintendent’s Circular FSE-07 +Page 8 of 9 + + +How will I know if I have been exposed to an infectious +biological agent? +Most bioterrorist threats to date have been hoaxes, so often +people only think they have been exposed to a bioterrorist agent. +If you suspect you have been exposed to a biological agent, notify +emergency personnel immediately by calling 911. Boston Police, +Fire, Emergency Medical Services, and Public Health Commission +will work together to collect and identify the suspect material. +If I actually were exposed to an infectious biological agent, what +symptoms should I look for? +Different viruses, bacteria, and toxins may be used as +bioterrorism agents, and each may cause different symptoms. +Often however, they resemble either the flu or food poisoning. +People who are exposed may experience fever, chills, headache, +body aches, and muscle weakness. Others may experience +coughing, diarrhea, abdominal cramping, nausea, and vomiting. +It is important to remember that these symptoms are common +of many illnesses and are not usually the result of bioterrorist +events. +How long would it take for symptoms to appear? +The length of time it takes for symptoms to appear can vary +greatly depending on the type of agent used. Symptoms can +appear between several hours to several weeks after exposure. + + + + +Page 9: +Superintendent’s Circular FSE-07 +Page 9 of 9 + + +What can be done if I am exposed to a biological agent? +For many of these agents, treatment is available. However, it is +very important for treatment to begin early. Therefore, if you +suspect you may have been exposed to one of these agents, see a +health care provider as soon as possible. + For more information call the BPHC Bioterrorism Information +Line at 617-534-2362 or visit the Boston Public Health +Commission, http://www.bphc.org. + +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/FSE-08 Safe Mode and Internal Threat Procedures .txt b/data/data_txt/FSE-08 Safe Mode and Internal Threat Procedures .txt new file mode 100644 index 0000000..e666c96 --- /dev/null +++ b/data/data_txt/FSE-08 Safe Mode and Internal Threat Procedures .txt @@ -0,0 +1,465 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-08 +Version 01 + + + +SAFE MODE AND INTERNAL THREAT PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Mandatory SAFE MODE drills are to be planned, conducted and +reviewed during September and January of each school year. Each +school should conduct two SAFE MODE drills every year. These +exercises are to be coordinated through your school superintendents. +A report on each safe mode drill must be documented on the Google +form, which can be found at the BPS Fire & Safety Drill Report. If you +have any questions, please contact the BPS Office of Emergency +Management. + +These drills will help prepare the school community for any real life +situation that may occur. + +During any real-life situation: +● Call 911 as soon as you can do so safely. +● Call the Department of Safety Services at 617-635-8000, after +calling 911, if you can do so safely. + +Objectives of SAFE MODE drills: +● Staff will be able to describe what SAFE MODE is and their +responsibilities during a SAFE MODE event. +● Staff will have the opportunity to have their questions +concerning SAFE MODE heard and answered. + + +Page 2: + +Superintendent’s Circular FSE-08 +Page 2 of 13 + +● Staff will have the opportunity to raise potential concerns that +have not yet been addressed to assist in better anticipating +issues during SAFE MODE situations. + +DEFINITIONS AND PROTOCOL FOR ACTUAL EVENTS + +SAFE MODE (External Threat) +SAFE MODE is a protective action used to safeguard faculty, staff, +and students from an external threat as a result of law enforcement +activity near the school or a potentially dangerous situation near the +school. Schools will typically be placed into SAFE MODE by the +Boston Police Department or BPS Safety Services, but each school +can enter SAFE MODE on its own. + +Examples of reasons why schools go into SAFE MODE: +● Police activity around or near your building +● Shooting outside your building +● Fire or accident near your building + +How will you know when you are in SAFE MODE? +The Principal/Head of School, Site Coordinator or designee will +announce the following via intercom and/or using the school safety +team: + +"Attention faculty and students: We are now in SAFE MODE. +Remain in your classroom. If you are in the hallway, stairs, or +lavatory, move into the nearest classroom. Do not leave the room +until told to do so, even if an alarm sounds." + + + +Page 3: + +Superintendent’s Circular FSE-08 +Page 3 of 13 + +NOTE: The Principal/Head of School, Site Coordinator or designee +will also be alerting Safety Services and calling 911 to alert them +that they are in SAFE MODE if not a drill, as mentioned above. + +What should faculty and staff do upon notification of SAFE MODE? +1. If you see, hear, or observe a potential threat outside your +building, bring all students and staff back into the building +immediately and initiate SAFE MODE and notifications. +2. Depending on the circumstances and the direction of the +Principal/Head of School, Site Coordinator or their designee, +learning activities may continue during a SAFE MODE. If +continuing learning activities, be sure the volume in the room +is low enough to hear further announcements. +3. Check the hallways for people nearby and bring them into the +classroom. +4. Check adjacent classrooms through interior doors for +unsupervised students. +5. Lock the classroom door. +6. Be prepared to barricade your doors, cover large door windows +using any available resources (e.g., large paper or felt), and close +the windows and shades (if you have them). Turn the lights off +and silence cell phones, radios, Tv and any other source of noise +as necessary. +7. Be prepared to move students away from windows and doors +and stay in your safe location. +8. Take attendance. Verify the missing and extra people in your +room. Write the names on a sheet of paper and wait for +someone to contact you for that list (may be by intercom or in +person). + + +Page 4: + +Superintendent’s Circular FSE-08 +Page 4 of 13 + +9. Ramain with your students in the classroom until further +instructions are given. +10. Only use the intercom to notify the main office of emergencies +or special needs. +11. SAFE MODE ends only when the principal/head of school, site +coordinator or designee announces it via intercom or through +door to door notifications. + +What will the safety team be doing during SAFE MODE? +1. Administration will make sure exterior doors are locked. +2. Floor captains will check classrooms and lock bathrooms. +3. Administration will notify all staff via the public address system +of the situation. +4. Administration will notify Safety Services and their school +superintendent if they are in an actual SAFE MODE. They will +notify their school superintendent if they will be conducting a +SAFE MODE drill. +5. Administration or police will monitor cameras. +6. Administration or police will monitor the entire school to make +sure no one is in the hallways or leaving or entering the +building. +7. Administration will work with BPS Communications to send a +notice to all families within a short time after the incident when +the situation is clear. + +Preventative Safe Mode: This version of SAFE MODE can be used to +stop motion in the building under certain circumstances to resolve +an internal issue (e.g., lost children, student/adult behavior, K9 +search, etc.). + + + +Page 5: + +Superintendent’s Circular FSE-08 +Page 5 of 13 + +How will you know when you are in PREVENTATIVE SAFE MODE? +The Principal/Head of School, Site Coordinator or designee will +announce the following via intercom and/or using the school safety +team: + +"Attention faculty and students: We are now in PREVENTATIVE SAFE +MODE. Remain in your classroom. If you are in the hallway, stairs, or +lavatory, move into the nearest classroom. Do not leave the room +until told to do so, even if an alarm sounds." + +If schools want to conduct internal threats drills, they should only do +so with staff. No students should be involved in an internal threat +drill. If there are concerns about these drills or procedures, they +should only be discussed with staff. + +INTERNAL THREAT (Interior) +INTERNAL THREAT will be announced if there is any person in the +building who is looking to cause harm to people. If an internal threat +is in the building, all occupants should use the AVOID, DENY, +DEFEND (formerly RUN, HIDE, FIGHT) model to protect themselves +and anyone in their care. During this situation, occupants should use +their own judgment to determine what they will do. + +Examples of an INTERNAL THREAT are: +● Unknown or unidentified people in your building wandering +around +● Out of control parent/family member +● Person with a weapon in the building +● Person shooting in your building + + + +Page 6: + +Superintendent’s Circular FSE-08 +Page 6 of 13 + + +How will I know when we have an INTERNAL THREAT? +The Principal/Head of School, Site Coordinator or designee will +announce the following via the school intercom (and call 911 if not a +drill): + +“Attention faculty and students: there is an INTERNAL THREAT +(AVOID, DENY, DEFEND).” + +What will be happening on campus during an INTERNAL THREAT +situation? +1. No one will be in hallways. +2. Anyone with information on the threat should be calling 911 to +alert police of the situation. +3. Occupants will be using the AVOID, DENY, DEFEND protocol +to decide their actions: +● AVOID (RUN) pay attention to your surroundings, know +your exits if you know it is safe to do so: get as far away +from the building or source of threat as you can (you should +not be able to see the building/threat from where you have +run to). If it is safe to do, call 911, call the School Leader and +Safety Services at 617-635-8000. Cautiously alert people +around you if possible. +● DENY (HIDE) if you cannot run: barricade where you are (if +you can) and stay out of sight of the threat,lock the door, +turn off the light. Silence your phone, radios, tv and/or any +other source of noise. +● DEFEND (FIGHT) If you cannot Avoid or Deny be prepared +to defend yourself. If fighting is your last resort and the +threat is in your space and is going to hurt you or people + + +Page 7: + +Superintendent’s Circular FSE-08 +Page 7 of 13 + +you are with, find something to fight (laptop, chair, fire +extinguisher or any other available resources). +All staff should consider what to do during an internal threat on a +regular basis. HAVE A PLAN! + +HELPFUL HINTS: “KNOW YOUR SPACE” +● Know all available egress (EXIT) points if you ever need to +AVOID (RUN). +● Know what you can use to barricade your door(s) and conceal +yourself from sight if you ever need to DENY (HIDE). +● Know what you can use to DEFEND (FIGHT) if fighting is your +only option (fire extinguisher, chair, laptop, etc.). +● The goal of both SAFE MODE and INTERNAL THREAT is to take +cover and conceal yourself and your students from the active +assailant. Covering glass (with large paper, shades, etc), +shutting off lights, staying quiet (silence your phone, radios, +TV or any other source of noise) and moving into a position of +concealment is key. + + +POLICE RESPONSE: “KNOW WHAT TO EXPECT” +● Law enforcement priorities: +1. Neutralize the shooter +2. Stop the bleed of the first critical victim they encounter +(only if the shooter is not in the immediate location. This is +a new protocol.) +● When police arrive, follow their commands, show the palms of +your hands, don’t move quickly. +● BPD policy is that plainclothes officers can respond to an active +assailant, help may not be in uniform. + + +Page 8: + +Superintendent’s Circular FSE-08 +Page 8 of 13 + + + +DEFINITIONS AND PROTOCOL FOR SAFE MODE DRILLS + +How to conduct a Safe Mode Drill at your school? + +Identify a Safety Team if you have not already done so (Refer to +Safety Contingency Plan FSE-01). This Safety Team should include +the School Leader, Assistant School Leader, Site Coordinator, +Secretary, Custodian or designees. Please review FSE-01 page 24 +for guidance. + +The Principal/School Leader, Site Coordinator or designee must +ensure that staff receive and understand proper instructions on +the safe mode drill procedure. Students should also be informed +of the procedure in order to align expectations prior to the drill. +The drill must be recorded on this form. + +Prior to the Drill: +Confirm the Plan: School Leader/Site Coordinators or designee +will review the Safe Mode and Internal Threat Procedures, +including the various situations and levels of Safe Mode (ie +external threat/ medical issue/ internal threat) with staff. Select +the date of the drill and coordinate roles and responsibilities +during and after the drill. + +Day of the drill: +Just in Time Training: School Leaders/Site Coordinators or +designee will instruct staff to review Safe Mode and Internal +Threat Procedures ensuring everyone knows their roles + + +Page 9: + +Superintendent’s Circular FSE-08 +Page 9 of 13 + +(Students/Staff). Also staff should confirm window covers are +available (shades/blinds/paper/boards, etc) and classroom doors +can lock properly from the exterior. Familiarize yourself with the +system used to warn you to go into Safe Mode, this may be the +public address system, if available, an intercom system, phones +or radios. If the only method to communicate within the school +is the bell system, note the warning bell system used to warn +everyone to Safe Mode. +*Listen carefully for instructions* +Conducting Safe Mode Drill: +1. Inject: Safe Mode ANNOUNCEMENT is made via the PA, with +the support of radios to areas where the PA does not reach. +2. Staff and students go inside the building into the nearest +classroom immediately if they are not already. +3. Staff check the hallways for other staff/students nearby and +bring them into the classroom. +4. Staff check adjacent classrooms through interior doors for +unsupervised students. +5. Lock the classroom doors. +6. Close and lock the windows. +7. Be prepared to barricade your doors, cover large door windows +using any available resources (e.g., large paper or felt), and +close the windows and shades (if you have them). +8. Move students away from windows and doors and stay in your +current location. +9. CONDUCT AN ACCOUNTABILITY SURVEY Verify the missing +and extra people in your room. Write the names on a sheet of +paper and wait for someone to contact you for that list (may +be by intercom or in person). + + +Page 10: + +Superintendent’s Circular FSE-08 +Page 10 of 13 + +10. Stay with your students in the classroom until further +instructions are given. +11. Only use the intercom to notify the main office of emergencies +or special needs. +12. Silence all cellular devices. +13. Shut off the lights. + +IF THE FIRE ALARM SYSTEM SOUNDS: +● Evacuate if there are visible signs of fire. +● Await instructions if there are no signs of fire. + +14. ALL CLEAR/ RETURN TO SCHOOL +School Leader, Assistant School Leader, Site Coordinator, +Secretary, Custodian or designee announces ALL CLEAR via +intercom or through door to door notifications. +Action: Staff return to normal classroom activities. +15. School Leader, Site Coordinator or designee reports the drill +on this form. If you have any problem with this link, please +contact the OEM Team for assistance. + +Note: Learning activities may continue during a SAFE MODE drill, +unless you are instructed otherwise by the Principal/School Leader, +Site Coordinator or designee. If continuing learning activities, be +sure the volume in the room is low enough to hear further +announcements. + +IMPORTANT REMINDER: The BPS Office of Emergency +Management is available to support schools drills as well as +facilitating tabletop exercises or functional tests of school buildings +plans and protocol. Please contact us for more information. + + + +Page 11: + +Superintendent’s Circular FSE-08 +Page 11 of 13 + +All staff should view the following video from the Ohio State +University, to obtain important additional information that will be +helpful in the event that an incident occurs at the school or another +location. +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + + + + + + + + + + + + +(Updated 7.29.2024) + + +Page 12: + +Superintendent’s Circular FSE-08 +Page 12 of 13 + +BPS Safe Mode Announcement Scripts (English) +Safe Mode (External Threat/ Danger Outside of the School) +Announcement: +"Attention faculty and students: We are now in SAFE MODE. Remain in your classroom. +If you are in the hallway, stairs, or lavatory, move into the nearest classroom. +Do not leave the room until told to do so, even if an alarm sounds." + +Preventative Safe Mode (ex. Missing Student/ Medical Emergency) +Announcement: +"Attention faculty and students: We are now in PREVENTATIVE SAFE MODE. +Remain in your classroom. If you are in the hallway, stairs, or lavatory, move into the nearest classroom. +Do not leave the room until told to do so, even if an alarm sounds." + +Internal Threat (Active Shooter/ Armed Intruder Inside) +Announcement: +“Attention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).” + +Know Your Space. Get Safe Before You Call 911. +Cover versus Concealment. +Silence is Golden. +BPS Office of Emergency Management updated 7/2024 + + +Page 13: + +Superintendent’s Circular FSE-08 +Page 13 of 13 + +BPS Guía para anunciar el “modo seguro”(Spanish) +Modo seguro (amenaza externa/peligro fuera de la escuela) +Anuncio: +"Atención profesores y estudiantes: ahora estamos en MODO SEGURO. Permanezcan en su salón de +clases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más cercano. No salga +del salón hasta que se le indique, incluso si suena una alarma". + +Modo seguro preventivo (por ejemplo, estudiante desaparecido/emergencia médica) +Anuncio: +"Atención profesores y estudiantes: Ahora estamos en MODO SEGURO PREVENTIVO. Permanezca +en su salón de clases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más +cercano. No salga del salón hasta que se le indique, incluso si suena una alarma". + +Amenaza interna (tirador activo/intruso armado en el interior) +Anuncio: +“Atención profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).” +Conozca su espacio. +Antes de llamar al 911, asegúrese de no estar en peligro (busque un lugar seguro con precaución) +El silencio es oro. + +Oficina de Manejo de Emergencia de BPS 7/2024 + + diff --git a/data/data_txt/HRS-HS02 Job Sharing for Permanent Teachers and Paras.txt b/data/data_txt/HRS-HS02 Job Sharing for Permanent Teachers and Paras.txt new file mode 100644 index 0000000..3b25be8 --- /dev/null +++ b/data/data_txt/HRS-HS02 Job Sharing for Permanent Teachers and Paras.txt @@ -0,0 +1,175 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS02 +Version 01 + + + +JOB SHARING FOR PERMANENT TEACHERS AND +PARAPROFESSIONALS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Office of Human Resources accepts job-sharing applications +through the online forms included in this circular. Please note +that employees will be required to sign in with their Boston +Public Schools Gmail account. These links will also be made +available through BTU and paraprofessional representatives, the +Boston Public Schools website, and the Superintendent’s +Bulletin. +Boston Public Schools has agreed to provide job-sharing +opportunities to permanent educators (1) and paraprofessionals +who desire to split a position with another staff member in their +building. +CONDITIONS FOR JOB SHARING +The following are the conditions under which employees are +permitted to share jobs: + +1() This includes nurses, COSE, and other BTU educators with +permanent status. + + +Page 2: +Superintendent’s Circular HRS-HS02 +Page 2 of 5 + + + +1. Participation in job sharing requires approval by the +principal//head of school. The principal/head of school +should submit their approval to the Office of Human +Resources via the online form below. +2. All participants in the job-sharing program will be required +to jointly plan their program so as to provide programmatic +integrity and continuity. The principal/head of school must +approve such plans. +With the approval of the principal/head of school, teachers +or paraprofessionals may structure their program in the +following two options: +a. Both teach for one-half day +b. Both teach for one-half week +► Job share participants may not split the school year +with their job share partner in order to work for only +half of the school year. Job share participants also +may not split the teaching bimonthly or biweekly. +3. All participants in the job-sharing program will be required +to attend all "Early Release Time" in-service meetings, all +professional days, and parent conferences. If the job share +takes place in a designated Extended Learning Time school, +both teachers/paraprofessionals are expected to participate +in ELT. +4. The two teachers participating in a joint assignment/job +sharing will meet with one another once each marking +period, at the discretion of the principal/head of school, to +assess and improve the job sharing program. These + + +Page 3: +Superintendent’s Circular HRS-HS02 +Page 3 of 5 + + + +meetings may be held on early release or professional +development days. +All parties recognize that at times it may be necessary for +the two teachers and the principal/head of school to meet +for the purpose of addressing problems which may arise in +the implementation of job sharing at an individual school. +Such meetings, if necessary, shall be scheduled at a time +that is mutually agreeable to all parties. +5. Teachers and paraprofessionals participating in the job- +sharing program will receive the following compensation +and benefits: +a. Compensation shall be one-half of salary entitlement. +b. Sick leave shall be one-half of annual entitlement. +c. Personal days shall be one-half of annual entitlement. +d. Health insurance premium and health and welfare fund: +full contribution +e. Seniority accrual: full credit +f. Attachment rights for one-year to former position +6. Teachers participating in job-sharing must hold a valid DESE +license for the position. No exceptions will be made. +7. Each participant in the job-sharing program will be asked to +enter into a binding agreement committing to the year-long +assignment. +8. Participants must submit new job-sharing applications each +year. Continuation of a job-sharing pairing for the next +academic school year will be subject to a favorable review +by all parties. + + +Page 4: +Superintendent’s Circular HRS-HS02 +Page 4 of 5 + + + +TO INDICATE INTEREST IN JOB SHARING +Permanent teachers or paraprofessionals who wish to indicate +their interest in job sharing should submit a request using the +online form shown below. The submission of an application only +serves an indication of interest and is not binding. The application +must be submitted via the online form no later than 5:00 p.m. on +March 25, 2025. +Please note: Applicants are responsible for making all job-sharing +arrangements, including finding a colleague with whom to job- +share. The Office of Human Resources does not assist with +making job-sharing arrangements. If you are unable to find a +partner, your request to job share will be denied. +2024-25 ONLINE FORMS +The Office of Human Resources now accepts job-sharing +applications online. Candidate applications for job share as well +as principal/head of school approval can be submitted through +the links below. Please note that employees will be required to +sign in with their Boston Public Schools Gmail account. These +links will also be made available through BTU and +paraprofessional representatives, the Boston Public Schools +website, and the Superintendent’s Bulletin. +Job Sharing Request: +Applicant Form +Each applicant interested in Job Sharing +must submit their own form by March +25, 2025. Principals/heads of schools +must submit the form below for +approval. + + +Page 5: +Superintendent’s Circular HRS-HS02 +Page 5 of 5 + + + +Job Sharing Request: +Principal Approval +Form +Principals/heads of schools must submit +this form to approve a job share request +by April 15, 2025. + +FOR MORE INFORMATION ABOUT JOB SHARING +There will be an informal meeting at the Boston Teachers Union +in Winter 2025 for teachers and paraprofessionals who are +interested in obtaining more information about job sharing. +For more information about this circular, contact: +Owner: +School-Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9600 +Additional +Questions: +Please submit an HR Inquiry Ticket via +the Beacon. This can be found on Access +Boston. + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-HS04 School Leader Screening Process.txt b/data/data_txt/HRS-HS04 School Leader Screening Process.txt new file mode 100644 index 0000000..2e0d8e9 --- /dev/null +++ b/data/data_txt/HRS-HS04 School Leader Screening Process.txt @@ -0,0 +1,328 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS04 +Version 01 + +SCHOOL LEADER SCREENING PROCESS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The process for recruiting, screening and hiring for school leader +vacancies requires collaboration among many offices, including +the Superintendent, Regional School Superintendents, the Office +of Human Resources, the Office of Engagement, the Division of +Schools, and the schools with vacant leadership positions. +School leader vacancies may be filled either through this process, +or through the appointment of an existing employee or an +external candidate by the Superintendent. The latter would not +require the position be posted in the manner described in this +circular. + +POSITION POSTING +A job posting for school leader positions will be available by +November 1, 2024. The application can be found by searching +'school leader'. The selection process will yield qualified +candidates for the entire district and for autonomous schools. +► Please note: Autonomous schools have the right to create +and advertise their own job postings in order to recruit + + +Page 2: +Superintendent’s Circular HRS-HS04 +Page 2 of 10 + +candidates who align with the specific vision and values of +their communities. See “AUTONOMOUS SCHOOLS”, page 8. + +MINIMUM QUALIFICATIONS +Minimum qualifications are as follows: +● Master’s degree in education or related field. +● Evidence of submission or successful completion of all MA- +PAL tasks (Massachusetts Performance Assessment for +Leaders) or +● Principal/Assistant Principal licensure or equivalent by time +of appointment. +PREFERRED QUALIFICATIONS +Preferred qualifications are as follows: +● Fluency in one or more non-English languages. +● 5+ years of experience as a school leader in a large, urban +school district. +PRE-SCREENING AND SELECTION PROCESS +The selection process consists of the following phases: +● Phase I: Application and Resume Review (Nov 2024 - Feb +2025). +● Phase II: Performance Tasks (Nov 2024 - Feb 2025). +● Phase III: School-Based Interview (Jan - April 2025). +● Phase IV: Interview with Superintendent or Superintendent +Designee (March - April 2025). + + +Page 3: +Superintendent’s Circular HRS-HS04 +Page 3 of 10 + + +Candidates who successfully advance through the first two +phases of the process will be eligible to interview with school- +based hiring teams The school-based hiring process is led by the +Regional School Superintendent or their designee. The Regional +School Superintendent or designee will convene the School +Screening Committee and serve as the Chairperson. As +Chairperson they shall decide which of the approved candidates +shall interview with the Committee, based on the characteristics +and needs of that school community. +SCHOOL SCREENING COMMITTEE GUIDELINES +The Regional School Superintendent or designee shall chair the +School Screening Committee for all school leader positions, +including those for autonomous schools. The Office of +Engagement will provide support to the Chairperson of the +School Screening Committee by coordinating the vote to +determine who will serve on the School Screening Committee as +well as by leading those committee members through a bias +training. +Members: +The membership of the School Screening Committee shall +include the following: +● The Regional School Superintendent and/or +superintendent’s designee, who serves as Chairperson. +● Three teacher members of the Boston Teachers Union (BTU) +representing the racial and ethnic diversity of the school’s + + +Page 4: +Superintendent’s Circular HRS-HS04 +Page 4 of 10 + +student population, selected by BTU members on the +School Site Council. +● One member of the Boston Association of School +Administrators and Supervisors (BASAS), as selected by the +Chairperson, with special consideration for any BASAS +members working at the school. +● Three parents from the school, selected by parent members +of the School Site Council, and representing the racial and +ethnic diversity of the school’s student population. At least +one must be an elected member of the School Site Council +or School Parent Council. +○ Among the three parent members selected, one must +be a parent of a special education student or a student +in a program for Multilingual Learners if a special +education program or program for English Learners is +in place at the school. Parent members of the School +Site Council shall select this parent. +● Optional: At the discretion of the School Screening +Committee Chairperson, one representative from a partner +organization that works closely with the school, such as a +community, business or higher education partner. +● Secondary only: One student from the School Site Council or +a student from the Student Advisory Council. +● School mergers only: In the event two schools are scheduled +to merge and, as a result must complete a screening +process for a new School Leader, the School Screening +Committee shall be comprised of the same members as +listed above, with the following adjustments: +○ Two BTU members from each school from different +racial groups, selected by BTU members on the School +Site Council + + +Page 5: +Superintendent’s Circular HRS-HS04 +Page 5 of 10 + +○ Two parents from each school, selected by parent +members of the School Site Council, and representing +the racial and ethnic diversity of the school’s student +population. At least one must be an elected member of +the School Site Council or School Parent Council. +○ The Operational Leader for the region, who shall serve +as the BASAS representative. +All Committee members shall adhere to norms of respect, +collaboration and confidentiality throughout the screening +process. In the event any committee member fails to conduct +themselves according to these norms, that member may be +removed from the process, per the discretion of the Chairperson. +Process: +Upon creation of the School Screening Committee, the +Chairperson shall give written notice to each committee member +at least five working days prior to the first meeting. Screening +Committee members shall also receive from the Chairperson a +copy of each candidate’s application materials and a screening +packet, which will include guidelines for interviewing and scoring +candidates and a list of all committee members. +School mergers only: In the event two schools are scheduled to +merge, both sitting school leaders shall have the opportunity to +be interviewed by the School Screening Committee. + +Upon convening, the Committee will: + + +Page 6: +Superintendent’s Circular HRS-HS04 +Page 6 of 10 + +● Review the responsibilities and functions of the committee, +including this Superintendent’s Circular. +● Review the job description, including the qualifications +needed for the position. +● Review the School Leader Rubric & Scoring Guide for +candidate interviews, which shall be based on candidates’ +proficiency in the standards for school-level administrators +as enumerated by DESE: +○ Instructional Leadership +○ Management and Operations +○ Family & Community Engagement +○ Professional Culture +● Committees shall use the School Leader Rubric & Scoring +Guide as the basis for their scoring. +○ Per the Guide, School Screening Committee members +shall score candidate responses in private. The +Chairperson shall then aggregate scores and +recommend the top three candidates based on these +scores (See “Reports” below). +● Establish an interview schedule. +○ Set dates and times for candidate interviews and +future meetings. +Quorum for the meetings shall be a majority of the members and +must include the Chairperson and at least one parent and one +teacher. At least one member present must be a person of color. +If any of these groups is not represented, the remaining +committee members may, by unanimous vote, decide to proceed +with meetings. Decisions of the Screening Committee must be +made with a quorum present and shall be carried by a majority of +the members present at the meetings. Voting shall be done by + + +Page 7: +Superintendent’s Circular HRS-HS04 +Page 7 of 10 + +secret ballot unless the committee decides otherwise. All +members of the Screening Committee are equal in status and +have one vote. +Representatives from the Office of Human Capital, the Office of +Equity, the Office of Engagement or the Office of Leadership +Development may attend meetings. +TIMELINE +In order to ensure the placement of strong candidates as early as +possible, School Screening Committees shall make every attempt +to move efficiently through the above-listed steps, while still +maintaining the integrity of the process. Specifically, School +Screening Committees shall aim to convene, establish an +interview schedule and determine the three highest-scoring +candidates within one month from the date a vacancy becomes +public. Should the Committee not be on pace to accomplish this, +the Chairperson reserves the right to waive the quorum +requirements listed above in order to convene meetings and +conduct interviews. +INTERIM APPOINTMENTS +Any schools which have Interim School Leaders shall convene the +School Screening Committee in January and shall conclude their +search by March 1, 2025. +Any schools with vacancies which emerge following May 1, 2025 +may, at the discretion of the Regional School Superintendent, +forgo the above-listed steps and the Superintendent shall instead +appoint an Interim School Leader for the following year. + + +Page 8: +Superintendent’s Circular HRS-HS04 +Page 8 of 10 + +SCREENING COMMITTEE MEETING NOTES +The Chairperson shall ensure that Screening Committee meeting +notes are taken at each meeting and that the following +information is accurately noted: +● Name, race, and affiliation of each Screening Committee +member. +● Dates and times of meetings. +● Attendance at each meeting. +● All votes taken. +All members may have copies of the meeting notes. After the +screening process is complete, the members of the Screening +Committee will return all resumes and meeting notes to the +Office of Leadership Development. All information disclosed at all +Screening Committee meetings is assumed confidential, both to +ensure the integrity of the hiring process and to protect +applicants whose employers may not be aware they are applying +for a position. +The Chairperson is responsible for working with the Department +of Schools to improve and/or increase the pool of applicants. +REPORTS +Per the School Leader Rubric & Scoring Guide, the Chairperson of +the Screening Committee will ensure that the scores from the +Committee’s resume screening and interviews are accurately +tracked and recorded. The Chairperson will tally the candidate +scores from the Committee and will identify the top three +recommended candidates based on these scores. The +Chairperson will then complete a School Leader Nomination + + +Page 9: +Superintendent’s Circular HRS-HS04 +Page 9 of 10 + +Form which lists these three candidates. The form will be +submitted to the Chief of Schools, the Chief of Staff and the +Executive Director of Leadership Development for next steps +with the Superintendent, who will make the final determination. +● At least one of these three candidates must be a person of +color. +● The Chairperson of the Committee may add additional +candidate(s) to the nomination form, above and beyond the +three required, per their discretion. +FINAL INTERVIEWS AND DECISION +● Upon receipt of the Screening Committee’s +recommendations, the Superintendent and/or the Regional +School Superintendent will interview recommended +candidates. +● The Regional School Superintendent and/or designee will +check references and report back information to the +Superintendent, who will determine the final appointments. +The Superintendent retains the authority to appoint the +school leader recommended by the School Screening +Committee or may choose to appoint another candidate. +● The Superintendent will notify the Screening Committee of +the final decision of the selected candidate. +● The Office of Human Resources will send offer letters to new +hires. + + + + +Page 10: +Superintendent’s Circular HRS-HS04 +Page 10 of 10 + +AUTONOMOUS SCHOOLS +All elements of this circular shall apply to autonomous schools +(Pilot, Horace Mann Charters, Innovation and In-District Charter +Schools) in the same manner they apply to non-autonomous +schools. The School Screening Committee Chairperson shall +collaborate closely with the governing boards of autonomous +schools to ensure an efficient and effective process that aligns +with the vision of the school community. +Uniquely, the governing boards of autonomous schools have the +right to create and advertise their own job postings in order to +recruit candidates who align with the specific vision and values of +their communities. Such candidates must still be vetted and +approved through Phase 1 & Phase 2 of the district-wide process +outlined above (“Pre-Screening and Selection Process,” pg.1). + +For more information about this circular, contact: +Department: +Division of Schools +Mailing Address: +Bruce C. Bolling Building, 2300 +Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-HS06 Substitute Teachers.txt b/data/data_txt/HRS-HS06 Substitute Teachers.txt new file mode 100644 index 0000000..4495c3f --- /dev/null +++ b/data/data_txt/HRS-HS06 Substitute Teachers.txt @@ -0,0 +1,225 @@ +Page 1: + + + Superintendent’s +Circular +School Year 2023-2024 +NUMBER: +HRS-HS06 +Version 01 + + +SUBSTITUTE TEACHERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +This superintendent’s circular sets forth information regarding +the employment and professional development of substitute +teachers. +USE OF THE AUTOMATED BPS SMARTFIND EXPRESS SYSTEM +(SUBCENTRAL) +► All schools are required to use BPS SubCentral for substitute +needs. This will allow the school's central administration to +understand and better manage operations. This will also +allow OHC to monitor and accurately report fill rates as well +as recruit for hard-to-fill vacancies. +The Office of Human Resources is committed to ensuring the +active substitute pool consists of high-quality substitute teachers. +BPS SubCentral allows principals and heads of schools to view +and coordinate substitute activities and view past, current, and +future jobs for the school, helping them to better understand and +manage absenteeism. +BPS SubCentral is available via the Internet and mobile app 24 +hours a day, 7 days a week, from any Internet-enabled computer +or mobile device with an Access ID and PIN. BPS SubCentral can + + +Page 2: +Superintendent’s Circular HRS-HS06 +Page 2 of 7 + + +be accessed at https://bostonps.eschoolsolutions.com, or by +telephone at 857- 254-1707. +With BPS SubCentral, schools can create and manage their own +preferred substitute list, create absences and vacancies, and pull +individual reports unique to their school. Preferred substitutes +will be contacted first about a substitute teaching opportunity. If +the vacancy still exists after all a school’s preferred substitutes +have been contacted, the SubCentral platform will then begin +contacting other substitutes registered within the system. Those +substitutes on a particular school’s ‘Do Not Use’ list will not be +called, nor will they be able to view open substitute opportunities +for that school. +For more information on BPS SubCentral, please contact +SubCentral via email at bpsSubCentral@bostonpublicschools.org. +TYPES OF SUBSTITUTE TEACHERS +● Degree per diem substitute teachers work day-to-day +assignments to temporarily fill positions. Those with at least +a bachelor's degree who are assigned to fill a position +anticipated to be vacant for more than 20 consecutive +workdays, but less than a full year, or who serve +continuously for more than 20 consecutive workdays in the +same assignment, are considered per diem substitute +teachers covering a long-term assignment. +o A qualified and properly licensed long-term substitute will +be granted a provisional teacher contract on or before +December 1st if the assignment in which they is serving +becomes vacant for the remainder of the school year. + + +Page 3: +Superintendent’s Circular HRS-HS06 +Page 3 of 7 + + +● Non-degree per diem substitute teachers do not hold a +bachelor's degree. The non-degree per diem substitute +teachers work day-to-day assignments to fill positions on an +interim basis and may not take on long-term assignments. +● Cluster substitute teachers are assigned to a school for a full +year to cover various teacher absences in the school, as +needed, on a daily basis. The cluster substitute positions are +typically created during the budget season and charged to +the school’s budget. If schools are interested in having a +cluster substitute for the school year, please contact your +budget analyst and Human Resources staffing manager. + +MINIMUM QUALIFICATIONS +Per Diem Substitutes: +Are required to complete the Sub Skills Basic Training Course +online at www.STEDI.org; you must complete the course with at +least an 85% average and submit a Sub Diploma from the course. +Long-term Substitutes: +Must have a bachelor’s degree and at least one of the following +requirements: +● A Mass. Teaching License (out of state licenses will be +considered with teaching experience) +● Complete the Sub Skills Basic Training Course online at +www.STEDI.org; you must complete the course with at least +an 85% average. + + +Page 4: +Superintendent’s Circular HRS-HS06 +Page 4 of 7 + + +● Two years’ teaching experience. You may additionally be +asked to complete the Sub Skills Basic Training Course +online at www.STEDI.org. +● If you were successfully hired for a substitute teaching +position and you do not hold an initial teaching license from +the Massachusetts Department of Elementary and +Secondary Education, you must take and pass the Utah +Substitute Assessment test with a score of 85 or above. +● All candidates must be fingerprinted and pass a criminal +offender (CORI) and sexual offender (SORI) records check. +The criminal offender/sexual offender record check +requirement cannot be waived. +The Substitute Teaching Institute (STEDI) of Utah State University +created and oversees the Substitute Teacher Training Program. It +provides 6–13 hours of sub instructor training, either online or via +CDs, and an assessment at the completion of the program. The +cost of the program, which will be borne by the candidate, is +$39.95 plus shipping and includes the interactive SubInstructor +training (included as a CD), a substitute teacher handbook, and +the online sub assessment and SubDiploma. Information for the +candidates is posted on the BPS website. +SUBSTITUTE HIRING +All hiring for substitutes will take place through the online BPS +Career Center (TalentEd). Applicants must create a profile and +apply to the district-wide substitute teacher job posting through +the BPS Career Center (TalentEd). Applicants will be hired as a +BPS per diem substitute teacher after review of their application +in its entirety, submission of all required documentation, and + + +Page 5: +Superintendent’s Circular HRS-HS06 +Page 5 of 7 + + +successful completion and passing of a background check, which +includes fingerprinting and CORI/SORI checks. +SUBSTITUTE TEACHER REQUEST & RECOMMENDATIONS +Principals and heads of schools can either request or recommend +an individual for a per diem or long-term substitute appointment +at their specific school. To submit a per diem and long-term +substitute, the school leader or hiring manager will need to +submit the candidate for hire via the BPS Career Center +(TalentEd). All school leaders and hiring managers will have +access to the districtwide substitute job posting. Please note: +once the substitute has been hired, it is the responsibility of the +school to post the absence and vacancy in SubCentral and assign +it to the substitute as required. +PROFESSIONAL DEVELOPMENT +Long-term and cluster substitute teachers are required to +participate in up to 18 hours of professional development with +regular teachers. If this professional development is scheduled +beyond the school day, long-term and cluster substitute teachers +are paid for this time and are compensated through stipend +payments provided by the school. +New substitute teachers may also be required to attend up to +three days of training to prepare them to teach in the Boston +Public Schools. + +ADMINISTRATIVE RESPONSIBILITY +Heads of schools and principals are responsible for establishing +practices and procedures that enable substitute teachers to + + +Page 6: +Superintendent’s Circular HRS-HS06 +Page 6 of 7 + + +provide students with educationally meaningful work and allow +for the maximum educational use of the school day. As part of +this responsibility, heads of schools and principals or their +designees should consider providing substitute teachers with the +following items: +● A daily plan book, lesson plan, or other academic activity for +all classes of the absent teacher. Heads of schools and +principals are responsible for ensuring that all teachers +prepare appropriately, and continually update plan books +and lesson plans so that the lesson taught by the substitute +teacher is consistent with the subject matter being taught +to the class. +● A copy of the absent teacher’s schedule, including subjects +and levels of instruction, room assignments, administrative +assignments, lunch, and common planning time. +● Homeroom and class lists and seating plans. +● A bell schedule. +● A concise statement of school policies and procedures +regarding the taking of attendance, modes of disciplinary +referral, referral for illness, emergency procedures, and any +other pertinent information a substitute teacher may need. +● Name and location of the administrator responsible for the +school's substitute teachers. + +These materials may be kept in the school office or distributed to +substitute teachers in some other manner that is effective. + + + +Page 7: +Superintendent’s Circular HRS-HS06 +Page 7 of 7 + + +For more information about this circular, contact: +Name: +BPS SubCentral +Department: +Office of Human Resources – Sub Central +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Additional +Questions: +For additional questions, please submit an HR +Inquiry Ticket via the Beacon. This can be +found on Access Boston (access.boston.gov). + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-HS07 Staffing Reassignment and Hiring.txt b/data/data_txt/HRS-HS07 Staffing Reassignment and Hiring.txt new file mode 100644 index 0000000..b9e9819 --- /dev/null +++ b/data/data_txt/HRS-HS07 Staffing Reassignment and Hiring.txt @@ -0,0 +1,941 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +HRS-HS07 +Version 01 + + +STAFFING, REASSIGNMENT AND HIRING OF +PERMANENT AND PROVISIONAL TEACHERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +This circular outlines important dates and procedures regarding +the staffing of schools for the 2023-2024 school year. Reflected in +this circular are policies from the BPS-BTU Collective Bargaining +Agreement, as well as information regarding the accelerated +hiring timeline and hiring autonomy framework designed to +enable all BPS schools to attract and hire the most diverse, +qualified, and effective teachers as early as possible. +Boston Public Schools and our school leaders are committed to +building excellent schools that prepare our students to compete +and succeed in the 21st century. To cultivate world-class, global +citizens, we commit to recruiting, retaining, and promoting a +diverse, highly qualified, and effective workforce. +As an urban district with an increasingly diverse student body, it +is also imperative that schools fully comply with the Final +Judgment of the Federal Court dated July 1994 that requires +district and examination schools to employ a minimum of 25% +Black teachers and staff and 10% other minority teachers. + + + +Page 2: +Superintendent’s Circular HRS-HS07 +Page 2 of 27 + + +In addition, one of our continuous hiring goals is to increase our +number of bilingual teachers and staff to support our English +Language Learner populations. We urge school leaders to take +every possible step to help each school, and the district as a +whole, to meet these mandates and goals. +CONTENTS: links below jump to the section named. +I. Determination of School Staffing Needs +II. Posting of Teaching Positions +III. Excessing +IV. Staffing of Provisional Teachers +V. Leaves of Absence +VI. Hiring of International Teachers + + +Attachments: +ATTACHMENT 1: Application for Voluntary Excessing for Teachers +and Paraprofessionals + +ATTACHMENT 2: Application for Additional Program Areas (APA) +ATTACHMENT 3: Application Process for Job Sharing + +ATTACHMENT 4: SY 2023-24 Staffing Calendar + + + + +Page 3: +Superintendent’s Circular HRS-HS07 +Page 3 of 27 + + +I. DETERMINATION OF SCHOOL STAFFING NEEDS +Timeframe: November to February +Every fall, schools develop budget and staffing plans for the +following year based on each school’s projected enrollment. +Once a school’s estimated budget is established, the process +known as Probable Organization (“Probable Org”) begins, in +which schools, together with representatives from the Office of +Human Resources, identify their staffing plans for the upcoming +school year. +Several components make up the Probable Organization process: +ANNUAL BUDGET COLLABORATIVE AND PROBABLE +ORGANIZATION PROCESS +Central Office Responsibility +School Leader +Action Step +Timeframe +Finance Office sends schools +their enrollment projections for +the following year +Review projections +and report back to +Finance and school +superintendent if +discrepancies exist +Mid-to-late +November +Finance Office calculates each +school’s budget based on +Weighted Student Funding +(WSF), in which specific student +characteristics (e.g., special +needs, early childhood, etc.) are +assigned weights that +determine school funding above +Review budget and +complete +FutureForce Version +1, in consultation +with Budget, OHC, +OEL, and Special +Education, as +needed +December + + +Page 4: +Superintendent’s Circular HRS-HS07 +Page 4 of 27 + + +Central Office Responsibility +School Leader +Action Step +Timeframe +the school’s foundation amount +plus base per-pupil amounts. +Budget Collaboratives: +representatives of Budget, OHC, +OEL, Special Education, +Planning & Analysis, school +superintendents and school +leaders meet to map the school +structure for the following +school year in FutureForce +Version 2, including discussion +of position reductions and +additions to ensure +programmatic, enrollment, or +budget changes meet projected +student needs +Ensure all formative +assessments are +entered into +TeachPoint for all +educators on plans +of one-year or less +by January 15. This is +a contractual +deadline for all +schools. +Early-mid +January +• Office of Human Resources +prepares staffing-related +data reports for schools, +including relevant personnel +information including: +• Leaves of absence for SY +2023-24 and SY 2024-25 +• Licensure and Sheltered +English Immersion (SEI) +endorsement +Review staffing- +related data and +begin planning for +implications of +personnel changes. +Determine which +provisional teachers +(if any) can/will +receive letters of +reasonable +assurance. +Mid-January + + +Page 5: +Superintendent’s Circular HRS-HS07 +Page 5 of 27 + + +Central Office Responsibility +School Leader +Action Step +Timeframe +• Additional program area +requests +• Voluntary requests for +reassignment +• Reasonable +assurance/permanency +decisions for provisional +teachers + +Probable Organization: OHC, +Budget, OEL, Special Education, +school superintendents and +school leaders meet to map the +staffing for the following school +year in FutureForce Version 3. +Provide BTU +representative with +list of provisional +teachers +recommended to +receive Reasonable +Assurance +Late +January- +early +February +Posting Positions: School +leaders, OHC, and Budget +representatives confirm +vacancies and newly created +positions, then post positions for +the upcoming staffing cycle. +Submit job +descriptions for +vacant and newly +created positions to +OHC +Late +February + + + + +Page 6: +Superintendent’s Circular HRS-HS07 +Page 6 of 27 + + +II. POSTING OF TEACHING POSITIONS +The staffing process for the 2023-2024 school year includes a +hiring timeline designed to facilitate attracting and hiring the +most diverse, qualified, and effective teachers as early as possible. +Personnel Subcommittee +Schools must ensure that the Personnel Subcommittee of the +School Site Council is formed and ready to begin the hiring +process by March 1. Schools must submit a complete roster of +Personnel Subcommittee members to the Office of Family and +Student Engagement by the end of October. Training related to +personnel subcommittees are offered by the Office of Family and +Student Engagement, the BTU, and the Office of Human +Resources. Details about the personnel subcommittee can be +found in Superintendent’s Circular FAM-04. +Process +Hiring early will ensure that schools are able to secure the most +qualified candidates. Positions will be posted on TalentEd in early +March once Probable Org and determination of vacancies have +been concluded. Teachers who wish to apply for a position +effective the first day of school for the upcoming school year +must apply for postings online through TalentEd. Current BPS +teachers may apply for any position for which they are qualified. +Applicants who wish to be considered for inclusion in the district +priority pool must submit their applications for the priority pool +through TalentEd by March 1, 2024. Candidates for the priority +pool will undergo a competency-based phone and resume +screening process coordinated by the Office of Recruitment, +Cultivation, and Diversity. + + +Page 7: +Superintendent’s Circular HRS-HS07 +Page 7 of 27 + + +All approved hires will become effective on the first day of work +for the upcoming school year. Any teacher who accepts a new +position is not eligible to apply for any additional teaching jobs +for the 2024-2025 school year. Beginning July 1, 2023, OHC will no +longer approve lateral hires to prevent unanticipated vacancies +late in the hiring season. +Hiring Approval +The Boston Public Schools is committed to recruiting, retaining, +and promoting a highly qualified, culturally, and linguistically +diverse workforce that reflects the rich diversity of our students +and positively impacts both academic and non-academic student +learning outcomes. The Office of Equity, Office of Human +Resources, and school superintendents will establish an +accountability process to ensure that reasonable efforts have +been made to hire teachers that move schools and the district +toward meeting our workforce diversity goals. +Candidates hired must be qualified and meet diversity hiring +requirements: +• Teachers hired must hold valid licensure for the position. +• Teachers hired must move the school toward meeting or +maintaining district diversity goals. +• School hiring teams must complete reference checks. +Heads of school or principals and School Site Council Personnel +Subcommittees should also be sure to interview qualified +excessed permanent teachers. +Qualifications for Additional Program Areas +Deadline: January 1, 2024 + + +Page 8: +Superintendent’s Circular HRS-HS07 +Page 8 of 27 + + +Permanent teachers may apply for additional program area(s) to +identify a non-primary subject area(s) in which they are licensed. +Permanent teachers who wish to apply for additional program +areas must submit their request via this online form to the online +Application for Additional Program Areas. Supplemental +materials must be submitted to the Office of Human Resources +by mail or in person. Applications and complete documentation +must be submitted to the Office of Human Resources by January +15, 2024. +For additional information about applying for additional program +areas, please refer to Superintendent’s Circular HRS-HS07.1, +Qualifications for Additional Program Areas. +Job Sharing for Permanent Teachers and Paraprofessionals +1) Eligibility: All teachers requesting participation in job- +sharing must hold the appropriate license for the position. +2) Process: Permanent teachers or paraprofessionals who wish +to indicate their interest in job sharing should submit an +application via the Application for Job Sharing form by +Monday, March 25, 2024. Each candidate must submit their +own application. This submission of the application is an +indication of interest only and is not binding. +Participation in job-sharing requires approval by the +principal/head of school. The principal/head of school should +submit their approval via the Job Sharing Principal Approval form +by Monday, March 25, 2024. +For additional information about job sharing please refer to +Superintendent’s Circular HRS-HS02, Job Sharing for Permanent +Teachers and Paraprofessionals for School Year 2023-2024. The +Boston Teachers Union also holds an informational meeting + + +Page 9: +Superintendent’s Circular HRS-HS07 +Page 9 of 27 + + +every spring. Information on the specific date and time will be +shared in the BTU bulletin. +III. EXCESSING +Voluntary and Involuntary Reassignment/Excess +A. Voluntary Excessing – Teachers and Paraprofessionals +Deadline: February 1, 2024 +All permanent teachers or paraprofessionals who meet the +Voluntary Excessing eligibility criteria as outlined in the +Collective Bargaining Agreement (1) including those on +leave of absence, may voluntarily request excessing +regardless of whether there is a reduction in the number of +positions. Teachers and paraprofessionals who voluntarily +excess themselves forfeit their rights to the position they +have left. +Voluntary Excessing Requirements for Teachers: +● The teacher must hold permanent status. +● The request must be submitted to OHC by February 1, 2024 +(see instructions below). +● The teacher must possess an overall rating of Proficient or +higher on their most recent evaluation, which includes the +Formative Assessment. + +(1) Refer to the Collective Bargaining Agreement (September 1, +2018 – August 31, 2021) pp. 76-77 for a list of requirements for +teachers and pp. 136 for paraprofessionals. + + +Page 10: +Superintendent’s Circular HRS-HS07 +Page 10 of 27 + + +● The teacher may not have voluntarily excessed themselves +within the prior two years. + +Teachers and paraprofessionals who wish to request +excessing should submit their Application for Reassignment +or complete ATTACHMENT 1, Application for Reassignment, +and submit it to their head of school or principal as well as +the Office of Human Resources by February 1, 2024. The +Office of Human Resources will review all applications and +inform teachers or paraprofessionals and the school of the +results of the request. Teachers and paraprofessionals who +do not meet the above criteria will not be approved for +voluntary excessing. Requests for voluntary excessing can +be rescinded up until February 9, 2024. Approved requests +are considered binding after that date. +B. Involuntary Reassignment/Excessing +Deadline: All involuntarily excessed teachers and nurses will +be notified on or before April 15, 2024. +To stay in a current position, permanent educators must +hold the appropriate license(s) for the role to which they are +assigned; otherwise, the educator will be excessed. + +Additionally, it may be necessary to excess permanent +teachers if there is a reduction in the number of teaching +positions for the following school year, a school is identified +for closure, or the Massachusetts Department of Education +designates it as Level 4 school. When a reduction in the +number of positions occurs, involuntary excessing will be + + +Page 11: +Superintendent’s Circular HRS-HS07 +Page 11 of 27 + + +first by volunteers in a program area, then by reverse +seniority within a program area unless: +a. A teacher with more seniority voluntarily requests to be +excessed; or, +b. The excessing of the least junior teacher would prohibit +compliance with U.S. District Court Order dated July +1994. +Schools with specific types of staffing autonomy may also +involuntarily excess teachers. The school’s ability to +involuntarily excess teachers must be included in the +school’s governing document. +Placement in Positions of Suitable Professional Capacity +Permanent teachers who are not hired into vacant positions +will be assigned in a suitable professional capacity in +accordance with the BPS/BTU contract. +IV. STAFFING FOR PROVISIONAL TEACHERS +A. Reasonable Assurance for Provisional Teachers +First and second-year provisional teachers may be eligible to +receive reasonable assurance that they will continue in their +current position for the following school year. Provisional +teachers must hold a valid DESE license(s) for the position in +which they are teaching in order for a Letter of Reasonable +Assurance to be granted. No exceptions will be made. +In addition to budgetary and licensure concerns, a teacher’s +performance, as measured through the Massachusetts +Regulations on Evaluation of Educators (603 CMR 35.00), is a +major factor in determining whether a provisional teacher +receives a Letter of Reasonable Assurance. Principals and + + +Page 12: +Superintendent’s Circular HRS-HS07 +Page 12 of 27 + + +heads of school will be held accountable for ensuring that all +provisional teachers receive a Formative Assessment, which +includes an overall rating, by February 1, 2024. Provisional +teachers who have not been evaluated will not be eligible to +receive a Letter of Reasonable Assurance. +During Probable Organization, school leaders will work with +OHC to identify all provisional teachers who are eligible to +receive reasonable assurance, listing them in their Probable +Organization template. OHC will send letters of Reasonable +Assurance by April 15 to provisional teachers. +Requests for permanent appointment for current +Provisional 1 and Provisional 2 teachers will not be granted. +See section IV.A below for information regarding Provisional +3 teachers and the awarding of permanent status. +B. Permanent Appointment of Provisional Teachers +Eligibility +The Massachusetts Regulations on Evaluation of Educators +stipulate that achievement of Professional Teaching Status +(being made a permanent teacher in BPS) is dependent +upon receiving a rating of Proficient or above on all four of +the Standards of Effective Teaching Practice, as well as an +overall rating of Proficient or Exemplary. See below for +additional criteria required for permanent status. + + +Page 13: +Superintendent’s Circular HRS-HS07 +Page 13 of 27 + + +A school leader may recommend an educator (2) for +permanent appointment (3) if they meet all the following +criteria: +● The teacher is provisional, and in their third year at BPS. +● The teacher received a rating of Proficient or Exemplary +overall and on all four Standards of Effective Teaching on +a Formative Assessment, released by February 1, 2024. +● The teacher will remain in the same position in their +current school for the 2023-24 school year. +● The teacher holds a valid DESE license(s) for the content +area in which they are teaching. +● The teacher holds either an ESL license or SEI +Endorsement (Core content teachers of ELLs as required +by DESE) or a Bilingual Educator Endorsement (BEE), +should the BEE be requirement by their position. +Please note: While the head of school or principal may +recommend a Provisional 3 teacher for permanent status +based upon fulfillment of the criteria above, the teacher may +not be granted permanent status until a Summative + +(2) Educators considered teachers and eligible for Professional +Teacher Status as defined by M.G.L. c.71 § 41 include teachers, +school librarians, school adjustment counselors, school nurses, +school social workers, or school psychologists. +(3) A school leader may make the recommendation for +permanent appointment when the educator is still in their third +year to take effect on the first day of their fourth year. + + +Page 14: +Superintendent’s Circular HRS-HS07 +Page 14 of 27 + + +Evaluation is released which indicates Proficient or +Exemplary practice overall in all four standards. +If a Provisional 3 teacher does not achieve a rating of +Proficient or Exemplary overall on all four standards on their +Formative Assessment, they may be required to take a one- +year break in service. During the break in service, the +teacher would not be eligible for employment as a teacher +or substitute within Boston Public Schools. After the year- +long break in service, the teacher would once again be +eligible for vacant teaching positions, and, if hired, would +return to Provisional 1 status. +Process +To recommend a Provisional 3 teacher for Permanent +Appointment during Probable Organization, the head of +school or principal must take the following steps: +1) Release the teacher’s Formative Assessment by January +12, 2024 +2) Identify the position that the teacher will hold for the +2023-24 school year +3) Record the recommendation for Permanent +Appointment on the Provisional Review Process page in +FutureForce Version 2 + +If, upon the principal or head of school’s release of the end- +of-year Summative Evaluation, the provisional teacher has +successfully demonstrated effective teaching practice(s) by +achieving a rating of Proficient or Exemplary overall and on + + +Page 15: +Superintendent’s Circular HRS-HS07 +Page 15 of 27 + + +all four standards of effective teaching, they will become +permanent as of September 2023. +V. LEAVES OF ABSENCE +A. Planning to Take a Leave of Absence in 2024-2025 +Deadline: January 15, 2024 +Permanent teachers who are not currently on leave but +are planning to take a Leave of Absence during the 2024- +2025 school year (e.g., personal reasons, education), must +submit a leave application by January 15, 2024. +Employees must submit a request for leave electronically +via Employee Self-Service. Employees should submit +applications even if they have not officially been accepted +for a job and educational program but are in the +application process. If a teacher is not accepted into a +graduate program or job, the leave request can be +rescinded, so long as the Office of Human Resources is +notified by April 1. +For further information regarding leaves of absences, +including how to apply, please refer to Superintendent’s +Circular HRS-HS-PP13. + + + + + +Page 16: +Superintendent’s Circular HRS-HS07 +Page 16 of 27 + + +B. Currently on a Leave of Absence +Deadline: January 15, 2024 +In November 2023, teachers currently on non-medical leave +will be sent a letter informing them about the expiration of +their leave. The teacher must submit the response form that +accompanies the letter to the Office of Human Resources, +stating their request to extend their leave/intent to remain +on their leave or return from leave by January 15, 2024. If the +teacher does not respond by the deadline, they will forfeit +rights to their position. +The leave letters are sent to the address listed on the Hub. +Employees are responsible for ensuring that this address is +correct. For further information regarding leaves of +absences, please refer to Superintendent’s Circular HRS- +PP13, Absence and Leave Policy. +VI. HIRING OF INTERNATIONAL TEACHERS +International teachers are not legally permitted to work or +to be paid without proof of official United States Citizenship +& Immigration Services (USCIS) work authorization. Heads of +school, principals, or RC managers should make it a +common practice to inquire about the work authorization +status of all their potential new hires. + + + + +Page 17: +Superintendent’s Circular HRS-HS07 +Page 17 of 27 + + +For more information about this circular, contact: +Owner: +Chief Human Resources Officer +Department: +Office of Human Resources +Mailing Address: +2300 Washington Ave. Roxbury, MA 02119 +Phone: +617-635-9600 +Email: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 18: +Superintendent’s Circular HRS-HS07 +Page 18 of 27 + + +ATTACHMENT 1 +APPLICATION FOR REASSIGNMENT FOR TEACHERS AND +PARAPROFESSIONALS + +SCHOOL: ________________________________________________________ +Last Name__________________ First Name_______________Initial _____ +Maiden Name [if any} _____________________________________________ +Employee I.D. # __________________________________________________ +SELECT ONE:  Permanent Teacher  Paraprofessional + +THIS SECTION TO BE COMPLETED BY PERMANENT TEACHERS +ONLY: +I am requesting reassignment for the coming 2023-2024 +academic year, because (please check one) + I am a permanent teacher. + I am a permanent school nurse. + I am a permanent student support services coordinator +(COSESS). + I am a paraprofessional. + There is a reduction in my program area. My program area +is_________________________and my seniority date is __________ . + + +Page 19: +Superintendent’s Circular HRS-HS07 +Page 19 of 27 + + +I understand that with this declaration this decision cannot be +rescinded after February 14, 2024, and that I will be reassigned in +the coming school year in accordance with the provisions of the +Boston Teachers Union Contract. + +______________________________________________ ___________________ + + Signature +Date +PLEASE RETURN THIS FORM TO YOUR HEAD OF SCHOOL OR +PRINCIPAL AND OFFICE OF HUMAN RESOURCES. +HEADS OF SCHOOL, PRINCIPALS, AND OTHER ADMINISTRATIVE +HEADS MUST FORWARD THIS APPLICATION TO THE OFFICE OF +HUMAN RESOURCES NO LATER THAN FEBRUARY 1, 2024. +Please mail, fax, or email this form to: +Name: +School and Central Based Staffing +Department: +Office of Human Resources +Mailing Address: 2300 Washington St., Roxbury MA 02119 +Phone: +617-635-9600 +Fax: + 617-635-9326 +Email: +ohc@bostonpublicschools.org + +For additional questions, please submit an HR Inquiry Ticket via +the Beacon. This can be found on Access Boston. +An electronic version of this form can be found at: +http://www.bostonpublicschools.org/Page/1019 + + + +Page 20: +Superintendent’s Circular HRS-HS07 +Page 20 of 27 + + +ATTACHMENT 2: +APPLICATION FOR ADDITIONAL PROGRAM AREAS (APA) +2023-2024 ONLINE FORMS + +The Office of Human Resources has transitioned to using online +forms. The Application for Additional Program Areas can now be +found at the link below. Please note that employees will be +required to sign in with their Boston Public Schools Gmail +account. Supplemental materials such as transcripts can be +submitted via mail or in person to the Office of Human +Resources. +Link to Apply: +• Click Here for Additional Program Area Application +• Or copy this URL: http://goo.gl/forms/JqftW4IOx1 +Supplemental Documentation +Application approval is contingent on submission of one of the +following documents: +• Official transcript(s) indicating the completion of fifteen (15) +graduate or undergraduate course credits relevant to the +program area qualification +OR +● A signed letter from the head of school or principal, +confirming the following information: +o The subject area you taught (relevant to your +application) + + +Page 21: +Superintendent’s Circular HRS-HS07 +Page 21 of 27 + + +o The specific years (at least 2) during which you taught +the subject (must be within the last 10 years) +o Confirmation that you taught at least 50% of the +weekly schedule in that area. +Please fill out the application form and submit supplemental +documents to the contact listed below by January 12, 2024. + +For more information about this circular, please contact: +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9240 +Email: +fcanty@bostonpublicschools.org + + + + + +Page 22: +Superintendent’s Circular HRS-HS07 +Page 22 of 27 + + +ATTACHMENT 3: +APPLICATION FOR JOB SHARING +To Indicate Interest in Job Sharing +Permanent teachers or paraprofessionals who wish to +indicate their interest in job sharing should submit a request +using the online form shown below. The submission of an +application only serves an indication of interest and is not +binding. The job sharing application and principal/head of +school approval forms must be submitted via the online +form no later than 5:00 p.m. Monday March 25, 2024. +Online Forms +The Office of Human Resources now accepts job sharing +applications online. Candidate applications for job share as +well as principal/head of school approval can be submitted +through the links below. Please note that employees will be +required to sign in with their Boston Public Schools Gmail +account. These links will also be made available through +BTU and Paraprofessional representatives, the Boston +Public Schools website, and the Superintendent’s Bulletin. +Click Here for Job Sharing Request—Applicant Form +Each applicant interested in job sharing must submit their +own form. Principals must submit the form below for +approval. +Click Here for Job Sharing Request—Principal Approval Form +Principals/heads of school must submit this form to approve +a job share request. + + +Page 23: +Superintendent’s Circular HRS-HS07 +Page 23 of 27 + + +For more information about job sharing, please see +Superintendent’s Circular HRS-HS02, or contact: +Owner: +Director of School-Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington St., Roxbury MA, 02119 +Phone: +617-635-9240 +Email: +ohr@bostonpublicschools.org + + + + + + + + + + + + + +ATTACHMENT 4: +STAFFING CALENDAR + + + +Page 24: +Superintendent’s Circular HRS-HS07 +Page 24 of 27 + + +December 2023 +December 18 Deadline for teachers to submit Leave of Absence +intent letters to OHC +January 2024 +January 10 – February 4 Budget Collaborative and Probable +Organization meetings +January 15 +Deadline for: +Permanent teachers to request Personal Reasons, +or Educational Leaves, to commence at the +beginning of the next teacher work year +Permanent teachers on approved year-long leaves +to return November letter indicating intent to +return at the start of next teacher work year or +request an extension + +Teachers to submit Alternate Program Area +requests to OHC +January 17 +Deadline for teachers to submit application for +Early Notification Incentive of Termination to +receive $1,500 +Deadline for submission of Formative Assessments +for all educators on 1-year plans + +February 2024 +February 1 (contractual deadlines) +Deadline for teachers or paraprofessionals to +submit reassignment requests (Voluntary Excess) + + +Page 25: +Superintendent’s Circular HRS-HS07 +Page 25 of 27 + + + +Deadline to notify permanent teachers of excess in +Level 4, Innovation and Pilot Schools (Involuntary +Excess) + +Deadline to notify paraprofessionals of excess in +Level 5 Schools (Involuntary Excess) +February 11 +Deadline for teachers or paraprofessionals to +rescind reassignment requests (Voluntary Excess) +March 2024 +Beginning +March 1 +Teacher positions posted +March 18 +OHC sends excess and layoff notices to +paraprofessionals (tentative) +March 25 +Deadline for job share applications +April 2024 +April 1 - April 15 Paraprofessional transfer process (tentative) +April 15 +(contractual deadline) +Deadline to OHC to +notify all Permanent teachers of excess + +deadline to notify Provisional teachers of +reasonable assurance +April 27 +Excess notification to Guild members (tentative) +May 2024 +May 6 +Deadline for recommended paraprofessional +transfer applicant decisions to TalentEd (tentative) +May 9 +OHC sends assignment letters for paraprofessional +transfers (tentative) + + +Page 26: +Superintendent’s Circular HRS-HS07 +Page 26 of 27 + + + +Paraprofessional Excess Pool participant and +position lists available +May 15 +(contractual deadline) All evaluations due for +licensed educators on 1-year plans + +Guild Layoff notices issued +May 19 +Paraprofessional excess pool (tentative) +June 2024 +June 1 +(contractual deadline) Deadline for OHC to notify +Permanent teachers, BASAS, and managerial of +layoff +June 3 +Deadline for principals to submit paraprofessional +excess pool rankings to OHC +June 6 +OHC finalizes paraprofessional excess pool +assignments (tentative) +June 13 +Guild Excess Pool (tentative) +June 15 +(contractual deadline) Deadline for OHC to notify +Provisional teachers of non-renewal +July 2024 +July 1 +Deadline for the approval of internal lateral +transfers (hires). +August 2024 +August 15 +OHC sends initial Suitable Professional Capacity +assignment letters to Permanent teachers without +positions (tentative) + + + +Page 27: +Superintendent’s Circular HRS-HS07 +Page 27 of 27 + + +Please Note: Dates not subject to contractual requirements may +change. + + diff --git a/data/data_txt/HRS-HS07.1 Qualifications for Additional Program Areas.txt b/data/data_txt/HRS-HS07.1 Qualifications for Additional Program Areas.txt new file mode 100644 index 0000000..8570849 --- /dev/null +++ b/data/data_txt/HRS-HS07.1 Qualifications for Additional Program Areas.txt @@ -0,0 +1,122 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS07.1 +Version 01 + +QUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS +This circular will remain in effect unless rescinded by a +subsequent version. +Permanent teachers in Boston Public Schools may choose to +apply for additional program areas. These are non-primary +subject area(s) in which a teacher currently holds license(s). +QUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS +To be deemed qualified in program areas other than the +"primary" subject area in which a teacher is currently teaching, a +teacher must hold a valid license in the subject area. The Office of +Human Resources will verify licensure with the Massachusetts +Department of Education. Re-licensure does not meet this +criterion. +In addition to holding a valid license in the subject area, the +employee must satisfy at least one of the criteria below: +1. The Massachusetts State license is not more than five (5) +years old. +2. A mean score on the Praxis Exam, not more than ten (10) +years old. +3. Fifteen (15) course credits, graduate or undergraduate, +approved as relevant to the program area qualification. All + + +Page 2: +Superintendent’s Circular HRS-HS07.1 +Page 2 of 4 + +coursework must have been completed within the past five +(5) years. Original transcripts are required if claiming an area +under this provision. When submitting transcripts, please +indicate the fifteen (15) course credits relevant to the +program area qualification. If transcripts are not submitted +by the deadline, the application can be denied. +4. Two (2) years of teaching experience within Boston Public +Schools in the subject area in the last ten (10) years. A +creditable year is one in which at least 50% of the weekly +schedule is in the subject area. A letter from the head of +school or principal stating that you taught at least 50% of +the weekly schedule in that area and designation of the +specific year(s) will be required in the area you are claiming +under this provision. If a letter is not submitted by the +deadline, the application can be denied. + +Permanent teachers who wish to apply for additional program +areas must submit their request via the Additional Program Area +Request form. Supplemental materials must be submitted to the +Office of Human Resources by mail or in person. + Applications and complete documentation must be +submitted to the Office of Human Resources by January +15, 2024. Applications received after this date will not be +reviewed. +The Office of Human Resources has transitioned to using online +forms. The link to the Additional Program Area Request form can +be found below. Employees will be required to sign in with their +Boston Public Schools Gmail account. Supplemental materials + + +Page 3: +Superintendent’s Circular HRS-HS07.1 +Page 3 of 4 + +such as transcripts can be submitted via mail or in person to the +Office of Human Resources. +LINK TO APPLY +• Additional Program Area Request form +• Or copy this URL: +https://docs.google.com/forms/d/e/1FAIpQLSdD7uA5nLZH +uEKE5pP4uD-gYtf74RCtzEcYZrgeauvwmNBB- +g/viewform +SUPPLEMENTAL DOCUMENTATION + +Application approval is contingent on submission of one of the +following documents: +● Official transcript(s) indicating the completion of fifteen +(15) graduate or undergraduate course credits relevant to +the program area qualification +● A signed letter from the head of school/principal +confirming the following information: +○ The subject area you taught (relevant to your +application) +○ The specific years (at least 2) during which you taught +the subject (must be within the last 10 years) +○ Confirmation that you taught at least 50% of the +weekly schedule in that area. + +Please submit supplemental documents to the contact listed +below. +For more information about this circular, please contact: + + +Page 4: +Superintendent’s Circular HRS-HS07.1 +Page 4 of 4 + +Owner: +School Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Email: +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can +be found on Access Boston +(access.boston.gov). + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-L01 Teacher Licensure.txt b/data/data_txt/HRS-L01 Teacher Licensure.txt new file mode 100644 index 0000000..ba46f1c --- /dev/null +++ b/data/data_txt/HRS-L01 Teacher Licensure.txt @@ -0,0 +1,292 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-L01 +Version 01 + + + +STATE LICENSURE AND REQUIREMENTS FOR +TEACHERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +According to Massachusetts General Law, all teachers must hold +a valid license issued by the Massachusetts Department of +Elementary and Secondary Education (DESE) in the most +appropriate subject and grade level corresponding to their +teaching assignment(s). Teachers are not hired by BPS unless +they qualify for the appropriate license or license waiver. A waiver +permits the district to employ an unlicensed teacher for one +school year only and does not count as a license. Waivers are +requested only by the BPS Office of Human Resources in rare +circumstances where there are no licensed candidates available +to fill a position. +This Superintendent’s Circular provides guidance for meeting +Massachusetts state licensure requirements. +I. DATA COLLECTION AND TRACKING PROCEDURES +To collect and track data about the licensure of BPS teachers and +paraprofessionals, the BPS Office of Human Resources requires +online reporting of critical information, including Massachusetts +Tests for Educator Licensure (MTEL) results, licensure status, + + +Page 2: +Superintendent’s Circular HRS-L01 +Page 2 of 8 + + + +coursework, and degree information of teachers. All teachers and +their administrators must comply with these data collection +procedures. Furthermore, it is every educator’s professional +responsibility to know their personal licensure status and take +the necessary steps to maintain their license validity. +II. MASSACHUSETTS STATE LICENSURE REQUIREMENTS +A. Know what license is required by your teaching position: +o The license required for your position should be made +clear to you upon hire, but when in doubt, ask your +principal/head of school, Human Resources +coordinator, or Human Resources manager. +o The fundamental requirement is that teachers must +possess the license that affords the most appropriate +fit for their teaching assignment. For example, while it +may seem acceptable for a teacher of 6th grade math +and science to work under an Elementary (1-6) license, +the MA DESE offers a Middle School Math/Science (5-8) +license which is a more appropriate license for this +teaching assignment. +o For more information about currently offered licenses +and specific requirements, visit +www.doe.mass.edu/licensurehelp. +o Individual’s official state licensure records and history +can be accessed securely through the MA DESE’s ELAR +portal at https://www.doe.mass.edu/licensure/elar/. If +you do not know your username and/or password, click +on "Forgot username/password" and it will walk you +through some steps to retrieve the username and reset + + +Page 3: +Superintendent’s Circular HRS-L01 +Page 3 of 8 + + + +the password. If you still have difficulty, you can call the +DESE Licensure Help Desk at 781-338-6600 and they +should be able to reset it for you. +o See Attachment A for guidance on which “type” of +license (Provisional, Initial, Professional, Temporary) +suits your level of preparation and/or experience. +B. Apply for the appropriate license. +o When interested in obtaining a new license, or +advancing your non-professional license, the best first +step is to apply for the license you plan to pursue. Even +if you have not yet met all of the requirements, this is +DESE's opportunity to evaluate your standing with +regard to the current requirements and give you +written instructions on what remains to be done. They +leave all applications open until you are granted the +license. +o Online applications can be submitted through the MA +DESE’s ELAR portal at +https://www.doe.mass.edu/licensure/elar/, where you +indicate which license you are interested in obtaining +and pay the application fees. Applications cost $100 for +the first submission and $25 for each additional. +o Submit official transcripts (undergraduate and +graduate) to the MA DESE by mail or in person. The +address is: +Office of Educator Licensure +Mass. Dept. of Education +75 Pleasant Street + + +Page 4: +Superintendent’s Circular HRS-L01 +Page 4 of 8 + + + +Malden, MA 02148 +o Additional documentation, such as out-of-state +teaching licenses and letters verifying applicable +teaching experience or preparation, may also need to +be submitted. +o Upon review of your application and transcripts, the +MA DESE will notify you in writing if additional +documentation or clarification is necessary, or if you +still have additional requirements to complete. This is +called the evaluation letter. It will give you instructions +on your next steps. +o Make sure your social security number appears on all +documents sent to MA DESE. +C. Take and pass all relevant MTELs. +o The test(s) you are required to take will be dictated by +the DESE, based on the application that you submitted. +General information about which tests are required for +which license can be found online at +www.doe.mass.edu/licensurehelp. If you still aren’t +certain which tests you need, and you do not have time +to wait for the DESE’s evaluation letter, you may call +the Office of Human Resources at 617-635-9600. +D. Advance or renew your license. +o Teachers who hold a temporary, provisional, or initial +license are required to be working to advance toward a +professional license. See attachment A for guidance on +the progression of licenses. + + +Page 5: +Superintendent’s Circular HRS-L01 +Page 5 of 8 + + + +o Teachers who hold a professional license must renew it +every five calendar years. There is an expiration date +associated with each individual’s professional license +indicating when it needs to be renewed. +o Renewal of a professional license requires the +completion of 150 Professional Development Points +(PDPs) within the five-year renewal period. At least 15 of +these points must be in the content of the license (i.e., +what you teach). The next 15 points must be in +pedagogy (i.e., how you teach). Fifteen points must be +in Sheltered English Immersion or English as a Second +Language (SEI or ESL), 15 points must relate to training +in schooling methods for students with disabilities +and/or diverse learning styles, and the remaining 90 +points can be in “elective activities” that address other +educational issues or improve student learning, +content knowledge, or pedagogy. +o The activities that teachers participate in to earn PDPs +should be dictated by their Individualized Professional +Development Plan (IPDP), which must be reviewed +and signed for approval by their principal/head of +school every two years. Signed copies of the approved +IPDP must be maintained in the school building. +o Visit https://www.doe.mass.edu/pd/ipdp.docx to view +or print an IPDP template. +o Online applications for renewal can be submitted +through the MA DESE’s ELAR portal at +https://www.doe.mass.edu/licensure/elar/ after all PDP +requirements have been completed. + + +Page 6: +Superintendent’s Circular HRS-L01 +Page 6 of 8 + + + +o All educators and other employees seeking licensure +related verifications must complete this form. + +For more information about this circular, contact: +Owner: +Licensure Manager +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9212 +Email: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 7: +Superintendent’s Circular HRS-L01 +Page 7 of 8 + + + +ATTACHMENT A +Massachusetts Teacher Licensure – At a Glance +MASSACHUSETTS EDUCATOR LICENSURE +Licenses granted by the Massachusetts Department of +Elementary & Secondary Education +75 Pleasant Street, Malden, MA 02148 +781-338-6600 +www.doe.mass.edu/licensurehelp + +YOU MAY START HERE… +PROVISIONAL LICENSE +TEMPORARY LICENSE +• Valid for 5 years of employment +• For people who have not +completed an approved +educator preparation program +Requires: +• A bachelor's degree +• Passing score(s) on MTEL +www.mtel.nesinc.com +• Additional coursework required +for elementary, early childhood, +moderate disabilities, severe +disabilities, library, and/or +instructional technology +• Valid for 1 calendar year +• For experienced teachers +from another state +Requires: +• Possession of a valid +educator license/certificate +from another state that is +comparable to at least an +initial license in +Massachusetts +• 3 years teaching under a +valid out-of-state +license/certificate + + + + +Page 8: +Superintendent’s Circular HRS-L01 +Page 8 of 8 + + + +…OR YOU MAY START HERE: +INITIAL LICENSE +PROFESSIONAL LICENSE +• Valid for 5 years of employment +• (May be extended one time for 5 +additional years of employment) +Requires: +• A bachelor's degree +• Passing score(s) on MTEL, +www.mtel.nesinc.com +• Completion of an approved +educator preparation program + +• Valid for 5 calendar years +Requires: +• 3 years of employment +under the Initial license +• Completion of a beginning +teacher induction program +• One of the capstone +options for the Professional +license (i.e., master’s degree +including or in addition to +12 graduate credits in +content) +• Continuing professional +development required to +renew Professional licenses +every 5 calendar years + + + diff --git a/data/data_txt/HRS-L02 Paraprofessional ESSA Requirements.txt b/data/data_txt/HRS-L02 Paraprofessional ESSA Requirements.txt new file mode 100644 index 0000000..b1acc6a --- /dev/null +++ b/data/data_txt/HRS-L02 Paraprofessional ESSA Requirements.txt @@ -0,0 +1,360 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-L02 +Version 01 + +REQUIREMENTS FOR PARAPROFESSIONALS +UNDER ESSA +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The US Department of Education Every Student Succeeds Act +(ESSA) requires that all instructional paraprofessionals meet +specific employment requirements in order to be designated +“Highly Qualified”. These requirements apply to all schoolwide +programs without regard to whether the positions are funded +with federal, state, or local funds. To be considered Highly +Qualified, paraprofessionals will need to possess specific skills in +reading, writing, math, and instruction (as outlined in +Attachment A of this Superintendent’s Circular). +I. ESSA REQUIREMENTS FOR PARAPROFESSIONALS +There are currently two available options for paraprofessionals to +be deemed Highly Qualified: +● Pathway 1: Associate’s Degree or 48 Credit Hours of +Coursework +The paraprofessional obtained an Associate’s (or higher) +degree OR completed at least 48 credit hours of +coursework at an institution of higher education (IHE). If +this pathway was selected the paraprofessional should +submit to the Principal/Headmaster all relevant transcripts. + + + + +Page 2: +Superintendent’s Circular HRS-L02 +Page 2 of 12 + +● Pathway 2: Formal Standardized Assessment +The paraprofessional passed a formal standardized +assessment. The Massachusetts ESE has selected both the +ParaPro Assessment and the WorkKeys Certificate of +Proficiency for Teacher Assistants as the formal state- +endorsed assessments. Either of these assessments will +enable instructional paraprofessionals to meet this +requirement. If this pathway is selected the +paraprofessional should submit to the +Principal/Headmaster an official score report confirming a +passing score. +II. RESOURCES FOR PATHWAY 2 +Information about the ParaPro Assessment, including content +overview, and registration can be accessed on-line at +http://www.ets.org/parapro. The test is generally offered as a +paper/pencil test given four times per year at Roxbury +Community College. BPS does not currently administer the +Internet-based ParaPro test. A scaled score of 464 must be +achieved in order to pass and be deemed “Highly Qualified”. +Information about the WorkKeys Proficiency Certificate for +Teacher Assistants can be accessed on-line at +http://www.act.org/workkeys/. It consists of a three-part +assessment as well as an observation-based tool known as the +Instructional Support Inventory (ISI). It is administered by +WorkSource Partners, Inc., One Harvard Street, Ste 200, +Brookline, MA 02445 (phone: 617-232-0330). To meet the +requirements of ESSA, paraprofessionals must achieve at the +following skill levels on the three-part assessment: +● Reading for Information: Skill Level 5 + + +Page 3: +Superintendent’s Circular HRS-L02 +Page 3 of 12 + +● Applied Mathematics: Skill Level 4 +● Business Writing: Skill Level 3 +III. FEDERAL DEFINITIONS +Definition of Instructional Paraprofessional +An instructional paraprofessional is an individual who provides +instruction and support for classroom teachers. Aides, assistants, +or tutors who engage in instructional support are considered to +be instructional paraprofessionals as defined by ESSA. Individuals +who work solely in non-instructional roles, such as food service, +cafeteria or playground supervision, personal care services, and +non-instructional computer assistance are not considered to be +instructional paraprofessionals. +Responsibilities of Instructional Paraprofessionals +ESEA specifies that instructional paraprofessionals may engage +in the following activities: +● Provide one-on-one tutoring for eligible students, if the +tutoring is scheduled at a time when a student would not +otherwise receive instruction from a teacher. +● Assist with classroom management, such as organizing +instructional and other materials. +● Assist in a computer laboratory. +● Provide instructional support in a library or media center. +● Provide instructional services to students under the direct +supervision of a teacher. + + +Page 4: +Superintendent’s Circular HRS-L02 +Page 4 of 12 + +All instructional paraprofessionals must be supervised directly by +teachers. Instructional paraprofessionals cannot be supervised by +a peer or group of peers. +The following two categories of paraprofessionals need only +possess a high school diploma or equivalent and are not required +to meet the additional requirements listed above: +● Paraprofessionals in Title I programs who serve primarily as +translators (as long as these paraprofessionals are proficient +in English and a language other than English); and +● Paraprofessionals working solely on parental involvement +activities. +Visit the Mass. DESE website for additional details. + +For more information about this circular, contact: +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Boston MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 + +Mary Skipper, Superintendent + + + +Page 5: +Superintendent’s Circular HRS-L02 +Page 5 of 12 + +ATTACHMENT A +Massachusetts Department of Education Learning Guidelines +for Title I Instructional Paraprofessionals +The Department of Education strongly encourages districts and +charter schools to use these guidelines as a model for all +paraprofessionals who provide instructional support to students. +BASIC ASSUMPTIONS +● Instructional paraprofessionals are respected team +members responsible for assisting in the delivery of +instruction and other student-related activities. As valued +members of the faculty, they are essential partners in the +work of Title I programs. +● Given their responsibilities, instructional paraprofessionals +must be skilled in reading, writing, and mathematics, and +familiar with instructional practices that ensure and +support the achievement of all students. +● To enhance the continuity and quality of services for +students, paraprofessionals must be encouraged and +supported in their efforts to participate in ongoing +professional development programs. +● Programs for instructional paraprofessionals are best when +they are comprehensive, acknowledge the diverse roles +paraprofessionals play in schools and provide pathways to +further education and teacher licensure, if desired. + + + + +Page 6: +Superintendent’s Circular HRS-L02 +Page 6 of 12 + +1. LITERACY DOMAIN +01 Language +A paraprofessional will know how and be able to: +● Use agreed-upon rules for informal and formal discussions +in small and large groups +● Pose questions, listen to the ideas of others, and contribute +their own information or ideas in group discussions or +interviews in order to acquire new knowledge +● Understand new vocabulary and use it correctly in reading +and writing +● Analyze and use Standard English grammar +● Describe, analyze, and use appropriately formal and +informal English +● Identify and use the correct meaning of words and phrases +● Recognize and use words with multiple meanings +● Use a paragraph or passage as the context for determining +the meaning of an unfamiliar or uncommon word or phrase +● Use dictionaries, thesauruses, and other related references +02 Literature +A paraprofessional will know how and be able to: +● Identify the basic facts and main ideas in a text and use +them as the basis for interpretation +● Identify and paraphrase the main idea of a passage +● Identify supporting evidence + + +Page 7: +Superintendent’s Circular HRS-L02 +Page 7 of 12 + +● Identify, organize, and draw conclusions using the +relationship(s) among the ideas in written material +● Identify, analyze, and apply knowledge of the theme, +structure and elements of fiction and provide evidence +from the text to support their understanding +● Identify, analyze, and apply knowledge of the purposes, +structure, and elements of nonfiction or informational +materials and provide evidence from the text to support +their understanding +● Identify, analyze, and apply knowledge of the themes, +structure, and elements of poetry and provide evidence +from the text to support their understanding +● Identify, analyze, and apply knowledge of the themes, +structure, and elements of drama and provide evidence +from the text to support their understanding +● Identify and analyze how an author’s words appeal to the +senses, create imagery, suggest mood, and set tone and +provide evidence from the text to support their +understanding +03 Composition +A paraprofessional will know how and be able to: +● Write with a clear focus, coherent organization, and +sufficient detail +● Write for different audiences and purposes +● Demonstrate adequate paragraph development and +appropriate style, tone, and word choice in their +compositions + + +Page 8: +Superintendent’s Circular HRS-L02 +Page 8 of 12 + +● Use standard English conventions in their writing, revising, +and editing +● Organize ideas in writing in a way that makes sense for +their purpose +● Gather information from a variety of sources, analyze, and +evaluate the quality of the information they obtain, and use +it to answer their own questions +● Outline, summarize, and take notes +● Interpret information presented in graphic form +2. NUMERACY DOMAIN +01 Number Sense +A paraprofessional will know how and be able to: +● Understand numbers, ways of representing numbers, +relationships among numbers, and number systems +● Understand principles and operations related to integers, +fractions, decimals, percents, ratios, and proportions +● Understand and solve problems involving integers, +fractions, decimals, percents, ratios, and proportions +● Understand meanings of mathematical operations and how +they relate to one another. +● Compute fluently and make reasonable estimates +● Know how to use standard arithmetical algorithms + + + + +Page 9: +Superintendent’s Circular HRS-L02 +Page 9 of 12 + +02 Algebra +A paraprofessional will know how and be able to: +● Understand and use patterns to model and solve problems +● Understand how to manipulate and simplify algebraic +expressions and translate problems into algebraic notation +● Understand the properties of different types of functions +and relations +03 Geometry +A paraprofessional will know how and be able to: +● Analyze characteristics and properties of two- and three- +dimensional geometric shapes +● Specify locations and describe spatial relationships using +coordinate geometry and other representational systems +● Understand the principles and properties of coordinate and +transformational geometry, apply transformations, and use +symmetry to analyze mathematical situations +● Use visualization, spatial reasoning, and geometric +modeling to solve problems. +04 Measurement and Data Analysis +A paraprofessional will know how and be able to: +● Identify measurable attributes of objects and use the +standard units, systems, and processes of measurement +● Formulate questions that can be addressed with data; and +collect, organize, and display relevant data to answer them + + +Page 10: +Superintendent’s Circular HRS-L02 +Page 10 of 12 + +● Select and use appropriate statistical methods to analyze +data +● Develop and evaluate inferences and predictions that are +based on data +3. INSTRUCTION DOMAIN +01 Curriculum Planning +A paraprofessional will know how and be able to: +● Assist with activities addressing standards that will advance +students’ level of content knowledge +● Assist with activities appropriate for the full range of +students within a classroom and appropriate to the specific +discipline, age, and level of proficiency with the English +language and Individualized Education Programs (IEP) +02 Effective Instruction +A paraprofessional will know how and be able to: +● Communicate lesson objectives clearly +● Build on students’ prior knowledge and experience +● Provide support under the guidance of a classroom teacher +to address student needs +● Help students use appropriate instructional resources to +support learning in reading, writing, and mathematics +● Help students use a variety of approaches to understand +what they read +● Help students focus their writing +● Help students relate mathematics to everyday situations + + +Page 11: +Superintendent’s Circular HRS-L02 +Page 11 of 12 + +● Employ a variety and range of instructional techniques +from direct instruction to cooperative learning groups +● Use instructional technology appropriately +● Provide regular feedback to students on their progress +● Provide formal and informal assessment of student +progress +03 Classroom Climate and Equity +A paraprofessional will know how and be able to: +● Maintain appropriate standards of behavior, mutual +respect, and safety in the classroom +● Promote achievement for all students, including those with +disabilities, those with limited English proficiency, and +those who are gifted and talented, without exception +● Promote civic and self-responsibility in the classroom, +school, and community +04 Professional Responsibilities +A paraprofessional will know how and be able to: +● Carry out their legal and ethical responsibilities. +● Carry out health, safety, and emergency procedures of the +learning environment. +● Maintain high standards and expectations for all students. +05 Professional Skills +A paraprofessional will understand how and be able to: + + +Page 12: +Superintendent’s Circular HRS-L02 +Page 12 of 12 + +● Accept supervision to reflect critically upon their classroom +experience and identify areas for further skill and +professional development. +● Work collaboratively with school personnel. +● Confer with supervisor(s) and/or content specialist(s) when +assistance is needed in supporting students’ learning +process. + + diff --git a/data/data_txt/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.txt b/data/data_txt/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.txt new file mode 100644 index 0000000..4db8469 --- /dev/null +++ b/data/data_txt/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.txt @@ -0,0 +1,257 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS- L03 +Version 01 + + +LICENSURE REQUIREMENTS FOR PRINCIPALS/HEADS +OF SCHOOL AND BASAS EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +All principals and heads of school as well as most BASAS +employees are required to hold one of five administrative licenses +issued by the State of Massachusetts Department of Elementary +and Secondary Education (DESE). +TYPES OF ADMINISTRATOR LICENSES +The DESE issues the following five administrator licenses: +• Superintendent/Assistant Superintendent +• Principal/Assistant Principal +• Supervisor/Director +• Special Education Administrator +• School Business Administrator +REQUIREMENTS BY ADMINISTRATOR POSITION +The BPS positions/titles below require the following licenses in +the appropriate grade level(s): + + + + +Page 2: +Superintendent’s Circular HRS-L03 +Page 2 of 7 + + + +BPS Position/Title +Required License +Principal / Head of School +Principal/Assistant Principal +Assistant Principal / Head of +School +Principal/Assistant Principal +Academy Director +Supervisor/Director OR +Principal/Assistant Principal +Academy Leader +Supervisor/Director OR +Principal/Assistant Principal +Director of Instruction +Supervisor/Director OR +Principal/Assistant Principal +Director of Alternative +Education +Supervisor/Director OR +Principal/Assistant Principal +Small Learning Community +Leader +Supervisor/Director OR +Principal/Assistant Principal +Director of Curriculum, +Assessment and Placement +Supervisor/Director OR +Principal/Assistant Principal +Senior Curriculum Access +Specialist +Special Education Administrator +license OR Moderate/Severe +Disabilities teaching license in +combination with Principal/ +Assistant Principal license. +Senior Curriculum Manager +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Senior Program Director +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Program Director +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Some BASAS classifications may require licensure depending + + +Page 3: +Superintendent’s Circular HRS-L03 +Page 3 of 7 + + + +upon the types of duties performed. If a BASAS member is +responsible for the “Planning, Implementing, or Developing of +Curriculum and Instruction” (for 50% or more of their time), they +must hold an administrator license. Additionally, if the BASAS +administrator is responsible for the “Evaluation of Employees,'' +they must hold an administrator license. +If they are responsible for the planning, implementing, or +developing of Curriculum and Instruction, or the evaluation of +employees, the following BPS employees must hold these +licenses: +BPS Position/Title +Required License +Senior Coordinator +Principal/Assistant Principal or +Supervisor/Director or Special +Education Administrator license +Coordinator +Junior Coordinator +Director +Assistant Director +Bilingual Program Specialist +Senior Program Coordinator +MEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS +The following information outlines general guidelines that +principals, heads of school, and relevant BASAS employees +should follow to meet Massachusetts state licensure +requirements. The DESE will determine individual licensure +requirements upon review of the administrator’s application. +1. Pass the Massachusetts Test for Educator Licensure (MTEL) + + +Page 4: +Superintendent’s Circular HRS-L03 +Page 4 of 7 + + + +in Communication and Literacy Skills. To register for the +MTEL, go to: http://www.doe.mass.edu/mtel/. +2. Complete the licensure requirements for the administrator +role sought through one of the available routes: +a. Complete an Approved Program of Study. DESE +approves educator preparation programs sponsored by +higher education, professional associations, +collaboratives, school districts, charter schools, and +other organizations. Approved programs are designed +to meet the requirements for a specific administrator +license. The DESE website, +http://www.doe.mass.edu/edprep, contains a list of +approved administrator preparation programs. +b. Complete an Administrative +Apprenticeship/Internship. This route to licensure is +primarily a field-based experience requiring a +minimum of 300-500 hours depending on the license +being pursued in the role of the license sought. +Candidates completing this route must be guided by a +trained mentor (who has held a professional license in +the same role for at least three years) and participate in +seminars, workshops, and other opportunities that will +assist the candidates in adequately addressing the +Professional Standards for Administrators. +c. Be recommended for licensure through the Panel +Review process. This route is only available for +administrator licensure candidates who have specific +prerequisite experiences and for all superintendent +candidates. +3. Apply for licensure and make payment through the online + + +Page 5: +Superintendent’s Circular HRS-L03 +Page 5 of 7 + + + +process: (https://www.doe.mass.edu/licensure/apply-check- +status-license.html). +4. Submit the following supporting documentation and +information to the DESE: +a. One of the following: +i. Approved program endorsement +ii. Administrative Apprenticeship/Internship +Endorsement Form. This form is accessible +through the Guidelines for Administrator Routes +to Initial Licensure: +http://www.mass.gov/edu/docs/ese/educator- +effectiveness/licensing/panel-review- +administrator-routes.pdf +b. A letter written on official letterhead by the +superintendent/designee, principal, or previous +employer that documents the candidate has +completed three years of employment in the role of the +current license or other required experience. +c. Successful completion of the Performance Assessment +for Initial License. Applicants for the Principal/Assistant +Principal license are required to successfully complete +the Performance Assessment for Initial Licensure +(MA_PAL). This requirement is currently under +development for all other administrative licenses. +Licensure can be granted to those who satisfy all other +licensure requirements prior to this requirement +becoming available. + +d. Official transcripts of undergraduate/graduate studies +if required for specific license. + + +Page 6: +Superintendent’s Circular HRS-L03 +Page 6 of 7 + + + + +More information about the requirements for the administrator +licenses is available through the Guidelines for Administrator +Routes to Initial Licensure: +http://www.mass.gov/edu/docs/ese/educator- +effectiveness/licensing/panel-review-administrator- +routes.pdf +PROCESS FOR REPORTING LICENSURE TO THE OFFICE OF +HUMAN RESOURCES +It is the responsibility of principals, heads of school, and relevant +BASAS employees, as well as their supervisors, to ensure proper +licensure is in place and recorded in the “BPS Licenses” section of +PeopleSoft (found under “Workforce Development”) which is +maintained by the Office of Human Resources via an electronic +download from the Department of Elementary and Secondary +Education. +PROCESS FOR LICENSURE RELATED VERIFICATIONS +All educators and other employees seeking licensure related +verifications and/or loan forgiveness must complete the BPS +Educator Licensure-Related Verification Requests form. + + + + + + + +Page 7: +Superintendent’s Circular HRS-L03 +Page 7 of 7 + + + +For more Information about this circular, contact: +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PM01 Performance Evaluation of Teachers.txt b/data/data_txt/HRS-PM01 Performance Evaluation of Teachers.txt new file mode 100644 index 0000000..6d5527f --- /dev/null +++ b/data/data_txt/HRS-PM01 Performance Evaluation of Teachers.txt @@ -0,0 +1,58 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM01 +Version 01 + + + +PERFORMANCE EVALUATION OF TEACHERS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +Comprehensive information pertaining to the performance +evaluation of BTU under the 2011 education regulation +amendments (603 CMR 35.00) is now located at the Office of +Human ResourcesEvaluations webpage. +A summary of BTU dates and deadlines can be found on Page +73 of the BTU-BPS Collective Bargaining Agreement. +Long-Term Substitute Teachers are considered Teachers for +the purposes of performance evaluation if they have been in +position continuously for more than fifteen (15) consecutive +days. +General inquiries regarding performance evaluation of DESE- +licensed educators may be directed to: +eval@bostonpublicschools.org +Information regarding performance-related dismissal of +teachers may be found in Superintendent’s Circular #HRS- +PP19. + + + + + +Page 2: +Superintendent’s Circular HRS-PM01 +Page 2 of 2 + + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing +Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 +Phone: +617-635-9627 +E-mail: +eval@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.txt b/data/data_txt/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.txt new file mode 100644 index 0000000..cee9d22 --- /dev/null +++ b/data/data_txt/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.txt @@ -0,0 +1,345 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM02 +Version 01 + +PERFORMANCE EVALUATION OF INSTRUCTIONAL +BASAS ADMINISTRATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version.. +Heads of school, principals, and other administrative heads are +responsible for evaluating the performance of administrators +under their direct supervision. This employee group is school- +based, requires DESE licensure, and is represented as part of the +BASAS bargaining unit. Instructional BASAS administrators will +be evaluated using the VectorEvals platform as the evaluation +instrument. As of September 2023, non-instructional BASAS +administrators in roles that do not require DESE-licensure will be +evaluated using Superintendent Circular HRS-PM02A +Performance Evaluation of Non-Instructional BASAS +Administrators. +The purpose of this memorandum is to explain who is +responsible for evaluation and to outline the philosophy, +objectives, guidelines, and procedures applicable to that process. +PHILOSOPHY +The Boston Public Schools and the BASAS bargaining unit +recognize that the quality of education provided depends upon +the professional performance and the total job effectiveness of +the teachers and administrators in the system. Thus, since the +system's professionals can and should be held accountable for + + +Page 2: +Superintendent’s Circular HRS-PM02 +Page 2 of 10 + +the quality of their performance, a just and effective process for +evaluating that performance is essential. Such a process must be +organized to: +• foster effective leadership in promoting improvements of +schools and educational programs +• develop in the professional staff a clearer understanding of +the goals of education +• promote sound organizational and management +procedures +• demonstrate active support of the policies of the School +Committee and superintendent. +The performance evaluation program to be implemented to +satisfy this philosophy for administrators is diagnostic and +prescriptive, is generally positively directed, and encourages +professionals to maximize unique strengths and skills. +All instructional BASAS administrators whose evaluations are +subject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles +require DESE licensure) shall be evaluated on a cycle consistent +with those regulations. Evaluees not subject to 603 CMR 35.00 et. +seq. shall be evaluated annually, except that such employees +need not be evaluated in the following year if they remain in the +same job title and position unless the evaluator determines a +need to do so. +INSTRUMENTS/EVALUATORS +A. Instructional BASAS members shall be evaluated by a +designee of the superintendent outside the BASAS +bargaining unit. +B. The evaluation instrument to be used for instructional +BASAS administrators in DESE-licensed roles as of + + +Page 3: +Superintendent’s Circular HRS-PM02 +Page 3 of 10 + +September 2019 is known as VectorEvals. It is accessible via +the employee’s BPS Google account. Comprehensive +information pertaining to the performance evaluation of +instructional BASAS administrators under the 2011 education +regulation amendments (603 CMR 35.00) is now located at +the Office of Human Resources website: +https://www.bostonpublicschools.org/Page/8586. + +PROCEDURAL STEPS +A. Preparation - No later than 30 days after the start of a rating +year, and no later than 45 days after a change in a person’s +evaluator, the person’s evaluator shall meet with the +evaluee(s) for the purpose of explaining the diagnostic +prescriptive evaluation program, reviewing the evaluation +instrument and which parts of it may not be applicable, +answering questions, and determining additional job +related responsibilities which will be covered in the +evaluation. Within 5 days after said meeting, the evaluee will +receive a copy of a list of job related functions for which they +are responsible and on which their performance will be +evaluated. +The evaluee may propose a professional practice goal as +well as a student learning goal. All goals are subject to the +approval of the evaluator. +B. Data Gathering - It should be clearly understood by the +evaluee that the data gathering process is ongoing and +cumulative. Evaluation data includes information gathered +by observation or other means. Data should be collected +over a sufficient period and should be accessible to the +evaluee in compliance with applicable state and federal + + +Page 4: +Superintendent’s Circular HRS-PM02 +Page 4 of 10 + +laws. All complaints or derogatory comments obtained from +parents, community, etc., shall be promptly provided to the +instructional BASAS member, or they may not be used as a +basis for evaluation. +The evaluator must provide feedback within five school days +to the evaluee (via email or in person) after any observation +or collection of evidence that results in the evaluator having +a concern that one or more standards may be rated as +unsatisfactory or needs improvement on a formative or +summative evaluation for the first time. +C. Post-Evaluation Conference - Evaluation reports may be +filled out periodically throughout the school year whenever +an evaluator determines that assistance, supervision, or +intervention is deemed appropriate. Within ten (10) school +days during which the BASAS member is present following +the completion of each evaluation, the evaluator shall meet +with the evaluee for the purpose of discussing the +evaluation, providing an appraisal of professional strengths +and areas in need of improvement. +In any area where the evaluator indicates a need for +improvement, or that the evaluee is “Unsatisfactory”, the +evaluator will provide the evaluee with a written +prescription. The prescription must be fully descriptive, +instructive, reasonable, attainable, and educationally sound +as to the specific remedy sought by the evaluator. +At the post-evaluation conference, the evaluee will be +shown their written evaluation by the evaluator and will sign +it to indicate they have seen it and acknowledge that it will +be placed in their personnel file, but not to indicate +agreement or disagreement. A copy of the evaluation will be + + +Page 5: +Superintendent’s Circular HRS-PM02 +Page 5 of 10 + +provided to the evaluee, and the evaluee will be allowed to +attach comments to the evaluation. +D. Follow-Up - In general, the number and scope of the +subsequent conferences can be gauged at the first post- +evaluation conference and should be communicated to and +discussed with the evaluee at the end of that conference. +FORMATIVE ASSESSMENT/EVALUATION AND OBSERVATIONAL +FEEDBACK +A. A formative assessment shall be a part of the process used +to assess progress towards attaining goals set forth in +administrator plans, performance on Standards and +Indicators of Effective Teaching Practice, or both, and may +be used to inform employment decisions. This process may +take place at any time during the cycle of evaluation, but +typically takes place at mid-cycle. +B. A formative evaluation shall be an evaluation conducted at +the end of Year 1 for an administrator on a two-year self- +directed growth plan. This evaluation is to be used to arrive +at a rating on progress towards attaining the goals set forth +in the evaluee’s plan, performance on Standards and +Indicators of Effective Teaching Practice, or both, and may +be used to inform employment decisions. +C. If an evaluee’s performance results in a rating of “Needs +Improvement,” or “Unsatisfactory” on a formative +assessment or evaluation, the evaluation prescription may +contain a requirement that an administrator take advantage +of additional professional development training or other +opportunities. + + +Page 6: +Superintendent’s Circular HRS-PM02 +Page 6 of 10 + +SUMMATIVE EVALUATION AND REPORTS +A. A summative evaluation is an evaluation used to arrive at a +rating on each standard, an overall rating, and as a basis to +make personnel decisions. The summative evaluation +includes the evaluator’s judgments of the evaluee’s +performance against performance standards and the +evaluee’s attainment of goals set forth in the evaluee’s plan. +B. During the entire evaluation process, continuous assistance, +support, and encouragement should be extended to assist +the evaluee in meeting established objectives. +C. Continued failure to achieve an overall rating of “Proficient” +will result in additional prescriptions, warnings, additional +evaluations, and further personnel action, including +evaluation visits from other School Department +administrators. +D. An evaluee whose overall performance has been judged as +“Needs Improvement” or “Unsatisfactory” shall be notified in +writing and shall meet directly with the evaluator. +DISPUTE RESOLUTION +A. An overall rating of “Unsatisfactory” on a summative +evaluation for BASAS members shall be subject to the +grievance and arbitration procedure. An administrator may +grieve a summative rating of “Proficient” evaluation up to +and including the level of the responsible administrator +above the level of the evaluator. Any evaluation that is used +or referred to as any part of the rationale for removal, +reassignment, or any other negative action against an +employee shall be subject to the grievance and arbitration +procedures. + + +Page 7: +Superintendent’s Circular HRS-PM02 +Page 7 of 10 + +B. Any evaluation of an instructional BASAS administrator +which is overall “Unsatisfactory” shall be promptly +forwarded to BASAS along with any other recommended +professional development or corrective action plan, +provided that the BASAS member has so requested in +writing. The superintendent’s designee and BASAS agree to +meet to discuss the plan, when requested by the BASAS +member. +C. Alleged violations of the performance evaluation process are +subject to the grievance and arbitration procedures if the +employee has been dismissed. +PROCEDURES FOR DISMISSAL/DEMOTION +If the performance evaluation of an evaluee results in a +recommendation for dismissal/demotion by the evaluator +(confirmed by the head of school or other senior administrator), +the following procedures will be followed: +A. The superintendent's designee shall discuss each +recommendation for dismissal with the appropriate +evaluator and/or other senior administrator. The +superintendent's designee shall then undertake the +necessary investigation to substantiate the evaluation of the +administrator. +Based on the above, the superintendent or their designee +shall decide on the appropriateness of the recommendation +for dismissal/demotion. The evaluator and/or other senior +administrator must present supporting documents to the +Superintendent or their designee when presenting a +recommendation for dismissal. +B. The superintendent or their designee or senior + + +Page 8: +Superintendent’s Circular HRS-PM02 +Page 8 of 10 + +administrator shall submit all processed recommendations +for dismissal to the Office of Labor Relations. +C. The decisions of the superintendent or their designee shall +be confined to the following: +1. Retention - This is a rejection of the recommendation +of the evaluator based on the evidence presented on +an individual administrator. +2. Notice - The superintendent's designee, having +reviewed the materials, decides that the case does not +warrant a recommendation for dismissal/demotion, +but instead warrants placing the administrator on +notice that their performance is highly unacceptable. +This status stands as a final warning that the +administrator will be subject to additional evaluation +during the academic year and, if performance is not +improved, may be subject to dismissal/demotion. +3. Dismissal/Demotion - This recommendation is the +affirmation of the evidence presented by the evaluator. +The evaluee may call for a hearing before the +superintendent or designee thirty days after written +notification to the administrator of the +recommendation for dismissal/demotion. +D. The Office of Labor Relations shall: (1) evaluate the evidence +for dismissal/demotion; (2) review the recommendation, if +necessary, with the evaluator and/or superintendent or their +designee; and (3) determine that relevant procedures for +evaluations were substantially complied with and that the +evaluations warrant dismissal of the employee. +E. The Office of Labor Relations shall forward its analysis to the + + +Page 9: +Superintendent’s Circular HRS-PM02 +Page 9 of 10 + +superintendent of schools with copies to the principal leader +or other senior administrator. +F. The superintendent shall review the materials, make a +decision, and give notice to the employee in accordance +with G.L. c.71, Section 42. +PROCEDURES FOR DISCIPLINE +If a principal, head of school, or supervisor determines that an +administrator has violated work rules, the supervisor should +follow procedures outlined in Superintendent's Circular HRS- +PP10 Employee Discipline Procedures. Additionally, the principal, +head of school, or supervisor may consider the infraction in +evaluating the administrator's overall performance. +Failure to address job performance problems of assigned staff +through the performance evaluation process represents +unacceptable performance on the part of a supervisor. This +problem is further compounded when "problem staff" are given a +satisfactory rating by the supervisor and encouraged to transfer +to another school/department. Such failure on the part of a +supervisor represents "unsatisfactory" administrative +performance on the part of that person and they will be held +accountable by the appropriate senior administrator and +superintendent. + + + + +Page 10: +Superintendent’s Circular HRS-PM02 +Page 10 of 10 + +Please refer in advance to Superintendent's Circular HRS-PP10 +Employee Discipline Procedures. +Summary of significant dates and deadlines: +Date +Activity +June 15 +Deadline for evaluators to submit +evaluation to Instructional BASAS +Administrators via VectorEvals +platform. + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-9627 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.txt b/data/data_txt/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.txt new file mode 100644 index 0000000..24e4933 --- /dev/null +++ b/data/data_txt/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.txt @@ -0,0 +1,358 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM02A +Version 01 + + +PERFORMANCE EVALUATION OF +NON-INSTRUCTIONAL BASAS ADMINISTRATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +TABLE OF CONTENTS +Document Purpose +Purpose of Performance Management +Evaluation Process Overview +The Five-Step Process +Step 1: Self-Assessment +Step 2: Analysis, Goal setting, and Analysis +Step 3: Implementation of the Plan +Step 4: Formative Assessment +Step 5: Summative Evaluation (June 15) +Upward Feedback +Evaluation Platform and Documentation +Timeline and Tools + + +Page 2: +Superintendent’s Circular HRS-PM02A +Page 2 of 11 + + + +Appendix A: Core Competencies +Appendix B: Rating Levels +Appendix C: Goal Status Scale +DOCUMENT PURPOSE +This document describes the performance management and +evaluation process for Non-Instructional BASAS Administrators +assigned to schools and central office departments. The purpose +of this document is to provide clarity to employees and +supervisors, as well as templates and tools for use during the +process. Please refer to Circular HRS-PM02 - Performance +Evaluation of Instructional BASAS Administrators for +Instructional BASAS staff evaluation procedures. +PURPOSE OF PERFORMANCE MANAGEMENT +Boston Public Schools (BPS) students are the citizens, leaders, +scholars, entrepreneurs, advocates, and innovators of tomorrow. +As a city and district, we must ensure that 100 percent of our +students are prepared for college, career, and life in the 21st +century. We must model our district and Central Office on the +classroom we want to see. We have established a system of +performance management to affirm the ideal that everyone, +from students to the superintendent, must have sufficient +resources, information, and support to achieve efficacy in their +endeavors. + + +Page 3: +Superintendent’s Circular HRS-PM02A +Page 3 of 11 + + + +The fundamental purpose of performance management in BPS +schools and Central Office is to maximize the productivity and +impact of our employees by enabling them to perform at their +fullest potential. Our approach is designed to provide high- +quality support to schools, students, and families in BPS to +ensure our graduates are college, career, and life ready. To do so, +our performance management system will: + +1. Establish a consistent set of competencies to clearly set and +communicate expectations for employee performance. +2. Align employee efforts with department and organizational +goals. +3. Create systems and structures that gather and monitor +performance to support employee feedback, growth, and +development. +4. Identify areas of strength to leverage for increased impact, +and areas of growth for providing targeted support. +5. Provide accountability for individuals and enable them to +see their contribution to and progress toward organizational +goals. +6. Connect employee performance to incentives, recognition, +professional growth, and retention efforts. +EVALUATION PROCESS OVERVIEW +Non-instructional BASAS members may be evaluated by the +team leader, responsibility center manager, supervisor, or their + + +Page 4: +Superintendent’s Circular HRS-PM02A +Page 4 of 11 + + + +designee. The criteria for effective practice for non-instructional +BASAS administrators are identified in the Core Competencies, +which defines six categories listed below. See Appendix A for +greater detail on the Core Competencies. +1. Results Orientation +2. Collaboration and Communication +3. Job Knowledge and Skills +4. Cultural Competency & Equitable Practices +5. Responsiveness and Service Focus +6. Leadership [for staff members supervising people or +projects] + +Evaluations will result in goal +ratings, competency ratings, +and an overall performance +rating, which will be based on +the supervisor’s judgment on +evidence of performance +against the standards and +progress toward goals. +Progress toward goals will be +rated as “Goal Achieved,” “Goal +Significantly Met,” “Active +Goal,” “Goal Not Met,” and “Goal Deferred.” Greater details +on these rating levels can be found in Appendix B (at the +end of this document). + + +Page 5: +Superintendent’s Circular HRS-PM02A +Page 5 of 11 + + + +The five levels of performance which apply to performance on +each competency and the overall performance rating shall be: +“Highly Effective,” “Effective,” “Developing,” “Minimally Effective,” +and “Ineffective.” Greater details on these rating levels can be +found in Appendix B (at the end of this document). +THE FIVE-STEP PROCESS +Based on best practices in performance evaluation, BPS has +adopted a five-step process for evaluation. This process should be +followed each year by the employee and their supervisor. + +Step 1: Self-Assessment (by September 1) +The employee reviews available evidence of work performance, +prior feedback and evaluations, and the Core Competencies to +determine areas of strength and areas for further growth. The +Self-Assessment is used to inform the employee’s goals and +action plan for the upcoming year. +Step 2: Analysis, Goal Setting, and Analysis (by October 1) +Based on the employee’s self-assessment, job description, +individual aspiration, and school/department goals, the employee +and their supervisor establish 2-4 goals, related to professional +practice or performance: +● A professional practice goal relates to an identified skill or +set of knowledge that an employee wants to develop or +improve. When developing a professional practice goal, the + + +Page 6: +Superintendent’s Circular HRS-PM02A +Page 6 of 11 + + + +employee and their supervisor should both look at past +performance and feedback, as well as the employee’s +professional/career aspirations. Professional practice goals +should align to one or more of the Core Competencies. +● A performance goal is a measurable target or outcome +related to an employee’s work. Goals should align with an +employee’s team and/or departmental goal(s). +Step 3: Implementation of the Plan (ongoing) +The employee performs job duties and responsibilities, +implements the action steps toward goals, submits evidence +supporting proficiency, and meets with their supervisor to +receive and discuss feedback. The supervisor collects and reviews +evidence, provides ongoing, timely, clear, and actionable +feedback, and meets with the employee to give and discuss +feedback, including recommendations for improvement, if +applicable. +Step 4: Formative Assessment (optional by February 1) +Each employee should receive a formative assessment to provide +the employee with formal feedback on their performance against +the Core Competencies and their progress toward goals. +Typically, the formative will occur midway through the +assessment year, though may take place earlier for individuals in +need of additional support. + + +Page 7: +Superintendent’s Circular HRS-PM02A +Page 7 of 11 + + + +Step 5: Summative Evaluation (June 15) +Each employee shall receive a summative evaluation to provide +the employee with formal feedback and ratings of their +performance, and progress toward goals. +Upward Feedback +In this process, upward feedback from direct reports and school +leaders (when applicable), as well as peer feedback, should be +incorporated into an employee’s performance evaluation. +EVALUATION PLATFORM AND DOCUMENTATION +Beginning September 2023, non-instructional BASAS +administrators’ evaluations and related documentation will be +generated and stored in the BPS online performance +management platform, VectorEvals. Employees and supervisors +will receive training in accessing, navigating, and using the +platform prior to the start of their evaluation cycle. Training +modules will be available in an online, on-demand format to the +employee and their supervisor for reference, as well. + + + + + + +Page 8: +Superintendent’s Circular HRS-PM02A +Page 8 of 11 + + + +TIMELINE +Date +Activity +July - August Office, team, and individual goal setting begins. +Supervisors review of standards and expectations with +employees. +September 1 +Employee self-assessments due. +Employee goals & action plans draft due. +October 1 +Finalized employee goals & action plans due. +Ongoing +Employee check-ins, at the discretion of individual. +Provide feedback (verbal and written) to employees on +progress toward goals, observed performance, and +work products/artifacts. +Implementation also includes peer feedback. +January 1 - +February 1 +Formative assessment meetings with employees. +February 1 +Formative assessments (optional) finalized and +submitted. +June 1 +Last day to submit artifacts for review prior to +summative evaluation. +June 15 +Summative evaluations finalized and submitted. +APPENDIX A: THE CORE COMPETENCIES (LINK TO SEPARATE +DOCUMENT) + + +Page 9: +Superintendent’s Circular HRS-PM02A +Page 9 of 11 + + + +APPENDIX B: RATING LEVELS +Effectiveness +Level +Description +Highly Effective Performance far exceeded expectations due to +exceptionally high quality of work performed in all essential +areas of responsibility, resulting in an overall quality of work +that was superior; and either +included the completion of a major goal or project or +made an exceptional or unique contribution in support of +team, department, or district objectives. +This level is achievable by any employee though given +infrequently (<10% of employees). +Effective +Performance met expectations in all essential areas of +responsibility, and the quality of work overall was excellent. +Annual goals were met. +Developing +Performance consistently met expectations in all essential +areas of responsibility, at times possibly exceeding +expectations, and the quality of work overall was very good. +The most critical annual goals were met. +This level is expected for individuals who are new to the +organization or to a role. + + +Page 10: +Superintendent’s Circular HRS-PM02A +Page 10 of 11 + + + +Minimally +Effective +Performance did not consistently meet expectations – +performance failed to meet expectations in one or more +essential areas of responsibility, and/or one or more of the +most critical goals were not met. A professional +development plan to improve performance must be +attached, including timelines, and monitored to measure +progress. +Ineffective +Performance was consistently below expectations in most +essential areas of responsibility, and/or reasonable progress +toward critical goals was not made. Significant +improvement is needed in one or more important areas. A +plan to correct performance, including timelines, must be +outlined and monitored to measure progress. + + +APPENDIX C: GOAL STATUS SCALE +Goal Status +Description +Goal Achieved +All goal milestones and success measures have +been achieved for 100% of goals. +Goal Significantly +Met +All goal milestones and success measures have +been achieved for at least 85% of goal. +Active Goal +The goal is still in progress, though some +milestones may have been achieved. + + +Page 11: +Superintendent’s Circular HRS-PM02A +Page 11 of 11 + + + +Goal Not Met +For this goal, some or all milestones and success +measures have not been met. +Goal Deferred +For timing or organizational reasons, this goal has +been deferred. + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: 2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-9627 +E-mail: +eval@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .txt b/data/data_txt/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .txt new file mode 100644 index 0000000..1112e81 --- /dev/null +++ b/data/data_txt/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .txt @@ -0,0 +1,880 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM03 +Version 01 + +PERFORMANCE EVALUATION OF MEMBERS OF THE +ADMINISTRATIVE GUILD +The following sets forth the philosophy, roles, responsibilities, and +procedures applicable to the evaluation process for members of +the Administrative Guild. +I. COVERAGE +The contract between the School Committee and the +Administrative Guild provides for both annual and interim +evaluations of the performance of all employees represented by +the Guild. The evaluation process relates to the duties and +responsibilities of the employee’s position, as set forth in the +employee’s job description. +The job descriptions are general in nature and are not intended +to change any employee’s existing responsibilities. The format of +the job descriptions allows supervisors to determine the specific +job duties associated with the position’s classification. +The supervisor should obtain a copy of the appropriate job +description and provide it to each employee under their +jurisdiction. The supervisor should also communicate clearly to +the employee the specific duties associated with the position as +well as any additional information pertaining to the position. +Members of the Administrative Guild can also contact their OHC +Staffing Manager to access job descriptions. + + +Page 2: +Superintendent’s Circular HRS-PM03 +Page 2 of 21 + +II. PHILOSOPHY +The Boston Public Schools recognizes that the quality of +educational service depends upon the professional performance +and total job effectiveness of all employees. Since clerical and +technical employees can and should be held accountable for the +quality of their performance, a just and effective process for +evaluating that performance is essential. True performance +evaluation involves an analysis of an employee's strengths and +weaknesses, resulting in diagnoses and prescriptions that lead to +the desired improvement of skills and performance. +All clerical and technical employees will be evaluated using the +diagnostic-prescriptive approach, and the procedures and forms +developed for the implementation of this approach. +A diagnostic-prescriptive evaluation program is positively +directed and encourages employees to maximize their unique +strengths and skills. It encourages employees to participate in +the evaluation of their own performance and to help set +objectives for self-improvement. The performance evaluation +process, however, is not intended to be a substitute for the day- +to-day communication with and supervision of employees. +An effective performance evaluation program is one that is +continuous rather than periodic and organized to: +● develop a clear understanding of the goals of the +department or school; +● assist employees in addressing more effectively the needs +of each school or department; and +● encourage cooperative staff relations through mutual trust +and respect for each employee's role. + + +Page 3: +Superintendent’s Circular HRS-PM03 +Page 3 of 21 + +III. ROLES AND RESPONSIBILITIES +Heads of school, principals, and other administrative heads have +chief responsibility for the evaluation of all staff in their +responsibility centers. Performance evaluations must be +conducted by the employee's most immediate supervisor who is +not a member of the Guild bargaining unit. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. +Further, a supervisor will also be performing unsatisfactorily if an +underperforming staff member is given a satisfactory rating and +then encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +IV. DIAGNOSIS AND RECOMMENDATIONS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. There are four possible +ratings: + +E – EXEMPLARY: +The employee’s performance of the duties and +responsibilities of their position exceeds +expectations. +P – PROFICIENT: +The employee’s performance of the duties and +responsibilities of their position meets +expectations. + + +Page 4: +Superintendent’s Circular HRS-PM03 +Page 4 of 21 + +N – NEEDS +IMPROVEMENT: +The employee’s performance of the duties and +responsibilities of their position needs +improvement. +U – UNSATISFACTORY: +The employee has failed to meet expectations +and their performance of the duties and +responsibilities of their position needs +improvement. +Every interim and annual evaluation must result in a mark for +each appropriate item on the evaluation form. In any area where +the supervisor indicates a need for improvement, they will +provide the employee with a written prescription within the +evaluation document. The diagnosis and subsequent +prescription should be fully descriptive and instructive, +suggesting specific remedies or recommendations for adoption +by the employee. The employee may suggest additional or +alternative prescriptions. +V. PERFORMANCE MANAGEMENT PROCESS +The performance of employees represented by the Guild +bargaining unit is evaluated annually. The evaluation year is from +July 1 to June 30 for each employee. +Performance evaluation activities may include, but are not +limited to, preliminary planning conferences, daily observations, +notations, formal interim evaluations, follow-up conferences, and +recommendations to the employee by the evaluator. +During the entire evaluation process, continuous administrative +assistance, support, and encouragement should be extended to +assist the employee in meeting established objectives. + + +Page 5: +Superintendent’s Circular HRS-PM03 +Page 5 of 21 + +STEP 1 – PRELIMINARY PROCEDURES +At the beginning of each evaluation year, the head of school, +principal, or other administrative head should meet with their +supervisory staff to orient them to the performance evaluation +process and to their roles and responsibilities within that process +for the upcoming year. Guild members will be evaluated by their +most direct supervisor or designee who is not a member of the +Guild bargaining unit. +For all new employees or after a change in supervision, the +evaluator must meet with the employee no later than 30 days +after the start of the evaluation year to discuss and explain the +evaluation process, the evaluation instrument, and to clarify the +responsibilities and objectives of the position. +The evaluator and the Guild member will sign the evaluation +instrument indicating the date of such meeting. +STEP 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS +NEEDED) +If at any time, including at the interim evaluation meeting (see +step 3), a supervisor finds that an employee needs major +improvement in their job performance or in accomplishing any +goal, the supervisor will prepare a written diagnosis of the +situation, recommendations for improvement, and will share this +feedback with the employee within a reasonable amount of time. +STEP 3 – INTERIM EVALUATION PROCEDURES +All new employees or employees under new supervision should +receive an interim evaluation no later than November 15, if +reasonably possible. All other employees will be evaluated a +minimum of one time during the school year. However, to +receive a rating of “Unsatisfactory” in any category on an annual + + +Page 6: +Superintendent’s Circular HRS-PM03 +Page 6 of 21 + +evaluation, an interim evaluation must have been previously +conducted. +If an interim evaluation includes a rating(s) of Unsatisfactory +and/or Needs Improvement in any category, then the supervisor +will communicate in writing the reasons for the rating(s) of +Unsatisfactory and/or Needs Improvement within the evaluation +form and provide prescriptions for improvement. A follow-up +evaluation or evaluations for an interim overall unsatisfactory +evaluation must be done after a minimum of 20 school days and +no later than 50 school days from the last evaluation during +which a member is present. All initial “Unsatisfactory” interim +evaluations should have a follow-up evaluation no less than 20 +school days during which the employee is present. +The same form is used for interim and annual evaluations. +STEP 4 – POST INTERIM MEETING EVALUATION CONFERENCE +Within ten (10) working days in which the employee is present +following the completion of an interim evaluation document, the +evaluator will meet with the employee to discuss the evaluation. +During this conference, the evaluation and a copy of it will be +provided to the employee, who will sign both the original and the +copy to indicate that they have seen and acknowledged it, but +not to indicate agreement or disagreement with its contents. The +supervisor must retain the signed copy. The employee has a right +to attach a written response to the evaluation. +If an employee receives a mark of Needs Improvement or +Unsatisfactory on any item on their performance evaluation form, +the principal, head of school, or other administrative head must +immediately submit this evaluation form to the Office of Human +Resources. + + +Page 7: +Superintendent’s Circular HRS-PM03 +Page 7 of 21 + +Interim evaluations will not be placed in the employee’s +permanent file. +STEP 5 – ANNUAL EVALUATION PROCEDURES +Annual evaluations must be completed no later than June 1 of +each year. +If an evaluation includes a rating(s) of Unsatisfactory and/or +Needs Improvement in any category, then the supervisor will +communicate in writing the reasons for the rating(s) of +Unsatisfactory and/or Needs Improvement within the evaluation +form and provide prescriptions for improvement. However, to +receive a rating of “Unsatisfactory” in any category on an annual +evaluation, an interim evaluation must have been previously +conducted. If an employee received a Needs Improvement or +Unsatisfactory rating on any item on the form, the Principal, +Head of School, other Administrative Head must immediately +submit this evaluation form to The Office of Human Resources. +STEP 6 – POST ANNUAL EVALUATION CONFERENCE +Within ten (10) working days in which the employee is present +following the completion of any evaluation document, the +evaluator will meet with the employee to discuss the evaluation. +During this conference, the evaluation and a copy of it will be +provided to the employee, who will sign both the original and the +copy to indicate that they have seen and acknowledged it, but +not to indicate agreement or disagreement with its contents. The +employee has the right to attach a written response to the +evaluation form. +If an employee receives an annual overall Unsatisfactory +evaluation, the supervisor may initiate termination by +recommending to the Superintendent that such employee be + + +Page 8: +Superintendent’s Circular HRS-PM03 +Page 8 of 21 + +terminated. +STEP 7 – SUBMIT PERFORMANCE EVALUATION FORMS TO THE +OFFICE OF HUMAN RESOURCES +At the end of each evaluation year, the principal, head of school, +or other administrative head should retain the copies of all +evaluations and send/deliver the originals of all evaluations to the +Office of Human Resources front desk. If the performance +evaluation is overall Unsatisfactory, a copy should also be sent to +the director of evaluation and performance management, Office +of Human Resources. +Note: An employee with an “Unsatisfactory” performance +evaluation has no bidding rights until that employee receives a +subsequent “satisfactory” performance evaluation. For the +purposes of this section, an “Unsatisfactory” evaluation means an +unsatisfactory rating in any two areas on an interim or annual +evaluation. +VI. PROCEDURES FOR DISCIPLINE +If a principal, head of school, or other administrative head +determines that an employee has committed an infraction of +work rules such as excessive tardiness, absences, etc., the +supervisor should follow the procedures outlined in the +Superintendent's Circular on Employee Discipline Procedures. +Additionally, the supervisor should consider the infraction in +evaluating the employee's overall performance. + + + + +Page 9: +Superintendent’s Circular HRS-PM03 +Page 9 of 21 + +VII. FORMS +The Performance Evaluation Form for Members of the +Administrative Guild is attached. +Summary of significant dates and deadlines: +DATE +ACTIVITY +Within the first 30 days +of Evaluation Year +For new employees/employees under +new supervision only: Review job +description and evaluation instrument. +Sign cover page to acknowledge +meeting. +No later than +November 15 +For new employees/employees under +new supervision only: Complete first +Interim Evaluation +June 15 +Deadline to send signed, original +copies of evaluations to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: OHC Front Desk +2300 Washington Street, 4th floor +Roxbury, Massachusetts 02119 +July 1 to June 30 +The evaluation year of an +Administrative Guild employee + + + + + + + + + + + + +Page 10: +Superintendent’s Circular HRS-PM03 +Page 10 of 21 + + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 11: +Superintendent’s Circular HRS-PM03 + +Page 11 of 21 + +BOSTON PUBLIC SCHOOLS ADMINISTRATIVE GUILD +PERFORMANCE EVALUATION FORM +Name: _________________________________Employee ID: ____________ +Current Position and Grade: ___________________ Date: ____________ +Permanent Position and Grade: __________________________________ +Department/School: _____________________________________________ +Evaluator: ________________________________________________________ +Check One: Interim Evaluation: ☐ Annual Evaluation: ☐ +Evaluator's Signature: _________________________ Date: +_____________ +Employee's Signature: _________________________ Date: ____________ +The employee's signature indicates that they have seen and +discussed the evaluation. It does not denote agreement with it. +Evaluator's Supervisor +Signature: ____________________________________ Date: _____________ +Initial Pre-Evaluation Conference: + Evaluator’s Signature:__________________________Date:____________ + +Employee’s Signature___________________________Date: + + + + + +Page 12: +Superintendent’s Circular HRS-PM03 +Page 12 of 21 + +Review the employee’s job description and then complete the +form. The following scale will be used for ranking performance: +E - EXEMPLARY +The employee’s performance of the +duties and responsibilities of their +position exceeds expectations. +P - PROFICIENT +The employee’s performance of the +duties and responsibilities of their +position meets expectations. +N - NEEDS +IMPROVEMENT +The employee’s performance of the +duties and responsibilities of their +position needs improvement. +U - UNSATISFACTORY +The employee has failed to meet +expectations and their performance of +the duties and responsibilities of their +position needs improvement. +The evaluator will circle the letter that applies, or if the form is +being completed electronically, the evaluator should underline or +bold the letter that applies. Any rating of "U" or “N” must be +accompanied by a supporting diagnosis and prescription. The +evaluator may add comments to ratings of "P" and "E" at their +discretion. + + + + + + +Page 13: +Superintendent’s Circular HRS-PM03 +Page 13 of 21 + +Performance Ratings (see Performance Standards descriptions +below): +(Place an X in the appropriate box for each +standard and overall) +E +P +N +U +Standard I: Job Functions + + + + +Standard II: Collaboration and Initiative + + + + +Standard III: Communication + + + + +Standard IV: Professionalism and Growth + + + + +Overall Rating + + + + + +Supervisor's Comments +1. How long has this employee been under your supervision? + +2. General comments, significant other achievements, +appraisal of potentialities. + + + + + + +Page 14: +Superintendent’s Circular HRS-PM03 +Page 14 of 21 + +3. This diagnosis and prescription section must be completed +for each category evaluated as U – Unsatisfactory. Identify +the item number, the observable need for improvement, the +recommendation, and the target date for improvement. + + + + + +Employee's Comments: + + +Page 15: +Superintendent’s Circular HRS-PM03 + +Page 15 of 21 + +ADMINISTRATIVE GUILD PERFORMANCE STANDARDS +Standard I: Job Functions. The employee effectively supports the district's and department/school’s +mission through demonstrated job-specific skills, knowledge, and quality of work after proper +instruction. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +I-A. Skills and +knowledge +Demonstrates a +critical lack of +necessary skills +and knowledge +to perform one's +own job, +including the +ability to +effectively use +relevant, position +specific +technology. +Demonstrates +some, but not all, of +the necessary skills +and knowledge to +perform the +employee's own job, +including the ability +to effectively use +relevant position +specific technology. +Has the necessary +technical skills and +knowledge to +perform the +employee's own job, +including the ability +to effectively use +relevant position +specific technology. +Demonstrates +proficiency AND +serves as a resource +for other employees +in similar or related +positions. + + + +Page 16: +Superintendent’s Circular HRS-PM03 +Page 16 of 21 + +I-B. Quality of +Work +Demonstrates +effectiveness at +few to none of +the +responsibilities +defined in the +employee's job +description. +Demonstrates +effectiveness at +some, but not all, of +the responsibilities +defined in the +employee's job +description. +Accurately, +competently, and in a +timely manner +performs assigned +tasks as set forth in +the job description. +Demonstrates +proficiency AND +makes significant or +noteworthy +contributions +towards helping +accomplish the +school/department +goals. + + + + + + + + + + +Page 17: +Superintendent’s Circular HRS-PM03 +Page 17 of 21 + +Standard II: Collaboration and Initiative. The employee supports the district's and the +department/school’s mission and goals by cultivating a shared vision, modeling responsibility, +accountability, and cooperation. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +II-A. +Teamwork +Demonstrates a +pattern of refusal +to support +supervisor and +others as +identified in the +job description. +Demonstrates +limited accuracy +and support of +supervisor and +others as identified +in the job +description when +asked. +Establishes and +maintains +relationships that +promote the +advancement of +common goals by +providing accurate +and reliable support. +Demonstrates +proficiency +AND takes initiative +to identify and act +upon new +opportunities to +support +school/department +missions. +II-B. +Motivation and +Initiative +Requires direct +intervention and +continual +oversight from +supervisor to +Requires increased +oversight or +reminders for +routine duties +despite receiving +Accomplishes work +after proper +instruction; seeks +clarification when +needed performs +Demonstrates +proficiency AND +recommends +solutions, as well as +takes initiative on + + +Page 18: +Superintendent’s Circular HRS-PM03 +Page 18 of 21 + +perform the +duties outlined +in job +description. +standard support. +tasks in anticipation +of or extraneous to +normal +responsibilities, +effectively copes with +the unexpected. +starting new tasks +and projects, as +appropriate, to +support district and +school/department +goals. + +Standard III: Communication. Communicates effectively, professionally and with a customer-focused +approach; speaking or writing originated by a Guild member. Cultural Proficiency: Actively creates +and maintains an environment in which students and staff of diverse backgrounds, identities, +strengths, and challenges are respected +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +III-A. Effective +Written and +Oral +Communicatio +n +Demonstrates a +pattern of +ineffectual +written, oral, and +interpersonal +communication. +Written, oral and +interpersonal +communication +occasionally lacks +clarity, timeliness, +courtesy, or +All written, oral, and +interpersonal +communication +produced is accurate, +clear, concise, +courteous, and timely. +Demonstrates +proficiency AND +models effective +public demeanor +and/or participation +skills. + + +Page 19: +Superintendent’s Circular HRS-PM03 +Page 19 of 21 + +precision. +III-B. +Culturally +Proficient +Communicatio +n +Demonstrates a +pattern of failure +to ensure +communications +are always +respectful and +demonstrate +understanding of +and sensitivity to +cultural and +other +differences. +Demonstrates +inconsistency in +ensuring all +communication is +respectful and +demonstrates an +understanding and +sensitivity to +cultural and other +differences. +Ensures that all +communication is +consistently +respectful and +demonstrates an +understanding of and +sensitivity to different +languages, cultures +and values +represented. +Demonstrates +proficiency AND +serves as a +model/resource for +staff regarding +culturally proficient +communication. + + + + + + +Page 20: +Superintendent’s Circular HRS-PM03 +Page 20 of 21 + +Standard IV: Professionalism and Growth. The employee's conduct reflects good judgment and high +standards of performance, behavior, and a willingness to grow through ongoing professional +learning. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +IV-A. +Professional +Judgment +Demonstrates +poor judgment +and/or discloses +confidential +information +inappropriately. +Occasionally +demonstrates +questionable +judgment and +sharing of +confidential +information. +Demonstrates sound +judgment reflecting +integrity, honesty, +fairness, and +trustworthiness and +protects +confidentiality +appropriately. +Demonstrates +proficiency AND +serves as a model for +others regarding +professional +judgment. +IV-B. +Attendance +and +Punctuality +Demonstrates a +pattern of +problematic +behavior +regarding +punctuality, +Exhibits some +notable challenges +with punctuality, +attendance, or +giving notice of +time off. +Is punctual; follows +attendance policy +notice requirements. +Demonstrates +proficiency AND +ensures that vacation +and personal leave is +taken at a time that +minimally impacts + + +Page 21: +Superintendent’s Circular HRS-PM03 +Page 21 of 21 + +attendance or +giving notice of +time off. +the functioning of +the department +and/or school. +IV-C. +Feedback and +Growth +Demonstrates +resistance to +feedback related +to performance +and/or fails to +use feedback to +improve +performance. +Has notable +difficulty receiving +feedback related to +performance and/or +using feedback to +improve +performance. +Responds receptively +and constructively to +feedback related to +performance and +uses feedback to +improve +performance. +Demonstrates +proficiency AND +models the use of +feedback to +personally improve. + + + diff --git a/data/data_txt/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.txt b/data/data_txt/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.txt new file mode 100644 index 0000000..008a0cb --- /dev/null +++ b/data/data_txt/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.txt @@ -0,0 +1,292 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM04 +Version 01 + +PERFORMANCE EVALUATION OF NON-DESE- +LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE +ADMINISTRATORS AND OTHER BTU PROFESSIONALS + +Below is the evaluation instrument for BTU employees in roles +which do not require licensure by the Massachusetts Department +of Elementary and Secondary Education, in accordance with 603 +CMR 35.00, et seq, or where otherwise agreed upon by BPS and +BTU. +Summary of significant dates and deadlines: +Date +Activity +June 1 +Deadline for completion of annual +evaluations. +June 15 +Deadline for signed, original copies of +evaluation form (below/attached) to be +submitted to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: OHC Front Desk +2300 Washington Street, 4th floor +Roxbury, MA 02119 +July 1 to June 30 +The evaluation year of non-DESE- +licensed BTU Employees. + + + + +Page 2: +Superintendent’s Circular HRS-PM04 +Page 2 of 8 + +For more information about this circular, contact: +Name: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 3: +Superintendent’s Circular HRS-PM04 +Page 3 of 8 + + +BOSTON PUBLIC SCHOOLS PERFORMANCE EVALUATION FORM +NON-DESE-LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE +ADMINISTRATORS AND OTHER BTU PROFESSIONALS +Name of Employee ________________________ Empl No. ___________ +Position _______________________________ Dept./Level + +Evaluator ________________________________ Prior Rating + +Check One: +Interim + + +Year end + +The administrator/professional will be rated on each standard +within the various categories. There are two possible ratings: +Satisfactory (S): The performance of the administrator/ +professional meets the standards and expectations of the school +department. +Unsatisfactory (U): The administrator/professional fails to meet +the standards and their performance, as measured against these +standards, is unsatisfactory. +The evaluator will place a check or an X in the box under the +rating that describes the administrator/professional’s +performance on that standard. Any rating of “Unsatisfactory” +must be accompanied by a description of the problem and +prescription for improvement on the attached sheet. In the event +a particular standard does not apply, record “NA” for not +applicable. An overall evaluation of “Unsatisfactory” or +“Satisfactory” must be given and recorded below. + + + +Page 4: +Superintendent’s Circular HRS-PM04 +Page 4 of 8 + +Overall Rating: +Satisfactory +Unsatisfactory +Signature of Evaluator_______________________Date ____ /____/ + +Signature of Employee _______________________Date ____/____/____ +The employee's signature indicates that they have received the +evaluation and acknowledges it will be placed in their personnel +file, but it does not denote agreement with its contents. + +1. INSTRUCTIONAL LEADERSHIP ROLE +S +U +Develop plans for the effective delivery of services. + + +Monitors the quality and/or quantity of services provided. + + +Assesses operations and recommends or makes changes as +necessary. + + +Completes all required reports thoroughly, clearly, accurately, +and on time. + + +Works cooperatively with Central Office, Cluster Office, and +school personnel + + +Collaborates with external agencies as necessary. + + +Communicates, implements, and monitors compliance with +policies and procedures of the School Department and +external agencies as appropriate. + + +Demonstrates sound fiscal judgment in budgetary decisions. + + +Provides staff with leadership, orientation and training as +required. + + +Acts in accordance with prescribed organizational structure. + + +Organizes and coordinates own activities and those of staff. + + +Ensures compliance in area of responsibility with policies, +procedures, and contractual obligations of the School + + + + +Page 5: +Superintendent’s Circular HRS-PM04 +Page 5 of 8 + +Department, and all legal mandates. +Demonstrates ability to analyze and use information in +decision-making process. + + +Explains performance standards, duties and responsibilities +and evaluates staff in accordance with School Department +policies. + + + +Maintains all appropriate records required for the operation of +the unit. + + +Exercises sound judgment in the performance of one’s duties + + +Exercises sound judgment in the performance of one’s duties. + + +Communicates accurately and effectively. + + +2. PROFESSIONAL ROLE + +S +U +Carries out responsibilities in a professional manner. + + +Maintains regular attendance and punctuality. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Utilizes appropriate resources to effectively carry out +professional responsibilities. + + +Demonstrates receptivity to constructive suggestions related to +professional role and responds appropriately. + + +Maintains professional demeanor. + + +Performs additional job-related tasks and functions assigned to +them. + + + + + +Page 6: +Superintendent’s Circular HRS-PM04 +Page 6 of 8 + +List additional mutually agreed upon standards or objectives, if +any. + + + + + +Page 7: +Superintendent’s Circular HRS-PM04 +Page 7 of 8 + +NOTES OF OBSERVATION +(Use additional pages if necessary) + + + + + + + +______________________________________________________________________ +DESCRIPTION OF THE PROBLEM AND PRESCRIPTION FOR +IMPROVEMENT +(Use additional pages if necessary) + +1. Description of the problem: + +Prescription: + + +2. Description of the problem: + +Prescription: + + +3. Description of the problem: + + +Page 8: +Superintendent’s Circular HRS-PM04 +Page 8 of 8 + + +Prescription: + + +General Comments (use additional pages if necessary): + + + + + + + + +Employee’s Comments (use additional pages if necessary): + + + diff --git a/data/data_txt/HRS-PM05 Performance Evaluation of Lunch Monitors.txt b/data/data_txt/HRS-PM05 Performance Evaluation of Lunch Monitors.txt new file mode 100644 index 0000000..627dac0 --- /dev/null +++ b/data/data_txt/HRS-PM05 Performance Evaluation of Lunch Monitors.txt @@ -0,0 +1,335 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM05 +Version 01 + +PERFORMANCE EVALUATION OF MEMBERS OF THE +LUNCH HOUR MONITORS ASSOCIATION +The contract between the School Committee and the Lunch +Monitors Association provides for both annual and interim +evaluations of the performance of all employees represented by +the Association. The evaluation process relates to the duties and +responsibilities of the employee’s position, as set forth in the +employee’s job description. +I. +ROLES AND RESPONSIBILITIES +The principal/head or school or assistant principal shall be +responsible for the evaluation of the performance of all lunch +hour monitors. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. +Further, a supervisor will also be performing unsatisfactorily if an +underperforming staff member is given a satisfactory rating and +then encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +At the end of each evaluation year, the Evaluator should retain +copies of all evaluations and send the originals of all evaluations + + +Page 2: +Superintendent’s Circular HRS-PM05 +Page 2 of 10 + +to the Office of Human Resources. +II. +EVALUATION +Preliminary Procedures +At a reasonable time period after the start of the school year, the +principal/assistant principal shall meet with the lunch hour +monitors for the purpose of explaining the evaluation program +and answering questions. The evaluation instrument will be +reviewed during this meeting. +After the evaluation has been presented to the employee, the +signed evaluation form must be submitted to the Office of +Human Resources. +Interim Evaluations +All lunch hour monitors shall receive an Interim evaluation at +least once, or as required for the efficient running of the school. +All interim evaluations should be conducted no earlier than +February 1st each year. +Annual Evaluations +Annual evaluations must be completed no later than the last day +of school each year. +Evaluation Completion +Every interim and annual evaluation must result in a mark for +each appropriate item on the evaluation form. In any area where +the supervisor indicates a need for improvement, they will +provide the evaluee with a written prescription. The diagnosis +and subsequent prescription should be fully descriptive and + + +Page 3: +Superintendent’s Circular HRS-PM05 +Page 3 of 10 + +instructive, suggesting specific remedies or recommendations +for adoption by the evaluee. +Evaluation Conference +Within ten (10) school days following the completion of an +evaluation, the evaluator shall meet with the evaluee for the +purpose of discussing the evaluation. At this meeting, the +evaluee will be shown their written evaluation and will sign it to +indicate having seen it and to acknowledge that it will be placed +in their personnel file, but not to indicate agreement or +disagreement with the evaluation results. +A copy of the evaluation shall be provided to the evaluee. The +evaluee will be allowed to attach their comments to the +evaluation. An evaluee whose overall performance has been +judged unsatisfactory shall be notified in writing and shall meet +directly with the evaluator.1 +III. RATINGS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. There are three possible +ratings: + +E - EXCELLENT: +The employee’s performance of the duties and +responsibilities of their position exceeds + +1 See Section V: Procedures for Unsatisfactory Evaluations for +more information on this process. + + +Page 4: +Superintendent’s Circular HRS-PM05 +Page 4 of 10 + +expectations. +S - SATISFACTORY: +The employee’s performance of the duties and +responsibilities of their position meets expectations. +U - UNSATISFACTORY: The employee has failed to meet expectations and +their performance of the duties and responsibilities of +their position needs improvement. +IV. PROCEDURES FOR UNSATISFACTORY EVALUATIONS +If an evaluee receives an annual overall Unsatisfactory evaluation, +plus an interim Unsatisfactory evaluation, the supervisor may +initiate termination by recommending to the Superintendent +that such employee be terminated. +If the first evaluation is Unsatisfactory, it will be followed by a +second evaluation no less than twenty-five (25) days in which the +lunch monitor is present and no more than fifty (50) days in +which the lunch monitor is present. +If the second evaluation is Unsatisfactory, the lunch monitor will +be given ten (10) school days to improve their performance. +During these ten (10) school days following the second +evaluation, the evaluator must informally evaluate the lunch +monitor, but is not required to formally observe the employee or +make any record of this evaluation. +Should the lunch monitor’s performance not improve within the +ten (10) days following an Unsatisfactory second evaluation, the +monitor may be recommended for dismissal to the +superintendent. + + +Page 5: +Superintendent’s Circular HRS-PM05 +Page 5 of 10 + + +V. PROCEDURES FOR DISCIPLINE +If an Evaluator determines that an employee has committed an +infraction of work rules such as excessive tardiness, absences, +etc., the supervisor should follow the procedures outlined in the +Superintendent's Circular on Employee Discipline Procedures.2 +Additionally, the supervisor should consider the infraction in +evaluating the evaluee’s overall performance. + + + +2 Also refer to Superintendent Circular (HRS-PP10) Employee +Discipline Procedures. at this link: +www.bostonpublicschools.org/domain/1884 + + + +Page 6: +Superintendent’s Circular HRS-PM05 +Page 6 of 10 + +VI. Summary of significant dates and deadlines: +Date +Activity +Shortly after the start of a +school year +Review job description and evaluation instrument. +Sign cover page to acknowledge meeting +No later than Feb. 1 +Complete first Interim evaluation; to be conducted +no earlier than 15 school days after the start of the +school year. +No later than the last day of +school +Deadline to complete annual evaluation. Send +signed, original copies of evaluations to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: HRFront Desk +2300 Washington Street, 4th floor +Roxbury, MA 02119 + + + + + + + +Page 7: +Superintendent’s Circular HRS-PM05 +Page 7 of 10 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA 02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 8: +Superintendent’s Circular HRS-PM05 +Page 8 of 10 + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FOR LUNCH HOUR MONITORS +Name _______________________________ Empl ID# + +School ___________________________________________________________ +Evaluator ________________________________________________________ + +Permanent + +Provisional + +Substitute + +Last Overall Rating ______ + E= Excellent S= Satisfactory U= Unsatisfactory + + +Evaluation procedure and form reviewed on (Date): ______________ +Acknowledged (Evaluator): ______________________________________ +Acknowledged (Lunch Monitor): _________________________________ +Category (check the applicable rating box for each +category) +E +S +U +Maintains safety and order during lunch and recess. + + + +Maintains appropriate schedule for lunch and recess. + + + +Performs ordinary school tasks as directed and performs the work +accurately. + + + + + +Page 9: +Superintendent’s Circular HRS-PM05 +Page 9 of 10 + +Category (check the applicable rating box for each +category) +E +S +U +Comes to work on time and maintains good attendance. + + + +Works productively during all scheduled work hours and continues +work in the absence of supervision. + + + +Knows the work and organizes appropriately. + + + +Uses good judgment. + + + +Abides by rules and regulations and complies with oral and written +instructions. + + + +Communicates effectively and in a constructive way with students +and the school's staff. + + + +Works harmoniously with others and maintains a high level of +professionalism. + + + +Treats students with respect, fairness, and consistency. + + + +Accepts constructive criticism. + + + +Overall Rating: + + + + +_______________________________________________ _________________ + +Evaluator’s Signature +Date + +_______________________________________________ _________________ + +Lunch Hour Monitor’s Signature +Date + +Evaluator’s Comments: + + + +Page 10: +Superintendent’s Circular HRS-PM05 +Page 10 of 10 + + + + + + + + + + + +Evaluee’s Comments: + + diff --git a/data/data_txt/HRS-PM06 Performance Evaluation of Managerial Employees.txt b/data/data_txt/HRS-PM06 Performance Evaluation of Managerial Employees.txt new file mode 100644 index 0000000..0a1d85d --- /dev/null +++ b/data/data_txt/HRS-PM06 Performance Evaluation of Managerial Employees.txt @@ -0,0 +1,326 @@ +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM06 +Version 01 + +PERFORMANCE EVALUATION OF MANAGERIAL EMPLOYEES + +TABLE OF CONTENTS +Document Purpose +Purpose of Performance Management +Evaluation Process Overview +The Five-Step Process +Step 1: Self-Assessment +Step 2: Analysis, Goal-Setting, and Analysis +Step 3: Implementation of the Plan +Step 4: Formative Assessment (Optional) +Step 5: Summative Evaluation (June 1) + +Evaluation Platform and Documentation +Timeline and Tools +Appendix A: The Core Competencies +Appendix B: Rating Levels +DOCUMENT PURPOSE +This document describes the performance management and +evaluation process for managerial employees of Boston Public +Schools (BPS), both Central Office and school-based. The + + +Page 2: +Superintendent’s Circular HRS-PM06 +Page 2 of 10 + +purpose of this document is to provide clarity to employees and +supervisors, as well as templates and tools for use during the +process. This document was created as part of a cross- +departmental working group on central office performance +management. + +PURPOSE OF PERFORMANCE MANAGEMENT +BPS students are the citizens, leaders, scholars, entrepreneurs, +advocates, and innovators of tomorrow. As a district, we must +ensure that 100 percent of our students are prepared for college, +career, and life in the 21st century. We must model the district on +the classroom we want to see. We have established a system of +performance management to affirm the ideal that everyone, +from students to the superintendent, must have sufficient +resources, information, and support to achieve efficacy in their +endeavors. +The fundamental purpose of performance management in the +BPS Central Office is to maximize the productivity and impact of +our employees by enabling them to perform at their fullest +potential. Our approach is designed to provide high-quality +support to schools, students, and families in BPS to ensure our +graduates are college, career, and life ready. To do so, our +performance management system will: +1. Establish a consistent set of competencies to clearly set and +communicate expectations for employee performance +2. Align employee efforts with department and organizational +goals +3. Create systems and structures that gather and monitor +performance in order to support employee feedback, +growth, and development + + +Page 3: +Superintendent’s Circular HRS-PM06 +Page 3 of 10 + +4. Identify areas of strength to leverage for increased impact, +and areas of growth for providing targeted support +5. Provide accountability for individuals and enable them to +see their contribution to and progress toward organizational +goals +6. Connect employee performance to incentives, recognition, +professional growth, and retention efforts. +EVALUATION PROCESS OVERVIEW +The criteria for effective practice for Central Office managerial +employees are identified in the Core Competencies, which +defines six categories: +1. Results Orientation +2. Collaboration and Communication +3. Job Knowledge and Skills +4. Cultural Competency & Equitable Practices +5. Responsiveness and Service Focus +6. Leadership [for staff members supervising people or +projects] +See Appendix A for greater detail on the set of core +competencies. +Evaluations will result in ratings on an employee’s goals, on the +six Core Competencies, and on overall performance, which will be +based on the supervisor’s judgment of performance against the +standards and progress toward goals. Progress toward goals will +be rated as Goal Achieved, Goal Significantly Met, Active Goal, +Goal Not Met, and Goal Deferred. Greater details on these rating +levels can be found in Appendix B. +The five levels of performance, which apply to performance on +each competency and the Overall performance rating shall be: + + +Page 4: +Superintendent’s Circular HRS-PM06 +Page 4 of 10 + +“Highly Effective”, “Effective”, “Developing,” “Minimally Effective,” +and “Ineffective.” Greater details on these rating levels can be +found in Appendix B. +THE FIVE-STEP PROCESS +Based on best practices in performance evaluation, BPS has +adopted a five-step process for evaluation. This process should be +followed each year by employees and supervisors. +Five-Step Process Overview + +STEP 1: Self-Assessment (by September 1) +Employee reviews available evidence of work performance, prior +feedback and evaluations, and the Core Competencies to +determine areas of strength and areas for further growth. The +Self-Assessment is used to inform the employee’s goals and +action plan for the upcoming year. +STEP 2: Analysis, Goal-Setting, and Analysis (by October 1) +Based on the employee’s self-assessment, job description, +individual aspiration, and school/department goals, the employee +and supervisor establish 2-4 goals, related to professional + + +Page 5: +Superintendent’s Circular HRS-PM06 +Page 5 of 10 + +practice or performance: +● A professional practice goal relates to an identified skill or +set of knowledge that an employee wants to develop or +improve. When developing a professional practice goal, +employees and supervisors should both look at past +performance and feedback, as well as the employee’s +professional/career aspirations. Professional practice goals +should align to one or more of the Core Competencies +● A performance goal is a measurable target or outcome +related to an employee’s work. Goals should align with an +employee’s team and/or departmental goal(s). +STEP 3: Implementation of the Plan (Ongoing) +The employee performs job duties and responsibilities, +implements the action steps toward goals, submits evidence +supporting proficiency, and meets with their supervisor to +receive and discuss feedback. The supervisor collects and reviews +evidence, provides ongoing, timely, clear, and actionable +feedback, and meets with the employee to give and discuss +feedback, including recommendations for improvement, if +applicable. +STEP 4: Formative Assessment (Optional or By February 1) +Each employee should receive a Formative Assessment to +provide the employee with written feedback on their +performance against the Core Competencies and their progress +toward goals. Typically, the formative will occur midway through +the assessment year, though it may take place at other times for +individuals in need of additional support. +Professional Development Plans are implemented when an + + +Page 6: +Superintendent’s Circular HRS-PM06 +Page 6 of 10 + +employee’s performance is rated Minimally Effective under one +or more competencies, or overall. They are meant to include +increased supervision and support for improvement in specific +areas identified by the supervisor. +Performance Improvement Plans (PIPs) are implemented when +an employee’s performance is rated Ineffective under one or +more competencies, or overall. They are more highly directed +plans that are typically followed by another evaluation and may +result in employment action if performance is not sufficiently +improved. +STEP 5: Summative Evaluation (June 1) +Each employee shall receive a Summative Evaluation to provide +the employee with written feedback and ratings of their +performance and progress toward goals. + +EVALUATION PLATFORM AND DOCUMENTATION +Managerial employee performance evaluations and related +documentation are generated and stored in the BPS online +performance management platform, VectorEvals. Employees +and supervisors will receive training in accessing, navigating, and +using the platform prior to the start of their evaluation cycle. +Training modules will be available in an online, on-demand +format to employees and supervisors for reference, as well. + + + + +Page 7: +Superintendent’s Circular HRS-PM06 +Page 7 of 10 + +TIMELINE +Date +Activity +July - August +● Office, team, and individual goal-setting begins +● Supervisors review of standards and expectations with employees +September 1 +● Employee Self-Assessments due +● Employee Goals & Action Plans draft due +October 1 +● Finalized Employee Goals & Action Plans due +Ongoing +● Employee check-ins, at the discretion of supervisor +● Provide feedback (verbal and written) to employees on progress toward +goals, observed performance, and work products/artifacts. +● Implementation also includes peer feedback. +January +● Formative Assessment meetings with employees (Optional) +February 1 +● Formative Assessments finalized and submitted (Optional) +May 21 - 25 +● Last day to submit artifacts for review prior to Summative Evaluation +June 1 +● Summative Evaluations finalized and submitted + +APPENDIX A: CORE COMPETENCIES (LINK TO SEPARATE +DOCUMENT) + + + + +Page 8: +Superintendent’s Circular HRS-PM06 +Page 8 of 10 + +APPENDIX B: OVERALL EFFECTIVENESS LEVELS (BELOW) +Effectiveness +Level +Description +Highly Effective +Performance far exceeded expectations due to exceptionally high +quality of work performed in all essential areas of responsibility, +resulting in an overall quality of work that was superior; and either +included the completion of a major goal or project, or +made an exceptional or unique contribution in support of team, +department, or district objectives. +This level is achievable by any employee though given infrequently +(<10% of employees) +Effective +Performance met expectations in all essential areas of responsibility, +and the quality of work overall was excellent. Annual goals were met. +Developing +Performance consistently met expectations in all essential areas of +responsibility, at times possibly exceeding expectations, and the quality +of work overall was very good. The most critical annual goals were +met. +This level is expected for individuals who are new to the organization +or to a role. +Minimally Effective Performance did not consistently meet expectations – performance +failed to meet expectations in one or more essential areas of +responsibility, and/or one or more of the most critical goals were not +met. A professional development plan (not necessarily a PIP) to +improve performance must be implemented, including timelines, and +monitored to measure progress. +Ineffective +Performance was consistently below expectations in most essential +areas of responsibility, and/or reasonable progress toward critical goals +was not made. Significant improvement is needed in one or more + + +Page 9: +Superintendent’s Circular HRS-PM06 +Page 9 of 10 + +Effectiveness +Level +Description +important areas. A Performance Improvement Plan (PIP) to correct +performance, including timelines, must be outlined and monitored to +measure progress. + +Goal Status Scale +Goal Status +Description +Goal Achieved: +All goal milestones and success measures have been achieved for +100% of goals. +Goal Significantly +Met: +All goal milestones and success measures have been achieved for at +least 85% of goal. +Active Goal: +The goal is still in progress, though some milestones may have been +achieved. +Goal Not Met: +For this goal, some or all milestones and success measures have not +been met. +Goal Deferred: +For timing or organizational reasons, this goal has been deferred. + + + + + + + +Page 10: +Superintendent’s Circular HRS-PM06 +Page 10 of 10 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA 02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.txt b/data/data_txt/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.txt new file mode 100644 index 0000000..0a4cff8 --- /dev/null +++ b/data/data_txt/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.txt @@ -0,0 +1,261 @@ +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM07 +Version 01 + +PERFORMANCE EVALUATION OF CLASSROOM +PARAPROFESSIONALS +EMPLOYEES COVERED BY THIS CIRCULAR: +● Coverage Paraprofessional +● Instructional Paraprofessional +● One-to-One Paraprofessional +● Surround Care Paraprofessional +FORMAL EVALUATION +All staff shall be formally evaluated using standards and +indicators reasonably related to a paraprofessional performance, +with a mark for each standard and an overall rating. Overall +ratings shall be “Exemplary,” “Proficient,” “Needs Improvement,” +and “Unsatisfactory,” and shall be transmitted to +paraprofessionals by the last business day prior to May 15 via the +VectorEvals platform. A paraprofessional may sign the evaluation +digitally only if the paraprofessional does so on a BPS-issued +computer. If the paraprofessional does not have access to a BPS- +issued computer, the form must be printed from VectorEvals for +their signature and then uploaded as a PDF attachment to the +digital form. +Paraprofessionals will generally be evaluated formally every two +years, except as set forth in section (7) of Schedule, Meetings, and +Procedures below. During each school year, each principal/head +of school or their designee will identify approximately one-half of + + +Page 2: +Superintendent’s Circular HRS-PM07 +Page 2 of 8 + +the staff for which that administrator is responsible for evaluating +during that year. The process of identifying the evaluees will be +determined by the responsible administrator. An administrator +may also evaluate a staff member not originally identified if +assistance, supervision, or intervention is deemed appropriate +based on informal observation. +EVALUATORS +1. No supervisor shall supervise or evaluate a relative. +2. the head of school, principal, or other administrative head +outside of the bargaining unit will be responsible for all +evaluations. However, they may be assisted by other +qualified persons (who are not members of the bargaining +unit) designated by the School Department. +SCHEDULE, MEETINGS, AND PROCEDURES +1. At the beginning of each school year, the responsible +building administrator or their designee shall meet with +paraprofessionals for the purpose of explaining the +evaluation program and instrument and answering +questions. The building administrator may be assisted by +other qualified persons designated by the School +Department. Classroom visits may be a combination of +announced and unannounced observations. +For any classroom visit resulting in written feedback +indicating a deficiency in the paraprofessional’s practice, the +responsible supervisor shall provide such written feedback +to the paraprofessional before releasing the next formative +or summative evaluation. +2. If a paraprofessional’s performance results in an overall + + +Page 3: +Superintendent’s Circular HRS-PM07 +Page 3 of 8 + +Formative Evaluation or Summative Evaluation rating of +“Needs Improvement” or “Unsatisfactory,” the evaluation +prescription may contain a requirement that the +paraprofessional take advantage of additional professional +development training or other opportunities offered by or +through the School Department to correct a weakness or +deficiency which caused the less than proficient rating. +Formative refers to evaluations that at a minimum are +twenty (20) school days apart. +Regardless of the rating mark, within ten (10) school days +following the last observation used as the basis of the +evaluation, the responsible building administrator (or +designee) shall meet with the paraprofessional to discuss +the evaluation. At this meeting, the paraprofessional will be +given two (2) copies of the written evaluation, signed, and +dated by the responsible building administrator. +The paraprofessional shall sign and return one (1) copy to +indicate having received it, but not to indicate agreement or +disagreement. No paraprofessional shall be asked to sign an +incomplete evaluation form. Paraprofessionals shall be +allowed to attach their written comments to the evaluation +form. A paraprofessional whose overall performance is +determined less than “Proficient” at any point during the +school year shall be notified in writing and shall meet +directly with the responsible building administrator. + +3. In any area where the responsible building administrator or +their designee indicates a need for improvement, they will +provide the paraprofessional with a written prescription. +The paraprofessional may attach comments to the + + +Page 4: +Superintendent’s Circular HRS-PM07 +Page 4 of 8 + +prescription. +If the paraprofessional continues to need improvement after +allowing adequate time to improve, the responsible +administrator may include a prescription in the evaluation +that the paraprofessional may voluntarily take the +opportunity of additional training or in-service training to +correct a deficiency. +4. If a paraprofessional receives an “Unsatisfactory” on at least +four (4) formative evaluations within a twelve (12) month +period in which the paraprofessional reported to work, or on +at least two (2) formative evaluations plus a summative +evaluation, the principal/head of school may initiate +termination by recommending to the superintendent that +the paraprofessional be terminated. If the superintendent +approves the head of school’s/principal’s recommendation, +the principal/head of school shall notify the paraprofessional +in writing of their intent to dismiss the paraprofessional. The +paraprofessional may then request a meeting with the +principal/head of school to discuss their intent to dismiss. +This request must be made in writing within ten (10) days of +the paraprofessional’s receipt of the intent to dismiss notice. +Overall “Unsatisfactory” evaluation ratings need not occur in +consecutive months. +An overall rating of “Unsatisfactory” on a summative +evaluation must be preceded by a rating of “Unsatisfactory” +on at least two (2) formative evaluations during that school +year. A paraprofessional may be removed from the +classroom, dismissed, or suspended for just cause prior to +the completion of the prescriptive period specified in this +paragraph. + + +Page 5: +Superintendent’s Circular HRS-PM07 +Page 5 of 8 + +5. After each of the first three (3) formative evaluation overall +“Unsatisfactory” ratings that are based in whole or in part +upon classroom performance, the responsible building +administrator shall conduct a follow-up evaluation. This +evaluation shall include observation of classroom +performance and take place no sooner than twenty (20) +school days and no later than fifty (50) school days after the +previous “Unsatisfactory” evaluation. +If an overall formative evaluation “Unsatisfactory” rating is +based upon grounds other than classroom performance, +then the responsible administrator must clearly convey the +reasons in writing to the paraprofessional and follow +prescribed procedures for progressive discipline. +6. A formative or summative evaluation with an overall +“Unsatisfactory” rating shall be maintained as a permanent +part of the employee’s personnel record and may be grieved +and arbitrated. An employee may grieve a summative +evaluation with an overall rating other than “Unsatisfactory” +up to but not beyond the level of the Step 2 hearing officer, +who shall have the authority to rectify the grievance. Any +such grievance shall be dealt with expeditiously. In the +event of a concurrent dismissal, the grievances shall be +merged and treated as a single grievance. + +Notwithstanding the above, disputes concerning the +paraprofessional's rating in any of the individual standards +found within a formative or summative evaluation not +resulting in an overall "Unsatisfactory" rating are neither +grievable nor arbitrable. Similarly, disputes concerning +comments made by the responsible administrator within an + + +Page 6: +Superintendent’s Circular HRS-PM07 +Page 6 of 8 + +observation or formative and summative evaluation are +neither grievable nor arbitrable. +7. The following individuals shall be evaluated annually by the +last business day prior to November 15 if possible: +a. Paraprofessionals who were evaluated during the +previous school year as “Unsatisfactory” overall or in a +particular area. +b. All paraprofessionals who are new to the building. + + + + + +Page 7: +Superintendent’s Circular HRS-PM07 +Page 7 of 8 + +Summary of significant dates and deadlines: +Date +Activity +By the last business day +prior to November 15 +● Evaluation of paraprofessionals who +received an “Unsatisfactory” in their +evaluation from the prior school year. +● Evaluation p who are new to the school +building. +By the last business day +prior to May 15 +● Deadline to submit evaluation on +VectorEvals platform. +A paraprofessional may sign the +evaluation digitally only if the +paraprofessional does so on a BPS- +issued computer. If the +paraprofessional does not, the form +must be printed from VectorEvals for +them to sign and then uploaded as a +PDF attachment to the digital form. +● Evaluation of paraprofessionals due +every 2 years (except for +paraprofessionals new to the building +or who received an “Unsatisfactory” +rating the previous school year). + + + + + +Page 8: +Superintendent’s Circular HRS-PM07 +Page 8 of 8 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +► Click to view a SAMPLE Classroom Paraprofessional +Evaluation Form (PDF). Evaluators should use VectorEvals to +submit their evaluations. + + + + + diff --git a/data/data_txt/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.txt b/data/data_txt/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.txt new file mode 100644 index 0000000..564c7fa --- /dev/null +++ b/data/data_txt/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.txt @@ -0,0 +1,262 @@ +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM07A +Version 01 + +PERFORMANCE EVALUATION OF NON-CLASSROOM +PARAPROFESSIONALS +INCLUDED EMPLOYEES IN THIS CIRCULAR: +● Community Field Coordinator (CFC) +● Health Para +● Library Para +● Physical Ed Para +● Security Para +● Sign Language Interpreter +● Swim Para +● Cota Para +● Family Liaison +FORMAL EVALUATION +All staff shall be formally evaluated using standards and +indicators reasonably related to a paraprofessional performance, +with a mark for each standard and an overall rating. Overall +ratings shall be: “Exemplary,” “Proficient,” “Needs +Improvement,” and “Unsatisfactory,” and shall be transmitted to +Paraprofessionals by the last business day prior to May 15 via the +VectorEvals platform. If the para has access to a BPS-issued +computer, they may sign digitally. If the para does not, the form +must be printed from VectorEvals for them to sign and then +uploaded as a PDF attachment to the digital form. +Paraprofessionals will generally be evaluated formally every two + + +Page 2: +Superintendent’s Circular HRS-PM07A +Page 2 of 8 + +years, except as set forth in section 7 below. During each school +year, each principal/head of school or director will identify +approximately one-half of the staff for which that administrator is +responsible for evaluating during that year. The process of +identifying the evaluees will be determined by the responsible +administrator. An administrator may also evaluate a staff +member not originally identified, if assistance, supervision, or +intervention is deemed appropriate based on informal +observation. +EVALUATORS +1. No supervisor shall supervise or evaluate a relative. +2. The head of school, principal, or other administrative head +outside of the bargaining unit will be responsible for all +evaluations. However, they may be assisted by other +qualified persons (who are not members of the bargaining +unit) designated by the School Department +SCHEDULE, MEETINGS, AND PROCEDURES +1. At the beginning of each school year, the responsible +administrator or their designee shall meet with +Paraprofessionals for the purpose of explaining the +evaluation program and instrument and answering +questions. The building administrator may be assisted by +other qualified persons designated by the School +Department. Classroom visits may be a combination of +announced and unannounced visits. +For any classroom visit resulting in written feedback +indicating a deficiency in the paraprofessional’s practice, the +responsible supervisor shall provide such written feedback + + +Page 3: +Superintendent’s Circular HRS-PM07A +Page 3 of 8 + +to the paraprofessional before releasing the next Formative +or Summative Evaluation. +2. Within ten (10) school days during which the +paraprofessional is present following the last observation to +be used as the basis of the evaluation, regardless of the +rating mark, the responsible administrator or designee shall +meet with the paraprofessional for the purpose of +discussing the evaluation. At this meeting, the +paraprofessional will be given two (2) copies of the written +evaluation, signed, and dated by the responsible +administrator. +The paraprofessional shall sign and return one (1) copy to +indicate having received it, but not to indicate agreement or +disagreement. No paraprofessional shall be asked to sign an +incomplete evaluation form. Paraprofessionals shall be +allowed to attach their written comments to the evaluation +form. A paraprofessional whose overall performance has +been judged as less than proficient at any point during the +school year shall be so notified in writing and shall meet +directly with the responsible administrator. +3. In any area where the responsible administrator or designee +indicates a need for improvement, they will provide the +paraprofessional with a written prescription. The +paraprofessional may attach comments to the prescription. +If a paraprofessional’s performance results in an overall +formative evaluation or summative evaluation rating of +“Needs Improvement” or “Unsatisfactory”, the evaluation +prescription may contain a requirement that a +paraprofessional takes advantage of additional professional + + +Page 4: +Superintendent’s Circular HRS-PM07A +Page 4 of 8 + +development training or other opportunities offered by or +through the School Department to correct a weakness or +deficiency which caused the less than proficient rating. For +purposes of this contract, “formative” means evaluations +that at a minimum are twenty (20) school days apart. +If, after allowing adequate time to improve, the +paraprofessional continues to need improvement, the +responsible administrator may include in the evaluation +prescription that the paraprofessional may voluntarily take +advantage of training or in-service training to correct a +deficiency. +4. If the responsible administrator had adjudged a +paraprofessional’s practice with an overall rating of +“Unsatisfactory” on at least four (4) formative evaluations +within a twelve (12) month period in which the +Paraprofessional reported to work or on at least (2) +formative evaluations plus a summative evaluation, the +responsible administrator may initiate termination by +recommending to the Superintendent that such +paraprofessional be terminated. If the Superintendent +approves the principal’s recommendation, the principal shall +notify the paraprofessional, in writing, of their intent to +dismiss the paraprofessional. The paraprofessional may then +request a meeting with the principal to discuss their intent +to dismiss. This request must be made in writing within ten +(10) days of the paraprofessional’s receipt of the intent to +dismiss notice. Overall “Unsatisfactory” evaluation ratings +need not occur in consecutive months. +An overall rating of “Unsatisfactory” on a summative + + +Page 5: +Superintendent’s Circular HRS-PM07A +Page 5 of 8 + +evaluation rating must be preceded by at least two +formative overall “Unsatisfactory” ratings during that school +year. A paraprofessional may be removed from the +classroom, dismissed, or suspended for just cause prior to +the completion of the prescriptive period specified in this +paragraph. +5. After each of the first three (3) formative evaluation overall +“Unsatisfactory” ratings that are based in whole or in part +upon observed performance, the responsible administrator +shall conduct a follow-up evaluation. This evaluation shall +include observation of performance and take place no +sooner than twenty (20) school days and no later than fifty +(50) school days after the previous “Unsatisfactory” +evaluation. +If an overall formative evaluation “Unsatisfactory” rating is +based upon other than performance, then the responsible +administrator must clearly convey the reasons in writing to +the paraprofessional and follow prescribed procedures for +progressive discipline. +6. A formative or summative evaluation with an overall +“Unsatisfactory” rating shall be maintained as a permanent +part of the employee’s personnel record and may be grieved +and arbitrated. an employee may grieve a summative +evaluation with an overall rating other than “Unsatisfactory” +up to but not beyond the level of the Step 2 hearing officer, +who shall have the authority to rectify the grievance. Any +such grievance shall be dealt with expeditiously. In the +event of a concurrent dismissal, the grievances shall be +merged and treated as a single grievance. + + +Page 6: +Superintendent’s Circular HRS-PM07A +Page 6 of 8 + +Notwithstanding the above, disputes concerning the +paraprofessional's rating in any of the individual standards +found within a formative or summative evaluation not +resulting in an overall "Unsatisfactory" rating are neither +grievable nor arbitrable. Similarly, disputes concerning +comments made by the responsible administrator within an +observation or formative and summative evaluation are +neither grievable nor arbitrable. +7. The following individuals shall be evaluated annually prior to +November 15 if possible: +a. Paraprofessionals who were evaluated during the +previous school year as “Unsatisfactory” overall or in a +particular area. +b. All paraprofessionals who are new to the building. + + + + + +Page 7: +Superintendent’s Circular HRS-PM07A +Page 7 of 8 + +Summary of significant dates and deadlines: +Date +Activity +By the last business day +prior to November 15 +● Evaluation of Paraprofessionals who +received an “Unsatisfactory” in their +evaluation from the prior school year. +● Evaluation of Paraprofessionals who are +new to the school building. +By the last business day +prior to May 15 +● Deadline to submit evaluation on +VectorEvals platform. +* If the para has access to a BPS-issued +computer, they may sign digitally. If +para does not, the form must be +printed from VectorEvals for them to +sign and then uploaded as a PDF +attachment to the digital form. +● Evaluation of paraprofessionals due +every 2 years except for +paraprofessionals new to the building +or who received a “Does Not Meet +Standards” rating the previous school +year. + + + + + +Page 8: +Superintendent’s Circular HRS-PM07A +Page 8 of 8 + +For more information about this circular, contact: + +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +► Click to view a SAMPLE Non-Classroom Paraprofessional +Evaluation Form (PDF). Evaluators should use VectorEvals to +submit their evaluations. + + + diff --git a/data/data_txt/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.txt b/data/data_txt/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.txt new file mode 100644 index 0000000..9906403 --- /dev/null +++ b/data/data_txt/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.txt @@ -0,0 +1,281 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM08 +Version 01 + +2024BUS MONITOR PERFORMANCE EVALUATION +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +According to the collective bargaining agreement between the +Boston School Committee and the United Steelworkers of +America, Local 2936, a principal or head of school (or designee) is +responsible for completing a performance evaluation for each +transportation monitor assigned to the school. This includes both +SPED cab monitors and transportation attendants hired by the +school to ride the regular buses. The purpose of this evaluation is +to assess the performance of monitors assigned to schools. +SPED CAB MONITORS +A performance evaluation form will be sent to principals/heads of +school (or designee) along with a list of monitors who are +assigned to their school. Principals must submit a form for each +of their assigned monitors via email to +bpsdot@bostonpublicschools.org by May 23, 2025 for all assigned +(not standby) bus monitors that monitor their students. Using the +evaluation form, the principal/head of school or designee will +assess the monitor’s performance. To assist school leaders in +completing this form, information about the monitors' duties and +responsibilities is included in this circular. + + + +Page 2: +Superintendent’s Circular HRS-PM08 +Page 2 of 8 + +If you have any questions regarding the evaluation form or +process, please contact the assistant director of the Monitors +Unit, Transportation Department at 617-230-3561. +TRANSPORTATION ATTENDANTS +The principal/head of school of any school with a transportation +attendant assigned to a regular bus must complete (or designate +someone to complete) an evaluation form and send it as a PDF +attachment via email to bpsdot@bostonpublicschools.org and +eval@bostonpublicschools.org by May 23. + +If you have any questions regarding the evaluation form or +process, please contact the Director of Evaluation and +Performance Management, at 617-635-9627. +DUTIES AND RESPONSIBILITIES FOR SPECIAL EDUCATION BUS +MONITORS +Special Education bus monitors have been assigned to monitor +and assist students with special needs while they are being +transported to and from school. Their primary responsibilities +include: +● Boarding the vehicle before or at the same time as the first +monitor-required student on the route and remaining on the +vehicle at all times until every monitor-required student has +reached their stop +● Attending to the special needs of monitor-required students, +although monitors are also responsible for the general +supervision of all students on the vehicle +● Riding with the students in the back of the vehicle and not in +the front seat unless only the front seat is available + + +Page 3: +Superintendent’s Circular HRS-PM08 +Page 3 of 8 + +● Assisting students in and out of the vehicle if necessary. This +includes setting up and collapsing wheelchairs or other +equipment when necessary +● Exhibiting proper behavior at all times +● Ensuring that all students wear seat belts +● Ensuring that students not leave the vehicle anywhere other +than their assigned stops. If a student leaves the vehicle +without authorization, the driver must be instructed to contact +the dispatcher immediately +● Prohibiting the consumption of food or beverages, smoking, or +bringing radios on the vehicle +● Notifying the school to which the monitor is assigned and the +operations coordinator at the yard if the monitor will be absent +from work. Notification must take place by 4:30 am for the +morning or at least two hours prior to the scheduled reporting +time for the afternoon +● Performing other related duties as directed by the supervisors. + +Summary of significant dates and deadlines: +Date +Activity +May 23 +Deadline for principals/heads of school to submit signed copies +as PDF attachments via email to +bpsdot@bostonpublicschools.org and +eval@bostonpublicschools.org. + + + + + +Page 4: +Superintendent’s Circular HRS-PM08 +Page 4 of 8 + +For more information about this circular, contact: +Owner: +Assistant Director of the Monitors Unit +Department: +Transportation Department +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-230-3561 +Fax: +617-635-7705 +Email: +bpsdot@bostonpublicschools.org + + +Name: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 + + +Email +eval@bostonpublicschools.org + + + + + + + + Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular HRS-PM08 +Page 5 of 8 + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +BUS MONITOR – SCHOOL YEAR 2024-2025 + +NAME OF MONITOR _________________________DATE + + +EMPLOYEE # ___________NAME OF SCHOOL + +A.M.______ P.M._______ BUS NUMBER + + +Please review the position overview and complete the form. The +following scale will be used for ranking performance. +U UNSATISFACTORY: The employee has failed to meet +expectations and their performance of the position's duties and +responsibilities needs improvement. +N NEEDS IMPROVEMENT: The employee’s performance of this +position’s duties and responsibilities needs improvement. +S MEETS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities meets expectations. +E EXCEEDS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities exceeds expectations. + +Quality of Work: performs assigned tasks as per job +description accurately and competently. +U N S E +Skills and Knowledge: demonstrates level of skill and +knowledge required to do the job. +U N S E +Attendance and Punctuality: is punctual, gives notice +of sick, personal, and other leave. +U N S E + + +Page 6: +Superintendent’s Circular HRS-PM08 +Page 6 of 8 + +Professional Demeanor: maintains professional +demeanor, is tactful, cooperative, and courteous to +people at all levels of the School Department and +the public. +U N S E + +Recommendations/Comments: + + +_____________________________________________ + + +Evaluator’s Signature +Date +_____________________________________________ + + +Principal/Head of School +Date +Please submit signed, scanned copies via email to: +bpsdot@bostonpublicschools.org + + + + + + + +Page 7: +Superintendent’s Circular HRS-PM08 +Page 7 of 8 + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +TRANSPORTATION ATTENDANT – SUMMER 2025 + +NAME OF TRANSPORTATION +ATTENDANT: _______________________________ DATE + +EMPLOYEE # ____________NAME OF SCHOOL + + + +The following scale will be used for ranking performance. +U UNSATISFACTORY: The employee has failed to meet +expectations and their performance of the position's duties and +responsibilities needs improvement. +N NEEDS IMPROVEMENT: The employee’s performance of this +position’s duties and responsibilities needs improvement. +S MEETS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities meets expectations. +E EXCEEDS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities exceeds expectations. +Quality of Work: performs assigned tasks as per job +description accurately and competently. +U N S E +Skills and Knowledge: demonstrates level of skill and +knowledge required to do the job. +U N S E +Attendance and Punctuality: is punctual, gives notice +of sick, personal, and other leave. +U N S E +Professional Demeanor: maintains professional +demeanor, is tactful, cooperative, and courteous to + + +Page 8: +Superintendent’s Circular HRS-PM08 +Page 8 of 8 + +people at all levels of the School Department and +the public. +U N S E + + + +Recommendations/Comments: + + +_____________________________________________ + + +Evaluator’s Signature +Date +_____________________________________________ + + +Principal/Head of School +Date +Please submit signed, scanned copies via email to: +bpsdot@bostonpublicschools.org + + + diff --git a/data/data_txt/HRS-PM09 Performance Evaluation of Cluster Substitutes.txt b/data/data_txt/HRS-PM09 Performance Evaluation of Cluster Substitutes.txt new file mode 100644 index 0000000..abd3aa4 --- /dev/null +++ b/data/data_txt/HRS-PM09 Performance Evaluation of Cluster Substitutes.txt @@ -0,0 +1,156 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM09 +Version 01 + +CLUSTER SUBSTITUTE PERFORMANCE EVALUATION +Cluster Substitute Teachers are: +Those teachers who are assigned to a school for a full year to +rotate into the various teacher absence positions in the school, as +needed, on a daily basis. +A cluster substitute teacher shall be given two (2) overall +performance evaluations for the academic year by the +appropriate building administrator or their designee outside of +the bargaining unit. The evaluation instrument for use with +Cluster Substitutes is attached to this Circular. +EVALUATION CRITERIA (RATING OPTIONS: YES, NO, N/A) +1. Teaching Ability: Conveys clear and concise instruction. +Focuses on student achievement and content meaningful to +students. Accommodates the varied needs of students. +2. Classroom Management: Accountable for classroom +environment and culture. Ability to effectively deal with +negative student behavior. Focused and productive when +faced with challenges and a willingness to adapt classroom +instruction to meet the need/culture of the school. +3. School Fit: Respects the opinion of others. Creates a positive +relationship with administrators, teachers, school staff and +students. Demonstrates interest and skills that match the + + +Page 2: +Superintendent’s Circular HRS-PM09 +Page 2 of 5 + +school’s culture and needs. Interacts appropriately with +supervisors, colleagues, parents, and students. +4. Summary Question: “Would you use this substitute teacher at +your school going forward?” (“Yes” constitutes a rating of +“Meets Expectations.”) +The evaluator may provide written comments in addition to +ratings. +Date +Activity +January 15 (recommended) +Meet with cluster substitute teachers to discuss +performance. Completion of evaluation form. +May 15 +Complete and submit final evaluation form of all Cluster +Substitutes within the school. +June 1 +Deadline for signed, original copies of evaluation form +(below/attached) to be submitted to: +Bruce C. Bolling Municipal Building +Office of Human Resources (Attn: Performance +Management Team) +2300 Washington Street, 4th floor +Roxbury, MA 02119 + + + + + + +Page 3: +Superintendent’s Circular HRS-PM09 +Page 3 of 5 + +For more information about this circular, contact: +Name: +Director of Evaluation and Performance Management +Department: +Office of Human Resources + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 4: +Superintendent’s Circular HRS-PM09 +Page 4 of 5 + +BOSTON PUBLIC SCHOOLS +SUBSTITUTE MANAGEMENT DEPARTMENT EVALUATION FORM +Substitute Name + +BPS ID: ________________ +School Name: ________________________________Date: + + +Evaluator Name: ____________________________ Title: + + +SUMMARY QUESTION: Would you use this substitute teacher at +your school going forward? ◻ Yes ◻ No +(YES constitutes a rating of “Meets Expectations”) +TEACHING ABILITY: Demonstrates an appropriate knowledge of +content. +Conveys ideas and Information clearly. +Yes / No / NA +Makes content meaningful to students. +Yes / No / NA +Addresses the multiple and varied needs of +classroom students. +Yes / No / NA +Focuses on achieving results with students. +Yes / No / NA + + + + +Page 5: +Superintendent’s Circular HRS-PM09 +Page 5 of 5 + +CLASSROOM MANAGEMENT: Demonstrates ability to deal +effectively with negative student behavior. +Assumes accountability for classroom environment +and culture. +Yes / No / NA +Demonstrates ability to deal effectively with +negative student behavior. +Yes / No / NA +Remains productive and focused when faced +with challenges. +Yes / No / NA +Displays a willingness to adapt classroom +management style to meet a particular need/ +culture of school. +Yes / No / NA +SCHOOL FIT: Demonstrates skills and needs for development +that can be a good fit for the school. +Respects the opinion of others. +Yes / No / NA +Create positive relationships with administrators, +teachers, school staff and students. +Yes / No / NA +Demonstrates interest and skills that match the +school’s culture and needs. +Yes / No / NA +Interacts appropriately with supervisors, +colleagues, parents, and students. +Yes / No / NA +COMMENTS: + + + + diff --git a/data/data_txt/HRS-PM10 Performance Evaluation of ABA Specialists.txt b/data/data_txt/HRS-PM10 Performance Evaluation of ABA Specialists.txt new file mode 100644 index 0000000..0b7ad51 --- /dev/null +++ b/data/data_txt/HRS-PM10 Performance Evaluation of ABA Specialists.txt @@ -0,0 +1,873 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM10 +Version 01 + + +PERFORMANCE EVALUATION OF ABA SPECIALISTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +The following sets forth the coverage, philosophy, roles and +responsibilities and procedures applicable to the evaluation +process of Applied Behavior Analysis (ABA) specialists. +I. COVERAGE +The performance management process covers all ABA specialists. +The evaluation process relates to the duties and responsibilities +of the employee’s position, as set forth in the employee’s job +description. +II. PHILOSOPHY +Performance management is one of the key processes driving +the comprehensive reform of the Boston Public Schools. The +performance management process for ABA specialists is +designed to: (a) align the work of ABA specialists with the +superintendent’s district wide priorities and with team goals and +(b) improve the work performance of ABA specialists. +III. ROLES AND RESPONSIBILITIES +The performance management process for ABA specialists will +be led by the assistant superintendent of special education, + + +Page 2: +Superintendent’s Circular HRS-PM10 +Page 2 of 25 + + +assistant director for ABA, and program directors for ABA. ABA +specialists will be evaluated by their immediate supervisors +unless the assistant director designates another person to +conduct the evaluation. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. Further, a supervisor will also be +performing unsatisfactorily if an underperforming staff member +is given a “Proficient” rating and then the staff member is +encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +IV. DIAGNOSIS AND RECOMMENDATIONS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. +There are four possible ratings: 1) Unsatisfactory; 2) Needs +Improvement; 3) Proficient; and 4) Exemplary. +V. PERFORMANCE MANAGEMENT PROCESS +Supervisors will conduct evaluations of their ABA specialists every +year. The period for the performance evaluation for ABA +specialists will cover September 1 – August 30 of the school year +in which the employee is being evaluated. A supervisor may +evaluate staff members more frequently if they choose to do so +but must complete no fewer than 5 (five) direct observations over + + +Page 3: +Superintendent’s Circular HRS-PM10 +Page 3 of 25 + + +the course of the school year. +Supervisors are expected to provide timely written feedback to +their staff members, especially for employees who, upon +observation, are not meeting the expectations of the supervisor. +An employee who is not meeting their supervisor’s expectations +should have been informed of the supervisor’s concerns and +provided recommendations for improvement through written +feedback before the performance evaluation meeting and should +be given a reasonable amount of time to address the observed +deficient performance. +Step 1 – REVIEW GOALS AND PROFESSIONAL DEVELOPMENT +PLAN FOR THE COMING SCHOOL YEAR (September-October) +Supervisors will meet individually with each of their ABA +specialists to jointly review the employee’s goals and professional +development plan for the September 1 - August 30 period. When +possible, goal development should be done during the prior +year’s performance evaluation meeting. +During this meeting, the employee and their supervisor should +review the employee’s job description to ensure the employee’s +goals and professional development plans are in alignment with +the job description. +If there is a change in the employee’s goals and professional +development plan after the prior year’s performance evaluation +meeting, the revised goals and professional development plan +must be documented. + + +Page 4: +Superintendent’s Circular HRS-PM10 +Page 4 of 25 + + +Step 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (as +needed) +If at any time, including at the interim evaluation meeting (see +step 3), a supervisor finds that an employee needs major +improvement in their job performance or in accomplishing any +goal, the supervisor will prepare a written diagnosis of the +situation and make recommendations for improvement. +The supervisor must share their written feedback with the +employee within a reasonable amount of time, and thereafter +should meet at least monthly with the employee to discuss their +job performance. These meetings must be held until the +employee’s job performance meets the supervisor’s expectations. +If the employee’s job performance does not improve sufficiently, +the employee may be separated from employment. +Step 3 – COMPLETE STAFF OBSERVATIONS AND DATA CHECKS +(September-May) +As outlined in the ABA specialist evaluation, at least 5 (five) +observations must be completed prior to the final performance +evaluation in May. These observations must include direct +observation of the ABA specialist performing essential job +functions and working with students. The observations may or +may not be announced and can occur at any time throughout +the year. Following each observation session, the program +director for ABA will provide written and vocal feedback to the +ABA specialist outlining the strengths and areas of growth seen +during the observation. +As part of each observation, data checks and programming +analyses will be conducted. These data checks will assess the + + +Page 5: +Superintendent’s Circular HRS-PM10 +Page 5 of 25 + + +performance with programming and data entry for some portion +of the time between observations. +Step 4 – HOLD INTERIM EVALUATION MEETING (February- +March). +ABA specialists will submit a formative self-assessment no later +than February 10. This self-assessment will include the ABA +specialist’s assessment of their work performance and feedback +from previous observations to be incorporated into the interim +evaluation. +Supervisors will hold an interim evaluation meeting with each of +their ABA specialists no later than March 1. During this meeting, +the supervisor must give oral feedback on (1) the employee’s +progress in achieving their goals, and (2) the employee’s overall +job performance, especially with reference to the employee’s job +description and customer focus. In addition, a written interim +evaluation will be provided in a timely manner after the interim +evaluation meeting. +Step 5 – COMPLETE PERFORMANCE EVALUATION FORMS (May). +The supervisor will prepare a performance evaluation on each +ABA specialist each school year by filling out the Performance +Evaluation Form – ABA Specialists attached at the end of this +circular. + + + + +Page 6: +Superintendent’s Circular HRS-PM10 +Page 6 of 25 + + +Step 6 – CONDUCT PERFORMANCE EVALUATION MEETING +(June) + +The supervisor will meet with the employee to discuss their +performance evaluation. The meeting will cover the employee’s +job performance, their progress toward their annual goals, and +their overall performance. +During this meeting, based on the employee’s performance +evaluation, the supervisor and employee should establish the +employee’s goals for the coming school year. These goals should +be tentative if the department’s (and team’s) goals have not been +set. Similarly, the supervisor and employee should also discuss +the employee’s professional development plan for the coming +school year, with particular reference to the areas of growth or +challenge identified in the performance evaluation. +Step 7 – EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE +The employee’s signature on the evaluation instrument +acknowledges receipt, and not necessarily agreement with the +content of the evaluation. The employee may provide a written +response to the evaluation within 10 (ten) days of receiving the +performance evaluation form. +Step 8 – SUBMIT PERFORMANCE EVALUATION FORMS TO +HUMAN RESOURCES (June) +The supervisor will submit completed performance evaluation +forms to Human Resources no later than June 1. Step increases +are automatic. + + +Page 7: +Superintendent’s Circular HRS-PM10 +Page 7 of 25 + + +Step 9 – FOLLOW UP FOR AN EMPLOYEE WHO RECEIVES AN +“UNSATISFACTORY” RATING +If an ABA specialist receives an “Unsatisfactory'' rating on their +performance evaluation, the supervisor should meet with the +employee at least monthly to discuss their job performance. +These meetings must be held until the employee’s job +performance meets the supervisor’s expectations. If the +employee’s job performance does not improve sufficiently, the +employee may be separated from employment. +VII. PROCEDURES FOR DISCIPLINE +If a supervisor determines that an ABA specialist has committed +an infraction of work rules, the supervisor should follow the +procedures outlined in Superintendent’s Circular – Employee +Discipline Procedures (see footnote below)1. Additionally, the +supervisor may consider the infraction in evaluating the +employee’s overall performance. +VIII. FORMS +The Performance Evaluation Form – ABA Specialists is attached. + + + +(Footnote) Refer to Superintendent’s Circular HRS-PP10 +“Employee Discipline Procedures” under the category “Human +Resources” on the Superintendent’s Circulars page of the BPS +website for more information. + + +Page 8: +Superintendent’s Circular HRS-PM10 +Page 8 of 25 + + +IX. SUMMARY OF SIGNIFICANT DATES AND DEADLINES +STEP INCREASES ARE AUTOMATIC. Please adhere to the given +deadlines for submission. + +Date +Activity +September 1 - +October 15 +Finalize goals and professional +development plan for the coming year +Monthly, as needed +and outlined in a +performance +improvement plan +Prepare diagnosis and +recommendations +No later than +February 10 +Request self-assessment +February 1 - March 1 +Hold Formative Evaluation meeting +No later than May 31 +Complete Performance Evaluation forms +No later than May 31 +Conduct Summative Performance +Evaluation meeting +No later than June 1 +Submit Performance Evaluation forms to +Human Resources +Monthly, as needed +and outlined in a +performance +improvement plan +Follow up for an employee who receives +an “Unsatisfactory” rating + + + + + +Page 9: +Superintendent’s Circular HRS-PM10 +Page 9 of 25 + + +For more information about this circular, contact: +Owner: +Assistant Director for Applied Behavior +Analysis +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-8599 +Email: +ohc@bostonpublicschools.org +Mary Skipper, Superintendent + + + + +Page 10: +Superintendent’s Circular HRS-PM10 +Page 10 of 25 + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +ABA SPECIALISTS + +Name of Employee: ______________________________________________ +Employee Identification #:________________________________________ +Department: ABA +School: ___________________________________________________________ +Position: ABA specialist +Evaluator: ________________________________________________________ + +SECTION I: JOB PERFORMANCE +Please rate the employee’s performance according to the +following competencies, as measured by documented +opportunities. A documented opportunity will consist of written +feedback from a program director as a result of a direct +observation or data analysis from work products. Documented +opportunities will include no fewer than 5 measured +opportunities for each subcategory listed below. +Each objective was rated in one of four categories: + +1 +Unsatisfactory +Employee meets the objective for 65% or less +of documented opportunities. + + +Page 11: +Superintendent’s Circular HRS-PM10 +Page 11 of 25 + + +2 Needs +Improvement +Employee meets the objective for 66% to 75% +of documented opportunities. +3 Proficient +Employee meets the objective for 76 to 85% +of documented opportunities. +4 Exemplary +Employee meets the objective for 86% or +greater of documented opportunities. +*The numbers listed above will be what is indicated in the rating +box for each area in the evaluation below. + +A. Data Collection +A-1: Accurately conducts and implements +all required assessments, including +preference assessments, Skills +Assessments, and Core Skills Assessments. +Self Rating + +Supervisor Rating + + +A-2: Accurately updates targets as needed, +and proactively implements any +programmatic changes given by the +program director or strand specialist. +Self Rating + +Supervisor Rating + + +A-3: Accurately takes programmatic data (both behavior and +acquisition) in a timely manner. + + +Page 12: +Superintendent’s Circular HRS-PM10 +Page 12 of 25 + + +Self Sup + + +Unsatisfactory +Runs less than 24 ACE sessions per +week across all programs and +students per week across 5 or more +measured opportunities for the year. + + +Needs +Improvement +Runs between 25 and 49 ACE +sessions per week across all +programs and students per week +across 5 or more measured +opportunities for the year. + + +Proficient +Runs between 50 and 74 sessions +per week across all ACE programs +and students across 5 or more +measured opportunities for the year. + + +Exemplary +Runs at least 75 sessions per week +across all ACE programs and +students across 5 or more measured +opportunities for the year. + + + + + +Page 13: +Superintendent’s Circular HRS-PM10 +Page 13 of 25 + + + +A-4: Follows prompting hierarchies and +error correction procedures as prescribed by +ACE and/or Program Director. +Self Rating + +Supervisor Rating + + +A-5: Ensures that challenging behavior data +collection sheets are updated as necessary, +and that challenging behavior data +collection sheets are filed in the correct +place. +Self Rating + +Supervisor Rating + + +A-6: Identifies when there is a problem with +data/data collection, and appropriately +brings to the attention of the Program +Director. +Self Rating + +Supervisor Rating + + +Overall Comments on Data Collection: + + + + +Page 14: +Superintendent’s Circular HRS-PM10 +Page 14 of 25 + + +B. Behavior Support +B-1: Develops, maintains, and shares any +necessary materials to follow through with +behavior plans (token boards, timers, visuals, +etc.) as written. +Self Rating + +Supervisor Rating + + +B-2: Follows each Behavior Support Plan as +written for student, including effective +antecedent strategies, reinforcement +procedures, following crisis procedures, and +seeking help when needed. +Self Rating + +Supervisor Rating + + +B-3: Responds to any behaviors not outlined +in the behavior support plan using standard +ABA techniques. + + + +Self Rating + +Supervisor Rating + + +Overall Comments on Behavior Support: + + + + + +Page 15: +Superintendent’s Circular HRS-PM10 +Page 15 of 25 + + +C. Professionalism +C-1: Participates in feedback sessions and +accepts feedback given by Program Director. +Engages in consultation with Program +Director and/or Strand Specialist. +Communicates with the Strand Specialist, +Program Director, and other school-based +staff, including keeping student schedules +up to date, sharing with all necessary parties, +and following the set schedule. Is flexible +when caseloads or school assignment +requires change, due to caseload demands +or due to specific needs of a student or +students. If there is a concern regarding +caseload and/or programmatic changes, +professionally communicates the concern to +the Program Director. +*This language does not constitute +expansion of caseloads beyond the contract +limits +Self Rating + +Supervisor Rating + + +C-2: Follows Office of Special Education +administrative procedures, such as signing +in/out, requesting absences (sick or personal +days) on ESS in a timely manner, using +planning time effectively, following cell +phone use policy, and arriving to +work/meetings on time. +Self Rating + +Supervisor Rating + + + + +Page 16: +Superintendent’s Circular HRS-PM10 +Page 16 of 25 + + +C-3: Consistently exudes a professional +disposition towards Special Education, +Applied Behavior Analysis, students, and +families, as well as other school personnel; +and maintains student confidentiality. +Self Rating + +Supervisor Rating + + +C-4: Demonstrates fluent use of technology +necessary to complete job requirements, +such as Google Drive, EdPlan, ACE, Teach +Now, etc. Ensures that all appropriate +technology is up to date. +Self Rating + +Supervisor Rating + + +C-5: Engages in and attends all professional +development activities as scheduled, +including all that were described in the prior +year’s professional development plan. +Self Rating + +Supervisor Rating + + +Overall Comments on Professionalism: + + + + + + +Page 17: +Superintendent’s Circular HRS-PM10 +Page 17 of 25 + + +D. Direct Service +D-1: Ensures that tasks are prepared and +ready for instruction on time and efficiently. +Demonstrates fluency with materials +necessary to conduct direct service sessions, +such as token boards, first/then boards, etc. +Self Rating + +Supervisor Rating + + +D-2: Activates appropriate programs as +outlined in the IEP within 2 weeks of +notification of a signed IEP, and implements +all programs as written on the curriculum +sheet across multiple settings including +inclusion, specials, lunch/recess, etc. +Self Rating + +Supervisor Rating + + +D-3: Establishes attending and reinforcers +before beginning the session. Prompts +functional communication as necessary. +Completes the prescribed number of trials for +each program according to the prescription +sheet. Keeps student break time to a +reasonable duration. +Self Rating + +Supervisor Rating + + + + + + +Page 18: +Superintendent’s Circular HRS-PM10 +Page 18 of 25 + + + +D-4: Ensures that the student is clear on +how and when reinforcement is delivered, +and delivers reinforcement on prescribed +schedules. +Self Rating + +Supervisor Rating + + +D-5: Builds rapport with the students and is +always engaging and energetic when +working with students. +Self Rating + +Supervisor Rating + + +Overall Comments on Direct Service: + + + + + + +Page 19: +Superintendent’s Circular HRS-PM10 +Page 19 of 25 + + +E. Communication/Written Skills +E-1: Completes progress reports and annual +reviews at least 1 week before the due date, +by referencing the ABA specialist Task Due +Google Calendar when applicable and using +planning time effectively. Ensures that each +document is complete with proper spelling, +grammar, and data, following the most +recent format provided by the program +directors. +Self Rating + +Supervisor Rating + + +E-2: Completes EdPlan session notes within +24 hours of each session and takes no more +than 10 minutes per 60-minute session to do +so. +Self Rating + +Supervisor Rating + + +E-3: Ensures that written communications +are clear, concise, and free of error, utilizing +appropriate professional language. +Self Rating + +Supervisor Rating + + + + + + +Page 20: +Superintendent’s Circular HRS-PM10 +Page 20 of 25 + + +E-4: Communicates questions and concerns +in a professional manner with teachers, ABA +specialists, strand specialists, program +directors, and paraprofessionals, as +demonstrated by initiation and response to +emails within 48 hours. +Self Rating + +Supervisor Rating + + +E-5: Responds to emails within 2 working +days and completes RMTS (Random Moment +Time Study) moments within the 48 hour +timeline as required by state agencies. +Self Rating + +Supervisor Rating + + +Overall Comments on Communication/Written Skills: + + + + +Page 21: +Superintendent’s Circular HRS-PM10 +Page 21 of 25 + + +SECTION II: PERFORMANCE AGAINST PAST YEAR’S GOALS +Provide a concise description of each of the employee’s goals for +the past year. Mark whether the employee achieved the goal. +Provide specific data supporting your assessment that the goal +was or was not achieved. + +Goal 1: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Goal 2: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Goal 3: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Page 22: +Superintendent’s Circular HRS-PM10 +Page 22 of 25 + + +SECTION III: GOALS FOR NEXT YEAR +Please list the employee’s goals for next year. Goals are to be set +by supervisor and agreed to by employee. These goals should +align with the department’s goals and priorities and include key +performance indicators. +Goal 1: + +Goal 2: + +Goal 3: + + + + +Page 23: +Superintendent’s Circular HRS-PM10 +Page 23 of 25 + + +SECTION IV: OVERALL PERFORMANCE +Please rate the employee’s overall performance this year. If the +employee receives a “Does Not Meet Expectations” rating, their +supervisor must provide a diagnosis and recommendations for +how the employee must improve their performance in the +following Additional Comments section. The supervisor may also +use this section to provide other additional comments on the +employee’s performance. + + Unsatisfactory + Proficient + Needs Improvement + Exemplary + +Comments: + + + + + + + +Page 24: +Superintendent’s Circular HRS-PM10 +Page 24 of 25 + + +SECTION V: PROFESSIONAL DEVELOPMENT PLAN +Describe the employee’s Professional Development Plan for the +coming year. This plan should help the employee build skills +and/or knowledge to accomplish their goals for the year. Please +describe the specific areas that the employee is trying to develop, +and the related activities that they will take part in this year. + +1. Skill/Knowledge Development Area 1: + +Related activities to help develop skill: + + + +2. Skill/Knowledge Development Area 2: + +Related activities to help develop skill: + + + +3. Skill/Knowledge Development Area 3: + +Related activities to help develop skill: + + + + + + + + +Page 25: +Superintendent’s Circular HRS-PM10 +Page 25 of 25 + + +SECTION VI: ACKNOWLEDGEMENTS + + ____________________________________________ ____________________ + +Evaluator’s Signature +Date + + + ____________________________________________ ____________________ + +Employee’s Signature +Date + +The employee’s signature indicates that they have seen the +evaluation and acknowledge that it will be placed in their +personnel file, but it does not denote agreement with the +evaluation. + + + +The employee may provide a written response to the evaluation +in the space provided below, and/or in attached pages. + +Employee Comments: + + + + + + + + + + diff --git a/data/data_txt/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.txt b/data/data_txt/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.txt new file mode 100644 index 0000000..cdfcef6 --- /dev/null +++ b/data/data_txt/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.txt @@ -0,0 +1,403 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP01 +Version 01 + +CONTRACTUAL BENEFITS: CAREER AWARDS, SALARY +LANES, SALARY STEPS, ACADEMIC LADDER CREDITS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public Schools offer numerous contractual benefits such +as career awards and salary lane increases based on the +completion of accredited coursework, degrees, academic ladder +credits, and continuing education units. To receive these benefits, +employees must submit the appropriate documentation +(described below) to the Office of Human Capital. Once their +documentation is submitted, employees will receive confirmation +via email, within 4 to 6 weeks, except during peak seasons. +1. CAREER AWARDS +Career awards are issued monthly by anniversary date, based on +a monthly reporting cycle in the Office of Human Capital, and +vary by union affiliation. PS03s are no longer needed to initiate +this process, except for BASAS members, who are required to +submit a request via PS03. If an award is not received, the +employee should then submit a PS03 to the Office of Human +Capital to address the issue: +• In the “Pay Adjustment” category, place a checkmark in the +career award block and specify the career award requested. +• Indicate initial date of employment. +• Sign and date the “Originator’s signature/date” block. + + +Page 2: + +Superintendent’s Circular HRS-PP01 +Page 2 of 12 + +Career awards are effective on an employee's anniversary date. +Employees will see their career award reflected within 2-3 pay +periods. Denied applicants will receive an email from the Office of +Human Capital (to the employee’s bostonpublicschools.org email +address) providing the reason for the denial. +Paraprofessionals: Career awards are awarded by the number of +working days completed, not (wholly) by academic year +completed. The schedule of awards is as follows: +Step +Length of Service +2 +3 Years +3 +6 Years +4 +9 Years +5 +12 Years +Career Award +1,800 Paraprofessional Seniority Days +Career Award +2,800 Paraprofessional Seniority Days +Career Award +3,800 Paraprofessional Seniority Days +Career Award +4,800 Paraprofessional Seniority Days +Career Award +5,800 Paraprofessional Seniority Days + +BTU: Career Awards are awarded at the completion of the +threshold year, for the start of the next academic year. +All other collective bargaining units: Career awards are awarded +on an employee’s anniversary date based on a monthly reporting +cycle. +2. SALARY LANES +Employees who qualify by contract for a change in salary lane as + + +Page 3: + +Superintendent’s Circular HRS-PP01 +Page 3 of 12 + +a result of the completion of accredited course work and degrees +must submit a PS-03 to receive this benefit. Lane changes are +not made automatically. +• In the “Pay Adjustment” category, place a checkmark in the +salary lane block and specify the salary lane requested. +• Attach official original transcripts documenting accredited +courses and/or degree completion. Transcripts for +accredited graduate coursework must include a passing +grade and/or a degree conferred date for acceptance. +Electronic transcripts must be sent directly from the +institution to EmployeeServices@BostonPublicSchools.org. +Boston Public Schools In-Service and Academic Ladder +certificate(s) must be printed. An In-service/Academic +Ladder transcript summary is not acceptable. +• Sign and date the “Originator’s signature/date” block. +➢ Employees should only submit credits/degrees when +applying for salary lane advancement; employees +should not submit single or multiple credits below the +threshold for lane advancement. +Approved applicants can expect to see a change in their salary +within 3-4 pay periods following submission of a salary lane +application. Denied applicants will receive an email from the +Office of Human Capital (to the employee’s +bostonpublicschools.org email address) providing the reason for +the denial. Please note that this process will take longer in the +summer months (June – September). +Salary lane changes will be processed retroactively to September +1 if the application is received in the Office of Human Capital by +the close of business on September 30. Otherwise, the change +will be effective on the first day of the month following complete + + +Page 4: + +Superintendent’s Circular HRS-PP01 +Page 4 of 12 + +submission of all documentation during the school year. +Submissions after May 31 will be effective for the start of the +following school year. +Note: Boston Public Schools reserves the right to approve salary +lane advancement for only those courses that are related to the +field of education or enhance advancement up the educational +career ladder. Requests for pre-approval of any courses shall be +responded to by the Office of Human Capital promptly. Courses +must meet the following criteria: +Accredited College or University Courses +1. Courses must be granted by an accredited college or +university listed on the Accredited Institutions of Post- +Secondary Education registry and deemed acceptable by +the American Council on Education. +2. Courses must award graduate credit. If the transcript does +not clearly state the course is at graduate level, then the +applicant must supply a letter from the institution verifying +the course is offered for graduate credit. Note: for +paraprofessionals, undergraduate credit and in-service +credits are acceptable for salary lane advancement, up to a +bachelor’s degree. +3. Courses are evaluated by the semester hour only. Courses +taken by the quarter credit hour will be converted by the +metric specified by the respective institution. If a conversion +rate is not specified, Boston Public Schools will use a .75 to +1.0 ratio. +4. Courses must clearly relate to the field of education in the +Boston Public Schools. + + +Page 5: + +Superintendent’s Circular HRS-PP01 +Page 5 of 12 + +Academic Ladder Credit +An Academic Ladder Credit, also known as an “ALC”, is a new +“credit” for academic lane advancement. ALCs are equal in value +to in-service credits, with no cap on the amount one can earn. +Each ALC course has a clearly articulated target competency and +a range of options for demonstrating this competency through +artifacts or reflections. ALCs require approximately 12 hours of +“seat time” per credit. Credit will not be awarded until the +educator submits a final product demonstrating successful +implementation of a specific instructional practice. Options for +demonstrating may include lesson or unit plans, videos, student +work analyses, reflections, or some combination of these. +Employees should only submit ALC credits/degrees when +applying for salary lane advancement. When doing so, employees +should submit the actual ALC completion certificate from Vector. +Only ALCs approved by the Boston Public Schools will be +awarded credit for salary. +Available ALC courses can be found on Vector. Additionally, a list +of frequently asked questions can be found in APPENDIX A. +In-Service Courses +Course credit may be granted for courses previously offered by +the Boston Public Schools. Only courses approved by the Boston +Public Schools will be awarded credit for salary purposes. +Employees should submit the actual in-service completion +certificate, available on Vector. The transcript summary is not +accepted. Please note that no more than 30 in-service credits +may be used for lane advancement during each employee’s +lifetime career with Boston Public Schools. + + +Page 6: + +Superintendent’s Circular HRS-PP01 +Page 6 of 12 + +Continuing Education Units (CEUs) +CEUs, also known as contact hours, are accepted at the rate of 15 +contact hours for 1 graduate credit, not to exceed 30 graduate +credits. Please note that .1 CEU is the equivalent of 1 contact hour. +This applies to nurses, speech and language pathologists, school +psychologists, social workers, adjustment counselors, guidance +counselors, occupational and physical therapists, vision teachers, +and lead sign language interpreters only. CEUs are only accepted +from approved CEU providers. The Boston Public Schools is not +an approved CEU provider. +Professional Development Points (PDPs) +Although professional development points may be awarded for +the completion of in-service courses, they are not applicable for +salary lane advancement. PDPs are most used as evidence +toward maintaining professional licensure. +3. SALARY STEPS +Salary step increases are automatically awarded based on the +date specified in the applicable collective bargaining agreement. +An employee who believes that they are being compensated on +an incorrect step of the salary schedule should submit a PS-03 to +the Office of Human Capital, as follows: + + + + +Page 7: + +Superintendent’s Circular HRS-PP01 +Page 7 of 12 + +• In the “Pay Adjustment” category, place a checkmark in the +salary step block and specify the salary step requested. +• Include a brief explanation for the request in the “Additional +Explanation” section. +• Sign and date the “Originator’s signature/date” block. +Salary Steps as Related to Inside and Outside Service +There is no longer a cap on the amount of Inside Service credits +available for salary step adjustments/placement. Instead, the +credit is based on prior eligible years of service. To qualify, an +employee must have worked a minimum of 120 days in a +qualifying academic year. +A maximum of three years is awarded for an outside service +salary step adjustment. To qualify, an employee must provide +original documentation from a previous employer, specifically +certifying the named employee has completed a minimum of 160 +days in the appropriate licensed capacity for each year. +Individuals should not knowingly falsify information and should +understand that applications are signed under the pains and +penalties of perjury. +As salary lane and salary step advancements are contractual +entitlements, employees should forward these PS-03 requests +directly to the Office of Human Capital. No further signatures are +necessary. + + + + +Page 8: + +Superintendent’s Circular HRS-PP01 +Page 8 of 12 + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +May 31 +Academic year deadline for salary lane changes +to be processed effective in the same year. +June, July & +August +Submissions effective for the start of the next +school year. +September 30 + +Deadline for submitting salary lane changes to +be processed retroactively to September 1. + +4. NATIONAL BOARD-CERTIFIED TEACHERS +When you achieve or renew National Board Certification, please +submit the official notification letter and a PS03 Form. The Office +of Human Capital will review and verify the candidate's successful +completion of board certification, inception and expiration dates +via the NBPTS website. The National Board differential is +effective on the 1st of the month following an eligible +submission. Recertifications will be effective on the renewal date +as long as the request is received prior to the expiration date. If +recertification received after the original expiration date the +renewal will be dated for the first of the month following receipt. + + + + + +Page 9: + +Superintendent’s Circular HRS-PP01 +Page 9 of 12 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 10: + +Superintendent’s Circular HRS-PP01 +Page 10 of 12 + +APPENDIX A +Academic Ladder Credits: Frequently Asked Questions +• What is an Academic Ladder Credit (ALC), and how does it +differ from an in-service credit? +An Academic Ladder Credit, also known as ALC, is a new +“credit” for academic lane advancement. ALCs are equal in +value to in-service credits, with no cap on the amount one +can earn. ALCs require approximately 12 hours of “seat time” +per credit, but credit is not awarded until the educator +submits a final product demonstrating successful +implementation of a specific instructional practice. +• What do I need to do to earn ALCs? +ALCs are earned by demonstrating competence in the +practices learned in the course. While courses are +approximately 12 hours of instruction (in person or online), +credits are not awarded simply for attendance and +participation. Each ALC course will have a clearly articulated +target competency and a range of options for +demonstrating it through artifacts or reflections. +• What kinds of options might be available for +demonstrating competencies? +Each course will be different, but options include: lesson or +unit plans, videos, student work analyses, reflections, or +some combination of these. +• Who determines whether I have demonstrated a +competency? +A team of BTU educators and central office administrators + + +Page 11: + +Superintendent’s Circular HRS-PP01 +Page 11 of 12 + +will review product submissions and award credits using a +rubric made available to all course participants. Those who +do not earn credits on their first submission will receive +feedback and an opportunity to resubmit. +• Am I eligible to take any ALC course I want? +While any educator is technically able to apply for any ALC +course, because earning an ALC requires demonstrating +competence in a skill, it will be difficult to complete courses +that are not relevant to your context. OHC or APL reserves +the right to refuse admittance to those educators for whom +the content may not be relevant. +• Is there a limit to the number of ALCs I can receive in a year +or over my career? +No. ALCs are not subject to the same cap as in-service +credits. +• Can you use ALCs in combination with graduate credits, +etc. towards advancement? +Yes. Employees may use combinations of graduate credits, +in-service credits and ALCs for lane advancement. However, +a teacher must possess a master’s degree to advance to the +master’s lanes and must possess a doctorate degree to +advance to the doctorate lane. +• How do I submit my ALC credits to the Office of Human +Capital for credit toward lane advancement? +Employees should only submit ALC credits/degrees when +applying for salary lane advancement. When doing so, +employees should submit the actual ALC completion + + +Page 12: + +Superintendent’s Circular HRS-PP01 +Page 12 of 12 + +certificate from TeachPoint, along with any other graduate +or in-service credits, and a completed PS03 to the Office of +Human Capital (4th Floor, Bolling Building). Only ALCs +approved by the Boston Public Schools will be awarded +credit for salary. +• Are ALC courses portable outside BPS? +No. +• Are non-BTU members eligible to earn ALCs? +While non-BTU members may participate in ALC courses, +only BTU members are eligible to receive credits. +• Are paraprofessionals eligible to receive ALCs? +Yes. Please note that because earning an ALC requires +demonstrating competence in a skill, it will be difficult to +complete courses that are not relevant to your role or +context. OHC or APL reserves the right to refuse admittance +to those educators for whom the content may not be +relevant. +• I have an idea for an ALC course. How can I make that +happen? +Contact the Office of Academics and Professional Learning. + + + diff --git a/data/data_txt/HRS-PP03 Tuition Reimbursement.txt b/data/data_txt/HRS-PP03 Tuition Reimbursement.txt new file mode 100644 index 0000000..a512cfb --- /dev/null +++ b/data/data_txt/HRS-PP03 Tuition Reimbursement.txt @@ -0,0 +1,329 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP03 +Version 01 + +TUITION REIMBURSEMENT BTU AND ADMINISTRATIVE +GUILD MEMBERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston School Committee (BSC) has agreed to several +programs that allow for reimbursement of tuition costs to eligible +collective bargaining unit members in exchange for a +commitment of continued employment. +BOSTON TEACHERS UNION MEMBER ELIGIBILITY +Permanent teachers who are not eligible for a career award and +who commit to three years of continuous employment in the +Boston Public Schools will be reimbursed for tuition expenses +accrued in a given school year. Payment will not exceed $1,000 +per teacher per school year. +Per agreement between BSC and BTU, provisional teachers who +have completed at least one year of service in the Boston Public +Schools will be eligible for a tuition reimbursement payment not +to exceed $500 per school year. +This definition of eligibility is explicitly meant to include those +employees who are in job titles that are compensated based on +Group I or Group II of the BTU salary schedules. + + +Page 2: +Superintendent’s Circular HRS-PP03 +Page 2 of 11 + +ABA SPECIALISTS ELIGIBILITY +Per agreement between BSC and BTU, ABA specialists who have +completed at least one year of service shall be eligible for tuition +reimbursement of up to $500 per year for approved college or +graduate credits. +At three years of successful employment, ABA specialists will be +eligible for tuition reimbursements of up to $1,000 for approved +college courses until they become eligible to receive their career +award. +PARAPROFESSIONALS ELIGIBILITY +Per agreement between BSC and BTU, all paraprofessionals who +have completed five or more years of full-time service as of the +end of the prior school year will be entitled to tuition +reimbursement of up to $1,000 a year for approved college +courses. +Per agreement between BSC and BTU, all paraprofessionals who +have completed more than three years of full-time service as of +the end of the prior school year will be entitled to tuition +reimbursement of up to $500 a year for approved college +courses. +ADMINISTRATIVE GUILD MEMBERS ELIGIBILITY +To be eligible to receive tuition reimbursement, members of the +Administrative Guild must have served at least one full school +year commencing on September 1 prior to the year in which the +tuition reimbursement application is filed. +Tuition reimbursement for members of the Administrative Guild + + +Page 3: +Superintendent’s Circular HRS-PP03 +Page 3 of 11 + +is capped at $1,000 per member, per year. +ELIGIBLE COURSES +All coursework must be approved by the assistant +superintendent of Human Capital (or designee), consistent with +the current policy. Further, eligible courses for school year 2023- +2024 are courses that begin anytime from September 1, 2023 +through August 31, 2024. Courses that meet the criteria +established for salary lane advancement as articulated in +Superintendent’s Circular HRS-PP01 will be considered eligible +for tuition reimbursement. +The Boston Public Schools will only reimburse employees for the +cost of the class itself and does include consultant or facilitator +fees. Please send receipts of out-of-pocket payment directly from +the institution in which your transcript was issued. +GUILD: All courses, certificate programs and job-related training +must be approved by the assistant superintendent of Human +Capital, consistent with current policy. + + + + +Page 4: +Superintendent’s Circular HRS-PP03 +Page 4 of 11 + +APPLICATION PROCESS +To receive tuition reimbursement payments, eligible employees +must submit: +● A signed Form PS-03 (Personnel Action Request Form). In +the “Pay Adjustment” category, place a check mark in the +tuition reimbursement block. +○ The PS03 form can be downloaded here: +https://drive.google.com/file/d/0B9Pn1K0- +QB_FWTRJV2JaSDdNbEU/view?resourcekey=0- +y7E5QNx7B_HmLeFHKLJauQ +○ Employees must sign and date the form in the +“Originator’s Signature / Date” block. +● BTU: A signed affidavit agreeing to three continuous years +of employment with the Boston Public Schools. A copy of +the affidavit is attached to this circular. An affidavit is not +required for paraprofessionals or members of the +Administrative Guild. +● Official original transcripts clearly indicating a passing +grade and graduate credit was awarded from an accredited +institution. Undergraduate course work is accepted for +paraprofessionals and Administrative Guild members. +Electronic transcripts must be sent directly to the Office of +Human Capital. Please send to +EmployeeServices@BostonPublicSchools.org +* Guild members are also eligible for completion of +certificate programs. + + + + +Page 5: +Superintendent’s Circular HRS-PP03 +Page 5 of 11 + +● Documentation of tuition payment. This documentation +should be in the form of receipt for an out-of-pocket +payment or a credit card statement indicating that payment +was made to the institution from which courses were taken +and credit was granted. +Submit all materials to: +Employee Services Department +Boston Public Schools +2300 Washington Street +Roxbury, MA 02119 + +PAYMENT OF TUITION REIMBURSEMENTS +The Office of Human Capital will make every effort to issue tuition +reimbursements within 60 days of receipt of all required +application documentation as listed above. +Summary of significant dates and deadlines: +Date +Activity +September 1 +Start of reimbursement year +August 31 + +Deadline for submitting tuition reimbursement +documentation to be processed for the +previous academic year +August 31 +End of reimbursement year + + + + + +Page 6: +Superintendent’s Circular HRS-PP03 +Page 6 of 11 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 7: +Superintendent’s Circular HRS-PP03 +Page 7 of 11 + +AFFIDAVIT FOR BTU (TEACHER) MEMBERS +I hereby agree to continue my employment with the Boston +Public Schools for three continuous years from the date of receipt +of tuition reimbursement payment in the qualifying amount of +$500 or $1,000.00. All course work must be approved by the +assistant superintendent of Human Capital, consistent with +current policy, prior to my reimbursement of monies. If I fail to +continue my employment for three continuous years, I agree to +reimburse the Boston Public Schools for the entire amount of +$500 or $1,000.00 within one month of my discontinuance of +service with the Boston Public Schools. Failure to do so will result +in initiation of legal action by the Boston Public Schools to +receive said monies. +Check one: +____I am a Permanent Teacher entitled to $1,000. +____I am a Provisional Teacher entitled to $500. +Signed under the pains and penalties of perjury. + _________________________________________________________________ +Signature + +______________________________________________ __________________ + +Print Name +Date + +Witness signature: ______________________________________________ +BPS: BTU DUAL LICENSE REIMBURSEMENT FOR BTU + + +Page 8: +Superintendent’s Circular HRS-PP03 +Page 8 of 11 + +TEACHERS +Per the most recent Collective Bargaining Agreement effective +from September 1, 2022, through August 31, 2024, (the “CBA”) +where a position requires two licenses and the incumbent does +not possess the same, educators will be required to obtain a +second license. Teachers will be reimbursed for up to $3,000 in +expenses incurred to obtain the required second license. +BOSTON TEACHER UNION MEMBER ELIGIBILITY +Teachers who are required by BPS to obtain another license to +teach in their existing position and do not currently hold the +required license. +Per the CBA, BPS will reimburse teachers up to $3,000 during +their employment with BPS for the cost of obtaining another +license required by BPS for the teacher’s position, including but +not limited to those working under a waiver or emergency +license. +ELIGIBLE COURSES +Teachers shall be reimbursed for the following expenses incurred +to obtain the required license: +● MTEL prep courses from a provider on a list established by +the Office of Human Capital +● MTEL tests +● Graduate coursework1 + +1 Credit equivalency is not considered graduate course work + + +Page 9: +Superintendent’s Circular HRS-PP03 +Page 9 of 11 + +● License Fees +● BPS Pathway Programs +Reimbursements will be considered provided teachers submit +receipts to the Office of Human Capital within the fiscal year that +expenses were incurred. +This definition of eligibility is explicitly meant to include those +employees who are in job titles that are compensated based on +Group I or Group II of the BTU salary schedules. +APPLICATION PROCESS +To receive the Dual License reimbursement payments, eligible +employees must submit: +● A Google form response +○ The Google form can be found here: +https://docs.google.com/forms/d/e/1FAIpQLSf35H7BTyp +O0rLPZKgzRgKTi3lQfbyRycfy0sgFaNi5IvHlfA/viewform +○ All submissions must include proof of payment. +● A copy of the Dual Licensure Notice informing the +incumbent that their position will require two licenses going +forward. +● Documentation of expenses payment. This documentation +should be in the form of receipt for an out-of-pocket +payment, or a credit card statement indicating that +payment was made to the institution from which courses +were taken and credit was granted. Documentation should +be clearly dated. +Submit all materials via Google form. + + + +Page 10: +Superintendent’s Circular HRS-PP03 +Page 10 of 11 + +PAYMENT OF DUAL LICENSE REIMBURSEMENTS +The Office of Human Capital will make every effort to issue Dual +License reimbursements within 60 days of receipt of all required +application documentation as listed above. +Summary of significant dates and deadlines: +Date +Activity +September 1 +Start of reimbursement year +August 31 + +Deadline for submitting Dual License +reimbursement documentation to be +processed for the previous academic year +August 31 +End of reimbursement year + + + + + +Page 11: +Superintendent’s Circular HRS-PP03 +Page 11 of 11 + +For more information about this circular, contact: +Owner: +School Based Staffing +Department: +Office of Human Capital +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-9600 +Email: +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can be +found on Access Boston. + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt/HRS-PP05 Attendance Monitoring.txt b/data/data_txt/HRS-PP05 Attendance Monitoring.txt new file mode 100644 index 0000000..9a6fabf --- /dev/null +++ b/data/data_txt/HRS-PP05 Attendance Monitoring.txt @@ -0,0 +1,180 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PP05 +Version 01 + +EMPLOYEE ATTENDANCE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Poor attendance adversely affects the work we can accomplish +and the morale of all Boston Public Schools employees. +Attendance will be monitored throughout the year at all levels. +Any excessive absences, tardiness, or perceived abuse of time +off/leave benefits will be investigated and may subject the +employee to discipline. The procedures described herein may not +occur if the superintendent exercises their statutory authority to +dismiss, demote, or suspend. +ATTENDANCE MONITORING PROCESS +1. Sign in/out: Managers1 must establish and supervise a paper +sign in/out procedure that provides an accurate record of +the date and time of arrival and departure of all employees + +1 The term "manager" refers to positions such as academic +superintendent, senior officer, headmaster, principal, senior +program director, and director. A manager may in some cases +delegate authority to carry out these procedures to supervisory +personnel reporting to them. + + + +Page 2: +Superintendent’s Circular HRS-PP05 +Page 2 of 5 + +assigned to them. Employees must comply with the sign +in/out process. An employee who fails to comply with the +procedure, falsifies such a record, and/or fraudulently +reports their or another’s time will be subject to discipline +up to and including termination. +2. Report your absence/early departure: Managers must +establish a process to report an absence/early departure due +to illness. Employees must follow the process created and +implemented by their manager for each absence/early +departure. If the employee fails to follow the protocol +established by the manager, the employee’s absence/early +departure will be unexcused, and the employee will not be +paid for the day(s)/hour(s) of absence(s). The employee may +also be subject to discipline up to and including termination. +a. Employees not serving in schools must follow the +protocol set by their manager. In the case of early +departure, the employee must notify their manager +before leaving the building. +b. If the employee’s absence is for more than five (5) +consecutive days, refer to the Absence and Leaves +circular. Regardless of the duration of the time off due +to illness, managers may at any time request medical +documentation from the employee to substantiate +their absence. +3. Reasonable accommodations: An employee seeking +reasonable accommodations for a disability may contact the +Office of Equity (617-635-9650) to begin an interactive +dialogue process. Employees who inform their managers +about a disability will be referred to the Office of Equity by +the manager. The district will attempt to provide reasonable + + +Page 3: +Superintendent’s Circular HRS-PP05 +Page 3 of 5 + +accommodations unless it would cause an undue hardship +or fundamentally alter the district’s programs. Medical +information concerning any employee will be maintained in +strict confidence. +Chapter 151B and the ADA define a person with a disability +as someone who: (1) has a physical or mental impairment +that substantially limits one or more major life activities; (2) +has a record of such an impairment; or (3) is regarded as +having such an impairment. Major life activities include, but +are not limited to: caring for one’s self, performing manual +tasks, seeing, hearing, speaking, breathing, or learning. +The person may also qualify for an extended or intermittent +leave of absence. Please refer to the Absence and Leave +Policy circular and your collective bargaining agreement or +conditions of employment for more information. +For more information about the reasonable +accommodations process, please see Superintendent’s +Circular EQT-07. +PATTERNS OF ABUSE +When a manager determines that an employee’s absences +and/or tardiness exhibits a pattern of abuse and/or raises +concern, the manager will address it directly with the employee +in the way the manager deems appropriate (i.e., informal +meeting versus investigatory meeting). The employee will have +the right to union representation at all types of meetings. +In the past, the following scenarios have been deemed as +patterns of abuse (the list is not exhaustive/exclusive): + + +Page 4: +Superintendent’s Circular HRS-PP05 +Page 4 of 5 + +1. +Four (4) or more separate absences before or after the +weekend or holiday/vacation +2. +Sick absences lasting six (6) or more consecutive days +without a physician’s certificate +3. +Scattered sick days/leave throughout the school year +exceeding or projected to exceed fifteen (15) or more days +4. +Two (2) or more absences, consecutive or closely +patterned, following layoff notification +5. +Two (2) or more absences, consecutive or closely +patterned, following contract non-renewal notification +6. +Two (2) or more absences immediately following poor +performance evaluation +7. +Absence during a previously scheduled investigatory +meeting +8. +Absence after receiving a notice of an investigatory +meeting +9. +Absence on day of release or scheduled release of poor +performance evaluation +10. +Patterns of two (2) days out, two in, one out, etc. +11. +Tardiness: two (2) or more days within a one-week period +12. +Tardiness: two (2) or more days within a two-week period +CONSEQUENCES FOR ABUSE AND/OR EXCESSIVE +ABSENTEEISM/TARDINESS: +The following are the consequences an employee will face when +they have been deemed to engage in a pattern of abuse and/or +excessive absenteeism/tardiness. These consequences can be +applied individually or in conjunction with one another. +1. +Discipline up to and including termination + + +Page 5: +Superintendent’s Circular HRS-PP05 +Page 5 of 5 + +2. +Requirement to provide medical documentation +substantiating each absence (past, present, and future) +3. +No pay for time out of work if the employee fails to +provide requested medical documentation for absences; +the absences will be unexcused. +4. +Issuance of an “unsatisfactory/does not meet standards” +rating on the employee's performance evaluation +attendance/punctuality standard. +For more information about this circular, contact: +Owner: +Employee Services +Department: +Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +E-mail: +OHCLeaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.txt b/data/data_txt/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.txt new file mode 100644 index 0000000..0281e38 --- /dev/null +++ b/data/data_txt/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.txt @@ -0,0 +1,117 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP06 +Version 01 + + +CONFIDENTIALITY OF PERSONNEL RECORDS AND +EMPLOYMENT VERIFICATIONS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +State laws and regulations regulate disclosure of information +collected about personnel by the Boston Public Schools. These +laws and regulations provide that, with some exceptions such as +personnel and medical records, the School Department's records +must be available for public inspection. State law further provides +that individuals may review and challenge information in the files +concerning them. +PERSONNEL RECORDS +The Office of Human resources maintains both publicly available +and confidential files about each employee. The Office of Human +resources will disclose allowable information when requested to +do so in writing. +Please note that the following are public records, which will be +released upon receipt of a written request: +● Names +● Other materials or data relating to a specifically named +individual, the release of which would not publicize intimate +details of a highly personal nature. + + +Page 2: +Superintendent’s Circular HRS-PP06 +Page 2 of 4 + + + +Confidential information is not released, such as social security +numbers, home addresses and phone numbers, transcripts, +medical forms, and evaluations. +Only an employee may view their entire file unless a court order +or other legal mandates require otherwise. An employee may +view their file in the Office of Human resources by appointment +only. To schedule an appointment, place an HR Inquiry request +via the Beacon. This can be found for internal employees by +navigating to Access.Boston.gov. +To obtain a copy of your personnel card for the City of Boston +Retirement Board, please place an HR inquiry request via the +Beacon. This can be found for internal employees by navigating +to Access.Boston.gov. Any former employee will need to submit a +request via email at ohr@bostonpublicschools.org. +EMPLOYMENT VERIFICATION +All inquiries regarding employees, employment status, and other +such information must be directed to the Office of Human +resources, where official personnel records are maintained. +If an employee is seeking employment verification (mortgage, +housing, substitute time, standard verification, etc.), they should +create an HR Inquiry request via Beacon. An employee must scan +and attach the verification to the HR Inquiry submission. If an +employee needs an email address to submit to their potential +mortgage company, housing office or any other loan provider, +they should provide the OHR email ohr@bostonpublicschools.org +or fax a request to 617-635-7957. Please note that requests for + + +Page 3: +Superintendent’s Circular HRS-PP06 +Page 3 of 4 + + +employment verification are processed in the order they are +received and take between 5 and 10 business days to complete. If +salary/payroll information is needed, it can take longer than 5-10 +business days. Please plan accordingly. +Any subpoenas for records should be directed to the Office of the +Legal Advisor, 2300 Washington Street, Roxbury, MA 02119. +LICENSURE RELATED EMPLOYMENT VERIFICATIONS +All educators and other employees seeking licensure related +verification must complete the BPS Educator Licensure +Verification Requests form. +For loan forgiveness requests, please submit an HR Inquiry with +forms attached on the Beacon via Access.Boston.gov. All former +employees must email ohr@bostonpublicschools.org and include +any supporting documentation. + + + + +Page 4: +Superintendent’s Circular HRS-PP06 +Page 4 of 4 + + +For more information about this circular, contact: +Owner: +Shared Services +Department: +Office of Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Additional +Questions: +For additional questions, please submit an HR +Inquiry Ticket via the Beacon. This can be +found on Access Boston (access.boston.gov). + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP07 Workers' Compensation Procedures.txt b/data/data_txt/HRS-PP07 Workers' Compensation Procedures.txt new file mode 100644 index 0000000..fc11319 --- /dev/null +++ b/data/data_txt/HRS-PP07 Workers' Compensation Procedures.txt @@ -0,0 +1,242 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP07 +Version 01 + + +WORKERS’ COMPENSATION PROCEDURES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OBJECTIVE +The Boston Public Schools Workers’ Compensation Service is +located within Boston City Hall, 6th Floor, Room 613. Workers’ +Compensation Service administers benefits for city workers, +including Boston Public Schools employees. The Workers’ +Compensation Service strives to ensure effective and efficient +delivery of benefits and collects injury data for state and federal +reporting requirements. +ADMINISTERING WORKERS’ COMPENSATION BENEFITS +For the City of Boston Workers’ Compensation Service to provide +adequate service, it is imperative that all work-related injuries be +reported as soon as possible, preferably within twenty-four hours +of the occurrence. +For the Workers’ Compensation Service to provide timely +benefits, your cooperation in obtaining medical documentation is +critical. If a case is reported late, or if the Workers’ Compensation +Service does not have sufficient medical documentation, the +employee’s receipt of benefits may be delayed. + + + +Page 2: +Superintendent’s Circular HRS-PP07 +Page 2 of 7 + + +► It is the employee’s responsibility to request complete +medical treatment records for the work-related injury +and provide them or have them sent to the Workers’ +Compensation Service. Out-of-work notes are NOT +sufficient to maintain workers’ compensation benefits. +Incomplete or late reports of injury could also subject Boston +Public Schools to financial penalties. +● To find the City’s accident report form, as well as a +complete guide to the city’s workers’ compensation +process, please see the City of Boston Workers’ +Compensation Service employee guide at +https://www.boston.gov/departments/human- +resources/workers-compensation-process. +● The accident report can be accessed directly at +https://www.boston.gov/sites/default/files/file/2022/02/ +accident-report-form_2-7-2022.pdf. +STEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF +YOUR EMPLOYMENT +If emergency services (i.e., life threatening, bleeding, head +injuries, severe fractures, etc.) are necessary: +1. Seek out emergency care (via ambulance if necessary) at +the closest emergency care facility to where you were +injured. +2. Fill out and sign the accident report form. Submit it to the +workers’ compensation office and your supervisor or human +resources representative in your department. If you are +unable to fill it out, you can have someone else fill it out for +you. + + +Page 3: +Superintendent’s Circular HRS-PP07 +Page 3 of 7 + + +3. Medical documentation must be sent to Workers’ +Compensation Services (Room 613). +4. A supervisor’s signature is requested solely for the purpose +of notification that an injury occurred. A supervisor’s +signature does not indicate that the supervisor +agrees/disagrees with the report, nor does it indicate the +supervisor witnessed the accident. +5. Reasonable and necessary medical expenses for accepted +work-related injuries will be covered by Workers’ +Compensation Service, regardless of whether time has been +lost due to the injury. However, salary replacement benefits +for accepted work-related injuries are given only if the +employee lost 5 days or more. Substantial medical +documentation is required for employees who have lost 5 +days or more. +6. A representative from Workers’ Compensation will contact +you to follow up on your injury. They will also explain your +benefits and discuss your medical treatment. If you haven’t +heard back within seven (7) days of reporting your injury, +you can speak with a case manager by calling 617-635-3193 +or emailing workerscompstaff@boston.gov. + WHILE ON WORKERS’ COMPENSATION +While on workers’ compensation, the employee must maintain +an approved leave of absence status with the Office of Human +resources by applying for a leave of absence on the HUB and +providing a WH-380-E form or medical +certification/documentation on official letterhead from a health +care provider. For more information on leaves of absence, please +see Superintendent’s Circular HRS-PP13. + + +Page 4: +Superintendent’s Circular HRS-PP07 +Page 4 of 7 + + +While on workers’ compensation, the employee is permitted to +use available sick, personal, or vacation time to supplement the +difference in workers’ compensation earnings to continue to +receive 100% of their normal earnings. This applies to employees +who have available time and have completed the Workers' +Compensation Earnings Consent Form, allowing the use of +earned time. Without consent, the Office of Human resources will +not supplement your workers’ compensation earnings. The +consent form can be accessed directly at: +https://docs.google.com/forms/d/e/1FAIpQLSf0E_fnOzpBy2kNdqn +HyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform. +Supplementing your WC earnings allows employees to maintain +their normal deductions (retirement, union dues, health +insurance, etc.). For some unions, it also minimizes the impact of +earnings that are normally paid over the summer. To be sure of +the financial impact that supplementing (or not supplementing) +your WC earnings will have your pay once you return to work, +please reach out to the BPS Payroll team at 617-635-9460. +Employees are permitted up to 1 year of leave for an injury related +to an approved Workers’ Compensation injury. Employees who +are absent more than 1 year may have an essential functions +meeting held to determine whether they are able to continue +their employment with BPS. +EMPLOYEE RETURNING TO WORK +An employee who is ready to return to work after having been +out due to a work-related injury must have medical clearance +from their doctor. Before returning to work, the employee must +provide copies of the medical clearance note to both OHR and + + +Page 5: +Superintendent’s Circular HRS-PP07 +Page 5 of 7 + + +the Workers’ Compensation Service and inform both offices of +their intent to return and the intended date. The clearance note +should be emailed to OHRLeaves@bostonpublicschools.org as +well as workerscompstaff@boston.gov. +Transitional modified work may be offered by the Boston Public +Schools to employees who have been injured on the job and can +return to work on a modified basis. The Boston Public Schools +makes reasonable accommodations in compliance with the ADA +and M.G.L. c. 151B for employees with handicaps or disabilities, as +outlined in Superintendent's Circular EQT-01. If you wish to seek +reasonable accommodations, please contact the Office of Equity +at 617-635-9650 or accommodations@bostonpublicschools.org to +engage in an interactive dialogue prior to your return. +The goals of the Workers’ Compensation office are to ensure that +eligible injured employees receive quality and timely medical +services, receive timely benefits, and return to the job as quickly +as possible. Your case manager will remain in constant contact +with you, and you will be required to maintain contact and +provide the necessary medical information to your case manager +so that these goals can be achieved. +All accident reports regarding an employee’s injury should be +forwarded to Workers’ Compensation Services (address at the +bottom of this circular). +Any additional information or questions can be forwarded to the +employee’s case manager. Case managers are assigned based on +the employee’s last name. + + +Page 6: +Superintendent’s Circular HRS-PP07 +Page 6 of 7 + + +MEDICAL TREATMENT INFORMATION FOR ALL EMPLOYEES +REGARDING WORKERS’ COMPENSATION +If you need medical care for your work injury or illness, contact a +medical provider. Let them know that you are seeking workers’ +compensation coverage for the treatment. The city currently +does not have any preferred medical providers. +WORKERS’ COMPENSATION CHECKLIST +As this circular is comprehensive, and to prevent delays in +processing, please ensure that you have completed the following +action items when applying for/returning from workers' +compensation. +APPLYING FOR WORKERS’ COMPENSATION +● Complete and submit the Report of Occupational Injury or +Accident. This report should be verified and signed by your +supervisor. +● Review Superintendent’s Circular HRS-PP13 Absence and +Leave Policy. +● Complete a leave of absence application form and submit +WH-380-E form or physician’s certificate. +● Send medical updates to both the City of Boston Workers’ +Compensation Unit and the Office of Human resources to +maintain your leave of absence and workers' compensation +benefits. +● If applicable, complete the workers' compensation +supplemental earnings consent form if you wish to +supplement your benefit with accrued time. + + +Page 7: +Superintendent’s Circular HRS-PP07 +Page 7 of 7 + + +RETURNING FROM WORKERS’ COMPENSATION +● Send both Human resources and City of Boston Workers' +Compensation Unit medical documentation certifying the +ability to return to work with/without restrictions. +For more information about this circular, contact: +Department: +Workers’ Compensation Service +Mailing Address: +Boston City Hall, Room 613, Boston, MA 02201 +Phone: +617-635-3193 +Fax: +617-635-3119 + +For submitting forms to the Office of Human resources: +Owner: +Employee Services +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +OHRleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP08 Incentive for Early Notification of Termination for BTU.txt b/data/data_txt/HRS-PP08 Incentive for Early Notification of Termination for BTU.txt new file mode 100644 index 0000000..cb5fdbe --- /dev/null +++ b/data/data_txt/HRS-PP08 Incentive for Early Notification of Termination for BTU.txt @@ -0,0 +1,90 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP08 +Version 01 + +INCENTIVE FOR EARLY NOTIFICATION OF TERMINATION +FOR BOSTON TEACHERS UNION — TEACHERS UNIT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +To assist hiring for the 2024-2025 school year, the Boston Public +Schools is offering a one-time incentive for early notification of +termination to members of the BTU Teachers Union. +1. An individual must be a permanent BTU teacher, have a +minimum of ten (10) years of continuous service in the +Boston Public Schools, and must meet the minimum age +requirement of fifty-five (55) years. +2. Eligible employees presently on paid or unpaid leave of +absence can apply by completing the online application for +Incentive for Early Notification of Termination and +submitting it to the Office of Human Resources (application +link located below). +3. A Separation Agreement must be completed in order for the +Office of Human Resources to accept the application in full. +Once the application is accepted in full, it is binding on both +parties and irrevocable. +4. Applicants understand that the termination must be +effective between June 30, 2025 and August 31, 2025. + + +Page 2: +Superintendent’s Circular HRS-PP08 +Page 2 of 3 + +5. Applicants will be ineligible for hire into full-time positions +at Boston Public Schools for the school year 2024-2025. +6. Applicants further understand that: +a. They will not be eligible for unemployment +compensation, and +b. Acceptance of this incentive shall not affect any rights +of a member under the Teacher Retirement Law. +7. Applications must be filed with the Office of Human +Resources by the close of business on Friday, January 10, +2025. If accepted, a one-time payment of $1,500 will be +made by Friday, February 28, 2025. +8. Individuals planning to retire must also file an “Intent to +Retire” form with the City of Boston Retirement Board. The +incentive application does not replace this process. Please +note that pursuant to Retirement Board policy, an individual +cannot file an “Intent to Retire” more than forty-five (45) +days before the retirement date. +9. BTU/Teachers Unit employees wishing to apply for this +incentive for early notification of termination must submit +the following Google form to the Office of Human +Resources: +Application for Incentive for Early Notification of Termination + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Application Deadline +Payment +Friday, January 10 +Friday, February 28 + + + +Page 3: +Superintendent’s Circular HRS-PP08 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Employee Information +Department: +Office of Human Resources +Mailing +Address: +2300 Washington Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeinformation@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP09 Criminal History Screening.txt b/data/data_txt/HRS-PP09 Criminal History Screening.txt new file mode 100644 index 0000000..47a9bb9 --- /dev/null +++ b/data/data_txt/HRS-PP09 Criminal History Screening.txt @@ -0,0 +1,1464 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PP09 + + +CRIMINAL HISTORY SCREENING +This policy circular shall remain in effect unless rescinded or +replaced by a subsequent version. +The Boston School Committee and superintendent are +committed to providing a safe learning and work environment +for Boston Public Schools students and employees. Following all +applicable federal and state laws and regulations regarding +Criminal Offender Record Information (CORI), including +fingerprinting and Sex Offender Registry Information (SORI), it is +the policy of the Boston Public Schools to conduct a criminal +background check (“CORI check”) at least once every three (3) +years on current and prospective employees, contracted service +providers, volunteers, school transportation providers, and other +individuals who may have direct and unmonitored contact with +children.1 The Boston Public Schools criminal history screening +policy applies to all current and prospective: +a. full-time or part-time employees and candidates for +employment, including promotions +b. substitute employees +c. student teachers, apprentices, and interns + +1 See also the Boston Public Schools Sexual Offender Registry +Information (SORI) Policy. + + +Page 2: +Superintendent’s Circular HRS-PP09 +Page 2 of 32 + +d. employees of educational programs +e. individuals who regularly provide school-related +transportation to children +f. contractors +g. volunteers, subcontractors, and laborers who perform work +in school buildings or on school grounds 2 +The Department of Criminal Justice Information Services (DCJIS) +provides Boston Public Schools with “Required 2” access to CORI. +Required 2 access produces a CORI record that includes all +adult/youthful offender convictions, non-convictions, and +pending offenses but does not list any sealed, juvenile, civil, or +non-incarcerable crimes. The following practices and procedures +are applicable when CORI and other criminal history checks, +including fingerprint screening, are part of a general background +check for employment or volunteer work in BPS. +CONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) +SCREENING +Criminal history checks, including CORI checks and fingerprint +screenings, will only be conducted as authorized by the +Department of Criminal Justice Information Services (DCJIS) +under Mass. Gen. Laws c. 6, §§ 172 and 172B ½, c. 71, § 38R, 28 CFR +20.33(a)(3), and Public Law 92‐544. Boston Public Schools will only +perform a criminal history check after receiving a completed + +2 Volunteers, subcontractors, and laborers will not be subject to +fingerprinting. + + +Page 3: +Superintendent’s Circular HRS-PP09 +Page 3 of 32 + +CORI/Fingerprinting Acknowledgement Form and confirming +the individual’s identity. +NOTE: BPS policy and procedures for criminal history checks +including fingerprint screening are also subject to the +regulations, policies, and procedures promulgated by the DCJIS +and state board of elementary and secondary education. In +accordance with those procedures, all candidates’ fingerprints +will be searched against the Automated Fingerprint +Identification System (AFIS) fingerprint database which is +maintained by the Massachusetts State Police and the Federal +Bureau of Investigation’s (FBI) Integrated Automated Fingerprint +Identification System (IAFIS) fingerprint database. A fee will be +required to conduct a fingerprint screen. +In the instance that the Boston Public Schools requests an +additional CORI Check from the DCJIS on an individual whose +CORI has already been obtained within a year of signing the +original CORI/Fingerprinting Acknowledgement Form, the +individual will receive notice within 72 hours that it intends to +conduct an additional CORI check. A current employee being +considered for promotion must submit to a CORI check, +regardless of whether a CORI check has been conducted within +that year. +ACCESS TO CRIMINAL HISTORY INFORMATION (CORI AND +FINGERPRINT SCREENING) +All criminal history information obtained from the DCJIS is +confidential, and access to the information must be limited to +those individuals who have a “need to know.” This may include, +but is not limited to, staff submitting the CORI requests and staff + + +Page 4: +Superintendent’s Circular HRS-PP09 +Page 4 of 32 + +members of the CORI/Criminal History Review Panel. The Boston +Public Schools maintains and keeps a current list of each +individual authorized to have access to, or view, a CORI and the +results of a fingerprint screen. This list must be updated every six +(6) months and is subject to inspection at any time only upon +request by the DCJIS. +CORI TRAINING +The Boston Public Schools is an agency required to maintain a +CORI Policy under Mass. Gen. Laws c. 6, §171A. Accordingly, all +personnel authorized to conduct criminal history background +checks or inspect CORI information will review and familiarize +themselves with the educational and relevant training materials +regarding CORI laws and regulations made available by the +DCJIS. +USE OF CRIMINAL HISTORY IN BACKGROUND SCREENING +The Boston Public Schools shall only access, for employment +purposes, the CORI and fingerprinting information for candidates +who are otherwise qualified for the position for which they have +applied and for current employees during periodic criminal +background checks. +Unless otherwise provided by law, a criminal record will not +automatically disqualify an individual for employment, contract +work, subcontract work, volunteering, or interning. Suitability +determinations based on criminal background checks will be +consistent with this policy and applicable laws or regulations. +I. +Verifying a Subject’s Identity + + +Page 5: +Superintendent’s Circular HRS-PP09 +Page 5 of 32 + +If a criminal record is received from the DCJIS, the information is +to be closely compared with the information on the +CORI/Fingerprinting Acknowledgement Form and any other +identifying information provided by an individual to ensure the +record belongs to the individual. +If the information in the CORI record provided does not precisely +match the identification information provided by the individual, a +determination is to be made by a Boston Public Schools +employee(s) authorized to make such determinations based on a +comparison of the CORI record and documents provided by the +individual. +II. +Inquiring About Criminal History +In connection with any decision regarding employment, +internships, or volunteer opportunities within the Boston Public +Schools, the individual shall be provided with a copy of their +criminal history record, whether obtained from the DCJIS or any +other source, before asking the subject questions about their +criminal history. The source(s) of the criminal history record is +also to be disclosed to the subject. + + + + + +Page 6: +Superintendent’s Circular HRS-PP09 +Page 6 of 32 + +III. +Determining Suitability +When an individual’s CORI record or fingerprint screen lists one +or more offenses, the first step is to convene the CORI/Criminal +History Review Panel. The panel will verify that the criminal +record belongs to the individual and that the individual has not +disputed the criminal record’s accuracy based on the procedure +described in Section V of this policy. +Findings from CORI Investigations – No Further Review – +Outstanding Warrants +1) If the CORI investigation reveals a conviction of a Table B +crime that is a felony more than ten years old or a Table B +crime that is a misdemeanor more than five years old, and +there are no subsequent convictions or pending cases of +any kind, the CORI/Criminal History Review Panel will not +consider such crime. For purposes of computing the five- +and ten-year periods, the period will run from the date any +court supervision, probation, or sentence was terminated. +2) If the CORI investigation reveals an outstanding warrant for +any offense, the CORI/Criminal History Review Panel will +inform the candidate that they are ineligible for +employment unless the warrant is removed. +3) Storage, retention, and destruction of all CORI reports, +including those with a finding of “no record,” shall follow +DCJIS regulations at 803 CMR 2.00: Criminal Offender +Record Information (CORI). + + + + + +Page 7: +Superintendent’s Circular HRS-PP09 +Page 7 of 32 + +Findings from CORI Investigation - Crimes Subject to Review +1) If the CORI investigation reveals a conviction of a Table A +crime, regardless of when it occurred, or a pending Table A +crime, or a conviction of a Table B crime within the five- and +ten-year periods or a pending Table B crime, the +CORI/Criminal History Review Panel will carefully consider +the following factors in its decision to hire or not hire the +candidate: +a. time since the conviction or pending offense +b. age of the candidate at the time of the offense +c. nature and specific circumstances of the offense +d. the sentence imposed and the length of any period of +incarceration +e. relationship of the criminal act to the nature of the +work to be performed +f. number of offenses +g. whether offenses were committed in association with a +dependence on drugs or alcohol, from which the +candidate has since recovered +h. any relevant evidence of rehabilitation or lack thereof, +such as information about compliance with conditions +of parole or probation, including orders of no contact +with victims and witnesses; and the individual’s +conduct and experience since the time of the offense, +including but not limited to educational or professional +certifications obtained; and + + +Page 8: +Superintendent’s Circular HRS-PP09 +Page 8 of 32 + +i. any other relevant information, including information +submitted by the candidate or requested by the +CORI/Criminal History Review Panel. +2) The CORI/Criminal History Review Panel, using a form +prescribed by BPS, will also make a written determination of +its decision to hire or not hire such candidate. This form will +document the factors and rationale for the decision of the +CORI/Criminal History Review Panel. A copy of such written +determination will be maintained by the CORI/Criminal +History Review Panel in a secure location, together with the +CORI and criminal record disclosure information that may +have been requested under this policy. +Completion of the written determination form will serve to +confirm that the CORI/Criminal History Review Panel has +carefully reviewed the CORI and other relevant information, +including information provided by the candidate, so that the +vulnerable populations served by BPS are protected, and +candidates with criminal histories are given a fair +opportunity to be employed and to reintegrate successfully +into the workforce. +3) If the CORI/Criminal History Review Panel decides to hire a +candidate with a CORI showing a conviction of or pending +Table A crime, the CORI/Criminal History Review Panel will +submit the prescribed form to the Chief Human Resources +Officer, the Superintendent of Schools, or their designees. +The CORI/Criminal History Review Panel will not proceed to +hire the candidate for ten business days from the date the +Chief Human Resources Officer or the Superintendent of +Schools, or their designees receive the form. During such +time, the Chief Human Resources Officer, the + + +Page 9: +Superintendent’s Circular HRS-PP09 +Page 9 of 32 + +Superintendent of Schools, or their designees may +disapprove the hire or request additional information. +Notwithstanding the foregoing, a CORI/Criminal History +Review Panel may proceed to hire the candidate before the +expiration of the five days if the Chief Human Resources +Officer or the Superintendent of Schools or their designees, +after receiving the prescribed form, informs the +CORI/Criminal History Review Panel that they do not intend +to disapprove the hire or request additional information. +4) If the CORI/Criminal History Review Panel does not wish to +hire a candidate with a Table A crime or a Table B crime +within the five- and ten-year period, the prescribed form will +be completed and maintained on file in a secure location. +ADVERSE DECISIONS BASED ON CRIMINAL HISTORY +INFORMATION (CORI AND FINGERPRINT SCREENING) +If the Boston Public Schools is inclined to make an adverse +decision based on criminal history background check results, the +candidate will be notified immediately. The candidate shall be +provided with a copy of the Boston Public Schools Criminal +History Screening policy and their criminal history. The source(s) +of the criminal history will also be revealed. The individual will +then be provided with an opportunity to dispute the accuracy of +the information. Individuals shall also be provided a copy of +DCJIS’ Information Concerning the Process for Correcting a +Criminal Record. The Boston Public Schools will stay the decision +for a brief time and document the steps taken to comply with +this procedure. +SECONDARY DISSEMINATION LOGS + + +Page 10: +Superintendent’s Circular HRS-PP09 +Page 10 of 32 + +All CORIs obtained from the DCJIS are confidential and can only +be disseminated as authorized under the applicable law and +regulations. A central secondary dissemination log shall be used +to record any dissemination of a CORI outside this organization, +including dissemination at the individual’s request. +CORI/CRIMINAL HISTORY REVIEW PANEL +The Boston Public Schools CORI/Criminal History Review Panel +shall consist of four or more of the following individuals: the +Deputy Superintendent of Operations, the Chief Human +Resources Officer, the Director of Transportation, the Director of +Facilities, the Director of Labor Relations, the Director of Equity, +or their designees. The panel, as well as the Superintendent, +Legal Advisor, and Chief Operations Officer, shall all have access +to criminal history information on a case-by-case basis as is +necessary to perform their job functions. When reviewing an +individual’s criminal history information to determine whether an +individual is qualified for employment as a BPS employee or is +qualified to work as a contractor, subcontractor, laborer, intern, or +volunteer, the panel will review such factors as outlined in +Section VII. The panel will determine whether an individual +qualifies for employment or will commence work as a contractor, +subcontractor, laborer, intern, or volunteer. The decision made by +the CORI/Criminal History Review Panel shall be recorded and +shall be made by a majority of members present. A minimum of +four panel members must be present for a decision to be made. +In the interests of confidentiality and the furtherance of the +protection of school children, the identity of the panel reviewing +a particular subject’s confidential criminal history will not be +disclosed. + + +Page 11: +Superintendent’s Circular HRS-PP09 +Page 11 of 32 + +REGISTRATION PROCESS FOR FINGERPRINTING +You must submit to fingerprinting as part of your criminal +background screening to work for Boston Public Schools. Please +follow the steps below to register for an appointment to get +fingerprinted at the nearest site (most likely Dorchester) +operated by MorphoTrust USA. +The below summarizes the procedure to register and get your +fingerprints taken. For further information and details, please see +the state’s guide, “Statewide Applicant Fingerprint Identification +Services (SAFIS) Program: Registration Guide,” available at the +following link: https://www.mass.gov/files/2017-06/safis- +registration-guide-dcf-fv1-0_0.pdf +Step 1: Sign up for an appointment online or over the phone. + +https://ma.ibtfingerprint.com/ + +866-349-8130 +Step 2: Give the Provider ID for Boston Public Schools. + +Enter the following number as the district Provider ID: +00350000 +Step 3: Pay a fee for the FBI and state government agencies +to process your fingerprints. +Licensed educators: $55 +Non-licensed staffers: $35 +Step 4: Make an appointment and get a Registration +Confirmation Number. You will need to bring the +Registration Confirmation Number with you to your +appointment. +Step 5: +Go to your appointment and bring a proper ID. + +Your ID must contain a photo, your full name, and +date of birth and be unexpired. + + +Page 12: +Superintendent’s Circular HRS-PP09 +Page 12 of 32 + +Step 6: +Obtain a receipt from MorphoTrust showing your +fingerprints were taken. + +Keep your receipt and make a copy of it. +Step 7: +Mail the copy of your receipt to: +BPS Office of Human Capital +2300 Washington Street, 4th Floor +Boston MA 02119 +MISCELLANEOUS +a) All individuals covered by the Boston Public Schools CORI +Policy must submit an annual CORI Acknowledgment Form +within ten days or following a request from the Office of +Human Capital. +b) A CORI Acknowledgment Form is valid for one year from the +date the individual signs the form or until the conclusion of +a subject’s employment, whichever comes first, and must be +maintained for a minimum of one year from the date of +execution. Within the year, the Boston Public Schools may +submit an additional request for CORI but will first provide a +72-hour written notice. If the individual objects to an +additional CORI, the CORI Acknowledgment Form becomes +invalid. However, the Boston Public Schools may make an +adverse employment decision based on an individual’s +objection to a request for CORI. Criminal history information +will be maintained confidentially, on a need-to-know basis +only, by the Office of Human Capital. A limited number of +designated individuals will routinely review criminal history +information. The Office of Human resourcesdesignee(s) will +receive and maintain all properly obtained criminal history + + +Page 13: +Superintendent’s Circular HRS-PP09 +Page 13 of 32 + +information and will keep the assistant superintendent of +Human resourcesinformed. +c) CORI information will remain segregated and secured from +all personnel files or other personnel information. Hard +copies will be stored in a locked, secured location. If the +Boston Public Schools retains electronic copies of CORI +reports, then the Boston Public Schools will password +protect and encrypt the reports. The reports will not be +maintained for more than seven (7) years after the +employee’s last date of employment or after the final +decision not to hire the candidate. +d) For any adverse decision based on the criminal background +check results, the individual will be notified immediately, +either in person or by telephone, fax, email, or letter. +e) CORI information may be used only to further the protection +of children and for no other purpose. Access to such +information shall be obtained in accordance with Mass. Gen +Laws c. 6, §§167 to 168, inclusive. Improper use of CORI +information is both a civil and a criminal offense and may +subject an employee to discipline. + + + + + +Page 14: +Superintendent’s Circular HRS-PP09 +Page 14 of 32 + +For more information about this circular, contact: +Owner: +Director of Labor Relations +Department: +Office of Labor Relations +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-1576 +Email: +OLR@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 15: +Superintendent’s Circular HRS-PP09 +Page 15 of 32 + +TABLE A +Crime Name +MGL +ABANDON CHILD UNDER 10, RESULTING IN DEATH c. 119, § 39 +ABUSE OF PATIENT IN LONG TERM CARE FACILITY c. 265, § 38 +ANIMALS, CRUELTY TO +c. 272, § 77 +ARMED CAREER CRIMINAL +c. 269, § 10G +ARSON OF DWELLING HOUSE +c. 266, § 1 +ASSAULT, AGGRAVATED +c. 265, § 13A(b) +ASSAULT & BATTERY, DANGEROUS WEAPON, +AGGRAVATED +c. 265, § 15A(c) +ASSAULT & BATTERY, DANGEROUS WEAPON, +VICTIM 60 AND OLDER +c. 265, § 15A(a) +ASSAULT & BATTERY ON CHILD +c. 265, § 13J +ASSAULT & BATTERY ON ELDER OR PERSON WITH +DISABILITY +c. 265, § 13K +ASSAULT & BATTERY, INTIMIDATION, +RACE/COLOR/RELIGION +c. 265, §§ 39(a) and +39(b) +ASSAULT & BATTERY ON PERSON WITH +INTELLECTUAL DISABILTY +c. 265, § 13F +ASSAULT WITH INTENT TO MURDER OR ROB, +ARMED +c. 265, § 18(b) +ASSAULT WITH INTENT TO MURDER OR ROB, +VICTIM 60 AND OLDER, ARMED +c. 265, § 18(a) +ASSAULT IN DWELLING, ARMED +c. 265, § 18A +ASSAULT BY DANGEROUS WEAPON, VICTIM 60 +AND OLDER +c. 265, § 15B(a) + + +Page 16: +Superintendent’s Circular HRS-PP09 +Page 16 of 32 + +ASSAULT WITH INTENT TO MURDER OR MAIM +c. 265, § 15 +ASSAULT WITH INTENT TO RAPE +c. 265, § 24 +ASSAULT WITH INTENT TO RAPE CHILD UNDER 16 +c. 265, § 24B +BREAKING AND ENTERING NIGHT, +BLDG/SHIP/MOTOR VEHICLE, INTENT TO COMMIT +FELONY + +c. 266, § 16 +CARJACKING, ARMED +c. 265, § 21A +CHILD IN NUDE OR SEXUAL ACT, POSE/EXHIBIT OR +DISTRIBUTE MATERIAL +c. 272, §§ 29A and 29B +CHILD ENTICEMENT +c. 265, § 26C +CIVIL RIGHTS VIOLATION, BODILY INJURY +c. 265, § 37 +CRIMINAL HARASSMENT, SUBSEQUENT OFFENSE +c. 265, § 43A(B) +DRUGS, DISTRIBUTE TO MINOR +c. 94C, § 32F +DRUGS, TRAFFICKING IN COCAINE +c. 94C, § 32E(b)(1)-(4) +DRUGS, TRAFFICKING IN HEROIN +c. 94C, § 32E(c)(4) +DRUGS, TRAFFICKING IN MARIJUANA +c. 94C, § 32E(a)(4) +ELDER/DISABLED, PERMIT ABUSE ON +c. 265, § 13K(a ½) +EXPLOSION, MALICIOUS +c. 266, § 102B +(c. 266, §101 prior to +July 15, 2010) + +EXTORTION +c. 265, § 25 +FIREARM, ARMED CAREER CRIMNAL +c. 269, § 10G +HOME INVASION +c. 265, § 18C +IDENTITY FRAUD +c. 266, § 37E + + +Page 17: +Superintendent’s Circular HRS-PP09 +Page 17 of 32 + +INCEST +c. 272, § 17 +INDECENT ASSAULT & BATTERY ON PERSON 14 OR +OVER +c. 265, § 13H +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14 +c. 265, § 13B +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14, AGGRAVATED +c. 265, § 13B½ +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14, AGGRAVATED, SUBSEQUENT EVENT +c. 265, § 13B¾ +INDECENT ASSAULT & BATTERY ON +DIABLED/PERSON OVER 60 +c. 265, § 13K +INDECENT ASSAULT & BATTERY ON RETARDED +PERSON +c. 265, § 13F +KIDNAPPING +c. 265, § 26 +KIDNAPPING MINOR BY RELATIVE, ENDANGER +SAFETY +c. 265, § 26A +MANSLAUGHTER (Voluntary or Involuntary) +c. 265, § 13 +MAYHEM +c. 265, § 14 +MURDER +c. 265, §§ 1 and 2 +OBSCENE PICTURES, DISTRIBUTING +c. 272, §§ 28 and 29 +OBSCENE MATERIALS HARMFUL TO MINOR, +DISTRIBUTE OR POSSESS WITH INTENT TO +DISTRIBUTE +c. 272, § 28 +PHOTOGRAPH UNSUSPECTING NUDE PERSON/ +PHOTOGRAPH OF UNSUSPECTING NUDE PERSON, +DISSEMINATE +c. 272, §§ 105(b) and (c) +c.272, §§104(b) and (c) +prior to March 7, 2014 +PRESCRIPTION; FORGERY, ALTER, SUBSEQUENT +OFFENSE +c. 94C, § 33(c) + + +Page 18: +Superintendent’s Circular HRS-PP09 +Page 18 of 32 + +PROSTITUTION, DERIVE SUPPORT FROM +c. 272, § 7 +PROSTITUTION, DERIVE SUPPORT FROM CHILD +c. 272, § 4B +PROSTITUTION, INDUCE MINOR TO +c. 272, § 4A +PROSTITUTION, MAINTAIN HOUSE OF +c. 272, § 6 +PROSTITUTION/UNLAWFUL SEX/ABDUCT PERSON +FOR +c. 272, § 2 +PROSTITUTION/SOLICITATION (With Person under +18); +PROSTITUTION/SOLICITATION (With person under +14); Prior to February 19, 2012 +c. 272, § 53A(b) +RAPE +c. 265, § 22(b) +RAPE, AGGRAVATED +c. 265, § 22(a) +RAPE & ABUSE OF A CHILD, AGGRAVATED +c. 265, § 23A +RAPE & ABUSE OF A CHILD, AGGRAVATED, +SUBSEQUENT EVENT +c. 265, § 23B +RAPE OF CHILD WITH FORCE +c. 265, § 22A +RAPE OF CHILD WITH FORCE, AGGRAVATED +c. 265, § 22B +RAPE OF CHILD WITH FORCE, AGGRAVATED, +SUBSEQUENT EVENT +c. 265, § 22C +RAPE OF CHILD (STATUTORY) +c. 265, § 23 +RECKLESS ENDANGERMENT TO CHILDREN +c. 265, § 13L +ROBBERY, ARMED +c. 265, § 17 +SEX OFFENDER, FAILURE TO REGISTER +c. 6, § 178H(a) +SEXUAL CONDUCT WITH CHILD UNDER 18, PAY +FOR OR FOR FEE; SEXUAL CONDUCT WITH CHILD +UNDER 14, PAY FOR OR FOR A FEE; Prior to +February 19, 2012 +c. 272, § 53A(b) +SEXUAL INTERCOURSE, ADMINISTER DRUGS FOR +c. 272, § 3 + + +Page 19: +Superintendent’s Circular HRS-PP09 +Page 19 of 32 + +SEXUAL INTERCOURSE, INDUCE MINOR +c. 272, § 4 +STALKING +c. 265, § 43(a) +STALKING IN VIOLATION OF RESTRAINING ORDER c. 265, § 43(b) +UNNATURAL ACTS WITH CHILD UNDER 16 +c. 272, § 35A +VIOLATE DOMESTIC PROTECTIVE ORDER +c. 208, § 34C +VIOLATION OF PROTECTIVE ORDER (209A) +c. 209A, § 7 +WEAPON OF MASS DESTRUCTION +c. 266, § 102C +CONSPIRACY TO COMMIT ANY OF THE ABOVE +TABLE A CRIMES +c. 274, § 7 + + + + +Page 20: +Superintendent’s Circular HRS-PP09 +Page 20 of 32 + +ACCESSORY BEFORE THE FACT OF ANY OF THE +ABOVE TABLE A CRIMES +c. 274, § 2 +ATTEMPT TO COMMIT ANY OF THE ABOVE TABLE A +CRIMES +c. 274, § 6 + + + + + +Page 21: +Superintendent’s Circular HRS-PP09 +Page 21 of 32 + +TABLE B + +Crime Name + +MGL +Felony or +Mis-demeanor +ABANDON CHILD UNDER 10 +c. 119, § 39 +M +ACCESSORY AFTER FACT (VARIABLE) +c. 274, § 4 +F +ACCOSTING; LEWD & LASCIVIOUS +CONDUCT; INDECENT EXPOSURE +c. 272, § 53 +M +AFFRAY, SUBSEQUENT OFFENSE AFFRAY +(Prior to August 1, 2009) +c. 272, § 53 +M +AID ESCAPE FROM CUSTODY +c. 268, § 17 +M +ALCOHOLIC BEVERAGES, SELL/DELIVER +TO PERSON UNDER 21 +c. 138, § 34 +M +ALIEN IN POSSESS OF FIREARM +c. 140, § 131H +M +ASSAULT +c. 265, § 13A(a) +M +ASSAULT WITH INTENT TO ROB, +UNARMED +c. 265, § 20 +F +ASSAULT & BATTERY +c. 265, § 13A(a) +M +ASSAULT & BATTERY ON PUBLIC +SERVANT/POLICE OFFICER +c. 265, § 13D +M +ASSAULT & BATTERY ON CORRECTIONAL +OFFICER +c. 127, § 38B +F +ASSAULT & BATTERY DANGEROUS +WEAPON +c. 265, § 15A(b) +F +ASSAULT BY DANGEROUS WEAPON +c. 265, § 15B(b) +F +ASSAULT WITH HYPODERMIC NEEDLE, +SYRINGE +c. 265, § 15C(a) +F + + +Page 22: +Superintendent’s Circular HRS-PP09 +Page 22 of 32 + +ASSAULT & BATTERY WITH HYPODERMIC +NEEDLE, SYRINGE +c. 265, § 15C(b) +F +ATTEMPT TO INJURE DEPOSITORY OF +VALUABLES +c. 266, § 16 +F +BETTING; TAKING, ALLOWING +c. 271, § 17 +M +BODY ARMOR, USE OF IN COMMISSION +OF FELONY +c. 269, § 10D +F +BOMB SCARE /HIJACK THREAT +c. 269, § 14 +F +BOMB/EXPLOSIVES, UNLAWFUL +POSSESSION + + +c. 266, §102. +c. 148, § 35 prior +to July 15, 2010 +F +(M prior to July +15, 2010) +BREAKING AND ENTERING DAY, INTENT +TO COMMIT FELONY, PERSON IN FEAR +c. 266, § 17 + +F +BREAKING AND ENTERING DAY, INTENT +TO COMMIT FELONY +c. 266, § 18 +F +BREAKING AND ENTERING RAILROAD +CAR +c. 266, § 19 +F +BREAKING AND ENTERING TRUCK, +INTENT TO COMMIT FELONY +c. 266, § 20A +F +BREAKING AND ENTERING, INTENT TO +COMMIT MISDEMEANOR +c. 266, § 16A +M +BRIBERY OF A POLICE OFFICER +(state/local official or member of the +judiciary) +c. 268A, § 2 +F +BRIBERY/GIFTS TO INFLUENCE +BUSINESS AFFAIRS +c. 271, § 39 +F +BURGLARIOUS TOOLS, MAKE OR +POSSESS +c. 266, § 49 +F + + +Page 23: +Superintendent’s Circular HRS-PP09 +Page 23 of 32 + +BURGLARIOUS TOOLS, MOTOR VEHICLE +MASTER KEY, MAKE OR POSSESS +c. 266, § 49 +F +BURGLARY, ARMED +c. 266, § 14 +F +BURGLARY, UNARMED +c. 266, § 15 +F +BURNING BUILDING +c. 266, § 2 +F +BURNING MOTOR VEHICLE OR +PERSONAL PROPERTY +c. 266, § 5 +F +BURNING TO DEFRAUD INSURANCE CO. c. 266, § 10 +F +BURN MOTOR VEHICLE, WILLFUL & +MALICIOUS +c. 266, § 127 +F +CIVIL RIGHTS VIOLATION, NO BODILY +INJURY +c. 265, § 37 +M +COMPOUNDING OR CONCEALING +FELONY +c. 268, § 36 +F +CONTRIBUTE TO DELINQUENCY OF +CHILD +c. 119, § 63 +M +CONFINE OR PUT IN FEAR TO STEAL OR +ATTEMPT TO STEAL +c. 265, § 21 +F +CREDIT CARD, LARCENY OR MISUSE OF +c. 266, § 37B +M +CREDIT CARD, UNAUTHORIZED USE, +OVER $250 +c. 266, § 37C +F +CRIMINAL HARASSMENT +c. 265, § 43A(a) M +DANGEROUS WEAPON, CARRYING +c. 269, §§ 10(b) +and 10(d) + +F +DANGEROUS WEAPON, UNLAWFUL +POSSESSION +c. 269, § 10(b) +F +DEFACEMENT OF REAL OR PERSONAL +PROPERTY +c. 266, § 126A +F + + +Page 24: +Superintendent’s Circular HRS-PP09 +Page 24 of 32 + +DESTRUCTION OF PROPERTY OVER $250, +MALICIOUS +c. 266, § 127 +F +DISORDERLY CONDUCT +c. 272, § 53 +M +DRUGS, LARCENY FROM AUTHORIZED +PERSON +c. 94C, § 37 +F +DRUGS, FAILURE TO KEEP RECORDS +c. 94C, § 15 +M +DRUGS, ILLEGAL POSSESSION CLASS C +SUBSTANCE +c. 94C, § 34 +M +DRUGS, ILLEGAL POSSESSION CLASS D +SUBSTANCE +c. 94C, § 34 +M +DRUGS, ILLEGAL POSSESSESSION CLASS +E SUBSTANCE +c. 94C, § 34 +M +DRUGS, DISPENSE WITHOUT +PRESCRIPTION OR WHEN NOT +REGISTERED +c. 94C, § 25 +M +DRUG PARAPHENELIA, DISTRIBUTE OR +INTEND TO DISTRIBUTE +c. 94C, § 32I(a) +M +DRUG PARAPHENELIA, SELL TO MINOR +c. 94C, § 32I(B) +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS A SUBSTANCE +c. 94C, § 32 +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS B SUBSTANCE +c. 94C, § 32A +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS C SUBSTANCE +c. 94C, § 32B +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS D SUBSTANCE +c. 94C, § 32C +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS E SUBSTANCE +c. 94C, § 32D(a) M + + +Page 25: +Superintendent’s Circular HRS-PP09 +Page 25 of 32 + +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS B SUBSTANCE +c. 94C, § 32A +F +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS A SUBSTANCE IN, ON, OR NEAR +SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS B SUBSTANCE IN, ON, OR NEAR +SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, MOTOR VEHICLE HOMICIDE, +NEGLIGENT OPERATION +c. 90, § 24G(b) +F +DRUGS, POSSESS CLASS A SUBSTANCE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS A SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32(a) +F +DRUGS, POSSESS CLASS B SUBSTANCE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS B SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32A(a) F +DRUGS, POSSESS CLASS C SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32B(a) F +DRUGS, POSSESS CLASS C SUBSTANCE, +SUBSEQUENT OFFENSE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS D SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32C(a) M +DRUGS, POSSESS CLASS D SUBSTANCE, +SUBSEQUENT OFFENSE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS E SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32D +M + + +Page 26: +Superintendent’s Circular HRS-PP09 +Page 26 of 32 + +DRUGS, POSSESS CONTROLLED +SUBSTANCE WITH INTENT TO +DISTRIBUTE, SUBSEQUENT OFFENSE + +c. 94C, § 32(b) + +F +DRUGS, POSSESS COUNTERFEIT +SUBSTANCES WITH INTENT TO +DISTRIBUTE + +c. 94C, § 32G + +M +DRUGS, POSSESS CLASS A SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, POSSESS CLASS B SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, POSSESS CLASS D SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, TRAFFICKING IN COCAINE IN, +ON, OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, TRAFFICKING IN HEROIN IN, ON, +OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, TRAFFICKING IN MARIJUANA IN, +ON, OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, UNLAWFULLY OBTAINING +CONTROLLED SUBSTANCE, FALSE +PRESCRIPTION, FRAUD, FALSE +REGISTRATION +c. 94C, § 33 +F +EMBEZZLEMENT +c. 266, §§ 51-52, +55-59 +F + + +Page 27: +Superintendent’s Circular HRS-PP09 +Page 27 of 32 + +ENTER WITHOUT BREAKING, +BLDG/SHIP/MOTOR VEHICLE, INTENT TO +COMMIT A FELONY, PERSON IN FEAR +c. 266, § 17 +F +ENTER WITHOUT BREAKING A +DWELLING IN NIGHT, INTENT TO COMMIT +FELONY +c. 266, § 18 +F +ENTER WITHOUT BREAKING, TRUCK, +WITH INTENT TO COMMIT FELONY +c. 266, § 20A +F +ESCAPE BY PRISONER +c. 268, § 16 +F +ESCAPE, FURLOUGH +c. 268, § 16 +F +EXPLOSIVES, THROWING +c. 266, § 102 +F +EXPLOSIVES, THROW/PLACE/EXPLODE +OR POSSESS WITH INTENT TO INJURE + +c. 266, § 102 + +F +FIREARM, CARRYING LOADED +RIFLE/SHOTGUN +c. 269, § 12D(a) +M +FIREARM, CARRYING LOADED OR +UNLOADED FIREARM ON A PUBLIC WAY; +UNENCLOSED CASE + +c. 269, § 12D(b) + +F +FIREARM, DISCHARGE WITHIN 500 FT. +OF A BUILDING +c. 269, § 12E +M +FIREARM, DISCHARGE WITHIN 500 FT. +OF A DWELLING OR NEAR HIGHWAY + +c. 131, § 58 + +M +FIREARM LICENSE/ID CARD, FALSE +c. 140, § 131I +F +FIREARM, POSSESS WITHOUT FIREARMS +ID +c. 269, § 10(h) +M +FIREARM, POSSESS OF, SERIAL/ID +NUMBER OBLITERATED +c. 269, § 11C +F + + +Page 28: +Superintendent’s Circular HRS-PP09 +Page 28 of 32 + +FIREARM, POSSESS OF, SERIAL/ID +NUMBER OBLITERATED, USED IN +COMMISION OR ATTEMPTED +COMMISION OF A FELONY + +c. 269, § 11B + +F +FIREARM, SELL WITHOUT LICENSE +c. 140, § 128 +F +FIREARM, SHOTGUN, BARREL UND 18 +“SAWED OFF”, POSSESS, SUBSEQUENT +OFFENSE +c. 269, § 10(d) +F +FIREARM, SHOTGUN, BARREL UND 18 +“SAWED OFF”, POSSESS +c. 269, § 10(c) +F +FIREARM UNATTENDED +c. 269, § 10(h) +F +FIREARM, UNLAWFUL POSSESSION, +COMMISSION FELONY +c. 265, § 18B +F +FIREARM, SHOTGUN, UNLAWFUL +POSSESSION +c. 140, § 129C +M +FIREARM VIOLATION, CARRY WITH +AMMUNITION +c. 269, § 10(n) +M +FORGED INSTRUMENT, UTTER +c. 267, § 5 +F +FUGITIVE FROM JUSTICE +c. 276, § 19 +M +GUN PERMIT, FALSE INFORMATION FOR c. 140, § 129 +M +HOAX DEVICE/SUBSTANCE, +POSSESS/TRANSPORT/USE +c. 266, § 102A ½; +c. 266, §102 +prior to July 15, +2010 + +F +INDECENT EXPOSURE +c. 272, § 53 +M +INFERNAL MACHINE, POSSESS +c. 266, § 102A +c. 266, §102 +prior to July 15, +2010 +F + + +Page 29: +Superintendent’s Circular HRS-PP09 +Page 29 of 32 + +KIDNAPPING MINOR BY RELATIVE +c. 265, § 26A +M +KILL BEAST, WILLFUL & MALICIOUS +c. 266, § 112 +F +LARCENY, MOTOR VEHICLE OR TRAILER c. 266, § 28 +F +LARCENY, PERSON +c. 266, § 25 +F +LARCENY, PERSON 65+ +c. 266, § 25 +F +LARCENY BY CHECK UNDER $250 +c. 266, § 37 +M +LARCENY BY CHECK OVER $250 +c. 266, § 37 +F +LARCENY FIREARM +c. 266, § 30 +F +LARCENY IN BLDG, SHIP, VESSEL, OR RR +CAR +c. 266, § 20 +F +LARCENY IN TRUCK/TRAILER +c. 266, § 20B +F +LARCENY OVER $250 +c. 266, § 30 +F +LARCENY UNDER $250 +c. 266, §30 +M +LARCENY, BANK EMPLOYEE OR OFFICER c. 266, § 52 +F +LEAVE SCENE AFTER PERSONAL INJURY, +MOTOR VEHICLE +c. 90, § +24(2)(a1/2)(1) +M +LEWD & LASCIVIOUS CONDUCT +c. 272, § 53 +M +LEWDNESS, OPEN & GROSS +c. 272, § 16 +F +LIQUOR, PROCURE FOR MINOR +c. 138, § 34 +M +MACHINE OR SAWED OFF SHOT GUN, +POSSESSION OF +c. 269, § 10(c) +F +MACHINE GUN, POSSESSION OF +WITHOUT LICENSE +c. 269, § 10(c) +F +MANSLAUGHTER BY OPERATING UNDER +THE INFLUENCE +c. 265, § 13 ½ +F +MEDICAL ASSISTANCE (MEDICAID) +FRAUD +c. 118E, § 40 +F + + +Page 30: +Superintendent’s Circular HRS-PP09 +Page 30 of 32 + +MEDICAL ASSISTANCE (MEDICAID) +KICKBACK +c. 118E, § 41 +F +MOTOR VEHICLE HOMICIDE, RECKLESS +OPERATION +c. 90, § 24G(b) +F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE DRUGS, NEGLIGENT OR +RECKLESS +c. 90, § 24G(a) +F +MOTOR VEHICLE, USE OF IN +COMMISSION OF FELONY +c. 90, § 24(2)(a) F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE LIQUOR +c. 90, § 24G(b) +F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE LIQUOR, NEGLIGENT OR +RECKLESS +c. 90, § 24G(b) +F +MOTOR VEHICLE, OPERATING AFTER +LICENSE REVOKED FOR DRUNK DRIVING +c. 90, § 23 +M +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, ALCOHOL +c. 90, § +24(1)(a)(1) +M +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, ALCOHOL, 3rd +AND SUBSEQUENT OFFENSE +c. 90, § +24(1)(a)(1) + +F +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, LIQUOR, 3rd AND +SUBSEQUENT OFFENSE +c. 90, § 24 +F +MOTOR VEHICLE, TAKE WITHOUT +AUTHORITY, STEAL PARTS +c. 266, § 28 +F +OBSCENE MATERIALS, POSSESS WITH +INTENT TO DISTRIBUTE +c. 272, § 29 +F +OBSCENE LITERATURE, SELL TO MINOR +c. 272, § 28 +F + + +Page 31: +Superintendent’s Circular HRS-PP09 +Page 31 of 32 + +OBSTRUCTION OF JUSTICE +Common law +M [See c. 279, § 5 +re: penalty for +Common Law +Crimes.] +PERJURY +c. 268, § 1 +F +PRESCRIPTION; FORGERY, ALTER +c. 94C, § 33(b) +F +PRESCRIPTION, UTTER FALSE +c. 94C, § 33 +F +PRISONER, DELIVER ARTICLES TO OR +FROM INMATE +c. 268, § 31 +F +PRISONER, DELIVER DRUGS TO +c. 268, § 28 +F +PROSTITUTION/SOLICITATION +c. 272, § 53A +M +PROSTITUTION, ENGAGING IN SEX +“JOHN” +c. 272, § 53A +M +PROSTITUTION, KEEP HOUSE OF +c. 272, § 24 +M +PROSTITUTE, SOLICIT FOR +c. 272, § 8 +M +RESISTING ARREST +c. 268, § 32B +M +RIOT +c. 269, § 1 +M +ROBBERY, UNARMED +c. 265, § 19(b) +F +ROBBERY, UNARMED, VICTIM 60+ +c. 265, § 19(a) +F +SHOPLIFTING, 3rd OR SUBSEQUENT +OFFENSE +c. 266, § 30A +M +STOLEN PROPERTY, RECEIVE, OVER $250 c. 266, § 60 +F +STOLEN MOTOR VEHICLE, RECEIVE/BUY c. 266, § 28(a) +F +TELECOMMUNICATIONS FRAUD +c. 166, § 42A +M +TELEPHONE CALLS, ANNOYING OR +OBSCENE +c. 269, § 14A +M +UNNATURAL ACTS +c. 272, § 35 +F + + +Page 32: +Superintendent’s Circular HRS-PP09 +Page 32 of 32 + +VANDALIZE +CHURCH/SYNAGOGUE/CEMETERY +c. 266, § 127A +F +VANDALIZE +SCHOOL/CHURCH/EDUCATIONAL BLDG +c. 266, § 98 +F +WITNESS, INTIMIDATE OR RETALIATE +AGAINST +c. 268, § 13B +F +CONSPIRACY TO COMMIT ANY OF +ABOVE TABLE B CRIMES + + +ATTEMPTS TO COMMIT ANY OF THE +ABOVE TABLE B CRIMES + + +ACCESSORY BEFORE ANY OF THE +ABOVE TABLE B CRIMES + + + + + diff --git a/data/data_txt/HRS-PP11 Drug Free Workplace Policy and Procedure.txt b/data/data_txt/HRS-PP11 Drug Free Workplace Policy and Procedure.txt new file mode 100644 index 0000000..e2737c3 --- /dev/null +++ b/data/data_txt/HRS-PP11 Drug Free Workplace Policy and Procedure.txt @@ -0,0 +1,75 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP11 +Version 01 + +DRUG FREE WORKPLACE POLICY AND PROCEDURE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +It is the policy of the Boston Public Schools to maintain a +workplace free from all unlawful drugs and substances and to +insist that all staff, students, contracted providers, and others +who work, attend, and/or visit facilities under the jurisdiction of +the School Department avoid unlawful drug and substance use +and abuse at all times. In compliance with the federal Drug-Free +Workplace Act of 1988 (P.L. 100-690) and its implementing +regulations, all employees of the Boston Public Schools, +contracted providers, students, and visitors to facilities under the +jurisdiction of the School Committee are hereby notified that the +unlawful manufacture, distribution, dispensation, possession, or +use of a controlled substance (as listed in schedules I-V of Section +202 of the Controlled Substances Act) is prohibited. Violations of +this policy shall be subject to the provisions of federal and state +law, to procedures relative to the discipline of employees, and to +the provisions of the Code of Conduct of the Boston Public +Schools. +All employees must abide by this policy as a condition of +employment. Employees must notify their immediate supervisor +within forty-eight (48) hours of any conviction (including a plea of +nolo contendre) of a violation of any federal or state criminal drug +law by an action committed in the workplace. The employee’s +immediate supervisor will notify the Office of Human Capital. + + +Page 2: +Superintendent’s Circular HRS-PP11 +Page 2 of 2 + +Within ten (10) days of receiving notice of such a conviction, it will +be the responsibility of the superintendent or designee to notify +the funding agency in those cases where the employee is directly +engaged in the performance of work and is paid through a direct +federal grant. The Development Office will prepare, annually for +the Office of Human Capital, a list of employees covered by this +provision of the regulations. +Within thirty (30) days of receiving notice of such conviction, an +investigation will be initiated. It will be the responsibility of the +superintendent to recommend disciplinary action, including but +not limited to suspension or dismissal. +Boston Public Schools staff should be made aware of the services +available through the City of Boston Employee Assistance +Program (B.E.A.P.). Responsibility Center managers and directors +are urged to refer to the B.E.A.P. any employee who +demonstrates symptoms of drug or alcohol abuse at 617-635- +2200 or eap@boston.gov. The program is located at 43 Hawkins +St., Boston. +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: 2300 Washington Street, Roxbury MA 02119 +Fax: +617-635-7956 +Phone: +617-635-9600 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP12 Massachusetts Domestic Violence Leave Policy.txt b/data/data_txt/HRS-PP12 Massachusetts Domestic Violence Leave Policy.txt new file mode 100644 index 0000000..bdfce79 --- /dev/null +++ b/data/data_txt/HRS-PP12 Massachusetts Domestic Violence Leave Policy.txt @@ -0,0 +1,103 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +HRS-PP12 +Version 01 + +DOMESTIC VIOLENCE LEAVE POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools is committed to the health and safety of +our employees and their families. This circular is intended to +comply with applicable state laws (1 ) that are designed to protect +victims of domestic violence. Should you or your family member +be a victim of domestic violence or abusive behavior, you are +encouraged to communicate with the Office of Human resources +about the situation. +Boston Public Schools must provide employees with up to 15 +days of time off in a 12-month period, if: +• the employee or their family member is the victim of +abusive behavior (such as domestic violence, stalking, sexual +assault, or kidnapping); and +• the purpose of the leave is to seek medical attention, +counseling, secure housing, or obtain legal or other victim +services directly related to the abusive behavior against the +employee or family member of the employee. + +(1) Section 52E of Chapter 149 of the Massachusetts General Laws +(Section 10 of Chapter 260 of the Acts of 2014) + + +Page 2: +Superintendent’s Circular HRS-PP12 +Page 2 of 3 + +For purposes of this policy, a family member includes: +• Married spouses +• Persons "in a substantive dating or engagement +relationship" AND who reside together +• Persons having a child in common regardless of whether +they have ever married or resided together +• A parent, step-parent, child, step-child, sibling, grandparent, +or grandchild +• Persons in a guardianship relationship +You are immediately eligible for this leave upon the beginning of +your employment. Employees may use accrued sick, personal, +and vacation time to remain in paid status during a covered leave +under this policy. If no accrued time is available, leave under this +policy will be unpaid. +We request that you provide appropriate advance notice of this +leave (as required by the current leave policy), unless there is an +imminent danger to your immediate health and safety (in which +case, we must receive notification within 3 workdays that the +leave was taken or is being taken for reasons covered by this +policy). If you take this leave, please provide documentation +evidencing that you or your family member has been a victim of +domestic violence or abusive behavior within 30 days of the leave +request. Such forms of documentation may include: +• A court issued protective order +• An official document from a court, provider, or public +agency +• A police report or statement of a victim or witness provided +to the police + + +Page 3: +Superintendent’s Circular HRS-PP12 +Page 3 of 3 + +• Official legal documentation attesting to perpetrator’s guilt +• Medical documentation of treatment for the abusive +behavior +• A sworn statement from the employee attesting to being a +victim of abusive behavior +• A sworn statement from a professional who has assisted the +employee or the employee's family, e.g., a counselor, social +worker, health care worker, or member of the clergy. +Perpetrators of domestic violence are not entitled to leave under +this statute. +Provided you have submitted proper documentation, your +employment is protected for leave taken under this policy. If you +have questions at any time as to how this policy applies to you, +please do not hesitate to contact the Office of Human resources. +For more information about this circular, contact: +Name: +Employee Services – Leave of Absence Team +Department: +Office of Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP13 Employee Sick Leave Policy.txt b/data/data_txt/HRS-PP13 Employee Sick Leave Policy.txt new file mode 100644 index 0000000..ebc0141 --- /dev/null +++ b/data/data_txt/HRS-PP13 Employee Sick Leave Policy.txt @@ -0,0 +1,335 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP13 +Version 01 + +EMPLOYEE SICK LEAVE POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston School Committee will not permit any abuse of sick +leave privileges. Sick leave is a benefit only to be used for +absences caused by illness, injury, or exposure to contagious +diseases. Those employees who use sick leave for any other +purpose do a disservice to our students, to their co-workers, and +to the taxpayers. A public perception that School Department +employees abuse sick leave will undermine confidence in and +support for public education in Boston. +Accordingly, it is and shall be the policy of the Boston School +Committee to monitor the sick leave practices of all its +employees, to detect any sick leave abuse, and to discipline any +employee found to have abused the sick leave privileges. No +legitimate sick leave will be denied. No abuse will be tolerated. +The Superintendent shall develop and promulgate appropriate +rules and procedures to implement this sick leave policy. Copies +of this policy shall be prominently posted at all work locations. +Attached you will find a document entitled Employee Sick Leave +Policy Guidelines. The document provides specific details +regarding (1) the responsibility of each manager with regard to +sick leave, (2) managerial intervention required, and (3) + + +Page 2: +Superintendent’s Circular HRS-PP13 +Page 2 of 10 + +procedures mandated to ensure the effective implementation of +the Employee Sick Leave Policy. A copy of these guidelines +should be posted in the school office, and a copy should be made +available in teachers' rooms for review by staff. +The School Committee’s Employee Sick Leave Policy and +Guidelines cover all employees of the Boston Public Schools. In +accordance with the guidelines, employees absent for six (6) or +more consecutive working days must apply for a leave of absence +through the online application and provide a WH-380-E/F form or +medical certification/documentation on official letterhead from a +health care provider as determined by their Collective Bargaining +Agreement, as well as a fitness for duty report to return to work. +The medical certification should be on the physician's letterhead +and should include: +1. A statement that the physician understands the nature of +the employee's duties and that the employee is incapable of +performing the duties and responsibilities of their position. +2. A statement of anticipated duration of the absence or the +expected date of the return to work (if the duration is +unknown, the letter should indicate when the employee will +be seeing a physician again and an updated letter would be +required after that visit). +► Failure to provide the proper physician's certificate +when required may lead to loss of pay. +Absences interrupted by weekends and/or holidays are +considered consecutive. +All managers are directed to discuss the guidelines with all staff +members at the beginning of the school year to ensure mutual + + +Page 3: +Superintendent’s Circular HRS-PP13 +Page 3 of 10 + +understanding. Please note the guidelines are consistent with +the BTU and BASAS contracts. +The Office of Human Resources has information readily available +on an employee's accumulated benefits such as vacation, sick +leave, and personal days. It is also able to monitor the attendance +of the entire School Department workforce. Principals, heads of +school, and other administrative heads will be provided with +periodic attendance data for employees under their jurisdiction. +These reports are expected to assist managers in providing +appropriate supervision for individuals who exhibit problematic +attendance patterns. +For more information about this circular, contact: +Owner: +Leave of Absence Team +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +OHRLeaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + +Page 4: +Superintendent’s Circular HRS-PP13 +Page 4 of 10 + + +EMPLOYEE SICK LEAVE POLICY GUIDELINES +STATEMENT +The term “manager,” as used in these guidelines, refers to +positions such as academic superintendent, senior officer, head +of school, principal, program director, and director. It is expected +that managers may in some cases delegate authority to carry out +these procedures to supervisory personnel reporting to them. +PURPOSE +The purpose of these guidelines is to improve employee +attendance and eliminate any abuse of sick leave benefits. Their +consistent application by managers, and compliance by all +employees, will make a substantial contribution toward our +ultimate goal of providing an effective and high-quality +education for the students in the Boston Public Schools. +THE MANAGER HAS PRIMARY RESPONSIBILITY FOR +EFFECTIVELY IMPLEMENTING THESE GUIDELINES: +1. Managerial Responsibility: Absenteeism is one of the +primary reasons for a manager's inability to accomplish +expected results, since it results in less than optimal student +progress, missed deadlines, low quality of work due to +inexperienced replacements, scheduling and coverage +problems, and low morale of employees who must assume +the absentee's workload. Employee motivation and +attendance are key factors affecting the productivity of each + + +Page 5: +Superintendent’s Circular HRS-PP13 +Page 5 of 10 + +unit in the school system. A good attendance practice +within a school or department is indicative of a well- +motivated and supervised workforce. Therefore, managers +should realize that it is in their own best interest to develop +and to maintain good attendance practices, since their +effectiveness is measured by the accomplishments of their +schools and departments. + +2. Managerial Judgment: Managers will be expected to +implement these procedures, to counsel employees, and to +take remedial action when a patterned abuse occurs. Each +supervisor should analyze each situation based on its merits, +considering such factors as length of service, total sick leave +accumulation, number of occurrences (frequency), patterns +of absenteeism, such as before and after weekends, holidays +and vacations, severity rate (the duration of absence), and +the employee's medical history that is previously known to +the manager and/or from information that may be required +to be on file with the School Department. + +Major attendance problems facing managers are: +a. +"Pre-retirement illness" — attempts by long-time +employees to exhaust their sick leave benefits before +retirement +b. +"Pre-layoff illness" — attempts by employees who +received a notice for layoff to exhaust their sick leave +benefits before the layoff becomes effective + +c. +"Post contract non-renewal illness" —attempts by +employees whose contract has not been renewed +prior to exhausting sick leave. + + +Page 6: +Superintendent’s Circular HRS-PP13 +Page 6 of 10 + +3. Managerial Intervention: It is important that the manager +intervene as soon as an absence pattern is detectable. The +manager can discuss the reasons for the pattern or the +absences and can prevent the pattern of absences from +becoming worse. +Each manager must review the attendance records of each +employee in their organization at least on a quarterly basis +to monitor attendance practices and to determine if there +are patterns of sick leave abuse. Each employee whose +number of days or the number of occurrences exceed five +consecutive days absent, and there is reasonable cause to +believe that the absence is not an appropriate use of sick +leave, must be interviewed by the manager. The purpose of +this interview is to determine whether there is any +possibility of sick leave abuse. A written record must be kept +concerning the nature of the supervisory discussion or +interview. + + + + +Page 7: +Superintendent’s Circular HRS-PP13 +Page 7 of 10 + +PROCEDURAL REQUIREMENTS +To ensure the effective implementation of the Employee Sick +Leave Policy, employees must adhere to the following +procedures: +1. Notification +a. Employees Serving in Schools: These employees are +not entitled to sick leave without loss of pay unless +they have notified their head of school or principal, in +accordance with the schedule established by the +appropriate head of school/principal. Each employee +must indicate the nature of the illness and the period +of anticipated absence. If, at the expiration of the +anticipated period, the employee is not recovered, the +employee must again notify the head of +school/principal of the reason for the additional period +of anticipated absence in accordance with established +practice at their school. Each school must maintain and +post in appropriate locations a standard policy for +notice of absence. +b. Employees Not Serving in Schools: These employees +are not entitled to sick leave without loss of pay unless +they have notified their manager of the absence, its +cause, and anticipated duration before the expiration +of the first fifteen (15) minutes after their normal +reporting time or as soon as practical. If, at the +expiration of the anticipated duration, the employee is +not recovered, the employee must again notify the +manager of the reason for the additional period of + + +Page 8: +Superintendent’s Circular HRS-PP13 +Page 8 of 10 + +anticipated absence the day before the employee is +expected to return to work. +c. Illness During Work Hours: When an employee +becomes ill during regular work hours, the employee +must notify the manager. The manager will record the +length of absence. +d. Failure to Notify: Employees failing to give proper +notice in the absence of extenuating circumstances +shall be considered without authorization and are +subject to progressive disciplinary action. +e. Reporting time: All managers must ensure that all +time reporting is entered into the system consistent +with established procedures in order that employee’s +absences are correctly charged and leave balances +maintained. As usual, Department Time Summary +Reports must be submitted to the BPS Payroll Office in +accordance with the payroll schedule. +2. Physician's Certificate: If the absence is of six (6) or more +consecutive working days' duration, a physician's certificate +will be required upon return to work, or prior to return if +requested. When the record of repeated absences reflects a +clear pattern of abuse — such as consistent three (3) days +present, two (2) days absent — the manager should request +a physician's certificate, even though it may not be required +under the relevant collective bargaining contract. In such +circumstances, the employee should be advised that a +physician's certificate may be the only adequate refutation + + +Page 9: +Superintendent’s Circular HRS-PP13 +Page 9 of 10 + +to the charge of sick leave abuse. The physician's certificate +should include the following: +a. A statement that the physician understands the nature +of the employee's duties and that the employee is +incapable of performing the duties and responsibilities +of their position. +b. A statement of anticipated duration of the absence or +the expected date of return to work (if the duration is +unknown, the letter should indicate when the +employee will be seeing the physician again, and an +updated letter would be required after that visit). +If the physician's certificate does not include these +statements, the manager must notify the employee to +obtain the omitted information before authorizing sick +leave. +ALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A +CONFIDENTIAL BASIS. +If, during the interview, the supervisor learns that an employee +has a chronic or disabling condition which may qualify that +person for consideration as a handicapped individual, (1) you +should contact the Office of Equity at 617-635-9650. + +(1) +1A handicapped individual includes someone who has, has +had, or is thought of as having a physical or mental condition +that substantially limits a major life activity, including working. +The condition may be permanent or temporary. + + +Page 10: +Superintendent’s Circular HRS-PP13 +Page 10 of 10 + +A handicapped individual is defined as any person who has a +physical or mental impairment which substantially limits one or +more major life activities, such as: caring for oneself, performing +manual tasks, seeing, hearing, speaking, breathing, or learning. +The Office of Human Resources and Office of the Legal Advisor +are available for advice and counsel. +While the managers are the central figures in managing +attendance, the Office of Human Resources and Office of the +Legal Advisor are prepared to provide them with the following +technical support: +1. Advise managers in their effort to change unacceptable +absence patterns. +2. Provide an early referral system for health, emotional, +alcoholic, or drug-related matters. +3. Provide an effective mechanism for a centralized sick leave +and vacation reporting system. +4. Interpret policy and procedures and assist in the resolution +of operating problems. +5. Provide advice concerning the implementation of +progressive disciplinary action. + + + + + + + + + + diff --git a/data/data_txt/HRS-PP13A Family and Medical Leave Act.txt b/data/data_txt/HRS-PP13A Family and Medical Leave Act.txt new file mode 100644 index 0000000..aab6aaa --- /dev/null +++ b/data/data_txt/HRS-PP13A Family and Medical Leave Act.txt @@ -0,0 +1,354 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PP13A +Version 01 + +FAMILY AND MEDICAL LEAVE ACT AND SMALL +NECESSITIES LEAVE ACT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Eligible employees are entitled to take up to 12 weeks of leave for +family or medical leave under federal law and up to 24 hours of +leave for family obligations under state law during a fiscal year +(July 1 through June 30). School-based employees who report to a +principal/head of school (except custodians, cafeteria workers, +and itinerants) may submit their leave requests via the Hub. +FEDERAL FAMILY AND MEDICAL LEAVE ACT +1. Eligibility +Employees who have been employed in the Boston Public +Schools for at least 12 months at the BPS and who have +worked at least 1,250 hours in the prior 12-month period are +eligible. +2. Purpose +● For incapacity due to pregnancy, prenatal medical care, +or childbirth + + +Page 2: +Superintendent’s Circular HRS-PP13A +Page 2 of 11 + +● To care for a son or daughter within the first 12 months +after birth, adoption or placement for adoption or foster +care +● Because the employee is needed to care for a spouse, son, +daughter, or parent who has a serious health condition. +○ Son or daughter means a biological, adopted, or foster +child, a stepchild, a legal ward, or a child of a person +standing in loco parentis, who is either under age 18, or +age 18 or older and incapable of self-care because of a +mental or physical disability. Parent does not include +in-laws. +● Because of the employee's own serious health condition +which makes the employee unable to perform their job. +A serious health condition means an illness, injury, +impairment or physical or mental condition that involves: +○ a period of incapacity or treatment connected with +inpatient care +○ a period of incapacity requiring absence of more than 3 +calendar days from work or daily activities also +involving continuing treatment by a health care +provider +○ any period of incapacity due to pregnancy or for +prenatal care +○ any period of incapacity due to a chronic serious health +condition (e.g., asthma, diabetes, epilepsy) +○ any period of incapacity that is permanent or long term +due to a condition for which treatment may not be +effective (e.g., Alzheimer’s, stroke, terminal diseases) +○ a period of absence to receive multiple treatments for +an injury or condition which would result in incapacity + + +Page 3: +Superintendent’s Circular HRS-PP13A +Page 3 of 11 + +for more than three days if not treated (e.g., +chemotherapy, physical therapy, dialysis). +3. Length of Leave +Subject to FMLA qualification, up to 12 weeks of leave may +be taken in any fiscal year. For qualifying exigencies arising +out of the fact that the employee’s spouse, son, daughter, or +parent is on active duty or call to active duty status as a +member of the National Guard or Reserves in support of a +contingency operation to permit a "spouse, son, daughter, +parent, or next of kin" to take up to 26 work weeks of leave +to care for a "member of the Armed Forces, including a +member of the National Guard or Reserves, who is +undergoing medical treatment, recuperation, or therapy, is +otherwise in outpatient status, or is otherwise on temporary +disability retired list, for a serious injury or illness." +Qualifying exigencies include: +● Issues arising from a covered military member’s short +notice deployment (i.e., deployment on seven or less days +of notice) for a period of seven days from the date of +notification +● Military events and related activities such as official +ceremonies, programs, or events sponsored by the +military or family support or assistance programs and +informational briefings sponsored or promoted by the +military, military service organizations, or the American +Red Cross that are related to the active duty or call to +active duty status of a covered military member; + + +Page 4: +Superintendent’s Circular HRS-PP13A +Page 4 of 11 + +● Certain childcare and related activities arising from the +active duty or call to active duty status of a covered +military member, such as arranging for alternative +childcare, providing childcare on a non-routine, urgent, +immediate need basis, enrolling, or transferring a child in +a new school or day care facility, and attending certain +meetings at a school or a day care facility if they are +necessary due to circumstances arising from the active +duty or call to active duty of the covered military member +● Making or updating financial and legal arrangements to +address a covered military member’s absence +● Attending counseling provided by someone other than a +health care provider for oneself, the covered military +member, or the child of the covered military member, the +need for which arises from the active duty or call to active +duty status of a covered military member +● Taking up to five days of leave to spend time with a +covered military member who is on short-term +temporary, rest and recuperation leave during +deployment +● Attending to certain post-deployment activities, +including attending arrival ceremonies, reintegration +briefings and events, and other official ceremonies or +programs sponsored by the military for a period of 90 +days following the termination of the covered military +member’s active duty status, and addressing issues +arising from the death of a covered military member +● Any other event that the employee and employer agree is +a qualifying exigency + + +Page 5: +Superintendent’s Circular HRS-PP13A +Page 5 of 11 + +Special restrictions apply to teachers requesting leaves, +depending on the length and timing of the leave(s). Please +call the Office of Human Resources for advice regarding +special rules that apply to teachers in these situations. +4. Requesting a Leave of Absence: Notice Requirement +If the need for leave is foreseeable, an employee must +provide BPS with at least 30 days notice. If 30 days notice is +not practicable, notice must be given as soon as possible, +generally the same or next business day. All employees +must submit their leave request through the online Request +for Leave of Absence application (instructions and more +information below in Section 8). +Employees requesting absences of 5 days or less to fulfill +National Guard or Military Reserve responsibilities must +submit a request on ess.boston.gov and provide supporting +documentation to the Responsibility Center manager. +Absences of 6 days or more must be submitted through the +online application. +5. Certification(s)/Documentation +WH-380-E/F form or medical certification/documentation +on official letterhead from a health care provider is required +for leave because of a serious health condition. Second or +third opinions may be required, as well as a fitness for duty +report to return to work. +6. Paid or Unpaid Leave and Benefits +Leave is unpaid except to the extent that accrued sick leave, +personal leave, or vacation leave applies, as provided in + + +Page 6: +Superintendent’s Circular HRS-PP13A +Page 6 of 11 + +applicable collective bargaining agreements or school +department policy. Employees who are taking leave for their +own serious health condition will be required to use their +accrued paid sick leave and vacation leave during their +FMLA leave until such paid leave has been exhausted. +Employees who are taking FMLA leave to care for their +spouse, child, or parent will be required to use all accrued +paid vacation leave during their FMLA leave until such paid +leave has been exhausted. After an employee’s accrued paid +leave has been exhausted, any remaining FMLA leave will be +unpaid. +Medical insurance as part of a group health plan must be +maintained. However, benefits do not accrue during unpaid +leave unless otherwise provided by the terms of an +applicable collective bargaining agreement. +7. Relationship to Other Leaves Provided by Collective +Bargaining Agreements or Policy +This leave neither diminishes nor augments any greater +leave for the same purpose which may be provided for in a +collective bargaining agreement or other law or policy. + + + + +Page 7: +Superintendent’s Circular HRS-PP13A +Page 7 of 11 + +8. Requesting Leave of Absence +All employees must submit a request for leave electronically +via the online application. Once the leave request is +submitted electronically, it is automatically sent to the +principal/head of school of the employee’s school for +notification and to the Office of Human Resources for +review. Employees and supervisors will automatically be +notified whether the leave was approved, denied, or is +pending due to documentation, through their BPS email. To +request a leave: +● Access the Office of Human Resources Workspace. +○ Click on “Office of Human Resources Workspace.” +○ Click on “Forms” tab. +○ From the drop-down menu, select “Leave +Request.” +○ Read through the instructions and complete +application. +● Access the application to request a leave of absence +online. +SMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR +FAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] +1. Eligibility +Employees who have been employed for at least 12 months +at the BPS and who have worked at least 1,250 hours in the +prior 12-month period are eligible (same as for federal family +and medical leave). + + + +Page 8: +Superintendent’s Circular HRS-PP13A +Page 8 of 11 + +2. Purpose +● To participate in school activities directly related to the +advancement of the employee's son or daughter, such as +a parent-teacher conference or interview for a new +school. +○ A son or daughter includes foster child, a legal +ward or a child of a person standing in loco +parentis, under 18 years of age or older but +incapable of self-care. +○ School includes Head Start or a licensed day care +facility. +● To accompany a son or daughter to a routine medical or +dental appointment, such as a routine check-up or +vaccination. +● Accompany an elderly relative (60 years or more) to a +routine medical or dental appointment or for other +professional services, such as interviewing at a nursing +home. +3. Length of Leave and Increments +Leave may be taken in increments of at least one hour for +up to 24 hours in any fiscal year. +This leave augments leave taken under the federal Family +and Medical Leave Act, as it is for a different purpose. It +does not diminish any greater leave which may be provided +for in a collective bargaining agreement or other school +policy. +REQUEST FOR LEAVE: NOTICE REQUIREMENTS + + +Page 9: +Superintendent’s Circular HRS-PP13A +Page 9 of 11 + +If the need for leave is foreseeable, employees must give the +Office of Human Resources at least seven (7) days prior notice. If +the need is not foreseeable, the employee must notify their +Responsibility Center manager as soon as practicable given the +circumstances of the case. To the extent possible, employees +must provide written notice of the need for leave. +1. Certification/Documentation +All employees must use the attached certification (page 7) +to request a SNLA leave. Applying for this leave cannot be +done through the Hub. The original copy must be submitted +to the Responsibility Center manager, who will forward it to +the Office of Human Resources. +2. Paid or Unpaid Leave +Leave for family obligations is unpaid unless an employee +chooses to substitute accrued vacation or personal time for +the unpaid leave, as provided in the applicable collective +bargaining agreement, school department policy, and +except as may be provided for in state law or city ordinance. + + + + + +Page 10: +Superintendent’s Circular HRS-PP13A +Page 10 of 11 + +For more information about this circular, contact: + +Owner: +Leave of Absence Team +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 11: +Superintendent’s Circular HRS-PP13A +Page 11 of 11 + +SMALL NECESSITIES LEAVE ACT +EMPLOYEE LEAVE FOR FAMILY OBLIGATIONS UP TO +TWENTY-FOUR (24) HOURS +EMPLOYEE'S CERTIFICATION +I certify that on ________________________I will/did take _____________ + hours of leave for the following purpose: + to participate in school activities directly related to the +educational advancement of a son or daughter. + to accompany a son or daughter to routine medical or +dental appointments, such as check-ups or +vaccinations. + to accompany an elderly relative to routine medical or +dental appointment or appointment for other +professional services related to the elder's care. +Furthermore, I understand that this absence will be recorded +with the use of my (please select one): + Sick Time + Comp. Time + + + Floating Holiday + Vacation Time + Personal Time + + + + +Employee’s Signature: ____________________________________________ +Employee’s Name (print): _________________________________________ +Employee’s ID Number: _____________________ +Date: ________________________________________ +Submit original copy to Responsibility Center Manager. + + diff --git a/data/data_txt/HRS-PP14 Leave for Cancer Screening and Organ Donations.txt b/data/data_txt/HRS-PP14 Leave for Cancer Screening and Organ Donations.txt new file mode 100644 index 0000000..b1504ee --- /dev/null +++ b/data/data_txt/HRS-PP14 Leave for Cancer Screening and Organ Donations.txt @@ -0,0 +1,121 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP14 +Version 01 + +PAID LEAVE FOR CANCER SCREENING AND/OR LIVING +ORGAN DONATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Two additional paid leave benefits are available to City of Boston +employees for annual cancer screenings and living organ +donations. +ANNUAL CANCER SCREENING +The mayor has signed an executive order that allows all City of +Boston employees to use up to four (4) hours of leave per +calendar year for various types of cancer screening. (Types of +cancer screening that fall under the four hours off per year policy +are as follows: breast, prostate, colon, skin, thyroid, oral cavity, +lymph nodes, reproductive organs, and lungs). +The following procedure is in effect in the Boston Public Schools: +• Employees will be allowed up to four (4) hours of leave, per +calendar year, that can be used intermittently or in one (1) +four-hour period. +• Employees must make a request through their +Responsibility Center manager. + + +Page 2: +Superintendent’s Circular HRS-PP14 +Page 2 of 4 + +• A signed copy of a medical document verifying the date that +the employee was given a cancer screening must be filed +with the Responsibility Center manager. +• This time is not charged to any accumulated sick leave; and +time in position, creditable service, pay, leave and health +benefits are all protected while on this type of leave. +To report time for an annual cancer screening, please add an +absence event on the timesheet using the absence name “Pre- +Cancer Screening.” +LIVING ORGAN DONATION +Effective October 3, 2006, the mayor has issued an executive +order adopting An Act Relative to Living Organ Donation which +grants leave of absence without loss of pay for living organ +donation. It applies to leave taken by an employee to provide live +organ donation to be transplanted into another individual. Live +organ donation includes donation of kidney, liver, pancreas, lung, +intestine, or heart (domino transplants). +All City of Boston employees are eligible for this leave, which +includes full-time, part-time, seasonal, and temporary employees +eligible for paid leave benefits. It does not include independent +contractors, substitutes, cab monitors, transportation attendants, +intermittent, or any other employees who are not eligible for paid +leave benefits. +The following procedure is in effect in the Boston Public Schools: +• Employees will be allowed a maximum total of 30 days of +paid leave in a calendar year to donate an organ. +• This time only covers days taken for the medical procedure + + +Page 3: +Superintendent’s Circular HRS-PP14 +Page 3 of 4 + +and the recovery from it. +• Part-time employees will receive a prorated portion of the +30 days based on their part-time schedule. +• Leave can be used intermittently. +• Employee must obtain a letter on a physician’s letterhead +disclosing that the employee is approved to be a live organ +donor and the type of organ being donated. +• A signed copy of a medical document verifying the date of +the living organ donation procedure that the employee has +undergone must be submitted to Human Resources +through their Responsibility Center manager (e.g., principal +or department head). +• This time is not charged to any accumulated sick leave; time +in position, creditable service, pay, leave, and health benefits +are protected while on this type of leave. +To report time for a living organ donation, please add an +absence event on the timesheet using the absence name +“Organ Donation.” +Questions on specific health insurance coverage should be +directed to Health Benefits and Insurance at 617-635-4570 or to +your health insurance provider. More information about live +organ donation may be found at the following link: +https://optn.transplant.hrsa.gov/resources/living-donation + + + + + +Page 4: +Superintendent’s Circular HRS-PP14 +Page 4 of 4 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt/HRS-PP15 Sick Leave Donation Program.txt b/data/data_txt/HRS-PP15 Sick Leave Donation Program.txt new file mode 100644 index 0000000..6d1ab80 --- /dev/null +++ b/data/data_txt/HRS-PP15 Sick Leave Donation Program.txt @@ -0,0 +1,385 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP15 +Version 01 +SICK LEAVE DONATION PROGRAM +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools will be continuing the Sick Leave Donation +Program with Administrative Guild, BASAS, BTU, managerial, and +School Police Patrolmen's Association. +PURPOSE +The Sick Leave Donation Program is a voluntary program where +eligible employees can donate sick leave hours to help a seriously +ill or injured colleague who has exhausted their sick, personal, +vacation, and/or compensatory leave entitlements. An eligible +employee who wants to withdraw hours from the Sick Leave +Bank must be on an approved leave of absence. Please refer to +Superintendent’s Circular HRS-PP13 for more information +regarding the process to apply for a leave of absence. If time is +awarded by the Sick Leave Donation Committee, recipients can +withdraw sick leave hours from the leave bank and maintain +active pay status. +Membership and eligibility requirements by unit are detailed in +the attachment. +THE DONATION PROCESS +When the sick leave bank for a union/group becomes depleted, + + +Page 2: +Superintendent’s Circular HRS-PP15 +Page 2 of 12 + +an email notification will be sent to all members requesting the +donation of an additional day(s). All employees who wish to enroll +will be required to complete an online form during the +aforementioned period. All donations are irrevocable. +SICK LEAVE COMMITTEE +The leave committee for each union/group will consist of six +members: three administrative members from the union/group +and three administrative members from the Boston Public +Schools district (appointed by the superintendent or their +designee). A majority vote (4 of 6) is required to grant awards of +sick leave time. All decisions are made on a case-by-case basis. +APPLICATION PROCESS FOR SICK BANK MEMBERS +1. Complete a Sick Leave Bank Donation Withdrawal Request +form, including submission of medical documentation and a +letter stating the reason for the request in accordance with +the application deadline listed on the form. +2. The Leave Bank Committee will meet and review all +pertinent information. Committee will render a decision and +Human Capital will inform the employee and supervisor of +the decision. +3. If approved, the Office of Human Capital representative will +add donated hours to the recipient’s leave accrual balance +in PeopleSoft. +4. Withdrawals from the leave bank cease when the recipient +has either returned to work or withdrawn the maximum +number of hours allotted from their union or conditions of +employment. +There is no appeal procedure. The decision of the Sick Leave + + +Page 3: +Superintendent’s Circular HRS-PP15 +Page 3 of 12 + +Bank Committee is final. +APPLICATION DEADLINE +The Sick Bank Oversight Committee meets on the first +Wednesday of each month. +To be included on the agenda, your application, along with all +supporting documentation, must be submitted by the close of +business on the preceding Friday. + +For more information about this circular, contact: +Owner: +Manager of Employee Information Systems +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9649 +Fax: +617-635-7957 +Email: +ohr@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 4: +Superintendent’s Circular HRS-PP15 +Page 4 of 12 + +ATTACHMENT A: +SICK LEAVE DONATION PROGRAM: MEMBERSHIP +REQUIREMENTS AND ELIGIBILITY BY UNIT +BASAS + +Membership Requirements: +• To establish this program, there must be at least 50 eligible +BASAS employees who participate in it. +• A BASAS employee must be permanent or entering their +third consecutive year of Boston Public Schools service to be +eligible to participate. +• A BASAS employee must donate one sick day (eight hours) +to enroll in the program. +• Donation days (hours) will be deducted from the donor’s +accumulated sick leave balance. +Eligibility for Recipient: +• Only BASAS employees who have donated to the sick leave +donation program are eligible to apply for sick leave time. +• Applicants for sick leave time must have exhausted all +accumulated sick and personal leave to be eligible to +receive sick leave donations. +• Recipients may use donated sick leave only for work time +lost due to personal illness. Recipients may not use donated +time for absences caused by an illness of a family member. +• The application form for sick time must be completed and +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy. + + +Page 5: +Superintendent’s Circular HRS-PP15 +Page 5 of 12 + +• For employees receiving benefits pursuant to a disability +plan, the combination of disability payments and donated +sick days may not, on a day-to-day basis, equal more than +the employee’s daily rate of pay. +• For employees receiving workers’ compensation benefits, +the combination of workers’ compensation payments and +donated sick days may not, on a daily basis, equal more than +the employee’s daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient per school year. In exceptional +circumstances, the committee may also grant additional 30- +day increments, up to a maximum of 90 days (including the +original 30 days). +• Requests for sick leave time may not be made retroactively. +• Days that have been granted but are not used will revert to +the sick leave bank. +BOSTON TEACHERS UNION (BTU) +Membership Requirements: +• To establish this program, there must be at least 500 +teacher unit members and 100 paraprofessional unit +members. +• Must be a BTU member to participate in the program. +• Teacher unit members must be permanent or entering their +fourth consecutive year of service. Paraprofessional +members must have at least three consecutive years of +service. +• Must donate one sick day for inclusion in the program. +• Donations will be deducted from the donor’s accumulated + + +Page 6: +Superintendent’s Circular HRS-PP15 +Page 6 of 12 + +sick leave balance. +• Donations and withdrawals can only be in the same BTU +unit (e.g., teachers cannot donate to or withdraw from the +paraprofessional unit; paraprofessionals cannot donate to or +withdraw from the teacher unit). +Eligibility for Recipient: +• Must have exhausted all accumulated sick leave and other +paid leaves (e.g., personal days, etc.). +• Application for the BTU sick bank withdrawal must be +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy, of a serious illness, which prevents the employee’s +immediate return to work. +• For those individuals who have a disability plan, the +combination of disability payment and sick bank days do +not, on a day-to-day basis, equal more than the daily rate of +pay. +• For those individuals who are receiving worker’s +compensation, the combination of workers’ compensation +payment and sick bank days do not, on a daily basis, equal +more than the daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient. In exceptional circumstances, the +Committee may also grant additional 30-day increments, up +to a maximum of 90 days (including the original 30 days). +• Requests/withdrawals cannot be made retroactively. +• Days requested and granted but not used will revert to the +sick leave bank. +• This program is for employees only and cannot be used for + + +Page 7: +Superintendent’s Circular HRS-PP15 +Page 7 of 12 + +the illness of family members. +• This program does not meet for the months of June – +September for the following reasons: +o June: The bank only issues donations in 30-day +increments and the month of June does not have 30 +school days. +o July – August: Employees do not work these months +and therefore would not be eligible to use +sick/personal time. +o September: Employees receive sick/personal +entitlements up front and therefore, would have time +to use at the beginning of the school year. +CUSTODIAN +Membership Requirements: +• To establish this program, there must be at least 100 +Custodian Bank members. +• Must be a custodian to participate. +• Must have completed three or more years of continuous +service with the union to be eligible. +• Must donate two sick days for the first year, and thereafter +one sick day annually during enrollment period. +• Donation days will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. +• Employees must have exhausted all accumulated sick leave +and other paid time. + + +Page 8: +Superintendent’s Circular HRS-PP15 +Page 8 of 12 + +• The bank is for employees’ illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving worker’s +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. +ADMINISTRATIVE GUILD +Membership Requirements: +• To establish this program, there must be at least 100 Guild +bank members. +• Must be Administrative Guild members to participate. +• Must have completed three or more years of continuous +service to be eligible to participate. +• Must donate one sick day to enroll in the program. +• Donation day will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. + + +Page 9: +Superintendent’s Circular HRS-PP15 +Page 9 of 12 + +• Employees must have exhausted all accumulated sick leave +and other paid time. +• The bank is for employee’s illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving workers’ +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. +MANAGEMENT +Membership Requirements: +• To establish this program, there must be at least 100 eligible +Managerial employees who participate in it. +• A Managerial employee must be permanent or entering +their fourth consecutive year of Boston Public Schools +service to be eligible to participate. +• A Managerial employee must donate one sick day (eight +hours) to enroll in the program. +• Donation days (hours) will be deducted from the donor’s +accumulated sick leave balance. + + +Page 10: +Superintendent’s Circular HRS-PP15 +Page 10 of 12 + +Eligibility for Recipient: +• Only Managerial employees who have donated to the sick +leave donation program are eligible to apply for sick leave +time. +• Applicants for sick leave time must have exhausted all +accumulated sick, personal, and vacation leave to be eligible +to receive sick leave donations. +• Recipients may use donated sick leave only for work time +lost due to personal illness. Recipients may not use donated +time for absences caused by an illness of a family member. +• The application form for sick time must be completed and +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy, of a serious illness. +• For employees receiving benefits pursuant to a disability +plan, the combination of disability payments and donated +sick days may not, on a day- to-day basis, equal more than +the employee’s daily rate of pay. +• For employees receiving worker’s compensation benefits, +the combination of worker’s compensation payments and +donated sick days may not, on a daily basis, equal more than +the employee’s daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient. In exceptional circumstances, the +committee may also grant additional 30-day increments, up +to a maximum of ninety 90 days (including the original 30 +days). +• Requests for sick leave time may not be made retroactively. +• Days that have been granted but are not used will revert to + + +Page 11: +Superintendent’s Circular HRS-PP15 +Page 11 of 12 + +the sick leave bank. +SCHOOL POLICE PATROLMEN ASSOCIATION +Membership Requirements: +• To establish this program, there must be at least 25 +Association bank members. +• Must be association members to participate. +• Must have completed three or more years of continuous +service to be eligible to participate. +• Must donate one sick day to enroll in the program. +• Donation day will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. +• Employees must have exhausted all accumulated sick leave +and other paid time. +• The bank is for employee’s illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving workers’ +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for + + +Page 12: +Superintendent’s Circular HRS-PP15 +Page 12 of 12 + +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. + + diff --git a/data/data_txt/HRS-PP16 Employee Savings and Investment Benefits.txt b/data/data_txt/HRS-PP16 Employee Savings and Investment Benefits.txt new file mode 100644 index 0000000..c0eb6fb --- /dev/null +++ b/data/data_txt/HRS-PP16 Employee Savings and Investment Benefits.txt @@ -0,0 +1,139 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP16 +Version 01 + + +EMPLOYEE SAVINGS AND INVESTMENT BENEFITS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +FLEXIBLE SPENDING ACCOUNT +The City of Boston’s Flexible Spending Accounts are administered +by Cafeteria Plan Advisors, Inc. Flex spending lets you deduct pre- +tax money for out-of-pocket medical expenses, dependent care, +and transportation. Annual enrollment for flex spending occurs in +November for the plan year beginning January 1. Participants of +this program will receive a Benny Card at the start of the new +year that they can begin using immediately for eligible expenses. +● Read more about Flexible Spending +● Download the Flexible Spending Application +● Cafeteria Plan Advisors, Inc. website + +To contact Cafeteria Plan Advisors directly with questions: +Mailing Address: 420 Washington Street, Suite 100, Braintree, +MA 02184 +Phone: +1-800-544-2340 +FAX: +1-781-848-8477 +Email: +info@cpa125.com + + +Page 2: +Superintendent’s Circular HRS-PP16 +Page 2 of 4 + + +RETIREMENT PLANNING +State-Boston Retirement System +All employees are eligible to participate in the State Boston +Retirement System. For more information, visit the Retirement +Board website. +Voluntary Retirement Plans +Employees are eligible to participate in two types of voluntary +deferred compensation retirement plans: +• Massachusetts Deferred Comp 457 SMART Plan +• 403(b) tax-sheltered annuities +See information below on these two types of voluntary deferred +compensation plans. +DEFERRED COMPENSATION +1. 457 SMART Plan +Employees are eligible to participate in the +Commonwealth’s Deferred Compensation Plan (also known +as a Section 457 Plan). This allows an employee to shelter +income from federal and state income tax through a payroll +deduction. Additional information is available at the +Massachusetts Deferred Compensation Smart Plan website. +Click here for more information Deferred Compensation (IRS +457). +2. 403(b) Plans +Employees are eligible to participate, at no cost, in tax- +sheltered annuities (also known as 403(b) plans). An annuity +is a tax-saving retirement planning device that allows an + + +Page 3: +Superintendent’s Circular HRS-PP16 +Page 3 of 4 + + +employee to shelter income from federal and state income +tax through a payroll deduction. A representative at a +participating company will provide a payroll deduction form, +which you may also download and print out here. This form +must be filled out and submitted according to BPS 403(b) +procedures. +o AIG/VALIC (Variable Annuity Life Insurance Co.), +Nashua, NH. (603) 594-8340 +o American United Life Insurance Company +o Ameriprise Financial Services, Inc., Minneapolis, MN +(800) 862-7919 +o Ameritas Life Insurance Corporation, Lincoln, NE (800) +745-1112 +o ASPire Financial Services, Tampa, FL (866) 634-5873 +o AXA Equitable Life Insurance Company, Wellesley, MA +(781) 237-8264 +o Commonwealth Annuity and Life Ins. Co., Topeka, KS +(800) 457-9047 +o Fidelity Investments Mutual Funds +o Great American Advisors, Inc., Cincinnati, OH (800) 216- +3354 +o Great American Financial Resources, Inc., Cincinnati, +OH (888) 497-8556 +o Horace Mann, Springfield, IL (866) 999-1945 +o Kemper Annuity and Life Ins. Co., Topeka, KS (800) 457- +9047 +o Lincoln Investment Planning Mutual Funds, Waltham, +MA (781) 647-3050 +o Lincoln National Life Insurance Company, Fort Wayne, +IN (800) 454-6265 +o MetLife, Bloomfield, CT (860) 768-0139 + + +Page 4: +Superintendent’s Circular HRS-PP16 +Page 4 of 4 + + +o MetLife of CT, Bloomfield, CT (860) 768-0139 +o Midland National Life +o North American Company for Life and Health +o New York Life Insurance Company, Sleepy Hollow, NY +(914) 846-5608 +o Protective Life, Topeka, KS (800) 457-9047 +o The Union Central Life Ins. Co., Cincinnati, OH (800) +825-1551 +VOLUNTARY INSURANCE +Other insurance providers offer short and long-term disability. +They also offer optional life insurance and critical illness coverage. +These are voluntary insurance programs. Please be advised that +these benefits are not administered by the Health Benefits Office. +For more information about this circular, contact: +Owner: +Employee Services, Office Human Resources +Phone: +617-635-9600 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.txt b/data/data_txt/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.txt new file mode 100644 index 0000000..b39b86d --- /dev/null +++ b/data/data_txt/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.txt @@ -0,0 +1,219 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP17 +Version 01 + +EMPLOYEE RESIGNATION, RETIREMENT, AND +SEPARATION PROCEDURE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +A resignation is a voluntary action taken by an employee who +wishes to terminate their employment with the Boston Public +Schools. +RESIGNATION/SEPARATION +An employee shall notify their immediate supervisor regarding +termination of employment with Boston Public Schools. This +notice must be in writing, state the employee’s last day of work, +and be signed by the employee. A sample resignation letter +(found on page 7) may be used to provide written notice. +To submit a resignation letter: +1. Complete the resignation termination form by clicking on +the link Termination/Retirement/Resignation Notification +Form. Complete the form and upload a signed letter of +resignation. Please enter a personal email address on the +resignation/termination form to receive the final email +notification acknowledging your resignation from the Office +of Human Resources. + + +Page 2: +Superintendent’s Circular HRS-PP17 +Page 2 of 7 + +2. The resignation form will send an email notification to your +supervisor. +3. Supervisors will approve/process, and notification will then +be sent to the Office of Human Resources to process. +4. An email notification finalizing the process will be emailed +to your personal email address that you provide on the +resignation/termination form. +5. For those unable to access the link, you can have a +supervisor or secretary complete the form on your behalf. +The supervisor will submit via the online process for +entering resignation/retirement/terminations. Please +provide your personal email address to receive the final +email notification acknowledging your resignation from the +Office of Human Resources. +RETIREMENTS +1. An employee who is planning to retire must first file an +“Intent to Retire” with the City of Boston Retirement Board. +Please note that pursuant to Retirement Board policy, an +employee cannot file the Intent to Retire more than four (4) +months prior to their intended retirement date. +2. After you submit your signed Intent to Retire form to the +Boston State Retirement Board, please complete the +Resignation/Retirement form by clicking on the link +Termination/Retirement/Resignation Notification Form. +3. Upload a signed letter resigning for the purpose of retiring +along with your signed Intent To Retire form that you +submitted to the Retirement Board. Please enter a personal +email address on the retirement/resignation form to receive + + +Page 3: +Superintendent’s Circular HRS-PP17 +Page 3 of 7 + +an email notification acknowledging your +retirement/resignation when finalized by the Office of +Human Resources. +4. Resignation/Retirement form will send an email notification +to your supervisor who will sign off on the notification of +your resignation/retirement and submit notification to the +Office of Human Resources to finalize the retirement +termination process. +5. For those unable to access the link, you can have a +supervisor or secretary complete the form on your behalf. +The supervisor will submit via the online process for +entering resignation/retirement/terminations. Please +provide your personal email address to receive the final +email notification acknowledging your +retirement/resignation. +For more information on the retirement process, employees +should contact the Boston Retirement Board for an appointment +by telephone at 617-635-4311 or via email at +retirementboard@boston.gov. The Retirement Board is located +at 1 City Hall Square, Room 816, Boston, MA 02201-2038. +CANCELLATION OF RESIGNATION/RETIREMENT +Resignations and retirements may be canceled before an +employee’s effective date of termination. A signed letter must be +received by the Office of Human Resources and Retirement +Board if canceling retirement prior to the close of business on the +original resignation/retirement date. +Once the resignation effective date has passed, an employee may +return to the Boston Public Schools only through the + + +Page 4: +Superintendent’s Circular HRS-PP17 +Page 4 of 7 + +reemployment process by applying for a position. +EMPLOYEE SEPARATION CHECKLIST (EMPLOYEE PORTION): +Terminating employees are advised to complete the following +prior to exiting Boston Public Schools: +1. Complete the resignation/retirement termination +notification form and upload a signed letter of resignation to +your school/dept or OHC over the summer months by +clicking on the link Termination/Retirement/Resignation +Notification Form. See sample resignation letter on page 4 +of this circular. +2. Please return any Boston Public Schools property that you +still have in your possession, e.g., keys, cell phone, laptop, +etc., on or before your last day of employment. For keys and +school building materials, please contact your school leader +to arrange to return those items. +3. L4L Laptop (Laptops for Learning), please call the OIIT +Service Desk, 617-635-9200 to schedule an appointment to +return the laptop, bag, and peripherals. +4. Enter all Absence Requests on Employee Self Service (ESS). +5. Cancel any meetings or out of district activities that are +scheduled prior to the last day of employment and work +with your supervisor to achieve a smooth transfer of duties. +6. Update your home address for future correspondence (i.e., +final paycheck, W2, benefit information, severance etc.); +remove mailing address if home address is same as mailing +address. +7. Remove all personal files from district servers and + + +Page 5: +Superintendent’s Circular HRS-PP17 +Page 5 of 7 + +computers. +8. Inform your supervisor of the location of job-related files and +make those files accessible to the supervisor. +EMPLOYEE SEPARATION CHECKLIST (SUPERVISOR PORTION): +An employee’s supervisor is responsible for collecting the +following applicable items and/or addressing the following +issues: +1. Have the employee enter the resignation/retirement letter +on the electronic termination form at this link +Termination/Retirement/Resignation Notification Form, or +you or your secretary can complete the form and upload the +employee’s signed letter of resignation on the employee’s +behalf. A sample letter is located on page 4 of this circular. +2. Process all absences on Employee Self Service in a timely +manner. +3. Obtain the following items (all that apply): +a. Keys (office, building, cabinet, desk, vehicles, other). +b. Badge/ID (office, building, other). +c. Department issued equipment (computers, laptops +(except L4L laptops), printers, modems, etc.) See above +for L4L laptop returns to OIIT. +d. Cell phone and accessories, pager, radios. +e. Department issued uniforms. +f. Department issued property. + + +Page 6: +Superintendent’s Circular HRS-PP17 +Page 6 of 7 + +BENEFITS +An employee may be eligible to continue to purchase certain +benefits after they leave. Upon loss of coverage for an employee +and/or their eligible dependent(s), a COBRA notification packet +will be mailed to the employee and/or their eligible dependent(s). +The law requires that this packet be sent by mail to the last +known address of the employee and/or the employee's eligible +dependent(s). For additional information on COBRA, see COBRA +Questions and Answers. +Please contact the City of Boston Health Benefits Office at 617- +635-4570 for further information. +The Office of Human Resources provides this FAQ Retirements, +Resigning, Non-Renewal, Lay Off. + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 7: +Superintendent’s Circular HRS-PP17 +Page 7 of 7 + +SAMPLE EMPLOYEE RESIGNATION LETTER +Employee Name: +Employee Address: +Date: + +Dear (Principal/Head of School/Supervisor), +This letter is to inform you that I will be resigning from my +position as [name of position] at [name of school or department] +effective [date]. +Optional: May include reasons for resigning in the body of the +form. +I certify that this resignation is executed by me voluntarily and of +my own free will. + +Employee Name: +Employee Signature: +Date: + + diff --git a/data/data_txt/HRS-PP19 Performance-Related Dismissal Process for Teachers.txt b/data/data_txt/HRS-PP19 Performance-Related Dismissal Process for Teachers.txt new file mode 100644 index 0000000..8b9763f --- /dev/null +++ b/data/data_txt/HRS-PP19 Performance-Related Dismissal Process for Teachers.txt @@ -0,0 +1,144 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +HRS-PP19 +Version 01 + + + +PERFORMANCE-RELATED DISMISSAL PROCESS +FOR TEACHERS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +In the event the performance evaluation of a teacher results in a +recommendation for dismissal by a Principal or Head of School, +the following procedures will be followed: (1) the Superintendent +shall review all processed recommendations for dismissal and (2) +if the Superintendent approves the recommendation to dismiss +the teacher, the Principal or Head of School may institute +dismissal proceedings set forth in M.G.L. c. 71, section 42. +Note: A teacher may be removed from the classroom, dismissed, +or suspended for just cause prior to the completion of the +evaluation-related process specified in this Circular. +TERMINATION REQUIREMENTS +The minimum requirements to proceed with a teacher +termination can be met in one of two ways, both in cases where +the teacher was placed on an Improvement Plan: +If the Evaluator determines that the Educator is not making +substantial progress toward proficiency, the Evaluator shall +recommend to the superintendent that the Educator be +dismissed. + + +Page 2: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +If the evaluator determines that the Educator’s practice +remains at the level of unsatisfactory, the Evaluator shall +recommend to the superintendent that the Educator be +dismissed. + +Copies of the following information will be submitted to the +Superintendent via the Office of Labor Relations in order to move +forward with a recommendation for termination: +1. +All less-than-proficient performance evaluations you are +relying on for potential termination. +2. +All other performance evaluations within the last two years. +3. +All written feedback to the teacher following an observation +in which you saw a need for improvement. +4. +All correspondence regarding pre-evaluation and post- +evaluation meetings. +5. +All written notes from pre-evaluation or post-evaluation +meetings. +6. +A log documenting all artifacts (e.g., syllabus, lesson plan, +evidence of planning, etc.) submitted to you by the teacher. +7. +All notes and correspondence from the teacher concerning +evaluations, classroom observations, and other matters +relating to their performance. +8. +Correspondence from teachers, parents, or other individuals +regarding a teacher’s performance, complimentary or +critical. +9. +Attendance and tardiness records and correspondence if +attendance and/or tardiness is an issue or if the teacher’s +absences have affected contractually required timelines. + + +Page 3: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +10. +A log documenting any allegations of discrimination brought +by the teacher to the BPS Office of Equity or the +Massachusetts Commission Against Discrimination (MCAD), +e.g., race, age, gender, disability. +11. +All documentation about any disciplinary action taken +against the teacher, only if relevant to performance issues. +12. +A draft letter from the principal notifying the teacher of BPS’ +intent to dismiss based on unsatisfactory performance. + +Steps of the termination procedure: +1. +The principal/head of school recommends to the +Superintendent that a teacher be terminated. +2. +If the Superintendent approves the recommendation, the +teacher receives a letter from the principal/head of school +notifying them of BPS’ intent to dismiss. +3. +The teacher has 10 school days after receiving the notice +of intent to dismiss to meet with the principal/head of +school to review the decision. +4. +After the meeting, if the termination decision remains +unchanged, the principal/head of school sends the +teacher a letter communicating the termination decision. +5. +The teacher with professional teacher status may seek +review of the termination decision within 30 days by filing +a petition for arbitration with the Commissioner of +Education. + + +For more information about this circular, contact: + + +Page 4: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +Owner: +Director of Labor Relations +Department: +Office of Labor Relations +Mailing +Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-1576 +Fax: +617-635-7959 +E-mail: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.txt b/data/data_txt/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.txt new file mode 100644 index 0000000..37c2aa4 --- /dev/null +++ b/data/data_txt/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.txt @@ -0,0 +1,97 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP20 +Version 01 + + + +CHANGES IN PAY FREQUENCY FOR +PARAPROFESSIONALS AND COMMUNITY FIELD +COORDINATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Pursuant to the Memorandum of Agreement between the School +Committee of the City of Boston and The Boston Teachers Union, +Local 66, AFT, AFL-CIO (‘Union’), Article III, Compensation and +Benefits Section A: “Add – If 200 paraprofessionals choose the +option, a paraprofessional shall have the option of being paid +biweekly over 26 paychecks”. +1. Paraprofessionals and community field coordinators may +elect to be paid biweekly over 26 paychecks. +2. An employee must be active or on paid leave at the +beginning of the school year. +3. Applications can be submitted to the Payroll Unit via fax to +617-635-9003, via Google form +https://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq- +i9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or +US postal service to 2300 Washington Street, Roxbury MA +02119, Attn: Payroll, only during the open enrollment period +which begins on April 1 and ends on June 1. +4. Applicants who wish to change their pay frequency from 10 + + +Page 2: +Superintendent’s Circular HRS-PP20 +September 1, 2023 +Page 2 of 3 + + + +months to 12 months or 12 months to 10 months must notify +Payroll by submitting the Para Pay Frequency application or +completing the Google form prior to the June 1 deadline to +be effective September of the next school year. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +April 1 +Para pay frequency open enrollment period begins. +June 1 +Para pay frequency open enrollment period closes. + +For more information about this circular, contact: +Department: +Office of Human Capital +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-9003 + +Mary Skipper, Superintendent + + +Page 3: +Superintendent’s Circular HRS-PP20 +September 1, 2023 +Page 3 of 3 + + + +APPLICATION FOR CHANGE IN PAY FREQUENCY FOR ALL +PARAPROFESSIONALS & COMMUNITY FIELD COORDINATORS + Change from 21 to 26 payments (paid 12 months): +I am electing to change my paycheck frequency to 26 +payments. I understand that this request cannot be reversed +until the next school year. + Change from 26 to 21 payments (paid 10 months): +I am electing to change my paycheck frequency to 21 +payments. I understand that this request cannot be reversed +until the next school year. +Name: ___________________________________________________________ +Employee I.D.: ____________________________________________________ +School/Department: ______________________________________________ +Signature: _______________________________________________________ +Date: __________________________ +Please submit your completed form on or before June 1. The +change will become effective in September of the new school +year. If you have any questions regarding this matter, please +contact the Office of Human Capital at 617-635-9600. + + diff --git a/data/data_txt/HWD-01 Wellness Policy .txt b/data/data_txt/HWD-01 Wellness Policy .txt new file mode 100644 index 0000000..57a72ca --- /dev/null +++ b/data/data_txt/HWD-01 Wellness Policy .txt @@ -0,0 +1,3022 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HWD-01 +Version 01 + + + + +DISTRICT WELLNESS POLICY + +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +2 +I. POLICY +5 +A. Wellness Councils +6 +B. Cultural Proficiency +13 +C. School Food and Nutrition Promotion +16 +D. Comprehensive Physical Activity and Physical Education 20 +E. Comprehensive Health Education +25 +F. Healthy School Environment +26 +G. Safe and Supportive Schools +28 +H. Health Services +30 +I. Staff Wellness +33 +II. IMPLEMENTATION GUIDELINES +33 +A. District Wellness Council: +33 + + +Page 2: +Superintendent’s Circular HWD-01 +Page 2 of 102 + + + +B. School-based Wellness Councils: +34 +C. Implementation Guidelines for Monitoring and Evaluation 38 +III. DEFINITIONS +86 +IV. INDEX OF FEDERAL, STATE, AND BOSTON PUBLIC SCHOOL +WELLNESS-RELATED +POLICIES & GUIDELINES +91 + + +BACKGROUND + +Understanding that physical and mental health, emotional well- +being, and positive development are inextricably linked with +academic success, Boston Public Schools (BPS or the District) has +worked to transform the District’s capacity to meet the health +needs of Boston children. Improving overall student health is a +key factor in reaching the ambitious academic targets set forth in +the Superintendent’s Strategic Implementation Plan. Beyond the +academic imperative however, school, civic and community +leaders have a responsibility to help Boston’s children overcome +health barriers that may prevent them from successfully meeting +the challenges of reaching adulthood and assuming their roles as +the eventual leaders and stewards of our community. Our vision +for the BPS graduate challenges us to develop young people who +are more than scholars. It calls for graduates who are healthy in + + +Page 3: +Superintendent’s Circular HWD-01 +Page 3 of 102 + + + +both mind and body, prepared to make wise choices to ensure +their own physical, mental, and emotional well-being. + +To create a healthy school environment where the healthy choice +is the easy choice, we have developed this policy regarding +wellness initiatives in Boston Public Schools. This policy took +effect September 1, 2017. + +First passed on June 30, 2006, the District Wellness Policy was +implemented in September 2006. It was updated in June 2013, +and again in June 2017 taking into consideration the needs and +perspectives expressed by members of the Boston School +community, and responding to both the Healthy, Hunger-Free +Kids Act1 and Massachusetts Standards for School Wellness +Advisory Committees.2 This document is intended to assist +administrators and Wellness Council members in implementing +these guidelines in their schools. + +This District Wellness Policy reflects the comprehensive +approach stated in the District’s Strategic Plan for Health and +Wellness, Healthy Connections: Strengthening Coordination and + +1 P.L. 111–296—DEC. 13, 2010 +2 105 CMR 215 + + +Page 4: +Superintendent’s Circular HWD-01 +Page 4 of 102 + + + +Capacity in the Boston Public Schools to Advance Student +Health and Wellness and brings together content areas +recommended in the Centers for Disease Control and +Prevention’s Whole School Whole Community Whole Child +Approach. A subcommittee of the District Wellness Council +formed into seven work groups, representing these topic areas: +1. Cultural Proficiency +2. School Food and Nutrition Promotion +3. Comprehensive Physical Activity +4. Comprehensive Health Education +5. Healthy School Environment +6. Health Services +7. Safe and Supportive Schools +8. Staff Wellness + +These work groups consulted the perspectives of the Boston +School community as well as evidence-based national +recommendations and wrote specific policy language and +implementation guidelines that reference other relevant District +policies and further develop policy language regarding wellness +for all students. This comprehensive approach seeks to advance +Boston Public Schools’ strategic aims to: improve coordination +across programs and departments; improve and integrate data + + +Page 5: +Superintendent’s Circular HWD-01 +Page 5 of 102 + + + +collection; establish guidelines for accountability appropriate to +the group’s location within the organization; support building +noncompeting partnerships internally and externally; and build +sustainability. + +I. POLICY + +The Boston Public Schools (BPS or the District) aims to actively +promote the social, emotional and physical health and wellness +of all students to advance both their healthy development and +readiness to learn. Student and staff wellness is a core value of +the District and a key strategy to address health inequities and to +close opportunity and achievement gaps that impact BPS +students. Thus, BPS strives to be one of the healthiest school +districts in the country. BPS will ensure that the healthy choice is +the easy choice and that students learn the skills and knowledge +needed to make those choices. BPS is committed to +implementing a Whole School Whole Community Whole Child +(WSCC) approach to wellness, as recommended by the Centers +for Disease Control and Prevention (CDC) and ASCD (Association +of Supervisors and Curriculum Development). As a part of this +approach, BPS will meet the health and wellness needs of all +students through prevention, intervention and intensive +response. As a result, all BPS students will be challenged, +supported, engaged, safe and healthy. + + + +Page 6: +Superintendent’s Circular HWD-01 +Page 6 of 102 + + + +The District Wellness Policy is intended to link new and existing +wellness-related policies and convey a framework for creating +safe, healthy and welcoming school environments. BPS shall take +a comprehensive approach to reviewing and incorporating +changes in policy, curriculum, and operating procedures to +promote healthy lifestyles and sustainable wellness practices for +all students and staff. The work of implementing this policy relies +on the work and collaboration of instructional, operational, +clinical +and administrative staff at schools and central office +departments. BPS shall develop the capacity of schools to +implement the policy and improve the quality and equity of +programs, services, and supports. This policy is inclusive of all +students, staff, and families. + +A. WELLNESS COUNCILS + +1.) District Wellness Council +The BPS shall maintain a superintendent-appointed District +Wellness Council. This advisory group will develop, recommend, +review and advise on implementation of school District policies +that address student and staff wellness. The District Wellness +Policy shall be reviewed once yearly by the District Wellness +Council and considered for updates based on other model school +wellness policies and best practices, annual report findings and +recommendations, input from schools and the community, + + +Page 7: +Superintendent’s Circular HWD-01 +Page 7 of 102 + + + +research evidence, and regulations. The District Wellness Council +shall seek ongoing feedback from BPS community stakeholders. +Additionally, the District Wellness Council will develop an annual +Wellness Action Plan with goals and SMART objectives for the +coming school year. + +This council shall include at a minimum representatives from: +families, students, school and District instructional and +operational administrators, relevant central department heads, +school food and nutrition services staff, physical education and +health education teachers, school nurses and other school health +professionals (e.g. psychologists, guidance counselors, social +workers) a school committee member, community youth serving +agencies, Boston Public Health Commission representatives, +healthcare providers and the general public. Appointees to the +maximum extent possible shall reflect the cultural, linguistic, and +ethnic composition of BPS schools. General membership and +attendance at the District Wellness Council is open to all +stakeholders and the general public. The District Wellness +Council will implement a plan for involving and engaging all of +these stakeholders. + +2.) School-based Wellness Councils +All BPS schools shall establish and maintain a school-based +wellness council. School-based wellness councils shall act as a +shared leadership team to implement wellness-related District + + +Page 8: +Superintendent’s Circular HWD-01 +Page 8 of 102 + + + +policies. Councils must assess their school’s implementation of +the Wellness Policy and create and implement an annual +Wellness Action Plan as a part of the Quality School Plan. +Principals shall name a wellness council chair(s) to coordinate the +wellness council and act as a liaison to the District, community, +and families. Wellness council chairs will attend District training. +The council shall include at a minimum a school administrator, +family representatives, students (where feasible), representatives +of a wide range of school health and health-related disciplines, +including school nurses, school food service staff, health +education and physical education teachers and other school +health professionals, such as psychologists, guidance counselors, +and social workers. To the extent feasible, members will include +operations and custodial staff, community partners and the +general public. Appointees to the maximum extent possible shall +reflect the cultural, linguistic and ethnic composition of the +school community. + + +3.) Stakeholder Participation in Councils / Informing and +Updating the Public +The District will develop a district-level communication strategy +and communication guidance for schools to increase awareness +of the policy and its importance for creating a safe, healthy, and +welcoming school. a. The following are responsibilities for +informing stakeholders about policy: +1. BPS will post the District Wellness Policy on the BPS +website. + + +Page 9: +Superintendent’s Circular HWD-01 +Page 9 of 102 + + + +2. Schools must share a link to the District Wellness Policy on +their school’s website and send a message to families +notifying them of how they may obtain a copy or otherwise +access the policy. +3. School-based Wellness Councils shall annually +communicate wellness-related policies so that all staff, +families and students are aware of the policy requirements. +4. BPS and schools shall notify families and the public about +the content of the District Wellness Policy and any updates +to the policy on an annual basis. +5. BPS will ensure that the District Wellness Policy and any +public announcement related to the policy are available in +the languages that represent the school community. + +b. The following are responsibilities for informing stakeholders +about the District Wellness Council and school-based councils: +1. BPS will make available to the public and school +community, on the BPS website and through other regular +channels of communication that BPS utilizes, a list of names +and position titles (or relationship to the school) of +individuals who are a part of the District Wellness Council, +including the name, position title, and school- based contact +information of the council leadership and subcommittee co- +chairs. +2. BPS will post the District Wellness Action Plan on the BPS + + +Page 10: +Superintendent’s Circular HWD-01 +Page 10 of 102 + + + +website to share District goals and objectives for the school +year. +3. Schools must make available to the public and school +community on their website a list of names and position +titles (or relationship to the school) of individuals who are a +part of their school-based wellness councils and include the +name, position title, and school-based contact information +of the council chairs(s). +4. Schools must post their Wellness Action Plans on their +school’s website to share local school goals and activities to +implement the policy. +5. BPS shall make available to the public and the schools the +results of the annual assessment, which is detailed in the +next section, and actively notify families of the availability of +the assessment results. + +c. The following are responsibilities for engaging stakeholders: +1. The District Wellness Council and school-based councils will +encourage diverse membership on councils and +subcommittees, attendance at meetings, and participation +of all BPS stakeholders through public comment and +feedback. +2. BPS will share information on the District website about +how the public can get involved with the District and +school-based wellness councils. + + +Page 11: +Superintendent’s Circular HWD-01 +Page 11 of 102 + + + +3. Schools must share information on their school’s website +about how the public can get involved with the school +wellness councils. +4. BPS will develop methods to educate students about +wellness policies and ways they can be involved in the +wellness councils when developmentally appropriate. + + +4.) Monitoring, Assessment and Reporting +BPS shall develop and implement an evaluation plan designed to +measure school-level implementation and student level +outcomes of all policy components of the District Wellness Policy. +Where possible the metrics will align with other District +indicators and be measurable using existing evaluation tools and +systems and be sustainable over time. This plan will be made +available to the public as a part of the District Wellness Policy +circular. + +BPS shall annually assess compliance with the District Wellness +Policy, alternating between qualitative and quantitative annual +assessments. The annual assessment will measure the extent to +which schools are in compliance with the BPS policy and the +progress made in attaining the goals of the previous year’s +Wellness Action Plan. The District Wellness Council will write an +annual report that will include: the results of assessment, the +extent to which the Boston Public School District Wellness Policy +compares to model local school wellness policies, a summary of + + +Page 12: +Superintendent’s Circular HWD-01 +Page 12 of 102 + + + +the District activities and accomplishments related to wellness +policy implementation of the previous year, and goals and +objectives for the upcoming year. This annual report shall be +presented to the superintendent, the School Committee and the +Massachusetts Department of Education. The District will +develop a strategy for reporting on compliance of each school. + +BPS shall maintain records to document compliance with +Wellness Policy including: the written District Wellness Policy; +documentation demonstrating compliance with community +involvement requirements; documentation of the annual +assessment of the District Wellness Policy; and documentation to +demonstrate compliance with the annual public notification +requirements. + +5.) Wellness Policy Leadership +School principals are responsible for ensuring their school +complies with the Wellness Policy. At the District level, the +executive director of the Office of Health and Wellness is +responsible for overseeing monitoring, reporting, and +communication of the BPS Wellness Policy. The following District +departments are responsible for supporting implementation and +monitoring of specific components of the policy: +a. Behavioral Health Services +b. Facilities & Capital Management + + +Page 13: +Superintendent’s Circular HWD-01 +Page 13 of 102 + + + +c. Food and Nutrition Services +d. Health and Wellness +e. Health Services +f. Office of Engagement +g. Office of Equity +h. Office of Opportunity Gaps +i. Safe and Welcoming Schools +j. Transportation + +The compiled department information will be reported to +instructional superintendents and operational superintendents +who are granted the authority and responsibility by the +superintendent to ensure each school complies with the policy. +BPS will provide a means of contacting the District or school +official(s) responsible for oversight by designating District or +school-based phone(s) number and/or email address for this +purpose. + +B. CULTURAL PROFICIENCY + + +The Boston Public Schools is committed to creating a culturally + + +Page 14: +Superintendent’s Circular HWD-01 +Page 14 of 102 + + + +proficient District that embraces at its fundamental core the +culturally sustaining and affirming beliefs and practices that +honor differences while mitigating the effects of concentrated +poverty and institutional racism in the effort to eliminate gaps +and promote health and wellness for all. The District is +committed to providing authentic learning opportunities for +every child in every classroom in every school to ensure they +develop into healthy, engaged, self-determined, and +independent learners that are college and career ready. The +District recognizes that Culturally and Linguistically Sustaining +Practices (CLSP) helps to create a safe, healthy and welcoming +environment that supports all students’ social, emotional, +physical and academic learning as well as their health and +wellness. Cultural Proficiency is an approach that raises +awareness of individual and institutional culture and bias, +encourages cultural learning and relationship building, and +implements CLSP, to respect, celebrate and build on cultural +strengths and diversity. Cultural diversity includes but is not +limited to group and/or individual identities based on race, +ethnicity, nationality, immigration status, religion, language, +gender, sexual orientation, gender identity, ability, social class, +and home life or family structure. Cultural Proficiency should be +integrated into the implementation of other areas of the District +Wellness Policy and is called out here to establish specific actions +to be taken by the District and the schools. + +The District will support the development of staff and +administrators’ competencies to build cultural proficiency in + + +Page 15: +Superintendent’s Circular HWD-01 +Page 15 of 102 + + + +schools, classrooms and central office departments. Schools shall +collectively assess their organizational structure, policies and +school-wide practices for bias(es) as well as examine their +physical environment, classroom curricula, instructional materials +and wellness promotions. Schools will use this assessment to +inform their annual Wellness Action Plan. The District and the +schools shall include student, family and community +participation in decision-making bodies and create structures for +feedback from students, families and communities and increased +engagement of all families in wellness-related policies and +committees. This includes recognizing specific barriers faced by +families of ELL students and ELL students with disabilities by +targeting outreach to these groups and using the Translation and +Interpretation Unit to translate family-focused communications +and to provide interpretation as requested during meetings. + +Schools will follow other cultural proficiency-related policies, +including those regarding race, ethnicity, immigration status, +religion, language, gender, sexual orientation, gender identity, +and disabilities and policies that promote family and student +engagement. The work of creating a culturally proficient District +requires the participation of departments and staff across the +District and requires engagement in interdepartmental +collaboration. + + + + +Page 16: +Superintendent’s Circular HWD-01 +Page 16 of 102 + + + +C. SCHOOL FOOD AND NUTRITION PROMOTION + +The Boston Public Schools supports lifelong healthy eating habits +for all students and staff and is committed to addressing the +increasing rates of diet-related health consequences among +these groups by creating a healthy school food environment. +Serving healthy choices in the lunchroom, limiting availability +and marketing of unhealthful foods and sugary drinks, and +making water available to students throughout the day are some +of the ways to create a healthy school food environment. BPS is +committed to ensuring food sold or served outside of the +cafeteria meets high nutritional standards. + +Boston Public Schools believes the cafeteria is an essential +setting to educate and promote healthy eating habits. Boston +Public Schools is committed to serving students nutritious and +delicious food that is less processed, more locally sourced, and +culturally responsive to reflect the diverse student population. As +an effective way to improve the nutritional quality of both foods +served in schools and consumed by students, BPS will create and +implement School Meals Nutrition Standards, going beyond +federal requirements. BPS shall undertake a constant review of +school food and the food environment to ensure safety, quality, +menu equity, and innovation. Boston Public Schools shall be an +innovator with school food, serving foods that are new and +exciting for the students. We believe that students deserve meals +reflective of their culture and tastes. We believe eating well is not + + +Page 17: +Superintendent’s Circular HWD-01 +Page 17 of 102 + + + +a privilege; it is a right. Therefore, BPS is committed to ensuring +all students are food secure. + +Key requirements of creating a healthy school food environment +are: + +1.) School Meals Program +a. Ensure all menus meet USDA-mandated requirements, as +well as Massachusetts Department of Public Health +regulations and the latest scientific evidence on healthy +eating practices. At a minimum, schools must follow Bronze +status standards for the Alliance for a Healthier Generation, +and work toward Bronze status standards for the Healthier +US School Challenge. +b. Ensure all menus offer variety and are well presented in an +appealing way, and meals and menu items are labeled to +communicate deliciousness, as well as specific ingredients. +c. Encourage students to participate in breakfast, lunch, and +afterschool meals programs and avoid stigmatizing children +who participate. +d. Provide foods that are free of unwanted ingredients +including, trans fats, high fructose corn syrup, artificial +colors, artificial sweeteners, additives (azodicarbonamide, +bromated flour), and artificial preservatives (nitrates, nitrites, + + +Page 18: +Superintendent’s Circular HWD-01 +Page 18 of 102 + + + +sulfates, sulfites, MSG, BHA, BHT, TBHQ). Menus follow the +BPS Menu and Ingredient Guidelines. The guidelines are +updated annually. +e. Reduce material used for packaging, sourcing recyclable or +compostable materials when possible and working to +promote best practices around recycling and composting. +f. Water must be available at no cost during mealtimes +wherever meals are served. + +2.) Food Safety +a. Ensure kitchen facilities (both prep and satellite locations) +are inspected twice a year by the Inspectional Services +Division (ISD - Health Department). +b. Implement a stringent and detailed internal Hazard Analysis +and Control Points (HACCP) plan that provides regulations +in following safety procedures for food recalls, emergency +preparedness to avoid foodborne illnesses, and the spread +of infectious diseases. +c. Ensure all employees who work 5+ hours are certified in +food safety. +d. Ensure all lead employees are allergy awareness certified +and have American Heart Association HeartSaver First Aid +Program 2-year certification. + + + +Page 19: +Superintendent’s Circular HWD-01 +Page 19 of 102 + + + +3.) Nutrition Education, Promotion and Food & Beverage +Marketing +a. Promote health and nutrition messages that encourage the +consumption of fruits and vegetables, whole grains, healthy +fats, low-fat dairy products, and water and other messages +consistent with research-based findings that indicate a +positive impact on health. +b. Identify opportunities to teach healthy eating habits in +health education, physical education, and other subjects, +and through cafeteria and other school-wide promotions. +c. Identify opportunities to support teachers, school staff, and +parents around modeling healthy eating habits and +following appropriate nutritional standards at school +celebrations and staff meetings. +d. Allow only food and beverage marketing on school grounds, +including items shared with students, that promote foods +and/or beverages that meet the BPS nutritional standards. + +4.) Competitive Food & Beverages +a. All schools shall follow federal, state, and local laws and +regulations for competitive foods and beverages (i.e. foods +sold, provided, or served within school buildings or on +school grounds outside of the school meals program) as +outlined in this circular. + + +Page 20: +Superintendent’s Circular HWD-01 +Page 20 of 102 + + + +b. Prohibit food sold in competition with school meals, +including food-based fundraisers and vending machines +during the school day. +c. The Food and Nutrition Services Department is solely +responsible for food and beverages sold to children during +the school day; consequently, the sale of food and beverages +by others is expressly forbidden. +d. Encourage non-food alternatives for school fundraisers, +school parties, and classroom celebrations. +e. Prohibit the use of food and beverage as a reward or means +of discipline. + +All Boston Public Schools shall follow Food and Nutrition Services +policies and circulars. + +D. COMPREHENSIVE PHYSICAL ACTIVITY AND PHYSICAL +EDUCATION + +The Boston Public Schools is committed to a District-wide, +strategic effort to increase all students’ physical activity and +fitness by bringing more physical education and physical activity +to schools; improving the quality of physical education and +recess; and increasing the equity of physical activity programs +and resources across our schools. Activities will be inclusive to + + +Page 21: +Superintendent’s Circular HWD-01 +Page 21 of 102 + + + +meet the needs, interests, abilities and cultural diversity of all +students, including students of all gender identities, students +with disabilities, and students with special healthcare needs. + +Numerous studies indicate that regularly engaging in moderate- +to-vigorous exercise contributes to overall physical and mental +health and that nurturing an exercise habit among children lays +the foundation for lifelong fitness. Research also shows that +increased physical activity increases children’s cognitive function, +ability to concentrate in class, and academic performance. Thus, +as a part of a strategic effort to improve academic performance, +BPS recognizes and promotes the benefits of a Comprehensive +Physical Activity Program, where quality physical education is the +cornerstone and additional physical activity is integrated +throughout the school day and into before and after school +programs, staff wellness and family engagement activities. + +The Boston Public Schools is committed to a strong athletics +program that offers a variety of programs and is accessible to all +students. Athletics participation can contribute to student fitness, +wellness, character development and a lifelong commitment to a +physically active lifestyle. Additionally, by establishing a safe, +supportive and engaging school environment, athletic programs +encourage school connectedness and create a climate where +healthy competition and support fill the school with spirit and a +sense of community. Research shows that healthy children are +better learners and connected students are more likely to stay in + + +Page 22: +Superintendent’s Circular HWD-01 +Page 22 of 102 + + + +school. In this way, athletics contributes to the academic success +of students. + +In accordance with state law, all schools must provide all +students in all grades with opportunities for physical activity. +Schools must offer at least 150 minutes of in-school physical +activity weekly in grades PreK-8, including required physical +education, movement breaks, recess, or lessons involving +movement structured to support moderate-to-vigorous physical +activity (MVPA). In grades PreK-8, students are expected to have +at least 20 minutes of daily recess. + +Teachers and other school and community personnel shall not +use physical activity (e.g., running laps, pushups) as punishment +nor withhold opportunities for physical activity during the school +day (including but not limited to recess, classroom physical +activity breaks, or physical education) as punishment for any +reason other than illness or safety or as approved by the school +leader. This includes denying a student physical activity time in +order to make up work unless under unusual circumstances. The +district will provide teachers and other school staff with a list of +ideas for alternative ways to discipline students. + +All schools must offer standards-based physical education (PE) +for all students in all grades. Schools are required to offer at least +45 minutes of weekly PE in grades PreK-8 and at least one + + +Page 23: +Superintendent’s Circular HWD-01 +Page 23 of 102 + + + +semester (equivalent of a half school year) of PE each year in +grades 9-12. We recommend that schools provide at least 80 +minutes of weekly PE in grades PreK-8. In order to help schools +work toward this recommendation, Boston Public Schools will +develop an implementation plan with input from current +principals and headmasters. This implementation plan will be +shared with the School Committee. + +Teachers and other school and community personnel shall not +use physical activity (e.g., running laps, pushups) as punishment; +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity +breaks or physical education) as punishment for any reason; or +deny a student physical activity time in order to make up work +unless under unusual circumstances. + +Extended day programs and out of school time, which includes +before and after school programs, are expected to offer an array +of physical activity opportunities to ensure all students are able to +participate. Schools shall offer opportunities for students to +participate in physical activity before and after the school day, +including extended day time, through a variety of methods +including physical activity clubs, physical activity in before/after +school programs, intramurals and interscholastic sports, and in +their school commute. + + + +Page 24: +Superintendent’s Circular HWD-01 +Page 24 of 102 + + + +The District recognizes that students benefit from bicycle and +pedestrian safety education to help make the trip to and from +school safer and instill confidence in students, parents and +community members. The District will develop and maintain +policies and procedures for working together with city agencies, +schools, families, and students in efforts to promote a safer and +easier trip to and from school when students and staff are +walking, bicycling, using public transit or other means of +physically active transport. The District will encourage 7-12th +grade students to use public transportation when available and +appropriate for travel to school, and will work with the local +transit agency to provide transit passes for eligible 7-12th grade +students. The District will provide resources to schools, students +and families regarding walking, riding a bicycle, using public +transit or other forms of active transportation. The District will +encourage wellness councils, school administrators and students, +staff, families and community partners to assist the District in +promoting safe, physically active travel to and from school. +Schools are encouraged to designate a transportation liaison to +facilitate communication regarding District efforts to promote +safe, physically active travel to and from school. Schools shall +participate in student transportation surveys when requested to +help the District plan for strategies to promote a safer and easier +trip to and from school when walking, bicycling, using public +transit or other means of physically active transport. + + + +Page 25: +Superintendent’s Circular HWD-01 +Page 25 of 102 + + + +E. COMPREHENSIVE HEALTH EDUCATION + +The Boston Public Schools require comprehensive Pre-K through +grade 12 health education that is medically accurate, age and +developmentally appropriate, culturally and linguistically +sustaining, and implemented in a safe and supportive learning +environment where all students feel valued. All Boston Public +Schools must take a skills-based approach to teach +comprehensive health education that addresses a variety of +topics, such as tobacco, alcohol, and substance misuse and harm +reducation, nutritional health, mental and emotional health, +personal health and wellness, physical activity, safety and injury +prevention, violence prevention, and comprehensive sexual +health education that is LGBTQ+ affirming. + +Comprehensive health education curriculum shall be modified as +needed for students with disabilities and students who are +English learners. It shall promote healthy lifestyle habits, healthy +relationships and health literacy for all students. Health +education curricula will align with the BPS Health Education +Frameworks, which integrate the Massachusetts Comprehensive +Health Curriculum Framework and National Health Education +Standards, as well as the National Sexuality Education Standards. +Qualified and trained teachers will implement the curricula. + +All schools will follow relevant promotion and graduation + + +Page 26: +Superintendent’s Circular HWD-01 +Page 26 of 102 + + + +requirements that include: Health education that includes at +minimum the Healthy and Safe Body Unit in elementary school; +two semesters of health education in grades 6 to 8 taught by a +licensed health education teacher; and a one semester course of +health education in total in grades 9 to 12 taught by a licensed +health education teacher. In addition to these course +requirements, health education topics will be integrated into +other subject areas where possible, so as to reinforce their +importance, provide additional skill practice, and demonstrate +the connections of health concepts to many other content areas. + +F. HEALTHY SCHOOL ENVIRONMENT + +The Boston Public Schools recognizes that healthy physical +environments are critical to the prevention of asthma and other +chronic and infectious diseases that impact learning. The Boston +Public Schools is committed to providing high-performing school +buildings and grounds that are clean, in good repair, have +healthy indoor air quality and water quality, sanitary and +accessible bathrooms, and use resources efficiently. BPS strives +to provide adequate facilities for physical activity that are +accessible and culturally inclusive learning environments that +positively impact productivity, health, and wellness of all students +and staff. To address environmental risk factors for chronic and +infectious disease, each school will receive an Annual +Environmental Audit to evaluate health and safety conditions +such as leaks, mold, pests, chemical storage and cleanliness. The + + +Page 27: +Superintendent’s Circular HWD-01 +Page 27 of 102 + + + +District shall maintain a Healthy Schools Taskforce (HST) to +promote and raise awareness of the health of the built +environment and ensure continuous improvement of BPS +healthy school environment policies and programs. + +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, shall comply with +existing federal and state regulations, city ordinances and District +policies related to promoting and managing healthy school +environments, including but not limited to: +○ Green Cleaners +○ Integrated Pest Management +○ Trash and Recycling +○ Infection Prevention & Control +○ Tobacco Free Environmental Policy +○ Environmental Inspection/Audit +○ Student Safety/Health in School Shops +○ BPS Water Policy +○ Laboratories and Chemical Inventory “Right to Know” Law +○ Idling of buses and other motor vehicles on school property + + + +Page 28: +Superintendent’s Circular HWD-01 +Page 28 of 102 + + + +Schools shall regularly assess the quality and quantity of BPS +facilities for active transportation, physical activity, and physical +education, including schoolyards, and report maintenance needs +for these facilities. + +G. SAFE AND SUPPORTIVE SCHOOLS + +The Boston Public Schools shall create a safe and supportive +school environment for all students that is culturally proficient, +engaging, and inclusive and one that provides skills-based +education to promote healthy relationships and development +and provides access to support services. Prevention, promotion +and intervention-based work will address and integrate social +emotional health and behavioral health. BPS will continue to +foster a variety of integrated community partnerships to +maximize support to students, families and schools. Partnerships +in this area include allied city and state agencies, universities, +hospitals and other community-based organizations. Schools will +better meet the needs of students by creating safe and inclusive +climates that are responsive to all forms of bullying and violence, +including bias-based conduct, suicide, intimate partner violence, +and sexual harassment and assault, and using screening and +promotion efforts, including mental health and substance use +screening. Special attention will be given to vulnerable student +populations, including but not limited to LGBTQ students, +refugee, asylee, documented and undocumented immigrant +students, ELL students and ELL students with disabilities, + + +Page 29: +Superintendent’s Circular HWD-01 +Page 29 of 102 + + + +expectant and parenting students, court-involved students, +students experiencing homelessness, and students experiencing +trauma. These efforts will create a safe and supportive learning +environment that optimizes academic outcomes for all students. +Implementation of these efforts requires school psychologists, +social workers, guidance counselors, school nurses, community +partners and trained classroom teachers working together on an +effective student support team. Boston Public Schools shall +develop and implement a plan for K-12 SEL standards. + +Boston Public Schools shall put in place systems that align to the +district-accepted Multi-tiered System of Supports (MTSS) +framework to ensure that all students have access to key +resources and services in a safe and supportive environment. +Schools shall adopt a MTSS Framework to support the +development of a continuum of behavioral health supports and +interventions falling across three tiers: Tier 1: Prevention and +promotion, Tier 2: At-risk interventions and services and Tier 3: +Intensive interventions and services. Embedded into MTSS is the +use of positive behavioral interventions and supports and social +emotional learning instruction designed to create safe and +supportive school climates and build the skills of staff and +students. The Comprehensive Behavioral Health Model (CBHM) +is an example of an evidence-based MTSS-Behavioral framework +designed to meet the behavioral health needs of students and +includes evidence-based practices interventions and data to +determine effectiveness. CBHM is used in many BPS schools and +will be made available to all schools. CBHM has been proven to + + +Page 30: +Superintendent’s Circular HWD-01 +Page 30 of 102 + + + +promote positive behavioral health and reduce barriers to +learning for students in participating schools. MTSS framework, +including CBHM, incorporates the following key elements: +○ Assessment including universal behavioral health screening +○ Instruction including social emotional learning curriculum +and delivery of services +○ Data based decision making +○ Building staff leadership and capacity +○ Effective District and school structures and procedures (e.g. +student support teams) + +In addition, schools shall follow all BPS policies that address +specific areas of school safety and climate including the Code of +Conduct and other related policies such as those related to crisis +management, expectant and parenting students, sexual +harassment, discrimination, and assault. + +H. HEALTH SERVICES + +The Boston Public School Health Services support students to be +healthy, engaged, safe, and academically challenged by +providing high quality, cost-effective in-school health care. BPS +nurses are responsible for evaluating and managing the health + + +Page 31: +Superintendent’s Circular HWD-01 +Page 31 of 102 + + + +needs of all students. That includes the following: +○ Case management students with special health needs, +including chronic or acute illnesses +○ Monitoring and administering medications and medical +procedures as prescribed by a student’s primary care +provider or medical specialist +○ Providing first aid and emergency care +○ Screening students for height, weight, Body Mass Index, +vision, hearing, scoliosis, substance use (screening, brief +intervention and referral to treatment) +○ Managing student medical records and immunization +records +○ Managing the control of communicable diseases +○ Coordinating medical transportation for students +○ Coordinating special dietary accommodations for students +with food allergies +○ Working with other school-based groups to provide safe +and healthy environments + +In addition, school nurses engage in one-on-one education, small +group health counseling, wellness promotion, and preventive +services as part of the provision of care coordination services. BPS +school nurses ensure access and/or referrals to the medical home + + +Page 32: +Superintendent’s Circular HWD-01 +Page 32 of 102 + + + +or private health care provider. Where lawful, Boston Public +Schools encourages positive communication and involvement +with family regarding health services. Health Services actively +collaborates with school and community support services to +increase the ability of students and families to adapt to health +and social stressors, such as chronic health conditions, adverse +childhood experiences (ACE) and other social, emotional and +economic determinants of health. BPS Health Services is +committed to building partnerships with city agencies, medical +providers, and community partners to leverage additional +resources and health services. + +Under Massachusetts Adolescent Confidentiality laws, adolescent +students may receive confidential services for diagnosis, +treatment and/or referral for drug addiction, family planning +services, sexually transmitted diseases, and mental health. In +accordance with the BPS Condom Accessibility Circular, BPS +High Schools shall provide access to condoms, with appropriate +reproductive health counseling for students. Each high school +will have a Condom Accessibility Team (CAT) which will consist of +a minimum of at least three school staff members. Condoms will +be made available through the CAT at each school. Condoms will +also be accessible from community health service partners and +the Boston Public Health Commission (BPHC). Parents and legal +guardians may exempt their children from receiving condoms by +notifying the school when they complete the family information +forms at the beginning of the school year. This exemption to not +receive condoms does not apply to other confidential health + + +Page 33: +Superintendent’s Circular HWD-01 +Page 33 of 102 + + + +services. + +I. STAFF WELLNESS + +The Boston Public Schools cares about the well-being of staff +members and understands the influence that staff actions have +on all student health behaviors. All staff shall promote a school +environment supportive of healthy behaviors. Adults are +encouraged to model healthy behaviors, especially on school +property and at school-sponsored meetings and events. Schools +are encouraged to support staff wellness initiatives. + + +II. IMPLEMENTATION GUIDELINES + +The following guidelines will ensure the implementation of the +Boston Public Schools Wellness Policy: + +A. DISTRICT WELLNESS COUNCIL: + +The superintendent will appoint members to serve on the District + + +Page 34: +Superintendent’s Circular HWD-01 +Page 34 of 102 + + + +Wellness Council. The council will: + +a. Follow bylaws that are aligned with Massachusetts +Standards for School Wellness Advisory Committees.3 +b. Annually review, and if needed recommend, District-wide +policies to promote student wellness +c. Annually set Council goals and objectives +d. Annually report progress on Council goals, objectives, +policies, and monitoring & evaluation of Wellness Policy +implementation + +B. SCHOOL-BASED WELLNESS COUNCILS: + +Schools will establish and maintain a school-based wellness +council. Principals shall name a wellness council chair(s) to +coordinate the wellness council and act as a liaison to the District, +community, and families. Wellness council chairs will attend +District training. School-based Wellness Councils on an annual +basis shall: + +3 M.G.L. 105 CMR 215 + + +Page 35: +Superintendent’s Circular HWD-01 +Page 35 of 102 + + + + +a. Convene at least 4 times per school year. +b. The council shall include at a minimum a school +administrator, family representatives, students (where +feasible), representatives of a wide range of school health +and health-related disciplines, including school nurses, +school food service staff, health education and physical +education teachers and other school health professionals, +such as psychologists, guidance counselors, and social +workers. To the extent feasible, members will include +operations and custodial staff, community partners and the +general public. Appointees to the maximum extent possible +shall reflect the cultural, linguistic and ethnic composition of +the school community +c. Implement District-level policies related to wellness. School +Wellness Councils will annually review District policies +related to wellness. If applicable, the school wellness council +will apply strategies to implement these policies. See the +Index of Federal, State, and Boston Public School wellness- +related Policies & Guidelines section on page 17. +d. Assess the school’s wellness status. Schools will use the +following surveys and audits to assess the wellness status of +school: +○ Healthy Schools Program Inventory, Alliance for a +Healthier Generation. +○ Environmental Health Inspection Audit + + +Page 36: +Superintendent’s Circular HWD-01 +Page 36 of 102 + + + +○ School Health Profiles, Centers for Disease Control and +Prevention +○ District data, such as the Youth Risk Behavior Survey +○ Other District priorities +The Health and Wellness Department will determine on an +annual basis the exact timeline and process for completing +these assessments. +e. Create and Implement a Wellness Action Plan. Schools will +complete a BPS Wellness Action Plan template and include +a link to their plan in the Wellness section of their Quality +School Plan (QSP) by Fall due date. The Wellness Council +coordinator(s) name and contact information should also be +included on the QSP. Principals are ultimately responsible +for the implementation of the Wellness Action Plan. The +Health and Wellness Department, in collaboration with the +instructional and operational superintendents will +determine on an annual basis the exact timeline and +process. The school will complete this Plan as a Quality +School Plan, or other academic improvement plans. +Wellness Action Plans must include goals and school-based +activities designed to promote student wellness based on +the results of the school’s Healthy Schools Program +Inventory, Environmental Health Inspection/Audit, annual +District priorities, and other appropriate assessment tools. A +Roster of each school’s Wellness Council will be submitted +as a part of the Wellness Action Plan template. Instructions +and a template for the Wellness Action Plan can be found + + +Page 37: +Superintendent’s Circular HWD-01 +Page 37 of 102 + + + +online at: http://www.bostonpublicschools.org/hwd +f. Engaging stakeholders: +○ Schools must make available to the public and school +community on their website a list of names and +position titles (or relationship to the school) of +individuals who are a part of their school-based +wellness councils and include the name, position title, +and school-based contact information of the council +chairs(s). +○ Schools must share information on their school’s +website about how the public can get involved with +the school wellness councils. +○ Schools must post their Wellness Action Plans on their +school’s website to share local school goals and +activities to implement the policy. +○ Schools must share a link to the District Wellness +Policy on their school’s website and send a message to +families notifying them of how they may obtain a copy +or otherwise access the policy. +○ School-based Wellness Councils shall annually +communicate wellness-related policies so that all staff, +families and students are aware of the policy +requirements. + + + +Page 38: +Superintendent’s Circular HWD-01 +Page 38 of 102 + + + +Associated Boston Public Schools District departments will +provide professional development, toolkits, resources, and +technical assistance to support the implementation of District- +level policies related to wellness. Schools will be able to access +professional development using the District-supported My +Learning Plan. Wellness related trainings will be culturally +proficient by addressing race, ethnicity, and nationality; sexual +orientation and gender identity; special needs; language and +dialect; and practical skills in mediating intercultural conflict. + +C. IMPLEMENTATION GUIDELINES FOR MONITORING AND +EVALUATION + +The Boston Public Schools Health and Wellness Department, in +collaboration with appropriate District Departments, will be +designated to ensure that each school, including out of school +time programs, complies with this policy. Other wellness-related +policies will be monitored, evaluated, and supported by the +District departments that currently oversee these policies. The +District will collect additional data than listed in this section to +monitor compliance. + +To evaluate the effectiveness of policy implementation, the BPS +Health and Wellness Department and appropriate District +departments will facilitate school-based surveys and audits +measuring changes in school environments over time. Such + + +Page 39: +Superintendent’s Circular HWD-01 +Page 39 of 102 + + + +surveys include: +a. Healthy Schools Program Assessment, Alliance for a +Healthier Generation. +b. School Health Profiles, Centers for Disease Control and +Prevention +○ Principal Survey (all school levels) +○ Lead Health Ed. Teacher Survey (schools with grades 6- +12) +○ Lead Phys. Ed. Teacher Survey (all school levels) +c. District staffing reports from the Office of Human Capital +d. Essential School Health Services Monthly Activities Report +e. School Environmental Audit + +To evaluate the effectiveness of policy implementation, the BPS +Health and Wellness Department and appropriate District +departments will facilitate anonymous student surveys +measuring changes in student outcomes over time. Where +possible, data must be reported by vulnerable subgroups (e.g. +race/ethnicity, gender, sexual identity) Such surveys include, but +are not limited to: +a. Youth Risk Behavior Survey (YRBS): +○ Middle School YRBS (conducted biennially in + + +Page 40: +Superintendent’s Circular HWD-01 +Page 40 of 102 + + + +randomized sample of schools serving students in +grades 6-8 during the Fall semester of even numbered +school years, i.e., Fall 2013, 2015, 2017, etc.). +○ High School YRBS (conducted biennially in randomized +sample of schools serving students in grades 9-12 +during the Spring semester of odd numbered school +years, i.e., Spring 2015, 2017, 2019, etc.) +b. School Climate Survey (conducted annually by the Office of +Data & Accountability) +c. FITNESSGRAM (grades 3-12) +d. Health Services SNAPNurse system + +As stated above, the annual report shall be presented to the +DWC, superintendent, the School Committee, and the +Massachusetts Department of Education, and shared with BPS +stakeholders. + +District Wellness Policy Monitoring & Evaluation Plan + +Table Abbreviations: +PO = Process Outcome; IMO = Intermediate Outcome; LTO = + + +Page 41: +Superintendent’s Circular HWD-01 +Page 41 of 102 + + + +Long-term Outcomes +General Policy/Council (GEN) Metrics +GEN Process Outcomes (PO) + + +Page 42: +Superintendent’s Circular HWD-01 +Page 42 of 102 + + + +PO1: DWC and Subcommittee Meetings [DWC Records] +PO1.1: # of Meetings (DWC & by subcommittee) +PO1.2: # of attendees +PO1.3: Action Plan completion (yes/no) +PO1.4: Review Policy (yes/no) +PO1.5: Hear Stakeholder Feedback through public comment +(yes/no) +PO1.6: Update policy (yes/no/not applicable) +PO2: Policy Communication/Public Notification (yes/no) +[DWC Records] +PO2.1: Policy Translation +PO2.2: Post to BPS website: Policy, meeting times, action +plan, membership, contact information +PO2.3: Policy in Parent Guidebook +PO2.4: Policy update presentations to School Committee +PO2.5: Policy update presentations to: BSAC, CPC, DELAC, +SPEDPAC +PO3: Policy Evaluation [DWC Records/Profiles] +PO3.1: Evaluation Plan (in place) + + +Page 43: +Superintendent’s Circular HWD-01 +Page 43 of 102 + + + +PO3.2: Annual Report (yes/no) +PO3.2.1: Alternating Qualitative & Quantitative Reports +PO3.2.2: Post to website +PO3.2.3: Share with Superintendent, School Committee, +DESE +PO3.2.4: Sent to parent councils +PO3.3: Biennial School Wellness Reports [Profiles] +PO4: Policy Trainings +PO4.1: PDs for school wellness council and teachers [HWD +Records] +PO4.2: Training materials for Principals, Superintendents, +Central Office Leaders +PO5: School-based Wellness Councils +PO5.1: % of schools submitting WAPs [HWD Records] +GEN Short-term Outcome (STO) 1: Increase awareness and +knowledge of the District Wellness Policy among BPS +families, District staff, and school leadership and staff +STO1.1: % of schools that post WAP, council members, and +council chair(s) contact information to their website [Profiles +SY19-20] + + +Page 44: +Superintendent’s Circular HWD-01 +Page 44 of 102 + + + +STO1.2: % of schools that send a communication about the +policy home to parents [Profiles] +STO1.3: % of schools that communicate policy to school staff +[Profiles] +GEN STO 2: Improve diverse stakeholder involvement on the +District Wellness Council, the DWC subcommittees & +school-based wellness councils +STO2.1: DWC membership includes representatives from +families, students, school and District instructional and +operational administrators, relevant central department +heads, school food and nutrition services staff, physical +education and health education teachers, school nurses and +other school health professionals (e.g. psychologists, +guidance counselors, social workers) a school committee +member, community youth serving agencies, Boston Public +Health Commission representatives, healthcare providers +and the general public [DWC Records] +STO2.2: # of public comments made during DWC meetings +[DWC Records] +STO2.2: #(%) of school wellness councils with 2 or more +family reps on the wellness council [WAPs] +STO2.3: #(%) of school wellness councils with 2 or more +students on the wellness council [WAPs] + + +Page 45: +Superintendent’s Circular HWD-01 +Page 45 of 102 + + + +GEN STO 3: Improve policy to align with model school +wellness policies and best practices, annual report findings +and recommendations, input from schools and the +community, research evidence, and government +regulations. [DWC records] +STO3.1: Policy updates by area +GEN STO 4: Increase the number of schools with quality +wellness councils [HWD Records] +STO4.1: #(%) of schools with wellness councils that meet +quarterly +STO4.2: #(%) of schools with identified wellness council +chair(s) +GEN IMO 1: Improve the functionality of the school-based +wellness councils [WAPs] +IMO1.1: % of WAPs with SMART Goals +IMO1.2: % of WAPs goals in each policy area +IMO1.3: % of wellness council with +IMO1.3.1: Minimum representation of member roles +IMO1.3.2: Addition representation of member roles + + +Page 46: +Superintendent’s Circular HWD-01 +Page 46 of 102 + + + +IMO1.4: % of schools with trained wellness council co-chairs +Cultural Proficiency (CP) Metrics +CP Process Outcomes: +PO1: # of trainings on Equity policy and practices (e.g. Equity +Protocol, Welcoming Schools, EQT-4) [Equity Office] +PO2: # (%) of schools that have staff trained on CLSP +PO3: # (%) of central office departments that have at least +70% staff trained on CLSP +PO4: # (%) of staff by school trained on CLSP +CP STO 1: Increased # of schools assessing organizational +structure, policies, and school-wide practices for cultural +proficiency +STO1.1: # (%) of schools with CLSP goal on their WAP +CP STO 2: Increased # of schools engaging families, +students, and community members in decision-making +[WAPS] + + +Page 47: +Superintendent’s Circular HWD-01 +Page 47 of 102 + + + +STO2.1: # of family members on school-based wellness +council +STO2.2.: # of students on school-based wellness council +STO2.3: # of community orgs on school-based wellness +council +STO2.4: # (%) of schools that engage these groups in +wellness council +CP IMO 1: Positive perceived climate around cultural +proficiency +IMO1.1: District score on Community Involvement Scale +[Climate Survey/ODA] +IMO1.2: District score on Appreciation for Diversity Scale +[Climate Survey/ODA] +IMO1.3: District score on Family/School Relationship Scale +[Climate Survey/ODA] +IMO1.4: District score on Cultural Responsiveness Scale +[Climate Survey/ODA] +IMO1.5: District score on Student/Teacher Relationships Scale +[Climate Survey/ODA] +IMO1.6: Parent perception of school climate as safe and +welcoming [Climate Survey/ODA] + + +Page 48: +Superintendent’s Circular HWD-01 +Page 48 of 102 + + + +IMO1.7: % of middle and high school students that report +having an adult at school that they can talk about issues in +their life [2017 MS & HS YRBS] +School Food & Nutrition Promotion (SFNP) Metrics +SFNP Process Outcomes (PO) +PO1: # (%) of schools participating in the School Breakfast +Program [FNS Records] +PO1.1: # (%) of schools using different models of the School +Breakfast program +PO2: % (#) of schools participating in School Lunch Program +[FNS Records] +PO2.1: % (#) of school using different models of the School +Lunch Program +PO3: # (%) of schools with cafeteria staff trained on food +safety [FNS Records] +PO4: # (%) of schools with completed kitchen inspection +[FNS records] +PO5: # of Healthy Food Environment Wellness Champions +[HWD records] +PO6: # (%) of school leaders aware of the competitive sales + + +Page 49: +Superintendent’s Circular HWD-01 +Page 49 of 102 + + + +policy [HWD Records] +PO7: # of nutrition education PDs [HWD Records] +PO8: # of staff trained at nutrition education PDs [HWD +Records] +SFNP STO 1: Increase variety of foods that are local, culturally +influenced, and clean label [FNS Records] +STO1.1: % of food items procured by the District that are local +STO1.2: % of menu items that are culturally influenced to +reflect the student population +Cafeteria Schools +Vended Meals +SFNP STO 2: Increase support of BIC from school +administration +STO2.1: #(%) of schools implementing BIC [FNS Records] +SFNP STO 3: Increase awareness of competitive sales policy +STO3.1: #(%) of school leaders that inform their staff of the +competitive sales policy [Profiles] + + +Page 50: +Superintendent’s Circular HWD-01 +Page 50 of 102 + + + +SFNP STO 4: Maintain 100% of schools with cafeteria staff +with all required certifications, inspected kitchen, and a +Hazard Analysis and Control Points plan +STO4.1: % of schools with cafeteria staff with all required +certifications, compliant kitchen, and a Hazard Analysis and +Control Points plan [FNS Records] +SFNP STO 5: Increase in schools teaching healthy eating +habits in health education, physical education, and other +subjects +STO5.1: # (%) of schools teaching nutrition education through +Comprehensive Health Education [Profiles] +SFNP STO 6: Increase in the number of satellite schools able +to provide bulk, freshly prepared, on-site meal service [FNS +Records] +STO6.1: % of schools receiving vended meals +STO6.2: % of satellite schools that are converted to be able to +provide bulk, freshly prepared, on-site meal service (In three +years, all schools implementing My Way Cafe model) +SFNP IMO 1: Increased participation in all school meal +programs + + +Page 51: +Superintendent’s Circular HWD-01 +Page 51 of 102 + + + +IMO1.1: Number or percent of schools with at least XX% of +students participating in SBP, NSLP, CACFP, and Summer +Meals Program [FNS Records] +SFNP IMO 2: Reduced food waste +IMO2.1: Difference in weight between food served and food +uneaten (thrown away) [BOSfoodlove] +SFNP IMO 3: Increase in schools that do not sell, serve or +provide food and beverages outside of the school meal plan +that do not meet BPS nutritional guidelines [Profiles] +IMO3.1: #(%) of schools where students cannot purchase +snacks, meals or beverages from school vending machines +or at a school store, fundraisers, canteen, or snack bar during +lunch +IMO3.2: #(%) of schools that sell food and/or beverages from +school vending machines or at a school store, fundraisers, +canteen, or snack bar that met BPS nutritional guidelines +SFNP IMO 4: Increase in student practicing healthy eating +habits [FNS Records] +IMO4.1: # of breakfast provided +IMO4.2: # of milk provided + + +Page 52: +Superintendent’s Circular HWD-01 +Page 52 of 102 + + + +IMO4.3: # of students choosing/served a fruit +IMO4.4: # of students choosing/served a vegetable +Physical Activity & Physical Education (PE/PA) Metrics +PE/PA Process Outcomes [HWD Records] +PO1: # of PD opportunities for PE, PA and SRTS +PO2: # of teachers in attendance at PDs +PO3: # of IC sessions for PE, PA and SRTS +PO4: Tools developed for school-based staff (Qual) +PO5: # of TA sessions +PO6: # of active PA community partnerships +PO7: # of PE curricula distributed +PO8: # of PE equipment distributed +PO9: # of MS Athletic programs +PO10: # of HS Athletic programs +PE/PA STO1: Improve the staffing capacity of schools to +provide PE according to Policy +STO1.1: #(%) of schools with PE staff FTE to provide PE + + +Page 53: +Superintendent’s Circular HWD-01 +Page 53 of 102 + + + +according to policy. +PE/PA STO 2: Increase capacity of school-based staff to +deliver high quality PE/PA programs +School day: PE, Recess, Before/After school programming +(including sports), SRTS [HWD Records] +STO2.1: #(%) of schools with PE teachers completed IC during +last 2 years +STO2.2: #(%) of schools implementing standards-based PE +curricula +STO2.3: #(%) of schools with PE teachers that have +completed PD for PE +STO2.4: #(%) of schools with teachers that have completed +PD for PA +STO2.5: #(%) of schools with teachers that have completed +PD for SRTS +STO2.6: #(%) of schools receiving training on active recess +PE/PA STO 3: Increase % of schools offering any PE +STO3.1: # (%) of schools offering any amount of PE classes +[Profiles] + + +Page 54: +Superintendent’s Circular HWD-01 +Page 54 of 102 + + + +PE/PA STO 4: Increase % of schools offering recess to grades +PreK-8 [Profiles] +STO4.1: #(%) of schools offering at least 20 min of recess for +grades PreK-5 +STO4.2: #(%) of schools offering at least 20 min of recess for +grades 6-8 +PE/PA STO 5: Increase % of schools offering before- and +after-school physical activity opportunities +STO5.1: #(%) of schools in SRTS program [HWD Records] +STO5.2: #(%) of schools with MS Athletic programs [Athletics +Dept] +STO5.3: #(%) of schools with HS Athletic programs [Athletics +Dept] +STO5.5: #(%) of schools offering opportunities for students to +participate in intramural sports programs or physical activity +clubs [Profiles] +PE/PA STO 6: Increase % of schools not withholding physical +activity as punishment +STO6.1: # (%) of schools not withholding physical activity as +punishment [Profiles] + + +Page 55: +Superintendent’s Circular HWD-01 +Page 55 of 102 + + + +PE/PA STO 7: Increase number of schools that access +resources, partnerships and supports +STO7.1: #(%) of schools with partnerships by PA/PE type +[Partnership Portal] +STO7.2: #(%) of schools with resources/supports by PA/PE +type [HWD Records] +PE/PA STO 8: Improve collaborations between the District, +city agencies, schools, families and schools around safe, +active transportation +STO8.1: # (%) of schools with identified priority walking +routes [HWD records] +STO8.2: # (%) of schools participating in Walk to School Day +[HWD Records] +STO8.3: # (%) of schools that provide pedestrian safety +education programming [HWD Records] +STO8.4: # (%) of schools that provide support for families +related to walking, rolling or transit [2019 Profiles] +STO8.5: # (%) of schools represented in requested +transportation surveys +PE/PA IMO 1: Increase % of students reporting having PE + + +Page 56: +Superintendent’s Circular HWD-01 +Page 56 of 102 + + + +[YRBS] +IMO1.1: # (%) MS and HS students reporting PE one or more +times per week +IMO1.2: # of students who receive physical education classes +(enrollment in PE course; grade on their report card) +PE/PA IMO 2: Increase % of schools providing PE according +to BPS policy [Profiles] +IMO2.1: # (%) of schools (which contain grades PreK-8) that +are providing 45 minutes of weekly PE for students in grades +PreK-8 +IMO2.2: # (%) of schools (which contain grades PreK-8) that +are providing recommended 80 min of weekly PE for +students in grades PreK-8 +IMO2.3: # (%) of schools (which contain grades 9-12) that are +providing 1 semester of PE each year for students grades 9- +12 +PE/PA IMO 3: Increase % of students reporting active +transportation to and from school +IMO3.1: % of students that report walking or biking to school +[YRBS] + + +Page 57: +Superintendent’s Circular HWD-01 +Page 57 of 102 + + + +PE/PA IMO 4: Increase % of schools with grades PreK- 8 +meeting policy for 150 minutes of weekly PA +IMO4.1: # (%) of schools providing students (PreK-8) with 150 +minutes of physical activity, including at least 45 minutes of +PE per week and 20 minutes of recess daily [Profiles] +PE/PA IMO 5: Improve the equity of access to athletic +programming [Athletics] +IMO5.1: #(%) students participating in a school sports +program +IMO5.2: #(%) of schools offering access to Athletics Programs +according to the BPS Athletics Criteria for Equity +IMO5.3: # (%) of schools with equal number of boys’ and girls’ +athletic teams +Comprehensive Health Education (CHE) Metrics +CHE Process Outcomes: [HWD records] +PO1: # of HE PD opportunities +PO2: # of teachers/staff in attendance at PDs +PO4: Tools developed for school-based staff (Qual) + + +Page 58: +Superintendent’s Circular HWD-01 +Page 58 of 102 + + + +PO5: # of TA sessions +PO6: # of HE related community partnerships +PO7: # of resources provided to schools (curriculum, +instructional supplies) +CHE STO 1: Increase capacity of school-based staff to deliver +high-quality, skills-based comprehensive health education +[HWD Records] +STO1.1: #(%) of HE teachers trained on CHE curricula +STO1.2: #(%) of teachers/staff trained on CHE curricula +STO1.3: #(%) of teachers/staff trained on Sexual Health Ed +curriculum +STO1.4: #(%) of teachers/staff reporting an increase in +knowledge and skills post PD +#(%) of schools with teachers who received IC +CHE STO2: Increase number of qualified and trained +teachers in elementary school and licensed health education +teachers in middle and high schools +STO2.1: # of qualified and trained teachers delivering health +education in Elementary schools +STO2.3: # of Licensed health education teachers delivering + + +Page 59: +Superintendent’s Circular HWD-01 +Page 59 of 102 + + + +health education in Middle and High Schools +CHE STO 3: Increased number of schools implementing +comprehensive health education curricula for all grades +[HWD Records/Profiles] +STO3.1: # (%) of schools with PreK-3 grades that use +approved curriculum +STO3.2: # (%) of schools with 4-5 grades that use Healthy & +Safe Body Unit +STO3.3: # (%) of schools with 6-8 grades that use approved +curriculum +STO3.4: # (%) of schools with 9-12 grades that use approved +curriculum +CHE STO 4: Increase the number of schools providing Health +Education [HWD Records/Profiles] +STO4.1: # (%) of schools providing HE in 2+ elementary +grades +STO4.2: # (%) of schools offering 2 semesters of HE in MS +STO4.3: # (%) of schools offering 1 semester of HE in HS +CHE STO 5: Increase number of schools that leverage + + +Page 60: +Superintendent’s Circular HWD-01 +Page 60 of 102 + + + +resources, partnerships and supports to improve the quality +of HE [Profiles/HWD] +STO5.1: # (%) of schools with partnerships to support HE +teaching [Profiles] +STO5.2: # (%) of school with partnerships to promote health +literacy among student and families +STO5.3: # (%) of schools accessing District +resources/supports [Profiles] +CHE IMO 1: Increase in number of schools providing HE +according to BPS policy [Profiles, HWD records, OHC Staffing +Data] +IMO1.1: # (%) of schools with trained BPS teachers teaching +grades 4-5 Healthy and Safe Body Unit in all classes +IMO1.2: # (%) of schools with grades 6-8 offering at least two +semesters of skills-based health education for all students +taught by a licensed health education teacher +IM1.3: # (%) of schools with grades 9-12 offering at least one +semester of skills-based health education for all students +taught by a licensed health education teacher +CHE IMO 2: Increased number of students who received +dedicated health education time [ASPEN/SIS] + + +Page 61: +Superintendent’s Circular HWD-01 +Page 61 of 102 + + + +IMO2.1: # of students who receive dedicated health +education time +CHE IMO 3: Increase Comprehensiveness and Accessibility of +Health Education Content [Profiles] +Healthy School Environment (HSE) Metrics +HSE Process Outcomes: +PO1: School Environmental Audits [Environmental +Division/BPHC records] +PO1.1: #(%) of schools with SEA +PO2: Green Cleaner Policy +PO2.1: # of safer sanitizer bottles distributed [Facilities Mgmt] +PO2.2: #(%) of programs trained to properly use Oxivir +PO3: Rapid Response [Facilities Mgmt] +PO3.1: # of custodians trained to properly clean/treat +outbreaks +PO3.2: Updated/Improved system for tracking +illness/outbreak responses +PO4: Integrated Pest Management Program [Facilities +Mgmt/IPM contractors’ records] + + +Page 62: +Superintendent’s Circular HWD-01 +Page 62 of 102 + + + +PO4.1: #(%) of Schools assigned IPM Contractors +PO4.2: #(%) of Schools with IPM Plans +PO5: Decluttering Initiative [Facilities Mgmt/Profiles (SY19- +20)] +PO5.1: Creation of a BPS Declutter Guide +PO6: Water Policy [Facilities Mgmt] +PO6.1: # (%) online and offline schools +PO6.2: # of drinking water units by type +PO7: Zero Waste Policy [Facilities Mgmt] +PO7.1: #(%) of Schools with Zero Waste Coordinators +PO7.2: #(%) of schools with zero waste equipment/bins +present +PO7.3: #(%) of schools with book recycling bins +PO7.4: #(%) of schools with textile recycling bins +PO8: Communication of HSE Policies [Facilities +Mgmt/HWD/MassCOSH records] +PO8.1: Plan/strategy to communicate the Healthy School +Environment-related policies +PO8.2: #(%) of school leaders trained on the Healthy School + + +Page 63: +Superintendent’s Circular HWD-01 +Page 63 of 102 + + + +Environment-related policies +PO9: HSE Wellness Champion Program [Facilities +Mgmt/HWD/MassCOSH records] +PO9.1: # of training sessions +PO9.2: # of schools participating in the HSE Wellness +Champions Program +HSE STO 1: Increase in use of SEAs to identify and address +HSE improvements +STO1.1: Track requests generated from SEAs [Facilities Mgmt] +STO1.1.1: #(%) of repair requested as a result of SEA +STO1.1.2: #(%) of repair requests completed as a result of SEA +STO1.2: # of Principals reported reviewing results of SEA +[Profiles] +STO1.3: # (# of schools with) WAP goals identified using SEA + + +Page 64: +Superintendent’s Circular HWD-01 +Page 64 of 102 + + + +[Profiles/WAP] +HSE STO 2: Increase in the schools with staff using green +cleaners in classrooms and offices +STO2.1: #(%) of schools with staff aware of green cleaning +policy [Profiles] +STO2.2: % of schools with staff using green cleaners in +classrooms and offices [Profiles] +STO2.3: #(%) of BPS Early Ed Programs, after-school +programs that serve food, and YMCA school-based programs +receiving and using Oxivir [Facilities] +HSE STO 3: Increase school capacity to address IPM incidents +[Profiles] +STO3.1: #(%) of schools that identified an IPM Coordinator +STO3.2: #(%) of schools with staff that know how to use IPM +log +HSE STO 4: Increase schools implementing systems to +reduce, reuse, and recycle to decrease waste and clutter +[Facilities Mgmt] + + +Page 65: +Superintendent’s Circular HWD-01 +Page 65 of 102 + + + +STO4.1: # of schools who complete declutter initiatives +# of tons recycled +STO4.2: #(%) of schools with complete and functioning Zero +Waste Programs [Facilities Mgmt] +STO4.1.1: #(%) of schools properly disposing of waste by type +STO4.1.2: # of tons of waste removed from schools +STO4.1.3: # of OIIT e-waste requests submitted in one year +STO4.1.4: # of universal and hazardous waste pick-ups in one +year +HSE STO5: Decrease in bottled water needs [Facilities Mgmt] +STO5.1: #(%) of offline schools returning to online +STO5.2: #(%) of schools undergoing water infrastructure +improvements +HSE STO 6: Decrease in causes of poor outdoor air quality +around school buildings +STO6.1: #(%) of schools where staff are aware/promote +Tobacco Free Policy [Profiles] +STO6.2: #(%) of schools that limit busing idling to no more +than 5 minutes [Profiles] + + +Page 66: +Superintendent’s Circular HWD-01 +Page 66 of 102 + + + +HSE STO 7: Improved building infrastructure to support +active transportation and active play +STO7.1: # (%) of playground assessment issues addressed +[Profiles] +STO7.2: # (%) of schools that have bike racks or other storage +systems for students and staff [Facilities Mgmt] +HSE STO 8: Increase Wellness Champion projects and +initiatives at schools [HWD Records] +STO8.1: #(%) of HSE WAP goals +STO8.2: #(%) of HSE WAP goals completed +HSE IMO 1: Decrease in infection and illness outbreaks +[Facilities Mgmt/Health Services] +IMO1.1: # of infection and illness outbreaks +HSE IMO 2: Decrease in pest-related incidents +IMO2.1: #(%) of pest incidents logged, reported, and treated +[Facilities Mgmt/IPM contractors’ records] +HSE IMO 3: Ensure water quality, maintenance, and +promotion + + +Page 67: +Superintendent’s Circular HWD-01 +Page 67 of 102 + + + +IMO3.1: #(%) of schools getting annual water system testing +IMO3.2: #(%) schools with coolers cleaned +IMO3.4: #(%) of schools that reviewed water policy with staff +HSE LTO 1: Increase the number of high-performing school +buildings with grounds that are clean and in good repair +LTO1.1: SEA Trends [Facilities Mgmt] +Safe & Supportive Schools (SSS) Metrics +SSS Process Outcomes: +PO1: # of Behavioral Health community partnerships [BPS +Partnership Portal] +PO2: #(%) of schools using universal screening for mental +health [BHS Records] +PO3: # of PDs/ # of attendees +PO3.1: Bullying/Violence Prevention [Succeed Boston] +PO3.2: Restorative Justice [Succeed Boston] +PO3.3: K-12 SEL Standards [SEL-I & SAWS Records] +PO3.4: Targeted interventions for vulnerable populations + + +Page 68: +Superintendent’s Circular HWD-01 +Page 68 of 102 + + + +[BHS/Succeed Boston/Opportunity Youth Records] +PO3.5: MTSS/CBHM [BHS Records] +PO4: #(%) of schools with Student Support Team [Profiles] +PO5: #(%) of middle and high schools with EPS liaisons +[Profiles] +PO6: #(%) of schools with a Homelessness Liaison +[Opportunity Youth] +PO7: #(%) of schools with trained Bullying Prevention +Liaisons [Profiles] +SSS STO 1: Increased # of schools trained in BPS K-12 SEL +standards +STO1.1: # (%) of schools that have all staff trained in BPS K-12 +SEL standards [Profiles] +SSS STO 2: Increased implementation of Multi-tiered System +of Supports (MTSS-B) to improve school and classroom +climate [Profiles] +STO2.1: % (#) of schools that offer tier 1 supports +STO2.2: % (#) of schools that offer tier 2 supports +STO2.3: % (#) of schools that offer tier 3 supports + + +Page 69: +Superintendent’s Circular HWD-01 +Page 69 of 102 + + + +STO2.4: % (#) of schools that implement Restorative Justice +SSS STO 3: Increased targeted interventions for vulnerable +populations [Profiles] +STO3.1: #(%) of schools with gay straight alliances +STO3.2: #(%) of schools providing additional supports to +vulnerable populations +SSS STO 4: Increased CBHM implementation fidelity [BHS +Records] +STO4.1: Tiered fidelity inventory (measure normed) schools in +CBHM model use +STO4.2: # of students screened in CBHM schools, fall and +spring screening +SSS STO 5: Increased # of schools with all staff trained on +bullying prevention +STO5.1: #(%) of schools with staff trained on bullying +prevention [Profiles] +SSS STO 6: Increase in the number of schools with behavioral +health partner supports + + +Page 70: +Superintendent’s Circular HWD-01 +Page 70 of 102 + + + +STO6.1: #(%) of schools with a minimum of 3 behavioral +supports partners [BHS Records] +SSS STO 7: Increase in schools appropriately staffed to meet +the mental, emotional, and behavioral health needs of +students as determined by the BPS staffing criteria for +school psychologists, social workers, and guidance +counselors +STO7.1: #(%) school appropriately staffed according to BPS +criteria [BHS/OHC Records] +SSS STO 8: Increased quality of Student Support Teams +STO8.1: % of schools indicating a “yes” on the following +Profiles question: “Include the following positions on their +SST: school psychologists, social workers, guidance +counselors (for only HS), school nurses, community partners +and trained classroom teachers” [Profiles] +STO8.1: % of schools achieving Quality Index TBD +SSS STO 9: Increased awareness of EPS policy and resources +for students +STO9.1: % of schools with an Expectant & Parenting Student +liaison [Profiles] + + +Page 71: +Superintendent’s Circular HWD-01 +Page 71 of 102 + + + +SSS IMO 1: Improved system for handling bullying incidents +in schools +IMO1.1: TBD +IMO1.3: # of bullying incidents reported +SSS IMO 2: Increased # schools with all teachers +implementing explicit SEL instruction +IMO2.1: # (%) of CBHM schools with all teachers teaching +explicit SEL Instruction with fidelity. [BHS Records (SEL +Instruction tool: fidelity measure)] +IMO2.2: # (%) of all schools implementing [Profiles] +SSS IMO 3: Decrease incidents of violence at schools +IMO3.1: # of students with Code of Conduct Violations +(violence)/Suspensions [SIS] +IMO3.2: # of school referrals to Succeed Boston for violent +offenses [Succeed Boston] +SSS IMO 4: Increase number of schools with safe school +climate [School Climate Survey/ODA] + + +Page 72: +Superintendent’s Circular HWD-01 +Page 72 of 102 + + + +IMO4.1: District score on Sense of Belonging Scale +IMO4.2: District score on Student Emotional Safety Scale +IMO4.3: District score on Staff Support Scale +IMO4.4: District score on Student Physical Safety Scale +SSS IMO 5: Decrease in crisis/behavioral response requests +from schools [Health Services/BHS] +IMO5.1: # of incidents where ambulance or police has been +called for behavioral health needs +SSS IMO 6: Increase SEL Skills in students +IMO6.1: BIMAS adaptive scales (CBHM schools) +IMO6.2: TBD-District-wide +SSS IMO 7: Increase in expectant and parenting students +accessing resources +IMO7.1: # (%) of schools with EPS liaisons +using/communicating liaison supports [Profiles] +Health Services Metrics +HS Process Outcomes: + + +Page 73: +Superintendent’s Circular HWD-01 +Page 73 of 102 + + + +PO1: Quality Improvement [HS Records] +PO1.1: Electronic Medical Record Protocols written +PO1.2: Formula for staffing school nurses developed +PO1.3: System for creating a universal scorecard for nursing +practice +PO1.4: Nurse support system established +PO2: Professional Development for Nurses [HS Records] +PO2.1: #(%) of nurses trained +PO2.3: #(%) of schools with nurses trained +PO2.4: # of Nursing PD opportunities by type +PO3: Nurse Liaison Technical Assistance [HS records] +PO3.1: # of TA sessions +PO3.2: # of schools receiving TA +PO4: School Nurse Direct Services [SNAPNurse] +PO4.1: # of injury visits +PO4.2: # of acute disease management visits +PO4.3: # of chronic disease management visits +PO4.4: # of visit for treatments and medications + + +Page 74: +Superintendent’s Circular HWD-01 +Page 74 of 102 + + + +PO4.5: Case management (school nurse/PCP/parent) +PO4.6: # of screenings/referral/completed referrals +PO4.7: School Nurse Referrals +PO4.7.1: # of referrals to HRCs +PO4.7.2: # of referrals to SBHCs +PO4.7.3: # of referrals for acute medical management +PO4.7.4: # of referrals for chronic disease management +PO5: # of nurse-led school staff training sessions +PO6: # of Individual and group sessions with students +PO7: # of health promotions +PO8: Community partner services +PO8.1: HRCs +PO8.2: SBHCs +PO8.3: # of schools receiving community partnerships by +type +PO9: Condom Accessibility [HWD records] +PO9.1: % of high schools with CATs +PO9.3: % of CAT members trained on how to make referrals + + +Page 75: +Superintendent’s Circular HWD-01 +Page 75 of 102 + + + +and provide condoms +HS STO 1: Increase schools appropriately staffed to meet the +medical needs of students as determined by the BPS Health +Services staffing criteria +STO1.1: # (%) school appropriately staffed according to BPS +criteria [OHC] + + +Page 76: +Superintendent’s Circular HWD-01 +Page 76 of 102 + + + +HS STO 2: Increase capacity of school-based staff to deliver +high quality nursing services +STO2.1: #(%) of schools with nurses receiving required Health +Service Professional Develop (18 hour and/or monthly +exemplar practice) +STO2.2: # of nurses reviewed using the Health Services +Scorecard +STO2.3: # of schools with 90% or greater of immunization +compliance +STO2.4: % of Individual Health Care Plans (IHCP) +STO2.5: % of schools with 90% or greater compliance with +District physical exam policy +STO2.6: # One-on-one counseling +STO2.7: # of nurses receiving National Asthma Certification +HS STO 3: Improve school-wide awareness for students with +chronic disease +STO3.1: % of schools that have all Individual Health Care +Plans (IHCP) for students with Individual Education Plans +with required signatures [SNAPNurse] +HS STO 4: Increase the % of students receiving state- + + +Page 77: +Superintendent’s Circular HWD-01 +Page 77 of 102 + + + +mandated screenings [SNAPNurse] +STO4.1: # (%) of schools with XX% of students screened +STO4.1.1: Hearing screening +STO4.1.2: Vision screening +STO4.1.3: SBIRT screening +STO4.1.4: Height & Weight (Body Mass Index) +STO4.2: # (%) of students with referrals for failed screening +STO4.3: # (%) of students with completed referrals for failed +screenings +HS STO 5: Increase % of students visiting the nurse that are +able to return to the classroom for continued learning +STO5.1: % of students returning to their classroom +[SNAPNurse] +HS STO 6: Increase the schools with nurse-lead health +promotions campaigns +STO6.1: #(%) schools conducting nurse-lead health +promotions campaigns [ESHS Data] +HS STO 7: Increase in the % of CATs making referrals and + + +Page 78: +Superintendent’s Circular HWD-01 +Page 78 of 102 + + + +providing condoms [ESHS Data] +STO7.1: # of condoms distributed by CATs +STO7.2: # of sexual health referrals by CATs +STO7.3: % of schools with functioning CATs +HS STO 8: Increase the provision of sexual health referrals +[Profiles] +STO8.1: % of middle and high schools with nurses providing +sexual health referrals to students +HS STO 9: Increase in the provision sexual health services +[Profiles] +STO9.1: % of middle and high schools with nurses providing +sexual health referrals to students +HS IMO 1: Improved school-wide management for students +with chronic disease +IMO1.1: # of dismissals from school related to chronic disease +[SNAPNurse/TBD] +Staff Wellness (SW) Metrics + + +Page 79: +Superintendent’s Circular HWD-01 +Page 79 of 102 + + + +SW Process Outcomes: +PO1: # of District communications on staff wellness related +topics [External Affairs/TBD] +PO2: DWC Staff Wellness Subcommittee co-chairs identified +[DWC Records] +PO3: # Subcommittee meetings held [DWC Records] +SW STO 1: Increased staff physical activity +STO1.1: % of staff reporting at least 30 minutes of physical +activity a day [TBD] +SW STO 2: Increased staff healthy eating +STO2.1: % of staff reporting eating 5 servings of fruits and +vegetables in a day [TBD] +SW STO 3: Increased % of schools with staff wellness +activities and initiatives [Profiles] +STO3.1: % of schools with staff wellness as a goal on their +Wellness Action Plan +STO3.2: % of schools that answered yes to “In the past school +year, did your school offer any staff wellness initiatives?” + + +Page 80: +Superintendent’s Circular HWD-01 +Page 80 of 102 + + + +SW IMO 1: Increase in teachers’ school climate +IMO1.1: Improve professional community +IMO1.2: Improve support for teacher development and +growth +SW IMO 2: Increased % of schools with an institutionalized +Staff Wellness Program +IMO2.1: % of schools with a staff wellness promotion or +program that took place for an extended duration across the +year. [Profiles/WAP] +WELLNESS POLICY LONG-TERM STUDENT IMPACTS +1. Improve student physical fitness +a. % of students achieving health fitness levels (Source: +Fitnessgram) +i. Health Fitness Zone in ⅗ assessments +ii. Health Fitness Zone for aerobic capacity +2. Reduce prevalence of health-risk behaviors among +students (Source: YRBS) +a. % of students who have ever had sexual intercourse + + +Page 81: +Superintendent’s Circular HWD-01 +Page 81 of 102 + + + +b. % of students who had sexual intercourse in the last 3 +months (i.e sexually active) +c. % of students who had sexual intercourse with four or +more persons during their life +d. % of students who have ever been pregnant or gotten +someone pregnant +e. % of students who did not go to school because they +felt unsafe at school or on their way to or from school +(in the last 30 days) +f. % of students who carried a weapon on school +property (in the last 30 days) +g. % of students who were threatened or injured with a +weapon on school property (in the past 12 months) +h. % of students who were in a physical fight on school +property (in the past 12 months) +i. % of students who were bullied on school property (in +the past 12 months) +j. % of students who were electronically bullied (in the +past 12 months) +k. % of students who experienced physical dating +violence (in the past 12 months) +l. % of students who experienced sexual dating violence + + +Page 82: +Superintendent’s Circular HWD-01 +Page 82 of 102 + + + +(in the past 12 months) +m.% of students who were ever physically forced to have +sexual intercourse (when they did not want to) +3. Increase in protective health behaviors among students +(Source: YRBS) +a. % of students who used a condom during last sexual +intercourse (among students who were currently +sexually active) +b. % of students who used effective hormonal birth +control† to prevent pregnancy (during last sexual +intercourse among students who were currently +sexually active) +c. % of students who used a condom and effective +hormonal birth control during last sexual intercourse +(among students who were currently sexually active) +d. % of students who were ever tested for HIV (not +including tests done when donating blood) +e. % of students who were physically active at least 60 +minutes per day on all 7 days +f. % of students who did not watch 3+ hours of TV (on an +average school day) +g. % of students who did not play video or computer +games or used a computer for 3+ hours per day (for + + +Page 83: +Superintendent’s Circular HWD-01 +Page 83 of 102 + + + +something that was not school work, on an average +school day) +h. % of students who ate breakfast daily (in the past +week) +i. % of students who ate fruit or drank 100% fruit juices 2+ +times per day (in the past week) +j. % of students who ate vegetables 2+ times daily (in the +past week) +k. % of students who drank 3+ glasses of water daily (in +the past week) +l. % of students who drank 1+ glasses of milk daily (in the +past week) +m.% of students who did not drink a soda (in the past +week) +n. % of students who did not drink a sugar-sweetened +beverage† (in the past week) +4. Improve feeling of school connectedness among students +(Source: YRBS & Climate Survey) +a. % of students who have at least one teacher or other +adult in their school that they can talk to if they have a +problem + + +Page 84: +Superintendent’s Circular HWD-01 +Page 84 of 102 + + + +b. District score on student engagement in school scale +c. District score on appreciation for diversity scale +d. District score on student civic participation scale +5. Improve student social-emotional wellbeing +a. District score on student social emotional health scale +b. District score on student growth mindset scale +c. District score on student perseverance and +determination scale +6. Improve student mental health outcomes (Source: YRBS) +a. % of students who felt depressed (sad or hopeless +almost every day for two weeks or more in a row that +stopped them from doing some usual activities) +b. % of students who did something to purposely hurt +themselves without wanting to die +c. % of students who seriously considered attempting +suicide +d. % of students who attempted suicide +7. Reduce prevalence of substance use among students +a. % of students who currently used tobacco products +(cigarettes, cigars, smokeless tobacco, electronic vapor + + +Page 85: +Superintendent’s Circular HWD-01 +Page 85 of 102 + + + +products) +b. % of students who currently smoked cigarettes or +cigars +c. % of students who currently used electronic vapor +products +d. % of students who currently drank alcohol +e. % of students who currently binge drank (males 5+ +drinks; females 4+ drinks in a row) +f. % of students who currently used marijuana +g. % of students who ever took prescription pain +medication without a doctor’s prescription or +differently from how a doctor told them to use it +8. Increase prevalence of students with health weight status +a. % of students with health MI status (Source: +SNAPNurse) +9. Reduce in prevalence of asthma among students +a. % of students with asthma diagnosis +(Source:SNAPNurse) +10. Reduce the prevalence of sexually transmitted diseases, +HIV, and adolescent pregnancy among students (Source: + + +Page 86: +Superintendent’s Circular HWD-01 +Page 86 of 102 + + + +BPHC) +a. Incidence rate for chlamydia among Boston youth +b. Incidence rate for gonorrhea among Boston youth +c. Incidence rate for Incidence rate for gonorrhea among +Boston youth among Boston youth +d. Prevalence of Boston youth living with HIV +e. Birth rate among adolescent females +11. Decrease number of medically-related absences among +students (Source: ODA) +a. # of medically-related absences among students +12. Improve school climate for staff (Source: School Climate +Survey) + +III. DEFINITIONS + +All students attend a Boston Public School and include but are +not limited to students with identities that are related to culture, +race, ethnicity, sexual orientation, gender, gender identity, and +ability. + + + +Page 87: +Superintendent’s Circular HWD-01 +Page 87 of 102 + + + +Bullying is a form of emotional or physical abuse that has three +defining characteristics*: +● Deliberate: A bully’s intention is to hurt someone. +● Repeated: A bully often targets the same victim again and +again. +● Power imbalanced: A bully chooses victims he or she +perceives as vulnerable. +*Bullying is different from conflict, fights, or disagreements. It +must meet the above criteria. + +Boston Public Schools Property includes all properties where +students and Boston Public School staff work or attend class. + +Comprehensive Health Education is medically accurate, age and +developmentally appropriate, culturally inclusive, implemented +in safe and supportive learning environments where all students +feel valued, and includes nutrition education. + +Comprehensive School Physical Activity Program (CSPAP) is an +approach by which school Districts and schools utilize all +opportunities for school-based physical activity to develop +physically educated students who participate in physical activity +each day and develop the knowledge, skills, and confidence to be + + +Page 88: +Superintendent’s Circular HWD-01 +Page 88 of 102 + + + +physically active for a lifetime. Quality physical education is the +cornerstone of a CSPAP. CSPAP also includes school-based +physical activity opportunities; school employee wellness and +involvement; and family and community involvement. + +Comprehensive Sexual Health Education is a planned, +sequential, Pre-K – 12 curriculum that is part of a comprehensive +school health approach which addresses age-appropriate +physical, mental, emotional and social dimensions of human +sexuality. It should allow students to develop and demonstrate +developmentally appropriate sexual health-related knowledge, +attitudes, skills and practices. The curriculum should be designed +to motivate and assist students to maintain and improve their +sexual health by delaying sexual initiation, preventing disease +and too-early pregnancy and reducing sexual health-related risk +behaviors. It should be medically accurate, developmentally +appropriate, culturally, including LGBTQ inclusive, and be +provided by qualified, trained, and certified teachers (Future of +Sex Education). + +Cultural Proficiency: esteeming culture, interacting effectively in +a variety of cultural groups, using inclusive language, committing +to continuous learning. + +Cyber bullying is bullying that takes place using electronic +technology. Examples of cyber bullying include mean text + + +Page 89: +Superintendent’s Circular HWD-01 +Page 89 of 102 + + + +messages or emails, rumors sent by email or posted on social +networking sites, and embarrassing pictures, videos, websites, or +fake profiles. + +Federally Funded Child Nutrition Programs include the National +School Lunch Program, National School Breakfast Program, After +School Snack Program, and the Child & Adult Care Food Program. + +LGBTQ is an acronym for individuals who identify as Lesbian, Gay, +Bisexual, Transgender, Queer or Questioning. + +Health Literacy is the capacity of an individual to obtain, +interpret, and understand basic health information and services +and the competence to use such information and services in +ways that are health enhancing (National Health Education +Standards). + +Health Services represents the component of a comprehensive +school health program that directly services the individual child +and monitors health trends within the District. It includes both +the school nurse programs and the school-based health center +programs. The goal of health services is to remove the +educationally relevant health obstacles to learning by ensuring +access and/or referral to primary health care services, managing + + +Page 90: +Superintendent’s Circular HWD-01 +Page 90 of 102 + + + +chronic disease conditions during school hours, preventing and +controlling communicable disease and other health problems, +providing emergency care for illness or injury, promoting and +providing optimum sanitary conditions for a safe school facility +and school environment and providing educational and +counseling opportunities for promoting and maintaining +individual family and community health. + +Nutrition Promotions are strategies, social marketing, materials, +and oral & written communications that provide methods to shift +cultural norms toward healthier foods and beverages. + +Parent engagement occurs when schools are actively involving +parents in an authentic partnership with aims of improving +individual student’s outcomes and school wide initiatives. + +Physical Education (PE) is a planned, sequential program of +curricula and instruction that helps students develop the +knowledge, attitudes, motor skills, self-management skills and +confidence needed to adopt and maintain physically active +lifestyles. PE curricula must align with the BPS PE frameworks. +PE activities that focus on a single activity, such as swimming +and dance, count as PE only if it is part of a CSPAP and aligned +with BPS PE Frameworks. + + + +Page 91: +Superintendent’s Circular HWD-01 +Page 91 of 102 + + + +Physical Activity (PA) is a behavior consisting of bodily movement +that requires energy expenditure above the normal physiological +(muscular, cardiorespiratory) requirements of a typical school +day. Recess, movement breaks, promotional activities, and cross- +curricular incorporation are some examples of PA that should +NOT be counted as PE; PA is not PE and it cannot be allocated as +PE. + +Safe and Supportive Schools create a positive school climate that +actively teaches positive behavior and engaging in prevention +activities to promote feelings of security and connectedness for +students and adults. + +Wellness is a process by which individuals move toward optimal +physical and mental health, regardless of current health status or +disability, by practicing healthy choices within an enabling +environment that encourages healthy decision-making. + + + + IV. +INDEX OF FEDERAL, STATE, AND BOSTON +PUBLIC SCHOOL WELLNESS-RELATED POLICIES & +GUIDELINES + + +Relevant and existing school policies, for which school-based + + +Page 92: +Superintendent’s Circular HWD-01 +Page 92 of 102 + + + +Wellness Councils and school staff must comply, are referenced +below. + +A. School Food and Nutrition Promotion-related policies shall be +followed by all Boston Public Schools: +○ Meals served in Boston Public Schools are in accordance +with the National School Meals Programs. Federally funded +child nutrition programs must comply with the nutrition +standards for school meals, outlined in the Healthy Hunger- +Free Kids Act of 2010. +○ 105 CMR 225: Nutrition Standards for Competitive Foods and +Beverages in Public Schools +○ Mayor Menino’s Executive Order for Healthy Beverages +○ FNS-01: Food Nutrition Services +○ FNS-02: Emergency Meal Procedures +○ FNS-03: Nutrition Policy +○ FNS-04: Responsibilities Regarding School Food Services + +B. Comprehensive Physical Activity and Physical Education- +related policies shall be followed by all Boston Public Schools: +a. Massachusetts Legislation + + +Page 93: +Superintendent’s Circular HWD-01 +Page 93 of 102 + + + +○ MGL c. 71, s. 3: Physical Education +b. District Circulars +○ HWD-02: Physical Education and Physical Activity Policy +○ ATH-01: Prevention & Management of Sports-Related +Head Injuries + +C. Comprehensive Health Education-related policies shall be +followed by all Boston Public Schools: +○ HWD-03: Comprehensive Health Education Policy +○ HWD-05: Human Sexuality Education-Parental Notification + +D. Healthy School Environment-related policies shall be followed +by all Boston Public Schools: +a. Massachusetts Legislation +○ MGL c. 90, s. 16B Idling of a motor vehicle engine on +school property +b. District Circulars +○ BPS Water Access Policy +○ FMT-07: Chemical Inventory “Right to Know” Law +○ FMT-08: System-wide Zero Waste Policy + + +Page 94: +Superintendent’s Circular HWD-01 +Page 94 of 102 + + + +○ FMT-10: Integrated Pest Management (IPM) +○ FMT-11: Green Cleaners Policy +○ FMT-14 Hearing Conservation Program +○ FMT-15: BPS/Boston Public Health Commission +Environmental Inspection/Audit Program (City +Ordinance 7.12.1-4) +○ FSE-06: Student Safety / Health in School Shops, +Laboratories and Classrooms +○ HWD-04: Whole School Health & Wellness: Healthy +School Environment Policy +○ HWD-06: Tobacco Free Environment Policy +○ SHS-04: Infection Prevention and Control in School +Settings +○ SHS-20: Asthma in Schools + +E. Safe and Supportive Schools-related policies shall be followed +by all Boston Public Schools: +a. Federal Legislation +○ Elementary and Secondary Education Act of 1965, as +amended, Title IV, Part A, Subpart 2, Section 4121 - +FEDERAL ACTIVITIES; 20 U.S.C. 7131 + + +Page 95: +Superintendent’s Circular HWD-01 +Page 95 of 102 + + + +b. Federal Regulations +○ Education Department General Administrative +Regulations (EDGAR) - 34 CFR Parts 75, 77, 79, 80, 81, 82, +84, 85, 86, 97, 98, 99 (b) The regulation in 34 CFR part 299 +○ Title VI of the Civil Rights Act of 19641 (Title VI), which +prohibits discrimination on the basis of race, color, or +national origin; +○ Section 504 of the Rehabilitation Act of 19733 (Section +504); and Title II of the Americans with Disabilities Act of +19904 (Title II). Section 504 and Title II prohibit +discrimination on the basis of disability,5 as referenced +in the Office of the Assistant Secretary’s “Dear +Colleague” letter of October 2010. +○ Title IX, Education Amendments of 1972 which prohibits +discrimination on the basis of sex, including individuals +who are pregnant or parenting. +■ Title 20 U.S.C. Sections 1681-1688 +c. Massachusetts Legislation +○ SL 2010, c.92: Bullying in Schools +○ MGL c.12, s.11H: Violation of Constitutional Rights +○ MGL c.265 s.43: Stalking +○ MGL c.265, s.43A: Criminal Harassment +○ MGL c.266, s.37E: Identity Fraud + + +Page 96: +Superintendent’s Circular HWD-01 +Page 96 of 102 + + + +○ MGL c.269, s.17: Hazing +○ MGL c.269, s.18: Failure to Report Hazing +○ MGL c.269, s.19: Schools to provide copy of hazing law to +students +○ MGL c.119, s.21: Mandated Reporters defined. +○ MGL c.119, s.51A: Mandated Reporting explained +○ MGL c.76, s. 5 An Act Relative to Gender Identity +○ CHAPTER 188 An Act Improving the Public Schools of +the Commonwealth +d. Massachusetts Regulations +○ 610 CMR 5 Hazing Reporting- Secondary Schools +○ 603 CMR 33 Hazing Reporting- Higher Educations +○ 603 CMR 49 Notification of Bullying or Retaliation +e. District Circulars + +○ ACA-18: Attendance Policies +○ ACA18A: Attendance Procedures +○ ACA-18B: Procedures for Referral to Supervisors of +Attendance +○ EQT-07: Accommodating Employees with Disabilities + + +Page 97: +Superintendent’s Circular HWD-01 +Page 97 of 102 + + + +○ EQT-05: Employee Reports of Bias +○ EQT-02: Student, Family or Other Third Party Reports of +Bias +○ EQT-01: Non-Discrimination Policy and Statement +○ EQT-06: Sexual Misconduct Toward Employees +○ EQT-03: Sexual Misconduct Toward Students +○ EQT-04: Students and Gender Identity +○ LGL-11: Sexual Orientation – Protection of Students +Against Discrimination +○ FAM-01: School Site Councils +○ FAM-02: School Parent Council +○ FAM-03: Middle and High School Student Government +○ FAM-05: Title I Family Engagement Requirements +○ FSE-01: School Safety Contingency Plans +○ FSE-02 Fire Safety Practices +○ FSE-04 Bomb Threat Procedures +○ FSE-05 Medical Emergency Management +○ FSE-06 Student Safety / Health in School Shops, +Laboratories and Classrooms + + +Page 98: +Superintendent’s Circular HWD-01 +Page 98 of 102 + + + +○ FSE-07 Public Health and Workplace Safety +○ FSE-08 Teaching Students the Containment Protocol +Mini-Session +○ LGL-01 Hazing Law +○ LGL-04 School Visitors Guidelines +○ LGL-05 Racial or Ethnic Discrimination/Harassment of +Students +○ LGL-06 Religious Holy Days +○ LGL-13 Sexual Assault Policy +○ LGL-15 Student Surveys +○ LGL-17 Religious Expression in Public Schools +○ LGL-20 Corporal Punishment +○ SAF-01 Student Search Procedures +○ SAF-02 Weapons and Objects of No Reasonable Use +○ SAF-04 Incident Data Reporting and Release +○ SAF-07 Metal Detectors +○ SAF-09 Lost Children Procedures +○ SAF-11 Sexual Offender Registry Information (SORI) +○ SAF-12: School Access Control + + +Page 99: +Superintendent’s Circular HWD-01 +Page 99 of 102 + + + +○ SHS-01: Drug and Alcohol Abuse +○ SHS-16: Suicide Prevention and Intervention +○ SPE-03: Physical Restraint Policy +○ SPE-14: Counseling Guidelines +○ SPE-15: Discipline of Students with Disabilities +○ SSS-02: Homeless Students - Guidelines and Procedures +○ SSS-07: Persistently Dangerous Schools +○ SSS-18: Bullying Prevention and Intervention Plan +○ SUP-20: Child Abuse and Neglect +○ SUP-21: Expectant & Parenting Students +○ SUP-05: Code of Discipline + +F. Health Services-related policies shall be followed by all Boston +Public Schools +○ ATH-01: Prevention & Management of Sports-Related Head +Injuries +○ FSE-05 Medical Emergencies +○ SHS-23: Condom Accessibility +○ LGL-16: Student Health Information + + +Page 100: +Superintendent’s Circular HWD-01 +Page 100 of 102 + + + +○ SHS-04: Infection Prevention and Control in School Settings +○ SHS-05: Tuberculosis Program +○ SHS-06: Immunization Law +○ SHS-08: Medication Dispensation +○ SHS-11: Life Threatening Allergies (LTA or Anaphylaxis) Policy +and Implementation +○ SHS-12: HIV/AID Policy and Guidelines +○ SHS-13: Medical Transportation +○ SHS-20: Asthma in Schools +○ SHS-21: Diabetes Policy +○ SHS-22: Automatic External Defibrillator (AED) Use and +Access Policy + +G. Cultural Proficiency-related policies shall be followed by all +Boston Public Schools +○ CAO-05: Services to Limited English Proficient Students +○ ELL-04: Title I Expenditures for English Language Learners +○ EQT-01: Non-Discrimination Policy and Statement +○ EQT-02: Student, Family or Other Third Party Reports of Bias + + +Page 101: +Superintendent’s Circular HWD-01 +Page 101 of 102 + + + +○ EQT-03: Sexual Misconduct Toward Students +○ EQT-05: Employee Reports of Bias +○ EQT-06: Sexual Misconduct Toward Employees + +○ EQT-07: Accommodating Employees with Disabilities + +○ FAM-02: School Site Councils +○ FAM-01: School Parent Council +○ FAM-03: Middle and High School Student Government +○ FAM-05: Title I Family Engagement Requirements +○ FAM-06: Boston Student Advisory Council +○ LGL-05: Racial or Ethnic Discrimination/Harassment of +Students +○ LGL-11: Sexual Orientation - Protection of Students Against +Discrimination + + + + + + +Page 102: +Superintendent’s Circular HWD-01 +Page 102 of 102 + + + + +For more information about this circular, contact: + +Owner: +Senior Executive Director of Health & Wellness +Departmen +t: +Health & Wellness +Mailing +Address: +370 Columbia Rd, Dorchester, MA 02125 +Phone: +617-635-9698 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + + + + diff --git a/data/data_txt/HWD-02 Phys Ed & Physical Activity.txt b/data/data_txt/HWD-02 Phys Ed & Physical Activity.txt new file mode 100644 index 0000000..54c745e --- /dev/null +++ b/data/data_txt/HWD-02 Phys Ed & Physical Activity.txt @@ -0,0 +1,588 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HWD-02 +Version 01 + +PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Regular physical activity is one of the most important factors +affecting health. It helps control weight, reduces the risk of +developing cardiovascular disease and diabetes, improves mental +health and mood, and increases longevity. Most Boston Public +School (BPS) students are not physically active for the 60 minutes +per day recommended by the Center for Disease Control. Only 16% +of BPS high school students reported being physically active for +the recommended time, and only 40% reported having weekly +physical education, according to the 2015 Boston High School +Youth Risk Behavior Survey (YRBS). Twenty-three percent of +middle school students reported being physically active for the +recommended time and 80% reported having weekly physical +education, according to the 2013 Boston Middle School YRBS. This +lack of physical activity is contributing to an epidemic of +overweight and obesity in BPS students. Measurement of +students’ Body Mass Index in 1st, 4th, 7th and 10th grades revealed +that 39% of BPS students are at an unhealthy weight (2015). + + + +Page 2: +Superintendent’s Circular HWD-02 +Page 2 of 18 + +Recent national, cumulative evidence shows clear links between +school-based physical activity, including physical education, and +academic success. Most of the studies report that physical activity +was positively related to academic performance, including +academic achievement (grades, standardized test scores); +academic behavior (on-task behavior, attendance); and factors +that can positively influence academic achievement +(concentration, attention, improved classroom behavior). Most +importantly, adding time during the school day for physical +activity does not appear to take away from academic +performance. Given these findings, the BPS recommends that +schools increase the amount of time spent in physical education +and/or increase the quality of their physical education program, +provide recess and physical activity breaks in the classroom, +promote walk/ bike to school programs, and offer non-competitive +intramural and interscholastic sports. +To improve health and academic outcomes, BPS is implementing +strategies to increase the frequency and quality of physical +education (PE) and physical activity (PA) for BPS students. A PE & +PA Task Force was formed in November 2010 to align the district’s +PE-related policies and bring the district into compliance with MA +General Laws Chapter 71, Section 3 that states: +“Physical education shall be taught as a required subject in all +grades for all students in the public schools for the purpose of +promoting the physical well-being of students.” +With input from BPS principals, physical education teachers, BPS +Wellness Council members, BPS department heads, Academic +Superintendents, Labor Relations, and other district-leaders, the + + +Page 3: +Superintendent’s Circular HWD-02 +Page 3 of 18 + +PE & PA Taskforce created the PE & PA Policy to align the former +BPS policies. + +DEFINITIONS +Comprehensive School Physical Activity Program (CSPAP): An +approach by which school districts and schools utilize all +opportunities for school-based physical activity to develop +physically educated students who participate in physical activity +each day and develop the knowledge, skills, and confidence to be +physically active for a lifetime. Quality physical education is the +cornerstone of a CSPAP. CSPAP also includes school-based +physical activity opportunities; school employee wellness and +involvement; and family and community involvement. +Physical Education (PE) is a planned, sequential program of +curricula and instruction that helps students develop the +knowledge, attitudes, motor skills, self-management skills and +confidence needed to adopt and maintain physically active +lifestyles. PE curricula must align with the BPS PE Frameworks. PE +is comprehensive and includes student learning competencies +that cross all four strands of the BPS PE Frameworks 1) Movement +2) Health-Related Fitness 3) Personal and Social 4) Lifelong +Physical Activity. PE activities that focus on a single activity, such +as swimming and dance, count as PE only if it is part of a CSPAP +and align with the BPS PE Frameworks. +Physical Activity (PA) is a behavior consisting of bodily movement +that requires energy expenditure above the normal physiological +(muscular, cardiorespiratory) requirements of a typical school day. + + +Page 4: +Superintendent’s Circular HWD-02 +Page 4 of 18 + +Recess, movement breaks, promotional activities, and cross- +curricular incorporation are some examples of PA that should NOT +be counted as PE; PA is not PE and it cannot be allocated as PE. +Moderate-to-Vigorous Physical Activity (MVPA) is measured by an +increase in heart rate, breathing, and body temperature. +Moderate physical activity refers to activities equivalent in +intensity to brisk walking or bicycling. Vigorous physical activity +produces large increases in breathing or heart rate, such as +jogging, aerobic dance or bicycling uphill. + +PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY +The Boston Public Schools is committed to a District-wide, +strategic effort to increase all students’ physical activity and fitness +by bringing more physical education and physical activity to +schools; improving the quality of physical education and recess; +and increasing the equity of physical activity programs and +resources across our schools. Activities will be inclusive to meet +the needs, interests, abilities and cultural diversity of all students, +including students of all gender identities, students with +disabilities, and students with special healthcare needs. +Numerous studies indicate that regularly engaging in moderate- +to-vigorous exercise contributes to overall physical and mental +health and that nurturing an exercise habit among children lays +the foundation for lifelong fitness. Research also shows that +increased physical activity increases children’s cognitive function, +ability to concentrate in class, and academic performance. Thus, +as a part of a strategic effort to improve academic performance, +BPS recognizes and promotes the benefits of a Comprehensive + + +Page 5: +Superintendent’s Circular HWD-02 +Page 5 of 18 + +Physical Activity Program, where quality physical education is the +cornerstone and additional physical activity is integrated +throughout the school day and into before and after school +programs, staff wellness and family engagement activities. +The Boston Public Schools is committed to a strong athletics +program that offers a variety of programs and is accessible to all +students. Athletics participation can contribute to student fitness, +wellness, character development and a lifelong commitment to a +physically active lifestyle. Additionally, by establishing a safe, +supportive and engaging school environment, athletic programs +encourage school connectedness and create a climate where +healthy competition and support fill the school with spirit and a +sense of community. Research shows that healthy children are +better learners and connected students are more likely to stay in +school. In this way, athletics contributes to the academic success +of students. +In accordance with state law, all schools must provide all students +in all grades with opportunities for physical activity. Schools must +offer at least 150 minutes of in-school physical activity weekly in +grades PreK-8, including required physical education, movement +breaks, recess, or lessons involving movement structured to +support moderate-to-vigorous physical activity (MVPA). In grades +PreK-8, students are expected to have at least 20 minutes of daily +recess. +Teachers and other school and community personnel shall not use +physical activity (e.g., running laps, pushups) as punishment nor +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity + + +Page 6: +Superintendent’s Circular HWD-02 +Page 6 of 18 + +breaks, or physical education) as punishment for any reason other +than illness or safety or as approved by the school leader. This +includes denying a student physical activity time in order to make +up work unless under unusual circumstances. The district will +provide teachers and other school staff with a list of ideas for +alternative ways to discipline students. +All schools must offer standards-based physical education (PE) for +all students in all grades. Schools are required to offer at least 45 +minutes of weekly PE in grades PreK-8 and at least one semester +(equivalent of a half school year) of PE each year in grades 9-12. +We recommend that schools provide at least 80 minutes of +weekly PE in grades PreK-8. In order to help schools work toward +this recommendation, Boston Public Schools will develop an +implementation plan with input from current principals and +headmasters. This implementation plan will be shared with the +School Committee. +Teachers and other school and community personnel shall not use +physical activity (e.g., running laps, pushups) as punishment; +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity +breaks or physical education) as punishment for any reason; or +deny a student physical activity time in order to make up work +unless under unusual circumstances. +Extended day programs and out of school time, which includes +before and after school programs, are expected to offer an array of +physical activity opportunities to ensure all students are able to +participate. Schools shall offer opportunities for students to +participate in physical activity before and after the school day, + + +Page 7: +Superintendent’s Circular HWD-02 +Page 7 of 18 + +including extended day time, through a variety of methods +including physical activity clubs, physical activity in before/after +school programs, intramurals and interscholastic sports, and in +their school commute. +The District recognizes that students benefit from bicycle and +pedestrian safety education to help make the trip to and from +school safer and instill confidence in students, parents and +community members. The District will develop and maintain +policies and procedures for working together with city agencies, +schools, families, and students in efforts to promote a safer and +easier trip to and from school when students and staff are walking, +bicycling, using public transit or other means of physically active +transport. The District will encourage 7-12th grade students to use +public transportation when available and appropriate for travel to +school, and will work with the local transit agency to provide +transit passes for eligible 7-12th grade students. The District will +provide resources to schools, students and families regarding +walking, riding a bicycle, using public transit or other forms of +active transportation. The District will encourage wellness +councils, school administrators and students, staff, families and +community partners to assist the District in promoting safe, +physically active travel to and from school. Schools are +encouraged to designate a transportation liaison to facilitate +communication regarding District efforts to promote safe, +physically active travel to and from school. Schools shall +participate in student transportation surveys when requested to +help the District plan for strategies to promote a safer and easier +trip to and from school when walking, bicycling, using public +transit or other means of physically active transport. + + +Page 8: +Superintendent’s Circular HWD-02 +Page 8 of 18 + +IMPLEMENTATION GUIDELINES +A. State law requires that all students in grade K-12 receive +physical education. + +1.) The BPS PE Curriculum must meet the following criteria: +a. The curriculum is standards-based and it aligns with BPS +PE Curriculum Frameworks. +b. The curriculum provides moderate-to-vigorous physical +activity (MVPA) during at least 50% of PE class time. +c. The PE scope and sequence for each grade level must +include district-sponsored PE curriculum, such as SPARK +in K-12th grades and Project Adventure in K-12th grades. + +2.) Student assessments in PE must include the following: +a. Graded competency (i.e. knowledge, skills, practice) and +participation (i.e. effort, proper attire, teamwork) +assessments that are reflected on all students’ report +cards. + +3.) BPS PE classes have the following requirements for scheduling: +a. Reflected on all schools’ master schedules and on all +students’ report cards. + + + +Page 9: +Superintendent’s Circular HWD-02 +Page 9 of 18 + +4.) Staffing requirements include: +a. BPS supports a learning environment in which all teachers +are highly qualified in the subject areas they teach. +Therefore, PE class must be taught by a teacher that holds +an active and valid PE teaching license from the MA +Department of Elementary and Secondary Education. +b. If a school is unable to provide all students in all grades +with PE instruction from licensed PE teachers, they should +contact the Office of Health and Wellness for support with +identifying district-approved staffing alternatives. All PE +staffing alternatives must be approved by HR, the Office of +Health and Wellness, and the school’s respective +instructional superintendent. Staffing alternatives are only +considered in extenuating circumstances or in situations +that increase opportunities for students. + +5.). School Wellness Councils are required to develop a school- +based Comprehensive School Physical Activity Plan (CSPAP) as a +part of the Wellness Action Plan that includes: +a. A school-based CSPAP Policy that documents the CSPAP +Implementation Guidelines. +b. The CSPAP Implementation Guidelines must outline how +all students in grades K-8 are to receive at least 45 minutes +of PE per week, and how all students in grades 9-12 receive +at least 1 semester of PE per grade. +c. The CSPAP Implementation Guidelines also include a plan +that outlines how the school aims to provide 150 minutes +of in-school physical activity in grades k-8, including + + +Page 10: +Superintendent’s Circular HWD-02 +Page 10 of 18 + +required physical education, movement breaks, recess, or +lessons involving movement. In grades PreK-8, students +are expected to have a minimum of 20 minutes of daily +recess; this must be included in the CSPAP. +d. School staff shall be provided resources to integrate +physical activity into their academic lessons. Contact the +Office of Health and Wellness for resources. +e. School wellness councils will work with building principals +and Facilities Management/ Planning to identify safe and +appropriate indoor and outdoor space for group physical +activity and physical education. The lack of identified +single-use physical activity spaces (i.e., gymnasiums) will +not hinder schools from offering an environment +conducive to physical activity and implementation of a +CSPAP plan. Examples include: +○ Shared classroom space (mobile physical education +classes conducted in classrooms) +○ Schoolyard +○ Creative use of hallway space or other shared spaces +in buildings +○ Repurposing classroom or other building spaces for +physical activity +○ Co-teaching with other content areas + +B. Schools shall offer daily physical activity opportunities during +the school day. +To that end principals/heads of school can: +a. Integrate daily physical activity into the classroom + + +Page 11: +Superintendent’s Circular HWD-02 +Page 11 of 18 + +setting with kinesthetic learning, cross-curricular +lessons, and team teaching +b. Encourage short physical activity breaks between +lessons or classes, as appropriate +c. Encourage school-wide physical activity promotions like +pedometer challenges, field day, dance-a-thon, walk-a- +thon, active transport, etc. +d. Provide opportunities for daily recess with at least 20 +minutes a day of supervised recess, preferably outdoors, +during which time staff encourage moderate to +vigorous activity and provide appropriate space and +equipment. In grades K-8, daily recess is required. +e. Schedule recess before lunch so that students will come +to lunch less distracted and ready to eat. + +C. Schools shall offer daily physical activity opportunities during +extended day programs and out of school time which includes +before and after school programs. +To that end principals/headmasters can: +a. Allow school spaces and facilities to be available for school- +sponsored activities that promote fitness for its students +during extended and non-school hours, as circumstances +permit. +b. Remain in alignment with best practices and +requirements for licensed school-age care programs +partnering with schools (606 CMR 7). Specifically +○ Providing daily indoor and outdoor time periods, +weather permitting, which include both small and + + +Page 12: +Superintendent’s Circular HWD-02 +Page 12 of 18 + +large muscle activities; + +○ Each school shall dedicate at least 30-60 minutes of +morning or afterschool program time to physical +activity for all students; +c. Partner with local government and community-based +agencies to support active transport to school by +reducing/eliminating hazards and increasing accessibility +(i.e., bicycle parking). + +D. Safe Routes to School Boston +The District will encourage students to be physically active before +and after school by promoting walking/ biking/rolling to school +through a comprehensive Safe Routes to School Boston program, +including encouragement, education, evaluation, +engineering/environment, enforcement, and equity strategies. +Schools should include Safe Routes to School in their Annual +Wellness Action Plans. + +a. Equity strategies: Consider the barriers and concerns, and +opportunities that face families and ensure equitable +opportunities in each strategy of this initiative. +b. Encouragement strategies: +○ Walking Promotions (e.g. Walk to School Days, +Walking Challenges, School-wide Promotions) +○ Establishing a school Park and Walk site +○ Walking School Buses +c. Education strategies: + + +Page 13: +Superintendent’s Circular HWD-02 +Page 13 of 18 + +○ Implementing an active transportation safety +curriculum in health or physical education. +○ Developing and disseminating preferred Walking +Route Maps that provide students and parents with +the additional tools to travel safely to and from +school. +○ Disseminating walking tips and simple pedestrian +safety information and promotional materials. +d. Evaluation of Need strategies: +○ Conduct a walk audit to identify concerns regarding +the physical/environmental conditions that surround +your school. +○ Conduct a travel hand tally to understand the impact +and number of students that will benefit. +e. Engineering/Environment strategies: +○ Alert proper authorities regarding environmental +safety concerns. Engineering or other environmental +issues should be reported through BOS: 311, other +pressing concerns should be reported to BPS +Transportation. +○ Increase accessibility and support for those choosing +to ride by installing secure bicycle storage and +designating facilities for storing other wheeled +devices like scooters. +f. Enforcement strategies: Share Preferred Walking Routes +with local police stations for proper crossing guard +assignment and heightened awareness on popular routes. + + + + +Page 14: +Superintendent’s Circular HWD-02 +Page 14 of 18 + +E. Community Partnerships +Providing students and families with access to safe, affordable, +and convenient places to be physically active is an important +strategy for promoting health and reducing risk for obesity. +Community partners are a vital, valuable aspect of quality physical +activity programs and can meaningfully support PE and PA in +BPS. School officials are encouraged to work with partners to +develop a written joint use agreement that delineates the terms +and conditions for joint use and the responsibilities of all parties. +Community partners must follow the BPS Community Partner +Policy. To that end, principals/heads of school can work with +community partners to: +a. Secure mini-grant funding +b. Use of facilities on and off-campus +c. Training/professional development +d. Assist with program implementation +e. Work with community partners to create additional +opportunities that meet the unique needs of their school + +F. Physical Activity and Punishment +Teachers and other school and community personnel shall not: +a. Use physical activity (e.g., running laps, pushups) as +punishment +b. Withhold opportunities for physical activity during the +school day (including but not limited to recess, +classroom physical activity breaks or physical education) +as punishment for any reason + + +Page 15: +Superintendent’s Circular HWD-02 +Page 15 of 18 + +c. Deny a student physical activity time in order to make +up work unless under unusual circumstances +The district will provide teachers and other school staff with a list +of ideas for alternative ways to discipline students. + +MONITORING, COMPLIANCE & SUPPORT + +1. Monitoring Curriculum +a. Scope and Sequence: Each school must annually +submit a PE scope and sequence for each grade level to +the School Wellness Councils; the scope and sequences +must align with BPS PE Curriculum Frameworks. The +Office of Health and Wellness can support schools in +aligning their PE scope and sequence with the BPS PE +Curriculum Frameworks. If necessary, the School +Wellness Councils may be asked to submit the school’s +PE scope and sequence. + +2. Monitoring Assessments +a. Report Cards: All students’ report cards must include a +grade for taking PE class. + +3. Monitoring school-based Comprehensive School Physical +Activity Plan (CSPAP) +a. Wellness Actions Plans: School Wellness Councils’ + + +Page 16: +Superintendent’s Circular HWD-02 +Page 16 of 18 + +CSPAP will include their school-based CSPAP Policy +that outlines how all students in all grades will receive +weekly physical activity. +b. The Office of Health and Wellness will monitor School +Wellness Councils’ CSPAP. +c. The Office of Health and Wellness will monitor the +community partner’s compliance with the BPS +Community Partner Policy.. + +4. Monitoring Scheduling and Graduation Requirements +a. Master Schedules: All schools must reflect adequate PE +on their master schedule. +b. Student Report Cards: All students’ report cards must +include PE to determine compliance with the PE & PA +Policy and to determine students’ graduation eligibility. + +5. Monitoring Staffing: +a. Staffing Reports: The Office of Human Capital will +annually conduct PE staffing reports for each school. +The PE staffing reports will be monitored to determine +compliance with the PE Staffing Policy for BPS. + +6. The Office of Health and Wellness will support schools in +their efforts by providing: +a. Yearly professional development opportunities for both +physical education teachers and school-based +personnel + + +Page 17: +Superintendent’s Circular HWD-02 +Page 17 of 18 + +b. Professional development opportunities for recess- +based personnel +c. Schools shall be provided resources to integrate +physical activity into their academic lessons +d. Resources available for school staff include: +○ Field-day guides +○ Physical Activity Curriculum +○ Physical Activity Breaks +○ Recess temperature recommendations +○ Active Recess materials +○ Guide to Before and After School Activities +○ A list of physical activity community partners and +contact information +7. Schools Non-Compliant with PE & PA Policy: +The principal and relevant school superintendent will be notified +by the Office of Health and Wellness if a school is found not to be +compliant. The Office of Health and Wellness will work directly +with the school to support the development of a CSPAP +Improvement Plan that puts the school on track for compliance +with the PE & PA Policy. +School administration, teachers, families, students, community- +based organizations, and wellness councils will be provided +information about the policy to engage and support +implementation, monitoring, and compliance. The BPS Office of +Health and Wellness will provide an implementation guide that +will include strategies and support for professional development, +curriculum, partnership development, instructional materials, +school-based PA strategies, and other resources. + + +Page 18: +Superintendent’s Circular HWD-02 +Page 18 of 18 + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & Wellness +Department: Health and Wellness +Mailing +Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-6643 +Email: +healthandwellness@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HWD-03 Comprehensive Health Ed.txt b/data/data_txt/HWD-03 Comprehensive Health Ed.txt new file mode 100644 index 0000000..28082dc --- /dev/null +++ b/data/data_txt/HWD-03 Comprehensive Health Ed.txt @@ -0,0 +1,395 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-03 +Version 01 + + + + +COMPREHENSIVE HEALTH EDUCATION POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Health education, as defined by the CDC, helps students “acquire +functional health knowledge, strengthen attitudes and beliefs, +and practice skills needed to adopt and maintain healthy +behaviors throughout their lives.” Health education curricula +should address the National Health Education Standards (NHES), +incorporate the characteristics of an effective health education +curriculum, and be taught by qualified, trained teachers. In +addition, the American Cancer Society, the American Diabetes +Association, and the American Heart Association believe that +school health education programs can reduce health risk +behaviors such as tobacco use, poor nutrition, lack of physical +activity, drug and alcohol use, as well as actions that increase +stress and risk of injury and violence. Because these behaviors are +amenable to change, quality school health education taught by +trained and licensed health educators provides the best +opportunity to promote positive health behavior among children +and adolescents.What Works in Schools (Facts: Learning for Life +Health Education in School) + + +Page 2: +Superintendent’s Circular HWD-03 +Page 2 of 11 + + + +Health education is an integral component of quality school +programming. Schools have direct contact with a significant +number of Boston’s youth and for the critical years of students’ +social, psychological, physical, and intellectual development. As a +result, schools play an important role in improving students’ +health and social outcomes as well as promoting academic +success (CDC Healthy Schools). Healthy students are more ready +and able to learn and are less likely to experience negative +academic impact (e.g., academic failure, lower test scores, +truancy, absenteeism) than students who engage in risky health +behaviors. According to the CDC, schools cannot achieve their +primary mission of education if students are not healthy, and +schools can address the health needs of students in part through +effective comprehensive health education. Research supports +that school health programs and policies may be one of the most +efficient ways to reduce risky behaviors in students, prevent +health problems, and address the achievement gap. +Boston Public Schools (BPS) believes, in accordance with the +NHES, health education should empower students to practice +behaviors that protect and promote their health while +minimizing risks. Therefore, health education in BPS includes +teaching health skills and essential concepts such as health +literacy, health promotion, and health equity, with a strong focus +on understanding the social determinants of health. +In line with the NHES, BPS emphasizes a holistic approach to +health by shifting the focus from specific health behaviors to +overall well-being. This approach leverages the strengths and +resources within students, their families, schools, and +communities. It prioritizes equipping students with the health +skills and essential knowledge needed to assist them in living + + +Page 3: +Superintendent’s Circular HWD-03 +Page 3 of 11 + + + +healthier lives and to enable them to actively support their own +health and the health of others within a broader societal context. +The policy and implementation guidelines presented here +explain how we, at Boston Public Schools, will create effective +health education programming. + +POLICY +The Boston Public Schools require comprehensive Pre-K through +grade 12 health education that is medically accurate, age and +developmentally appropriate, culturally and linguistically +sustaining, and implemented in a safe and supportive learning +environment where all students feel valued. All Boston Public +Schools must take a skills-based approach to teach +comprehensive health education that addresses a variety of +topics, such as tobacco, alcohol, substance misuse and harm +reduction, nutritional health, mental and emotional health, +personal health and wellness, physical activity, safety and injury +prevention, violence prevention, and comprehensive sexual +health education that is LGBTQ+ affirming. + +Comprehensive health education curriculum shall be modified as +needed for students with disabilities and students who are +English learners. It shall promote healthy lifestyle habits, healthy +relationships and health literacy for all students. Health +education curricula will align with the BPS Health Education +Frameworks, which integrate the Massachusetts Comprehensive +Health and Physical Education Framework and National Health + + +Page 4: +Superintendent’s Circular HWD-03 +Page 4 of 11 + + + +Education Standards, as well as the National Sexuality Education +Standards. Qualified and trained teachers will implement the +curricula. + +All schools will follow relevant promotion and graduation +requirements that include: Health education that includes at +minimum the Healthy and Safe Body Unit in elementary school; +two semesters of health education in grades 6 to 8 taught by a +licensed health education teacher; and a one-semester course of +health education in total in grades 9 to 12 taught by a licensed +health education teacher. In addition to these course +requirements, health education topics will be integrated into +other subject areas where possible, to reinforce their importance, +provide additional skill practice, and demonstrate the +connections of health concepts to many other content areas. + +IMPLEMENTATION GUIDELINES +Boston Public Schools are committed to addressing the health +and wellness of all students, in part, through effective health +education programming. Therefore, BPS will require +comprehensive pre-K-12 health education to be taught to all +students throughout the district. The Boston Public Schools take +a comprehensive approach to review and incorporate changes in +policy, curricula, and implementation. This effort will result in a +skills-based approach to teaching health education that +promotes healthy lifestyle habits, healthy relationships, and +health literacy for all students. + + + +Page 5: +Superintendent’s Circular HWD-03 +Page 5 of 11 + + + +Schools will adhere to the following implementation guidelines: +A. School leaders or their designees are responsible for +implementing and enforcing this policy. Grade-level teams, +lead health education teacher, or other instructional lead +will determine, in collaboration with the school leader, how +their school will meet the policy requirements relating to +time, staffing, and implementation. School leaders may +consult with the Director of Health Education in the Office of +Health and Wellness on how their school can meet the +policy requirements. + +B. BPS Policy requires that all students in PreK-12 should +receive health education in line with promotion and +graduation requirements that include a minimum of: +a. The BPS Healthy and Safe Body Unit in elementary +school +b. Two semesters of health education in total grades 6 to +8 +c. A one-semester course of health education in total in +grades 9 to 12. +C. + The National Health Education Standards recommend +i. +Pre-K to grade 2 receive a minimum of 40 hours of +HE each year. +ii. +Grades 3 to 12 receive a minimum of 80 hours of + + +Page 6: +Superintendent’s Circular HWD-03 +Page 6 of 11 + + + +HE each year. +D. Staffing requirements: +a. BPS supports a learning environment in which all +teachers are highly qualified in the subject areas they +teach. Therefore: +i. +In grades K-5, HE instruction must be +implemented by trained teachers who hold an +active and valid teaching license. +ii. +In grades 6-12, HE instruction must be +implemented by trained teachers with an active +and valid health education teaching license. +b. If a school is unable to provide students with HE +instruction from licensed teachers, they should contact +the Office of Health and Wellness for support with +identifying district-approved staffing alternatives. All +HE staffing alternatives should be approved by the +Office of Human Capital, the Office of Health and +Wellness, and the school’s respective instructional +superintendent. Staffing alternatives are only +considered in extenuating circumstances or in +situations that increase opportunities for students. +E. The BPS HE curriculum must meet the following criteria. +The district-endorsed curriculum is: +a. Aligned with the 2023 Massachusetts Comprehensive +Health and Physical Education Framework and 2024 +National Health Education Standards, as well as the +2020 National Sex Education Standards + + +Page 7: +Superintendent’s Circular HWD-03 +Page 7 of 11 + + + +b. Comprehensive, standards-based, and sequential; +teaching a variety of skills and topics in such a way that +student learning and skill development is built upon +with each unit and each year +c. Inclusive of a variety of topics, such as tobacco, alcohol, +and other drug misuse; healthy eating/nutrition; +mental and emotional health; personal health and +wellness; physical activity; safety and injury prevention; +violence and bullying prevention; and comprehensive +sexual health education that is LGBTQ-inclusive +d. Medically accurate and age and developmentally- +appropriate +e. Culturally and linguistically sustaining, including but +not limited to race, gender, sexual orientation, and +cultural identity +f. Modified as needed for students with disabilities and +students who are English Learners +g. +F. District endorsed high quality instructional materials +include the following curricula: CATCH K-8 HE Journeys, +Goodheart-Wilcox Grades 6-12 Essential Health Skills and the +PreK-Grade 12 Rights, Respect, Responsibility curriculum. +G. Student assessments in HE must include graded +competency (i.e. knowledge, skills, practice) and +participation assessments that are reflected on all students’ +report cards. + + +Page 8: +Superintendent’s Circular HWD-03 +Page 8 of 11 + + + +H. Implemented in safe and supportive learning environments +in which all students feel acknowledged, respected, and +valued. +I. Schools should include cross-curricular, interdepartmental +collaborations to enhance the value and meaning of health +education programming, including opportunities for +students to think critically, globally, and inclusively to +develop health literacy to enhance health equity. +a. For example, the school recognizes World Health Day +by organizing a student-led Wellness Day. In +preparation, health education classes explore the social +determinants of health and identify Boston-based +community health resources to enhance personal, +family, and community well-being. Meanwhile, in social +studies, students research global health issues and +create maps or infographics to illustrate how different +regions are impacted by various health challenges, as +well as the role of international organizations in +addressing these issues. In math, students analyze and +compare data from the National YRBS and the Boston +YRBS creating graphs, and interpreting trends using a +strengths-based approach. In computer science, +students design a simple app or website to promote +healthy habits, such as a sleep tracker, a nutrition diary, +or a mental health check-in tool. This interdisciplinary +approach encourages and motivates healthy behaviors +by focusing on positive outcomes. +J. Professional development is an essential component of +effective policy implementation. Therefore, HE teachers will + + +Page 9: +Superintendent’s Circular HWD-03 +Page 9 of 11 + + + +attend relevant professional development opportunities. +a. Schools will support and encourage school personnel +in their professional development. +b. Teachers are expected to stay current in the fields of +health and health education through the review, +analysis, and implementation (when appropriate) of +national, state, and local health policies, procedures +and standards, research in best practice, guidelines +from international, national, and state organizations, +etc. +K. Schools should monitor (or assign another individual to +monitor) relevant student and community information that +can assist in identifying priority areas for health education. +This should include, but not be limited to, district- level +Youth Risk Behavior Survey data, School Health Profiles +data, school-level Health Services Data, and community +public health trends. Data should be used to review and +modify health education programming in order to ensure +that it is meeting the needs of the students. +L. Schools are required by the state to notify +parents/guardians about any curriculum that primarily +involves human sexual education or human sexuality issues, +and permit parents/guardians to exempt their children +without penalty from any portion of that curriculum (see +Superintendent Circular HWD-05: Human Sexual Education +Education - Parent Notification). Schools will engage +families in their child’s health education by providing access +to curricular materials and health-related information. + + +Page 10: +Superintendent’s Circular HWD-03 +Page 10 of 11 + + + +Schools will also encourage students to actively engage +parents/caregivers and other family members in promoting +healthy behaviors. +M. Should schools decide to utilize community partners to +support their health education program, they will refer to +PartnerBPS and consult with the Office of Health and +Wellness to identify the most appropriate community +partners to meet their needs. Community partners can +provide an important aspect of quality health education and +can meaningfully support and enhance programming in +BPS. If a school is using a community partner and/or +supplementary materials and curriculum to teach sexual +health education, the school must consult the Office of +Health and Wellness for vetting and recommendations. +N. The Office of Health and Wellness leads health education for +the district and will support schools by: +a. Vetting health education curriculum, materials, and +resources +b. Providing curriculum training and materials, +professional development, instructional coaching, and +technical assistance +c. Maintaining and enhancing the BPS health education +digital learning library +d. Vetting and managing partnerships to ensure +equitable support of HE education across the district +e. Collaborating to offer family health education +informational workshops and events + + +Page 11: +Superintendent’s Circular HWD-03 +Page 11 of 11 + + + +f. Coordinate with other central office department to +develop health promotions and family events on +specific health topics when applicable and align with +tier II and tier III services and programs provided by +those departments + +We recognize that effectively implementing a comprehensive +skills-based health education program can be challenging. The +Office of Health and Wellness is committed to providing training, +support, and resources to schools and school personnel to help in +the implementation of this policy. + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & Wellness +Department: +Health & Wellness +Mailing +Address: +370 Columbia Rd, Dorchester, MA 02125 +Phone: +617-635-8709 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/HWD-04 Healthy School Environment Policy.txt b/data/data_txt/HWD-04 Healthy School Environment Policy.txt new file mode 100644 index 0000000..c8fa85a --- /dev/null +++ b/data/data_txt/HWD-04 Healthy School Environment Policy.txt @@ -0,0 +1,284 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-04 +Version 01 + + + +HEALTHY SCHOOL ENVIRONMENT POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Approximately 20% of Americans go to school every day, with +many students, teachers, staff, faculty, and administrators in +aging facilities with deteriorating conditions. Meanwhile, studies +have shown that the condition and health of the school building +and grounds directly impacts the productivity and health of its +occupants. High-performance green schools with healthy indoor +air quality, acoustical controls, revitalized schoolyards, and +daylight produce healthier, higher-performing students. A robust +amount of literature is available for identifying best practices, +guidelines, and recommendations for achieving healthy school +environments. — from the Lawrence Berkeley National +Laboratory, to the Environmental Protection Agency, to the +American Federation of Teachers Union. +In addition, the Center for Disease Controls (CDC) Whole School, +Whole Community, Whole Child (WSCC) model states a healthy +and safe physical school environment promotes learning by +ensuring the health and safety of students and staff. +Asthma is one of the leading causes of school absenteeism, and + + +Page 2: +Superintendent’s Circular HWD-04 +Page 2 of 8 + + + +children with asthma are especially vulnerable in buildings that +have evidence of environmental hazards that affect indoor air +quality. The Federal National Heart, Lung, and Blood Institutes +evidence-based guidelines for effective asthma management +recommends reducing exposure to indoor environmental +asthma triggers such as mold, dust mites, pests, pesticides, +hazardous cleaners, and disinfectants, and exposure to +environmental tobacco smoke in indoor environments. +In partnership with the Boston Healthy Homes and Schools +Collaborative (BHHSC) and the Healthy School Environment +Taskforce, Boston Public Schools has implemented many of +these evidence-based guidelines through district policies and +programs (see below). As a result of the revised District Wellness +Policy, school-based Wellness Councils, which are focused on +improving health and wellness of students and staff, will be more +closely involved in maintaining the healthiest level of indoor air +quality and environmental health of their school and school +grounds by working with Facilities Management, outside +partners, and the school community. +Considering that Boston Public Schools is the oldest school +district in the country and home to existing buildings of all ages, +it is critical that sustained resources, innovative programs, and an +ongoing focus be dedicated to designing, upgrading, and +maintaining our school buildings and grounds to fulfill whole- +school health and wellness goals. +POLICY +The Boston Public Schools recognizes that healthy physical +environments are critical to the prevention of asthma and other + + +Page 3: +Superintendent’s Circular HWD-04 +Page 3 of 8 + + + +chronic and infectious diseases that impact learning. The Boston +Public Schools is committed to providing high-performing school +buildings and grounds that are clean, in good repair, have +healthy indoor air quality and water quality, sanitary and +accessible bathrooms, and use resources efficiently. BPS strives +to provide adequate facilities for physical activity that are +accessible and culturally inclusive learning environments that +positively impact the productivity, health, and wellness of all +students and staff. To address environmental risk factors for +chronic and infectious diseases, each school will receive an +Annual Environmental Audit to evaluate health and safety +conditions such as leaks, mold, pests, chemical storage, and +cleanliness. The district shall maintain a Healthy Schools +Taskforce (HST) to promote and raise awareness of the health of +the built environment and ensure continuous improvement of +BPS healthy school environment policies and programs. +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, will comply with +existing federal and state regulations, city ordinances, and +District policies related to promoting and managing healthy +school environments, including but not limited to: +• Indoor air quality +• Green cleaners +• Integrated pest management +• Trash and recycling +• Infection prevention & control +• Tobacco-free environmental policy +• Environmental inspection/audit +• Student safety/health in school shops + + +Page 4: +Superintendent’s Circular HWD-04 +Page 4 of 8 + + + +• BPS water policy +• Laboratories and chemical Inventory “Right to Know” law +• Idling of buses and other motor vehicles on school property +Schools will regularly assess the quality and quantity of BPS +facilities for active transportation, physical activity, and physical +education, including schoolyards, and report maintenance needs +for these facilities. +IMPLEMENTATION, MONITORING & EVALUATION GUIDELINES +The Boston Public Schools and the Boston Public Health +Commission must conduct annual Environmental +Inspection/Audits (audit) to evaluate the health and safety +conditions of each school building and school grounds. The +Facilities Management Department, in partnership with school +leadership, will take action to mitigate critical issues such as +unhealthy indoor air quality, signs of pests, leaks, clutter, mold, +unsatisfactory chemical management, and critical health and +safety repairs. In addition, the audit results, along with best +practices in the Healthy School Environment Resource Toolkit, +shall be used by school principals/heads of school and school- +based Wellness Councils to develop annual environmental health +priorities and goals as part of the school’s Wellness Action Plan. +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, shall comply with +existing city ordinances and District policies related to promoting +and managing healthy school environments. Examples of +relevant and existing healthy school environment policies, for +which school-based Wellness Councils and school staff must +comply, are referenced below: + + +Page 5: +Superintendent’s Circular HWD-04 +Page 5 of 8 + + + +Massachusetts Legislation +o MGL c. 90, s. 16B Idling of a motor vehicle engine on +school property +District Circulars +o BPS Water Access Policy and FMT- 20 Drinking Water +Access Circular +o FMT-07: Chemical Inventory “Right to Know” Law +o FMT-08: BPS Recycling & Zero Waste Policy +o FMT-10: Integrated Pest Management (IPM) +o FMT-11: Green Cleaners Policy +o FMT-13: Respiratory Protection Program +o FMT-14 Hearing Conservation Program +o FMT-15: Annual Environmental Inspection/Audit +Program Conducted by Boston Public Schools/Boston +Public Health Commission (City Ordinance 7.12.1-4) +o FMT-17 Volunteer Projects +o FMT-19 Cleaning and Disinfecting Body Fluid Spills +o FMT-18: Science Safety in Laboratories and Classrooms +o FSE-06: Student Safety / Health in School Shops, +Laboratories and Classrooms +o HWD-04: Healthy School Environments Policy +o HWD-06: Tobacco-Free Environment Policy +o SHS-04: Infection Prevention and Control in School +Settings +o SHS-20: Asthma in Schools +BPS Facilities Department & Boston Public Health +Commission +Boston Public Schools will ensure all schools comply + + +Page 6: +Superintendent’s Circular HWD-04 +Page 6 of 8 + + + +with healthy school environment policies. +The Facilities Management Department and the +Boston Public Health Commission will comply with City +Ordinance (Boston, MA Ordinances, ch. 10 §§ 7-14.1-14.4 +(1996)) by conducting annual environmental +inspection/audits of each school. They will +communicate a school’s results to each school leader, +and publish all results on the BPS website, available for +review by the public. +Upon completion of the audit, Facilities Management +will immediately address critical health and safety +deficiencies by filing a work order with the appropriate +division, and they will incorporate other needed work +at the school sites into the annual budgeting process. +On an ongoing basis, Facilities Management will +provide technical assistance to principals/heads of +school on environmental problems and other building- +related issues. +School leadership and school-based Wellness Councils +School administration and staff must actively +participate in ensuring the school is following district +policies and proactively manage environmental health +issues for the sake of their students and staff. +School principals/heads of school will be responsible for +reviewing their school’s annual Environmental +Audit/Inspection results and other related building +condition resources to develop environmental health +priorities for the school. + + +Page 7: +Superintendent’s Circular HWD-04 +Page 7 of 8 + + + +Administrators will engage in a collaborative planning effort +with their school-based Environmental Committee or +Wellness Council to finalize annual environmental health +priorities, goals, action steps, and evaluation efforts. +The Health and Wellness Department, in partnership with +the Facilities Management Department, will annually assess +all schools' Wellness Action Plans to ensure school leaders +and school-based Wellness Councils are taking active steps +to improve the health and cleanliness of their school +building environment. +Wellness Councils will track the progress of improved school +conditions and evaluate annually what efforts worked best. +Wellness Champions will participate in their school Wellness +Councils. + + + + +Page 8: +Superintendent’s Circular HWD-04 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & +Wellness +Department: +Office of Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-9698 +Fax: +617-635-1502 +Email: +healthandwellness@bostonpublicschools.or +g + + +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave., Dorchester, MA 02125 +Phone: +617-635-9576 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt/HWD-06 Tobacco-Nicotine Policy.txt b/data/data_txt/HWD-06 Tobacco-Nicotine Policy.txt new file mode 100644 index 0000000..f3456f6 --- /dev/null +++ b/data/data_txt/HWD-06 Tobacco-Nicotine Policy.txt @@ -0,0 +1,496 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-06 +Version 01 + + + +TOBACCO AND NICOTINE-FREE ENVIRONMENT +POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +A Tobacco Policy Task Force met during the 2010-2011 school year +to review the BPS smoking policy and develop recommendations +for a comprehensive tobacco policy that addressed all tobacco +products, including e-cigarettes or electronic vapor products for +the Boston Public Schools. Task force members included +representatives from Health Services, Facilities, Health & Wellness +Department, School Safety, teachers, students, parents, and a +high school head of school. The policy was updated again in the +fall of 2019 to remain current with language around electronic +cigarettes and best practices for vaping prevention. +The Tobacco and Nicotine-Free Environment Policy is motivated +by the philosophy that every staff person, student, and visitor +should have the right to breathe clean air in their school and +work environment and that BPS is acutely aware of the serious +health risks associated with the use of tobacco or nicotine +products, both to users and non-users. The policy recognizes that +the use or promotion of tobacco or nicotine products on school + + +Page 2: +Superintendent’s Circular HWD-06 +Page 2 of 14 + + + +grounds and at off-campus school-sponsored events is +detrimental to the health and safety of students, staff, and +visitors. BPS acknowledges that adult staff and visitors serve as +role models for students and embraces its obligation to promote +positive role models in schools, and to provide an environment +for learning and working that is safe, healthy, and free from +unwanted smoke and tobacco or nicotine product use, including +vaping, for students, staff, and visitors. Therefore, a +comprehensive policy was adopted to prohibit the use of any +tobacco or nicotine products. The Boston Public Schools have +prohibited smoking on school property since 1987 when the +School Committee of the City of Boston first adopted a Smoking +Policy. +A Tobacco-Free Environment Policy has been developed to +comply with and extend beyond the Massachusetts Smoke-Free +Workplace Law (M.G.L. c. 270, § 22) and Boston’s Clean Air Works +Workplace Smoking Restrictions Regulation. Furthermore, this +policy has been reinforced by the Education Reform Act of 1993 +and M.G.L. c.71 § 2A. This policy is a part of the District Wellness +Policy (HWD-01) and Healthy School Environment Policy (HWD- +04) and is linked to the Drug and Alcohol Abuse Policy (SHS-01) +and the Boston Public Schools Code of Conduct. Substance use +intervention should be a part of a tiered approach that includes +substance use prevention education for all students as a part of +the comprehensive health education required in HWD-01. +DEFINITIONS +School property: Includes inside and outside both administrative +and school buildings, sidewalks/walkways, parking lots, +playgrounds, fields, school buses and other official vehicles, + + +Page 3: +Superintendent’s Circular HWD-06 +Page 3 of 14 + + + +loading docks, and any other facility under BPS jurisdiction. +Tobacco and nicotine products: Include but are not limited to +cigarettes, cigars, cigarillos (or little cigars), clove cigarettes, loose +tobacco, blunt wrappers, chewing tobacco (chew, dip), or any +other product not mentioned that contains tobacco of any kind. +It also includes any products containing nicotine such as +dissolvable nicotine, electronic cigarettes, nicotine gel, nicotine +water, or any other preparation of tobacco and any product or +formulation of matter containing biologically active amounts of +nicotine that is manufactured, sold, or offered for sale, or +otherwise distributed, with the expectation that the product or +matter will be introduced into the human body. +Tobacco or nicotine paraphernalia: Any device used to aid, +ingest, light, burn, or consume tobacco products, including but +not limited to pipes, rolling papers, lighters, and matches. This +also includes the use of all electronic nicotine delivery systems or +electronic smoking devices, such as e-cigarettes, e-cigars, e- +hookahs, e-pipes, vape pens, and advanced personal vaporizers. +Nicotine replacement products (NRP): Products containing +nicotine as an active ingredient that are intended to help a +person quit smoking and are regulated through the FDA’s Center +for Drug Evaluation and Research. Over-the-counter NRPs are +approved for sale to people 18 years and older. The US Public +Health Service Clinical Practice Guideline on Treating Tobacco +Use and Dependence does not recommend NRP as a component +of pediatric tobacco use interventions. NRPs include skin +patches, chewing gum, and lozenges. Prescription nicotine +replacement therapy is also available; the products are FDA- +approved only for use by adults. Electronic vapor products are + + +Page 4: +Superintendent’s Circular HWD-06 +Page 4 of 14 + + + +not considered FDA-approved nicotine replacement products. +POLICY +BPS students shall not possess, use, consume, display, distribute, +or sell any tobacco or nicotine products or tobacco or nicotine +paraphernalia at any time on school property, at off-campus, +school-sponsored events and extra-curricular activities, within +vehicles located on school property, and within 50 feet of school +property. +BPS staff, administrators, or visitors to BPS shall not use, +consume, display, or sell any tobacco or nicotine products or any +tobacco or nicotine paraphernalia at any time on school property, +at off-campus, school-sponsored events, and extra-curricular +activities, within vehicles located on school property, and within +50 feet of school property. + BPS staff and administrators shall not promote or allow the +promotion of tobacco or nicotine products, tobacco brands, +nicotine brands, or any tobacco or nicotine paraphernalia on +school property, at off-campus, school-sponsored events, and +extra-curricular activities, or within 50 feet of school property. +This includes promotion of any corporate name, trademark, logo, +symbol, motto, selling message, recognizable pattern of colors, or +any other indication of product identification identical or similar +to those used for any brand of tobacco or nicotine product +company, or manufacturer of tobacco or nicotine products +through the use of any gear, bags, clothing, any personal articles, +signs, structures, vehicles, flyers, or any other materials. +BPS will act to enforce this policy and to take appropriate action +against any students, staff, administrators, or visitors who are + + +Page 5: +Superintendent’s Circular HWD-06 +Page 5 of 14 + + + +found to have violated this policy. +BPS staff and administrators will not solicit or accept any +contributions, gifts, money, curricula, or materials from the +electronic cigarette industry, tobacco industry, and tobacco or +nicotine industry, or from any tobacco products shop. This +includes, but is not limited to, donations, monies for scholarships, +advertising, promotions, loans, or support for equipment, +uniforms, and sports and/or training facilities. It shall also be a +violation of this policy to participate in any type of service funded +by any of the industries listed above. +Exceptions/Exemptions: Tobacco and nicotine products, +paraphernalia, devices, or imitation tobacco or nicotine products +may be used for the following: +1. Instructional or work-related activities in Boston Public +Schools if the activity is conducted by a staff member or an +approved visitor and the activity does not include smoking, +vaping, chewing, or otherwise ingesting the product. +2. Use by an adult (18 years and older) of a nicotine +replacement product that has been approved by the US +Food & Drug Administration for sale as a tobacco or nicotine +cessation product, tobacco dependence product, or other +medical purposes and is being marketed and sold solely for +such an approved purpose. + +IIMPLEMENTATION GUIDELINES +A. Policy Owner: The Office of Health & Wellness (Policy +Owner) is responsible for the review and update of the + + +Page 6: +Superintendent’s Circular HWD-06 +Page 6 of 14 + + + +Tobacco Policy. The policy owner will provide policy +communication and implementation support and guidance, +including community resources for cessation and “Tobacco- +Free” signage. +B. Central Office Administration: School superintendents and +operational leaders are responsible for informing school +principals and heads of school about the Tobacco Policy. +[Central office leader] is responsible for informing all central +office department heads, supervisors, and building +administrators about the Tobacco Policy. +C. Building Administrators (i.e., School Principals and +Department Heads): It is the responsibility of building +administrators to ensure compliance with the Tobacco +Policy at all BPS schools and buildings: +1. Supervise the implementation and enforcement of the +policy at the school site. +2. Ensure that “Tobacco-Free” signs in accordance with +the Boston Public Health Commission are prominently +posted throughout the school property. Locations +must include all entrances/exits to buildings (including +basement and loading docks), athletic fields, +playgrounds, school buses/transportation vehicles, +bathrooms, and teacher lounges. If signs are needed, +please contact the Office of Health & Wellness. +3. Ensure that no marketing or promotion of tobacco or +nicotine products, tobacco brands, nicotine brands, or +any tobacco or nicotine paraphernalia occurs on +school property, at off-campus, school-sponsored +events and extra-curricular activities, or within 50 feet + + +Page 7: +Superintendent’s Circular HWD-06 +Page 7 of 14 + + + +of school property, including branding on gear, bags, +clothing, any personal articles, signs, structures, +vehicles, flyers, or any other materials. +4. Ensure that any contributions, gifts, money, curricula, +or materials from the electronic cigarette industry, +tobacco industry, and tobacco or nicotine industry or +from any tobacco products shop are neither solicited +nor accepted. +5. Inform all staff, students, parents, and visitors of their +obligations with respect to the policy. +a. This policy must appear in all student, family, and +staff handbooks. +b. Staff must sign that they have been informed of +the policy. +c. Inform students and employees how to +anonymously report a violation to the Boston +Public Health Commission: 617-534-4718. +d. Communicate this policy to all visitors, which +includes vendors and those contracted to do +work, and those permitted to use the building and +facilities before school, after school, and on the +weekends. +6. Make available information regarding tobacco +smoking and nicotine cessation options for students, +staff, and families. +7. Consider appointing a designee to support the +implementation and enforcement of this policy. +D. Boston Public Health Commission (BPHC): The BPHC is + + +Page 8: +Superintendent’s Circular HWD-06 +Page 8 of 14 + + + +responsible for the implementation of the Workplace +Smoking Restrictions Regulation. The authority to enforce +this regulation is held by the BPHC, its subsidiary programs +or designees; the City of Boston Inspectional Services +Department; the City of Boston Police Department; and the +City of Boston Fire Department. Anyone may anonymously +report a violation to the BPHC. As a result, a school or +department may receive: +1. In the case of a first violation a fine of two hundred +dollars ($200.00). +2. In the case of a second violation, within 24 months of +the first violation, a fine of seven hundred dollars +($700.00). +3. In the case of three or more violations within 24 +months of the second or current violation, a fine of one +thousand dollars ($1000.00) for each violation. +E. School Principals and Heads of School: In accordance with +the Comprehensive Health Education Policy (HWD-03), the +school administration must ensure students are receiving +the minimum health education course requirements and +receiving substance use prevention education in line with +BPS Health Education Frameworks and Student Learning +Outcomes. + +F. BPS Staff: In accordance with state law and local regulation, +all BPS staff are required to follow the Tobacco Policy. The +success of this policy will depend upon the thoughtfulness, +consideration, and cooperation of both tobacco or nicotine +users and non-users. All individuals on school properties + + +Page 9: +Superintendent’s Circular HWD-06 +Page 9 of 14 + + + +share in the responsibility to and enforcement of this policy. +1. Do not use, consume, display, or sell any tobacco or +nicotine products or any tobacco or nicotine +paraphernalia at any time on school property, at off- +campus, school-sponsored events, and extracurricular +activities, within vehicles located on school property, +and within 50 feet of school property. Exemptions are +made for only the following instances: +a. Instructional or work-related activities in Boston +Public Schools if the activity is conducted by a +staff member or an approved visitor and the +activity does not include smoking, vaping, +chewing, or otherwise ingesting the product. +b. Use by an adult (18 years and older) of a nicotine +replacement product that has been approved by +the US Food & Drug Administration for sale as a +tobacco or nicotine cessation product, tobacco +dependence product, or other medical purposes +and is being marketed and sold solely for such an +approved purpose. +2. No marketing or promotion of tobacco or nicotine +products, tobacco brands, nicotine brands, or any +tobacco or nicotine paraphernalia occurs on school +property, at off-campus, school-sponsored events and +extra-curricular activities, or within 50 feet of school +property, including branding on gear, bags, clothing, +any personal articles, signs, structures, vehicles, flyers, +or any other materials. +3. Do not solicit or accept any contributions, gifts, money, + + +Page 10: +Superintendent’s Circular HWD-06 +Page 10 of 14 + + + +curricula, or materials from the electronic cigarette +industry, the tobacco industry, and tobacco or nicotine +industry or from any tobacco products shop. +4. Complaints regarding Tobacco Policy violations should +be directed to building administrators who are +responsible for following recommended disciplinary +guidelines. +5. Anonymous complaints may also be directed to +Boston Public Health Commission (617-534-4718) +where school departments and schools may be +subject to a fine as listed above in section D. +6. Consult the building administrator, school nurse, or +the Boston Public Health Commission for information +regarding tobacco smoking and nicotine cessation. +7. Substance use prevention education to discourage the +use of tobacco and nicotine products shall be included +in comprehensive health education. Staff responsible +for teaching tobacco and nicotine-use prevention +must have adequate training and will participate in +ongoing professional development activities to +effectively deliver the education program as planned. +G. School Nurses are responsible for working with the Health +Services Department to provide local tobacco and nicotine- +use cessation resources at the school buildings. +H. Central Office: Since youth substance use prevention and +intervention must be a part of a multi-tiered approach, the +following central office departments are responsible for +supporting schools in these efforts: +1. Office of Health and Wellness is responsible for + + +Page 11: +Superintendent’s Circular HWD-06 +Page 11 of 14 + + + +providing training, instructional coaching, and +instructional materials for substance use prevention +education as a part of tier one comprehensive health +education. Additionally, the office is responsible for +maintaining health promotion materials and policy +implementation support. +2. The Health Services Department is responsible for +communicating cessation resource information to +school nurses and training on the referral process for +cessation services. +3. School Operations & Safety Division will communicate +alternatives to suspension for students found in +violation of the tobacco policy, including available +workshops and other intervention programs. +VIOLATIONS +Enforcement of this policy will be by school principals/heads of +school, building administrators, and department heads. Penalties +for violation of the Smoke-Free Workplace Law will be enforced +by school officials, the Boston Public Health Commission, and +their agents. It is recommended that building administrators, +principals, and supervisors implement disciplinary measures +consistent with the progressive measures section of the BPS +Code of Conduct: +A. Students found in violation +1. The first violation shall result in one or all of the +following: +a. Confiscation of tobacco or nicotine +products/paraphernalia + + +Page 12: +Superintendent’s Circular HWD-06 +Page 12 of 14 + + + +b. Notifying student’s family of the violation of policy +and state law and recommend that families +contact their primary care physician to discuss +prevention and cessation interventions +c. Meeting with appropriate school staff and the +student’s family +d. Providing student referrals to available cessation +programs +2. The second violation shall result in: +a. Confiscation of tobacco or nicotine +products/paraphernalia +b. Notifying student’s family of the violation of policy +and state law and recommend that families +contact their primary care physician to discuss +prevention and cessation interventions +c. Providing student referrals to available cessation +programs +d. One or more of the following: +i. Meeting with appropriate school staff and +the student’s family +ii. Participation in tobacco and nicotine +education program +3. The third violation shall result in: +a. Confiscation of tobacco or nicotine +products/paraphernalia +b. Meeting with appropriate school staff and the +student’s family +c. Participation in tobacco or nicotine education +program. Failure to participate in the education +program may result in a suspension. +d. One or more of the following: + + +Page 13: +Superintendent’s Circular HWD-06 +Page 13 of 14 + + + +i. Community service +ii. Suspension +B. Staff found in violation +1. Staff who are found to be in violation of this policy will +be subject to discipline up to and including +termination. +2. Department heads and building administrators (such +as principals) shall be responsible for any fines +administered by the Boston Public Health Commission +to the school or department, as outlined in section D. +C. Visitors found in violation +1. Visitors who are observed violating this policy shall be +asked to comply with the Tobacco and Nicotine-Free +Environment Policy. If the visitor fails to comply with +the request, they will be referred to the building +administrator or another district supervisory personnel +available. The supervisor shall decide on further action +that may include a directive to leave school property. +2. Repeated violations may result in a recommendation +to the school principal or building administrator to +prohibit the individual from entering school district +property for a specified time. If they refuse to leave, +school police may be called to have the individual +leave. + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & +Wellness + + +Page 14: +Superintendent’s Circular HWD-06 +Page 14 of 14 + + + +Department: +Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-9698 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-01 Anti-Hazing.txt b/data/data_txt/LGL-01 Anti-Hazing.txt new file mode 100644 index 0000000..3bf3a5b --- /dev/null +++ b/data/data_txt/LGL-01 Anti-Hazing.txt @@ -0,0 +1,320 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-01 +Version 01 + +HAZING LAW +Massachusetts law makes it a crime to engage in hazing +activities. Hazing means any conduct or method of initiation into +any student organization, whether on public or private property, +which willfully or recklessly endangers the physical or mental +health of any student or other person. A copy of the +Commissioner of Elementary and Secondary Education’s advisory +is attached hereto as Attachment 1. +Middle school principals, heads of school, and principals of K-8 +schools should treat hazing as a violation of Section 7.2.5 of the +Code of Conduct with attendant sanctions. They are required by +state law to take the following steps: +1. Distribute a copy of the amended law [Attachment 1] to +each school-based student organization on or before +September 15. +2. Obtain from each such student organization a statement, +signed by a designated officer of the organization, +indicating that: +a. the organization has received a copy of the law. +b. each of its members, plebes, pledges, or applicants +has received a copy of the law. +c. the organization understands and agrees to comply +with the law. + + +Page 2: +Superintendent’s Circular LGL-01 +Page 2 of 11 + +The designated officer's signature should be +witnessed by an adult (i.e., faculty advisor), who +should also sign the statement. These statements +should be retained in the main office. A sample +acknowledgment is attached to this memorandum +as Attachment 2 for your convenience. +3. Distribute a copy of the law to all students in grades 7 +through 12 at least annually. Middle school principals, +heads of school, and principals of K-8 schools must certify +that the school complies with the anti-hazing law to the +Massachusetts Department of Elementary and Secondary +Education on or before October 1, by logging into the +anti-hazing application accessible via MassEdu Gateway. +4. The law also requires anyone who knows that another +person is the victim of hazing to report such an incident +to an appropriate law enforcement official as soon as +possible and provides criminal penalties for failure to do +so. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +By September 15 Building administrators distribute Attachment +1 to all school-based student organizations. +By October 1 +Middle school principals, heads of school, and +principals of K-8 schools certify compliance +with the anti-hazing law to DESE. + + + + +Page 3: +Superintendent’s Circular LGL-01 +Page 3 of 11 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + +Page 4: +Superintendent’s Circular LGL-01 +Page 4 of 11 + +ATTACHMENT 1 + +REMINDER ABOUT MASSACHUSETTS LAW PROHIBITING THE +PRACTICE OF HAZING +School Year 2023-2024 Anti-Hazing Data Collection + +The anti-hazing law, which was enacted in 1985, applies only to +secondary schools in Massachusetts. Please note that a middle +school that has been designated as a secondary school by the +school committee must comply with the anti-hazing law and +regulations. +Under Massachusetts General Laws Chapter 269, Sections 17– +19 and 603 CMR 33.00, all secondary schools, both public and +private, must: +• Adopt anti-hazing policies as part of their disciplinary +policies. +• Distribute copies of the anti-hazing law to all students +enrolled full-time; to all student groups, teams, and +organizations that are part of or are recognized by the +school or are permitted by the school to use its name and +facilities; and to all known unaffiliated student groups, +teams, or organizations. +Every year, secondary school principals/heads of school must: +• Certify that you have read and understood the Anti-Hazing +Policy and that the school has complied with the law by +logging into the new Anti-Hazing application accessible via + + +Page 5: +Superintendent’s Circular LGL-01 +Page 5 of 11 + +MassEdu Gateway at https://gateway.edu.state.ma.us/ +• High school principals/heads of school (or a designee) who +need access should be assigned their school’s Anti-Hazing +user role by their district’s directory administrator. If you +have questions about this, contact your directory +administrator. +• If your school does not have a directory administrator, or if +you need help with your user ID and password, please +contact Nermina Peric at nperic@doe.ma.us. +• The schools must certify with the department on or before +October 1. By November 1, the department must notify the +Attorney General of any school that has not filed a report. +• Collect a signed acknowledgement from a contact person +for each student organization regarding distribution of +information and agreement to comply with the law. The +schools are not required to submit the Student Group Anti- +Hazing Form but should keep the form for their records. +The guidance in this memorandum is intended to ensure that all +public and private secondary schools meet their obligations +under this important law and that students know the rules, +expectations, and consequences regarding hazing. If you need +additional information about the anti-hazing law and secondary +schools' responsibilities, please contact Nermina Peric at 781-338- +3708. + + + + +Page 6: +Superintendent’s Circular LGL-01 +Page 6 of 11 + +MASSACHUSETTS GENERAL LAWS — CHAPTER 269 +C. 269, S.17. Crime of Hazing: Definition: Penalty +Whoever is a principal organizer or participant in the crime of +hazing, as defined herein, shall be punished by a fine of not more +than three thousand dollars or by imprisonment in a house of +correction for not more than one year, or both such fine and +imprisonment. +The term "hazing" as used in this section and in sections eighteen +and nineteen, shall mean any conduct or method of initiation +into any student organization, whether on public or private +property, which willfully or recklessly endangers the physical or +mental health of any student or any other person. Such conduct +shall include whipping, beating, branding, forced calisthenics, +exposure to the weather, forced consumption of any food, liquor, +beverage or drug or other substance, or any other brutal +treatment or forced physical activity which is likely to adversely +affect the physical health or safety of any such student or other +person, or which subjects such student or other person to +extreme mental stress, including extended deprivation of sleep +or rest or extended isolation. +Notwithstanding any other provisions of this section to the +contrary, consent shall not be available as a defense to any +prosecution under this action. Added by St.1985, c.536; amended +by St.1987, c.665. + + + + +Page 7: +Superintendent’s Circular LGL-01 +Page 7 of 11 + +C. 269, S.18. Duty to Report Hazing +Whoever knows that another person is the victim of hazing as +defined in section seventeen and is at the scene of such crime +shall, to the extent that such person can do so without danger or +peril to himself or others, report such crime to an appropriate law +enforcement official as soon as reasonably practicable. Whoever +fails to report such crime shall be punished by a fine or not more +than one thousand dollars. Added by St.1985, c.536; amended by +St.1987, c.665. +C. 269, S.19. Hazing Statutes To Be Provided; Statement of +Compliance and Discipline Policy Required +Each institution of secondary education and each public and +private institution of post-secondary education shall issue to +every student group, student team or student organization which +is part of such institution or is recognized by the institution or +permitted by the institution to use its name or facilities or is +known by the institution to exist as an unaffiliated student group, +student team or student organization, a copy of this section and +sections seventeen and eighteen; provided, however, that an +institution’s compliance with this section’s requirements that an +institution issue copies of this section and sections seventeen +and eighteen to unaffiliated student groups, teams or +organizations shall not constitute evidence of the institution’s +recognition or endorsement of said unaffiliated student groups, +teams or organizations. +Each such group, team or organization shall distribute a copy of +this section and sections seventeen and eighteen to each of its +members, plebes, pledges, or applicants for membership. It shall + + +Page 8: +Superintendent’s Circular LGL-01 +Page 8 of 11 + +be the duty of each such group, team or organization, acting +through its designated officer, to deliver annually, to the +institution an attested acknowledgement stating that such +group, team or organization has received a copy of this section +and said sections seventeen and eighteen, that each of its +members, plebes, pledges or applicants has received a copy of +sections seventeen and eighteen, and that such group, team or +organization understands and agrees to comply with the +provisions of this section and sections seventeen and eighteen. +Each institution of secondary education and each public or +private institution of post-secondary education shall, at least +annually, before or at the start of enrollment, deliver to each +person who enrolls as a full-time student in such institution a +copy of this section and sections seventeen and eighteen. +Each institution of secondary education and each public or +private institution of post-secondary education shall file, at least +annually, a report with the board of higher education and in the +case of secondary schools, the board of education, certifying that +such institution has complied with its responsibility to inform +student groups, teams, or organizations and to notify each full +time student enrolled by it of the provisions of this section and +sections seventeen and eighteen and also certifying that said +institution has adopted a disciplinary policy with regard to the +organizers and participants of hazing, and that such policy has +been set forth with appropriate emphasis in the student +handbook or similar means of communicating the institution's +policies to its students. The board of higher education and, in the +case of secondary institution, the board of education shall +promulgate regulations governing the content and frequency of +such reports, and shall forthwith report to the attorney general + + +Page 9: +Superintendent’s Circular LGL-01 +Page 9 of 11 + +any such institution, which fails to make such report. Added by +St.1985, c.536; amended by St.1987, c.665; St.1998, c. 161 §§ 557, 558. + + +Page 10: +Superintendent’s Circular LGL-01 +Page 10 of 11 + + ATTACHMENT 2 +SAMPLE ANNUAL STATEMENT OF ACKNOWLEDGEMENT FOR +STUDENT GROUPS, TEAMS, AND ORGANIZATIONS +ANTI-HAZING LAW, M.G.L. C. 269, §§ 17-19 + + +To: +Secondary School Principal or Head of School + +On behalf of _____________________________________________________ +(name of student group, team, or organization) +I certify that the _________________________________________________ +(name of student group, team, or organization) +and its members, plebes, pledges, or applicants for membership +have received a copy of An Act Prohibiting the Practice of Hazing, +M.G.L. c. 269, §§ 17-19; and that the + __________________________________________________________________ +(name of student group, team, or organization) +understands and agrees to comply with the law. + + + + +Page 11: +Superintendent’s Circular LGL-01 +Page 11 of 11 + +Date: ____________________________ +Signed: __________________________________________________________ +(Designated Officer) + __________________________________________________________________ +(Printed Name) + +Faculty Advisor or Leader: (for school affiliated group, team, or +organization only) ________________________________________________ + +Date Received by Principal or Designee: __________________________ + + +C: School Files + +Central Office Files + + diff --git a/data/data_txt/LGL-03 Public Record Requests.txt b/data/data_txt/LGL-03 Public Record Requests.txt new file mode 100644 index 0000000..5d32917 --- /dev/null +++ b/data/data_txt/LGL-03 Public Record Requests.txt @@ -0,0 +1,98 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-03 +Version 01 + + +PUBLIC RECORDS REQUESTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +School Department staff members frequently receive requests +from individuals and agencies, asking for information or +documents and cite the Freedom of Information Act (FOIA) or the +Massachusetts Public Records Law as the authority for honoring +their requests. +The Massachusetts Public Records Law, M.G.L. c. 66 §10, provides +that any person has a right to access public records. This right of +access includes the right to inspect, copy or have copies of +records provided upon payment of a reasonable fee. The +Massachusetts General Laws broadly define "public records" as +any books, papers, maps, photographs, electronic storage media, +computer files, digitally stored material, or any other information +regardless of form, which is made or received by employees of +public agencies unless the material falls into one of several +recognized exemptions. Requests for public record information +must be in writing; therefore, you should require that any oral +requests for public record information be placed in writing by the +requestor prior to responding to such a request. Such writing +must be signed, dated, and contain the address of the requestor. + + +Page 2: +Superintendent’s Circular LGL-03 +Page 2 of 3 + + +RECORDS REQUEST +All written public records requests must be sent to the Office of +Legal Advisor or filed through the City of Boston’s public records +request portal. You can access the public records request portal +by visiting https://www.boston.gov/departments/public-records +or clicking the “Public Records Request” link at the bottom of +every page of the boston.gov website. To ensure a prompt +response, use of the City’s public records request portal is the +preferred method for all requests. The Office of Legal Advisor will +review each request to see if it falls within an exception to the +public records law and will coordinate with your office or school +for the search, retrieval, and copying of such information. The law +provides that Boston Public Schools must respond to a request +for public records within ten (10) days of our receipt of such a +request. It is imperative, therefore, that once you receive a public +records request, it is faxed or delivered to the Office of Legal +Advisor. It is also imperative that, if you receive a request from +the Office of Legal Advisor to compile public records, you do so +expeditiously or call the Office of Legal Advisor if you cannot +comply in a timely manner with its request for information. +SUBPOENA +When receiving a subpoena for student records, personnel +records, medical records, or any other document, a copy of the +subpoena must be emailed or delivered immediately to the +Office of Legal Advisor for review. After that, please forward all +responsive records with the original subpoena to the Office of +Legal Advisor. Such a subpoena should be emailed or delivered +even if it is addressed to an individual, rather than the “keeper of +the records.” Witness subpoenas (i.e., a subpoena that seeks + + +Page 3: +Superintendent’s Circular LGL-03 +Page 3 of 3 + + +testimony rather than documents) should also be emailed or +delivered to the Office of Legal Advisor for appropriate +consultation. Please email legal@bostonpublicschools.org. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-04 School Visitor Guidelines.txt b/data/data_txt/LGL-04 School Visitor Guidelines.txt new file mode 100644 index 0000000..b7a6144 --- /dev/null +++ b/data/data_txt/LGL-04 School Visitor Guidelines.txt @@ -0,0 +1,416 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-04 +Version 01 + +SCHOOL VISITOR GUIDELINES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +It is School Committee policy to welcome all parents and other +visitors to our schools and to encourage their active support of +and involvement in the schools. However, considering the +challenges of COVID-19 and to comply with current CDC, DESE, +and district guidelines, we are asking all members of our school +communities to support our effort to limit traffic in our buildings +to only assigned students, BPS staff, BPS facilities contractors, +and approved partners as described below until further notice. +Please see Superintendent Circular SAF-12 School Access +Control. +All permitted visitors, including School Department personnel, +are expected to report to the school main office before going +elsewhere in the building. They will be required to sign in, noting +their name, affiliation, and reason for the visit; and before leaving, +to sign out of the building. Visitors will be required to park in +certain designated spaces or at certain designated times in +school parking lots. All visitors should be informed of these +procedures through such means as is determined by the school. +Occasionally, visitors may disrupt school activities: by behaving +inappropriately; by harassing staff; by shouting; or by insisting on +visiting at inappropriate times. Every effort should be made to + + +Page 2: +Superintendent’s Circular LGL-04 +Page 2 of 13 + + +work with such visitors to inform them of established procedures +in an effort to eliminate future disruptions. When such +disruptions occur, however, the building administrator may issue +the offender a Trespass Warning pursuant to M.G.L. c. 266, § 120. +Attachment A provides an example of such a letter, with +appropriate fields to be filled in by the building administrator. +Such a warning requires the offending party to contact the +building administrator, or a designee, prior to appearing at school +for any school-related matter. Additionally, depending upon the +nature of the inappropriate behavior, a building administrator +may choose to substitute any of the following restrictions in the +third paragraph of Attachment A: +1. The visitor will be required to telephone prior to visiting the +building to inform the building administrator of their intent +in visiting the building. +2. The visitor will be required to be accompanied by the +building administrator or their designee to classrooms. +3. Advance scheduling of consultations with teachers or other +providers will be required. +4. Parents delivering student[s] to school may be required to +leave the student[s] at the front door and not be permitted +to accompany them to the classroom. +This warning should expire at the end of the academic year. As is +noted on the Trespass Warning, it is appealable through the +operational leader. +Additionally, by issuing the Trespass Warning, the building +administrator is placing the disruptive visitor on notice that any +further inappropriate behavior will result in the issuance of a +Trespass Notice. If inappropriate behaviors continue, Attachment + + +Page 3: +Superintendent’s Circular LGL-04 +Page 3 of 13 + + +B provides an example of such a trespass notice, again with fields +to be completed by the building administrator. No Trespass +Notice shall issue, however, without the approval of the +superintendent or designee, which may be sought through the +operational leader, who will contact the Superintendent’s Office. +The Trespass Notice will be effective for one year from the date it +was issued and may, in the reasonable exercise of the building +administrator’s discretion and with the approval of the +superintendent or designee, be renewed thereafter. Failure to +comply with any restriction imposed by the Trespass Notice may +result in the visitor’s arrest and prosecution for criminal trespass. +Like the Trespass Warning, it is appealable at the visitor’s election +through the operational leader. +In instances of extreme behavior, such as assault or battery of an +administrator, faculty member, staff member, or student, a +building administrator with approval of the superintendent or +designee may issue a Trespass Notice without prior issuance of a +Trespass Warning. Attachment C is an example of such a notice. +Such a Trespass Notice as is contained in Attachment C should +be reserved, however, for particularly egregious behavior where +there is a particularized apprehension for the safety or well-being +for a member or members of the school community. Once issued, +or until such time it is vacated, the named visitor is prohibited, +under penalty of law, from entering or using school grounds for +any reason. This Trespass Notice is effective immediately, and its +duration is indefinite. A copy of this notice must be provided to +the Boston Police Department, the Safety Office, and the Office of +Legal Advisor, and maintained in the school’s file. A visitor’s +failure to comply with this notice will result in immediate arrest +and prosecution for trespassing if it is violated. This notice is +likewise appealable through the operational leader. + + +Page 4: +Superintendent’s Circular LGL-04 +Page 4 of 13 + + + +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular LGL-04 +Page 5 of 13 + + +ATTACHMENT A +Re: TRESPASS WARNING PURSUANT TO G. L. c. 266 § 120 +Warning notice of unacceptable conduct that incited a physical +confrontation + +Dear [Visitor name]: +By this letter I am issuing a Trespass Warning pursuant to G. L. c. +266, § 120. As a result of [description of incident] on [date], it is +necessary for [school name] to issue this warning to ensure the +safety of students, school staff, and the immediate community. +To foster and ensure effective teaching and learning, it is +necessary to maintain an environment that is positive and free of +disruption, so that the business of the school may be +appropriately completed. It has been determined that your +presence on [date] seriously disturbed the mental health of +numerous students here at [school name]. Such conduct cannot +be tolerated and does not reflect the type of behaviors we model +for our students. +We ask that you make every effort to avoid coming in or around +the area of [school name] at the arrival or dismissal of school. Any +further incident[s] that disrupts the mental health of other +students by inciting a physical confrontation during the +remainder of this academic year may next result in the issuance +of a formal Trespass Notice under G. L. c. 266, § 120. Failure to +comply with such a Trespass Notice would subject you to +immediate arrest and prosecution for violation of such a trespass +notice. +This action is being taken on behalf of and in the best interest of + + +Page 6: +Superintendent’s Circular LGL-04 +Page 6 of 13 + + +our students, staff, and community. Please contact the school at +[school phone number] if you wish to discuss this warning notice +or seek other assistance. You may also contact the Operational +Leader at [phone number] to discuss the issuance of this +Trespass Warning, including if you dispute the reasons for its +issuance. +Thank you for your cooperation in this matter. +Sincerely, + +[Principal or other responsibility official name] +[Title and school] + +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files + + + + + +Page 7: +Superintendent’s Circular LGL-04 +Page 7 of 13 + + +ATTACHMENT B +Re: TRESPASS NOTICE PURSUANT TO G. L. c. 266, §120, +Requiring that you not enter or use the [school name] property + +Dear [Visitor name]: +As a result of [description of the incident of unacceptable +behavior that prompted a previous warning and the current +notice] at the [school name] on [date of original incident], it is +necessary for me to issue this Trespass Notice pursuant to M.G.L. +c. 266, § 120. Therefore, from the date of this notice and until such +time as it is either vacated or for one calendar year whichever is +first you are not allowed to be present on the premises of the +[school name]. +Despite the warning issued on [date], a copy of which is enclosed, +your behavior continues to disrupt the teaching and learning +process and indeed places our students, staff, and faculty at risk +of harm. +I determined that your behavior on [dates of each incident for +which a warning notice was issued and the current incident +which prompts this Trespass Notice and describe behavior] +seriously disturbed the school environment and the conduct of +school activities and related school business. This cannot be +tolerated and is contrary to the mission of the [school name]. If in +the future you need to address particular school-related matters, +please contact either my designee or me by telephone so that +your concern may be addressed. +By this letter, I am formally notifying you of the Trespass Notice. A + + +Page 8: +Superintendent’s Circular LGL-04 +Page 8 of 13 + + +copy of this notice will be provided to the Boston Police +Department, the Department of Safety Services, Office of Legal +Advisor, the [school name’s] file, and will be sent to you by +regular and certified mail. This trespass notice prohibits you, +under penalty of law, from entering or using the [school name] or +from setting foot on school property for any reason. Failure to +comply with this Trespass Notice shall subject you to immediate +arrest and prosecution for violation of this Trespass Notice. This +notice will be effective for one year from the date it was issued +and may, in the reasonable exercise of my discretion, be renewed +thereafter. If renewed, I will notify you in writing prior to its +renewal. If not renewed, its effect will end one year after its +issuance. +I look forward to working with you in a cooperative manner. +Please contact me at [contact telephone and email] if you wish +to discuss this Trespass Notice or seek other assistance. You may +also contact the operational leader [number of contact person] +to discuss the issuance of this Trespass Notice. You may also +contact the operational leader if you dispute the reasons for +issuing this notice, or if, during the duration of this notice, you +wish to seek to vacate or modify its provisions. +This notice is likewise appealable through the operational leader. + + + + +Page 9: +Superintendent’s Circular LGL-04 +Page 9 of 13 + + +Thank you for your cooperation in this matter. +Sincerely, +[Principal or other responsibility official name] +[Title and school] + +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files + + + + + +Page 10: +Superintendent’s Circular LGL-04 +Page 10 of 13 + + +ATTACHMENT C + +Re: TRESPASS NOTICE, PURSUANT to G. L. c. 266, § 120, +Requiring that you not enter or use the [school name] property + +Dear [Visitor name]: +As a result of [insert detailed description of the incident of +unacceptable behavior] at the [school name] on [date of +incident], it is necessary for me to issue this Trespass Notice, +pursuant to G.L. c. 266, § 120. Therefore, from the date of this +notice, you are not allowed to be present on the premises of the +[name of school]. +I have determined that your behavior on [date of incident] placed +our students, staff, and faculty at risk of harm. Furthermore, your +actions seriously disturbed both the school environment and the +conduct of school activities and school-related business. This +cannot be tolerated. It is contrary to the mission of the [name of +school]. If in the future you have a need to address particular +school-related matters, please contact either my designee or me +by telephone so that your concerns can be addressed. +This letter serves to formally notify you of the Trespass Notice. A +copy of this notice has been provided to the Boston Police +Department, the Superintendent’s Office, the Office of Legal +Advisor, the Office of Safety Services, the [name of school]’s file, +and to you by regular and certified mail. This Trespass Notice +prohibits you, under penalty of law, from entering or using the +[name of school] or from setting foot on school property for any + + +Page 11: +Superintendent’s Circular LGL-04 +Page 11 of 13 + + +reason. Failure to comply with this trespass notice shall subject +you to immediate arrest and prosecution for violation of this +Trespass Notice. This notice will be effective immediately, and its +duration is indefinite. +I look forward to working with you in a cooperative manner. +Please contact me by telephone if you wish to discuss this +Trespass Notice or seek other assistance. You may also contact +the operational leader at [number of contact person] to discuss +the issuance of this Trespass Notice, including if you dispute the +reasons therefore. +Thank you for your cooperation in this matter. + +Sincerely, + +[Principal or other responsibility official name] +[Title and school] +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files +Enclosure [attach copy of incident report if available] + +Guidelines for Visiting the Boston Public Schools +1. Until further notice, parents/guardians and staff from + + +Page 12: +Superintendent’s Circular LGL-04 +Page 12 of 13 + + +partner agencies [except for BPS facilities service +contractors and approved partner agencies, as described +above] will not be allowed in school buildings. +Parents/guardians are asked to drop off and pick up their +students on the exterior of the school building in the area[s] +designated by the school leader/staff. +2. ALL visitors MUST report to the school’s main office and sign +in before going elsewhere in the building, and they must +sign out before leaving. Some schools have a desk near the +main entrance where visitors may sign in and out. However, +if no one is sitting at the desk, the visitor must go to the +main office. +3. All visitors will receive a Visitor’s Pass when they sign in. +They must return it to the office or sign-in desk when they +leave. Please be sure your Visitor’s Pass is visible while you +are in the school or schoolyard. Visitor’s passes will not be +required at Open Houses, Parent Nights or other school- +sponsored events open to the public to the extent those +events are held. +4. For the safety of our students and staff, we will consider that +visitors who do not sign in and cannot show a Visitor’s Pass +are trespassing. A school staff member may ask them to +leave the building and schoolyard. +5. Visitors who want to meet with a teacher or administrator +should contact the school via phone or email to schedule +any discussion or virtual appointments that they would like +to have. +6. Teachers or staff who are expecting a visitor should notify +the office they are expecting a visitor and provide name and +reason prior to the visitor’s arrival. In some cases, a staff + + +Page 13: +Superintendent’s Circular LGL-04 +Page 13 of 13 + + +member may escort the visitor to the meeting place. +7. If a student is sick/injured and needs to be picked up, school +staff will contact the parent/guardian to make +arrangements and escort the student to meet the +authorized adult. +8. It is very disruptive to the classroom for parents to pick up +their children before the regular dismissal time. If this is +necessary, the parent should call the school office in +advance and pick their child up in the location designated +by the school. Parents may not go directly to the classroom +to pick up their child. The school will not release a student to +anyone other than a custodial parent without the parent’s +consent and proper identification. +9. Occasionally, visitors may disrupt school activities by +insisting on visiting classrooms unannounced, harassing +staff, shouting, or using inappropriate language. If such +disruptive behavior continues, the school administrator may +restrict the individual’s visits or deny future access to the +building, schoolyard, or virtual learning environment. +10. Thank you for your cooperation in observing these +guidelines. Be assured that our goal is to create a safe, +secure, and positive learning experience for all our students +and their families. + + diff --git a/data/data_txt/LGL-05 Subpoenas.txt b/data/data_txt/LGL-05 Subpoenas.txt new file mode 100644 index 0000000..e1dfefb --- /dev/null +++ b/data/data_txt/LGL-05 Subpoenas.txt @@ -0,0 +1,48 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-05 +Version 01 + +SUBPOENAS +This circular will remain in effect unless rescinded or suspended +by a subsequent version.. +SUBPOENA: When receiving a subpoena for student records, +personnel records, medical records, or any other document, a +copy of the subpoena must be emailed or delivered +immediately to the Office of Legal Advisor for review. +Subsequent to that, please forward all responsive records with +the original subpoena to the Office of Legal Advisor. Such a +subpoena should be emailed or delivered, even if it is addressed +to an individual, rather than the “keeper of the records.” Witness +subpoenas (i.e., a subpoena that seeks testimony rather than +documents) should also be emailed or delivered to the Office of +Legal Advisor for appropriate consultation. + If sending by email, please email legal@bostonpublicschools.org. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + + + +Page 2: +Superintendent’s Circular LGL-05, 2023-2024 +September 1, 2023 +Page 2 of 2 + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-06 Religious Holy Days.txt b/data/data_txt/LGL-06 Religious Holy Days.txt new file mode 100644 index 0000000..8838629 --- /dev/null +++ b/data/data_txt/LGL-06 Religious Holy Days.txt @@ -0,0 +1,67 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-06 +Version 01 + +RELIGIOUS HOLY DAYS +This circular will remain in effect unless rescinded or suspended +by a subsequent version. + +It is the policy of the Boston Public Schools to make reasonable +efforts to accommodate the religious beliefs of students and +staff. State and federal laws also mandate such reasonable +accommodations. +Massachusetts General Laws, Chapter 151C, Section 2B reads, in +pertinent part, as follows: +“Any student in an educational or vocational training +institution, other than a religious or denominational +educational or vocational training institution, who is unable, +because of [their] religious beliefs, to attend classes or to +participate in any examination, study, or work requirement +on a particular day shall be excused from any such +examination or study or work requirement, and shall be +provided with an opportunity to make up such examination, +study, or work requirement which [they] may have missed +because of such absence on any particular day; provided, +however, that such makeup examination or work shall not +create an unreasonable burden upon such school. No fees of +any kind shall be charged by the institution for making +available to the said student such opportunity. No adverse + + +Page 2: +Superintendent’s Circular LGL-06, 2023-2024 +September 1, 2023 +Page 2 of 2 + +or prejudicial effects shall result to any student because of +[their] availing [themselves] of the provisions of this section.” +To accommodate the religious beliefs of students, all who +observe any holiday because of religious beliefs should be +marked “constructively present” upon submitting a valid note +from a parent or guardian (see Circular ACA-18). In addition, +teachers should refrain from giving tests on these religious +holidays and allow sufficient time for these students to make up +their work before administering tests. + +For more information about this circular, contact: +Name: +Lisa Maki +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +lmaki@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-07 Student Records.txt b/data/data_txt/LGL-07 Student Records.txt new file mode 100644 index 0000000..1edd7cf --- /dev/null +++ b/data/data_txt/LGL-07 Student Records.txt @@ -0,0 +1,718 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-07 +Version 01 + +PRIVACY OF STUDENT INFORMATION AND STUDENT +RECORD PROCEDURES: HOW TO RESPOND TO +STUDENT RECORD REQUESTS IN COMPLIANCE WITH +FERPA AND STATE LAW +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +I. +GENERAL INFORMATION +These student record procedures pertain to all information +maintained by the Boston Public Schools concerning a student in +which he/she may be individually identified. +The student record consists of two parts: the transcript and the +temporary record. +A. +The transcript contains administrative records that +constitute the minimum data necessary to reflect the +student's educational progress and to operate the +educational system. The transcript is limited to the +name, address, and phone number of the student, the +student’s birth date, name, address and phone number +of the custodial parent or guardian, course titles, +grades (or the equivalent when grades are not +applicable), course credit, grade level completed, and +the year completed. The transcript must be retained for +at least sixty (60) years after the student leaves the +school system. + + +Page 2: +Superintendent’s Circular LGL-07 +Page 2 of 21 + +B. +The temporary record is all other student record +information besides the transcript. Temporary record +information may include health information, +disciplinary information, examples of student work, +special education or 504 plan documents, incident +reports, and any other information kept by the school +which identifies the student individually. Duplicates of +an original record do not need to be kept as part of the +temporary record. The temporary record should be +destroyed no later than seven (7) years after the +student leaves the school system, provided proper +notification is given as directed below. +II. +PARENTS (AND STUDENTS) HAVE A LEGAL RIGHT TO +CONTROL ACCESS TO STUDENT INFORMATION +Both federal and state law provide that a parent, and any student +that is 14 or older and/or in grade nine or above, have a legal right +to control access to the student’s educational record. The Family +Educational Rights and Privacy Act (FERPA) and Massachusetts +law define the parent’s/student’s right to access, seek to amend +and exercise control over the disclosure of personally identifiable +information in the student record. The Boston Public Schools is +legally responsible to respect and protect the parent’s/student’s +rights to privacy and control under FERPA and state law. +Violation of these legal rights can subject BPS to sanctions, +including termination of federal funding, and can subject BPS +employees to discipline, up to and including termination. +BPS notifies all students and parents of these rights annually by +means of the “Guide to BPS for Students & Families.” The Guide +for Students & Families identifies the limited types of information +that may be released without consent (see Directory Information +below). By September 30 of each year, parents and students have + + +Page 3: +Superintendent’s Circular LGL-07 +Page 3 of 21 + +a right to inform the school that such information shall not be +released without direct consent. +Schools receive requests for student record information in many +ways and from many different sources. By law, a school’s +response to a request for student records must vary depending +on who is making the request and what is being requested. +Below are descriptions of the main categories of requests that +schools may need to address. If the information below does not +directly describe a situation presented, the school should contact +the Office of Legal Advisor at legal@bostonpublicschools.org for +more direction. +III. +REQUESTS AND CONSENT BY PARENT/STUDENT +When a parent or student seeks to access, amend or consent to +sharing of student records, the following definitions will aid you +in understanding and complying with applicable law. +• A parent is the student’s natural parent, a guardian, or an +individual acting as a parent in the absence of a parent or +guardian. +• A custodial parent is any parent with whom a child +resides, whether permanently or for periods of time, and +who supervises the child. +• A non-custodial parent is any parent who does not have +physical custody of the child and who does not reside +with or supervise the child, even for short periods of time, +by court order. +• An eligible student is a student who is at least 14 years of +age and/or has entered the ninth grade. + + + + +Page 4: +Superintendent’s Circular LGL-07 +Page 4 of 21 + +A. Request to Inspect/Copy Records +1. Custodial Parents and Eligible Student. A custodial +parent, and/or an eligible student have a right to +inspect all portions of the student record upon +request. The record will be made available to the +custodial parent and/or eligible student no later +than ten (10) days after the request. The custodial +parent and/or eligible student have the right to +receive copies of any part of the record. In addition, +the custodial parent and/or eligible student may +request to have parts of the record interpreted by a +qualified professional of the school or may invite +anyone else of their choosing to inspect or interpret +the record with them. Please see Attachment 1 for +the process of fulfilling a custodial parent’s or +eligible student’s request for the student record. +2. Non-Custodial Parents. Non-custodial parents must +be given access to their children’s student records, +unless the school has been given written +documentation that establishes either: +a. The non-custodial parent has been denied legal +custody by a court based upon a threat to the +student or to the custodial parent. +b. The non-custodial parent has been denied +visitation or has supervised visitation. +c. Access to the student or to the custodial parent +has been restricted by a court-issued protective +order against the non-custodial parent, +provided such protective order does not +specifically allow access to student record +information. + + +Page 5: +Superintendent’s Circular LGL-07 +Page 5 of 21 + +d. There is an order of a probate and family court +judge which prohibits distribution of student +records to the non-custodial parent. +A school that receives a request for student record +information from a non-custodial parent should send +a copy of the notification attached as Attachment 2, +via certified and first-class mail, to the custodial +parent prior to providing student records to the non- +custodial parent. The notification must be in English +and the primary language of the custodial parent. If +no documentation related to any of the four (4) +scenarios above is received within 21 days, the records +must be provided to the non-custodial parent. If +documentation related to any of the four (4) scenarios +above is received within 21 days, it must be kept in the +student record and the non-custodial parent must be +notified, via certified and first class mail, of the reason +for denial of access. +B. Request to Amend Student Record +The custodial parent and/or eligible student have the +right to add relevant comments, information, or other +written materials to the student record. In addition, the +custodial parent and/or eligible student have the right to +make a written request that information in the record be +amended or deleted, except information created by a +special education team, which may not be amended or +deleted until after acceptance of the individualized +education plan or completion of the appeals process. +The custodial parent and/or eligible student have a right +to a conference with the school principal to make their +objections known. Within one week after the + + +Page 6: +Superintendent’s Circular LGL-07 +Page 6 of 21 + +conference, the principal must render a decision in +writing. If the custodial parent and/or eligible student +are not satisfied with the decision, it may be appealed to +the operational leader. +C. Consent to Share Student Information +The custodial parent and/or eligible student have the +legal right to consent to sharing of the student record +with any person or entity they choose. A school should +use Attachment 4 to document the custodial parent’s +and/or eligible student’s specific, informed, written +consent and include the signed consent in the student +record. +Except as specifically noted below, no individuals or +organizations other than the custodial parent, eligible +student, and authorized school personnel are allowed to +have access to information in the student record without +the specific, informed, written consent of the custodial +parent or the eligible student. +IV. +THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING +INFORMATION: CONSENT NOT REQUIRED OR ASSUMED BY +OPERATION OF LAW +A. +Subpoenaed Records. Boston Public Schools will +produce documents requested in court orders or +lawfully issued subpoenas. Such requests should be +emailed immediately to the Office of Legal Advisor. All +records sought by the court order or subpoena should +be forwarded via courier mail or hand delivery as soon +as possible. Attachment 3 should be completed and +used to notify the parent and/or eligible student that +subpoenaed information will be provided absent + + +Page 7: +Superintendent’s Circular LGL-07 +Page 7 of 21 + +further court order. +B. +Authorized School Personnel. Authorized school +personnel (those providing direct services to the +student, administrative staff whose duties require +them to access the student record, and an evaluation +team that evaluates a student) shall have access to the +student’s school record when such access is required in +the performance of their official duties. +C. +Directory Information. Unless the parent or eligible +student has previously indicated in writing their +disapproval of the release of such information, the +school may release the following directory information: +student’s name, age, grade level, and dates of +enrollment. BPS notifies students and parents +annually of the types of information that will be +released by means of the “Guide to BPS for Students & +Families,” and allows custodial parents and students +until September 30 of each year to inform BPS that +such information will not be released without prior +consent. +D. +Military Recruiters and Higher Education Institutions. +Unless a parent or student has previously objected in +writing in response to notification through the +publication of the “Guide to BPS for Students & +Families,” military recruiters and institutions of higher +education must be provided, upon written request, +with the names, addresses and telephone numbers of +secondary school students. All requests by military +recruiters for such information must be forwarded to +the Office of Legal Advisor for centralized processing. +E. +Specified State Agencies and Local Authorities. A + + +Page 8: +Superintendent’s Circular LGL-07 +Page 8 of 21 + +school may release student record information without +prior written consent to the following agencies when +acting in their official capacities: Department of +Children and Families, Department of Youth Services, a +probation officer, or a justice of the court. Attachment +3 should be used to notify parents of such requests. +F. +Schools. When a student seeks or intends to transfer to +another school, the student record can be sent to the +receiving school. +G. +School Nurses and State Health Department. School +nurses and local and state health department officials +may have access to student health record information +when such access is required in the performance of +their official duties. For further information related to +student health information, please consult +Superintendent’s Circular LGL-16, Student Health +Information. +H. +Health or Safety Emergency. Without the consent of +the parent or eligible student, a school may disclose +information regarding a student to appropriate parties +in connection with a health or safety emergency if +knowledge of the information is necessary to protect +the health or safety of the student or individuals and if +the appropriate procedure has been followed. That +does not mean that anyone who asks, and who thinks +something is amiss or might happen, has a right to +access personally identifiable student information. +Required criteria: The regulations implementing +FERPA (34 CFR § 99.36) requires that each of the +following criteria be met: +a. +The request is made “in connection with an + + +Page 9: +Superintendent’s Circular LGL-07 +Page 9 of 21 + +emergency.” +i. “Emergency” means the request must be +related to an actual, impending, or imminent +emergency. +ii. BPS requires that a school consider the +following criteria to determine whether the +request is made in connection with an +emergency: +• The seriousness of the threat to the health +or safety of the student or others +• The need for the information to meet the +threat +• Whether the requestor is able to deal with +the emergency +• The extent to which time is of the essence +in dealing with the emergency. +iii. Any release of records is limited to the period +of the emergency; if the emergency is over no +further release of student information is +allowed. +b. +There is an articulable and significant threat to +the health or safety of the student or other +individuals. +c. +The requester (usually law enforcement, public +health officials, and medical professionals) needs +the information to protect the health or safety of +the student or other individuals. +d. +No blanket release of personally identifiable +information is allowed. Any release of + + +Page 10: +Superintendent’s Circular LGL-07 +Page 10 of 21 + +information must be narrowly tailored +considering the immediacy, magnitude, and +specificity of the threat. +e. +The determination is made on a case-by-case +basis, considering the totality of the +circumstances pertaining to the threat to the +health or safety of the student or others. +f. +Within a reasonable time after making the +disclosure, the school must record in the +student’s record the articulable and significant +threat that formed the basis for the disclosure, +and to whom the information was disclosed. +V. +THIRD PARTY REQUESTS FOR PUBLIC RECORDS +CONTAINING ONLY REDACTED AND/OR NON-STUDENT- +IDENTIFYING INFORMATION +Upon receipt of a third-party request for public records, the +school should immediately send a copy of the request via +email to the Office of Legal Advisor for review and direction. +All public records requests must be reduced to writing, +dated, and signed by the requestor, and must contain the +return address information of the requestor. For more +information, see Superintendent’s Circular LGL-3, Public +Records Requests. +VI. +DESTRUCTION OF STUDENT RECORDS +The law sets forth different time periods for the retention +and destruction of different portions of student records. +These different time periods are set forth below: +A. Transcripts - A student’s transcript must be maintained +by the school department for sixty (60) years following + + +Page 11: +Superintendent’s Circular LGL-07 +Page 11 of 21 + +the student’s graduation, transfer, or withdrawal from +the school system. +B. Periodic Review of the Temporary Record - While a +student is enrolled in a school, the principal/head of +school or his/her designee shall periodically review all +students’ temporary records and identify for destruction +any misleading, outdated, or irrelevant information. This +may include, particularly, exemplars of student work or +other impertinent information. Prior to destroying any +such information, however, the student and his/her +parent must be given written notification of the school’s +intent to destroy such information and must be given the +opportunity to receive the information or a copy of the +information prior to its destruction. +C. Temporary Record Destruction - The temporary record +of any student may be destroyed no later than seven (7) +years after the student transfers, graduates or withdraws +from the school district, if the student and his/her +parent/guardian have been given written notification +that includes the approximate date of destruction of the +temporary record and indicating their right to receive the +information in whole or in part at the time of the +student’s graduation, transfer or withdrawal from the +school system or prior to its destruction. Such notice +must be in addition to the annual notice issued by +Boston Public Schools in the “Guide to BPS For Students +& Families.” + + + + + +Page 12: +Superintendent’s Circular LGL-07 +Page 12 of 21 + + +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 13: +Superintendent’s Circular LGL-07 +Page 13 of 21 + +ATTACHMENT 1 +STUDENT RECORD REQUEST PROCEDURES +1. Parent/guardian or eligible student requests for the student’s +record are received, processed, and sent to the requestor +directly by the school. Third-party requests are received by the +Office of Legal Advisor, processed by the school, and then sent +back to the Office of Legal Advisor for transmission to the +requester. +2. The principal/head of school will be responsible for certifying +that all portions of the student record have been copied as a +response to the requestor. The principal/head of school will +complete the checklist and certification. If the request is being +sent to the parent, the certification will include the date sent to +the parent. A copy of the checklist will be sent with the record, +and the original will be retained by the school. +3. For third party requests, the principal/head of school will +complete the same process but provide the copy of the entire +record and the checklist to the Office of Legal Advisor for +review and delivery. +4. Requests received during the summer months: By June 1 of +each year, principals must identify who to contact for each +week of the summer break and provide that list to the school +superintendent. The designated individual will check for +incoming mail and for parent/guardian or eligible student +requests, will obtain the records (copy and/or print), complete +the checklist, and deliver them to the requester. In the event +of a third-party request, the same protocol will be followed but +the designated individual will send the record and the +completed checklist to the Office of Legal Advisor. + + +Page 14: +Superintendent’s Circular LGL-07 +Page 14 of 21 + +ATTACHMENT 2 +NOTICE OF NON-CUSTODIAL PARENT REQUEST +FOR STUDENT RECORDS +VIA REGISTERED MAIL AND FIRST CLASS MAIL + +Dear Custodial Parent of ________________________________________ : +This is to notify you that a request from __________________________ +was received on_____________ for the following parts of your +child’s student record: ___________________________________________. +In accordance with federal and Massachusetts law, non-custodial +parents must be given access to their children’s student records, +unless the school has been given written documentation that +establishes either: +1. The non-custodial parent was denied legal custody by court +order based upon a threat to the student or to the custodial +parent; +2. The non-custodial parent has been denied visitation or has +supervised visitation; +3. Access to the student or to the custodial parent has been +restricted by a court-issued protective order against the non- +custodial parent, provided such protective order does not +specifically allow access to student record information; or +4. There is an order of a probate and family court judge which +prohibits distribution of student records to the non-custodial +parent. + + + +Page 15: +Superintendent’s Circular LGL-07 +Page 15 of 21 + +The requested records will be released on _______________, unless +the documentation indicated in the paragraph above has been +received by the Building Administrator of the School. If you have +any questions, you may contact + +_____________________________________ at _________________________ . +Sincerely, + + __________________________________________________________________ +Signature of Principal or Other Authorized School Employee + +Date: _________________________ + +NOTE: THIS NOTICE MUST BE SENT IN BOTH ENGLISH AND THE +PRIMARY LANGUAGE OF THE CUSTODIAL PARENT. + + +Page 16: +Superintendent’s Circular LGL-07 +Page 16 of 21 + +ATTACHMENT 3 +NOTICE OF DISSEMINATION OF STUDENT RECORD TO THIRD +PARTIES FOR WHICH CONSENT IS NOT REQUIRED OR IS +ASSUMED BY OPERATION OF LAW + +Dear ____________________________________________: +This is to notify you that a: + subpoena + request from a justice + other (specify) _______________________________________________ +has been received for the following parts of your/your child's +student record: + __________________________________________________________________ + __________________________________________________________________ +The Massachusetts regulations pertaining to student records +state that the school system must comply with the above +request, but that this notification must be provided to you prior +to the release of the records. In the case of a subpoena, court +order, or request from a probation officer or the Department of +Youth Services, you have the right to attempt to have the +subpoena, order or request stopped by a court. + + + + +Page 17: +Superintendent’s Circular LGL-07 +Page 17 of 21 + +The records will be released on _________________________________ . +If you have any questions, you may contact +___________________________________ at ____________________________ . +Sincerely yours, + __________________________________________________________________ +Signature of Principal or Other Authorized School Employee +Date:_____________________________ + +NOTE: This notice must be sent in both English and the primary +language of the custodial parent. + + + + +Page 18: +Superintendent’s Circular LGL-07 +Page 18 of 21 + +ATTACHMENT 4 +PARENT’S OR STUDENT’S CONSENT FOR DISSEMINATION OF +STUDENT RECORD TO THIRD PARTY +My name is _____________________________________________. I am: + the parent/guardian of a BPS student named: + _____________________________________________________________ + a BPS student age 14 or over and in at least ninth grade. +I give permission for the following third parties to + inspect + secure a copy of +the parts of my/my child's student record noted below. +THIRD PARTIES: + __________________________________________________________________ + __________________________________________________________________ +REASONS FOR RELEASE OF RECORDS: + __________________________________________________________________ + __________________________________________________________________ + + + + +Page 19: +Superintendent’s Circular LGL-07 +Page 19 of 21 + +Parts of Record to be Released* +Permission +Granted +Permission +Denied +Transcript information (includes +identifying information, course titles, +grades or their equivalent, and grade +level completed) + + +Disciplinary record + + +Extracurricular activities + + +Teacher and counselor evaluations +and comments + + +Attendance record + + +Other (specify): + + + + + __________________________________________________________________ +**Signature of eligible student or parent/guardian +Student's Class:_____________________________Date_________________ +* Before seeking the parent's or eligible student's consent, the +school should cross out those items which have not been +requested by the third party. +** This form may be signed by a student or former student of 14 +years of age or older, or a student in the ninth grade or above, +or a custodial parent or guardian. + + + + +Page 20: +Superintendent’s Circular LGL-07 +Page 20 of 21 + +ATTACHMENT 5 +CHECKLIST FOR RETRIEVAL OF COMPLETE STUDENT RECORD + +YES N/A +Print electronic student file from ASPEN, +SNAP and EDPLAN +▢ +▢ + +Transcript information (includes identifying +information, course titles, grades or equivalent, and +grade level completed) +▢ +▢ +Disciplinary record +▢ +▢ +Nursing record +▢ +▢ + +Special education record +▢ +▢ +ELL file +▢ +▢ +Attendance records +▢ +▢ +Physical restraint records +▢ +▢ +Counseling records +▢ +▢ +Correction of student record +▢ +▢ +Other (specify): _______________________________________ ▢ +▢ +➤ The school should cross out those items which have not been +requested. + + + + + +Page 21: +Superintendent’s Circular LGL-07 +Page 21 of 21 + +Attachment 5, continued +CERTIFICATION +I, __________________________________________(Principal/School +Leader) of _______________________________________________________ +School, certify that to the best of my knowledge, all of the +components of the student record that are requested, applicable +to this student, and maintained by the school or on an electronic +BPS system have been copied and delivered to the requestor, +Name ___________________________________________________________ , +on [date]______________________. +________________________________________________ +Signature + + diff --git a/data/data_txt/LGL-08 Adherence to Court Orders.txt b/data/data_txt/LGL-08 Adherence to Court Orders.txt new file mode 100644 index 0000000..cd7e3e4 --- /dev/null +++ b/data/data_txt/LGL-08 Adherence to Court Orders.txt @@ -0,0 +1,48 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-08 +Version 01 + +ADHERENCE TO COURT ORDERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this memorandum is to remind Boston Public +Schools staff of the need to continue to adhere to the court +orders entered against the District by courts of federal, state, and +local jurisdiction. Such orders have the force of law and are +binding on the District. Therefore, it is the responsibility of +administrators and staff of the Boston Public Schools to comply +with the terms of such orders. +Additionally, an order by an arbitrator or state agency may also +require compliance. Heads of school, principals, and other +administrators may contact the Office of Legal Advisor with +questions regarding adherence to court orders or the provisions +of any order. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + + + +Page 2: +Superintendent’s Circular #LGL-08, 2019-2020 +[Date] +Page 2 of 2 + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-09 Political Activity by Public Employees.txt b/data/data_txt/LGL-09 Political Activity by Public Employees.txt new file mode 100644 index 0000000..24cd34e --- /dev/null +++ b/data/data_txt/LGL-09 Political Activity by Public Employees.txt @@ -0,0 +1,185 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-09 +Version 01 + +POLITICAL ACTIVITY BY PUBLIC EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Public employees have most of the same rights as other citizens +to engage in private political activity. However, the conflict of +interest law, M.G.L. c. 268A, restricts some political activity of +public employees. In addition, the campaign finance law, M.G.L. +c. 55, restricts public employees’ political fundraising. +PROHIBITED ACTIVITY +The following restrictions are imposed by law on public +employees and volunteers with respect to their participation in +political activity whether on the local, state, or federal level. +1. Participation in Political Activity +• “Political activity” includes, but is not limited to, any activity +that is in support of or in opposition to a federal, state, or +local candidate or political party or a state or local ballot +question. +• In general, a public employee may not use their public +position to engage in political activity. +• Public employees may not participate in political activity: +o during their usual business hours +o while acting in an official capacity or while in official + + +Page 2: +Superintendent’s Circular LGL-09 +Page 2 of 6 + +uniform +o with the use of other public facilities or property and +resources, such as staff time, public office space and +facilities, public office equipment such as telephones +and other communications equipment, computers, +copiers, public websites and links to public websites, or +public office supplies such as official stationery +• Partisan political and campaign activity may be conducted +by an employee only during non-business hours, including +usual lunch hour, vacation time, personal time, or during a +leave of absence without pay. +2. Prohibitions Against Public Employees Soliciting Political +Contributions +It is a violation of state law for a public employee directly or +indirectly to solicit or receive any contributions or anything of +value for any political purpose, at any time — during both +working and non-working hours. +No person employed for compensation, other than an elected +officer, by the commonwealth or any county, city or town shall +directly or indirectly solicit or receive any gift, payment, +contribution, assessment, subscription, or promise of money or +other thing of value for the political campaign purposes of any +candidate for public office or of any political committee, or for +any political purpose whatever (Mass. G.L. c. 55, Section 13, +emphasis added). +The principles supporting this prohibition — primarily to insulate +public employees from inappropriate political pressures and in +turn to ensure that employees do not use their public positions + + +Page 3: +Superintendent’s Circular LGL-09 +Page 3 of 6 + +for personal or political gain — are important and must be +strongly protected. +This prohibition includes both direct and indirect solicitation: +• A public employee may not ask any individual for a +contribution on behalf of a political candidate or committee. +• A public employee may not encourage an individual to +contribute to a candidate for public or political office or to a +political committee or sign a fundraising letter or +advertisement on behalf of a candidate or political +fundraising event. +• A public employee may not sponsor or allow the use of their +name on an invitation to a fundraising event or on a political +fundraising request. +• A public employee may not serve as a host or sponsor of a +political fundraising event. +• A public employee may not distribute or sell tickets to +political fundraising events. +It should be noted that Mass. G.L. c. 55, Section 7A, does permit +public employees, as individuals, to make financial contributions +to political campaigns. +3. Solicitation In a Public Building +No one may solicit a political contribution in a public building. +Solicitations include requests for, or receipt of, a contribution and +the distribution of fundraising letters or tickets. Any public +employee convicted of such solicitation of funds may be removed +from employment without a hearing (Mass. G.L. c. 55, Section 14). + + +Page 4: +Superintendent’s Circular LGL-09 +Page 4 of 6 + +4. Public Employees Seeking Elective Office +Public employees seeking elective office may not solicit political +contributions either directly or indirectly. +Any of the prohibitions against solicitation, which apply to public +employees, in general also apply to a public employee who is +themself a candidate for political office. Moreover, there are +other restrictions which apply: +• A public employee seeking office may attend an event held +on their behalf by a non-elected committee, but may not +encourage contributions, directly or indirectly. +• A public employee seeking public office may not give +permission to have their name appear on such invitation as +the one who encourages contributions by an individual. +PERMITTED ACTIVITY +In general, public employees of all types may engage in private +political activity, subject to the restrictions on political +fundraising imposed by G.L. c. 55. The conflict of interest law +does not prohibit a public employee from engaging in political +activity on their own time, using their own or other private +resources, and when they are acting as an individual and not as +an agent or representative of anyone else. +INFORMATION +• Elected and Policy-Making Officials: The restrictions on +public employee political activity are not the same for all +public positions. Elected officials may engage in more +political activity than appointed officials and +employees. Public employees who hold policy-making + + +Page 5: +Superintendent’s Circular LGL-09 +Page 5 of 6 + +positions have more leeway to make public statements and +to take official action on political issues than do non- +policymakers. Employees are encouraged to contact the +Office of Legal Advisor with questions. +• Campaign Finance: Employees seeking information on +particular questions are encouraged to call the +Massachusetts Office of Campaign and Political Finance +(OCPF). +• Conflict of Interest: Employees may refer to State Ethics +Commission’s Advisory No. 11-1, entitled “Public Employee +Political Activity,” a copy of which can be obtained by +clicking this link: +State Ethics Commission Advisory 11-1: Public Employee +Political Activity | Mass.gov +For information on campaign contributions and expenditures, +please see G.L. c. 55. +ENFORCEMENT +The City intends to ensure that the legal restrictions on political +activity by public employees are fully enforced. This bulletin +should serve as notice to public employees of the City of such +restrictions and their implications. + + + + + +Page 6: +Superintendent’s Circular LGL-09 +Page 6 of 6 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-10 Military Recruiters.txt b/data/data_txt/LGL-10 Military Recruiters.txt new file mode 100644 index 0000000..453c261 --- /dev/null +++ b/data/data_txt/LGL-10 Military Recruiters.txt @@ -0,0 +1,88 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-10 +Version 01 + +MILITARY RECRUITERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The purpose of this circular is to provide clarification on the law +requiring the release of student information and access to +students at the high school level by military recruiters. +Federal legislation requires that a local educational agency (LEA) +which receives federal funds release the names, addresses, and +telephone listings of secondary students (grade 9 and above) to +military recruiters and institutions of higher education. The Every +Student Succeeds Act (ESSA) contains similar language +concerning this obligation. +The release of student names, addresses, and telephone listings +to military recruiters and institutions of higher education requires +that LEAs provide parents and guardians with prior notification. +Such notification is provided by the Boston Public Schools in the +Guide to the Boston Public Schools for Students and Families +(“Policy Handbook”). As noted, a parent/guardian may request +that this information not be released without giving the +parent/guardian prior notification. Accordingly, copies of all such +requests by parents/guardians should be in writing and should +be on file in the school’s office. A copy of these signed requests +or a master list of these student names and student numbers + + +Page 2: +Superintendent’s Circular LGL-10 +Page 2 of 3 + +must be forwarded by October 15 by the head of school to the +Office of Data & Accountability. +If military recruiters contact a high school requesting a master +list of student names and addresses, the recruiter should be +asked to make the request directly to the Office of Data & +Accountability. +A second provision of the law authorizes direct access to high +school students by military recruiters. Usually, this access is in the +form of a request to make space available in the school for a +military recruiter to distribute literature and to speak with or +address interested students. The act requires that recruiters be +given the same access to your students as you provide generally +to post-secondary educational institutions or to prospective +employers. Please review your practices to assure that +henceforth all three (i.e., business, higher education, and military +recruiters) have the same access. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +By October 15 +Heads of school forward to the Office of Data & +Accountability the list of students whose +names should not be given to military +recruiters. + + + +Page 3: +Superintendent’s Circular LGL-10 +Page 3 of 3 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.txt b/data/data_txt/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.txt new file mode 100644 index 0000000..95f4eca --- /dev/null +++ b/data/data_txt/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.txt @@ -0,0 +1,127 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-14 +Version 01 + +GATHERINGS ON SCHOOL GROUNDS AND +DISTRIBUTION OF MATERIALS IN SCHOOLS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +It is permissible for schools to regulate the time, place, and +manner of any demonstration to avoid disruption of classes or +the orderly entrance and departure of students into and out of +the building. Accordingly, principals and heads of school are +advised that gatherings of three (3) or more people or +distribution of leaflets shall be regulated as follows: +1. All gatherings or demonstrations should be viewed as a +legal expression of First Amendment rights. If a building +administrator questions whether the material being +distributed is protected by First Amendment rights, the +Office of the Legal Advisor should be contacted immediately +at 617-635-9320. +2. All gatherings or demonstrations shall not disrupt school +classes or the orderly entrance and departure of students +into and out of the school building. +3. The Students’ Freedom of Expression Law (G.L. c. 71, §82) +permits students to plan peaceable assemblies on school +property for the purpose of expressing their opinions. +Building administrators may designate the time and place + + +Page 2: +Superintendent’s Circular LGL-14 +Page 2 of 4 + +for such demonstrations to avoid disruption of classes and +disorder in the school. +4. All other gatherings or demonstrations which are not +planned by students shall be restricted to areas off school +property and in such areas as not to restrict the flow of +traffic and school buses. The building administrator may +designate such areas. +5. All gatherings or demonstrations shall be reported to the +Boston Police Department (at 911), the operational leader, +and the Department of Safety Services as soon as possible +after the gathering and/or demonstration is organized. +6. Gatherings in school buildings may be limited if school is +being conducted remotely. Any in-person gatherings or +demonstrations will comply with public health guidelines +including those that mandate group size limits, physical +distancing, and the wearing of masks, as well as BPS policies +regarding access to buildings. +7. Materials and/or announcements of a public interest nature +must be submitted to the administrator in charge two +school days (at least 48 hours) prior to distribution for review +and approval in order to be distributed in a school or a +school-sponsored forum. In addition, there should be no +cost accrued by the BPS in the distribution of +materials/announcements requested by external +organizations. The following materials shall be prohibited +from circulation in schools or school-sponsored forums: +• Advertisements of for-profit and political organizations +and/or events sponsored by said organizations (including +political and commercial flyers) + + +Page 3: +Superintendent’s Circular LGL-14 +Page 3 of 4 + +• Materials including those promoting anything illegal or +immoral and/or are otherwise pervasively indecent or +vulgar +• Materials which include false and/or misleading +information and/or which interfere with the proper and +orderly operation and discipline of the school +8. Requests for collections and donations, which do not have +the authorization of the School Department, shall be +prohibited. +9. The sale of merchandise, products, etc. by a recognized +school/parent organization may be authorized with the prior +approval of a building administrator. +10. The sale and/or promotion of merchandise, products, etc. by +an external organization/agency will not be authorized +unless the proceeds are used for the support of educational +programs and prior approval has been given. +11. The sale of lottery tickets and/or other games of chance +shall be prohibited. +12. Distribution process: +• Outside groups’ literature should not be distributed to +students during instructional time and, if possible, should +not be intermingled with official school notices, but may +be posted on a bulletin board used for such materials. +• Students should not be compelled to take home or read +any outside group’s literature. +• School newsletters and notices to parents may not recruit +members for outside groups. + + + +Page 4: +Superintendent’s Circular LGL-14 +Page 4 of 4 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/LGL-15 Student Surveys.txt b/data/data_txt/LGL-15 Student Surveys.txt new file mode 100644 index 0000000..cbc9214 --- /dev/null +++ b/data/data_txt/LGL-15 Student Surveys.txt @@ -0,0 +1,65 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-15 +Version 01 + +STUDENT SURVEYS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +A federal statute, the Protection of Pupil Rights Amendment +(PPRA), 20 U.S.C. §1232h, affords some protections for students +and their parents before certain student surveys are conducted. +Many student surveys, however, will not come within the scope of +this statute. Please assess each student survey carefully before +administering it to determine if this policy applies. A student +survey that is anonymous or voluntary need not comply with the +following policy. Additionally, a student survey that is not +developed or administered through the use of funds received +from the United States Department of Education also does not +need to comply with this policy. +For those student surveys that are developed or administered +through the use of federal education funds and in which a +student is required to participate, the following policy applies. +This policy applies to those surveys that ask a student to reveal +any of the following information: political affiliation; mental +illness or psychological problems; sexual behavior and/or +attitudes; illegal, self-incriminating, and demeaning behavior; +critical appraisals of close family members; relationships to which +a privilege is recognized, such as clergy, medical doctors, or + + +Page 2: +Superintendent’s Circular LGL-15, 2023-2024 +September 1, 2023 +Page 2 of 2 + +attorneys; religious affiliations or beliefs; and income, other than +for eligibility for participation in a program. Prior to +administering such a survey, the student’s parent or guardian +must consent, in writing, to the student’s participation in the +survey. Also, a copy of the survey must be made available to the +parent or guardian. Any such survey should also be brought to +the attention of the Office of Legal Advisor. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-16 Student Health Information.txt b/data/data_txt/LGL-16 Student Health Information.txt new file mode 100644 index 0000000..7c45aa1 --- /dev/null +++ b/data/data_txt/LGL-16 Student Health Information.txt @@ -0,0 +1,140 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-16 +Version 01 + +STUDENT HEALTH INFORMATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +State and federal laws and regulations dealing with the +confidentiality of student record information recognize that +student health information is treated differently from other +student record information. It should be noted that the Health +Insurance Portability and Accountability Act, also known as +HIPAA, does not apply to student records, with some exceptions +not germane to this policy. See 65 Fed. Reg. 82805 (2000). +School health personnel may have access to student health +records when such access is required in the performance of their +official duties. See 603 Code Mass. Regs. §23.07 (4)(h). Of course, a +parent/guardian, or in some circumstances the student, may +consent to the release of student health record information to +school personnel generally. In the absence of such informed +written consent, however, the following standards should apply +to a determination of which school officials may access what +parts of a student’s health record. In the first instance, such +determinations should be made by the building administrator in +consultation with the school-based nurse. If a disagreement +arises, such concerns should be brought to the attention of the +senior director of Health Services for resolution. + + +Page 2: +Superintendent’s Circular LGL-16 +Page 2 of 4 + + +The following guidelines should be used: +1. Routine medical information. Such student health information +should be disseminated only as is appropriate to meet the +regular and effective educational mission of the school. Such +information may include information contained in an IEP or +504 Plan, previously scheduled medical appointments, health- +related incidents that may require or necessitate further +reporting, dispensation of medications, and conditions such as +food allergies, seizures, and asthma. In all events, only the +minimum necessary health record information should be +disclosed. Thus, the type of medications dispensed would, +absent more, not be disclosed in the above example. The fact +that a medical appointment necessitating early dismissal is +with a psychiatrist would also not normally be disclosed as a +matter of routine medical information. +Routine medical information is information that is appropriate +for certain staff to know in order to maximize the safety for +children. For example, a child with diabetes needs to have +teachers who are knowledgeable about the illness so the child +may have a safe learning environment. Low blood sugar can +also affect the child’s ability to concentrate. In this +circumstance it would be appropriate to notify all the child’s +teachers individually. Health information should never be +circulated by an all-staff memo. +2. +Medical information of limited dissemination. This is student +health information that is of a confidential nature and yet is of +little educational benefit in the school. This is specific +information that the Student Support Team needs to know to +provide accommodations. When possible, all diagnoses, + + +Page 3: +Superintendent’s Circular LGL-16 +Page 3 of 4 + +especially those related to mental health, should be +expressed as a functional diagnosis. For example, it should be +enough for the team to know that a child who is depressed is +getting counseling. The details of the diagnosis or the causes +of the depression are not relevant to the team’s provision of +accommodations. The nurse provides the connection with +the provider to interpret the medical information or when +clarification is required. +3. +Highly sensitive information. This is student health +information of a highly sensitive nature that has no bearing +on educational achievement and is of no educational use or +consequence and in which a high expectation of privacy +exists for students and/or parents or guardians. Such +information may include: suicide attempts, treatment for +drug or alcohol abuse, mental health diagnoses, family +planning information, maternity/paternity tests or +information, abortions, or HIV infection. This information is of +two types: (1) no accommodations or safety issues and (2) +highly sensitive information. +Medical diagnoses that have no relevance to a student’s +performance do not need to be shared. For example, a child +in therapy who is depressed but not suicidal and who is +performing well in school, does not need to have this +information shared with the school community. There are +also highly sensitive medical situations that are protected by +state regulations. These include HIV and a minor’s right to +seek medical care for pregnancy, sexually transmitted +diseases, and substance abuse, without their parents’ +consent. Any inclusion of this information in the educational +record is a violation of the adolescent’s right to privacy. With +HIV, the student/family can choose to disclose and can limit + + +Page 4: +Superintendent’s Circular LGL-16 +Page 4 of 4 + +the individuals to disclose to. In some circumstances, such +information is of such a private nature that even +dissemination to a parent or guardian is prohibited. +Questions in this regard should be directed to the Office of +Legal Advisor. Such highly sensitive health information +should, whenever possible, be segregated from the rest of a +student’s health information to reduce the chance of +inadvertent disclosure. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-17 Religious Expression in Schools.txt b/data/data_txt/LGL-17 Religious Expression in Schools.txt new file mode 100644 index 0000000..48038d5 --- /dev/null +++ b/data/data_txt/LGL-17 Religious Expression in Schools.txt @@ -0,0 +1,73 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-17 +Version 01 + +RELIGIOUS EXPRESSION IN PUBLIC SCHOOLS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Massachusetts General Laws chapter 71, section 82, sets forth the +law regarding the right of students to freedom of expression in +public schools. Freedom of expression must be balanced with +any disruption or disorder caused to the school. Issues related +specifically to religious expression in public schools involve +constantly developing concepts and questions of constitutional +law. Therefore, staff members are strongly encouraged to bring +specific questions of religious expression to the Office of Legal +Advisor, 617-635-9320. +Some general principles include: +• Freedom of expression of individuals or groups of +students includes the right to express their views through +speech, symbols, peaceable and planned assembly, and +written publications. +• Although the First Amendment forbids religious activity +that is sponsored by the government, it protects religious +activity initiated by private individuals that is non- +disruptive, including student prayer before meals or +during non-instructional time. Such non-disruptive +religious activity may also include speakers at student +assemblies, extracurricular events, or graduation + + +Page 2: +Superintendent’s Circular LGL-17 +Page 2 of 2 + +ceremonies who are selected on the basis of genuinely +neutral, evenhanded criteria and who retain control over +the content of their expression. Under such +circumstances, school officials may make neutral +disclaimers that the speech is the speaker’s view and not +of the school. +• Teachers, administrators, and other school employees +who, when acting in their official capacities, are acting as +agents of the state and must not encourage, discourage, +or participate in prayer or other religious expression. +(Note: this does not include the Pledge of Allegiance, +which is not considered religious expression; see Supt. +Circular LGL-18.) +• School officials may not compel students to participate in +prayer or other religious activities. + +For more information about this circular, contact: +Owner: +Lisa Maki +Department: +Office Of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-18 Display of Flag and School Ceremonies.txt b/data/data_txt/LGL-18 Display of Flag and School Ceremonies.txt new file mode 100644 index 0000000..7002187 --- /dev/null +++ b/data/data_txt/LGL-18 Display of Flag and School Ceremonies.txt @@ -0,0 +1,65 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-18 +Version 01 + +DISPLAY OF FLAG AND SCHOOL CEREMONIES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Massachusetts General Law requires that a “flag shall be +displayed, weather permitting, on the school building or grounds +on every school day and on every legal holiday.” In addition, we +are required to ensure that “a flag shall be displayed in every +classroom...and in each assembly hall” (M.G.L. c.71, §69). The +important patriotic and historic holidays celebrated during the +school year place a focus on our responsibility with respect to the +display of the American flag in all schools and classrooms. +Patriotic and national holidays offer the opportunity in our history +and social studies classes to provide instruction about the flag, its +origin, care, and symbolic significance. This instruction complies +with State Learning Standard 18 (Principles of American +Government). In addition, student projects may afford the +opportunity for students to conduct in-depth research on +subjects such as the flag and other patriotic symbols, documents, +speeches, and literature. +School Committee policy and Massachusetts state law require +that “public school teachers at the commencement of the 1st +class of the day lead the class in group recitation of the Pledge of +Allegiance” (M.G.L. c.71, §69). The Massachusetts Supreme Judicial + + +Page 2: +Superintendent’s Circular LGL-18 +Page 2 of 2 + +Court, however, has ruled that although students and teachers +have the right to a daily opportunity to participate in the Pledge +of Allegiance, teachers and students have a constitutional right +not to participate in the pledge. Teachers and students who +choose not to participate (i.e., recite and/or stand) may not be +penalized for declining to do so. All schools must comply with our +responsibility to display the flag and to provide daily opportunity +for recitation of the Pledge of Allegiance. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-19 Conflict of Interest Law-City Employees.txt b/data/data_txt/LGL-19 Conflict of Interest Law-City Employees.txt new file mode 100644 index 0000000..848de7b --- /dev/null +++ b/data/data_txt/LGL-19 Conflict of Interest Law-City Employees.txt @@ -0,0 +1,699 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-19 +Version 01 + +CONFLICT OF INTEREST LAW – CITY EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Attached you will find a copy of the "Summary of the Conflict of +Interest Law for Municipal Employees," which outlines the +standards of ethics and conduct for all city employees. This +summary was prepared and issued by the State Ethics +Commission, the state entity charged with enforcing +Massachusetts’ conflict of interest law, M.G.L. c. 268A. +Copies of this summary should be distributed to all staff and +School Site Council members on an annual basis. It may also be +found at this link: Summary of the Conflict of Interest law. +All staff should be encouraged to read and be familiar with the +law so that we all carry out our obligations honestly and fairly, +and so that our actions are above reproach. Please use the +attachment to this circular to make copies for your staff and +School Site Council. +Annually, every City employee is required by law to sign the +acknowledgment of receipt of the attached summary via The +Hub. Alternatively, the employee may return the signed +acknowledgement to their supervisor for submission to the +Office of Human Resources. + + +Page 2: +Superintendent’s Circular LGL-19 +Page 2 of 21 + +Furthermore, every two years, all current state, county, and +municipal employees must complete online ethics training +through the State Ethics Commission. New public employees +must complete this training within 30 days of beginning public +service, and every two years thereafter. Upon completing the +program, employees should print out the completion certificate, +keep a copy for themselves, and provide a copy of the completion +certificate to Human Resources. The online training can be found +at: +Complete the Online Training Program for Municipal Employees | +Mass.gov +For specific questions regarding employment and/or individual +activity under the conflict of interest laws should be directed to +the Office of Legal Advisor. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 3: +Superintendent’s Circular LGL-19 +Page 3 of 21 + +SUMMARY OF THE CONFLICT OF INTEREST LAW FOR +MUNICIPAL EMPLOYEES +All municipal employees must be provided with this summary of +the conflict of interest law annually. +All city and town employees must be provided with this +Summary of the Conflict of Interest Law for Municipal Employees +within 30 days of hire or election, and then annually. All city and +town employees are then required to acknowledge in writing +that they received the summary. +This summary of the conflict of interest law, General Laws +chapter 268A, is intended to help municipal employees +understand how that law applies to them. +This summary is not a substitute for legal advice, nor does it +mention every aspect of the law that may apply in a particular +situation. Municipal employees can obtain free confidential +advice about the conflict of interest law from the Commission's +Legal Division at our website, phone number, and address above. +Municipal counsel may also provide advice. +The conflict of interest law seeks to prevent conflicts between +private interests and public duties, foster integrity in public +service, and promote the public's trust and confidence in that +service by placing restrictions on what municipal employees may +do on the job, after hours, and after leaving public service, as +described below. The sections referenced below are sections of +G.L. c. 268A. +When the Commission determines that the conflict of interest +law has been violated, it can impose a civil penalty of up to + + +Page 4: +Superintendent’s Circular LGL-19 +Page 4 of 21 + +$10,000 ($25,000 for bribery cases) for each violation. In addition, +the Commission can order the violator to repay any economic +advantage he gained by the violation, and to make restitution to +injured third parties. Violations of the conflict of interest law can +also be prosecuted criminally. +1. Are you a municipal employee for conflict of interest law +purposes? +You do not have to be a full-time, paid municipal employee +to be considered a municipal employee for conflict of +interest purposes. Anyone performing services for a city or +town or holding a municipal position, whether paid or +unpaid, including full- and part-time municipal employees, +elected officials, volunteers, and consultants, is a municipal +employee under the conflict of interest law. An employee of +a private firm can also be a municipal employee, if the +private firm has a contract with the city or town and the +employee is a "key employee" under the contract, meaning +the town has specifically contracted for her services. The law +also covers private parties who engage in impermissible +dealings with municipal employees, such as offering bribes +or illegal gifts. Town meeting members and charter +commission members are not municipal employees under +the conflict of interest law. + + + + +Page 5: +Superintendent’s Circular LGL-19 +Page 5 of 21 + +2. On-the-job restrictions. +a. Bribes. Asking for and taking bribes is prohibited. (See +Section 2) +A bribe is anything of value corruptly received by a +municipal employee in exchange for the employee being +influenced in his official actions. Giving, offering, +receiving, or asking for a bribe is illegal. +Bribes are more serious than illegal gifts because they +involve corrupt intent. In other words, the municipal +employee intends to sell his office by agreeing to do or +not do some official act, and the giver intends to influence +him to do so. Bribes of any value are illegal. +b. Gifts and gratuities. Asking for or accepting a gift +because of your official position, or because of +something you can do or have done in your official +position, is prohibited. (See Sections 3, 23(b)(2), and 26). +Municipal employees may not accept gifts and gratuities +valued at $50 or more given to influence their official +actions or because of their official position. Accepting a +gift intended to reward past official action or to bring +about future official action is illegal, as is giving such gifts. +Accepting a gift given to you because of the municipal +position you hold is also illegal. Meals, entertainment +event tickets, golf, gift baskets, and payment of travel +expenses can all be illegal gifts if given in connection with +official action or position, as can anything worth $50 or +more. A number of smaller gifts together worth $50 or +more may also violate these sections. + + +Page 6: +Superintendent’s Circular LGL-19 +Page 6 of 21 + +Example of violation: A town administrator accepts +reduced rental payments from developers. +Example of violation: A developer offers a ski trip to a +school district employee who oversees the developer's +work for the school district. +Regulatory exemptions. There are situations in which a +municipal employee's receipt of a gift does not present a +genuine risk of a conflict of interest and may in fact +advance the public interest. The Commission has created +exemptions permitting giving and receiving gifts in these +situations. One commonly used exemption permits +municipal employees to accept payment of travel-related +expenses when doing so advances a public purpose. +Another commonly used exemption permits municipal +employees to accept payment of costs involved in +attendance at educational and training programs. Other +exemptions are listed on the Commission's website. +Example where there is no violation: A fire truck +manufacturer offers to pay the travel expenses of a fire +chief to a trade show where the chief can examine +various kinds of fire-fighting equipment that the town +may purchase. The chief fills out a disclosure form and +obtains prior approval from his appointing authority. +Example where there is no violation: A town treasurer +attends a two-day annual school featuring multiple +substantive seminars on issues relevant to treasurers. The +annual school is paid for in part by banks that do business +with town treasurers. The treasurer is only required to +make a disclosure if one of the sponsoring banks has +official business before her in the six months before or + + +Page 7: +Superintendent’s Circular LGL-19 +Page 7 of 21 + +after the annual school. +c. Misuse of position. Using your official position to get +something you are not entitled to, or to get someone +else something they are not entitled to, is prohibited. +Causing someone else to do these things is also +prohibited. (See Sections 23(b)(2) and 26) +A municipal employee may not use her official position to +get something worth $50 or more that would not be +properly available to other similarly situated individuals. +Similarly, a municipal employee may not use her official +position to get something worth $50 or more for +someone else that would not be properly available to +other similarly situated individuals. Causing someone else +to do these things is also prohibited. +Example of violation: A full-time town employee writes a +novel on work time, using her office computer, and +directing her secretary to proofread the draft. +Example of violation: A city councilor directs +subordinates to drive the councilor's wife to and from the +grocery store. +Example of violation: A mayor avoids a speeding ticket by +asking the police officer who stops him, "Do you know +who I am?" and showing his municipal I.D. +d. Self-dealing and nepotism. Participating as a municipal +employee in a matter in which you, your immediate +family, your business organization, or your future +employer has a financial interest is prohibited. (See +Section 19) + + +Page 8: +Superintendent’s Circular LGL-19 +Page 8 of 21 + +A municipal employee may not participate in any +particular matter in which he or a member of his +immediate family (parents, children, siblings, spouse, and +spouse's parents, children, and siblings) has a financial +interest. He also may not participate in any particular +matter in which a prospective employer, or a business +organization of which he is a director, officer, trustee, or +employee has a financial interest. Participation includes +discussing as well as voting on a matter and delegating a +matter to someone else. +A financial interest may create a conflict of interest +whether it is large or small, and positive or negative. In +other words, it does not matter if a lot of money is +involved or only a little. It also does not matter if you are +putting money into your pocket or taking it out. If you, +your immediate family, your business, or your employer +have or has a financial interest in a matter, you may not +participate. The financial interest must be direct and +immediate or reasonably foreseeable to create a conflict. +Financial interests which are remote, speculative, or not +sufficiently identifiable do not create conflicts. +Example of violation: A school committee member's wife +is a teacher in the town's public schools. The school +committee member votes on the budget line item for +teachers' salaries. +Example of violation: A member of a town affordable +housing committee is also the director of a non-profit +housing development corporation. The non-profit makes +an application to the committee, and the + + +Page 9: +Superintendent’s Circular LGL-19 +Page 9 of 21 + +member/director participates in the discussion. +Example: A planning board member lives next door to +property where a developer plans to construct a new +building. Because the planning board member owns +abutting property, he is presumed to have a financial +interest in the matter. He cannot participate unless he +provides the State Ethics Commission with an opinion +from a qualified independent appraiser that the new +construction will not affect his financial interest. +In many cases, where not otherwise required to +participate, a municipal employee may comply with the +law by simply not participating in the particular matter in +which she has a financial interest. She need not give a +reason for not participating. +There are several exemptions to this section of the law. An +appointed municipal employee may file a written +disclosure about the financial interest with his appointing +authority and seek permission to participate +notwithstanding the conflict. The appointing authority +may grant written permission if she determines that the +financial interest in question is not so substantial that it is +likely to affect the integrity of his services to the +municipality. Participating without disclosing the +financial interest is a violation. Elected employees cannot +use the disclosure procedure because they have no +appointing authority. +Example where there is no violation: An appointed +member of the town zoning advisory committee, which + + +Page 10: +Superintendent’s Circular LGL-19 +Page 10 of 21 + +will review and recommend changes to the town's by- +laws with regard to a commercial district, is a partner at a +company that owns commercial property in the district. +Prior to participating in any committee discussions, the +member files a disclosure with the zoning board of +appeals that appointed him to his position, and that +board gives him a written determination authorizing his +participation, despite his company's financial interest. +There is no violation. +There is also an exemption for both appointed and +elected employees where the employee's task is to +address a matter of general policy and the employee's +financial interest is shared with a substantial portion +(generally 10% or more) of the town's population, such as, +for instance, a financial interest in real estate tax rates or +municipal utility rates. +Regulatory exemptions. In addition to the statutory +exemptions just mentioned, the Commission has created +several regulatory exemptions permitting municipal +employees to participate in particular matters +notwithstanding the presence of a financial interest in +certain very specific situations when permitting them to +do so advances a public purpose. There is an exemption +permitting school committee members to participate in +setting school fees that will affect their own children if +they make a prior written disclosure. There is an +exemption permitting town clerks to perform election- +related functions even when they, or their immediate +family members, are on the ballot, because clerks’ +election-related functions are extensively regulated by + + +Page 11: +Superintendent’s Circular LGL-19 +Page 11 of 21 + +other laws. There is also an exemption permitting a +person serving as a member of a municipal board +pursuant to a legal requirement that the board have +members with a specified affiliation to participate fully in +determinations of general policy by the board, even if the +entity with which he is affiliated has a financial interest in +the matter. Other exemptions are listed in the +Commission's regulations, available on the Commission’s +website. +Example where there is no violation: A municipal +Shellfish Advisory Board has been created to provide +advice to the Board of Selectmen on policy issues related +to shellfishing. The Advisory Board is required to have +members who are currently commercial fishermen. A +board member who is a commercial fisherman may +participate in determinations of general policy in which +he has a financial interest common to all commercial +fishermen but may not participate in determinations in +which he alone has a financial interest, such as the +extension of his own individual permits or leases. +e. False claims. Presenting a false claim to your employer +for a payment or benefit is prohibited, and causing +someone else to do so is also prohibited. (See Sections +23(b)(4) and 26) +A municipal employee may not present a false or +fraudulent claim to his employer for any payment or +benefit worth $50 or more or cause another person to do +so. + + +Page 12: +Superintendent’s Circular LGL-19 +Page 12 of 21 + +Example of violation: A public works director directs his +secretary to fill out time sheets to show him as present at +work on days when he was skiing. +f. Appearance of conflict. Acting in a manner that would +make a reasonable person think you can be improperly +influenced is prohibited. (See Section 23(b)(3)) +A municipal employee may not act in a manner that +would cause a reasonable person to think that she would +show favor toward someone or that she can be +improperly influenced. Section 23(b)(3) requires a +municipal employee to consider whether her +relationships and affiliations could prevent her from +acting fairly and objectively when she performs her duties +for a city or town. If she cannot be fair and objective +because of a relationship or affiliation, she should not +perform her duties. However, a municipal employee, +whether elected or appointed, can avoid violating this +provision by making a public disclosure of the facts. An +appointed employee must make the disclosure in writing +to his appointing official. +Example where there is no violation: A developer who is +the cousin of the chair of the conservation commission +has filed an application with the commission. A +reasonable person could conclude that the chair might +favor her cousin. The chair files a written disclosure with +her appointing authority explaining her relationship with +her cousin prior to the meeting at which the application +will be considered. There is no violation of Sec. 23(b)(3). +g. Confidential information. Improperly disclosing or + + +Page 13: +Superintendent’s Circular LGL-19 +Page 13 of 21 + +personally using confidential information obtained +through your job is prohibited. (See Section 23(c)) +Municipal employees may not improperly disclose +confidential information, or make personal use of non- +public information they acquired in the course of their +official duties to further their personal interests. +3. After-hours restrictions. +a. Taking a second paid job that conflicts with the duties of +your municipal job is prohibited. (See Section 23(b)(1)) +A municipal employee may not accept other paid +employment if the responsibilities of the second job are +incompatible with his or her municipal job. +Example: A police officer may not work as a paid private +security guard in the town where he serves because the +demands of his private employment would conflict with +his duties as a police officer. +Divided loyalties. Receiving pay from anyone other than +the city or town to work on a matter involving the city or +town is prohibited. Acting as agent or attorney for anyone +other than the city or town in a matter involving the city +or town is also prohibited whether or not you are paid. +(See Sec. 17) +Because cities and towns are entitled to the undivided +loyalty of their employees, a municipal employee may not +be paid by other people and organizations in relation to a +matter if the city or town has an interest in the matter. In +addition, a municipal employee may not act on behalf of + + +Page 14: +Superintendent’s Circular LGL-19 +Page 14 of 21 + +other people and organizations or act as an attorney for +other people and organizations in which the town has an +interest. Acting as agent includes contacting the +municipality in person, by phone, or in writing; acting as a +liaison; providing documents to the city or town; and +serving as spokesman. +A municipal employee may always represent his own +personal interests, even before his own municipal agency +or board, on the same terms and conditions that other +similarly situated members of the public would be +allowed to do so. A municipal employee may also apply +for building and related permits on behalf of someone +else and be paid for doing so, unless he works for the +permitting agency, or an agency which regulates the +permitting agency. +Example of violation: A full-time health agent submits a +septic system plan that she has prepared for a private +client to the town's board of health. +Example of violation: A planning board member +represents a private client before the board of selectmen +on a request that town meeting consider rezoning the +client's property. +While many municipal employees earn their livelihood in +municipal jobs, some municipal employees volunteer +their time to provide services to the town or receive small +stipends. Others, such as a private attorney who provides +legal services to a town as needed, may serve in a position +in which they may have other personal or private + + +Page 15: +Superintendent’s Circular LGL-19 +Page 15 of 21 + +employment during normal working hours. In recognition +of the need not to unduly restrict the ability of town +volunteers and part-time employees to earn a living, the +law is less restrictive for "special" municipal employees +than for other municipal employees. +The status of "special" municipal employee has to be +assigned to a municipal position by vote of the board of +selectmen, city council, or similar body. A position is +eligible to be designated as "special" if it is unpaid, or if it +is part-time and the employee is allowed to have another +job during normal working hours, or if the employee was +not paid for working more than 800 hours during the +preceding 365 days. It is the position that is designated as +"special" and not the person or persons holding the +position. Selectmen in towns of 10,000 or fewer are +automatically "special"; selectman in larger towns cannot +be "specials." +If a municipal position has been designated as "special," +an employee holding that position may be paid by others, +act on behalf of others, and act as attorney for others with +respect to matters before municipal boards other than his +own, provided that he has not officially participated in the +matter, and the matter is not now, and has not within the +past year been, under his official responsibility. +Example: A school committee member who has been +designated as a special municipal employee appears +before the board of health on behalf of a client of his +private law practice, on a matter that he has not +participated in or had responsibility for as a school + + +Page 16: +Superintendent’s Circular LGL-19 +Page 16 of 21 + +committee member. There is no conflict. However, he +may not appear before the school committee, or the +school department, on behalf of a client because he has +official responsibility for any matter that comes before the +school committee. This is still the case even if he has +recused himself from participating in the matter in his +official capacity. +Example: A member who sits as an alternate on the +conservation commission is a special municipal +employee. Under town by-laws, he only has official +responsibility for matters assigned to him. He may +represent a resident who wants to file an application with +the conservation commission as long as the matter is not +assigned to him and he will not participate in it. +b. Inside track. Being paid by your city or town, directly or +indirectly, under some second arrangement in addition +to your job is prohibited, unless an exemption applies. +(See Section 20) +A municipal employee generally may not have a financial +interest in a municipal contract, including a second +municipal job. A municipal employee is also generally +prohibited from having an indirect financial interest in a +contract that the city or town has with someone else. This +provision is intended to prevent municipal employees +from having an "inside track" to further financial +opportunities. +Example of violation: Legal counsel to the town housing +authority becomes the acting executive director of the + + +Page 17: +Superintendent’s Circular LGL-19 +Page 17 of 21 + +authority, and is paid in both positions. +Example of violation: A selectman buys a surplus truck +from the town DPW. +Example of violation: A full-time secretary for the board +of health wants to have a second paid job working part- +time for the town library. She will violate Section 20 unless +she can meet the requirements of an exemption. +Example of violation: A city councilor wants to work for a +non-profit that receives funding under a contract with her +city. Unless she can satisfy the requirements of an +exemption under Section 20, she cannot take the job. +There are numerous exemptions. A municipal employee +may hold multiple unpaid or elected positions. Some +exemptions apply only to special municipal employees. +Specific exemptions may cover serving as an unpaid +volunteer in a second town position, housing-related +benefits, public safety positions, certain elected positions, +small towns, and other specific situations. Please call the +Ethics Commission's Legal Division for advice about a +specific situation. +4. After you leave municipal employment. (See Section 18) +a. Forever ban. After you leave your municipal job, you may +never work for anyone other than the municipality on a +matter that you worked on as a municipal employee. +If you participated in a matter as a municipal employee, +you cannot ever be paid to work on that same matter for +anyone other than the municipality, nor may you act for + + +Page 18: +Superintendent’s Circular LGL-19 +Page 18 of 21 + +someone else, whether paid or not. The purpose of this +restriction is to bar former employees from selling to +private interests their familiarity with the facts of +particular matters that are of continuing concern to their +former municipal employer. The restriction does not +prohibit former municipal employees from using the +expertise acquired in government service in their +subsequent private activities. +Example of violation: A former school department +employee works for a contractor under a contract that +she helped to draft and oversee for the school +department. +b. One year cooling-off period. For one year after you leave +your municipal job you may not participate in any matter +over which you had official responsibility during your last +two years of public service. +Former municipal employees are barred for one year after +they leave municipal employment from personally +appearing before any agency of the municipality in +connection with matters that were under their authority +in their prior municipal positions during the two years +before they left. +Example: An assistant town manager negotiates a three- +year contract with a company. The town manager who +supervised the assistant and had official responsibility for +the contract, but did not participate in negotiating it, +leaves her job to work for the company to which the +contract was awarded. The former manager may not call + + +Page 19: +Superintendent’s Circular LGL-19 +Page 19 of 21 + +or write the town in connection with the company's work +on the contract for one year after leaving the town. +A former municipal employee who participated as such in +general legislation on expanded gaming and related +matters may not become an officer or employee of, or +acquire a financial interest in, an applicant for a gaming +license, or a gaming licensee, for one year after his public +employment ceases. +c. Partners. Your partners will be subject to restrictions +while you serve as a municipal employee and after your +municipal service ends. +Partners of municipal employees and former municipal +employees are also subject to restrictions under the +conflict of interest law. If a municipal employee +participated in a matter, or if he has official responsibility +for a matter, then his partner may not act on behalf of +anyone other than the municipality or provide services as +an attorney to anyone but the city or town in relation to +the matter. +Example: While serving on a city's historic district +commission, an architect reviewed an application to get +landmark status for a building. His partners at his +architecture firm may not prepare and sign plans for the +owner of the building or otherwise act on the owner's +behalf in relation to the application for landmark status. +In addition, because the architect has official +responsibility as a commissioner for every matter that +comes before the commission, his partners may not + + +Page 20: +Superintendent’s Circular LGL-19 +Page 20 of 21 + +communicate with the commission or otherwise act on +behalf of any client on any matter that comes before the +commission during the time that the architect serves on +the commission. +Example: A former town counsel joins a law firm as a +partner. Because she litigated a lawsuit for the town, her +new partners cannot represent any private clients in the +lawsuit for one year after her job with the town ended. + + +This summary is not intended to be legal advice and, because it is +a summary, it does not mention every provision of the conflict +law that may apply in a particular situation. Our website, +http://www.mass.gov/ethics contains further information about +how the law applies in many situations. You can also contact the +Commission's Legal Division via our website, by telephone, or by +letter. Our contact information is at the top of this document. + +Version 7: Revised May 20, 2022 + + + + +Page 21: +Superintendent’s Circular LGL-19 +Page 21 of 21 + +ACKNOWLEDGEMENT OF RECEIPT OF SUMMARY OF THE +CONFLICT OF INTEREST LAW FOR MUNICIPAL EMPLOYEES +I, (print your first and last name): + _________________________________________________________________ , +an employee at (name of your municipal agency or department): + _________________________________________________________________ , + +hereby acknowledge that I received a copy of the summary of +the Conflict Of Interest Law for municipal employees, revised May +20, 2022. + +Signature_____________________________________Date ______________ +Municipal employees should complete the acknowledgment of +receipt and return it to the individual who provided them with a +copy of the summary. Alternatively, municipal employees may +send an email acknowledging receipt of the summary to the +individual who provided them with a copy of it. + + diff --git a/data/data_txt/LGL-20 Corporal Punishment.txt b/data/data_txt/LGL-20 Corporal Punishment.txt new file mode 100644 index 0000000..f0ba0c0 --- /dev/null +++ b/data/data_txt/LGL-20 Corporal Punishment.txt @@ -0,0 +1,72 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-20 +Version 01 + +CORPORAL PUNISHMENT +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +Principals and heads of school should remind staff that the use of +corporal punishment in schools is strictly forbidden by Boston +School Committee policy as well as by Massachusetts State Law +G.L. c. 71, § 37G, which provides: +(a) The power of the school committee or of any teacher or +any other employee or agent of the school committee to +maintain discipline upon school property shall not include +the right to inflict corporal punishment upon any pupil. +(b) The provisions of this section shall not preclude any +member of the school committee or any teacher or any +employee or agent of the school committee from using +such reasonable force as is necessary to protect pupils, +other persons, and themselves from an assault by a pupil. +When such an assault has occurred, the principal shall file +a detailed report of such with the school committee. +(c) The board of education shall promulgate regulations +regarding the use of physical restraint for students. Such +regulations shall not preclude any teacher or employee or +agent of the school from using reasonable force to +protect pupils, other persons, and themselves from an +assault by a pupil as set forth above in section (b). Such + + +Page 2: +Superintendent’s Circular LGL-20 +Page 2 of 2 + +regulations shall require training of all personnel +authorized to administer any forms of restraint. Such +regulations shall provide for procedures for notification to +the department and to the parents. +Corporal punishment includes but is not limited to the following: +• Slapping or hitting students +• Pulling students by their arms, shoulders, etc. +• Pushing students from one location to another +• Forcibly causing students to sit down +• Grasping students by any body part +Staff may restrain students only to protect students, other +persons, or themselves from an assault and may only use such +force as is reasonably necessary to repel such an attack. Violation +of the policy and law will result in disciplinary measures and may +result in the filing of abuse and/or criminal charges. +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.txt b/data/data_txt/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.txt new file mode 100644 index 0000000..1b04c35 --- /dev/null +++ b/data/data_txt/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.txt @@ -0,0 +1,65 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-21 +Version 01 + +POLICY ON USE OF BPS BUILDINGS & FACILITIES FOR +POLITICAL PURPOSES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +All building administrators and managers of facilities within the +Boston Public School Department should be aware of the Boston +Public Schools’ policy on the use of its facilities for political +purposes. +No Boston Public School facility may be used for predominantly +political activity, such as activities in support of political +candidates or ballot questions. +Any use of a Boston Public School facility for a predominantly +governmental activity with an incidental political activity overlap, +such as those activities related to education laws, funding, or +policies, but not related to specific teaching or learning at a +particular school, may only occur with prior notification to and +specific approval from the superintendent or their designee. +Examples of such activities might include the signing of +education legislation, the announcement of educational policies +or results, or announcements of receipt of grants or other funds. +These examples demonstrate activities in furtherance of the +purpose for which governmental funds have been appropriated +to Boston Public Schools, with an incidental political activity + + +Page 2: +Superintendent’s Circular LG-21 +Page 2 of 2 + +associated therewith. Any use of a Boston public school or facility +for political activity without obtaining the prior approval of the +superintendent or their designee is an unauthorized use and +should be considered an “unwarranted privilege” for the +purposes of the Massachusetts Conflict of Interest Law. +For additional information, regarding political activities generally, +please see Superintendent’s Circular LGL-09 Political Activity by +Public Employees. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/LGL-22 Sexual Offender Registry Information.txt b/data/data_txt/LGL-22 Sexual Offender Registry Information.txt new file mode 100644 index 0000000..1f223f1 --- /dev/null +++ b/data/data_txt/LGL-22 Sexual Offender Registry Information.txt @@ -0,0 +1,201 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-22 +Version 01 + +SEXUAL OFFENDER REGISTRY INFORMATION (S.O.R.I.) +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Sexual Offender Registry Law requires that all convicted +sexual offenders in the Commonwealth of Massachusetts register +with the police departments in the cities or towns where they live +and work. The State classifies the offender on a level of 1 to 3, +depending on the likelihood of whether the offender might +repeat his/her crimes. Once a local police department receives +the information, it can be shared with public school districts for +the protection of children. As a result of this law, Boston Public +Schools principals and heads of school can access SORI +information per the state website as described below. +The Boston Public Schools will receive the Sexual Offender +Registry Information (S.O.R.I.) from the Boston Police +Department. Pursuant to state regulations, BPD must notify all +schools in the community of a finally classified Level 3 sex +offender or a sexually dangerous predator. Information available +includes: the registered individual’s name, home and/or +workplace address, date of birth, general physical description, +charges for which they were convicted, and a photograph, if +available. +Information pertaining to the Sex Offender Registry website +should be shared with your staff to educate them on this +resource and of the public availability of S.O.R.I information. + + +Page 2: +Superintendent’s Circular LGL-22 +Page 2 of 6 + +Although S.O.R.I. information is distributed to alert communities +and protect children, it must be handled in a responsible manner. +It is against the law to distribute copies and/or use this +information in an unlawful manner, e.g., threats, extortion, etc. It +is also against the law to use the sex offender registry +information to commit a crime or to engage in illegal +discrimination or harassment of a sex offender. +The law was passed to prevent convicted offenders from preying +on innocent children. If you identify a registered offender acting +inappropriately around a school building or approaching +children, contact the Boston Police Department immediately. +Attached, please find some common questions and answers. +1. Who must register as a sex offender? +A sex offender is anyone who lives, works, or attends school +in Massachusetts who has: +• Been convicted of a sex offense +• Been adjudicated as a youthful offender or a delinquent +juvenile for a sex offense +• Been released from incarceration, parole, probation +supervision, or custody with the Department of Youth +Services for a sex offense conviction or adjudication +• Been adjudicated as a sexually dangerous person, or a +person released from civil commitment anytime from +August 1, 1981 +2. How can a principal or head of school request information +from the Sex Offender Registry Board? +Once a person registers with the Sex Offender Registry +Board and that information is shared with local police + + +Page 3: +Superintendent’s Circular LGL-22 +Page 3 of 6 + +departments, those departments can share the information +with public school districts. Local police departments have +access to information pertaining to Levels 1, 2, and 3 sex +offenders. +3. How can non-school personnel or parents request +information from the Sex Offender Registry Board? +The public may request information about sex offenders in +the community by sending a Sex Offender Inquiry Form +request to the Sex Offender Registry Board. Requests may +either be submitted online or at the following mail address: +Attn: SORI Coordinator +Sex Offender Registry Board +P.O. Box 392 +North Billerica, MA 01862 + +Please see https://www.mass.gov/how-to/request-sex- +offender-registry-information-sori for more information. +A person may also request information in person at a local +police station. +Unlike local police departments, members of the public can +only access information about Level 2 and Level 3 offenders. + + + + +Page 4: +Superintendent’s Circular LGL-22 +Page 4 of 6 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org +OR +Owner: +Chief of Safety Services +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 5: +Superintendent’s Circular LGL-22 +Page 5 of 6 + +SEX OFFENDER REGISTRY INFORMATION (S.O.R.I) +Questions and Answers +• What should I as a principal/head of school do with the +information I receive from Safety Services or BPD on S.O.R.I. +cases? +You should establish a secure, central file for mandatory review +by all staff members, including teachers, paraprofessionals and +volunteers who have an established pattern of work in the +school. This file will be a one-copy file, with opportunity for +staff to come and review. No copies of this S.O.R.I. information +can be made and/or distributed. +• What if upon first review, I note that one of the offenders is an +employee/volunteer at my school? +Contact the Office of Human Capital for further direction. The +Office of Human Capital will review each situation on a case- +by-case basis and will work with the Office of Legal Advisor +and the superintendent of schools on a final resolution. +• What if upon first review, I note that one of the offenders is a +student in my school? +Contact Safety Services Unit at 617-635-8000 for further +direction. +• What should I do if a parent or community member comes to +the school or calls seeking S.O.R.I. information? +The individual should be directed to the nearest police district, +which will provide the information upon request. + + + + +Page 6: +Superintendent’s Circular LGL-22 +Page 6 of 6 + +• How will S.O.R.I. be handled relative to BPS employees, BPS +students, BPS volunteers, and bus drivers? +o All employees hired henceforth will have a S.O.R.I. check +done automatically. This will be in conjunction with the +C.O.R.I. (Criminal Offender Registry Information) check that +is already in place. Also, all information regarding S.O.R.I. +offenders received by Safety Services will be run against the +current employee listing to identify any employees who +might be sex offenders. +o All information regarding S.O.R.I. offenders received by +Safety Services will be run against the current student +listing to identify any students who might be sex offenders. +o Partners in Education will request to be placed on the +Police Department’s mailing list on all S.O.R.I. cases and will +check this on a regular basis against their listing of +volunteers. +o BPS’s contracted transportation provider will request to be +placed on the Police Department’s mailing list on all S.O.R.I. +cases and will check this on a regular basis against their +listing of bus drivers. +o Community Schools will request to be placed on the Police +Department’s mailing list on all S.O.R.I. cases and will check +this on a regular basis against their listing of employees. +• What if any situation, in general, occurs in or around my +school relative to the S.O.R.I. process? +Contact Safety Services Unit immediately at 617-635-8000. + + diff --git a/data/data_txt/ODA-01 Procedures for Conducting Educational Research.txt b/data/data_txt/ODA-01 Procedures for Conducting Educational Research.txt new file mode 100644 index 0000000..e72505d --- /dev/null +++ b/data/data_txt/ODA-01 Procedures for Conducting Educational Research.txt @@ -0,0 +1,147 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-01 +Version 01 + + +PROCEDURES FOR CONDUCTING EDUCATIONAL +RESEARCH +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to define the policy and procedures +for conducting educational research in the Boston Public +Schools. +OVERVIEW +The mission of the Boston Public Schools’ Office of Data and +Accountability is to serve the BPS community by facilitating +access to quality information and building capacity to make data- +driven decisions that advance educational equity, opportunity, +and achievement for all students. Research is one way to +facilitate our community’s access to quality information. It is the +responsibility of the Office of Data and Accountability to ensure +that researchers have access to quality data and can responsibly +interpret the results. As such, the Office of Data and +Accountability reviews and approves research that works to +advance educational equity, opportunity, and achievement for all +students by ensuring responsible access to and use of quality +data. +All research activities must be coordinated through the Office of +Data and Accountability’s BPS Research Team. ODA approval is + + +Page 2: +Superintendent’s Circular ODA-01, +Page 2 of 4 + +not required for research that uses data that is publicly available +sources such as on the BPS public website. A list of current +sources of publicly available data can be found in the appendix of +the Policy and Guidelines document. In these instances, the +researcher may use the data presented from these sources as +long as the sources are cited, and any modifications or analysis +done by the researcher are clearly delineated. Approval by the +researcher’s IRB and/or BPS school leaders does NOT guarantee +approval of research proposals by the BPS Office of Data and +Accountability (ODA). While research may be approved by ODA, +BPS school leaders have the final say in whether their particular +school will participate in any given study. +WHO MAY CONDUCT RESEARCH +Any academic or professional organization or any individual +doing doctoral work may submit a proposal to conduct research +with the Office of Data and Accountability in BPS. Doctoral +candidates must submit written evidence that their proposed +research has been approved by their university’s IRB and will be +supervised by their advisor(s). +WHAT IS THE PURPOSE OF THE RESEARCH TEAM REVIEW? +While it is necessary for all research submissions to have an +approved/exempted IRB decision from their own institution, BPS +requires that all research is submitted to the BPS Research Team +for review prior to BPS approval. The BPS research review is not +duplicative of the IRB process and aims to ensure the following: +● The research is aligned with district priorities. +● The research follows federal and local guidelines +regarding conducting research with human subjects in + + +Page 3: +Superintendent’s Circular ODA-01, +Page 3 of 4 + +school settings (This includes consent forms for all +research participants; assurance that students receive no +incentives of monetary value for students and not to +exceed $50 for teachers; voluntary participation for all +research subjects). +● The research is not overly burdensome to classrooms and +is new research that will advance the aims of the district. +● The research is fully supported by an internal BPS staff +member (district sponsor) who is committed to using the +result of the research. +WHAT ARE THE STEPS TO CONDUCTING RESEARCH IN THE +BPS? +1. Submit a research proposal adhering to the Guidelines and +Procedures. In general, the research submission and review +calendar is as follows: +Review Period Submission +Month +Review Month Decision Letter +Sent +P1 +June 1-30 +July 1-31 +Mid-August +P2 +October 1-31 +November 1-30 Mid-December +2. For primary research (i.e., interviewing, focus groups, +observations, and in-person surveys), each researcher needs +to have submitted and passed a CORI check. +3. For secondary research (i.e., requesting administrative data: +records that are maintained by the school district), +researchers need to submit a data request and sign a +standard NDA template. NOTE: for some administrative data +requests, a fee will be assessed to assist in the fulfillment of +the data pull. + + +Page 4: +Superintendent’s Circular ODA-01, +Page 4 of 4 + +4. Submit policy brief updates annually to your district sponsor +and the Research Team +(research@bostonpublicschools.org). +5. Annually renew your research proposal with the BPS +research team. +6. For continuing research, the following needs to be +submitted: +a. Cover page describing research activities already +conducted and proposed changes to the study for the +next year +b. Most recent policy brief describing interim findings +c. Updated district sponsor letter +d. Updated IRB approval for next year of research +7. Submit a final report and policy brief (template) for review to +research@bostonpublicschools.org once the study has been +finalized. The study is officially finalized once the final report +and policy brief have been approved. +For additional information about this circular and the +application process, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/ODA-02 State Testing Security and Ethics.txt b/data/data_txt/ODA-02 State Testing Security and Ethics.txt new file mode 100644 index 0000000..0fcac4b --- /dev/null +++ b/data/data_txt/ODA-02 State Testing Security and Ethics.txt @@ -0,0 +1,120 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-02 +Version 01 + + +TEST SECURITY AND ETHICS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to ensure that all BPS staff +understand and follow the appropriate procedures for test +administration and security on all state and local tests where +some or all content is deemed to be secure content that must +not be given to or accessed by unauthorized persons. This +includes, but is not limited to, paper or digital information. This +circular also outlines the reporting requirements in the case of a +security breach or a test irregularity. +REQUIREMENTS +Testing is not at the option of parent/guardian or the school, +except if a student is not required to be tested based on certain +conditions that are specified in the specific testing requirements. +Appropriate testing accommodations must be provided to +eligible students on test day as documented in the students’ +current Individualized Education Programs (IEPs), Section 504 +Plans, or English Learner (EL) plans. +School leaders and test administrators must read and adhere to +all test procedures in the instructions that are issued by the +Massachusetts Department of Elementary and Secondary +Education (MA DESE) and/or the Boston Public Schools. Visitors + + +Page 2: +Superintendent’s Circular ODA-02 +Page 2 of 4 + + +are never permitted in the school’s designated testing area; but +MA DESE and/or BPS staff may make announced or +unannounced visits to schools during testing days to ensure +compliance with testing procedures. +Schools must enforce a strict electronic devices policy during +testing to maintain test security. The term electronic device +includes any personal, non-educational device with an on-off +switch (with the exception of medical equipment), most +commonly cell phones, smart phones, iPods, iPads, iWatch, +tablets, laptops, and pagers. +Schools must clearly inform students that bringing an electronic +device into the testing area violates district and state policy, and +violation of this policy is grounds for confiscation. If brought to +school during testing, electronic devices must be stored in a +secure location away from students. Acceptable storage includes +in a bag, backpack, locker, central location in a classroom, or +school office. +Consistent with the district’s Acceptable Use Policy (AUP), school +leaders have the authority to enforce security measures on +electronic devices when used to access testing materials and +remove devices found to be in violation of the AUP. If any of the +electronic devices are accessed during testing, the student’s test +is compromised and is to be invalidated due to prohibited +behavior, even if the student did not use the device. For +suspected student cheating or electronic device violations, the +school should conduct the investigation of the incident, report +the test violation, and follow their school’s disciplinary +procedures to impose sanctions. + + +Page 3: +Superintendent’s Circular ODA-02 +Page 3 of 4 + + +PENALTIES +Failure by BPS staff to adhere to the Test Security and Ethics +Requirements may result not only in sanctions and +consequences imposed by the state as outlined in the specific +assessment policy, but also in disciplinary action by the +superintendent. +PROCEDURES IF TEST IRREGULARITIES OCCUR OR IF YOU +SUSPECT A SECURITY VIOLATION +Each person directly involved in secure test administrations is +responsible for immediately reporting any violation or suspected +violation of test security. If questions arise concerning test +security or if any situation occurs that could compromise any part +of the test administration process and procedure for any state +tests, call the MA DESE at 781-338-3625 immediately and/or +report the incident using any required form. Please also advise +your immediate supervisor and the Office of Data and +Accountability. For any suspected BPS district assessment test +violations or irregularities, contact the Office of Data and +Accountability at 617-635-9450. + + + + + +Page 4: +Superintendent’s Circular ODA-02 +Page 4 of 4 + + +For additional information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/ODA-03 Guidelines and Procedures for Accessing Student Data.txt b/data/data_txt/ODA-03 Guidelines and Procedures for Accessing Student Data.txt new file mode 100644 index 0000000..828248d --- /dev/null +++ b/data/data_txt/ODA-03 Guidelines and Procedures for Accessing Student Data.txt @@ -0,0 +1,373 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-03 +Version 01 + + + +GUIDELINES AND PROCEDURES FOR ACCESSING +STUDENT DATA +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +Boston Public Schools recognizes and values the planning, +research, and evaluation work done by our partner organizations, +policymakers, and the greater education community to improve +education. The Office of Data and Accountability has established +the following guidelines regarding the processing of data +requests to improve the quality, timeliness, security, and +appropriateness of requests and request handling. Additionally, +as the Office of Data and Accountability is charged with +protecting student privacy and confidentiality, all student data +requests will be evaluated against federal, state, and local data +regulations to ensure student confidentiality. +The following data sources are considered directory information. +By federal, state, and local laws, they can be given to external +parties without explicit consent from parents/guardians. All other +student data are not considered directory and should not be +shared with members of the public without express consent from +parents/guardians or unless disclosure is expressly permitted by +an exemption under federal or state law. Schools should not +share any non-directory student data with external parties, + + +Page 2: +Superintendent’s Circular ODA-03 +Page 2 of 11 + + +members of the public, or media outlets. Common examples of +non-directory information that should not be shared include, but +are not limited to, date of birth, BPSID, and school name. All +requests for non-directory student information should be +directed to the Office of Data and Accountability. +Directory Information: +1. Student’s name +2. Age +3. Grade Level +4. Dates of enrollment + +GUIDELINES AND PROCEDURE FOR ACCESSING STUDENT DATA +Publicly Available Data +The Boston Public Schools (BPS) and the Massachusetts +Department of Elementary and Secondary Education (MA DESE) +make a number of datasets and reports publicly available online. +Before submitting a data request, please review Appendix I to see +if your data request is included in publicly available data. +Additionally, BPS departments regularly make presentations to +the Boston School Committee. See Appendix I for links to +materials from School Committee meetings.. Appendix I includes +the following types of data available for public use. +● General data profile of +BPS +● Student Attendance +and Discipline +● Standardized test +results +● School Climate +● Student Enrollment +and Demographics +● High School and +Postsecondary + + +Page 3: +Superintendent’s Circular ODA-03 +Page 3 of 11 + + + +For school personnel, there are additional reports available in +Aspen and Panorama. +Legal Guidelines on Requesting Student Data +If your data needs are not met by publicly available reports +provided by BPS and MA DESE (see Appendix I), you may be able +to request certain additional data. The Family Educational Rights +and Privacy Act (FERPA), the Massachusetts Department of +Elementary and Secondary Education (MA DESE), and the Boston +Public Schools establish regulations that maintain family and +student data privacy rights. These regulations restrict BPS and +schools governed by BPS from providing personally identifiable +information without family or student consent1. Additionally, any +individual or organization intending to use BPS student data for +research and/or evaluation purposes must submit a research +proposal to the district before any research activities, including +administrative data sharing, may take place. Receipt of grant +funds does not guarantee approval to conduct research by the +BPS Office of Data and Accountability. Guidelines for conducting +research in BPS and the research application can be found on the +BPS website. +For data requests that include either identifiable or de-identified + +1 Exceptions may apply to the general data request +requirements. Three common exceptions include: +1. District sponsored-studies to improve instruction (Studies); +2. Evaluations or audits of federally-mandated programs +(Audit); or +3. Provisions of data to appropriate school and central office +staff (School Official) + + +Page 4: +Superintendent’s Circular ODA-03 +Page 4 of 11 + + +student-level data, a written and signed agreement will be +required, depending on the scope of the request. The Office of +Data Accountability will communicate with all requesters to +execute the appropriate agreements prior to sharing data. +For requests for individual student records, please see the BPS +Superintendent’s Circular LGL-7: Privacy of Student Information +and Student Record Procedures: How to Respond to Student +Record Requests in Compliance with FERPA and State Law. + + + + +Page 5: +Superintendent’s Circular ODA-03 +Page 5 of 11 + + +In order to determine the next steps for your data needs: +WHAT CATEGORY OF DATA IS REQUESTED? + +Level of Data +Data Request Requirements +Aggregate Data +De-identified aggregate level data is generally +available to requesters without explicit +parent/guardian consent. Aggregate groups that +contain fewer than 10 students will be suppressed to +protect privacy. To gain access to this data please see +the section below on the process to request data. +Student-Level +Administrative +Data +De-identified student-level administrative data +requires a current signed non-disclosure agreement +(NDA) with the Office of Data and Accountability. +Student-Level +Roster Data +Identifiable student-level roster data requires current +family consent as well as a current signed NDA with +the Office of Data and Accountability. + + + + + +Page 6: +Superintendent’s Circular ODA-03 +Page 6 of 11 + + +WHO IS REQUESTING DATA? +Requester +Notes +BPS Officials +and School +Personnel +School leaders have access to identifiable and individual +student data only for the students in their school for the +academic year that they are enrolled in the school. +Teachers have access to identifiable and individual +student data only for the students they are teaching in +that academic year. +Researcher +All research requests must go through the research +proposal process. +BPS School- +Community +Partners +BPS deeply values and recognizes school-community +partnerships as a key strategy in our collective efforts to +ensure all our students achieve success in college, career, +and life. Data can be an important tool for partners to +effectively collaborate with schools to strengthen +services for students. For partners to collect or access +any data about students, school-community partners +must be fully registered on PartnerBPS. A complete +registration on PartnerBPS includes registration of all +programs the Partner runs in BPS and all partnerships +they have with BPS schools. More information on the +PartnerBPS registration process can be found here. +Partners must also have active parental consent to +obtain individual and identifiable data on students +unless the request falls under the FERPA exceptions. +Furthermore, partners must sign a Non-Disclosure +Agreement with the district before receiving any data. If +a school-community partner has any agreement with +schools including memoranda of understanding, + + +Page 7: +Superintendent’s Circular ODA-03 +Page 7 of 11 + + +contracts for services, and/or school-based partnership +agreements, this must also be provided when +submitting a data request. Typical school-community +partner data requests include student demographics, +quarterly attendance, and course grades for consented +enrolled students. +Media +All media requests must go through the BPS +Communications Office. +Agencies +outside of BPS +Agencies may receive aggregate level de-identified data. +Any aggregate group of fewer than 10 students may be +suppressed to protect student privacy. + +PROCESS FOR REQUESTING DATA +To receive data according to the guidelines listed above, requests +must be submitted through the Office of Data and +Accountability’s Data Request Form. +In preparation for completing the form, please have the following +information available: +● Purpose/Use: how will the requested data be used? +● Intended Audience: with whom will you share the +data/analysis? Note: depending on the nature of the data +request, some data may not be appropriate for sharing +with the public. +● Summary of data request: please describe in detail what +data is being requested, including school years, student +population, student attributes, and data scope. + +Please note that if you are requesting data for a specific group of + + +Page 8: +Superintendent’s Circular ODA-03 +Page 8 of 11 + + +students, BPS student ID numbers or state-assigned student ID +numbers must be provided. Requests without ID numbers will +not be fulfilled. +After submitting the form, requesters will receive an automatic +confirmation email. If analysts have any clarifying questions, they +will reach out to the requester within 3-5 business days. While +ODA endeavors to fulfill all non-research requests within 15 +business days, high volume and more complex requests may +dictate a longer turnaround time. As such, we will attempt to +fulfill partner data requests with an already executed NDA within +15 business days; and, we will attempt to fulfill research requests +with a fully executed NDA within 25 business days. Please plan +accordingly when submitting a data request. The Office of Data +and Accountability reserves the right to deny certain data +requests. +► All requests from the media must go through the BPS +Communications Office. Communications can be +reached at 617-635-9265 or +communications@bostonpublicschools.org. +► All public records requests should be submitted through +the City of Boston’s online Public Records Center. +FEES FOR DATA REQUESTS +Some data requests may incur a fee, dependent on size, the time +required, and the scope of the request. Upon receipt of a data +request, the Office of Data and Accountability will communicate +with the requester and provide a fee estimate, if applicable. + +For additional information about this circular, contact: + + +Page 9: +Superintendent’s Circular ODA-03 +Page 9 of 11 + + +Owner +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9450 +Email: +rc069@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular ODA-03 +Page 10 of 11 + + +APPENDIX I: PUBLICLY AVAILABLE DATA +Overview of Boston Public Schools +● BPS At a Glance +● Facts and Figures +● Boston District Profile (MA DESE) +● BPS School Profiles (MA DESE) +● Data and Reports produced by the Office of Data and +Accountability +● School Committee Meetings Materials +Standardized test results +● MCAS results by school and district, with options to +disaggregate by subgroup and grade level +● PARCC results by school and district, with options to +disaggregate by subgroup +● NAEP results +● ACCESS results +Student Enrollment and Indicators +● Attrition +● Enrollment by Grade - Number of students by grade +● Enrollment by Kindergarten - Enrollment by Kindergarten +● Enrollment by Race/Gender - Percent of public school +students by race and gender. +● Enrollment by Selected Population - Number and percent +of public school students in subgroups: First Language +Not English (FLNE), English Language Learners (ELL), +Students with Disabilities, High Needs, and Low Income. +● Enrollment for Students with Disabilities and CVTE +● Mobility Rate Report - Students transferring into or out of +public schools, districts, or the state. + + +Page 11: +Superintendent’s Circular ODA-03 +Page 11 of 11 + + +● Student Attendance Report +● Student Retention Report +● Student Discipline - Student Discipline data is reported +from the Student Safety and Discipline Report (SSDR) +● Student Discipline Days Missed Report - Student +Discipline Days Missed Report +School Climate +● Reports can be found on the BPS website. +High School and Postsecondary Data +● Advanced Placement Participation - Number of students +who took one or more Advanced Placement exams for +each subject. +● Advanced Placement Performance - Number of students +who received each possible score on the Advanced +Placement exam for each subject. +● Dropout Report - This report provides the percentage of +Massachusetts public high school graduates who drop +out of high school. +● Graduates Attending Higher Ed. - Graduates Attending +Higher Ed. +● Graduation Rates - Percent of students who graduate +with a regular high school diploma within 4 or 5 years by +student group. +● MassCore - The Massachusetts High School Program of +Studies (MassCore) is intended to help our state's high +school graduates arrive at college or the workplace well +prepared and reduce the number of students taking +remedial courses in college. +● Plans of High School Grads +● SAT Performance + + diff --git a/data/data_txt/ODA-04 BPS Balanced Assessment System.txt b/data/data_txt/ODA-04 BPS Balanced Assessment System.txt new file mode 100644 index 0000000..0964af5 --- /dev/null +++ b/data/data_txt/ODA-04 BPS Balanced Assessment System.txt @@ -0,0 +1,377 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-04 +Version 01 + + + +BPS BALANCED ASSESSMENT SYSTEM +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Student assessment is an effective tool to support success inside +and outside of the classroom. Assessment takes many forms, and +it is the responsibility of all in the Boston Public Schools to use +the data that emerges from assessments to ensure that every +student receives what they need every day. +PURPOSE +The Boston Public Schools assessment system supports the +district's strategic goals of eliminating opportunity gaps and +accelerating learning. The assessment system: +● provides teachers, administrators, students, parents, +the district, and the community with ongoing +information regarding student progress in relation to +state frameworks. +● ensures all our students are prepared for college, +career, and life. +A balanced assessment system includes formative and +summative assessments that provide information on the +classroom, school, and district levels and is responsive to needs at +each of these levels. + + +Page 2: +Superintendent’s Circular ODA-04 +Page 2 of 7 + + + +1. At the classroom level, the assessment system provides +teachers with data on students’ strengths and needs so that +teachers may develop lessons that respond to individual +differences. +2. At the school level, the assessment system provides school +leaders and instructional leadership teams with data to help +them measure school success based on school and district +goals: +a. Assess the effectiveness of curriculum, instruction, and +professional development programs. +b. Work with teachers to develop strategies that attend +to priority areas. +3. At the district level, the assessment system provides district +leaders with information that allows them to determine if +the system, individual schools, and central departments are +making progress regarding the district’s long-term teaching +and learning goals. Information is needed to assess the +effectiveness of specific initiatives being implemented to +achieve those goals, to implement effective practices, and to +eliminate practices that are unsuccessful. Quality +information allows comparisons across programs, schools, +and classrooms to be data-driven and equitable. +ASSESSMENT EXPECTATIONS +For SY24-25, district assessment expectations will maintain its +instructional focus on Equitable Literacy across all content areas +to strengthen equitable Multi-Tiered System of Support (MTSS), +laying a strong Tier 1 infrastructure to become a fully inclusive +district and expand access to bilingual/native language + + +Page 3: +Superintendent’s Circular ODA-04 +Page 3 of 7 + + + +instruction. As BPS more consistently implements effective +equitable literacy practices, the data provided by assessments +will inform educators to meet the learning needs of all students. +These expectations are a minimum for schools; school +communities are encouraged to craft the assessment strategy +that supports their own work towards grade-level, standards- +aligned, culturally responsive instruction. +The following tables outline the formative and summative +assessments in use in Boston Public Schools during SY24-25, +including the purpose, grade level, participation expectation and +frequency. +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +PALS/ +Heggerty +Screener for all 4-year- +old students in K1 used +to understand student +progress in relation to +developmental +benchmarks. +K1 +Required +2x per +year +NWEA MAP +Reading +Fluency +Computer adaptive +universal screening tool +that assesses early +literacy skills, oral +reading fluency, and +reading +comprehension; DESE +approved dyslexia +screener. +K2–2 +Required +3x per +year +3 +Required +2x per +year + +(extended +test +windows) + + + +Page 4: +Superintendent’s Circular ODA-04 +Page 4 of 7 + + + +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +NWEA MAP +Reading +Growth +Computer adaptive +universal screening tool +that assesses reading +comprehension; +identifies what +students are ready to +learn next. +3 +Required +2x per +year + +4–11 +Required +3x per +year +NWEA MAP +Math Growth +Computer adaptive +universal screening tool +that assesses +mathematical skills; +identifies what +students are ready to +learn next. +3–11 +Required +3x per +year +Pre-IPT +Diagnostic measure of +English language +proficiency of pre- +school children whose +home language is not +English, in compliance +with federal law. +K0* +*ML +students +Required +1x per year +WIDA +Kindergarten +Screener +Diagnostic measure of +English language +proficiency in +compliance with +federal law for English +Language Learners. +K1* +*ML +students +Required +1x per year + + +Page 5: +Superintendent’s Circular ODA-04 +Page 5 of 7 + + + +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +Interim +Assessments +in ELA and +Math +Standard-aligned +assessment to measure +student access to +grade-level content. +2–11 +Strongly +Recommended +2x per +year +Interim +Assessments +in Science +Standard-aligned +assessment to measure +student access to +grade-level content; +unit-based. +3 - 10 +Strongly +Recommended +3x per +year +Language +Acquisition +(TBD) +Standard-aligned +assessment to measure +English language +acquisition +K2-12* +*EL +students +TBD +2x per +year + +Additionally, all district supported curricula include ongoing, +curriculum-embedded, formative assessments (classroom tasks +and formal assessments) to provide real-time information to +educators about what students have learned and are ready to +learn next. +BPS SUMMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expec- +tation +Fre- +quency +MCAS +Annual assessment of grade +level content standards for +state and federal +accountability. +3 - 8, High +School +Required +1x per +year + + +Page 6: +Superintendent’s Circular ODA-04 +Page 6 of 7 + + + +BPS SUMMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expec- +tation +Fre- +quency +ACCESS for +ELLs +Annual assessment for EL +students; measures English +language proficiency and +progress in compliance with +federal law. +K2 - 12* +*EL +students +Required +1x per +year +SAT +A standardized assessment +that assesses mathematics +and evidence-based +reading/writing; used by most +colleges and universities to +make admissions decisions. +11 +Strongly +Recom- +mended +1x per +year +PSAT/ +NMSQT +A standardized assessment +that assesses much of the +same content (evidence-based +reading/writing and +mathematics) that is on the +SAT; +10, 11 +Strongly +Recom- +mended +1x per +year +AP +Standardized exams designed +to measure how well students +have mastered the content +and skills of a specific AP +course. +10 - 12* +*students +in AP +courses +Strongly +Recom- +mended +1x per +year + + +For more information about this circular, contact: + + +Page 7: +Superintendent’s Circular ODA-04 +Page 7 of 7 + + + +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/ODA-05 BPS Survey Administration Guidelines.txt b/data/data_txt/ODA-05 BPS Survey Administration Guidelines.txt new file mode 100644 index 0000000..99de20c --- /dev/null +++ b/data/data_txt/ODA-05 BPS Survey Administration Guidelines.txt @@ -0,0 +1,363 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-05 +Version 01 + + + +BPS SURVEY ADMINISTRATION GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +A federal statute, the Protection of Pupil Rights Amendment +(PPRA), 20 U.S.C. §1232h, affords some protections for students +and their parents before certain student surveys are conducted. +Many student surveys, however, will not come within the scope of +this statute. Please assess each student survey carefully before +administering it to determine if this policy applies. A student +survey that is anonymous or voluntary need not comply with the +following policy. Additionally, a student survey that is not +developed or administered with funds received from the United +States Department of Education also does not need to comply +with this policy. +For those student surveys that are developed or administered +using federal education funds and in which a student is required +to participate, the following policy applies. This policy applies to +those surveys that ask a student to reveal any of the following +information: political affiliation; mental illness or psychological +problems; sexual behavior and/or attitudes; illegal, self- +incriminating, and demeaning behavior; critical appraisals of +close family members; relationships to which a privilege is +recognized, such as clergy, medical doctors, or attorneys; +religious affiliations or beliefs; and income, other than for + + +Page 2: +Superintendent’s Circular ODA-05 +Page 2 of 10 + + + +eligibility for participation in a program. Prior to administering +such a survey, the student’s parent or guardian must consent, in +writing, to the student’s participation in the survey. Also, a copy +of the survey must be made available to the parent or guardian. +Any such survey should also be brought to the attention of the +Office of Legal Advisor. +PERCEPTION SURVEYS +Student, teacher, and family surveys are an effective tool to +support success inside and outside of the classroom. These +surveys are required district-wide; however, schools and +programs may choose to administer additional surveys (please +see further down for guidance about administering additional +surveys). It is the responsibility of all in the Boston Public Schools +to use the data that emerge from the surveys to ensure that +every student receives what they need every day. +Purpose +The Boston Public Schools’ climate, culture, and feedback surveys +support the district strategic goals of eliminating opportunity +gaps and accelerating learning. The surveys: +● provide teachers, administrators, students, parents, the +district, and the community with information +regarding climate, culture, engagement, and student +learning. +● are utilized to assess criteria for inclusion as a Family +Friendly School. + + +Page 3: +Superintendent’s Circular ODA-05 +Page 3 of 10 + + + +● are included in measures to calculate school scores for +the School Quality Framework and assignment tiers for +the Home-based Student Assignment System. +A robust survey system includes surveys that provide information +on the classroom, school, and district levels and is responsive to +needs at each of these levels. +● At the classroom level, the student feedback survey +provides teachers with data on student’s perceptions +of instruction and classroom climate, so that teachers +may create formative goals to better meet the learning +needs of their students. +● At the school level, the surveys provide school leaders +and leadership teams with data to help them measure +school success in relation to school and district goals; +assess engagement and the creation of a safe and +welcoming environment; and work with teachers to +develop strategies that attend to priority areas. +● At the district level, the surveys provide district leaders +with information that allows them to determine if the +system, individual schools, and central departments +are making progress regarding the district’s long term +strategic goals. Information is needed to assess the +effectiveness of specific initiatives being implemented +to achieve those goals, to implement effective +practices, and to eliminate practices that are +unsuccessful. Quality information allows comparisons +across programs, schools, and classrooms to be data- +driven and equitable. + + +Page 4: +Superintendent’s Circular ODA-05 +Page 4 of 10 + + + +Administration Expectations +Perception survey administration is required for students, staff, +teachers, and families in Boston Public Schools during SY24-25. +BPS administers the Student, Family, Teacher, and Staff Surveys +through Panorama. Communications are sent centrally; however, +school-based outreach makes the difference for many families! +School leaders and coordinators have access to response rate +tracking and completion lists via Panorama's platform. In +addition, survey coordinators and school leaders are offered +training and resources for administration prior to the survey +window. +The following table outlines the surveys required for students, +staff, teachers, and families in Boston Public Schools during +SY24-25, including the purpose, grade level, and administration +windows. Specific dates are included in the annual assessment +calendar released during summer 2024. + + + + +Page 5: +Superintendent’s Circular ODA-05 +Page 5 of 10 + + + + +BPS Districtwide Surveys +Survey +Purpose +Grade +Adminis- +tration +Window +Student +Climate +and +Feedback +Surveys +Assesses perceptions of pedagogical +effectiveness, rigorous expectations, +relationships, engagement, +classroom climate, school culture & +community, belonging, mindset, +school safety, and more +3-12 +Mid-Year: +December +Spring: April- +May +Senior Exit +Survey +Collects information regarding +student postsecondary plans and +overall experience in high schools. +Gradua- +ting +Seniors +April-June +Teacher +Climate +Survey +Assesses perceptions of school +climate, culture, relationships, peer +victimization, school leadership, +professional learning, etc +All +Mid-Year: +December +Spring: April- +May +Staff +Climate +Survey +Assesses perceptions of school +climate, culture, relationships, peer +victimization, and school leadership +All + +Spring: April- +May +Family +Climate +Survey +Assesses perceptions of school +climate, culture, school +communication, school fit, school +safety, engagement, etc. +All +Spring: April- +May + + + +Page 6: +Superintendent’s Circular ODA-05 +Page 6 of 10 + + + +Accessing Results +Teachers and other school staff can access results in Panorama: +secure.panoramaed.com. (Select “Sign in with Google” and +choose your BPS email to log in). Results should be reviewed and +considered with respect to how they may impact planning and +adjustments, and the alignment with your School Improvement +90 Day Action Plan: specifically, the Student Culture and Adult +Culture goals. Resources to support are available in Panorama +Academy. +To ensure the data is a reasonable representation of their student +population, school-level results are only shown if (1) the response +rate is greater than 10%; and (2) there are at least 7 responses to +ensure student confidentiality. Support is available through +Panorama at support+bps@panoramaed.com. +ADMINISTERING SURVEYS TO MULTIPLE SCHOOL +COMMUNITIES OR WITHIN THE CENTRAL OFFICE +The above guidelines and recommendations are to support the +administration of surveys to students, families, and school staff. +The remainder of this circular describes the process that will be +used to create and administer surveys for central office staff or +multiple school communities. To reduce the number of surveys +that staff are required to respond to, the Office of Data and +Accountability will review all surveys prior to their administration. +Please refer to the BPS survey calendar for existing surveys and +their timelines, if available. The process below describes how +these offices will review survey creation and administration. +Step 1: Survey Request Process + + +Page 7: +Superintendent’s Circular ODA-05 +Page 7 of 10 + + + +If your office is interested in administering a survey to staff +outside of your department, you will need to submit a survey +request form to the Office of Data and Accountability. The form +will collect information on: +● the goals and objectives of the survey +● decisions the survey is meant to inform +● tabulations and analytics results that will inform the +decision +● confirmation that this information is not already being +collected in other surveys +● audience and users (especially if intended to for any +outside agencies) +● research approval requirement, if any +● sensitivity of data being collected and any necessary +security protections +● ideal timeline for the survey/form to be administered +as it relates to instructional priorities +● +● ideal method for distribution. +Depending on the targeted survey population, surveys should be +scheduled in coordination with any standing district surveys to +mitigate overlap. Departments or teams must share the reasons +for collecting information and how this information will be used. +Whether responding to the collection of information is +mandatory or voluntary, each team should take into +consideration the timeline of requested responses in relation to +other district required training, surveys, and events. + + +Page 8: +Superintendent’s Circular ODA-05 +Page 8 of 10 + + + +Step 2: Consultation +Once you have submitted your survey request form, the Office +Data and Accountability will meet with you to review your +request and determine whether it is appropriate and distinct +from other survey collection tools already in use by the district. If +the survey is approved to be administered, the Office of Data and +Accountability will be able to recommend a level of support for +creating and administering the survey. Examples of ODA support +may include, but are not limited to, item and domain +creation/review, sampling strategy, survey administration timing, +communication; design, hosting, and analysis of collected data. + + + + +Page 9: +Superintendent’s Circular ODA-05 +Page 9 of 10 + + + +Step 3: Data Analysis and Dissemination of Information +A plan for analysis of the survey data should be provided prior to +initiating the collection of data. Teams are expected to keep +detailed documentation of activities and decisions informed by +the data collected. Departments should plan to identify which +portions of their evaluation will be shared with participants. High +visibility data, such as results that will be shared with the public, +the School Committee, and/or School Committee task +force/working groups should be shared with the Offices of the +Superintendent and Data and Accountability to interpret results +from the analysis and inform the process for future recurring +surveys. +BEST PRACTICES FOR SURVEYS AND DATA COLLECTION +1. Shorter surveys will lead to increased response rates. +Limiting the number of questions in a survey will increase +the response rate and improve your overall ability to collect +feedback. Surveys should be designed to minimize the +respondent’s time and ideally designed to be completed on +a mobile device in 3-5 minutes. +2. Minimize open response answers. +Open response answers (short or paragraph) will increase +the amount of time it takes to complete a survey and can +lead to degraded response quality. Using drop- +down/checkbox options as much as possible will improve +your survey response rates and allow for easier data analysis. +3. Do not collect data that we already have. + + +Page 10: +Superintendent’s Circular ODA-05 +Page 10 of 10 + + + +A common practice when designing surveys is to ask for +data that we already have in a data system, such as names, +grade levels, school name, etc. However, this increases the +time to complete the survey and increases risk of data leak if +the responses are not safeguarded. Collecting a +respondent’s email address or emp/student ID number +should be sufficient for identifying the person afterwards +and additional identifying information that is already +contained in a BPS data system should be used during +analysis. +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.txt b/data/data_txt/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.txt new file mode 100644 index 0000000..746bb5b --- /dev/null +++ b/data/data_txt/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.txt @@ -0,0 +1,528 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-06 +Version 01 + + + +PARTICIPATION GUIDELINES FOR TESTING ENGLISH +LEARNERS ON STATEWIDE ASSESSMENTS +This circular will remain in effect unless rescinded or superseded +by a subsequent versions. +The purpose of this circular is to provide schools with the +Massachusetts Department of Elementary and Secondary +Education (MA DESE) guidelines for testing English Learner (EL)1 +students on statewide assessments. +DEFINITION +According to MA DESE, an EL student is a student whose native +language is not English, and currently unable to perform ordinary +classroom tasks in English. An EL student also scores less than +proficient on an English language proficiency assessment. When +a student has been identified as an EL according to MA DESE and +U.S. Department of Justice requirements, a student retains this +designation, regardless of their program setting until they meet + +1 English Learner (EL) refers to a specific subset of Multilingual +Learners (MLs) who are classified as English learners. This term is +used in federal and state laws, regulations, and policies. For more +information, see MA DESE’s Guidance on English Learner +Education Services and Programming, page 5, available at +https://www.doe.mass.edu/ele/guidance/. + + +Page 2: +Superintendent’s Circular ODA-06 +Page 2 of 13 + + + +state exit criteria2. Students who meet the exit criteria must be +reclassified as Former English Learners (FELs). +PARTICIPATION REQUIREMENTS FOR EL STUDENTS +Federal and state laws require that all EL students participate in +statewide assessments. Massachusetts students will meet the +requirements of these laws by participating in both the MCAS +and ACCESS for ELLs tests. +EL Participation Requirements in Statewide Assessments + + +ACCESS +Grades K2-12 +MCAS +ELA +Math +Science +and +Tech/Eng +First-Year +EL +Students3 +Required only for +K2-12 grade +students entering +Optional4 +Required +Required + +2 Students must score 4.2+ overall and 3.9+ in literacy on ACCESS +for ELLs to be reclassified as former English learners (FELs). MA +DESE will release Alternate ACCESS exit criteria in fall 2024. +3 Results for first year EL students are not included in MCAS +school and district summary results or in state accountability +reporting. +4 Optional, provided that the student has participated in ACCESS +for ELLs testing. This first year exemption shall be applied one +time. + + +Page 3: +Superintendent’s Circular ODA-06 +Page 3 of 13 + + + +before ACCESS +for ELLs testing is +completed +All Other +EL +Students +Required +Required +Required +Required + + + + + +Page 4: +Superintendent’s Circular ODA-06 +Page 4 of 13 + + + +ACCESS FOR ELLS AND ALTERNATE ACCESS FOR ELLS +All EL students must be assessed annually to measure their +English language proficiency and progress in learning English in +the four domains of reading, writing, listening, and speaking. +Students in grades K2-12 who are identified as EL must +participate in ACCESS for ELLs testing or the Alternate ACCESS +for ELLs for their grade. This requirement applies regardless of +the number of years a student has been enrolled in U.S. schools +and whether their parent or guardian has an approved request to +opt-out of ESL services. The following students must participate: +● students who were reported as EL in the October 2024 SIMS, +and +● students who enroll in school after the October 2024 SIMS +submission and prior to February 7, 2025 who will be +reported as EL in the March 2025 SIMS. +Foreign exchange students who are coded as #11 under DOE013 +“Reason for Enrollment” in SIMS must participate in an ACCESS +for ELLs test, if they are reported as English learners. They are also +required to participate in the MCAS tests specified for the grade +in which they are reported. +ALTERNATE ACCESS FOR ELLS +This is the state’s alternate English language proficiency +assessment for EL students in grades K2-12. This assessment is +designed specifically for those EL students with the most + + +Page 5: +Superintendent’s Circular ODA-06 +Page 5 of 13 + + + +significant cognitive disabilities5 who are unable to meaningfully +participate in ACCESS for ELLs, as indicated in the student’s IEP. +This paper-based assessment is uniquely designed to monitor +students’ progress in acquiring academic English. +MCAS +EL students must participate in all MCAS tests scheduled for their +grades, regardless of the language program and services they are +receiving or the amount of time they have been in the United +States. The one exception applies to first-year EL students who +enrolled in U.S. schools after March 1, 2025 and who were not +reported in the March 2024 SIMS report, for whom only MCAS +ELA testing in Spring 2025 is optional. +Note: EL students in high schools need to pass MCAS tests as a +state requirement for graduation. There are opportunities for +retesting if students do not pass MCAS the first time. + + + +5 For more information, see +https://www.doe.mass.edu/mcas/access/participation- +guidelines.html. + + +Page 6: +Superintendent’s Circular ODA-06 +Page 6 of 13 + + + +ASSESSMENT TESTING WINDOWS +The testing windows for administering the SY2024-2025 annual +assessments in Boston Public Schools are listed below: + SY 2024-25 Dates State Assessment +Nov. 6- 7 +November 2024 MCAS HS ELA Retests +Nov. 12-13 +November 2024 MCAS HS Mathematics Retests +Jan. 6- Feb. 14 +2025 ACCESS for ELLs +Feb. 4- 5 +February 2025 MCAS HS Biology and +Introductory Physics Tests +Mar. 6 & 7 +March 2025 MCAS HS ELA Retests +Mar. 11- 12 +March 2025 MCAS HS Mathematics Retests +Mar. 24 Apr. 18 +Spring 2025 MCAS Grades 3-8 ELA Test +Mar. 25-26 +Spring 20254 MCAS Grade 10 ELA Test +Mar. 28 +2025 MCAS Alternate Assessment (MCAS-Alt) +Submission Deadline +Apr. 28-May 23 +Spring 2025 MCAS Grades 3-8 Mathematics & +Grades 5&8 STE Tests +Apr. 28- June 6 +Spring 2025 MCAS Grade 8 Civics Test +May 20 21 +Spring 2025 MCAS Grade 10 Mathematics Test +June 4-5 +Spring 2025 MCAS High School STE Tests + +Note: dates are based on the State Initial Release of the 2024–25 +MCAS and ACCESS for ELLs Testing Schedule, as of 5/15/2024. +These dates are not considered final until confirmed by DESE. + + + + +Page 7: +Superintendent’s Circular ODA-06 +Page 7 of 13 + + + +GUIDELINES FOR ASSESSING EL STUDENTS IN THEIR FIRST 12 +MONTHS OF ENROLLMENT IN U.S. SCHOOLS +For recently arrived ELs who have been enrolled in a U.S. school +for the first time after March 1, 2024, and who were not reported +in the March 2024 SIMS report, the following apply: +1. The participation in ACCESS for ELLs or Alternate ACCESS +for ELLs testing is required, provided that the student +enrolls in school before February 7, 2025. +2. The participation in Spring 2025 MCAS ELA assessment6 is +not required but is recommended for student diagnostic +purposes only. Testing in MCAS ELA is strongly encouraged +to be considered an opportunity for students in high school +grades to earn a passing score for graduation requirements. +3. For students expected to participate in statewide +assessments, non-participation in ACCESS and MCAS testing +negatively impacts the school and district accountability. + + + +6 ELA testing is also optional for EL students from Puerto Rico +who are in their first year of enrollment in a Massachusetts +school. + + +Page 8: +Superintendent’s Circular ODA-06 +Page 8 of 13 + + + +SCHOOL AND DISTRICT REPORTING FOR EL STUDENTS +Reporting +Measure + +First Year ELs +(1st year in any U.S. school) + +All Other ELs +(Regardless of +number of years +enrolled in BPS) +Students Reported +in the district’s +October 2024 SIMS +or enrolled before +February 7, 2025 +Students +Enrolled after +February 7, 2025 +Assessment +Participation +Rate for +MCAS ELA is +based on +ACCESS +Students are +expected to take +the ACCESS test to +be counted in the +school MCAS +participation rate +for ELA. Regardless, +student’s +participation in the +MCAS ELA test is +optional. + +If a student does +not participate in +ACCESS testing, the +student counts as +‘non-participant’ for +MCAS in the +Students count +as participants +regardless of +participation in +MCAS ELA +testing. ACCESS is +not required if a +student enrolled +at the end of the +testing window. + +Students are +expected to take +the ACCESS test +to be counted in +the school MCAS +participation rate +for ELA. +Otherwise, the +student counts +against the +school MCAS +participation rate +for ELA. + +MCAS ELA testing +is not optional. + + + + +Page 9: +Superintendent’s Circular ODA-06 +Page 9 of 13 + + + +Reporting +Measure + +First Year ELs +(1st year in any U.S. school) + +All Other ELs +(Regardless of +number of years +enrolled in BPS) +Students Reported +in the district’s +October 2024 SIMS +or enrolled before +February 7, 2025 +Students +Enrolled after +February 7, 2025 +school's MCAS ELA +participation rate. +Accounta- +bility +Determina- +tions +Students’ MCAS results7 are not +included in the accountability +calculations. For first year ELs who +participate in ELA testing, results will be +provided at the school level and will be +used for Competency Determination +purposes for high school students. +Students’ MCAS +results are +included in the +accountability +calculations. + + + + +7 First-year EL students must participate in MCAS Mathematics +and Science and Technology/Engineering tests, although results +will be reported for diagnostic purposes only and students’ +results will not be included in school and district summary results +or in state accountability reporting. + + +Page 10: +Superintendent’s Circular ODA-06 +Page 10 of 13 + + + +PROVIDING APPROPRIATE TESTING ACCOMMODATIONS TO ELS +Testing accommodations involve changes to testing procedures, +testing materials, or the testing situation to allow students +meaningfully participate in an assessment. However, testing +accommodations must not alter the test construct or the test +content being measured. +Testing accommodations for ELs are designed to address their +unique linguistic needs during the normal process of English +language acquisition. When appropriately assigned, testing +accommodations offer ELs the opportunity to demonstrate +knowledge in a subject, regardless of their English language +proficiency level. This provides schools and divisions with an +accurate picture of an EL’s content area achievement. +EL students may be eligible for testing accommodations on +MCAS assessments. Certain testing accommodations may be +more appropriate for ELs at a particular language proficiency and +for certain MCAS assessments. Decisions about accommodations +for EL students should be made by the Language Acquisition +team of educators familiar with the student. These decisions +should be documented as described in the MA DESE MCAS +Accessibility and Accommodations Manual. +The following accommodations are available to ELs, with or +without disabilities, on MCAS tests: + + + + +Page 11: +Superintendent’s Circular ODA-06 +Page 11 of 13 + + + +Accommodation +Applicability +Paper-based edition +(EL1) +May be administered to a first year EL student +with a low level of English proficiency or an EL +student who has little or no familiarity with +technology (student does not use a computer +routinely). +Authorized Bilingual +Word-to-Word +Dictionary and +Glossary (if available) +(EL2)8 +List of authorized English/Native Language +dictionaries (also available to Former ELs). +Bilingual dictionary use for MCAS tests is strictly +limited to those that provide word-to-word +translations. Dictionaries that include definitions, +synonyms, antonyms, phrases, and other +information are prohibited. Electronic dictionaries +are not allowed. +Text-to-speech (TTS) +(EL3.1) + +Next-generation computer-based Mathematics, +grades 5 and 8 Science and Technology/ +Engineering (STE) and/or high school Biology or +Introductory Physics tests +Human read-aloud +(EL3.2) +Next-generation computer-based or paper-based +Mathematics and/or Science and Technology/ + +8 The use of DESE approved word-to-word bilingual dictionaries is +strongly encouraged if students have demonstrated usage with +need in accessing the native language definition. Some students +with limited academic proficiency in their native language may +find the dictionary usage a deterrent or a barrier to access the +definition and translation. School teams are advised to use +professional judgment in assessing the need based on the +individual learner. + + +Page 12: +Superintendent’s Circular ODA-06 +Page 12 of 13 + + + +Accommodation +Applicability +Engineering tests or legacy Mathematics or ELA +Composition retests +Scribe (including +human scribe or +speech-to-text) (EL4.1, +EL4.2) +Mathematics and/or STE tests or legacy ELA +Reading Comprehension retest +English/Spanish test +version for +Math/Biology/Physics +only (EL7) +Intended only for a Spanish-speaking EL student +who has been in the U.S. for less than 3-years; +Available in computer- and paper-based formats. + + +The student should be introduced to an accessibility feature or +accommodation as early as possible in the school year, prior to +the assessment. Accessibility features and accommodations are +intended to remove barriers and allow EL students to +demonstrate their knowledge and skills more effectively and +should never be provided for the first time on a statewide +assessment. +Please consider the following resources available: +● MA DESE MCAS and ACCESS Participation Requirements +● MA DESE Authorized Bilingual Word-to-Word Dictionaries +and Glossaries for Use by ELs and FELs on MCAS +● MA DESE MCAS Accessibility and Accommodations Site +IDENTIFYING FIRST YEAR EL STUDENTS + + +Page 13: +Superintendent’s Circular ODA-06 +Page 13 of 13 + + + +A list of the identified first year ELs, students who have been in +the U.S. for less than 12 months and are actively enrolled in your +school, can be retrieved through SIS (ASPEN). On the ‘Student’ +tab in the field set menu, filter for “First Year in U.S. Schools LEP +Student.” A report will be generated based on the school +enrollment up to the date of retrieval. +In January 2025, the Office of Data and Accountability will flag +these students in the SR/PNP file uploaded on the Spring 2025 +testing platform. Schools may later export this file to identify the +First Year EL students. New first year EL students enrolled after +January 2025 will not be coded in the file, but schools can identify +them in ASPEN. +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/ODA-07 Required Documentation to Withdraw Students.txt b/data/data_txt/ODA-07 Required Documentation to Withdraw Students.txt new file mode 100644 index 0000000..3c98b43 --- /dev/null +++ b/data/data_txt/ODA-07 Required Documentation to Withdraw Students.txt @@ -0,0 +1,404 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-07 +Version 01 + + + +REQUIRED DOCUMENTATION TO WITHDRAW +STUDENTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +This circular lists the documentation schools are required to +obtain when withdrawing students and includes information on +monitoring processes conducted by the central office. +For the last several years, Boston Public Schools has been under a +state audit regarding our documentation of student withdrawals. +Auditors found that we collect insufficient documentation of +students categorized as withdrawals. The audit finding has been +upgraded to a “material weakness,” which is a more severe +finding. Lack of action could result in loss of federal funds (e.g., +Title 1) and/or the City’s overall credit rating. The Systemic +Improvement Plan required the district to revise withdrawal +procedures and implement controls for monitoring. All +administrative school staff (school leaders, registrars, or any +school administrator whose responsibilities involve enrolling or +withdrawing students) are required to complete asynchronous +training at the 2024 Management and Operations Institute. +OVERVIEW OF REQUIRED DOCUMENTATION +This section seeks to clarify what documentation is required and +acceptable. Schools can use this template to document + + +Page 2: +Superintendent’s Circular ODA-07 +Page 2 of 9 + + + +interactions with families and upload along with supporting +documentation or with a family signature. Your school may use +your own template as long as it contains the necessary +information and has been approved by the central office (contact: +student-withdrawal@bostonpublicschools.org). +ACCEPTABLE DOCUMENTATION TYPES FOR STUDENTS +WITHDRAWING INCLUDES: +1. A written request for a student’s records from a receiving +public or private high school or an educational program +(that culminates in a regular high school diploma). This +includes requests from the receiving school that come to +the district through Scrib Order. +2. Written record of a response from an official receiving +school or program acknowledging the student’s enrollment. +3. Written confirmation from a parent or guardian that their +student has moved to another state or country and will be +continuing their education. +4. Written confirmation from a parent/guardian updating the +school enrollment status of their child, including indication +that they will be continuing their education elsewhere. +5. Letter from the BPS Office of Expanded Learning Time, +indicating an approved Educational Plan for homeschooling. +6. Record from the state's data system (Edwin DESE Security +Portal - Central Office Process) + + + + +Page 3: +Superintendent’s Circular ODA-07 +Page 3 of 9 + + + +If you do not have the above documentation at the time of +withdrawal, the student must be withdrawn as a dropout. See +Appendix for a table of withdrawal codes with acceptable +matching documentation. +REQUIRED ELEMENTS OF SUFFICIENT WITHDRAWAL +DOCUMENTATION FOR A TRANSFER STUDENT INCLUDE: +1. Date when the transfer occurred or was confirmed, +including the year. +2. Identifiable name of the student withdrawing +3. Identifiable information for who is confirming the +withdrawal, such as the parent name or receiving school +registrar’s email address +4. Indication that the student is continuing their education +elsewhere +a. New school name is ideal but not required. Stating a +student will enroll in a school elsewhere is sufficient if +the new school name is not known. +Withdrawal documentation must be uploaded to the student +record in Aspen at the time of the withdrawal in a non-editable +format, such as a PDF, screenshot, scanned handwritten & signed +withdrawal form or letter. Word documents, Aspen journal +entries, travel tickets or itineraries are not acceptable forms of +documentation to confirm a transfer. +MONITORING AND ACCOUNTABILITY +School leaders will be required to identify a primary point of + + +Page 4: +Superintendent’s Circular ODA-07 +Page 4 of 9 + + + +contact at their school for withdrawal related processes. +Additionally, school leaders will be required to sign off that they +have reviewed student records and that sufficient +documentation exists for each student’s withdrawal code. This +sign off will align with the October state reporting period. Central +office staff will hold office hours and be available to answer +questions that may arise at this time period and will +communicate these dates via the Friday Flyer and Weekly Recap. +Additionally, the central office team will be conducting periodic +audits to confirm sufficient documentation is in place: Fall, Mid- +Year, End of Year. Supervisors of attendance will be included as a +resource to support schools in gathering the necessary +documentation during review periods. +For questions and support, please contact the following: +General Questions +student-withdrawal@bostonpublicschools.org +Technical Questions +about Aspen +Kevin Arias, karias@bostonpublicschools.org +Graduation and +Dropout Reporting +Apryl Clarkson, +aclarkson@bostonpublicschools.org +Student Attendance +Requirements +Brian Marques, +bmarques@bostonpublicschools.org +School Specific +Questions +Supervisors of Attendance, Regional +Operational Leader and then School +Superintendent + + + +Page 5: +Superintendent’s Circular ODA-07 +Page 5 of 9 + + + +TECHNICAL RESOURCES +Withdrawal Code Guidance +How to Update Withdrawal Codes in Aspen +How to Upload Documents in Aspen +"Did Not Report" Protocol for Students with IEPs + +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9450 +Email: +student- +withdrawal@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + +Page 6: +Superintendent’s Circular ODA-07 +Page 6 of 9 + + + +APPENDIX A: TRANSFER CODES WITH REQUIRED +DOCUMENTATION +BPS +Code +BPS Description +State +Code +State +Description +Required +Documen- +tation Type +06 +Mass. Public Boston Resident +20 +Transferred — +In state public +1, 2, 4 + +09 +EOY Flip Record +10 +Batch Assignment process school +change +12 +Mass. Public Non-Boston Resident +42 +Discharged to Charter School +43 +Discharged to Virtual School - Mass +Public +98 +Residency Violation +99 +Discharged - Student ID Error +01 +Boston Parochial +21 +Transferred — +In state private +1, 2, 4 +03 +Mass. Parochial Non-Boston +Resident +04 +Mass. Parochial Boston Resident +07 +Mass. Private (Non-Parochial) +Boston Resident +11 +Boston Private (Non-Parochial) +13 +Mass. Private (Non-Parochial) Non- +Boston Resident +15 +Home (*KINDERGARTEN ONLY) +44 +Discharged to Virtual School - Mass +Private +19 +Out of Country +22 + +Transferred — +Out-of-State +(public or +private) +1, 2, 3, 4 +14 +Out of State +1, 2, 4 +45 +Discharged to Virtual School - Out +of State +1, 2, 3, 4 + + +Page 7: +Superintendent’s Circular ODA-07 +Page 7 of 9 + + + +05 +Home Schooled +23 +Transferred — +Home-school +5 +30 +Adult Diploma Program +24 +Transferred — +Adult diploma +program +leading to MA +diploma +1, 2, 4 +SS +No longer receiving special ed +services only +41 +Transferred — +no longer +receiving +special +education +services only. + + + + + + +Page 8: +Superintendent’s Circular ODA-07 +Page 8 of 9 + + + +APPENDIX B: NON-TRANSFER WITHDRAWAL CODES +BPS +Code +BPS Description +State +Code +State Description +17 +Graduate +04 +Graduate with a Competency +Determination +95 +Expelled from BPS +05 +Expelled +96 +Expelled from Other School +System +97 +Multiple Expulsions +16 +Death +06 +Deceased +18 +Student Reached Maximum +Age (22 yrs.) +09 +Reached maximum age did not +graduate or receive a Certificate +of Attainment +33 +Certificate of Attainment +10 +Certificate of Attainment +31 +Grade 12 - Met local +requirements/Did not pass +MCAS +11 +Completed grade 12 and district- +approved program. (District does +not offer a Certificate of +Attainment) +23 +GED +30 +Dropout — Enrolled in a non- +diploma granting adult education +or HiSET program +27 +Non-Diploma Educational +Program (non GED) +32 +Job Corps +31 +Dropout — Entered Job Corps +22 +Military Service +32 +Dropout — Entered the military +28 +Incarcerated +33 +Dropout — Incarcerated district +no longer providing educational +services +21 +Work +34 +Dropout — Left due to +employment +24 +Over 16/No plans known +35 +Dropout — Confirmed Dropout +plans unknown +25 +Illness +26 +Married Pregnant or Parenting +51 +Registered - Did Not Report +36 +Dropout — and/or student + + +Page 9: +Superintendent’s Circular ODA-07 +Page 9 of 9 + + + +52 +Moved - No Forwarding Address +status/location unknown +D1 +DNR More Than 8 Days + + + + + diff --git a/data/data_txt/OIIT-01 Acceptable Use Policy.txt b/data/data_txt/OIIT-01 Acceptable Use Policy.txt new file mode 100644 index 0000000..95b4759 --- /dev/null +++ b/data/data_txt/OIIT-01 Acceptable Use Policy.txt @@ -0,0 +1,421 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +OIIT-01 +Version 01 + +ACCEPTABLE USE POLICY AND GUIDELINES +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Guidelines for Implementation of Acceptable Use Policy for +Digital Information, Communication, and Technology Resources +SCOPE OF POLICY +Boston Public Schools (BPS) provides access to technology +devices, Internet, and data systems to employees and students +for educational and business purposes. This Acceptable Use +Policy (AUP) governs all electronic activity of employees using +and accessing the district’s technology, internet, and data +systems regardless of the user’s physical location. +GUIDING PRINCIPLES +• Online tools, including social media, should be used in our +classrooms, schools, and central offices to increase +community engagement, staff and student learning, and +core operational efficiency. +• BPS has a legal and moral obligation to protect the personal +data of our students, families, and staff. +• BPS should provide a baseline set of policies and structures +to allow schools to implement technology in ways that meet +the needs of their students. All students, families, and staff + + +Page 2: +Superintendent’s Circular OIIT-01 +Page 2 of 13 + +must know their rights and responsibilities outlined in the +Acceptable Use Policy and government regulations. +• Nothing in this policy shall be read to limit an individual’s +constitutional rights to freedom of speech or expression or +to restrict an employee’s ability to engage in concerted, +protected activity with fellow employees regarding the +terms and conditions of their employment. +COMPLIANCE REQUIREMENT FOR EMPLOYEES +The Acceptable Use Policy is reviewed annually by the BPS Chief +Information Officer and is issued via the Superintendent’s +Circular. Technology users are required to verify that they have +read and will abide by the Acceptable Use Policy annually. +STUDENT AUP & CONTRACT +Copies of the Acceptable Use Policy and the student contract for +Internet use are included in the Guide to Boston Public Schools +for Families & Students, given to all students at the beginning of +the school year. The Student Contract for Internet Use must be +completed and signed by all students and their parent/guardian +after going over the AUP together. The signed contract must be +returned to the school before the student may begin using the +Internet. +CONSEQUENCES OF BREACH OF POLICY +Use of all BPS technology resources is a privilege, not a right. By +using BPS internet systems and devices, the user agrees to follow +all BPS regulations, policies, and guidelines. Students and staff +are encouraged to report misuse or breach of protocols to +appropriate personnel, including building administrators, direct + + +Page 3: +Superintendent’s Circular OIIT-01 +Page 3 of 13 + +supervisors, and the Office of Instructional and Information +Technology (OIIT). Abuse of these privileges may result in one or +more of the following consequences: +• Suspension or cancellation of use or access privileges. +• Payments for damages or repairs. +• Discipline under appropriate School Department policies, up +to and including termination of employment, subject to any +collective bargaining obligations. +• Liability under applicable civil or criminal laws. +DEFINITIONS +Freedom of Information Act (FOIA) - The FOIA is a law that allows +for the release of government documents at the request of an +individual. A FOIA request can be made to the Boston Public +Schools for electronic documents/communications stored or +transmitted through district systems unless that information +could be detrimental to governmental or personal interests. For +more information, visit http://www.foia.gov/ +Family Educational Rights and Privacy Act (FERPA) - The FERPA +law protects the privacy, accuracy, and release of information for +students and families of the Boston Public Schools. Personal +information stored or transmitted by agents of the Boston Public +Schools must abide by FERPA laws and the BPS is required to +protect the integrity and security of student and family +information. For more information, visit +http://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html +Children’s Internet Protection Act (CIPA) - Requires schools that +receive federal funding through the E-Rate program to protect + + +Page 4: +Superintendent’s Circular OIIT-01 +Page 4 of 13 + +students from content deemed harmful or inappropriate. The +Boston Public Schools is required to filter internet access for +inappropriate content, monitor the internet usage of minors, and +provide education to students and staff on safe and appropriate +online behavior. +COMMUNICATION & SOCIAL MEDIA +Employees and students are provided with district email +accounts and online tools to improve the efficiency and +effectiveness of communication, both within the organization +and with the broader community. Communication should be +consistent with professional practices used for all +correspondence. When using online tools, members of the BPS +community will use appropriate behavior: +a) when acting as a representative or employee of the Boston +Public Schools. +b) when the communication impacts or is likely to impact the +classroom or working environment in the Boston Public +Schools. +All communication sent by an employee using district property +or regarding district business could be subjected to public access +requests submitted through Freedom of Information Act (FOIA). +Users need to be aware that data and other material/files +maintained on the school district’s systems may be subject to +review, disclosure, or discovery. Use of personal email accounts +and communication tools to conduct school business is strongly +discouraged and may open an individual’s personal account to +be subject to FOIA inquiries. BPS will cooperate fully with local, +state, and federal authorities in any investigation concerning or + + +Page 5: +Superintendent’s Circular OIIT-01 +Page 5 of 13 + +related to any illegal activities or activities not in compliance with +school district policies or government regulations. +GUIDELINES FOR ONLINE COMMUNICATION +• Communication with students should not include content +of a personal nature. +• When communicating with parents/guardians of students, +employees should use email addresses and phone numbers +listed in the Student Information System (SIS) unless steps +have been taken to verify that the communication is +occurring with a parent/guardian that has educational +rights for the student. +• When communicating with a parent/guardian, refrain from +discussing any non-related students when possible. +• Employees who use internal or external social media (blogs, +X/Twitter, etc.) are expected to refrain from discussing +confidential information and/or discussing specific students. +Information that can be traced back to a specific student or +could allow a student to be publicly identified should not be +posted on any social media sites. +• When using social media, employees are expected to refrain +from posting any negative comments online about +students. +• Employees are required to notify their principal/headmaster +before setting up an online site to facilitate student learning. +Employees are encouraged to monitor/moderate online +communication to the best of their abilities. +• Employees are advised not to add any students/former +students or parents as ‘friends’ or contacts on social media + + +Page 6: +Superintendent’s Circular OIIT-01 +Page 6 of 13 + +unless the site is specifically set up to support classroom +instruction or school business. +• Employees may communicate with BPS graduates (+18 +years old) on social media but should be advised to maintain +professionalism and caution when communicating online. +• Employees are advised not to add parents/guardians of +students as ‘friends’ or contacts on social media to maintain +professionalism and to avoid any appearance of conflict of +interest. +• Avoid responding to spam or phishing attempts that require +a user to click on any links or to provide any account +information. Note: BPS will never ask for a user’s account +password for any purpose. Users are advised to report any +suspicious requests for account information directly to the +OIIT Help Desk (617-635-9200). +SOLICITATION +Web announcements and online communication promoting a +business are prohibited by the BPS Solicitation Policy. The +Superintendent’s Office may make exceptions if benefits are +judged sufficient to merit exception. + + + + +Page 7: +Superintendent’s Circular OIIT-01 +Page 7 of 13 + +USE OF COPYRIGHTED MATERIALS +Violations of copyright law that occur while using the BPS +network or other resources are prohibited and have the potential +to create liability for the district as well as for the individual. BPS +staff and students must comply with regulations on copyright +plagiarism that govern the use of material accessed through the +BPS network. +Users will refrain from using materials obtained online without +requesting permission from the owner if the use of the material +has the potential of being considered copyright infringement. +BPS will cooperate with copyright protection agencies +investigating copyright infringement by users of the computer +systems and network of the Boston Public Schools. +NETWORK USAGE +Network access and bandwidth are provided to schools for +academic and operational services. BPS reserves the right to +prioritize network bandwidth and limit certain network activities +that are negatively impacting academic and operational services. +Users are prohibited from using the BPS network to access +content that is inappropriate or illegal, including but not limited +to content that is pornographic, obscene, illegal, or promotes +violence. +NETWORK FILTERING & MONITORING +As required in the Children’s Internet Protection Act (CIPA), BPS +is required to protect students from online threats, block access +to inappropriate content, and monitor Internet use by minors on +school networks. OIIT is responsible for managing the district’s + + +Page 8: +Superintendent’s Circular OIIT-01 +Page 8 of 13 + +Internet filter and will work with the BPS community to ensure +the filter meets the academic and operational needs of each +school while protecting minors from inappropriate content. +By authorizing use of technology resources, BPS does not +relinquish control over materials on the systems or contained in +files on the systems. There is no expectation of privacy related to +information stored or transmitted over the BPS network or in +BPS systems. BPS reserves the right to access, review, copy, store, +or delete any files (unless other restrictions apply) stored on BPS +computers and all employee and student communications using +the BPS network. Electronic messages and files stored on BPS +computers or transmitted using BPS systems may be treated like +any other school property. District administrators and network +personnel may review files and messages to maintain system +integrity and, if necessary, to ensure that users are acting +responsibly. BPS may choose to deploy location tracking software +on devices for the sole purpose of locating devices identified as +lost or stolen. +PERSONAL USE +BPS recognizes that users may use BPS email, devices, and +network bandwidth for limited personal use; however, personal +use should not interfere with or impede district business and/or +cause additional financial burden on the district. Excessive use or +abuse of these privileges can be deemed in violation of the +Acceptable Use Policy. + + + + +Page 9: +Superintendent’s Circular OIIT-01 +Page 9 of 13 + +NETWORK SECURITY +The BPS Wide Area Network (WAN) infrastructure, as well as the +building-based Local Area Networks (LANs) are implemented +with performance planning and appropriate security measures in +mind. Modifications to an individual building network +infrastructure and/or use will affect LAN performance and will +reduce the efficiency of the WAN. For this reason, any additional +network electronics including, but not limited to, switches, +routers, and wireless access points must be approved, purchased, +installed, and configured solely by OIIT to ensure the safety and +efficiency of the network. Users are prohibited from altering or +bypassing security measures on electronic devices, network +equipment, and other software/online security measures without +the written consent of the chief information officer. +DATA & SYSTEMS +Access to view, edit, or share personal data on students and +employees maintained by BPS central offices, individual schools, +or by persons acting for the district must abide by local, state, +and federal regulations, including the Family Educational Rights +and Privacy Act. Student and staff information and data may only +be shared with individuals deemed eligible to have access by the +person(s) responsible for oversight of that data. Outside parties +and/or non-BPS individuals requesting protected data must +receive approval from the Office of the Legal Advisor and have a +non-disclosure agreement with the BPS. Individuals requesting +ongoing access to data through BPS systems are required to +have a designated BPS administrator who will act as a “sponsor” +to ensure the safety of the data. + + +Page 10: +Superintendent’s Circular OIIT-01 +Page 10 of 13 + +ELECTRONIC TRANSMISSION OF DATA +When educational records or private data are transmitted or +shared electronically, staff are expected to protect the privacy of +the data by password-protecting the record/file and only using +BPS systems to transmit data. Staff are also expected to ensure +records are sent only to individuals with a right to said records +and must take reasonable measures to ensure that only the +intended recipients are able to access the data. +PASSWORDS +Users are required to adhere to password requirements set forth +by the Boston Public Schools and the City of Boston when +logging into school computers, networks, and online systems. +Users are not authorized to share their password and must use +extra caution to avoid email scams that request passwords or +other personal information. +MEDIA & STORAGE +All local media (USB devices, hard drives, CDs, flash drives, etc.) +with sensitive data must be securely protected with a password +and/or encrypted to ensure the safety of the data contained. Use +of cloud-storage services for storage or transmission of files +containing sensitive information must be approved by the Office +of the Legal Advisor and OIIT. Users are encouraged to use BPS +approved data/information systems for the storage and +transmission of sensitive data whenever possible and avoid +storage on local hardware that cannot be secured. + + + + +Page 11: +Superintendent’s Circular OIIT-01 +Page 11 of 13 + +ELECTRONIC DEVICES +BPS defines electronic devices as, but not limited to, the +following: +• Laptop and desktop computers, including like-devices +• Tablets +• Wireless email and text-messaging devices, i.e., iPod +• Smartphones +• Donated devices +DEVICE SUPPORT +BPS provides basic installation, synchronization, and software +support for BPS-issued electronic devices. Devices must be +connected to the BPS network on a regular basis to receive up- +to-date software and antivirus updates and for inventory +purposes. Password protection is required on all BPS-issued +electronic devices to prevent unauthorized use in the event of +loss or theft. Users are responsible for making periodic backups +of data files stored locally on their devices. +LOSS/THEFT +Users must take reasonable measures to prevent a device from +being lost or stolen. In the event an electronic device is lost or +stolen, the user is required to immediately notify appropriate +school staff and/or their direct supervisor, local authorities, and +the OIIT Service Desk (617-635-9200). The BPS will take all +reasonable measures to recover the lost property and to ensure +the security of any information contained on the device. +RETURN OF ELECTRONIC DEVICES + + +Page 12: +Superintendent’s Circular OIIT-01 +Page 12 of 13 + +All technology purchased or donated to the BPS is considered +district property, and all equipment assigned to employees or +students must be returned prior to leaving their position or +school. All equipment containing sensitive information and data +must be returned directly to OIIT before it can be redeployed. +PERSONAL ELECTRONIC DEVICES +The use of personal electronic devices is permitted at the +discretion of the principal/head of school and chief information +officer. The BPS is not responsible for the maintenance and +security of personal electronic devices and assumes no +responsibility for loss or theft. The district reserves the right to +enforce security measures on personal devices when used to +access district tools and remove devices found to be in violation +of the AUP. +ENERGY MANAGEMENT +BPS strives to reduce our environmental footprint by pursuing +energy conservation efforts and practices. The district reserves +the right to adjust power-saving settings on electronics to reduce +the energy consumption. +TECHNOLOGY PURCHASING & DONATIONS +Technology hardware and software must be purchased or +donated through OIIT unless prior approval has been received by +OIIT and the Business Office. All technology purchases and +donations must abide by City procurement policies and are +subject to approval by OIIT. Technology pricing can include +additional expenses required to ensure proper maintenance and +security, including but not limited to warranties, + + +Page 13: +Superintendent’s Circular OIIT-01 +Page 13 of 13 + +hardware/software upgrades, virus protection, and +security/inventory software. Schools or departments applying for +technology grants, funding, or donations must budget for any +additional expenses associated with the requested technology +and can be held responsible for any additional expenses incurred. +For more information about this circular, contact: +Name: +Director of Technology +Department: +Office of Instructional and Information +Technology +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9199 +Fax: +617-635-9176 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/OIIT-02 Procuring Digital Products Guidance Document.txt b/data/data_txt/OIIT-02 Procuring Digital Products Guidance Document.txt new file mode 100644 index 0000000..a62176a --- /dev/null +++ b/data/data_txt/OIIT-02 Procuring Digital Products Guidance Document.txt @@ -0,0 +1,160 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +OIIT-02 +Version 01 + + + +PROCURING DIGITAL PRODUCTS GUIDANCE +DOCUMENT +This circular will remain in effect unless rescinded or superseded by a +subsequent version +PURPOSE +This document is intended to provide guidance to Boston Public +Schools (BPS) staff on the process to procure new digital learning +technologies that use student education records or staff +information. The overarching guidance is that schools and central +office departments should continue to use already-vetted digital +products that are included with the Google Enterprise suite of +tools or those that are included in Clever. +DEFINITIONS +Digital Tool - Any digital products or learning tools that are used +to enhance or improve workflows that do not store or maintain +data/information. Examples include applications like +Smartsheets, Chrome Extensions, or personal notation tools. +These tools are exempt from this circular. +System - Any digital platform that purposely built to store, +maintain, or transfer sensitive student or staff data/information. +Examples include Aspen or EdPlan. + + +Page 2: +Superintendent’s Circular OIIT-02 +Page 2 of 5 + + + +Platform - A suite of tools and programs that allow users to +create structures to maintain information. Examples include +Google Apps, Salesforce, or Wordpress. +Learning Application - Any digital tool used in a classroom +setting that may contain content and student +information/progress. Learning applications may fall into multiple +categories, depending on how they are used, but any tool that +contains content and tracks student learning should be +considered a learning app for the purpose of this document. +Examples include Imagine Learning. +CONTEXT +BPS staff seeking online learning products or receiving offers to +use online learning products to support instruction in a digital +space has resulted in the desire to use products that may not be +aligned to BPS instructional standards, do not comply with our +technical specifications, or do not adhere to data sharing +guidelines under FERPA. Our district is committed to ensuring +that appropriate educational supports and effective learning +opportunities are provided to students. As such, this document +will outline guidance for the appropriate review of digital +learning tools in BPS. The guidelines outlined below are created +to ensure that product confidentiality and security practices +meet or exceed industry standards and adhere to the +expectations contained in the federal Family Education Rights +and Privacy Act (FERPA), the Children’s Online Privacy Protection +Act (COPPA), the Protection of Pupil Rights Amendment (PPRA), +and HIPAA regulations. This document describes the +considerations schools and central office staff should employ + + +Page 3: +Superintendent’s Circular OIIT-02 +Page 3 of 5 + + + +around protecting student data and education records, when +selecting digital learning tools. +GUIDANCE FOR BPS STAFF PROCURING DIGITAL PRODUCTS +Any tools or products that are procured (paid for or free) by +schools or departments for schoolwide or districtwide use need +to comply with the FERPA school official exception criteria1 and +specifications for technical interoperability. Exceptions are made +for tools that do not track/store/maintain student or staff +information. For example, a Chrome Extension that magnifies the +screen does not fall under these guidelines since it will not be + +1 Performs an institutional service or function for which the +educational agency or institution would otherwise use its own +employees; +Has been determined to meet the criteria set forth in in the +educational agency’s or institution’s annual notification of +FERPA rights for being a school official with a legitimate +educational interest in the education records or PII; +Is under the direct control of the educational agency or +institution regarding the use and maintenance of the education +records or PII; and +Uses the education records or PII only for authorized purposes +and does not re-disclose the education records or PII to other +parties (unless the provider has specific authorization from the +educational agency or institution to do so and it is otherwise +permitted by FERPA). See 34 CFR §99.31(a)(1)(i). + + +Page 4: +Superintendent’s Circular OIIT-02 +Page 4 of 5 + + + +accessing any sensitive information. New requests for products +should: +1. Meet the district’s technical specifications +2. Have signed or sign a data privacy agreement +3. Aligned to the Essentials for Instructional Equity +4. Serve a purpose that is distinct from currently available tools +within the district. +PROCESS FOR SUBMITTING A SPENDING APPROVAL FOR THE +DIGITAL LEARNING PRODUCT +Before a new digital learning product will be integrated, the +following steps need to be completed: +1. Review the Essentials for Instructional Equity for alignment. +2. Have the vendor submit an NDA Request to receive and sign +the MA Student Data Privacy Agreement and Technology +Specifications Template. +3. Once fully executed, follow the procurement process as +outlined in the BUSINESS SERVICES GUIDE. +4. Once the product is procured, email the BPS Clever Admin +at cleveradmin@bostonpublicschools.org + + + + + + + +Page 5: +Superintendent’s Circular OIIT-02 +Page 5 of 5 + + + +For more information about this circular, contact: +Name: +Director of Technology +Department: +Office of Instructional and Information +Technology, Office of Data & Accountability +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9200 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/OIIT-03 Technology Purchasing, Acquisition & Return Guide.txt b/data/data_txt/OIIT-03 Technology Purchasing, Acquisition & Return Guide.txt new file mode 100644 index 0000000..c852624 --- /dev/null +++ b/data/data_txt/OIIT-03 Technology Purchasing, Acquisition & Return Guide.txt @@ -0,0 +1,155 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +OIIT-03 +Version 01 + +TECHNOLOGY PURCHASING, DONATIONS & +RETURN GUIDE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +PURPOSE +This document is intended to provide guidance on the +technology purchasing process, acceptance of technology +donations, and the return of technology. +TECHNOLOGY PURCHASING +All requests to procure technology that must be added to the +BPS network should be submitted to BPSTechnology (OIIT) +through the Technology Purchasing Request (Form 40), +regardless of funding source. Please visit the BPSTechnology +Purchasing Menu for technology options, pricing, and the +request form. If you’re not sure if a request form should be +submitted, please feel free to reach out. +Technology listed on the menu has been evaluated by +BPSTechnology (OIIT) experts based on industry standards, +district priorities, and school needs. Most technologies come with +the standard BPS image, and we guarantee service and support +for the equipment. Competitive pricing has been negotiated with +vendors, contracts are already in place, and BPS purchasing +guidelines have been met. + + +Page 2: +Superintendent’s Circular OIIT-03 +Page 2 of 5 + + +If you do not find what you are looking for on the menu, please +reach out. While most technologies are standardized across the +district, we may be able to get them with different specifications +(i.e. memory, storage). If you are considering technology that +cannot be supported by BPSTechnology (OIIT), please: +• examine compatibility with existing systems and digital +applications, +• be conscious of any software licensing or subscriptions +needed, +• understand the warranty coverage and how repairs will be +handled, +• ensure training is available on use and integration of the +technology, +• arrange for shipment, delivery, assembly, and installation if +necessary, +• follow the procurement process (see Business Services +Guide), and +• plan ahead to meet implementation and procurement +timelines. +BPSTechnology (OIIT) reserves the right to decline requests for +the procurement of technology. +Before submitting your request, please be sure sufficient funding +is available in technology accounts (55903, 55905, and 55907). If +paying by check/BEDF, please wait to make payment. +BPSTechnology (OIIT) will provide you with payment instructions +once the request has been reviewed and approved. + + + +Page 3: +Superintendent’s Circular OIIT-03 +Page 3 of 5 + +Only school/department leaders who are authorized by the +superintendent to make budget decisions can submit requests +to purchase technology. However, we encourage staff to work +with leaders to make technology decisions that will benefit +schools/departments as a whole. +Public funds cannot be used to provide a prize or gift to an +individual. Under the Anti-Aid Amendment of our State +Constitution and by order of the Massachusetts Supreme Judicial +Court, money raised by taxation (i.e., public money) can be used +only for public purposes and not for the advantage of private +individuals. +DONATIONS +Schools receiving technology donations from outside vendors or +partners should contact BPSTechnology (OIIT) prior to receipt for +a comprehensive consultation. Donations can differ from +BPSTechnology (OIIT) standards but must meet the minimum +system requirements for the device. All donations of technology +are the property of the Boston Public Schools and, as such, must +adhere to the same policies regarding purchased equipment. +After consultation, BPSTechnology (OIIT) reserves the right to +decline donations if they do not meet the minimum system +requirements or require additional support or resources beyond +the means of the district. +There may be additional costs associated with software, re- +imaging, repair, and maintenance. All donated computers must +be re-imaged with the standard image before being used by +students or staff to ensure that existing data/information can be +removed, and the necessary security and management software + + +Page 4: +Superintendent’s Circular OIIT-03 +Page 4 of 5 + +can be installed. +Materials funded through DonorsChoose.org are the property of +the public school at which the teacher is employed when +resources are shipped. The teacher who created the project is the +sole steward of the donation while employed at the school, +carrying out the project for which the materials were donated. +For more information, go to DonorsChoose.Org Materials +Ownership Policy. +RETURNS +All technology (laptops, desktops, cell phones, tablets, desk +phones, etc.) must be returned to BPSTechnology (OIIT) for +reimaging or recycling. Any BPSTechnology (OIIT) staff member +at either the Bolling Building or Campbell Resource Center can +collect technology and provide an electronic receipt to the +employee and RC manager, if requested. If re-imaged, the device +is held until the purchasing school/department reassigns the unit +and/or provides us with further instruction. +Technology cannot be transferred from one employee to another. +All computers, phones, and tablets must be returned to +BPSTechnology (OIIT) so that data can be properly archived and +destroyed before it is redistributed to another employee. Hard +drive contents will be archived according to the City of Boston +Records Retention Schedule by the director of records +management. Once data is archived and destroyed, the RC +manager can direct BPSTechnology (OIIT) to redeploy the +technology to another employee in their RC. +For more information about this circular, contact: + + +Page 5: +Superintendent’s Circular OIIT-03 +Page 5 of 5 + +Name: +Director of Technology Business Operations +Department: +OIIT / BPS Technology +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9190 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/SAF-01 Student Search Procedures.txt b/data/data_txt/SAF-01 Student Search Procedures.txt new file mode 100644 index 0000000..088fd5e --- /dev/null +++ b/data/data_txt/SAF-01 Student Search Procedures.txt @@ -0,0 +1,221 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-01 +Version 01 + +STUDENT SEARCH PROCEDURES +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +School leaders, principals, and other administrative personnel are +responsible for enforcing the Student Code of Conduct and for +establishing a safe and secure environment for learning in the +schools under their supervision. The United States Supreme +Court in the case of New Jersey v. T.L.O., 469 U. S. 325 (1985) has +issued a decision that affects how school personnel may enforce +school rules and maintain an atmosphere conducive to teaching +and learning. +The Supreme Court’s decision established constitutional +standards for student searches by school officials and school +employees. Specifically, the Court ruled that the Fourth +Amendment to the United States Constitution, which prohibits +unreasonable searches and seizures by government employees, +is not violated when public school administrators and teachers +conduct student searches if there are reasonable grounds to +believe that the search will yield evidence of either a violation of +law, a violation of school rules, or both. +In announcing its ruling, the Court rejected the school board’s +argument that school officials, like parents, are exempt from the +requirements of the Fourth Amendment. At the same time, the +Court rejected the student’s claim that school officials must +obtain warrants or meet the more rigorous “probable cause” +standard, applicable to searches by law enforcement officials, +before conducting student searches on school property. Rather, + + +Page 2: +Superintendent’s Circular SAF-01 +Page 2 of 6 + +the Court struck a balance between the student’s legitimate +expectations of privacy in the school setting and the school’s +equally legitimate need to maintain an environment in which +learning can take place. The Court held that the “legality of a +search of a student should depend simply on the reasonableness, +under all the circumstances, of the search.” +To be legal, a student search must be reasonable in two respects. +First there must be reasonable suspicion to believe that the +student has in their possession evidence tending to show either a +violation of law or a violation of school rules. To reasonably +suspect something, school officials must have facts of sufficient +quantity and certainty to establish that the suspicion is likely to +be true. Mere suspicion, hearsay, or a single isolated fact, +unsupported by further evidence, is generally not enough to +meet the reasonable suspicion standard. Second, the scope of +the search must be reasonable in relation to the intrusion on the +student’s privacy. There must be a likelihood that the area +searched will yield the item(s) being sought. +The determination of whether a search is reasonable is a +question of judgment without definite benchmarks. School +officials must exercise common sense and good judgment to +ensure that student searches conform to the “reasonableness” +standard. +In conducting student searches, school personnel should adhere +to the following guidelines: +1. Only administrators who are authorized under Boston +Public Schools’ Code of Conduct to suspend students from +school should conduct student searches. The authority to +conduct student searches should be limited to school +leaders, principals, other administrative officials, and +personnel specifically designated by school leaders, heads of + + +Page 3: +Superintendent’s Circular SAF-01 +Page 3 of 6 + +schools, principals, and other administrative personnel to +suspend students. +2. If the school administrator believes that a student may have +in their possession a firearm, weapon, dangerous object, or +drugs, or otherwise fears that a search would jeopardize +their safety, the administrator should not search the student +until the student has notified the Safety Services +Department to be present during the search. +It should be noted that the Supreme Court specifically did +not decide in the T.L.O. case what standard should apply to +student searches conducted by school officials in +conjunction with or at the behest of a law enforcement +agency. However, the Court noted that the higher standard +of “probable cause” has been applied to student searches +involving law enforcement agencies by a lower federal +court. Thus, it may be expected that Massachusetts courts +will closely scrutinize student searches conducted by school +officials in conjunction with police officers. Consequently, +such searches may be deemed reasonable only if based +upon the more stringent probable cause standard. However, +the presence of a police officer or safety specialist for the +purpose of ensuring the safety of the administrator should +not alone trigger the higher standard. +3. Authorized personnel should search only students of the +same sex. All searches must be conducted in the presence +of another staff member of the same sex, who shall serve as +a witness. A male administrator may not search a female +student. If a female administrator is not available to search a +female student, the administrator may designate another +female staff member to conduct the search. If a male +administrator is not available to search a male student, the + + +Page 4: +Superintendent’s Circular SAF-01 +Page 4 of 6 + +administrator may designate another male staff member to +conduct the search. It is important to emphasize that +searches must always be done by a staff member of the +same sex, and must always be done in the presence of a +witness of the same sex. +4. Before conducting a student search, the administrator must +be confident that the reasonableness standard, as outlined +by the T.L.O. decision (The United States Supreme Court in +the case of New Jersey v. T.L.O., 469 U. S. 325) has been +satisfied. +5. The manner and method of the search should be tailored to +the circumstances. The scope of the search normally should +be limited to those areas and objects that could reasonably +be expected to contain the item(s) being sought. The basis +for the suspicion that a student possesses evidence of a +violation of the law or school rule should increase in direct +proportion to the extent of the intrusion upon the student’s +privacy in conducting the search. A body search of a student +requires a higher level of suspicion than a search of a +student’s book bag. + +In determining whether and how to conduct a student +search, school officials must consider such factors as the +danger posed by the object being sought; the likelihood of +the evidence being disposed of or destroyed; and the age, +sex, and prior disciplinary record of the student. The more +serious the threat posed by the item(s) being sought, the +more likely a court will be to find the search reasonable. On +the other hand, it is likely that a court would strike down a +search that involved the wholesale rummaging through a +student’s personal property without individualized suspicion + + +Page 5: +Superintendent’s Circular SAF-01 +Page 5 of 6 + +that the student had violated either the law or school rules. +Student searches must not become general and +exploratory. +6. School Department employees are not allowed to conduct +strip searches. Strip searches are searches in which a +student is asked to remove articles of clothing that could +result in the exposure of undergarments. +7. An administrator should never use physical force in +attempting to conduct a search. If a student refuses to +submit to a search, the Department of Safety Services (617- +635-8000) should be called for assistance. +8. Searches of student lockers and desks, which remain the +property of the Boston Public Schools while used by +students, should be based upon reasonable grounds to +suspect that they will yield evidence of either violation of +law or school rules. Refer to Superintendent’s Circular SAF- +03 Locker Policy for related information. + +9. If a search by a school administrator yields evidence that a +law has been violated, the administrator should notify the +Department of Safety Services. +School leaders/principals must incorporate salient and pertinent +information from this memorandum into all school-based rules +and student handbooks. Students and parents must be informed +that such information serves as prior and ample notice of the +School Department’s procedure for student searches. The phrase +“prior and ample notice” is to be included in school-based rules +and student handbooks. + + + + +Page 6: +Superintendent’s Circular SAF-01 +Page 6 of 6 + +For more information about this circular, contact: +Name: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org +OR +Owner: +Deputy Chief of Safety Services +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SAF-02 Weapons and Objects of No Reasonable Use.txt b/data/data_txt/SAF-02 Weapons and Objects of No Reasonable Use.txt new file mode 100644 index 0000000..98b2153 --- /dev/null +++ b/data/data_txt/SAF-02 Weapons and Objects of No Reasonable Use.txt @@ -0,0 +1,135 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +SAF-02 +Version 01 + +WEAPONS AND OBJECTS OF NO REASONABLE USE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +The Code of Conduct lists as grounds for suspension or expulsion +the possession of any dangerous weapon, including but not +limited to a firearm, knife, razor blade, club, explosive, taser, stun +gun mace/pepper spray, tear gas, brass knuckles, studded +bracelet, other dangerous weapons, or dangerous objects of no +reasonable use to the student at school. (See Code of Conduct +Sections 7.4 and 14.13). +Heads of school and principals should note that as of January +1999, the Boston City Council enacted an ordinance restricting +the sale, possession, and use of laser pointer devices (Ord. 1999 c. +2 § 4)). As a result of that ordinance, persons under twenty-one +years of age are prohibited from possessing any laser pointer +device on any school property within the City of Boston. Laser +pens and other laser pointer devices are considered to be objects +of no reasonable use within the meaning of the Code of Conduct. +Students found in possession of such devices are subject to the +provisions of Section 7.4 of the code. Students may also be +subject to non-criminal court proceedings, under MGL, c.40, +s.21D. +Heads of school and principals must communicate to students +that the possession of any weapon or object of no reasonable use +in school, on the way to school, or during school-related activities + + +Page 2: +Superintendent’s Circular SAF-02 +Page 2 of 4 + +is strictly forbidden, and that violations of this rule will be dealt +with appropriately. Students must also be advised that under +certain circumstances when evidence exists of serious +misconduct outside of school — for example, a student’s being +charged with or convicted of a felony, such that the student’s +continued presence in school will have a substantial detrimental +effect on the general welfare of the school — these shall be +considered school related offenses and shall be dealt with in +accordance with Section 7.0 of the Code of Conduct. +Heads of school and principals must incorporate salient and +pertinent information from the above two paragraphs into all +school-based rules and student handbooks. Students and +parents must be informed that such information serves as prior +and ample notice of the School Department’s policy regarding +weapons and other objects of no reasonable use. The phrase +“prior and ample notice" is to be included in school-based rules +and student handbooks. +The Educational Reform Act of 1993 requires that all student +handbooks include the following information. Such information is +to be incorporated into all school-based rules as well. +1. Any student found in possession of a dangerous weapon, +including but not limited to a firearm or a knife; or found in +possession of a controlled substance, including but not +limited to marijuana, cocaine, or heroin, on school premises +or at a school sponsored or school related event, including +athletic games, may be subject to expulsion. + + +Page 3: +Superintendent’s Circular SAF-02 +Page 3 of 4 + +2. Any student who assaults a staff member on school +grounds, or at a school sponsored, or school related event, +including athletic games, may be subject to expulsion. +Massachusetts law requires all school staff personnel to report in +writing to their immediate supervisor any incident involving a +student’s possession or use of a dangerous weapon on school +premises, (MGL, c.71, s.31 L). Refer to MGL, c.269, s.10 and the Code +of Conduct for definitions of dangerous weapons. +If a dangerous weapon or an object of no reasonable use is +confiscated, the following steps are to be taken: +1. Each item is to be kept in the possession of the +administrator, who will notify the Department of Safety +Services immediately upon confiscation. If the item is a +firearm, the Boston Police are to be immediately notified by +telephone, using the 911 emergency line. School Department +personnel will comply with subsequent instructions issued +by the police. +2. Safety Services will hold items, other than firearms, making +them available for hearings, conferences, and court +proceedings for a reasonable period. +3. Following any parental conferences and court proceedings, +items which are classified as dangerous weapons under +MGL, c. 269, s.10 or MGL, c. 140, s.131 J shall be turned over to +the Boston Police by the Department of Safety Services. +4. In no instances will a dangerous weapon or an object of no +reasonable use be returned to a student. The Department of +Safety Services will be responsible for returning any + + +Page 4: +Superintendent’s Circular SAF-02 +Page 4 of 4 + +property not classified as a dangerous weapon to the parent +or legal guardian upon written request. +5. Objects of no reasonable use not claimed by a parent or +guardian within a reasonable period will be turned over to +the Boston Police Department for destruction. +All staff members are expected to meet the same standards that +hold for students. Employees of the Boston Public School are +prohibited from bringing firearms or other dangerous weapons +onto school property at any time. Except for law enforcement +officials, it is a violation under federal and state law for anyone to +bring a firearm, loaded or unloaded, into an elementary school, a +secondary school, or a college or university, even if that person is +otherwise licensed to carry a firearm. +For more information about this circular, contact: +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SAF-03 Locker Policy.txt b/data/data_txt/SAF-03 Locker Policy.txt new file mode 100644 index 0000000..d3ccf3a --- /dev/null +++ b/data/data_txt/SAF-03 Locker Policy.txt @@ -0,0 +1,119 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +SAF-03 +Version 01 + +LOCKER POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Consistent with the policy outlined in Superintendent’s Circular +SAF-02, Weapons and Objects of No Reasonable Use, this +memorandum explains the Boston Public Schools’ policy +regarding student locker searches. +All students and parents must understand that lockers are the +property of the Boston School Department, made available for +students’ use and convenience. Lockers remain the property of +the Boston School Department while being used by students. +School administrators, other school department personnel, +including but not limited to teachers, custodians, and school +police have authority to search student lockers; any personal +effects found within lockers; and places of concealment within +those personal effects. Students will be held accountable for the +contents of their lockers and the contents of their personal +effects. Any contraband or evidence of a crime found because of +a locker search will be turned over to the appropriate authorities. +The information from the above paragraph is to be included in all +school-based rules and all student handbooks. Students and +parents must be informed that such information serves as prior +and ample notice of the School Department’s student locker +policy. The phrase “prior and ample notice” is to be included in + + +Page 2: +Superintendent’s Circular SAF-03 +Page 2 of 4 + +school-based rules and student handbooks. +In implementing the locker policy, each school must adhere to +the following guidelines: +1. Each school will determine its own procedure for assigning +lockers and issuing padlocks and locker keys. This procedure +must be included in the school-based rules and student +handbook. Students must adhere to all school-based rules +pertaining to locker use. +2. Only school issued padlocks and locker keys are to be used. +All unauthorized padlocks are to be removed immediately +upon detection, and the locker and its contents immediately +searched by the school leader, principal, or designee. +3. Locker assignments are to be documented. This document +is to contain the student’s name and the appropriate master +key information or the padlock combination. This document +is to be kept in a secure but readily available place in the +main office of the school. +4. Students are not to share lockers, unless authorized by the +school leader, principal, or other building administrator. +5. All unused lockers are to be cleaned out and locked or +sealed to prevent unauthorized use. +6. School leaders and principals will arrange for periodic +inspection of lockers by school personnel, including at least +one general cleanup during the school year. Personal effects +removed from lockers are to be inventoried and reasonable +efforts made to return property to its owners. Contraband +and evidence of a crime is to be inventoried and turned over +to the appropriate public safety agency. + + +Page 3: +Superintendent’s Circular SAF-03 +Page 3 of 4 + +7. School leaders, principals, and other school department +personnel will conduct inspections of student lockers when +it has been reasonably determined that a safety or security +problem exists, or that there is reasonable suspicion that the +student has evidence in the locker tending to show either a +violation of the law or a violation of school rules. Personal +effects are to be inventoried and reasonable efforts made to +return property to its owner. Contraband and evidence of a +crime is to be inventoried and turned over to the +appropriate public safety agency. +8. Students whose lockers contain contraband or evidence of a +crime will be subject to the provisions of the Code of +Conduct and to the applicable criminal statutes. If +contraband or evidence of a crime is confiscated from a +student's locker, procedures detailed in Superintendent +Circular SAF-02, Weapons and Objects of No Reasonable +Use, cited above are to be followed. + + + + + + +Page 4: +Superintendent’s Circular SAF-03 +Page 4 of 4 + +For more information about this circular, contact: +Name: +Deputy Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SAF-04 Incident Data Reporting and Release (1).txt b/data/data_txt/SAF-04 Incident Data Reporting and Release (1).txt new file mode 100644 index 0000000..a51a67d --- /dev/null +++ b/data/data_txt/SAF-04 Incident Data Reporting and Release (1).txt @@ -0,0 +1,179 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-04 +Version 01 + +INCIDENT DATA AND NOTIFICATIONS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +It is Boston Public Schools’ policy that all building administrators +and responsibility center managers report all incidents +completely, promptly, and accurately to the Department of +Safety Services and appropriate public safety agencies. +Administrators and responsibility center managers must be +aware that often an incident occurring at one site may +precipitate a similar or related incident at another site. Timely +reporting of incidents will help ensure a prompt and appropriate +response by the School Department, public safety agencies, and +other agencies whose support may be required. + +In addition to reporting all incidents to the Department of Safety +Services, building administrators and responsibility center +managers must report all serious incidents to the +Superintendent’s Office and to the appropriate assistant +superintendent. Serious incidents are considered to be those that +require or precipitate the assistance of the Police Department, +Fire Department, Emergency Medical Services, or the +Department of Children and Families in other than a routine and +ancillary manner. Any situation that could result in the request +for the closing of a school building is also to be considered a +serious incident reportable to the Superintendent’s Office and +the appropriate assistant superintendent. Since personnel from +the superintendent’s staff work with city officials to address +many of these issues and the Office of Communications + + +Page 2: +Superintendent’s Circular SAF-04 +Page 2 of 4 + +coordinates responses to media inquiries, it is imperative that the +Superintendent’s Office be notified of serious incidents in a +timely manner. + +Building administrators and responsibility center managers must +immediately notify the appropriate public safety agency by way +of the 911 emergency telephone line of any situation that poses +imminent danger. These calls should be made by the on-site +administrator or manager using conventional or cellular +telephones. The School Department’s two-way radio system is +not designed to access 911 emergency services and should only +be used when conventional or cellular telephones are +unavailable. + +When accessing emergency services through the enhanced 911 +system, the caller must give the complete address, succinctly +state the nature of the problem, and follow any instructions +issued by the dispatcher. + +The following chart lists some typical incidents occurring on +School Department grounds, and the appropriate order of +notifications to be made. + + +Incident +Order of Notification +Arrest +Department of Safety Services, Police +Arson (or Attempt to +Burn) +Fire, Department of Safety Services, +Facilities +Assault +Department of Safety Services, Police +Bomb Threat +Police, Department of Safety Services, +Superintendent’s Office +Demonstration +Police, Department of Safety Services, +Superintendent’s Office + + +Page 3: +Superintendent’s Circular SAF-04 +Page 3 of 4 + +Drug Possession +Department of Safety Services, Police +Extortion +Department of Safety Services, Police +Facility Damage +Facilities, Superintendent’s Office, +Department of Safety Services +Larceny +Department of Safety Services, Police, +Facilities +Fire (No matter how +small) +Fire, Department of Safety Services, +Facilities +Medical Emergency +EMS, Department of Safety +Services,Superintendent’s Office (if +major event) +Police Assistance +(Unspecified) +Department of Safety Services, Police +Robbery +Department of Safety Services, Police +Sex Offense +Department of Safety Services, Police, +Superintendent’s Office, Equity +School Closings +(Emergency) +Superintendent’s Office, Department of +Safety Services, Police +Technical Assistance +(Safety and Security) +Department of Safety Services, Facilities +Threats +Department of Safety Services, BPD +School Unit +Trespassers +Department of Safety Services, Police +Vandalism +Department of Safety Services, Facilities +Weapons +Department of Safety Services, Police + +Administrators and responsibility center managers are to note +that requests from the media or from other parties for incident +reports, written statements, or other documents should be +referred to the Office of Legal Advisor at 617-635-9320. + + + +Page 4: +Superintendent’s Circular SAF-04 +Page 4 of 4 + +School leaders, principals, and program directors are reminded +that they are required to sign off on all incident reports prepared +by School Department employees (excluding Safety Services +reports), including but not limited to teachers and other school +staff. + +For related information, refer to: +● Superintendent’s Circular FMT-12, Report of Loss or Damage +Resulting from Fire, Theft, Vandalism, or Unlawful Acts +● Superintendent’s Circular FSE-01, School Safety / +Contingency Plans +● Superintendent’s Circular FSE-02, Fire Safety Practices. + +For more information about this circular, contact: + +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing +Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/SAF-04 Incident Data Reporting and Release.txt b/data/data_txt/SAF-04 Incident Data Reporting and Release.txt new file mode 100644 index 0000000..a51a67d --- /dev/null +++ b/data/data_txt/SAF-04 Incident Data Reporting and Release.txt @@ -0,0 +1,179 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-04 +Version 01 + +INCIDENT DATA AND NOTIFICATIONS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +It is Boston Public Schools’ policy that all building administrators +and responsibility center managers report all incidents +completely, promptly, and accurately to the Department of +Safety Services and appropriate public safety agencies. +Administrators and responsibility center managers must be +aware that often an incident occurring at one site may +precipitate a similar or related incident at another site. Timely +reporting of incidents will help ensure a prompt and appropriate +response by the School Department, public safety agencies, and +other agencies whose support may be required. + +In addition to reporting all incidents to the Department of Safety +Services, building administrators and responsibility center +managers must report all serious incidents to the +Superintendent’s Office and to the appropriate assistant +superintendent. Serious incidents are considered to be those that +require or precipitate the assistance of the Police Department, +Fire Department, Emergency Medical Services, or the +Department of Children and Families in other than a routine and +ancillary manner. Any situation that could result in the request +for the closing of a school building is also to be considered a +serious incident reportable to the Superintendent’s Office and +the appropriate assistant superintendent. Since personnel from +the superintendent’s staff work with city officials to address +many of these issues and the Office of Communications + + +Page 2: +Superintendent’s Circular SAF-04 +Page 2 of 4 + +coordinates responses to media inquiries, it is imperative that the +Superintendent’s Office be notified of serious incidents in a +timely manner. + +Building administrators and responsibility center managers must +immediately notify the appropriate public safety agency by way +of the 911 emergency telephone line of any situation that poses +imminent danger. These calls should be made by the on-site +administrator or manager using conventional or cellular +telephones. The School Department’s two-way radio system is +not designed to access 911 emergency services and should only +be used when conventional or cellular telephones are +unavailable. + +When accessing emergency services through the enhanced 911 +system, the caller must give the complete address, succinctly +state the nature of the problem, and follow any instructions +issued by the dispatcher. + +The following chart lists some typical incidents occurring on +School Department grounds, and the appropriate order of +notifications to be made. + + +Incident +Order of Notification +Arrest +Department of Safety Services, Police +Arson (or Attempt to +Burn) +Fire, Department of Safety Services, +Facilities +Assault +Department of Safety Services, Police +Bomb Threat +Police, Department of Safety Services, +Superintendent’s Office +Demonstration +Police, Department of Safety Services, +Superintendent’s Office + + +Page 3: +Superintendent’s Circular SAF-04 +Page 3 of 4 + +Drug Possession +Department of Safety Services, Police +Extortion +Department of Safety Services, Police +Facility Damage +Facilities, Superintendent’s Office, +Department of Safety Services +Larceny +Department of Safety Services, Police, +Facilities +Fire (No matter how +small) +Fire, Department of Safety Services, +Facilities +Medical Emergency +EMS, Department of Safety +Services,Superintendent’s Office (if +major event) +Police Assistance +(Unspecified) +Department of Safety Services, Police +Robbery +Department of Safety Services, Police +Sex Offense +Department of Safety Services, Police, +Superintendent’s Office, Equity +School Closings +(Emergency) +Superintendent’s Office, Department of +Safety Services, Police +Technical Assistance +(Safety and Security) +Department of Safety Services, Facilities +Threats +Department of Safety Services, BPD +School Unit +Trespassers +Department of Safety Services, Police +Vandalism +Department of Safety Services, Facilities +Weapons +Department of Safety Services, Police + +Administrators and responsibility center managers are to note +that requests from the media or from other parties for incident +reports, written statements, or other documents should be +referred to the Office of Legal Advisor at 617-635-9320. + + + +Page 4: +Superintendent’s Circular SAF-04 +Page 4 of 4 + +School leaders, principals, and program directors are reminded +that they are required to sign off on all incident reports prepared +by School Department employees (excluding Safety Services +reports), including but not limited to teachers and other school +staff. + +For related information, refer to: +● Superintendent’s Circular FMT-12, Report of Loss or Damage +Resulting from Fire, Theft, Vandalism, or Unlawful Acts +● Superintendent’s Circular FSE-01, School Safety / +Contingency Plans +● Superintendent’s Circular FSE-02, Fire Safety Practices. + +For more information about this circular, contact: + +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing +Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/SAF-08 Release of Students to Authorized Persons.txt b/data/data_txt/SAF-08 Release of Students to Authorized Persons.txt new file mode 100644 index 0000000..1dd6763 --- /dev/null +++ b/data/data_txt/SAF-08 Release of Students to Authorized Persons.txt @@ -0,0 +1,176 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +SAF-08 +Version 01 + +RELEASE OF STUDENTS TO AUTHORIZED PERSONS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +School leaders/principals must use extraordinary care in releasing +a child to a parent or guardian. Such care should be further +emphasized when an administrator has been informed that a +court order exists prohibiting release of that child to a certain +person or persons. It is essential to exercise extreme caution in +this area to prevent a parent or guardian from attempting to +remove a child from school. It is both essential and mandatory +that school leaders/principals regularly update the Student +Emergency Information Card (Form 460). +If telephone notification is received from a parent or guardian to +release a student to a third party, it is the responsibility of the +building administrator to verify. A suggested procedure is to ask +for the telephone number from which the party is calling, cross- +check that number with the information from the emergency +card, and then call the party back at that number. +School leaders/principals must require proper identification from +any person removing a child from school. No child is to be +released to anyone other than a custodial parent without the +parent's consent and proper identification. +School leaders/principals should note that the Department of +Children and Families (DCF) has statutory authority to take + + +Page 2: +Superintendent’s Circular SAF-08 +Page 2 of 5 + +immediate custody of any child if DCF has reasonable cause to +believe that such action is necessary to protect the child from +abuse or neglect. In such cases, the child will be brought before +the court on the next business day. Such emergency measures +are usually taken without the consent of the parent. However, +before school leaders/principals release any child to an agent of +the DCF, the agent should be required to present their official +photo identification and prepare a simple signed statement to +the effect that the Department of Children and Families is +exercising its authority to take immediate custody of the child on +the grounds of suspected abuse or neglect. +Under no circumstances should a child be sent to any location by +way of a taxicab, or any other transportation service based solely +on notification received by telephone. +School leaders/principals having doubts about the release of a +student should immediately contact the Boston Police +Department by calling 911 and Boston Public Schools Safety +Services Department at 617-635-8000. +There are some situations in which parents have authorized a +third party to transport their children to or from school on a +regular basis in a van, bus, or some vehicle other than that +assigned by the BPS Transportation Department. School leaders, +principals, and program directors must obtain written permission +from such parents authorizing alternative transportation +arrangements. The attached form, Parent Permission to Release +Student to Authorized Persons, must be completed by the parent +before administrators put a child into a vehicle operated by a +third party. + + +Page 3: +Superintendent’s Circular SAF-08 +Page 3 of 5 + +It is important to record the name of the driver, the name of the +bus company (if applicable), the type of vehicle, and the vehicle +registration number. School leaders, principals, and program +directors are to retain a copy of each completed form. +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 4: +Superintendent’s Circular SAF-08 +Page 4 of 5 + +PARENT PERMISSION TO RELEASE STUDENT TO +AUTHORIZED PERSONS + +The Boston School Department is concerned about the safety +and wellbeing of all students and consequently will release a +child to a third party (someone other than the parent or legal +guardian) only with the parent’s or guardian’s written +authorization. If you plan to release your child to a third party, +you must complete this form and return it to the principal of +your child’s school. + +Date_____________________________ +I, as parent or guardian, give permission for [print name of +student] + +to be transported to and/or from the [print name of school] + + + +by [name of third-party driver] + +from [start date] _________________ to [end date] +. + + + + +Page 5: +Superintendent’s Circular SAF-08 +Page 5 of 5 + +I further understand that [name of third-party driver] +________________________________________ will be responsible for my +child’s transportation services and safety. I release the Boston +School Department from any liability in case of any accident, +injury, and/or other claim as a result of the Boston School +Department releasing my child to the person or agency named +above. +Signature of Parent/Guardian: + +Home/Cell Phone Number: + +Work Phone Number: + +Address: + + + +Name of third-party company or individual: + + +Phone Number: + +Type of vehicle (check as appropriate): +☐ Van ☐ Bus ☐ Automobile ☐ Other Vehicle +Vehicle Registration Number: + + + diff --git a/data/data_txt/SAF-09 Lost Children Procedures.txt b/data/data_txt/SAF-09 Lost Children Procedures.txt new file mode 100644 index 0000000..8c30395 --- /dev/null +++ b/data/data_txt/SAF-09 Lost Children Procedures.txt @@ -0,0 +1,670 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-09 +Version 01 + + LOST CHILDREN PROCEDURES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +From time to time, students may be “lost” — that is, a student +leaves home in the morning but does not arrive at school, or a +student arrives at school but is missing later in the day, or the +student may leave school at dismissal and not arrive at home. The +following are standard procedures to follow whenever any of these +scenarios should happen. +STANDARD PROCEDURES +The first receiver of information will: + +• Gather as much information as possible from the person +reporting the lost child, including name, student number, +school address and phone number, bus stop, bus number, +names of friends/classmates, if known, clothing description, +and the name and phone number of the caller. +• Notify Safety Services: Inform the safety specialist assigned or +present at the building, and they will inform BSP dispatch. If +there is not a safety specialist at the school, the designated +school staff should call Safety Services dispatch at 617-635- +8000 to initiate immediate support. +• Notify the appropriate official: operational leader and school +superintendent. +• Notify the principal/head of school and/or program director. + + +Page 2: +Superintendent’s Circular SAF-09 +Page 2 of 9 + + +The principal/head of school or program director will: +• Contact the student’s parent/guardian. +• Contact teacher(s), student(s), and other(s) who may have +information about the lost student. +The operational leader or the school superintendent will: + +• Make every effort to assist in locating the student. +• Once the child is located, arrange to get the child home. BPS +Transportation may be used as needed, subject to availability. +• Notify the first receiver of information and principal/head of +school of the child's school that the child is located. +Safety Services will: +• Notify Boston Police and assist in coordinating the search +process for lost children. +• If a transported student, call the bus company (who in turn will +call the bus driver) and check students who travel on the same +bus. +• Notify the Superintendent's Office. + + + + + + +Page 3: +Superintendent’s Circular SAF-09 +Page 3 of 9 + +IF LATE SITUATION: +Safety Services will: +• Coordinate search process for lost children +• Update parent/guardian of the situation and assure him/her of +continued efforts +• Provide parents/guardians with telephone numbers of central +Transportation and Safety Services as additional resources +• If the student is transported, call the bus company, who in turn +will call the bus driver, and check students who travel on the +same bus +• Notify the Superintendent's Office +• Notify the Boston Police Department +• Notify the first receiver of information, principal/head of school, +Transportation, and Superintendent’s Office that the child is +located. +If the Boston Police Department finds a child wandering, it informs +BPS Safety Services of the located child. Boston Police will arrange +to get the child home. +IMPORTANT TELEPHONE NUMBERS +Boston Police Department ............................. 911 +BPS Department of Safety Services ........... 617-635-8000 +Assistant Superintendent .............................. 617 293-7048 +Central Transportation ...................................... 617-635-9520 + + + +Transdev (Bus Company) ................................. 617-603-7800 +Superintendent’s Office ................................... 617-635-9050 + + + + + + + +Page 4: +Superintendent’s Circular SAF-09 +Page 4 of 9 + +For more information about this circular, contact: +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular SAF-09 +Page 5 of 9 + + + + +Page 6: +Superintendent’s Circular SAF-09 +Page 6 of 9 + +BOSTON PUBLIC SCHOOLS +INCIDENT REPORT + +Obtain as much of the following information as possible: +Received by: + + + + + + + + + + +Date: + + + + Time: + + + + + + +Child’s Name: + + + + + Student # + + + +Speaks English: ☐Yes ☐No Language: + + + + + +Spec. Needs ☐Yes ☐No +Name of Parent/Guardian: + + + + + + + + +School: + + + + Grade: + + Dismissal Time: + + +Address: + + + + + + + + + + + +Phone # (Home): + + + + (Emergency): + + + +Place of Incident: + + + + + + + Bus # + + +Description of Incident + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Need Medical Help? ☐Yes ☐No Type of Help? + + + + +Request for Medical Transportation? + + + + + + +Student Sent to Hospital? + + + + + + + + +Parent Contacted? + + + + + Time? + + + +Names of Child’s Friends/Classmates/Witness + + + + + + + + + + + + + + + + + + +(Use next page for additional information) + + + +Page 7: +Superintendent’s Circular SAF-09 +Page 7 of 9 + +Notified Parties + +Parent/Guardian: + + + + + + + + + + + +Parent/Guardian’s Signature: + + + + + + + + + +School Leader: + + + + + + + + + + + +School Leader Signature: + + + + + + + + + + +Safety Notified/Time: + Contact Person: + + + + + + + + + + +School Supt’s Office Notified/Time: + + +Contact Person: + + + + + + + + + + + + + + + + + + + + + + + +---------- End of the Incident Report ---------- + + + +Page 8: +Superintendent’s Circular SAF-09 +Page 8 of 9 + +BOSTON PUBLIC SCHOOLS +LOST CHILD REPORT +Obtain as much of the following information as possible: +Received by: + + + + + + + + + + +Date: + + + + Time: + + + + + + +Child’s Name: + + + + + Student # + + + +Speaks English: ☐Yes ☐No Language: + + + + + +Spec. Needs ☐Yes ☐No +Name of Parent/Guardian: + + + + + + + + +School: + + + + Grade: + + Dismissal Time: + + +Address: + + + + + + + + + + + +Phone # (Home): + + + + (Emergency): + + + +Place of Incident: + + + + + + + Bus # + + +Description of Incident + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Need Medical Help? ☐Yes ☐No Type of Help? + + + + +Request for Medical Transportation? + + + + + + +Student Sent to Hospital? + + + + + + + + +Parent Contacted? + + + + + Time? + + + +Names of Child’s Friends/Classmates/Witness + + + + + + + + + + + + + + + + + + +(Use next page for additional information) +Caller’s Information + + +Page 9: +Superintendent’s Circular SAF-09 +Page 9 of 9 + +Caller’s Name: + + + + + Phone # + + + +Relationship to Child +☐ Parent ☐ Other + + + + + + + + + +Specify: Relative (Aunt, Grandfather, etc.), Friend, Teacher, etc + +Notify the Following Parties: +☐ Principal / Head of School +Notified Time + + + +☐ Safety: 635-8000 +Notified Time + + + +☐ Operational Leader +Notified Time + + + +☐ Boston Police: 911* +Notified Time + + + + *(If child not found within 1 hour of drop-off or by 4:30 p.m. or if +warranted by other circumstances) + +Important Telephone Numbers: +Welcome Centers: +• Dorchester 635-8015 +• East Boston 635-9597 +• Roxbury 635-9010 +• Roslindale 635-8040 +TransDev (Bus Company): +• Readville Yard 532-2580 +• Washington St. Yard 532-2560 +• Charlestown Yard 532-2550 +• Freeport St. Yard 532-2570 + +☐ Resolved + + + + + + + + + + +Date/Time +---------- End of the Lost Child Report ---------- + + + diff --git a/data/data_txt/SAF-12 School Access Control.txt b/data/data_txt/SAF-12 School Access Control.txt new file mode 100644 index 0000000..18a7795 --- /dev/null +++ b/data/data_txt/SAF-12 School Access Control.txt @@ -0,0 +1,219 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-12 +Version 01 + +SCHOOL ACCESS CONTROL + +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +AMENDMENT FOR SY 2024-2025: +The safety, health, and wellness of our students, staff, and +families is our highest priority at Boston Public Schools. +Parents/guardians are asked to drop off and pick up their +students on the exterior of the school building at the area(s) +designated by your school leader/staff. +● Parents/guardians should contact their school directly, via +phone or email, to schedule any discussion or virtual +appointments that they would like to have on behalf of their +student. +● If a student is sick or injured and needs to be picked up, +school staff will contact the parent/guardian to make +arrangements and escort the student to meet the +authorized adult. School staff will verify identification of the +individual prior to releasing the student via exterior camera +and intercom. + + + +Page 2: +Superintendent’s Circular SAF-12 +Page 2 of 7 + +SAFETY PROTOCOLS PERTAINING TO INDIVIDUALS IN AND +OUTSIDE THE FACILITY +If school staff have safety concerns pertaining to an individual +outside or inside the facility, they should immediately contact the +Department of Safety Services/Boston at 617-635-8000. In the +case of any imminent threat to student or staff safety, the Boston +Police Department should be notified immediately by dialing 911. +The Boston Public Schools Safety Services Department should +also be notified by dialing 617-635-8000. +Each school in the district must, through its School Safety +Contingency Plan, have clear and comprehensive school access +control protocols in place. School access control plans must +adhere to the following: +● Ensure that only those students, staff and others who are +authorized to be in the school building are admitted to the +facility. +● Require all staff (school based, central office, +contractors/vendors, etc.) to wear and prominently display +their BPS identification cards at all times while on school +property and during school-based activities (e.g., field trips, +school assemblies, outdoor activities). All staff are also +required to follow all school access protocols and +procedures as outlined in this circular. +● Employ a standard operating procedure that all doors to the +school building are locked and secured at all times, while +simultaneously allowing for appropriate egress from inside +the building. +● School secretaries and other staff should NOT admit any +visitor to the building until they can reasonably ascertain the + + +Page 3: +Superintendent’s Circular SAF-12 +Page 3 of 7 + +identity of the individual seeking entrance and the reason for +entry. Staff must use an intercom, camera buzzers and +monitors to assist them with observing and communicating +with any individual seeking access to the facility. +● Secretaries and other staff should NOT allow (buzz in) people +in without knowing or asking the visitor the reason for being +at the school. The camera buzzer shall be used to identify the +person and the reason for their visit before allowing them to +enter school premises “Hello, how can you help you, do you +have an appointment?,... please indicate the reason for your +visit and the person who is hosting you during your visit…” +● Post appropriate signs directing visitors to the main office. +● Any staff member that finds a person in a school building +without an appropriate visitor pass or BPS ID is encouraged +to inquire of the person’s business or reason for being there. +The person should be directed to the main office for further +assistance. If the person may be creating an unsafe +environment, please follow the procedure as outlined above +under “Important Note.” +● ALL staff should inform the designee at the main office in +the event they are expecting a visitor and provide name and +reason prior to the visitor’s arrival. In the event a family +member, partner, or friend is dropping something off for a +staff member, the main office designee MUST obtain verbal +confirmation from the employee PRIOR to allow access to +the facility per this circular. If verification cannot be +obtained, the individual is not to be allowed in the facility. +REQUIREMENTS FOR ALL VISITORS +● Upon admittance, report immediately to the main office + + +Page 4: +Superintendent’s Circular SAF-12 +Page 4 of 7 + +(staff allowing entrance to the facility should confirm arrival +to the main office and sign-in etc.). +● Present photo identification. +● If an individual cannot produce a photo ID, staff should +request another form of identification and/or gain +confirmation from school staff that the person is known to +the school. If additional support is needed to confirm +identification, staff should obtain support from the head of +school/principal or designee before authorizing a visit to +continue. +● Sign the visitor’s log, including full name, time in and time +out, reason for visit, and affiliation (i.e., student, vendor, +department, agency etc.). Please see Superintendent +Circular LGL-04, School Visitors Guidelines. +● After completing the sign-in process, all visitors are to +remain in the main office, or designated area, while waiting +for staff escort to appointments or meetings. All visitors +must be in an area attended by staff to avoid any +unauthorized movement through the building for the +duration of their visit. +● If an authorized visitor states that they are wearing an ankle +monitor or staff observes an ankle monitor on a visitor, staff +should follow the procedures outlined above. + +HEAD OF THE SCHOOL AND FACULTY +● Mandate that ALL visitors to the building be issued and +prominently display a visitor identification badge received at +the time of sign-in at the main office. +● Identify designated meeting space, close to the main office, + + +Page 5: +Superintendent’s Circular SAF-12 +Page 5 of 7 + +to prevent visitors from moving throughout the building. +Classroom access should be limited to special events and +open houses. +● Ensure the safety and security of students and the integrity +of the school building entrances during recess, physical +education, and activities that might occur outdoors, and +during student arrival and dismissal times, by assigning staff +to closely monitor all aspects of the movement of students +and any open doors to accommodate transition in and out +of the building. +● Prohibit prospective BPS employees from beginning their +work until they have been fully hired, and therefore CORI +and SORI cleared by the Office of Human Capital. +● Demand that any facilities and physical plant contractors +slated to work in the building prominently display their +green BPS identification cards, which demonstrate that they +have been CORI and SORI cleared. +● Prohibit staff (including all vendors, contractors, and staff +from other departments), students, or others from +“propping open” doors or creating other potential +inconspicuous means of unauthorized entry into the school +building. +District personnel will look for these elements when reviewing +school safety plans. In addition, specialists from BPS Safety +Services will conduct proactive site visits to assist and provide +input and support on school access control. +School safe mode and internal threat procedures should be +explicitly planned, discussed, and documented by all staff +members. In addition to conducting evacuation procedure drills, + + +Page 6: +Superintendent’s Circular SAF-12 +Page 6 of 7 + +school safe mode drills must be conducted in September and +January of each school year (see Supt. Circular FSE-08, Safe Mode +and Internal Threat Drill Procedures). +All staff members must exercise extreme vigilance regarding +school building security: remain alert for trespassers, unsecured +doors, and/or suspicious persons or activity around the school. +School employees should not compromise their own safety or +that of students when undertaking these security measures. +Sound judgment and reasonable action by all school-based +personnel are expected. Any potential threats to student or staff +safety should be reported at once to the principal/head of school +or their designee (in the event they are out of the building). +RELATED SUPERINTENDENT CIRCULARS +● LGL-04 School Visitor Guidelines +● FSE-01 School Safety Contingency Plans +● SAF-07 Metal Detectors +● SAF-08 Release of Students to Authorized Persons +● SAF-11 Sexual Offender Registry Information (S.O.R.I.) + + + + +Page 7: +Superintendent’s Circular SAF-12 +Page 7 of 7 + +For more information about this circular, contact: +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department-Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SCP-01 School-Community Partners.txt b/data/data_txt/SCP-01 School-Community Partners.txt new file mode 100644 index 0000000..b557ad4 --- /dev/null +++ b/data/data_txt/SCP-01 School-Community Partners.txt @@ -0,0 +1,167 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SCP-01 +Version 01 + + +SCHOOL COMMUNITY PARTNERS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BPS deeply values the essential role that School-Community +Partners play in our collective efforts to eliminate opportunity +and achievement gaps. To advance our goals of providing BPS +students and families equitable access to high-quality partner +opportunities and create more coherence, alignment, and +understanding of the complex and extensive partnership +landscape, BPS requires the implementation of this PartnerBPS +(www.partnerbps.org) Policy for all BPS schools and for all BPS +School-Community Partners. +POLICY STATEMENT +Any School-Community Partner providing any services in any +BPS school must register and update their information annually +via the PartnerBPS Partnership Platform. BPS requires all School- +Community Partners to be fully registered and approved via the +PartnerBPS platform before providing any services within any +school. + +DEFINITION OF A SCHOOL-COMMUNITY PARTNER +A School-Community Partner is an organization, group, or + + +Page 2: +Superintendent’s Circular SCP-01 +Page 2 of 5 + + +coalition that intentionally collaborates with the Boston Public +Schools to provide ongoing, direct services to BPS students, staff, +families, and/or other members of the school community. This +broad definition encompasses a variety of groups, including +community-based organizations, colleges and universities, +businesses or corporations, hospitals, government agencies, +cultural institutions, nonprofit or non-governmental +organizations and faith-based organizations. + +IMPLEMENTATION PROCEDURES FOR SCHOOLS +A. School principals/school leaders/heads of school and/or a +school staff member designated by the principal/head of +school must identify all School-Community Partners +providing services within the school building at the start of +each school year within the www.partnerBPS.org website. +This can be an agreement, contract, or Scope of Work +outlining services provided and expectations on both sides. +If the partner is a paid partner, the school is responsible for +entering the requisition before the partner begins providing +services to the school and providing this requisition number +to the partner. No Boston Public School employee, other +than those listed below, is authorized to enter a contract +with any vendor. This includes, but is not limited to +contracts, agreements, memorandums of understanding, +grants, partnership agreements, or any other expenditure +that binds the district to payment for services/goods. This +includes purchases for services or goods for under $10,000. +B. If additional School-Community Partners begin work at the +school site during the school year, the designated school +staff must also ensure the partner is registered and all + + +Page 3: +Superintendent’s Circular SCP-01 +Page 3 of 5 + + +agreements entered www.partnerBPS.org before services +can begin. +C. The school designee must ensure that all current School- +Community Partners are registered on PartnerBPS by +August 31st of the upcoming academic school year. +D. School leader or designee will require all new partners +brokered throughout the school year to register in +PartnerBPS before beginning services at the school. +E. School leaders or designee must review their PartnerBPS +School Partnership profile annually to verify and rate the +partnerships listed on their profile. Review, verification, and +rating should be conducted by June 30, before the end of +the school year. +F. Schools should use PartnerBPS as a resource for accessing +and brokering partner opportunities and helping students +and families identify and access partner opportunities. + +IMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY +PARTNERS +All School-Community Partners must be fully registered and +approved on PartnerBPS.org before providing any type of service +in a BPS school. +In order for School-Community Partners to be considered fully +registered, they must complete three steps: organization +registration, program registration, and partnership registration. +Further instructions and tutorial information on registering for +PartnerBPS can be found at https://partnerbps.org/help-school- +community-partners/. +All registered School-Community Partners must update their + + +Page 4: +Superintendent’s Circular SCP-01 +Page 4 of 5 + + +PartnerBPS profile by September 30 before providing their +services in schools. Updates should include registration of all +school partnerships for the upcoming year, an update of current +information in organization and program profiles, and +completion of any questions that have been added by the +School-Community Partnerships team. +As part of this process, School-Community Partners should work +with partner schools to establish a school-based partnership +agreement which they should then upload onto PartnerBPS.org. +In addition to the annual updates, School-Community Partners +should regularly monitor their profiles and keep information up +to date. At minimum, review and necessary revisions should be +completed by November 1 and April 1 of each school year. +All School-Community Partners are required to be aware of and +follow the guidelines outlined within the Guide for School +Community Partners. +Appropriate and authorized BPS staff reserve the right to deny +approval of partners if they do not meet basic safety or quality +standards set forth by BPS, including those found within the +Guide for School Community Partners. +IMPLEMENTATION MONITORING & SUPPORT +A. The Office of Family and Community Advancement’s +Partnerships Team will approve and/or follow up with +registering partners after registration completion. If +additional information is required before registration +approval can be granted, the Team will contact the +administrator of the respective PartnerBPS account for +more information. + + +Page 5: +Superintendent’s Circular SCP-01 +Page 5 of 5 + + +B. The Partnerships Team will provide partners and schools +with ongoing PartnerBPS technical assistance and support +using the site. In addition, support resources are available +online at https://partnerbps.org/help-school-community- +partners/. + +For more information about this circular, contact: +Owner: +Director of Partnerships +Department: Office of Family and Community Advancement +Mailing +Address: +2300 Washington Street, Roxbury, MA 02119 +Email: +ofca-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-01 Drug and Alcohol Abuse.txt b/data/data_txt/SHS-01 Drug and Alcohol Abuse.txt new file mode 100644 index 0000000..bf046a1 --- /dev/null +++ b/data/data_txt/SHS-01 Drug and Alcohol Abuse.txt @@ -0,0 +1,302 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-01 +Version 01 + +DRUG AND ALCOHOL MISUSE AND HARM REDUCTION – +UPDATE ON PROCEDURES + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +EDUCATION OF STUDENTS IN THE PREVENTION OF ALCOHOL, +MARIJUANA, TOBACCO AND OTHER DRUG DEPENDENCY + +While substance misuse prevention and harm reduction should +be a part of a comprehensive health education program, certain +curricula should be used to complement and supplement health +education curriculum materials for grades K-12. Substance +misuse prevention and harm reduction may also be integrated +into reading/language arts, social studies, and science classes. +The National Health Education Standards and performance +expectations provide the functional health knowledge, beliefs, +and skills necessary for students to adopt and maintain healthy +behaviors, reduce risk behaviors associated with substance +misuse, achieve health literacy, and enhance health outcomes. + + + +The Boston Public Schools scope and sequence for Health +Education recommends the following substance prevention +curriculum, including: + + +Page 2: +Superintendent’s Circular SHS-01 +Page 2 of 9 + +• CATCH Curriculum Grades K-6: Tobacco, Alcohol and Other +Drug Prevention (contact the Office of Health and Wellness +for access); +• Essential Health Skills for Middle Schools & High Schools, G- +W Publisher: Tobacco, Alcohol and Other Drug Prevention +(contact the Office of Health and Wellness for access); +• Stanford University K-12, Tobacco Prevention Toolkit, which +includes e-cigarette use of any type, including nicotine, +cannabis/THC, and/or non-nicotine products; +• Stanford University Grades 6-12, Cannabis Awareness and +Prevention Toolkit. + + +EARLY IDENTIFICATION AND INTERVENTION +Even though a student may not possess or use substances at +school, they may still have serious problems involving alcohol or +drugs that demand the attention and assistance of school +personnel. School nurses, school counselors and social +workersphave been trainedin identification and the medical +effects of substance use or addiction. The District will continue to +provide in-service programs and workshops, to craise staff +awareness, understand the protocols and procedures in place +when dealing with a student who is suspected of using or has +been identified as needing support regarding substance abuse. +School staff should be alert to those symptoms in students which +may indicate problems with substance abuse and follow the +protocols outlined in this circular. +These symptoms may include one or more of the following: +abrupt change in mood or attitude; sudden decline in attendance + + +Page 3: +Superintendent’s Circular SHS-01 +Page 3 of 9 + +or performance in school; sudden resistance to discipline; +impaired relationships with family or friends; drowsiness or +inattention to discussion or surroundings; weight loss; inattention +to dress; unusual flare-ups of temper; stealing; heightened +secrecy about actions or possessions; and association with new +friends, especially with individuals known to be substance users. + +SCREENING +Screening, Brief Intervention, and Referral to Treatment (SBIRT) +focuses on prevention, early detection, risk assessment, brief +counseling and referral for assessment that can be utilized in the +school setting. This tool is frequently used by the school nurse to +assess the acuity of the problem and to develop next steps. Use +of a validated screening tool will enable BPS school teams to +detect risk for substance use related problems and brief +intervention strategies will help to address these concerns at an +early stage in adolescents. +In March 2016, the Massachusetts Legislature enacted an Act +relative to Substance Use, Treatment, Education and Prevention +(STEP Act), which outlines the requirements for public schools in +the Commonwealth to engage in substance use screening and +education. Legislation can be found at +https://malegislature.gov/Laws/SessionLaws/Acts/2016/Chapter52 +(see Sections 15, 63, 64, 66). +BPS has implemented the use of the approved and validated +CRAFFT-II screening tool that is approved by the Massachusetts +Department of Public Health (DPH) and Department of +Elementary and Secondary Education (DESE). Per legislation, +SBIRT screening will be provided annually to students in grades 7 + + +Page 4: +Superintendent’s Circular SHS-01 +Page 4 of 9 + +and 9. Parents/guardians must be notified about the screening +prior to the start of the year and must be given the option to opt +out in writing. Please Refer to SBIRT in Schools. Staff conducting +the SBIRT screening must complete a mandatory training +through the MA Department of Public Health/BU Shield. +SBIRT in Schools Resource Toolkit + +COUNSELING/REFERRAL +When it is suspected that a student is either using or abusing +marijuana, alcohol or other drugs, or there are strong indications +that such is the case, the student should be referred to the school +nurse for a wellness check, the school social worker and the +parent/guardian/caregiver shall be notified. The student may be +referred to the Student Support Team(SST) and/or the school +administrator for a referral to the voluntary Substance Use +Program (SUP) at Succeed Boston. The Substance Use Program +(SUP) is a voluntary program for students whose use of drugs or +alcohol is of concern. The program provides education and +counseling about the effects of drugs, alcohol, and vaping and +provides students with alternative ways to deal with stress. +Referral for outside services will be provided as needed. The +student may participate in the voluntary intensive program for +up to five days and upon discharge will be referred to appropriate +outside services. Students may be referred to the Student +Support Team (SST) by teachers or by any other school staff +member. Students may self-refer because of a problem with +substance abuse. The team should be prepared to assist the +student by providing them with a source of early intervention in + + +Page 5: +Superintendent’s Circular SHS-01 +Page 5 of 9 + +the form of individual or group counseling by a provider agency +which serves the school or is available in the community. + +RE-ENTRY +Follow-up is a crucial phase of a student's recovery after +returning from treatment for substance abuse. An after-care +program should be devised by school staff in collaboration with +the facility which has provided treatment services. The plan +should include a review of the student's school program with +parents, guidance counselor, and case manager; placements in +an appropriate class schedule; and follow-up meetings. + +REPORTING OF INCIDENTS RELATED TO DRUG/ALCOHOL USE +1. +All School Department personnel are under obligation to +report to the principal, head of school, or other designated +administrator any and all incidents or suspected incidents +involving the use, possession, or distribution of any drug, +alcoholic beverage, while they are under the authority of the +Boston School Department. + +2. +All School Department personnel are to understand that in +the event they are subpoenaed to testify in a court of law or +other proceeding, they are obligated to reveal any +information pertaining to drug, alcohol, and weapons +incidents, even if such information was given to them in +confidence. + + + +Page 6: +Superintendent’s Circular SHS-01 +Page 6 of 9 + +3. +All School personnel are to understand that they are +prohibited from "making deals" with students whereby they +agree not to notify law enforcement agencies of known or +suspected illegal activities involving drug, alcohol, + +4. +Each and every incident or suspected incident is to be +reported immediately to the appropriate principal, head of +school or designated administrator, in accordance with +School Department policy and procedure. + +5. +Students are considered to be under the authority of the +Boston School Department when they are on School +Department property, on School Department buses, at or +near school bus stops, while on their way to or from school, +or participating in school sponsored activities conducted off +school grounds. + +6. +Any student who is suspected of or who has admitted to +being under the influence of drugs or alcohol must be +immediately escorted to the office of the principal, head of +school, or designated administrator. + +7. +Students involved in incidents described in items 1, 5, and 6 +shall be considered in Massachusetts General Laws, Chapter +94C (Controlled Substances Act), Chapter 138 (Alcoholic +Liquors), Chapter 119 (Protection and Care of Children and +Proceedings against Them), and Chapter 169-10 (Dangerous +Weapons, Unlawfully Carrying). + + + +Page 7: +Superintendent’s Circular SHS-01 +Page 7 of 9 + +8. +Use of drugs and/or alcohol is prohibited.Students deemed +to be in violation of school rules after an investigation by the +principal, head of school or designated administrator will be +appropriately disciplined, but law enforcement and EMS +assistance may be requested in cases where it is apparent +that the student is engaging in disorderly or dangerous +behavior. + +9. +In some cases, if a student is found to be in possession of +drugs, alcohol or weapons or to be under the influence of +drugs or alcohol is to be considered in violation of +Massachusetts General Law. In such cases the principal, +head of school, or designated administrator is obligated to +summon the Boston Police Department, which will assume +responsibility for criminal prosecution in the event that such +prosecution is warranted. + +10. +In all such cases where students are found or suspected to +be involved in any incident involving substance abuse, a +safety specialist will take custody of any and all evidence +including drugs and alcohol. + +11. +The Department of Safety Services will coordinate record- +keeping functions. + + + + + + + +Page 8: +Superintendent’s Circular SHS-01 +Page 8 of 9 + +DISCIPLINARY PROCEDURES RELATING TO DRUG/ALCOHOL +ABUSE + +1. +Sections 7.7 .1 of the Code of Conduct requires that sale, +distribution, or possession with intent to sell or distribute of +any prescribed or non-prescribed controlled substances in +school, on school grounds, or while under school jurisdiction +may result in expulsion. + +2. +Section 7.4.2 of the Code of Conduct allows for suspension, +long term suspension, alternative program placement, or +expulsion if a student is found in possession of any non- +prescribed controlled substance, narcotic drug, +hallucinogenic drug, amphetamine, barbiturate, marijuana, +alcoholic beverage, or intoxicant of any kind. + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular SHS-01 +Page 9 of 9 + + + + + diff --git a/data/data_txt/SHS-04 Infection Prevention Control.txt b/data/data_txt/SHS-04 Infection Prevention Control.txt new file mode 100644 index 0000000..228658b --- /dev/null +++ b/data/data_txt/SHS-04 Infection Prevention Control.txt @@ -0,0 +1,470 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-04 +Version 01 + + + +INFECTION PREVENTION AND CONTROL IN +SCHOOL SETTINGS +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Schools can minimize the risk of disease transmission through +student and staff awareness and simple infection control +practices at the school and classroom level. +MODES OF TRANSMISSION +Diseases have different modes of transmission. Diseases can be +spread through direct contact, indirect contact, droplet, or +airborne transmission. The following guidelines minimize the +risks for all modes of transmission. +The single most important step in preventing exposure to and +transmission of any infection is anticipating contact with +infectious materials in routine as well as emergency situations. +Based on the type of possible contact, the responder should be +prepared to use the appropriate precautions and techniques +prior to providing care. Diligent and proper hand washing, the +use of barriers, appropriate disposal of waste products and +needles, and proper decontamination measures will enhance +protection of students and staff. + + + + +Page 2: +Superintendent’s Circular SHS-04 +Page 2 of 14 + + + +UNIVERSAL (STANDARD) PRECAUTIONS +The Centers for Disease Control (CDC) have long recommended +"universal blood and body-fluid precautions" to prevent +transmission of hepatitis B, human immunodeficiency virus (HIV), +and other infections, as well as to decrease the risk for exposure +to responders and students. As it is not possible to identify all +infected individuals, these precautions must be used with every +student. Universal precautions pertain to all blood and body +fluids. For bloodborne infections, these precautions do not apply +to other body fluids and material, such as saliva, sputum, feces, +tears, nasal secretions, vomitus, and urine, unless blood is visible +in the materials. However, these other fluids and body wastes can +be sources of other infections and should be handled as if they +are infectious, utilizing the same precautions. This is the basis of +standard precautions to be used with all body fluids, blood, and +other potentially infectious material. +TRANSMISSION BASED PRECAUTIONS +The CDC has recommended “transmission-based precautions” as +the second tier of basic infection control, to be used in addition to +standard precautions for individuals who may be infected or +colonized with certain infectious agents for which additional +precautions are needed to prevent infection transmission. +Contact Precautions +Use contact precautions for those with known or suspected +infections that represent an increased risk for contact +transmission. Proper personal protective equipment (PPE) + + +Page 3: +Superintendent’s Circular SHS-04 +Page 3 of 14 + + + +includes the use of gloves and gown for all interactions that may +involve contact with the student or the student’s environment. +Droplet Precautions +Use droplet precautions for students known or suspected to be +infected with pathogens transmitted by respiratory droplets +generated by coughing, sneezing, or talking. Proper personal +protective equipment (PPE) includes the use of masks, both for +the patient and school nurse, during all interactions. +Airborne Precautions +Use airborne precautions for those individuals known or +suspected to be infected with pathogens transmitted by the +airborne route (e.g., COVID-19, tuberculosis, measles, chickenpox, +disseminated herpes zoster). Proper PPE includes a fit-tested, +NIOSH-approved N95 or higher level of respiratory protection for +healthcare personnel and a mask on the patient. +RESPIRATORY HYGIENE +In addition to spread by bodily fluids, infections can be spread by +respiratory droplets that are generated when people sneeze, +cough, laugh, or exhale. Respiratory hygiene is a term adopted by +the CDC and Massachusetts Department of Public Health +(MDPH) to describe measures that can be taken to decrease the +risk for spreading respiratory illnesses by droplet and airborne +transmission. A universal “respiratory hygiene/cough etiquette” +policy includes: +• Covering the mouth and nose with a tissue when coughing +or sneezing + + +Page 4: +Superintendent’s Circular SHS-04 +Page 4 of 14 + + + +• Disposing of used tissues in a wastebasket +• Practicing hand hygiene (washing) often +• Coughing or sneezing into elbow +HAND WASHING +Proper hand washing is crucial to preventing the spread of +infection. Use of running water, lathering with soap, and using +friction to clean all surfaces of the hands are key. Rinse well with +running water and dry hands with paper towels. If soap and +water are unavailable, hand sanitizer may be used. +• Hands should be washed before physical contact with +students and after the contact is completed. +• Hands should be washed after contact with any used +equipment. If hands (or other skin) become soiled with +blood or body fluids, they should be washed immediately +before touching anything else. +• Hands should be washed whether gloves are worn or not +and after gloves are removed. +• Textured jewelry on the hands or wrists (such as rings and +stones) should be removed prior to washing and kept off +until completion of the care procedure and hands are +rewashed. + + + + +Page 5: +Superintendent’s Circular SHS-04 +Page 5 of 14 + + + +BARRIER PROTECTION +Barriers include disposable gloves, protective eyewear, and gown. +The use of a barrier is intended to reduce the risk for contact with +blood and body fluids for the caregiver, as well as to control the +spread of infectious agents from student to student. It is essential +that appropriate barriers be used when contact with potentially +infectious material is possible. Gloves should be worn when direct +care of the student may involve contact with blood and body +fluids, as well for contact with urine, feces, and respiratory +secretions. Gloves should be disposed of after each use and not +reused. +Gloves should be worn: +• When changing a diaper or catheterizing a student +• When changing dressings or sanitary napkins +• When providing mouth, nose, or tracheal care +• If the caregiver has broken skin on the hands (even around +the nails) +• When cleaning up spills of blood (e.g., nosebleeds), body +fluids and wastes, and soiled supplies +Gowns or aprons may be worn to protect the caregiver's clothing +if spattering of body fluids is possible. The apron or gown should +be laundered or disposed of after each care session and should +not be reused. +In addition, protective eye wear and masks should be worn if +splashing of body fluids is likely to occur (such as mouth +suctioning or care of a student who is coughing). + + + +Page 6: +Superintendent’s Circular SHS-04 +Page 6 of 14 + + + +Chux or other waterproof barriers should be used to cover any +work surface if drainage or splashing with blood or body fluids +are possible. The barrier should be disposed of after each care +session and should not be reused. +DISPOSAL OF WASTE +All used or contaminated supplies (including gloves and other +barriers) except for syringes, needles, and other sharp +implements should be placed in a plastic bag which is then +sealed. This bag should be placed in a second plastic bag, which +is also sealed. The double-bagged waste can then be thrown in +the garbage, out of the reach of children or animals. Bodily +wastes such as urine, vomitus, or feces should be disposed of in +the toilet. +Needles, syringes, and other sharp objects should be immediately +placed in FDA-cleared sharps disposal containers. To reduce the +risk of an accidental needle stick or cut, needles should not be +recapped, bent, or removed from the syringe before disposal. +Once it is full, the container should be sealed and brought to +Health Services central administration for disposal in a large +biohazard container. Health Services will arrange for pickup by a +biohazard waste disposal company for proper disposal at least +annually. +CLEANUP PROCEDURES +Spills of blood and body fluids that are covered under standard +precautions should be cleaned up immediately. + + + +Page 7: +Superintendent’s Circular SHS-04 +Page 7 of 14 + + + +The CDC method of clean-up is as follows: +• Wear gloves. +• Mop up the spill with paper towels or other absorbent +material. +• Using a solution of one-part household bleach (sodium +hypochlorite) in ten parts of water; wash the area well. +• Dispose of gloves, soiled towels, and other waste in a sealed +double plastic bag in the garbage as outlined above. +Routine environmental clean-up procedures for facilities (such as +the health room and bathrooms) does not require any +modification unless contamination with blood or body fluids +should occur. If so, the area should be decontaminated using the +procedure outlined above. Regular cleaning of surfaces which are +not visibly contaminated with potentially infectious material, +such as toilet seats and tabletops, can be done with the standard +cleaning and removal of obvious soil. +LAUNDRY PROCEDURES +Whenever possible, disposable barriers should be used if +contamination with body fluids or blood is possible. If sheets, +towels, or clothing become soiled, they should be handled as +little as possible. Wash with hot water and detergent for at least +25 minutes. Cool water washing is also acceptable if an +appropriate detergent is used for the water temperature. + + + + +Page 8: +Superintendent’s Circular SHS-04 +Page 8 of 14 + + + +PREGNANT WOMEN +Pregnant women are at no higher risk for infection than other +care-providers as long as appropriate precautions are observed. +However, due to the possibility of in-utero transmission of viral +infections such as cytomegalovirus (CMV) or HIV, as well as the +potential for adverse outcomes with certain infections, pregnant +women should be especially careful to observe standard +precautions. +GENERAL INFECTION CONTROL PROCEDURES +The purpose of the procedures outlined herein is to establish +basic guidelines to address the role of staff in all incidents +requiring concern about infection control. Such incidents may +include, but not be limited to, a bleeding nose, sneezing, +coughing, uncontrollable urinating, and sudden bowel +movement. +Head of school/principal shall: +• Ensure that all staff are familiar with this policy and that the +provisions of this policy are implemented. +Classroom teacher shall: +• Encourage the use of class wide respiratory hygiene, +especially during flu season and other respiratory illness +upticks. +• Reassure and calm students involved in hygiene +emergencies. +• Notify the school nurse of any infectious disease concerns. + + +Page 9: +Superintendent’s Circular SHS-04 +Page 9 of 14 + + + +• Notify custodians of infection control needs +School nurse shall: +• Review infection control procedures annually at the +beginning of the school year with classroom staff. +• Assist the classroom staff in developing hygiene plans +appropriate for the classroom as well as individual students. +• Notify Health Services of cases and possible clusters. +School custodian shall: +• Refer to and follow the steps identified in Superintendent +Circular FMT-19 for cleaning related to possible infectious +bodily fluids. + BITE EMERGENCY PROCEDURES +The purpose of the procedures outlined herein is to establish +basic guidelines intended to assist students and staff who have +encountered a human or animal bite that breaks the skin. +Background information for human bites: +Biting is very common among young children but usually does +not lead to any serious infectious disease concerns. If the skin is +punctured or broken, bacteria may be introduced into the wound +that can lead to blood-borne infection which needs to be treated +by a healthcare professional. Blood-borne infection could be of +concern if the biter breaks the skin and blood is drawn into the +biter’s mouth or if the biter has bleeding gums or mouth sores. +Hepatitis B, Hepatitis C and HIV are some pathogens of concern +although the risk of transmission of these viruses is very low in + + +Page 10: +Superintendent’s Circular SHS-04 +Page 10 of 14 + + + +school settings. For HIV, there have not been any reported cases +of transmission in school settings. +The “biter” might be considered at higher risk than the “bitee” +due to the exposure to the blood from the wound if the skin is +broken. Each human bite represents a unique set of +circumstances and requires an individualized response. In most +biting episodes there are no communicable disease extenuating +circumstances, and the episodes are treated with standard +precautions. There is a heightened sense of urgency when one of +the children has a communicable disease. The school nurse is +responsible for guiding the response, working with the +headmaster/principal, and ensuring that confidentiality is +maintained. +Background information for animal bites: +Animal bites are common since children can behave +unpredictably and animals have normal protective instincts. An +animal bite that breaks or punctures the skin will require +immediate medical attention due to the risk of bacterial and viral +infection. The longer the animal’s mouth germs stay in the +wound, the greater the risk of potential infection that will require +antibiotics. +Animals can also transmit rabies, a very serious viral infection +that infects the nervous system. Although any mammal bite can +transmit rabies, the bites of some wild animals (e.g., bats, +raccoons, skunks, foxes, coyotes) and some stray and +unvaccinated pet dogs and cats are of greatest concern. Wild +animals should not be kept or allowed to visit schools. All + + +Page 11: +Superintendent’s Circular SHS-04 +Page 11 of 14 + + + +suspected animal bites should be promptly reported to public +health authorities by Health Services. +In the event of an animal or human bite that breaks the skin: +Principal/head of school shall: +• Ensure that all staff are familiar with this policy and that the +provisions of this policy are implemented. +Classroom teacher shall: +• Reassure and calm the students. +• Employ standard precautions in evaluating the bite. +• Notify the school nurse immediately. +• Have the student wash the area with soap and water +immediately. +• Report action taken to the headmaster/principal. +For human bites, school nurse shall: +• Provide first aid to the child who was bitten by washing any +broken skin and applying a cold compress to any bruise. +• Review known medical information of both the “biter” and +the “bitee.” If there is a known communicable disease issue, +the nurse must consult with Health Services administration +for more specific guidance. Confidentiality must be +respected throughout the consultation. +• Contact the student's parent/guardian to report the incident +and recommend next steps. +• Refer both the “biter” and “bitee” to their primary care +provider for further guidance. This may include any or all the +following: risk counseling; hepatitis and HIV testing; + + +Page 12: +Superintendent’s Circular SHS-04 +Page 12 of 14 + + + +prophylaxis. The treatment approach is at the discretion of +the primary care provider and the family. +• Notify Health Services prior to calling the families if there is a +known communicable disease issue with one or both +students. +• Be a liaison to the primary care provider as requested by the +parent and within the boundaries of confidentiality. +• Document the incident in SNAP for students. If a staff +member was involved, the staff member must file a Report +of Injury Form [see Superintendent’s Circular HRS-PP07, +Worker’s Compensation Procedures] within 7 days. +For animal bites, school nurse shall: +• Immediately provide first aid to the child who was bitten by +washing any broken skin and applying a cold compress to +any bruise. +• Notify Health Services prior to calling parent/guardian. An +animal bite that breaks or punctures the skin needs +immediate wound care to reduce the risk of infection. All +animal bites should be reported within 24 hours. +• Contact the student's parent/guardian to report the incident +and recommend next steps. +• Refer the student to their primary care provider for further +guidance. The treatment approach is at the discretion of the +primary care provider and the family. +• Be a liaison to the primary care provider as requested by the +parent and within the boundaries of confidentiality. + + +Page 13: +Superintendent’s Circular SHS-04 +Page 13 of 14 + + + +EMPLOYEE NEEDLESTICK MANAGEMENT +When a needlestick occurs: +• Gently bleed the area, wash, and immediately flush with +soap and water. +• The employee who has had the needle stick should call their +primary care provider. +• If the risk assessment of the primary care provider and/or +school nurse is that the needle stick represents an exposure +to blood or body fluids, it is advisable that the employee +seek management at an emergency department that can +provide the latest in prophylactic management; the +employee’s primary care provider will be able to assist with +this. +• Health Services should be notified for further guidance. +• The employee should complete an incident report and +Worker’s Compensation form after the situation has been +stabilized. +LIST OF TERMS USED ABOVE +Blood-borne infection: infectious germs present in blood that can +cause disease in humans. +Communicable disease: an illness caused by an infectious agent +or its toxins that occurs through the direct or indirect +transmission of the infectious agent or its products from an +infected individual or via an animal to a susceptible animal or +human host. + + +Page 14: +Superintendent’s Circular SHS-04 +Page 14 of 14 + + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September 2024 +All staff should have universal precaution +review by school nurse + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Health Services +Mailing Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Fax: +617-635-7937 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-05 Tuberculosis Program.txt b/data/data_txt/SHS-05 Tuberculosis Program.txt new file mode 100644 index 0000000..140f4e9 --- /dev/null +++ b/data/data_txt/SHS-05 Tuberculosis Program.txt @@ -0,0 +1,72 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-05 +Version 01 + + + +TUBERCULOSIS PROGRAM +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY ON TUBERCULOSIS TESTING +All students must have an assessment of tuberculosis risk. Staff +are no longer required to show evidence of TB skin test screening +at time of employment. +PROTOCOL FOR TUBERCULOSIS PROGRAM +Students: +● At the time of registration for entry into the Boston Public +Schools, if parents present with information on TB +screening, the data will be entered along with the +immunization data into the student(s) electronic health +record. +● No child will have school registration delayed because of +lack of tuberculosis screening documentation. +● It is the responsibility of the primary care health provider, +and NOT the school system, to ensure that appropriate +screening for tuberculosis is occurring in the community. +● The school nurse may choose to check a child’s PPD +(Mantoux) or monitor preventive therapy at the request of +the primary care provider. The primary care provider must +submit a written physician order to the school nurse for +services. + + +Page 2: +Superintendent’s Circular SHS-05 +Page 2 of 2 + + + +● Written documentation of an in-school PPD test result or +the monitoring of preventive therapy will be provided to the +primary care provider by the school nurse. +● Students with active disease will be excluded from school +until placed on treatment and written documentation by +BPHC TB Control of non-contiguous state is presented. +Staff: +● Staff are no longer required to have TB screening as +candidates for hiring. The regulation of Communicable +Tuberculosis Periodic Examination of School Personnel has +been repealed in the Massachusetts General Laws. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-06 Immunization Law.txt b/data/data_txt/SHS-06 Immunization Law.txt new file mode 100644 index 0000000..26d7ac8 --- /dev/null +++ b/data/data_txt/SHS-06 Immunization Law.txt @@ -0,0 +1,224 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-06 +Version 01 + + + +IMMUNIZATION LAW +This circular will remain in effect unless rescinded or superseded by a +subsequent version +THE IMMUNIZATION REGULATIONS +It is the policy of the Boston Public Schools to enforce the School +Immunization Law, Chapter 76, Section 15, of the Massachusetts +General Laws: +“No child shall, except as hereinafter provided, be admitted to +school except upon presentation of a physician's certificate that +the child has been successfully immunized against diphtheria, +pertussis, tetanus, measles and poliomyelitis and such other +communicable diseases as may be specified from time to time by +the department of public health. A child shall be admitted to +school upon certification by a physician that he has personally +examined such child and that in his opinion, the physical +condition of the child is such that his health would be +endangered by such vaccination or by any of such +immunizations. Such certification shall be submitted at the +beginning of each school year to the physician in charge of the +school health program. If the physician in charge of the school +health program does not agree with the opinion of the child's +physician, the matter shall be referred to the department of +public health, whose decision will be final. In the absence of an +emergency or epidemic of disease declared by the department of +public health, no child whose parent or guardian states in writing + + +Page 2: +Superintendent’s Circular SHS-06 +Page 2 of 6 + + + +that vaccination or immunization conflicts with his sincere +religious beliefs shall be required to present said physician's +certificate in order to be admitted to school.” + +MCKINNEY-VENTO HOMELESS ASSISTANCE ACT +Under the McKinney-Vento Homeless Assistance Act, state and +local educational agencies must ensure that homeless children +and youths have equal access to the same free, appropriate +public education, including a public preschool education, as +provided to other children and youths. Children and youth who +are homeless are to be enrolled in school, even if the child or +youth is unable to produce records normally required for +enrollment, such as previous academic records, medical records, +proof of residency, or other documentation. If the child or youth +needs to obtain immunizations, or immunization or medical +records, the enrolling school shall immediately refer the parent or +guardian of the child or youth to the local educational agency +liaison who shall assist in obtaining necessary immunizations or +medical records. + +PROTOCOL FOR ENFORCING IMMUNIZATION REQUIREMENTS +New students, during the priority registration period: +● Parents must bring proof of immunizations upon registering +for school at all Welcome Center locations. +● It is preferred that all students be up to date with all state- +required immunizations at the time of registration for the +upcoming school year. If the child’s medical appointment + + +Page 3: +Superintendent’s Circular SHS-06 +Page 3 of 6 + + + +falls between the priority registration period and September +of the upcoming school year, the parent must provide a +valid appointment card with all the following information on +it: +o registering student’s full name +o registering student’s date of birth +o name of the clinic/hospital where the appointment is +scheduled. +o date of the registering student’s appointment for +vaccination and/or physical exam +• If the student does not have the appropriate immunizations +during the priority registration period, the student will be +registered but will not be allowed to attend until the +immunization documents are submitted to either the +Welcome Center or the student’s assigned school prior to +the start of school. +• The type and number of immunizations vary with age and +whether the student-initiated the immunization process +after the age of 7 years or before. See attached state +guidelines. + +New students, current rolling registration: +• Parents must bring proof of immunizations upon registering +for school at all Welcome Center locations. +• All students must have all state-required immunizations at +the time of registration in order to attend school during the +current school year. In the event the child’s physical +examination appointment falls after the date of registration, +the parent must provide a valid appointment card with all +the following information on it: + + +Page 4: +Superintendent’s Circular SHS-06 +Page 4 of 6 + + + +o registering student’s full name +o registering student’s date of birth +o name of the clinic/hospital where the appointment is +scheduled. +o date of the registering student’s appointment for +vaccination and/or physical exam +● If the student is not up to date with immunizations prior to +starting the current school year, the student will be +registered but will not be allowed to attend until the +immunization documents are submitted to either the +Welcome Center, the Health Services Department, or the +student’s assigned school. +● The type and number of immunizations vary with age and +whether the student-initiated the immunization process +after the age of 7 years or before. See attached state +guidelines. + +Continuing students: +• All continuing students who are identified as being behind +on immunizations will be notified that they will be excluded +from school if there is no compliance with immunization +updating. This is a necessary action because if there is a +vaccine-preventable disease outbreak at the school (i.e., +measles), all susceptible students and staff (i.e., those with +no record of vaccination, disease, or blood test for immunity) +MUST be excluded from school for the duration of the +disease outbreak per the MA Department of Public Health +and Boston Public Health Commission. +• It is important to note that students whose immunization + + +Page 5: +Superintendent’s Circular SHS-06 +Page 5 of 6 + + + +schedule has been interrupted and are in the process of +being immunized (i.e., awaiting the next DPT/TD or polio +dose and in the specified time interval between doses) may +remain in school until the next dose is given. + +EXCEPTIONS +ALL EXEMPTIONS RELIGIOUS/MEDICAL EXEMPTIONS MUST BE +RENEWED ANNUALLY BY PARENT/GUARDIAN. +• Students at any level whose parent or guardian provides a +statement in writing that all immunizations or a specific +immunization conflict with their sincere religious beliefs. +• Students at any level who present a physician's certificate +exempting a child from an immunization(s) due to a medical +contraindication: the reason why an individual cannot +medically receive the vaccine(s). + +The Massachusetts Department of Public Health has +immunization recommendations based on grade. Please refer to +the MDPH website for the current schedule and detailed +immunization guidelines. +Department +Contact Information +Health +Services +Office: 617-635-6788 Fax: 617-635-7937 +Welcome +Services +Office: 617-635-9085 Fax: 617-635-9703 + + + +Page 6: +Superintendent’s Circular SHS-06 +Page 6 of 6 + + + + +Date +Activity +September +All new students and students entering grades, +K2, 1, 4, 6, 10, 11 will be asked to provide an updated +immunization record prior to the start of the +school year in compliance with current +Massachusetts Department of Public Health +requirements. +Monthly +Letters will be sent to parents/guardians +requesting immunization records for students +with missing immunizations. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-08 Medication Administration.txt b/data/data_txt/SHS-08 Medication Administration.txt new file mode 100644 index 0000000..8d3d6e9 --- /dev/null +++ b/data/data_txt/SHS-08 Medication Administration.txt @@ -0,0 +1,455 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +SHS-08 +Version 01 + +MEDICATION ADMINISTRATION +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY FOR ADMINISTRATION OF MEDICATIONS +The school nurse is the supervisor of the medication +administration program in the school. The school nurse is the +only staff authorized to administer medication except in two +situations: (1) during field trips and (2) in the event of a life- +threatening allergic reaction requiring administration of +Epinephrine via an autoinjector. The school nurse is responsible +for training designated staff in the administration of medication +in these two situations. This policy is in accordance with +Massachusetts state regulations for administration of medication +in public schools (105 CMR 210.000). The protocol has been +approved by the Massachusetts Department of Public Health. For +more detailed information, please refer to the 105 CMR 210: +DEPARTMENT OF PUBLIC HEALTH +PROTOCOL FOR ADMINISTRATION OF MEDICATION +This section is a summary of the medication protocol. The full +protocol is in the Nurses’ Protocol and Procedure Manual and +contains the referenced forms. + + +Page 2: +Superintendent’s Circular SHS-08 +Page 2 of 14 + +General: +● The school nurse shall be the supervisor of the medication +administration program in the school. +● All school nurses will have read the complete Medication +Policy and 105 CMR 210.000- THE ADMINISTRATION OF +PRESCRIPTION MEDICATIONS IN PUBLIC AND PRIVATE +SCHOOLS annually. +● The school nurse, in collaboration with the parent or guardian, +shall establish a medication administration plan for each +student receiving medication, in accordance with the details of +the full medication policy. +● In accordance with standard nursing practice, the school nurse +may refuse to administer, or allow to be administered, any +medication which, based on their individual assessment and +professional judgment, has the potential to be harmful, +dangerous, or inappropriate. In these cases, the +parent/guardian and licensed prescriber shall be notified +immediately by the school nurse and the reason for refusal +explained. The school nurse will document the above in the +electronic medical record (EMR). +● Health Services administration is accountable for reviewing all +aspects of medication administration and ensuring that the +Massachusetts Standards of Nursing Practice are upheld. +When inconsistencies are discovered, the school nurse will be +counseled, and the head of school/principal informed. When +inadequacies continue (despite appropriate counseling and +support), the issue and the measures taken will be +documented in the nurse’s performance evaluation. Auditing + + +Page 3: +Superintendent’s Circular SHS-08 +Page 3 of 14 + +will occur as part of routine site visit or as incidents deem +necessary. +Handling, Storage, and Disposal of Medications +● All prescription medications shall lie stored in their original +pharmacy or manufacturer labeled containers and, in such +manner, as to render them safe and effective. +● All prescription medications to be administered by school +personnel shall be kept in a securely locked cabinet used +exclusively for medications, which is kept locked except when +opened to obtain medications. The medication cabinet is to be +accessed solely by the school nurse. The cabinet shall be +substantially constructed and anchored securely to a solid +surface. Prescription medications requiring refrigeration shall +be stored in either a locked box in a refrigerator or in a locked +refrigerator maintained at temperatures of 38F to 42F. +● Access to stored prescription medications shall be limited to +persons authorized to administer prescription medications and +to self-medicating students, to the extent permitted by school +policy developed pursuant to 105 CMR 210.006(B)(8). Access to +keys and knowledge of the location of keys shall be restricted +to the maximum extent possible. Students who are self- +medicating shall not have access to other students’ +medications. +● Parents or guardians may retrieve the prescription +medications from the school at any time. +● No more than a 30 school-day supply of the prescription +medication for a student shall be stored at the school. + + +Page 4: +Superintendent’s Circular SHS-08 +Page 4 of 14 + +● Where possible, all unused, discontinued, or outdated +prescription medications shall be returned to the parent or +guardian and the return appropriately documented. In +extenuating circumstances, with parental consent, when +possible, such prescription medications may be destroyed by +the school nurse in accordance with any applicable policies of +the Massachusetts Department of Public Health, Division of +Food and Drugs. +● The school nurse is responsible for maintaining the +confidentiality of a students’ health record, including +medications. Do not discuss or share information about +students or medications with other school staff or people +outside school unless directed to do so by the school nurse. +Refer all questions or comments about students or +medications to the school nurse. +Medication Orders/Parental Consent +● The school nurse shall ensure that there is a proper medication +order from a licensed prescriber which is renewed annually +and when changes are made to the orders. The +parent/guardian must sign a consent for the administration of +the medication every time a change is made. +● A new order must be obtained at the beginning of the +academic year for all daily medications/treatments and any +PRN medications. +● All students with medication orders should have a medication +administration plan and an IHP. +● Medication orders will be transcribed into the Electronic +Medical Record (EMR) using the date the order was written by + + +Page 5: +Superintendent’s Circular SHS-08 +Page 5 of 14 + +the prescriber until the end of the school year. (The official end +of the school year is the last day of the Extended School Year +(ESY) program. +● A telephone order or an order for any change in medication +shall be received only by the school nurse. Any such verbal +order must be followed by a written order within three school +days. +● The prescriber Medication Order form should be used. It is +recommended that the Boston Public Schools Medication +Order Form be completed by the prescriber, as the form +contains the necessary information about the medication. +Orders may be accepted from a prescriber that has not used +the BPS Medication Order form as long as all necessary +information is on the letter or form. The parent/guardian must +consent to the administration of medication in school. +Reporting and Documentation of Medication Errors +● A medication error includes any failure to administer +medication as prescribed for a particular student, including +failure to administer the medication: +● within appropriate time frames (the appropriate time frame +should be addressed in the medication administration plan) +● in the correct dosage +● in accordance with accepted practice +● to the correct student +In the event of a medication error, the school nurse shall notify +the parent or guardian immediately. (The school nurse shall +document the effort to reach the parent or guardian.) If there is a + + +Page 6: +Superintendent’s Circular SHS-08 +Page 6 of 14 + +question of potential harm to the student, the nurse shall also +notify the student's licensed prescriber or school physician. +Medication errors shall be reported to the Health Services +nursing leadership and documented by the school nurse utilizing +the medication error report form. These reports shall be retained +by Health Services leadership and within the student electronic +health record where applicable. They shall be made available to +the Department of Public Health upon request. +All medication errors resulting in serious illness/injury requiring +medical care shall be immediately reported to the Health +Services leadership who will make the decision, as necessary, to +further report to the Department of Public Health, Drug Control +Program utilizing the Drug Incident Report. +All suspected diversion or tampering of drugs shall be reported to +the Health Services nursing leadership and to the Department of +Public Health, Division of Food and Drugs. +The school nurse shall review reports of medication errors and +take necessary steps to ensure appropriate medication +administration in the future. +Over The Counter (OTC) Medications, i.e., Non-Prescription +Medications +● The school nurse shall follow the Board of Registration in +Nursing protocols listed in their Advisory Ruling (AR) +Medication Administration of Over-the-Counter Drugs (AR 92- +05) regarding required provider orders and safety steps in the +administration of OTC medications in schools. (Board of +Registration in Nursing Advisory Ruling 92-05 + + +Page 7: +Superintendent’s Circular SHS-08 +Page 7 of 14 + +● The school physician is responsible for the OTC Standing +Orders policy, in consultation with the Office of Health Services +nursing leadership and feedback from the school nurse body +and will sign off on a standing order for administration of OTC +medications (Appendix). +● OTC medications may only be administered once during any +school day (except as noted). If requested more than two times +in any given week, or a pattern of regular usage develops, the +school nurse will contact the parent/guardian for provider +guidance per Standing Order protocol. +● OTC medication may NOT be administered without parental +permission. +● A one-time dose of an OTC medication may be administered +with verbal parental/guardian consent in the event that a +paper consent form has not been signed, the parent/guardian +must return a signed consent form within two school days +following the administration for future administration. +Herbal Preparations +● Herbal preparations/medications are to be considered over- +the-counter medications and are subject to the same +regulations and require parental permission. +● Herbal preparations/medications must be listed in the U.S. +Pharmacopeia (USP.org) in order to be given in school. +● The OTC standing orders do not cover herbal +preparations/medications and require a prescription from an +appropriate and duly licensed prescriber. + + +Page 8: +Superintendent’s Circular SHS-08 +Page 8 of 14 + +Special Medication Situations +● For short-term medications, i.e., those requiring administration +for ten school days or fewer, the pharmacy-labeled container +may be used in lieu of a licensed prescriber’s order. +● Investigational new drugs may be administered in the schools +with (a) a written order by a licensed prescriber, (b) written +consent of the parent or guardian, and (c) a pharmacy-labeled +container for dispensing. If there is a question, the school +nurse may seek consultation and/or approval from the school +physician to administer the medication in the school setting. +Controlled Substances +● Students may require medications that fall under the category +of “controlled substances.” +● The detailed protocol for administration of controlled +substances is in the BPS Nurses Protocol and Procedure +Manual. +Medications During Transport +● Asthma exacerbations may occur while in transport. A self- +medication plan would address this issue and allow for the +child to carry and self-administer the medication without the +supervision of the school nurse. The student should be advised +to report to the school nurse if they require treatment en route +to or from school. +● Emergency medications, other than Epinephrine, cannot be +administered by the bus driver/transportation monitor. The +driver is expected to pull over and call 911 EMS if there is an + + +Page 9: +Superintendent’s Circular SHS-08 +Page 9 of 14 + +emergent need and there are no licensed personnel +accompanying the child. +Anaphylaxis +● Nurses, in conjunction with building administrators, MUST +have a plan in place to ensure the safety of those children with +life threatening allergies requiring the administration of +Epinephrine. +● In the event of a life-threatening, previously undiagnosed +anaphylactic reaction, the school nurse may administer +epinephrine in the protocol dosages. +● The school physician is responsible for reviewing and renewing +the anaphylaxis protocol on an annual basis. +● Refer to Superintendent Circular SHS-11 “Life Threatening +Allergies (LTA or Anaphylaxis)” for specifics. +Asthma +● If a child with known asthma has a severe exacerbation while +at school and there is no order for medications administered +via nebulizer from the child’s primary care provider, the nurse +may administer a nebulizer or Metered Dose Inhaler (MDI) +treatment, under the school physician’s order and according to +the asthma protocol (BPS protocol and procedure manual). +● The emergent use of nebulizer should occur within the context +of the child’s primary or specialty care management. After the +first episode of medication administered via nebulizer or MDI +utilizing standing orders, every effort should be made to +secure a treatment plan which includes use of PRN nebulizer +with feedback to the family and/or the primary care provider. + + +Page 10: +Superintendent’s Circular SHS-08 +Page 10 of 14 + +● If there are no subsequent medication treatment orders from +the patient’s primary care provider, the parent will be notified +and 911 will be accessed in the event of an asthma +exacerbation. +Delegation/Supervision for Field Trips and Life-Threatening +Allergic Reactions +● The school nurse shall have final decision-making authority +with respect to delegating administration of medications to +unlicensed personnel in the school system. Boston Public +Schools is registered with the Department of Public Health +and has chosen to limit delegation to field trips only. +● When medication administration is delegated by the school +nurse to unlicensed school personnel, such personnel shall be +under the supervision of the school nurse for the purposes of +medication administration. +● After consultation with the principal or administrator +responsible for a given school, the school nurse shall be +responsible to select, train, and supervise the school personnel +approved by the school nurse to administer medications on +field trips. When necessary to protect student health and +safety, the school nurse may rescind such selection. +● A school nurse shall be on duty in the school system while +medications are being administered by designated unlicensed +school personnel, and available by telephone should +consultation be required. +● The administration of parenteral medications may not be +delegated. + + +Page 11: +Superintendent’s Circular SHS-08 +Page 11 of 14 + +● Medications to be administered pursuant to PRN (“as needed”) +orders may be delegated to be administered by authorized +school personnel while on a field trip after an assessment by or +consultation with the school nurse for each dose. +Note: any medications that require a nursing assessment +may not be delegated with the exception of asthma +medications. +● For each school, an updated list of unlicensed school +personnel who have been trained in the administration of +Epinephrine shall be maintained by the school nurse. Upon +request, a parent shall be provided with a list of school +personnel trained to administer medications on field trips and +in life threatening cases. Note: It is the expectation that all +school staff are trained by the school nurse in Epinephrine via +an autoinjector administration twice a year and complete a +return-demonstration to the nurse. +● Designated, trained medication delegation school personnel +shall be listed on the specific student’s medication +administration plan. +● Principals/head of school or the district department +sponsoring the trips have the primary responsibility to ensure +that all procedures pertaining to field trips are followed by +their school and establish clear and transparts internal +protocols for field trip requests and approvals at the school +level. +● Before approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place + + +Page 12: +Superintendent’s Circular SHS-08 +Page 12 of 14 + +before the field trip is secured. For additional questions, please +consult the Health Services Department. Additionally, to +thoroughly support a student's participation in a field trip, at +least six weeks before departure (much longer for international +and overnight field trip programs), consult with, and when +necessary, receive training from the school nurse regarding +any students who have medical needs. +● Refer to Superintendent’s Circular CAO-22 General Guidelines +and Procedures for All Field Trips for additional information. +Self-Administration of Medications +Consistent with school policy, students may self-administer +prescription medication provided that certain conditions are met. +For the purposes of 105 CMR 210.000, “self-administration” shall +mean that the student is able to consume or apply prescription +medication in the manner directed by the licensed prescriber, +without additional assistance or direction. +For a child to self-administer, the following must be in place: +● Parent/guardian approval. +● An assessment by the school nurse that the student is capable +of self-medication administration. +● The school nurse develops an individualized medication +administration plan (105 CMR 210.005(E) for that student which +is agreed to by the parent/guardian and contains: +○ Documentation by a designated school personnel or by +the student, when the student is assessed as capable by +the school nurse, that medication was self-administered. +○ Periodic review of process by school nurse + + +Page 13: +Superintendent’s Circular SHS-08 +Page 13 of 14 + +○ Determines a safe place for storing the medication for the +individual student, while providing for accessibility if the +student’s health needs require it. +○ Documentation of teacher’s and student’s knowledge of +the medication dose, frequency, and side effects, the +disease process for which the medication is being +administered, the safety of the plan and the student’s +ability to self-administer the medication, and the student’s +compliance with the identified plan. +● A medication order from a licensed prescriber for this student’s +medication. +● In the absence of a school nurse, the school administrator will +contact a health services administrator to assist with the +development of an appropriate plan of care which includes all +the above. +● All self-medication administration plans must be renewed +annually. +Health Services administration is accountable for reviewing all +aspects of medication administration and ensuring that the +Massachusetts Standards of Nursing Practice are upheld. When +inconsistencies are discovered, the school nurse will be +counseled, and the head of school/principal informed. +Summary of significant dates and deadlines: +Month +Activity +January +Send an updated list of nurses/schools +to MA DPH. + + + +Page 14: +Superintendent’s Circular SHS-08 +Page 14 of 14 + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-11 Life Threatening Allergies.txt b/data/data_txt/SHS-11 Life Threatening Allergies.txt new file mode 100644 index 0000000..9bf4cce --- /dev/null +++ b/data/data_txt/SHS-11 Life Threatening Allergies.txt @@ -0,0 +1,356 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-11 +Version 01 + + + + LIFE-THREATENING ALLERGIES (LTA OR ANAPHYLAXIS) +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY +The Massachusetts Department of Education recommends that +all school districts have policies and protocols regarding the care +of students with life-threatening food allergies. This is in addition +to 2012, c.77, An Act Relative to Medical Emergency Response +Plans for Schools, requiring local school districts to develop +efficient written medical response plans for responding to life- +threatening emergencies. + +Massachusetts Department of Public Health Regulations +governing the Administration of Prescription Medications in +Public and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) +authorize school personnel who are trained and tested for +competency to administer epinephrine by auto-injector to +individuals with previously diagnosed life-threatening allergies +who are experiencing an anaphylactic event. School districts +must be registered with the Massachusetts Department of Public +Health for this purpose. + + + +Page 2: +Superintendent’s Circular SHS-11 +Page 2 of 10 + + + +BACKGROUND ON ANAPHYLAXIS +Anaphylaxis is a sudden, severe, potentially fatal, systemic allergic +reaction that can involve various areas of the body (such as the +skin, respiratory tract, gastrointestinal tract, and cardiovascular +system). Symptoms occur within minutes to two hours after +contact with the allergy-causing substance, but in rare instances +may occur up to four hours later. Anaphylactic reactions can be +mild to life-threatening. The annual incidence of anaphylactic +reactions is about 30 per 100,000 persons, and individuals with +asthma, eczema, or hay fever are at a greater relative risk of +experiencing anaphylaxis. The most common allergens in +children are food and bee-sting. +Because of the life-threatening nature of this condition, it is +important for schools to develop and implement care plans for all +children identified with life-threatening allergic reactions. +The Massachusetts Department of Public Health regulations +provides for the administration of epinephrine by auto-injector by +non-medical personnel who have been trained by the school +nurse in the administration of epinephrine by auto-injector +delivery. In consultation with the school physician, the school +nurse leader has the final decision-making authority about the +program, which must be in accordance with MA DPH standards. +This includes school-sponsored programs as well as before and +after school when a nurse is not immediately available. +The Boston School Committee, as part of the Superintendent's +Circular SHS-08 Medication Administration, has approved the +training of administration of epinephrine by auto-injector for +students with identified allergies under the supervision of the + + +Page 3: +Superintendent’s Circular SHS-11 +Page 3 of 10 + + + +school nurse. +The purpose of these Administrative Procedures and Guidelines +is to: +• Provide a safe and healthy learning environment for all +students +• Protect the rights of students with food allergies to +participate in all school activities +• Reduce the likelihood of severe or potentially life- +threatening allergic reactions during school +• Ensure a rapid and effective response in the case of a +severe or potentially life-threatening allergic reaction. + +EDUCATION AND TRAINING +Staff to be trained includes, but are not limited to, teachers, +paraprofessionals, food service staff, school leaders, support staff, +and student interns/teachers. +Education and training by the school nurse will include: +• Identification of potential food allergens +• Role and responsibilities in the prevention and reducing +risks +• Recognizing allergic reactions +• Responding to an allergic reaction +• How to administer an epinephrine auto-injector +(EpiPen®). + + + +Page 4: +Superintendent’s Circular SHS-11 +Page 4 of 10 + + + +ROLES AND RESPONSIBILITIES +Role of the Parent: +• Inform the school nurse if their child has a Life- +Threatening Allergy (with specific information regarding +the allergen (i.e. food types, insect, medication)) +• Provide the school with a list of allergens, the Individual +Health Plan (IHP) (preferably with a Food Allergy action +plan, where appropriate), and a physician order for +epinephrine auto-injector administration +• Provide physician/provider documentation regarding +allergy, diagnosis and treatment +• Work with the school nurse, school leader, and classroom +teacher to develop and implement the Allergy Action Plan ++/or IHP for ensuring that their child is safe from potential +allergens +• Provide an epinephrine auto-injector(s) and other +physician-ordered emergency medication if indicated to +the school nurse +• Sign release of information/permission for identified +school staff to have information about their child’s allergy +• Provide current contact information, including emergency +contacts +• Ensure that the pre-school and after-school staff have the +appropriate information. + + + + + +Page 5: +Superintendent’s Circular SHS-11 +Page 5 of 10 + + + +Role of the School Administrator: +• Support training for school staff, provided by the school +nurse at the beginning of every school year and as needed +• Support faculty, staff, and parents in implementing all +aspects of the LTA (Life-Threatening Allergy) program +• Consider a school-wide policy, with input from the School +Site Council, for avoiding LTA's wherever possible (i.e., +peanut-free zones, no food at functions, etc.) +• Provide emergency communication devices (two-way +radio, intercom, walkie-talkie, cell phone) for all school +activities, including transportation, that involve a student +with life-threatening allergies +• Ensure there is a contingency plan in the case of a +substitute nurse, teacher, or food service personnel +• Ensure that 911/EMS is activated (in the event of an +exposure). +Role of the School Nurse: +• Provide training at least annually (beginning of school +year) for school staff that will include information on food +allergies, risk reduction procedures, how to recognize an +allergic reaction, and how to respond in the event of an +allergic reaction, including the use of an epinephrine auto- +injector. Training will include a return demonstration by +school staff on the administration of an epinephrine auto- +injector. +• Obtain an Individual Health Plan (IHP) from the +family/primary care provider (this should include the +specifics about a food allergy action plan) +• Develop a plan for child management in the classroom, + + +Page 6: +Superintendent’s Circular SHS-11 +Page 6 of 10 + + + +lunchroom, playground, field trips, and emergency +situations +• Ensure that all other staff members who have contact +with students with life-threatening allergies (LTAs) are +familiar with their IHPs on a need-to-know basis +• Provide a list of students with life-threatening allergies (if +consent is given by parent) to all staff on a need-to-know +basis (including transportation staff) +• Conduct in-service training and education for appropriate +staff regarding a child's life-threatening allergens, +symptoms, risk reduction procedures, emergency +procedures, and how to administer an epinephrine auto- +injector +• Post general emergency protocol and location of an +epinephrine auto-injector; Epinephrine should not be +locked away but should be available to school staff in a +secure location and must be readily available for use in an +emergency situation +• Ensure that all IHPs for children with LTAs are readily +available for transport with EMS +• Ensure that there is a contingency plan in place in all +school-related venues where substitutes are utilized +• Communicate with parents on a regular basis to discuss +issues relating to the plan +• In the event of epinephrine auto-injector administration, +complete the Massachusetts Department of Public +Health’s epinephrine auto-injector administration form +and alert Health Services + +Role of the Teacher: + + +Page 7: +Superintendent’s Circular SHS-11 +Page 7 of 10 + + + +• Receive training at least annually to recognize symptoms +of allergic reaction and to understand their role as a +responder in the event of an allergic reaction; including +the use of an epinephrine auto-injector (i.e.EpiPen®) +• Collaborate with the school nurse and parent/guardian to +develop and implement a plan for ensuring that their child +is safe from potential allergens, including field trips, +classroom festivities, arts & crafts activities, and cafeteria +management +• Maintain a list of all students in the classroom with LTA; +include the list in the substitute teacher folder +• Participate in a team meeting for a child with life- +threatening allergies and in-service training about LTAs +• Keep accessible the child's emergency plan with a photo +(where possible) in the classroom (with parent's +permission) or keep with the lesson plan +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the child's food/other allergies +and necessary safeguards by both verbal communication +and in an organized, prominent, and accessible written +format +• Coordinate with the parent on providing a lesson plan +about food allergies for the class and discuss anaphylaxis +in age-appropriate terms, with the child's permission +• Remind students never to share or trade food +• Inform parents about events involving food +• Provide the school nurse 4-6 weeks in advance with dates +for field trips & school-sponsored off-site activities +• Discuss with the parent the process for ensuring before +and after school continuity of access to epinephrine auto- +injector administration and allergen reduction. + + +Page 8: +Superintendent’s Circular SHS-11 +Page 8 of 10 + + + +Role of Off-site Staff (Athletics): +• Maintain a list of all students in their charge who have LTA +• Athletic coaches will be informed via review of sports +clearances in ASPEN of any students on their teams who +have LTAs +• Coaches will participate in training at the school level that +will include information on Life-Threatening Allergies, risk +reduction procedures, how to recognize an allergic +reaction, and how to respond in the event of an allergic +reaction, including the use of an epinephrine auto-injector +and return demonstration +• Encourage these students to carry the epinephrine auto- +injectors to all practices and events +• Ensure the off-site staff has knowledge of the child with +the allergy, their specific allergy, and symptoms that they +may suffer during a reaction: +o Ensure that the off-site staff knows to call 911 or +other emergency numbers and request an +Advanced Life Support unit if a reaction occurs. +o Allow a responsible child to carry their own +epinephrine auto-injector in their backpack. +• Keep accessible the child's emergency plan in the specific +venue (with parent's permission) +• Inform substitutes about the child's food/other allergies +and necessary safeguards by both verbal communication +and in an organized, prominent, and accessible written +format. +Role of Food Services: +• Provide a food preparation environment that follows + + +Page 9: +Superintendent’s Circular SHS-11 +Page 9 of 10 + + + +sound food handling to avoid cross-contamination and +procedures to address food-allergic students +• Ensure all food service staff are able to recognize +symptoms of allergic reaction and to understand their +roles as a responder in the event of an allergic reaction; +including the use of an epinephrine auto-injector. +Role of the School Transportation Company: +• Provide training for all bus drivers on managing life- +threatening allergies +• Be familiar with local EMS procedures +• Have functioning communication equipment to access +EMS +• Maintain a policy of “No food/drink consumed on the bus”. + +Details of management and all necessary forms are available in +the Nurses’ Protocol and Procedure Manual (available to BPS +School Nurses) +• Managing Food Allergies in Schools The Role of School +Teachers and Paraeducators +• FAACT Education for School Personnel + +REFERENCES +Mass.gov Report epi-pen administration +Mass.gov School Health Services: Medication Administration + + + +Page 10: +Superintendent’s Circular SHS-11 +Page 10 of 10 + + + +Summary of significant dates and deadlines: +Date +Activity +September 2024 +All staff should have a Life-Threatening Allergy +review & epinephrine auto-injector demonstration +by the school nurse + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-13 Transportation Medical Accommodation.txt b/data/data_txt/SHS-13 Transportation Medical Accommodation.txt new file mode 100644 index 0000000..3c3d2a5 --- /dev/null +++ b/data/data_txt/SHS-13 Transportation Medical Accommodation.txt @@ -0,0 +1,330 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-13 +Version 01 + + + +TRANSPORTATION, MEDICAL ACCOMMODATION +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +Some students may be eligible for transportation +accommodation based on medical needs. The following +guidelines and processes refer to transportation for student +medical indications only. Transportation accommodations for +medical needs do not include transportation accommodations +written into an Individualized Education Program (IEP). +BACKGROUND +Medical transportation is warranted when a student’s illness, +managed by a health care professional, requires the assistance of +transportation as an accommodation to enable the student to +attend school. Transportation accommodations for medical +needs should not substitute for treatment of specific medical +conditions. The school, through the Student Support Team, is +encouraged to explore creative solutions to assist these families +with extraordinary needs. Children with chronic medical +conditions that cannot be remediated by medication or therapy +may be granted renewal each year. Renewal is collaboratively +determined by the school nurse and central office staff. Schools +will be notified in the spring to begin the transportation renewal +process. No student should be considered “renewed” until + + +Page 2: +Superintendent’s Circular SHS-13 +Page 2 of 11 + + + +receiving written notification that will be sent according to the +Transportation Office policy. +POLICY IMPLEMENTATION GUIDELINES +Parent/Guardian Role: +• Inform the school nurse of medical diagnosis and provide +supporting medical documentation that may require +transportation as an accommodation. +• Communicate with the school nurse and their child’s health +care provider regarding the need for medical transportation. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Principal/Head of School Role: +• Review, discuss, and approve each case with the Student +Support Team and/or school nurse. +• Designate a member of the Student Support Team to +collaborate with the school nurse to inform +parents/guardians of eligibility determination. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Nurse Role: +• Provide parents/guardians with a release of medical +information form to be signed to obtain consent to speak +with the student’s licensed health care provider. + + +Page 3: +Superintendent’s Circular SHS-13 +Page 3 of 11 + + + +• Contact the licensed healthcare provider to inform them of +the BPS transportation accommodation policy, discuss the +request submitted by the parent/guardian, and share +clinical observations related to the child’s medical condition. +• Present the case to the Student Support Team, including +notes taken during discussions with the parent/guardian +and licensed health care provider to determine the +appropriate accommodations, if any. +• Document all relevant and objective information related to +transportation in the student’s electronic health record. +• If the school nurse does not believe transportation is +warranted based on the above criteria, but any other +participant in the process disagrees, the case is referred to +School Health Services for further clarification and +resolution. +Student Support Team Role: +• Discuss medical transportation request cases as referred by +the school nurse. +• Each request should be considered individually, and other +options must be reviewed prior to authorization of medical +transportation. If additional support is needed, the Student +Support Team may make referrals for 504 or special +education concerns. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. + + +Page 4: +Superintendent’s Circular SHS-13 +Page 4 of 11 + + + +Coordinator of Special Education (COSE) Role: +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +shall discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team shall consider transportation needs. As part of this +consideration, the team shall include the school nurse. If +special transportation is found to be necessary for the +student to benefit from special education services and make +meaningful educational progress, it can be added to the IEP. +• If a student is referred for consideration for a 504 +accommodation plan and/or special education and related +services, the COSE will process the request for +transportation as appropriate. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Health Services Role: +• A member of the Health Services administrative team will +be available to discuss any request for transportation as an +accommodation for medical needs. +• School Health Services will consult with any party involved +in the transportation as an accommodation for the medical +needs process regarding the eligibility determination. +• In some cases, School Health Services may overturn the + + +Page 5: +Superintendent’s Circular SHS-13 +Page 5 of 11 + + + +initial determination or provide recommendations for +alternative accommodations to support the student’s needs. +Department of Transportation Role: +• After approval, the parent/guardian of the student will be +notified by mail of transportation specifics (time of pick- +up/drop-off/bus numbers/effective date). School staff may +access route information via Aspen. +• Collaborate with School Health Services regarding the +medical transportation renewal process. +• Transportation requests for students who are healthy, but +whose parents or guardians are ill, will not be approved. + +ELIGIBILITY DETERMINATION +A student determined to be eligible: +• The school nurse will fill out the Request for Medical +Transportation form provided below and submit it to +school-based leadership for final approval; the signed form +will be sent via email to the school’s Transportation Officer +within the Department of Transportation by the school +leader and/or school transportation coordinator. +• Once approved, the parent/guardian of the student will be +notified by mail of transportation specifics (time of pick- +up/drop-off/bus numbers/effective date). School staff may +access route information via Aspen. + + +Page 6: +Superintendent’s Circular SHS-13 +Page 6 of 11 + + + +A student determined NOT eligible: +• The parent/guardian will be notified by the principal +designee in collaboration with the school nurse. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. + +SPECIFIC GUIDELINES +Asthma: Transportation as an accommodation for asthma is +reserved for severe asthmatics that are adhering to a treatment +plan, have a rescue inhaler at school, and have an Asthma Action +Plan on file with the school nurse. If asthma impacts a student’s +ability to walk to a school bus or MBTA stop, further medical +evaluation and treatment may be necessary and should be +discussed with the child’s health care provider. Even the most +compliant students with asthma may need medical +transportation during the cold winter months. Mild, episodic +asthmatic students on intermittent medications do not qualify +for medical transportation. +Sickle Cell: Please refer to Superintendent’s Circular SHS-25. +Ambulation: Students with conditions that significantly affect +ambulation, such as leg braces, crutches, lower extremity +fractures, or amputations may be eligible for transportation as an +accommodation. Students who can ambulate and fully +participate in the school program should not be authorized for +medical transportation. +Seizure Disorder: Students experiencing current, intermittent + + +Page 7: +Superintendent’s Circular SHS-13 +Page 7 of 11 + + + +seizure activity are eligible for transportation accommodation +until stabilized. In general, if seizures are well controlled, medical +transportation will not be provided. +Emotional/Behavioral Problems: Children with emotional and/or +behavioral issues which impact their transportation to or from +school should be discussed at the Student Support Team +meeting before any referral is made for this type of +transportation accommodation. ADHD, depression/anxiety, +impulsivity, and other behavioral issues have an impact on +teaching and learning as well as school access. Behavioral +modification and other modalities may be more beneficial to the +child’s overall functioning than just transportation alone. The +school nurse will gather the medically relevant information for +the team. +Other: Neuromuscular disorders, cardiac disease, and other +medical conditions should be reviewed on an individual basis; +consult with School Health Services as needed. + + + + +Page 8: +Superintendent’s Circular SHS-13 +Page 8 of 11 + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 9: +Superintendent’s Circular SHS-13 +Page 9 of 11 + + + +REQUEST FOR TRANSPORTATION ACCOMMODATION, +MEDICAL NEEDS +(For school system use only) +Student Name _________________________Student ID # ____________ +School_ _________________________________________________________ +Hours: _____________________________ +Transportation will only be provided for the official hours of the +school. +School Nurse (please print) ______________________________________ +Principal/Head of School (please print) __________________________ +Does the student currently receive any kind of transportation +from Boston Public Schools? Yes No +If yes, please describe why the additional accommodation is +being requested. ________________________________________________ + _________________________________________________________________ +Does the student currently receive services related to a 504 or +IEP? Yes No +If yes, please discuss adding this accommodation to the student’s +current educational plan, instead of submitting the request in +this manner. Call Health Services for additional information and +support. + + +Page 10: +Superintendent’s Circular SHS-13 +Page 10 of 11 + + + +MEDICAL CERTIFICATION: +Reason for request: ______________________________________________ + _________________________________________________________________ +Healthcare Provider/ Clinic Name: _______________________________ +Is all relevant data documented in the student’s electronic health +record?  Yes  No + +DURATION OF MEDICAL TRANSPORTATION: Any +accommodation lasting longer than 6-8 weeks will be reviewed +by School Health Services in collaboration with the BPS +Department of Transportation. + Wheelchair van #weeks _________ + Cold winter months  School year + +AUTHORIZATION: +Date the request was submitted to school nurse: ________________ +Date the request was discussed at SST meeting: ________________ +Principal/head of school signature ______________________________ +Date: _______________________________ +School nurse signature __________________________________________ + + +Page 11: +Superintendent’s Circular SHS-13 +Page 11 of 11 + + + +Date: _______________________________ +Name of Transportation Officer: _________________________________ +Date faxed/emailed to Transportation Officer: ___________________ + +***************** +DEPARTMENT OF TRANSPORTATION ONLY +Date processed by Transportation Unit: _________________________ + + diff --git a/data/data_txt/SHS-16 Suicide Prevention & Intervention.txt b/data/data_txt/SHS-16 Suicide Prevention & Intervention.txt new file mode 100644 index 0000000..2f70c0f --- /dev/null +++ b/data/data_txt/SHS-16 Suicide Prevention & Intervention.txt @@ -0,0 +1,688 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-16 +Version 01 + + + +SUICIDE PREVENTION AND INTERVENTION +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +It is the policy of the Boston Public Schools (BPS) to provide an +array of services for students through the utilization of internal +and external support resources to promote their social and +emotional growth and well-being. In those cases where +individual students are at-risk or in-crisis, all staff will collaborate +in providing those supports needed to ensure the student’s +safety and well-being. When there is an acute crisis within the +school community, staff will collaborate, under the direction of +the building administrator and with support from the Behavioral +Health Services District Crisis Team (as needed/appropriate), in +addressing those problems and issues raised by that death +among students, staff, and parents. +POLICY GUIDELINES +The following policy guidelines have been established to address +the issue of suicide prevention and intervention and will be +followed in all schools: +1. All staff should be aware of suicide distress signals and +symptoms outlined herein. +2. All staff have an obligation to be knowledgeable about and + + +Page 2: +Superintendent’s Circular SHS-16 +Page 2 of 18 + + + +to cooperate fully in the implementation of the BPS Suicide +Prevention and Intervention Policy Statement and Policy +Guidelines. +3. Building administrators will provide leadership in +addressing the issue of suicide prevention and intervention +and will establish and maintain the following support +mechanisms required to address the issue within the wider +school community: +a. Implement prevention and intervention strategies +according to a multi-tiered system of support (MTSS) +framework. +b. Be sure that staff is knowledgeable about the purpose +of the Student Success Team (SST), its membership, +and the process for making referrals to the team. +c. Ensure the provision of in-service training for staff in +the fall of each school year concerning the issues of +suicide/crisis intervention and prevention, including +suicide risk assessment procedures. +d. Establish and maintain linkages with appropriate +community-based support agencies that will assist the +school in addressing this issue. +e. Provide information and services to students with a +view to implementing fully the letter and spirit of the +Boston Public Schools Suicide Prevention and +Intervention Policy. +Finally, it is paramount to highlight that racism undermines +mental health. Therefore, BPS is committed to culturally and +linguistically sustaining practices (CLSP) in all that is done in +supporting students and families. This means that we pledge to +work against individual racism, interpersonal racism, and +institutional racism in all their forms by creating systems that + + +Page 3: +Superintendent’s Circular SHS-16 +Page 3 of 18 + + + +work for our students and families. It is also well understood that +there is an increased risk of suicide amongst traditionally +marginalized groups, particularly in LGBTQ+ students. +KEY TERMS +It is essential that all Boston Public Schools staff understand the +following terms. +Suicide: Death caused by self-directed injurious behavior with +intent to die as a result of the behavior. +Suicide Attempt: A non-fatal, self-directed, potentially injurious +behavior with at least some intent to die as a result of the +behavior. +Suicidal Ideation: Thinking about, considering, or planning +suicide1. +Self-Injury: The act of deliberately harming one’s own body, +such as cutting or burning, as a way to cope with emotional +pain2. +TIERED PREVENTION & INTERVENTION STRATEGIES +It should be the goal of the school community to work together, +under the leadership of the building administrator, to establish +and maintain a program of suicide prevention. Schools are +important settings for suicide prevention for the following +reasons: school personnel interact regularly with students and +play an important role in keeping students safe; suicide has a + +1 NIMH » Home +2 Self-injury/cutting - Symptoms and causes + + +Page 4: +Superintendent’s Circular SHS-16 +Page 4 of 18 + + + +negative impact on an entire school community; and creating +and maintaining a safe and supportive learning environment is +part of the mission of BPS3. Prevention efforts should follow an +MTSS continuum, with low-intensity prevention efforts for all +students and more intensive prevention efforts for those with +higher risk. The following prevention and intervention strategies +are strongly recommended as part of a school-based suicide +prevention approach. + Tier 1 Prevention +School Climate +and Culture +Building a safe and supportive school +climate is a vital step in suicide prevention. +Schools should consider how they are +teaching kids to ask for help and how they +are creating safe spaces for relationship- +building. +School-Wide +Psychoeducation +Break Free From Depression (grades 9-12) +Signs of Suicide (grades 6-12) +Social Emotional Learning curriculum +(grades pre-K to 12) + +3 Schools + + +Page 5: +Superintendent’s Circular SHS-16 +Page 5 of 18 + + + +Universal +Behavioral Health +Screening +Using a universal behavioral health +screening tool (e.g. BIMAS-2) at least twice +per year helps schools assess students’ +level of risk and identify appropriate +prevention strategies. +The Trevor Project — Saving Young LGBTQ +Lives +Samaritans 24-hour Hotline +Samaritans IM Here Online Chat Program +Knowing Risk +Factors & Warning +Signs +Ensure that all staff are familiar with +suicide symptoms and report student +concerns to the building administrator in a +timely fashion. (See page 9-10 for a list of +warning signs along with common risk and +protective factors.) + + + + + +Page 6: +Superintendent’s Circular SHS-16 +Page 6 of 18 + + + + Tier 2 Prevention & Intervention Strategies +Structures and protocols to address and provide support to +students presenting at risk. +Person(s) +Responsible +Response Protocol +Student Success +Team (SST) +The SST should provide a systematic +process for identifying and addressing the +needs of students in need of support +services and emphasize suicide prevention +strategies. This can consist of guardian +contact regarding concerns, referral to a +partner or other agency for provision of +services, such as group counseling, etc. + + Tier 3 Intervention Strategies +All school staff should be familiar with intervention strategies and +protocols and be trained once per year. Different levels of +intervention (suicide risk assessment, safety planning, +emergency response, and postvention) are required, depending +on the nature and seriousness of the situation. +1. Student has made suicidal gestures or statements. +The BPS Suicide Risk Assessment (SRA) should be initiated +immediately if there is concern that a student has thoughts +about suicide. The SRA will guide the process for (1) gathering +information about the concern, (2) developing an appropriate +intervention plan, and (3) documenting both. + + +Page 7: +Superintendent’s Circular SHS-16 +Page 7 of 18 + + + +Person +Responsible +Response Protocol +Staff Person on +Scene +1. Keep the student safe. +a. Supervise the student by ensuring +they are in the presence of a staff +member. +b. Call 911 if there is a concern about +imminent danger. The BEST team +and / or a safety check may be +appropriate. +2. Notify the school administrator. +3. Report the situation to the designated +school leader(s). +Head of +School/Principal +or Designee +1. Continue the support initiated by the +staff person. +2. Contact the parent/guardian and request +their immediate presence. +3. Consult with the appropriate members of +the school’s student success team (SST), +such as the nurse, school psychologist, +social worker, student support +coordinator, etc. +4. Identify the professionals completing the +SRA. The SRA must be conducted: +a. In the student’s preferred language +b. By at least TWO people, one of +which must be a BPS employed +professional and a licensed mental +health professional. If these + + +Page 8: +Superintendent’s Circular SHS-16 +Page 8 of 18 + + + +individuals are not available at the +school, please call the Office of +Social Work at 617-971-8292. +5. Use of the Boston Emergency Services +Team (BEST) should be considered (1-800- +981-4357). The parent/guardian may also +opt to take the student to a nearby BEST +community clinic. +6. Submit reports as required. +BPS employed +professional and +a licensed mental +health +professional +1. Complete the BPS Suicide Risk +Assessment and determine the level of +risk. +2. Work with the student to create a +Student Safety Plan +3. Identify appropriate supportive services +and list them in the intervention plan at +the end of the SRA document. +a. Possible High-Risk Interventions: +i. +Guardian takes their student for +immediate intervention with a +health care provider. +ii. +Guardian and/or school to +contact BEST team at 1-800- +981-4357. +iii. +Contact BPS School Police at +617-635-8000. +iv. +Call 911 if necessary. +b. Possible Low Risk Interventions: + + +Page 9: +Superintendent’s Circular SHS-16 +Page 9 of 18 + + + +i. +Guardian to speak with the +student about this incident or +concern. +ii. +Teacher to monitor student’s +behavior and report any +changes or concerns. +iii. +Referral to outside agencies +for support +iv. +Referral to Student Success +Team or other school-based +supports +4. Scan and upload a copy of the completed +intervention plan and signature page, +along with the student safety plan to +Aspen. Retain SRA interview pages in a +clinical file in an agreed upon location in +your school. +5. Share the Student Safety Plan with +parents/caregivers and all appropriate +school-based personnel and community- +based partners. +6. Create a re-entry plan for students when +they return to school. + + + + + + + +Page 10: +Superintendent’s Circular SHS-16 +Page 10 of 18 + + + +Parent / Family +Collaboration +Notify the Student’s Legal Guardian(s) or +Emergency Contact(s). These may include: + Legal Guardian(s) listed in ASPEN. + Emergency Contact(s) listed in ASPEN. + Legal Guardian(s) has been asked to +come to school to discuss the student’s +needs. + Record if the Legal Guardian(s) have +NOT been notified and why they have +not been notified. + Share the SRA interview and plan for +any interventions and collaborate +around follow-up. + +2. Suicide Attempt Has Occurred +Person +Responsible +Response Protocol +Staff Person on +Scene +1. Initiate first aid, if appropriate. +2. Contact the head of school/principal or +designee (e.g., nurse, social worker, +school psychologist). +3. Contact the school nurse. +4. Do not leave the person alone. +5. Remove anything that may enable the +person to hurt themself. + + +Page 11: +Superintendent’s Circular SHS-16 +Page 11 of 18 + + + +School Nurse +1. Initiate required medical procedures. +2. Accompany (or ensure that a staff +member accompanies) the student to +the hospital. +3. Remain with the student until the +parent / caregiver arrives or for as long +as possible. +4. Inform the building administrator of the +student’s condition. This includes +informing the administrator when the +staff member is leaving the hospital. +Head of +School/Principal +or Designee +1. Initiate the procedures in +Superintendent’s Circular, FSE-05 +Medical Emergency Management +2. Contact the legal guardian and inform +them of the situation and the hospital to +which the student is being taken, if +applicable. +3. Accompany the student to the hospital, +if applicable +4. Contact the Superintendent’s Office +(617-635-9055) to report the incident. +5. Complete required reports. + + + + + +Page 12: +Superintendent’s Circular SHS-16 +Page 12 of 18 + + + +3. Postvention +Structures and protocols to address school need after a +completed suicide. +Postvention should be tailored to a specific situation, handled +case by case by your school's mental health staff and the crisis +team. Call your assigned District Social Worker or the Director of +Social Work, Jenna Parafincczuk at 617-971-8292 +Person Responsible +Response Protocol +Head of +school/Principal or +Designee +Call and notify your assigned District +Social Worker for assistance in +planning and carrying out Postvention +steps for ensuring safety and +addressing the psychological needs of +students and staff. +RELEASING STUDENTS TO PARENT/CAREGIVER +The head of school/principal or designee should release the +student to the parent after: +• Providing the parent/caregiver with the name of a medical +person, a mental health worker, or a resource agency +• Urging the parent to immediately bring the student to that +person or agency +• Urging the parent to provide the school with any follow-up +information that may be forthcoming from medical or +mental health personnel in order for the school to better +provide for the student +If a parent/caregiver or emergency contact cannot be contacted + + +Page 13: +Superintendent’s Circular SHS-16 +Page 13 of 18 + + + +after two hours, Department of Children and Families should be +contacted at the hot line (1-800-792-5200) and/or emergency +medical procedures should be implemented. Under no +circumstances should a child be allowed to go home without a +parent/guardian. The student should be kept at the school until a +DCF worker arrives. In these cases, schools should initiate the +procedures in Supertintendent’s Circular SUP-20, Child Abuse +and Neglect Procedures. +REFERRAL TO EXTERNAL SUPPORT AGENCIES +It is recommended that all students, both those “in-crisis” and +those who have exhibited or expressed any symptoms of suicide, +be referred for support by external agencies with staff trained +and experienced in providing suicide intervention. +RETURNING TO SCHOOL +All students returning to school after a period of absence are +required to bring notes of explanation/excuse for the absence, +signed by the parent/guardian. For students returning to school +after emergency treatment for suicide intervention, schools +should make all reasonable efforts to obtain documentation from +a medical/mental health provider indicating that the student is +able and safe to return to school. Failure of the school to receive +such documentation, however, will not be grounds for excluding +the student from school. Those students unable to return for +medical or mental health reasons after a crisis situation may +qualify for services under the provisions of Superintendent’s +Circular SSS-19 Home and Hospital Instruction. +All returning students should report first to the school nurse (or +other trained student support staff, such as the school + + +Page 14: +Superintendent’s Circular SHS-16 +Page 14 of 18 + + + +psychologist or social worker), who will take the following +actions: +1. Review and file the letter from the medical/mental health +provider as part of a confidential health record. +2. Accompany the student to the homeroom for re-admission. +Every effort should be made to do this with sensitivity and to +maintain as great a degree of confidentiality as possible. +3. Inform the head of school/principal of the student’s return. +4. Bring the case to the school’s SST for review and assignment +of an internal liaison person. +This liaison person will monitor the student’s re-entry and serve +as the person to whom staff should report recurring warning +signs. The liaison might be a homeroom or subject area teacher, +a school psychologist, a guidance counselor, the nurse, or other +member of the faculty who is trusted by the student. The liaison +might also serve as the link with the parent/guardian concerning +the student’s status and, with written permission of the +parent/guardian, serve as a liaison with any external agency staff +providing special support to the student. + + + + + +Page 15: +Superintendent’s Circular SHS-16 +Page 15 of 18 + + + +APPENDEUM: +SUICIDE WARNING SIGNS +Warning signs are indicators that a student may be in danger of +committing suicide and may need urgent help. +Verbal +Behavioral +• Talking about and/or +making suicide plans +• Talking about and/or +gathering suicide +methods/information +• Statements that family +and friends would not +miss them +• Expressions of +hopelessness and/or +anger at self and the +world +• Talking about seeking +revenge +• Talking about feeling +trapped or being in +unbearable pain +• Talking about being a +burden to others + +• Looking for a way to kill +oneself +• Increasing the use of +alcohol or drugs +• Acting anxious, agitated, +or restless +• Sleeping too little or too +much +• Withdrawing or feeling +isolated +• Scratching, cutting, +marking body, or other +self-injurious behaviors +• Writing of suicidal notes +or posting on social media +• Making final +arrangements +• Giving away prized +possessions + + +Page 16: +Superintendent’s Circular SHS-16 +Page 16 of 18 + + + +• Reading, writing, and/or +art about death +• Sudden positive behavior +change following a period +of depression +ENVIRONMENTAL WARNING SIGNS +• Recent loss through death +• Recent loss through suicide +• Anniversary of a significant loss +• Recent experiences of violence +• Justice system involvement +• Anniversary of a significant loss + + + + +Page 17: +Superintendent’s Circular SHS-16 +Page 17 of 18 + + + +SUICIDE RISK FACTORS +Risk factors are characteristics that make it more likely a student +might consider, attempt, or die by suicide. +Individual +Environmental +• LGBTQ+ Identity +• Substance Abuse +• Medication use +• History of mental disorders, +particularly clinical depression +(that has not been dx or +treated properly) +• Prior suicide attempts +• Hopelessness / A Burden +• Hallucinations +• Delusions +• Impulsive or aggressive +tendencies +• Cultural and religious beliefs +(e.g., belief that suicide is noble +resolution of a personal +dilemma) +• Physical Illness +• Unwillingness to seek help +because of the stigma +attached to mental health and +substance abuse disorders or +to suicidal thoughts +• Interpersonal conflict +• Isolation / aloneness +• Parent suicide +attempts / family +history +• Early loss / +separation from +family +• Cultural sanctions for +suicide +• Loss (relational, +social, work or +financial) +• Local epidemics of +suicide +• Barriers to accessing +mental health +treatment +• Easy to access lethal +methods + + + +Page 18: +Superintendent’s Circular SHS-16 +Page 18 of 18 + + + +SUICIDE PROTECTIVE FACTORS +Protective factors are characteristics that make it less likely that a +student will engage in suicidal behavior. +• Effective clinical care for mental, physical, and substance +abuse disorders +• Easy access to a variety of clinical interventions and support +for help seeking +• Family and community support (connectedness) +• Support from ongoing medical and mental health care +relationships +• Skills in problem solving, conflict resolution, and nonviolent +ways of handling disputes +• Cultural and religious beliefs that discourage suicide and +support instincts for self-preservation +For more information about this circular, contact: +Owner: +Director of Social Work, Division of Student +Support +Department: +Social Work +Mailing Address: +205 Roxbury Street, Roxbury, MA 02119 +Phone: +617-971-8292 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-20 Asthma in Schools.txt b/data/data_txt/SHS-20 Asthma in Schools.txt new file mode 100644 index 0000000..9ef4b03 --- /dev/null +++ b/data/data_txt/SHS-20 Asthma in Schools.txt @@ -0,0 +1,277 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-20 +Version 01 + +ASTHMA IN SCHOOLS +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +The Boston Public Schools recognizes that a clear, concise policy +on asthma management in school can impact academic +achievement. All schools must have protocols and procedures for +children with asthma and evaluate the implementation of these +plans regularly. This document outlines the comprehensive and +collaborative nature of managing a child’s asthma within a school +setting. +BACKGROUND ON ASTHMA +Because asthma is one of the most common chronic childhood +illnesses and a major cause of student absences, it is important +for schools to adopt a comprehensive, coordinated approach to +addressing asthma. +While asthma affects people of all ages, races, genders, and +segments of society, the burden is not equally shared across +racial and ethnic groups. It is most often a disease of the young +and of the poor. In 2020, 25.3 million Americans reported a +diagnosis of asthma. Of those, 21 million were adults, and 4.2 +million were children.1 Nearly half of children (52.7%) and adults +with asthma living below the poverty level reported an asthma + + +Page 2: +Superintendent’s Circular SHS-20 +Page 2 of 9 + +attack in the past year2, which is an indication of poor asthma +control. Children and people living below the poverty level are +among the groups most likely to have asthma, and to suffer from +severe asthma attacks, hospitalization, and even death. Asthma +morbidity and mortality are disproportionately burdensome for +African Americans and Hispanics, who are least likely to have +access to health education and adequate healthcare. +A comprehensive plan includes management and support +systems, appropriate health and mental health services, +educational programs for staff and students, appropriate and +reasonable environmental remediation, and communication +systems with home and child clinicians. +These components need to be integrated with community efforts +that include the medical and mental health fields, housing and +community air quality improvements, and active engagement of +families. +This document links with the Medication Administration Policy +and Management of Life-Threatening Allergic Reaction policies. +PROTOCOL FOR IMPLEMENTATION +Role of the Parent +• At the time of registration, the parent/guardian should +inform the Welcome Center staff of any health concerns of +their child, including asthma. The Health Services +Department remains available to support any student or +parent/guardian wishing to discuss this information +privately. +• Complete emergency forms indicating that their child has + + +Page 3: +Superintendent’s Circular SHS-20 +Page 3 of 9 + +asthma and include emergency numbers. +• Provide the school nurse with a current Asthma Action Plan +and emergency management plan from the student’s +physician and/or pulmonologist. It is recommended that the +parent/guardian meet with the school nurse in person to +discuss their child’s plan. +• Review with your child’s primary care provider/specialist and +sign all asthma forms presented by the school nurse. These +may include a combination of the following: +o Permission for a school nurse to communicate with the +family and the primary care provider/specialist +o Authorization to dispense medication +o Consent for child’s self-administration of asthma +medicine (when developmentally appropriate) +o The Parent/Guardian Asthma Questionnaire +o The Asthma Action Plan +• Provide the school with a pharmacy-labeled supply of +medications (oral and inhalers), including nebulizer +medications, masks, and tubing. Most health rooms have +nebulizers but are not equipped with extra masks and +tubing. +• Participate in the Asthma Action Plan for their child with the +child’s health practitioner and deliver the completed asthma +action plan to the school nurse. +• Provide a cell phone number or other emergency number/s +• Assure that the pre-school and after-school staff has the +appropriate information and training. + + +Page 4: +Superintendent’s Circular SHS-20 +Page 4 of 9 + +Role of the School Administrator +• Support faculty, staff, and parents in implementing all +aspects of the asthma management program, including +self-management. +• Support the development of a schoolwide policy, with input +from the School Site Council, for management of the school +environment, which includes, but is not limited to: +o Maintaining an active Integrated Pest Management +Program +o Review of and action on annual school inspections +o Use of green cleaners +o Enforcement of the tobacco-free policy +• Ensure there is a contingency plan for a substitute nurse, +teacher, or food service personnel who is not familiar with +the child. +• Ensure that the classroom staff is informed about asthma +prevention, management, and emergency response. +• Support program development, especially in schools with +higher than the state average of students diagnosed with +asthma or with large numbers of absenteeism related to +asthma. +• Review environmental inspections and ensure that all work +orders occur in a timely fashion. +• Support the student support team, the school nurse, and +the classroom teacher in identifying children with increased +absenteeism in relation to asthma. +• Inform the school nurse 4-6 weeks in advance of field trips + + +Page 5: +Superintendent’s Circular SHS-20 +Page 5 of 9 + +to thoroughly support a student's participation in a field trip +and ensure adequate planning time (e.g., staff training, +preparation of medications) +Role of the Student (where it is developmentally appropriate) +• Sign off on self-administration plan guidelines. +• Participate in self-management program(s) such as Open +Airways or Kickn’ Asthma to help better identify triggers +that may cause asthma symptoms and response. +• Complete the “Student Breathing/Asthma Questionnaire.” +Role of the School Nurse +• Obtain and review the student’s current Asthma Action Plan +(AAP) and other pertinent information from the student’s +parents/guardians and health care providers, including +medication administration permission form. +• Obtain releases for nurse/health care provider +communication and physician authorization for medication. +• Administer medication per provider order, monitor asthma +control, coordinate care, and maintain records. +• Provide safe storage and easy access to prescribed +medication when needed. +• Promote and encourage independence and self-care +consistent with the student’s ability, skill, maturity, and +development as indicated in the AAP. After reviewing the +AAP with the parents/guardians and student, implement, +review, and update the plan throughout the school year as +needed. + + +Page 6: +Superintendent’s Circular SHS-20 +Page 6 of 9 + +• Develop a plan for student management in the classroom, +lunchroom, playground, and athletic field that provides +routine and emergency care. +• Complete with the student (where developmentally +appropriate) the Student Breathing/Asthma questionnaire. +• Ensure that all other staff members (including coaches) who +have contact with children with asthma are familiar with +their Asthma Action Plan on a need-to-know basis. Teachers +should be contacted individually rather than with lists +posted. +• Provide a list of students with life-threatening allergies as a +component to their asthma (if consent is given by parent) to +all staff on a need-to-know basis; lists must be maintained in +a confidential manner to protect students’ privacy. +• Conduct in-service training and education for appropriate +staff regarding asthma symptoms, risk reduction +procedures, and emergency procedures. This information +should be reviewed annually, preferably at the beginning of +the school year. +• Ensure that there is a contingency plan in place in all school- +related venues where substitutes are utilized. +• Communicate with parents regularly to discuss issues +relating to the plan. +Role of the Teacher +• Maintain a discrete list of all students in the classroom with +asthma; lists must be maintained in a confidential manner +to protect students’ privacy. + + +Page 7: +Superintendent’s Circular SHS-20 +Page 7 of 9 + +• Participate in asthma awareness professional development +opportunities, as needed. +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the child's asthma needs on a +need-to-know basis, while maintaining student +confidentiality. +• Provide the school nurse with an adequate warning (4-6 +weeks for field trips) about school-sponsored off-site +activities. +• Notify the school nurse of any concerns. +Role of Off-site Staff +• Maintain a list of all students with severe persistent asthma; +lists must be maintained in a confidential manner to protect +students’ privacy. +• Coaches will be informed of any students on their teams +who have asthma (through review in ASPEN/Sports +Clearance form) and trained in asthma awareness and +maximizing athletic performance. +• Allow responsible students to self-medicate during practices +and sports events; students must have a self-medication +plan on file with the school nurse. + Role of the Coordinator of Special Education (COSE): +• If a student is referred for consideration for a 504 +accommodation plan and/or special education, the COSE +will process as appropriate; the parent/guardian, school +nurse, and other school staff must be involved in the plan + + +Page 8: +Superintendent’s Circular SHS-20 +Page 8 of 9 + +development and implementation. +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +will discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team shall consider transportation needs (team shall include +school nurse). If special transportation is necessary, it can be +added to the IEP. + +REFERENCES +Managing Asthma: A Guide for Schools +Asthma Self-Management Skills, American Lung Association +CDC Strategies for Managing Asthma in Schools +1CDC Most Recent National Asthma Data +2American Lung Association Controlling Childhood Asthma +and Reducing Emergencies Initiative + + + + +Page 9: +Superintendent’s Circular SHS-20 +Page 9 of 9 + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-21 Diabetes Policy.txt b/data/data_txt/SHS-21 Diabetes Policy.txt new file mode 100644 index 0000000..8ed134f --- /dev/null +++ b/data/data_txt/SHS-21 Diabetes Policy.txt @@ -0,0 +1,462 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-21 +Version 01 + + + +DIABETES POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BACKGROUND +Diabetes is a chronic disease in which the body does not make or +properly use insulin. Insulin is a hormone produced by the +pancreas that is needed to convert sugar and starches into +energy for the body. People with diabetes have increased blood +glucose (sugar) levels because they lack or have insufficient +insulin or are resistant to insulin’s effects. High levels of glucose +build up in the blood and spill into the urine; as a result the body +loses its main source of fuel. +There are many types of diabetes that affect children. The most +common types seen in school settings include: +• Type 1 (formerly called “Insulin-Dependent” or “Juvenile- +Onset”) Diabetes Mellitus: This type of diabetes is considered +a disease of the immune system because the immune +system destroys the cells in the pancreas that produce the +hormone insulin. People with type 1 diabetes must inject +insulin every day because their bodies cannot produce +insulin. It needs to be injected under the skin to be +absorbed; it cannot be taken by mouth because it would not +be effective. +• Type 2 (formerly called “Non-Insulin Dependent” or “Adult- + + +Page 2: +Superintendent’s Circular SHS-21 +Page 2 of 13 + + + +Onset”) Diabetes Mellitus: People with type 2 diabetes +produce insulin, but the cells of the body do not respond +normally to the insulin. This is referred to as insulin +resistance. Type 2 diabetes can often be managed with diet +and exercise, but some students also need medications +taken by mouth (oral hypoglycemic agents), insulin +injections, or both to help glucose enter their cells. +• Pre-Diabetes: Pre-diabetes is a condition in which blood +glucose levels are higher than normal, but not yet high +enough to be classified as diabetes. Before people develop +type 2 diabetes, they almost always have pre-diabetes. +• Gestational Diabetes (may affect teens who are pregnant): +Gestational diabetes results from pregnancy hormones that +cause the body to become resistant to its own insulin. +Diabetes is the third most common chronic health disease +affecting an estimated 2.22/1,000 children and adolescents +according to The Search for Diabetes in Youth (SEARCH) Study +(Pettitt et al., 2014). Children and adolescents are defined as +youth under the age of 20 years. In 2009, approximately 191,986 or +one in 433 youth with diabetes lived in the U.S. From these, 87% +have type 1 diabetes and 11% have type 2 diabetes (Pettitt et al., +2014). In the years 2008 to 2009, 18,436 youth were newly +diagnosed with type 1 diabetes and 5,089 youth were newly +diagnosed with type 2 diabetes (Centers for Disease Control and +Prevention [CDC], 2014). As the sixth leading cause of death by +disease in the United States, long-term complications of diabetes +include heart disease, stroke, blindness, kidney failure, nerve +disease, gum disease, and amputation of the foot or leg. +Although there is no cure, diabetes can be managed, and +complications can be delayed or prevented. + + +Page 3: +Superintendent’s Circular SHS-21 +Page 3 of 13 + + + +Advances in diabetes technology continue to enhance students' +ability to manage diabetes at school, thus improving their quality +of life. Children and adolescents monitor blood glucose levels +several times a day via blood glucose meters and continuous +glucose monitors, conduct carbohydrate calculations, and inject +insulin via syringe, pen, and pump to attain blood glucose control +(Brown, 2016). Intensive resources and consistent evidenced- +based interventions will achieve the long-term health benefits of +optimal diabetes control, according to the landmark study from +the Diabetes Control and Complications Trial Research Group +(DCCT, 1993). +Coordination and collaboration among members of the school +health team and the student’s personal diabetes health care +team are essential for helping students manage their diabetes in +the school setting. Members of the school health team include +the student with diabetes, parents/guardians, school nurse, +teacher(s), school leader, COSES, social worker, coach, physical +education teacher, food service staff, and other school staff +members. In addition, it is essential for team members to +understand the federal and state laws that may apply to students +with diabetes, including Section 504 of the Rehabilitation Act of +1973, the Americans with Disabilities Act, and the Individuals with +Disabilities Education Act. +The purpose of these Administrative Procedures and Guidelines +is to: +• Provide a safe and healthy learning environment for all +students +• Protect the rights of students with diabetes to participate in +all school activities + + +Page 4: +Superintendent’s Circular SHS-21 +Page 4 of 13 + + + +• Ensure proper medical management and safety of the +student, minimizing the possibility that diabetes related +emergencies might disrupt their educational and classroom +activities +• Facilitate self-management so that the student may +gradually assume responsibility for their care +• Reduce the likelihood of severe or potentially life- +threatening diabetic emergencies during school +• Ensure a rapid and effective response in the case of a severe +or potentially life threatening diabetic emergency +EDUCATION AND TRAINING +Staff to be trained includes, but are not limited to, teachers, +paraprofessionals, food service staff, school leaders, support staff, +and student interns/teachers. Coordination and collaboration +among members of the school health team and the student’s +personal diabetes health care team are essential for helping +students manage their diabetes in the school setting. +Education and training for key personnel by the school nurse will +include: +• an overview of diabetes +• signs and symptoms of diabetes, including +hyper/hypoglycemia +• role and responsibilities in prevention and reducing risks +• recognizing and responding to a diabetic emergency +• review of the student’s Individual Health Plan (IHP) and +Diabetes Emergency Action plan + + +Page 5: +Superintendent’s Circular SHS-21 +Page 5 of 13 + + + +ROLES AND RESPONSIBILITIES +Role of the Parent/Guardian +• At the time of registration, inform the Welcome Center staff +of any health concerns of their child, including Type 1 +Diabetes. The Health Services Department remains +available to support any student or parent/guardian wishing +to discuss this information privately. +• Provide the school nurse with a current diabetes medical +management plan and emergency management plan from +the student’s endocrinologist. It is recommended that the +parent/guardian meet with the school nurse in person to +discuss their child’s plan. +• Actively participate with the school nurse in creating an +individualized healthcare plan for school that supports the +student’s medical, educational, and developmental needs +• Provide the school nurse with the necessary supplies +needed to care for the student during the school day: +insulin, glucometer, glucagon, syringes, etc. In the case of an +insulin pump: extra insulin delivery catheter, insulin, insulin +receptacle. +• Provide the school nurse with the carbohydrate count for +each item when lunch or snack is brought from home. +• Provide current contact information including cell phone +numbers (if available), emergency numbers, and at least two +back up numbers to call if parents/guardians are not +reachable. +• Educate after-school activities personnel about the diabetic +management plan and provide a plan as necessary. + + +Page 6: +Superintendent’s Circular SHS-21 +Page 6 of 13 + + + +Role of the School Administrator +• Facilitate diabetes management training for school +personnel. +• Support faculty, staff, and parents in implementing all +aspects of the Diabetes Management Plan. +• Identify all staff members who have responsibility for the +student with diabetes throughout the school day and +during school-sponsored extracurricular activities and field +trips. +• Ensure there is a contingency plan in the case of a +substitute nurse, teacher, or food service personnel. +• Ensure that the classroom staff have been trained in an +overview of diabetes, how to recognize and respond to +hypoglycemia and hyperglycemia and the steps to take in +the event of an emergency. +• Make certain that emergency communication devices (e.g., +walkie-talkie, intercom, cell phone, etc.) are always present +and functional. +• Promote a supportive learning environment for students +with diabetes to manage their diabetes safely and +effectively at school. +• Inform the school nurse 4-6 weeks in advance of field trips +to thoroughly support a student's participation in a field trip +and ensure adequate planning time (e.g. necessity for +nursing support during the field trip). +• Understand the federal and state laws that may apply to +students with diabetes, including Section 504 of the +Rehabilitation Act of 1973, the Americans with Disabilities + + +Page 7: +Superintendent’s Circular SHS-21 +Page 7 of 13 + + + +Act, and the Individuals with Disabilities Education Act. +Role of the School Nurse: +• Obtain and review the student’s current Diabetes Medical +Management Plan (DMMP) along with other pertinent +information from the student’s parents/guardians and +health care providers. +• Obtain releases for nurse/health care provider +communication and physician authorization for medication. +• Develop an Individualized Health Care Plan (IHP). Promote +and encourage independence and self-care consistent with +the student’s ability, skill, maturity, and development as +indicated in the DMMP. After reviewing the IHP with the +parents/guardians and student, implement, review, and +update the plan throughout the school year as needed. +• Develop a plan for student management in the classroom, +lunchroom, playground, athletics, and field trips that +provides for routine and emergency care. These would +include blood glucose monitoring; urine/blood ketone +testing; insulin administration; glucagon administration; and +assistance with carbohydrate counting. +• Perform or assist the student with routine and emergency +diabetes care tasks, including blood glucose monitoring, +urine or blood ketone testing, insulin and other medication +administration, carbohydrate counting, and glucagon +administration. +• Maintain accurate documentation in the electronic health +record of all diabetes care provided at school. Document +communications with the student, the parents/guardians, + + +Page 8: +Superintendent’s Circular SHS-21 +Page 8 of 13 + + + +and the student’s personal diabetes health care team, and +document communications related to the training and +supervision of trained diabetes personnel. +• Ensure that all other staff members who have contact with +students with diabetes are familiar with their Individual +Health Care Plans (IHPs) on a need-to-know basis. +• Provide a list of students with diabetes (if consent given by +parent) to all staff on a need-to-know basis, including bus +drivers. +• Conduct in-service training and education for appropriate +staff regarding a student’s symptoms; risk reduction +procedures; emergency procedures; and appropriate +responses to symptoms of diabetic emergencies. This +includes PE instructors and coaches. This training should be +repeated annually or when a student transfers classrooms or +schools. +• Ensure that there is a contingency plan in place for all +school-related venues where substitutes are utilized. +• Encourage the students to eat all meals and snacks fully and +on time. Be flexible with time requirements for eating and +provide the parent or guardian with the carbohydrate +menu. +• Make certain that emergency communication devices (e.g., +walkie-talkie, intercom, cell phone, etc.) are always present +and functional. +• Participate in the teams that develop and implement the +student’s Section 504 Plan, other education plan, or +individualized education program. Contribute to IEP, and +504 implementation of diabetes related issues, where + + +Page 9: +Superintendent’s Circular SHS-21 +Page 9 of 13 + + + +appropriate. +• Communicate with the student’s parents/guardians and— +with their permission—communicate with the student’s +personal diabetes health care team about progress as well +as any concerns about the student’s diabetes management +or health status, such as hypoglycemia episodes, +hyperglycemia, general attitude, emotional issues, and self- +management. +Role of the Coordinator of Special Education (COSE): +• If a student is referred for consideration for a 504 +accommodation plan and/or special education, the COSE +will process as appropriate. The parent/guardian, school +nurse and other school staff must be involved in the plan +development and implementation. +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +will discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team will consider transportation needs (team will include +school nurse). If special transportation is found to be +necessary, it can be added to the IEP. + +Role of the Teacher +• Have a list of all students in the classroom with chronic +diseases, including diabetes. + + +Page 10: +Superintendent’s Circular SHS-21 +Page 10 of 13 + + + +• Participate in team meetings for students with diabetes and +participate in in-service training provided by the school +nurse. +• Be prepared to respond immediately to the signs and +symptoms of hypoglycemia (low blood glucose) and +hyperglycemia (high blood glucose), in accordance with the +student’s Emergency Care Plans for Hypoglycemia and +Hyperglycemia. +• Keep accessible the student’s emergency plan with a photo +(where possible) in the classroom (with parent's permission) +or keep with the lesson plan. +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the student’s condition both +through verbal communication and in an organized, +prominent, and accessible written format. +• Recognize that eating meals and snacks on time is a critical +component of diabetes management. +• Coordinate with parent/guardian to provide lesson plans to +accommodate any learning needs. +• Support the student in participating in all school-sponsored +activities. +• Inform the school nurse 4-6 weeks in advance of field trips +to ensure adequate planning time for supports. +• Notify the school nurse and parents/guardians in advance of +changes in the school schedule, such as class parties, field +trips, and other special events. + + +Page 11: +Superintendent’s Circular SHS-21 +Page 11 of 13 + + + +Role of Physical Education Teacher and Coaches +• Have a list of all students in their charge who have diabetes. +• Coaches will be told of any students on their teams who +have diabetes through review in ASPEN/Sports Clearance, +and will be trained in identification of symptoms of diabetes +emergencies. +• Participate in in-service training about diabetes as needed. +• Keep accessible the student's emergency plan with a photo +(where possible) in the specific venue (with parent's +permission). +• Allow students with diabetes to wear their insulin pump +and/or sensor and medical ID during physical activity. +• Designate a safe place for students to keep their diabetes +supplies, including their insulin pump, if they remove it +during physical activity. +• Make sure blood glucose monitoring equipment and a +quick-acting form of glucose are available at all activity sites. +• Include the student’s Emergency Care Plans for +Hypoglycemia and Hyperglycemia and diabetes supplies in +the first aid pack that goes out to physical education +activities, practices, and games. +• Allow the student to monitor blood glucose levels and/or +administer insulin, as outlined in the student’s health care +plans and education plans. +• Recognize that a change in the student’s behavior could be +a symptom of blood glucose changes. +• Understand and be aware that hypoglycemia (low blood +glucose) can occur during and after physical activity. + + +Page 12: +Superintendent’s Circular SHS-21 +Page 12 of 13 + + + +• Inform substitutes about the student’s diagnosis and the +signs and symptoms of hyper or hypoglycemia. +Role of Food Services +• Work with health services to provide access to carbohydrate +menus to parents and school nurses and assist in +carbohydrate counting activities. +• Make available and maintain current food labels for all meal +plans. Provide nutrition information on all menu items and a +la carte items to the school staff and parents/guardians. +Role of the Office of Transportation +• Provide training for all bus monitors for medical +emergencies, including but not limited to Heartsaver +CPR/AED, Heartsaver First Aid. +• Know local EMS (Emergency Medical Services) procedures. +• Have functioning communication equipment to access EMS +• Understand that a student with diabetes may need to have +a snack to regulate their blood sugar, despite the policy of +no food eating allowed on the bus. +• Encourage 1:1 communication between bus monitors and +school-based staff as well as between bus monitors and +parents/guardians. +Role of the School Bus Company +• Provide training for all bus drivers for medical emergencies, +including but not limited to Heartsaver CPR/AED and +Heartsaver First Aid. + + +Page 13: +Superintendent’s Circular SHS-21 +Page 13 of 13 + + + +• Know local EMS (Emergency Medical Services) procedures. +• Have functioning communication equipment to access EMS. +• Understand that a student with diabetes may need to have +a snack to regulate their blood sugar, despite the policy of +no food eating allowed on the bus. +REFERENCES +• Massachusetts | ADA +• Diabetes Management in the School Setting +• Diabetes | Healthy Schools | CDC +• Diabetes Care Tasks at School | ADA +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-22 Automatic External Defibrillator Policy.txt b/data/data_txt/SHS-22 Automatic External Defibrillator Policy.txt new file mode 100644 index 0000000..8b3645c --- /dev/null +++ b/data/data_txt/SHS-22 Automatic External Defibrillator Policy.txt @@ -0,0 +1,648 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-22 +Version 01 + +RESPONSE TO CARDIAC ARREST IN SCHOOLS AND +SCHOOL PROPERTY: AUTOMATIC EXTERNAL +DEFIBRILLATOR (AED) USE AND ACCESS POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +The Boston Public Schools recognizes that an Emergency +Medical Response Plan is multifaceted and is designed to +respond to life-threatening medical emergencies in the first +minutes before emergency medical services arrive. The elements +of the policy include: effective communication throughout the +individual school and the district, a coordinated and practiced +response plan, risk reduction, training and equipment for first aid +and CPR, and a lay rescuer AED program. +This policy addresses the Cardiac Arrest Plan and focuses on CPR +and AED use. It interfaces with Superintendent’s Circulars FSE- +05 Medical Emergencies; FSE-01 School Safety and Contingency +Plans; and SHS-11 Life-Threatening Allergies. It is also coordinated +with the City of Boston Public Access Defibrillator Program +(PAD). Detailed procedures and protocols, including a +Memorandum of Agreement between BPS and Boston EMS, are +available through Facilities Management. + + + + +Page 2: +Superintendent’s Circular SHS-22 +Page 2 of 22 + +BACKGROUND +Sudden cardiac arrest (SCA) presents a potential life-threatening +situation to students, staff, and visitors, and quick response +actions and interventions like cardio-pulmonary resuscitation +(CPR) and proper use of an automatic external defibrillator (AED) +within the first two (2) minutes significantly increases the chance +of SCA survival. +PROTOCOL FOR DISTRICTWIDE RESPONSIBILITIES +The City of Boston’s Public Access Defibrillator Program (PAD) +requires that a systemwide policy be established that interfaces +with the district's School Safety and Contingency Plans. These +plans are submitted each year. +In BPS, the AED/CPR policy is directed by an AED/CPR +Committee. This systemwide AED Committee includes but is not +limited to representation from Health Services, Facilities +Management (Environmental and Safety), BPS Operations, and +City of Boston’s Emergency Management Services (BEMS). The +responsibility of this team is to oversee the AED and CPR +program, including quality assurance, data review of critical +incidents, equipment maintenance, inventory management, +coordinated and practiced response exercises, and lay CPR and +AED training. +• All school buildings have been provided with AEDs. All BPS +school buildings with an AED will need to register their +individual plans along with their annual safety contingency +plans. Staff who have been trained in CPR will be added to + + +Page 3: +Superintendent’s Circular SHS-22 +Page 3 of 22 + +the school safety contingency plan and reviewed/updated +annually. +• AEDs have been provided to the BPS Athletics Program for +selected coaches to have in their possession during any +athletic event or practice. The BPS Athletic Program shall +meet the same requirements and intent of the AED/CPR +program for school buildings, including providing an +inventory of the AEDs and their designated coaches (those +coaches who are responsible for the AED during their sport’s +season). +PROTOCOL FOR INDIVIDUAL SCHOOL RESPONSIBILITIES +Principal/Head of School: +• Ensures that there is an appropriately trained AED/CPR +coordinator at their school.* +• Ensures that there is the required number of CPR trained +personnel in the school. +• Includes the AED/CPR plan in the annual safety and +contingency plan submission to the director of Fire Safety +and Emergency Preparedness. +• Reviews and submits the annual AED/CPR plan to Safety +Services (safety and contingency plan). +• Oversees the placement of AEDs. +• Ensures that the required staff are appropriately trained in +CPR and AED use. + + +Page 4: +Superintendent’s Circular SHS-22 +Page 4 of 22 + +• Ensures periodic checks are done to better ensure safe and +continuous operability and access to the AED. These checks +shall include but not be limited to the following: +o Daily check of AED indicator light: Check the active +status indicator light on your AED. It varies depending +on the brand. If any problems contact Richard Deraney, +Director of Safety/Emergency Preparedness. +o Weekly check: Check the condition of the AED and +accessories (including but not limited to the AED, the +pads (infant and adult), and the AED alarmed metal +cabinet. +o Monthly check: Check pads and battery pack for +expiration dates and AED signage throughout the +building. +o Quarterly submission of logs to the AED/CPR +committee. +* A member of your school site safety team is strongly +recommended. +School Nurse: +• Reviews plans with the AED/CPR coordinator. +• Is up to date in CPR/AED training as required by +employment. +• Includes plan in substitute school nurse folder. + +Athletic Coaches: +• Participate in training in CPR/AED. + + +Page 5: +Superintendent’s Circular SHS-22 +Page 5 of 22 + +• Ensure that protocols are in place. +• Review plans with the school nurse. +BPS Athletics: +• Ensures that all coaches are in compliance with AED/CPR +guidelines. +• Ensures that all athletic trainers providing services to BPS +Athletics are in compliance with AED/CPR guidelines. +Trained Staff: +• Reviews CPR/AED plan for individual school. +• Reviews Safety and contingency plans for school. +• Participates in training. + +Detailed information on protocols and training is available in +Health Services & Safety Services, when available. + + + + +Page 6: +Superintendent’s Circular SHS-22 +Page 6 of 22 + +Date +Activity +October 1 +Annual Review of AED Program. This will be part of +the school’s Building Safety and Fire Safety Plans. If +there are any changes, you will submit a copy to +BPS Safety/Emergency Preparedness. +October 1 +BPS Athletics shall provide a list of coaches with +AEDS and training verifications to +Safety/Emergency Preparedness +November 1 +School leaders and building administrators shall +contact Office of Health and Wellness: Physical +Education to receive Anytime (Hands Only) CPR +training and equipment for their physical +education teachers. +May 1 +9th grade Physical Education teachers shall receive +Anytime CPR training as needed and implement +the lesson with their students. +June 1 +Annual Review of AED Policy by AED Committee + + + + + +Page 7: +Superintendent’s Circular SHS-22 +Page 7 of 22 + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Contact: +Director of Safety & Emergency Management +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(617) 635-9122 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 8: +Superintendent’s Circular SHS-22 +Page 8 of 22 + +BOSTON PUBLIC SCHOOLS +MEMORANDUM OF AGREEMENT +AUTOMATIC EXTERNAL DEFIBRILLATION PROGRAM + +THIS AGREEMENT is made and entered into on ________________ +and is between the Boston Public Schools (BPS) and Boston +Emergency Medical Services (EMS). +The purpose of this agreement is to establish training and quality +assurance programs for the utilization of automatic external +defibrillators (AED) by volunteer, trained Boston Public Schools +personnel. Those trained personnel will function under the +medical supervision of the BPS medical director and the assistant +director of Health Services in collaboration with EMS medical +director. +The Parties now mutually agree to the following: +The Boston Public Schools (BPS) agrees: +1. To identify an AED/CPR coordinator from Safety Services to +assume responsibility for coordinating the AED/CPR +committee and monthly meetings. This committee will +include representation from EMS and oversee aspects of the +Public Access Defibrillation program in BPS. +2. To conduct CPR/AED training programs that are approved +by the American Heart Association, American Red Cross, +American Safety and Health Institute, or BPS approved +equivalent. + + +Page 9: +Superintendent’s Circular SHS-22 +Page 9 of 22 + +3. To establish a quality assurance program that reviews all +AED response events with the EMS medical director, BPS +medical director, assistant director of Health Services, EMS +liaison, and BPS responders. +4. To maintain a database for AED training programs and +share trained personnel information rosters with the EMS. +5. To notify EMS annually of the types of AEDs and location of +units in each building. +6. To maintain database information regarding the AED daily +checks and maintenance information for each unit. +7. To follow the protocols approved by Boston Public Schools +for AED use in BPS. +8. To notify EMS of any changes in program, location, or +equipment. +9. In case of an incident, provide EMS with cardiac event data +cards for evaluation and feedback. +10. Work collaboratively with the EMS on student CPR training +programs +Boston EMS agrees to: +1. Identify the medical director of EMS as the overall medical +director of the BPS AED program. +2. Identify an EMS liaison that will collaborate with BPS on AED +implementation in the schools. +3. Maintain records of location/types of machines, trained +personnel sent by BPS program coordinator. + + +Page 10: +Superintendent’s Circular SHS-22 +Page 10 of 22 + +4. Provide feedback, after a response incident, from the +cardiac event data card to BPS CPR/AED coordinator and +BPS medical director and other members of the AED/CPR +committee for review. +5. Provide “Train the Trainer” CPR/AED programs to BPS +designated volunteer employees. + +This memorandum will be reviewed on an annual basis. + __________________________________________________________________ + +In witness whereof, the parties hereto execute this Agreement +through their duly authorized representatives as of ________ day +of ________________, 20____. +BOSTON EMERGENCY MEDICAL SERVICES +By: ______________________________________ Date: _________________ + +Its: _______________________________________________________________ + +BOSTON PUBLIC SCHOOLS + +___________________________________________Date: _______________ + +Mary Skipper, Superintendent + + + + + +Page 11: +Superintendent’s Circular SHS-22 +Page 11 of 22 + +BOSTON PUBLIC SCHOOLS +PUBLIC ACCESS DEFIBRILLATION PROGRAM AND +CPR GUIDELINES + +PURPOSE: The purpose of the Boston Public Schools Public +Access Defibrillation (PAD) Program guidelines is to assist +employees of the Boston Public Schools who are trained and +willing to do CPR, including use of an Automatic External +Defibrillator (AED) in the event such use is necessary. These +guidelines do not create an obligation to do CPR and use the +AEDs, nor to create any expectation that either an AED or trained +employee will be present at every event. The guidelines should +make clear that by increasing the availability of AEDs and +increasing the number of persons trained to use them, that both +the school and larger community may be aided. Evidence shows +that time is a significant factor in victim survival rate, and on-site +responders are more likely to arrive faster than EMS to begin aid +to incidents of “sudden death”. By equipping and training +voluntary employees in the use of AEDs, we will increase the +potential to save lives through AED intervention. +DEFINITION: The condition “sudden death” occurs when the +electrical impulses of the human heart malfunction, causing a +disturbance in the heart’s electrical rhythm called “ventricular +fibrillation (VF)”. This erratic and ineffective electrical heart +rhythm causes complete cessation of the heart’s normal function +of pumping oxygenated blood, resulting in “sudden death”. The +most effective treatment for this condition is the administration +of an electrical current to the heart by a defibrillator, within the + + +Page 12: +Superintendent’s Circular SHS-22 +Page 12 of 22 + +shortest time possible of VF onset. Each minute of delay in +defibrillator use decreases the survival rate by 10%. +PROGRAM PROCEDURES: The Boston Public Schools anticipates +that where reasonably possible, employees who have been +trained and who are present when an incident occurs will react +by activating the EMS system (calling 9-1-1 or 9-9-1-1), begin CPR, +and utilize the AED available to them according to the guidelines +of the American Heart Association. +PROGRAM OVERSIGHT: The City of Boston’s Public Access +Defibrillator Program (PAD) requires that a systemwide policy be +established. This system-wide AED committee includes but is +not limited to representation from Health Services (Health +Services), Facilities Management (Environmental and Safety), BPS +Operations, and City of Boston’s Emergency Management +Services (BEMS). This committee meets monthly and guides the +program implementation and quality assurance. +The EMS medical director agrees to act as the medical director +for the BPS PAD Program, ensuring its consistency with the +Community AED Public Access program and reviewing each +deployment of the AED with the BPS team. +The Boston Public Schools physician / medical director is +responsible for: writing prescriptions for purchase of AEDs; +reviewing and approving guidelines for emergency procedures +related to the use of AEDs; reviewing all AED deployments; and +coordination with the local EMS medical director for consistency +of operation. +The BPS assistant director of Health Services (nursing director) +will be the overall AED coordinator of the program, chairing the + + +Page 13: +Superintendent’s Circular SHS-22 +Page 13 of 22 + +CPR/AED committee. This systemwide AED committee includes +but is not limited to representation from Health Services (Health +Services), Facilities Management (Environmental and Safety), BPS +Operations, and City of Boston’s Emergency Management +Services (BEMS). The responsibility of this team is to oversee the +AED and CPR program, including quality assurance, data review +of critical incidents, equipment maintenance and inventory +management, coordinated procurement of funding, practiced +response exercises, and lay CPR and AED training. +PRE-PROGRAM EVALUATION AND AED SELECTION +Only US FDA approved AEDs will be provided for this program. +The program manager and Facilities Management Department +will maintain the specification/technical information sheet for +each approved AED on file assigned and/or donated to the PAD +program. +All BPS schools have at least one AED. +AEDs have been provided to the BPS Athletics Program for +selected coaches to have in their possession during any athletic +event or practice. The BPS Athletics Program shall meet the +same requirements and intent of the AED program for school +buildings. + + + + +Page 14: +Superintendent’s Circular SHS-22 +Page 14 of 22 + +TRAINING +All volunteer employees and coaches will participate in a +recognized CPR/AED initial training course which will include the +following content: +• Proper use, maintenance, and periodic inspection of AED. +• Assessment of an unconscious person to determine if a +cardiac arrest has occurred and the appropriateness of +applying the AED. +• Defibrillator safety precaution to enable the user to +administer a shock without jeopardizing the safety of the +victim, the user, or other persons on the scene. +• Rapid accurate assessment of the victim’s post-shock status +to determine if further activation of AED is necessary. +• The role of the initial rescuer in the coordination of care for +the cardiac arrest victim on arrival of EMS personnel. +• Scenario based practice consistent with common scenarios +that rescuers may face. +• Routine AED maintenance, troubleshooting options, and +special situations that initial rescuers may encounter. +Employees will only be held to the standards of “Good Samaritan” +status and shall only be expected to use an AED if they have +successfully completed the CPR/AED training and feel confident +using the device. + + + + +Page 15: +Superintendent’s Circular SHS-22 +Page 15 of 22 + +SKILLS REVIEW AND PROFICIENCY DEMONSTRATION +The AED team candidate will need to demonstrate proficiency in +adult CPR and the following: +• Safe and effective use of the AED training device that +conforms to the unit assigned to that location or building. +• Perform a single or multi-shock practical exam conducted +by a qualified AHA or ARC instructor. +• Demonstrate common trouble-shooting techniques used +with the AED. +• All AED team members will participate in a CPR/AED skills +proficiency review annually. The PAD program manager will +maintain the proper training and review documentation. +LOCATION OF AEDS +All BPS school buildings with an AED must register their plan +with BPS Safety Services. All school buildings have been provided +with AEDs. If additional AEDs are to be purchased, it must be +done through BPS HS or with the approval of BPS HS. AED will be +numbered for internal identification and inventory. These records +shall be kept and maintained under BPS HS. +All AEDs shall be located immediately outside the main +administrative office unless a written exemption with stated +reasons for another location is provided. All AEDs are placed in an +alarmed metal cabinet with an identifying AED location sign +above it. Other signs identifying AED location will be placed in +common areas throughout the school building. For additional +signage or if there are any missing or broken signs, please + + +Page 16: +Superintendent’s Circular SHS-22 +Page 16 of 22 + +contact Facilities Management – Environmental Section at 617- +635-8300. +AEDs are located outside the main administrative office because +it is a well-identified location with continued access during +school occupancy and operating hours. In cases of BPS school +buildings sharing the building complex with another BPS school +program or DYFS Community School or Center, if possible, a +location may be chosen that would allow access to both +programs’ operating hours. All AEDs shall be kept in the alarmed +metal cabinet, with the exception of AEDs provided specifically +for BPS Athletics Department. +MAINTENANCE AND TESTING +Maintenance and testing will be conducted according to the +requirements of the FDA and the AED manufacturer. +Documentation of maintenance and testing will be maintained in +the PAD program manager’s office (nursing coordinator) for a +period of two years. Documentation will record the date of +testing and the signature of the person performing the testing. If +a problem with the AED is identified, the AED coordinator must +be notified immediately. +Responsibility for overall maintenance check assignments in +each location will be with the BPS AED/CPR coordinator in +coordination with a designated person in each building. A +person in each building will be responsible for: +• Daily visual checks and documentation during the actual +contracted school year. (Summer locations and checks will + + +Page 17: +Superintendent’s Circular SHS-22 +Page 17 of 22 + +be determined by summer program use of the buildings, +and Boston EMS will be notified of the Summer Plan.) +• Prompt notification of PAD program manager for any +equipment or supply needs. The designated building +coordinator will be responsible for scheduling AED training +courses in their building. Authorized AHA instructors will +assist with training on AED use. +USE OF THE AED +General +• Scene safety is vital. Rescuers are volunteers and are not +expected to place themselves at risk to provide aid to +others. To assess for scene safety: +o Verify that the victim is not in contact with any live +electrical connections. +o Remove the victim from any exposure to water to a dry +surface. +o Refrain from use of any portable radios near the victim +while AED is analyzing. +• During school hours, the building program coordinator will +be notified of any event occurring that may require the use +of an AED. +• During afterschool hours, a trained athletic coach or their +designee may move the AED from its current location to +support Athletic Department activities. A visible notice +must be clearly stating the location of the AED as well as the +location of the nearest AED, if another one exists. + + +Page 18: +Superintendent’s Circular SHS-22 +Page 18 of 22 + +• Contracted and community activities are not guaranteed +access to the AED or a trained AED operator as part of +standard school facility rental contracts. +Actual Use of AED in a Cardiac Event +• Determine unresponsiveness of the victim and activate the +Emergency Response Plan (Call 9-1-1). +o If a victim is unresponsive, call 9-1-1 (or 9-9-1-1) and get +AED. +o Assess victim (airway, breathing circulation). +o Initiate CPR, if required, while AED is brought to the +victim's side. +o Designate a person to wait for a facility entry to direct +EMS to location. +o Notify nursing coordinator of use to assign backup AED +unit, if available +• Upon arrival of AED, place AED next to the head of the +victim, close to the AED operator. +• Prepare to use the AED: +o Turn power ON. +o Bare and prepare chest for AED use. +o Attach AED to victim (picture guides on each pad for +proper placement location). +o Stop CPR while the AED device analyzes the heart +rhythm. + + +Page 19: +Superintendent’s Circular SHS-22 +Page 19 of 22 + +o Follow the machine prompts for further action. If a +shock is indicated, be sure all rescuers are “clear” +before shock is administered. +• Upon arrival, EMS shall take charge of the victim. +o Provide victim information (name, age, known medical +history, time of incident). +o Provide information as to current condition and +number of shocks delivered. +o Defibrillator pads and electrodes shall remain in place +on the victim. EMS will utilize BPS AED through +transport of victims to hospital to maintain continuity +of event recording. +AFTER USE OF AED +• First responders will notify the program coordinator by +phone of the incident, complete an incident report, and fax +to the program coordinator. +• A Critical Incident debriefing session will be held or +scheduled within 24 hours for initial responders. (Boston +EMS may not be immediately available.) +• The health services director and program coordinator will be +notified of AED use and: +o Complete follow-up report for medical directors. +o Arrange for a quality improvement meeting of AED +responders. +o The AED will be checked and put back in readiness +state. + + +Page 20: +Superintendent’s Circular SHS-22 +Page 20 of 22 + +o Restock AED inventory. +o Clean AED if needed according to manufacturer +recommendations. +o Document AED return readiness. + + + + +Page 21: +Superintendent’s Circular SHS-22 +Page 21 of 22 + +BOSTON PUBLIC SCHOOLS +AUTOMATED EXTERNAL DEFIBRILLATOR PROGRAM +PARTICIPATION REQUEST FORM + +_________________________________________________ (Name of person +requesting) requests implementation of the AED Program for + _________________________________________________________________ . + +(Name of school / site) +I understand that to be eligible for the AED Program, the +following requirements must be met: +Funding / resources have been identified for the purchase and +maintenance of an “APPROVED” AED. (Please consult program +manager for list of qualifications for approved AEDs.) +Funding source: _________________________________________________ + +At least 2 staff have been identified to be trained in CPR and AED. +Staff member: ___________________________________________________ +Staff member: ___________________________________________________ +At least 1 primary staff member and 1 back-up (in case of +absence) have been identified to be the building coordinator. + +List staff member and back-up: + + +Page 22: +Superintendent’s Circular SHS-22 +Page 22 of 22 + +Primary: __________________________________________________________ +Back-up: _________________________________________________________ +Planned location of the AED in the building: + __________________________________________________________________ + + + diff --git a/data/data_txt/SHS-23 Condom Accessibility.txt b/data/data_txt/SHS-23 Condom Accessibility.txt new file mode 100644 index 0000000..8b3c8c0 --- /dev/null +++ b/data/data_txt/SHS-23 Condom Accessibility.txt @@ -0,0 +1,409 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +SHS-23 +Version 01 + + + +CONDOM ACCESSIBILITY +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +BACKGROUND +In June 2017, the School Committee voted to revise the district +Wellness Policy, which includes provisions on sexual health +education and condom accessibility in high schools. The goal of +this policy is to support the sexual and reproductive health of +students and to prevent negative sexual health outcomes and +their impact on student learning. This policy establishes access to +information and resources for students in order to reduce the +spread of HIV and other sexually transmitted infections (STIs) as +well as decrease the number of unintended pregnancies. This +policy increases the access and agency of BPS students to care +for their personal health and well-being. The revised policy states: +Under Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) +adolescents may seek and consent to confidential family +planning services without parental notification. Family Planning +services include testing and treatment for sexually transmitted +infections and HIV, all birth control options, pregnancy testing, +and emergency contraception. + + +Page 2: +Superintendent’s Circular SHS-23 +Page 2 of 10 + + + +BPS High Schools shall provide access to free condoms with +appropriate reproductive health counseling for students. Each +high school (grades 9-12) will have a Condom Accessibility Team +(CAT) which will consist of a minimum of at least three school +staff members. Condoms will be made available through the +CAT at each high school. Condoms will also be accessible at +some schools from school-based health centers and the Boston +Public Health Commission’s (BPHC) Health Resource Centers +(HRCs). Parents and caregivers may exempt their students from +receiving condoms from the BPS CAT by notifying the school +when they complete the family information forms at the +beginning of the school year. This condom opt-out does not +apply to other confidential health services. + +Under this policy, the Office of Health Services, along with the +Office of Health and Wellness, is charged with enacting systems +and practices to ensure that all students have access to key +resources and services that are developmentally appropriate and +support sexual and reproductive health in a safe and supportive +environment. +BPS high schools have three possible venues for the delivery of +sexual health services: 1) through BPS CAT members; 2) school- +based health centers run by BPHC or neighborhood health +centers that provide medical, reproductive, and mental health +services, including STI/pregnancy testing, options counseling, +access to contraceptives/condoms, treatment for STIs, and +comprehensive routine health care; and 3) school-based health +resource centers (HRCs) overseen by the Boston Public Health + + +Page 3: +Superintendent’s Circular SHS-23 +Page 3 of 10 + + + +Commission, which provide individual counseling, condom +access, and STI testing and treatment for gonorrhea and +chlamydia, where available. Annually, all BPS CAT members must +participate in appropriate training related to the condom +accessibility program. +The following chart summarizes the services available and +staffing model for each location. + +Please note: +Under Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) +adolescents may seek and consent to confidential family planning +services without parental notification. Family planning services include +testing and treatment for sexually transmitted infections and HIV, all +birth control options, pregnancy testing, and emergency +contraception. + + + + + +Page 4: +Superintendent’s Circular SHS-23 +Page 4 of 10 + + + + +Location +School-based +Health Centers +Run by BPHC +School-based Health +Centers Run by +Community Health +Centers +Health Resource +Centers * +BPS High School +CAT + + +Services + +A clinical setting +offering routine +health care and +acute care +services, +including mental +health +counseling and +sexual & +reproductive +health care. +A clinical setting +offering routine +health care and +acute care services, +including mental +health counseling +and sexual +reproductive health +care. +Classroom sexual +health +education; 1:1 +education; +condom +availability; + +STI screening, +treatment and +referral, where +available. +Free internal and +external condoms, +oral dams, lubricant, +and educational +materials to +students not opted +out of the program +as these products +are available. + +Confidential sexual +health referrals +made available to +any students in need +of sexual health care. + +*a barrier method +that reduces the risk +of STIs +**lubricants increase +the effectiveness of +condoms, reducing +breakage. + + +Page 5: +Superintendent’s Circular SHS-23 +Page 5 of 10 + + + + + +Staffing +Staffed by: +● +Nurse +Practitioner +● +Mental +Health +Clinician +● +Health +Educator +● +Health +Coordinator +● +Admin +Assistant +Staffed by: +Nurse Practitioners +or Physician +Assistants +A team of two +Health Educators +assigned to 2 +high schools +A minimum of +three* trained school +staff members. + +*Schools are +encouraged to add +more CAT members +to increase access +points within the +school. Each +additional member +must complete CAT +training. It is +important that +students receive +supplies from +trusted, caring +adults. This may +include the school +nurse, health +teachers, trained +teachers of sexual +health, social +workers, school +counselors, family +liaisons, and/or other +staff able to +complete the +training. + + + + + + +Page 6: +Superintendent’s Circular SHS-23 +Page 6 of 10 + + + +IMPLEMENTATION +The implementation of condom accessibility will be directed by +the Office of Health & Wellness (OHW), with support from and +integration with the Office of Health Services at both the central +and individual school levels. + +SCHOOL-BASED IMPLEMENTATION +Each high school serving students in grades 9-12 will have a +Condom Accessibility Team (CAT) which will consist of at least +three school staff members. Schools are encouraged to add +additional interested staff to the CAT. The CAT shall meet at least +biannually to oversee its responsibilities and report back to the +Wellness Council. + + Condom Accessibility Team responsibilities: +● Participate in CAT training organized and led by the Office of +Health and Wellness +● All parents and caregivers will be notified of the policy in the +Guide to the BPS for Students & Families and have the option +to opt their student out of the condom accessibility program +by informing the student’s school. Additional communications +to notify parents and caregivers through the school’s +preferred communication channels is also recommended. + + +Page 7: +Superintendent’s Circular SHS-23 +Page 7 of 10 + + + +● Distribute communication information provided by the Office +of Health and Wellness, such as brochures, posters, stickers, +etc. that outline the Condom Accessibility program +● Post information advertising who the CAT members are so +that students are aware of this program and know who and +where to locate CAT members in the school +● Store condoms in secure, appropriate storage that does not +experience extreme low or high temperatures to preserve +effectiveness +● Ensure that the school wellness council is updated on CAT +functionality in the school +● Advocate for all students to receive the BPS Comprehensive +Sexual Health Education Program +● Provide CAT team member names to the Office of Health and +Wellness annually and add any new team members +throughout the year +● Document referrals and provide tracking as outlined in the +training +● Ensure that student confidentiality is maintained as per +Massachusetts State Law +● Ensure that parental/caregiver opt-out is clearly and +confidently documented in the nurse electronic health record +(SNAP) and communicated to all CAT members and other +appropriate staff, including HRC staff involved in condom +accessibility + + +Page 8: +Superintendent’s Circular SHS-23 +Page 8 of 10 + + + +● Please note: CAT members are required to file a 51a only when +there is reasonable suspicion of physical or emotional harm by +abuse, not based solely on the age of the student. + +DISTRICT-BASED IMPLEMENTATION +Office of Health Services responsibilities: +● Align the condom accessibility process with the overall Health +Services action plan +● In partnership with OHW, monitor referral tracking data +within SNAP and assess district capacity to implement the +condom accessibility program +● Promote and complete CAT training +● Partner with OHW instructional coaches to review +questions/concerns brought forward during the CAT training +● Promote the sexual health services referral resource 211 Help +Steps at https://www.helpsteps.com/#/ +● Coordinate and communicate with adolescent community +sexual health programming, including school-based health +centers + +Office of Health and Wellness responsibilities: +● Include the condom accessibility process in overall wellness +action planning. + + +Page 9: +Superintendent’s Circular SHS-23 +Page 9 of 10 + + + +● Review and approve all reproductive health materials that are +to be distributed in the schools by CAT members, including +materials donated by community partners. All community +organizations interested in donating condoms and other +materials should contact the Office of Health and Wellness +before delivering materials to the schools. +● Oversee ordering and storing of condoms for the district and +distribution to schools. +● Coordinate and communicate with adolescent community +sexual health programming including school-based health +centers and Health Resource Centers. +● Collaborate with the Office of Health Services to provide +training, marketing materials, and implementation tools to +schools and technical assistance. +● Provide updates and promotions for the BPS sexual health +services referral guide (Y2Connect). +● In partnership with Health Services, monitor referral tracking +data, providing all high schools a system for tracking and +reporting, and assess the district capacity to implement the +condom accessibility program. + + + + + +Page 10: +Superintendent’s Circular SHS-23 +Page 10 of 10 + + + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Month +Activity +August +● Parental and Caregiver Opt-out information +included in Family Handbook +● Parents and caregivers who do not want their +student to receive condoms at school should +email or submit in writing their intentions to the +school principal and include the school nurse(s) +in this communication. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt/SHS-24 Diapering and Toileting Accidents Policy.txt b/data/data_txt/SHS-24 Diapering and Toileting Accidents Policy.txt new file mode 100644 index 0000000..58dc39f --- /dev/null +++ b/data/data_txt/SHS-24 Diapering and Toileting Accidents Policy.txt @@ -0,0 +1,198 @@ +Page 1: + + + + Superintendent’s +Circular + NUMBER: +SHS-24 +Version 01 + +DIAPERING AND TOILETING ACCIDENTS POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BACKGROUND +Toilet training typically occurs between 18 months and 3½ years +of a child’s developmental stage. +Individuals with disabilities may face more significant obstacles +with toilet training than persons without diagnosed disabilities. +This may be partly due to the individual’s challenges with +communication, medicines, social interaction, sensory sensitivity, +or making changes in their routine. +Even for individuals without disabilities, toilet training can +present both the caregiver and child with obstacles to immediate +success, and most children will continue to have toileting +accidents well beyond the time they stop wearing diapers. +POLICY STATEMENT +The Boston Public Schools acknowledges that toileting +procedures should be planned based on individual children’s +needs and be culturally appropriate according to the children’s +families’ needs and beliefs. The Boston Public Schools staff will be +aware of the diverse styles of toileting students due to cultural or +religious practices. Program staff will use a variety of formal and +informal strategies (including conversations) to become + + +Page 2: + + +Superintendent’s Circular SHS-24 +Page 2 of 6 +acquainted with and learn from families about their preferred +child-rearing practices, including toilet training. +The Boston Public Schools will be aware of and accommodate +the need to maintain privacy for toileting and dressing. +Boston Public Schools staff will interact in a positive manner +during toileting procedures and support students in developing +their self-help in this area. +DIAPERING PROCEDURES +Toileting accidents and diaper changing will ONLY be handled by +a classroom teacher, classroom paraprofessional, and/or other +adult designated by the school principal. Parents will not be +required to change diapers and volunteers will not change +diapers and/or assist with toileting at the school site during +school hours. +Each school year, the principal will complete and sign off on a +form that states in writing who is designated to help students +with toileting and changing diapers and who will help children +with toileting accidents (see attached form). +It is not the responsibility of the school nurse to assist with +toileting and diaper changes, except for caring for students who +have an ostomy/colostomy, require urinary catheterization, or +have other genito-urinary diagnosis. + + + + +Page 3: + + +Superintendent’s Circular SHS-24 +Page 3 of 6 +Staff will follow these diapering procedures: +● Staff to assess children for signs that diapers or pull-ups are +wet or contain feces at least every two hours when children +are awake and when children awaken from a rest period. +● Diapers are changed when wet or soiled. +● Children wearing cloth or disposable training pants and +children who have accidents. +● Changing should be initiated within 5 minutes of discovery +that they are wet or soiled unless circumstances clearly +make it unreasonably difficult to do so. +● Staff will change children’s diapers or soiled underwear in +the designated changing areas and not elsewhere in the +facility. +In the changing area, staff post and follow these procedures for +changing diapers or pull-ups: +● At all times, caregivers have a hand on the child to ensure +safety is maintained when the child is being changed on an +elevated surface. +● Bring supplies (e.g., clean diaper, wipes, diaper cream, +gloves, plastic or waterproof bag for soiled clothing, extra +clothes) to the diapering/changing area. +● Diaper cream (provided by the family): if used, dispense it +onto a tissue and/or cotton ball and cover the diaper +changing surface with disposable liner (paper or chuck). +● Put on gloves. + + + + +Page 4: + + +Superintendent’s Circular SHS-24 +Page 4 of 6 +● Changing table, if used: place the child on a diapering +surface and unfasten diaper. Keep one hand on the child at +all times. +● Clean the child with disposable wipes. Always wipe front to +back. +● Keep soiled diapers/clothing away from any surfaces that +cannot be easily cleaned. +● Securely bag soiled clothing. +● Place used wipes in the soiled diaper or pull-up. +● Put the soiled diaper/pull-up into two plastic bags and tie up +the bags. +● Discard the bags with the soiled diaper/pull-up and wipes in +the covered trash can. +● Remove and discard gloves. +● Apply diaper cream, if needed, with a tissue and/or cotton +ball or a freshly gloved finger. +● Put on a fresh diaper or help the child put on a fresh pull-up +or clean clothes. +● Help the child to get dressed. Wash the child’s hands with +soap and water and place them in a safe, supervised area. +● When a diaper changing table is used: +o Remove liner from the changing surface and discard in +the trash can. +o Wipe up any visible soil with damp paper towels or a +baby wipe. +o Clean the entire surface with disinfectant. +o Wash your hands with soap and water. + + +Page 5: + + +Superintendent’s Circular SHS-24 +Page 5 of 6 +RESOURCES +● BPS Department of Early Childhood +● BPS Department of Special Education +● NAEYC Early Learning Program Accreditation Standards + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 6: + + +Superintendent’s Circular SHS-24 +Page 6 of 6 + +Adults Designated to Change Diapers, Assist Students with +Toileting, and/or Assist Children with Toileting Accidents +School: + +School Year: + +Name 1: + +Position: + +Name 2: + +Position: + + +Name 3: + +Position: + +Name 4: + +Position: + + +Principal Signature: + +Date: + + + + diff --git a/data/data_txt/SHS-25 Sickle Cell Disease Policy.txt b/data/data_txt/SHS-25 Sickle Cell Disease Policy.txt new file mode 100644 index 0000000..ea2175e --- /dev/null +++ b/data/data_txt/SHS-25 Sickle Cell Disease Policy.txt @@ -0,0 +1,421 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-25 +Version 01 + + + +SICKLE CELL DISEASE POLICY AND IMPLEMENTATION + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY BACKGROUND +BPS recognizes that a clear, comprehensive policy on Sickle Cell +Disease (SCD) management in school can have an impact on +academic achievement and support the general wellbeing of +students with SCD. + +POLICY STATEMENT +BPS acknowledges that SCD is a disability that substantially +limits a major life activity, and qualifies students with SCD for a +comprehensive evaluation and consideration of eligibility under +Section 504 of the Rehabilitation Act of 1973 (Section 504) to +determine the services and accommodations they may need to +attain a free appropriate public education. As part of BPS’s +commitment to maintaining an educational environment that is +welcoming, inclusive, and encouraging, such that all students are +able to flourish, all schools must follow established protocols and +procedures for addressing the needs of children with SCD and +regularly evaluate the implementation of these plans. + + + +Page 2: +Superintendent’s Circular SHS-25 +Page 2 of 12 + + + + +BPS acknowledges that the successful implementation of this +policy at the district and school levels relies on fostering and +maintaining a culture of awareness and acceptance regarding +SCD through acknowledging the history of SCD and the unique +challenges students with SCD face. With this in mind, BPS +recognizes that: +● People with SCD have long faced harmful stigmas, many +with racially charged origins. +● People with SCD are often challenged about the seriousness +of their disease or even its existence. +● Students with SCD have long experienced barriers to their +health and success at school. + +IMPLEMENTATION IN BOSTON PUBLIC SCHOOLS +Sickle Cell Disease Basics +SCD refers to a group of genetic blood disorders. It affects +individuals of all races and ethnicities, but in the United States it +is especially prevalent among African Americans and Hispanics. +Complications include but are not limited to severe anemia, +susceptibility to infections, insomnia, jaundice, frequent +urination, dehydration, chronic pain, and episodes of extreme, +debilitating pain. Pain episodes (also known as “crises”) can cause +tissue and organ damage, lead to hospitalizations, and have life- +threatening consequences. People with SCD are also at +heightened risk for anxiety, depression, post-traumatic stress + + +Page 3: +Superintendent’s Circular SHS-25 +Page 3 of 12 + + + + +disorder, social isolation, delayed social development, visible +strokes, and “silent strokes” that may go unnoticed but can affect +learning abilities in the short and long terms. Pain episodes and +other complications may be triggered by a wide variety of +physical and psychological stressors. +As a result of these complications and the side effects of +medications, many children with SCD experience frequent +absences and difficulty focusing or engaging as they usually do +at school, particularly with regard to physical activities. On days +free from harsher symptoms and side effects, many students +with SCD still experience baseline symptoms and health +vulnerabilities that require modifications to standard +participation requirements. +Additionally, the biology and history of SCD create the following +unique challenges: +● SCD pain is often “invisible.” People with SCD learn coping +mechanisms (such as staying still and quiet) that may seem +counterintuitive. SCD pain therefore often goes undetected +by others, leading to challenges about the seriousness or +existence of the pain. +● Symptoms such as jaundice, short stature, and delayed +social development, along with repeated absences, can +make students with SCD targets of bullying and +harassment. +● Medications used to treat people with SCD, such as opioid +pain medications and hydroxyurea (a chemotherapy drug + + +Page 4: +Superintendent’s Circular SHS-25 +Page 4 of 12 + + + + +that can also help some people with SCD), can cause serious +and disruptive side effects and carry stigmas of their own. +● Individuals with SCD have historically been stigmatized in +the community, hospitals, schools, the armed services, and +places of employment. Labeled a “Black disease,” SCD has +historically been associated with claims of racial weakness +and genetic inferiority. + +OVERVIEW – ADDRESSING NEEDS OF BPS STUDENTS WITH SCD +A. +CHILD FIND: Identification, Location, Immediate +Accommodations & Evaluation + +1. Identification and Location +BPS acknowledges that, due to the stigmas noted above, many +parents choose not to identify their child with SCD instead of +seeking supportive services and accommodations for their +children. To overcome this challenge, BPS utilizes multiple +strategies as part of an outreach and public awareness campaign +to raise awareness of SCD and its effects on learning to assure +families that BPS is a willing partner to create a community of +support, collaboration, and understanding around students with +SCD. These strategies include but are not limited to: +● Collaboration with local medical centers that treat +children with SCD and leveraging these to develop +strategies for identification and location (e.g., sharing + + +Page 5: +Superintendent’s Circular SHS-25 +Page 5 of 12 + + + + +outreach materials with clinics, providing “know your +rights” materials for families in clinics that see students +with SCD, meeting with medical providers to develop +additional strategies etc.) +● Ensuring that all communications are available in +multiple languages and/or modes in order to be +accessible to all families +● Ensuring that the outreach and public awareness +campaign includes outreach to preschools, early +intervention providers and community support +providers, who are likely to have students that are or +will enroll in BPS (i.e. located in Greater Boston) +● Additional strategies developed with input from the +SCD Advisory Group + +Specific considerations regarding enrollment: +Upon identifying a child with SCD at enrollment, BPS ensures +proper placement in a school with appropriate health and related +services. Given stigmas related to SCD, BPS gives special +attention to ensuring the privacy of students with SCD. This +includes appropriately limiting the scope of releases parents sign +regarding disclosures of their child’s SCD status. Further, BPS +ensures appropriate efforts are made to initiate and maintain +connections between school health staff and students with SCD, +their parents, and their medical teams upon enrollment of the +student (or upon identification if after enrollment). This includes + + +Page 6: +Superintendent’s Circular SHS-25 +Page 6 of 12 + + + + +providing information to parents and school health staff and +ensuring privacy rights are maintained. + +2. Interim Services/Supports Pursuant to Section 504 +BPS acknowledges that, because SCD is a physical disability that +substantially limits major life activities, students with SCD are +entitled to certain accommodations upon identification and +location to ensure their health, safety, and equal educational +opportunities, pending the completion of a comprehensive +evaluation. All rights and protections pursuant to Section 504, +including procedural safeguards, are ensured upon identifying +and locating students with SCD. BPS ensures that the interim +accommodations implemented pursuant to Section 504 include +the following: +● Two sets of textbooks, one for school and the other for +home +● Unlimited bathroom access as needed +● Unlimited access as needed to the school nurse or +school health official +● Unlimited access as needed to communicate with +parent and/or physician if they are experiencing +symptoms that are unfamiliar or are ones their +physicians told them to contact them about if +experienced + + +Page 7: +Superintendent’s Circular SHS-25 +Page 7 of 12 + + + + +● Unlimited water access as needed through access to a +water bottle and water fountains +● Time/permission to access medication (including +prescribed opioids), as needed +● Permission to wear a coat indoors whenever feeling +cold and to stay indoors or be exempt from outdoor +activities whenever it is too hot, too cold, or when air +quality is poor +● Permission to move away from indoor AC or heating +units +● Consideration for door-to-door transportation, except +in the very limited circumstances where it would be +impractical (e.g., student resides next door or across +the street from the school building they attends) +● Permission to access an elevator, if relevant, and to +leave class early to get to the next one (or alternatively, +extra time between classes) +● Modified participation in gym class, based on student +needs +● Proactive plans to address academic and +social/emotional supports upon return to school from +absences including supplemental instruction provided +by qualified subject-area teachers and service +providers in order to scaffold missed and ongoing +instruction in the classroom and to enable students to +catch up with and stay on pace with classmates + + +Page 8: +Superintendent’s Circular SHS-25 +Page 8 of 12 + + + + +3. Comprehensive Evaluation +BPS ensures that all students with SCD receive a timely, +comprehensive evaluation of all areas of suspected disability to +determine the nature and extent of a student’s need, if any, for +specialized instruction or related aids and services. BPS ensures +that a neuropsychological evaluation is considered as part of a +comprehensive evaluation for any student with SCD. + +B. +FREE APPROPRIATE PUBLIC EDUCATION +To address needs for students with SCD, BPS ensures that—as +part of special education and related services that may be +identified through comprehensive evaluations—any 504 plans +and/or IEPs specifically address challenges students with SCD +face related to health and safety needs, academic needs, social- +emotional needs, resuming school after absences, and +stagnations and/or declines in academic progress or +performance. BPS therefore ensures the utilization of a checklist +of potential accommodations at each Section 504/IEP Team +meeting for a student with SCD. The checklist is considered in +addition to all other appropriate services and supports +determined necessary for an individual student with SCD to +receive a free appropriate public education. BPS ensures that +documentation of each item’s consideration by the 504 or IEP +team is included in meeting minutes and provided to parents. + + + +Page 9: +Superintendent’s Circular SHS-25 +Page 9 of 12 + + + + +BPS ensures that neither Individual Health Plans (IHPs) nor +Individual Collaborative Health Plans (ICHPs) are used in lieu of a +504 Plan, IEP or interim accommodation plan. +Additional points requiring particular attention: +1. Continually Updating Health and Safety Services/Supports +BPS ensures that the 504 Plans and/or IEPs of children with SCD +reflect the up-to-date health and safety needs of the child, +recognizing that these needs may change during the course of +the year. BPS ensures that any new information received +regarding changed needs for a student with SCD will be +addressed in light of the student’s 504 Plan or IEP. + +2. Tracking Effects of Absences and Sudden Changes in +Needs +BPS ensures that, when a child with SCD has had absences and +there has been a lack of expected progress toward annual goals +in an IEP and/or in the general curriculum, discussions are +promptly held regarding how the absences are interfering with +academic progress and how this interference can be overcome, +including consideration of instruction in the summer. BPS also +ensures that sudden drops in academic performance and sudden +increases in social-emotional needs that are experienced by +students with SCD are detected and responded to appropriately. + +3. Designation Director of Constituent Services If and When +Services or Supports Are Not Provided + + +Page 10: +Superintendent’s Circular SHS-25 +Page 10 of 12 + + + + +BPS ensures that students with SCD, their parents, and (with +proper consent/privacy precautions) their medical team have +access to the Boston Public Schools Director of Constituent +Services to escalate concerns they have about a child with SCD +not receiving a free appropriate public education. This process is +separate from and does not preclude due process and grievance +rights available under Section 504 and IDEA. These mechanisms +are necessary given the severity and swiftness of the health, +academic, and social-emotional consequences that can occur for +children with SCD. + +C. +ENSURING APPROPRIATE CULTURE WITHIN BPS +REGARDING SCD +BPS ensures that the culture regarding SCD with BPS includes: +● believing students with SCD when they communicate that +they: are in pain, are having some other complication, or are +unable to perform a certain task due to their symptoms +● not blaming or shaming students with SCD or their parents +for their challenges +● identifying challenges quickly and working collaboratively +to find appropriate solutions +● facilitating awareness that children with SCD are members +of school communities +● facilitating an understanding of what SCD is and its +implications for health and safety + + +Page 11: +Superintendent’s Circular SHS-25 +Page 11 of 12 + + + + +● facilitating an understanding of the services/supports that +students with SCD may need to ensure their health and +safety, as well as an understanding of the importance of +adhering to these accommodations +● facilitating an understanding of the special education and +related services a student with SCD may need to ensure +their access to a free appropriate public education + +1. Awareness and Trainings +As part of ensuring an appropriate culture regarding SCD, BPS +conducts ongoing outreach and public awareness campaigns +that address each aspect of an appropriate culture described +above. BPS also conducts ongoing training for all teachers, +administrators, nurses, and other relevant staff. Training covers all +necessary topics to ensure that all BPS staff coming into contact +with students with SCD have the necessary knowledge and +awareness to properly implement all policies, protocols, and +procedures regarding SCD and to appropriately support the +student with SCD. School nurses receive additional periodic +training in managing the medical needs of students with SCD. + +2. Scope and Frequency of Awareness and Training Activities +BPS ensures that awareness and training efforts are wide enough +in scope to reach all appropriate personnel and repeat with +enough frequency to reach any new or temporary personnel who +may enter over the course of a school year. + + +Page 12: +Superintendent’s Circular SHS-25 +Page 12 of 12 + + + + +D. +DATA MONITORING +BPS conducts sufficient data monitoring to track successes and +failures in the implementation of its policies, protocols, and +procedures regarding SCD. This monitoring includes +documenting instances where students with SCD, their parents, +and/or their medical team had to escalate concerns about health +and safety services/supports being provided or followed and/or a +free appropriate public education being properly provided. The +data produced is regularly reported through summary statistics +without personally identifiable information to the SCD Advisory +Group and publicly via BPS website postings and press releases. + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SHS-26 Administration of Naloxone.txt b/data/data_txt/SHS-26 Administration of Naloxone.txt new file mode 100644 index 0000000..d817f6b --- /dev/null +++ b/data/data_txt/SHS-26 Administration of Naloxone.txt @@ -0,0 +1,297 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-26 +Version 01 + + + +ADMINISTRATION OF NALOXONE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +To recognize and respond to potential life-threatening opioid +overdose as part of the MDPH opioid overdose prevention +program, the Boston Public Schools will maintain a systemwide +plan for addressing a potentially life-threatening opioid overdose +reaction. +Additionally: +• This plan will be supplemented by any building-based +medical emergency response plan. +• The director of Health Services will have the responsibility +for the development and management of the intranasal +Naloxone administration program in the school setting in +accordance with MDPH protocols. +• The school physician will provide oversight to monitor the +program and creation of the standing order for the district, +to be renewed annually. +• Training per MDPH protocols will be provided for all school +nurse responders. +Naloxone is the only Schedule IV controlled substance in +Massachusetts that can be prescribed to someone other than the +ultimate user. The Massachusetts Controlled Substances Act, + + +Page 2: +Superintendent’s Circular SHS-26 +Page 2 of 9 + + + +M.G.L. c.94C,§19(b), authorizes naloxone to be prescribed or +dispensed to a person for use on someone else. It is the policy of +the Boston Public Schools that all schools shall provide and +maintain naloxone on-site in each school facility. To treat a case +of suspected opioid overdose in a school setting, any school +nurse may administer naloxone during an emergency to any +student, staff, or visitor suspected of having an opioid-related +drug overdose, whether or not there is a previous history of +opioid abuse, per 105 CMR 210.000, The Administration of +Prescription Medications in Public and Private Schools. +Because naloxone is treated differently than any other +prescription medication, and because any person can possess +and administer naloxone, pursuant to the standing order, it is the +policy of the Massachusetts Department of Public Health School +Health Unit that individual possession and use of naloxone is not +covered by 105 CMR 210.000. This means that pursuant to M.G.L. +c.94c,§19(g) any staff member of the Boston Public Schools who, +in good faith, attempts to render emergency care by +administering naloxone to a person reasonably believed to be +experiencing an opiate related overdose, shall not be liable from +the attempt to render emergency care and may carry and +administer naloxone on school property and school events, as +permitted within M.G.L. c. 94C, §§ 19(d) and 34A9e). This immunity +does not apply to acts or omissions constituting gross +negligence. +BACKGROUND +Recognizing that fatal and non-fatal overdoses from opioids play +an increasing role in the mortality and morbidity of +Massachusetts residents, the Massachusetts Department of + + +Page 3: +Superintendent’s Circular SHS-26 +Page 3 of 9 + + + +Public Health launched the Overdose Education and Naloxone +Distribution (OEND) prevention program using intranasal +Naloxone in an attempt to reverse this trend. Naloxone is an +opioid antagonist which means it displaces the opioid from +receptors in the brain. An overdose occurs because the opioid is +on the same receptor site in the brain that is responsible for +breathing. Rapid administration of naloxone may be lifesaving in +patients with an overdose due to opioids. Naloxone usually acts +dramatically, allowing slowed or absent breathing to resume. It is +both safe and effective and has no potential for abuse. Naloxone +has been used by paramedics in ambulances and by emergency +room clinicians for decades. +SIGNS AND SYMPTOMS OF OPIOID OVERDOSE +School nurses may administer naloxone to a patient (student, +staff member or visitor) in the event of respiratory depression, +unresponsiveness, or respiratory arrest, when an opioid overdose +is suspected. +The following are signs of an opioid overdose: +• Blue skin tinge-usually lips and fingertips show first. +• Body is very limp. +• Face is very pale. +• Pulse is slow, erratic, or not present. +• Vomiting. +• Choking sounds, gurgling, snoring/gasping noise. +• Breathing is very slow, irregular or has stopped. +• Unresponsive. + + +Page 4: +Superintendent’s Circular SHS-26 +Page 4 of 9 + + + +ROLE OF SCHOOL HEALTH SERVICES +• Develops policy for administration of naloxone and presents +to BPS School Committee for approval; reviews policy +annually. +• Provides annual education and training for school nurses by +approved MDPH organizations. +• Secures and distributes naloxone kits to each school/school +nurse. +• Determines proper disposal of used +/or expired naloxone. +ROLE OF SCHOOL LEADER +• Supports and facilitates access to school nurse training on +administration of naloxone. +• Supports substance abuse prevention education as part of a +comprehensive health education program. +• The school leader and staff should be alert to those +symptoms in students which may indicate problems with +substance abuse so that they may initiate assistance to +students in need of early intervention. +ROLE OF SCHOOL NURSE +• Participates in a training program offered by Health +Services. +• Provides safe storage and easy access to naloxone. +• Is alert to symptoms in students which may indicate +problems with substance abuse in order to initiate +assistance to students in need of early intervention. + + +Page 5: +Superintendent’s Circular SHS-26 +Page 5 of 9 + + + +• Refers the student to the Student Support Team if the +student is struggling with substance use. +• Administers naloxone following the procedure as listed +below in the event of respiratory depression, +unresponsiveness, or respiratory arrest, when an opioid +overdose is suspected and activate EMS. +PROCEDURE: +1. Activate EMS via Medical Emergency Response Plan. The +nurse or designee must call 911 in all potential overdose +situations. +2. Assessment: ABC’s: Airway, Breathing, Circulation. When +an individual is suspected of an opioid overdose, the nurse +will conduct an initial assessment of the level of +consciousness and respiratory status. +a. For individuals with no pulse: initiate CPR per BLS +guidelines. +b. For individuals with a pulse but who are not breathing: +establish an airway and perform rescue breathing +using a face mask or shield. +c. Check for: foreign body in airway, level of +consciousness or unresponsiveness, very low +respiratory rate or not breathing, no response to sternal +rub, respiratory status, gasping for air while asleep or +odd snoring pattern, pale or bluish skin, slow heart rate, +low blood pressure. Pinpoint pupils and track marks +may be present, although absence of these findings +does not exclude opioid overdose. + + +Page 6: +Superintendent’s Circular SHS-26 +Page 6 of 9 + + + +d. For individuals who have a pulse and are breathing: +assess if there is depression of the respiratory status as +evidenced by: +i. a very low respiration rate. +ii. interpretation of pulse oximetry measurement, if +immediately available. +e. Assess for decrease in level of consciousness as +evidenced by: +i. difficult to arouse (responds to physical stimuli +but does not communicate or follow commands; +may move spontaneously) or +ii. unable to arouse (minimal or no response to +noxious stimuli, does not communicate or follow +commands). +f. Nurse determines need for naloxone administration. +3. Administration: Intranasal administration of naloxone +a. Assess person for contraindications or precaution, per +available information. +b. How to use naloxone nasal spray: +i. Follow manufacturer’s instructions for proper +administration. +ii. Step 1. Lay the person on their back to receive a +dose of naloxone nasal spray. +iii. Step 2. Remove naloxone nasal spray from the +box. Peel back the tab with the circle to open the +naloxone nasal spray. +iv. Step 3. Hold the naloxone nasal spray with your + + +Page 7: +Superintendent’s Circular SHS-26 +Page 7 of 9 + + + +thumb on the bottom of the red plunger and your +first and middle fingers on either side of the +nozzle. +v. Step 4. Tilt the person’s head back and provide +support under the neck with your hand. Gently +insert the tip of the nozzle into one nostril until +your fingers on either side of the nozzle are +against the bottom of the person’s nose. +vi. Step 5. Press the red plunger firmly to give the +dose of naloxone nasal spray. +vii. Step 6. Remove the naloxone nasal spray from the +nostril after giving the dose. +viii. If the person does not respond in 3 mins, repeat +the steps and give the second dose of naloxone +nasal spray in a box. +ix. Monitor until EMS arrives. +x. Place the victim in the recovery position and stay +with the victim. +4. Monitor the individual: Naloxone blocks the opioid from +acting so it can cause withdrawal symptoms with opioid +tolerance. +a. Remain with the victim until emergency support +arrives; The victim may breathe but not have full +arousal OR They may require continued rescue +breathing and support. +Following the incident, debrief with the school team and health +services. + + +Page 8: +Superintendent’s Circular SHS-26 +Page 8 of 9 + + + +Documentation: +1. Record the encounter in SNAP. +2. Complete an Incident report. +3. Complete a “911” report. +4. Include the individual’s presentation, route of +administration of naloxone, and dose administered. Also +include the individual’s response to the naloxone +administration. +Storage: Store at 59° to 86°, away from direct sunlight +Disposal: Empty, administered naloxone nasal spray should +be returned to the original packaging and disposed of in a +waste receptacle. +REFERENCES +• BPS SHS-01 Drug and Alcohol Abuse – Update On +Procedures +• BPS SHS-08 Medication Administration +• NASN Naloxone Toolkit for School Nurses +• MDPH Bureau of Substance Addiction Services + + + + + +Page 9: +Superintendent’s Circular SHS-26 +Page 9 of 9 + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SPE-14 Counseling Guidelines .txt b/data/data_txt/SPE-14 Counseling Guidelines .txt new file mode 100644 index 0000000..8ba6993 --- /dev/null +++ b/data/data_txt/SPE-14 Counseling Guidelines .txt @@ -0,0 +1,302 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SPE-14 +Version 01 + + + +NON-IEP COUNSELING GUIDELINES +This circular will remain in effect unless rescinded or superseded by a +subsequent version +INTRODUCTION +Counseling services are provided to Boston Public School +students in myriad formats and modalities. Students with and +without disabilities may receive counseling services within +Boston Public Schools. Students with disabilities may have IEPs +that contain counseling as a related service mandating the +frequency and duration of counseling. Non-disabled students +without IEPs may be participating in counseling sessions +formulated as a result of a recommendation of the Student +Support Team in collaboration with staff from the Behavioral +Health Services department. As a result of partnerships with +external agencies, counseling also may be provided to BPS +students by mental health providers who are not BPS employees. +With this document, the Boston Public Schools seeks to ensure a +standard level of practice for the provision of counseling services +so that consistent practices may be implemented in assisting +students to overcome school-based issues which may be +hindering their achievement. +All mental health providers must conform with the Standards for +School-based Mental Health Services developed in partnership +between BPS and members of the Boston School-Based + + +Page 2: +Superintendent’s Circular SPE-14 +Page 2 of 9 + + + +Behavioral Health Collaborative. These standards can be +obtained on the Boston Public Schools website at +https://www.bostonpublicschools.org/domain/2443. +BACKGROUND +The American Psychological Association has defined counseling +as a process to help individuals towards overcoming obstacles to +their personal growth, wherever these may be encountered and +towards achieving development of their personal growth. +Massachusetts Department of Mental Health states further that +mental health counselors render professional services to +individuals, families, or groups. They apply principles, methods, +and theories of counseling and psychotherapeutic techniques to +define goals and develop a treatment plan of action aimed +towards the prevention, treatment, and resolution of mental and +emotional dysfunction. +The American Counseling Association states that “counselors +encourage client growth and development in ways that foster +the client’s interest and welfare; counselors avoid fostering +dependent counseling relationships. The ACA states further that +“counselors practice in specialty areas new to them only after +appropriate education, training, and supervised experience. +While developing new skills in specialty areas, counselors take +steps to ensure the competence of their work and to protect +others from possible harm.” +Boston Public Schools Counseling Work +In addition to these standard definitions and professional ethics +of practice, all BPS and non-BPS providers should understand + + +Page 3: +Superintendent’s Circular SPE-14 +Page 3 of 9 + + + +and demonstrate that their counseling work should support +teaching and learning goals and effective teaching practices. +Ultimately, the goal of counseling is to support success within the +classroom. +PRIOR TO COUNSELING +1. The Student Support Team serves as the hub of student +services within the school. The Student Support Team +facilitator should have knowledge of the referral for +counseling, and the recommendation for counseling should +emerge from the Student Support Team. When necessary, +counseling referrals can also be made outside of the SST +process. +2. The direct service provider designated to be the counseling +provider should be clear about (1) the scope of the work +requested in counseling, (2) the reason for the referral, and +(3) the expected outcome in counseling. If unclear regarding +the reason for counseling, a meeting should be scheduled +between the counselor provider and the referring agent to +discuss these concerns. +3. The direct service provider should counsel students +regarding behaviors that impact teaching and learning, +academic achievement, and daily school functioning. +4. Specific issues that are trauma related, i.e., physical and/or +sexual abuse (onset being past or present), death and dying, +and behaviors that may need psychiatric intervention and +may necessitate a 51A Report, should be brought to the +attention of the principal/head of school or the designated +administrator and the direct service provider’s supervisor. +These issues should be referred to the appropriate + + +Page 4: +Superintendent’s Circular SPE-14 +Page 4 of 9 + + + +community counseling agency/mental health facility. +5. Written consent must be obtained from the student, parent, +or legal guardian before beginning counseling (see attached +consent form). If a student is receiving counseling through +an outside provider, but in a BPS building, parent/guardian +should also sign the agency specific consent form. +6. The direct service provider must outline goals and objectives +for the individual student (see attached form). Furthermore, +it is recommended that the direct service provider +formulate the goals and objectives with input from the +parent/legal guardian. +7. Parents/legal guardians should be informed that pertinent +information regarding specific students may be discussed at +the Student Support Team meetings. All ethical professional +standards of confidentiality will be maintained regarding +the specific nature of the counseling sessions(s). +8. All direct service providers should maintain professional, +proper, safe, and appropriate safeguards for the student(s) +and themselves. +COUNSELING PRACTICE +All direct service providers who are counseling students should: +● Have a consistent counseling schedule which is +documented and provided to their principal/head of school, +supervisor, and the needed personnel in the individual +schools (i.e., teacher, OSS coordinator, Student Support +coordinator, guidance counselor, and other school +administrators). + + + +Page 5: +Superintendent’s Circular SPE-14 +Page 5 of 9 + + + +● Meet in rooms that provide appropriate space and levels of +confidentiality. +● Guarantee a measure of safety and protection for the +student and provider, including consideration of the +distance between a counselor and student and leaving the +door ajar at all times. +● Not engage in any physical contact with the student(s) due +to the possible risk of psychological harm to the student as a +result of the physical contact (i.e., cradling, “touch therapy,” +caressing, massaging, and petting). This requirement of no +physical contact is due to the possibility of psychological +and/or physical harm to the student as a result of such +contact. +● Document each session held and keep progress notes on +each student. Provisions should be made for sharing themes +of concern and critical information with the parent/legal +guardian. +● Share specific information that relates to the student’s +academic progress with appropriate staff. +● Respond to inquiries from the principal/head of school +regarding the student’s progress in counseling. +TERMINATING COUNSELING SERVICES +When counseling goals and objectives have been reached and/or +there have been several documented absences and/or instances +of resistance by the student, as well as several documented +attempts to provide counseling services, termination of +counseling services may be appropriate. The direct service +provider should: + + +Page 6: +Superintendent’s Circular SPE-14 +Page 6 of 9 + + + +1. Notify the student’s parent or legal guardian. +2. Notify (in writing) appropriate school personnel +(principal/head of school, Student Support coordinator, OSS +coordinator, supervisor, teacher, or other school +administrator). +3. Summarize progress and recommendation and follow-up as +needed (this could be facilitated during the Student Support +Team meeting, discussions within small learning +communities, common planning time, and/or teacher +parent conferences). +SUMMARY +Direct service providers, both BPS and non-BPS staff, are an +integral component of helping students reach their fullest +academic achievement. Lack of knowledge or misunderstanding +of ethical and professional practice standards are not a defense +against charges of unethical and/or inappropriate practice +conduct. It is important that these practice standards are +maintained and adhered to for the safety of students and the +direct service provider. These practice standards ensure a safe, +protected, and ethical delivery of service for both students and +the staff members who serve them. If it is determined that these +guidelines have not been followed and/or that inappropriate, +unethical and/or unprofessional conduct has occurred, Boston +Public Schools will take any such action as is appropriate under +the circumstances. Such action may range from discipline to +termination from employment or termination of any contract +with Boston Public Schools as BPS deems appropriate under the +circumstances. + + +Page 7: +Superintendent’s Circular SPE-14 +Page 7 of 9 + + + + +For more information about this circular, contact: +Name: +Director of Social Work +Department: +Social Work +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: + 617-635-8294 +Email: +socialwork@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 8: +Superintendent’s Circular SPE-14 +Page 8 of 9 + + + +CONSENT FOR SCHOOL-BASED NON-IEP +COUNSELING SERVICES +I, _________________________________________________________________ +(Print Name of Parent/Legal Guardian) +have been provided with the reason (s) my child, +__________________________________________________________________ +(Print Child’s Name) +has been recommended for school-based counseling services. +The reason (s) for the recommended school-based counseling +services are: + + + +I give consent for __________________________________________ +(school name) to refer my child for the following school-based +counseling services (check all that are applied). I understand that +these services may be provided by a community mental health +agency in partnership with the school. +□ Individual Counseling +□ Group Counseling + +BPS Staff Member: _______________________________________________ +(Insert staff name) +Outside Agency staff: +__________________________________________________________________ + +(Insert staff name) + + +Page 9: +Superintendent’s Circular SPE-14 +Page 9 of 9 + + + +I also give consent for the school to release my child’s student +record, health, and other confidential information to the school- +based counseling service provider and for my child to participate +in these school-based counseling services. +I understand that my participation in my child’s school-based +counseling services will be appreciated and strongly encouraged. +I have read this Consent for School-Based Counseling Services +and understand its terms. I sign it voluntarily and with full +knowledge of its significance. + +___________________________________________ __________________ +Parent/Legal Guardian Signature Date + + + + + + + + diff --git a/data/data_txt/SPE-20 SPED Screening for 3 and 4 Year Olds.txt b/data/data_txt/SPE-20 SPED Screening for 3 and 4 Year Olds.txt new file mode 100644 index 0000000..daa77ec --- /dev/null +++ b/data/data_txt/SPE-20 SPED Screening for 3 and 4 Year Olds.txt @@ -0,0 +1,93 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SPE-20 +Version 01 + + +SPECIAL EDUCATION SCREENING PROGRAM FOR +THREE- AND FOUR-YEAR-OLD CHILDREN +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Massachusetts state law mandates that each school system in the +state locate, identify, and provide special educational services for +children ages three and four who may either have a substantial +disability or possibly experience challenges in a regular preschool or +kindergarten program. +The Boston Public Schools will continue its ongoing screening +program for three- and four-year-olds who are not attending a +BPS school, to take place on the following dates: +SCREENING DATES: +● +Thursday, October 17, 2024 @ CASH High School Annex, Dorchester +● +Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston +● +Thursday, March 6, 2025 @ CASH High School Annex, Dorchester +● +Wednesday, March 26, 2025 Mario Umana Academy, East Boston +● +Thursday, April 17, 2025 @ CASH High School Annex, Dorchester + + +This screening is available to any child, ages three and four, who +resides in the City of Boston. The screening program, coordinated + + +Page 2: +Superintendent’s Circular SPE-20 +Page 2 of 3 + +by the Office of Special Education, includes screening in the areas +of readiness skills and language. A parent interview is conducted +as well. +Notices will be available in the language of the home, when +indicated as necessary by the family. Efforts will be made to +disseminate notices at community centers, day care centers, and +community preschools. +Summary of significant dates and deadlines: +Date +Location +Thursday, October 17, 2024 +CASH High School Annex, Dorchester +Wednesday, December 4, 2024 Mario Umana Academy, East Boston +Thursday, March 6, 2025 +CASH High School Annex, Dorchester +Wednesday, March 26, 2025 +Mario Umana Academy, East Boston +Thursday, April 17, 2025 +CASH High School Annex, Dorchester + + + + +Page 3: +Superintendent’s Circular SPE-20 +Page 3 of 3 + +For more information about this circular, contact: +Owner: +Assistant Director for Early Childhood +Department: +Office of Special Education +Mailing Address: +2300 Washington Street 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-8599 +Fax: +617-635-6834 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + diff --git a/data/data_txt/SSS-02 Homeless Students.txt b/data/data_txt/SSS-02 Homeless Students.txt new file mode 100644 index 0000000..000155d --- /dev/null +++ b/data/data_txt/SSS-02 Homeless Students.txt @@ -0,0 +1,310 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SSS-02 +Version 01 + +HOMELESS STUDENTS — GUIDELINES AND +PROCEDURES +This circular will remain in effect unless rescinded or +superseded by a subsequent version +INTRODUCTION +The McKinney-Vento Homeless Assistance Act, reauthorized in +December 2015 through the federal Every Student Succeeds Act +(ESSA), ensures educational rights and protection for children +and youth experiencing homelessness. +DEFINITION OF HOMELESSNESS +The federal government defines a child or youth who is homeless +as one who lacks a fixed regular and adequate residence or has a +primary nighttime residence not designed for or ordinarily used +as a regular sleeping accommodation for human beings. +(McKinney-Vento Homeless Assistance Act, Section 103 (A) (1) (2)). +Under the federal definition, the following children are +considered homeless: +• Children and youth who are sharing the housing of other +persons due to loss of housing, economic hardship, or a +similar reason; are living in motels, hotels, trailer parks, or +camping grounds due to lack of alternative adequate + + +Page 2: +Superintendent’s Circular SSS-02 +Page 2 of 10 + +accommodations; are living in emergency or transitional +shelters; are abandoned in hospital; or are awaiting foster +care placement. +• Children and youth who have a primary nighttime residence +that is a public or private place not designed for or ordinarily +used as a regular sleeping accommodation for human +beings. +• Children and youth who are living in cars, parks, public +spaces, abandoned buildings, substandard housing, bus or +train stations, or similar settings. +• Unaccompanied youth – youth not in the physical custody +of a parent or guardian. +Boston Public Schools (BPS) is responsible for ensuring the +identification, enrollment, attendance, and academic success of +students who are homeless. All personnel should be aware of the +unique needs of children, adolescents, and families who are +homeless. This growing population may be at risk due to the +transitional nature and status of their lives. For children and +adolescents, school may represent stability and consistency in +what otherwise is often an unstable situation. We are committed +to supporting our students who are experiencing homelessness +and strive to keep students in their home schools. +STATEMENT OF PURPOSE AND SCOPE +This circular is intended to provide school staff with guidance +regarding the rights of students who are homeless and provide +them with the education services needed to ensure they have an +equal opportunity to meet the same academic standards to +which all students are held. There are, however, some procedures + + +Page 3: +Superintendent’s Circular SSS-02 +Page 3 of 10 + +that may differ from the standard procedures. These may include +choice of school, registration, transportation, record transfer, and +confidentiality. +SCHOOL SELECTION +A student who is experiencing homelessness has the right to +continue attending the school of origin (i.e., the school they were +attending when permanently housed or the school in which they +were last enrolled) or a school within the new community where +they are temporarily housed. This right is guaranteed under the +McKinney-Vento Homeless Assistance Act. +SCHOOL ASSIGNMENT AND TRANSPORTATION +If a student who is attending the Boston Public Schools becomes +homeless and needs transportation, the family should visit one of +the BPS Welcome Centers: +https://www.bostonpublicschools.org/welcomecenters +Families requesting reassignment should also visit any of the +Welcome Centers at various locations: +• Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040 +• Dorchester: 1216 Dorchester Ave. Dorchester, 617-635-8015 +• Roxbury: 2300 Washington St., Roxbury, 617-635-9010 +• East Boston: 312 Border Street, Boston, MA 02128, +617-635-9597 +Families who are experiencing homelessness and move into +Boston have the right to enroll their children in the Boston Public +Schools. They should go to any Welcome Center Site to register. +An individual may be considered to be homeless if that person is +“doubled-up,” a term that refers to a situation where individuals + + +Page 4: +Superintendent’s Circular SSS-02 +Page 4 of 10 + +are unable to maintain their housing situation and are forced to +stay with a series of friends and/or extended family members. +Students who become homeless and move to a shelter or other +facilities outside the school district may continue to attend their +school of origin. Transportation will be available if they reside +within an hour of their school. Please contact the Homeless +Education Resource Network (HERN) or 617-6359620 to discuss +any difficulty that a child temporarily without a home may be +experiencing. +DISPUTE RESOLUTION +If a dispute arises over enrollment and/or transportation, the local +school district must immediately enroll the homeless student in +the school in which enrollment is sought pending resolution of +the dispute, and must provide the parent, guardian, or +unaccompanied youth with both a written statement of the +school placement decision and a notice of the right to appeal the +decision. The school district must refer the unaccompanied +youth, parent, or guardian to the homeless education liaison, who +will expeditiously carry out the dispute resolution process. The +final decision in such a situation resides with the Massachusetts +commissioner of education. +Reimbursement is available at the City of Boston mileage rate for +parents who are sheltered outside of Boston and transport their +children back to the school district. +ATTENDANCE WAIVERS +Students experiencing homelessness may have absences +excused and will be assessed on a case-by-case basis. + + +Page 5: +Superintendent’s Circular SSS-02 +Page 5 of 10 + +An absence may be excused for the following reasons: +• Students who are homeless in or out of district and are +awaiting transportation. +• Students who are tardy due to placement issues. +Please contact Assistant Director, Opportunity Youth, for further +information (Operations-Department- +Heads@bostonpublicschools.org) +SCHOOL ENROLLMENT AND RECORD TRANSFER +Principals and heads of school should follow all current +procedures for the transfer of academic and health records for +students who are experiencing homelessness. Although not +mandated, it is helpful if students who are temporarily without +homes provide the following documentation at the time of +registration: +• Birth certificate +• Immunization and medical records +• Special Education Individual Educational Plan (IEP) +SERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT +LIVING IN SHELTERS +Students not living in shelters and are “doubled-up” and identify +themselves as being homeless will have access to all services as +outlined in this memorandum. +A. Curriculum on Homeless Issues/Professional Development +It is important to teach all staff and students about homelessness +and its causes and conditions to ensure all students understand +that homelessness is caused by lack of affordable housing and + + +Page 6: +Superintendent’s Circular SSS-02 +Page 6 of 10 + +not the fault of a child temporarily without a home or their +parent. The BPS Homeless Education Resource Network (HERN), +as well as the Massachusetts Department of Elementary and +Secondary Education, have several videos on homelessness +available as well as expertise in workshop and curriculum +planning. In addition, training and seminars on homelessness are +available through HERN and are free to Boston Public Schools +faculty and staff. To arrange for these at your school or to enroll in +an upcoming professional development opportunity, contact +Assistant Director, Opportunity Youth Operations-Department- +Heads@bostonpublicschools.org +Identification of a School-based Homeless Liaison +Each school in the district must identify one staff member +to serve as the main contact point for homeless services if +one does not already exist (e.g., the school-based homeless +liaison) to work in concert with HERN to connect the school +and students and families experiencing homelessness, or at +risk of homelessness, to city and state resources. The school- +based homeless liaison works collaboratively with HERN to +ensure that students experiencing homelessness have the +necessary individualized resources and support to learn. +HERN provides multiple opportunities for school-based +homeless liaisons to receive targeted professional +development throughout the school year. School-based +homeless liaisons serve an essential role in ensuring that all +staff and students in their school understand the available +services and process to request assistance. +By October 1, school leaders should submit the name, contact +information and title of their designated school-based homeless + + +Page 7: +Superintendent’s Circular SSS-02 +Page 7 of 10 + +liaison to the Senior Director of Opportunity Youth Operations- +Department-Heads@bostonpublicschools.org +Identification and Referrals of Students Experiencing +Homelessness +Students and families experiencing homelessness or at risk +of homelessness may request assistance using the HERN +referral form, which is available electronically on the ASPEN +Student Information System (SIS). A student or family +member may request that any BPS staff member with +ASPEN access submit a referral form on their behalf. This +process increases access to assistance by allowing the +referral to be submitted by a BPS staff member with whom +the student or family member has a trusting relationship. +This process will also increase the identification of students +experiencing homelessness by making it easier for students +and family members to make the request at the school level. +School-based homeless liaisons are expected to inform all +staff members in their school of the availability of the form +on ASPEN and their role in being able to submit a referral on +the student’s behalf. Once the form is submitted, HERN will +proceed with its normal process of verifying the information. +Once information has been verified and the student’s +service needs have been identified, HERN will contact the +designated school-based liaison to work collaboratively to +institute a service plan for the student and/or family. The +hard copy version of the HERN referral form will still be +accepted and can be submitted directly to the HERN office +or any of the three BPS Welcome Centers. + + +Page 8: +Superintendent’s Circular SSS-02 +Page 8 of 10 + +CONFIDENTIALITY +For many reasons, homeless families may not want to reveal that +their living status has changed. While most shelters encourage +parents to notify the schools of a change in residence, they +cannot mandate it, since state and federal laws which regulate +confidentiality are very restrictive. Children who are temporarily +without homes present many of the same characteristics as +other at-risk children. Therefore, the best practice is to +strengthen the communications between all parents and school +personnel so that procedures are in place to reach out to families +and students who are in transition or educationally at-risk. This +means, at a minimum, schools should communicate frequently +with parents and stress the necessity of updating the student’s +emergency information. +Schools, and school-based homeless liaisons in particular, are +encouraged to maintain up-to-date records of students +experiencing homelessness in the ASPEN SIS and communicate +with HERN regularly to ensure adequate assistance and provision +of services to students and families experiencing homelessness. +In serving students who are homeless, please be mindful of the +following: +• Many students and parents who are temporarily without +homes prefer to keep their current living situations private. +• Students and their families may feel threatened and/or +embarrassed if approached by school staff. Thus, to respect +their privacy and confidentiality, school staff should not +approach students or their families directly to discuss their +temporary lack of permanent residence. Rather, students + + +Page 9: +Superintendent’s Circular SSS-02 +Page 9 of 10 + +and families should be given the opportunity to raise the +issue themselves if they so choose. +• It may not be necessary for staff members to know that a +student is homeless. Thus, school staff should be told this +information on an as needed basis only. +In the event of an emergency, or when services and information +are lacking for a child believed to be homeless, contact Assistant +Director, Opportunity Youth at 617-6359620 or Operations- +Department-Heads@bostonpublicschools.org +Senior Director of Health Services, 617-635-6788, should be +notified if families do not present current immunization records +at the time of registration. +Home and Hospital Instruction provides services for students +who are homeless and are impaired physically and/or mentally. +For additional information, contact Home and Hospital program +coordinator, 617-635-6633. + + + + +Page 10: +Superintendent’s Circular SSS-02 +Page 10 of 10 + +For more information about this circular, contact: +Owner: +Senior Director +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SSS-07 Persistently Dangerous Schools Standards for Determination.txt b/data/data_txt/SSS-07 Persistently Dangerous Schools Standards for Determination.txt new file mode 100644 index 0000000..d91e711 --- /dev/null +++ b/data/data_txt/SSS-07 Persistently Dangerous Schools Standards for Determination.txt @@ -0,0 +1,196 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-07 +Version 01 + + + + +“PERSISTENTLY DANGEROUS” SCHOOLS – +STANDARDS FOR DETERMINATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +BACKGROUND +Section 9532 of the Elementary and Secondary Education Act +(ESEA), as amended by the Every Student Succeeds Act of 2015 +(ESSA) states: +Each State receiving funds under this chapter shall establish +and implement a statewide policy requiring that a student +attending a persistently dangerous public elementary +school or secondary school, as determined by the State in +consultation with a representative sample of local +educational agencies, or who becomes a victim of a violent +criminal offense, as determined by State law, while in or on +the grounds of a public elementary school or secondary +school that the student attends, be allowed to attend a safe +public elementary school or secondary school within the +local educational agency, including a public charter school. +20 U.S.C. § 7912. + + + +Page 2: +Superintendent’s Circular SSS-07 +Page 2 of 6 + + +STANDARDS +The Massachusetts Department of Elementary and Secondary +Education, at a meeting of the State Board of Education on +March 25, 2003, established the standards to determine an +“unsafe” or “persistently dangerous” school. A school may be +deemed unsafe either as a whole entity or for an individual +student who becomes a victim of a violent criminal offense. +These standards were implemented as of July 1, 2003. Following +are the standards for (1) individual students and (2) the whole +school determination. + +INDIVIDUAL STUDENT OPTION +Beginning in the 2003/2004 school year, any student who during +school hours becomes a victim of a “violent criminal offense” (as +defined by Massachusetts General Laws Chapter 140, Section 121) +which takes place in or on the grounds of a public elementary or +secondary school that the student attends must be allowed, to +the extent feasible, to transfer immediately to another public +school within the school district. For purposes of this policy, “in or +on the grounds” of the school includes school premises, school +buses, and attendance at school sponsored or school related +events including athletic games and field trips. + + + + +Page 3: +Superintendent’s Circular SSS-07 +Page 3 of 6 + + + +WHOLE SCHOOL OPTION +To be designated as “persistently dangerous,” a school must +meet either of the following criteria for three consecutive years +beginning with the most recent enrollment data available to the +Department, as well as the prior two years: + +• One or more students have been expelled for violation of +the Federal Gun-Free Schools Act, v.z. Section 7.3.1. of the +BPS Code of Discipline (October 2006 ed), or; + +• The number of students who have been expelled from +school for a period greater than 45 days under Mass. +General Laws Chapter 71, Section 37H for weapons or +physical assaults or for violent crimes as defined by Mass. +General Laws Chapter 140, Section 121 exceeds 1.5% of the +student enrollment. The rate will be based on each +individual school’s enrollment data submitted to the +Department (i.e., October Report). + +Students who qualify for a safety transfer under either of the +aforementioned options will be transferred through the safety +transfer process (Superintendent’s Circular AMT-07, Safety +Transfer Request Procedures). Documentation of a “violent +criminal offense” must be attached to the safety transfer request +form in the case of a single student option request. It is +anticipated that the Department of Elementary and Secondary +Education (DESE) will designate schools as “persistently +dangerous” based on the aforementioned criteria prior to the + + +Page 4: +Superintendent’s Circular SSS-07 +Page 4 of 6 + + +start of school each year. Such a designation will be forwarded +directly to the superintendent by the Massachusetts Department +of Elementary and Secondary Education. + +REMEDIAL ACTION +For any school that meets either standard for a “persistently +dangerous “ school designation for two consecutive years, +DESE will request that the school and district evaluate their needs +and adopt or revise a corrective action plan to ensure a safe school +environment for all students and staff. The school and district shall +maintain the corrective action plan as a public record. To the +extent feasible, DESE will provide technical assistance to the +school and district. + +For any school that meets either standard for a “persistently +dangerous “ school designation for three consecutive years, +DESE will designate the school as “persistently dangerous.” +Parents may then exercise their right to have their child attend a +safe public elementary or secondary school within the local +educational agency (school district). The school will be required to +submit a corrective action plan to DESE. To the extent feasible, +DESE will collaborate with other state and local agencies to +provide support and technical assistance to the school and +district. +If DESE notifies a school or district that the school is or may be +designated as “persistently dangerous,” school officials will have +ten working days to present information to DESE that may have a +bearing on the designation. The local officials’ response may + + +Page 5: +Superintendent’s Circular SSS-07 +Page 5 of 6 + + +include any or all of the following: + +1. Clarification of the disciplinary incident data submitted +2. The school’s safety plan +3. Local efforts to address the school’s safety concerns +4. The school safety data reported to the state consistent with +requirements of ESEA, Title IVA +5. Safe and Drug-Free Schools and Communities Act, section +4112 (c) (3) +6. More current data that the school may have available +7. Any extenuating circumstances +8. Any other information the school officials believe may be +relevant + +The Massachusetts Department of Elementary and Secondary +Education will review the information provided by the school +officials before making a final determination. +It is important to note that failure to transfer a student in a timely +manner as required by the law and the Massachusetts +Department of Elementary and Secondary Education could result +in the loss of federal funds. + + + + + + + +Page 6: +Superintendent’s Circular SSS-07 +Page 6 of 6 + + + +For more information about this circular, contact: +Owner: +Deputy Superintendent of Operations +Department: +Deputy Superintendent of Operations +Mailing +Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9643 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt/SSS-09 Employment Permit Applictions and Issuance of Work Permits.txt b/data/data_txt/SSS-09 Employment Permit Applictions and Issuance of Work Permits.txt new file mode 100644 index 0000000..9961a6e --- /dev/null +++ b/data/data_txt/SSS-09 Employment Permit Applictions and Issuance of Work Permits.txt @@ -0,0 +1,140 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-09 +Version 01 + + + +EMPLOYMENT PERMIT APPLICATIONS AND ISSUANCE +OF WORK PERMITS FOR STUDENTS AGES 14 +THROUGH 17 +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +During the school year, all Boston Public School students +requiring working papers (employment permits and educational +certificates) will obtain such from guidance counselors or +designated staff in their individual schools. +• Guidance counselors will supervise the issuance of working +papers, but the secretary designated by the principal or +head of school will perform the clerical process of issuing +the papers. +• Principals and heads of school will determine the time that +the secretary will perform this function. +• Occasionally, exceptional circumstances (e.g., heavy +workload, unscheduled assignments) occur, making it +impossible for the secretary to perform this task. During +those times, the guidance counselor will process working +papers. +Charter schools are public schools. Charter school students will +obtain the employment permit from their school staff. + + +Page 2: +Superintendent’s Circular SSS-09 +Page 2 of 4 + + + +Parochial, private, and METCO school students who are residents +of Boston will obtain the required permits/certificates through +the Welcome Centers of the Boston Public Schools using the +online process located on the BPS website +www.bostonpublicschools.org. Boston Public School students +can also obtain their permits/certificates using the online process +located on the Boston Public Schools website +www.bostonpublicschools.org when their school is not in session +(e.g., summer months, school vacations, etc.). + +PROCEDURE +All students under the age of 18 must obtain a work permit +before starting a new job per Massachusetts General Laws, +Chapter 149, Sections 86-89. +The following process must be followed as outlined in the +Commonwealth of Massachusetts Employment Permit +Application for 14 through 17-year-olds. +1. All students must obtain a Promise of Employment. +2. The employer must complete the Promise of Employment +section and sign off on it. +3. ONLY 14 and 15-year-olds must obtain a signed physician’s +certificate of health. +4. All students must have their parent/guardian sign the +permit application. +5. The student must also sign the permit application. + + +Page 3: +Superintendent’s Circular SSS-09 +Page 3 of 4 + + + +6. When the permit application is completed, it should be +returned to the school guidance +7. counselor or the school designee. + +The school staff will verify the date of birth and issue a work +permit. The employment permit application will be kept on file. If +it is during non-school periods, or the student does not attend a +Boston Public School, but is a resident of Boston, the student will +utilize the BPS online Youth Work Permit Request form located +on the website www.bostonpublicschools.org. Proof of the +student's age, such as a birth certificate, passport, immunization +record, etc., should be provided. An employment permit will then +be issued. +Please note that a work permit may not be issued to a parent. +Massachusetts General Laws Chapter 149, Section 89 requires +that the child appear in person with proper identification. +According to the Commonwealth of Massachusetts +(https://www.mass.gov/service-details/youth-employment- +permit-information): all teens under 18 years of age must +complete a work permit application and get a work permit +before starting a new job. Please see the complete summary of +the Massachusetts laws regulating child labor for further +information. +With very limited exceptions, minors under the age of 14 may not +work. All minors under the age of 18 must complete an +employment permit application and get their permit before +starting a new job. You can download Youth Employment Permit + + +Page 4: +Superintendent’s Circular SSS-09 +Page 4 of 4 + + + +Application and Youth Permit Process. You can also access these +forms in Spanish, Portuguese, Chinese, and Vietnamese. +FORMS +1. Employment permit applications can be found and printed +at https://www.mass.gov/service-details/youth- +employment-permit-information +2. When school is not in session, please complete this form +and upload the required documents. Once completed, a +BPS Welcome Services team member will contact you +within two business days regarding the next steps for your +work permit. Parochial, private and METCO school students +that are Boston residents may utilize this form during the +entire year. +For more information about this circular, contact: +Name: +Director of Guidance, Office of Schools & +Accountability +Department: Guidance Services, Office of Schools & +Accountability +Mailing +Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-8030 +E-mail: +cchiu@bostonpublicschools.org; Operations- +Department-Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + diff --git a/data/data_txt/SSS-18 Bullying Prevention and Intervention Plan.txt b/data/data_txt/SSS-18 Bullying Prevention and Intervention Plan.txt new file mode 100644 index 0000000..46e147c --- /dev/null +++ b/data/data_txt/SSS-18 Bullying Prevention and Intervention Plan.txt @@ -0,0 +1,1418 @@ +Page 1: + + + + + Superintendent’s +Circular +NUMBER: +SSS-18 +Version 01 + + +BULLYING PREVENTION AND INTERVENTION PLAN +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BOSTON PUBLIC SCHOOLS STATEMENT AGAINST STUDENT +BULLYING +Boston Public Schools will not tolerate any unlawful or disruptive +behavior, including bullying, harassment, cyberbullying, +discrimination, retaliation, or hate crimes in all forms and types +towards others in any school or at school-related activities. Boston +Public Schools will promptly investigate all reports and +complaints of bullying and take prompt, effective action to end +that behavior and prevent its recurrence. Action will include, +where appropriate, referral to a law enforcement agency. Boston +Public Schools will support this Bullying Prevention and +Intervention Plan (“Plan”) in all aspects of its activities, including +its curricula, instructional programs, staff development, family +meetings/training, and extracurricular activities. +Students, staff, families/caregivers, and any others who are +concerned or want to report bullying may confidently talk to a +trusted staff member or call the Safe Space and Bullying +Prevention Hotline, 617-592-2378. Additional resources and +support can be found at Succeed Boston. Succeed Boston leads +this districtwide initiative. + + +Page 2: + +Superintendent’s Circular SSS-18 +Page 2 of 44 + +The Student Handbook, AUP (Acceptable Use Policy), and the +Boston Public Schools Code of Conduct are updated annually to +assure alignment, to include language prohibiting bullying, and +cyberbullying, and to clearly define the consequences connected +to it. The district and principals/heads of schools at all levels in the +Boston Public Schools play a critical role in the ongoing +development and implementation of the Bullying Prevention and +Intervention Plan in the context of other whole school and +community efforts to promote a positive school climate. +Principals/school leaders have a primary role in teaching students +to be civil to one another and promoting understanding of and +respect for diversity and difference. Principals/school leaders have +a responsibility for setting priorities and for staying up to date +with this policy and current research on ways to prevent and +effectively respond to bullying. +The Boston Public Schools will not tolerate any unlawful or +disruptive behavior, including any form of bullying, cyberbullying, +or retaliation, in our school buildings, on school grounds, on +school buses and at school bus stops, on a school bus or other +vehicle owned, leased, or used by a school district; or through the +use of technology or an electronic device owned, leased, or used +by a school district, and or in school-related activities. +Schools will promptly investigate all reports and complaints of +bullying, cyberbullying, and retaliation and take prompt action to +end that behavior and restore the target’s sense of safety. The +Boston Public Schools will support this commitment in all aspects +of our school community, including curricula, instructional +programs, staff development, extracurricular activities, and +families/caregivers involvement. +A student who knowingly makes a false accusation of bullying will + + +Page 3: + +Superintendent’s Circular SSS-18 +Page 3 of 44 + +be subject to disciplinary action as defined by the BPS Code of +Conduct. +This Plan has been approved by the Massachusetts Department of +Elementary and Secondary Education and is posted at the BPS +Anti Bulling web page. Copies of this plan shall be posted and +readily accessible in all schools in an area visible to +families/caregivers and staff. The Plan will be reviewed and +updated biennially, as mandated by M.G.L. c. 71, § 37O. +PUBLIC INVOLVEMENT +As required by M.G.L. c. 71, § 37O, this Plan has been developed in +consultation with various constituencies. Since May 3, 2010, the +Boston Public Schools has met biennially with families/caregivers, +teachers, school administrators, students, central administrators, +and community stakeholders to develop this Plan. +Effective SY 2024-2025, an advisory group of teachers, +administrators, families/caregivers and community members will +be developed to review and make recommendations related to +curricula, professional development, community and family +engagement, and the Plan itself. Consultation will include, at a +minimum, notice and a public comment period prior to adoption. +STATEMENT OF PURPOSE +The Boston Public Schools believes that school communities +serve as a network of support for its diverse students, families, and +staff. We are committed to providing our students with equal +educational opportunities and a safe and welcoming learning +environment where all students and community members treat +each other with respect and appreciate the rich diversity in our +schools. + + +Page 4: + +Superintendent’s Circular SSS-18 +Page 4 of 44 + +The Boston Public Schools recognizes that certain students may +be more vulnerable to become targets of bullying, harassment, or +teasing based on actual or perceived characteristics, including +race, color, religion, ancestry, national origin, sex, socioeconomic, +status, homelessness, academic status, gender identity or +expression, physical appearance, or sensory, disability, or by +association with a person who has or is perceived to have one or +more of these characteristics. The Boston Public Schools will +continuously work to identify specific steps it will take to create a +safe, supportive environment for vulnerable populations in the +school community, and provide all students with the skills, +knowledge, and strategies to prevent or respond to bullying, +harassment, or teasing. +Under M.G.L. Ch. 71, § 37O, at the beginning of each school year, +each school will provide the community, including students, +administrators, external providers, families/caregivers, and staff +with: +● Written notice of its policies for reporting acts of bullying +and retaliation, +● A description of the reporting procedures and resources, +including the name and contact information of the +principal/school leader or designee +● A copy of the Bullying Incident Reporting Form and +information about electronic reporting and +● Shall provide and post the available resources (including the +number to the Safe Space and Bullying Hotline and +information about electronic reporting) in the school’s main +office, the school’s website, all counseling offices/spaces, the +school nurse’s office, and other locations determined by the + + +Page 5: + +Superintendent’s Circular SSS-18 +Page 5 of 44 + +principal/school leader or designee +The Boston Public Schools Bullying Prevention and Intervention +Plan shall be incorporated in student and staff handbooks, on the +school and district website, and made available to +families/caregivers. +DEFINITIONS UNDER M.G.L. CH. 71, § 37O +Note: The following definitions contain terms and/or phrases that +are different from the language of the statute. The language of +the definitions in this circular is drafted to align with the +definitions that are used in the Boston Public Schools Code of +Conduct. BPS relies on these definitions when reviewing student +conduct under the Code: +● Bullying: BPS has replaced the word “victim” in the statute +with the word “target.” +● Cyberbullying: BPS has added (iv) to the definition contained +in the statute. +● Retaliation: this definition is not provided for under the +statute but is operative in the Code of Conduct. +● School Community: BPS has added “staff” to the definition +contained in the statute. +● Perpetrator: this definition is not provided for under the +statute but is operative in the Code of Conduct. +● Aggressor is a student who engages in bullying or +cyberbullying. +Bullying is the repeated use by one or more students or by a +member of school staff including, but not limited to, an educator, + + +Page 6: + +Superintendent’s Circular SSS-18 +Page 6 of 44 + +administrator, school nurse, cafeteria worker, custodian, bus +driver, athletic coach, advisor to an extracurricular activity, or +paraprofessional of a written, verbal, or electronic expression or a +physical act or gesture or any combination thereof, directed at a +target that: +I. +Causes physical or emotional harm to the target or damage +to the target's property +II. +Places the target in reasonable fear of harm to themselves +or of damage to their property +III. +Creates a hostile environment at school for the target +IV. +Infringes on the rights of the target at school +V. +Materially and substantially disrupts the education process +or the orderly operation of a school. +Cyberbullying is bullying through the use of technology or any +electronic communication which shall include, but shall not be +limited to, any transfer of signs, signals, writing, images, sounds, +data, or intelligence of any nature transmitted in whole or in part +by a wire, radio, electromagnetic, photoelectric or photo-optical +system, including, but not limited to, electronic mail, internet +communications, instant messages or facsimile communications. +Cyber-bullying shall also include: +I. +The creation of a web page or blog in which the creator +assumes the identity of another person +II. +The knowing impersonation of another person as the author +of posted content or messages, if the creation or +impersonation creates any of the conditions enumerated in + + +Page 7: + +Superintendent’s Circular SSS-18 +Page 7 of 44 + +clauses (iv) to (v), inclusive, of the definition of bullying +III. +The distribution by electronic means of a communication to +more than one person or the posting of material on an +electronic medium that may be accessed by one or more +persons, if the distribution or posting creates any of the +conditions enumerated in clauses (i) to (v), inclusive, of the +definition of bullying +IV. +The use of the internet and/or social media used for bullying +outside of school that disrupts the normal functioning of the +school day. + + + + + +Page 8: + +Superintendent’s Circular SSS-18 +Page 8 of 44 + +Hostile Environment is a situation in which bullying causes the +school environment to be permeated with intimidation, ridicule, +or insult that is sufficiently severe or pervasive to alter the +conditions of a student’s education. +Retaliation is any form of intimidation, reprisal, or harassment +directed against a student who reports bullying, provides +information during an investigation of bullying, or witnesses or +has reliable information about bullying. +The School Community consists of students, staff and +families/caregivers. +Staff includes, but is not limited to, educators, administrators, +counselors, school nurses, cafeteria workers, custodians, bus +drivers, athletic coaches, advisors to extracurricular activities, +support staff, and paraprofessionals. +Target is a student against whom bullying, cyberbullying, or +retaliation has been perpetrated. + +POLICIES AND PROCEDURES FOR REPORTING AND +RESPONDING TO BULLYING AND RETALIATION +To support efforts to respond promptly and effectively to bullying +and retaliation, the Boston Public Schools have policies and +procedures in place for receiving and responding to reports of +bullying or retaliation. These policies and procedures ensure that +members of the school community – students, +families/caregivers, and staff – know what will happen when +incidents of bullying are reported or occur (Attachment 1). +The Boston Public Schools, in accordance with MA Law M.G.L. c. + + +Page 9: + +Superintendent’s Circular SSS-18 +Page 9 of 44 + +71, § 37O, has designated the principal/school leader or designee +as the person responsible for receiving reports, recording +incidents, and investigating all incidents. The principal/head of +school or designee is responsible for responding to and resolving +all cases. All bullying allegations, no matter how they were +reported, (e.g., through the Safe Space and Bullying reporting +form or directly to the school leader, or directly to staff at the +school), shall be submitted to Succeed Boston using the Safe +Schools & Bullying Investigation form. All findings, including +supporting information, including witness statements (target, +aggressor, and any other relevant person) findings, and +conclusions, shall be submitted to Succeed Boston within five +school days, and findings of bullying shall be documented in the +BPS Student Information System (SIS). +A. Reporting Bullying or Retaliation +Reports of bullying or retaliation can be made by staff, students, +families/caregivers or others, and can be submitted through the +Safe Space and Bullying Prevention Hotline at 617-592-2378 or +directly online through the Safe Schools and Bullying Prevention +Incident Reporting Form. To report in your native language, +please call the Hotline and ask for translation services. Allegations +may also be submitted via email, text, or through the Bullying +Incident Reporting Form (Attachment 3). +All employees are required to report immediately to the +principal/school leader or designee, any instance of bullying or +retaliation the staff member becomes aware of or witnesses. +Reports may be made anonymously (see Attachment 3 for the +Boston Public Schools Safe Schools and Bullying Prevention and +Intervention Reporting Form and Attachment 4 for the Boston + + +Page 10: + +Superintendent’s Circular SSS-18 +Page 10 of 44 + +Public Schools Safe Schools and Bullying Prevention and +Intervention Anonymous Reporting Form). +Use of the Boston Public Schools Safe Schools and Bullying +Prevention and Intervention Reporting Form is not required as a +condition to making a report. +1. Reporting by Staff +A staff member shall report immediately to the principal/school +leader or designee when they witness or become aware of +conduct that may be bullying or retaliation. The requirement to +report to the principal/school leader or designee does not limit +the authority of the staff member to respond to behavioral or +disciplinary incidents consistent with each school’s policies and +procedures for behavior management and discipline. +2. Reporting by Students, Families/Caregivers, and Others +Boston Public Schools expects students, families/caregivers, and +others who witness or become aware of an instance of bullying or +retaliation involving a student to report it to the principal/school +leader or designee. +Reports may be made anonymously or not by calling the Safe +Schools and Bullying Prevention Hotline (617-592-2378) or filing a +report online using the Safe Space and Bullying Prevention +Reporting form. No disciplinary action will be taken against an +alleged aggressor solely based on an anonymous report. +Students, families/caregivers, and others may request assistance +from a staff member to complete a written report. Students will +be provided practical, safe, private, and age-appropriate ways to +report and discuss an incident of bullying with a staff member or +with the principal/school leader. + + +Page 11: + +Superintendent’s Circular SSS-18 +Page 11 of 44 + +3. Responding to a report of bullying or retaliation +Before fully investigating the allegations of bullying or retaliation, +the principal/school leader or designee will take steps to assess +the need to restore a sense of safety to the alleged target and/or +to protect the alleged target from possible further incidents. The +principal/school leader or designee shall contact the +families/caregivers prior to any investigation. Notice will be +consistent with state regulations at 603 CMR 49.00. +Under M.G.L. c. 71, § 37O, for children with special needs, the +Principal/Head of School will review the child’s IEP to +determine whether or not the child’s disability impacted or +impacts their ability to comply with the Code of Conduct +and/or this policy, and where appropriate, convene a TEAM +meeting to discuss and decide the appropriate +determination which may include behavioral support +services or other specialized services. +The principal/Head of School or designee shall inform the parent +or guardian of the target about the Department of Elementary +and Secondary Education’s Problem Resolution System (PRS) and +the process for accessing that system, regardless of the outcome +of the bullying determination. +Responses to promote safety may include, but not be limited to: +● Creating a personal safety or support plan +● Pre-determining seating arrangements for the target and/or +the aggressor in the classroom, at lunch, or on the bus +● Identifying a staff member who will act as a “safe person” for +the target +● Altering the aggressor’s schedule and access to the target. + + +Page 12: + +Superintendent’s Circular SSS-18 +Page 12 of 44 + + +The principal/school leader or designee will take additional steps +to promote safety during and after the investigation, as necessary. +They will implement appropriate strategies to protect students +from bullying or retaliation as a result of witnessing, providing +information during an investigation, reporting bullying or +retaliation or providing reliable information about a reported act +of bullying or retaliation. +The confidentiality of students and witnesses reporting alleged +acts of bullying will be maintained to the extent possible, given +the school’s obligation to investigate the matter. +B. Obligations to Notify Others +1. Notice to Families/Caregivers: +Within 24 hours of receipt of the bullying complaint and before +interviewing students, the principal/school leader or designee will +notify the families/caregivers of the target and the aggressor of +the allegations and their intent to interview their child. +Families of all student witnesses who may be interviewed will be +notified of their intent to interview their child. Should they +choose, the family has the right to be present for the interview +with their child. Upon completion of the investigation (not +beyond five school days after the receipt of the complaint), the +principal/school leader will notify the families/caregivers of the +target and the aggressor of the findings of the investigation and +the procedures used in responding to the complaint. +To ensure the safety of students and compliance with all BPS +mandates and State laws, repeated allegations from +families/caregivers and/or no response from the head of school + + +Page 13: + +Superintendent’s Circular SSS-18 +Page 13 of 44 + +will be forwarded to the Operational Leader and the School +Superintendent for follow-up assistance. +2. Notice to Another School or District: +If the reported incident involves students from more than one +school district, charter school, nonpublic school, approved private +special education day or residential school, or collaborative +school, the principal/school leader or designee first informed of +the incident will promptly notify by telephone the principal/school +leader or designee of the other school(s) of the incident so that +each school may take appropriate action. All communications will +be in accordance with state and federal privacy laws and +regulations and 603 CMR 23.00. +3. Notice to Law Enforcement: +At any point after receiving a report of bullying or retaliation, +including after an investigation, if the principal/school leader or +designee has a reasonable basis to believe that criminal charges +may be pursued against the aggressor, the principal/school leader +shall consult with their Operational Leader, the School +Superintendent, the Office of Safety Services and/or the Boston +Police Department School Unit, and other individuals the +principal/school leader or designee deems appropriate. +Note that pursuant to 603 CMR 49.06(2), notification to law +enforcement is not required in those situations in which the +school leader determines that the bullying and retaliation can +be handled appropriately within the school district or school. +Also, if an incident occurs on school grounds and involves a +former student under the age of 21 who is no longer enrolled +in school, the principal/head of school or designee shall +contact their Operational Leader, the School Superintendent, +the Office of Safety Services and/or the Boston Police +Department School Unit, for notification to law enforcement if + + +Page 14: + +Superintendent’s Circular SSS-18 +Page 14 of 44 + +they have a reasonable basis to believe that criminal charges +may be pursued against the aggressor. +In making this determination, the principal/School leader will, +consistent with the Plan and with applicable school or district +policies and procedures, consult with their Operational Leader, +the School Superintendent, Office of Safety Services and/or the +Boston Police Department School Unit and other individuals +the principal/school leader or designee deems appropriate. +The Superintendent’s Office shall be notified. + + + + +Page 15: + +Superintendent’s Circular SSS-18 +Page 15 of 44 + +C. Investigation (see Attachment 1) +The principal/school leader or designee will promptly investigate +all reports of bullying or retaliation and, in doing so, will consider +all available information known, including the nature of the +allegation(s) and the ages of the students involved. All reports of +staff on student bullying shall be investigated as such, and the +Office of Labor Relations shall be notified. +During the investigation, the school leader or their designee shall +notify the families/caregivers of the intent to interview their child +and will proceed (in the presence of the families/caregivers, if +requested) to gather information, interview students, staff, +witnesses, and others as necessary. +The principal/school leader or designee will remind the alleged +aggressor, target, and witnesses that retaliation is strictly +prohibited and will result in disciplinary action, per section 7.6.3 of +the Boston Public Schools Code of Conduct. +Interviews will be conducted by the principal/school leader or +designee, and in consultation with the school counselor, as +appropriate. To the extent practicable and given their obligation +to investigate and address the matter, the principal/school leader +or designee will maintain confidentiality during the investigative +process. The principal/school leader or designee will maintain a +written record of the investigation and upon completion, will file +and forward the Safe Schools and Bullying Prevention +Investigation Form and any additional materials to +saws@bostonpublicschools.org. +Procedures for investigating reports of bullying and retaliation will +be consistent with district policies and procedures for +investigations and for possible disciplinary action. If necessary, the + + +Page 16: + +Superintendent’s Circular SSS-18 +Page 16 of 44 + +principal/school leader or designee will consult with Succeed +Boston regarding consultation or appeals from +families/caregivers. The Office of the Superintendent shall be +notified should legal counsel pertaining to the investigation of the +alleged report be necessary. (See Attachment 1 for more specifics.) +D. Determinations +The principal/school leader or designee will make a determination +of bullying based upon the definition of bullying, the interviews +with students, staff, and families/caregivers. If, after investigation, +bullying or retaliation is substantiated, the principal/school leader +or designee will take steps reasonably calculated to prevent +recurrence and to ensure that the target is not restricted in +participating in school or in benefiting from school activities. +Within 5 days of receipt of the allegation, the principal/school +leader or designee will: +1. Determine what remedial action is required (e.g., +Safety/Support Plan, seating plan), if any +2. Determine what responsive actions and/or disciplinary +action is necessary, if any +3. Notify the families/caregivers of the target and the +aggressor about the results of the investigation and, if +bullying or retaliation is found, what action is being taken to +prevent further acts of bullying or retaliation +4. Submit the investigation and findings using the Safe +Schools and Bullying Prevention Investigation Form and, if +bullying was found, document the finding in the BPS SIS. +Depending upon the circumstances, the principal/school leader or +designee may choose to consult with the student’s teacher(s) +and/or school counselor, and the target’s or aggressor’s + + +Page 17: + +Superintendent’s Circular SSS-18 +Page 17 of 44 + +families/caregivers, to identify any underlying social or emotional +issue(s) that may have contributed to the bullying behavior and to +assess the level of need for additional social skills development. +All notices to families/caregivers must comply with applicable +state and federal privacy laws and regulations. Because of the +legal requirements regarding the confidentiality of student +records, the principal/head of school or designee cannot report +specific information to the target’s families/caregivers about the +disciplinary action taken unless it involves a “stay away” order or +other directives that the target must be aware of in order to +report violations. +For students with disabilities, the principal/school leader will +review the child’s IEP to determine whether the child’s disability +impacted or impacts their ability to comply with the Code of +Conduct and/or this policy, and where appropriate, convene a +TEAM meeting to discuss and decide the appropriate +determination which may include behavioral support services or +other specialized services. +NEW: Right to Appeal decisions related to the bullying +investigation, findings, and/or response may be submitted +using this link. + + + + +Page 18: + +Superintendent’s Circular SSS-18 +Page 18 of 44 + +E. Planning & Oversight +The following school or district leaders are responsible for the +following tasks under the Plan: +Task +Responsible Party +1) Receiving reports on bullying +Succeed Boston, School +Administrators, School Staff +2) Collecting and analyzing building- +and/or school-wide data on bullying +to assess the present problem and to +measure improved outcomes +Succeed Boston, +Superintendent’s Office, Office of +Data and Accountability, +RP/SAWS +3) Creating a process for recording +and tracking incident reports, and for +accessing information related to +targets and aggressors +Succeed Boston, Office of Data +and Accountability +4) Planning for the ongoing +professional development that is +required by the law +Succeed Boston +5) Planning supports that respond to +the needs of targets and aggressors +Succeed Boston, RP/SAWS, +Regional Liaison Teams +6) Choosing and implementing the +curricula that the school or district +will use +Succeed Boston, Office of Equity, +Bullying Prevention and +Intervention Advisory Group + + +Page 19: + +Superintendent’s Circular SSS-18 +Page 19 of 44 + +7) Developing new or revising current +policies and protocols under the Plan, +including an Internet Safety Plan, and +designating key staff to be in charge +of implementation +Principals, school leaders, +Succeed Boston, Office of the +Legal Advisor, Office of Equity, +Bullying Prevention and +Intervention Advisory Group +8) Amending district-wide and +school-based student and staff +handbooks and Codes of Conduct +Succeed Boston, Operational +Leaders, BPS Code of Conduct +Team and Office of the Legal +Advisor +9) Leading the families/caregivers or +family engagement efforts and +drafting information materials +Succeed Boston, Office of Family +and Community Advancement, +Parent University +10) Reviewing and updating the Plan +biennially, or more frequently as +needed +Superintendent’s Office, +Succeed Boston, Bullying +Prevention and Intervention +Advisory Group, Office of the +Legal Advisor, Office of Equity +As required by Chapter 86, of the Acts +of 2014, which amended G.L. c. 71, +§37O, the Boston Public Schools will +administer a department-developed +student survey at least once every +four years to assess “school climate +and the prevalence, nature and +severity of bullying in schools.” (G.L. c. +71, §37O(k)). This may include results +of the student/staff/family climate +Succeed Boston, Office of Data +and Accountability, Operational +Team + + + + +Page 20: + +Superintendent’s Circular SSS-18 +Page 20 of 44 + +survey. + +Each school community member is responsible for: +1. complying with this Plan, where applicable +2. ensuring that they do not harass, discriminate against, or +commit a crime against another person on school grounds +or in a school-related activity because of that person’s race, +color, religion, national origin, ethnicity, sex, sexual +orientation, age, or disability +3. ensuring that they do not bully another person on +school grounds or in a school-related activity +4. ensuring that they do not retaliate against any other +person for reporting or filing a complaint, for aiding or +encouraging the filing or a report or complaint, or for +cooperating in an investigation of harassment, bullying, +discrimination, or a hate crime + +5. cooperating in the investigation of reports or complaints +of harassment, bullying discrimination, retaliation, or a hate +crime. +TRAINING & PROFESSIONAL DEVELOPMENT +As required under M. G. L. c. 71, § 37O, Boston Public Schools +requires annual bullying prevention and intervention training +(available in person or asynchronously) for all school staff, +including lunch monitors, school police officers, secretaries, bus + + +Page 21: + +Superintendent’s Circular SSS-18 +Page 21 of 44 + +drivers, teachers, administrators, and all other itinerant staff. All +training is posted on Vector. For more information contact +Succeed Boston @ the Counseling and Intervention Center, (617) +635-8123. +Annual Staff Training on the Plan +Boston Public Schools will offer professional development to all +administrators, teachers, paraprofessionals, and all ancillary staff +members under the employment of the Boston Public Schools. +This includes Identifying Bullying Behavior, Types of Bullying, +Roles of Aggressors/Targets/Bystanders, Rights and +Responsibilities under the Law M. G. L. c. 71, § 37O, Information +regarding the most-risk populations (including LGBTQ+ students, +students with disabilities, English Language Learners), Internet +Safety, Reporting Responsibility, Adult Bias, and Addressing +Student Bias-Based Speech and Behavior. +Advanced Training +To provide effective bullying prevention and intervention services +and to build capacity, each school shall have at least 2 staff +trained as Bullying +Intervention Specialists (BIS). These specialists will: +● Serve as a resource to their school community on bullying +related matters +● Lead relevant training within their school community +● Coordinate the reporting and/or investigating of incidents if +designated by their school leader. +The Regional RP/SAWS will provide semi-annual training to the +regional BIS teams that will further develop best practices and + + +Page 22: + +Superintendent’s Circular SSS-18 +Page 22 of 44 + +resources. +Boston Public Schools will provide a 2-day Bullying Intervention +Specialist professional development quarterly throughout the +year. The advanced bullying intervention specialist training (see +Attachment 2) will be posted on Vector. +The training will include: +i. developmentally appropriate strategies to prevent and +intervene in bullying incidents +ii. information regarding the complex interaction and +power differential that can take place between and +among an aggressor, target, and witnesses to the +bullying +iii. research findings on bullying, and resources for the +development of programs in schools +iv. information on the incidence and nature of +cyberbullying and internet safety issues +v. bias-based bullying and sexual harassment +vi. issues specific to LGBTQ+ students +viii. students with disabilities +● legal rights/IDEA/FAPE +ix. adult bias and impact on bullying intervention +and prevention. +● The Regional RP/SAWS will continue to share literature +covering the latest information in bullying prevention & +intervention. This literature will include strategies for + + +Page 23: + +Superintendent’s Circular SSS-18 +Page 23 of 44 + +creating a culture and environment that will prevent +bullying. +● Professional Development opportunities to identify +strategies for students with disabilities who are either +accused of or are targets of bullying (per BPS Code of +Conduct). +● Annual updated electronic links to the Bullying Prevention +and Intervention Protocols. + + + + +Page 24: + +Superintendent’s Circular SSS-18 +Page 24 of 44 + + +ACCESS TO RESOURCES AND SERVICES +A key aspect of promoting positive school climates that provide +students with feelings of belonging and safety is ensuring that +the underlying emotional needs of all students are addressed. +These students include targets, aggressors, and bystanders of +bullying or cyberbullying. The Boston Public Schools will also +address the emotional needs of these students’ families. Please +see Anti-Bullying Resources for further information. +Identifying resources in schools +● School staff, together with building administrators, will work +to identify the school’s capacity to provide counseling, case +management, and other services for students (targets, +aggressors, bystanders) and their families. Curricula and +resources can be accessed through the Boston Public +School’s Succeed Boston’s website succeedboston.org +● Schools will conduct an annual review of staffing and +programs that support the creation of positive school +environments, focusing on early interventions and intensive +services, and develop recommendations and action steps to +fill resource and service gaps. +● The Boston Public Schools will continue to work in +collaboration with local and state agencies to adopt +evidence-based curricula and to provide additional +preventive services to students, families/caregivers and all +school staff. + + + + +Page 25: + +Superintendent’s Circular SSS-18 +Page 25 of 44 + + +Counseling and other services +● Succeed Boston’s Student Support and Prevention +Workshops provide an alternative to a suspension to +increase students’ understanding about the impact of +bullying, build empathy and social and emotional skills to +stop and prevent bullying. +● School counselors, nurses, school psychologists, and special +educators provide a variety of skill-based services to students +within the educational setting that include ongoing +emotional support, risk assessment, crisis intervention, and +help with community-based counseling referrals when +appropriate. +● School staff meet with families/caregivers and teachers as +needed to help address students’ academic, social, +emotional, and behavioral concerns as collaboratively as +possible. +● Regional liaisons, especially the RP/SAWS, will work with +school teams and administrators to develop and, if needed, +co-facilitate culturally and linguistically appropriate +resources to identified families. +● School counselors maintain up-to-date information on +community-based mental health referrals as well as +Community Service Agencies (CSAs) within the local area, +providing services to students and families. +● Regional liaisons, especially the RP/SAWS, will work +collaboratively with and support the BIS, school counselors, +school psychologists, and intensive special needs educators + + +Page 26: + +Superintendent’s Circular SSS-18 +Page 26 of 44 + +to: +1. Develop behavior plans and groups for students to build +upon their social and emotional skills, +2. Educate and support families/caregivers, +3. Conduct workshops for families/caregivers +4. Connect families/caregivers of outside resources to build +skills +STUDENTS WITH DISABILITIES +As required by M. G. L. c. 71B, § 3, as amended by Chapter 92 of the +Acts of 2010, when the IEP Team determines that the student has +a disability that affects social skills development or the student +may participate in or is vulnerable to bullying, harassment, or +teasing because of their disability, the Team will consider what +should be included in the IEP to develop the student’s skills and +proficiencies to avoid and respond to bullying, harassment, or +teasing. +REFERRAL TO OUTSIDE SERVICES +Boston Public Schools school counselors and other specialists will +help students and families access appropriate and timely services +necessary to address student needs as a result of bullying. +Referrals shall comply with relevant laws and policies. +ACADEMIC & NON-ACADEMIC ACTIVITIES +The Boston Public Schools will provide age-appropriate +instruction on bullying prevention in each grade and incorporate +it into the school’s or district’s curricula. Succeed Boston provides +online Student Support and Prevention Workshops to students in + + +Page 27: + +Superintendent’s Circular SSS-18 +Page 27 of 44 + +grades 1-12 to learn about the impact of bullying and develop skills +to stop and prevent bullying. +Effective instruction will include classroom approaches, whole +school initiatives, focused strategies for bullying prevention, and +social skills development. +Specific bullying prevention approaches: +● Using scripts and role plays to develop skills. +● Empowering students to take action by knowing what to do +when they witness other students engaged in acts of +bullying or retaliation, including seeking adult assistance. +● Helping students understand the dynamics of bullying and +cyberbullying, including the underlying power imbalance. +● Build and reinforce student empathy. +● Reinforce and elevate students who model being helpful +bystanders +● Emphasizing cyber safety, including safe and appropriate +use of electronic communication technologies +● Enhancing students’ skills for engaging in healthy +relationships and resolving conflicts with respectful +communications. +● Engaging students in a safe, supportive school environment +that +● is respectful of diversity and difference. + + + + +Page 28: + +Superintendent’s Circular SSS-18 +Page 28 of 44 + +General teaching approaches that support bullying prevention +efforts: +● Create a strong anti-bullying plan that will be enforced first +and foremost by adults +● Build in learning and embed bullying in the curriculum (e.g., +ELA, social studies, history, health classes) +● Empower bystanders who witness bullying activities with +skills and support to intervene appropriately +● Promote acceptance and respect in order to improve the +school climate to include all students in meaningful ways +● Help students and staff understand the definition of bullying +– what it is and what it isn’t (e.g., conflict, fighting, teasing) +● Recognize the dynamics and complexities involved in +aggressor-target relationships +● Develop intervention programs that will reduce the +prevalence of bullying behaviors and create a safe school +climate that fosters positive learning experiences for all +students +● Be creative in developing strategies to promote social +competence for children who are aggressors, targets of +bullying, and bystanders +● Develop ways to help students who are aggressors find more +prosocial ways of experiencing positive rewards +● Build an effective support system for protecting targets of +bullying. + + +Page 29: + +Superintendent’s Circular SSS-18 +Page 29 of 44 + +The Boston Public Schools has incorporated a range of +individualized strategies and interventions that may be used in +response to remediate a student’s skills or to prevent further +incidents of bullying and/or retaliation. Combining and +incorporating a Multi-Tiered System of Support (MTSS), social and +emotional skill building, school-wide positive behavior +interventions and supports (PBIS) focused on prevention services +school-wide, creates a level change across the classroom, school, +and district. These changes not only improve outcomes but +address and improve the academic and non-academic needs of +all students, including students with disabilities. +TEACHING APPROPRIATE BEHAVIOR THROUGH SKILL BUILDING +Upon the principal/school leader or designee determining that +bullying or retaliation has occurred, the law requires that the +school or district use a range of responses that balance the need +for accountability with the need to teach appropriate behavior. +M.G.L. c. 71, § 37O. +Skill-building approaches that the principal/school leader or +designee may consider include: +● referring students to Succeed Boston online Student +Support and Prevention Workshops for students in grades 1- +12 to learn about the impact of bullying and develop skills to +stop and prevent bullying +● providing relevant push in support and co-facilitation of +educational and social and emotional skill building activities +for individual students or groups of students, in consultation +with school counselors and other appropriate school +personnel +● implementing a range of academic and nonacademic + + +Page 30: + +Superintendent’s Circular SSS-18 +Page 30 of 44 + +positive behavioral supports to help students understand +prosocial ways to achieve their goals. +● meeting with families/caregivers to support and to reinforce +the anti-bullying curricula and social skills building activities +at home +● adopting support plans to include a focus on developing +specific social skills; making a referral for evaluation. +TAKING DISCIPLINARY ACTION +If the principal/school leader or designee decides that disciplinary +action is appropriate, the disciplinary action will be determined +based on facts found by the principal/school leader or designee, +including the nature of the conduct, the age of the student(s) +involved, a child’s IEP where appropriate, and the need to balance +accountability with the teaching of appropriate behavior. +Discipline will be consistent with the Boston Public Schools +Bullying Prevention and Intervention Plan, the Boston Public +Schools Code of Conduct, and with the school-based student +handbook. Discipline procedures for students with disabilities are +governed by the federal Individuals with Disabilities Education +Act (IDEA), which should be read in cooperation with state laws +regarding student discipline. +If the principal/school leader or designee determines that a +student knowingly made a false allegation of bullying or +retaliation, that student may be subject to disciplinary action +consistent with the BPS Code of Conduct. + + + + +Page 31: + +Superintendent’s Circular SSS-18 +Page 31 of 44 + + +PROMOTING SAFETY FOR THE TARGET AND OTHERS +The principal/school leader or designee(s) will consider what +adjustments (including a safety/support/action plan) are needed +in the school environment to assure the target's sense of safety +and that of others. +Within a reasonable period following the determination and the +ordering of remedial and/or disciplinary action, the +principal/school leader or designee will contact the target and the +families/caregivers to determine whether there has been a +recurrence of the prohibited conduct and whether additional +supportive measures are needed. If so, the principal/school leader +or designee will work with appropriate school staff to implement +them immediately. +COLLABORATION WITH FAMILIES/CAREGIVERS +The Boston Public Schools Bullying Prevention and Intervention +Plan includes strategies to engage and collaborate with students’ +families/caregivers to increase the capacity of each of our schools +as well as the district to prevent and respond to bullying. +Resources for families/caregivers and communication with them +are essential aspects of effective collaboration. The bullying +prevention and intervention curricula used by the schools shall be +made available to families/caregivers and include: +1. How families/caregivers can reinforce the curricula at +home and support the school or district plan +2. The dynamics of bullying +3. Online safety and cyberbullying + + +Page 32: + +Superintendent’s Circular SSS-18 +Page 32 of 44 + +Families/caregivers will also be notified in writing each year about +the student-related sections of the Boston Public Schools Bullying +Prevention and Intervention Plan and the Boston Public Schools +Internet Acceptable Use Policy. +Schools will collaborate with School Site Councils and parent +organizations to create families/caregivers’ resources and +information networks. Schools will join with these +families/caregivers groups to offer education programs for them +that are focused on the components of the anti-bullying curricula +and any social competency curricula used by the school(s). +Schools will annually inform families/caregivers of enrolled +students about the anti-bullying curricula that are being used. +This notice will include information about the dynamics of +bullying, including cyberbullying and online safety. All notices +and information made available to families/caregivers will be in +hard copy and electronic formats and will be available in the +language(s) most prevalent in BPS. Each school will post the +Boston Public Schools Bullying Prevention and Intervention Plan +and related information on its website. +RELATIONSHIP TO OTHER LAWS +Consistent with state and federal laws and the policies of the +school or district, no person shall be discriminated against in +admission to a public school of any town or in obtaining the +advantages, privilege, and courses of study of such public school +on account of race, color, sex, religion, national origin, or sexual +orientation. Nothing in the Boston Public Schools Bullying +Prevention and Intervention Plan prevents the school or district +from taking action to remediate discrimination or harassment +based on a person’s membership, or perceived membership, in a +legally protected category under local, state, or federal law, or + + +Page 33: + +Superintendent’s Circular SSS-18 +Page 33 of 44 + +school or district policies. +In addition, nothing in this Plan is designed or intended to limit +the authority of the school or district to take disciplinary action or +other action under M.G.L. c. 71, §§ 37H or 37H½, other applicable +laws, or local school or district policies in response to violent, +harmful, or disruptive behavior, regardless of whether this Plan +covers the behavior. +For more information about this circular, contact: +Owner: +Senior Director of Succeed Boston @ the +Counseling and Intervention Center +Department: +Succeed Boston @ the Counseling and +Intervention Center +Mailing +Address: +515 Hyde Park Ave, Roslindale, MA 02131 +Phone: +617-635-8123 +Email: +Operations-Department- +Heads@bostonpublicschools.org +saws@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 34: + +Superintendent’s Circular SSS-18 +Page 34 of 44 + + +ATTACHMENTS: +1. How to Conduct a Bullying Investigation +2. Professional Development — Bullying Intervention Specialist +Training +3. Safe Schools and Bullying Prevention and Intervention +Reporting Form + + + + +Page 35: + +Superintendent’s Circular SSS-18 +Page 35 of 44 + +ATTACHMENT 1: +HOW TO COMPLETE A BULLYING INVESTIGATION +Step 1: After contacting families/caregivers, set up a +meeting with the alleged targeted student (target) +Are there safety concerns? If yes, develop a safety plan with the +input of the target and the families/caregivers. +a. Consider class seating, bus, lunch, recess, and “specials.” +b. With the help of the targeted student, identify a trusted +adult the student can go to for assistance. +● Notify the trusted adult of the plan. +● Notify the teacher(s) of the allegation and the trusted +adult. +c. Consider an inconspicuous way the target could signal in +real-time that something was happening and/or the target +needed to leave the room to go to a prior agreed-upon class, +office, person. +d. Take a statement from the target and get the names of +witnesses if any. +Step 2: After contacting the families/caregivers of the alleged +aggressor, set up a meeting with the student. +Are there any safety concerns? If yes, develop a safety or action +plan with the input of the aggressor and the families/caregivers. +a. Consider class seating, bus, lunch, recess, and +“specials.” + + +Page 36: + +Superintendent’s Circular SSS-18 +Page 36 of 44 + +b. With the help of the aggressor, identify a trusted adult +the student can go to for assistance. +c. Notify the trusted adult of the plan. +d. Notify the teacher(s) of the allegation and the trusted +adult. +e. Consider an inconspicuous way the target could signal in +real-time that something was happening, and/or the target +needed to leave the room to go to a prior agreed-upon +class, office, or person. +If there are no safety concerns for the aggressor, develop an +action plan that keeps the target and aggressor separate. +a. Consider class seating arrangements, lunch bus, “specials” +and recess. +b. Notify the teacher(s) of the allegation, and any action +plans developed. +c. Take a statement from the alleged aggressor. +Step 3: Document statements from all witnesses +Step 4: Assess whether the situation meets the standard for +bullying: +1. Power imbalance +2. Repeated +3. Intentional + + + + +Page 37: + +Superintendent’s Circular SSS-18 +Page 37 of 44 + + +Step 5: Does this allegation involve targeting based on, or +perceived, membership in a protected class (race, color, national +origin, ethnicity, religion, pregnancy, homelessness, criminal +record, sex, sexual orientation, gender identity, disability, age, +genetics, or active military status?) If yes, contact the Boston +Public Schools Office of Equity. +If no, proceed to step 6. +Step 6: All allegations of bullying that have been investigated +must be filed with Succeed Boston by completing the Safe +Space and Bullying Prevention Investigation Reporting Form +and documented in the BPS SIS. +1. Document dates of meetings and calls with +families/caregivers. +2. Document all interviews. +3. Determine if the allegation is bullying, retaliation, simple +conflict, or Code of Conduct violation. +4. Document action taken. +5. Schedule a date to follow up with all parties. +6. Document incident in SIS under the Conduct Module +Section 7.1. of the Code of Conduct. +Please note: +● Upon receipt of the bullying complaint, the principal/school +leader or designee must confirm receipt of the complaint to +the families/caregivers within 24 hours. + + +Page 38: + +Superintendent’s Circular SSS-18 +Page 38 of 44 + +● The investigation must be completed within 5 school days, +and the principal/school leader or designee will notify the +families/caregivers of the target and the aggressor of the +findings, and of the procedures for responding to it. +● To ensure the safety of students and compliance with all BPS +mandates and State laws, repeated allegations from +families/caregivers and/or no response from the +principal/school leader will be forwarded to the operational +leader and the school superintendent for follow-up. + + + + +Page 39: + +Superintendent’s Circular SSS-18 +Page 39 of 44 + +ATTACHMENT 2: +BOSTON PUBLIC SCHOOLS 12 HOUR PROFESSIONAL +DEVELOPMENT +“Bullying Intervention Specialist Training” +To build capacity across the district and effectively deal with +allegations of bullying, each school must have at least two staff +complete the 12-hour training leading to certification as a +“Bullying Intervention Specialist.” Once certified, these specialists +will lead the annual bullying prevention and intervention training +at their schools and will spearhead the creation and maintenance +of Caring Communities and Bully Free Schools. Succeed Boston +will offer quarterly training sessions throughout the school year. +Please register on Teach Point. +In this training, staff will: +● Learn about state and district regulations, procedures and +protocols +● Become familiar with BPS reporting and investigation +protocols +● Develop safety plans for targets and action plans for +aggressors +● Learn about the different types of bullying +● Differentiate between bullying and conflict and how to +respond to each +● Understand the role school staff play in preventing bullying +● Learn about culturally and linguistically sustaining practices + + +Page 40: + +Superintendent’s Circular SSS-18 +Page 40 of 44 + +that lead to spaces that feel safe, welcoming and are +inclusive +● Understand how adult bias and micro-aggression impact +staff’s ability to effectively develop relationships with +students involved in bullying +● Develop an awareness of suicide and suicide prevention +resources +● Understand the unique way bullying impacts LGBTQ+ and +ELL students and students with disabilities +○ Become familiar with FAPE and IDEA as they relate to +bullying +● Develop strategies to empower bystanders +● Learn to differentiate bullying and bias-based speech and +behavior +● Learn best practices to address bullying +● Listening and talking to families with empathy +● Become familiar with resources to develop and implement +school-based programs. +● Develop plans for family workshops + + + + +Page 41: + +Superintendent’s Circular SSS-18 +Page 41 of 44 + +ATTACHMENT 3: +SAFE SPACE AND BULLYING PREVENTION REPORTING +FORM - Boston Public Schools +1. Name of the person reporting this bullying allegation. +Write "NA" if you want to report anonymously. Note, +no disciplinary action will be taken solely on the basis +of an anonymous report. +2. Phone number of the person reporting this bullying +allegation. Write "NA" to remain anonymous +3. Who is reporting this bullying allegation? +○ I'm a student reporting for myself +○ I'm a student reporting for another student +○ I'm a family member/caregiver reporting on +behalf of my child +○ I'm a school staff member (admin, educators, +support staff, etc.) reporting for a student +4. Name and email of person completing this form (if +different than above): Write "NA" if not relevant. +5. Role of person completing this form (if different than +above) +○ Bullying Hotline Staff (Succeed Boston staff only) +○ BPS Help Line Staff +○ School Staff member + + +Page 42: + +Superintendent’s Circular SSS-18 +Page 42 of 44 + +○ NA +6. Have you already reported this incident to the school +leader? +○ Yes +○ No +7. Name of alleged target: +8. Student ID# of alleged target: (Please put 0 if +unknown) +9. School of alleged target: +10. Grade of alleged target: +11. Does the alleged target receive special education +services? +○ Yes +○ No +○ Unsure +12. Name and grade of the alleged aggressor(s): (If the +alleged aggressor is an adult, please indicate) +13. Do any alleged aggressor(s) attend a different school? +If yes, please type the name of the school(s) below. (If +not, please write "NA") +14. Date, time, and location of incident(s): (If not known, +please write "NA") + + +Page 43: + +Superintendent’s Circular SSS-18 +Page 43 of 44 + + +15. If the incident occurred on a school bus, please list +the bus number below: (If not on a bus, please write +"NA") +16. Describe the incident, including names, details of +what happened, and specific words used. You may +send additional evidence (i.e., video, screenshots, +emails) to saws@bostonpublicschools.org. +17. Witnesses: List the names of any people who saw the +incident or may have information about it: (If none, +please write "NA") +18. Does this bullying allegation involve bias-based +speech or behavior? “Bias-based” bullying, including +cyberbullying or harassment, is when a person is +bullied because of membership in, or perceived +membership in, a protected class. Protected classes: +race, color, age, physical or mental disability, +pregnancy and pregnancy-related conditions, +criminal record, homelessness, sex/gender, gender +identity, religion, national origin, ancestry, sexual +orientation, genetics, natural or protective hairstyle, +socioeconomics, and retaliation. Please note: All +investigations involving bias-based speech or +behavior will be forwarded to the Office of Equity by +Succeed Boston. +○ Yes +○ No + + +Page 44: + +Superintendent’s Circular SSS-18 +Page 44 of 44 + +19. Are you concerned for the student's safety? +○ Yes +○ No + + diff --git a/data/data_txt/SSS-19 Home & Hospital Instruction Policy.txt b/data/data_txt/SSS-19 Home & Hospital Instruction Policy.txt new file mode 100644 index 0000000..0fc9cf6 --- /dev/null +++ b/data/data_txt/SSS-19 Home & Hospital Instruction Policy.txt @@ -0,0 +1,373 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-19 +Version 01 + + + +HOME AND HOSPITAL INSTRUCTION SERVICES +This circular will remain in effect unless rescinded or superseded +by a subsequent version + + +POLICY +The intent of Boston Public Schools (BPS) Home and Hospital +Instruction is to provide a student receiving a publicly funded +education with the opportunity to make educational progress +even when a physician determines that the student is medically +unable to attend school. In compliance with Massachusetts +regulation 603 CMR 28.03(3), BPS Home and Hospital Instruction +collaborates with schools, parents, agencies, and hospitals to +ensure alignment of educational goals and curriculum for +accurate service delivery to provide, at a minimum, the +instruction necessary to enable the student to maintain progress +in their courses of study and minimize the educational loss that +might occur during the period when the student is confined at +home or in a hospital. Services are provided with sufficient +frequency to allow the student to continue their educational +program, as long as such services do not interfere with the +medical needs of the student. + + +Page 2: +Superintendent’s Circular SSS-19 +Page 2 of 13 + + + +INTENT OF MASSACHUSETTS REGULATIONS ON EDUCATIONAL +SERVICES IN THE HOME OR HOSPITAL +Home and Hospital Instruction is not to be confused with Special +Education services, “unless the student has been determined +eligible for such services, and the services include services on the +student’s IEP.” Home and Hospital Instruction is a special type of +service provided under the Americans with Disabilities Act (ADA) +and state law for the purpose of ensuring that medically involved +students receiving a publicly funded education have equal access +to education as do their counterparts. Publicly funded education +includes Boston Public Schools, charter schools, Boston resident +students who are enrolled at out of district schools, including +METCO and private placements, and students on private tuition +(see Attachment B). Students who are on private tuition are +eligible only if they have an Individualized Education Program +(IEP) or fall under the special education umbrella. +The eligibility guidelines of Home and Hospital Instruction are: +● A physician determines that a student is physically unable +to attend school. +● A student has been or will be out of school for more than 14 +consecutive days or can be anticipated to accumulate more +than 14 absences in a school year at home or in a hospital +(i.e., sickle cell disease, cancer treatment, etc.). +● When it is deemed by the student’s attending physician or +pediatrician that they will be confined to a home or hospital +setting for more than 60 (sixty) days, the student will then +be evaluated by the Special Education Department under +state guideline/regulation 603 CMR 28.04(4). When it is + + +Page 3: +Superintendent’s Circular SSS-19 +Page 3 of 13 + + + +known that a student will be out for more than 60 (sixty) +days, it is recommended that the physician complete the 60 +Day Physician Statement. +● A student is marked Constructively Present (CP) for the +period during which the student receives home/hospital- +based services and receives a passing grade for all work that +has been satisfactorily completed. No home/hospital-based +instruction will be provided over the summer break unless +designated in an IEP and the child is unable to attend +Extended School Year. +IMPLEMENTATION OF HOME AND HOSPITAL INSTRUCTION +Role of the parent: +● Provide consent for the exchange of information between +the student's physician and the district to ensure an open +line of communication between service providers. +● Maintain communication with the school to ensure that +grading is occurring according to classroom guidelines. +● Inform school of the student’s medical needs that will +require home and hospital instruction. +● Provide the school nurse with all the medical information to +ensure that when the student is in school, the medications, +procedures, and protocols are in place to ensure medical +safety and optimal learning. This includes completing, along +with the physician of record, the Individual Collaborative +Health Plan (ICHP) form if the physician indicates that the +student’s health during this period will affect the provision +of full educational services and this form has not previously + + +Page 4: +Superintendent’s Circular SSS-19 +Page 4 of 13 + + + +been completed. +● Ensure that the student’s physician of record completes the +Home and Hospital Physician Statement form and the ICHP. +● Participate in the action plan for their child based on the +ICHP and the Physician Statement. +● Provide an appropriate learning environment at home. +● Ensure that someone over the age of 18 is at home when the +tutoring occurs (or arranges a neutral meeting place such as +a library), notify the central office if the tutor does not keep +the appointment, and sign the instructor’s sheet after each +session. +Role of the physician: +● Submits a completed Physician Statement (see Attachment +A) verifying the medical or psychological illness to the +school’s nurse for verification. When it is known that a +student will be out for more than 60 days, it is +recommended that the physician complete the 60 Day +Physician Statement. +The Physician Statement should include the date the +student will be confined, medical diagnosis, expected return +date, and medical information that may prevent the student +from accessing the provision of a full education. +● If the physician identifies on the Physician Statement that +the student’s health during this period will affect the +provision of full educational services, the physician needs to +complete the ICHP in conjunction with the parent. +● The physician is expected to remain aware of the time frame + + +Page 5: +Superintendent’s Circular SSS-19 +Page 5 of 13 + + + +the child is out of school. +● Participate in a re-entry plan to ensure the child can return +to the school environment without impediments. +ROLE OF THE SCHOOL ADMINISTRATOR: +● Identifies a person to be the school contact (i.e., guidance +counselor, student support staff, nurse, or administrator) +who will serve as a liaison for students who are home and +hospital bound. +● Submit the designated point of contact to the Home and +Hospital Instruction Program within the Department of +Opportunity Youth (OY). +● If needed, refer a school-based teacher to Home and +Hospital Instruction to serve as the home tutor. +● Ensure appropriate school-level communications to prompt +a timely N1 team meeting with special education for +students who will be out for more than 60 days. +● Oversee the coordination of key school staff to ensure +students in Home and Hospital Instruction have school- +based support in the areas of academics, curriculum, +attendance, and testing as appropriate and necessary. +Role of the school nurse: +● The school nurse reviews and submits the completed +Physician’s Statement form and non-BPS student form to +Home and Hospital Instruction (617-635-6633) for +coordination of services. +● Communicate with the Home and Hospital Instruction team + + +Page 6: +Superintendent’s Circular SSS-19 +Page 6 of 13 + + + +as needed to ensure students have appropriate access to +services and tutoring. +● Coordinate with the physician or medical provider as +needed to confirm, verify, or request updates to information +in Physician Statement. +● Collaborate with the school-based and Special Education +team to ensure appropriate support of the student’s +academic goals while in Home and Hospital Instruction. +● Request a medical update from the physician after 2 +months if the student still needs home tutoring. +● When it is known that a student will be out for more than 60 +days, it is recommended that the school nurse coordinate +with the family and/or medical provider to ensure that the +physician completes the 60 Day Physician Statement. +Role of the teacher: +● Ensure that the student follows the same classroom syllabus +and rubric as the non-medically involved students. +● Modify home and hospital assignments as needed so the +student can continue to make academic progress. +● Correct the work and assign appropriate grades to the +student. +● Notify parents of the student’s progress. +Role of the identified school-based contact to Home and +Hospital Instruction: +● Determine if online curriculum is appropriate and posts +online. + + +Page 7: +Superintendent’s Circular SSS-19 +Page 7 of 13 + + + +● Collect materials/assignments from the student’s teachers +for the home and hospital instructors. +● If students are hospitalized, the school contact provides +materials/assignments to parents. Work can also be faxed +or emailed to the hospital instructors. +● If a student is homebound, the school contact provides +materials/assignments to the home instructors. +● Communicate frequently with the Home & Hospital +Instruction Program, home-based instructors, students, and +parents to assure continuity of services and that student +needs are being met. +● Receive completed work from the home or hospital +instructors and deliver the work to the student’s teachers. +● Ensure students are not being marked absent but as +Constructively Present (CP). Students’ attendance should +reflect “Home Tutoring” as the “reason code” to avoid “did +not report’ (DNR) and automatic withdrawal from school. +● Ensure grades are entered and report cards are generated. +● Sign off on home instructor timesheet once monthly. +● Retain copy of scholastic and attendance records. +● Work with the Office of Special Education to assure qualified +students are evaluated for an IEP or 504 plan. +Role of Home and Hospital Instruction: +● Oversee the Home and Hospital Instruction program, +including tutor recruitment, application, assignment, +payment, and training. + + +Page 8: +Superintendent’s Circular SSS-19 +Page 8 of 13 + + + +● Identify tutoring vendors in conjunction with the hospital. +● Identify a home instructor once eligibility is confirmed. +● Maintain a tracking system of all students receiving Home +and Hospital Instruction. +● Provide training on protocol and procedures to all Home +and Hospital instructors. +● Perform quality assurance monitoring, which can include +random visits to tutoring sites. +● Assist schools in academic advising. +● Determine, in conjunction with the school, the family and +the medical needs, the length and frequency of tutoring +sessions. In general, the length should not exceed 3 hours in +one sitting, and the frequency is generally 3 times per week, +with a range of 2- 10 hours. +Role of the Home and Hospital instructors: +● Participate in the Home and Hospital Instruction training +program and review/implement the Protocol and Procedure +Manual for Home Instructors. +● Confirm tutoring assignments with the school within 24 +hours of receipt. +● Maintain communication with the school’s designated +school-based contact person. +● Complete scholastic records on individual students. +● Maintain a timesheet with daily parental sign-off. +● Provide direct tutorial services on an individualized basis to +assigned students. + + +Page 9: +Superintendent’s Circular SSS-19 +Page 9 of 13 + + + +● Arrange designated material pick-up times with the school’s +contact. +● Schedule tutoring sessions with parents. + +For more information about this circular, contact: +Owner: +Senior Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 10: +Superintendent’s Circular SSS-19 +Page 10 of 13 + + + + + + +Page 11: +Superintendent’s Circular SSS-19 +Page 11 of 13 + + + + + + + + +Page 12: +Superintendent’s Circular SSS-19 +Page 12 of 13 + + + +ATTACHMENT B +This form is to be completed by the school on Non-BPS students: +Private, Charter, Out of District, Private Placement and METCO +This student is currently receiving hospital/home tutorial services +through Boston Public Schools. In addition to the Physician’s +Statement (form 603 CMR 28.3(3)c), please submit the following +information for the referred student: + +Student Name: ___________________________________________________ +Address: __________________________________________________________ +Parent/Guardian: _________________________________________________ +Telephone: Home______________________Cell ______________________ +Date of Birth: ___________________________________________________ +Race: ____________________________________________________________ +M______ F______ Grade: ____________ +School Name: ____________________________________________________ +School Address: __________________________________________________ +School Phone: ____________________________________________________ +School Contact: __________________________________________________ +Email Address: ___________________________________________________ +FAX #: _____________________________ + + +Page 13: +Superintendent’s Circular SSS-19 +Page 13 of 13 + + + +Is the student receiving special education services? +Yes____ No_____ Unknown ______ + +Please return this form to: +Home and Hospital Program Coordinator +Boston Public School, Home and Hospital Instruction +443 Warren Street, Dorchester, MA 02121, Suite #2 +or email to: Operations-Department Heads@bostonpublicschools.org +Contact Information: +Office 617-635-6633 +FAX 617-635-6635 + + + diff --git a/data/data_txt/SUP-19 De-Escalation and Physical Restraint Policy.docx.txt b/data/data_txt/SUP-19 De-Escalation and Physical Restraint Policy.docx.txt new file mode 100644 index 0000000..301faa8 --- /dev/null +++ b/data/data_txt/SUP-19 De-Escalation and Physical Restraint Policy.docx.txt @@ -0,0 +1,1082 @@ +Page 1: +Superintendent’s +Circular +NUMBER: +SUP-19 +Version 01 +DE-ESCALATION, PHYSICAL RESTRAINT, +SECLUSION AND TIME-OUT POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +I. INTRODUCTION +The purpose of this circular is to ensure that every student +participating in a Boston Public Schools program is free from the +use of physical restraint inconsistent with state law and district +policy and to ensure that physical restraint is used only in +emergency situations of last resort, after other lawful and less +intrusive alternatives have failed or been deemed inappropriate, +and with extreme caution. The purpose of the circular is also to +state that the use of seclusion is prohibited by law and in the +Boston Public Schools. This circular is consistent with regulations +established by the Massachusetts Department of Elementary and +Secondary Education, 603 CMR 46.00 and with school district +policy. +The Massachusetts Department of Elementary and Secondary +Education established regulations governing the use of physical +restraints on students. These regulations supersede all previously +established procedures. The Boston Public Schools must follow +the provisions of 603 CMR 46.00, which regulates physical +restraint on students in Massachusetts public school districts, +charter schools, and collaborative and special education schools. + + +Page 2: +Superintendent’s Circular SUP-19 +Page 2 of 35 +Physical restraint should be administered only when needed to +protect a student or other students and staff from assault or +imminent danger of serious physical harm. Physical restraint +should be administered in the least intrusive manner possible +and should be used to prevent or minimize harm to the student. +Boston Public Schools does not use Seclusion. Seclusion shall +mean the involuntary confinement of a student alone in a room +or area from which the student is physically prevented from +leaving. Seclusion does not include a time-out, which shall mean +a behavioral support strategy developed pursuant to 603 CMR +46.04(1) in which a student temporarily separates from the +learning activity or the classroom, either by choice or by direction +from staff, for the purpose of calming. During time-out, a student +must be continuously observed by a staff member. Staff shall be +with the student or immediately available to the student at all +times. The space used for time-out must be clean, safe, sanitary, +and appropriate for the purpose of calming. Time-out shall cease +as soon as the student has calmed and no time-out can exceed +30 minutes without the express approval of the School Leader or +their designee. +II. DEFINITIONS +Mechanical restraint shall mean the use of any physical device or +equipment to restrict a student's freedom of movement. +Mechanical restraint does not include devices implemented by +trained school personnel, or utilized by a student that have been +prescribed by an appropriate medical or related services +professional, and are used for the specific and approved + + +Page 3: +Superintendent’s Circular SUP-19 +Page 3 of 35 +positioning or protective purposes for which such devices were +designed. Examples of such devices include: adaptive devices or +mechanical supports used to achieve proper body position, +balance, or alignment to allow greater freedom of mobility than +would be possible without the use of such devices or mechanical +supports; vehicle safety restraints when used as intended during +the transport of a student in a moving vehicle; restraints for +medical immobilization; or orthopedically prescribed devices that +permit a student to participate in activities without risk of harm. +*BPS prohibits this type of restraint* +Medication restraint shall mean the administration of +medication for the purpose of temporarily controlling behavior. +Medication prescribed by a licensed physician and authorized by +the parent/guardian for administration in the school setting is not +medication restraint. *BPS prohibits this type of restraint* +Physical escort shall mean a temporary touching or holding, +without the use of force, of the hand, wrist, arm, shoulder, or +back for the purpose of inducing a student who is agitated to +walk to a safe location. +Physical restraint shall mean direct physical contact that +prevents or significantly restricts a student's freedom of +movement. Physical restraint does not include: brief physical +contact to promote student safety, providing physical guidance +or prompting when teaching a skill, redirecting attention, +providing comfort, or a physical escort. +Prone restraint shall mean a physical restraint in which a student +is placed face down on the floor or another surface, and physical + + +Page 4: +Superintendent’s Circular SUP-19 +Page 4 of 35 +pressure is applied to the student's body to keep the student in +the face-down position. *BPS prohibits this type of restraint* +Seclusion shall mean the involuntary confinement of a student +alone in a room or area from which the student is physically +prevented from leaving. Seclusion does not include a time-out as +defined in 603 CMR 46.02. *Seclusion is prohibited in public +schools and in BPS* +Time-out shall mean a behavioral support strategy developed +pursuant to 603 CMR 46.04(1) in which a student temporarily +separates from the learning activity or the classroom, either by +choice or by direction from staff, for the purpose of calming. +During time-out, a student must be continuously observed by a +staff member. Staff shall be with the student or immediately +available to the student at all times. The space used for time-out +must be clean, safe, sanitary, and appropriate for the purpose of +calming. Time-out shall cease as soon as the student has calmed +and no time-out can exceed 20 minutes without the express +approval of the School Leader or their designee. +III. PHYSICAL RESTRAINT PROCEDURES +A. METHODS FOR PREVENTING VIOLENCE AND ENGAGING +PARENTS/GUARDIANS +The BPS Behavioral Health Services department has school +psychologists assigned to all BPS schools and has social +workers that provide district-wide services. The Behavioral + + +Page 5: +Superintendent’s Circular SUP-19 +Page 5 of 35 +Health Services department provides a wide continuum of +behavioral health services including prevention, at-risk and +intensive services. In addition, the Behavioral Health Services +team is the mental health crisis response team for the +district and works with educational staff to identify and +respond to unsafe situations. +In addition, BPS has developed a multi-tiered system of +supports for preventing student violence, self-injurious +behavior, and suicide, including individual crisis planning +and de-escalation of potentially dangerous behavior +occurring among groups of students or with an individual +student. The Comprehensive Behavioral Health Model +(CBHM) is a multi-tiered system of supports (MTSS) designed +to promote students' social, emotional, and behavioral +wellbeing. MTSS is a three-tier model of service delivery for +educational and behavioral services in a school setting. This +model is also often called Response to Intervention (RtI). In +BPS, the Academic Achievement Framework (AAF) is a +version of RtI focused on students' social and behavioral +learning. CBHM is focused on students' social and behavioral +learning. The goal of the CBHM Lighthouse model is to +create safe and supportive learning environments in which +students may grow and thrive academically, personally, and +socially. This includes providing the right amount of services +and supports at the right time when a student absolutely +needs them. +These models are based on the logic that the majority of +students can and will be successful when provided with +evidence-informed instruction and preventative + + +Page 6: +Superintendent’s Circular SUP-19 +Page 6 of 35 +interventions. Appropriate interventions and the use of data +to assess progress help ensure that students who benefit +from progressively more intensive services will not need +them over the long-term. +BPS engages with parents and caregivers at a school level, +through the Guide for Families and Students and through +the Special Education Parent Advisory Council (or SEPAC) to +engage parents and caregivers in discussions about restraint +prevention and the use of restraint solely as an emergency +procedure. +B. USE OF RESTRAINT +Physical restraint should be administered only when needed +to protect a student or other students and staff from assault +or imminent serious physical harm. Physical restraint can +only be used as a last resort in an emergency when a +student’s behavior poses a threat of imminent, serious +physical harm to himself or herself or others, and the +student does not respond to verbal directives or other lawful +and less intrusive behavior interventions, or such +interventions are deemed inappropriate under the +circumstances. Physical restraint shall be limited to the use +of such reasonable force as is necessary, for the least +amount of time necessary, to protect a student or another +member of the school community from assault or imminent, +serious, physical harm. A physical restraint may only be + + +Page 7: +Superintendent’s Circular SUP-19 +Page 7 of 35 +administered by school personnel who have been properly +trained in the use of physical restraint. +C. USE OF TIME-OUT +Seclusion does not include a time-out. A time-out is not a +restraint. A time-out is a behavioral support strategy in +which a student temporarily separates from the learning +activity or the classroom, either by choice or by direction +from staff, for the purpose of calming. Time-outs are +permitted as a behavioral strategy if the student is with a +staff member or is continuously observed by a staff member +who is immediately available to the student at all times. The +space used for time-out must be clean, safe, sanitary, and +appropriate for the purpose of calming. Time-out shall cease +as soon as the student has calmed. Time-out may not be +used for discipline or punishment. The preference is for +time-out to be implemented within a classroom to the +greatest extent possible. Staff must document in Aspen the +antecedent behavior prior to the time-out, any other +behavioral support strategies attempted, and the time, date, +duration and location of any time-out used as a behavioral +support strategy. The school leader must give and +document approval for any time-out to continue more than +30 minutes based on the individual student's continuing +agitation. + + +Page 8: +Superintendent’s Circular SUP-19 +Page 8 of 35 +D. OTHER LIMITATIONS ON USE OF RESTRAINT +Physical restraint shall be limited to using such reasonable +force as is necessary to protect a student or another +member of the school community from assault or imminent, +serious, physical harm. 603 CMR 46.03(3). +Instances when restraint is not to be used: +1. Physical restraint is not to be used as a means of +discipline or punishment. 603 CMR +46.03(2)(a). +2. Physical restraint is not to be used when the student +cannot be safely restrained because it is medically +contraindicated for reasons including but not limited to +asthma, seizures, cardiac condition, obesity, bronchitis, +communication-related disabilities, or risk of vomiting. +603 CMR 46.03(2)(b). +3. Physical restraint is not to be used as a response to the +destruction of property, school disruption, refusal of the +student to comply with public education program rules +or staff directive, or verbal threats when those actions +do not constitute a threat of assault, or imminent, +serious, physical harm. 603 CMR 46.03(2)(c). +4. Physical restraint should not be used as a standard +response for any individual student. No written +individual behavior plan or individualized education +program (IEP) may include the use of physical restraint + + +Page 9: +Superintendent’s Circular SUP-19 +Page 9 of 35 +as a standard response to any behavior. 603 CMR +46.03(2)(d). +5. Boston Public Schools prohibits the following forms of +restraint: mechanical, medication, seclusion, prone, and +prone restraints. +Nothing in this document, or in 603 CMR 46.00, prohibits: +1. the right of an individual to report to appropriate +authorities a crime committed by a student or another +individual. +2. law enforcement, judicial authorities, or school security +personnel from exercising their responsibilities, +including the physical detainment of a student or other +persons alleged to have committed a crime or posing a +security risk. +3. the exercise of an individual’s responsibilities as a +mandated reporter of child abuse/neglect according to +MGL c. 119, s 51A to the appropriate state agency. +4. the protection afforded publicly funded students under +other state or federal laws, including those laws that +provide for the rights of students who have been found +eligible to receive special education or related services. + + +Page 10: +Superintendent’s Circular SUP-19 +Page 10 of 35 +E. PROPER ADMINISTRATION OF PHYSICAL RESTRAINT +●Restraint must be implemented only by trained and +actively certified personnel. Whenever possible, the +restraint shall be witnessed by at least one person who +did not engage in the restraint. As an exception, in the +event of an emergency situation where no trained staff +are available to protect students and staff from imminent +harm, the restraint may be implemented until properly +trained staff have arrived. +●Restraints must be implemented in a way that does not +prevent a student from breathing or speaking. +●The use of unnecessary force in administering physical +restraint is expressly prohibited. Intervening staff can use +only the amount of force necessary to protect the +students or others from physical injury. Staff shall select +the safest and least intrusive method that is likely to be +effective for the student. +●If a student indicates or is observed to be in significant +physical distress (difficulty breathing, signs or indicators +of pain or discomfort, change in color or alertness, etc.), +the student shall be released immediately, and medical +assistance should be sought. +●Students shall be released from physical restraint as soon +as it is safe to do so, meaning that the student is no +longer a danger to themselves or others and/or a plan has +been made to manage the student safely without having +to use physical management. + + +Page 11: +Superintendent’s Circular SUP-19 +Page 11 of 35 +●In the rare event that a student is in crisis for more than +20 minutes, restraints over 20 minutes must have +approval from the school leader. The school leader must +document that approval was granted for any restraint +over 20 minutes. +●Follow up procedures following restraint must be +implemented. These include a debrief with the student (if +appropriate), a review of the incident with staff, and any +needed follow up with student witnesses. +●The school nurse should assess the student’s physical +condition after any restraint. +F. SAFETY REQUIREMENTS +Pursuant to 603 CMR 46.05(5), the following is required: +1. A restraint shall not be administered in a manner that +prevents the student from speaking or breathing. +2. A restraint shall be administered in such a way to +prevent or minimize physical harm. +3. During a restraint, a staff member shall continuously +monitor the physical status of the student including +skin temperature and color, and respiration. +4. If at any time during the restraint the student +expresses or demonstrates significant physical distress +including, but not limited to, difficulty breathing, the +restraint will immediately terminate, and medical +assistance will be sought. + + +Page 12: +Superintendent’s Circular SUP-19 +Page 12 of 35 +5. Program staff will review and consider any known +medical or psychological limitations, known or +suspected trauma history, and/or behavioral +intervention plans regarding the use of physical +restraint on an individual student. +6. During a restraint, staff will continuously talk to and +engage the student in an attempt to de-escalate +behavior and to end the restraint as soon as possible. +7. Staff administering physical restraint will use the safest +method available that is appropriate to the situation. +8. If a student is restrained for a period longer than 20 +minutes, program staff shall obtain approval from the +school leader. The approval shall be based upon the +student’s continued agitation during the restraint +justifying the need for continued restraint. +9. After the release of a student from restraint, the +incident, when applicable, will be reviewed with the +student and the behavior that led up to the restraint +will be addressed. +10. +The staff person(s) who administered the restraint +will also have a review to discuss whether proper +restraint procedures were followed and consider +whether any follow-up is appropriate for students who +witnessed the incident. + + +Page 13: +Superintendent’s Circular SUP-19 +Page 13 of 35 +IV. REPORTING REQUIREMENTS +A. FOLLOWING EACH RESTRAINT +Following the use of any physical intervention of any +duration that meets the definition of physical restraint under +DESE regulations, several steps must be taken to notify +appropriate parties and report the restraint in both BPS and +DESE systems: +●Notify School Administration: Notify school +administration verbally as soon as possible, and provide +written report by the next school working day. In the +event that the school leader was involved in the +restraint, the restraint must be reported to the School +Superintendent or Operational Leader within the same +timeline. +●Notify Parents/Guardians: The school leader or +director of the program notifies the parent/guardian +verbally as soon as possible (by the end of the day of +incident), and by written report in the language of the +home to an email provided by the parent/guardian or +by regular mail postmarked within 3 working days of +the incident. The written report shall include: +○Student information, the names of those involved +in the restraint, and observer names (if any). The +report will also include the name of the +administrator notified if the event went beyond 20 +minutes. + + +Page 14: +Superintendent’s Circular SUP-19 +Page 14 of 35 +○Date and time of the restraint, including +beginning and ending timesA brief summary of +the event in progress at the time of restraint, the +immediate antecedent to the challenging +behavior, efforts/attempts at de-escalation, any +alternatives to restraint tried, and documentation +of any injuries to staff or students. The summary +should also include description of the holds used +and why they were necessary, any reaction of the +student to the restraint, how the restraint ended. +○Any further actions taken by the school, +opportunities for the parent/guardian to discuss +the restraint, any consequences that may be +imposed on the student, or any other related +matter. +Important note: The school leader will print a copy of +the same report submitted to DESE (see “Report to +DESE” below) as written documentation of the +restraint and email or mail it to the parent/guardian. +The report to DESE should contain the required +information listed above. +●Record in Aspen: a conduct incident must be recorded +in Aspen within 24 hours, detailing attempts to +de-escalate, provide limits, type of restraint used and +duration. The use of restraint should be added as a +conduct action of “Restraint-Physical.” +●Report to DESE: all restraints must also be reported to +DESE via the DESE Security Portal + + +Page 15: +Superintendent’s Circular SUP-19 +Page 15 of 35 +(https://gateway.edu.state.ma.us/edu/myportal/meoe) +within three business days. The school leader is +responsible for ensuring that all reporting timelines are +adhered to and that the restraint is uploaded to the +portal in a timely manner. +○In the event of an injury during restraint, a copy of +the written report must be sent to DESE within +three school working days. In addition, the school +must also send the copy of the record of restraints +maintained by the school leader for the 30-day +period before the date of the reported incident. +The program will be notified of any additional +steps needed within 30 calendar days of receipt of +the reports. +B. DATA REVIEW +1. Individual Student Review +The school leader shall conduct a weekly review of the +data to identify any students who have been restrained +multiple times that week. If students are identified as +having been involved in multiple restraints in a week, the +school leader will convene a support team to: +(a) review and discussion of the written reports +submitted in accordance with 603 CMR 46.06 and any +comments provided by the student and +parent/guardian about such reports and the use of the +restraints; + + +Page 16: +Superintendent’s Circular SUP-19 +Page 16 of 35 +(b) an analysis of the circumstances leading up to each +restraint, including factors such as time of day, day of +the week, antecedent events, and individuals involved; +(c) consideration of factors that may have contributed +to escalation of behaviors, consideration of alternatives +to restraint, including de-escalation techniques and +possible interventions, and such other strategies and +decisions as appropriate, with the goal of reducing or +eliminating the use of restraint in the future; +​ +(d) agreement on a written plan of action by the +program. +*If the school leader directly participated in the restraint, a +duly qualified individual designated by the superintendent +or board of trustees shall lead the review team's +discussion. The school leader shall ensure that a record of +each individual student review is maintained and made +available for review by the Department or the +parent/guardian, upon request. +2. Monthly School-Wide Review +The school leader will complete a monthly review of all +school-wide restraint data. The review should look for +patterns like time of day or day of week, individuals +involved, types of restraints or durations for specific +students, duration of restraints, and the number and +types of injuries. Based on this review, the school leader +may decide that updates or retraining are needed or any +other actions needed with the goal of reducing or + + +Page 17: +Superintendent’s Circular SUP-19 +Page 17 of 35 +eliminating restraints +V. TRAINING REQUIREMENTS +A. FOR ALL STAFF +The laws of MA require that all school district staff that +interact with students receive an annual Prevention of +Restraint and Seclusion and De-Escalation Training. To +respond to this requirement BPS has created an +asynchronous online learning module consistent with 603 +CMR 46.04(2). The training must be completed within the +month of September of every school year. For employees +hired after the beginning of the school year, the training +must be completed within the first month of their hire. +Each school leader shall determine a time and method to +provide all program staff with training regarding the +program's restraint prevention and behavior support policy +and requirements when restraint is used. +Training shall include information on the following: +(a) The role of the student, family, and staff in +preventing restraint; +(b) The program's restraint prevention and behavior +support policy and procedures, including use of +time-out as a behavior support strategy distinct from +seclusion; +(c) Interventions that may preclude the need for + + +Page 18: +Superintendent’s Circular SUP-19 +Page 18 of 35 +restraint, including de-escalation of problematic +behaviors and other alternatives to restraint in +emergency circumstances; +(d) When behavior presents an emergency that +requires physical restraint, the types of permitted +physical restraints and related safety considerations, +including information regarding the increased risk of +injury to a student when any restraint is used, in +particular a restrain of extended duration; +(e) Administering physical restraint in accordance with +medical or psychological limitations, known or +suspected trauma history, and/or behavioral +intervention plans applicable to an individual student; +and +(f) Identification of program staff who have received +in-depth training pursuant to 603 CMR 46.04(3) in the +use of physical restraint +Below is the link to the training. +De-escalation training link +B. FOR ALL STAFF AUTHORIZED TO SERVE AS A +SCHOOL-WIDE RESOURCE ON THE PROPER +ADMINISTRATION OF PHYSICAL RESTRAINT +At the beginning of each school year, school leaders are +required to identify program staff who are authorized to +serve as a school-wide resource to assist in ensuring proper +administration of physical restraint. These individuals will + + +Page 19: +Superintendent’s Circular SUP-19 +Page 19 of 35 +participate in in-depth training in the use of physical +restraint. Such training will include the content described in +603 CMR 46.04(4) and be competency-based and be at least +sixteen (16) hours in length with at least one refresher +training occurring annually thereafter. This training will be in +the Safety Care Program and provided by the Office of Social +Work Department or Special Education. Staff can register for +Safety Care training on Vector. +Only public education program personnel who have +received Safety Care training shall administer physical +restraint on students. Whenever possible, the administration +of restraint shall be witnessed by at least one adult who +does not participate in the restraint. However, the training +requirements shall not preclude a teacher, employee, or +agent of the public education program from using +reasonable force to protect students, other persons, or +themselves from assault or imminent, serious physical +harm. 603 CMR 46.05(1) +C. PROPER ADMINISTRATION OF RESTRAINT +Please review the Proper Administration of Restraint in Section III +above. This section gives additional details directly from the state +regulations. +1. Trained Personnel. Only public education program +personnel who have received training pursuant to 603 +CMR 46.03(2) or (3) shall administer physical restraint +on students. Whenever possible, the administration of + + +Page 20: +Superintendent’s Circular SUP-19 +Page 20 of 35 +a restraint shall be witnessed by at least one adult who +does not participate in the restraint. The training +requirements shall not preclude a teacher, employee or +agent of a public education program from using +reasonable force to protect students, other persons or +themselves from assault or imminent, serious, physical +harm. +2. Use of Force. A person administering a physical +restraint shall use only the amount of force necessary +to protect the student or others from serious physical +injury or harm. +3. Safest Method. A person administering physical +restraint shall use the safest method available and +appropriate to the situation subject to the safety +requirements set forth in 603 CMR 46.05(5). Floor +restraints, including prone restraints otherwise +permitted under 603 CMR 46.03(1)(b), shall be +prohibited in Boston Public Schools. +4. Duration of Restraint. All physical restraint must be +terminated as soon as the student is no longer an +immediate danger to himself or others, or the student +indicates that he or she cannot breathe, or if the +student is observed to be in severe distress, such as +having difficulty breathing, or sustained or prolonged +crying or coughing. + + +Page 21: +Superintendent’s Circular SUP-19 +Page 21 of 35 +5. Safety Requirements. Additional requirements for the +use of physical restraint: +(a) No restraint shall be administered in such a way +that the student is prevented from breathing or +speaking. During the administration of a restraint, +a staff member shall continuously monitor the +physical status of the student, including skin +temperature and color, and respiration. +(b) Restraint shall be administered in such a way so +as to prevent or minimize physical harm. If, at any +time during a physical restraint, the student +expresses or demonstrates significant physical +distress including, but not limited to, difficulty +breathing, the student shall be released from the +restraint immediately, and school staff shall take +steps to seek medical assistance. +(c) If a student is restrained for a period longer than +20 minutes, program staff shall obtain the +approval of the principal. The approval shall be +based upon the student's continued agitation +during the restraint justifying the need for +continued restraint. +(d) Program staff shall review and consider any +known medical or psychological limitations, +known or suspected trauma history, and/or +behavioral intervention plans regarding the use of +physical restraint on an individual student. + + +Page 22: +Superintendent’s Circular SUP-19 +Page 22 of 35 +(e) After the release of a student from a restraint, the +public education program shall implement +follow-up procedures. These procedures shall +include reviewing the incident with the student to +address the behavior that precipitated the +restraint, reviewing the incident with the staff +person(s) who administered the restraint to +discuss whether proper restraint procedures were +followed, and consideration of whether any +follow-up is appropriate for students who +witnessed the incident. +D. REPORTING REQUIREMENTS +Please review the Reporting Requirements in Section IV +above. This section gives additional details directly from the +state regulations. +1. +Circumstances under which a physical restraint must +be reported. Program staff shall report the use of any +physical restraint as specified in 603 CMR 46.06(2). +2. Informing the Principal. The program staff member +who administered the restraint shall verbally inform the +School Leader of the restraint as soon as possible, and +by written report no later than the next school working +day. The written report shall be provided to the School +Leaderfor review of the use of the restraint. If the +School Leaderhas administered the restraint, the +School Leadershall prepare the report and submit it to + + +Page 23: +Superintendent’s Circular SUP-19 +Page 23 of 35 +an individual or team designated by the +superintendent or board of trustees for review. The +School Leadershall maintain an on-going record of all +reported instances of physical restraint, which shall be +made available for review by the Department or the +student's parent/guardian, upon request. +3. Informing Parents/Guardians. The School Leadershall +make reasonable efforts to verbally inform the +student's parent/guardian of the restraint within 24 +hours of the event, and shall notify the parent/guardian +by written report sent either within three school +working days of the restraint to an email address +provided by the parent/guardian for communications +about the student, or by regular mail postmarked no +later than three school working days of the restraint. If +the program customarily provides a parent/guardian of +a student with report cards and other necessary +school-related information in a language other than +English, the written restraint report shall be provided to +the parent/guardian in that language. The School +Leader shall provide the student and the +parent/guardian an opportunity to comment orally and +in writing on the use of the restraint and on +information in the written report. +4. Contents of Report. The written report required by 603 +CMR 46.06(2) and (3) shall include: (a) The name of the +student; the names and job titles of the staff who +administered the restraint, and observers, if any; the +date of the restraint; the time the restraint began and + + +Page 24: +Superintendent’s Circular SUP-19 +Page 24 of 35 +ended; the name of the School Leader or designee who +was verbally informed following the restraint; and, as +applicable, the name of the School Leader or designee +who approved continuation of a restraint beyond 20 +minutes pursuant to 603 CMR 46.05(5)(c). (b) A +description of the activity in which the restrained +student and other students and staff in the same room +or vicinity were engaged immediately preceding the +use of physical restraint; the behavior that prompted +the restraint; the efforts made to prevent escalation of +behavior, including the specific de-escalation strategies +used; alternatives to restraint that were attempted; and +the justification for initiating physical restraint. (c) A +description of the administration of the restraint +including the holds used and reasons such holds were +necessary; the student's behavior and reactions during +the restraint; how the restraint ended; and +documentation of injury to the student and/or staff, if +any, during the restraint and any medical care +provided. (d) Information regarding any further +action(s) that the school has taken or may take, +including any consequences that may be imposed on +the student. (e) Information regarding opportunities for +the student's parent/guardian to discuss with school +officials the administration of the restraint, any +consequences that may be imposed on the student, +and any other related matter. +5. Individual Student Review. The School Leader shall +conduct a weekly review of restraint data to identify + + +Page 25: +Superintendent’s Circular SUP-19 +Page 25 of 35 +students who have been restrained multiple times +during the week. If such students are identified, the +School Leadershall convene one or more review teams +as the School Leader deems appropriate to assess each +student's progress and needs. The assessment shall +include at least the following: (a) review and discussion +of the written reports submitted in accordance with +603 CMR 46.06 and any comments provided by the +student and parent/guardian about such reports and +the use of the restraints; (b) an analysis of the +circumstances leading up to each restraint, including +factors such as time of day, day of the week, +antecedent events, and individuals involved; (c) +consideration of factors that may have contributed to +escalation of behaviors, consideration of alternatives to +restraint, including de-escalation techniques and +possible interventions, and such other strategies and +decisions as appropriate, with the goal of reducing or +eliminating the use of restraint in the future; (d) an +agreement on a written plan of action by the +program.If the School Leader directly participated in +the restraint, a duly qualified individual designated by +the superintendent or board of trustees shall lead the +review team's discussion. The School Leader shall +ensure that a record of each individual student review +is maintained and made available for review by the +Department or the parent/guardian, upon request. +6. Administrative Review. The School Leader shall +conduct a monthly review of school-wide restraint data. + + +Page 26: +Superintendent’s Circular SUP-19 +Page 26 of 35 +This review shall consider patterns of use of restraints +by similarities in the time of day, day of the week, or +individuals involved; the number and duration of +physical restraints school-wide and for individual +students; the duration of restraints; and the number +and type of injuries, if any, resulting from the use of +restraint. The School Leader shall determine whether it +is necessary or appropriate to modify the school's +restraint prevention and management policy, conduct +additional staff training on restraint reduction or +prevention strategies, such as training on positive +behavioral interventions and supports, or take such +other action as necessary or appropriate to reduce or +eliminate restraints. +7. Report All Restraint-related Injuries to the Department. +When a physical restraint has resulted in an injury to a +student or program staff member, the program shall +send a copy of the written report required by 603 CMR +46.06(4) to the Department postmarked no later than +three school working days of the administration of the +restraint. The program shall also send the Department +a copy of the record of physical restraints maintained +by the School Leader pursuant to 603 CMR 46.06(2) for +the 30-day period prior to the date of the reported +restraint. +8. Report All Physical Restraints to the Department. Every +program shall collect and annually report data to the +Department regarding the use of physical restraints. + + +Page 27: +Superintendent’s Circular SUP-19 +Page 27 of 35 +Such data shall be reported in a manner and form +directed by the Department. +VI. COMPLAINT PROCEDURE +A. INFORMAL COMPLAINTS +Parents/guardians or students will notify the school leader or +designee of any concerns regarding restraint practices and +procedures. If a designee receives the complaint or a +concern, that designee shall notify the school leader within +the school day. The school leader shall attempt, within their +authority, to work with the parent/guardian to resolve the +complaint fairly and expeditiously. If the parent/guardian is +not satisfied with the resolution or does not choose an +informal resolution, then the parent/guardian may proceed +with the formal complaint process. +B. FORMAL COMPLAINTS +A complaint may be submitted to the Regional School +Superintendent regarding any restraint. +A complaint may be submitted to the Problem Resolution +System at the Massachusetts Department of Elementary +and Secondary Education at +https://www.doe.mass.edu/prs/intake/default.html. +For more information or questions on: + + +Page 28: +Superintendent’s Circular SUP-19 +Page 28 of 35 +Topic +Department & +Contact +Email +General Restraint +Policy, DESE +Requirements and +Documentation +Office of Specialized +Services +Kay Seale, Chief of +Specialized Services +Christine Trevisone, +Senior Advisor of +Specialized Services +kseale@bostonpublicscho +ols.org +ctrevisone@bostonpublics +chools.org +Safety-Care +(De-Escalation and +Physical Restraint +Training) – ABA +Strand +Office of Specialized +Services +Zachary Houston, +Assistant Director ABA +zhouston@bostonpublicsc +hools.org +Safety-Care +(De-Escalation and +Physical Restraint +Training) – non-ABA +schools +Office of Student +Support +Jenna Parafinczuk, +Director of Social Work +jparafinczuk@bostonpubli +cschools.org + + +Page 29: +Superintendent’s Circular SUP-19 +Page 29 of 35 +De-Escalation +Training +Office of Behavioral +Health +Andria Amador, Senior +Director of Behavioral +Health Services +aamador@bostonpublicsc +hools.org +Reporting +Schools Department +Drew Echelson, Chief +of Schools and +Accountability, or +Operational Leader for +Region +dechelson@bostonpublics +chools.org +● +Region 1: Jeichael +Henderson: +jhenderson@bostonp +ublicschools.org +● +Region 2: Courtney +Kinney: +cmaginnis@bostonp +ublicschools.org +● +Region 3: Michelle +Jordan: +mjordan2@bostonpu +blicschools.org +● +Region 4: Naima +Abdal-Khallaq: + + +Page 30: +Superintendent’s Circular SUP-19 +Page 30 of 35 +nabdalkhallaq@bosto +npublicschools.org +● +Region 5: Kristen +Weeks: +kweeks@bostonpubli +cschools.org +● +Region 6: Monique +Carter: +mcarter3@bostonpu +blicschools.org +● +Region 7: Nelson +Miranda: +nmiranda@bostonpu +blicschools.org +● +Region 8: Zach Solis: +zsolis@bostonpublics +chools.org +● +Region 9: Rui Gomes: +rgomes2@bostonpub +licschools.org +Mary Skipper, Superintendent + + +Page 31: +Superintendent’s Circular SUP-19 +Page 31 of 35 +ATTACHMENT A: QUICK REFERENCE DO’S AND DON’TS +FOR CRISIS INTERVENTION IN BOSTON PUBLIC SCHOOLS +In Massachusetts, the use of physical restraint in public schools is +highly regulated, and it should only be employed as a last resort +to ensure the safety of students and staff. It is essential for teachers +and school staff to follow specific guidelines and best practices +when using physical restraint. Here's a list of Do's and Don'ts for +staff using physical restraint in public schools in Boston: +Do's: +●Use the Least Restrictive Method: Use the least restrictive +means of intervention. Alternatives to restraint, including but +not limited to verbal or other de-escalation techniques, +should be attempted before resorting to physical restraint. +●Safety First: Physical restraint should only be used when +there is a threat of assault or imminent serious physical harm. +It should never be used as a form of punishment or discipline. +●Training: Teachers and staff should receive proper training in +safe and effective restraint techniques, including annual +refresher training. +●Documentation: Document the incident thoroughly, +including the reason for restraint, the duration, and any +injuries sustained. This documentation should be completed +as soon as possible after the incident. The documentation +should contain the facts of the incident and restraint rather +than conclusions. + + +Page 32: +Superintendent’s Circular SUP-19 +Page 32 of 35 +●Documentation of Time-Outs: Staff should document in +Aspen the antecedent behavior and the time, date, duration +and location of any time-out used as a behavioral support +strategy. The school leader must give approval for any +time-out to continue more than 30 minutes based on the +individual student's continuing agitation. +●Communication: Maintain open and effective +communication with other staff members during a restraint +to ensure a coordinated and safe response.In the rare event +that a student is in crisis for more than 20 minutes, +restraints over 20 minutes must have approval from the +school leader. The school leader must document that +approval was granted for any restraint over 20 minutes. +●Notify Parents/Guardians: The principal or director of the +program notifies the parent/guardian, verbally as soon as +possible (within 24 hours), and by written report within 3 +school working days by providing a copy of the physical +restraint report submitted to DESE. +●Monitoring: Continuously monitor the student's physical and +emotional well-being during the restraint. All physical +restraint must be terminated as soon as the student is no +longer an immediate danger to themself or others, or the +student indicates that they cannot breathe, or if the student +is observed to be in severe distress, such as having difficulty +breathing, or sustained or prolonged crying or coughing. + + +Page 33: +Superintendent’s Circular SUP-19 +Page 33 of 35 +●Legal Compliance: Be aware of and follow all relevant laws, +regulations, and school policies regarding the use of physical +restraint in schools. +●Seek Medical Attention: If there are any injuries or signs of +distress during the restraint, seek immediate medical +attention for the student or impacted individual. +●School Nurse Assessment: Whenever possible, the school +nurse should assess the student’s physical condition +following a restraint. +Do nots: +●DON’T Implement Unnecessary Restraint: Do not use +physical restraint unless there is a threat of assault or an +imminent serious physical harm. It should not be used for +minor infractions or as a convenience for staff. +●DON’T Seclude: Always maintain visibility and ensure +continued communication with the student. Also ensure the +presence of another staff member if possible. Under no +circumstances may a student be left alone in a room or area +from which the student is physically prevented from leaving. +Doors cannot be locked during any time-out. +●DON’T Use Protracted Restraint: Do not continue the +restraint once the student is no longer an immediate danger +to themself or others, or if the student indicates they cannot +breathe or is observed to be in severe distress. + + +Page 34: +Superintendent’s Circular SUP-19 +Page 34 of 35 +●DON’T Restrain the Head or Neck: Do not use any form of +restraint that puts pressure on a student's head, neck, or +throat, as it can be dangerous and potentially lethal. +●DON’T Use Untrained Staff: Do not allow untrained or +unauthorized staff to engage in physical restraint. Only +trained personnel should be involved in the process. +●DON’T Use Mechanical Restraints: Do not use mechanical +restraints, such as handcuffs, on students in public schools. +●DON’T Use Restraints for Revenge or Punishment: Do not +use physical restraint as a means of revenge, discipline, or +punishment. Restraint should always be a last resort to +protect the safety of all involved. +●DON’T Fail to Report: Do not neglect to report the use of +physical restraint to school administration, parents/guardians, +and relevant authorities as required by law and school policy. +Reports should be carefully written to record the facts of the +incident and restraint. +Remember that the use of physical restraint in public schools is +a sensitive and potentially risky action that should only be used +when all other means of ensuring safety have been exhausted. +Compliance with Massachusetts laws and regulations is +essential to protect the well-being and rights of all students +involved. + + +Page 35: +Superintendent’s Circular SUP-19 +Page 35 of 35 +ATTACHMENT B: NOTIFICATION PROCESS + + diff --git a/data/data_txt/SUP-20 Child Abuse and Neglect.txt b/data/data_txt/SUP-20 Child Abuse and Neglect.txt new file mode 100644 index 0000000..3ace907 --- /dev/null +++ b/data/data_txt/SUP-20 Child Abuse and Neglect.txt @@ -0,0 +1,534 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SUP-20 +Version 01 + + +CHILD ABUSE AND NEGLECT + +THIS CIRCULAR WILL REMAIN IN EFFECT UNLESS RESCINDED OR +SUPERSEDED BY A SUBSEQUENT VERSION +GENERAL INFORMATION +Massachusetts General Law (Chapter 119, Section 51A) requires +that certain persons who in their professional capacity have +reasonable cause to believe that a child under the age of +eighteen (18) years is suffering serious physical or emotional +injury resulting from abuse, including sexual abuse, or neglect, +including malnutrition, inflicted upon them SHALL +IMMEDIATELY, VIA TELEPHONE, REPORT THIS ABUSE OR +NEGLECT TO THE DEPARTMENT OF CHILDREN AND FAMILIES, +either via the attached Area Offices Telephone Directory or via +the 24-hour reporting hotline: 1-800-792-5200. + +Within forty-eight (48) hours of the initial oral report, these +professionals are required under Massachusetts law to notify the +Department of Children and Families (DCF) in writing using the +attached Report Form. The Report Form should be sent by +registered mail, with return receipt requested, to the appropriate +DCF Area Office. A new Report Form must be completed for +each new injury or re-injury. + + + +Page 2: +Superintendent’s Circular SUP-20 +Page 2 of 15 + +WHO MUST REPORT? +By law, the following professionals, among others, are “mandated +reporters” and must report cases of child abuse or neglect to +DCF: physicians, medical interns, medical examiners, dentists, +nurses, teachers, educational administrators, guidance +counselors, family counselors, probation officers, school +attendance officers, social workers, psychologists, and police +officers. When these professionals are employed at a school, they +must either notify DCF directly or, alternatively, notify the person +in charge of the school or that person’s designated agent. Out of +an abundance of caution, however, all school professional staff in +the Boston Public Schools are required to report to DCF any +instance of neglect or abuse that they observe or which is +brought to their attention. + +Please note that all employees are required to report any +suspected or alleged bias-based conduct toward a student +or sexual misconduct toward a student under circulars EQT- +02 and EQT-03. This report must be made to a school +administrator and/or directly to the Office of Equity. A +determination will then be made whether it meets the +standard for a report to the Department of Children and +Families under SUP-20. Please see Attachment 1, Procedures +for Reporting Suspected Child Abuse and Neglect Cases. + +Nothing in this policy prohibits a school professional from +notifying DCF directly when such school professional has +reasonable cause to believe abuse or neglect occurred. In the +event that a school professional notifies the building +administrator in charge of an incident of suspected abuse or + + +Page 3: +Superintendent’s Circular SUP-20 +Page 3 of 15 + +neglect, that building administrator must make a report to DCF +following the procedures outlined in this circular. + +Any other person may report a case of child abuse or neglect +when there is reasonable cause to believe that a child’s health or +welfare is being harmed, or is at substantial risk of being harmed, +as a result of abuse or neglect. +WHAT TO REPORT? +Any incident in which there is reasonable cause to believe that a +child’s physical or mental health or welfare is harmed or is +threatened with substantial risk of harm through abuse or +neglect must be reported. Truancy by itself is not a reportable +matter. This means that a child missing school is not, on its own, +a reason to report. +ABUSE. Abuse includes: +• Physical, mental, or emotional injury by other than +accidental means, i.e., beatings, cuttings, burns, broken +bones, multiple bruises +• Physical dependency on an addictive drug at birth +• Any sexual act against another person either by force, or by +threat of force or bodily injury, or against the person’s will. +This includes a sexual act against another person who is +incapable of giving consent either because of their +temporary or permanent mental or physical incapacity or +because s/he is a minor. Such crimes as indecent assault +and battery, rape, rape with force, rape and abuse, assault +with intent to rape and unnatural and lascivious acts +constitute a sexual assault. + + +Page 4: +Superintendent’s Circular SUP-20 +Page 4 of 15 + +Indecent assault and battery includes, but is not limited to, +inappropriate and unwanted touching of private body parts. +A person under the age of 14 is legally unable to consent to +this type of sexual activity. +NEGLECT. Neglect is deemed to exist when the person or persons +responsible for a child’s care, although financially able to do so, +fail to provide the child with: +• Adequate food, clothing, shelter, education, or medical care +• Proper supervision and/or guardianship. + +The attached Procedures for Reporting Suspected Child Abuse or +Neglect detail the relevant reporting procedures to be followed +by Boston Public School employees. + +IMMUNITY +All reports will be held in strict confidence. A person required to +report who does in fact make a report, including a report of +abuse or neglect by personnel in the public school system, shall +not be held liable in any civil or criminal action by reason of that +report. In addition, a person who, although not required to do so +by statute, voluntarily makes a report shall not be liable in any +civil or criminal action by reason of that report if it was made in +good faith and that person did not perpetuate, inflict, or cause +the reported abuse or neglect. +In accordance with Massachusetts law (Massachusetts General +Laws Chapter 119, Section 51B), persons who are mandatory +reporters of child abuse shall share any relevant information +requested by the Department of Children and Families during +the investigation of a specific 51A child abuse report. Those +persons who are required to share information are protected + + +Page 5: +Superintendent’s Circular SUP-20 +Page 5 of 15 + +from civil or criminal liability for providing such information +without parental consent. +CONSEQUENCES FOR VIOLATIONS OF THE REPORTING +REQUIREMENT +Under Massachusetts law, any person required to make oral and +written reports of suspected child abuse or neglect who fails to +do so and any person who knowingly files a frivolous report will +be subject to penalties as prescribed by law. +Boston Public School employees required by law to report +suspected child abuse or neglect who fail to do so in accordance +with the attached procedures will be subject to discipline. +PROHIBITION OF RETALIATION +Retaliation against any Boston Public School student or +employee for filing a complaint of abuse or neglect, including a +report of abuse or neglect against personnel in the public school +system, is strictly prohibited. +In accordance with both Massachusetts law and the attached +Procedures, any Boston Public School employees who +themselves perpetuate, inflict, or cause the abuse of any child will +be subject to discipline as outlined in the attached Procedures. +ATTACHMENTS: +• Procedures for Reporting Suspected Child Abuse and +Neglect Cases +• Area Offices and Telephone Directory Guide for Reporting +Purposes +• DCF 51A Reporting Form + + + + +Page 6: +Superintendent’s Circular SUP-20 +Page 6 of 15 + +For more information about this circular, contact: +Owner: +Chief of Student Support +Mailing +Address: +2300 Washington Street, Boston MA, 02119 +Phone: +617-635-9000 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 7: +Superintendent’s Circular SUP-20 +Page 7 of 15 + +ATTACHMENT 1 + (p. 1 of 6) + +PROCEDURES FOR REPORTING SUSPECTED +CHILD ABUSE AND NEGLECT CASES + +1. Pursuant to Massachusetts General Law Chapter 119, Section +51A, a mandated reporter is required to report when they has +“reasonable cause to believe” that a child under the age of +eighteen (18) years is suffering from abuse or neglect. Out of +an abundance of caution, however, all school professional +staff in the Boston Public Schools are required to report to +DCF any instance of neglect or abuse that they observe or +which is brought to their attention. + +2. Upon such suspicion of abuse or neglect of a child under 18 +years of age, a teacher, or any other mandated reporter, will +immediately report their concerns to the building +administrator and will confer with the school nurse. Such +abuse includes but is not limited to physical, mental, or +emotional injury by other than accidental means (e.g. +beatings, cuttings, burns, broken bones, multiple bruises). In +the event of suspected physical abuse, a school nurse should +be contacted to immediately examine and document the +child’s physical condition. Appropriate Special Education and +Support Services staff should be notified of the situation +concerning the suspected abuse or neglect. + + + + + +Page 8: +Superintendent’s Circular SUP-20 +Page 8 of 15 + +ATTACHMENT 1 + (p. 2 of 6) + +3. Upon suspicion of sexual assault, please refer immediately +to the Equity Circular on Sexual Misconduct Toward Students +(EQT-03) and follow the reporting procedures outlined in that +circular. School personnel responding to sexual assault +concerns will obtain only basic minimal facts of the alleged +incident. These basic facts should include: (1) when the +incident occurred; (2) where the incident occurred; (3) who +assaulted the student, if known; (4) the nature of the +incident; and (5) whether there are known witnesses and/or +other victims. In an attempt to minimize the emotional +stress victims of abuse experience and to preserve the +integrity and reliability of the required DCF and law +enforcement investigations, additional interviews and more +detailed probing questioning are not to be conducted by +school officials. A student who reports being a victim of a +sexual assault should never be asked to submit a written +report detailing the incident nor be asked to discuss the +incident with the alleged perpetrator present at any time +and under any circumstances. School personnel are +mandated reporters but should not investigate the +allegations or prepare a probing and/or detailed incident +report. + +4. The building administrator or designee shall compile any and +all relevant information from school professionals with +knowledge of the incident and student. They shall also +compile any and all relevant information from school records +to be used when reporting the case to the appropriate DCF + + +Page 9: +Superintendent’s Circular SUP-20 +Page 9 of 15 + +Area Office and have all such information and records +available for DCF. + +5. The building administrator must report to DCF even if they +believe that the teacher, nurse, or other mandated reporter is +mistaken in suspecting abuse or neglect. The building +administrator may not substitute their judgment for that of +any mandated reporter within the school. The failure to file +a report as mandated by law will subject the building +administrator (or other mandated reporter who fails to +meet their statutory obligations) to discipline in +accordance with BPS employee discipline procedures. + +6. The building administrator or designee must immediately +call the DCF Screening Area Office to report the case. If the +report must be made after 5:00 PM, the building +administrator or designee must immediately call the DCF +Hotline number at 1-800-792-5200. + +7. The child must not be sent home from school before the +verbal 51A report is filed with DCF. A written report must be +forwarded within 48 hours. + +8. Within 48 hours of the initial oral report, the building +administrator or designee will send written notification to the +DCF Area Office via fax or via the Virtual Gateway Portal at +Mass.gov. A confidential copy of the written notification form +(copy attached) should be retained in the office of the +principal or headmaster. + + + + +Page 10: +Superintendent’s Circular SUP-20 +Page 10 of 15 + +ATTACHMENT 1 + (p. 4 of 6) + + +9. If the alleged abuser is an employee of the Boston School +Department, a copy of the notification should also be +forwarded to the BPS Office of the Labor Relations. If an +investigation confirms the allegations, the offending +employee will be subject to discipline in accordance with +BPS employee discipline procedures. + +10. The building administrator, in consultation with others as +necessary, will decide how, when, and by whom the family, +including the child who is suspected of being abused or +neglected, will be notified of this report. Although the school +is not required by law to notify the family, such notification is +recommended. In deciding whether to notify, the building +administrator and others should consider whether +notification will create a substantial risk to the student’s +health, safety, or welfare. DCF and the police and the +Department of Social Work can provide consultation in +making this determination to ensure the child’s safety and +well-being. + +11. DCF investigators, who report to the school in order to +conduct one phase of their investigation, should be required +to identify themselves and to verify their assignment to the +case. School-based staff should encourage them to interview +the child at home in the presence of the parent or caregiver, +unless the 51A has been filed against the parent. In this latter +case, the interview of the child may be conducted in school +in the presence of the building administrator or designee. + + + +Page 11: +Superintendent’s Circular SUP-20 +Page 11 of 15 + +ATTACHMENT 1 + (p. 5 of 6) + + +12. Within sixty (60) days of filing a report, the building +administrator should receive a feedback report from DCF +detailing the department’s findings and specifying the social +services that the department intends to offer the child. This +feedback report may be used to plan further collaboration +with other professionals assisting the family. + +13. Certain cases that the schools report to DCF (sexual abuse +and exploitation, serious physical abuse, and some others) +will also be referred by DCF to the local police and the District +Attorney’s Office for investigation. In these circumstances, +these agencies will typically conduct a multidisciplinary team +investigation. This investigation will typically include an +interview with the alleged victim(s), alleged perpetrators(s), +and witness(es). Relevant investigative information will be +provided to the school when appropriate, and as permitted +by law. + +14. Throughout the reporting, investigation, and follow-up +process, school documentation must be done in a way that +ensures confidentiality. Accordingly, reports of suspected +abuse or neglect will not be part of a child’s educational +record, but will instead be kept separately. The school will +maintain files of the 51A reports of suspected abuse or +neglect for no more than five years. + + + + + + +Page 12: +Superintendent’s Circular SUP-20 +Page 12 of 15 + +ATTACHMENT 1 + (p. 6 of 6) + +15. When a building administrator seeks to remove a child from +school because of, for example, a disciplinary emergency +removal or illness, a parent may not always be available to +pick the child up. Other childcare, eldercare, school or work +responsibilities, or lack of transportation may delay or +prevent a parent from being able to immediately pick up the +child from school. This is not, on its own, a reportable matter. +Maintaining the child’s safety at school or ensuring that the +child has a safe way to return home is the building +administrator’s responsibility. + +16. Importantly, a special education dispute is not, on its own, a +reportable matter. A parent disagreeing with school staff’s +opinions that a child needs a particular special education +placement, service, or evaluation is not a reportable matter. +In such situations, school staff should contact the assigned +special education district assistant program director. + +17. Each school building will designate a representative who will +ensure that, in the event of the building administrator’s +absence, the above reporting procedures are followed as +required by law. School Health will make arrangements for +emergency nursing staff coverage so that the required +investigation, discussed above, will begin before the end of +the day. + + + + +Page 13: +Superintendent’s Circular SUP-20 +Page 13 of 15 + +EMERGENCY PROTOCOL + +In the event of a clear emergency where the life or safety of a child +is in imminent danger, the building administrator, designee, or +other mandated reporter should immediately notify the +appropriate DCF Area Office and file the required 51A Report. +After 5:00 PM, the school official should use the Massachusetts +Child Abuse Emergency Hotline, at 1-800-792-5200. A written +report must be filed within forty-eight hours. + +Massachusetts General Laws Chapter 119, Section 51B(3) authorizes +the Department of Children and Families to take a child into +immediate temporary custody, without parental permission or +prior notice, if the department has reasonable cause to believe +that this action is necessary to protect the child from further +abuse or neglect. Emergency responses by the Department of +Children and Families may include law enforcement, +depending upon the nature of the incident reported. If DCF +seeks to exercise this authority in the school setting, the building +administrator shall: + +1. Verify the DCF representative’s identification and retain a copy +of the identification in the student record + +2. Contact the DCF representative’s immediate supervisor to verify +the need for the DCF action + +3. +Maintain a log, which should be filed with the office copy of +the 51A report, of the action, the DCF employee(s) involved, and +the DCF Area Office involved; and provide any other pertinent +information related to the suspected abuse or neglect. + + + + +Page 14: +Superintendent’s Circular SUP-20 +Page 14 of 15 + + +ATTACHMENT 2 + + + + + + + + + + + +DEPARTMENT OF CHILDREN AND FAMILIES +Boston-Brookline Region Area Directory + +Boston Regional Office +1785 Columbus Ave. Fifth Floor +Roxbury, MA 02119-1041Local Number: (617) 989-9200 +Fax Number: (617) 989-9250 + +Hyde Park Area Office +1530 River Street +Hyde Park, MA 02136 +Local Number: (617) 363-5000 +Fax Number: (617) 363-5175 + +Dimock Street Area Office +30 Dimock Street +Roxbury, MA 02119 +Local Number: (617) 989-2800 +Fax Number: (617) 445-9147 + +Park Street Area Office +50 Park Street +Dorchester, MA 02122 +Local Number: (617) 822-4700 +Fax Number: (617) 282-1019 + + + + + +Page 15: +Superintendent’s Circular SUP-20 +Page 15 of 15 + +Harbor Area Office +80 Everett Avenue, Suite 100Chelsea, MA 01250 +Local Number: (617) 660-3400 +Fax Number: (617) 884-0215 + + +BOSTON POLICE DEPARTMENT – FAMILY JUSTICE CENTER +(Formerly the Sexual Assault Unit) + +Main Number: (617) 343-4400 + +SUFFOLK COUNTY DISTRICT ATTORNEY’S OFFICE + +Main Number: (617) 619-4000 +Child Abuse Unit: (617) 619-4300 + + + + +ATTACHMENT 3 + +DCF 51A Reporting Form + + diff --git a/data/data_txt/TRN-01 Schedule of School Hours.txt b/data/data_txt/TRN-01 Schedule of School Hours.txt new file mode 100644 index 0000000..6a410f3 --- /dev/null +++ b/data/data_txt/TRN-01 Schedule of School Hours.txt @@ -0,0 +1,98 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +TRN-01 +Version 01 + + +SCHEDULE OF SCHOOL HOURS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +Attached is an alphabetical listing of opening and closing hours +for each school for the school year. This listing includes an AM +bus drop-off time for each school when staff must be available to +accept students, an AM bell, a PM bell, and an early dismissal +time and day of week. +Please pay special attention to the AM and PM bell times for your +school. No changes may be made to these schedules — including +to early dismissals — without the written permission of the chief +operating officer. All requests for changes to bell times for the +subsequent school year must be made in writing to the chief +operating officer before the end of October. +Please note the following regarding any requested changes: +● Any requested bell time changes must be for either +7:30am, 8:30am, or 9:30am AM bell times in order to align +with the District’s 3-tier bell schedule +● No requested bell time changes for an 8:30am start can be +accommodated at this time, as the transportation +operation is at capacity during the 2nd tier. +IMPORTANT NOTES ON TRANSPORTATION: +● All BPS buses are scheduled to arrive at schools 15 minutes + + +Page 2: +Superintendent’s Circular TRN-01 +Page 2 of 3 + + +before the scheduled AM bell time to give students time +to settle in and have breakfast before instruction starts. +Adequate staff assistance is needed to make sure buses +are unloaded as they arrive, as efficiently and safely as +possible, so that these buses can get to the next +scheduled location on time. Buses are expected to depart +the school for their next trip no more than 10 minutes after +their arrival. In some cases, with agreement from the +school, buses are scheduled to arrive more than 15 +minutes before the scheduled AM bell time +● PM buses are scheduled to arrive at each schools’ PM bell +time. Adequate staff assistance and the appropriate +dismissal procedure are needed to make sure buses are +loaded as they arrive. Buses are expected to depart 10 +minutes after the PM bell to get to their next scheduled +location on time. +● On the day before Thanksgiving and the last two days of +school in June, all schools will dismiss pupils a uniform +two (2) hours and thirty (30) minutes earlier than their full- +day PM bell time, unless operationally there is a need to +modify dismissal. The uniform two hour and thirty-minute +early release will apply to all schools, regardless of any +regularly scheduled early release or past practice. +● Certain specialized programs/schools have hours that are +subject to determination by the superintendent or +designee. + + + + + +Page 3: +Superintendent’s Circular TRN-01 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Executive Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department-Heads@bostonpublicschools.org +Mary Skipper, Superintendent + +ATTACHMENT: + +BOSTON PUBLIC SCHOOLS SCHEDULE OF SCHOOL HOURS + + + diff --git a/data/data_txt/TRN-02 Student Transportation Safety and Discipline.txt b/data/data_txt/TRN-02 Student Transportation Safety and Discipline.txt new file mode 100644 index 0000000..4cc25e2 --- /dev/null +++ b/data/data_txt/TRN-02 Student Transportation Safety and Discipline.txt @@ -0,0 +1,352 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +TRN-02 +Version 01 + + + +STUDENT TRANSPORTATION SAFETY & DISCIPLINE +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +HEAD OF SCHOOL/PRINCIPAL EXPECTATIONS +The school bus is considered an "extension of the classroom" in +terms of expected student behavior. The school is responsible for +working with students and parents/guardians to address +behaviors of students and parents/guardians that take place on +or are related to bus service that are not consistent with school +and district policies. This policy reinforces the Standards of +Behavior for Boston Public School students. The head of +school/principal is responsible for implementing the Code of +Conduct and Standards of Behavior as they apply to students and +parents/guardians while utilizing school transportation and the +MBTA. The head of school/principal will also communicate +student/parent/guardian obligations at the start of the school +year via student presentations and notification to +parents/guardians through School-Based Rules. Please note that +the Code of Conduct includes procedures for the denial of +transportation. +The head of school/principal will apply all approved Boston Public +Schools policies and procedures to matters of regular +transportation service and field trips, athletics, and late bus runs. + + +Page 2: +Superintendent’s Circular TRN-02 +Page 2 of 10 + + + +INCIDENT REPORTING AND RESPONSE +The head of school/principal will report all incidents, maintain all +records, and take appropriate action as prescribed in applicable +Superintendent's Circulars, including but not limited to any state +or federal reporting (e.g., mandated reporting to DCF or the SSDR +report for DESE, etc.). In the event of a school transportation +incident resulting in student injury, the school administrator will +contact the parent(s)/guardian(s) and provide appropriate +information in accordance with Superintendent's Circular FSE-05, +Medical Emergency Management. The head of school/principal +will maintain copies of all incident reports filed by drivers and +utilize reports for remedial actions. +BPS school buses are equipped with two cameras. One camera +faces out from the bus forward to record oncoming traffic. The +second camera is focused inward on the bus from the front of the +bus. Cameras do not record sound. Only in emergency situations +(e.g. active missing student investigation) may camera footage +be accessed in real time and only by Department of +Transportation personnel. When an incident is reported, +depending on the nature of the incident, a review of video +footage of the reported incident may be requested by a school, a +parent/guardian, or a member of the district transportation team. +In most situations, student conduct investigations will rely on +incident reports from students and adults on board the bus, +rather than camera footage. Any requests for bus footage must +run through the BPS Transportation Department. Cameras have +limited video storage capacity that typically store 7 (seven) to 10 +(ten) days of footage, depending on bus usage. Cameras are not +actively monitored. Neither BPS DOT nor the bus vendor will use +cameras for any purpose other than investigating specific + + +Page 3: +Superintendent’s Circular TRN-02 +Page 3 of 10 + + + +allegations. +When incidents occur that are related to bus transportation, BPS +DOT can work with schools on implementing solutions to +support successful student transportation on BPS buses. Some +strategies that have been effective in the past include but are not +limited to school-led mediations with parents/guardians, +students, bus drivers, bus monitors, and school staff; school-led in +depth training for drivers and/or monitors; school assigned bus +seating plans; addition of a bus attendant by the school to the +bus. In very limited circumstances, requiring approval of the +Director of BPS DOT, a student, driver, or monitor may be +reassigned. Such reassignment will be a last resort only after +other strategies have been exhausted. This helps ensure that +students are fully supported in learning how to successfully +navigate yellow bus transportation. +RELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING +BUS ARRIVALS AND DISMISSALS +The head of school/principal or their designee is responsible for +monitoring transportation service and the performance of school +bus drivers and monitors. This includes daily one-on-one contact +by school staff with a driver upon their arrival and departure from +a school. Heads of school/principals are advised and encouraged +to make all efforts to maintain a positive relationship with all +drivers and bus monitors and to also endeavor to work +constructively with all BPS and Transdev staff with whom they +come in contact throughout the school year. +School administrative staff are responsible for managing safe and +efficient bus arrival and dismissal processes. All buses assigned to + + +Page 4: +Superintendent’s Circular TRN-02 +Page 4 of 10 + + + +a school are together scheduled to be fully loaded or unloaded +within a ten-minute window. To be on time for all subsequent +trips, in the morning all buses must be unloaded and depart the +school by the school’s bell time. In the afternoon, all buses +assigned to a school must load and depart the school by 10 +minutes after the bell time. +When arriving at schools, buses may not allow students to unload +until a member of the school staff is present to meet students. +This ensures that a school staff member is present to take +responsibility for students before students exit the bus. Schools +are responsible for maintaining up-to-date bus rosters and +ensuring students are placed on their assigned bus during bus +dismissal. BPS Transportation Department operations support is +available to review bus loading and unloading procedures upon +request. +Heads of school/principals are encouraged to make time +available to meet with drivers who wish to confer with them on a +voluntary basis throughout the school year for the purpose of +maintaining their transportation safety/discipline program. +Heads of school/principals may provide drivers with a seating +plan for each bus, but they should work constructively with +drivers and monitors in the implementation of such a plan. If a +seating plan is put in place, students should be instructed to +remain in their assigned seats throughout the trip. +The head of school/principal or their designee should regularly +interview students to make assessments of the quality of +transportation service and are also asked to monitor ridership +and notify BPS Transportation if any bus assignments are not +being utilized. Schools can provide student opt out information in + + +Page 5: +Superintendent’s Circular TRN-02 +Page 5 of 10 + + + +our Support Portal. This link provides a walkthrough. We ask +schools to utilize our Support Portal to ensure accountability +within our team and support our effort to reduce follow-up times. +The head of school/principal or their designee may occasionally +ride school buses for first-hand observation of operations, but +notification to the Transportation Department must be made in +advance to ensure that buses are within capacity requirements +for ridership. +Monitors assigned through the special education process are +essential members of a student’s support team. Schools are +responsible for training bus monitors on IEP required student +specific supports. Monitors must be included in students’ +support teams for training on an ongoing basis to be prepared to +best meet the needs of our students who ride the bus and to help +ensure students can succeed in the least restrictive environment. +Schools may contact the BPS DOT Monitors Unit to arrange +meetings with monitors throughout the school year. +Please remember that bus drivers and bus monitors are +important members of our school community. When they are at +your school, per district policy, they are permitted to use +restroom facilities. Bus drivers and bus monitors are expected to +present identification to enter any building. Just like for all other +members of our school and district staff, please ensure that these +team members have access to bathroom facilities in your +building as needed. +SAFETY EDUCATION AND EVACUATION DRILLS +The head of school/principal will support all safety education +efforts relative to transportation and initiate programs within the + + +Page 6: +Superintendent’s Circular TRN-02 +Page 6 of 10 + + + +first week of the school year and throughout the school year. +School bus evacuation drills are to be conducted in accordance +with M.G.L., Chapter 90, Section 9B, which mandates school bus +evacuation instruction and drills. Evidence of completed +instruction and drills must be kept on file by the head of +school/principal. BPS Transportation, Transdev Safety, and BPS +Safety Services personnel will assist school administrators in +conducting bus evacuation drills as required by M.G.L. Chapter +90, section 9B. +ROLE OF THE BPS TRANSPORTATION DEPARTMENT +• The Transportation Department acts as the liaison between +the bus company, school personnel, parents/guardians, BPS +Safety Services, and Boston Police Department. +• The Transportation Department monitors contractual +compliance by vendors relative to the employment of +drivers and driver conduct. +• The Transportation Department records all complaints +regarding driver behavior and forwards them to the +company for remedial action by the bus company. The +Director of Transportation may, in extreme circumstances, +order suspension or reassignment of drivers subject to +consultation with the bus vendor and the collective +bargaining agreement between drivers and bus company. +• The Transportation Department completes bus routing and +planning to create efficient bus schedules that minimize +ride time for students and optimize deployment of drivers, +monitors, and buses. Where necessary, the Transportation +Department will revise routes or pick-up points to reduce + + +Page 7: +Superintendent’s Circular TRN-02 +Page 7 of 10 + + + +potential safety problems. +• The Transportation Department provides parents/guardians +with advice relative to procedures to assist in the resolution +of transportation issues. +• The Transportation Department notifies the head of +school/principal of any school bus accident, including a list +of the students onboard the bus and any other relevant +information. In the event an accident occurs after school +hours, the Transportation Department will attempt to notify +the Head of School/Principal at home. +• In the event of a school transportation accident or incident +resulting in student injury, BPS Transportation implements +the following procedures: +o Ensures Transdev Safety staff has properly followed +procedures and notified police or emergency medical +services as necessary. +o Notifies the school building administrator, principal +leader, assistant superintendent of operations, and +operational leader, relaying all available information. +Building administrators are then responsible for +notifying parents/guardians. +• If the building administrator or other school-based staff is +not available, BPS Transportation Department staff will +notify parents/guardians or emergency contact person. +ROLE OF THE BUS COMPANY – TRANSDEV TRANSPORTATION +The bus company will comply with all requirements contained in +its contract with the School Committee, its collective bargaining +agreements with its staff, and all Massachusetts laws and + + +Page 8: +Superintendent’s Circular TRN-02 +Page 8 of 10 + + + +regulations as they pertain to school bus safety and reporting. +The bus company will adhere to the Incident Response & Report +Process as outlined below: +1. The Transdev Safety Desk will log all calls and deployment +requests sent into the Safety Desk by drivers or safety staff, +BPS Transportation, or others and will submit those along +with any incident reports generated after an incident. +2. In an emergency, Transdev Safety Desk will call BPS or EMS +and deploy Transdev road safety supervisors to all serious +incidents and accidents. Transdev Safety Desk will notify +BPS Transportation staff immediately upon learning of any +serious incident and will continue to supply timely details +from the scene as they become available. In the event of a +school transportation incident resulting in student injury +after normal operating hours, Transdev Safety Desk staff and +BPS Transportation Call Center staff will assist school +administrators in the parent/guardian notification process. +3. Transdev drivers will provide as much specific information +as possible over the radio to Safety Desk and in their written +reports, mainly the names and student numbers of involved +students. Drivers should also fill out incident reports and +give copies to school administrators and their branch +supervisors daily. All incident reports are logged on a +computer database at the bus company. +4. Transdev safety staff and BPS Transportation work together +to communicate with heads of school/principals and police +where necessary to assist in the resolution of incidents. +Heads of school/principals are required to contact +parents/guardians and discipline students when necessary. + + +Page 9: +Superintendent’s Circular TRN-02 +Page 9 of 10 + + + +The bus company will instruct drivers to meet with heads of +school/principals after the "dry runs" of bus routes before the +opening of school. Heads of school/principals should be prepared +to discuss their student transportation safety/discipline program +with drivers at that time and throughout the year. Drivers may +also be made available to meet with the head of school/principal +on an ongoing basis. Arrangements for meetings can be made by +contacting the BPS Transportation Department. +Transdev road safety supervisors and driver trainers will inspect +the safety and accessibility of pick-up and drop-off locations +throughout the city as requested. + + + + + +Page 10: +Superintendent’s Circular TRN-02 +Page 10 of 10 + + + +For more information about this circular, contact: +Owner: +Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Chief of Student Support +Department: +Student Support Office +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt/TRN-03 Field Trip & Athletics Transportation.txt b/data/data_txt/TRN-03 Field Trip & Athletics Transportation.txt new file mode 100644 index 0000000..52b07b6 --- /dev/null +++ b/data/data_txt/TRN-03 Field Trip & Athletics Transportation.txt @@ -0,0 +1,457 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +TRN-03 +Version 01 + +FIELD TRIP TRANSPORTATION +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +This circular outlines the steps that must be followed when +transporting students to field trips where BPS transportation or +an approved outside supplier is used. Additionally, this circular +outline general rules regarding transporting students in the +Boston Public Schools with other approved transportation +suppliers. +School buses or approved transportation suppliers’ +vehicles should be used to transport students to and +from field trips. Privately owned vehicles from non- +approved suppliers or leased vans are not to be +utilized to transport students to and from field trips, +except in the case of a genuine emergency. Staff who +utilize their own vehicles risk being legally liable if +students are injured while riding in their automobiles. + +Transdev is the supplier currently under contract with the Boston +Public Schools (BPS) to provide transportation services on BPS +yellow school buses, including field trips. All field trip +transportation must utilize BPS school buses, unless the request +cannot be accommodated based on capacity limitations, or an +approved transportation supplier. + + +Page 2: +Superintendent’s Circular TRN-03 +Page 2 of 12 + +Arrangements with other suppliers are subject to the designation +of that supplier as approved by Nate Kuder, the Chief Financial +Officer, and may be made by individual schools/departments +subject to purchasing regulations. The approved supplier list can +be found at the end of this circular. +Staff should be aware of their responsibility to consult with and +obtain the approval of their respective school leader or +department head, using school/BPS letterhead, to make +agreements or exchange money with parents, outside +transportation companies, travel agencies, etc. +When requesting buses for field trips, school leaders should be +aware that BPS has the greatest bus availability between 9:30 +a.m. and 12:30 p.m. However, we encourage and welcome schools +to submit all of their field trip requests as outlined in this circular. +In the event that a request cannot be met, school leaders should +explore the opportunity to order buses from approved suppliers +who are not restricted to the use of the BPS school bus fleet. A +list of approved suppliers is attached at the end of this circular. If +the Transportation Department is unable to provide service at +the time requested, Transportation will aim to provide notice to +the school leader via email at least one week in advance of the +requested trip date. The Transportation Department does not +recommend particular suppliers for field trips and does +recommend the use of our primary supplier, Transdev, whenever +possible. + +All field trips must be budgeted on account 52811, regardless of +the supplier. If you do not have a field trip account (account + + +Page 3: +Superintendent’s Circular TRN-03 +Page 3 of 12 + +52811), you must submit a budget transfer within your +organization code to create the appropriate budget line. +If students in 7th through 12th grade will be utilizing the MBTA +for a field trip, schools can email schooltrips@mbta.com and/or +submit a request through the School Field Trip Submission Form +should they need to acquire MBTA passes for students who do +not already have a pass because they live within the school’s walk +zone. + +Please refer to the following circulars for guidelines and +procedures for the planning and implementation of BPS field +trips: CAO-22 General Guidelines for All Field Trips, CAO-23 Day +Field Trip Guidelines, CAO-24 Overnight Field Trips Guidelines, +and CAO-25 International Field Trip Guidelines. + +I. +FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus +Fleet + +1. Obtain the necessary signatures from BPS authorities at +least four (4) weeks prior to any +planned field trip, as outlined in the field trips circulars +referenced above. + +2. Submit your request via the Supplemental Transportation +Request Form to arrange for booking yellow bus +transportation with Transdev at least two (2) weeks in +advance of the field trip. If you would prefer to use a +transportation supplier from the attached approved + + +Page 4: +Superintendent’s Circular TRN-03 +Page 4 of 12 + +transportation suppliers list, please use the requisition +process in the BAIS FN system. + +3. Once your field trip request through BPS has been +processed, you will receive an invoice from the BPS DOT +Supplemental Transportation Manager, Kyle Lewis. This +invoice will detail payment options. Please continue reading +for general payment information. + +4. Field trip transportation requests funded through external +grants must include the appropriate grant ID and program +codes. In the event that funds for an external grant have not +been activated in BAIS FN, you will need to use general +funds (fund 100) for the trip. After the grant funds are loaded +into BAIS FN, please email Kyle Lewis, the Supplemental +Transportation Manager, requesting that they submit an +expenditure transfer on your behalf to move field trip +expenses from fund 100 to your grant. +i. +As a reminder, all schools planning to have field +trips should budget for them using account code +52811 +b. Please note that in cases where a school has indicated +that they would like to use ESSER or Title I META, the +school will need to provide confirmation that this +spending has been approved by their ESSER Liaison or +the district’s Title I Coordinator, Imani Penn +(ipenn@bostonpublicschools.org). + +5. The Transportation Department will only order those field +trips utilizing the district’s yellow bus fleet, managed by + + +Page 5: +Superintendent’s Circular TRN-03 +Page 5 of 12 + +Transdev. If you will be using a different vendor for your field +trip, please see section II. +6. Payments should be made through a budget transfer or +check. Field trip transportation will not be scheduled unless +the transfer is submitted, or the check is mailed at least five +(5) school days prior to the date of the trip. +a. Fund 100/general funds: Transfers should be made to +the following chartfield in the BPS Transportation +budget: +i. +Org: 101081 +ii. +Fund: 100 +iii. +Account: 52805 +iv. +Program: 2695 +v. +Class: 0000 +vi. +Bud Ref/Year: 2024 +b. Fund 200/grants: BPS Transportation will submit an +expenditure transfer to the Grants Office on your +behalf. Please confirm the necessary approvals and the +budget line you would like to use to fund your field trip +via email to the Supplemental Transportation Manager, +Kyle Lewis, at least five (5) days before your scheduled +field trip +c. Check: Please confirm the check was mailed via email +to the Supplemental Transportation Manager, Kyle +Lewis, at least five (5) school days prior to the planned +trip. Checks should be made out to the Boston Public +Schools Transportation Department and mailed to: +Kyle Lewis, BPS Transportation Department +Bruce C. Bolling Building +2300 Washington Street +Roxbury, MA 02119 + + +Page 6: +Superintendent’s Circular TRN-03 +Page 6 of 12 + +Note: Full bus capacity for the BPS yellow bus fleet is +approximately seventy (70) elementary school students, sixty (60) +middle school students and forty-five (45) adults/high school +students. An adult MUST ride with students on any and all field +trips on BPS buses. + +7. Final confirmation for any transportation services provided +by Transdev should be made three (3) school days before +the scheduled trip by contacting Kyle Lewis, the +Supplemental Transportation Manager at Operations- +Department-Heads@bostonpublicschools.org or 617-635- +9418. Notice of any changes or canceled trips must be +provided to the Transportation Department at least three (3) +school days in advance, except in case of emergency. + +The bus price schedule for the BPS fleet (Transdev) is as follows: +Inside Route 128 +Discounted Rate: + +$132.50 each way if your trip is between 9:30 a.m. +and 12:30 p.m. (Buses must be back to your school +by 12:30 p.m., or the trip will be billed at the regular +rate). + +Regular Rate: + +$190.00 each way or $380.00 for a round trip +Outside Route 128 Regular Rate: +$540.00 (in-state), $1,050.00 (out-of-state) + + +Page 7: +Superintendent’s Circular TRN-03 +Page 7 of 12 + +Layover Charges +In some cases, if a school requires the bus to stay +on-site, it will cost $42.00 per hour for layover time. + + +II. FIELD TRIP TRANSPORTATION CHECKLIST - Approved Private +Transportation Supplier +1. Obtain the necessary signatures from BPS authorities at +least four (4) weeks prior to any planned field trip, as +outlined in the field trips circulars referenced above. A +Request for Waiver form (attached) must be used if +requesting the use of suppliers not under contract with the +Boston Public Schools; supplier options are limited to those +on the attached Approved Field Trip Transportation +Suppliers list. Assurances are required for the use of all non- +BPS carriers, as noted on the waiver form. This form must be +attached to the field trip request form appropriate for the +type of trip you are conducting (based on the Field Trips +circulars referred to above) and forwarded to the Office of +the Chief Financial Officer (do not send to theTransportation +Department). +2. All trips booked with approved private transportation +suppliers (this does not include Transdev) must be organized +utilizing the requisition procedures in PeopleSoft BAIS FN. +Please complete the requisition for an approved +transportation supplier at least ten (10) school days prior to +the date of the trip to ensure that a purchase order (PO) can +be dispatched to the bus company ahead of the field trip. +3. Please note that requisitions with incorrect account codes +cannot be processed, therefore you will need to confirm that +funds for your field trip are in account 52811. If you do not + + +Page 8: +Superintendent’s Circular TRN-03 +Page 8 of 12 + +have a field trip account in your budget (account 52811), you +must submit a budget transfer within your organization +code to create the appropriate budget line. Transportation +requests funded through external grants must include the +appropriate grant ID and expense codes. +4. The details of the requested field trip must be entered on +the requisition in the header details panel using the +comment section. The details must include the following +information: +a. Contact person +b. Phone number +c. Email +d. Pick-up location +e. Site to be visited +f. Address +g. Site telephone number +h. Site contact person +i. Purpose of trip +j. Date of trip +k. Departure time +l. Time back at school +m. Number of students +n. Number of buses needed +o. Adults riding along +5. For requisitions to post, a valid budget check must be done. +Requisitions that do not pass a budget check will not be +processed. It is the responsibility of the school ordering the +trip to ensure that all budget checks have passed and that a +purchase order has been dispatched. Refer to the BAIS FN +PeopleSoft training material titled “Creating a Requisition” if +you need assistance in this procedure. + + + +Page 9: +Superintendent’s Circular TRN-03 +Page 9 of 12 + +For more information about this circular, contact: +Owner: +Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular TRN-03 +Page 10 of 12 + +REQUEST FOR WAIVER FORM TO USE SCHOOL BUS SUPPLIERS +NOT CURRENTLY APPROVED AND UNDER CONTRACT + +This form must be used when utilizing suppliers that are not already under +contract with the Boston Public Schools. + + +I am hereby requesting a waiver to use non-Boston Public School +transportation for the field trip +requested on the attached Field Trip Request Form (based on the Field Trips +circulars referenced above). + +SCHOOL: + +DATE OF TRIP: + +DESTINATION: + +BUS COMPANY (CARRIER): + +RENTAL COMPANY CARRIER: + +The building administrator must check each of the following to indicate +documentation on file in the school providing assurances noted: + +● Three informal quotes received from potential non-BPS transportation +carriers. + + +Page 11: +Superintendent’s Circular TRN-03 +Page 11 of 12 + +● Carrier selected is licensed by the Commonwealth to provide charter +service. +● Carrier drivers are properly licensed to provide charter service. +● Carrier drivers are all CORI & SORI checked. +● Carrier maintains a minimum bodily liability insurance policy of $1 +million per occurrence. + + +APPROVALS: + + +___________________________________________ +________________________ +Signature of Principal/Head of School + + + +Date + + +___________________________________________ +________________________ +School Superintendent + + + Date + + +___________________________________________ +________________________ +Chief Financial Officer + +Date + +THIS FORM SHOULD BE SUBMITTED TO THE PARTIES LISTED ABOVE. +ALLOW AT LEAST TEN SCHOOL DAYS FOR APPROVAL + + +Page 12: +Superintendent’s Circular TRN-03 +Page 12 of 12 + +APPROVED FIELD TRIP TRANSPORTATION SUPPLIERS +Supplier Name +Supplier ID +Phone +Number +Address +Adams Motor +Transportation Inc. +0000003388 +617-296-1930 +631 Walk Hill Street, +Mattapan, MA 02126 +Chantals, Inc. +0000053323 +617-293-0754 35 Nikisch Avenue, Boston, +MA 02131 +Crystal Transport, +Inc. +0000001421 +617-787-1544 +1616 Hyde Park Ave, +Boston, MA 02136 +Dollar Ride ECO +Ride LLC/ ECO +Ride Group +Transportation +0000071239 + +62 Huntington Street, +Brockton, MA 02301 +Eastern Bus +Company +0000000396 +617-628-6868 PO Box 514, Somerville, MA +02143 +Local Motion, Inc. +0000022242 +781-535-6344 66B Rocsam Park Road, +Braintree, MA 02184 +People Care-iers, +Inc. +0000003949 +617-361-1515 +270 Islington Road, +Newton, MA 02466 +Tony’s +Transportation, +Inc. +0000055218 +617-719-3777 +66 Glendale Street, PO Box +220815, Boston, MA 02125 +Vocell Bus +Company, Inc. +0000000385 +781-393-0220 378 Commercial Street, +Malden, MA 02148 + + + diff --git a/data/data_txt/_dataset_links/dataset_links.txt b/data/data_txt/_dataset_links/dataset_links.txt new file mode 100644 index 0000000..5c7e3a1 --- /dev/null +++ b/data/data_txt/_dataset_links/dataset_links.txt @@ -0,0 +1,190 @@ +ACA-18 Attendance Policies & Procedures.pdf: https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P +AMT-01 Exam School Application and Admissions.pdf: https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link +AMT-03 DYS Committed Students.pdf: https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link +AMT-04 Grade Requirements.pdf: https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link +AMT-05 Maximum Age Assignment and Enrollment Policy.pdf: https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link +AMT-06 Voluntary Transfer Policy.pdf: https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view?usp=drive_link +AMT-07 Safety Transfer Request.pdf: https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link +ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf: https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link +ATH-02 Athletic Eligibility.pdf: https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link +CAO-01 Promotion Policy.pdf: https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR +CAO-03 Textbook Management.pdf: https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO +CAO-05 Services for Multilingual Learner Students.pdf: https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8 +CAO-06 GPA Calculation Method.pdf: https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH +CAO-07 Graduation Requirements.pdf: https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo +CAO-08 Grading Requirements.pdf: https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE +CAO-22 General Field Trip Guidelines.pdf: https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW +CAO-23 Day Field Trip Guidelines.pdf: https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR +CAO-24 Domestic Overnight Field Trip Guidelines.pdf: https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_ +CAO-25 International Field Trips Guidelines & Forms.pdf: https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW +CAO-27 Water Activities on Field Trips.pdf: https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI +COM-01 Communications Policy.pdf: https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link +COM-02 Media Relations Policy.pdf: https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view?usp=drive_link +EL-04 Title I Expenditures for ELs.pdf: https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link +EL-06 Initial Identification and Assessment of Multilingual Learners.pdf: https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link +EL-07 Instructional System & Monitoring for Multilingual Learners.pdf: https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link +EQT-01 Nondiscrimination and Policy Statement.pdf: https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ +EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf: https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj +EQT-03 Sexual Misconduct Toward Students.pdf: https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn +EQT-04 Students and Gender Identity.pdf: https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d- +EQT-05 Bias-Based Conduct Toward Employees.pdf: https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH +EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf: https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap +EQT-07 Accommodating Employees.pdf: https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt +EQT-08 Expectant & Parenting Students.pdf: https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67 +EQT-09 Transgender and Gender Nonconforming Employees.pdf: https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ +EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf: https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb +FAM-01 School Parent Councils.pdf: https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link +FAM-02 School Site Councils.pdf: https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link +FAM-03 Student Government.pdf: https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link +FAM-04 Personnel Subcommittee.pdf: https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link +FAM-05 Title I Family Engagement Requirements.pdf: https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link +FAM-06 Boston Student Advisory Council.pdf: https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link +FAM-07 Home-School Compact.pdf: https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link +FAM-08 Translation and Interpretation Services.pdf: https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link +FIN-01 Travel Policy.pdf: https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link +FIN-02a Mileage Reimbursement.pdf: https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link +FIN-02b Mileage Reimbursement_January-June.pdf: https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link +FIN-03 Expenditure Reimbursement.pdf: https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link +FIN-04 Student Activity Accounts.pdf: https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link +FIN-07 Purchasing Guidelines.pdf: https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link +FIN-09 Private Contributions Management Guidelines.pdf: https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link +FIN-10 Grants Guidelines.pdf: https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link +FIN-11 Scholarships, Awards, and Honors for Students.pdf: https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link +FIN-12 Trust Funds for Schools.pdf: https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link +FIN-14 Overpayment of Salaries.pdf: https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view?usp=drive_link +FIN-16 Budget Transfers.pdf: https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link +FIN-19 BPS Postage & Printing Policy.pdf: https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link +FIN-20 Managing Stipends.pdf: https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link +FIN-21 BPS-Recognized Independent 501c3s.pdf: https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link +FMT-01 Performance Evaluation of Custodians.pdf: https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link +FMT-02 Work Order Requests.pdf: https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link +FMT-03 Renovations to School Buildings and Yards.pdf: https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link +FMT-04 Custodial Pay Adjustments.pdf: https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view?usp=drive_link +FMT-05 Facilities Building Permits & Conditions.pdf: https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link +FMT-08 Recycling and Zero Waste Policy.pdf: https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link +FMT-09 Material Distribution Procedures.pdf: https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link +FMT-10 Integrated Pest Management (IPM).pdf: https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link +FMT-11 Green Cleaners Policy.pdf: https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link +FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf: https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link +FMT-15 SY Environmental Audit Program .pdf: https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link +FMT-18 Science Safety in Schools.pdf: https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link +FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf: https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link +FMT-20 Drinking Water Access Policy.pdf: https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link +FNS-02 Emergency Meal Procedures.pdf: https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link +FNS-03 Competitive Foods Guidelines.pdf: https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link +FNS-04 Responsibilities4 Regarding School Food Services.pdf: https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link +FNS-06 Menu Standards and Guidelines.pdf: https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link +FSE-01 School Safety Contingency Plans.pdf: https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V +FSE-02 Fire Safety Practices.pdf: https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link +FSE-03 Building Codes & Fire Regulations.pdf: https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link +FSE-04 Bomb Threat Procedures.pdf: https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link +FSE-05 Medical Emergency Management.pdf: https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link +FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf: https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link +FSE-07 Public Health & Workplace Safety.pdf: https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link +FSE-08 Safe Mode and Internal Threat Procedures .pdf: https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link +HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf: https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link +HRS-HS04 School Leader Screening Process.pdf: https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link +HRS-HS06 Substitute Teachers.pdf: https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link +HRS-HS07.1 Qualifications for Additional Program Areas.pdf: https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link +HRS-L01 Teacher Licensure.pdf: https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link +HRS-L02 Paraprofessional ESSA Requirements.pdf: https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link +HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf: https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link +HRS-PM01 Performance Evaluation of Teachers.pdf: https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view?usp=drive_link +HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf: https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link +HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf: https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link +HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf: https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link +HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf: https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link +HRS-PM05 Performance Evaluation of Lunch Monitors.pdf: https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link +HRS-PM06 Performance Evaluation of Managerial Employees.pdf: https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link +HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf: https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link +HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf: https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link +HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf: https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link +HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf: https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link +HRS-PM10 Performance Evaluation of ABA Specialists.pdf: https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link +HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf: https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link +HRS-PP05 Attendance Monitoring.pdf: https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link +HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf: https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link +HRS-PP07 Workers' Compensation Procedures.pdf: https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link +HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf: https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view?usp=drive_link +HRS-PP09 Criminal History Screening.pdf: https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link +HRS-PP11 Drug Free Workplace Policy and Procedure.pdf: https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link +HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf: https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link +HRS-PP13 Employee Sick Leave Policy.pdf: https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link +HRS-PP13A Family and Medical Leave Act.pdf: https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link +HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf: https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link +HRS-PP15 Sick Leave Donation Program.pdf: https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link +HRS-PP16 Employee Savings and Investment Benefits.pdf: https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link +HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf: https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link +HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf: https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link +HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf: https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link +HWD-01 Wellness Policy .pdf: https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link +HWD-02 Phys Ed & Physical Activity.pdf: https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link +HWD-03 Comprehensive Health Ed.pdf: https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link +HWD-04 Healthy School Environment Policy.pdf: https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link +HWD-06 Tobacco-Nicotine Policy.pdf: https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link +LGL-01 Anti-Hazing.pdf: https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link +LGL-03 Public Record Requests.pdf: https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link +LGL-04 School Visitor Guidelines.pdf: https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W +LGL-05 Subpoenas.pdf: https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view?usp=drive_link +LGL-06 Religious Holy Days.pdf: https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view?usp=drive_link +LGL-07 Student Records.pdf: https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET +LGL-08 Adherence to Court Orders.pdf: https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view?usp=drive_link +LGL-09 Political Activity by Public Employees.pdf: https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link +LGL-10 Military Recruiters.pdf: https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link +LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf: https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link +LGL-15 Student Surveys.pdf: https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view?usp=drive_link +LGL-16 Student Health Information.pdf: https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link +LGL-17 Religious Expression in Schools.pdf: https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view?usp=drive_link +LGL-18 Display of Flag and School Ceremonies.pdf: https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view?usp=drive_link +LGL-19 Conflict of Interest Law-City Employees.pdf: https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link +LGL-20 Corporal Punishment.pdf: https://drive.google.com/file/d/1W_5X-GQGCfOXEELcV_E1vpRiIL_WDXZm +LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf: https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view?usp=drive_link +LGL-22 Sexual Offender Registry Information.pdf: https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link +ODA-01 Procedures for Conducting Educational Research.pdf: https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link +ODA-02 State Testing Security and Ethics.pdf: https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link +ODA-03 Guidelines and Procedures for Accessing Student Data.pdf: https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link +ODA-04 BPS Balanced Assessment System.pdf: https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link +ODA-05 BPS Survey Administration Guidelines.pdf: https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link +ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf: https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link +ODA-07 Required Documentation to Withdraw Students.pdf: https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link +OIIT-01 Acceptable Use Policy.pdf: https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link +OIIT-02 Procuring Digital Products Guidance Document.pdf: https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link +OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf: https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link +SAF-01 Student Search Procedures.pdf: https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link +SAF-02 Weapons and Objects of No Reasonable Use.pdf: https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link +SAF-03 Locker Policy.pdf: https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link +SAF-04 Incident Data Reporting and Release.pdf: https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y +SAF-07 Metal Detectors.pdf: https://drive.google.com/file/d/1nKQTl_GDl9xYJV_GC6Z8-AqtEXWcz0vF/view +SAF-08 Release of Students to Authorized Persons.pdf: https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99 +SAF-09 Lost Children Procedures.pdf: https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF +SAF-12 School Access Control.pdf: https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link +SCP-01 School-Community Partners.pdf: https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link +SHS-01 Drug and Alcohol Abuse.pdf: https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link +SHS-04 Infection Prevention Control.pdf: https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link +SHS-05 Tuberculosis Program.pdf: https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view?usp=drive_link +SHS-06 Immunization Law.pdf: https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link +SHS-08 Medication Administration.pdf: https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m +SHS-11 Life Threatening Allergies.pdf: https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link +SHS-13 Transportation Medical Accommodation.pdf: https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link +SHS-16 Suicide Prevention & Intervention.pdf: https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link +SHS-20 Asthma in Schools.pdf: https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link +SHS-21 Diabetes Policy.pdf: https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link +SHS-22 Automatic External Defibrillator Policy.pdf: https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link +SHS-23 Condom Accessibility.pdf: https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link +SHS-24 Diapering and Toileting Accidents Policy.pdf: https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link +SHS-25 Sickle Cell Disease Policy.pdf: https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link +SHS-26 Administration of Naloxone.pdf: https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link +SPE-14 Counseling Guidelines .pdf: https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM +SPE-20 SPED Screening for 3 and 4 Year Olds.pdf: https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view?usp=drive_link +SSS-02 Homeless Students.pdf: https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link +SSS-07 Persistently Dangerous Schools Standards for Determination.pdf: https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link +SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf: https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link +SSS-18 Bullying Prevention and Intervention Plan.pdf: https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link +SSS-19 Home & Hospital Instruction Policy.pdf: https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link +SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf: https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing +SUP-20 Child Abuse and Neglect.pdf: https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l +TRN-01 Schedule of School Hours.pdf: https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI +TRN-02 Student Transportation Safety and Discipline.pdf: https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M +TRN-03 Field Trip & Athletics Transportation.pdf: https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7 +HRS-HS07 Staffing Reassignment and Hiring.pdf: https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf +HRS-PP03 Tuition Reimbursement.pdf: \ No newline at end of file diff --git a/data/data_txt/_merged_corpus/_merged_corpus.txt b/data/data_txt/_merged_corpus/_merged_corpus.txt new file mode 100644 index 0000000..58ccb89 --- /dev/null +++ b/data/data_txt/_merged_corpus/_merged_corpus.txt @@ -0,0 +1,74809 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +CAO-05 +Version 01 + +SERVICES FOR MULTILINGUAL LEARNER STUDENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The Office of Multilingual and Multicultural Education has +generated this circular to provide an overview of the operational +and instructional expectations to effectively service the needs of +Multilingual Learners (ML), Former English Learners FEL), and +other subgroups within this student population. All BPS staff are +expected to be familiar with the information contained in this +circular and to meaningfully incorporate it into their day-to-day +work as part of the district’s work to respect the rights of our +students and families and comply with all related federal and +state regulatory requirements. +The following actions are recommended for school leaders and +their team to review in this circular: +1. Schedule a dialogue with members of your school’s +Instructional Leadership Team (ILT) and Language +Assessment Team (LATF) around the items shared in this +document to ensure all key stakeholders are aware of their +responsibilities. +2. Using the LATF calendar, identify relevant information to be +reviewed monthly by the school leader and other leaders in +your school who can support this work. + + +Page 2: +Superintendent’s Circular CAO-05 +Page 2 of 36 + +3. Work with your LATF to audit your school’s scheduling data +in Aspen SIS to assure that every EL is appropriately +scheduled for all English Learner Education (ELE) services +and special education services for MLs with disabilities. +Please Note: We will use the term “Multilingual Learner” to +describe our students who enter BPS with or who are in the +process of learning one or more languages. However, we will +continue to use the terms “English Learner” (EL) and “Former +English Learner” when referring to state and federally defined +legal rights/services. +TABLE OF CONTENTS +1. Overview of Policies and Legal Responsibility +2. ELE Service Compliance Reporting +3. English Learner Education (ELE) Program Models +3A. District-Wide ELE Program Requirements +3B.BPS Formally Designated Program for ELs Descriptions +3C. Special Notices about ELE Programs in BPS +4. ESL Services and Teacher Qualifications Compliance +Information +4A. ESL Instructional Time: Elementary (K2 to 5/6) and +Secondary Grades (6-12) +4B. ESL Instructional Types, Requirements, and +Recommendations +4C. ESL Instructional Grouping Requirements +4D. Educator Licensure and Endorsement Requirements +5. SY23-24 ESL Service Delivery Determination Guidance + + + + +Page 3: +Superintendent’s Circular CAO-05 +Page 3 of 36 + +1. OVERVIEW OF POLICIES AND LEGAL RESPONSIBILITY +Under Massachusetts General Laws Chapter 71A, all Boston +Public Schools with an English Learner student assigned and +enrolled are obligated to offer an English Learner Education (ELE) +program. Under Massachusetts Department of Elementary and +Secondary Education guidance, an ELE program consists of both +Sheltered English Immersion (SEI) core content and explicit ESL +instruction appropriate for the student’s English Language +Development (ELD) level. Please note that under Section 6 of this +Chapter, “any school district employee… may be held personally +liable” for not providing students with access to EL programming. +The following are additional legal regulations and guidelines that +pertain to Multilingual Learner Education offered in BPS and ELE +service requirements for students attending BPS: +► Resource: The DOJ Successor Settlement Agreement +► Resource: The META Consent Decree +► Resource: The LOOK Act +► Resource: The BPS Systemic Improvement Plan (SIP) +2. ELE SERVICE COMPLIANCE REPORTING +The Office of Multilingual and Multicultural Education submits a +series of reports each year on the compliance of Multilingual +Learner Education offered in BPS and ELE service requirements +for students attending BPS in accordance with the DOJ +Successor Settlement Agreement. Described below is the +reporting cycle of Paragraph 54, one of the key reports that +schools are accountable for throughout the school year. + + +Page 4: +Superintendent’s Circular CAO-05 +Page 4 of 36 + +For each cycle of this report (October, December, and March), +BPS reviews the following quality indicators for ELE services in +accordance with Paragraph 54 of The Successor’s Agreement: +1. Teacher Qualifications: Are teachers qualified to provide +services to ML students in their ESL and SEI or bilingual core +content classes? +2. ESL Instruction Type: Are ML students assigned to the right +courses per their program code and receiving daily ESL +services with the appropriate ESL instructional model/type +(e.g., push in, pull out, or embedded ESL in grade-level +English Language Arts (ELS), etc.)? +3. ESL Minutes: Are ML students receiving the right amount of +ESL instructional time for their ELD level? +4. ESL Grouping: Are ML (ELD 1-5) students appropriately +grouped for ESL? + +To support the district’s compliance with the +above ELE service requirements and ensure +the accuracy of the reporting data, schools +are expected to review and update ELE +service data in Aspen SIS at the beginning of +each school year, and regularly thereafter in +preparation for the reporting cycle deadlines +(October, December, and March), as well as +as needed upon changes in student enrollment or staffing +changes. +► Resource: Consult The Aspen SIS Guide for Recording ESL +Minutes, Instruction Type, and Teacher (Updated Nov 2023) +for detailed directions on entering ELE compliance data in +Aspen. + + +Page 5: +Superintendent’s Circular CAO-05 +Page 5 of 36 + +► Resource: Consult The DOJ Reporting Schedule with +Description for a full list of required DOJ reports. +► Resource: Consult CAO-5 Cheat Sheet for a quick and simple +outline of ESL compliance. +► Resource: Consult K-12 Sheltered English Immersion (SEI) +Scheduling and Service Delivery for detailed ESL scheduling +suggestions and guidance. COMING SOON +► + +3. ENGLISH LEARNER EDUCATION (ELE) PROGRAM MODELS +3A. District-Wide ELE Program Requirements +Regardless of an EL student being placed in a formally +designated program for ELs, all BPS schools must comply with +the following requirements for ELE service: +1. Castañeda’s Three-Pronged Test for Educationally +Sound ELE Programs +2. Providing an equitable curricular and educational +experience for MLs +3. Access to a Sheltered English Immersion Program +Each of these three requirements are described in detail below: +Castañeda’s Three-Pronged Test for Educationally Sound ELE +Programs +All ELE program models implemented in BPS are required by +DESE to meet “Castañeda’s Three-Pronged Test,” as defined by +the following components: +1. The program is based on a sound educational theory or on +research +2. The program is implemented with adequate and +appropriate resources + + +Page 6: +Superintendent’s Circular CAO-05 +Page 6 of 36 + +3. The program has resulted in demonstrable academic +outcomes for ELs. +► Resource: DESE Guidance on The Integration of Castañeda’s +Three-Pronged Test into ELE Program Development and +Review Process +Providing an Equitable Curricular and Educational Experience +for MLs +All ELE programs implemented in BPS are required to provide +MLs (SDD 1-4) comparable access to the standard curriculum +within a reasonable period of time and to the range and level of +extracurricular activities and additional services as non-ML +students. Additionally, all ELE programs should provide +opportunities for MLs (SDD 1-4) to take classes and participate +in school activities with their English-proficient peers (non-MLs). +Additionally, all BPS classrooms that serve MLs and non-MLs +together and provide sheltered content instruction have +historically been coded as “general education,” but will now be +coded as State SEI classrooms to be in alignment with State +regulations and the findings from the 2023 DESE Tiered Focus +Monitoring report. And students, regardless of receiving +foundational level scores1 on the ACCESS or WIDA Screener +assessments, have equal access to enroll in such classrooms +where they will be exposed to English-proficient peers. + +Access to a Sheltered English Immersion Program +DESE (2019) SEI guidance offers this helpful framework for the SEI +ELE program model implemented in Massachusetts: + + + +1 Foundational level scores are scores of a 1-2.5 on the ACCESS +test, or scores of a 1-2 on a WIDA Screener. + + +Page 7: +Superintendent’s Circular CAO-05 +Page 7 of 36 + +SHELTERED ENGLISH IMMERSION (SEI) PROGRAM (2) +A two-component program model + +Sheltered Content Instruction +(SCI) +English as a Second Language +(ESL) +● Taught by content-area +licensed and SEI-endorsed +teacher (or BEE-endorsed in an +official BPS Dual Language +program). +● Access to grade-level content & +development of discipline- +specific academic language. +● Occurs throughout the day and +is designed for optimum EL +engagement in content. + +● Taught by ESL-licensed +teacher. +● Additional linguistic support +ELs need to be delivered +through systematic, explicit, +sustained focus on language +and literacy in the context of +the Massachusetts Curriculum +Frameworks. +● Occurs for a specific amount of +time each day [in accordance +with DOJ requirements +specified in this Circular]. + +2Massachusetts law (G.L. c. 71A, §) defines SEI as “an English language +acquisition process for young children in which nearly all classroom +instruction is in English but with the curriculum and presentation designed +for children who are learning the language. Books and instruction materials +are in English and all reading, writing, and subject matter are taught in +English. Although teachers may use a minimal amount of the child's native +language, when necessary, no subject matter shall be taught in any +language other than English, and children in this program learn to read and +write solely in English.” + + +Page 8: +Superintendent’s Circular CAO-05 +Page 8 of 36 + +This means that ML (ELD 1-5) students with “General Education,” +vocational, Inclusion, Substantially Separate, AWC, IB, Montessori, +and Alternative Education program seat assignments are +considered to be served in an SEI ELE model — entitled to both +sheltered core content instruction and ESL.2 +3B. BPS Formally Designated Program for MLs Descriptions +As stated in section 3A, while schools are required to comply with +offering all ML students the requirements for ELE programs +regardless of student placement, BPS also offers ML students +enrollment opportunities in one of BPS’s formally designated +programs for MLs. These program models are: +1. Sheltered English Immersion (SEI) Program +a. State SEI - Sheltered English Immersion (SEI) Program +with Grade-Level English Proficient Peers +b. BPS SEI - Sheltered English Immersion (SEI) Program in +Language Specific or Multilingual +c. Sheltered English Immersion (SEI) Program in +Substantially Separate Setting +d. Sheltered English Immersion (SEI) Program in High +Intensity Literacy Training (HILT) for SLIFE Multilingual +2. High Intensity Literacy Training (HILT) for SLIFE Language +Specific +3. Dual Language Education (DLE) or Two-Way Immersion +Program +4. Newcomer Program + +Please Note: Schools are expected to implement the ELE +program model designated for their school. Any deviation from +the models outlined in this section must be approved by the +Office of Multilingual and Multicultural Education (OMME) so as +not to constitute a violation of the student/parent rights. + +The specifics of each program model is described below: + + + +Page 9: +Superintendent’s Circular CAO-05 +Page 9 of 36 + +Sheltered English Immersion (SEI) Program3 +As described in section 3A, a Sheltered English Immersion +Program is a two component program. First, it incorporates +strategies to make content area instruction more +understandable to MLs and to promote English language +development in core-content classes throughout the day taught +by SEI (or BEE as appropriate) endorsed teachers. Content area +instruction integrates sheltering strategies to make content +comprehensive and develop content area academic language in +mathematics, English language arts (ELA), social studies, and/or +science. As the second component to a Sheltered English +Immersion program, English learner students also receive explicit +English as a Second Language classes. + +Boston Public Schools offers various ways for English learner +students to access a Sheltered English Immersion program as +outlined below: + +State SEI - Sheltered English Immersion (SEI) Program with +Grade-Level English Proficient Peers +SEI with grade-level English proficient peers offers MLs both +Sheltered Content Instruction from SEI endorsed teachers +as well as explicit English as a Second Language classes. +MLs in this SEI program type are not grouped according to +their EL status, their first language, or their level of English +proficiency in any way during core-content classes. They + +3 Massachusetts law (G.L. c. 71A, §2) defines SEI as “an English +language acquisition process for young children in which nearly +all classroom instruction is in English but with the curriculum and +presentation designed for children who are learning the +language. Books and instruction materials are in English and all +reading, writing, and subject matter are taught in English. +Although teachers may use a minimal amount of the child's +native language when necessary, no subject matter shall be +taught in any language other than English, and children in this +program learn to read and write solely in English.” + + +Page 10: +Superintendent’s Circular CAO-05 +Page 10 of 36 + +receive core-content instruction with English proficient +peers as well as other MLs. Only during English as a Second +Language classes are MLs in this SEI program type +separated from their grade-level English proficient peers +and grouped according to their ESL Service Delivery +Determination (SDD). + +BPS SEI - Sheltered English Immersion (SEI) Program in +Language Specific or Multilingual +This is a BPS ELE program that incorporates English +language development throughout the day with strategies +to make core academic content instruction more +comprehensible to MLs who are ELD 1-2.5 (scored 1-2.5 on +WIDA ACCESS Overall score). BPS SEI Language Specific +programs serve students who all speak the same first +language; in BPS SEI Multilingual programs, a variety of +languages are spoken by the students. Instruction is +conducted in English, with native language clarification for +students where available. ML Students in an SEI Language +Specific or SEI Multilingual Classroom in Grades K2-5/6 +receive ESL instruction within their classroom; for sheltered +content instruction they may be scheduled with English +Proficient Peers for a portion of their day. Students in SEI +Language Specific or Multilingual classrooms receive +instruction in smaller class sizes in comparison to General +Education classrooms. BPS SEI Language Specific or +Multilingual programs in at the elementary level, English +learner students may receive their English as a Second +Language instruction embedded within the content +instruction of the class if the homeroom teacher possesses +their ESL license. For BPS SEI Language Specific or +Multilingual programs at the secondary level, English +learner students must receive their English as a Second +Language instruction in a standalone setting from an +appropriately licensed teacher. + + + +Page 11: +Superintendent’s Circular CAO-05 +Page 11 of 36 + +Sheltered English Immersion (SEI) Program in Substantially +Separate Setting +Per the Individualized Education Plan (IEP) and/or 504 plan, +MLs in this SEI program type will receive core-content +instruction and ESL services in a self-contained special +education classroom with specialized instruction +throughout their day within a small-group structured +setting. Research-based practices, specific to disability, are +utilized in the specialized classroom. MLs will continue to +receive sheltered content instruction where SEI-endorsed, +content-licensed educators shelter instruction so that they +can meaningfully engage with grade-level content, and +develop discipline-specific academic language.Depending +on the nature of an MLs disability in this program, they may +have modifications to their ESL services specified in their IEP +and/or 504 plan. + +Sheltered English Immersion (SEI) Program in High Intensity +Literacy Training (HILT) for SLIFE Multilingual +In SLIFE multilingual classrooms, the language of +instruction is English, and teachers provide native language +support when feasible. All students in this classroom are EL +students who enter BPS with Limited or Interrupted Formal +Education (SLIFE); students in the classroom may speak +different native languages. Students in SLIFE classrooms +receive instruction from an ESL teacher as well as content +and literacy from a teacher(s) who is qualified to provide +sheltered content instruction. Please also see general HILT +for SLIFE requirements here. + +High Intensity Literacy Training (HILT) for SLIFE Language +Specific +In language specific HILT for SLIFE programs, MLs receive High +Intensity Literacy Training (HILT) in their native language. This +program enrolls EL students who enter BPS with Limited or +Interrupted Formal Education (SLIFE) who all speak the same +language. Core academic content is taught in the native + + +Page 12: +Superintendent’s Circular CAO-05 +Page 12 of 36 + +language of the student, and is increasingly taught in English as +the student develops English fluency. Students in SLIFE +classrooms receive instruction from an ESL teacher as well as +content and literacy from a Native Literacy/Content teacher(s) +who is qualified to provide sheltered content instruction. SLIFE +Native Literacy classrooms have smaller class sizes than State SEI, +BPS SEI, and Dual Language programs. + +General HILT for SLIFE Program Requirements +BPS recommends this program for MLs ages 8 or older who +are newcomers to the United States, who have little to no +literacy in their native language, or whose formal schooling +was limited or interrupted in their native country. Students +in HILT for SLIFE programs are grouped across a grade span +(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic +English language and literacy development, native +language instruction designed to help them learn reading, +writing, math, science, and history/social studies, when +available, and additional classes such as technology, arts, +and physical education. + +In accordance with the META Consent Decree, HILT for +SLIFE programs must also comply with the following +requirements: + +1) Class size should not exceed 15 students; +2) During related arts / specials / electives courses, lunch, +recess, and allotted intervention time, SLIFE students +must be integrated with other ML students and with +English-proficient students (Never ELs, Former ELs), +who serve as peer language models. +3) “Daily Common Planning Time” must be allocated for +ESL teachers and Native Language Teachers for age +and grade-appropriate lesson design and materials +development. +4) In language-specific programs such as Spanish, Haitian +Creole, and Cabo Verdean Creole, students must + + +Page 13: +Superintendent’s Circular CAO-05 +Page 13 of 36 + +receive Native Language High-Intensity Literacy +Training (HILT) as they develop literacy in their native +language as well as English. +5) In SLIFE multilingual classrooms, teachers must +provide native language supports when feasible. +6) All SLIFE students at the beginning of every year or +upon assignment to the program must have a HILT for +SLIFE Individual Learning Plan (ILP) generated that +qualifies the individual learning targets for the +academic year. This HILT for SLIFE ILP must be +completed in full to document progress and determine +a student's eligibility to exit the program. +7) No student can be recommended to exit the HILT for +SLIFE program without meeting the exit criteria as per +the META Consent Decree. + +Dual Language: Two-Way Immersion Programs +In this program, the classroom is made up of both native +language and English dominant students. All students learn to +read, write, speak, and understand both languages either +through core academic content instruction or explicit language +instruction, taught by qualified teachers in the two languages. +The goal of these programs is for students to become bilingual +and biliterate. BPS seeks to increase more dual-language +opportunities such as two-way immersion programs, heritage +language programs, and ethnic studies courses in students’ +native language. Programs are currently offered in Spanish, +Haitian Creole, ASL, Vietnamese, and Cape Verdean Creole. + +Newcomer Program +This program is available for secondary MLs at the early stages of +their English language development. Only MLs who are ELD 1-2.5 +(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this +program. Instruction is conducted in English, with native +language clarification for students where available. English +learner students in this program receive ESL instruction in a + + +Page 14: +Superintendent’s Circular CAO-05 +Page 14 of 36 + +standalone period and sheltered content instruction from core- +content teachers. +o + +3C. Special Notices about ELE Programs in BPS +Multilingual Learners with Disabilities +Multilingual Learners with Disabilities (MLWD) are Multilingual +Learners who receive disability-related, specialized instruction in +an inclusion setting, resource room setting, or a substantially +separate Special Education classroom. Regardless of placement, +BPS is obligated to provide Multilingual Learners with Disabilities +(MLWD) with equal access to the same opportunities as other +students; education, specialized instruction and related services, +appropriate and effective ESL and content instruction by +accessing grade-level curriculum while providing +accommodations, modifications, and goals within the Individual +Education Plan (IEP). Schools are required to monitor students’ +progress to ensure appropriate progress toward meeting their +English language proficiency benchmarks and IEP goals. +All MLWD (ELD1-5) are entitled to receive both Special Education +(SPED) and ELE services in a manner appropriate to the student’s +individual needs by appropriately qualified staff; the District is +required to provide these services. No ML shall be denied ELE +services solely due to the nature or severity of the student’s +disability, and no ML shall be denied SPED services due to their +ML status. This means, for example: +● No modifications to ESL service requirements may be +implemented unless such modifications are determined +necessary by the student’s IEP or Section 504 team, through +a documented team process, and in accordance with the + + +Page 15: +Superintendent’s Circular CAO-05 +Page 15 of 36 + +narrow exceptions contained in Paragraph 67 of the +Successor Settlement Agreement. +● Any approved modification to ESL minutes, grouping, +and/or instruction must be reflected on the EL Grid, an +internal monitoring section in EdPlan, and will be reviewed +by the BPS Office of Special Education/Office of Multilingual +and Multicultural Education Supervisor(s) of Multilingual +Learners with Disabilities. +● ESL may not take the place of a student’s special education +services. For instance, a student may not be taken out of +speech therapy or counseling in order to get ESL. +● Core content instruction and ESL services must be provided +with all accommodations as outlined in the student’s 504 +plan or IEP. +Parent Right to Opt Out of the ELE Program +Parents / guardians have the right to opt out their child from +some or all components of the district’s ELE program pursuant to +Paragraphs 33 to 35 of the Successor Agreement. The district +shall approve a parent’s request to opt out of some or all ELE +services, only by following the relevant safeguards that are set in +place: +1. The decision to opt out must be voluntary and informed, +and not the product of district practices or influence, the +result of inadequate or inaccurate information, or +inadequate district resources. +2. If any parent/guardian of an EL communicates a refusal to +have their child enrolled in an EL program, and/or refuses +all or only specific ELE services (e.g., EL-only SEI classes, +language-specific SEI classes, or HILT classes) at a +Welcome Center, NACC, or school, then a meeting will be + + +Page 16: +Superintendent’s Circular CAO-05 +Page 16 of 36 + +convened with a representative from OMME, the school +leader, a representative of the LAT (typically the LAT-F), +and the parent(s)/guardian(s) to explain the benefits of +services and address parent concerns AND encourage +parents to allow their child to receive ELE services for at +least 30 days before deciding to refuse such services. +3. If the parent continues to refuse ELE services after an +explanation of the benefits of the services, the Opt-Out +form (documenting 1. Evidence of parent meeting and 2. +Parent request) must be submitted to OMME for review +and approval and such documentation must +subsequently by submitted by OMME to the DOJ/OCR. +4. Students approved as “opt-outs” are still required to +remain coded as an English Learner, required to +participate in ACCESS, scheduled with an SEI-endorsed +teacher(s) for core content, and have their English +language development monitored by the school. +5. Parents or legal guardians should revisit their decision to +opt out every year and submit a new request for the +current academic year and parents may request to +restore ELE services at any point. +Former English Learners +Upon exit (reclassification to Former EL status), schools must +regularly monitor students’ academic progress for 4 school years +upon their reclassification as is required by DESE and federal +regulations. It is recommended that schools continue to schedule +Former ELs with an SEI-endorsed content teacher(s) during their +monitoring period. If during this monitoring period it is +determined that the student’s EL status be restored (with ELE +services provided), the LATF must seek written permission from +the student’s parent/guardian. + + +Page 17: +Superintendent’s Circular CAO-05 +Page 17 of 36 + +Please see: +o Section 5 of this circular for additional information on +the exit criteria for ELs + +4. ESL SERVICES AND TEACHER QUALIFICATIONS COMPLIANCE +INFORMATION +Under the terms of the Department of Justice Successor +Agreement and the policies of the Department of Elementary +and Secondary Education, all BPS Multilingual Learner Education +Programs must comply with specific guidelines regarding ESL +Instructional Minutes, Instructional Type, Instructional Grouping, +and Educator Licensure and Endorsement. The following section +outlines the specifics of each compliance measure as applicable +for each Multilingual / English Learner Education Program +described section 3. +Note: Schools are advised to create their schedule for ELE +services first to ensure that the necessary qualified staff are +scheduled to meet ML service needs. +All ML students, including Multilingual Learners with Disabilities +(MLWD) and Students with Limited or Interrupted Formal +Education (SLIFE), must be scheduled for the requisite amount of +daily ESL instruction according to their SDD and must receive +ESL by an ESL licensed teacher. MLWD with severe disabilities for +whom compliant ESL instruction as described in the Successor’s +Agreement is not appropriate may have their services adjusted if +reflected and recorded appropriately in the IEP through a team +process. + + + + + + +Page 18: +Superintendent’s Circular CAO-05 +Page 18 of 36 + +4A. ESL Instructional Time: Elementary (K2 to 5/6) and +Secondary Grades (6-12) +Elementary (K2 to 5/6) +Consistent with DESE’s guidance, the table below provides the +DOJ-approved ESL instructional time per ELD level that the +district shall provide, to the extent practicable: +TABLE 2: MINIMUM REQUISITE ESL INSTRUCTIONAL TIME +FOR MLS IN K2-5/6 +ELD +Level +Daily ESL +Instructional Time +Weekly ESL Instructional +Time +ELD 1 +135 minutes (2 hours, +15 minutes) +675 minutes (11 hours, 15 +minutes) +ELD 2 +90 minutes (1 hour, 30 +minutes) +450 minutes (7 hours, 30 +minutes) +ELD 3 +60 minutes (1 hour) +300 minutes (5 hours) +ELD 4 +45 minutes +225 minutes (3 hours, 45 +minutes) +ELD 5 +45 minutes +225 minutes (3 hours, 45 +minutes) + +Secondary Grades (6-12) +In order to address the variety of scheduling at our Secondary +Schools as well as to ensure that students can equitably access +ESL along with other MassCore / graduation requirements and +specialty courses (e.g Advanced Placement courses, Dual +Enrollment, Early College, and any vocational or technical + + +Page 19: +Superintendent’s Circular CAO-05 +Page 19 of 36 + +training / courses), OMME has shifted from a “minutes” +framework at the Secondary level to a “blocks required” +framework. +TABLE 3: SECONDARY SCHOOL ESL SCHEDULING* +School’s Daily +Course Block +Length +(Minutes) +# of Daily ESL Blocks Required: + +ELD 1 +ELD 2 +ELD 3 +ELD 4/5** +45-59 minutes +3 +2 +1 +1 +60-74 minutes +2 +2 +1 +1 +75+ minutes +2 +1 +1 +1 +*ESL for ELD 4-5 may be embedded into the ELA block by an ESL- +licensed teacher. This is only allowable for ELD levels 4 and 5. + +Please note: +● Schools may leverage this framework, but may still opt to +schedule ESL instruction based on the daily minutes +specified in Table 2. +● OMME recommends schools consider scheduling MLs for +additional support from an ESL licensed teacher during +Targeted Advisory / Intervention / WIN / SEL blocks (if +available) based on the needs of their students and in the +balance of other opportunities for students to access grade- +level core content, advanced learning, and specials +alongside their English-proficient peers. Refer to the +resource below for sample recommended schedules. + + +Page 20: +Superintendent’s Circular CAO-05 +Page 20 of 36 + +● Part-time students (i.e., those attending for 1 or 2 remaining +credit requirements) who have fulfilled MassCore ELA +graduation requirements, and / or are only enrolled in BPS +for credit recovery or only online education (i.e., never +physically at a school building), will not be required to be +scheduled for ESL. These students are typically over-age +students who are balancing work and other adult +responsibilities. OMME highly recommends that these +students have a direct connection with the Re-Engagement +Center and have a dedicated counselor that can assist them +in creating an educational pathway that works best for their +home, family, and work obligations. Note: Schools may +schedule these students for ESL if it will best support the +student in meeting graduation requirements and their +individual needs. Regardless, schools should still be +scheduling these students for core content classes with an +appropriately endorsed (SEI and/or Bilingual Endorsement) +or ESL certified teacher. + + + + + + + +Page 21: +Superintendent’s Circular CAO-05 +Page 21 of 36 + +4B. ESL Instructional Types, Requirements, and +Recommendations +All requisite ESL Instruction must occur during an ESL-Eligible +course as designated by the BPS course catalog (e.g. reading, +writing, ELA, literacy / humanities). This is to ensure that ELs still +have equitable access to other grade-level core content and +specialty courses. +Refer to the following tables for allowable types of ESL +instructional models. + +TABLE 4: ESL INSTRUCTIONAL MODELS FOR MLS IN K2-5/6 +All instructional models require an ESL licensed teacher during +the literacy/humanities block). +Standalone ESL — For ELs in Gen Ed + A standalone section is a scheduled class for ESL students +with an ESL licensed teacher. The student is not pulled out +of classrooms to attend this class, it is a part of their student +schedule (e.g., with an “ESL” course title). An ESL licensed +teacher must be the teacher of record of this classroom. +Standalone ESL is the recommended instructional model for +ML students with an ELD of 1-3 in grades K2-5 who are not +assigned to an SEI language-specific or SEI Multilingual +program. +For ELD 4-5: Standalone is an allowable option; however, +refer to the Embed ELA model as an alternative if the +ELA/homeroom teacher is ESL licensed. + + + +Page 22: +Superintendent’s Circular CAO-05 +Page 22 of 36 + +Push-In ESL +Push-In ESL may be provided to ML students in Elementary +grades (K2 to 5) when the ESL teacher is coming into an +ELA/Humanities course (or via a co-teacher in the +classroom) to provide ESL services for a specific, small group +of students within the same classroom while other students +continue to receive content instruction. Schools must +adhere to ESL grouping requirements when utilizing this +instructional method. +At a minimum, weekly common planning time for the ESL +and classroom teachers should be provided. +Pull-Out ESL +Pull-Out ESL may be provided to ML students in Elementary +grades (K2 to 5) when a student is being taken out of an ELA +/ Humanities course to receive ESL instruction. Schools must +adhere to ESL grouping requirements when utilizing this +instructional method. +Embed Homeroom — ESL in formal SEI programs +This is an instructional type allowable ONLY for ML students +(ELD 1-3) in SEI language-specific or SEI multilingual +programs at the Elementary grade level (K2 to 5/6). +Please see section 5 of this circular for additional +information on the criteria for a BPS SEI eligible ELD 3. +In this model, students receive ESL instruction embedded +during their literacy time (course titles: Reading and +Writing). Teachers providing this embedded ESL instruction +must be ESL licensed and are required to complete OMME +designated PD on differentiation and lesson planning. + + +Page 23: +Superintendent’s Circular CAO-05 +Page 23 of 36 + +Embed ELA — ESL +For ML students with ELD levels 4 and 5 only, the +recommended instructional model for ESL is for ESL to be +embedded in core ELA or literacy courses, only by an ESL +licensed teacher. Students at these ELD levels may be +grouped together. + + +Inclusion Teacher ESL Stipend per BTU CBA +For special education inclusion classrooms only that utilize a 1.0 +teacher model, where the teacher is using 3 licenses (two of +which are special education and ESL), this ESL-licensed teacher +of record may agree to be stipended (45 minutes per day at the +BTU contractual hourly rate) to provide ESL instruction for ELD 4- +5 students that is embedded into the ELA or literacy block (ESL +Embed ELA). Alternatively, if the teacher does not agree to the +stipend, ESL instruction for ELD 4-5 students must be provided +by a separate ESL licensed teacher. All ML (ELD 1-5) students are +entitled to receive ESL services regardless of the teacher/stipend +model. + + + + + +Page 24: +Superintendent’s Circular CAO-05 +Page 24 of 36 + +TABLE 5: TYPES OF ESL INSTRUCTIONAL MODELS FOR MLS IN +GRADES 6-12 +ESL +Instruction +Type +Description (all instructional models require +an ESL licensed teacher) +Standalone +ESL + +● For ELD levels 1 to 3, this is the only +compliant instructional model for ESL service +delivery for students. +● Standalone is an allowable option for which +ELD 4-5 students may be grouped together; +however, refer to the Embed ELA mode +below as the recommended instructional +type if the ELA teacher is ESL licensed. +Embed ELA +ESL in English +Language Arts +● For ML students with ELD levels 4 and 5 only, +the recommended instructional model for +ESL is for ESL to be embedded in core ELA or +literacy courses, only by an ESL licensed +teacher. Students at these ELD levels may be +grouped together. + + + + + +Page 25: +Superintendent’s Circular CAO-05 +Page 25 of 36 + +4C. ESL Instructional Grouping Requirements +The following table represents allowable groupings of students +for ESL instruction. +TABLE 6: ELEMENTARY AND SECONDARY ESL GROUPING +ACROSS ELD AND GRADE LEVELS +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +ELD 1 +● With fellow ELD 1 only +across two consecutive +grades; OR +● With ELD 2 in one grade +level +● With fellow ELD 1 across +multiple grades; OR +● With ELD 2 only in one +grade level +ELD 2 +● With ELD 1 in one grade +level; OR +● With fellow ELD 2 only, in +one grade level or across +up to two consecutive +grades; OR +● With ELD 3 only in one +grade level +● With fellow ELD 2 only +across multiple grades; +OR +● With ELD 1 only in one +grade level; OR +● With ELD 3 only in one +grade level +ELD 3 +● With ELD 2 in one grade +level, preferably ELD 2.5- +2.9; OR +● With fellow ELD 3 only, in +one grade level or across +up to two consecutive +grades; OR +● With ELD 2 in one grade +level, preferably ELD 2.5- +2.9; OR +● With fellow ELD 3 only +across multiple grades, +preferably two +consecutive grade levels +(e.g., in grades 9-10); OR + + +Page 26: +Superintendent’s Circular CAO-05 +Page 26 of 36 + +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +● With ELD 4 in one grade +level +● With ELD 4, in one grade +level in a standalone +setting +ELD 4 +● With ELD 3 in one grade +level; OR +● With ELD 5 in one grade +level; OR +● With fellow ELD 4 only +across two consecutive +grades +● With ELD 3 in one grade +level in a standalone +setting; OR +● With ELD 5 in one grade +level; OR +● With fellow ELD 4 only +across multiple grades +ELD 5 +● With ELD 4 in one grade +level; OR +● With fellow ELD 5 only +across two consecutive +grades +● With ELD 4 in one grade +level; OR +● With fellow ELD 5 only +across multiple grades +Allowable Exceptions: +SEI Language +Specific or +Multilingual +Program (ELD +1-3) +● ELD 1-3 of the same SEI +program homeroom may +be grouped together for +ESL instruction* +● This grouping is not +allowable at the +secondary level. +HILT for SLIFE +● ELs, regardless of ELD +level or grade level, in the +same HILT for SLIFE +● ELs, regardless of ELD +level or grade level, in the +same HILT for SLIFE + + +Page 27: +Superintendent’s Circular CAO-05 +Page 27 of 36 + +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +Programs (4) +program homeroom may +be grouped together for +ESL instruction. +program homeroom may +be grouped together for +ESL instruction. +MLWD (with +approved ESL +modifications) +● Refer to the ELSWD ESL +Modifications section for +guidance. +● Refer to the ELSWD ESL +Modifications section for +guidance. +*Subject to the terms of DOJ Paragraph 39e. + + + + +4() The META Consent Decree defines BPS HILT for SLIFE +programs as “self-contained, ungraded, elementary format +classroom with two teachers [Native Literacy Content teacher +and ESL teacher] responsible for all instruction.” Students in the +program are typically ELD 1 but may be at an ELD 2 level as they +progress in their English language acquisition until meeting the +exit criteria required by the consent decree. Therefore, students +in this program model may receive ESL grouped in this manner. + + +Page 28: +Superintendent’s Circular CAO-05 +Page 28 of 36 + +4D. Educator Licensure and Endorsement Requirements +Please Note: +Per DESE (603 CMR 14.07 (3)), no EL student can be placed in +classrooms where the teachers lack the SEI Endorsement for two +or more consecutive years. (5) +● School Leaders are to keep detailed electronic records of all +teachers who are in the process of obtaining the SEI or +Bilingual Education Endorsement and the pathway that +they are pursuing to meet this obligation. All ML (ELD 1-5) +must be assigned to core content (and vocational, if +applicable) classrooms where the teachers are already +endorsed or in a confirmed pathway. +● When creating schedules, schools must take into +consideration teachers who are newly hired and who are +returning but lack the SEI endorsement. +● It is recommended that students who have reclassified to +Former English Learner status be scheduled with SEI- +endorsed teachers for their core content courses, especially +at the start of their 4-year monitoring period. +● For any SEI Language-Specific / Multilingual elementary +teacher to provide embed HR ESL to students at ELD 1-3, +they must have both an ESL license and have completed +OMME-approved training on differentiation of ESL and +lesson planning, as part of the qualifications for this +program, to ensure that the unique needs of students at +ELD levels 1-3 are met (DOJ Paragraph 39e). Please also +reference the 2018-2021 BTU Collective Bargaining + +5The teacher in this instance would also be required to get the SEI +endorsement. + + +Page 29: +Superintendent’s Circular CAO-05 +Page 29 of 36 + +Agreement (p. 49 section 11) as it pertains to this +requirement. Teachers are expected to complete this +training by the end of the school year. If the teacher has not +satisfied these requirements, the school must ensure an ESL +licensed teacher is scheduled to deliver the appropriate +English language development instruction to ML students +for the literacy portion of the day. +The following table outlines DESE educator licensure and +endorsement requirements in order to instruct ML (ELD 1-5) +students by job type. + + + + +Page 30: +Superintendent’s Circular CAO-05 +Page 30 of 36 + +TABLE 7: TEACHER QUALIFICATION BY JOB TYPE +Job Type +Required +Qualification +Additional Information +ESL +Teacher +ESL License +Individuals who have completed and passed all +requisite coursework / requirements and are +only waiting for the state to administratively +grant the ESL license may also be assigned to +teach ESL. +Core +Content or +Vocational +Teacher +(English) +SEI +Endorsement +(Teacher) + +Core Content Teachers: +● teachers of students with moderate or +severe disabilities; subject-area teachers in +English, reading or language arts; +mathematics, science; civics and +government, economics, history, and +geography and early childhood and +elementary teachers who teach such +content. +Vocational (CVTE) Teachers: +● For purposes of SEI, CVTE is defined as +programs approved under M.G.L. c. 74; +programs that meet the definition of career +and technical education listed in the Carl D. +Perkins Career and Technical Education +Improvement Act of 2006, 20 U.S.C. § 2302(5); +and any other programs that may be +designated by the DESE Commissioner such +as automotive technology, carpentry, +culinary arts, engineering, exploratory, +masonry, information technology, and any +other subjects listed by DESE. + + +Page 31: +Superintendent’s Circular CAO-05 +Page 31 of 36 + +Core +Content or +Vocational +Teacher +(Native / +Partner +Language) +BEE +Endorsement +Core Content and CVTE Teachers as defined +above who: +● Instruct in the partner language of a formal +BPS dual language program +● Instruct in the partner language of a formal +language specific HILT for SLIFE program + +Evaluator +of ML +Teacher +(English) +SEI +Endorsement +(Administrator +or Teacher) +A principal, assistant principal, supervisor, or +director ("administrator") who supervises or +evaluates one or more core academic teachers +of ML (ELD 1-5) students +Evaluator +of ML +Teacher +(Native / +Partner +Language) +BEE +Endorsement + +OR + +SEI +Endorsement +(Administrator +or Teacher) +Evaluators as defined above who supervise a +core academic teacher assigned to provide +instruction to an English Learner in a bilingual +ELE program +Substitute +Teachers +N/A +If for any ESL or core content class, no teacher +is available who meets the qualifications to +instruct ML (ELD 1-5) students, school leaders +shall, to the extent practicable, assign +substitute teachers who are ESL-licensed for +ESL instruction or who are SEI or Bilingual +Education-endorsed (for core content classes). + +The following table outlines DESE educator licensure and +endorsement requirements in order to instruct ML (ELD 1-5) +students by BPS ELE program model. + + +Page 32: +Superintendent’s Circular CAO-05 +Page 32 of 36 + +TABLE 8: EXAMPLES OF LICENSURE REQUIREMENTS FOR +POSITIONS SERVING EL STUDENTS* +Program +BPS +Teacher +Title +Position +Description +Required +Licensure +Preferred + + + + +BPS SEI +SEI Multi- +lingual +General ed. +position in a +classroom that +includes students +with ELD levels 1- +3 and varying +native languages +Content area +license & SEI +endorsement +ESL License +and SEI PD +SEI + +[Specific +Language] +e.g. SEI +Spanish +General ed. +position in a +classroom that +includes students +with ELD levels 1- +3 of the same +native language +Content area +license & SEI +endorsement +ESL +License, SEI +PD, and +Oral fluency +in students’ +primary +language +ESL +ESL +Teacher +(incl. SLIFE +ESL) +Provides ESL +instruction only +(regardless of ELE +program model) +ESL license + + + + + + +Bilingual +Two-Way + +[Specific +Language] +e.g., +Bilingual +Serves multiple +classrooms to +provide periods of +instruction in a +language other +than English +Content area +license & Bilingual +Education +Endorsement (if +teaching in native +language) + + + +Page 33: +Superintendent’s Circular CAO-05 +Page 33 of 36 + +Dual +Lang- +uage/ +Two-way +Two-Way +Spanish +(complementary +position below) +(Note: if the +teacher is +providing ESL, the +teacher must have +the ESL License) +Bilingual +Two-Way +English +Serves multiple +classrooms to +provide periods of +English +instruction to +students +(complementary +position above) +Content area +license & either SEI +Endorsement or +Bilingual +Education +Endorsement +(Note: if the +teacher is +providing ESL, the +teacher must have +the ESL License) + + +SLIFE +SLIFE +Native +Literacy +(TBE) +teacher +Provides core +content +instruction to +SLIFE students in +the student’s +native language +(language other +than English) +A Core Content +area license & +Bilingual +Education +Endorsement + +5. SY23-24 ELD AND ELP LEVELING GUIDANCE +For the 2023-2024 school year, the Office of Multilingual and +Multicultural Education is continuing the transition of +Multilingual Learner students’ English Language Development +Level (ELD Level) to Multilingual Learner students’ English +Language Proficiency Level (ELP Level). This shift aligns all + + +Page 34: +Superintendent’s Circular CAO-05 +Page 34 of 36 + +students’ ELP levels with their WIDA ACCESS 2.0 scores and +aligns our guidance and policies for Multilingual Learner students +and Multilingual Learner Education with the guidance and +policies of the Department of Elementary and Secondary +Education. The following table shows the updated ACCESS and +Alt ACCESS score to ELP level crosswalk. +TABLE 9: ACCESS SCORE CROSSWALK +2022 ACCESS and Alt ACCESS +Score Range + +SY 23-24 English Language +Development (ELD) / English +Language Proficiency (ELP) +Levels +ACCESS: 1.0 - 1.9 / ACCESS Alt: A1-P1 +Level 1 (Foundational) +ACCESS: 2.0-2.9 / ACCESS Alt: P2 +Level 2 (Foundational) +ACCESS: 3.0-3.4 / ACCESS Alt: P3 +Level 3 (Foundational) +ACCESS: 3.5-3.9 / ACCESS Alt: P3 +Level 3 (Transitional) +ACCESS: 4.0 - 4.9 +Level 4 (Transitional) +ACCESS: 5.0-5.9 +Level 5 (Transitional) +ACCESS: 4.2 with 3.9 literacy +(i.e., meets state exit criteria) +Former EL + +Please note: +● Annual program placement recommendations are based on +students’ ELP level, and OMME will assume the +responsibility of using the annual program notification form +to notify parents of program placement. + + +Page 35: +Superintendent’s Circular CAO-05 +Page 35 of 36 + +● Consecutive year ELD 3 students will be automatically +exited from BPS SEI Language Specific or Multilingual +program placement if they currently occupy such a seat. +○ Per DOJ, consecutive year ELD 3 students may not be +grouped together with ELD 1-2 students for their ESL +instruction. +● Transitional ELD 3 students (students who received an +ACCESS overall score of 3.5-3.9) will be automatically exited +from BPS SEI Language Specific or Multilingual program +placement if they currently occupy such a seat. +● Students who scored lower on their ACCESS test than their +previous ELD level will be held harmless. +● Students who did not take the ACCESS or complete ACCESS +due to absence or other circumstance will retain their +previous ELD level. +● Students who did not take all domains of ACCESS due to an +SPD code will receive their appropriate levels and program +placements according to the policies listed above upon +release of their ACCESS overall score by the state in early fall. +► Resource: End of Year Leveling Guidance 22-23 + + + + + + +Page 36: +Superintendent’s Circular CAO-05 +Page 36 of 36 + +For more information about this circular, contact: +Owner: +Linda Chen, Senior Deputy Superintendent of +Academics and Interim Assistant +Superintendent of OMME +Department: +Office of Multilingual and Multicultural +Education (OMME) +Mailing Address: Bolling Building, 2300 Washington Street, 6th +Floor, Roxbury, MA 02119 +Phone: +617-635-9435 +Email: +OMMEequityteam@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-25 +DATE: +Version 01 + +GUIDELINES FOR INTERNATIONAL FIELD TRIPS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: *These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that +could impact travel. For the most up-to-date information and +guidance, contact the Department of Global Education +(kdorseytwumasi2@bostonpublicschools.org) for +assistance/guidance. +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +● This circular should be read AFTER the Superintendent’s +Circular CAO-22, General Guidelines and Procedures for All +Field Trips, as additional guidelines are outlined there. +● The principal/head of school (and/or the district +department lead sponsoring the trip) are responsible for +ensuring that all field trip policies and procedures as +outlined in this circular and others are adhered to. +● As soon as a trip opportunity becomes known, contact the +Department of Global Education for support throughout +the planning process. The principal/head of school (and/or + + +Page 2: + +Superintendent’s Circular CAO-25 +Page 2 of 104 +the district department sponsoring the trip) and the +program leader (lead chaperone) must review and +complete checklists for this circular throughout the +planning process. Signed checklists must be kept on file at +the school. +PLANNING PROCESS +International Field Trip Program: An international field trip +program is any trip off school grounds that involves travel to a +location outside of the United States. International field trips +must be planned at least a year in advance to maximize +affordability and fundraising efforts, and when possible, +scheduled during non-school time (i.e., school vacations, and +summer). NEW: BPS international field trip programs require +execution by a reputable travel vendor and will require a vetting +process by the Department of Global Education and BPS legal. +Travel to ‘U. S. Territories, including Puerto Rico, the United States +Virgin Islands, Guam, American Samoa, and Northern Mariana +Islands are covered under international travel insurance. Travel to +these territories is subject to some forms and requirements in the +CAO-25 International Field Trip guidelines, but only require +Principal/Head of School approval. Consult with the Department +of Global Education for required forms for these destinations. +APPROVAL PROCESS +• STEP 1: Interest Form & Consultation: +As soon as a trip opportunity becomes known, or there is +interest in an international travel program, teachers must +complete an Interest Form from the Department of Global +Education, and inform their principal/head of school. + + +Page 3: + +Superintendent’s Circular CAO-25 +Page 3 of 104 +Contact the Department of Global Education for support +and guidance with the CAO-25 application, and throughout +the planning process. No arrangements should be made, +meetings held, payments, or deposits made without +consultation with the Department of Global Education and +formal application approval from the Superintendent. +• STEP 2: CAO-25 Application +After consulting with the Department of Global Education +and head of school, the CAO-25 application shall be +submitted to the Director of Global Education no less than +10-12 months before departure. The proposal and official +application must be completed, reviewed by the +principal/head of school, and endorsed with an official letter +from them. The application then requires approval by the +Department of Global Education, which will then seek +approval from the appropriate district leaders, before +obtaining final approval from the Superintendent. Again, No +arrangements should be made, payments or deposits +placed without approval first from the Superintendent. You +cannot gauge student interest or engage with families +without program approval. District leadership and/or the +Superintendent may have questions about your application +or ask that aspects of the proposal be changed or removed. +• STEP 3: Approval +Once the CAO-25 application is approved by the +Superintendent, in consult with your principal/head of +school, you may begin to promote the international +program to students, families, and your school community. +Should your itinerary, roster, or any other aspect of your +approved application package change, you must notify the + + +Page 4: + +Superintendent’s Circular CAO-25 +Page 4 of 104 +Department of Global Education in writing as soon as +possible. +SAFETY PREPAREDNESS +• Travel Advisories/Warnings: Travel to countries cited as a +Level 3 or 4 in the United States Department of State Travel +Warning Listing or the Center for Disease Control (CDC) are +prohibited. For countries listed as a Level 2, consult the +Department of Global Education in advance. The Boston +Public Health Commission and Department of Global +Education will continue to monitor country destinations for +safety. The program leader, principal/head of school are also +responsible for checking the State Department and CDC +throughout the trip planning process as levels change. +Please note: The Superintendent reserves the right to cancel +any field trip up to and including the day of departure to +manage risk. +• Insurance: Through On Call International insurance, the +district provides medical coverage for international BPS +sponsored trips for BPS students, BPS staff participants, and +chaperones. On Call will serve as the primary source for +medical insurance while abroad. However, in some cases, if +a hospital visit is required, students may be required to pay +out of pocket, and be reimbursed by On Call later. Families +will want to budget for this just-in-case expense. +The On Call insurance policy does NOT include cancellation +or trip interruption insurance should the trip be canceled or +interrupted for any reason other than medical. +Cancellation/interruption must be due to the traveler +getting sick, injured, or someone in the traveler’s immediate + + +Page 5: + +Superintendent’s Circular CAO-25 +Page 5 of 104 +family being sick, injured, or death. Students/Families would +need to show proof of a sickness/injury and the +sickness/injury must be so disabling as to cause them to +cancel/interrupt their trip. If there is a sickness/death for +their family member they would need to show proof of that +too. Save all receipts for flights/lodging for reimbursement +purposes and a claim form would need to be filled out. +Families will need to know in advance that Trip Cancellation +has a $2,000 limit, and Trip Interruption has a $2,500 limit. +Again, the superintendent reserves the right to cancel a trip +for any reason and at any time for safety purposes–Cancel +for Any Reason Insurance (CFAR) is NOT provided by the +district. Therefore, all trip participants are strongly +encouraged to purchase their own (CFAR) insurance to +protect their trip investment. +On Call International provides overseas evacuation +insurance (enabling students who become seriously ill or for +whom there is some kind of emergency to be returned to +the United States). On Call International must coordinate, +approve, and perform the evacuation. Emergency family +travel arrangements are covered up to a limit if the traveler +is hospitalized for 2 or more days. +• Informed Parental Consent, Associated Risks, and +Indemnity: Families must sign the customized Informed +Parental Consent, Associated Risks, and Indemnity form +explicitly developed for their travel program by the director +of Global Education and BPS Legal in collaboration with the +program leader. The program leader is responsible for +initiating this form based on a template provided from the +Department of Global Education. + + +Page 6: + +Superintendent’s Circular CAO-25 +Page 6 of 104 +• District Training: Program leaders must attend training for +effective in-field risk management and response practice. +This training is offered by the district once per year. Please +email the Department of Global Education for details. If you +miss the training, you must schedule a meeting with DGE to +supplement. +o While this training is mandatory for program leaders, it +is recommended that one additional chaperone from +the team attend the training with the program leader. +However, in cases where other chaperones (non- +program leaders) are not able to attend the in-person +training (due to budget, space, or scheduling), it is +expected that they will receive training and +information from pre-travel meetings/virtual webinars, +and guidance from the Department of Global +Education and program leader in preparation for their +role. All chaperones will be required to review this +document and participate in pre-travel meetings with +the Department of Global Education. +o CPR & First Aid: At least two chaperones (including the +program leader) must hold valid CPR AND first aid +certification. The district will offer this training at least +once per year for program leaders. Please email the +Department of Global Education for details. Ensure the +availability of a first aid kit/supplies from the +Department of Global Education. Verify emergency and +medical information and contact details. +• STEP Program: Program leaders, or parents must register +students and chaperones through the U.S. State +Department’s STEP (Smart Traveler Enrollment Program) +program. If you have non-U.S. citizens traveling with your + + +Page 7: + +Superintendent’s Circular CAO-25 +Page 7 of 104 +group, contact their respective embassies to see what +services they would provide these individuals in the event of +an emergency. U.S. embassies abroad do not necessarily +assist non-U.S. citizens in emergencies overseas. +• Transportation: School buses or BPS approved +transportation vendors’ vehicles MUST be used to transport +students to and from field trips or athletic events, regardless +of how the trip is paid for. Privately owned vehicles, vehicles +from non-approved vendors, ride sharing transportation +services such as Uber and Lyft, or leased vans are not to be +utilized to transport students to and from field trips or +athletic events, except in the case of a bona fide medical +emergency. Refer to TRN-03 and CAO-22 for information +and regulations on field trip transportation. +• Itineraries: Upon advance review of itineraries, BPS reserves +the right to deny schools to participate in field trip activities +on their itinerary where the risks of the activity outweighs +the intended learning outcomes of the program. The +program leader, in collaboration with the chaperone team, +are required to submit a risk analysis for each part of the +program that identifies the top 5 risks/concerns associated +with the program. +GOVERNMENT RESOURCES TO SUPPORT PREPARATION +• U.S. State Dept. Travel: www.travel.state.gov +• Overseas Security Council: +https://www.osac.gov/Pages/Home.aspx +• U.S. State Dept. Passport Application: +http://travel.state.gov/passport/ + + +Page 8: + +Superintendent’s Circular CAO-25 +Page 8 of 104 +• U.S. State Dept. Medical: +http://travel.state.gov/content/passports/english/go/checklis +t.html#checklist_parentitem_1 +• U.S. Embassies Abroad: www.usembassy.state.gov +• Visa Req. for U.S. Citizens Abroad: +http://travel.state.gov/content/visas/english/general/america +ns-traveling-abroad.html +• Center for Disease Control Traveler’s Health: +http://wwwnc.cdc.gov/travel/destinations/list.aspx +• U.S. Customs & Border Protection: http://www.cbp.gov/ (877- +227-5512) +MEDICAL PREPARATION FOR SAFE TRAVEL +• Doctor’s Visit: Prior to the trip, all students and chaperones +must inform their primary care doctor/travel clinic doctor of +their trip location and have had a recent doctor’s visit and +physical exam prior to departure. If any student has a +serious medical or mental health condition, please be sure +that their doctor writes a letter indicating that the child may +safely attend and participate in trip activities. There are +certain locations in the world where entry requires specific +vaccinations, immunizations, and medications necessary for +healthy travel--in those cases--all participants will be +required to obtain those vaccinations, immunizations, and +medications. +• Medical Documentation: Chaperones must document and +carry all students’ medical information, including any +specialized immunizations or medications required by their +doctors for travel. Participants are also required to list all + + +Page 9: + +Superintendent’s Circular CAO-25 +Page 9 of 104 +medications that might be prescribed with this particular +program in mind along with the other medications that +they may take regularly. Program leaders should send a +final email to all participants to check on additional +medications added before departure. +• School Nurse & Counselor Review: The program leader +must consult with the school leader to determine if, and +what type of medical assistance is needed for participating +students. To ensure accessibility, this step is crucial, and +must take place before the field trip is secured. For +additional questions, please consult the Health Services +Department. Additionally, to thoroughly support a student's +participation in a field trip, at least six weeks before +departure (much longer for international and overnight field +trip programs), consult with and, when necessary, receive +training from the school nurse regarding any students who +have medical needs. Also consult with the school counselor +regarding mental and behavioral health needs. If any +student has a serious medical or mental health condition, be +sure that their doctor is aware of the essential participation +criteria and location of the trip and writes a letter indicating +that the child may safely attend and participate in trip +activities. Keep this document on file with other key +permissions slips and medical forms. +• Nurse Verification Form: Review all students’ medical forms +with the school nurse and guidance counselor to ensure all +documents are completed and to be sure you are in the +strongest position to support each student’s health while +abroad. School nurses and counselors do not “clear” +students for travel but will provide chaperones with +guidance in supporting students while traveling. Consult + + +Page 10: + +Superintendent’s Circular CAO-25 +Page 10 of 104 +with, and when necessary, receive training from and obtain +written comments from the school nurse regarding any +students who have expressed medical needs. Complete and +submit the Nurse Verification form to the Department of +Global Education. +CHAPERONE CRITERIA +• Role of the Program Leader (Lead Chaperone): The +selection and approval of all chaperones is conducted by the +principal/head of school. The program leader is a BPS +employee and the lead chaperone organizing and leading +the trip. The program leader is required to have experience +leading, or co-leading BPS students (or students from +another district) abroad previously and has the full support +and approval of the principal/head of school to do so. The +program leader leads the entire school team and is the main +representative of the group and district while abroad. The +program leader is responsible for ensuring all guidelines in +CAO-22 and CAO-25 are followed and keeping the +principal/head of school and the district informed of trip +developments. The program leader is responsible for +completing the International Field Trip Request Form and +accompanying documents that are submitted to the +principal/head of school and Department of Global +Education for approval. The program leader is also +responsible for organizing the chaperone team, student +team, and pre-departure meetings. +• Chaperone Selection: Every adult on the trip must be a +chaperone and have a clear role. + + +Page 11: + +Superintendent’s Circular CAO-25 +Page 11 of 104 +o Diverse Strengths: Choose a chaperone team +purposefully and wisely, considering strengths and +what each chaperone can contribute to the overall +experience. The goal is to have a well-rounded team of +chaperones from different areas. We recommend that +at least one member of the chaperone team — if not +the program leader — speak the local language of the +country visited. For example, consider chaperones who +have visited the country before, and one who speaks +the local language. Additionally, consider chaperones +who are subject matter experts in the topic being +explored, or who have professional medical/social +emotional health experience. Efforts should be made +for chaperones to be representative of the student +group and include males and females where relevant. +o Knowledge of Students: The selection and approval of +chaperones by the principal/head of school should also +be based on the individuals’ knowledge of, and rapport +with, most of the student participants. +• Chaperone Ratios: For international programs, the student- +to-chaperone ratio is 7:1, with a two-chaperone minimum. It +is recommended that a chaperone reserve, or backup, be +identified in the event a chaperone is no longer able to +participate at the last minute or must leave the field. The +reserve chaperone should have a valid passport and visa to +travel to the destination. Tour guides and employees of +third-party vendors contracted to help operate the trip are +not considered chaperones, and do not factor into the +student to chaperone ratio. All BPS and non-BPS +chaperones are required to sign the Chaperone Agreement +form. Refer to CAO-22 for additional chaperone criteria. + + +Page 12: + +Superintendent’s Circular CAO-25 +Page 12 of 104 +• Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who must be 21 years of age +or older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the eCORI form online. Contact the BPS +Office of Human Capital (OHC) for CORI check and +confirmation support. The principal/head of school and the +lead chaperone are responsible for submitting authorization +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. +• BPS Employee Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL of the student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS employee is +responsible for incurring all costs associated with their +child’s participation. +PASSPORTS & VISAS +• Check Student & Chaperone Passports: During the +recruitment process, physically check all students’ passports +well before your travel date to ensure that they are valid for +travel and will be valid at least six months after your return +date. Students must renew or apply for a first-time passport +as soon as possible as the process can be lengthy. + + +Page 13: + +Superintendent’s Circular CAO-25 +Page 13 of 104 +• Non-U.S. Passports: Determine who holds a non-U.S. +passport. There are many countries that do not require U.S. +passport holders to have a visa but require them for NON- +U.S. passport holders. There are also countries that might +require Americans to obtain a visa but do not require one for +a non-U.S. passport holder. Identify the countries from +which your travelers hold passports, as they might be +questioned in customs or might have to contact other +consulates if they lose their passports abroad. *Also plan for +delays at border control at the airport for non-US passport +holders. +• Visa Requirements: Research if your destination requires a +visa. Every country has a different application and timeline +for obtaining a visa. +• Parent Passports: Encourage parents to obtain valid +passports and visas should they need to travel to the +country for their child during an emergency. +• Copy Passports: Copies of student and chaperone passports +and visas must be left with families, and the principal/head +of school. + + + + +Page 14: + +Superintendent’s Circular CAO-25 +Page 14 of 104 +STUDENT ACCESSIBILITY, PARTICIPATION, AND CONDUCT +Student Participation: Students not enrolled in the Boston Public +Schools may not participate. Once on the field trip, student +participants are not permitted to leave the group to visit friends, +relatives etc., and rejoin the group. Students must remain with +the group at all times. +• Essential Participation Criteria: Before student recruitment +begins, the program leader and principal/head of school +shall work together to establish essential participation +criteria for the trip that informs students and parents of the +program objectives, all of the activities and risks associated +with each itinerary activity, and trip location, to determine +what accommodations or modifications may need to be +made for students to successfully and safely participation in +all or portions of the trip. +• Student Recruitment: By default, any program is open to all +students. However, there may be programs that are specific +to certain students (i.e., class, club, team, grade level specific +trips) with the consultation of the program leader and head +of school that keeps in mind financial accessibility, diversity, +and equity. The recruitment process must be transparent +and fair. The chaperone team must create an environment +and structures to support all students. Trips must be +advertised to all students (within the school, particular +grade, class, or program associated with the trip), regardless +of their financial situation. If there is a formal process for +being enrolled on your trip, such as an application, it must +first be approved by the head of school and have a clear +rubric that demonstrates the essential criteria for an +applicant. A student’s ability to pay may not be a criterion + + +Page 15: + +Superintendent’s Circular CAO-25 +Page 15 of 104 +for field trip participation. If a student is denied admission to +a trip, be prepared to speak to the student, administration, +or family if there are questions about your selection process. +Keep a record of all applications and decisions made. +Accessibility +• Field Trip Location Selection: Program leaders must +consider their student demographics when selecting field +trip locations, sites, and activities. The location of the trip +must tie directly to the objectives and learning outcomes of +the program. Specifically, determine the impact the +locations, sites, and activities that may have on diverse +populations such as students of color, ELL students, +students who identify with the LGBTQIA+ community, +students with disabilities, those who may be in the minority +during your field trip experience, and those students who +belong to groups that have experienced marginalization in +the location being visited. Program leaders must work to +prepare students for sensitive experiences and ensure that +the program is safe and inclusive for all students. Consult +the Department of Global Education for resources if needed. +• Access and Inclusion: Students with English Language +Learner status, 504 plans, and/or IEPs cannot be denied +access to field trips due to their ability. It is the responsibility +of the school to ensure that all accommodations normally +provided to a student as indicated in their educational plans +are made available during a field trip, including medication. +See Superintendent’s Circular SHS-08 Medication +Administration for information about medical dispensation +on field trips. Participating students’ IEP or 504 plan shall be + + +Page 16: + +Superintendent’s Circular CAO-25 +Page 16 of 104 +available to any staff coordinating and/or participating in +the field trip to meet the child’s needs. +• Student Health: If a student has a serious medical or mental +health condition, please be sure that their doctor is +informed of the essential participation criteria and location +of the trip and writes a signed letter on letterhead indicating +that the child may safely attend and participate in trip +activities. The program leader must keep this document on +file with other key permissions slips and medical forms. +Again, also consult with your school nurse at least 6 weeks +in advance. +• Inclusive Accommodations: In collaboration with the +student and their family, the program leader and +principal/head of school shall work with transgender and +gender nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety. +Program leaders should work with students and families to +make sure all travel documents (e.g., airline ticket, passport) +reflect their legal names as listed on government issued +identification, while all unofficial documents and materials +may reflect the student’s preferred name. Please view +additional rooming guidelines from the Office of Equity. +CONDUCT +The BPS Code of Conduct applies on all field trips. BPS students +and parents are required to sign a BPS Student Traveler & Family +Agreement Form regarding student conduct while participating +in a BPS sponsored field trip. Following an investigation, if the +program leader, in consult with the principal/head of school and + + +Page 17: + +Superintendent’s Circular CAO-25 +Page 17 of 104 +Central Office staff, determines that a student’s conduct while on +an overnight trip poses a risk to themselves or the safety of the +group, or is no longer manageable by BPS staff in the field, the +district reserves the right to request and arrange for that student +to return home. The district also reserves the right to request that +families assume responsibility for all or a portion of the costs +associated with their child’s return. Students may be subject to +further disciplinary action and will be provided the opportunity to +have a formal hearing at the school level upon return. The school +must document the parent/guardian’s consent of this policy prior +to the trip. +• Dismissal Transportation Protocol: If a student is to be +dismissed from an overnight field trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon destination. If the parent/guardian is not reachable, +the student’s principal/head of school or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +Program leaders must inform families of this protocol at or +before initial promotional meetings. +• Pre-departure Program Dismissal: In the event a student is +to be dismissed from an international field trip program +before departure, a Pre-departure Incident Report must be + + +Page 18: + +Superintendent’s Circular CAO-25 +Page 18 of 104 +submitted to the Department of Global Education (DGE). A +chaperone cannot dismiss a student from a trip without +approval from the principal/head of school. The +principal/head of school must approve the recommendation +for dismissal by signing the pre-departure incident report. +The report should then be filed with the DGE, who will +review and file the report. Any loss of fees or deposits +associated with early dismissal will be absorbed by the +family, which must be communicated before any deposits +are made by families. Program leaders must inform families +of this protocol at or before initial promotional meetings. +PRE-DEPARTURE MEETINGS +• Student Meetings: Program leaders must conduct at least +three (more are recommended) student meetings before +departure. This does not include the mandatory parent +meeting; however, students should be encouraged to +attend the parent meeting as well. Meetings should review +logistics and prepare students to be mindful, healthy, +responsible, and safe travelers. Most programs hold many +more meetings to prepare students for the challenges and +rewards of the travel experience. +• Parent Meetings: Program leaders must conduct at least +one (more are recommended) parent/guardian meeting +(with each family, or all families together). This does not +include the initial meeting to promote the trip. Please note +that if traveling to a Level 2 destination issued by the Center +for Disease Control (CDC) or State Department, the program +leader is required to inform parents of the medical or safety +concerns and precautionary plan. Please consult with the +Department of Global Education before this meeting. For + + +Page 19: + +Superintendent’s Circular CAO-25 +Page 19 of 104 +information on staying healthy while traveling, go to the +CDC page on Travelers’ Health/Medical Tourism. Your entire +group and their families must attend a mandatory +information session. All chaperones should be present and +play a role in this meeting. +• Meeting Topics: During pre-departure meetings, the +following topics must be reviewed (others may be discussed +at the lead chaperone’s discretion): +○ Trip’s educational purpose +○ Behavior expectations +○ Detailed itinerary +○ Review of country landscape (health, cultural norms, +safety, and security) +○ Insurance coverage +○ Required travel documents +○ Packing list +○ Communication plan and emergency contact +information +○ Transportation plans and logistics +○ Review and collect permission forms +○ Meals and accommodations +○ In-country transport (be specific, as modes of transport +vary country to country) +○ Expectations for in-country expenses and procedures +to exchange money, if applicable +○ Passport and visa requirements, if applicable +○ Program provider documents. +Contact the Department of Global Education for sample meeting +agendas and templates and support with meeting agendas. +Important Meeting Notes: + + +Page 20: + +Superintendent’s Circular CAO-25 +Page 20 of 104 +● Document parent/family attendance. +● Utilize zoom meetings when necessary. +● Develop a plan for families who may need translation +services at the meeting; students should not serve as their +parent/guardian’s translator. +● If a parent/guardian is unable to attend a meeting, at least +one trip chaperone (who is a BPS employee) must +physically meet with the parent/guardian about the trip +before taking the student abroad. Document this private +meeting for your records. +Chaperone Team Meetings: +Program leaders must conduct at least three pre-departure +chaperone team meetings. Meeting topics to include: +○ Assign chaperone roles for pre, during, and post trip; +○ Review Emergency Action Plan (EAP) and insurance +coverage; +○ Student paperwork (Binders) +○ Participants +○ Student Code of Conduct Agreement +○ The Pre-Departure Incident Report and the incident +report form for while on the trip +○ For non-BPS employee chaperones, review their +knowledge of BPS policies and chaperone expectations +○ Review detailed itinerary +○ Distribute responsibilities +○ Map out plans that include movement from one place +to another and program transitions. +○ Determine if there are any students who require extra +support, or physical/medical accommodations + + +Page 21: + +Superintendent’s Circular CAO-25 +Page 21 of 104 +○ Review with the team any recommendations, advice, +or instructions that you have received from the school +nurse, guidance counselor, parent, or primary care +doctor. +Non-BPS Chaperones: +Along with CORI/SORI clearance they must schedule a +consult with the Department of Global Education at least 8 +weeks prior to departure and attend at least one pre-trip +parent meeting and at least one student meeting. +All non-BPS chaperones must know the details of the trip, +the Emergency Action Plan (EAP), the BPS Code of Conduct, +and other district and school-based rules. The program +leader must be sure all non-BPS chaperones understand +BPS rules and schedule a consult with the Department of +Global Education. +COMMUNICATION PLAN +• International Phone Service Coverage: Program leaders +must have international cell phone coverage for the +duration of the trip for communication with BPS and +families in the event of an emergency. This cell phone must +be on at all times so you may be contacted in case of an +emergency. If this is not possible due to your location, please +arrange a communication plan with your principal/head of +school and the Department of Global Education. If such +international coverage requires you to purchase an +international plan or to accrue additional costs due to the +trip, please submit your receipts to the BPS Finance Office +for reimbursement. Program leaders must also carry the +phone numbers for the principal/head of school or + + +Page 22: + +Superintendent’s Circular CAO-25 +Page 22 of 104 +sponsoring district department, and the Department of +Global Education. You are required to call your head of +school and the Department of Global Education anytime +there is an emergency. +• District Communication: Codify a clear communication plan +with your principal/head of school or sponsoring district +department, and the Director of Global Education prior to +departure. The director of Global Education will initiate a +group chat with the program leader, and head of school on +WhatsApp. You must check in with the Director of Global +Education via phone, text (download WhatsApp for free for +messaging), or email upon arrival, every 48 hours, whenever +the itinerary significantly changes, whenever you expect to +lose cell/email coverage, upon departure, and upon safe +return. You MUST check in via phone call to your Head of +School and the Department of Global Education when there +is an incident. +• Definitions of communication types and expectations: + + + + +Page 23: + +Superintendent’s Circular CAO-25 +Page 23 of 104 + +Green Communication: No immediate concern. +Program leader: Notifies head of school and on-call BPS +staff about arrival, departure, changes in itinerary, loss of +connectivity, highlights of programs, photos. *Check in daily +via text, phone call, email. +Yellow Communication: A Yellow Call is a reportable situation or +event, but no threat to life, limb, eyesight, or potential for severe +emotional trauma. The incident is managed effectively in the +field by program leader, but could devolve to a serious or critical +incident, and requires attention from BPS on-call staff. +Program leader: (1) Notifies Head of School and on-call BPS +staff; (2) Documents Incident SOAP Report (3) Monitors (4) +Updates on-call BPS staff +Red Communication: Critical, violent time sensitive incident, +illness, injury; or event that resulted in loss or potential loss of life, +limb, eyesight. Student disciplinary violations. +Requires IMMEDIATE RESPONSE of program leader: (1) +Alerts appropriate local medical care, local law enforcement, +and/or shelter, triggers insurance support if able to do so. (2) +Notifies head of school and on-call BPS staff; (3) Documents +Incident SOAP Report (4) Monitors (5) Updates head of +school and on-call BPS staff +Refer to BPS International Field Trip Communication Plan for +more information. +• Communication with Families: Set expectations regarding +communication during travel between chaperones/student + + +Page 24: + +Superintendent’s Circular CAO-25 +Page 24 of 104 +travelers and the principal/families. Families must know +whom to call 24/7 in case of an emergency. If you need +support in family communication before, during, and after +the trip, contact the Department of Global Education. +• Communication with Students: Set and remind students +and families of the expectations for social media usage +while abroad. Discuss what is, and is not acceptable for +posting, recording, and sharing on social media. Make clear +the boundaries, confidentiality, and privacy of other +students, staff members, and visiting communities as it +pertains to social media footage. These expectations should +be discussed several times during the pre-departure +meetings and while in the field. *Remember that the BPS +Code of Conduct is applicable. +DOCUMENTATION & FORMS +● Documents for Students & Families: Prepare, distribute to, +and collect from each participating student and chaperone +the following: +○ Parental Authorization for International Field Trip form +○ Medical Information Form +○ Medication Administration Form +○ Chaperone Agreement Form +○ Student & Family Conduct Agreement Form +○ Student Support for Field Trip Travel Form +○ Any Parental Waivers associated with your program. +○ If applicable, prepare, distribute, and collect the +Notarized Parent/Guardian Airline Travel Consent +Form. (Some countries, airlines, and travel companies + + +Page 25: + +Superintendent’s Circular CAO-25 +Page 25 of 104 +require this. Research your particular trip to see if this +applies.) +○ If your program includes a homestay, refer to CAO-26 +Homestay Guidelines for required forms. +● Documents to Submit to Central Office Approval: The +following documents must be submitted at least 10-12 +months in advance of the trip to the Department of Global +Education for the program to be reviewed, and the +necessary signatures obtained for approval. You must send +your completed application to the Department of Global +Education for review and feedback prior to final submission. +Below is an overview of the required documents. A more +detailed list is included in the application section of this +circular. +○ CAO-25 International Field Trip Request Form (with +original signature of the Headmaster/Principal or +sponsoring District Department, and Program Leader) +○ Signed Cover Letter (on school letterhead) addressed +to the superintendent and Department of Education +from the principal/head of school/district department +lead stating support for the proposed trip. +○ International trip narrative: +■ What was the student recruitment and selection +process? +■ What are the student learning outcomes of your +program? +■ How will this program build students’ global +competence (investigate the world, communicate +ideas, weigh perspective, take action: identify all +that apply and how they will be addressed +through your program). + + +Page 26: + +Superintendent’s Circular CAO-25 +Page 26 of 104 +■ What specific standards are addressed in your +program, and how will they be addressed? +■ How and when will your students reflect on what +they learned from this experience? +○ Itinerary (detailed): Day-by-day and hour by hour (or +morning/afternoon/evening) format providing detailed +information about program (i.e. +hotels/accommodations, sites visited, activities +planned, meetings held, curfew set, and meals +scheduled for the morning, afternoon, and evening) +○ Emergency Action Plan +○ Nurse Verification Form +○ CAO-25 Acknowledgment Form +○ Tentative Student Traveler Roster: [Prior to departure, +the program leader must submit a FINAL roster of all +confirmed student travelers that includes: BPS ID, their +name, grade, age, D.O.B, the country in which their +passport is issued, emergency contact name and +number, and (NEW) if student is traveling abroad for +the first time. +Important Note: **Submit documents for Water Activities +(CAO-27)) if applicable.* While you do not need to submit +to the central office a copy of each Parental Authorization +for International Field Trip permission, this form must be +on file at your school when your trip request is submitted +to the district office. +● Documents to Leave with your principal/head of school: +○ CAO-25 circular with checklists +○ Permissions Slips (updated based on contact +verification done with families) + + +Page 27: + +Superintendent’s Circular CAO-25 +Page 27 of 104 +○ Student & Family Conduct Agreement Form +○ Parental Waivers +○ Medical Information Form and Medical Administration +Form +○ Notarized Airline Consent Form (if applicable) +○ Copies of passports, visas, resident cards and other +travel related documents +○ Emergency Action Plan (EAP) +○ Insurance Information +○ Fire Prevention and Safety Information +○ International Program Incident Report (blank for +reference) +○ Finalized Homestay List and other homestay +documents (if applicable) +○ Water Activities Forms (if applicable) +● Documents to Take Abroad: +○ Permissions Slips (updated based on contact +verification done with families) +○ Medical Information Form and Medical Administration +Form +○ Student & Family Conduct Agreement Form +○ Parental Waivers +○ Notarized Airline Consent Form (if applicable) +○ Copies of passports, visas, resident cards and other +travel related documents +○ Emergency Action Plan (EAP) +○ Insurance Information +○ BPS Field Guide Protocols with Emergency Phone +Numbers +○ Fire Prevention and Safety Information + + +Page 28: + +Superintendent’s Circular CAO-25 +Page 28 of 104 +○ International Programs Incident Report (blank and/or +completed) +○ International Witness Report Form (blank and/or +completed) +○ Incident Investigation Log (blank and/or completed) +○ SOAP Note (blank and/or completed) +○ List of addresses and emergency contacts in country +for all travelers +○ Homestay documents, if applicable +○ Water activities form, if applicable +○ Program leader carries originals of permission slips and +medical forms; other chaperones carry copies. +DURING THE FIELD TRIP PROGRAM +● Team Safety: If you believe conditions are unsafe or +unhealthy at any point on the trip, it is the program leader’s +responsibility to make adjustments in the interest of +group/individual safety. Consult the Department of Global +Education during the trip when you have questions +regarding trip safety. +● Conduct Safety Reviews with Students in the Field: The +following topics must be reviewed with students: +○ Program leaders conduct a fire and safety assessment +and fire drill (Fire Prevention and Safety Instructions) +when you arrive at EACH NEW accommodation. Share +the assessment with the chaperone team and prepare +for orientation and fire drill. +○ Share evacuation plan and emergency plans. Discuss +where students go during an emergency or otherwise. + + +Page 29: + +Superintendent’s Circular CAO-25 +Page 29 of 104 +Discuss where students go if they are separated from +the group during an activity. +○ Ensure students have a list of the key addresses +(hotel/chaperone/host family contact information) and +emergency information for the US and the +international destination as well as copies of all travel +documents. Share where you are staying (room +number if applicable) and how to reach you on the trip. +○ Conduct in-country orientation for conduct and +cultural expectations. Set expectations regarding social +media. This is especially critical during an emergency. +○ Conduct safety orientations for service learning +projects where teams work to construct, alter, and/or +repair structures, including painting and decorating +and for agricultural projects; chaperones, with support +of program providers, must conduct a safety +orientation at the beginning of each activity. +● Student Debriefs/Reflections: +○ Conduct morning briefings to review the day’s itinerary +and key information. Ask and answer questions. +○ Conduct afternoon and/or evening debriefings to +review the next day’s itinerary, gather feedback, +process the day’s learning, and make any necessary +adjustments. Engage students in conversations that +help them process their experiences. Help them to +reflect and break down stereotypes so that when they +return, they have a deeper understanding of the +culture and country they visited. Draw connections to +how they will take the experience home with them, +and how the lessons they have learned will translate +back home. + + +Page 30: + +Superintendent’s Circular CAO-25 +Page 30 of 104 +● Check-Ins and Student Supervision: +○ Conduct frequent check-ins with the chaperone team +to assess programming, student dynamics, and to +make any adjustments. +○ Conduct frequent check-Ins with students about their +behavioral and physical health as well as their ability to +process their trip experiences. +○ Conduct nightly bed checks to ensure students are in +their rooms at the designated time. If staying in a +hotel/hostel, be sure to request in advance for students +to be placed near chaperones. If students are with host +families, share the BPS policy of nightly bed checks to +ensure students are safely in their rooms each night. +Students should know exactly how to get in touch with +a chaperone in case of an emergency (room number or +phone number if staying with a host family). +○ Establish a curfew with clear guidelines, and ensure +doors are open if students congregate in the evening. +Adults should stay close by and conduct frequent +expected and unexpected room checks. Be mindful +about romantic relationships among students. +○ Do not leave students alone! Students should be +accompanied by chaperones (or if applicable, host +families and students) unless part of a scheduled +activity and age appropriate, as approved by their +parent/guardian in advance. However, if +unaccompanied as part of a scheduled and structured +activity, students should be in at least groups of three, +AND always know how to reach an adult chaperone. +○ Conduct regular, frequent headcounts and buddy +checks throughout the day. + + +Page 31: + +Superintendent’s Circular CAO-25 +Page 31 of 104 +INTERNATIONAL PROGRAM INCIDENT REPORTING AND +SUPPORT +Contact your head of school and the Department of Global +Education for any emergency that results in the admittance of a +student or chaperone to a hospital or clinic, or if you fear for the +safety of anyone on your trip at any time. When in doubt, call! +Emergencies may be of a medical, environmental, political, +behavioral, legal, logistical, or other nature. You MUST check in +via phone call to the Department of Global Education when there +is an incident. Refer to BPS International Field Trip +Communication Plan for more information. +[NEW] Examples of incidents (this is not an exhaustive list): +Green Examples: Positive group gains, dynamic and culture, +media coverage +Yellow Examples: Fever, loss of passport, diarrhea, +constipation, vomiting when prescription medication is +administered by BPS staff, lost/damaged/insufficient +prescription medication, tooth loss/ crack/chip, animal or +insect encounters that could potentially result in injury, any +time insurance is used or consulted, insect bites or stings +out of the ordinary, lost or stolen luggage, challenges in +Customs. +Red Examples: Sexual assault, terrorism, missing person, +crime/theft; head injury, loss of consciousness, contraction +of parasite and/or infestation, animal bites, transportation +accident, severe allergic reaction, exposure to any +communicable diseases, eye injury, heat exhaustion/stroke, +hyperthermia, significant violations of student/chaperone +conduct contract (fighting, alcohol, drug use, possession of + + +Page 32: + +Superintendent’s Circular CAO-25 +Page 32 of 104 +weapons, bullying, harassment, persistent behavior from +participant that is disruptive, poses a risk to team and the +success of the program), severe weather, exposure to any +toxic or potentially toxic chemical/irritant +➤ Note: This list is not exhaustive. Any additional incident not +listed but deemed unusual or potentially harmful by the program +leader, should be reported. Yellow incidents have the potential to +quickly progress to Red incidents. Thus, yellow incidents should +be monitored closely, and On-Call BPS staff should be kept +abreast of any updates, and changes in status. +File an International Program Incident Report via email if possible +OR as soon as circumstances permit. Utilize the SOAP note, +witness reports and incident investigation logs as necessary. Turn +in the original reports to the Department of Global Education as +soon as you return to Boston. When incidents occur, it is critical +that everything is documented. +AFTER THE FIELD TRIP (MANDATORY) +● Medical Follow-Up: Depending on travel location and +prescribed travel medication, call all students and families +after the trip to remind students to continue to take all +prescribed travel medication. Additionally, remind students +(and inform parents/guardians) to see a doctor immediately +if they are not feeling well after the trip and to inform the +doctor of their recent travels. +● Incident Reports: If applicable, file and follow up with +International Programs Incident Report, International +Programs Witness Report and International Programs +Incident Log. + + +Page 33: + +Superintendent’s Circular CAO-25 +Page 33 of 104 +● District Survey: Complete the BPS Post-International +Program Survey to provide feedback on your experience. +AFTER THE FIELD TRIP (SUGGESTED) +● Write thank you notes. +● Present to school, family, and the community about the +experience. +● Conduct related creative and/or analytical projects to +showcase student learning. +● Write a news article about the trip for a local newspaper or +website. +● Email stories, journals, and pictures of your trip to the +Department of Global Education. + + + + +Page 34: + +Superintendent’s Circular CAO-25 +Page 34 of 104 + +For more information, questions, and support about this +circular, please contact: +Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 35: + +Superintendent’s Circular CAO-25 +Page 35 of 104 +INTERNATIONAL FIELD TRIP CHECKLIST +Field Trip Category(s): ____________________________________________ +(For category, see CAO-22.) +Site: _____________________________________________________________ + + +Date: __________________________________ + +Alternate Date: _________________________ + +Item +Complete? +Review Superintendent Circular No. CAO-22, +General Guidelines and Procedures for All Field +Trips. + +Review Superintendent’s Circular on Medical +Emergency Management, FSE-05 and Incident +Data-Reporting and Release, SAF-04 for +important safety protocols. While on the trip, the +Department of Global Education must be notified +in the event of a serious incident or emergency +and should be used as a resource for questions +regarding safety on international field trips. + +Select a site and investigate the appropriateness +of the site in relation to the category of field trip. + + +CAO-25 ACKNOWLEDGEMENT FORM + + +Page 36: + +Superintendent’s Circular CAO-25 +Page 36 of 104 +Please sign this checklist, retain a copy for your file, submit the +original to the school office for filing and attach to your +completed request package. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + +School Name: ____________________________________________________ + +_______________________________________________ __________________ + +Signature of Program Leader +Date + +_______________________________________________ __________________ +Signature of Principal/Head of School or + Date + +Sponsoring District Department + + + + + + +Page 37: + +Superintendent’s Circular CAO-25 +Page 37 of 104 +INTERNATIONAL FIELD TRIP REQUEST DOCUMENT CHECKLIST +The following documents must be submitted at least 10-12 +months in advance of the trip to the Department of Global +Education so that the trip may be reviewed and the necessary +signatures may be obtained. Complete this application with as +much information and detail as you have available. Should +additional and final details become available later, please update +the Department of Global Education as soon as possible. It is +recommended that you send drafts of these documents to the +Department of Global Education for review and feedback prior to +final submission. Please type all documents and retain copies of +all documents submitted. +Documents to Submit to the Department of Global Education +for Approval +1. International Field Trip Request Form (with original +signature of the principal/head of school or sponsoring +district department, and program leader) +2. Signed Cover letter (on school letterhead) addressed to the +superintendent and Department of Education from the +principal/head of school/district department lead stating +support for the proposed trip. +3. International Trip Narrative Educational Goals (please be +detailed): +a. What is the purpose of this international program? +Why is it necessary, and why is this specific location +relevant? +b. What are the student learning outcomes of your +program? + + +Page 38: + +Superintendent’s Circular CAO-25 +Page 38 of 104 +c. How will this program build students’ global +competence (investigate the world, communicate +ideas, weigh perspective, take action: identify all that +apply and how they will be addressed through your +program). +d. What specific standards are addressed in your +program, and how will they be addressed? +e. Describe the student recruitment and selection +process? How did you ensure the process was +equitable and inclusive? +f. How and when will your students reflect on what they +learned from this experience? +4. Itinerary +a. Day-by-day and hour by hour (or morning/afternoon/ +evening) format providing detailed information about +program (i.e., sites visited, activities planned, meetings +held, curfew set, and meals scheduled for the morning, +afternoon, and evening) +5. Emergency Action Plan +6. Nurse Verification Form +7. CAO-25 Acknowledgment Form +8. Tentative Student Traveler Roster (Prior to departure, the +program leader must submit a FINAL roster of all confirmed +student travelers that includes: BPS ID, their name, grade, +age, D.O.B, the country in which their passport is issued, +emergency contact name and number, and if student is +traveling abroad for the first time. +Important Note: Submit documents for Water Activities +(CAO-27) and/or Homestays (CAO-26) if applicable. + + +Page 39: + +Superintendent’s Circular CAO-25 +Page 39 of 104 + + + + +Page 40: + +Superintendent’s Circular CAO-25 +Page 40 of 104 + +INTERNATIONAL FIELD TRIP REQUEST FORM +(This form along with all accompanying documents listed in this +circular must be completed by the lead chaperone in +consultation with the principal/head of school. It is submitted to +the Department of Global Education at least four months prior to +the trip.) +School/District Department: _____________________________________ + +Head of School /Principal Information: +Name: ______________________________________________________ +Cell phone: __________________________________________________ +Email: _______________________________________________________ +Select Field Trip Category (See CAO-22 for descriptions): +● Instructional +● Cultural +● Community Building +● Service Learning +● Personal Growth & Development +Program Destination(s): Include exact cities, or regions: + __________________________________________________________________ + __________________________________________________________________ + + +Page 41: + +Superintendent’s Circular CAO-25 +Page 41 of 104 +Dates of Trip: +Departure Date: ________________ Return Date: ___________________ +Student Data: Send complete student roster to Dept. of Global +Education before travel. Roster must include D.O.B, grade, +country of passport issuance, emergency contact name and +number. +Number of Students: ________________ + +Number of First Time Student International Travelers: _______ + +Chaperone Data: Chaperones: 7:1 ratio and minimum of 2 +chaperones +Information +Program Leader +Chaperone +Chaperone +Name + + + +Cell Phone +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back up # + + + + + + + + +Page 42: + +Superintendent’s Circular CAO-25 +Page 42 of 104 + +Information +Chaperone +Chaperone +Chaperone +Name + + + +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back Up # + + + + +Information +Chaperone +Chaperone +Chaperone +Name + + + +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back Up # + + + + +Funding +Please note that: A criterion for participation, may not be the +student and their family’s ability to pay. Also “100” school funds +may not be used for international trips. +Cost Per Person: _________________________________ + +Total Cost: $ _____________________________________ + + + + +Page 43: + +Superintendent’s Circular CAO-25 +Page 43 of 104 +Funding Source(s): +(List funding sources below. Please detail how the trip was paid +for and how students had access to this trip regardless of the +trip’s cost.) + + + +Grant name/Grant Number (if applicable): _______________________ + +Fundraise with Private Grants BEDF Account Code/Description (if +applicable): _______________________________________________________ + +Country/Site Information +Country(s) to be visited: + +Is this country(s) listed on the +United States Department of +State Travel warning list? + +Is this country(s) listed on the +Center for Disease Control +(CDC) warning list? + +In-Country/Site Contact Person +and Title/Role: + +In-Country/Site Telephone # + +In-Country/Site Email Address + + + +Page 44: + +Superintendent’s Circular CAO-25 +Page 44 of 104 +Native language of in- +country/site contact person + +Can the in-country/site contact +person speak English? + + +Has your travel vendor/partner been vetted by the Department of +Global Education/BPS Legal?  Yes  No +Vendor Name: ______________________________________________ +Vendor Contact Name: ______________________________________ +Vendor Contact Number & Email: ___________________________ +AIRLINE TRANSPORTATION TO INTERNATIONAL DESTINATION +(Please note: You may include your flight reservation as an +attachment; however, the following section must still be +completed.) +Departing flight from US/Boston: +Departure Date + +Departure Time + +Departure Location + +Departure Airlines + +Flight Number + +Departing Flight +Arrival Date + + + +Page 45: + +Superintendent’s Circular CAO-25 +Page 45 of 104 +Arrival Time + +Arrival Location + +Return flight to US/Boston +Return Date + +Return Time + +Return Location + +Return Airlines + +Flight Number + +Return Flight Arrival +Date + +Arrival Time + +Arrival Location + +Additional Transportation in the U.S. (i.e., to and from airport): +Will you be providing transportation for students to and from the +airport? ▢ Yes ▢ No +If no, how will students get to and from the U.S. airport? + __________________________________________________________________ + __________________________________________________________________ +If yes, please complete the chart below. + + +Page 46: + +Superintendent’s Circular CAO-25 +Page 46 of 104 +Mode of +Transportation + +Transportation Co. + +BPS Vendor # + +Company Number + +Pickup Location + +Pickup time + + +Transportation to International Destination (other than airplane): +Mode of +Transportation + +Transportation Co. + +BPS Vendor # + +Company Number + +Pickup Location + +Pickup time + +Where will you be +transported to? +(Address of hotel, or +drop off site) + + +Transportation in Foreign Country +All modes of transportation arranged within the foreign country: + + +Page 47: + +Superintendent’s Circular CAO-25 +Page 47 of 104 + + +IN-COUNTRY LODGING INFORMATION +Primary Lodging +Contact information if students will be staying in a hotel or +hostel: Itinerary must provide detailed information regarding +lodging each night. +Name of site + +Address + +Number + +Dates + + +Name of site + +Address + +Number + +Dates + + + + + + +Page 48: + +Superintendent’s Circular CAO-25 +Page 48 of 104 + +Name of site + +Address + +Number + +Dates + + +Does your trip include water activities? +YES ▢ NO ▢ +If yes, have you reviewed CAO-27, and completed the necessary +forms? +YES ▢ NO ▢ +Home Stay +*Note: The permissibility of Home Stay programs is currently +under review. +Will this program include a home stay? YES ▢ NO ▢ +If yes, is this home stay facilitated by a third-party vendor? If yes, +please provide the company name and site contact info. + __________________________________________________________________ + __________________________________________________________________ + + +Page 49: + +Superintendent’s Circular CAO-25 +Page 49 of 104 +Safety is the highest priority in the Boston Public Schools. Have +you followed the Home Stay Guidelines CAO-26 and completed +the necessary forms? YES ▢ NO ▢ N/A +Have parents/guardians signed the Home Stay Waiver form? +YES ▢ NO ▢ N/A +Water Activities +Does your program include water activities? +YES ▢ NO ▢ N/A +If yes, have you reviewed CAO-27, and completed the necessary +forms? YES ▢ NO ▢ N/A +TRAVEL LOGISTICS +Have you held (or will you hold prior to departure) at least three +pre-departure student meetings to prepare the student team for +the responsibilities of participating in an international trip as +outlined in CAO-25? YES ▢ NO ▢ +Meeting Date: +Meeting Date: +Meeting Date: +Have you held (or will you hold prior to departure) at least three +chaperone meetings to prepare the adult team for the +responsibilities of leading students on an international trip as +outlined in CAO-25? YES ▢ NO ▢ +Meeting Date: +Meeting Date: +Meeting Date: + + +Page 50: + +Superintendent’s Circular CAO-25 +Page 50 of 104 +Have you conducted (or will you conduct prior to departure) at +least one parent meeting (in addition to the promotional +meeting) to review required topics outlined in CAO-25? +YES ▢ NO ▢ +Meeting Date: +If you are traveling to a destination with an alert from the CDC or +State Department Level 2 country, will you provide families with +the respective Informed Parental Consent, Associated Risk, +Indemnity Form? YES ▢ NO ▢ +Do you have trip cancellation insurance? YES ▢ NO ▢ +Please describe the contingency plan should your departure +and/or return travel be delayed: + + +TRAVEL SAFETY AND RISK MANAGEMENT +Have all travelers received (or will they all receive prior to +departure) all travel immunizations, vaccinations, and relevant +medications recommended by the CDC and their primary care +doctors? YES ▢ NO ▢ +Comments: + +Who on your chaperone team speaks the local language? + + +Page 51: + +Superintendent’s Circular CAO-25 +Page 51 of 104 + __________________________________________________________________ + __________________________________________________________________ +Have the program leader and other chaperones reviewed the +BPS Insurance Policy? YES ▢ +NO ▢ +Does each traveler have health insurance coverage abroad, +including medical and political evacuation coverage? (BPS has +this insurance for ALL BPS students and BPS chaperones.) +YES ▢ NO ▢ +Has the program leader and other chaperones reviewed the BPS +Code of Conduct? YES ▢ +NO ▢ +Have all non-BPS employed chaperones scheduled a meeting +with the DGE? YES ▢ +NO ▢ +N/A ▢ +Has the program leader attended (or will they have attended +prior to departure) BPS Risk Management Training Abroad? + YES ▢ NO ▢ +Training Date: _______________________________________________ + (Training is valid for two school calendar years.) + + + + +Page 52: + +Superintendent’s Circular CAO-25 +Page 52 of 104 +Has the program leader led BPS students abroad before? +YES ▢ +NO ▢ +When? Provide the most recent date: _______________________ +If not, what experience(s) have prepared you to lead BPS +students abroad? + +Do at least two chaperones hold valid (duration of the trip) CPR +and First Aid certification? YES ▢ +NO ▢ +Names of certified chaperones: ___________________________________ + __________________________________________________________________ +Name of chaperones: ____________________________________________ + __________________________________________________________________ +Have you completed the Emergency Action Plan (EAP) for the +country you are visiting? YES ▢ NO ▢ +Have you (or will you prior to departure) set up a Pre-Departure +Risk Management meeting with the Department of Global +Education? YES ▢ NO ▢ N/A ▢ +Have you (or will you prior to departure) submitted the +Emergency Contact List for all travelers to the Department of +Global Education? YES ▢ NO ▢ +Have you completed the Nurse Verification form? YES ▢ NO ▢ + + +Page 53: + +Superintendent’s Circular CAO-25 +Page 53 of 104 +All CAO-25 “Checklists” MUST be followed by the program leader, +other chaperones, and principal/head of school or district +department sponsoring the trip before, during, and after the trip. +Will you complete all “Checklists” before, during, and after the +trip with the consult of your principal/head of school or district +department? YES ▢ NO ▢ +SCHOOL/DISTRICT DEPARTMENT APPROVAL +_________________________________________________ ________________ + +Program Leader/Lead Chaperone +Date +_________________________________________________ ________________ + Head of School/Principal or Sponsoring Dept. +Date +Signatures above indicate approval for the trip and attest that +the CAO-25 checklist will be completed before, during, and after +the trip. +DISTRICT APPROVALS +International field trips require the District approvals below: +_________________________________________________ ________________ + +Director of Global Education +Date +_________________________________________________ ________________ + +Chief of Teaching & Learning + Date + +_________________________________________________ ________________ + +Chief Financial Officer + Date +_________________________________________________ ________________ + +Superintendent +Date + + +Page 54: + +Superintendent’s Circular CAO-25 +Page 54 of 104 + +EMERGENCY ACTION PLAN (EAP) +International Field Trips +Directions: +● The lead chaperone must complete this form prior to +departure. +● All chaperones should carry this form throughout the trip. +● Leave a copy of this form with the principal/head of school. +● Submit this form as part of your package to the district. +● Register your trip and student participants through the +Safe Traveler Enrollment Program (STEP). program +General Guidelines: +● In the event of an emergency, REMAIN CALM. +● Do not leave the injured person alone or without an adult +present. +● Call local EMS. +● Accompany any injured student to the nearest medical +facility. An adult chaperone (or adult designee) must be +present with any injured student throughout the +emergency. + + + + +Page 55: + +Superintendent’s Circular CAO-25 +Page 55 of 104 +Emergency Contacts +● Local EMS. +● Insurance (See insurance card for the appropriate # for your +destination.) +● Head of school or designee cell #_______________________and +director of Global Education (315-601-0292) for emergencies. +See Emergency Communication and Protocols packet. +● Parents/guardians must be informed and given updates +throughout the medical emergency. (Your Head of School +and DGE will help coordinate communication with +parents/family.) +U.S. State Department, the Center for Disease Control and other +reputable sources, please complete the information below: +Address and contact information for the nearest U.S. Embassy(s) +while abroad: + + +Address and contact information for the nearest embassy(s) for +non-U.S. citizen travelers while abroad: + + +Name and address of the nearest medical hospital or facility/s: + + + + +Page 56: + +Superintendent’s Circular CAO-25 +Page 56 of 104 + +PARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP +Directions: +BPS Staff: +● Use one form per trip. +● Complete the School Portion of form. +● Duplicate one form per student. +● Send a copy home for parent and student signatures. +● During the field trip, the signed, original form must be +carried by the program leader and copies by the other +chaperones. A photocopy must be left on file in the school +office. +Student First & Last Name: _______________________________________ +School: ___________________________________________________________ +Destination (s): ___________________________________________________ + __________________________________________________________________ +Purpose of Trip: __________________________________________________ +List of Activities: Parents must be informed of all activities. + + + +Page 57: + +Superintendent’s Circular CAO-25 +Page 57 of 104 +Supervision: (Check One.) + Students will be directly supervised by adult chaperones on +this trip at all times. + Students will be directly supervised by adult chaperones on +this trip with the following exceptions: +Mode of Transportation: (Check all that apply.) + walking  school bus  MBTA  Other _________________ +Students will leave from (where)_________________________at +(time) ____________________. +Students will return to (where) ____________________________at +about (time) _______________. + +Program Leader & Chaperone(s) in Charge: ______________________ + __________________________________________________________________ +Chaperone/Student Ratio: ________________ (maximum ratio 7:1) + + + + +Page 58: + +Superintendent’s Circular CAO-25 +Page 58 of 104 +STUDENT AGREEMENT +While participating in this field trip, I understand I will be a +representative of BPS and my community. I understand that +appropriate standards must be observed, and I will accept +responsibility for maintaining good conduct and abiding by +school-based rules and the Boston Public Schools’ Code of +Conduct. +_____________________________________________ ____________________ + +Student Signature +Date + + + + + +Page 59: + +Superintendent’s Circular CAO-25 +Page 59 of 104 + +PARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP +Assumption of Risk, Waiver, Release, and Indemnity Hold +Harmless Agreement + +Program leaders: Access the required Assumption of Risk, +Waiver, Release, and Indemnity Hold Harmless Agreement +template. Please make a copy of this template document before +you edit the text in RED, and then share it with the director of +Global Education. This document is to be reviewed by the +director of Global Education & BPS Legal BEFORE sharing with +parents/guardians for signature** +This document is a requirement, and a binding legal document. +Should you have any questions, please contact the Department +of Global Education. + + + + + + + + +Page 60: + +Superintendent’s Circular CAO-25 +Page 60 of 104 + +MEDICAL INFORMATION FORM +IMPORTANT NOTES: +Students may be in new and unfamiliar situations when +traveling. It is critical that this form is completed thoroughly and +accurately so we may be in the best position possible to support +you/your child. +Please indicate with an X ______ HERE if you would like to +schedule a meeting with the program leader of the trip to discuss +your child’s medical or mental health. +All students must visit their primary care doctor prior to traveling +on a BPS trip and be current on all immunizations and +vaccinations for the U.S. in addition to the recommended +immunizations and vaccinations for the country(s) to be visited. + + + + +Page 61: + +Superintendent’s Circular CAO-25 +Page 61 of 104 +STUDENT INFORMATION +Student’s Full Name +Date of Birth + +Country of Origin + +Parent/ Guardian +Name(s) + +Parent/Guardian +Address + +Parent/Guardian +Contact +Cell: +Home: +Work: + + + + +Page 62: + +Superintendent’s Circular CAO-25 +Page 62 of 104 +Emergency Contact # 1 +Emergency Contact # 2 +Name: +Relationship to student: +Address: + +Cell #: +Work #: +Email: +Name: +Relationship to student: +Address: + +Cell #: +Work #: +Email: +STUDENT HEALTH QUESTIONS +Primary care physician’s name and contact information (in case +of an emergency): + + +Health insurance provider’s name, policy #, and contact +information (in case of emergency): + + +Insurance provider claim instructions/procedures (in case of +emergency): + + + +Page 63: + +Superintendent’s Circular CAO-25 +Page 63 of 104 +Student has the following health conditions and/or allergies of +which BPS should be aware: + + +Physical health conditions: + + +Behavioral/mental health conditions: (e.g., depression, anxiety, +etc.) + + +Allergies (food, medication, insects, plants, animals, etc.): + + +Student takes the following medications (including over-the- +counter/ herbal) and/or prescriptions of which BPS should be +aware. (Be sure to complete the Medical Administration Form): + + +If medication is taken on an as-needed basis, specify the +symptoms or conditions when medication is to be taken and the +time at which it may be given again. + + +Page 64: + +Superintendent’s Circular CAO-25 +Page 64 of 104 + + +Is there any factor that makes it advisable for your child to follow +a limited program of physical activity? (i.e., asthma, recent +surgery, heart condition, fear, etc.) If yes, specify the ways in +which you wish their program limited. If the student has asthma, +please attach the asthma action plan to this medical form. + + +Are there any activities on the itinerary that your child cannot or +should not do? + + +Other than a yearly physical, is the student currently under a +physician’s or other medical professional’s care (e.g., social +worker, therapist, etc.)? If yes, please detail the reason. + + + + + + +Page 65: + +Superintendent’s Circular CAO-25 +Page 65 of 104 +Other than a yearly physical, has the student been under a +physician’s or other medical professional’s (e.g., social worker, +therapist, etc.) care anytime in the last year. If yes, please detail +the reason and dates of treatment. + + +Please list any hospital, treatment center, surgical, psychiatric, or +urgent care visits within the last year: (Please specify the date, +the reason, the physician or professional seen, and the length of +stay.) + + +Additional information of which BPS should be aware concerning +student’s health: + + + + + + +Page 66: + +Superintendent’s Circular CAO-25 +Page 66 of 104 +I authorize the release of the information given above to +chaperones and other school staff in order to coordinate services +and understand that chaperones will consult with the school +nurse about each student's health so they will be in the strongest +position to support you/your child on this program. + +________________________________________________ _________________ + +Student Signature, if at least 18 years of age +Date + +________________________________________________ _________________ + +Parent/Guardian Signature, if student is +Date + + +under 18 years of age + +▪ If necessary, attach a doctor's letter to this form. +▪ If necessary, attach the asthma action plan to this form. +▪ If necessary, attach copies that document student’s shots +and immunizations to this form. + + + + +Page 67: + +Superintendent’s Circular CAO-25 +Page 67 of 104 + +MEDICAL FORM — OVERNIGHT TRIPS +Medication Administration +Please send only essential medications with your student on this +trip and include over-the counter/herbal medications on this list. +Student Name: ___________________________________________________ +Name of Medication: _____________________________________________ +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ +Name of Medication: _____________________________________________ +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ +Name of Medication: _____________________________________________ + + +Page 68: + +Superintendent’s Circular CAO-25 +Page 68 of 104 +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ + _____________________________________________________________ +Additional information/special Instructions: + + + +I authorize my child to take the above medications on this trip. + +________________________________________________ _________________ + +Student Signature, if at least 18 years of age +Date + +________________________________________________ _________________ + +Parent/Guardian Signature, if student is +Date + +under 18 years of age + + + + +Page 69: + +Superintendent’s Circular CAO-25 +Page 69 of 104 + +NOTARIZED PARENT/GUARDIAN AIRLINE TRAVEL +CONSENT FORM +The parties to this agreement are: +Parent/ Legal Guardian: +Full Name and Surname: (hereinafter referred to as “the +Parent/ Guardian”) __________________________________________ +Physical Address: ___________________________________________ +Contact Details: _____________________________________________ + _____________________________________________________________ +Child: (hereinafter referred to as “the Child”) +Full Name and Surname: ____________________________________ + +Birth Date: __________________________________________________ + +Traveling Guardian(s) and Contact Details: (hereinafter referred +to as “The Traveling Guardians”) +Full Name and Address: _____________________________________ + _____________________________________________________________ + + +Page 70: + +Superintendent’s Circular CAO-25 +Page 70 of 104 +I hereby authorize the Child to travel with the Traveling +Guardians to the following destination: +The period of travel shall be from ____________ to ______________. +Should it prove to be impossible to notify the Parent/ Guardian of +any change in travel plans due to an emergency or unforeseen +circumstances arising, I authorize the Traveling Guardian to +authorize such travel plans. +Should the Traveling Guardian in their sole discretion (which +discretion shall not be unreasonably exercised) deem it advisable +to make special travel arrangements for the Child to be returned +home due to unforeseen circumstances arising, I accept full +responsibility for the additional costs which shall be incurred +thereby. +I indemnify the Traveling Guardian against any and all claims +whatsoever and howsoever arising, save where such claims arise +from negligence, gross negligence, or willful intent during the +specified period of this Travel Consent. +I declare that I am the legal custodian of the Child and that I have +legal authority to grant travel consent to the Traveling Guardian +of the Child. +Unless inconsistent with the context, words signifying the +singular shall include the plural and vice versa. + + + + +Page 71: + +Superintendent’s Circular CAO-25 +Page 71 of 104 +Signed at ____________________________________ on the _______day +of __________, 20____. + +Signature _____________________________________ (Parent/ Guardian) + +Signature _____________________________________________ (Witness 1) + +Signature ____________________________________________ (Witness 2) +Witness signatures must be by independent persons and not by +anyone listed on the Travel Consent form. + +On this _________ day of ___________________, 20___, before me, the +undersigned authority, personally appeared and proved to me +through satisfactory evidence of identity, to wit, to be the +person(s) whose name(s) is/are signed on the attached document +and who signed in my presence. +Official Notary Signature: _________________________________________ + +Name of Notary Typed, Printed or Stamped: + + +Commission Expires: _____________________________________________ + + + + +Page 72: + +Superintendent’s Circular CAO-25 +Page 72 of 104 + +STUDENT SUPPORT INTERNATIONAL PROGRAMS FORM +Note: This form is to be completed by students who intend to +participate in an international program. The information is +confidential, and will be used by Program Leaders to better +understand, and support the needs of students while on program +in a foreign country. +Student First & Last Name: _______________________________________ + +When preparing for your international program, please think +about the following questions, and respond as honestly as +possible in order to be supported: +What are you nervous about? ____________________________________ + __________________________________________________________________ +What are you excited about? _____________________________________ + __________________________________________________________________ +What scares you about the trip location or activities on the +itinerary? _________________________________________________________ + __________________________________________________________________ + + + + +Page 73: + +Superintendent’s Circular CAO-25 +Page 73 of 104 +When in a new environment, I get anxious when…________________ + __________________________________________________________________ +When in a new environment, I get upset when….. _________________ + __________________________________________________________________ +In order to get the most learning and benefits from this +experience, I will need ____________________________________________ + + +Given the laws, customs, and culture of the country that we are +visiting, what concerns do you have? ____________________________ + __________________________________________________________________ + __________________________________________________________________ + +Would you prefer to speak in person with a member of the +chaperone team to discuss this form, or share additional +information?  Yes  No + + + + +Page 74: + +Superintendent’s Circular CAO-25 +Page 74 of 104 + + +INTERNATIONAL PROGRAMS INCIDENT REPORT +Incident reports should be used for all yellow and red incidents +that are not fully described or investigated already through the +SOAP Note. +A. Complete all fields +School/s: ____________________________________________________ +Date of Report: _____________________________________________ +Country: ____________________________________________________ +Incident Date and Time: ____________________________________ +Reporting Chaperone: _______________________________________ + + + + +Page 75: + +Superintendent’s Circular CAO-25 +Page 75 of 104 +B. Complete all Applicable Fields +Victim(s) Name(s) +Contact Information + +Suspect(s) Name(s) +Contact Information + +Witness(s) Name(s) +Contact Information + +Location of Event +Address + + +C. Nature of Incident (check all that apply) +☐Injury +☐Equipment Failure +☐Behavioral/ +Psychological +☐Illness +☐Missing/Separated +Person +☐Natural Disaster +☐Physical Assault +☐Sexual Assault +☐Theft +☐Property Damage +☐Sexual +Harassment +☐Fatality +☐Crime +☐Political Upheaval +☐Disease Outbreak +☐Other: _________ +☐BPS Code of +Conduct violation +International Programs Incident Report, continued + + +Page 76: + +Superintendent’s Circular CAO-25 +Page 76 of 104 +D. Narrative (Using facts, describe what happened): + + + +E. Activity at Time of Incident (check all that apply) +☐Class time +☐Service +☐Homestay + + +☐Traveling +☐Fieldtrip +☐Camping +☐Hike/Jog/Walk +☐Swimming +☐Water Activity + +☐Other _____________ + +F. Contributing Factors (Check all that apply) +☐Not disclosed in Medical Form +☐Animal/Insect/Plant +☐Pre-Existing Condition +☐Alcohol/Drugs/Medication +☐Weather/Terrain +☐Motor Vehicle +☐Political/Cultural/Language +☐Pre-Course Info +☐Sports/Recreation +☐Orientation/Training +☐Other + + + + + + + +Page 77: + +Superintendent’s Circular CAO-25 +Page 77 of 104 +G. Action Taken +Details +First Aid +When +By Whom +Type (ie. +Medication, CPR, +etc.) + +Emergency +Evacuation + + +Visit Medical +Facility +Name of Facility +Doctor/PA/Nurse +Reported +Diagnosis +Medication +Prescribed + + +Emergency +Contact Person +Notified? +☐Yes ☐ No Name: +Date and Time Contacted: +Notes: + + +Page 78: + +Superintendent’s Circular CAO-25 +Page 78 of 104 +Department of +Global Education +(DGE) Contacted? +☐Yes ☐ No Name: +Date and Time DGE Contacted: +Notes: + + +Insurance +Contacted? +☐Yes ☐ No Name: +Date and Time Contacted: +Claim #: +Notes: + +Local Authorities +Notified? +☐Yes ☐No +Date and Time Notified: +Organization: +Authority Name(s): +Notes: + +Follow up Plan +Details: + +_______________________________________________ __________________ + + +Page 79: + +Superintendent’s Circular CAO-25 +Page 79 of 104 + +Signature of Reporting Chaperone +Date +File this International Incident Programs Report along with any +accompanying reports/documents from local law enforcement, +medical professionals and/or International Programs Witness +Report via email if possible OR as soon as circumstances permit. +Turn in the original report to the DGE as soon as you return to +Boston. Incident reports require at least one witness signature, +and where possible the signatures of all impacted participants. + +_______________________________________________ __________________ + +Signature of Witness +Date + +Signatures of those impacted: +_______________________________________________ __________________ + + +Date + +_______________________________________________ __________________ + + +Date + +_______________________________________________ __________________ + + +Date + + + + +Page 80: + +Superintendent’s Circular CAO-25 +Page 80 of 104 + +SOAP NOTE +SOAP Notes should be used for live documentation of all health- +related incidents requiring further monitoring and/or evacuation. +SOAP Notes should be attached to the corresponding Incident +Report. +Subjective: What the patient tells you. Note the chief +complaint(s): + + + + +Objective: What you see; vital signs; general survey of patient: + + + + + + + +Page 81: + +Superintendent’s Circular CAO-25 +Page 81 of 104 +Assessment: What you think is going on; diagnosis presented by +medical professional: + + + +Anticipated Problems: + + + +Plan: What will be done about it; Tests ordered, medications +prescribed, follow up needed: + + + +_______________________________________________ __________________ + +Signature of Reporting Chaperone +Date +File this SOAP Note along with any accompanying +reports/documents from local law enforcement, medical +professionals and/or International Programs Witness Report via +email if possible OR as soon as circumstances permit. Turn in the +original report to the DGE as soon as you return to Boston. + + +Page 82: + +Superintendent’s Circular CAO-25 +Page 82 of 104 + +INTERNATIONAL PROGRAMS WITNESS REPORT +Witnesses shall use this form to provide a statement of their +observations to accompany the Incident Report Form. +Witness Statement of: ____________________________________________ +Phone Number: __________________________________________________ +Address: __________________________________________________________ + __________________________________________________________________ +Description of Incident: + + + + + +I believe the contents in this statement are true. + +_______________________________________________ __________________ + +Witness Signature +Date + + +Page 83: + +Superintendent’s Circular CAO-25 +Page 83 of 104 + +INTERNATIONAL PROGRAMS INCIDENT INVESTIGATION LOG +This template can be used to take running notes during an +investigation. +Event +Time +Location +Parties Involved +Source of +Information + + + + + + + + + + + + + + + + + + +Page 84: + +Superintendent’s Circular CAO-25 +Page 84 of 104 +Event +Time +Location +Parties Involved +Source of +Information + + + + + + + + + + + + + + + + + +_______________________________________________ __________________ + +Signature of Investigator +Date + + + + +Page 85: + +Superintendent’s Circular CAO-25 +Page 85 of 104 + +FIRE PREVENTION AND SAFETY PRACTICES +International & Overnight Programs +Fire safety plans on overnight and international programs differ +from the procedures set for our schools. The laws that regulate +fire prevention may differ from what exists in Massachusetts. The +steps below must be followed on all overnight and international +programs: +1. Conduct A Fire Prevention Assessment +The program leader must conduct a fire safety prevention +assessment using the Fire Prevention and Safety Form +(Attachment A) within 24 hours of arrival. Using the Fire +Prevention and Safety Form, the program leader shall formulate +a plan for the evacuation of all persons on the trip in the event of +a fire or other emergency. This plan shall include alternate means +of egress and should be created in consultation with an +accommodation staff person, and if applicable, the third-party +provider. + +2. Prepare Chaperone Team on Fire Prevention Strategy +Based on the results from the Fire Prevention and Safety Form, +the program leader should ensure that each staff member +receives and understands the fire prevention landscape and has + + +Page 86: + +Superintendent’s Circular CAO-25 +Page 86 of 104 +instructions on the fire drill procedure created for the +accommodation. Questions to review include: +A. What are the best means of egress in case of a fire? +(Consider all rooms students and staff are staying in +and all places where the group may congregate. Use +the hotel’s posted evacuation routes if applicable.) +B. Where is the designated meeting point? (This meeting +point should be a safe distance from the building, but +easy for the group to identify and locate.) +C. Who is responsible for each student? (Attendance +must be taken; if chaperone ratios permit, the lead +chaperone should not be assigned to a group and +should serve as contact person for emergency +personnel.) +D. What are some hazards that students and chaperones +should be aware of? +E. What happens in the case of a missing person? +3. Review Prevention Strategy with Students and Conduct a +Fire Drill +The lead chaperone and the chaperone team will review the fire +prevention strategy and conduct a fire drill (walkthrough) with +the students within the first 24 hours of the trip. Conducting a +fire drill (walkthrough) is important as participants are unfamiliar +with the building. + + + + +Page 87: + +Superintendent’s Circular CAO-25 +Page 87 of 104 +Instructions For Fire Drills +Since each accommodation is different, each plan and drill will +vary. Regardless of the accommodation, it is critical that a +procedure is in place for evacuating the building, each chaperone +knows their responsibilities, every student participates in the fire +drill (walkthrough), and each person knows the meeting location +when evacuated from the building. Please note: A fire drill as +defined here is a walkthrough of the route the group will take to +exit the premises in the event of an emergency. +A few general instructions: +• Evacuate immediately. +• Do not use elevators during a fire evacuation. +• Each student should walk to the designated meeting +location outside of the building in a quiet and orderly +manner. +• Make sure all students know all possible exits from their +area and that students know where the meeting location is +outside of the building. +• Fire drill plans must ensure adequate procedures for the +emergency evacuation of students and staff with disabilities. +(Have a staging location for students/staff with disabilities +and make sure hotel/hostel personnel are also aware.) +• Chaperones are responsible for students under their +supervision and must take attendance. +• Upon the evacuation of a building, no person or persons +shall re-enter the building without the authorization of the +lead chaperone. The lead chaperone, as a part of their fire + + +Page 88: + +Superintendent’s Circular CAO-25 +Page 88 of 104 +drill procedures, must establish a command procedure for +such evacuations. +4. Conduct a Post-Fire Drill Debrief +After the fire drill, the chaperone team should set aside time to +debrief. Record response on Attachment A. + + + +Page 89: + +Superintendent’s Circular CAO-25 +Page 89 of 104 + +FIRE PREVENTION AND SAFETY ASSESSMENT FORM +Directions: For each accommodation, please complete and upon +your return, file this form with other documents you are +mandated to keep. Legally, these documents must be kept on file +for the current fiscal year plus three additional years after the +field trip has occurred. +Building: +Program Leader: ___________________________________________ +Date of the Safety Prevention Assessment: _________________ +Name/s of Staff and Their Titles Consulted for Assessment +(accommodation staff/ program provider staff): + _____________________________________________________________ + _____________________________________________________________ +Outside the Building: +List the possible hazards in the area: + +Can the accommodation be accessed by a fire department +or emergency teams? + ▢ YES ▢ NO + + +Page 90: + +Superintendent’s Circular CAO-25 +Page 90 of 104 +Inside the Building: +Equipment: +Does the building have fire alarms? + + +▢ YES ▢ NO +Are there fire sprinklers? +▢ YES ▢ NO +If yes, where are they located? + +Is there adequate lighting in the corridors? +▢ YES ▢ NO +Are there clear exit signs? +▢ YES ▢ NO +Are there fire alarm pull stations? +▢ YES ▢ NO +Are the fire alarm pull stations visible and +accessible? +▢ YES ▢ NO +Are there fire extinguishers? +▢ YES ▢ NO +If yes, where? + +Are there smoke detectors in the corridors and in every +room where participants are staying? +▢ YES ▢ NO + + + + +Page 91: + +Superintendent’s Circular CAO-25 +Page 91 of 104 +Hazards: +List the potential fire hazards at the site: + +Are there notable fire hazards such as open fire doors, +accumulated trash, blocked corridors, locked exit doors, +blocked stairways, burned out exit lights or missing/broken +fire equipment? +▢ YES ▢ NO +Means of Evacuation/Egress +Does the facility have an evacuation plan for each room? (If +not, be sure that when you conduct a fire drill (walkthrough) +that you develop a plan for leaving the room.) +▢ YES ▢ NO +What are the means of egress? + +Are there primary exits and alternate exits? +▢ YES ▢ NO +Note locations: + + + + + +Page 92: + +Superintendent’s Circular CAO-25 +Page 92 of 104 +Fire Drill/Walkthrough Plan: (Please record notes below.) + + +Post-Drill Debrief: +Date and Time of the Fire Drill: ___________________________________ + +Did the students and chaperones follow the procedures of the +fire drill? +▢ YES +▢ NO +If no, why not? + + +Based on this debrief, either inform the students of your findings +for adjustments, or if necessary, conduct another fire drill. Once +the safety review and drill are completed, please sign below. + +________________________________________________ _________________ + +Signature of Program Leader +Date + + + + + +Page 93: + +Superintendent’s Circular CAO-25 +Page 93 of 104 + +BPS STUDENT TRAVELER & FAMILY AGREEMENT FORM +Overview: Positive behavior is a key expectation for students +participating in domestic and international travel opportunities. +Positive behavior reflects trustworthiness, respect, responsibility, +ambassadorship, and service. Participants are expected to fully +participate, follow all program guidelines, and behave +appropriately to ensure a high-quality learning experience. +Parent/guardians: please read this contract carefully with your +student and sign it. Students: your signature on this contract +seals your commitment to follow behavior expectations leading +up to, and during your school trip. + __________________________________________________________________ +BEFORE I GO ON THE TRIP: (STUDENTS) +● I understand that my acceptance to a trip prior to +departure does not guarantee that I will be allowed to +attend. +● I have access to my school's handbook which includes all +BPS and school rules and the BPS Code of Conduct. +● I know that it is my responsibility to follow all BPS rules and +guidelines set by the administrator or chaperone. +● I will attend all mandatory pre-departure meetings and +complete all mandatory paperwork. +● I will not violate the BPS Code of Conduct. + + +Page 94: + +Superintendent’s Circular CAO-25 +Page 94 of 104 +● I will not distribute or consume alcohol or drugs (including +edibles), and/or encourage actions that are against the BPS +Code of Conduct or law. +● I will not pack any illegal or inappropriate items (i.e., items +in violation of the BPS Code of Conduct, including, but not +limited to: weapons, alcohol, edibles, drug paraphernalia). +● I will be compliant with any guidelines set by the school, +administrator, or chaperone regarding program +expectations and any required materials, such as +completed projects, journals, and service hours. +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such +consequences include, but are not limited to, not being +allowed to participate in the international trip program. +WHILE I AM ON THE TRIP: (STUDENTS) +● I will not violate the BPS Code of Conduct +● I will ask for help from the adults when needed. +● I will treat my peers, all adults and all people with the +utmost level of respect. +● I will not purchase, distribute, or consume any illegal or +inappropriate items; (i.e., items in violation of BPS Code of +Conduct, including, but not limited to: weapons, pepper +spray, alcohol, edibles, drug paraphernalia) even if these +substances are legal in the state or foreign country, or I am +of legal age in the foreign country. + + +Page 95: + +Superintendent’s Circular CAO-25 +Page 95 of 104 +● I will use social media responsibly during the trip, and will +not post or communicate any information regarding other +students during an emergency situation. +● I will abide by the established curfew, and sleep in my +assigned bed, alone, and sleeping location each night. +● I will not vandalize any property at any venue I visit (hotel, +tour bus, tourist sites, homestay location). +● I will obey the BPS dress code, as well as the suggested +attire for the foreign country, and specific sites and +locations within the foreign country I will visit. +● I will not share any medication with anyone on the trip. +● I will take medication prescribed for me by my doctor for +required or recommended medical use while abroad (i.e., +malaria pills, asthma inhaler, prescriptions for anxiety, +depression). +● I will not leave the group at any time unless specifically +authorized to do so. +● I will practice good common sense, respect, and +consideration for others and their property. +● I understand that I am responsible for keeping my passport, +important belongings and other travel documents safe. +● I understand that partaking in any illegal activity abroad +can result in my arrest. +● I understand that if an issue of any kind arises, my +chaperone will address the issue, and their decision is final. +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such + + +Page 96: + +Superintendent’s Circular CAO-25 +Page 96 of 104 +consequences include, but are not limited to, being sent +home at my parent/guardian's expense. + +PARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: +I fully understand the following conditions regarding student +international travel with BPS: +● The BPS Code of Conduct applies on all field trips. Following +an investigation, if the program leader, in consult with the +principal/head of school and central office staff, determines +that a student’s conduct, while on an overnight trip, poses a +risk to themselves or the safety of the group, or is no longer +manageable by BPS staff in the field, the district reserves +the right to request and arrange for that student to return +home. The district also reserves the right to request that +families assume responsibility for all or a portion of the +costs associated with their child’s return. Students may be +subject to further disciplinary action and will be provided +the opportunity to have a formal hearing at the school level +upon return. +● If a student is to be dismissed from an +international/overnight field trip due to behavior that +violates the BPS Code of Conduct while participating in a +domestic overnight or international trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon destination. If the parent/guardian is not reachable, +the student’s principal or appropriate school-based point of +contact must be notified and agree to meet the student at + + +Page 97: + +Superintendent’s Circular CAO-25 +Page 97 of 104 +the airport, or other agreed upon destination. Students +under the age of 16 must be accompanied on their flight by +a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +● Parents or students who sign contracts, and or agreements +with third party company vendors, acknowledge that +outside companies protocols and procedures might differ +from BPS policies and procedures. Families should +especially be aware of cancellation and refund policies. BPS +is not responsible for money paid to third party vendors. +● BPS reserves the right to cancel a trip at any time. Trip +destinations that impose an immediate risk to our students +will be canceled. In these instances all families will be +notified immediately. + +(Families keep this page) + + + + +(Program leaders keep this page.) + + +Page 98: + +Superintendent’s Circular CAO-25 +Page 98 of 104 +STUDENT/GUARDIAN STATEMENT OF UNDERSTANDING +We have read and understand the BPS Student Traveler & Family +Agreement Form. We understand what is expected of the +prospective student traveler and feel that we, the +parent/guardian and student, can commit to these expectations. + +PARENT/GUARDIAN (Print Name) ________________________________ +PARENT/GUARDIAN (Signature) __________________________________ +DATE: ____________________________ +PHONE NUMBER: ________________________________ +STUDENT (Print Name) ___________________________________________ +STUDENT (Signature) _____________________________________________ +DATE: ____________________________ +PHONE NUMBER: ________________________________ + + +(STUDENTS RETURN THIS PAGE TO YOUR PROGRAM LEADER) + + + +Page 99: + +Superintendent’s Circular CAO-25 +Page 99 of 104 + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS Sponsored +field trips and submitted to the program leader (lead chaperone). +School Name: ____________________________________________________ +Destination: ______________________________________________________ +Departure Date: __________________ Return Date __________________ + +All chaperones must agree to abide by the following code of +conduct to participate in a BPS sponsored field trip. +SAFETY & RESPONSIBILITY +I understand that my safety, and the safety of other participants +is extremely important during this field trip, and I agree to make +safety my first priority. I agree to conduct myself in a manner that +promotes my safety, and the safety of others at all times. I +understand that maintaining students’ safety requires that +students must be supervised by me and/or other chaperones at +all times while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews, and room checks for students, as well as +morning wake up calls for students are part of my responsibility. I + + +Page 100: + +Superintendent’s Circular CAO-25 +Page 100 of 104 +agree to follow BPS policies, protocols, and guidance of BPS staff +when in the field. +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits students +from possessing, using, selling and/or distributing any of the +following on all domestic and international field trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, use or +distribution of over the counter medication, and selling of +prescription drugs. The Code also prohibits the use of tobacco +products (including e-cigarettes, hookah paraphernalia, and +vapor cigarettes). I understand that these prohibitions apply to all +students, regardless of age. +I understand that I am forbidden to use or visibly be in possession +of tobacco in the presence of students. I also understand that the +use of all other drugs, including alcohol, and weapons are strictly +prohibited on the field trip. + +Chaperone Name (Printed): ______________________________________ +Chaperone Name (Signature): ___________________________________ +Date: _____________________________ + +CAO-25: INTERNATIONAL TRIP REQUEST + + +Page 101: + +Superintendent’s Circular CAO-25 +Page 101 of 104 +Attachment: Nurse Verification Form +OVERVIEW & INSTRUCTIONS +This is a mandatory risk management procedure. Please +complete this form at least 10 weeks prior to departure. +It is BPS’ goal that you are in the strongest position to support +each student’s health while abroad. Program leaders must review +all students’ medical forms and consult with the school nurse to +ensure all documents are accurately completed. +Please note: the school nurse does not “clear” students for travel +but will provide trip leaders/chaperones with guidance in +supporting students medically while traveling. Program leaders +shall consult with, and when necessary, receive training from and +obtain written comments from the school nurse regarding any +students who have expressed medical needs (e.g., medication, +asthma, allergies, etc.). +It is important for program leaders and chaperones to know that +many students and families omit medical information from +permission slips for a variety of reasons, and in some cases +Program leaders discover medical conditions that the nurse was +not aware of. Therefore, it becomes a collective duty to ensure +that we have the most up to date medical information for all +student travelers. Program leaders should actively discuss the +importance of honesty and full medical disclosure with students +and families at one of the pre-departure meetings. +School nurses can assist with the following (list is not limited to +what is below): + + +Page 102: + +Superintendent’s Circular CAO-25 +Page 102 of 104 +● A student's current medical status/current immunization +record +● Background information regarding a particular medical +condition +● Specific medication instructions and training for +medication application if necessary +● Epi Pen instructions +● Can help determine appropriate trip accommodations and +considerations for the student traveler +● Can further consult with outside medical professionals who +are involved with the student’s medical needs. i.e. social +workers, occupational therapist and the child’s primary care +physician. +Program leaders must provide the nurse with the following +information and a student traveler roster: Trip destination, dates, +and draft itinerary. The Nurse Verification Form to follow must +be submitted 10 weeks prior to departure. It may be mailed or +scanned to DGE. For additional questions please contact Kayla +Dorsey-Twumasi, Director of Global Educcation. + + + + +Page 103: + +Superintendent’s Circular CAO-25 +Page 103 of 104 +CAO-25: INTERNATIONAL TRIP REQUEST +ATTACHMENT: NURSE VERIFICATION FORM +School/trip Name: _______________________________________________ +Trip Destination: _________________________________________________ +Dates of Travel: __________________________________________________ +Trip Leader Name: ______________________________________________ +School Nurse Name: _____________________________________________ +School Nurse Phone Number: ____________________________________ +School Nurse Email: ____________________ @Bostonpublicshools.org +PROGRAM LEADER: +Please sign this form to verify that you have consulted with your +school nurse regarding your student traveler roster, retain a copy +for your file, and submit the original to the department of global +education. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed. +Additionally, your signature indicates that you have read and +understand the nurse verification protocol. +________________________________________________ _________________ + +Signature of Trip Leader +Date + + +Page 104: + +Superintendent’s Circular CAO-25 +Page 104 of 104 +SCHOOL NURSE +Your signature indicates that the above trip leader has shared the +proposed international trip, student traveler roster, and medical +forms with you. If they have completed this mandatory step, +please sign below to verify that. + +________________________________________________ _________________ + +Signature of School Nurse +Date + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-08 +Version 01 + + + +GRADING REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The spirit of this policy is to move away from the practice of +grading non-academic behavior and to the timely provision of +meaningful feedback to every family on every student’s +academic progress. This policy is a critical part of propelling all +students toward the Strategic Plan and School Committee goals +centered on college, career, and life readiness. As well, it will +ensure that grading practices are accurate, bias-resistant, +motivational, and coherent in the district, which will in turn +ensure the ability of our stakeholders to trust the district’s +commitment to equity. This policy will provide accurate, +dignifying feedback to every student about where they are +academically and what they need to be successful. As a vehicle +for closing opportunity and achievement gaps, the grading policy +will provide clear and comprehensive guidance that aligns to our +teaching practices, family engagement, and student experience, +grounded in equity and research. With the School Committee's +approval of this policy, the Academics and Schools divisions will +work in collaboration with our stakeholders this spring to finalize +and enact an implementation plan that focuses on the adaptive +work ahead. +The Boston Public Schools will at all times maintain +Superintendent’s Circulars that: (1) outline procedures for + + +Page 2: +Superintendent’s Circular CAO-08 +Page 2 of 6 + + +maintenance of grades to ensure that they are accurate, timely, +and aligned to DESE standards; (2) outline a common report card +structure and timeline for schools by grade span and program; +and (3) outline allowable flexibilities. +Separately, as a companion to this policy, the district will develop +and maintain detailed implementation processes in the form of +Superintendent’s Circulars ensuring: +1. Implementation of MassCore graduation requirements and +waivers +2. Common GPA calculation and transcription processes +3. A common process for promotion to the next grade level +4. A common process for retention at the current grade level +5. A common and public course catalog that details for +students and families course of study options for all +secondary schools as well as course descriptions, credit, and +governance +6. An updated process and calendar for course creation. +ADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON +PUBLIC SCHOOLS +The School Committee of the Boston Public Schools is +responsible for creating policies and practices that support the +preparation of every student to be college, career, and life-ready +and remove barriers that interfere with students graduating from +BPS ready to succeed in the next stage of their lives. If we +support BPS educators to effectively use culturally responsive +practices, provide high levels of support, and adopt coherent +grading practices that are mathematically accurate, bias- +resistant, and motivational for students, then we will see + + +Page 3: +Superintendent’s Circular CAO-08 +Page 3 of 6 + + +increased student engagement, and grades that reflect student +learning. +BPS will adopt the following policy for all students in the district. +Specifically, the following practices will be required of all +educators in the district. +PROPOSED: +Grading Practice +Why is it more equitable? +Accuracy and timeliness Educators will ensure that term grades follow +the practices laid out in the BPS Grading Policy +and are posted in Aspen by the closing date +according to the district grading calendar. +“No Credit” grades will +no longer be given. +As an alternative, schools may mark a student +with an “incomplete” to enable equitable +learning recovery. +In all cases, a student not earning a passing +grade must be given the opportunity and +responsibility to equitably recover any learning +loss or make up for the work missed within one +marking period. +No penalties will be +given for late work. +Deadlines will be given for work, and we expect +students to meet these expectations. Deadlines +will be explained to students. When a student +turns in the assignment, it will be graded, and +the grade in ASPEN/SMS will reflect student +mastery (not the tardiness of the work). + + +Page 4: +Superintendent’s Circular CAO-08 +Page 4 of 6 + + +Grading Practice +Why is it more equitable? +A minimum grading (50 +for an assignment on a +0-100 scale) will be used. + +Teachers will determine minimum grades for +assignments where the lowest possible grade is +balanced with the value of the highest grade. +Best practices would include the +implementation of a consistent numerical +grading scale (0-4, 1-7, etc.) that aligns to GPA +scale. +Demonstration of +competency in +summative tasks must +make up at least 80% of +term grades. +Grades for assignments should be +representative of what students have +demonstrated in terms of their learning, and +not non-academic behaviors. +Students will receive +consistent feedback on +assignments before +students are formally +assessed. +Teachers are intentional about taking time to +give students clear and actionable feedback. +Students understand what the criteria for +success are for any given assignment and have +clear actions steps for getting there. We +understand the importance of coherence in the +ways we provide feedback and are committed +to making this an instructional focus for the +upcoming school year to better support our +staff. + + +Page 5: +Superintendent’s Circular CAO-08 +Page 5 of 6 + + +Grading Practice +Why is it more equitable? +Middle/High School: A +consistent, agreed-upon +number of assignments +per grade; and +consistent intervals for +grading updates in +Aspen/SMS. +Teachers are expected to post at least one +visible grade on ASPEN/SMS every week for +middle and high school students. +Elementary School: A +consistent approach +across all content areas +(including speciality +classes) for providing +students and families +formative feedback +routinely. +Schools serving elementary grades are required +to have a consistent approach for providing +students and families formative feedback +weekly. Students are required to receive term +grades for Language Arts, Math, History/Social +Studies, Science, and any specialty classes +offered. +All grade levels +Students may only receive a composite grade +for “Humanities” or “STEM” or equivalent if the +course is offered at the equivalent of a double +block. As well, students must receive formative +and summative feedback on both grade level +language arts and history/social studies or math +and science concepts and meet all the +requirements above. + + + + + +Page 6: +Superintendent’s Circular CAO-08 +Page 6 of 6 + + +For more information about this circular, contact: +Owner: +Elementary Superintendent +Department: +Academics and Professional Learning +Mailing Address: 2300 Washington St. Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-24 +Version 01 + + +OVERNIGHT FIELD TRIP GUIDELINES + +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. + +IMPORTANT NOTE: These guidelines might be impacted by COVID-19 +restrictions and are subject to change based on public health, +international security, or other emergent issues that could impact travel. +For the most up-to-date information and guidance, contact +OPL@bostonpublicschools.org for assistance/guidance. + + +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular should be read AFTER the Superintendent’s Circular +No. CAO-22, General Guidelines and Procedures for All Field Trips +as additional guidelines are outlined there. +The principal/head of school and/or the district department +sponsoring the trip are responsible for ensuring that all field trip +policies and procedures as outlined in this circular are adhered +to. +Together, the principal/head of school and/or the district +department lead sponsoring the trip and the program leader + + +Page 2: +Superintendent’s Circular CAO-24 +Page 2 of 80 + + +must review and complete checklists for this circular. Signed +checklists must be kept on file at the school/district department. +OVERNIGHT FIELD TRIP: Any domestic trip off school grounds that +involves students’ participation overnight. +● Overnight Field Trip forms are submitted to the +principal/head of school AT LEAST 12 weeks in advance and +approved by the principal/head of school. +● All forms, including the signed CAO-24 checklist form, are +filed at the school. +● Overnight Field Trip Request form, the list of student names, +emergency contact name and number, grade, D.O.B, the list +of chaperone names and their role in the school community, +the itinerary, and if applicable, train and flight information +are sent to the district to notify the district of trip plans AT +LEAST 4 weeks in advance. Scan and email the Overnight +Field Trip Request form and information to the appropriate +principal/ leader as well as to the Department of Global +Education. Please follow up to ensure documentation has +been received. + +OVERNIGHT FIELD TRIP CHECKLIST + Review Superintendent’s Circular No. CAO-22, General +Guidelines and Procedures for All Field Trips. + All field trip IDEAS must be preliminarily approved in writing +by the principal/head of school or District Department +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students + + +Page 3: +Superintendent’s Circular CAO-24 +Page 3 of 80 + + +and their parents/guardians and prior to any fundraising or +other detailed preparations. Consult with the principal/head +of school on potential chaperones and student recruitment. + Review Superintendent’s Circular FSE-05 Medical +Emergency Management and SAF-04 Incident Data +Reporting and Release for important safety protocols. The +Department of Global Education should be used as a +resource for questions regarding risk management on +overnight field trips. + Select a site and investigate the appropriateness of the site +in relation to the category of field trip. + Select a date and an alternate date. Note: Check with the +principal/head of school, teachers, and staff to ensure that +trips are not scheduled on dates that interfere with +important tests, religious holidays, or class work. + +PLANNING PROCESS +For thorough planning and to maximize affordability and +fundraising efforts, it is recommended that overnight trips are +planned at least six months in advance. + +ROLE OF THE PROGRAM LEADER (LEAD CHAPERONE) +Program Leader Description: The program leader is a BPS +employee and the lead chaperone organizing and leading the +trip. All program leaders (lead chaperones and the BPS employee +organizing and leading the trip) and chaperones must be +approved by the principal/head of school or district department +sponsoring the trip. The program leader is responsible for + + +Page 4: +Superintendent’s Circular CAO-24 +Page 4 of 80 + + +ensuring all guidelines in CAO-22 and CAO-24 are followed and +keeping the principal/head of school and the district informed of +trip developments. The program leader is responsible for +completing the Overnight Field Trip Request form and +accompanying documents that are submitted to the +principal/head of school for approval. The program leader is also +responsible for organizing the chaperone team, student team, +and pre-departure meetings. + School Nurse and Guidance Counselor Consultation: Before +approval of a field trip, the program leader must consult +with the school leader to determine if, and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +consult with and, when necessary, receive training from the +school nurse regarding any students who have medical +needs at least six weeks before departure (much longer for +international and overnight field trip programs). Also consult +with the school counselor regarding mental and behavioral +health needs. If any student has a serious medical or mental +health condition, be sure that their doctor is aware of the +essential participation criteria and location of the trip and +writes a letter indicating that the child may safely attend +and participate in trip activities. Keep this document on file +with other key permissions slips and medical forms. + Overnight Field Trip Form: Complete and submit an +Overnight Field Trip Request form and accompanying +documents to obtain official consent from the + + +Page 5: +Superintendent’s Circular CAO-24 +Page 5 of 80 + + +principal/head of school to execute the trip. Once the +principal/head of school has approved the trip, you must +send a copy of the request, itinerary, and supporting +documents to the Department of Global Education. + Mindset: Planning, organization, and preparation are critical +to a successful experience for all participants. As part of trip +planning and itinerary development, ensure the major +aspects of health, safety, student inclusion, and security +have been addressed with due diligence. Program leaders +must be able to articulate in an informed manner what +decisions were made, why they were made, and the sources +that informed that decision making. If you have questions +about the appropriateness of an activity, please consult with +your principal/head of school and the Department of Global +Education. + School File: Create a school file to house all important +documents: Overnight Field Trip Request form and +attachments, student roster, student permission slips, and +medical forms, and other signed documents including +incident reports, incident log, and the fire safety plan. These +documents must be kept on file for the current fiscal year +plus three additional years after the trip has occurred. + Communication: Share the trip details listed below with all +teachers, nurses, and other staff members so that they may +plan accordingly. +o Trip overview (purpose) +o Destination +o Date of trip +o Students’ names + + +Page 6: +Superintendent’s Circular CAO-24 +Page 6 of 80 + + +o Chaperones’ names and roles in school community + Documentation: Prepare and distribute the Parental +Authorization for Overnight Field Trip form, Medical +Information form, Student Traveler Behavior Contract, +Student Support for Overnight Programs, and the +Medication Administration form to each participating +student and chaperone. For preparedness and safety, you +also must have these medical forms from chaperones. If +applicable, prepare and distribute the Notarized +Parent/Guardian Airline Travel Consent form. (Some airlines +and travel companies require this; some do not. Research +your particular trip to see if this applies.) + Meetings: Conduct AT LEAST TWO pre-departure student +meetings. Discuss the trip’s educational purpose and goals, +conduct expectations, itinerary, healthy travel, and all other +logistics of the program. (For lengthy overnight programs, +see CAO-25 for additional student meeting topics.) Conduct +AT LEAST ONE parent/guardian meeting (with each family +or all families together) to review the purpose of the trip, +itinerary, review/sign permission forms, review logistics of +travel, and share medical and safety information. +Please note: Plan for families who may need translation +services at the meeting; students should not serve as their +parent/guardian’s translator at this meeting. If a +parent/guardian is unable to attend the meeting, a +chaperone (a BPS employee) must be sure to speak to the +parent/guardian via telephone or in-person about the trip +prior to taking the student on an overnight trip. Document +this personal contact for your records. + + +Page 7: +Superintendent’s Circular CAO-24 +Page 7 of 80 + + +SAFETY PREPAREDNESS + Travel Advisories/Warnings: The head of school and +superintendent reserve the right to cancel any field trip up +to and including the day of departure to manage risk. + Insurance: Through On Call International insurance, the +district provides medical coverage for international and +domestic BPS-sponsored trips (domestic being 100 driven +miles away from home or place of study or employment) for +BPS students, BPS staff participants, and chaperones. On +Call will serve as the primary source for medical insurance. +However, in some cases, if a hospital visit is required, +students may be required to pay out of pocket, and be +reimbursed by On Call later. Families will want to budget for +this just-in-case expense. The On Call insurance policy does +NOT include cancellation or trip interruption insurance +should the trip be canceled or interrupted for any reason +other than medical. Cancellation/interruption must be due +to the traveler getting sick, injured, or someone in the +traveler’s immediate family being sick, injured, or death. +Students/families would need to show proof of a +sickness/injury; and the sickness/injury must be so disabling +as to cause them to cancel/interrupt their trip. If there is a +sickness/death for their family member, they would need to +show proof of that, too. Save all receipts for flights/lodging +for reimbursement purposes and a claim form would need +to be filled out. Families will need to know in advance that +Trip Cancellation has a $2,000 limit, and Trip Interruption +has a $2,500 limit. Again, the superintendent reserves the +right to cancel a trip for any reason and at any time for +safety purposes; Cancel for Any Reason Insurance (CFAR) is + + +Page 8: +Superintendent’s Circular CAO-24 +Page 8 of 80 + + +NOT provided by the district. Therefore, all trip participants +must purchase their own (CFAR) insurance to protect their +trip investment. + Training: It is recommended that at least two chaperones +(including the program leader) hold valid CPR AND first aid +certification. First Aid: Ensure the availability of a first aid kit. +Verify emergency and medical information and contact +details. + Chaperone Ratios: For overnight trips, the student-to- +chaperone ratio is 7:1, with a two-chaperone minimum. It is +recommended that a chaperone reserve, or backup, be +identified in the event a chaperone is no longer able to +participate at the last minute or must leave the field. Tour +guides, or employees of third-party vendors contracted to +help operate the trip, are not considered chaperones, and +do not factor into the student to chaperone ratio. + Transportation: School buses or BPS-approved +transportation vendors’ vehicles MUST be used to transport +students to and from field trips or athletic events, regardless +of how the trip is paid for. Privately owned vehicles, vehicles +from non-approved vendors, ride-sharing transportation +services such as Uber and Lyft, or leased vans are not to be +utilized to transport students to and from field trips or +athletic events, except in the case of a bona fide emergency. +Refer to TRN-03 and CAO-22 for information and regulations +on field trip transportation. + Water Activities: If your trip involves any activities in or on +the water, you must contact the Department of Global +Education for approval at least 16 weeks in advance. There is + + +Page 9: +Superintendent’s Circular CAO-24 +Page 9 of 80 + + +a separate and mandatory procedure for all trips involving +water. Please review CAO-27 and contact the Department of +Global Education immediately. + Healthy Travelers: Be sure students have had a recent +(current school year) doctor’s visit and physical exam prior to +departure. Students and staff should be current on all +immunizations and vaccinations, including those related to +the location they will be traveling to. Travelers should +consult with their primary care doctor and can also visit the +Center for Disease Control’s website for information on +staying healthy while traveling at +http://wwwnc.cdc.gov/travel/. If any student has a serious +medical condition, please be sure that their doctor writes a +letter indicating that the child may safely attend and +participate in trip activities. + +CHAPERONE CRITERIA + Chaperone Recruitment: Program leaders must consult +with the principal/head of school on potential chaperones +and student recruitment. The program leader (lead +chaperone) must be a BPS employee. Other authorized +chaperones may include parents and guardians who are +required to be 21 years of age or older. Any parent on the trip +must operate in the role of chaperone. All chaperones must +be approved by the head of school/principal. Every effort +should be made for students to have access to the field trip +experience, for chaperones to be representative of the +student group, and for chaperones to include males and +females. The selection and approval of chaperones by the + + +Page 10: +Superintendent’s Circular CAO-24 +Page 10 of 80 + + +principal/head of school should be based on the individuals’ +thorough knowledge of and rapport with most of the +student participants. Choose a chaperone team purposefully +and wisely, considering strengths. Every adult on the trip +must be a chaperone and have a clear role. + Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who are required to be 21 +years of age or older. All non-BPS employee chaperones +must submit a yearly CORI/SORI authorization form to the +Office of Human Capital. Complete the eCORI form online. +Contact the BPS Office of Human Capital (OHC) for CORI +check and confirmation support. The principal/head of +school and the lead chaperone are responsible for +submitting authorization forms to OHC and must not allow +chaperones to take part in activities until they have been +CORI/SORI cleared. Non-BPS employees who chaperone on +a field trip are not covered for liability by the Boston Public +Schools. The program leader must be sure that all +chaperones, including non-BPS chaperones, are familiar +with the BPS Code of Conduct and other district and school- +based rules. + BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent + + +Page 11: +Superintendent’s Circular CAO-24 +Page 11 of 80 + + +chaperone is responsible for incurring all costs associated +with their child’s participation. +● All chaperones must complete the Chaperone +Agreement form. +● Non-BPS employees who chaperone on a field trip are +not covered for liability by the Boston Public Schools. +● Refer to CAO-22 for additional chaperone criteria. + +STUDENT ACCESSIBILITY AND PARTICIPATION + Essential Criteria: The program leader and principal/head of +school shall work together to establish essential +participation criteria for the trip that informs students and +parents of all activities and risks associated with each +itinerary activity and trip location, to determine what +accommodations or modifications may need to be made for +the student to successfully and safely participate in all or +portions of the trip. + Recruitment: Students not enrolled in the Boston Public +Schools may not participate. Once on the field trip, student +participants are not permitted to leave the group to visit +friends, relatives etc., and rejoin the group. Students must +remain with the group at all times. Field trips must be +advertised to all students (within the whole school, +particular grade, class/subject, club, or program associated +with the trip), regardless of their financial situation. Schools +shall make every reasonable effort to make instructional +field trips affordable for all students. A student’s ability to +pay may not be a criterion for field trip participation. Trips +must be advertised to all students (within the school, + + +Page 12: +Superintendent’s Circular CAO-24 +Page 12 of 80 + + +particular grade, class, or program associated with the trip), +regardless of their financial situation. + Accommodations: Students with English Learner status, 504 +plans, and/or IEPs cannot be denied access to field trips due +to their status, or ability. It is the responsibility of the school +to ensure that all accommodations normally provided to a +student as indicated in their educational plans are made +available during a field trip, including medication. See +Superintendent’s Circular SHS-8 for information about +medical dispensation on field trips. Participating students’ +IEP or 504 plan shall be available to any staff coordinating +and/or participating in the field trip. If any student has a +serious medical, or mental health condition, please be sure +that their doctor is aware of the essential participation +criteria and location of the trip and writes a letter indicating +that the child may safely attend and participate in trip +activities. Keep this document on file with other key +permissions slips and medical forms. + Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQ community, students with disabilities, those who +may be in the minority during your field trip experience, and +those students who belong to groups that have experienced +marginalization in the location being visited. Program +leaders must (1) work to prepare students for sensitive +experiences, and (2) ensure that the program is safe and + + +Page 13: +Superintendent’s Circular CAO-24 +Page 13 of 80 + + +inclusive for all students. Consult the Department of Global +Education for resources if needed. + Inclusive Rooming: The program leader and principal/head +of school shall work with transgender and gender +nonconforming students to provide accommodations +(including rooming) that affirm the student’s gender +identity while also ensuring safety. Program leaders should +work with students and families to make sure all travel +documents (airline tickets, passport) reflect their legal +names as listed on government-issued identification, while +all unofficial documents and materials may reflect the +student’s preferred name. Please view additional rooming +guidelines from the Office of Equity here. BPS students and +parents are required to sign a BPS Student Traveler & Family +Agreement form regarding student conduct while +participating in a BPS sponsored field trip. Participation in +field trips may be denied to any student who has +demonstrated disregard for the policies and rules of BPS or +the school prior to the field trip. Parents/guardians and +students must be made aware of this policy in advance and +communicated with throughout any processes involving +their child not participating in a field trip. + Student Dismissal: Following an investigation, if the +program leader, in consultation with the principal/head of +school and Central Office staff, determines that a student’s +conduct while on an overnight trip, poses a risk to +themselves, or the safety of the group, or is no longer +manageable by BPS staff in the field, the district reserves +the right to request, and make arrangements for that + + +Page 14: +Superintendent’s Circular CAO-24 +Page 14 of 80 + + +student to return home. The district also reserves the right +to request that families assume responsibility for all or a +portion of the costs associated with their child’s return. +Students may be subject to further disciplinary action and +will be provided the opportunity to have a formal hearing at +the school level upon return. The school must document the +parent/guardian’s consent of this policy prior to the trip. +If a student is to be dismissed from an overnight field trip, +the student’s parent/guardian must be notified in advance +and should agree to meet the student at the airport or other +agreed-upon destination. If the parent/guardian is not +reachable, the student’s principal or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed-upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines.) Any costs assumed in this +regard will be the responsibility of the parent/guardian. + Attendance: Provisions must be made in advance for any +student not attending the trip and staying at school. If +applicable, provide alternative arrangements and/or +comparable activities for students not attending the trip or +unable to participate in a portion of your trip. If a student’s +family elects for their child not to attend a field trip for any +reason, the child may not be penalized through their grade +or otherwise. Attendance forms should indicate when a + + +Page 15: +Superintendent’s Circular CAO-24 +Page 15 of 80 + + +student is physically absent from the school building on a +field trip but participating in a school-sponsored program +being conducted off school grounds. (Note: It is important to +know and document where students are at all times. + +PRE-DEPARTURE CONFIRMATION CHECK + +Eight Weeks (or More) Prior to Your Trip: + Develop transportation plans: mode of transportation, travel +time, cost, etc. (If applicable, be sure to note how and with +whom the child will travel to and from a field trip’s +departure and pick-up locations.) + Review all students’ medical forms with the school nurse +and school counselor to ensure all documents are +completed, to support each student’s health during the trip. +(Please note: nurses and counselors do not “clear” students +for travel but will provide chaperones with guidance in +supporting students while traveling.) Consult with and, +when necessary, receive training from and obtain written +comments from the school nurse and counselor regarding +any students who have expressed medical needs (e.g., +medication, asthma, allergies, etc.). + If your trip is less than 100 driving miles in distance, please +ensure ALL students have valid medical insurance that +covers them while on this program. Record details of +insurance on the Medical Information Form. + + +Page 16: +Superintendent’s Circular CAO-24 +Page 16 of 80 + + +Five Weeks (or More) Prior to the Field Trip: + Contact the field trip site and ensure that the necessary +arrangements are still in place. + Collect the completed and signed Parental Authorization for +Overnight Trip, Medical Information, and Medication +Administration forms from each participating student and +chaperone and ensure that copies of all forms (and the +itinerary) are submitted to the principal/head of school. +* Contact the Department of Global Education for the +Informed Consent Template to be tailored for your trip and +then shared with families. + If necessary, collect the Notarized Parent/Guardian Airline +Travel Consent form. + Hold a chaperone team meeting to distribute trip +responsibilities and to review the student team. + Review students’ permission slips and medical forms; +prepare any questions for follow-up with families and the +school nurse. + The lead chaperone will record the names of the chaperones +and whom each chaperone is supervising; each chaperone +must carry this list. + Chaperones will organize a buddy system, pairing students +with one another for safety purposes. + + +Page 17: +Superintendent’s Circular CAO-24 +Page 17 of 80 + + + The lead chaperone will prepare trip binder for all +chaperones (see During the Trip section which lists all +binder contents). + Notify the appropriate principal leader and the Department +of Global Education of your overnight travel plans by +scanning and emailing the Overnight Field Trip Request +Form at least four weeks in advance. + +Two Weeks (or More) Prior to the Field Trip: + If applicable, inform the food service manager or attendant +of the names of the students going on the trip and the date +and time of the field trip. + Verify all arrangements, including transportation and +reception at the site. + Contact parents/guardians via telephone or in-person to +review the final details of travel and verify emergency, +medical and safety information, and contact details. Be sure +families have copies of their child’s permission and medical +forms as well as the trip itinerary and contact details. + Notify/consult with the principal/head of school (and +Department of Global Education) if trip plans have changed +from the original field trip request. + +COMMUNICATION PLAN + For Domestic Overnight Trips: The principal/head of school +(or designee) is the emergency contact for program leaders +and must be notified in the event of a serious medical + + +Page 18: +Superintendent’s Circular CAO-24 +Page 18 of 80 + + +emergency or other emergency event. The Department of +Global Education should be used as a resource for questions +regarding safety on trips, and for support with insurance +support and claims. Prior to departure, program leaders will +receive emergency contact information. + Phone Service Coverage: Program leaders must have cell +phone coverage for the duration of the trip for +communication with BPS and families in the event of an +emergency. This cell phone must be on at all times so you +may be contacted in case of an emergency. If this is not +possible due to your location, please arrange a +communication plan with the Department of Global +Education. Program leaders must carry the phone numbers +for the principal/head of school or sponsoring district +department and the Department of Global Education. You +are required to call anytime there is an emergency. + District Communication: Codify a clear communication plan +with your principal/head of school or sponsoring district +department prior to departure. You must check-in via phone +call, text, or email upon arrival, every 48 hours, whenever the +itinerary significantly changes, whenever you expect to lose +cell/email coverage, upon departure, and upon safe return. +You MUST check-in via phone when there is an incident. + + +Page 19: +Superintendent’s Circular CAO-24 +Page 19 of 80 + + +Definitions of communication types and expectations: +Green Communication: No immediate concern. +Program leader: notifies principal about arrival, departure, +changes in itinerary, loss of connectivity, highlights of +programs, photos. *Check in daily via text, phone call, email. +Yellow Communication: A Yellow Call is a reportable +situation or event, but no threat to life, limb, eyesight, or +potential for severe emotional trauma. The incident is +managed effectively in the field by program leader, but +could devolve into a serious or critical incident, and requires +attention from BPS on-call staff. +Program leader: (1) notifies principal; (2) documents Incident +SOAP Report; (3) monitors; (4) updates on-call BPS staff. +Red Communication: Critical, violent, time-sensitive +incident, illness, injury; or event that resulted in the loss of +OR potential loss of life, limb, eyesight. +Requires IMMEDIATE RESPONSE of program leader: +(1) notifies principal; (2) alerts local medical assistance and/or +law enforcement; (3) documents Incident SOAP Report; +(4) monitors; (5) updates on-call BPS staff. + Communication with Families: Call students the night +before travel to ensure transportation to the departure +location is set, remind students to bring travel documents, +and answer last-minute student and family questions. Set +expectations regarding communication during travel +between chaperones/student travelers, and the + + +Page 20: +Superintendent’s Circular CAO-24 +Page 20 of 80 + + +principal/families. Families must know who to call 24/7 in +case of an emergency. + +DURING THE FIELD TRIP PROGRAM + On the day of the trip, take attendance and leave the current +list of students attending the trip with the principal/head of +school. If applicable, record a specific bus number and +driver’s name and leave this information with the +principal/head of school and share with all chaperones and, if +age-appropriate, students. + Team Safety: If you believe conditions are unsafe, or +unhealthy at any point on the trip, it is the program leader’s +responsibility to make adjustments in the interest of +group/individual safety. Consult your principal/head of +school and the Department of Global Education during the +trip when you have questions regarding trip safety. + Conduct Safety Reviews with Students in the Field: The +following topics must be reviewed with students: + Program leaders conduct a fire and safety assessment +and fire drill (Fire Prevention and Safety Instructions) +when you arrive at EACH NEW accommodation. Share +with the chaperone team the “Assessment” and +prepare for orientation and fire drill. + Share evacuation plan and emergency plans: Discuss +where students go during an emergency or otherwise? +Discuss where students go if they are separated from +the group during an activity. + + +Page 21: +Superintendent’s Circular CAO-24 +Page 21 of 80 + + + Ensure students have a list of the key addresses +(hotel/chaperone information) and emergency +information as well as copies of all travel documents. +Share where you are staying (room number if +applicable) and how to reach you on the trip. + Conduct in-country orientation for conduct and +cultural expectations. Set expectations for phone usage +and social media. This is especially critical during an +emergency. + Conduct safety orientations for service learning +projects where teams work to construct, alter, and/or +repair structures, including painting and decorating, +and for agricultural projects, chaperones with the +support of program providers, must conduct a safety +orientation at the beginning of each activity. + +Student Debriefs/Reflections: + Conduct morning briefings to review the day’s itinerary +and key information. Ask and answer questions. + Conduct afternoon and/or evening debriefings to +review the next day’s itinerary, gather feedback, and +process the day’s learning, and make any necessary +adjustments. Engage students in conversations that +help them process their experiences. Help them break +down stereotypes so that when they return, they have +a deeper understanding of the culture and country +they visited. Draw connections to how they will take + + +Page 22: +Superintendent’s Circular CAO-24 +Page 22 of 80 + + +the experience home with them and how the lessons +they have learned will translate back home. + +Check-Ins & Student Supervision: + Conduct frequent check-ins with the chaperone team +to assess programming, student dynamics, and to +make any adjustments. + Conduct frequent check-Ins with students about their +behavioral and physical health as well as their ability to +process their trip experiences. + Conduct nightly bed checks to be sure students are in +their rooms at the designated time. If staying in a +hotel/hostel be sure to request in advance for students +to be placed near chaperones. + Establish a curfew with clear guidelines, and ensure +doors are open if students congregate in the evening. +Adults should stay close by and conduct frequent +expected and unexpected room checks. Be mindful of +romantic relationships amongst students. + Conduct regular and frequent headcounts and buddy +checks throughout the day. Do not leave students +alone. Students should be accompanied by chaperones +unless part of a scheduled activity and age appropriate +as approved by their parent/guardian in advance. +However, if unaccompanied as part of a scheduled and +structured activity, students should be in at least + + +Page 23: +Superintendent’s Circular CAO-24 +Page 23 of 80 + + +groups of three AND always know how to reach an +adult chaperone. + +DOCUMENTS TO TAKE +All chaperones must carry a trip binder at all times (or have them +very close at hand) that includes the following documents. The +program leader carries the original forms; all other chaperones +carry copies. +● Permissions slips (updated based on contact +verification done with families) +● Medical Information Form and Medical Administration +Form +● Student & Family Conduct Agreement Form +● Parental waivers (if applicable) +● Notarized Airline Consent Form (if applicable) +● Copies of passports, visas, resident cards, and other +travel-related documents +● Emergency Action Plan (EAP) +● Insurance information +● BPS Field Guide protocols with emergency phone +numbers +● Fire prevention and safety information +● Incident Report (blank and/or completed) +● Witness Report Form (blank and/or completed) +● Incident Investigation Log (blank and/or completed) + + +Page 24: +Superintendent’s Circular CAO-24 +Page 24 of 80 + + +● SOAP Note (blank and/or completed) +● List of addresses and emergency contacts in-country +for all travelers +● Water Activities Forms if applicable +● Program leaders carry originals of permission slips and +medical forms; other chaperones carry copies. + +DOCUMENTS TO LEAVE FOR YOUR PRINCIPAL/HEAD OF +SCHOOL +● CAO-24 circular with checklists +● Permissions slips (updated based on contact +verification done with families) +● Student & Family Conduct Agreement Form +● Parental waivers (if applicable) +● Medical Information Form and Medical Administration +Form +● Notarized Airline Consent Form (if applicable) +● Copies of passports, visas, resident cards, and other +travel-related documents +● Emergency Action Plan (EAP) +● Insurance information +● Fire prevention and safety information +● International Program Incident Report (blank for +reference) +● Water Activities Forms (if applicable) + + +Page 25: +Superintendent’s Circular CAO-24 +Page 25 of 80 + + +AFTER THE FIELD TRIP (MANDATORY) +Ensure all students safely return to their parents/families +when you arrive back from the destination by following +expectations set prior to the trip for student pick-up from +arrival location. + Medical Follow-Up: Depending on travel location and +prescribed travel medication, call all students and families +after the trip to remind students to continue to take all +prescribed travel medication. Additionally, remind students +(inform parents/guardians) to see a doctor immediately if +they are not feeling well after the trip and to inform the +doctor of their recent travels. + Incident Reports: If applicable, file and follow up with an +Incident Report. + +AFTER THE FIELD TRIP (SUGGESTED) + Write thank-you notes. + Present to school, family, and the community about the +experience. + Conduct related creative and/or analytical projects to +showcase student learning. + Write a news article about the trip for a local newspaper or +website. + Email stories, journals, and pictures of your trip to the +Department of Global Education. + + +Page 26: +Superintendent’s Circular CAO-24 +Page 26 of 80 + + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent +ATTACHMENTS: +1. Overnight Field Trip Request Form +2. Emergency Action Plan +3. Parental Authorization for Overnight Field Trip +4. Medical Information Form +5. Medication Administration Form +6. Notarized Parent/Guardian Airline Consent Form +7. Overnight Programs Incident Report +8. Overnight Programs Witness Report +9. Overnight Programs Incident Log +10. Fire Prevention and Safety Instructions +11. BPS Student Traveler & Family Agreement Form +12. BPS Chaperone Agreement Form + + +Page 27: +Superintendent’s Circular CAO-24 +Page 27 of 80 + + +OVERNIGHT FIELD TRIP CHECKLIST +Please sign this checklist, retain a copy for your file, and submit +the original to the school office for filing. +Your signature indicates that you read and understand the +policies in this circular; that they have been/will be followed; and +all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + + +School Name: + + +Program Leader: +Date + + + +Signature of Principal/Head of School or +Date +Sponsoring District Department + + +Page 28: +Superintendent’s Circular CAO-24 +Page 28 of 80 + + +CAO- 24 ACKNOWLEDGEMENT FORM +Please sign this checklist, retain a copy for your file, submit the +original to the school office for filing and attach it to your +completed request package. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + + +School Name: + + + + + +Signature of program leader +Date + + + +Signature of Principal/Head of School +Date +or Sponsoring District Department + + +Page 29: +Superintendent’s Circular CAO-24 +Page 29 of 80 + + +OVERNIGHT FIELD TRIP REQUEST FORM +This form is submitted to the principal/head of school and is kept +on file in the school office. In addition, notify the appropriate +Network Superintendent and the Department of Global +Education of your plans (four weeks in advance) by faxing or +emailing as a PDF the following documents: 1) Overnight field +Trip Request Form signed by the principal/head of school , 2) +Day- by-Day trip itinerary, 3) Student roster; D.O.B, grade, +emergency contact name, and number and 4) if applicable, your +flight or train itinerary. Please call or email to ensure these +documents have been received by all parties. + +SCHOOL INFORMATION: +School: + + +Date Submitted: + + + +TRIP OVERVIEW: +Number of Students: +Number of Chaperones: + + + +(Supervision: maximum ratio 10:1 with a two-chaperone +minimum. For students with disabilities, the ratio of staff to +students must be at least the same as the ratio mandated in +their IEPs for their classes.) + + +Page 30: +Superintendent’s Circular CAO-24 +Page 30 of 80 + + +Field Trip Category: + +Destination: + +Dates of Trip: + + +Overview of Trip (Educational Purpose): + + + + + +ACCOMMODATION/LODGING INFORMATION + + +Accommodation Name: + +Address: + +Phone Number: + + + +Page 31: +Superintendent’s Circular CAO-24 +Page 31 of 80 + + +PROGRAM PROVIDER INFORMATION +(If working with a company, organization, or partner) + +Program Provider: + +Program Provider Contact Person: + +Program Provider Telephone Number: + +Program Email: + + +ITINERARY +Please attach the detailed day-by-day itinerary: + + +Page 32: +Superintendent’s Circular CAO-24 +Page 32 of 80 + + +PROGRAM LEADER: + +Program Leader/Lead Chaperone: + + +Role in School: + +Program Leader Phone # (prior to the trip): + +Program Leader Phone # (during the trip): + +Program Leader Email: + +Other Chaperones/Roles in School/ Phone Numbers on Field Trip: +Attach a separate sheet if necessary. + +Name +Role +Phone # +Email + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Page 33: +Superintendent’s Circular CAO-24 +Page 33 of 80 + +Staff are not permitted to drive students. Privately owned +vehicles, vehicles from non-approved vendors, or leased +vehicles are not to be used to transport students to and from +field trips except in the case of a bona fide emergency. Staff +who use their own vehicles risk being legally liable. Please refer +to TRN-03 for regulations regarding field trip transportation. + +STUDENT PARTICIPANTS: +Please attach a student roster that includes: Legal and last +name, D.O.B, grade, emergency contact name, and phone #. + +TRANSPORTATION INFORMATION: + + +Method of Transportation: + + +Transportation Company: + +(For bus transportation, only BPS-approved vendors may be +used regardless of how the trip is paid for. See TRN-3 for list.) +Contact Information (phone and address): + + + + +Departure Location and Time: + +Return Location and Time: + +*If applicable, attach detailed train or flight information. + + +Page 34: +Superintendent’s Circular CAO-24 +Page 34 of 80 + + +FUNDING SOURCES: +Total Cost: $ + + +Funding Source: + +Grant Number: + +BEDF Account Code/Description: + + + + +Approved by: + +Principal/Head of School +or Sponsoring District Department +Date: + +Your signature indicates that all policies outlined in CAO-22 AND +CAO-24 regarding overnight field trips will be followed. + + +Page 35: +Superintendent’s Circular CAO-24 +Page 35 of 80 + + +EMERGENCY ACTION PLAN (EAP) +PROCEDURES FOR CALLING 911 ON A FIELD TRIP +Do not leave the injured person alone or without an adult +present. + +1. REMAIN CALM. This helps the operator receive your +information. +2. DIAL 911. Remember you may need to access an outside line +first. +3. My name is +. I am a (your role) in the Boston +Public Schools. +4. I need paramedics now. +5. My exact address is +. +6. There is a person with a (state type/location of injury) injury. +7. The person’s name is +and they are + +years old. +8. The person is located at +which is on the +(North/South/East/West) side of the facility. +9. I am calling from (telephone number). +10.(Name) will meet the ambulance. +11. Don’t hang up. Ask for the information to be repeated back +to you and answer any questions the dispatcher may have. +Hang up the phone when all information is correct and +verified. + + +Page 36: +Superintendent’s Circular CAO-24 +Page 36 of 80 + + +12. Wait with the person until EMS arrives. +13. Paramedics will take over care of the person when they +arrive. A chaperone must accompany any injured student in +the ambulance and remain with the student until the +parent/guardian arrives. +14. Call your head of school or appointee. The Department of +Global Education can assist in contacting the necessary +district personnel and insurance providers. File an Overnight +Program Incident Report and Overnight Incident Log. +Principal/Head of School: + + +Phone Numbers: + +Principal Leader: + +Department of Safety Services: (617) 635-8000 +Department of Global Education: + + +Additional Phone Numbers: + + + +Page 37: +Superintendent’s Circular CAO-24 +Page 37 of 80 + + +PARENTAL AUTHORIZATION FOR DOMESTIC +OVERNIGHT FIELD TRIP +ASSUMPTION OF RISK, WAIVER, RELEASE, AND INDEMNITY +HOLD HARMLESS AGREEMENT +Program Leaders: +Access the required Assumption of Risk, Waiver, Release, and +Indemnity Hold Harmless Agreement template here. Please +make a copy of this template document before you edit the text +in RED, and then share it with the Director of Global Education. +This document is to be reviewed by the Director of Global +Education & BPS Legal BEFORE sharing with parents/guardians +for signature** +This document is a requirement, and a binding legal document. +Should you have any questions, please contact the Department +of Global Education. + + +Page 38: +Superintendent’s Circular CAO-24 +Page 38 of 80 + + +MEDICAL FORM OVERNIGHT TRIPS +GENERAL INFORMATION +IMPORTANT NOTES: +• Students may be in new and unfamiliar situations when +traveling. It is critical that this form is completed thoroughly +and accurately so we may be in the best position possible to +support you/your child. +• Please indicate with an X +HERE if you would like to +schedule a meeting with the program leader of the trip to +discuss your child’s medical or mental health. +• To participate in a domestic overnight trip, a copy of the +student’s current school year physical examination record +must be on file at the school in order to participate on an +overnight field trip. If traveling internationally, all students +must visit their primary care doctor prior to traveling and be +current on all immunizations and vaccinations for the U.S. in +addition to the recommended immunizations and +vaccinations for the locations/country(s) to be visited. +• To be completed by the parent/guardian of the BPS student. + + +Page 39: +Superintendent’s Circular CAO-24 +Page 39 of 80 + + +STUDENT INFORMATION + +Student’s Full Name: + + +Date of Birth: + + +Country of Origin: +Parent/Guardian Name: + + +Cell: +Home: +Work: +Email: +Home Address: +Parent/Guardian Name: + + +Cell: +Home: +Work: +Email: +Home Address: + + +Page 40: +Superintendent’s Circular CAO-24 +Page 40 of 80 + + +Emergency Contact # 1 + + +Name: + + +Relationship to student: + + +Address: + + +Cell #: +Work #: +Email: +Emergency Contact # 2 + + +Name: + + +Relationship to student: + + +Address: + + +Cell #: +Work #: +Email: + + +Page 41: +Superintendent’s Circular CAO-24 +Page 41 of 80 + + +MEDICAL FORM OVERNIGHT TRIPS +STUDENT HEALTH QUESTIONS +IMPORTANT NOTES to be completed by the parent/guardian of +the BPS student at least two months in advance of trip: +1. Primary care physician’s name and contact information (in +case of an emergency): + + +2. Health insurance provider’s name, policy #, and contact +information (in case of emergency): + + +3. Insurance provider claim instructions/procedures (in case of +emergency): + + +4. The student has the following health conditions and/or +allergies of which BPS should be +aware: + + +5. Physical health conditions: + + +6. Behavioral/mental health conditions: (e.g., depression, +anxiety, etc.) + + +7. Allergies (food, medication, insects, plants, animals, etc.): + + +Page 42: +Superintendent’s Circular CAO-24 +Page 42 of 80 + + +8. The student takes the following medications (including +over-the-counter and herbal) and/or prescriptions of which +BPS should be aware. (Be sure to complete the Medical +Administration Form): + + +9. If medication is taken on an as-needed basis, specify the +symptoms or conditions when medication is to be taken +and the time at which it may be given again. + + +10. Is there any factor that makes it advisable for your child to +follow a limited program of physical activity? (i.e., asthma, +recent surgery, heart condition, fear, etc.) If yes, specify the +ways in which you wish their program limited. If the student +has asthma, please attach the asthma action plan to this +medical form. + + +11. Are there any activities on the itinerary that your child +cannot or should not do? + + +12. Other than a yearly physical, is the student currently under a +physician’s or other medical professional’s care (e.g., social +worker, therapist, etc.)? If yes, please detail the reason. + + +Page 43: +Superintendent’s Circular CAO-24 +Page 43 of 80 + + +13. Other than a yearly physical, has the student been under a +physician’s or other medical professional’s (e.g., social +worker, therapist, etc.) care anytime in the last year. If yes, +please detail the reason and dates of treatment. + + +14. Please list any hospital, treatment center, surgical, +psychiatric, or urgent care visits within the last year: (Please +specify the date, the reason, the physician or professional +seen, and the length of stay.) + + +15. Additional information of which BPS should be aware +concerning student’s health: + + +Page 44: +Superintendent’s Circular CAO-24 +Page 44 of 80 + + +I authorize the release of the information given above to +chaperones and other school staff in order to coordinate +services and understand that chaperones will consult with +the school nurse about each student's health so they will be +in the strongest position to support you/your child on this +program. + + + +Student Signature, if at least 18 years of age +Date + + + + +Parent/Guardian Signature, if the student +Date +is under 18 years of age + + +▪ If necessary, attach the doctor’s letter to this form. +▪ If necessary, attach the asthma action plan to this form. +▪ If necessary, attach the diabetes action plan to this form. +▪ If necessary, attach copies that document student shots +and immunizations to this form. + + +Page 45: +Superintendent’s Circular CAO-24 +Page 45 of 80 + + +MEDICAL FORM: OVERNIGHT TRIPS +MEDICATION ADMINISTRATION + +*Please send only essential medications with your student +on this trip. + + +Student Name: + +1. Name of Medication: + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + +2. Name of Medication: + + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + + + +Page 46: +Superintendent’s Circular CAO-24 +Page 46 of 80 + + +3. Name of Medication: + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + +4. Name of Medication: + + +Time(s) to be taken: + + +Reason for Medication: + +Side effects to be aware of/other information: + + + + + +Additional information/special instructions: + + +Page 47: +Superintendent’s Circular CAO-24 +Page 47 of 80 + + +I authorize my child to take the above medications on this trip. + + + + + +Student Signature, if at least 18 years of age +Date + + + + +Parent/Guardian Signature, if student is +Date +under 18 years of age + + +Page 48: +Superintendent’s Circular CAO-24 +Page 48 of 80 + + +TRAVEL CONSENT FORM (PAGE 1) + +The parties to this agreement are: +Parent/ Legal Guardian: (hereinafter referred to as “the +parent/guardian”) + +First and Last Name: + +Physical Address: + +Contact Details: + +Child: (hereinafter referred to as “the child”) + + +First and Last Name: + +Birthdate: + +Traveling Guardian(s) and Contact Details: (hereinafter referred +to as “The Traveling Guardians”) + + +Full Name: +Address: +Contact Details: + + +Page 49: +Superintendent’s Circular CAO-24 +Page 49 of 80 + + +Notarized Parent/Guardian Airline Travel Consent Form (page 2) + +1. I hereby authorize the child to travel with the traveling +guardians to the following destination: +2. The period of travel shall be from + to + +. +3. Should it prove to be impossible to notify the parent/ +guardian of any change in travel plans due to an emergency +or unforeseen circumstances arising, I authorize the +traveling guardian to authorize such travel plans. +4. Should the traveling guardian in their sole discretion (which +discretion shall not be unreasonably exercised) deem it +advisable to make special travel arrangements for the child +to be returned home due to unforeseen circumstances +arising, I accept full responsibility for the additional costs +which shall be incurred thereby. +5. I indemnify the traveling guardian against any and all claims +whatsoever and howsoever arising, save where such claims +arise from negligence, gross negligence, or willful intent +during the specified period of this travel consent. +6. I declare that I am the legal custodian of the child and that I +have the legal authority to grant travel consent to the +traveling guardian of the child. +7. Unless inconsistent with the context, words signifying the +singular shall include the plural and vice versa. + + +Page 50: +Superintendent’s Circular CAO-24 +Page 50 of 80 + + +Notarized Parent/Guardian Airline Travel Consent Form (page 3) + + +Signed at +on the +day of + +, 20 +. + +Signature +(Parent/ Guardian) +Signature + +(Witness 1) +Signature +(Witness 2) +*Witness signatures must be by independent persons and not by +anyone listed on the Travel Consent form. + +On this +day of +, 20 +, before me, +the undersigned authority, personally appeared and proved to +me through satisfactory evidence of identity, to wit, to be the +person(s) whose name(s) is/are signed on the attached +document and who signed in my presence. + + +Official Notary Signature: + + + +Name of Notary Typed, Printed or Stamped: + + +Commission Expires: + + + +Page 51: +Superintendent’s Circular CAO-24 +Page 51 of 80 + + +STUDENT SUPPORT DURING DOMESTIC OVERNIGHT +PROGRAMS FORM (RECOMMENDED) + + +Note: This form is to be completed by students who intend to +participate in an overnight program. The information is +confidential and will be used by program leaders to better +understand and support the needs of students while on program +in a foreign country. +Student First & Last Name: + + + +When preparing for your international program, please think +about the following questions, and respond as honestly as +possible in order to be supported: +1. What are you nervous about? + + + + +2. What are you excited about? + + + + +3. What scares you about the trip location or activities +(itinerary)? + + +Page 52: +Superintendent’s Circular CAO-24 +Page 52 of 80 + + +4. When in a new environment, I get anxious when… + + + + +5. When in a new environment, I get upset when… + + + + +6. In order to get the most learning and benefits from +this experience, I will need… + + +Page 53: +Superintendent’s Circular CAO-24 +Page 53 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS INCIDENT REPORT +Incident reports should be used for all yellow and red incidents +that are not fully described or investigated already through the +SOAP Note. + +A. Complete all Fields: +School/s: + +Date of Report: + +Country: + +Incident Date and Time: + +Reporting Chaperone: + +B. Complete all Applicable Fields: + +Victim(s) Name(s) +Contact Information + +Suspect(s) Name(s) +Contact Information + +Witness(s) Name(s) +Contact Information + +Location of Event +Address + + + +Page 54: +Superintendent’s Circular CAO-24 +Page 54 of 80 + + +Domestic Overnight Programs Incident Report (page 2) + +C. Nature of Incident (check all that apply) + + Injury + Equipment Fail + Behavioral/ +Psychological + Illness + Missing/Separa- +ted Person + Natural Disaster + Physical Assault + Sexual +Assault + Theft + Property +Damage + Sexual +Harassment + Fatality + Crime + Political +Upheaval + Disease +Outbreak + BPS Code +of Conduct +violation + Other: + + +D. Narrative (Using facts, describe what happened): + + +Page 55: +Superintendent’s Circular CAO-24 +Page 55 of 80 + + +Domestic Overnight Programs Incident Report (page 3) + +E. Activity at Time of Incident (check all that apply) + + Class time + Service + Homestay + Traveling + Fieldtrip + Camping + Hike/Jog/Walk + Swimming + Water Activity + Other: + + +F. Contributing Factors (Check all that apply) + + Not disclosed in +medical form + Sports/Recreation + Animal/Insect/Plant + Pre-Existing +Condition + Alcohol/Drugs/ +Medication + Motor Vehicle + Weather/Terrain + Pre-Course Info + Orientation/ +Training + Political/ +Cultural/ +Language + Other + + + +Page 56: +Superintendent’s Circular CAO-24 +Page 56 of 80 + + +Domestic Overnight Programs Incident Report (page 3) + +G. Action Taken +Details +First Aid +When +By Whom + +Type (i.e., medication, CPR, +etc.) + +Emergency Evacuation + +Visit Medical Facility +Name of Facility +Doctor/PA/Nurse +Reported Diagnosis +Medication Prescribed + +Emergency Contact Person +Notified? +☐ Yes +☐No +Name: +Date and Time Contacted: +Notes: + + +Page 57: +Superintendent’s Circular CAO-24 +Page 57 of 80 + + +G. Action Taken +Details +Department of Global +Education (DGE) Contacted? +☐ Yes +☐No +Name: +Date and Time DGE Contacted: +Notes: +Insurance Contacted? +☐ Yes +☐No +Name: +Date and Time Contacted: +Claim #: +Notes: +Local Authorities Notified? +☐ Yes +☐No +Date and Time Notified: +Organization: +Authority Name(s): +Notes: + + +Page 58: +Superintendent’s Circular CAO-24 +Page 58 of 80 + + +G. Action Taken +Details +Follow-up Plan +Details: + + + +Signature of Reporting Chaperone: +Date: +File this Overnight Incident Programs Report along with +any accompanying reports/documents from local law +enforcement, medical professionals, and/or International +Programs Witness Report via email if possible OR as soon +as circumstances permit. Turn in the original report to the +DGE as soon as you return to Boston. Incident reports +require at least one witness signature, and where possible +the signatures of all impacted participants. + + +Page 59: +Superintendent’s Circular CAO-24 +Page 59 of 80 + + +Domestic Overnight Programs Incident Report (page 6) + + +Witness Signature +Date +Signatures of those impacted: +1. +Date: + +2. +Date: + + +3. +Date: + +4. +Date: + + + +Page 60: +Superintendent’s Circular CAO-24 +Page 60 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS WITNESS REPORT +Witnesses shall use this form to provide a statement of their +observations to accompany the Incident Report Form. + +Witness Statement of [Name]: + +Phone Number: + +Address: + + + + +Description of Incident: + + + + + + + + + + + + + + + +I believe the contents of this statement are true. +Signature: + Date: + + + +Page 61: +Superintendent’s Circular CAO-24 +Page 61 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS +INVESTIGATION LOG +This template can be used to take running notes during an +investigation. + +Event +Time +Location +Parties +Involved +Source of +Information + + + + + + + + + + + + + + + + + + + + + + +Page 62: +Superintendent’s Circular CAO-24 +Page 62 of 80 + + +Event +Time +Location +Parties +Involved +Source of +Information + + + + + + + + + + + + + + + + +Signature of Investigator +Date + + +Page 63: +Superintendent’s Circular CAO-24 +Page 63 of 80 + + +SOAP NOTE +SOAP Notes should be used for live documentation of all health +related incidents requiring further monitoring and/or +evacuation. SOAP Notes should be attached to the +corresponding Incident Report. + +Subjective: What the patient tells you; note the chief +complaint(s): + + + + + + +Objective: What you see; vital signs; general survey of patient: + + + + + + +Assessment: What you think is going on; diagnosis presented by +medical professional: + + + + +Anticipated Problems: + + +Page 64: +Superintendent’s Circular CAO-24 +Page 64 of 80 + + +Plan: What will be done about it; Tests ordered, medications +prescribed, follow up needed: + + + + + + + + + +Reporting Chaperone +Date +File this SOAP Note along with any accompanying +reports/documents from local law enforcement, medical +professionals and/or International Programs Witness Report via +email if possible OR as soon as circumstances permit. Turn in the +original report to the DGE as soon as you return to Boston. + + +Page 65: +Superintendent’s Circular CAO-24 +Page 65 of 80 + + +FIRE PREVENTION AND SAFETY PRACTICES +OVERNIGHT PROGRAMS +Fire safety plans on overnight and international programs +differ from the procedures set for our schools. The laws that +regulate fire prevention may differ from what exists in +Massachusetts. The steps below must be followed on all +overnight and international programs: +1. Conduct a fire prevention assessment. +The program leader must conduct a fire safety +prevention assessment using the Fire Prevention and +Safety Form (Attachment A) within 24 hours of arrival. +Using the Fire Prevention and Safety Form, the +program leader shall formulate a plan for the +evacuation of all persons on the trip in the event of a +fire or other emergency. This plan shall include +alternate means of egress and should be created in +consultation with an accommodation staff person, and +if applicable, the third-party provider. +2. Prepare Chaperone Team on fire prevention strategy. +Based on the results from the Fire Prevention and +Safety Form, the program leader should ensure that +each staff member receives and understands the fire +prevention landscape and has instructions on the fire +drill procedure created for the accommodation. +Questions to review include: +a. What are the best means of egress in case of a fire? +(Consider all rooms students and staff are staying in + + +Page 66: +Superintendent’s Circular CAO-24 +Page 66 of 80 + + +and all places where the group may congregate. Use +the hotel’s posted evacuation routes if applicable.) +b. Where is the designated meeting point? (This +meeting point should be a safe distance from the +building, but easy for the group to identify and +locate.) +c. Who is responsible for each student? (Attendance +must be taken; if chaperone ratios permit, the lead +chaperone should not be assigned to a group and +should serve as the contact person for emergency +personnel.) +d. What are some hazards that students and +chaperones should be aware of? +e. What happens in the case of a missing person? +3. Review prevention strategy with students and conduct a +fire drill. +The lead chaperone and the chaperone team will +review the fire prevention strategy and conduct a fire +drill (walkthrough) with the students within the first 24 +hours of the trip. Conducting a fire drill (walkthrough) +is important as participants are unfamiliar with the +building. +Instructions for fire drills: +Since each accommodation is different, each plan and +drill will vary. Regardless of the accommodation, it is +critical that a procedure is in place for evacuating the +building, each chaperone knows their responsibilities, +every student participates in the fire drill + + +Page 67: +Superintendent’s Circular CAO-24 +Page 67 of 80 + + +(walkthrough), and each person knows the meeting +location when evacuated from the building. Please +note: A fire drill as defined here is a walkthrough of the +route the group will take to exit the premises in the +event of an emergency. +A few general instructions: +● Evacuate immediately. +● Do not use elevators during a fire evacuation. +● Each student should walk to the designated meeting +location outside of the building in a quiet and orderly +manner. +● Make sure all students know all possible exits from +their area and that students know where the meeting +location is outside of the building. +● Fire drill plans must ensure adequate procedures for +the emergency evacuation of students and staff with +disabilities. (Have a staging location for students/staff +with disabilities and make sure hotel/hostel personnel +are also aware.) +● Chaperones are responsible for students under their +supervision and must take attendance. + + +Page 68: +Superintendent’s Circular CAO-24 +Page 68 of 80 + + +● Upon the evacuation of a building, no person or +persons shall re-enter the building without the +authorization of the lead chaperone. The lead +chaperone, as a part of their fire drill procedures, must +establish a command procedure for such evacuations. +4. Conduct a post-fire drill debrief. +After the fire drill, the chaperone team should set aside +time to debrief. Record response on Attachment A. + + +Page 69: +Superintendent’s Circular CAO-24 +Page 69 of 80 + + +FIRE PREVENTION AND SAFETY ASSESSMENT FORM +For each accommodation, please complete and, upon your +return, file this form with other documents you are +mandated to keep. Legally, these documents must be kept +on file for the current fiscal year plus three additional years +after the field trip has occurred. + +BUILDING: +Program Leader: + + +Date of the Safety Prevention Assessment: + +Name/s and Titles of Staff Consulted for Assessment: + + + +(accommodation staff/ program provider staff) + + +OUTSIDE THE BUILDING: +List the possible hazards in the area: + + + + +Can the accommodation be accessed by a fire department +or emergency team?  YES + NO + + +Page 70: +Superintendent’s Circular CAO-24 +Page 70 of 80 + + +INSIDE THE BUILDING + +Equipment: +Does the building have fire alarms? +☐ YES +☐ NO +Are there fire sprinklers? +☐ YES +☐ NO +If yes, where are they located? + + + +Is there adequate lighting in the corridors? + +☐ YES + +☐ NO +Are there clear exit signs? +☐ YES +☐ NO +Are there fire alarm pull stations? +☐ YES +☐ NO +Are the fire alarm pull stations visible and +accessible? + +☐ YES + +☐ NO +Are there fire extinguishers? +☐ YES +☐ NO +If yes, where? + + + +Are there smoke detectors in the corridors and in + + +every room where participants are staying? +☐YES +☐NO + + +Hazards: +List the potential fire hazards at the site: + + + + +Are there notable fire hazards such as open fire doors, +accumulated trash, blocked corridors, locked exit doors, blocked + + +Page 71: +Superintendent’s Circular CAO-24 +Page 71 of 80 + + +stairways, burned-out exit lights, or missing/broken fire +equipment? +☐ YES +☐ NO +Means of Evacuation/Egress: + + +Does the facility have an evacuation plan for +each room? (If not, be sure that when you +conduct a fire drill (walkthrough) that you +develop a plan for leaving the room.) + + + +☐ YES + + + +☐ NO +What are the means of egress? + + + +Are there primary exits and alternate exits? + +☐ YES + +☐ NO +Note locations: + + + +FIRE DRILL/WALKTHROUGH PLAN: + + +(Please record notes below.) + + + + +Page 72: +Superintendent’s Circular CAO-24 +Page 72 of 80 + + +POST-DRILL DEBRIEF: +Date and time of the fire drill: + + + +Did the students and chaperones follow the procedures of the +fire drill? If no, why not? +☐YES +☐NO + + + + +Based on this debrief, either inform the students of your +findings for adjustments or, if necessary, conduct another +fire drill. Once the safety review and drill are completed, +please sign below. + +Signature of Program Leader: + + + +Page 73: +Superintendent’s Circular CAO-24 +Page 73 of 80 + + +BPS STUDENT TRAVELER & FAMILY AGREEMENT +FOR DOMESTIC OVERNIGHT TRAVEL +Overview: Positive behavior is a key expectation for students +participating in domestic and international travel opportunities. +Positive behavior reflects trustworthiness, respect, responsibility, +ambassadorship, and service. Participants are expected to fully +participate, follow all program guidelines, and behave +appropriately to ensure a high-quality learning experience. +Parent/guardians: please read this contract carefully with your +student and sign it. +Students: your signature on this contract seals your commitment +to follow behavior expectations leading up to, and during your +school trip. + +STUDENTS: +Before I go on the trip: +● I understand that my acceptance to a trip prior to departure +does not guarantee that I will be allowed to attend. +● I have access to my school's handbook which includes all +BPS and school rules and the BPS Code of Conduct. +● I know that it is my responsibility to follow all BPS rules and +guidelines set by the administrator or chaperone. +● I will attend all mandatory pre-departure meetings and +complete all mandatory paperwork. +● I will not violate the BPS Code of Conduct. + + +Page 74: +Superintendent’s Circular CAO-24 +Page 74 of 80 + + +● I will not distribute or consume alcohol or drugs (including +edibles) and/or encourage actions that are against the BPS +Code of Conduct or law. +● I will not pack any illegal or inappropriate items (i.e., items in +violation of the BPS Code of Conduct, including, but not +limited to: weapons, alcohol, edibles, drug paraphernalia). +● I will be compliant with any guidelines set by the school, +administrator, or chaperone regarding program +expectations and any required materials, such as completed +projects, journals, and service hours. +● I know that if I do not act appropriately, or if I violate any +rule, there are consequences for my actions. Such +consequences include, but are not limited to, not being +allowed to participate in the international trip program. +While I am on the trip: +● I will not violate the BPS Code of Conduct. +● I will ask for help from the adults when needed. +● I will treat my peers, all adults, and all people with the +utmost level of respect. +● I will not purchase, distribute, or consume any illegal or +inappropriate items (i.e., items in violation of BPS Code of +Conduct, including but not limited to: weapons, alcohol, +edibles, drug paraphernalia), even if these substances are +legal in the state or foreign country, or I am of legal age in +the foreign country. + + +Page 75: +Superintendent’s Circular CAO-24 +Page 75 of 80 + + +● I will use social media responsibly during the trip and will +not post or communicate any information regarding other +students during an emergency. +● I will abide by the established curfew and sleep alone in my +assigned bed and sleeping location each night. +● I will not vandalize any property at any venue I visit (hotel, +tour bus, tourist sites, homestay location). +● I will obey the BPS dress code, as well as the suggested +attire for the foreign country and specific sites and locations +within the foreign country I will visit. +● I will not share any medication with anyone on the trip. +● I will take medication prescribed for me by my doctor for +required or recommended medical use while abroad (e.g., +malaria pills, asthma inhaler, prescriptions for anxiety, +depression). +● I will not leave the group at any time unless specifically +authorized to do so. +● I will practice good common sense, respect, and +consideration for others and their property. +● I understand that I am responsible for keeping my passport, +important belongings, and other travel documents safe. +● I understand that partaking in any illegal activity abroad can +result in my arrest. +● I understand that if an issue of any kind arises, my +chaperone will address the issue, and their decision is final. + + +Page 76: +Superintendent’s Circular CAO-24 +Page 76 of 80 + + +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such +consequences include, but are not limited to, being sent +home at my parent/guardian's expense. + +PARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: +I fully understand the following conditions regarding student +international travel with BPS: +1. The BPS Code of Conduct applies to all field trips. Following +an investigation, if the program leader, in consultation with +the principal/head of school and Central Office staff, +determines that a student’s conduct while on an overnight +trip poses a risk to themselves, or the safety of the group, or +is no longer manageable by BPS staff in the field, the district +reserves the right to request and arrange for that student to +return home. The district also reserves the right to request +that families assume responsibility for all or a portion of the +costs associated with their child’s return. Students may be +subject to further disciplinary action and will be provided +the opportunity to have a formal hearing at the school level +upon return. +2. If a student is to be dismissed from an overnight field trip +due to behavior that violates the BPS Code of Conduct while +participating in a domestic overnight trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed- +upon destination. If the parent/guardian is not reachable, +the student’s principal or appropriate school-based point of +contact must be notified and agree to meet the student at +the airport or other agreed-upon destination. Students +under the age of 16 must be accompanied on their flight by + + +Page 77: +Superintendent’s Circular CAO-24 +Page 77 of 80 + + +a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +3. Parents or students who sign contracts and/or agreements +with third-party company vendors acknowledge that +outside companies’ protocols and procedures might differ +from BPS policies and procedures. Families should +especially be aware of cancellation and refund policies. BPS +is not responsible for money paid to third-party vendors. +4. BPS reserves the right to cancel a trip at any time. Trip +destinations that impose an immediate risk to our students +will be canceled. In these instances, all families will be +notified immediately. + + +(Families: Keep this page.) + + +Page 78: +Superintendent’s Circular CAO-24 +Page 78 of 80 + + +(Program leaders: Keep this page.) + + +STUDENT/GUARDIAN STATEMENT OF UNDERSTANDING +We have read and understand the BPS Student Traveler & +Family Agreement Form. We understand what is expected of the +prospective student traveler and feel that we, the +parent/guardian and student, can commit to these expectations. +PARENT/GUARDIAN (print name): + + +PARENT/GUARDIAN (signature) + +DATE + +PHONE NUMBER: + +STUDENT (print name): + + +STUDENT (signature): + +DATE: + +PHONE NUMBER: + + + +(Students: Return this page to your program leader.) + + +Page 79: +Superintendent’s Circular CAO-24 +Page 79 of 80 + + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS sponsored +field trips and submitted to the program leader (lead +chaperone). + +School Name: + + +Destination: + + +Departure Date: +Return Date: + + + +All chaperones must agree to abide by the following code of +conduct in order to participate in a BPS-sponsored field trip. + +SAFETY & RESPONSIBILITY +I understand that my safety and the safety of other +participants are extremely important during this field trip, +and I agree to make safety my first priority. I agree to +conduct myself in a manner that promotes my safety and +the safety of others at all times. I understand that +maintaining students’ safety requires that students must be +supervised by me and/or other chaperones at all times +while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews and room checks for students, as well as +morning wake-up calls for students, are part of my +responsibility. I agree to follow BPS policies, protocols, and +guidance of BPS staff when in the field. + + +Page 80: +Superintendent’s Circular CAO-24 +Page 80 of 80 + + +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits +students from possessing, using, selling, and/or distributing +any of the following on all domestic and international field +trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, +use, or distribution of over-the-counter medication, and +selling of prescription drugs. The Code also prohibits the use +of tobacco products (including e-cigarettes, hookah +paraphernalia, and vapor cigarettes). I understand that +these prohibitions apply to all students, regardless of age. +I understand that I am forbidden to use or visibly be in +possession of tobacco in the presence of students. I also +understand that the use of all other drugs, including +alcohol, and weapons are strictly prohibited on the field trip. + + +Chaperone Name (Printed): + + +Chaperone Name (Signature): + + +Date: + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-01 +Version 01 + +PROMOTION POLICY +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +Boston Public Schools students are the leaders, scholars, +entrepreneurs, advocates, and innovators of tomorrow. BPS will +ensure that 100% of those students are ready for college, career, +and life. We will ensure that every graduate: +● is a proficient reader, communicator, problem-solver, and +critical thinker; +● demonstrates the habits of mind and work required for +success in school and the world of work; +● knows how to acquire knowledge, connect it to familiar +concepts and prior knowledge, and apply it, using +sophisticated technologies; +● has mastered key skills and understands important +concepts from English Language Arts, Mathematics, Science +and Technology, History and Social Science, at least one +World Language, the Arts, Health, and Physical Education; +● has applied these concepts in real-life contexts; and +● has made a valued contribution to the school and +community. + + + +Page 2: +Superintendent’s Circular CAO-01 +Page 2 of 10 + + + +These expectations frame the teaching, learning, and assessment +process. They are critical to lifelong learning and essential to +gaining students’ commitment to the learning process. + +RESPONSIBILITIES AND ACCOUNTABILITY +Every teacher, administrator, parent, and adult involved in the +lives of our students share in the responsibility to ensure that all +students meet these expectations. +The Boston Public Schools: +Schools, and the adults who work in them, are accountable for +ensuring every student learns in an environment that is safe, +welcoming, and sustaining; receives quality instruction that is +responsive to their strengths and needs; and receives timely +information about their progress. +Families and Students: +Families are responsible for ensuring their children come to +school each day, on time, ready to learn. Every student is also +responsible for coming to school and class prepared and on time, +working hard, and contributing to the school environment in a +positive, responsible manner. + + + + +Page 3: +Superintendent’s Circular CAO-01 +Page 3 of 10 + + + +THE BPS PROMOTION POLICY +This promotion policy has been developed in alignment with the +BPS Opportunity and Achievement Gap Policy which states in its +preamble: “Every child, in every classroom, in every school of the +Boston Public School system has the same opportunity to +achieve the greatness within them as anybody else. Every child +has the same unfettered access to every conceivable tool to +unlock the greatness within them.” The BPS Promotion Policy +outlines the expectations for school teams that ensure that +students have access to every conceivable tool that will support +them to meet grade-level learning expectations before +considering the possibility of retention. +BPS school teams and individual educators must provide all +students with access to high-quality, differentiated, and relevant +tier 1 instruction that is aligned with grade-level standards and +implemented through high-quality materials. School teams and +individual educators must monitor student progress towards +grade-level expectations through formal and informal data +collection and make ongoing adjustments to instruction to +respond to evidence of student learning. School teams and +individual educators must ensure that all students have access to +tiered supports that provide appropriate scaffolds and instruction +so that students are able to develop grade-level knowledge and +skills. +In cases where it is determined that a student may not, with all +available supports provided, develop the necessary grade-level +knowledge and skills by the end of the school year, a school +team, including the student, family, teachers, and the school + + +Page 4: +Superintendent’s Circular CAO-01 +Page 4 of 10 + + + +leader, will collectively make decisions regarding student +promotion. If the team is unable to come to a decision or any +member would like to dispute a decision, the Chief of Teaching +and Learning may be brought in to support the decision-making +process. Principals and heads of school have the final authority +for all promotion decisions. School teams must make decisions +based on the following principles: +● ensure promotions are earned and based on academic +achievement +● diminish grade retentions to the greatest extent possible +● ensure students will enter classrooms with the skill and +knowledge necessary to do grade-level work or have the +necessary supports to accelerate learning +● ensure students are prepared to demonstrate proficiency on +the Massachusetts Comprehensive Assessments +● establish a process that supports students and demands +hard work from them +● recognize that students learn at different rates and call for +organizational structures that respond to students’ +differences +● define those inputs and outcomes for which teachers, +administrators, parents, and students are accountable. + + + + + +Page 5: +Superintendent’s Circular CAO-01 +Page 5 of 10 + + + +PROMOTION REQUIREMENTS FOR ALL GRADES +Students must fulfill several requirements to be promoted to the +next grade. All students must earn passing grades in core +academic courses and maintain good attendance. Schools may +establish promotion requirements that exceed those listed. The +School Site Council must approve these additional requirements. +High school students must pass courses that align to the BPS +Graduation Policy (CAO-07) in order to earn the credits necessary +to graduate. + +ENGLISH LEARNERS +Students in programs for English learners must meet promotion +and graduation requirements. However, EL students may not be +retained in grade if the only reason for not passing the required +tests is a lack of language knowledge. + +STUDENTS WITH DISABILITIES +Students with disabilities are expected to meet promotion and +graduation requirements. A student’s Individualized Education +Program (IEP) or Section 504 plan will describe the conditions +under which the student will take standardized tests for each +subject scheduled for assessment or if the student requires an +alternate assessment. Alternate assessments are intended for a +minimal number of students with significant disabilities who are +unable to take standard MCAS tests, even with accommodations. + + +Page 6: +Superintendent’s Circular CAO-01 +Page 6 of 10 + + + +A student’s 504 plan will describe what, if any, testing +accommodation will be needed. + +REQUIRED PROCESS +Principals and heads of school are responsible for effectively +implementing the following process: +1. Parents must be notified by the end of September of the name +and phone number of the school staff member (in addition to +their child’s teachers) they should call about concerns related +to their child’s academic progress. Parents should also be +informed that if they ever have a concern about their child’s +academic progress, they should notify the appropriate teacher +and principal/head of school (or the designated administrative +liaison to parents). + +2. If by mid-October, a teacher considers a student at-risk of not +meeting the subject or grade-level standards, the teacher will +notify the parent immediately, in writing, and refer the student +to the appropriate administrator, guidance counselor, or +student support services personnel. + +3. When a student has been identified as at-risk of not meeting +subject or grade-level standards, the principal/head of school, +teacher(s), and other designated staff will work with parents +and the student to resolve any problems. They may consider a +variety of options, including: + + +Page 7: +Superintendent’s Circular CAO-01 +Page 7 of 10 + + + +● tiered academic or social emotional supports +● examining and altering current instructional strategies or +materials +● tutoring (during or after school) +● a change in schedule +● a change in teacher +● referral to other support, social service, or health-related +services +● problem-solving with other students or individuals who may +have an impact on the students’ achievement. + +4. If by the close of the first marking term, the problem persists +and the student remains at-risk for retention, additional +options will be considered, including: +● referral to the school’s Student Success Team (SST) +● referral to safety net or alternative programs for more +intensive services +● access to additional instructional time (during the day, +extended day, or summer school) +● referral to special education, where necessary and +appropriate, to determine evidence of a disability (pre- +referral documentation must provide evidence that other +interventions have been attempted). + + + +Page 8: +Superintendent’s Circular CAO-01 +Page 8 of 10 + + + +Parents will be engaged in consideration of additional +intervention strategies and will be informed, in writing, of any +decisions that result. Parents may request a referral for special +education services in any case. The final determination of +appropriate services will rest with the appropriate (IEP or +Section 504) team. + +5. Only when all other interventions have been unsuccessful and +the student has not made sufficient academic progress during +the course of a school year will the student be considered for +retention. All potential retentions will be reviewed by a +Promotion Review Team, including the principal/head of +school (or designee), a guidance counselor or student support +team member, at least one of the student’s teachers, and the +child’s parent. + +6. The review team will include the liaison teacher for any +student with an IEP, and a bilingual teacher, counselor, or +administrator for any student enrolled in a transitional +bilingual program. + +7. By the end of January, formal, written notices must be sent to +parents of students who remain at risk of being retained. The +Promotion Review Team will meet in February and again +before the end of the year to review and make decisions on +students who are at risk of being retained. Principals and +heads of school have the final authority for all promotion +decisions. + + + +Page 9: +Superintendent’s Circular CAO-01 +Page 9 of 10 + + + +8. During the period from February through June, schools must +maintain written, bimonthly contact with parents who were +sent formal, written notices to apprise them of their child’s +progress. Copies of these notifications must be kept on file. + +9. Any student who is retained, or remains at-risk even though +they were promoted, will be provided with additional support, +including tutoring during the subsequent school year. + +HOME-SCHOOL PARTNERSHIPS +The success of many students receiving transition support +depends on the engagement of their parent(s) in their education. +Schools implement a variety of strategies to help parents +become successful partners in their children's development. +These efforts are coordinated by the school’s guidance and other +support staff. + +CONNECTIONS TO COMMUNITY RESOURCES +Schools will collaborate with community agencies, community +schools, and higher education institutions to support students' +overall literacy and math development, increase volunteer +involvement in schools, and diminish the many health, social, and +emotional problems that undermine success in school. These +efforts are supported by the school’s guidance and other support +staff. + + + + +Page 10: +Superintendent’s Circular CAO-01 +Page 10 of 10 + + + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington St., Boston, MA 02119 +Phone: +617-635-9000 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-22 +Version 01 + + +GENERAL GUIDELINES AND PROCEDURES FOR +ALL FIELD TRIPS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and guidance, +contact the Department of Global Education +(OPL@bostonpublicschools.org) for assistance and guidance. + +This Superintendent’s Circular provides instructions for +implementing the field trip policy passed by the Boston School +Committee on November 20, 2019. +Program leaders (chaperones) must read this circular in its +entirety. Principals/heads of school (and/or the district +department sponsoring the trip) are responsible for ensuring that +all field trip policies and procedures outlined in this circular and +all the field trip circulars are adhered to. +BPS SPONSORED FIELD TRIP: DEFINITION +A BPS sponsored trip is any trip involving BPS students and +employees that: uses BPS funds in any way; takes place during +regular school operating hours; is organized by BPS employee(s) + + +Page 2: +Superintendent’s Circular CAO-22 +Page 2 of 22 + +during normal employment hours, either while on BPS property +or while using BPS-issued technology; and/or is related directly to +the instructional program at the school. Cases where students +elect to participate in a third-party travel program with the +consent of their family, whereby they will travel alone, and not +with a school group, are not considered BPS sponsored field trips, +even if students receive funding support from their school or +district. +TYPES OF FIELD TRIPS +BPS has divided field trips into three types: +● Day field trip +● Overnight field trip +● International field trip +This division ensures that permission forms and procedures are +directly relevant to the type of trip and activities students will +engage in. +Refer to the circular appropriate for your type of trip for further +details: +● Day field trips — Superintendent Circular CAO-23 +● Overnight field trips — Superintendent Circular CAO-24 +● International field trips — Superintendent Circular CAO-25 +● Water activities — Superintendent Circular CAO-27 +PURPOSE OF FIELD TRIPS +All BPS sponsored field trips must serve the purpose of providing +either instruction or enrichment. Instructional trips support the +instructional program and should be directly linked to the +curriculum and standards of that grade level or subject area. + + +Page 3: +Superintendent’s Circular CAO-22 +Page 3 of 22 + +Enrichment trips contribute to students’ academic, cultural, or +social development, and aim to deepen their engagement with +school and learning. Sites for field trips should be carefully +selected to enrich student learning and exposure to the +community, new people, places, and activities. Discuss with +students and families the trip’s purpose, learning goals, and +behavior expectations in advance, and engage students in +activities before, during, and after the trip. It is important to note +the serious obligations that BPS staff members undertake to +ensure that all field trips are not only educationally sound, but +also manage risk. +FIELD TRIP CATEGORIES +A trip often meets more than one category. +● Instructional field trip: Enhances a specific curriculum unit +or serves a broader educational purpose. +● Cultural field trip: Engages students in cultural awareness or +understanding experiences to learn more about their own +cultural identity, or that of others. +● Community building field trip: May reinforce relationships +in an existing group of students, prepare students for a +significant transition into a new structure or community, +help students work collaboratively, or assist in the +development of leadership and decision-making skills. +● Service learning field trip: Students learn the value of +helping others in their own community and beyond, while +simultaneously learning from the host community. These +trips show students how empowering service to others is +while developing students’ leadership skills. + + +Page 4: +Superintendent’s Circular CAO-22 +Page 4 of 22 + +● Personal growth and development: Students are exposed +to new group or individual activities whereby they learn new +skills and new ideas, develop identity, build self-esteem, +grow strengths, and build camaraderie. +FIELD TRIP TYPES AND TIMELINES FOR APPROVAL +It is necessary that the proper procedures are followed, and that +copies of all checklists, permission and medical forms are kept on +file in the school office and, when appropriate, filed with the +district. If the deadlines and details below are not met, a field trip +application may be rejected. Please note that trip planning +timelines (i.e., “twelve weeks (or more) prior to the field trip”, etc.) +in each circular chronicle the minimal amount of time for +planning. More time for pre-trip planning is strongly +recommended for all types of field trips. +● Day Field Trip (CAO-23): Any domestic trip off school grounds +that is no more than one day in duration. +o Day Field Trip forms are submitted to the +principal/head of school at least 4 weeks in advance +(or at the principal/head of school’s discretion) and +approved by the principals/heads of school. +o Walking field trips are day field trips that require +walking within a one-mile radius of the school (i.e., +local garden, park, field, etc.). The Parent/Guardian +Authorization and Acknowledgement of Risks for +Walking Trips form will apply for all walking field trips +during the current school year and will need to be +updated each school year, or as student/family +information changes. The school is still required to +inform families in advance of each walking field trip + + +Page 5: +Superintendent’s Circular CAO-22 +Page 5 of 22 + +and obtain principal/head of school approval. +o All forms, including the signed CAO-23 checklist +form, are filed at the school. +o The principal/head of school or designee is the +emergency contact for day field trips. +● Overnight Field Trip (CAO-24): Any domestic trip off school +grounds that involves students’ participation overnight. +Travel to U.S. territories, including Puerto Rico, the United +States Virgin Islands, Guam, American Samoa, and Northern +Mariana Islands are considered domestic, but are covered +under international travel insurance. Travel to these +territories is subject to some forms, requirements, and +protocols in the CAO-25 International Field Trip guidelines. +Consult with the Department of Global Education for +required forms for these destinations. +o Overnight Field Trip forms are submitted to the +principal/head of school at least 12 weeks in advance +and approved by the principals/head of school. +o All forms, including the signed CAO-24 checklist +form, are filed at the school. +o Overnight Field Trip Request forms, the list of +student names, emergency contact name and +number, grade, D.O.B, the list of chaperone names +and their role in the school community, the itinerary, +and if applicable, train and flight information are sent +to the district to notify the district of trip plans at +least 6 weeks in advance. Scan and email the +Overnight Field Trip Request form and information to +the appropriate operational leader as well as to the + + +Page 6: +Superintendent’s Circular CAO-22 +Page 6 of 22 + +Department of Global Education and follow up with +both to confirm receipt. +o The principal/head of school or designee is the +emergency contact for overnight field trips. +● International Field Trip (CAO-25): Any trip off school grounds +that involves travel to a location outside of the United States. +o International field trips should be planned at least a +year in advance, to maximize affordability and +fundraising efforts, and when possible, scheduled +during non-school time (i.e., school vacations and +summer). +o As soon as a trip opportunity becomes known, or +there is interest in an international travel program, +teachers must inform their principal/head of school +and contact the Department of Global Education for +support and guidance with the CAO-25 application, +and planning process. No arrangements, payments, +or deposits should be made without consultation +with the Department of Global Education and +formal application approval from the +superintendent. +o After consulting with the Department of Global +Education and head of school, CAO-25 applications +shall be submitted no less than 9-12 months before +departure. The application requires approval by the +Department of Global Education, which will then +seek approval from the appropriate district leaders +before obtaining final approval from the +superintendent. Again, no arrangements should be + + +Page 7: +Superintendent’s Circular CAO-22 +Page 7 of 22 + +made or payments or deposits placed without +consultation with the Department of Global +Education and formal application approval from the +superintendent. +o The principal/head of school or appointee and the +director of Global Education or district designee are +the emergency contacts for international travel +programs. +GENERAL GUIDELINES FOR ALL TYPES OF FIELD TRIPS +● Principals/head of school or the district department +sponsoring the trip have the primary responsibility to ensure +that all procedures pertaining to field trips are followed by +their school and establish clear and transparent internal +protocols for field trip requests and approvals at the school +level. +● All field trip ideas must be preliminarily approved in writing +by the principal/head of school or district department +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students +and their parents/guardians, and prior to fundraising efforts +or other detailed preparations. Staff are not allowed to sign +contracts on behalf of the Boston Public Schools. +● The program leader (the BPS employee and chaperone +organizing and leading the trip) and supporting chaperones +must be approved by the principal/head of school, or district +department sponsoring the trip. +● The principal/head of school and program leader must +review and complete the appropriate type of field trip +circular and checklist throughout the planning process. + + +Page 8: +Superintendent’s Circular CAO-22 +Page 8 of 22 + +● Program leaders must consult with the principal/head of +school on potential chaperones and student recruitment. +Every effort should be made for students to have access to +the field experience, and for chaperones to be +representative of the student group and include males and +females. The selection and approval of chaperones by the +principal/head of school should be based on the individuals’ +thorough knowledge of, and rapport with most of the +student participants. Choose a chaperone team purposefully +and wisely, considering strengths. Every adult on the trip +must be a chaperone and have a clear role. +STUDENT ACCESSIBILITY AND PARTICIPATION +● Students not enrolled in the Boston Public Schools may not +participate. +● Essential participation criteria: The program leader and +principal/head of school shall work together to establish +essential participation criteria for the trip. The criteria should +inform students and parents of all activities and risks +associated with each itinerary activity and trip location to +determine what accommodations or modifications may be +needed for the student to participate successfully and safely +in all or portions of the trip. +● Student recruitment: Field trips must be advertised to all +students (within the whole school, particular grade, +class/subject, club, or program associated with the trip), +regardless of their financial situation. Schools shall make +every reasonable effort to make instructional field trips +affordable for all students. A student’s ability to pay may not +be a criterion for field trip participation. If students are +charged individual fees for participation in a domestic + + +Page 9: +Superintendent’s Circular CAO-22 +Page 9 of 22 + +instructional field trip that is directly linked to the +curriculum and standards, the school or district should +make every effort to provide scholarships where need is +expressed. +● Student accessibility: Students with English Learner status, +504 plans, and/or IEPs cannot be denied access to field trips +due to their status or ability. It is the responsibility of the +school to ensure that all accommodations normally +provided to a student as indicated in their educational plans +are made available during a field trip, including medication. +See Superintendent’s Circular SHS-08 for information about +medical dispensation on field trips. +● School nurse and guidance counselor consultation: Before +approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +at least six weeks before departure (much longer for +international and overnight field trip programs), consult +with, and when necessary, receive training from the school +nurse regarding any students who have medical needs. Also +consult with the school counselor regarding mental and +behavioral health needs. If any student has a serious +medical or mental health condition, be sure that their +doctor is aware of the essential participation criteria and +location of the trip and writes a letter indicating that the +child may safely attend and participate in trip activities. +Keep this document on file with other key permissions slips + + +Page 10: +Superintendent’s Circular CAO-22 +Page 10 of 22 + +and medical forms. +● Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQIA+ community, students with disabilities, those +who may be in the minority during your field trip +experience, and those students who belong to groups that +have experienced marginalization in the location being +visited. Program leaders must work to prepare students for +sensitive experiences and ensure that the program is safe +and inclusive for all students. Consult the Department of +Global Education for resources if needed. +● Inclusive accommodations: In collaboration with the +student and their family, the program leader and +principal/head of school shall work with transgender and +gender-nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety for the +student and group. Program leaders should work with +students and families to make sure all travel documents +(airline ticket, passport, etc.) reflect their legal names as +listed on government issued identification, while all +unofficial documents and materials may reflect the +student’s preferred name. Please view additional rooming +guidelines from the Office of Equity. +● Student conduct: The BPS Code of Conduct applies on all +field trips. BPS students and parents are required to sign a +BPS Student Traveler & Family Agreement form regarding + + +Page 11: +Superintendent’s Circular CAO-22 +Page 11 of 22 + +student conduct while participating in a BPS sponsored +field trip. Participation in field trips may be denied to any +student who has demonstrated disregard for the policies +and rules of BPS or the school, immediately prior to or while +on the field trip. Parents/guardians and students must be +made aware of this policy in advance and communicated +with throughout any processes involving their child not +participating in a field trip. Following an investigation, if the +program leader, in consult with the principal/head of school +and central office staff, determines that a student’s conduct +while on an overnight trip poses a risk to themselves or the +safety of the group, or is no longer manageable by BPS staff +in the field, the district reserves the right to request and +arrange for that student to return home. +The district also reserves the right to request that families +assume responsibility for all, or a portion of the costs +associated with their child’s return. Students may be subject +to further disciplinary action and will be provided the +opportunity to have a formal hearing at the school level +upon return. The school must document the +parent/guardian’s consent of this policy prior to the trip. +● Student dismissal from field program: If a student is to be +dismissed from an overnight field trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon transportation destination. If the parent/guardian is +not reachable, the student’s principal or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly + + +Page 12: +Superintendent’s Circular CAO-22 +Page 12 of 22 + +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. NOTE: Age requirements are subject to specific +airline/train/bus guidelines. +● Provisions for students not attending the trip: If applicable, +alternative arrangements and/or comparable activities for +students not attending the trip, or unable to participate in a +portion of your trip, must be provided. If a student’s family +elects for their child not to attend a field trip for any reason, +the student may not be penalized through their grade or +otherwise. +● Attendance: Attendance forms should indicate when a +student is physically absent from the school building on a +field trip but participating in a school-sponsored program +being conducted off school grounds. (Note: It is important to +know and document where students are at all times.) +CHAPERONE REQUIREMENTS +● Chaperone Recruitment: Program leaders must consult +with the principal/head of school on potential chaperones +and student recruitment. The program leader (lead +chaperone) must be a BPS employee. Other authorized +chaperones may include parents and guardians who are 21 +years of age or older. Any parent on the trip must operate in +the role of chaperone. All chaperones must be approved by +the head of school/principal. Every effort should be made for +students to have access to the field trip experience, for +chaperones to be representative of the student group, and +for chaperones to include males and females. The selection +and approval of chaperones by the principal/head of school +should be based on the individuals’ thorough knowledge of + + +Page 13: +Superintendent’s Circular CAO-22 +Page 13 of 22 + +and rapport with most of the student participants. Choose a +chaperone team purposefully and wisely, considering +strengths. Every adult on the trip must be a chaperone and +have a clear role. +● Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who must be 21 years of age +or older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the online eCORI form. Contact the BPS +Office of Human Capital (OHC) for CORI check and +confirmation support. The principal/head of school and the +lead chaperone are responsible for submitting authorization +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. The program leader +must be sure that all chaperones, including non-BPS +chaperones, are familiar with the BPS Code of Conduct and +other district and school-based rules. Non-BPS employee +chaperones (parents/guardians) are required to show proof +of COVID vaccination, or a negative COVID-19 test within 72 +hours of the field trip. +● BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent +chaperone is responsible for incurring all costs associated +with their child’s participation. + + +Page 14: +Superintendent’s Circular CAO-22 +Page 14 of 22 + +All chaperones must complete the Chaperone Agreement +form. +● Chaperone Ratios: The student-to-chaperone maximum +ratios must be: +o Day field trips: minimum of two chaperones +o Grades K-5, 10:1 +o Grades 6 and up, 10:1 +o Domestic Overnight field trips: 10:1 (minimum of +two chaperones) +o International field trips: 7:1 (minimum of two +chaperones) * Includes Puerto Rico +NOTE: There should not be more chaperones than +students, unless mandated by an educational plan or +other circumstances approved by the principal/head +of school and Department of Global Education. For +students with disabilities, the ratio of staff to +students must be at least the same as the ratio +mandated in their IEPs for their classes. +o NEW: Tour guides and employees of third-party +vendors contracted to help operate the trip are +not considered chaperones and do not factor into +the student to chaperone ratio. +PERMISSION FORMS +● The student may not attend the field trip without a signed +permission slip. Permission for field trips must be in written +form only. Program leaders are responsible for seeing that +permission slips are filled out completely and signed by the +legal parent(s)/guardian(s). + + +Page 15: +Superintendent’s Circular CAO-22 +Page 15 of 22 + +● Permission slips are legal documents and may not be +altered. Permission slips must be used for any excursion that +is school sponsored, including those scheduled after school +and on weekends. +● No staff member may solicit students for any privately +arranged field trip or excursion without the permission of +the principal/head of school. +● “Blanket” authorization (i.e., parental/guardian approval +using a single form for multiple trips to be taken during the +school year) should never be allowed (except for the +Walking Trips and Water Activities form if they are in the +same location). A separate parent/guardian permission slip +must be obtained and filed for each field trip. +● Parental/guardian permission slips must be sent home in +English and in the language of the home. +● Only parents/guardians are authorized to sign permission +forms. For questions regarding legal guardianship, refer to +the SIS site or the local Welcome Center. +● Check that students and their parents/guardians have +signed the BPS Media Appearances release section of the +Parent/Student Agreement document so that the trip may +be showcased upon your return. (This document can be +found in the Guide to the Boston Public Schools for Families +and Students.) +● Review each student's Emergency Information Card (Form +460 or electronic equivalent) to ensure/cross-check +accuracy of all field trip permissions and forms. +● Program leaders must be specific when completing the + + +Page 16: +Superintendent’s Circular CAO-22 +Page 16 of 22 + +school portion of the Parental Authorization for Field Trip +form. Parents/guardians must be given sufficient +information to understand the nature and scope of the +activities on the itinerary. Additional customized waivers +may be developed for specific trips/itineraries. +RECORD KEEPING FOR ALL TYPES OF TRIPS +● Retain completed field trip request forms, original +permission slips, medical forms, fire prevention and safety +forms (if applicable), and all other signed documents for +field trips in the school office. Legally, these records must be +kept for the current fiscal year plus three additional years +after all field trips have occurred. + + + + +Page 17: +Superintendent’s Circular CAO-22 +Page 17 of 22 + +TRANSPORTATION FOR FIELD TRIPS +● School buses or BPS approved transportation vendors’ +vehicles (per BPS Transportation Department) MUST be +used to transport students to and from field trips or athletic +events regardless of how the trip is paid for. Privately owned +vehicles, vehicles from non-approved vendors are not +permitted. +Ride sharing transportation services, such as Uber and Lyft, or +leased vans are not to be utilized to transport students to +and from field trips or athletic events, except in the case of a +bona fide emergency. +● Students are prohibited from driving vehicles, operating, or +being a passenger on any motorbike during a field trip. +● Staff are not permitted to transport students. Staff who +utilize their own vehicles, or leased vehicles, risk being +legally liable if students are injured while riding in their +automobiles. +● Please refer to Superintendent’s Circular TRN-03 for +information and regulations regarding field trip +transportation. +SAFETY GUIDELINES +As part of trip planning and itinerary development, ensuring the +major aspects of health, safety, and security have been addressed +with appropriate due diligence. Program leaders should be able +to articulate in an informed manner what decisions were made, +why they were made, and the sources that informed their +decision making. If you are unsure as to whether an activity is +appropriate in terms of safety or educational content for a +school-sponsored trip, please consult with your principal/head of + + +Page 18: +Superintendent’s Circular CAO-22 +Page 18 of 22 + +school and the Department of Global Education. +● Review Superintendent’s Circular FSE-05, Medical +Emergency Management, and SAF-04 Incident Data- +Reporting and Release for important safety protocols. +● Do not leave students alone. Students should be +accompanied by chaperones unless part of a scheduled +activity in which parents have been informed of and +approved in writing in advance, and age appropriate. +However, if unaccompanied as part of a scheduled and +structured activity, students should at least be in groups of +three, AND always know how to reach an adult chaperone. +● Day and water field trips: The Department of Safety Services +(617-635-8000) must be notified in the event of a serious +medical or other emergency and should be used as a +resource for questions regarding safety on day field trips, +including water activity day trips. +● Domestic overnight trips: The principal/head of school is the +emergency contact and must be notified in the event of a +serious medical or other emergency. Prior to departure, the +Department of Global Education should be used as a +resource for questions regarding safety on trips, and for +support with insurance and claims. Prior to departure, +program leaders will receive emergency contact +information. +● International trips: The principal/head of school or designee, +followed by the Department of Global Education or district +appointee, are the emergency contacts for international +trips. DGE must be notified in the event of a serious medical +or other emergency and should be used as a resource for + + +Page 19: +Superintendent’s Circular CAO-22 +Page 19 of 22 + +questions regarding safety on trips. Prior to departure, +program leaders will receive emergency contact +information. +● Emergency Action Plan: At all times during the trip, all +chaperones must carry with them a copy of the Emergency +Action Plan (EAP) that outlines procedures for calling 911 in +the US or the foreign equivalent while abroad, as well as +emergency protocols. The EAP can be found in the day, +overnight, and international circulars. +● Personal Health: For overnight and international trips, +students and staff must have had a recent doctor’s visit, +physical exam, and any required vaccinations prior to +departure. See CAO-24 and CAO-25 for details on healthy +travel requirements. +● Training: The district reserves the right to require additional +training and/or certifications such as CPR/AED, first aid, and +program (chaperone) leader risk management training +depending on the type, location, and purpose of the trip. +Review the specific circular for your trip type for certification +requirements. +● Phone/Social Media Usage: Set expectations with students +regarding phone and social media usage during any field +trip. This is especially critical during an emergency. +● Insurance: The district provides medical insurance coverage +for BPS-sponsored international and domestic trips for BPS +students and BPS staff participants. [Domestic is defined as +100 driven miles away from home or place of study or +employment.] Trip cancellation and interruption coverage +are not provided by the district. Program leaders must + + +Page 20: +Superintendent’s Circular CAO-22 +Page 20 of 22 + +inform families (and funders) of this fact, and that they have +the option to voluntarily purchase these additional +coverages on their own. For Level 2 CDC or State +Department Warning international destinations, trip +cancellation and interruption coverages are strongly +recommended. +● Cancellation: The superintendent reserves the right to +cancel any field trip up to and including the day of +departure to manage risk. Upon advance review of +itineraries, BPS reserves the right to deny schools +permission to participate in the field trip activities on their +itinerary where the risks of the activity outweigh the +intended learning outcomes of the program. +● Post Field Trip: After the trip, follow up and communicate +with the student and parent/guardian, as well as the +principal/head of school, Department of Safety Services, or +the Department of Global Education if there are any student +safety concerns (health or otherwise) during the trip that +require further attention. +HOMESTAYS IN BOSTON, NATIONALLY, AND ABROAD +● For host family stays (both incoming and outgoing), review +CAO-26 Guidelines for Homestays & International Student +Visitors for more information. Please contact the +Department of Global Education immediately for guidelines. +All BPS families (anyone in households 18 or over) who host +national or international guests must be CORI cleared by the +BPS Office of Human Capital. +INTERNATIONAL STUDENT VISITORS (CAO-26) +● International/ students can register with BPS if they will be a + + +Page 21: +Superintendent’s Circular CAO-22 +Page 21 of 22 + +full-time student at a BPS school, except the exam schools, +for one year. Students must be in their freshman, +sophomore, or junior year. Please be advised that BPS does +not get involved with the J1 visa process. Review CAO-26 +Guidelines for Homestays & International Student Visitors for +more information. Please contact the Department of Global +Education immediately for guidelines. +● For visiting students, note immunization requirements for +those visiting us from abroad. Work with the program leader +(lead chaperone) from visiting schools to ensure all health +regulations are met. See attached letter for directives from +the Massachusetts Department of Public Health. +http://www.mass.gov/eohhs/docs/dph/cdc/immunization/im +munization-requirements-exchange-and-visiting- +students.pdf +WATER ACTIVITIES (CAO-27) +● If your trip involves activities in, or on the water, you must +contact the Department of Global Education immediately to +submit a mandatory Water Activity Request form and to +ensure that the site location for the water activity has up-to- +date insurance, liability, and certification documentation on +file with the district. Refer to CAO-27 for specific guidelines +for water activities. +For more information, questions, and support about this +circular, please contact: + Owner: +Chief of Teaching and Learning +Title: +Director of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 + + +Page 22: +Superintendent’s Circular CAO-22 +Page 22 of 22 + +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-23 +Version 01 + +DAY FIELD TRIP GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: *These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and +guidance, contact the Department of Global Education +(OPL@bostonpublicschools.org) for assistance/guidance. +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular should be read AFTER Superintendent’s Circular +CAO-22 General Guidelines and Procedures for All Field Trips, as +additional guidelines are outlined there. +The principal/head of school (and/or the district department +sponsoring the trip) is responsible for ensuring that all field trip +policies and procedures as outlined in this circular and CAO-22 +are adhered to. +Together, the principal/head of school (and/or the district +department lead sponsoring the trip) and the program leader +(lead chaperone) must review and complete checklists for this +circular. The signed checklist must be kept on file at the school. + + +Page 2: +Superintendent’s Circular CAO-23 +Page 2 of 36 + +A day field trip is any domestic trip off school grounds that is no +more than one day in duration. + Day field trip forms are submitted to the principal/head of +school AT LEAST 4 weeks in advance (or at the +principal/head of school ’s discretion) and approved by the +principal/head of school; school leaders reserve the right to +cancel a trip for any reason and at any time for safety +purposes. + Walking field trips are day field trips that require walking +within a 1-mile radius of the school (e.g., local garden, park, +field, etc.) The Parent/Guardian Authorization and +Acknowledgement of Risks for Walking Trips form will apply +for all walking field trips during the current school year. It +must be updated each school year or as student/family +information changes. The school is still required to inform +families in advance of each walking field trip and obtain +approval from the principal/head of school. All forms, +including signed CAO-23 checklist form, are filed at the +school. +Applications: Schools shall communicate with families in +advance when students leave school grounds and ensure written +permission is received. +Water Activities: Organizers of trips that involve activities in or +on the water as part of the curriculum must immediately contact +the Department of Global Education for additional approval. +There is a separate and mandatory procedure for all trips +involving water. See Superintendent’s Circular CAO-27 for water +activity guidelines. + + + + +Page 3: +Superintendent’s Circular CAO-23 +Page 3 of 36 + +DAY FIELD TRIP CHECKLIST +(Checklist and request form must be completed for each day +field trip.) + Review Superintendent’s Circular CAO-22 General +Guidelines and Procedures for All Field Trips. + Review Superintendent’s Circular FSE-05 Medical +Emergency Management and SAF-04 Incident Data +Reporting and Release for important safety protocols. The +Department of Safety Services (617-635-8000) must be +notified in the event of a serious emergency and should be +used as a resource for questions regarding safety on field +trips. + Select a site and investigate the appropriateness of the site +in relation to the category of field trip. +Field Trip Category(s) (see CAO-22): _______________________ +Site(s): ____________________________________________________ + Select a date and an alternate date. Note: Check with the +principal/head of school, teachers, and staff to ensure that +trips are not scheduled on dates that interfere with +important tests, religious holidays, or class work. + + +Date: _____________________________________________________ +Alternate Date: ___________________________________________ + All program leaders (the BPS employee organizing and +leading the trip) must be approved by the principal/head of +school or district department sponsoring the trip. + All field trip ideas must be preliminarily approved in writing +by the principal/head of school or district department + + +Page 4: +Superintendent’s Circular CAO-23 +Page 4 of 36 + +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students +and their parents/guardians, and prior to any fundraising or +other detailed preparations. Staff are not allowed to sign +contracts on behalf of the Boston Public Schools. Consult +with the principal/head of school on potential chaperones +and student recruitment. + Planning, organization, and preparation are critical to a +successful experience for all participants. As part of trip +planning and itinerary development, ensure the major +aspects of health, safety, student inclusion, and security +have been addressed with due diligence. Program leaders +must be able to articulate what decisions were made, why +they were made, and the sources that informed that +decision making. If you have questions about the +appropriateness of an activity, please consult with your +principal/head of school. + School nurse and guidance counselor consultation: Before +approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +at least six weeks before departure (much longer for +international and overnight field trip programs), consult +with and, when necessary, receive training from the school +nurse regarding any students who have medical needs. Also +consult with the school counselor regarding mental and +behavioral health needs. If any student has a serious +medical or mental health condition, be sure that their + + +Page 5: +Superintendent’s Circular CAO-23 +Page 5 of 36 + +doctor is aware of the essential participation criteria and +location of the trip and writes a letter indicating that the +child may safely attend and participate in trip activities. +Keep this document on file with other key permissions slips +and medical forms. +CHAPERONE REQUIREMENTS + Chaperone Recruitment: Program leaders must consult +with the principal/head of school regarding potential +chaperones and student recruitment. The program leader +(lead chaperone) must be a BPS employee. Other +authorized chaperones may include parents and guardians +21 years of age or older. Any parent on the trip must operate +in the role of chaperone. All chaperones must be approved +by the head of school/principal. Every effort should be made +for students to have access to the field trip experience, for +chaperones to be representative of the student group, and +for chaperones to include males and females. The selection +and approval of chaperones by the principal/head of school +should be based on the individuals’ thorough knowledge of +and rapport with most of the student participants. Choose a +chaperone team purposefully and wisely, considering +strengths. Every adult on the trip must be a chaperone and +have a clear role. + Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who are 21 years of age or +older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the eCORI form. Contact the BPS Office of +Human Capital (OHC) for CORI check and confirmation +support. The principal/head of school and the lead +chaperone are responsible for submitting authorization + + +Page 6: +Superintendent’s Circular CAO-23 +Page 6 of 36 + +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. The program leader +must be sure that all chaperones, including non-BPS +chaperones, are familiar with the BPS Code of Conduct and +other district and school-based rules. + BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent +chaperone is responsible for incurring all costs associated +with their child’s participation. + All chaperones must complete the Chaperone Agreement +form. +Chaperone Ratios: +• A minimum of two chaperones is required. +• Student-to-chaperone ratios are: +o Grades K-5, 10:1 +o Grades 6 and up, 10:1 +• For students with IEPs, the ratio of staff to students must be +at least the same as the ratio mandated in their IEPs for +their classes. +• For water activities: The student-to-chaperone ratio must +remain 10:1 at all times during instructional swimming for all +grade levels. This ratio does not include lifeguards on duty. If +your trip involves activities on or in the water, you must + + +Page 7: +Superintendent’s Circular CAO-23 +Page 7 of 36 + +contact the Department of Global Education for approval +immediately. There is a separate, mandatory procedure for +all trips involving water. See Superintendent’s Circular CAO- +27 for water activity guidelines. +Chaperone Team: + The program leader/lead chaperone will meet with the +chaperone team to delegate responsibilities and review the +student team. The program leader will record the names of +the chaperones and the students each chaperone is +supervising. Each chaperone must carry this list. + Chaperones will organize a “buddy system,” pairing +students with one another for safety purposes. + The lead chaperone will (1) review students’ permission slips; +and (2) prepare any questions for follow-up with families +and the school nurse and counselor. + The lead chaperone will prepare a trip binder for all +chaperones (See “During the Trip” section which lists all +binder contents). + The lead chaperone must carry original, signed Parental +Authorization for Day Trip forms for all students; all other +chaperones must carry copies. +STUDENT PARTICIPATION + Participation Criteria: The program leader and +principal/head of school will work together to establish (1) +essential participation criteria for the trip that informs +students and parents of all activities and risks associated +with each itinerary activity; and (2) trip location, to +determine what accommodations or modifications may + + +Page 8: +Superintendent’s Circular CAO-23 +Page 8 of 36 + +need to be made for the student to successfully and safely +participation in all, or portions of the trip. Discuss with +students the trip’s purpose and learning goals in the weeks +prior to the trip; plan to engage students in activities before, +during, and after the trip so that the field trip learning +potential is maximized. Set aside time to process student +learning on the trip. + Recruitment: Students not enrolled in the Boston Public +Schools may not participate. Field trips must be advertised +to all students (within the whole school, particular grade, +class/subject, club, or program associated with the trip) +regardless of their financial situation. Schools shall make +every reasonable effort to make instructional field trips +affordable for all students. + Accommodations: English Learners and students with 504 +Plans and/or IEPs cannot be denied access to field trips due +to their status or ability. It is the responsibility of the school +to ensure that all accommodations normally provided to a +student as indicated in their educational plans are made +available during a field trip, including medication. To +thoroughly support a student's participation in a field trip, at +least six weeks before departure, consult with, and when +necessary, receive training from (1) the school nurse +regarding any students who have medical needs; and (2) the +school counselor regarding mental and behavioral health +needs. If any student has a serious medical condition, please +be sure that their doctor writes a letter indicating that the +child may safely attend and participate in trip activities. +Ensure the availability of a first aid kit. + Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and + + +Page 9: +Superintendent’s Circular CAO-23 +Page 9 of 36 + +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQIA+ community, students with disabilities, those +who may be in the minority during your field trip +experience, and those students who belong to groups that +have experienced marginalization in the location being +visited. Program leaders must work to prepare students for +sensitive experiences and ensure that the program is safe +and inclusive for all students. + Inclusive Accommodations: The program leader and +principal/head of school will work with transgender and +gender nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety. +Program leaders should work with students and families to +make sure all travel documents reflect their legal names as +listed on government issued identification, while all +unofficial documents and materials may reflect the +student’s preferred name. + The BPS Code of Conduct applies on all field trips. Review +conduct expectations with students in advance. +DOCUMENTATION + Consult with the principal/head of school and nurse +regarding the medical needs of potential participating +students before you receive field trip approval (at least six +weeks beforehand). Document notes from this consultation. + Complete and submit a Day Field Trip Request form and +accompanying documents to obtain official consent from +the principal/head of school to execute the trip. + + +Page 10: +Superintendent’s Circular CAO-23 +Page 10 of 36 + + Create a school file to house all important documents: Day +Field Trip Request form, student permission slips, and other +signed documents. These documents must be kept on file +for the current fiscal year plus three additional years after +the trip has occurred. + Distribute and collect the Parental Authorization for Day +Trip form for each participating student. + Contact the field trip site and ensure that the necessary +arrangements are in place. + Share the trip details listed below with all teachers and +other staff members so that they may plan accordingly: +o Trip overview (purpose); destination; date of trip; roster +o Chaperones’ names and roles in school community + Inform the food service manager or attendant whether +students will return to school for lunch, or whether brown +bag lunches should be prepared. Be mindful of any student +food allergies. +TRANSPORTATION + Develop transportation plans: mode of transportation, travel +time, cost, etc. If applicable, be sure to note how and with +whom the child will travel to and from field trip departure +and pick-up locations. + Staff are not permitted to drive students. Privately owned +vehicles from non-approved vendors, ride sharing services +such as Lyft or Uber, or leased vehicles are not to be utilized +except in the case of a bona fide emergency. Staff who +utilize their own vehicles or a leased vehicle risk being +legally liable. Please refer to TRN-03 for regulations on field +trip transportation. + + +Page 11: +Superintendent’s Circular CAO-23 +Page 11 of 36 + + If your trip is less than 100 driving miles in distance, please +ensure ALL students have valid medical insurance that +covers them while on this program. Record details of +insurance on the Medical Information form. +ONE WEEK PRIOR TO TRIP + Verify all arrangements, including transportation and +reception at the site. + Prepare name tags for younger students. + Provisions must be made in advance for any student not +attending the trip and staying at school. If applicable, +provide alternative arrangements and/or comparable +activities for students not attending the trip or unable to +participate in a portion of your trip. + If a student’s family elects for their child not to attend a field +trip for any reason, the child may not be penalized through +their grade or otherwise. + Remind students and chaperones of safety and behavior +expectations. + Notify/consult with the principal/head of school if trip plans +have changed from the original field trip request. Prepare +and leave a field trip package for the principal/head of +school that includes CAO-23 checklist, Day Field Trip +Request form, and permission slip copies. +DURING THE FIELD TRIP + Take attendance and leave the current list of students +attending the trip with the principal/head of school. + Record specific bus number and driver’s name and leave +information with the principal/head of school, all + + +Page 12: +Superintendent’s Circular CAO-23 +Page 12 of 36 + +chaperones, and, if age appropriate, students. + Chaperones must supervise all assigned students. Conduct +head counts and buddy checks before embarking on your +trip, throughout your trip, and before departing the field trip +site for home. + Review standards for safety and behavior with students. + Chaperones must carry the trip binder at all times on the +trip which includes the following: permission slips (original, +signed permission slips must be carried by the lead +chaperone), Emergency Action Plan, Day Field Trip Request +form, and any accompanying itinerary details for this +particular trip. + All students must have the contact information of +chaperones and other necessary emergency and contact +information. + Do not leave students alone. Students should be +accompanied by chaperones unless part of a scheduled +activity of which parents have been informed and have +approved in writing in advance, and that is age appropriate. +However, if unaccompanied as part of a scheduled and +structured activity, students should be in at least pairs AND +always know how to reach an adult chaperone. + Review with everyone where they are to go if separated +from the group. + Program leaders and chaperones have the responsibility to +modify the program to ensure the ongoing safety of +travelers. Consult with principal/head of school and +Department of Safety Services if this becomes necessary. + + +Page 13: +Superintendent’s Circular CAO-23 +Page 13 of 36 + +AFTER THE FIELD TRIP (MANDATORY) + Retain completed, original Day Field Trip Request form, +original permission slips, and any other signed documents +for the field trip in the school office. These records must be +kept for the current fiscal year plus three additional years +after the field trip occurs. + Remind students (and inform parents/guardians) to see a +doctor immediately if they are not feeling well after the trip +and to inform the doctor of their experience. + If applicable, file and follow up with an Incident Report. +AFTER THE FIELD TRIP (SUGGESTED) + Write thank you notes. + Present to the school and family community about the +students’ observations while on the trip. + Conduct related creative and/or analytical projects to +showcase student learning. + Write a news article about the trip for a local newspaper or +website. + Email stories, journals, and pictures of your trip to the +Department of Global Education. + Evaluate the trip. +o Was the educational purpose of the trip served? +o What were the highlights of the trip? +o What might you do differently next time? +o Are there any incidents or accidents to report? + +PLEASE SIGN THIS CHECKLIST, RETAIN A COPY FOR YOUR FILE, + + +Page 14: +Superintendent’s Circular CAO-23 +Page 14 of 36 + +AND SUBMIT THE ORIGINAL TO THE SCHOOL OFFICE FOR +FILING. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed, +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. +School Name: ___________________________________________________ +Signature of Lead Chaperone: ___________________________________ +Date: ____________________________________________________________ +Signature of Principal/Head of School or Sponsoring District +Department: ____________________________________________________ +Date: ____________________________________________________________ + + + + +Page 15: +Superintendent’s Circular CAO-23 +Page 15 of 36 + +For more information, questions, and support about this +circular, please contact: + Owner: +Chief of Teaching and Learning +Department: +Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +ATTACHMENTS: +I. +Day Field Trip Request Form +II. +Emergency Action Plan +III. +Parental Authorization for Day Field Trip +IV. +Parent/Guardian Authorization and Acknowledgement of +Risks for Walking Trips +V. +Chaperone Agreement Form + + + + +Page 16: +Superintendent’s Circular CAO-23 +Page 16 of 36 + + +DAY FIELD TRIP REQUEST FORM (PART I) +This form is submitted to the principal/head of school for +approval. This form and all original permission slips are kept on +file for the current fiscal year plus three additional years. + +SCHOOL INFORMATION +School: __________________________________________________________ +Date Submitted: _________________________________________________ + +OVERVIEW +Number of Students: ____________________________________________ +Number of Chaperones: (10:1 Ratio) _______________________________ +Destination/s: ____________________________________________________ + __________________________________________________________________ +Date of Trip: _____________________________________________________ +Field Trip Category:_______________________________________________ +Overview of Trip/ Educational Purpose: __________________________ + __________________________________________________________________ +Itinerary: ________________________________________________________ + + +Page 17: +Superintendent’s Circular CAO-23 +Page 17 of 36 + + __________________________________________________________________ +SITE/S CONTACT INFORMATION +(If you are visiting multiple places, please list all.) +Site/s: ____________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Address/s: _______________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Site/s Contact Person: ___________________________________________ + __________________________________________________________________ +Site/s Telephone Number & Email(s): + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + + + + + +Page 18: +Superintendent’s Circular CAO-23 +Page 18 of 36 + + +DAY FIELD TRIP REQUEST FORM (PART II) +SUPERVISION +Program Leader (Lead Chaperone): + __________________________________________________________________ +Phone (during the trip): __________________________________________ +Email: ___________________________________________________________ +Names and phone numbers of all chaperones: (attach a separate +document if necessary): + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + + + + +Page 19: +Superintendent’s Circular CAO-23 +Page 19 of 36 + +TRANSPORTATION +Pick-up Location: _______________________________________________ +Drop-off Location: _______________________________________________ +Departure Time: _________________________________________________ +Time Back at School: _____________________________________________ +Method of Transportation: _______________________________________ +Transportation Provider: _________________________________________ + __________________________________________________________________ +Contact Information: (phone number and address) + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Staff may not drive students. Privately owned vehicles, ride +sharing services, vehicles from non-approved vendors, or leased +vehicles are not to be utilized to transport students to and from +field trips, except in the case of a bona fide emergency. Staff who +utilize their own vehicles risk being legally liable. Schools must +use BPS buses or approved bus vendors regardless of how the +trip is paid for. (See TRN-03) +Total Cost: _______________________________________________________ +Funding Source: _________________________________________________ +Grant Number: __________________________________________________ + + +Page 20: +Superintendent’s Circular CAO-23 +Page 20 of 36 + +BEDF Account Code/Description: ________________________________ +Approved by: ____________________________________________________ +Principal/Head of School /Sponsoring District Department +Date: ______________________________ + +Your signature indicates that all policies outlined in this circular +regarding day trips will be followed. + + + + +Page 21: +Superintendent’s Circular CAO-23 +Page 21 of 36 + + +EMERGENCY ACTION PLAN (EAP) +The program leader and chaperones must have copies of this +checklist during the trip. +PROCEDURES FOR CALLING 911 ON A FIELD TRIP: + Do not leave the injured person alone or without an adult +present. + REMAIN CALM. This helps the operator receive your +information. + DIAL 911. Remember, you may need to access an outside line +first. + Answer the dispatcher’s questions clearly and concisely. +They will ask for all the relevant facts. The dispatcher will +end the call when all of the information is verified. + Wait with the person until EMS arrives. + Paramedics will take over care of the person when they +arrive. A chaperone must accompany any injured student in +the ambulance and remain with the student until the +parent/guardian arrives. +NOTIFICATION OF INCIDENT + Call parent/guardian, principal/head of school, the +Superintendent’s Office, and Department of Safety Services +regarding the incident immediately. + File an Incident Report. + + +Page 22: +Superintendent’s Circular CAO-23 +Page 22 of 36 + + +Principal/Head of School Phone Numbers: + __________________________________________________________________ +Department of Safety Services: (617) 635-8000 +Additional Phone Numbers: ______________________________________ + __________________________________________________________________ + + +Page 23: +Superintendent’s Circular CAO-23 +Page 23 of 36 + + +PARENTAL AUTHORIZATION FOR DAY FIELD TRIPS +BPS STAFF: + Use one form per trip, per student. + Complete the School Portion of form. + Send a copy home for parent/guardian and student +signatures. + During the field trip, the signed, original form must be +carried by the lead chaperone, copies by all other +chaperones and a photocopy must be left on file in the +school office. +STUDENTS: + Complete the “Student Agreement” section. +PARENT / LEGAL GUARDIAN, IF STUDENT IS UNDER 18 YEARS OF +AGE; OR STUDENT, IF AT LEAST 18 YEARS OLD: + Complete the Authorization & Acknowledgement of Risks +section. + Complete the “Medical Authorization” section. + + + + +Page 24: +Superintendent’s Circular CAO-23 +Page 24 of 36 + +PARENTAL AUTHORIZATION FOR DAY FIELD TRIPS +To be completed by the school + +School Name: ____________________________________________________ +Student Name: ___________________________________________________ +Date(s) of Trip: ____________________________________________________ +Destination: ______________________________________________________ +Purpose(s): ______________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +List of Activities: ________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Supervision: (Check one) + Students will be directly supervised by adult chaperones on +this trip at all times. + + + + +Page 25: +Superintendent’s Circular CAO-23 +Page 25 of 36 + +Mode of Transportation (check all that apply): +□ Walking □ School bus □ MBTA +□ Other __________________________________________________________ +Students will leave from: +_________________________________________ at ____________________. + (location) (time) + +Students will return to: (location) _________________________________ +at about (time)__________________. +Chaperone(s) in Charge: _________________________________________ + __________________________________________________________________ +Chaperone/Student Ratio: __________________________ (10:1 for all +grades; minimum of two chaperones) +STUDENT AGREEMENT +While participating in this field trip, I understand I am +representing BPS and my community. I understand that +appropriate standards must be observed, and I will accept +responsibility for maintaining good conduct and abide by school- +based rules and the Boston Public Schools’ Code of Conduct. +Student signature _________________________ Date _________________ + + + + +Page 26: +Superintendent’s Circular CAO-23 +Page 26 of 36 + +To be completed by the parent/guardian or student (if 18 or over): +PARENT/GUARDIAN AUTHORIZATION AND +ACKNOWLEDGEMENT OF RISKS FOR BPS DAY TRIPS +I understand that my/my child’s participation in this field trip is +voluntary and may expose me/my child to some risk(s). I have +read and understand the description of the field trip (on the first +page of this form) and authorize myself/my child to participate in +the planned components of the field trip. +I assume full responsibility for any risk of personal or property +damages arising out of or related to my/my child’s participation +in this field trip, including any acts of negligence or otherwise +from the moment that my student is under BPS supervision and +throughout the duration of the trip. I further agree to indemnify +and to hold harmless BPS and any of the individuals and other +organizations associated with BPS in this field trip from any claim +or liability arising out of my/my child’s participation in this field +trip. I also understand that participation in the field trip will +involve activities off school property; therefore, neither the +Boston Public Schools, nor its employees nor volunteers, will have +any responsibility for the condition and use of any non-school +property. +I understand that BPS is not responsible for my/my child’s +supervision during such periods of time when I/my child may be +absent from a BPS supervised activity. Such occasions are noted +in the “Supervision” section in this agreement. I state that I +have/my child has read and agree(s) to abide by the terms and +conditions set forth in the BPS Code of Conduct, and to abide by +all decisions made by teachers, staff, and those in authority. I +agree that BPS has the right to enforce these rules, standards, +and instructions. I agree that my/my child’s participation in this + + +Page 27: +Superintendent’s Circular CAO-23 +Page 27 of 36 + +field trip may at any time be terminated by BPS in the light of +my/my child’s failure to follow these regulations, or for any reason +which BPS may deem to be in the best interest of a student +group, and that I/my child may be sent home at my own expense +with no refund as a result. In addition, chaperones may alter trip +activities to enhance individual and/or group safety. +MEDICAL AUTHORIZATION +I certify that I am/my child is in good physical and behavioral +health, and I have/my child has no special medical or physical +conditions which would impede participation in this field trip. I +agree to disclose to BPS any medications (including over- the- +counter/herbal) and/or prescriptions which I/my child shall or +should take at any time during the duration of the field trip. In +the event of serious illness or injury to my child/ward, I expressly +consent by my signature to the administration of emergency +medical care, if in the opinion of attending medical personnel, +such action is advisable. +Further, I authorize the chaperones listed to act on my behalf as +parent/guardian of my child/ward while participating in the trip +described above, including the admittance to and release from a +medical facility. + NO: My child DOES NOT require medication during this trip. + YES: My child DOES require medication during this +authorized trip. +If you checked yes, please describe in the space below the type of +medication and the required administration of this medication. If +medication is taken on an as-needed basis, specify the symptoms +or conditions when medication is to be taken and the time at +which it may be given again. If necessary, attach an additional + + +Page 28: +Superintendent’s Circular CAO-23 +Page 28 of 36 + +page. + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +SIGNATURES +If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and that +I understand the above Agreement, and that I accept and will be +bound by its terms and conditions. +Student Signature: _______________________________________________ +Date: _____________________________________________________________ +If the applicant is under 18 years of age, the following statement +must be read and signed by the student’s parent or legal +guardian: +I certify that I am the parent and legal guardian of the applicant, +that I have read and that I understand the above agreement, and +that I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + +I give permission for: +____________________________________________________________ +(student) + + +Page 29: +Superintendent’s Circular CAO-23 +Page 29 of 36 + +to participate in all aspects of this trip. +Parent/Guardian Signature/s _____________________________________ +Date: _____________________________________________________________ + +The student, if at least 18 years of age, or the parent/legal +guardian must complete the information below: +Print parent/guardian/s first and last name(s): + __________________________________________________________________ +Address: _________________________________________________________ + __________________________________________________________________ +Telephone: (CELL, HOME, WORK): ________________________________ + __________________________________________________________________ +Emergency contact’s first and last name (other than +parent/guardians): _______________________________________________ +Relationship to Student: _________________________________________ +Emergency Contacts Telephone #s: ______________________________ + __________________________________________________________________ + + +WALKING TRIPS + + +Page 30: +Superintendent’s Circular CAO-23 +Page 30 of 36 + +Parent/Guardian Authorization and Acknowledgement of Risks +for Walking Trips +Instructions: This form is to be completed by parents/guardians +to authorize BPS to engage students in day field trips that +require walking within a 1-mile radius of the school. This form will +apply for all walking field trips during the current school year, +and will need to be updated each school year, or as +student/family information changes. The school is still required +to inform families in advance of walking field trips, and obtain +principal/head of school approval. +I understand that my/my child’s participation in this field trip is +voluntary and may expose me/my child to some risk(s). I have +read and understand the description of the field trip (on the front +page of this form) and authorize myself/my child to participate in +the planned components of the field trip. I assume full +responsibility for any risk of personal or property damages arising +out of or related to my/my child’s participation in this field trip, +including any acts of negligence or otherwise from the moment +that my student is under BPS supervision and throughout the +duration of the trip. I further agree to indemnify and to hold +harmless BPS and any of the individuals and other organizations +associated with BPS in this field trip from any claim or liability +arising out of my/my child’s participation in this field trip. I also +understand that participation in the field trip will involve +activities off of school property; therefore, neither the Boston +Public Schools, nor its employees nor volunteers, will have any +responsibility for the condition and use of any non-school +property. I understand that BPS is not responsible for my/my +child’s supervision during such periods of time when I/my child +may be absent from a BPS supervised activity. Such occasions are +noted in the “Supervision” section in this agreement. I state that I + + +Page 31: +Superintendent’s Circular CAO-23 +Page 31 of 36 + +have/my child has read and agree(s) to abide by the terms and +conditions set forth in the BPS Code of Conduct, and to abide by +all decisions made by teachers, staff, and those in authority. I +agree that BPS has the right to enforce these rules, standards, +and instructions. I agree that my/my child’s participation in this +field trip may at any time be terminated by BPS in the light of +my/my child’s failure to follow these regulations, or for any reason +which BPS may deem to be in the best interest of a student +group, and that I/my child may be sent home at my own expense +with no refund as a result. In addition, chaperones may alter trip +activities to enhance individual and/or group safety. +MEDICAL AUTHORIZATION +I certify that I am/my child is in good physical and behavioral +health and I have/my child has no special medical or physical +conditions which would impede participation in this field trip. I +agree to disclose to BPS any medications (including over- the- +counter/herbal) and/or prescriptions which I/my child shall or +should take at any time during the duration of the field trip. In +the event of serious illness or injury to my child/ward, I expressly +consent by my signature to the administration of emergency +medical care, if in the opinion of attending medical personnel, +such action is advisable. Further, I authorize the chaperones +listed to act on my behalf as parent/guardian of my child/ward +while participating in the trip described above, including the +admittance to and release from a medical facility. + NO: My child DOES NOT require medication during this trip. + YES: My child DOES require medication during this +authorized trip. +If you checked yes, please describe in the space below the type of + + +Page 32: +Superintendent’s Circular CAO-23 +Page 32 of 36 + +medication and the required administration of this medication. If +medication is taken on an as-needed basis, specify the symptoms +or conditions when medication is to be taken and the time at +which it may be given again. If necessary, attach an additional +page. + + + + + +Page 33: +Superintendent’s Circular CAO-23 +Page 33 of 36 + +SIGNATURES +If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and that +I understand the above Agreement, and that I accept and will be +bound by its terms and conditions. +Student Signature: _______________________________________________ +Date: ___________________________ +If the applicant is under 18 years of age, the following statement +must be read and signed by the student’s parent or legal +guardian: +I certify that I am the parent and legal guardian of the applicant, +that I have read and that I understand the above Agreement, and +that I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + +I give permission for: _____________________________________________ +(student) +to participate in all aspects of this trip. +Parent/Guardian Signature/s: _____________________________________ + __________________________________________________________________ +Date: ___________________________________ + +The student, if at least 18 years of age, or the parent/legal + + +Page 34: +Superintendent’s Circular CAO-23 +Page 34 of 36 + +guardian must complete the information below: +Print Parent/Guardian/s First and Last Name/s: + __________________________________________________________________ +Address: ________________________________________________________ + __________________________________________________________________ +Telephone: (CELL, HOME, WORK): ________________________________ + __________________________________________________________________ +Emergency Contact’s First and Last Name (other than +parent/guardians): _______________________________________________ + __________________________________________________________________ +Relationship to Student: _________________________________________ +Emergency Contacts Telephone #s: ______________________________ + __________________________________________________________________ + + + + +Page 35: +Superintendent’s Circular CAO-23 +Page 35 of 36 + + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS sponsored +field trips and submitted to the program leader (lead +chaperone). + +School Name: ____________________________________________________ +Destination: ______________________________________________________ +Departure Date: _________________ Return Date: ___________________ +All chaperones must agree to abide by the following code of +conduct to participate in a BPS sponsored field trip. +SAFETY & RESPONSIBILITY +I understand that my safety, and the safety of other participants, +is extremely important during this field trip. I agree to make +safety my first priority. I agree to conduct myself in a manner that +promotes my safety and the safety of others at all times. I +understand that maintaining students’ safety requires that +students must be supervised by me and/or other chaperones at +all times while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews and room checks for students, as well as +morning wake up calls for students, are part of my responsibility. +I agree to follow BPS policies, protocols, and guidance of BPS +staff when in the field. + + + +Page 36: +Superintendent’s Circular CAO-23 +Page 36 of 36 + +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits students +from possessing, using, selling, and/or distributing any of the +following on all domestic and international field trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, use or +distribution of over the counter medication; and selling of +prescription drugs. +The Code also prohibits the use of tobacco products (including e- +cigarettes, hookah paraphernalia, and vapor cigarettes). I +understand that these prohibitions apply to all students, +regardless of age. +I understand that I am forbidden to use or visibly be in possession +of tobacco in the presence of students. I also understand that the +use of all other drugs, including alcohol, and weapons are strictly +prohibited on the field trip. + +Chaperone Name (Printed): ______________________________________ +Chaperone Signature: ___________________________________________ +Date: _________________________ + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +CAO-07 +Version 01 + + + +MASSCORE GRADUATION REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools (BPS) has a priority to create policies and +practices that support the preparation of every student to be +college, career, and life ready while removing barriers that +prevent students from graduating from BPS. Accordingly, it is +imperative that BPS utilize standards-aligned graduation +requirements across the district that will promote and ensure +rigor and excellence in our schools, resulting in the elimination of +opportunity and achievement gaps and ensuring that every +student graduates prepared for life after high school. +Approved by the Boston School Committee in May of 2021, +Boston Public Schools (BPS) adopted the MassCore Course of +Study as its graduation requirement for all students in the +district. The requirements will begin for students entering 9th +grade in School Year 2022-2023 (SY22-23), with full +implementation by the start of SY25-26. This circular outlines the +details of graduation course requirements, alignment to DESE +standards and state graduation requirements, and the course +waiver process. +GRADUATION REQUIREMENTS +Beginning with grade 9 in SY23-24, the following credits in + + +Page 2: +Superintendent’s Circular CAO-07 +Page 2 of 6 + + +various content categories are required for graduation from BPS. +The table below visually represents the course requirements for +graduation: +MassCore Framework +Massachusetts High School Program of Studies +Content +Category +Units +Notes +English +Language Arts +4 Units +ESL courses for students designated as ELD 1, 2 +or 3 will count toward ELA credits +Mathematics +4 Units +Including completion of Algebra II or +Integrated Mathematics III. A mathematics +course during senior year is recommended for +all students. +Science +3 Units +of lab- +based +science +Coursework in technology/engineering courses +may also count for MassCore science credit. +History and +Social Science +3 Units +Including U.S. History and World History and +one additional core or MassCore elective. + +Inclusion of an Ethnic Studies course is strongly +encouraged. +Foreign +Language +2 Units +Both units must be in the same language. + + +Page 3: +Superintendent’s Circular CAO-07 +Page 3 of 6 + + +Physical +Education +1 unit, as +required +by law +Students will have one quarter course (or its +equivalent) of PE per year or an equivalent. + +Arts +1 Unit +Students will have one quarter course (or its +equivalent) of Art per year or a cumulative unit. +Additional +Core Courses +5 Units +Inclusive of PE (1 credit) plus four additional +courses. Other additional coursework +(including Health Education* & Career and +Technical Education) or any of the above. +*Health Education: The BPS Wellness Policy requires 1 semester +(at least ¼ course equivalent) of Health Education in high +school. +STATE GRADUATION REQUIREMENTS +The policy does not and will not replace state laws and DESE +regulations pertaining to high school graduation. These +additional requirements include, but are not limited to: +• Action Civics Projects required by Chapter 296 of the Acts of +2018, An Act to promote and enhance civic engagement. +• Earning a “competency determination” [passing scores on +the Grade 10 English language arts and mathematics and +high school level science and technology/engineering +Massachusetts Comprehensive Assessment System (MCAS) +tests]. For students who do not pass an MCAS test, +educators develop an Educational Proficiency Plan (EPP) for +the subject(s). Students need to meet course requirements +for their EPP in addition to meeting MassCore requirements. + + +Page 4: +Superintendent’s Circular CAO-07 +Page 4 of 6 + + +SUBSTITUTIONS +The following substitutions may be used to meet graduation +requirements without an additional waiver: +Physical Education +MassCore reflects the legal requirement that physical education +be taught as a required subject in all grades. The BPS Wellness +Policy requires all schools to offer high quality physical education +for students in all grades. Under some circumstances, students +can meet the requirement through an approved organized +program of instructional physical activity, including but not +limited to: participation in interscholastic athletics, skating, +hockey, dance, yoga, martial arts, capoeira, or swimming; and any +physical activity through school based or community programs, +or independent study. Substitutions and independent study +opportunities must be approved by the Office of Health and +Wellness. +Computer Science +Students may substitute one unit of Computer Science (AP +Computer Science Principles, Computer Science Principles, or +Exploring Computer Science) that includes rigorous +mathematical concepts and aligns with the Digital Literacy and +Computer Science standards for a mathematics course. +Humanities Course +Double-blocked Humanities courses may count toward 1 ELA +credit and 1 History credit. One period Humanities courses count +as 1 History credit and cannot be used toward ELA credit. + + +Page 5: +Superintendent’s Circular CAO-07 +Page 5 of 6 + + +Career and Technical Education +Students enrolled in a DESE approved Chapter 74 program can +fulfill MassCore requirements without fulfilling arts and world +language requirements. While arts and world language +requirements may be waived, students are strongly encouraged +to take these courses to comply with college admission +requirements. +Credit for Courses in Grades 7 and 8 +Students will be able to apply high school credits for high school +level courses completed successfully in 7th or 8th grade. +World Language Competency +Multilingual learners may earn up to two World Language credits +for demonstrated competency in their native language by +achieving Intermediate Mid Level of language proficiency on the +AVANT Stamp Assessment. The AVANT Stamp administration will +be administered at the BPS Welcome Center in the fall and +spring of each year. Students scoring at the Intermediate High +Level of language proficiency can utilize the assessment results +towards attainment of the MA State Seal of Biliteracy upon +graduation if they also meet the minimum criteria for English +language proficiency set forth by the Massachusetts Department +of Elementary and Secondary Education. +Course Waiver Process +Schools may seek additional waivers for individual students or +courses. + + + +Page 6: +Superintendent’s Circular CAO-07 +Page 6 of 6 + + +IMPLEMENTATION +• Each school will collaborate with the Academics team on +ensuring alignment of its course schedule with MassCore +requirements. +• All 9th grade students should follow the recommended +course sequence and must take at least a quarter of physical +education in SY23-24. +• Schools should work with districts on ensuring they have +the proper staffing model to meet MassCore requirements, +especially for students in grade 9. + +For more information about this circular, contact: +Owner: +Elementary Superintendent +Department: +Academics and Professional Learning +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-27 +Version 01 + +GENERAL GUIDELINES AND PROCEDURES FOR +WATER ACTIVITIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +IMPORTANT NOTE: These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and guidance, +contact OPL@bostonpublicschools.org for assistance/guidance. + +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular MUST be read in its entirety by program leaders +(chaperones), principal/head of school and/or the district +department sponsoring a field trip that includes an IN the water +or ON the water activity. These parties are responsible for +ensuring that all field trip policies and procedures as outlined in +this circular AND all applicable field trip circulars (CAO-23, 24, +and 25) are adhered to. +WATER ACTIVITIES +• If your trip involves ON or IN water activities, you must + + +Page 2: +Superintendent’s Circular CAO-27 +Page 2 of 13 + +contact the Department of Global Education immediately +to submit a mandatory Water Activity Request Form 16 +weeks in advance to ensure that the site location for the +water activity has up-to-date insurance, a safety plan, and +certification documentation on file with the district. +• For water activities: The student-to-chaperone ratio must +remain 10:1 at all times during swimming for all grade +levels. (This ratio does not include the lifeguards on duty.) +SWIMMING (IN THE WATER) +• Instructional swimming is permitted only if proper +swimmer-lifeguard ratios are maintained (20:1); the +swimming teachers hold valid American Red Cross or +YMCA Lifeguard Instruction/ Water Safety Instruction, +CPR/AED, and First Aid certificates; the site is nationally +recognized for swim instruction (e.g., YMCA); and +parents/guardians are informed in the appropriate +Parental Authorization for Field Trip form. +Parents/guardians must be given sufficient information +to understand the nature and scope of the activity(s). +• Principal/head of school is responsible for ensuring these +requirements are met and must receive written +documentation of all listed guard and instructor +certifications. Copies of these certifications, along with +students’ permission slips, must be kept on file for the +current fiscal year plus three additional years. +• Therapeutic/adaptive swimming for students with +disabilities is permitted only with individuals with +Therapeutic/Adaptive Swim certification or licensure +and proper swimmer-lifeguard ratios are maintained + + +Page 3: +Superintendent’s Circular CAO-27 +Page 3 of 13 + +(10:1); and parents/guardians are informed in the +appropriate Parental Authorization for Field Trip form. +Parents/guardians must be given sufficient information +to understand the nature and scope of the activity(s). +• Recreational swimming is NOT permitted on BPS field +trips. +WATER ACTIVITIES (ON THE WATER) +• Water activities are permitted involving larger +commercial or passenger vessels which meet U.S. Coast +Guard standards for safety and hold a valid Certification of +Compliance for the state or its international equivalent +(Please note: There must be one life jacket per +passenger). In addition, be sure the water-related activity +is clearly listed in the appropriate Parental Authorization +for Field Trip form. Parents/guardians must be given +sufficient information to understand the nature and +scope of the activity(s). +• Water activities such as kayaking, rowing, and canoeing +(or the equivalent where the movement of a craft +depends on the physical endurance of its operator) and +travel in small watercraft are not permitted on a BPS field +trip unless a request is submitted and approved by the +district. (Please note: There must be one life jacket per +passenger.) These requests are submitted to and +reviewed by the Department of Global Education. +Significant lead time is needed (16 weeks or more) to +allow for safety requirements to be met. +• The sponsoring water venue/facility must provide the +following documents to the district annually: 1) Safety + + +Page 4: +Superintendent’s Circular CAO-27 +Page 4 of 13 + +Plan; 2) Liability Insurance; and 3) Lifeguard Certification. +CHAPERONE REQUIREMENTS: +• The program leader (lead chaperone) must be a BPS +employee. Other authorized chaperones may include +parents and guardians 21 years of age or older. +• Chaperones must be equipped with hand sanitizer and +additional masks if the need arises for staff and students. +• All chaperones must complete the Chaperone Agreement +Form. +• All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of +Human Capital. Complete the eCORI form online at this +link. Contact the BPS Office of Human Capital (OHC) for +CORI check and confirmation support. The +principal/head of school and the lead chaperone are +responsible for submitting authorization forms to OHC +and must not allow chaperones to take part in activities +until they have been CORI/SORI cleared. Non-BPS +employee chaperones (parents/guardians) must show +proof of vaccination or a negative COVID-19 test within 24 +hours of the field trip. Non-BPS employees who +chaperone on a field trip are not covered for liability by +the Boston Public Schools. +• The program leader must be sure that all chaperones, +including non-BPS chaperones, are informed of, adhere +to, and uphold the BPS Code of Conduct and other +district and school-based rules. +• Chaperones who are parents/guardians of BPS students + + +Page 5: +Superintendent’s Circular CAO-27 +Page 5 of 13 + +on the trip must provide the same level of care and +attention to ALL student participants. If a BPS +chaperone’s child who does not attend the participating +school must attend the program, the child must be a BPS +student and in the same grade or age range as +participating students. In this case, the BPS employee is +responsible for incurring all costs associated with their +child’s participation. +• Tour guides and employees of third-party vendors +contracted to help operate the trip are not considered +chaperones and do not factor into the student-to- +chaperone ratio. +➤ For Day & Water Field Trips, the Department of Safety Services +(617-635-8000), must be notified in the event of a serious medical +or other emergency and should be used as a resource for +questions regarding safety on day field trips, including WATER +ACTIVITY day trips. + + + + + + + +Page 6: +Superintendent’s Circular CAO-27 +Page 6 of 13 + +For more information about this circular, contact: + Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 7: +Superintendent’s Circular CAO-27 +Page 7 of 13 + +BOSTON PUBLIC SCHOOLS +WATER ACTIVITY REQUEST FORM + +DIRECTIONS: +1. This form must be submitted for water activities at least +16 weeks in advance for the proposed water activity to be +considered. Please email this form to +OPL@bostonpublicschools.org and confirm its receipt. +2. One form should be completed per field trip. However, if +there are multiple “water activities” planned, each water +experience must be listed separately. For example, if you +are taking students on a service-learning trip for one +week and would like students to participate in a water +activity on multiple days, each separate excursion should +be listed, even if the excursion is at the same location. +3. Requests will be reviewed and schools will receive an +answer regarding their requests in 2-3 weeks. + +TO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL +Date request submitted: _________________________________________ +Date(s) of field trip: _______________________________________________ +School: ___________________________________________________________ + +Principal/Head of School /District Department Name: + + +Page 8: +Superintendent’s Circular CAO-27 +Page 8 of 13 + + __________________________________________________________________ +Trip leader’s name, role, and contact number: + __________________________________________________________________ + __________________________________________________________________ +Chaperones’ names and roles in school: + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Vendor/Organization: ____________________________________________ +What is the purpose of the water activity? How does the water +activity add to the overall trip experience?________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Number of students participating in the field trip: ________________ +Grade level and ages of students: _________________________________ + + +Page 9: +Superintendent’s Circular CAO-27 +Page 9 of 13 + + +Please complete the information below for each water activity +planned for students: + +Water Activity # ________ +Date + +Hours + +Water Activity +Location +(Address) + + +Water Activity +(i.e., canoeing) + +Site Contact +Person + + +Site Contact’s +Email & Phone # + + +Water Activity # _______ + + +Page 10: +Superintendent’s Circular CAO-27 +Page 10 of 13 + +Date + +Hours + +Water Activity +Location +(Address) + + +Water Activity +(i.e., canoeing) + +Site Contact +Person + + +Site Contact’s +Email & Phone # + + + + + +Principal/Head of School /District Department’s Signature + +Date: ________________________________ + + + + +Page 11: +Superintendent’s Circular CAO-27 +Page 11 of 13 + +BOSTON PUBLIC SCHOOLS +WATER ACTIVITY ADDENDUM TO PARENTAL AUTHORIZATION +FIELD TRIP FORM FOR “ON” WATER ACTIVITIES +Directions: +1. This form must be used if a water activity such as kayaking, +rowing, or canoeing, or riding on a boat is listed as a possible +activity on the Attached Parental Authorization Field Trip +form for this field trip. +2. Complete the school portion of this form and attach it to the +appropriate Parental Authorization Field Trip form for +parent/guardian. +Parent/legal guardian, if student is under 18 years of age, or +student, if at least 18 years old: Complete the Authorization & +Acknowledgement of Risk Section. +➤ If a student does not wear a life jacket, the student may not +participate in the water activity. +School Name: ____________________________________________________ +Student Name: ___________________________________________________ +Date(s) of Trip: ____________________________________________________ +Water Activity Location(s): ________________________________________ +List of Water Activities: __________________________________________ + __________________________________________________________________ + + +Page 12: +Superintendent’s Circular CAO-27 +Page 12 of 13 + +AUTHORIZATION AND ACKNOWLEDGEMENT OF RISKS +I understand that participation in this field trip may involve water +activities, including but not limited to boating. I understand that +participation in these activities is voluntary and may expose +me/my child to some risks(s). I assume responsibility for any risk +of personal or property damages arising out of or related to +my/my child’s participation in this boating and/or other water +related activity, including acts of negligence or otherwise. I +further agree to hold harmless BPS and any of the individuals +and other organizations associated with BPS in this activity from +any claim or liability arising out of my/my child’s participation in +this activity. I authorize myself/my child to participate in the +planned components of the field trip to the extent indicated by +my signature below. +➤ If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and +understand the above Agreement, and that I accept and will be +bound by its terms and conditions. + + ________________________________________________________________ ____________________________ +Student Signature +Date + + + + + +Page 13: +Superintendent’s Circular CAO-27 +Page 13 of 13 + +➤ If the applicant is under 18 years of age, the following +statement must be read and signed by the student’s parent or +legal guardian: +I certify that I am the parent/legal guardian of the applicant, +that I have read and understand the above Agreement, and that +I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + + ________________________________________________________________ ____________________________ +Parent/Guardian Signature +Date + +Emergency Contact’s Name (other than parent/guardian): + __________________________________________________________________ +Relationship to Student: _________________________________________ +Emergency Contact’s Telephone Number: _______________________ + + +Page 1: + + +Superintendent’s +Circular + +NUMBER: +CAO-06 +Version 01 + + + + GRADE POINT AVERAGE CALCULATION METHOD +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +RATIONALE +The purpose of this document is to outline how grade point +averages (GPAs) are calculated and used within the Boston +Public Schools. +DEFINITION +The grade point average (GPA) is a standard numerical +conversion of letter grades given to a student. The GPA is a +standard method of comparing the cumulative academic +performance of students in grades 9-12 and sharing that +information. The GPA is used for several purposes such as college +admissions, high school ranking, and selective program +admissions. The GPA calculation takes in a variety of information +from courses such as credits and academic level. +GPA CALCULATIONS +Use the following steps to complete the weighted GPA +calculation: +Step 1. Convert each final grade (numeric or letter grade) to +its equivalent on the 4.0 scale. + + +Page 2: +Superintendent’s Circular CAO-06 +Page 2 of 5 + + + +Step 2. Weight grades by adding .5 to each converted grade +earned in an Honors level course and 1.0 to each converted +grade earned in Advanced Placement or Dual Enrollment +course. +Step 3. Multiply each converted grade or, if applicable, each +weighted grade by the course credits earned. Where a full- +year course equals 1 credit; a semester course equals .5 +credits; a quarter course equals .25 credits. +Step 4. Sum all the weighted grade points from Step 3. +Step 5. Divide total from Step 4 by total number of course +credits attempted. Where a full-year course equals 1 credit; +a semester course equals .5 credits; a quarter course +equals .25 credits. +Step 6. The quotient is the student's weighted GPA. +GPA = Total (Point + Weight) * Credit) for all courses / Total +Credits for all courses +COURSE INFORMATION +1. Course +a. Student courses taken in grades 9-12 will be included in +the GPA calculation. High school level courses taken by +a student in middle school grades will not be included +in the calculation. +b. Include in GPA or InGPA flag +c. This indicator describes the courses that will be +included in any academic GPA calculation. Courses + + +Page 3: +Superintendent’s Circular CAO-06 +Page 3 of 5 + + + +that are required for graduation are included in GPA +calculations. Courses that typically are excluded from +academic GPA calculations include enrichment +courses, functional courses, study periods and +administration blocks such as lunch. The district +determines which courses are included within a +student’s GPA calculation, additionally such courses +may also be required by schools for graduation. The +Division of Academics maintains and updates the list of +all applicable courses to be included in the GPA +calculation. School users can find InGPA information in +the Course Catalog feature in Aspen. +2. Credits +a. Credits describe the number of ‘points’ that a course +will receive in a GPA after the course is completed. In +general, most courses will have 1 credit. However, +certain courses may have more than 1 credit, such as +double-blocked humanities courses. Similarly, some +courses have fewer than 1 credit, such as 1 semester +(half-year) courses. In the cumulative GPA calculation +within a school year, quarter or term grades for a 1 +semester course will be attributed .25 credits in the +GPA calculation. +b. Credits are generally distributed based on the +successful completion of the competencies of the +course. +c. Transfer-in credits are credits that a student earns in a +setting outside of BPS. These credits are included on a +student’s transcript and count towards a school’s +graduation requirements. Therefore, these credits will + + +Page 4: +Superintendent’s Circular CAO-06 +Page 4 of 5 + + + +be used in the GPA calculation. This is in alignment +with the Massachusetts Board of Higher Education’s +(MA BHE) process of calculating GPAs. +3. Academic level +a. The academic level of a course can be one of 8 options +(see table below). +b. Weights are applied to courses through the academic +level of the course. The following weights are given to +each academic level based on the MA Board of Higher +Education recommendations (Link to full weighting +chart). + +Weighting +Course Academic Level +Not included +Functional +Untracked + ++0 (standard) +Regular + + ++0.5 +Honors +IB MYP + ++1.0 +College +AP +IB DP + +GPA CALCULATION DATES (BPS CALENDAR) +The GPA calculation dates for SY24 can be found here. +GPA INCLUDED IN TRANSCRIPT +While there are several GPA calculations in Aspen, only the +cumulative weighted academic GPA calculation is included on a +student’s official transcript. The quarter, semester, and final GPAs + + +Page 5: +Superintendent’s Circular CAO-06 +Page 5 of 5 + + + +are saved throughout the school year but will be overwritten +each year. The final cumulative GPA (accumulation over grades 9- +12) as of the current year is saved in Aspen and transferred to the +Data Warehouse. +HELPFUL LINKS +Grade Point Average (GPA) Help Guides for Aspen +Weighting Chart + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-03 +Version 01 + +TEXTBOOK MANAGEMENT +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +School Committee policy and state law recognize the student's +right to use textbooks, on a loan basis, without charge. As a +public school system, we have a responsibility to supply our +students with the textbooks and other materials they need for +school use. Accordingly, School Committee policy states that "no +student should be required to furnish or pay for any books or +other materials for school use, with the exception of materials +used for certain practical arts projects that result in items that +belong to the student after the project's completion." +School Committee policy and state law also recognize the +student's responsibility to use and not abuse or lose these same +textbooks and materials. School Committee policy states that +"students will be required to pay for textbooks and other school- +owned materials that they lose or damage" (ref. Student Fees, +Fines and Charges - Policy File). Under Massachusetts law, the +sums recovered from pupils in the public schools for loss of +schoolbooks … may be used by the School Committee for the +replacement of such books or materials ... (M.G.L. c.44, §53). +As school leaders and teachers, we are concerned that resources +be maximized and not misused. Instructional material costs are +significant. It is important that school leaders, teachers, students, + + +Page 2: +Superintendent’s Circular CAO-03 +Page 2 of 12 + +and parents understand and adhere to our policies and +procedures for the care of textbooks and other instructional +materials. The following guidelines, based on long-standing +School Committee policy, have been established and should be +followed for the lending of books to pupils. +PREPARATION, STORAGE, AND CONTROL OF TEXTBOOKS +● All textbooks and library books shall be numbered and an +inventory maintained by the school leader. School +Committee policy requires that "Heads of school/principals +will be responsible for and will keep complete records of all +books... and other instructional materials furnished to their +schools." The inventory should include: +○ Title of book +○ Author +○ Publisher and year of publication +○ Date of purchase (for all books purchased for SY21 and +beyond) +○ Class subject for which it is used (textbooks) +○ Name of teachers to whom the textbooks are issued +(textbooks) +● All textbooks should be stamped with the school name on +the inside of the front cover. Each textbook should be +numbered and recorded on the inside of the front cover. +● All textbooks shall be stored in secure rooms, lockers, or +cabinets. Principals/heads of school or their designees shall +ensure that a record is maintained of every textbook that is +removed from storage. +● Principals/heads of school shall ensure that teachers +maintain an inventory of textbooks that includes the + + +Page 3: +Superintendent’s Circular CAO-03 +Page 3 of 12 + +condition of the text and who it is assigned to for each +quarter, trimester, semester, or year. +● Principals/heads of school should work with teachers, +students, and parents to raise their awareness of the +importance of caring for and replacing textbooks. The Guide +to the Boston Public Schools for Families and Students +references this information. School-based rules should +outline the rules and responsibilities for using textbooks and +the penalties for violations. +TEACHER’S RESPONSIBILITY +● Teachers should maintain a record of the title, the textbook +number, and the name of the pupil to whom each textbook +is lent and should check periodically that students have the +textbook assigned. Librarians must establish and maintain +an appropriate inventory control system and loan procedure +for all library books, materials and equipment assigned to +the school library. +● Teachers should encourage students in the proper care, +including covering, of loaned textbooks. +STUDENT’S RESPONSIBILITY +● The book is to be returned to the principal of the school or +to the teacher authorized to receive it at any time required +by them and in as good condition as when received, +allowance being made for the wear and damage caused by +careful use. +● If lost or damaged by carelessness or accident beyond what +may be reasonably allowed, the book is to be replaced by + + +Page 4: +Superintendent’s Circular CAO-03 +Page 4 of 12 + +the pupil to whom it is loaned and as required by the School +Committee. +● Written notice of any previous defacement is required when +the book is received. +● Damage by marking, tearing, etc. is not allowed. +● Students who transfer within the Boston Public Schools or +who leave the school system shall return all textbooks and +library books to the schools that loaned the books. +Principals/heads of school should notify appropriate staff +(e.g., registrars, guidance counselors) to make a note on the +appropriate sign-out forms of any student leaving school +who has not paid the replacement costs of lost or damaged +books. High school seniors should not be allowed to sign out +on the last day for seniors (i.e., day 170) without returning or +making restitution for a lost or damaged book. A copy of +any open account form should be retained in the temporary +record of any student who does not pay the replacement +cost of a damaged or lost book. +● Students who transfer within the Boston Public Schools +should not be loaned textbooks or library books in their +receiving schools until they have returned or arranged to +replace all their books from their sending school. +PARENT RESPONSIBILITY +● Parents should be informed of textbook loan and/or library +book loan conditions at the beginning of the school year. +Notification should be made in the form of a letter to +parents in the language of the home and in any newsletters +sent home to parents at the start of the school year. + + +Page 5: +Superintendent’s Circular CAO-03 +Page 5 of 12 + +● Parents of students who lose or damage textbooks and/or +library books should be informed by the principal/head of +school, in writing, within 30 days of learning of the +loss/damage and the cost of replacement. +REPLACEMENT OF TEXTBOOKS +● If a student damages or loses a textbook and/or a library +book and the student and parent refuses to make +restitution, a replacement book must be made available for +classroom or library use. However, restrictions may be +imposed (e.g., students may use text only during class but +may not take the text out of the classroom). +● If a student damages or loses a textbook or library book and +the student and parent continue to refuse to make +restitution by the start of the following school years, the +student will be subject to penalties under school-based +rules. +● With respect to penalties for students who do not pay the +replacement costs of lost or damaged books, +principals/heads of school should involve the School Site +Council in establishing school-based rules and +corresponding penalties. These penalties might include but +not be limited to prohibiting the student from attending +certain school activities not related to the instructional +program. Before any penalty is imposed, the principal/head +of school must provide advance written notice to the +student and their parents/guardians. The written notice +must provide the student and their parents/guardians with +an opportunity to remedy the situation prior to actual +imposition of the penalty. + + +Page 6: +Superintendent’s Circular CAO-03 +Page 6 of 12 + +● An appeals process should be provided to address issues +such as claims of “hardship” or improper assessment of +damages (e.g., the loss or damage of a book which is not the +result of the student’s negligence, parent has proof that +payment was made, etc.). All appeals should be heard by the +principal/head of school, who should issue a written +decision, a copy of which should be forwarded to the parent +and a copy of which should be filed in the student’s +temporary record. In addition, flexibility in the method of +payment should be offered (e.g., school service projects +being performed by the student in lieu of dollar payment is +one possibility). +● All funds collected for lost or damaged textbooks and/or +library books should be forwarded by principals/heads of +school to the business manager for deposit in a revolving +account for the purchase of replacement textbooks. The +business manager will allocate the revolving account book +funds, giving priority to the schools that collected money for +lost/damaged books. +TEXTBOOK INVENTORY AND REPLACEMENT PLANS +● Before budget collaborative, principals/heads of school shall +estimate their textbook needs for the following school year, +based on textbooks checks and on projected student +enrollment and shall develop a textbook replacement plan. +Instructional Leadership Teams and School Site Councils +should be involved in the development of the replacement +plan. Replacement books should be ordered by individual +schools. Texts that are part of curriculum adoption of BPS- +recommended curricula or those that will be used in new +classrooms will be purchased by central office. + + +Page 7: +Superintendent’s Circular CAO-03 +Page 7 of 12 + +● In June, at the end of the school year, principals/heads of +school shall conduct a thorough inventory of textbooks. +● Principals/heads of school shall maintain a record of every +student who does not arrange to replace textbooks that are +lost or damaged. The record should include the book receipt +signed by the student when the book was loaned. +Summary of significant dates and deadlines: +Date +Activity +By the end of the 2nd +week of school +Principals/heads of school send letters +to families regarding district textbook +policy. + + + + + +Page 8: +Superintendent’s Circular CAO-03 +Page 8 of 12 + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington St., Boston, MA 02119 +Phone: +617-635-9000 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular CAO-03 +Page 9 of 12 + +ATTACHMENT 1 + +Dear Parent/Guardian: +As the new school year begins and we loan textbooks and other +resource materials to our students, I would like to ask for the help +of all parents. We need your help if we are to reduce the number +of lost and damaged books. Textbooks are very expensive today, +many costing as much as $60.00 each. We have worked hard +over the past two years to update and replace our books. As a +result, most of our textbooks are less than five years old and are +in good condition. +Some subjects or courses may not use a textbook; instead, they +use reference books, original source documents, and/or library +research materials. +Please work with your child and with us to keep our books in +good condition. I ask that you remind your child of the following: +● All textbooks and library books are the property of the +Boston Public Schools and are loaned for the use of +students while they are enrolled. +● All textbooks and library books used for classroom work and +homework should be respected and returned in good +condition. +● Students/parents are accountable for books and must pay +for the replacement of lost or damaged books. + + + +Page 10: +Superintendent’s Circular CAO-03 +Page 10 of 12 + +● All textbooks that are taken home by students should be +covered. +All materials used to support classroom instruction, all textbooks, +library books and resource materials should be cared for so that +they can be used by other students in the future. I appreciate +your assistance and cooperation in this effort and thank you for +your help. +Our best wishes to you and your child for a successful school +year. +Sincerely yours, + + + +Principal/Head of School + + +School + + + + +Page 11: +Superintendent’s Circular CAO-03 +Page 11 of 12 + +File: EDB-R + +MAINTENANCE AND CONTROL OF MATERIALS AND +EQUIPMENT +Heads of school/principals will be responsible for and will keep +complete records of all books, globes, maps, charts, apparatus +and computers, and other state-of-the-art instructional materials +furnished to their schools. + +Approved prior to 1988. +Policy Manual, School Committee of the City of Boston + + + + +Page 12: +Superintendent’s Circular CAO-03 +Page 12 of 12 + + +FORM 134 +Boston Public Schools +PUPIL'S BOOK RECEIPT +Date: + +Subject: + +Teacher: + +Received: + +Number: + +I promise to return in good order or replace with a new one. +Room: _____________ +Pupil's Signature: + +Form 134 9/98 + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-03 +Version 01 + +MIDDLE AND HIGH SCHOOL STUDENT GOVERNMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +“As we continue to work at improving the quality of education +for all students, it is important that the voice of students be +heard at the local, state and national levels.” +Massachusetts Dept. of Elementary and Secondary Education + +Every Boston public middle and high school (including district +schools, exam schools, and all alternative, pilot, and in-district +charter schools) must have a written student engagement policy +documenting opportunities for students to assume leadership +roles within classrooms and the broader school community, in +alignment with the 2016 BPS Opportunity and Achievement Gaps +Policy. As part of this policy, each high school must also have a +functioning and engaged student government. Middle schools +are encouraged to have a student government. Student leaders +in this body will represent their peers by serving as advisors, +researchers, and participants in the decision-making process at +the school and district level. Student government serves to +engage students in learning about democracy and leadership. +Student government bodies are essential to ensuring equity in all +aspects of schooling. With faculty and administrative support, +student government members should: +● Ensure student voices are heard and incorporated in school + + +Page 2: +Superintendent’s Circular FAM-03 +Page 2 of 7 + +decision making through the School Site Council, +(SSC)/Governing Board, and meetings with the +administration. +● Develop and grow a body of student leaders by working +closely with the faculty advisor(s) and the head of school. +● Organize the student body and advocate for policies, +practices, and opportunities that will close opportunity gaps +at the school and district level. +Through student government and SSC, students can assist in +fulfilling the school’s mission and design and improve the culture +and climate of the school. +STUDENT GOVERNMENT COMPOSITION +Schools will strive to form a student government that reflects the +diversity of the student population in terms of race/ethnicity, +gender, grade level, educational program (e.g., general, special, +and bilingual education), and other factors. The number of +participants should depend on the size of the school and what is +manageable for the advisor. The recommendation is to have 10-15 +students serve in student government. +It is recommended that student government members be +connected to other school-based groups such as the School- +Based Wellness Council and student clubs. These positions can +be dual roles with other positions on Student Government or can +be stand alone. The faculty advisor should help students think +about their time and commitments and what it would mean to +take on dual roles in the student government. +ROLE OF THE FACULTY ADVISOR +The principal/head of school, with student input, should appoint + + +Page 3: +Superintendent’s Circular FAM-03 +Page 3 of 7 + +one or more faculty advisors to support and oversee each student +government. The principal/head of school will include students in +the selection process. Student governments can be considered +school clubs, and as such principals/heads of school are strongly +encouraged to pay a stipend to the faculty advisor(s). +The faculty advisor(s) will: +● Facilitate youth leadership in all aspects of student +governance. +● Meet with the student government at least twice per month +and provide support in organizing quarterly meetings each +school year. +● Assist student government leaders in the development of +action plans for the school and obtain the appropriate +approvals before a plan is implemented. +● Assist student government leaders in planning and +managing their events/activities, supporting with logistics +and approval. +● Act as a liaison between the student government, School Site +Council/Governing Board, and the Instructional Leadership +Team (ILT). +● Ensure the tracking of data and support members as they +complete reporting on activities. +● Provide the principal/head of school with regular updates on +how the action plans are being carried out. +● Advise student government leaders on their leadership and +scholar-activism. +● Monitor and record all student work and approvals for +proposals and dates. +● Develop student leaders by providing or facilitating training +and support as necessary. + + +Page 4: +Superintendent’s Circular FAM-03 +Page 4 of 7 + +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Please refer to the Massachusetts Department of Elementary and +Secondary Education Educator Evaluation: Appendix B: School- +Level Administrator Rubric. +● Indicator III-A1. Family Engagement. +o Engages SG in activities, events, and opportunities to +create a welcoming environment. +o Students contribute to the design by sharing their +knowledge of family and culture. +o Students evaluate and problem solve with staff and +leadership challenges/barriers to including families in the +school community. +● Indicator IV-B1. Policies and Practices. +o Students participate in an activity identifying the makeup +of the school. +o Cultural Sharing day. +o Students participate in SSC and/or other groups that +develop culturally sensitive policies. +● Indicator IV-E-1. Shared Vision Development. +o Students are part of the visioning process through focus +groups, surveys, community meetings, etc. +o Students share in the developing messaging for the +student body. +● Indicator IV-F-3. Consensus Building. +o Conflict resolution. +o Restorative justice practices. +o Student involvement in SSC and decision-making body. + + +Page 5: +Superintendent’s Circular FAM-03 +Page 5 of 7 + +ELECTIONS +It is the responsibility of every principal/head of school to ensure +that elections are held and the student government is +established no later than October 15. The recommendation is that +all student elections be held as one process by April 15 of the +current school year to roll out the following school year. See the +Student Elections Toolkit for guidance on facilitating student +elections and all the necessary reporting forms. +REPORTING +Once the student government is established, each school must +send the student government roster to the Office of Youth +Leadership, which must include: +1. Student information for all elected positions. +2. Student information for the two (2) students who are +elected to serve on SSC or Governing Board (these +students shall also serve on the Personnel +Subcommittee). +3. Student information for the BSAC representative (see +Superintendent Circular FAM-06). +4. Student information for the Greater Boston Regional +Student Advisory Council (GBRSAC) representatives. +Please note the Department of Elementary and +Secondary Education requires secondary schools to host +their student elections for GBRSAC representatives and +those names be submitted no later than mid-April for the +representatives serving the following school year. + + + +Page 6: +Superintendent’s Circular FAM-03 +Page 6 of 7 + +MIDDLE SCHOOL LEVEL OVERVIEW +Middle school student governments serve the same functions as +high school student governments. During middle school, +students are building their self-advocacy skills to develop their +voices, identities, and agency in the school community. Learning +about leadership is a key activity for many middle school student +governments. Student government members learn how to +research, plan, organize, and execute programs and activities for +many students. The student government advisor leads student +government members in developing their leadership skills. +Practicing Democracy: Governing democratically is a skill +students learn during student government. Student government +gives students hands-on experience in the workings of a +democracy and teaches them how to work cooperatively with +others. Meetings should be run to promote students' working +together for the common good and learning how to put +leadership into action. +Planning and Implementing School Spirit Activities: Building +school spirit and culture that is linguistically sustaining and +affirming can be one of the projects of the student government. +Through school events such as talent shows, fundraisers, and +assemblies, students, teachers, faculty members and parents +come together to help plan these activities throughout the +school year and appoint various people to run these functions. +Addressing Cares, Concerns, and Restorative Justice: Students +will raise school concerns that can best be addressed in student +government. Whether it is more nutritious foods served in the +cafeteria or issues regarding school spirit days, student +government meetings give students a forum for sharing their +grievances and analyzing possible solutions to these problems. +With the support of the Office of Restorative Justice, students + + +Page 7: +Superintendent’s Circular FAM-03 +Page 7 of 7 + +can be trained as circle keepers and can implement restorative +justice to build community, repair harm, and promote collective +healing. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +October 15 +Deadline for student government elections to be +held +October 15 +Deadline for reporting the student government +roster, including all student and faculty +information listed above, to the Office of Youth +Leadership at BSAC@bostonpublicschools.org +October 31 +Deadline for the first student government meeting +to be held + +For more information about this circular, contact: +Owner: +Senior Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FAM-01 +Version 01 + + + +SCHOOL PARENT COUNCILS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public Schools values the voices of families and seeks to +engage families in both school governance and in an advisory +capacity at all levels throughout the district. School Parent +Councils (SPCs) serve as advocates and advisors to +principals/heads of school, school superintendents, the +superintendent, and the School Committee. +SPCs provide an opportunity for families to be more deeply +engaged at the school level, partnering with the principal/head of +school to improve school culture and outcomes for all students. +In addition to the school-based SPC, there are districtwide parent +advisory councils that bring together parents across schools to +serve as advisors to district leadership. The Citywide Parent +Council (CPC) serves as the districtwide voice for parents and is +composed of representatives from each school. The Special +Education Parent Advisory Council (SPED PAC) represents the +families of students with disabilities who receive special +education services. The District English Learner Advisory +Committee (DELAC) works to ensure that parents are informed +about all aspects of BPS that affect English learners and provide +recommendations to the Office of English Learners. These groups +serve to empower parents and partner with BPS to improve + + +Page 2: +Superintendent’s Circular FAM-01 +Page 2 of 10 + + +outcomes for all students. This circular focuses on the role and +function of the SPC. +SCHOOL PARENT COUNCILS +The SPC is the independently established "voice" of all parents in +the school community. The SPC advocates for students and the +school, meets frequently and consistently, elects representatives +to sit on the School Site Council (SSC), and promotes an +environment of understanding and common purpose among +parents, students, and school staff, with a focus on student +learning and school improvement. For the purposes of this +circular, the term “parent” includes a legal guardian or other +person standing in loco parentis (such as a grandparent or +stepparent with whom the child lives, or a person who is legally +responsible for the child's welfare)." Sect. 9101(31) ESEA. +The roles and responsibilities of the SPC are as follows: +Roles: +• Collaborate with school staff to create a welcoming school +climate for all students and families. +• Coordinate school-wide activities and events that engage +families in student learning. +• Raise funds to support school-based initiatives, activities, +and events. +Responsibilities: +• Provide a safe forum for families to express concerns. +• Contribute to school-based initiatives related to school +improvement, school climate, and student learning. + +All parents or legal guardians of a child attending a particular + + +Page 3: +Superintendent’s Circular FAM-01 +Page 3 of 10 + + +school are automatically members of that school’s SPC. +The SPC Executive Committee is the elected leadership of the +SPC. Schools must adhere to the following guidelines for the +election of the Executive Committee: +• OFCA recommends that the school’s Family Liaison is either +the facilitator, co-facilitator, or observer of the election. +• Elections for SSC and SPC parent reps must happen in the +fall of the new school year. Spring elections will no longer be +accepted. This is to help make opportunities for +engagement in the councils more equitable. +• Elections for the 2024-2025 school year may be conducted +in person, virtually, or through a hybrid system, providing for +equitable access to voting. +• Parents/legal guardians who wish to become members of +the Executive Committee must have a child enrolled at the +school in which they are running. +• Co-chairs and officers should be representative of the school +community. +• Any parent/legal guardian who is present at an SPC election +(held in person or virtually) may be nominated for the SPC +Executive Committee (a parent may nominate themself). +• Within one school, elected members can serve more than +one role only if there is an insufficient number of candidates +to fill all roles. +• Parents/legal guardians who are not present (in-person or +virtually) at the time of the election may not be nominated. +• Parents/legal guardians who work at their child’s school +may not be elected to the SPC Executive Committee, except +for extenuating circumstances. +• Each family is allowed one vote per family. + + +Page 4: +Superintendent’s Circular FAM-01 +Page 4 of 10 + + +• Each candidate should be allowed one minute to introduce +themself. +• Elections may be carried out by secret ballot or can be +approved by a majority vote of the present group. +• Nominations and elections are held during the same +meeting; therefore, voters must be present, virtually or in +person, to participate in the election. + +SPC EXECUTIVE COMMITTEE +The role of the SPC Executive Committee is to: +• Provide leadership and to organize the work of the SPC . +• Maintain ongoing communication with all parents to ensure +that they are connected to what is happening at school. +• Maintain ongoing communication and a collaborative +working relationship with the principal/head of school, +teachers, school staff, and community partners. +• Create an inclusive environment on the SPC and in the +whole school community that welcomes the active +participation of all parents. +• Set a schedule and format of meetings that invites +maximum participation of families. + +The composition of the SPC Executive Committee should: +• Reflect the racial and ethnic diversity of the student body. +• Include parents of students who are English Learners +• Include parents of students who receive special education +services. +• Include parents of students in a range of grade levels. +• Include a mix of newly elected and experienced parent +leaders. + + +Page 5: +Superintendent’s Circular FAM-01 +Page 5 of 10 + + + +Parents may serve in more than one SPC Executive Committee +role simultaneously at the same school if no other candidates +come forward. However, SPCs are encouraged to elect as many +parents as possible for the various roles for the purposes of +sharing responsibility and building leadership capacity. The SPC +Executive Committee consists of the following roles: +Co-Chair +• Number elected: 2 +• Schedule and facilitate SPC meetings +• Create agendas +• Maintain ongoing two-way communication with +principal/head of school +Treasurer +• Number elected: 1-2 +• Maintain clear and accurate financial records for the SPC +• Provide monthly expense reports +• Lead or manage SPC fundraising efforts +Secretary +• Number elected: 1-2 +• Conduct outreach to the parent community +• Record and share meeting notes with the school +community + +School Site Council Reps +• Number elected: 5-8 (based on the number of staff in the +BTU bargaining unit) +• Represent the parent community as a member of the SPC +• Participate in school-based decision-making + + +Page 6: +Superintendent’s Circular FAM-01 +Page 6 of 10 + + +• Attend SPC meetings to report out on SSC business and +receive information to bring back to the SSC +• Facilitate communication between the SPC and SSC + +Citywide Parent Council Rep +• Number elected: 1-2* + +• Participate in a districtwide parent group designed to +advocate for BPS families and students and influence BPS +policy +Special Education Parent Advisory Council Rep +• Number elected: 1-2* +• Participate in a citywide parent organization designed to +provide information and resources to families of students +with disabilities who receive special education services +District English Learners Advisory Committee + +• Number elected: 1-2* +• Participate in a citywide committee tasked with providing +recommendations to school and district officials regarding +programs and services provided to EL students +Total # of Parents Elected to SPC Executive Committee: 12-20 + +*If vacant, this position should be revisited throughout the school +year, and families should be reminded of the opportunity and +the benefit of representation on these citywide councils. + + + +Page 7: +Superintendent’s Circular FAM-01 +Page 7 of 10 + + +RELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND +SCHOOL SITE COUNCIL +The School Parent Council (SPC) elects parent members to +represent the parent voice on the School Site Council (SSC). SSC +representatives are members of the SPC Executive Committee +and should attend SPC meetings to provide regular updates on +SSC proceedings to ensure opportunities for parent input and +feedback. All SSC meetings are open to the public; therefore, any +parent, staff person, or community member can attend. However, +only the elected representatives can vote on SSC decisions. +SCHOOL PARENT COUNCIL BY-LAWS +All SPCs must develop by-laws for their council to provide +structure and guidance for SPC operations. SPCs must annually +review and approve their by-laws at their first meeting following +the election. The by-laws are a public document and should be +made available to all parents and members of the school +community, upon request. The SPC by-laws should be submitted +to the Office of Family and Community Advancement (OFCA) +upon approval by the SPC. +SCHOOL PARENT COUNCIL MEETINGS +The SPC should meet at least once monthly. The first meeting of +the year should include a presentation from the principal/head of +school on the school’s goals for the year and election of +representatives to the Executive Committee and School Site +Council (see Superintendent’s Circular FAM-02 for more details). +The following meeting should focus on sharing the work that the +SPC is doing and provide the opportunity for feedback from +parents. SPCs are encouraged to meet monthly, in keeping with +the SSC frequency, to ensure that the parent body is kept + + +Page 8: +Superintendent’s Circular FAM-01 +Page 8 of 10 + + +abreast of SSC activity. Meeting frequency and purpose should +be detailed in the SPC By-laws. +SPC GUIDELINES FOR PRINCIPALS, HEADS OF SCHOOL, AND +ADMINISTRATORS +• The principal/head of school must work with the SPC to host +an annual Title I meeting to share with families (1) how the +school is investing its Title I allocation, (2) rights and +responsibilities of Title I parents, and (3) to seek feedback +and/or input from parents on the Home-School Compact +and Family Engagement Plan. +• The principal/head of school should meet with the SPC on a +regular basis to provide updates on school policies, the +instructional focus, school data, other pertinent information, +and to address school-wide parent concerns. +• The principal/head of school should provide families with +periodic updates on overall student/school progress, sharing +data at SPC meetings. +• The principal/head of school should meet with the SPC co- +chairs for ongoing communication regarding family and +student engagement practices, student learning, and school +improvement. +• The principal/head of school should work with the SPC co- +chairs to have information translated into the home +languages represented at their school and ensure that +arrangements for translation and interpretation have been +negotiated and agreed upon by the SPC and school staff +(this includes election night). +• The principal/head of school or designee should assist the +SPC in notifying families of all SPC and/or Executive + + +Page 9: +Superintendent’s Circular FAM-01 +Page 9 of 10 + + +Committee meetings, by providing access to a computer, +paper, copying machine, and postage; and by working with +the SPC for timely dissemination of notices for the entire +community using a range of communication methods, +including School Messenger, email, the school’s website, +and school media. +The SPC works collaboratively with the principal/head of school +and school staff to solve problems and develop plans to improve +the engagement of families and students. The commitment to +partnering with families reflects the value that BPS has placed on +the engagement of families and is grounded in decades of family +engagement research. +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Effective implementation and the authentic engagement of +parent, teacher, and student voice align with the following +standards of the Massachusetts Administrator Evaluation rubric: +• Indicator III-A1. Family Engagement +o Engages parents, students, and teachers in creating a +welcoming school environment and fostering a shared +responsibility engagement. +• Indicator IV-B1. Policies and Practices +o Creates opportunities for authentic parent, student, +and teacher voice in school-based decision-making. +• Indicator IV-E-1. Shared Vision Development +o Parents, students, and teachers have an opportunity to +shape the vision for the school as it pertains to +instruction and school climate. +• Indicator IV-F-3. Consensus Building + + +Page 10: +Superintendent’s Circular FAM-01 +Page 10 of 10 + + +o Decisions are made using a consensus model, in which +all members of the SSC (including SPC members) have +an equal voice. +o Resolves conflicts among members of the school +community. +IMPORTANT DATES +Date +Activity +September 15 +Election dates submitted to OFCA +October 31 +Deadline for completing SPC elections of all +parent reps, including SSC representatives; and +submitting rosters to OFCA. + + +For more information about this circular, contact: +Owner: +Director, Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +FAM-08 +Version 01 + + + +• TRANSLATION AND INTERPRETATION SERVICES +This Circular will remain in effect unless rescinded or superseded +to a subsequent version. + +HISTORICAL CONTEXT +The “Parent Communications” section of the Successor +Settlement Agreement between the Boston Public Schools (BPS) +and the Department of Justice (DOJ) outlines the services that +must be provided to ensure meaningful language access for our +BPS families. The Office of Language Access, formerly the +Translation and Interpretation Unit (T&I), was established to +implement and coordinate interpretation and translation services +throughout BPS to centralize and standardize language access +across the district. The Office of Language Access strives to +provide meaningful language access to limited and non-English +proficient constituents via qualified, trained, and professional +interpreters and translators. +REQUEST PARAMETERS +The Office of Language Access handles translation and +interpretation services for essential information. The following list +provides examples of essential information requiring translation +and interpretation: + + +Page 2: +Superintendent’s Circular FAM-08 +Page 2 of 7 + + + + +• IEP/504 meetings +• Report cards for students +• Academic progress reports for students +• Enrollment/registration documents +• Disciplinary process information +• Permission slips/forms for district and school activities and +programs +• Applications for activities requiring parental consent +• Parent-teacher conferences +• Open houses +• Parent handbooks +• Public health and safety information +• Documents on academic planning/options +• Screening procedures needing students’/parents’ language +backgrounds, the process for refusing all/some ELL services +• Written information on parents’/students’ rights and +responsibilities +• Written information on services and benefits available to +parents and students +With every request, the Office of Language Access will determine +whether the services sought are the most appropriate to fulfill +the specific language access need and may tailor the request +accordingly. Fulfilling requests for translation and interpretation +of non-essential information is at the discretion of the Office of +Language Access and is contingent on availability. + + + + + +Page 3: +Superintendent’s Circular FAM-08 +Page 3 of 7 + + + +SERVICES PROVIDED BY QUALIFIED AND BILINGUAL STAFF +The district is charged with providing qualified and trained +translators and interpreters to ensure families have meaningful +access to information. As such, the Office of Language Access +discourages the use of non-approved professionals with +bi/multilingual skills, save for in exceptional circumstances. In +addition, the use of computers/machines to translate is strongly +discouraged. +REQUESTING TRANSLATION AND INTERPRETATION SERVICES +All services are requested and managed through the district's +online translation and interpretation request platform. Please be +aware that the Office of Language Access can only support +Boston Public Schools' requests placed through the Office of +Language Access online platform to comply with the City of +Boston's procurement regulations and processes. To that end, +any language access work performed outside of the district's +established translation and interpretation protocol will be at the +requester's expense. +Schools should designate one primary and one alternate point of +contact for submitting their translation and interpretation +requests. In addition, the point of contact (1) is responsible for +answering logistic questions about events, (2) will serve as the +contact for interpreters, (3) will provide informational materials +for interpreters before scheduled events, and (4) will clarify +written content and receive the written translations. Lastly, this +person must also promptly fill out the post-service survey. +For district staff, designated central office employees may +request translation and interpretation services. Similarly, the + + +Page 4: +Superintendent’s Circular FAM-08 +Page 4 of 7 + + + +central office requester serves as the point of contact for that +service. This could entail (1) answering logistics questions about +events, (2) contacting on-site/virtual interpreters, (3) providing +informational materials for interpreters prior to the event, (4) +clarifying written content/materials, and (5) receiving the written +translations. This person must also promptly fill out the post- +service survey. +FULFILLING REQUESTS FOR TRANSLATIONS AND +INTERPRETATIONS +For translations, requesters should allow a minimum of 2 weeks, +bearing in mind that larger jobs will, correspondingly, take longer +to complete. As rush/short notice jobs do occur, please specify on +the request form if the translation needs expediting. Expediting +is at the discretion of the Office of Language Access. +For in-person interpretations, the more advance notice given, the +easier it is to secure interpreter services. Please submit a request +a minimum of 2 weeks before the service date. For American Sign +Language (ASL), a minimum of 3 weeks is recommended to +secure services. As rush/short notice jobs do occur, please specify +on the request form if the service needs to be expedited. +Interpreter assignment is based on availability and not +guaranteed. +Emergent requests outside of the Superintendent’s and +Communications offices that need to be expedited will be +completed in a timeframe at the discretion of the Office of +Language Access. + + +Page 5: +Superintendent’s Circular FAM-08 +Page 5 of 7 + + + +CANCELLATIONS OF SERVICES +The Office of Language Access must be notified immediately of +any appointment cancellation in which an interpreter (i.e., oral, +ASL) has been scheduled. A 48-hour notice of cancellation is +required for ASL. For oral interpreter services, we require a 24- +hour notice of notice of cancellation. Please be aware that if you +fail to cancel within the designated timeframes, the district will +be charged for the services you requested. This can lead to +inefficient utilization of our limited funds and resources, which +we strive to avoid. To cancel interpreter services, please submit +via interpretations@bostonpublicschools.org. If you are canceling +translation requests, please do so as early as possible via +translations@bostonpublicschools.org. +TELEPHONIC INTERPRETATION SERVICES +Schools have the option to utilize the on-demand LionBridge +Telephonic Interpretation service that is available 24 hours a day, +7 days a week, 365 days a year, in more than 350 languages. +Telephonic interpretation is the oral transmission of a message +from one language to another via telephone. It is typically +conducted in consecutive mode, meaning the interpreter will +translate the message after the speaker has stopped speaking. +This service should be used for instances when parent +communication is not pre-scheduled, e.g., a parent stops by a +school, a school must contact the parent of a sick/injured +student, etc. When essential information is discussed, please +ensure that an interpreter or translation of relevant documents is +requested in advance. +The Office of Language Access will monitor calls and usage to + + +Page 6: +Superintendent’s Circular FAM-08 +Page 6 of 7 + + + +ensure adherence to district protocols. Schools and/or central +office departments will be notified of usage restrictions due to +non-adherence, which will be at the discretion of the Office of +Language Access. +TALKING POINTS +Schools have access to TalkingPoints, which is a two-way +multilingual family engagement platform allowing educators and +administrators the opportunity to communicate with families in +their native language (including English speakers) via the web, +mobile, or text messages. +• TalkingPoints equips educators and administrators with a +platform for collaborative communication and analytics +around family engagement and student progress to +increase student potential for long-term success. +• The service is available 24 hours a day, 7 days a week, 365 +days a year, in more than 100 languages.1 +• It removes the need for educators to provide parents with +their personal cell phone numbers. +ASSISTANCE +For further information, including but not limited to detailed + +1 At present, the platform doesn't support Caboverdiano; +however, a simplified version is currently being piloted at the +Orchard Gardens Elementary School. The simplified version +supports outgoing one-way messaging/announcements to +families only. Additional functionality will be considered based on +pilot results. + + +Page 7: +Superintendent’s Circular FAM-08 +Page 7 of 7 + + + +translation and interpretation policy and procedures, tutorials +(i.e., How to Submit a Request, Request Platform User Guide, +School-Based Administrator Training Webinar), and school and +parent resources/materials to support your school-specific +language access efforts, please refer to the Office of Language +Access website at +https://www.bostonpublicschools.org/translation-interpretation. + +For more information about this circular, contact: +Owner: +Director of Language Access Services +Department: +Family and Community Advancement +(Office of Language Access) +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7967 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-07 +Version 01 + + +HOME-SCHOOL COMPACT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +The Home-School Compact is a document that clarifies what +school staff and families, working in collaboration, can do to help +children reach high specific academic goals in core content +areas. At their best, compacts link family engagement to school- +wide and grade level instructional goals and help ground the +relationships between teachers and families in student learning. +Additionally, the compact serves as a clear reminder of the +shared responsibility of the school and home to ensure that +children can learn what is required of them. It is a written +commitment indicating how all members of a school community +— families, teachers, principals, students, and concerned +community members — agree to share responsibility for student +learning. +All schools receiving Title I funds are required to develop a +home-school compact annually. +WHAT IS INCLUDED IN A HOME-SCHOOL COMPACT? +The compact should clearly communicate the following: + + +Page 2: +Superintendent’s Circular FAM-07 +Page 2 of 6 + + +1. Schoolwide instructional goals in core content areas and +culturally and linguistically sustaining practices +2. Specific learning goals for each grade level +3. Key instructional strategies that the school plans to employ +4. Specific strategies for families to support student learning at +home +5. How stakeholders, especially families, are involved in +developing and revising the compact. +Additionally, the compact provides a vehicle for clearly defining +the expectations and shared responsibility for educating +students. +The compact must describe how the school and teacher agree to +be responsible for: +● Providing high-quality instruction for all students +● Creating a supportive learning environment +● Describing how school/teacher will build student agency in +their learning +● Showing respect for students and their families +● Communicating with families and students about student +progress. +The compact must describe how families agree to be responsible +for: +● Supporting their children’s learning in school and out of +school +● Seeing that their children attend school regularly and on +time + + +Page 3: +Superintendent’s Circular FAM-07 +Page 3 of 6 + + +● Participating in decisions relating to the education of their +child and the school +● Communicating with teachers on a regular basis. +The compact must describe specific ways students agree to be +responsible learners with the support of their parent(s) and +teacher(s) by: +● Attending school regularly and on time +● Showing respect for themselves, their school, and other +people +● Believing they can and will learn +● Trying to do their best in their work. +The compact must emphasize the importance of ongoing, two- +way communication between home and school through the +following minimum requirements: +● Annual parent-teacher conference(s) to discuss the +relationship between the compact agreements and the +student’s achievement +● Frequent, timely progress reports to families +● Reasonable access to school staff in a variety of ways +● Opportunities to participate in and observe class activities. +DEVELOPING AND REVIEWING THE HOME-SCHOOL COMPACT +The following are key considerations for developing your home- +school compact: +1. The compact must be developed by a committee consisting +of administrators, school staff, families, students, and + + +Page 4: +Superintendent’s Circular FAM-07 +Page 4 of 6 + + +teachers. Existing school-based family engagement action +teams or a subcommittee of the School Site Council are +options for the development of this document. +2. The process for developing a compact should be open and +inclusive, soliciting the input and contributions of a wide +range of stakeholders. +3. The compact provides an opportunity for each stakeholder +to articulate their expectations regarding the delivery of +teaching and learning and what they agree to be held +accountable for regarding student achievement. +4. The compact should be written in clear, family-friendly +language, and translated into the languages spoken at the +school. +5. The compact should be written using the Racial Equity +Planning Tool. +6. Once a draft of the compact has been developed, families, +teachers, and students should be given an opportunity to +provide feedback and input. +7. The final version of the document must be approved by the +School Site Council annually in the spring in preparation for +the upcoming school year. +8. A final version of the compact must be submitted to the +Office of Family and Community Advancement by +October 31, 2024. + + + + +Page 5: +Superintendent’s Circular FAM-07 +Page 5 of 6 + + +USING THE HOME-SCHOOL COMPACT +Schools must also develop a process for utilizing the compact to +frame the relationships between teachers and families. Examples +include: +● The compact is reviewed at the beginning of parent-teacher +conferences to frame the conversation about student +progress and mutual accountability. +● The compact is used throughout the year to frame +conversations between teachers and families related to +monitoring student progress toward specific learning goals. +● The compact is used to frame school-based workshops +designed to help families understand schoolwide and +grade-level learning goals and how to support learning at +home. +ALIGNMENT WITH EDUCATOR EVALUATION +The compact, if it is developed and used effectively and +consistently, can be used as evidence of reaching the proficiency +targets for the elements and indicators of Standard III in both the +administrator and teacher evaluation rubrics. +ADDITIONAL INFORMATION AND SUPPORT +For additional information on home-school compacts, please see: +● ESEA Title I, Part A, Section 1118(d) +● www.ctsschoolparentcompact.org +● Title I Toolkit + + +Page 6: +Superintendent’s Circular FAM-07 +Page 6 of 6 + + +The Office of Family and Community Advancement is responsible +for supporting schools with the development and +implementation of the compacts. +IMPORTANT DATES +Date +Activity +October 31 +Deadline for submitting current year Home-School +Compact to Office of Family and Community +Advancement +May 31 +Deadline for School Site Council to review and +approve the Home School Compact for the +following school year + +For more information about this circular, contact: +Owner: +Director, Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-05 +Version 01 + + +TITLE I FAMILY ENGAGEMENT REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +Deepening partnerships with families is one of the key strategies +for strengthening student learning and closing achievement +gaps in the Boston Public Schools. Strong family and home- +school connection focused on student academic learning has +consistently been shown to be associated with improved student +achievement and school improvement. The shared responsibility +that results from partnerships has the potential to improve +relationships, strengthen schools, and ensure students are +prepared to reach their educational potential in school and +beyond. +The BPS Five Core Elements of Engagement provide clear +guidance for schools to develop and implement the Title I Family +Engagement Requirements. Title I, Part A, Section 1118, of the +Elementary and Secondary Education Act (ESEA) identifies +specific family engagement practices required of all schools that +receive Title I funds. The Office of Engagement provides oversight +and support to ensure all schools that receive Title I funds meet +the engagement requirements of Sec. 1118. + + + + +Page 2: +Superintendent’s Circular FAM-05 +Page 2 of 7 + + +REQUIREMENTS OF SCHOOLS RECEIVING TITLE I FUNDS +All schools receiving Title I Funds are required to do the following: +1. Have a written Family Engagement Plan/Policy, developed +in collaboration with parents and approved by the School +Parent Council and School Site Council or Governing Board. +2. Have a Home-School Compact, developed in collaboration +with parents and approved by the School Parent Council +and School Site Council or Governing Board. +3. Set aside a minimum of 1% of Title I allocation in the school’s +budget for family engagement. Decisions on how to allocate +the 1% for family engagement must comply with federal +guidelines and be made by the School Site Council or +Governing Board. +4. Host an annual parent meeting to discuss school priorities +and programs under Title I by October 31. +5. Build capacity of both families and teachers to effectively +engage with one another to improve student learning +outcomes. with an emphasis on the use of CRIOP, Pillar II. +FAMILY ENGAGEMENT POLICY/PLAN +The family engagement policy/plan is jointly designed by families +and school stakeholders to describe how the school will carry out +parent engagement to meet the changing needs of families, +students, and the school. + + + + +Page 3: +Superintendent’s Circular FAM-05 +Page 3 of 7 + + +The Family Engagement Policy/Plan must: +● Describe how parents will be engaged as equal partners in +school-based decision-making, including tools they will use, +such tools as School-based Equity Roundtables. +● Describe how parents will be engaged in school +improvement and student learning. +● Identify strategies that the school will employ to build both +parent and teacher capacity for partnering to support +student learning. +● Be shared with the school community in a format that is +family friendly. +● Be translated into families’ home languages. +● Be updated annually to reflect the changing concerns of +families’ and school priorities related to school climate and +student learning. +For additional information on the family engagement policy/plan, +see ESEA Title I, Part A, Section 1118(b). +HOME-SCHOOL COMPACT +The purpose of the Home-School Compact is to establish shared +responsibility for student academic achievement. +For additional information on Home-School Compacts: +● ESEA Title I, Part A, Section 1118(d) +● BPS Circular FAM-7 Home-School Compacts +● www.schoolparentcompact.org +● Title I Toolkit + + +Page 4: +Superintendent’s Circular FAM-05 +Page 4 of 7 + + +1% MINIMUM FAMILY ENGAGEMENT ALLOCATION +All schools receiving Title I funds are required to set aside a +minimum of 1% of the Title I allocation in the school's budget for +family engagement. As needed, the Family School Engagement +Practice team can provide guidance in allowable expenditures to +schools. Decisions on how to allocate the 1% for family +engagement should be made by the School Site Council or +Governing Board in consultation with the parent body. +For additional information on the use of Title I funds for family +engagement, please see ESEA Title 1, Part A, Section1118(a)(3)(C) +and Section 1118(e)(8), (9), and (10). +ANNUAL MEETING +Schools receiving Title I funds must convene an annual meeting +with families in which: +● All families are invited and encouraged to attend. +● Families are informed of the school’s status as a Title I +school. +● The requirements of Title I are explained to families. +● The school’s use and allocation of Title I funds is shared with +families. +● Families are informed of the different opportunities to be +involved in school-based decision-making, school +improvement, and supporting student learning. + +For additional information on the Annual Meeting as required +under Title I, please see ESEA Title I, Part A, Section 1118(C)(1). +CAPACITY BUILDING + + +Page 5: +Superintendent’s Circular FAM-05 +Page 5 of 7 + + +Schools that receive Title I funds are required to provide capacity +building opportunities for both families and educators designed +to: +● Help families understand learning standards, assessment of +student learning, and how to effectively monitor student +progress. +● Strengthen families’ ability to support student learning at +home. +● Help principals/heads of school, teachers, and other school +staff develop the mindsets, beliefs, skills, and strategies to +effectively build relationships and maintain ongoing, two- +way, culturally appropriate communication with students’ +families. +● Collaborate with community-based organizations that work +with school staff and/or parents to strengthen student +learning outcomes. +● Translate communications and provide interpretation from +the school to families who speak a language other than +English into the appropriate language. +For additional information on the Title I requirements related to +parent and teacher capacity building, please see ESEA, Title I, +Part A, Section 1118(e). +REPORTING +To be considered in compliance with the family engagement +requirements of Title I and the requirements of the BPS Core +Elements of Engagement, schools must submit the following +documents to the Office of Family and Community +Advancement, or submit to their engagement folder: + + +Page 6: +Superintendent’s Circular FAM-05 +Page 6 of 7 + + +● School-based Family Engagement Plan/Policy +● Home-School Compact +● Agenda, meeting minutes, election documents, meetings +dates, roster, and bylaws of School Site Council +● A self-assessment of the school’s engagement practices. + +The Office of Family and Community Advancement will be +responsible for tracking parent participation in BPS Parent +University, which builds the capacity of parents to effectively +support student learning and advocate for student needs. +ALIGNMENT WITH EDUCATOR EVALUATION +The Title I Family Engagement requirements align with the +educator evaluation Standard III: Family and Community +Engagement addressing the continuum of supports that reflect +shared expectations, responsibility, and opportunities for active +participation and collaborative partnerships between schools, +families, and community. Further, Title 1 requirements align with +Culturally and Linguistically Sustaining Practices (CLSP), +including the Culturally Responsive Instructional Observation +Protocol (CRIOP). + + + + +Page 7: +Superintendent’s Circular FAM-05 +Page 7 of 7 + + +For more information about this circular, contact: +Owner: +Director of Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +445 Warren Street, Roxbury, MA 02121 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FAM-02 +Version 01 + + + SCHOOL SITE COUNCILS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Engaging families and students as equal partners has been +identified as a core strategy for improving student performance +in the Boston School Committee goals and the BPS Engagement +Policy. Family and student engagement is also a significant +component of the Massachusetts School-Level Administrator +Rubric. +This circular has been developed to help principals/heads of +school effectively implement School Site Councils (SSC) as a +foundational structure for engaging parents and students in +school-based decision-making and school improvement. The +Office of Family and Community Advancement (OFCA) +collaborates with the Boston Teachers Union (BTU) to provide +oversight and support for SSCs. +For the purposes of this circular, the term “parent” includes a +legal guardian or other person standing in loco parentis (such as +a grandparent or stepparent with whom the child lives, or a +person who is legally responsible for the child's welfare). Sect. +9101(31) ESEA. + + +Page 2: +Superintendent’s Circular FAM-02 +Page 2 of 14 + +ROLE AND PURPOSE +The role of the School Site Council is to engage parents and +teachers to serve with the principal/head of school as the central +decision-making body of the school. SSCs are required by the +Massachusetts Education Reform Act of 1993 and by the +collective bargaining agreement between the Boston Teachers +Union (BTU) and the Boston School Committee. +Under the school-based management/shared decision-making +model described in the collective bargaining agreement +between BPS and the BTU, the role of the SSC is to: +● Review and approve the Quality School Plan within +guidelines established by the superintendent. +● Review and approve the recommendations of the +Instructional Leadership Team (ILT) that have been +endorsed by the principal/head of school and that will have +a major effect on the school community. +● Review and comment on the entire school budget, +including the general funds and external funds budgets, in a +timely fashion. +● Approve the budget for discretionary school materials, +supplies, textbooks, and equipment, including the use of +school improvement award funds. +● Review and approve recommendations from any other +committee or group that is established to recommend +changes that will have a major effect on the school +community. +● Develop and approve plans for increasing parent +engagement in the school. + + +Page 3: +Superintendent’s Circular FAM-02 +Page 3 of 14 + +● Develop, review annually, and approve the School-Parent +Compact as required by Title I. +● Receive information about all outside programs or outside +professionals that come into the school. +● Approve waivers. +As the central governing body at the school, the SSC oversees all +school-based committees, including the ILT and the Personnel +Subcommittee. +The role of the ILT is to: +● Serve as an advisory body to the principal/head of school on +issues related to teaching and learning, assessment, and +professional development. +● Give a report each month to the SSC on ILT activities. +● Seek and receive SSC approval for any ILT recommendation +that alters the Quality School Plan or may have a major +effect on the school community. +Each school must elect a Personnel Subcommittee, whose +composition must include two teachers, one parent, and the +principal/head of school. The responsibilities of the Personnel +Subcommittee are to: +● Approve the hiring of new BTU teacher bargaining unit staff +and in-transfer of BTU teachers’ bargaining unit staff from +other schools in the system and the choice of teachers from +the excess pools. +● Approve the selection of lead teachers, mentor teachers, +and new athletic coaches. +● Determine the schedule and procedures for reviewing + + +Page 4: +Superintendent’s Circular FAM-02 +Page 4 of 14 + +candidates for positions. +Schools must submit the names of the members of the +Personnel Subcommittee to the Office of Family and Community +Advancement by October 31. For additional information on the +Personnel Subcommittee, see Superintendent’s Circular FAM-04 +Personnel Subcommittee. +SSC GOVERNANCE AND OPERATIONS +The following provisions describe how effective SSCs should +operate. +1. SSC operations are governed by a BPS/BTU Joint Steering +Committee, which includes parents and students. Any +member of the SSC may file a complaint with the Steering +Committee concerning the operation of the SSC at their +school. +2. The SSC is expected to operate as a single decision-making +team, working together to reach consensus, as opposed to +being individual representatives of specific constituent +groups. +3. Formally, decisions made by the SSC will be made by +majority vote, with the principal/head of school voting with +the majority. +4. The principal/head of school is required to account in writing +and in person (at a subsequent meeting) for any vote in +contravention of a majority of the council. +5. A quorum must be present to vote on issues. To constitute a +quorum, the principal/head of school must be present as +well as at least two teachers and two parents for SSCs with 9- +12 members and three teachers and three parents for SSCs +with 13 or more members. + + +Page 5: +Superintendent’s Circular FAM-02 +Page 5 of 14 + +6. The principal/head of school shall serve as SSC co-chair and +at the first meeting of the school year; the elected members +of the SSC are encouraged to select one member (preferably +a parent) to serve as the other co-chair. +7. Other roles, such as note taker and any subcommittees, shall +also be selected at the first SSC meeting of the school year. +8. At the first SSC meeting of the year, a calendar of meetings +for the entire school year shall be established, ensuring that +the times and dates are convenient for all members. +9. The agenda for the meetings shall be developed by the SSC +co-chairs with input from other members of the SSC and the +school community at large. +10. Each SSC is required to pass by-laws to govern its operations. +The by-laws must be approved or amended by two-thirds of +the members of the bargaining unit in the school eligible to +vote for the SSC and by two-thirds of the parents who come +to a parent meeting. There must be at least two weeks’ +notice for the parent meeting. +11. All SSC meetings are subject to DESE regulations regarding +specific law, including publicizing meeting dates in advance +and sharing meeting minutes with the school community. +12. On March 29, 2023, Governor Healey signed into law a +supplemental budget bill which, among other things, +extends the temporary provisions pertaining to the Open +Meeting Law to March 31, 2025. These provisions allow for +School Site Councils to meet remotely, provided that +adequate access to the meetings is still available to the +public. Please see https://www.mass.gov/the-open-meeting- +law for more information or current updates. Decisions +about hosting in- person or virtual school-based meetings + + +Page 6: +Superintendent’s Circular FAM-02 +Page 6 of 14 + +with families for SY 24-25 should be a shared decision with +community members. +For additional information on SSC governance and operations, +please contact the Office of Family and Community +Advancement or refer to the Shared Decision-Making section of +the collective bargaining agreement between BPS and the BTU. +COMPOSITION OF THE SSC +The SSC shall be composed of: +● The principal/head of school +● Elected members of the BTU who work more than 50% of +their work week at that school +● Parents of children enrolled in that school elected by the +School Parent Council +● Two students (high school only) enrolled in that school +elected by the Student Government. +The specific number of parent and teacher representatives on +the SSC is determined by the number of BTU members employed +at the school. The number of parent representatives on the SSC +must be equal to the number of BTU representatives, plus the +principal/head of school. The table below demonstrates how the +number of teacher and parent representatives are calculated. + + + + +Page 7: +Superintendent’s Circular FAM-02 +Page 7 of 14 + +School Site Council Representation* +# of BTU members +in school +# of BTU SSC Reps # of Parent SSC Reps +30 or fewer BTU +4 +4 +31 – 60 BTU +5 +5 +61 or more BTU +6 +6 + +*Plus, the principal/head of school and, as applicable, two +students, as outlined above. +Schools may also select associate (non-voting) SSC members +from community-based organizations, higher education, or +businesses that partner closely with the school. +Each school shall also elect each year alternate parent, teacher, +and student members of the SSC to substitute for absent +members of their group. Alternate members who are elected by +BTU bargaining unit members or parents to substitute for absent +members may also fill vacancies created by the resignation or +removal of SSC members. +Parents elected as SSC representatives must reflect the racial and +ethnic diversity of the student population at the school and +include parents of students participating in a range of +educational programs, such as special education and related +services and programming for English Language Learners. +For specific information on the election process of BTU +representatives, please refer to the Shared Decision-Making +section of the collective bargaining agreement between BPS and +the BTU. + + +Page 8: +Superintendent’s Circular FAM-02 +Page 8 of 14 + +SSC ELECTION PROCEDURES FOR SELECTING PARENT AND +STUDENT REPRESENTATIVES +The following are key points for conducting successful elections. +● Principals/heads of school should designate an impartial +staff person as the school’s Election Facilitator. Elections +should not be facilitated by the principal/head of school or +by a parent currently serving on the SPC Executive +Committee or SSC. The Office of Family and Community +Advancement provides training, support, and materials for +all election facilitators, and can facilitate elections provided +that (a) a facilitator cannot be identified from within the +school community, and (b) the school contacts Office of +Family and Community Advancement with the election +date, time, and location at least two weeks in advance. +● OFCA recommends that the school’s Family Liaison is either +the facilitator, co-facilitator, or observer of the election. +● Elections for SSC and SPC parent reps must happen in the +fall of the new school year. Spring elections will no longer be +accepted. This is to help make opportunities for +engagement in the councils more equitable. +● Elections should be held at the first School Parent Council +(SPC) meeting of the year and conducted at a time that is +convenient for parents. The SPC consists of all parents in the +school community. See Superintendent’s Circular FAM-01 for +additional details. +● Election of student SSC representatives at high schools +should be incorporated into schools’ student government +election process. +● Schools should be prepared to provide translation and + + +Page 9: +Superintendent’s Circular FAM-02 +Page 9 of 14 + +interpretation, as well as childcare, at the parent election +and at the meetings as needed. +● Parent elections typically take between 30 and 60 minutes. +The election facilitator should be prepared to explain the +role and purpose of the SPC and SSC, as well as provide an +overview of each position and requirements of the election. +● Parents or legal guardians of students currently enrolled at +the school are eligible to be elected to the SSC. Note: +parents/legal guardians who work at their child’s school +cannot serve as the parent representative on the SSC. +● Parents may be nominated and elected to serve on both the +SSC and the SPC executive committee/team. +● All families who are present at the election are allowed one +vote per family per elected position. No absentee ballots will +be accepted. +● Voting may be conducted by secret ballot or by majority +vote. +● Upon completion of voting, each newly elected parent +should complete an Elected Member Information Form and +return it to the election facilitator. +● After the election, the school is responsible for submitting all +election results to the Office of Family and Community +Advancement +RELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND +SCHOOL SITE COUNCIL +The School Parent Council elects parent members to represent +the parent voice on the School Site Council. The SSC +representatives are members of the SPC Executive Committee +and should attend SPC meetings to provide regular updates on + + +Page 10: +Superintendent’s Circular FAM-02 +Page 10 of 14 + +the SSC proceedings to ensure opportunities for parent input and +feedback. All SSC meetings are open to the public; therefore, any +parent, staff person, or community member can attend. However, +only the elected representatives can vote on SSC decisions. +SSC REPORTING +All BPS schools are required to submit their SSC rosters and +materials listed below directly to the Office of Family, Student +and Community Advancement by October 31. Additionally, +schools are required to submit the following documents for the +purposes of demonstrating compliance with MA Open Meeting +Law and BPS policy: +● SPC roster +● SSC roster +● Personnel Subcommittee roster +● SSC meeting calendar for the year +● SSC meeting agendas, monthly +● SSC meeting notes, monthly +● SSC by-laws +● Family Engagement Plan +● Home-School Compact +The first deadline for submitting this documentation is October +31, at which time every school will be assigned one of the +following statuses: +● Full Compliance: School has uploaded SSC and SPC roster, +as well as all other SSC documentation. +● Reporting: School has uploaded SSC and SPC roster, with +incomplete additional SSC documentation. +● No Data: School has not uploaded SSC and SPC roster. + + +Page 11: +Superintendent’s Circular FAM-02 +Page 11 of 14 + + +SSC meeting agendas and notes should be submitted on request +for updated SSC status to be maintained and/or updated. +SUPPORT AND TRAINING +The Office of Family, Student and Community Advancement +provides the following supports to schools to help them +effectively conduct elections, provide the required +documentation, and implement effective SSCs throughout the +school year: +● Required election materials +● Election facilitation training +● Election facilitation, in the event that the school is not able +to identify a facilitator and is able to request an election +facilitator at least ten school days in advance +● SSC trainings, in collaboration with the BTU, on topics +including SSC Basics, SSC Budget Basics, and Shared +Decision-Making +● SSC manuals, including specific tools to support SSC +operations and answers to frequently asked questions +● SSC trainings for high school students and adult allies +● Ongoing support, coaching, and technical assistance. +OPEN MEETING LAW REQUIREMENT +SSCs serve as the decision-making body of the school and are +subject to certain aspects of the Massachusetts Open Meeting +Law, per DESE Regulations. According to these laws, SSCs must +adhere to the following requirements: + + +Page 12: +Superintendent’s Circular FAM-02 +Page 12 of 14 + +● Meeting dates and agendas must be posted publicly, with +48 hours advance notice. +● All SSC meetings must be open to the public. +● Meeting minutes and notes must be shared, posted, and +kept in a place at the school where they are accessible. +For more complete information on the MA Open Meeting Law, go +to www.mass.gov/ago/government-resources/open-meeting- +law/ +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Effective implementation and the authentic engagement of +parent, teacher, and student voice align with the following +standards of the Massachusetts School Level Administrator +Rubric: +● Indicator III-A1. Family Engagement +o Engages parents, students, and teachers in creating a +welcoming school environment and fostering a shared +responsibility engagement. +● Indicator IV-A-3. Professional Culture +o Plans and leads well-run and engaging meetings that +have a clear purpose, focus on matters of consequence, +and engage participants in a thoughtful and +productive series of conversations and deliberations +about important school matters. +● Indicator IV-B1. Policies and Practices +o Creates opportunities for authentic parent, student, +and teacher voice in school-based decision-making. +● Indicator IV-E-1. Shared Vision Development + + +Page 13: +Superintendent’s Circular FAM-02 +Page 13 of 14 + +o Parents, students, and teachers have an opportunity to +shape the vision for the school as it pertains to +instruction and school climate. +● Indicator IV-F-3. Consensus Building +o Decisions are made using a consensus model, in which +all members of the SSC have an equal voice. +o Resolves conflicts among members of the school +community. +IMPORTANT DATES +Date +Activity +September 15 +Election dates submitted to the Family-School +Engagement Practices Team, Office of Family +and Community Advancement +October 15 +Deadline for completing elections of all parent, +student, and teacher SSC representatives and +submission of rosters +October 31 +Deadline for conducting first SSC meeting +October 31 +Deadline for submitting all required +documentation to the Office of Family and +Community Advancement +TBA +Districtwide SSC trainings + + + + + +Page 14: +Superintendent’s Circular FAM-02 +Page 14 of 14 + +For more information about this circular, contact: +Owner: +Director, Family-School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular + NUMBER: +FAM-06 + + +BOSTON STUDENT ADVISORY COUNCIL +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Massachusetts State Law Chapter 71: Section 38M. Student +Advisory Committee states: School committees of cities, towns +and regional school districts shall meet at least once every other +month, during the months school is in session, with a student +advisory committee to consist of five members to be composed +of students elected by the student body of the high school or +high schools in each city, town, or regional school district. +MISSION STATEMENT +The Boston Student Advisory Council advocates for and protects +the voices of students in the Boston Public School system, +empowers the student body to express their opinions regarding +educational policy changes, and ensures that students are +included in decision and policy making which impacts their lives +and educational experiences. +In the Boston Public Schools, students can apply to their school +to serve on the Boston Student Advisory Council. The Boston +Student Advisory Council (BSAC), a citywide body of student +leaders representing their respective high schools, serves as the +voice of students to the Boston School Committee, the +superintendent, and central office departments. BSAC offers +student perspectives on policies, initiatives, and reform efforts, +and inform their respective schools about relevant citywide + + +Page 2: +Superintendent’s Circular FAM-06 +Page 2 of 4 + + +school issues. They also address student issues by developing +district-wide policies and working with student governments and +heads of schools on school level policies and practices. +BSAC is made up of a Full Council and Executive Committee. The +Full Council is the think tank which generates the ideas for +projects, and the Executive Committee is the leadership team of +six (6) to twelve (12) students who serve as the advising body to +the Boston School Committee and superintendent. The Executive +Committee also plans and facilitates meetings with the support +of the BSAC manager, facilitates youth engagement in district +initiatives and departments, develops BSAC priorities, and +monitors progress. +Each Boston public high school (including district, exam, all high +school-level alternative, pilot, and in-district charter schools) is +required to have at least one and up to two BSAC representatives +from their school. The BSAC representative is a part of the +student government and must regularly attend student +government meetings to share BSAC’s work, receive feedback, +and gather input on projects/policies. Where possible, it is helpful +to have a student representative who is on the School Site +Council serve on BSAC as well. There are two ways students may +become a BSAC member: (1) through student elections at the +school level, or (2) through the BSAC application managed by the +Office of Youth Leadership. +ROLE OF BSAC MEMBERS +1. To elect a leadership team that will serve in advisory to the +School Committee as part of its decision-making process. +2. To keep their Student Government and school community +informed about relevant district initiatives and decisions, +and actively seek and collect feedback to inform district + + +Page 3: +Superintendent’s Circular FAM-06 +Page 3 of 4 + + +decision making through regular attendance and +participation in Student Government meetings. +3. To work on BSAC projects and initiatives. +BSAC representatives will: +• Represent their schools at BSAC meetings. +• Assist in decision making for their schools by advising the +administration on student-centered citywide issues and +policies. +• Work on policies that BSAC develops. +• Perform tasks necessary to advance project work, such as +surveys, meetings with heads of schools and Student +Government advisors, peer interviews, etc. +• Ensure representation of student voice for their school +through continuous engagement with the Student +Government and their broader student body. +The Office of Youth Leadership is responsible for oversight and +support of BSAC. + + + + +Page 4: +Superintendent’s Circular FAM-06 +Page 4 of 4 + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September 29 First BSAC meeting for returning representatives +October 15 +Deadline to hold Student Government Elections +October 15 + +Email names of Student Government +representative(s) and BSAC member to Office of +Youth Leadership, +BSAC@bostonpublicschools.org +October 28 +Deadline for youth to apply to City of Boston’s +Success Link to qualify for a youth job slot. When +possible, the Office of Youth Leadership partners +with the City of Boston’s Department of Youth +Engagement and Employment to provide paid +youth jobs to BSAC members. + +For more information about this circular, contact: +Owner +Senior Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + Mary Skipper, Superintendent + + +Page 1: + +Superintendent’s +Circular +NUMBER: +FAM-04 +Version 01 + + +SCHOOL SITE COUNCIL PERSONNEL SUBCOMMITTEE +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Deepening partnerships with families is one of the key strategies +for strengthening student learning and closing achievement +gaps in the Boston Public Schools. Consistent with the principles +of school-based management, the School Site Council engages +parents and students in shared decision-making as a lever for +school improvement. The intention of the Personnel +Subcommittee is to actively involve members of the school +community in the teacher hiring process, as these decisions will +have a significant impact on instructional practice and the lives of +students. +RESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE +The responsibilities of the Personnel Subcommittee of the School +Site Council are to: +• Approve the hiring of new Boston Teachers Union (BTU) +teachers’ bargaining unit staff and in-transfer of BTU +teachers’ bargaining unit staff from other schools in the +system and the choice of teachers from the excess pool. +• Approve the selection of lead teachers, new teacher +developers, mentor teachers, and new athletic coaches. +• Determine the schedule and procedures for reviewing + + +Page 2: +Superintendent’s Circular FAM-04 +Page 2 of 5 + +candidates for positions. + +The decisions of the Personnel Subcommittee are not subject to +the approval of the School Site Council. +PERSONNEL SUB-COMMITTEE MEMBERSHIP +1. The Personnel Subcommittee shall consist of two teachers, +one parent, one student in high schools, and the +principal/head of school or their designee. +2. BTU members on the School Site Council shall select the BTU +representatives to serve on the Personnel Subcommittee. +3. The parent members of the School Site Council shall select +the parent representative. +4. The student members of the School Site Council at high +schools shall select the student representative. +5. The composition of the Personnel Subcommittee should +reflect the racial and ethnic diversity of the school +community to the extent possible. +6. Teacher, parent, and student representatives on the +Personnel Subcommittee may designate temporary +replacement representatives to the subcommittee for +specific positions. +SCHOOL STAFFING +The Personnel Subcommittee interviews and decides on the +selection of permanent teachers who voluntarily apply for +transfer into the school and the hiring of new teachers for +vacancies, consistent with the terms of the current collective +bargaining agreement between Boston Public Schools (BPS) and +the BTU. + + +Page 3: +Superintendent’s Circular FAM-04 +Page 3 of 5 + + +OPEN POSTING +In accordance with circular HRS-HS-07, schools must adhere to +the requirements to open post. Therefore, schools must ensure +that the Personnel Subcommittee of the School Site Council is +formed and ready to begin the hiring process by March 1. +Training related to personnel subcommittees is offered by the +Office of Family and Community Advancement, the BTU, and the +Office of Human Capital. +PERMANENT AND PROVISIONAL TEACHERS +In addition to permanent teachers who apply for transfer, a +Personnel Subcommittee may consider a provisional teacher +with a letter of reasonable assurance for a position which appears +on the transfer list and that the provisional currently holds within +the school. +After interviewing candidates for a vacancy at a school that +results from the transfer process, or if a vacancy at a school +occurs after the completion of the regular transfer process, a +school may choose to advertise or re-advertise the position. +TIME COMMITMENT +The Personnel Subcommittee is a standing committee of the +School Site Council for the duration of the school year. As such, +the Personnel Subcommittee must be formed by October 31 and +should meet as vacancies occur. The Personnel Subcommittee is +not required to meet between the end of one school year and the +beginning of the succeeding school year. Before the summer +recess, members of the Personnel Subcommittee should leave + + +Page 4: +Superintendent’s Circular FAM-04 +Page 4 of 5 + +contact information with the principal/head of school, who will +contact members prior to the interviewing or hiring of any +teacher applicants. +ALIGNMENT WITH EDUCATOR EVALUATION +The Massachusetts School-Level Administrator Rubric includes +Family and Community Engagement (Standard III) as one of four +standards for effective principals/head of school practice. +Engaging parents and students in shared decision-making as +members of the Personnel Subcommittee aligns with Standard +III, Indicator A, Family Engagement of the rubric. Sharing +evidence of effective implementation of the Personnel +Subcommittee may be a valuable way for principals/heads of +school to demonstrate proficient practice in Standard III. +ADDITIONAL INFORMATION AND SUPPORT +For additional information on the role and purpose of the School +Site Council, shared decision-making, and school-based +management, please refer to circular FAM-01 School Site Council +and the School Site Council Manual. +For additional information on school staffing and hiring, please +refer to circular HRS-HS-07 School Staffing, Reassignment, and +Hiring. +Engagement staff from the Office of Family and Community +Advancement (OFCA) are available to provide support, coaching, +and technical assistance related to shared decision-making and +school-based management to all BPS schools. + + + + +Page 5: +Superintendent’s Circular FAM-04 +Page 5 of 5 + +Additionally, OFCA and the BTU collaborate to provide training +for schools on all aspects of the School Site Council, including the +Personnel Subcommittee. + +For more information about this circular, contact: +Owner: +Director of Family School Engagement +Practice Team +Department: +Office of Family and Community +Advancement +Mailing Address: +443 Warren Street Boston, MA 02121 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-06 +Version 01 + + + +PARTICIPATION GUIDELINES FOR TESTING ENGLISH +LEARNERS ON STATEWIDE ASSESSMENTS +This circular will remain in effect unless rescinded or superseded +by a subsequent versions. +The purpose of this circular is to provide schools with the +Massachusetts Department of Elementary and Secondary +Education (MA DESE) guidelines for testing English Learner (EL)1 +students on statewide assessments. +DEFINITION +According to MA DESE, an EL student is a student whose native +language is not English, and currently unable to perform ordinary +classroom tasks in English. An EL student also scores less than +proficient on an English language proficiency assessment. When +a student has been identified as an EL according to MA DESE and +U.S. Department of Justice requirements, a student retains this +designation, regardless of their program setting until they meet + +1 English Learner (EL) refers to a specific subset of Multilingual +Learners (MLs) who are classified as English learners. This term is +used in federal and state laws, regulations, and policies. For more +information, see MA DESE’s Guidance on English Learner +Education Services and Programming, page 5, available at +https://www.doe.mass.edu/ele/guidance/. + + +Page 2: +Superintendent’s Circular ODA-06 +Page 2 of 13 + + + +state exit criteria2. Students who meet the exit criteria must be +reclassified as Former English Learners (FELs). +PARTICIPATION REQUIREMENTS FOR EL STUDENTS +Federal and state laws require that all EL students participate in +statewide assessments. Massachusetts students will meet the +requirements of these laws by participating in both the MCAS +and ACCESS for ELLs tests. +EL Participation Requirements in Statewide Assessments + + +ACCESS +Grades K2-12 +MCAS +ELA +Math +Science +and +Tech/Eng +First-Year +EL +Students3 +Required only for +K2-12 grade +students entering +Optional4 +Required +Required + +2 Students must score 4.2+ overall and 3.9+ in literacy on ACCESS +for ELLs to be reclassified as former English learners (FELs). MA +DESE will release Alternate ACCESS exit criteria in fall 2024. +3 Results for first year EL students are not included in MCAS +school and district summary results or in state accountability +reporting. +4 Optional, provided that the student has participated in ACCESS +for ELLs testing. This first year exemption shall be applied one +time. + + +Page 3: +Superintendent’s Circular ODA-06 +Page 3 of 13 + + + +before ACCESS +for ELLs testing is +completed +All Other +EL +Students +Required +Required +Required +Required + + + + + +Page 4: +Superintendent’s Circular ODA-06 +Page 4 of 13 + + + +ACCESS FOR ELLS AND ALTERNATE ACCESS FOR ELLS +All EL students must be assessed annually to measure their +English language proficiency and progress in learning English in +the four domains of reading, writing, listening, and speaking. +Students in grades K2-12 who are identified as EL must +participate in ACCESS for ELLs testing or the Alternate ACCESS +for ELLs for their grade. This requirement applies regardless of +the number of years a student has been enrolled in U.S. schools +and whether their parent or guardian has an approved request to +opt-out of ESL services. The following students must participate: +● students who were reported as EL in the October 2024 SIMS, +and +● students who enroll in school after the October 2024 SIMS +submission and prior to February 7, 2025 who will be +reported as EL in the March 2025 SIMS. +Foreign exchange students who are coded as #11 under DOE013 +“Reason for Enrollment” in SIMS must participate in an ACCESS +for ELLs test, if they are reported as English learners. They are also +required to participate in the MCAS tests specified for the grade +in which they are reported. +ALTERNATE ACCESS FOR ELLS +This is the state’s alternate English language proficiency +assessment for EL students in grades K2-12. This assessment is +designed specifically for those EL students with the most + + +Page 5: +Superintendent’s Circular ODA-06 +Page 5 of 13 + + + +significant cognitive disabilities5 who are unable to meaningfully +participate in ACCESS for ELLs, as indicated in the student’s IEP. +This paper-based assessment is uniquely designed to monitor +students’ progress in acquiring academic English. +MCAS +EL students must participate in all MCAS tests scheduled for their +grades, regardless of the language program and services they are +receiving or the amount of time they have been in the United +States. The one exception applies to first-year EL students who +enrolled in U.S. schools after March 1, 2025 and who were not +reported in the March 2024 SIMS report, for whom only MCAS +ELA testing in Spring 2025 is optional. +Note: EL students in high schools need to pass MCAS tests as a +state requirement for graduation. There are opportunities for +retesting if students do not pass MCAS the first time. + + + +5 For more information, see +https://www.doe.mass.edu/mcas/access/participation- +guidelines.html. + + +Page 6: +Superintendent’s Circular ODA-06 +Page 6 of 13 + + + +ASSESSMENT TESTING WINDOWS +The testing windows for administering the SY2024-2025 annual +assessments in Boston Public Schools are listed below: + SY 2024-25 Dates State Assessment +Nov. 6- 7 +November 2024 MCAS HS ELA Retests +Nov. 12-13 +November 2024 MCAS HS Mathematics Retests +Jan. 6- Feb. 14 +2025 ACCESS for ELLs +Feb. 4- 5 +February 2025 MCAS HS Biology and +Introductory Physics Tests +Mar. 6 & 7 +March 2025 MCAS HS ELA Retests +Mar. 11- 12 +March 2025 MCAS HS Mathematics Retests +Mar. 24 Apr. 18 +Spring 2025 MCAS Grades 3-8 ELA Test +Mar. 25-26 +Spring 20254 MCAS Grade 10 ELA Test +Mar. 28 +2025 MCAS Alternate Assessment (MCAS-Alt) +Submission Deadline +Apr. 28-May 23 +Spring 2025 MCAS Grades 3-8 Mathematics & +Grades 5&8 STE Tests +Apr. 28- June 6 +Spring 2025 MCAS Grade 8 Civics Test +May 20 21 +Spring 2025 MCAS Grade 10 Mathematics Test +June 4-5 +Spring 2025 MCAS High School STE Tests + +Note: dates are based on the State Initial Release of the 2024–25 +MCAS and ACCESS for ELLs Testing Schedule, as of 5/15/2024. +These dates are not considered final until confirmed by DESE. + + + + +Page 7: +Superintendent’s Circular ODA-06 +Page 7 of 13 + + + +GUIDELINES FOR ASSESSING EL STUDENTS IN THEIR FIRST 12 +MONTHS OF ENROLLMENT IN U.S. SCHOOLS +For recently arrived ELs who have been enrolled in a U.S. school +for the first time after March 1, 2024, and who were not reported +in the March 2024 SIMS report, the following apply: +1. The participation in ACCESS for ELLs or Alternate ACCESS +for ELLs testing is required, provided that the student +enrolls in school before February 7, 2025. +2. The participation in Spring 2025 MCAS ELA assessment6 is +not required but is recommended for student diagnostic +purposes only. Testing in MCAS ELA is strongly encouraged +to be considered an opportunity for students in high school +grades to earn a passing score for graduation requirements. +3. For students expected to participate in statewide +assessments, non-participation in ACCESS and MCAS testing +negatively impacts the school and district accountability. + + + +6 ELA testing is also optional for EL students from Puerto Rico +who are in their first year of enrollment in a Massachusetts +school. + + +Page 8: +Superintendent’s Circular ODA-06 +Page 8 of 13 + + + +SCHOOL AND DISTRICT REPORTING FOR EL STUDENTS +Reporting +Measure + +First Year ELs +(1st year in any U.S. school) + +All Other ELs +(Regardless of +number of years +enrolled in BPS) +Students Reported +in the district’s +October 2024 SIMS +or enrolled before +February 7, 2025 +Students +Enrolled after +February 7, 2025 +Assessment +Participation +Rate for +MCAS ELA is +based on +ACCESS +Students are +expected to take +the ACCESS test to +be counted in the +school MCAS +participation rate +for ELA. Regardless, +student’s +participation in the +MCAS ELA test is +optional. + +If a student does +not participate in +ACCESS testing, the +student counts as +‘non-participant’ for +MCAS in the +Students count +as participants +regardless of +participation in +MCAS ELA +testing. ACCESS is +not required if a +student enrolled +at the end of the +testing window. + +Students are +expected to take +the ACCESS test +to be counted in +the school MCAS +participation rate +for ELA. +Otherwise, the +student counts +against the +school MCAS +participation rate +for ELA. + +MCAS ELA testing +is not optional. + + + + +Page 9: +Superintendent’s Circular ODA-06 +Page 9 of 13 + + + +Reporting +Measure + +First Year ELs +(1st year in any U.S. school) + +All Other ELs +(Regardless of +number of years +enrolled in BPS) +Students Reported +in the district’s +October 2024 SIMS +or enrolled before +February 7, 2025 +Students +Enrolled after +February 7, 2025 +school's MCAS ELA +participation rate. +Accounta- +bility +Determina- +tions +Students’ MCAS results7 are not +included in the accountability +calculations. For first year ELs who +participate in ELA testing, results will be +provided at the school level and will be +used for Competency Determination +purposes for high school students. +Students’ MCAS +results are +included in the +accountability +calculations. + + + + +7 First-year EL students must participate in MCAS Mathematics +and Science and Technology/Engineering tests, although results +will be reported for diagnostic purposes only and students’ +results will not be included in school and district summary results +or in state accountability reporting. + + +Page 10: +Superintendent’s Circular ODA-06 +Page 10 of 13 + + + +PROVIDING APPROPRIATE TESTING ACCOMMODATIONS TO ELS +Testing accommodations involve changes to testing procedures, +testing materials, or the testing situation to allow students +meaningfully participate in an assessment. However, testing +accommodations must not alter the test construct or the test +content being measured. +Testing accommodations for ELs are designed to address their +unique linguistic needs during the normal process of English +language acquisition. When appropriately assigned, testing +accommodations offer ELs the opportunity to demonstrate +knowledge in a subject, regardless of their English language +proficiency level. This provides schools and divisions with an +accurate picture of an EL’s content area achievement. +EL students may be eligible for testing accommodations on +MCAS assessments. Certain testing accommodations may be +more appropriate for ELs at a particular language proficiency and +for certain MCAS assessments. Decisions about accommodations +for EL students should be made by the Language Acquisition +team of educators familiar with the student. These decisions +should be documented as described in the MA DESE MCAS +Accessibility and Accommodations Manual. +The following accommodations are available to ELs, with or +without disabilities, on MCAS tests: + + + + +Page 11: +Superintendent’s Circular ODA-06 +Page 11 of 13 + + + +Accommodation +Applicability +Paper-based edition +(EL1) +May be administered to a first year EL student +with a low level of English proficiency or an EL +student who has little or no familiarity with +technology (student does not use a computer +routinely). +Authorized Bilingual +Word-to-Word +Dictionary and +Glossary (if available) +(EL2)8 +List of authorized English/Native Language +dictionaries (also available to Former ELs). +Bilingual dictionary use for MCAS tests is strictly +limited to those that provide word-to-word +translations. Dictionaries that include definitions, +synonyms, antonyms, phrases, and other +information are prohibited. Electronic dictionaries +are not allowed. +Text-to-speech (TTS) +(EL3.1) + +Next-generation computer-based Mathematics, +grades 5 and 8 Science and Technology/ +Engineering (STE) and/or high school Biology or +Introductory Physics tests +Human read-aloud +(EL3.2) +Next-generation computer-based or paper-based +Mathematics and/or Science and Technology/ + +8 The use of DESE approved word-to-word bilingual dictionaries is +strongly encouraged if students have demonstrated usage with +need in accessing the native language definition. Some students +with limited academic proficiency in their native language may +find the dictionary usage a deterrent or a barrier to access the +definition and translation. School teams are advised to use +professional judgment in assessing the need based on the +individual learner. + + +Page 12: +Superintendent’s Circular ODA-06 +Page 12 of 13 + + + +Accommodation +Applicability +Engineering tests or legacy Mathematics or ELA +Composition retests +Scribe (including +human scribe or +speech-to-text) (EL4.1, +EL4.2) +Mathematics and/or STE tests or legacy ELA +Reading Comprehension retest +English/Spanish test +version for +Math/Biology/Physics +only (EL7) +Intended only for a Spanish-speaking EL student +who has been in the U.S. for less than 3-years; +Available in computer- and paper-based formats. + + +The student should be introduced to an accessibility feature or +accommodation as early as possible in the school year, prior to +the assessment. Accessibility features and accommodations are +intended to remove barriers and allow EL students to +demonstrate their knowledge and skills more effectively and +should never be provided for the first time on a statewide +assessment. +Please consider the following resources available: +● MA DESE MCAS and ACCESS Participation Requirements +● MA DESE Authorized Bilingual Word-to-Word Dictionaries +and Glossaries for Use by ELs and FELs on MCAS +● MA DESE MCAS Accessibility and Accommodations Site +IDENTIFYING FIRST YEAR EL STUDENTS + + +Page 13: +Superintendent’s Circular ODA-06 +Page 13 of 13 + + + +A list of the identified first year ELs, students who have been in +the U.S. for less than 12 months and are actively enrolled in your +school, can be retrieved through SIS (ASPEN). On the ‘Student’ +tab in the field set menu, filter for “First Year in U.S. Schools LEP +Student.” A report will be generated based on the school +enrollment up to the date of retrieval. +In January 2025, the Office of Data and Accountability will flag +these students in the SR/PNP file uploaded on the Spring 2025 +testing platform. Schools may later export this file to identify the +First Year EL students. New first year EL students enrolled after +January 2025 will not be coded in the file, but schools can identify +them in ASPEN. +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-05 +Version 01 + + + +BPS SURVEY ADMINISTRATION GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +A federal statute, the Protection of Pupil Rights Amendment +(PPRA), 20 U.S.C. §1232h, affords some protections for students +and their parents before certain student surveys are conducted. +Many student surveys, however, will not come within the scope of +this statute. Please assess each student survey carefully before +administering it to determine if this policy applies. A student +survey that is anonymous or voluntary need not comply with the +following policy. Additionally, a student survey that is not +developed or administered with funds received from the United +States Department of Education also does not need to comply +with this policy. +For those student surveys that are developed or administered +using federal education funds and in which a student is required +to participate, the following policy applies. This policy applies to +those surveys that ask a student to reveal any of the following +information: political affiliation; mental illness or psychological +problems; sexual behavior and/or attitudes; illegal, self- +incriminating, and demeaning behavior; critical appraisals of +close family members; relationships to which a privilege is +recognized, such as clergy, medical doctors, or attorneys; +religious affiliations or beliefs; and income, other than for + + +Page 2: +Superintendent’s Circular ODA-05 +Page 2 of 10 + + + +eligibility for participation in a program. Prior to administering +such a survey, the student’s parent or guardian must consent, in +writing, to the student’s participation in the survey. Also, a copy +of the survey must be made available to the parent or guardian. +Any such survey should also be brought to the attention of the +Office of Legal Advisor. +PERCEPTION SURVEYS +Student, teacher, and family surveys are an effective tool to +support success inside and outside of the classroom. These +surveys are required district-wide; however, schools and +programs may choose to administer additional surveys (please +see further down for guidance about administering additional +surveys). It is the responsibility of all in the Boston Public Schools +to use the data that emerge from the surveys to ensure that +every student receives what they need every day. +Purpose +The Boston Public Schools’ climate, culture, and feedback surveys +support the district strategic goals of eliminating opportunity +gaps and accelerating learning. The surveys: +● provide teachers, administrators, students, parents, the +district, and the community with information +regarding climate, culture, engagement, and student +learning. +● are utilized to assess criteria for inclusion as a Family +Friendly School. + + +Page 3: +Superintendent’s Circular ODA-05 +Page 3 of 10 + + + +● are included in measures to calculate school scores for +the School Quality Framework and assignment tiers for +the Home-based Student Assignment System. +A robust survey system includes surveys that provide information +on the classroom, school, and district levels and is responsive to +needs at each of these levels. +● At the classroom level, the student feedback survey +provides teachers with data on student’s perceptions +of instruction and classroom climate, so that teachers +may create formative goals to better meet the learning +needs of their students. +● At the school level, the surveys provide school leaders +and leadership teams with data to help them measure +school success in relation to school and district goals; +assess engagement and the creation of a safe and +welcoming environment; and work with teachers to +develop strategies that attend to priority areas. +● At the district level, the surveys provide district leaders +with information that allows them to determine if the +system, individual schools, and central departments +are making progress regarding the district’s long term +strategic goals. Information is needed to assess the +effectiveness of specific initiatives being implemented +to achieve those goals, to implement effective +practices, and to eliminate practices that are +unsuccessful. Quality information allows comparisons +across programs, schools, and classrooms to be data- +driven and equitable. + + +Page 4: +Superintendent’s Circular ODA-05 +Page 4 of 10 + + + +Administration Expectations +Perception survey administration is required for students, staff, +teachers, and families in Boston Public Schools during SY24-25. +BPS administers the Student, Family, Teacher, and Staff Surveys +through Panorama. Communications are sent centrally; however, +school-based outreach makes the difference for many families! +School leaders and coordinators have access to response rate +tracking and completion lists via Panorama's platform. In +addition, survey coordinators and school leaders are offered +training and resources for administration prior to the survey +window. +The following table outlines the surveys required for students, +staff, teachers, and families in Boston Public Schools during +SY24-25, including the purpose, grade level, and administration +windows. Specific dates are included in the annual assessment +calendar released during summer 2024. + + + + +Page 5: +Superintendent’s Circular ODA-05 +Page 5 of 10 + + + + +BPS Districtwide Surveys +Survey +Purpose +Grade +Adminis- +tration +Window +Student +Climate +and +Feedback +Surveys +Assesses perceptions of pedagogical +effectiveness, rigorous expectations, +relationships, engagement, +classroom climate, school culture & +community, belonging, mindset, +school safety, and more +3-12 +Mid-Year: +December +Spring: April- +May +Senior Exit +Survey +Collects information regarding +student postsecondary plans and +overall experience in high schools. +Gradua- +ting +Seniors +April-June +Teacher +Climate +Survey +Assesses perceptions of school +climate, culture, relationships, peer +victimization, school leadership, +professional learning, etc +All +Mid-Year: +December +Spring: April- +May +Staff +Climate +Survey +Assesses perceptions of school +climate, culture, relationships, peer +victimization, and school leadership +All + +Spring: April- +May +Family +Climate +Survey +Assesses perceptions of school +climate, culture, school +communication, school fit, school +safety, engagement, etc. +All +Spring: April- +May + + + +Page 6: +Superintendent’s Circular ODA-05 +Page 6 of 10 + + + +Accessing Results +Teachers and other school staff can access results in Panorama: +secure.panoramaed.com. (Select “Sign in with Google” and +choose your BPS email to log in). Results should be reviewed and +considered with respect to how they may impact planning and +adjustments, and the alignment with your School Improvement +90 Day Action Plan: specifically, the Student Culture and Adult +Culture goals. Resources to support are available in Panorama +Academy. +To ensure the data is a reasonable representation of their student +population, school-level results are only shown if (1) the response +rate is greater than 10%; and (2) there are at least 7 responses to +ensure student confidentiality. Support is available through +Panorama at support+bps@panoramaed.com. +ADMINISTERING SURVEYS TO MULTIPLE SCHOOL +COMMUNITIES OR WITHIN THE CENTRAL OFFICE +The above guidelines and recommendations are to support the +administration of surveys to students, families, and school staff. +The remainder of this circular describes the process that will be +used to create and administer surveys for central office staff or +multiple school communities. To reduce the number of surveys +that staff are required to respond to, the Office of Data and +Accountability will review all surveys prior to their administration. +Please refer to the BPS survey calendar for existing surveys and +their timelines, if available. The process below describes how +these offices will review survey creation and administration. +Step 1: Survey Request Process + + +Page 7: +Superintendent’s Circular ODA-05 +Page 7 of 10 + + + +If your office is interested in administering a survey to staff +outside of your department, you will need to submit a survey +request form to the Office of Data and Accountability. The form +will collect information on: +● the goals and objectives of the survey +● decisions the survey is meant to inform +● tabulations and analytics results that will inform the +decision +● confirmation that this information is not already being +collected in other surveys +● audience and users (especially if intended to for any +outside agencies) +● research approval requirement, if any +● sensitivity of data being collected and any necessary +security protections +● ideal timeline for the survey/form to be administered +as it relates to instructional priorities +● +● ideal method for distribution. +Depending on the targeted survey population, surveys should be +scheduled in coordination with any standing district surveys to +mitigate overlap. Departments or teams must share the reasons +for collecting information and how this information will be used. +Whether responding to the collection of information is +mandatory or voluntary, each team should take into +consideration the timeline of requested responses in relation to +other district required training, surveys, and events. + + +Page 8: +Superintendent’s Circular ODA-05 +Page 8 of 10 + + + +Step 2: Consultation +Once you have submitted your survey request form, the Office +Data and Accountability will meet with you to review your +request and determine whether it is appropriate and distinct +from other survey collection tools already in use by the district. If +the survey is approved to be administered, the Office of Data and +Accountability will be able to recommend a level of support for +creating and administering the survey. Examples of ODA support +may include, but are not limited to, item and domain +creation/review, sampling strategy, survey administration timing, +communication; design, hosting, and analysis of collected data. + + + + +Page 9: +Superintendent’s Circular ODA-05 +Page 9 of 10 + + + +Step 3: Data Analysis and Dissemination of Information +A plan for analysis of the survey data should be provided prior to +initiating the collection of data. Teams are expected to keep +detailed documentation of activities and decisions informed by +the data collected. Departments should plan to identify which +portions of their evaluation will be shared with participants. High +visibility data, such as results that will be shared with the public, +the School Committee, and/or School Committee task +force/working groups should be shared with the Offices of the +Superintendent and Data and Accountability to interpret results +from the analysis and inform the process for future recurring +surveys. +BEST PRACTICES FOR SURVEYS AND DATA COLLECTION +1. Shorter surveys will lead to increased response rates. +Limiting the number of questions in a survey will increase +the response rate and improve your overall ability to collect +feedback. Surveys should be designed to minimize the +respondent’s time and ideally designed to be completed on +a mobile device in 3-5 minutes. +2. Minimize open response answers. +Open response answers (short or paragraph) will increase +the amount of time it takes to complete a survey and can +lead to degraded response quality. Using drop- +down/checkbox options as much as possible will improve +your survey response rates and allow for easier data analysis. +3. Do not collect data that we already have. + + +Page 10: +Superintendent’s Circular ODA-05 +Page 10 of 10 + + + +A common practice when designing surveys is to ask for +data that we already have in a data system, such as names, +grade levels, school name, etc. However, this increases the +time to complete the survey and increases risk of data leak if +the responses are not safeguarded. Collecting a +respondent’s email address or emp/student ID number +should be sufficient for identifying the person afterwards +and additional identifying information that is already +contained in a BPS data system should be used during +analysis. +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-02 +Version 01 + + +TEST SECURITY AND ETHICS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to ensure that all BPS staff +understand and follow the appropriate procedures for test +administration and security on all state and local tests where +some or all content is deemed to be secure content that must +not be given to or accessed by unauthorized persons. This +includes, but is not limited to, paper or digital information. This +circular also outlines the reporting requirements in the case of a +security breach or a test irregularity. +REQUIREMENTS +Testing is not at the option of parent/guardian or the school, +except if a student is not required to be tested based on certain +conditions that are specified in the specific testing requirements. +Appropriate testing accommodations must be provided to +eligible students on test day as documented in the students’ +current Individualized Education Programs (IEPs), Section 504 +Plans, or English Learner (EL) plans. +School leaders and test administrators must read and adhere to +all test procedures in the instructions that are issued by the +Massachusetts Department of Elementary and Secondary +Education (MA DESE) and/or the Boston Public Schools. Visitors + + +Page 2: +Superintendent’s Circular ODA-02 +Page 2 of 4 + + +are never permitted in the school’s designated testing area; but +MA DESE and/or BPS staff may make announced or +unannounced visits to schools during testing days to ensure +compliance with testing procedures. +Schools must enforce a strict electronic devices policy during +testing to maintain test security. The term electronic device +includes any personal, non-educational device with an on-off +switch (with the exception of medical equipment), most +commonly cell phones, smart phones, iPods, iPads, iWatch, +tablets, laptops, and pagers. +Schools must clearly inform students that bringing an electronic +device into the testing area violates district and state policy, and +violation of this policy is grounds for confiscation. If brought to +school during testing, electronic devices must be stored in a +secure location away from students. Acceptable storage includes +in a bag, backpack, locker, central location in a classroom, or +school office. +Consistent with the district’s Acceptable Use Policy (AUP), school +leaders have the authority to enforce security measures on +electronic devices when used to access testing materials and +remove devices found to be in violation of the AUP. If any of the +electronic devices are accessed during testing, the student’s test +is compromised and is to be invalidated due to prohibited +behavior, even if the student did not use the device. For +suspected student cheating or electronic device violations, the +school should conduct the investigation of the incident, report +the test violation, and follow their school’s disciplinary +procedures to impose sanctions. + + +Page 3: +Superintendent’s Circular ODA-02 +Page 3 of 4 + + +PENALTIES +Failure by BPS staff to adhere to the Test Security and Ethics +Requirements may result not only in sanctions and +consequences imposed by the state as outlined in the specific +assessment policy, but also in disciplinary action by the +superintendent. +PROCEDURES IF TEST IRREGULARITIES OCCUR OR IF YOU +SUSPECT A SECURITY VIOLATION +Each person directly involved in secure test administrations is +responsible for immediately reporting any violation or suspected +violation of test security. If questions arise concerning test +security or if any situation occurs that could compromise any part +of the test administration process and procedure for any state +tests, call the MA DESE at 781-338-3625 immediately and/or +report the incident using any required form. Please also advise +your immediate supervisor and the Office of Data and +Accountability. For any suspected BPS district assessment test +violations or irregularities, contact the Office of Data and +Accountability at 617-635-9450. + + + + + +Page 4: +Superintendent’s Circular ODA-02 +Page 4 of 4 + + +For additional information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-03 +Version 01 + + + +GUIDELINES AND PROCEDURES FOR ACCESSING +STUDENT DATA +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +Boston Public Schools recognizes and values the planning, +research, and evaluation work done by our partner organizations, +policymakers, and the greater education community to improve +education. The Office of Data and Accountability has established +the following guidelines regarding the processing of data +requests to improve the quality, timeliness, security, and +appropriateness of requests and request handling. Additionally, +as the Office of Data and Accountability is charged with +protecting student privacy and confidentiality, all student data +requests will be evaluated against federal, state, and local data +regulations to ensure student confidentiality. +The following data sources are considered directory information. +By federal, state, and local laws, they can be given to external +parties without explicit consent from parents/guardians. All other +student data are not considered directory and should not be +shared with members of the public without express consent from +parents/guardians or unless disclosure is expressly permitted by +an exemption under federal or state law. Schools should not +share any non-directory student data with external parties, + + +Page 2: +Superintendent’s Circular ODA-03 +Page 2 of 11 + + +members of the public, or media outlets. Common examples of +non-directory information that should not be shared include, but +are not limited to, date of birth, BPSID, and school name. All +requests for non-directory student information should be +directed to the Office of Data and Accountability. +Directory Information: +1. Student’s name +2. Age +3. Grade Level +4. Dates of enrollment + +GUIDELINES AND PROCEDURE FOR ACCESSING STUDENT DATA +Publicly Available Data +The Boston Public Schools (BPS) and the Massachusetts +Department of Elementary and Secondary Education (MA DESE) +make a number of datasets and reports publicly available online. +Before submitting a data request, please review Appendix I to see +if your data request is included in publicly available data. +Additionally, BPS departments regularly make presentations to +the Boston School Committee. See Appendix I for links to +materials from School Committee meetings.. Appendix I includes +the following types of data available for public use. +● General data profile of +BPS +● Student Attendance +and Discipline +● Standardized test +results +● School Climate +● Student Enrollment +and Demographics +● High School and +Postsecondary + + +Page 3: +Superintendent’s Circular ODA-03 +Page 3 of 11 + + + +For school personnel, there are additional reports available in +Aspen and Panorama. +Legal Guidelines on Requesting Student Data +If your data needs are not met by publicly available reports +provided by BPS and MA DESE (see Appendix I), you may be able +to request certain additional data. The Family Educational Rights +and Privacy Act (FERPA), the Massachusetts Department of +Elementary and Secondary Education (MA DESE), and the Boston +Public Schools establish regulations that maintain family and +student data privacy rights. These regulations restrict BPS and +schools governed by BPS from providing personally identifiable +information without family or student consent1. Additionally, any +individual or organization intending to use BPS student data for +research and/or evaluation purposes must submit a research +proposal to the district before any research activities, including +administrative data sharing, may take place. Receipt of grant +funds does not guarantee approval to conduct research by the +BPS Office of Data and Accountability. Guidelines for conducting +research in BPS and the research application can be found on the +BPS website. +For data requests that include either identifiable or de-identified + +1 Exceptions may apply to the general data request +requirements. Three common exceptions include: +1. District sponsored-studies to improve instruction (Studies); +2. Evaluations or audits of federally-mandated programs +(Audit); or +3. Provisions of data to appropriate school and central office +staff (School Official) + + +Page 4: +Superintendent’s Circular ODA-03 +Page 4 of 11 + + +student-level data, a written and signed agreement will be +required, depending on the scope of the request. The Office of +Data Accountability will communicate with all requesters to +execute the appropriate agreements prior to sharing data. +For requests for individual student records, please see the BPS +Superintendent’s Circular LGL-7: Privacy of Student Information +and Student Record Procedures: How to Respond to Student +Record Requests in Compliance with FERPA and State Law. + + + + +Page 5: +Superintendent’s Circular ODA-03 +Page 5 of 11 + + +In order to determine the next steps for your data needs: +WHAT CATEGORY OF DATA IS REQUESTED? + +Level of Data +Data Request Requirements +Aggregate Data +De-identified aggregate level data is generally +available to requesters without explicit +parent/guardian consent. Aggregate groups that +contain fewer than 10 students will be suppressed to +protect privacy. To gain access to this data please see +the section below on the process to request data. +Student-Level +Administrative +Data +De-identified student-level administrative data +requires a current signed non-disclosure agreement +(NDA) with the Office of Data and Accountability. +Student-Level +Roster Data +Identifiable student-level roster data requires current +family consent as well as a current signed NDA with +the Office of Data and Accountability. + + + + + +Page 6: +Superintendent’s Circular ODA-03 +Page 6 of 11 + + +WHO IS REQUESTING DATA? +Requester +Notes +BPS Officials +and School +Personnel +School leaders have access to identifiable and individual +student data only for the students in their school for the +academic year that they are enrolled in the school. +Teachers have access to identifiable and individual +student data only for the students they are teaching in +that academic year. +Researcher +All research requests must go through the research +proposal process. +BPS School- +Community +Partners +BPS deeply values and recognizes school-community +partnerships as a key strategy in our collective efforts to +ensure all our students achieve success in college, career, +and life. Data can be an important tool for partners to +effectively collaborate with schools to strengthen +services for students. For partners to collect or access +any data about students, school-community partners +must be fully registered on PartnerBPS. A complete +registration on PartnerBPS includes registration of all +programs the Partner runs in BPS and all partnerships +they have with BPS schools. More information on the +PartnerBPS registration process can be found here. +Partners must also have active parental consent to +obtain individual and identifiable data on students +unless the request falls under the FERPA exceptions. +Furthermore, partners must sign a Non-Disclosure +Agreement with the district before receiving any data. If +a school-community partner has any agreement with +schools including memoranda of understanding, + + +Page 7: +Superintendent’s Circular ODA-03 +Page 7 of 11 + + +contracts for services, and/or school-based partnership +agreements, this must also be provided when +submitting a data request. Typical school-community +partner data requests include student demographics, +quarterly attendance, and course grades for consented +enrolled students. +Media +All media requests must go through the BPS +Communications Office. +Agencies +outside of BPS +Agencies may receive aggregate level de-identified data. +Any aggregate group of fewer than 10 students may be +suppressed to protect student privacy. + +PROCESS FOR REQUESTING DATA +To receive data according to the guidelines listed above, requests +must be submitted through the Office of Data and +Accountability’s Data Request Form. +In preparation for completing the form, please have the following +information available: +● Purpose/Use: how will the requested data be used? +● Intended Audience: with whom will you share the +data/analysis? Note: depending on the nature of the data +request, some data may not be appropriate for sharing +with the public. +● Summary of data request: please describe in detail what +data is being requested, including school years, student +population, student attributes, and data scope. + +Please note that if you are requesting data for a specific group of + + +Page 8: +Superintendent’s Circular ODA-03 +Page 8 of 11 + + +students, BPS student ID numbers or state-assigned student ID +numbers must be provided. Requests without ID numbers will +not be fulfilled. +After submitting the form, requesters will receive an automatic +confirmation email. If analysts have any clarifying questions, they +will reach out to the requester within 3-5 business days. While +ODA endeavors to fulfill all non-research requests within 15 +business days, high volume and more complex requests may +dictate a longer turnaround time. As such, we will attempt to +fulfill partner data requests with an already executed NDA within +15 business days; and, we will attempt to fulfill research requests +with a fully executed NDA within 25 business days. Please plan +accordingly when submitting a data request. The Office of Data +and Accountability reserves the right to deny certain data +requests. +► All requests from the media must go through the BPS +Communications Office. Communications can be +reached at 617-635-9265 or +communications@bostonpublicschools.org. +► All public records requests should be submitted through +the City of Boston’s online Public Records Center. +FEES FOR DATA REQUESTS +Some data requests may incur a fee, dependent on size, the time +required, and the scope of the request. Upon receipt of a data +request, the Office of Data and Accountability will communicate +with the requester and provide a fee estimate, if applicable. + +For additional information about this circular, contact: + + +Page 9: +Superintendent’s Circular ODA-03 +Page 9 of 11 + + +Owner +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9450 +Email: +rc069@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular ODA-03 +Page 10 of 11 + + +APPENDIX I: PUBLICLY AVAILABLE DATA +Overview of Boston Public Schools +● BPS At a Glance +● Facts and Figures +● Boston District Profile (MA DESE) +● BPS School Profiles (MA DESE) +● Data and Reports produced by the Office of Data and +Accountability +● School Committee Meetings Materials +Standardized test results +● MCAS results by school and district, with options to +disaggregate by subgroup and grade level +● PARCC results by school and district, with options to +disaggregate by subgroup +● NAEP results +● ACCESS results +Student Enrollment and Indicators +● Attrition +● Enrollment by Grade - Number of students by grade +● Enrollment by Kindergarten - Enrollment by Kindergarten +● Enrollment by Race/Gender - Percent of public school +students by race and gender. +● Enrollment by Selected Population - Number and percent +of public school students in subgroups: First Language +Not English (FLNE), English Language Learners (ELL), +Students with Disabilities, High Needs, and Low Income. +● Enrollment for Students with Disabilities and CVTE +● Mobility Rate Report - Students transferring into or out of +public schools, districts, or the state. + + +Page 11: +Superintendent’s Circular ODA-03 +Page 11 of 11 + + +● Student Attendance Report +● Student Retention Report +● Student Discipline - Student Discipline data is reported +from the Student Safety and Discipline Report (SSDR) +● Student Discipline Days Missed Report - Student +Discipline Days Missed Report +School Climate +● Reports can be found on the BPS website. +High School and Postsecondary Data +● Advanced Placement Participation - Number of students +who took one or more Advanced Placement exams for +each subject. +● Advanced Placement Performance - Number of students +who received each possible score on the Advanced +Placement exam for each subject. +● Dropout Report - This report provides the percentage of +Massachusetts public high school graduates who drop +out of high school. +● Graduates Attending Higher Ed. - Graduates Attending +Higher Ed. +● Graduation Rates - Percent of students who graduate +with a regular high school diploma within 4 or 5 years by +student group. +● MassCore - The Massachusetts High School Program of +Studies (MassCore) is intended to help our state's high +school graduates arrive at college or the workplace well +prepared and reduce the number of students taking +remedial courses in college. +● Plans of High School Grads +● SAT Performance + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-01 +Version 01 + + +PROCEDURES FOR CONDUCTING EDUCATIONAL +RESEARCH +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to define the policy and procedures +for conducting educational research in the Boston Public +Schools. +OVERVIEW +The mission of the Boston Public Schools’ Office of Data and +Accountability is to serve the BPS community by facilitating +access to quality information and building capacity to make data- +driven decisions that advance educational equity, opportunity, +and achievement for all students. Research is one way to +facilitate our community’s access to quality information. It is the +responsibility of the Office of Data and Accountability to ensure +that researchers have access to quality data and can responsibly +interpret the results. As such, the Office of Data and +Accountability reviews and approves research that works to +advance educational equity, opportunity, and achievement for all +students by ensuring responsible access to and use of quality +data. +All research activities must be coordinated through the Office of +Data and Accountability’s BPS Research Team. ODA approval is + + +Page 2: +Superintendent’s Circular ODA-01, +Page 2 of 4 + +not required for research that uses data that is publicly available +sources such as on the BPS public website. A list of current +sources of publicly available data can be found in the appendix of +the Policy and Guidelines document. In these instances, the +researcher may use the data presented from these sources as +long as the sources are cited, and any modifications or analysis +done by the researcher are clearly delineated. Approval by the +researcher’s IRB and/or BPS school leaders does NOT guarantee +approval of research proposals by the BPS Office of Data and +Accountability (ODA). While research may be approved by ODA, +BPS school leaders have the final say in whether their particular +school will participate in any given study. +WHO MAY CONDUCT RESEARCH +Any academic or professional organization or any individual +doing doctoral work may submit a proposal to conduct research +with the Office of Data and Accountability in BPS. Doctoral +candidates must submit written evidence that their proposed +research has been approved by their university’s IRB and will be +supervised by their advisor(s). +WHAT IS THE PURPOSE OF THE RESEARCH TEAM REVIEW? +While it is necessary for all research submissions to have an +approved/exempted IRB decision from their own institution, BPS +requires that all research is submitted to the BPS Research Team +for review prior to BPS approval. The BPS research review is not +duplicative of the IRB process and aims to ensure the following: +● The research is aligned with district priorities. +● The research follows federal and local guidelines +regarding conducting research with human subjects in + + +Page 3: +Superintendent’s Circular ODA-01, +Page 3 of 4 + +school settings (This includes consent forms for all +research participants; assurance that students receive no +incentives of monetary value for students and not to +exceed $50 for teachers; voluntary participation for all +research subjects). +● The research is not overly burdensome to classrooms and +is new research that will advance the aims of the district. +● The research is fully supported by an internal BPS staff +member (district sponsor) who is committed to using the +result of the research. +WHAT ARE THE STEPS TO CONDUCTING RESEARCH IN THE +BPS? +1. Submit a research proposal adhering to the Guidelines and +Procedures. In general, the research submission and review +calendar is as follows: +Review Period Submission +Month +Review Month Decision Letter +Sent +P1 +June 1-30 +July 1-31 +Mid-August +P2 +October 1-31 +November 1-30 Mid-December +2. For primary research (i.e., interviewing, focus groups, +observations, and in-person surveys), each researcher needs +to have submitted and passed a CORI check. +3. For secondary research (i.e., requesting administrative data: +records that are maintained by the school district), +researchers need to submit a data request and sign a +standard NDA template. NOTE: for some administrative data +requests, a fee will be assessed to assist in the fulfillment of +the data pull. + + +Page 4: +Superintendent’s Circular ODA-01, +Page 4 of 4 + +4. Submit policy brief updates annually to your district sponsor +and the Research Team +(research@bostonpublicschools.org). +5. Annually renew your research proposal with the BPS +research team. +6. For continuing research, the following needs to be +submitted: +a. Cover page describing research activities already +conducted and proposed changes to the study for the +next year +b. Most recent policy brief describing interim findings +c. Updated district sponsor letter +d. Updated IRB approval for next year of research +7. Submit a final report and policy brief (template) for review to +research@bostonpublicschools.org once the study has been +finalized. The study is officially finalized once the final report +and policy brief have been approved. +For additional information about this circular and the +application process, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-04 +Version 01 + + + +BPS BALANCED ASSESSMENT SYSTEM +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Student assessment is an effective tool to support success inside +and outside of the classroom. Assessment takes many forms, and +it is the responsibility of all in the Boston Public Schools to use +the data that emerges from assessments to ensure that every +student receives what they need every day. +PURPOSE +The Boston Public Schools assessment system supports the +district's strategic goals of eliminating opportunity gaps and +accelerating learning. The assessment system: +● provides teachers, administrators, students, parents, +the district, and the community with ongoing +information regarding student progress in relation to +state frameworks. +● ensures all our students are prepared for college, +career, and life. +A balanced assessment system includes formative and +summative assessments that provide information on the +classroom, school, and district levels and is responsive to needs at +each of these levels. + + +Page 2: +Superintendent’s Circular ODA-04 +Page 2 of 7 + + + +1. At the classroom level, the assessment system provides +teachers with data on students’ strengths and needs so that +teachers may develop lessons that respond to individual +differences. +2. At the school level, the assessment system provides school +leaders and instructional leadership teams with data to help +them measure school success based on school and district +goals: +a. Assess the effectiveness of curriculum, instruction, and +professional development programs. +b. Work with teachers to develop strategies that attend +to priority areas. +3. At the district level, the assessment system provides district +leaders with information that allows them to determine if +the system, individual schools, and central departments are +making progress regarding the district’s long-term teaching +and learning goals. Information is needed to assess the +effectiveness of specific initiatives being implemented to +achieve those goals, to implement effective practices, and to +eliminate practices that are unsuccessful. Quality +information allows comparisons across programs, schools, +and classrooms to be data-driven and equitable. +ASSESSMENT EXPECTATIONS +For SY24-25, district assessment expectations will maintain its +instructional focus on Equitable Literacy across all content areas +to strengthen equitable Multi-Tiered System of Support (MTSS), +laying a strong Tier 1 infrastructure to become a fully inclusive +district and expand access to bilingual/native language + + +Page 3: +Superintendent’s Circular ODA-04 +Page 3 of 7 + + + +instruction. As BPS more consistently implements effective +equitable literacy practices, the data provided by assessments +will inform educators to meet the learning needs of all students. +These expectations are a minimum for schools; school +communities are encouraged to craft the assessment strategy +that supports their own work towards grade-level, standards- +aligned, culturally responsive instruction. +The following tables outline the formative and summative +assessments in use in Boston Public Schools during SY24-25, +including the purpose, grade level, participation expectation and +frequency. +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +PALS/ +Heggerty +Screener for all 4-year- +old students in K1 used +to understand student +progress in relation to +developmental +benchmarks. +K1 +Required +2x per +year +NWEA MAP +Reading +Fluency +Computer adaptive +universal screening tool +that assesses early +literacy skills, oral +reading fluency, and +reading +comprehension; DESE +approved dyslexia +screener. +K2–2 +Required +3x per +year +3 +Required +2x per +year + +(extended +test +windows) + + + +Page 4: +Superintendent’s Circular ODA-04 +Page 4 of 7 + + + +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +NWEA MAP +Reading +Growth +Computer adaptive +universal screening tool +that assesses reading +comprehension; +identifies what +students are ready to +learn next. +3 +Required +2x per +year + +4–11 +Required +3x per +year +NWEA MAP +Math Growth +Computer adaptive +universal screening tool +that assesses +mathematical skills; +identifies what +students are ready to +learn next. +3–11 +Required +3x per +year +Pre-IPT +Diagnostic measure of +English language +proficiency of pre- +school children whose +home language is not +English, in compliance +with federal law. +K0* +*ML +students +Required +1x per year +WIDA +Kindergarten +Screener +Diagnostic measure of +English language +proficiency in +compliance with +federal law for English +Language Learners. +K1* +*ML +students +Required +1x per year + + +Page 5: +Superintendent’s Circular ODA-04 +Page 5 of 7 + + + +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +Interim +Assessments +in ELA and +Math +Standard-aligned +assessment to measure +student access to +grade-level content. +2–11 +Strongly +Recommended +2x per +year +Interim +Assessments +in Science +Standard-aligned +assessment to measure +student access to +grade-level content; +unit-based. +3 - 10 +Strongly +Recommended +3x per +year +Language +Acquisition +(TBD) +Standard-aligned +assessment to measure +English language +acquisition +K2-12* +*EL +students +TBD +2x per +year + +Additionally, all district supported curricula include ongoing, +curriculum-embedded, formative assessments (classroom tasks +and formal assessments) to provide real-time information to +educators about what students have learned and are ready to +learn next. +BPS SUMMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expec- +tation +Fre- +quency +MCAS +Annual assessment of grade +level content standards for +state and federal +accountability. +3 - 8, High +School +Required +1x per +year + + +Page 6: +Superintendent’s Circular ODA-04 +Page 6 of 7 + + + +BPS SUMMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expec- +tation +Fre- +quency +ACCESS for +ELLs +Annual assessment for EL +students; measures English +language proficiency and +progress in compliance with +federal law. +K2 - 12* +*EL +students +Required +1x per +year +SAT +A standardized assessment +that assesses mathematics +and evidence-based +reading/writing; used by most +colleges and universities to +make admissions decisions. +11 +Strongly +Recom- +mended +1x per +year +PSAT/ +NMSQT +A standardized assessment +that assesses much of the +same content (evidence-based +reading/writing and +mathematics) that is on the +SAT; +10, 11 +Strongly +Recom- +mended +1x per +year +AP +Standardized exams designed +to measure how well students +have mastered the content +and skills of a specific AP +course. +10 - 12* +*students +in AP +courses +Strongly +Recom- +mended +1x per +year + + +For more information about this circular, contact: + + +Page 7: +Superintendent’s Circular ODA-04 +Page 7 of 7 + + + +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-07 +Version 01 + + + +REQUIRED DOCUMENTATION TO WITHDRAW +STUDENTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +This circular lists the documentation schools are required to +obtain when withdrawing students and includes information on +monitoring processes conducted by the central office. +For the last several years, Boston Public Schools has been under a +state audit regarding our documentation of student withdrawals. +Auditors found that we collect insufficient documentation of +students categorized as withdrawals. The audit finding has been +upgraded to a “material weakness,” which is a more severe +finding. Lack of action could result in loss of federal funds (e.g., +Title 1) and/or the City’s overall credit rating. The Systemic +Improvement Plan required the district to revise withdrawal +procedures and implement controls for monitoring. All +administrative school staff (school leaders, registrars, or any +school administrator whose responsibilities involve enrolling or +withdrawing students) are required to complete asynchronous +training at the 2024 Management and Operations Institute. +OVERVIEW OF REQUIRED DOCUMENTATION +This section seeks to clarify what documentation is required and +acceptable. Schools can use this template to document + + +Page 2: +Superintendent’s Circular ODA-07 +Page 2 of 9 + + + +interactions with families and upload along with supporting +documentation or with a family signature. Your school may use +your own template as long as it contains the necessary +information and has been approved by the central office (contact: +student-withdrawal@bostonpublicschools.org). +ACCEPTABLE DOCUMENTATION TYPES FOR STUDENTS +WITHDRAWING INCLUDES: +1. A written request for a student’s records from a receiving +public or private high school or an educational program +(that culminates in a regular high school diploma). This +includes requests from the receiving school that come to +the district through Scrib Order. +2. Written record of a response from an official receiving +school or program acknowledging the student’s enrollment. +3. Written confirmation from a parent or guardian that their +student has moved to another state or country and will be +continuing their education. +4. Written confirmation from a parent/guardian updating the +school enrollment status of their child, including indication +that they will be continuing their education elsewhere. +5. Letter from the BPS Office of Expanded Learning Time, +indicating an approved Educational Plan for homeschooling. +6. Record from the state's data system (Edwin DESE Security +Portal - Central Office Process) + + + + +Page 3: +Superintendent’s Circular ODA-07 +Page 3 of 9 + + + +If you do not have the above documentation at the time of +withdrawal, the student must be withdrawn as a dropout. See +Appendix for a table of withdrawal codes with acceptable +matching documentation. +REQUIRED ELEMENTS OF SUFFICIENT WITHDRAWAL +DOCUMENTATION FOR A TRANSFER STUDENT INCLUDE: +1. Date when the transfer occurred or was confirmed, +including the year. +2. Identifiable name of the student withdrawing +3. Identifiable information for who is confirming the +withdrawal, such as the parent name or receiving school +registrar’s email address +4. Indication that the student is continuing their education +elsewhere +a. New school name is ideal but not required. Stating a +student will enroll in a school elsewhere is sufficient if +the new school name is not known. +Withdrawal documentation must be uploaded to the student +record in Aspen at the time of the withdrawal in a non-editable +format, such as a PDF, screenshot, scanned handwritten & signed +withdrawal form or letter. Word documents, Aspen journal +entries, travel tickets or itineraries are not acceptable forms of +documentation to confirm a transfer. +MONITORING AND ACCOUNTABILITY +School leaders will be required to identify a primary point of + + +Page 4: +Superintendent’s Circular ODA-07 +Page 4 of 9 + + + +contact at their school for withdrawal related processes. +Additionally, school leaders will be required to sign off that they +have reviewed student records and that sufficient +documentation exists for each student’s withdrawal code. This +sign off will align with the October state reporting period. Central +office staff will hold office hours and be available to answer +questions that may arise at this time period and will +communicate these dates via the Friday Flyer and Weekly Recap. +Additionally, the central office team will be conducting periodic +audits to confirm sufficient documentation is in place: Fall, Mid- +Year, End of Year. Supervisors of attendance will be included as a +resource to support schools in gathering the necessary +documentation during review periods. +For questions and support, please contact the following: +General Questions +student-withdrawal@bostonpublicschools.org +Technical Questions +about Aspen +Kevin Arias, karias@bostonpublicschools.org +Graduation and +Dropout Reporting +Apryl Clarkson, +aclarkson@bostonpublicschools.org +Student Attendance +Requirements +Brian Marques, +bmarques@bostonpublicschools.org +School Specific +Questions +Supervisors of Attendance, Regional +Operational Leader and then School +Superintendent + + + +Page 5: +Superintendent’s Circular ODA-07 +Page 5 of 9 + + + +TECHNICAL RESOURCES +Withdrawal Code Guidance +How to Update Withdrawal Codes in Aspen +How to Upload Documents in Aspen +"Did Not Report" Protocol for Students with IEPs + +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9450 +Email: +student- +withdrawal@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + +Page 6: +Superintendent’s Circular ODA-07 +Page 6 of 9 + + + +APPENDIX A: TRANSFER CODES WITH REQUIRED +DOCUMENTATION +BPS +Code +BPS Description +State +Code +State +Description +Required +Documen- +tation Type +06 +Mass. Public Boston Resident +20 +Transferred — +In state public +1, 2, 4 + +09 +EOY Flip Record +10 +Batch Assignment process school +change +12 +Mass. Public Non-Boston Resident +42 +Discharged to Charter School +43 +Discharged to Virtual School - Mass +Public +98 +Residency Violation +99 +Discharged - Student ID Error +01 +Boston Parochial +21 +Transferred — +In state private +1, 2, 4 +03 +Mass. Parochial Non-Boston +Resident +04 +Mass. Parochial Boston Resident +07 +Mass. Private (Non-Parochial) +Boston Resident +11 +Boston Private (Non-Parochial) +13 +Mass. Private (Non-Parochial) Non- +Boston Resident +15 +Home (*KINDERGARTEN ONLY) +44 +Discharged to Virtual School - Mass +Private +19 +Out of Country +22 + +Transferred — +Out-of-State +(public or +private) +1, 2, 3, 4 +14 +Out of State +1, 2, 4 +45 +Discharged to Virtual School - Out +of State +1, 2, 3, 4 + + +Page 7: +Superintendent’s Circular ODA-07 +Page 7 of 9 + + + +05 +Home Schooled +23 +Transferred — +Home-school +5 +30 +Adult Diploma Program +24 +Transferred — +Adult diploma +program +leading to MA +diploma +1, 2, 4 +SS +No longer receiving special ed +services only +41 +Transferred — +no longer +receiving +special +education +services only. + + + + + + +Page 8: +Superintendent’s Circular ODA-07 +Page 8 of 9 + + + +APPENDIX B: NON-TRANSFER WITHDRAWAL CODES +BPS +Code +BPS Description +State +Code +State Description +17 +Graduate +04 +Graduate with a Competency +Determination +95 +Expelled from BPS +05 +Expelled +96 +Expelled from Other School +System +97 +Multiple Expulsions +16 +Death +06 +Deceased +18 +Student Reached Maximum +Age (22 yrs.) +09 +Reached maximum age did not +graduate or receive a Certificate +of Attainment +33 +Certificate of Attainment +10 +Certificate of Attainment +31 +Grade 12 - Met local +requirements/Did not pass +MCAS +11 +Completed grade 12 and district- +approved program. (District does +not offer a Certificate of +Attainment) +23 +GED +30 +Dropout — Enrolled in a non- +diploma granting adult education +or HiSET program +27 +Non-Diploma Educational +Program (non GED) +32 +Job Corps +31 +Dropout — Entered Job Corps +22 +Military Service +32 +Dropout — Entered the military +28 +Incarcerated +33 +Dropout — Incarcerated district +no longer providing educational +services +21 +Work +34 +Dropout — Left due to +employment +24 +Over 16/No plans known +35 +Dropout — Confirmed Dropout +plans unknown +25 +Illness +26 +Married Pregnant or Parenting +51 +Registered - Did Not Report +36 +Dropout — and/or student + + +Page 9: +Superintendent’s Circular ODA-07 +Page 9 of 9 + + + +52 +Moved - No Forwarding Address +status/location unknown +D1 +DNR More Than 8 Days + + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PP05 +Version 01 + +EMPLOYEE ATTENDANCE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Poor attendance adversely affects the work we can accomplish +and the morale of all Boston Public Schools employees. +Attendance will be monitored throughout the year at all levels. +Any excessive absences, tardiness, or perceived abuse of time +off/leave benefits will be investigated and may subject the +employee to discipline. The procedures described herein may not +occur if the superintendent exercises their statutory authority to +dismiss, demote, or suspend. +ATTENDANCE MONITORING PROCESS +1. Sign in/out: Managers1 must establish and supervise a paper +sign in/out procedure that provides an accurate record of +the date and time of arrival and departure of all employees + +1 The term "manager" refers to positions such as academic +superintendent, senior officer, headmaster, principal, senior +program director, and director. A manager may in some cases +delegate authority to carry out these procedures to supervisory +personnel reporting to them. + + + +Page 2: +Superintendent’s Circular HRS-PP05 +Page 2 of 5 + +assigned to them. Employees must comply with the sign +in/out process. An employee who fails to comply with the +procedure, falsifies such a record, and/or fraudulently +reports their or another’s time will be subject to discipline +up to and including termination. +2. Report your absence/early departure: Managers must +establish a process to report an absence/early departure due +to illness. Employees must follow the process created and +implemented by their manager for each absence/early +departure. If the employee fails to follow the protocol +established by the manager, the employee’s absence/early +departure will be unexcused, and the employee will not be +paid for the day(s)/hour(s) of absence(s). The employee may +also be subject to discipline up to and including termination. +a. Employees not serving in schools must follow the +protocol set by their manager. In the case of early +departure, the employee must notify their manager +before leaving the building. +b. If the employee’s absence is for more than five (5) +consecutive days, refer to the Absence and Leaves +circular. Regardless of the duration of the time off due +to illness, managers may at any time request medical +documentation from the employee to substantiate +their absence. +3. Reasonable accommodations: An employee seeking +reasonable accommodations for a disability may contact the +Office of Equity (617-635-9650) to begin an interactive +dialogue process. Employees who inform their managers +about a disability will be referred to the Office of Equity by +the manager. The district will attempt to provide reasonable + + +Page 3: +Superintendent’s Circular HRS-PP05 +Page 3 of 5 + +accommodations unless it would cause an undue hardship +or fundamentally alter the district’s programs. Medical +information concerning any employee will be maintained in +strict confidence. +Chapter 151B and the ADA define a person with a disability +as someone who: (1) has a physical or mental impairment +that substantially limits one or more major life activities; (2) +has a record of such an impairment; or (3) is regarded as +having such an impairment. Major life activities include, but +are not limited to: caring for one’s self, performing manual +tasks, seeing, hearing, speaking, breathing, or learning. +The person may also qualify for an extended or intermittent +leave of absence. Please refer to the Absence and Leave +Policy circular and your collective bargaining agreement or +conditions of employment for more information. +For more information about the reasonable +accommodations process, please see Superintendent’s +Circular EQT-07. +PATTERNS OF ABUSE +When a manager determines that an employee’s absences +and/or tardiness exhibits a pattern of abuse and/or raises +concern, the manager will address it directly with the employee +in the way the manager deems appropriate (i.e., informal +meeting versus investigatory meeting). The employee will have +the right to union representation at all types of meetings. +In the past, the following scenarios have been deemed as +patterns of abuse (the list is not exhaustive/exclusive): + + +Page 4: +Superintendent’s Circular HRS-PP05 +Page 4 of 5 + +1. +Four (4) or more separate absences before or after the +weekend or holiday/vacation +2. +Sick absences lasting six (6) or more consecutive days +without a physician’s certificate +3. +Scattered sick days/leave throughout the school year +exceeding or projected to exceed fifteen (15) or more days +4. +Two (2) or more absences, consecutive or closely +patterned, following layoff notification +5. +Two (2) or more absences, consecutive or closely +patterned, following contract non-renewal notification +6. +Two (2) or more absences immediately following poor +performance evaluation +7. +Absence during a previously scheduled investigatory +meeting +8. +Absence after receiving a notice of an investigatory +meeting +9. +Absence on day of release or scheduled release of poor +performance evaluation +10. +Patterns of two (2) days out, two in, one out, etc. +11. +Tardiness: two (2) or more days within a one-week period +12. +Tardiness: two (2) or more days within a two-week period +CONSEQUENCES FOR ABUSE AND/OR EXCESSIVE +ABSENTEEISM/TARDINESS: +The following are the consequences an employee will face when +they have been deemed to engage in a pattern of abuse and/or +excessive absenteeism/tardiness. These consequences can be +applied individually or in conjunction with one another. +1. +Discipline up to and including termination + + +Page 5: +Superintendent’s Circular HRS-PP05 +Page 5 of 5 + +2. +Requirement to provide medical documentation +substantiating each absence (past, present, and future) +3. +No pay for time out of work if the employee fails to +provide requested medical documentation for absences; +the absences will be unexcused. +4. +Issuance of an “unsatisfactory/does not meet standards” +rating on the employee's performance evaluation +attendance/punctuality standard. +For more information about this circular, contact: +Owner: +Employee Services +Department: +Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +E-mail: +OHCLeaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + +Superintendent’s +Circular +NUMBER: +HRS-PP19 +Version 01 + + + +PERFORMANCE-RELATED DISMISSAL PROCESS +FOR TEACHERS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +In the event the performance evaluation of a teacher results in a +recommendation for dismissal by a Principal or Head of School, +the following procedures will be followed: (1) the Superintendent +shall review all processed recommendations for dismissal and (2) +if the Superintendent approves the recommendation to dismiss +the teacher, the Principal or Head of School may institute +dismissal proceedings set forth in M.G.L. c. 71, section 42. +Note: A teacher may be removed from the classroom, dismissed, +or suspended for just cause prior to the completion of the +evaluation-related process specified in this Circular. +TERMINATION REQUIREMENTS +The minimum requirements to proceed with a teacher +termination can be met in one of two ways, both in cases where +the teacher was placed on an Improvement Plan: +If the Evaluator determines that the Educator is not making +substantial progress toward proficiency, the Evaluator shall +recommend to the superintendent that the Educator be +dismissed. + + +Page 2: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +If the evaluator determines that the Educator’s practice +remains at the level of unsatisfactory, the Evaluator shall +recommend to the superintendent that the Educator be +dismissed. + +Copies of the following information will be submitted to the +Superintendent via the Office of Labor Relations in order to move +forward with a recommendation for termination: +1. +All less-than-proficient performance evaluations you are +relying on for potential termination. +2. +All other performance evaluations within the last two years. +3. +All written feedback to the teacher following an observation +in which you saw a need for improvement. +4. +All correspondence regarding pre-evaluation and post- +evaluation meetings. +5. +All written notes from pre-evaluation or post-evaluation +meetings. +6. +A log documenting all artifacts (e.g., syllabus, lesson plan, +evidence of planning, etc.) submitted to you by the teacher. +7. +All notes and correspondence from the teacher concerning +evaluations, classroom observations, and other matters +relating to their performance. +8. +Correspondence from teachers, parents, or other individuals +regarding a teacher’s performance, complimentary or +critical. +9. +Attendance and tardiness records and correspondence if +attendance and/or tardiness is an issue or if the teacher’s +absences have affected contractually required timelines. + + +Page 3: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +10. +A log documenting any allegations of discrimination brought +by the teacher to the BPS Office of Equity or the +Massachusetts Commission Against Discrimination (MCAD), +e.g., race, age, gender, disability. +11. +All documentation about any disciplinary action taken +against the teacher, only if relevant to performance issues. +12. +A draft letter from the principal notifying the teacher of BPS’ +intent to dismiss based on unsatisfactory performance. + +Steps of the termination procedure: +1. +The principal/head of school recommends to the +Superintendent that a teacher be terminated. +2. +If the Superintendent approves the recommendation, the +teacher receives a letter from the principal/head of school +notifying them of BPS’ intent to dismiss. +3. +The teacher has 10 school days after receiving the notice +of intent to dismiss to meet with the principal/head of +school to review the decision. +4. +After the meeting, if the termination decision remains +unchanged, the principal/head of school sends the +teacher a letter communicating the termination decision. +5. +The teacher with professional teacher status may seek +review of the termination decision within 30 days by filing +a petition for arbitration with the Commissioner of +Education. + + +For more information about this circular, contact: + + +Page 4: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +Owner: +Director of Labor Relations +Department: +Office of Labor Relations +Mailing +Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-1576 +Fax: +617-635-7959 +E-mail: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-L01 +Version 01 + + + +STATE LICENSURE AND REQUIREMENTS FOR +TEACHERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +According to Massachusetts General Law, all teachers must hold +a valid license issued by the Massachusetts Department of +Elementary and Secondary Education (DESE) in the most +appropriate subject and grade level corresponding to their +teaching assignment(s). Teachers are not hired by BPS unless +they qualify for the appropriate license or license waiver. A waiver +permits the district to employ an unlicensed teacher for one +school year only and does not count as a license. Waivers are +requested only by the BPS Office of Human Resources in rare +circumstances where there are no licensed candidates available +to fill a position. +This Superintendent’s Circular provides guidance for meeting +Massachusetts state licensure requirements. +I. DATA COLLECTION AND TRACKING PROCEDURES +To collect and track data about the licensure of BPS teachers and +paraprofessionals, the BPS Office of Human Resources requires +online reporting of critical information, including Massachusetts +Tests for Educator Licensure (MTEL) results, licensure status, + + +Page 2: +Superintendent’s Circular HRS-L01 +Page 2 of 8 + + + +coursework, and degree information of teachers. All teachers and +their administrators must comply with these data collection +procedures. Furthermore, it is every educator’s professional +responsibility to know their personal licensure status and take +the necessary steps to maintain their license validity. +II. MASSACHUSETTS STATE LICENSURE REQUIREMENTS +A. Know what license is required by your teaching position: +o The license required for your position should be made +clear to you upon hire, but when in doubt, ask your +principal/head of school, Human Resources +coordinator, or Human Resources manager. +o The fundamental requirement is that teachers must +possess the license that affords the most appropriate +fit for their teaching assignment. For example, while it +may seem acceptable for a teacher of 6th grade math +and science to work under an Elementary (1-6) license, +the MA DESE offers a Middle School Math/Science (5-8) +license which is a more appropriate license for this +teaching assignment. +o For more information about currently offered licenses +and specific requirements, visit +www.doe.mass.edu/licensurehelp. +o Individual’s official state licensure records and history +can be accessed securely through the MA DESE’s ELAR +portal at https://www.doe.mass.edu/licensure/elar/. If +you do not know your username and/or password, click +on "Forgot username/password" and it will walk you +through some steps to retrieve the username and reset + + +Page 3: +Superintendent’s Circular HRS-L01 +Page 3 of 8 + + + +the password. If you still have difficulty, you can call the +DESE Licensure Help Desk at 781-338-6600 and they +should be able to reset it for you. +o See Attachment A for guidance on which “type” of +license (Provisional, Initial, Professional, Temporary) +suits your level of preparation and/or experience. +B. Apply for the appropriate license. +o When interested in obtaining a new license, or +advancing your non-professional license, the best first +step is to apply for the license you plan to pursue. Even +if you have not yet met all of the requirements, this is +DESE's opportunity to evaluate your standing with +regard to the current requirements and give you +written instructions on what remains to be done. They +leave all applications open until you are granted the +license. +o Online applications can be submitted through the MA +DESE’s ELAR portal at +https://www.doe.mass.edu/licensure/elar/, where you +indicate which license you are interested in obtaining +and pay the application fees. Applications cost $100 for +the first submission and $25 for each additional. +o Submit official transcripts (undergraduate and +graduate) to the MA DESE by mail or in person. The +address is: +Office of Educator Licensure +Mass. Dept. of Education +75 Pleasant Street + + +Page 4: +Superintendent’s Circular HRS-L01 +Page 4 of 8 + + + +Malden, MA 02148 +o Additional documentation, such as out-of-state +teaching licenses and letters verifying applicable +teaching experience or preparation, may also need to +be submitted. +o Upon review of your application and transcripts, the +MA DESE will notify you in writing if additional +documentation or clarification is necessary, or if you +still have additional requirements to complete. This is +called the evaluation letter. It will give you instructions +on your next steps. +o Make sure your social security number appears on all +documents sent to MA DESE. +C. Take and pass all relevant MTELs. +o The test(s) you are required to take will be dictated by +the DESE, based on the application that you submitted. +General information about which tests are required for +which license can be found online at +www.doe.mass.edu/licensurehelp. If you still aren’t +certain which tests you need, and you do not have time +to wait for the DESE’s evaluation letter, you may call +the Office of Human Resources at 617-635-9600. +D. Advance or renew your license. +o Teachers who hold a temporary, provisional, or initial +license are required to be working to advance toward a +professional license. See attachment A for guidance on +the progression of licenses. + + +Page 5: +Superintendent’s Circular HRS-L01 +Page 5 of 8 + + + +o Teachers who hold a professional license must renew it +every five calendar years. There is an expiration date +associated with each individual’s professional license +indicating when it needs to be renewed. +o Renewal of a professional license requires the +completion of 150 Professional Development Points +(PDPs) within the five-year renewal period. At least 15 of +these points must be in the content of the license (i.e., +what you teach). The next 15 points must be in +pedagogy (i.e., how you teach). Fifteen points must be +in Sheltered English Immersion or English as a Second +Language (SEI or ESL), 15 points must relate to training +in schooling methods for students with disabilities +and/or diverse learning styles, and the remaining 90 +points can be in “elective activities” that address other +educational issues or improve student learning, +content knowledge, or pedagogy. +o The activities that teachers participate in to earn PDPs +should be dictated by their Individualized Professional +Development Plan (IPDP), which must be reviewed +and signed for approval by their principal/head of +school every two years. Signed copies of the approved +IPDP must be maintained in the school building. +o Visit https://www.doe.mass.edu/pd/ipdp.docx to view +or print an IPDP template. +o Online applications for renewal can be submitted +through the MA DESE’s ELAR portal at +https://www.doe.mass.edu/licensure/elar/ after all PDP +requirements have been completed. + + +Page 6: +Superintendent’s Circular HRS-L01 +Page 6 of 8 + + + +o All educators and other employees seeking licensure +related verifications must complete this form. + +For more information about this circular, contact: +Owner: +Licensure Manager +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9212 +Email: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 7: +Superintendent’s Circular HRS-L01 +Page 7 of 8 + + + +ATTACHMENT A +Massachusetts Teacher Licensure – At a Glance +MASSACHUSETTS EDUCATOR LICENSURE +Licenses granted by the Massachusetts Department of +Elementary & Secondary Education +75 Pleasant Street, Malden, MA 02148 +781-338-6600 +www.doe.mass.edu/licensurehelp + +YOU MAY START HERE… +PROVISIONAL LICENSE +TEMPORARY LICENSE +• Valid for 5 years of employment +• For people who have not +completed an approved +educator preparation program +Requires: +• A bachelor's degree +• Passing score(s) on MTEL +www.mtel.nesinc.com +• Additional coursework required +for elementary, early childhood, +moderate disabilities, severe +disabilities, library, and/or +instructional technology +• Valid for 1 calendar year +• For experienced teachers +from another state +Requires: +• Possession of a valid +educator license/certificate +from another state that is +comparable to at least an +initial license in +Massachusetts +• 3 years teaching under a +valid out-of-state +license/certificate + + + + +Page 8: +Superintendent’s Circular HRS-L01 +Page 8 of 8 + + + +…OR YOU MAY START HERE: +INITIAL LICENSE +PROFESSIONAL LICENSE +• Valid for 5 years of employment +• (May be extended one time for 5 +additional years of employment) +Requires: +• A bachelor's degree +• Passing score(s) on MTEL, +www.mtel.nesinc.com +• Completion of an approved +educator preparation program + +• Valid for 5 calendar years +Requires: +• 3 years of employment +under the Initial license +• Completion of a beginning +teacher induction program +• One of the capstone +options for the Professional +license (i.e., master’s degree +including or in addition to +12 graduate credits in +content) +• Continuing professional +development required to +renew Professional licenses +every 5 calendar years + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP11 +Version 01 + +DRUG FREE WORKPLACE POLICY AND PROCEDURE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +It is the policy of the Boston Public Schools to maintain a +workplace free from all unlawful drugs and substances and to +insist that all staff, students, contracted providers, and others +who work, attend, and/or visit facilities under the jurisdiction of +the School Department avoid unlawful drug and substance use +and abuse at all times. In compliance with the federal Drug-Free +Workplace Act of 1988 (P.L. 100-690) and its implementing +regulations, all employees of the Boston Public Schools, +contracted providers, students, and visitors to facilities under the +jurisdiction of the School Committee are hereby notified that the +unlawful manufacture, distribution, dispensation, possession, or +use of a controlled substance (as listed in schedules I-V of Section +202 of the Controlled Substances Act) is prohibited. Violations of +this policy shall be subject to the provisions of federal and state +law, to procedures relative to the discipline of employees, and to +the provisions of the Code of Conduct of the Boston Public +Schools. +All employees must abide by this policy as a condition of +employment. Employees must notify their immediate supervisor +within forty-eight (48) hours of any conviction (including a plea of +nolo contendre) of a violation of any federal or state criminal drug +law by an action committed in the workplace. The employee’s +immediate supervisor will notify the Office of Human Capital. + + +Page 2: +Superintendent’s Circular HRS-PP11 +Page 2 of 2 + +Within ten (10) days of receiving notice of such a conviction, it will +be the responsibility of the superintendent or designee to notify +the funding agency in those cases where the employee is directly +engaged in the performance of work and is paid through a direct +federal grant. The Development Office will prepare, annually for +the Office of Human Capital, a list of employees covered by this +provision of the regulations. +Within thirty (30) days of receiving notice of such conviction, an +investigation will be initiated. It will be the responsibility of the +superintendent to recommend disciplinary action, including but +not limited to suspension or dismissal. +Boston Public Schools staff should be made aware of the services +available through the City of Boston Employee Assistance +Program (B.E.A.P.). Responsibility Center managers and directors +are urged to refer to the B.E.A.P. any employee who +demonstrates symptoms of drug or alcohol abuse at 617-635- +2200 or eap@boston.gov. The program is located at 43 Hawkins +St., Boston. +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: 2300 Washington Street, Roxbury MA 02119 +Fax: +617-635-7956 +Phone: +617-635-9600 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP03 +Version 01 + +TUITION REIMBURSEMENT BTU AND ADMINISTRATIVE +GUILD MEMBERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston School Committee (BSC) has agreed to several +programs that allow for reimbursement of tuition costs to eligible +collective bargaining unit members in exchange for a +commitment of continued employment. +BOSTON TEACHERS UNION MEMBER ELIGIBILITY +Permanent teachers who are not eligible for a career award and +who commit to three years of continuous employment in the +Boston Public Schools will be reimbursed for tuition expenses +accrued in a given school year. Payment will not exceed $1,000 +per teacher per school year. +Per agreement between BSC and BTU, provisional teachers who +have completed at least one year of service in the Boston Public +Schools will be eligible for a tuition reimbursement payment not +to exceed $500 per school year. +This definition of eligibility is explicitly meant to include those +employees who are in job titles that are compensated based on +Group I or Group II of the BTU salary schedules. + + +Page 2: +Superintendent’s Circular HRS-PP03 +Page 2 of 11 + +ABA SPECIALISTS ELIGIBILITY +Per agreement between BSC and BTU, ABA specialists who have +completed at least one year of service shall be eligible for tuition +reimbursement of up to $500 per year for approved college or +graduate credits. +At three years of successful employment, ABA specialists will be +eligible for tuition reimbursements of up to $1,000 for approved +college courses until they become eligible to receive their career +award. +PARAPROFESSIONALS ELIGIBILITY +Per agreement between BSC and BTU, all paraprofessionals who +have completed five or more years of full-time service as of the +end of the prior school year will be entitled to tuition +reimbursement of up to $1,000 a year for approved college +courses. +Per agreement between BSC and BTU, all paraprofessionals who +have completed more than three years of full-time service as of +the end of the prior school year will be entitled to tuition +reimbursement of up to $500 a year for approved college +courses. +ADMINISTRATIVE GUILD MEMBERS ELIGIBILITY +To be eligible to receive tuition reimbursement, members of the +Administrative Guild must have served at least one full school +year commencing on September 1 prior to the year in which the +tuition reimbursement application is filed. +Tuition reimbursement for members of the Administrative Guild + + +Page 3: +Superintendent’s Circular HRS-PP03 +Page 3 of 11 + +is capped at $1,000 per member, per year. +ELIGIBLE COURSES +All coursework must be approved by the assistant +superintendent of Human Capital (or designee), consistent with +the current policy. Further, eligible courses for school year 2023- +2024 are courses that begin anytime from September 1, 2023 +through August 31, 2024. Courses that meet the criteria +established for salary lane advancement as articulated in +Superintendent’s Circular HRS-PP01 will be considered eligible +for tuition reimbursement. +The Boston Public Schools will only reimburse employees for the +cost of the class itself and does include consultant or facilitator +fees. Please send receipts of out-of-pocket payment directly from +the institution in which your transcript was issued. +GUILD: All courses, certificate programs and job-related training +must be approved by the assistant superintendent of Human +Capital, consistent with current policy. + + + + +Page 4: +Superintendent’s Circular HRS-PP03 +Page 4 of 11 + +APPLICATION PROCESS +To receive tuition reimbursement payments, eligible employees +must submit: +● A signed Form PS-03 (Personnel Action Request Form). In +the “Pay Adjustment” category, place a check mark in the +tuition reimbursement block. +○ The PS03 form can be downloaded here: +https://drive.google.com/file/d/0B9Pn1K0- +QB_FWTRJV2JaSDdNbEU/view?resourcekey=0- +y7E5QNx7B_HmLeFHKLJauQ +○ Employees must sign and date the form in the +“Originator’s Signature / Date” block. +● BTU: A signed affidavit agreeing to three continuous years +of employment with the Boston Public Schools. A copy of +the affidavit is attached to this circular. An affidavit is not +required for paraprofessionals or members of the +Administrative Guild. +● Official original transcripts clearly indicating a passing +grade and graduate credit was awarded from an accredited +institution. Undergraduate course work is accepted for +paraprofessionals and Administrative Guild members. +Electronic transcripts must be sent directly to the Office of +Human Capital. Please send to +EmployeeServices@BostonPublicSchools.org +* Guild members are also eligible for completion of +certificate programs. + + + + +Page 5: +Superintendent’s Circular HRS-PP03 +Page 5 of 11 + +● Documentation of tuition payment. This documentation +should be in the form of receipt for an out-of-pocket +payment or a credit card statement indicating that payment +was made to the institution from which courses were taken +and credit was granted. +Submit all materials to: +Employee Services Department +Boston Public Schools +2300 Washington Street +Roxbury, MA 02119 + +PAYMENT OF TUITION REIMBURSEMENTS +The Office of Human Capital will make every effort to issue tuition +reimbursements within 60 days of receipt of all required +application documentation as listed above. +Summary of significant dates and deadlines: +Date +Activity +September 1 +Start of reimbursement year +August 31 + +Deadline for submitting tuition reimbursement +documentation to be processed for the +previous academic year +August 31 +End of reimbursement year + + + + + +Page 6: +Superintendent’s Circular HRS-PP03 +Page 6 of 11 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 7: +Superintendent’s Circular HRS-PP03 +Page 7 of 11 + +AFFIDAVIT FOR BTU (TEACHER) MEMBERS +I hereby agree to continue my employment with the Boston +Public Schools for three continuous years from the date of receipt +of tuition reimbursement payment in the qualifying amount of +$500 or $1,000.00. All course work must be approved by the +assistant superintendent of Human Capital, consistent with +current policy, prior to my reimbursement of monies. If I fail to +continue my employment for three continuous years, I agree to +reimburse the Boston Public Schools for the entire amount of +$500 or $1,000.00 within one month of my discontinuance of +service with the Boston Public Schools. Failure to do so will result +in initiation of legal action by the Boston Public Schools to +receive said monies. +Check one: +____I am a Permanent Teacher entitled to $1,000. +____I am a Provisional Teacher entitled to $500. +Signed under the pains and penalties of perjury. + _________________________________________________________________ +Signature + +______________________________________________ __________________ + +Print Name +Date + +Witness signature: ______________________________________________ +BPS: BTU DUAL LICENSE REIMBURSEMENT FOR BTU + + +Page 8: +Superintendent’s Circular HRS-PP03 +Page 8 of 11 + +TEACHERS +Per the most recent Collective Bargaining Agreement effective +from September 1, 2022, through August 31, 2024, (the “CBA”) +where a position requires two licenses and the incumbent does +not possess the same, educators will be required to obtain a +second license. Teachers will be reimbursed for up to $3,000 in +expenses incurred to obtain the required second license. +BOSTON TEACHER UNION MEMBER ELIGIBILITY +Teachers who are required by BPS to obtain another license to +teach in their existing position and do not currently hold the +required license. +Per the CBA, BPS will reimburse teachers up to $3,000 during +their employment with BPS for the cost of obtaining another +license required by BPS for the teacher’s position, including but +not limited to those working under a waiver or emergency +license. +ELIGIBLE COURSES +Teachers shall be reimbursed for the following expenses incurred +to obtain the required license: +● MTEL prep courses from a provider on a list established by +the Office of Human Capital +● MTEL tests +● Graduate coursework1 + +1 Credit equivalency is not considered graduate course work + + +Page 9: +Superintendent’s Circular HRS-PP03 +Page 9 of 11 + +● License Fees +● BPS Pathway Programs +Reimbursements will be considered provided teachers submit +receipts to the Office of Human Capital within the fiscal year that +expenses were incurred. +This definition of eligibility is explicitly meant to include those +employees who are in job titles that are compensated based on +Group I or Group II of the BTU salary schedules. +APPLICATION PROCESS +To receive the Dual License reimbursement payments, eligible +employees must submit: +● A Google form response +○ The Google form can be found here: +https://docs.google.com/forms/d/e/1FAIpQLSf35H7BTyp +O0rLPZKgzRgKTi3lQfbyRycfy0sgFaNi5IvHlfA/viewform +○ All submissions must include proof of payment. +● A copy of the Dual Licensure Notice informing the +incumbent that their position will require two licenses going +forward. +● Documentation of expenses payment. This documentation +should be in the form of receipt for an out-of-pocket +payment, or a credit card statement indicating that +payment was made to the institution from which courses +were taken and credit was granted. Documentation should +be clearly dated. +Submit all materials via Google form. + + + +Page 10: +Superintendent’s Circular HRS-PP03 +Page 10 of 11 + +PAYMENT OF DUAL LICENSE REIMBURSEMENTS +The Office of Human Capital will make every effort to issue Dual +License reimbursements within 60 days of receipt of all required +application documentation as listed above. +Summary of significant dates and deadlines: +Date +Activity +September 1 +Start of reimbursement year +August 31 + +Deadline for submitting Dual License +reimbursement documentation to be +processed for the previous academic year +August 31 +End of reimbursement year + + + + + +Page 11: +Superintendent’s Circular HRS-PP03 +Page 11 of 11 + +For more information about this circular, contact: +Owner: +School Based Staffing +Department: +Office of Human Capital +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-9600 +Email: +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can be +found on Access Boston. + +Mary Skipper, Superintendent + + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP01 +Version 01 + +CONTRACTUAL BENEFITS: CAREER AWARDS, SALARY +LANES, SALARY STEPS, ACADEMIC LADDER CREDITS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public Schools offer numerous contractual benefits such +as career awards and salary lane increases based on the +completion of accredited coursework, degrees, academic ladder +credits, and continuing education units. To receive these benefits, +employees must submit the appropriate documentation +(described below) to the Office of Human Capital. Once their +documentation is submitted, employees will receive confirmation +via email, within 4 to 6 weeks, except during peak seasons. +1. CAREER AWARDS +Career awards are issued monthly by anniversary date, based on +a monthly reporting cycle in the Office of Human Capital, and +vary by union affiliation. PS03s are no longer needed to initiate +this process, except for BASAS members, who are required to +submit a request via PS03. If an award is not received, the +employee should then submit a PS03 to the Office of Human +Capital to address the issue: +• In the “Pay Adjustment” category, place a checkmark in the +career award block and specify the career award requested. +• Indicate initial date of employment. +• Sign and date the “Originator’s signature/date” block. + + +Page 2: + +Superintendent’s Circular HRS-PP01 +Page 2 of 12 + +Career awards are effective on an employee's anniversary date. +Employees will see their career award reflected within 2-3 pay +periods. Denied applicants will receive an email from the Office of +Human Capital (to the employee’s bostonpublicschools.org email +address) providing the reason for the denial. +Paraprofessionals: Career awards are awarded by the number of +working days completed, not (wholly) by academic year +completed. The schedule of awards is as follows: +Step +Length of Service +2 +3 Years +3 +6 Years +4 +9 Years +5 +12 Years +Career Award +1,800 Paraprofessional Seniority Days +Career Award +2,800 Paraprofessional Seniority Days +Career Award +3,800 Paraprofessional Seniority Days +Career Award +4,800 Paraprofessional Seniority Days +Career Award +5,800 Paraprofessional Seniority Days + +BTU: Career Awards are awarded at the completion of the +threshold year, for the start of the next academic year. +All other collective bargaining units: Career awards are awarded +on an employee’s anniversary date based on a monthly reporting +cycle. +2. SALARY LANES +Employees who qualify by contract for a change in salary lane as + + +Page 3: + +Superintendent’s Circular HRS-PP01 +Page 3 of 12 + +a result of the completion of accredited course work and degrees +must submit a PS-03 to receive this benefit. Lane changes are +not made automatically. +• In the “Pay Adjustment” category, place a checkmark in the +salary lane block and specify the salary lane requested. +• Attach official original transcripts documenting accredited +courses and/or degree completion. Transcripts for +accredited graduate coursework must include a passing +grade and/or a degree conferred date for acceptance. +Electronic transcripts must be sent directly from the +institution to EmployeeServices@BostonPublicSchools.org. +Boston Public Schools In-Service and Academic Ladder +certificate(s) must be printed. An In-service/Academic +Ladder transcript summary is not acceptable. +• Sign and date the “Originator’s signature/date” block. +➢ Employees should only submit credits/degrees when +applying for salary lane advancement; employees +should not submit single or multiple credits below the +threshold for lane advancement. +Approved applicants can expect to see a change in their salary +within 3-4 pay periods following submission of a salary lane +application. Denied applicants will receive an email from the +Office of Human Capital (to the employee’s +bostonpublicschools.org email address) providing the reason for +the denial. Please note that this process will take longer in the +summer months (June – September). +Salary lane changes will be processed retroactively to September +1 if the application is received in the Office of Human Capital by +the close of business on September 30. Otherwise, the change +will be effective on the first day of the month following complete + + +Page 4: + +Superintendent’s Circular HRS-PP01 +Page 4 of 12 + +submission of all documentation during the school year. +Submissions after May 31 will be effective for the start of the +following school year. +Note: Boston Public Schools reserves the right to approve salary +lane advancement for only those courses that are related to the +field of education or enhance advancement up the educational +career ladder. Requests for pre-approval of any courses shall be +responded to by the Office of Human Capital promptly. Courses +must meet the following criteria: +Accredited College or University Courses +1. Courses must be granted by an accredited college or +university listed on the Accredited Institutions of Post- +Secondary Education registry and deemed acceptable by +the American Council on Education. +2. Courses must award graduate credit. If the transcript does +not clearly state the course is at graduate level, then the +applicant must supply a letter from the institution verifying +the course is offered for graduate credit. Note: for +paraprofessionals, undergraduate credit and in-service +credits are acceptable for salary lane advancement, up to a +bachelor’s degree. +3. Courses are evaluated by the semester hour only. Courses +taken by the quarter credit hour will be converted by the +metric specified by the respective institution. If a conversion +rate is not specified, Boston Public Schools will use a .75 to +1.0 ratio. +4. Courses must clearly relate to the field of education in the +Boston Public Schools. + + +Page 5: + +Superintendent’s Circular HRS-PP01 +Page 5 of 12 + +Academic Ladder Credit +An Academic Ladder Credit, also known as an “ALC”, is a new +“credit” for academic lane advancement. ALCs are equal in value +to in-service credits, with no cap on the amount one can earn. +Each ALC course has a clearly articulated target competency and +a range of options for demonstrating this competency through +artifacts or reflections. ALCs require approximately 12 hours of +“seat time” per credit. Credit will not be awarded until the +educator submits a final product demonstrating successful +implementation of a specific instructional practice. Options for +demonstrating may include lesson or unit plans, videos, student +work analyses, reflections, or some combination of these. +Employees should only submit ALC credits/degrees when +applying for salary lane advancement. When doing so, employees +should submit the actual ALC completion certificate from Vector. +Only ALCs approved by the Boston Public Schools will be +awarded credit for salary. +Available ALC courses can be found on Vector. Additionally, a list +of frequently asked questions can be found in APPENDIX A. +In-Service Courses +Course credit may be granted for courses previously offered by +the Boston Public Schools. Only courses approved by the Boston +Public Schools will be awarded credit for salary purposes. +Employees should submit the actual in-service completion +certificate, available on Vector. The transcript summary is not +accepted. Please note that no more than 30 in-service credits +may be used for lane advancement during each employee’s +lifetime career with Boston Public Schools. + + +Page 6: + +Superintendent’s Circular HRS-PP01 +Page 6 of 12 + +Continuing Education Units (CEUs) +CEUs, also known as contact hours, are accepted at the rate of 15 +contact hours for 1 graduate credit, not to exceed 30 graduate +credits. Please note that .1 CEU is the equivalent of 1 contact hour. +This applies to nurses, speech and language pathologists, school +psychologists, social workers, adjustment counselors, guidance +counselors, occupational and physical therapists, vision teachers, +and lead sign language interpreters only. CEUs are only accepted +from approved CEU providers. The Boston Public Schools is not +an approved CEU provider. +Professional Development Points (PDPs) +Although professional development points may be awarded for +the completion of in-service courses, they are not applicable for +salary lane advancement. PDPs are most used as evidence +toward maintaining professional licensure. +3. SALARY STEPS +Salary step increases are automatically awarded based on the +date specified in the applicable collective bargaining agreement. +An employee who believes that they are being compensated on +an incorrect step of the salary schedule should submit a PS-03 to +the Office of Human Capital, as follows: + + + + +Page 7: + +Superintendent’s Circular HRS-PP01 +Page 7 of 12 + +• In the “Pay Adjustment” category, place a checkmark in the +salary step block and specify the salary step requested. +• Include a brief explanation for the request in the “Additional +Explanation” section. +• Sign and date the “Originator’s signature/date” block. +Salary Steps as Related to Inside and Outside Service +There is no longer a cap on the amount of Inside Service credits +available for salary step adjustments/placement. Instead, the +credit is based on prior eligible years of service. To qualify, an +employee must have worked a minimum of 120 days in a +qualifying academic year. +A maximum of three years is awarded for an outside service +salary step adjustment. To qualify, an employee must provide +original documentation from a previous employer, specifically +certifying the named employee has completed a minimum of 160 +days in the appropriate licensed capacity for each year. +Individuals should not knowingly falsify information and should +understand that applications are signed under the pains and +penalties of perjury. +As salary lane and salary step advancements are contractual +entitlements, employees should forward these PS-03 requests +directly to the Office of Human Capital. No further signatures are +necessary. + + + + +Page 8: + +Superintendent’s Circular HRS-PP01 +Page 8 of 12 + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +May 31 +Academic year deadline for salary lane changes +to be processed effective in the same year. +June, July & +August +Submissions effective for the start of the next +school year. +September 30 + +Deadline for submitting salary lane changes to +be processed retroactively to September 1. + +4. NATIONAL BOARD-CERTIFIED TEACHERS +When you achieve or renew National Board Certification, please +submit the official notification letter and a PS03 Form. The Office +of Human Capital will review and verify the candidate's successful +completion of board certification, inception and expiration dates +via the NBPTS website. The National Board differential is +effective on the 1st of the month following an eligible +submission. Recertifications will be effective on the renewal date +as long as the request is received prior to the expiration date. If +recertification received after the original expiration date the +renewal will be dated for the first of the month following receipt. + + + + + +Page 9: + +Superintendent’s Circular HRS-PP01 +Page 9 of 12 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 10: + +Superintendent’s Circular HRS-PP01 +Page 10 of 12 + +APPENDIX A +Academic Ladder Credits: Frequently Asked Questions +• What is an Academic Ladder Credit (ALC), and how does it +differ from an in-service credit? +An Academic Ladder Credit, also known as ALC, is a new +“credit” for academic lane advancement. ALCs are equal in +value to in-service credits, with no cap on the amount one +can earn. ALCs require approximately 12 hours of “seat time” +per credit, but credit is not awarded until the educator +submits a final product demonstrating successful +implementation of a specific instructional practice. +• What do I need to do to earn ALCs? +ALCs are earned by demonstrating competence in the +practices learned in the course. While courses are +approximately 12 hours of instruction (in person or online), +credits are not awarded simply for attendance and +participation. Each ALC course will have a clearly articulated +target competency and a range of options for +demonstrating it through artifacts or reflections. +• What kinds of options might be available for +demonstrating competencies? +Each course will be different, but options include: lesson or +unit plans, videos, student work analyses, reflections, or +some combination of these. +• Who determines whether I have demonstrated a +competency? +A team of BTU educators and central office administrators + + +Page 11: + +Superintendent’s Circular HRS-PP01 +Page 11 of 12 + +will review product submissions and award credits using a +rubric made available to all course participants. Those who +do not earn credits on their first submission will receive +feedback and an opportunity to resubmit. +• Am I eligible to take any ALC course I want? +While any educator is technically able to apply for any ALC +course, because earning an ALC requires demonstrating +competence in a skill, it will be difficult to complete courses +that are not relevant to your context. OHC or APL reserves +the right to refuse admittance to those educators for whom +the content may not be relevant. +• Is there a limit to the number of ALCs I can receive in a year +or over my career? +No. ALCs are not subject to the same cap as in-service +credits. +• Can you use ALCs in combination with graduate credits, +etc. towards advancement? +Yes. Employees may use combinations of graduate credits, +in-service credits and ALCs for lane advancement. However, +a teacher must possess a master’s degree to advance to the +master’s lanes and must possess a doctorate degree to +advance to the doctorate lane. +• How do I submit my ALC credits to the Office of Human +Capital for credit toward lane advancement? +Employees should only submit ALC credits/degrees when +applying for salary lane advancement. When doing so, +employees should submit the actual ALC completion + + +Page 12: + +Superintendent’s Circular HRS-PP01 +Page 12 of 12 + +certificate from TeachPoint, along with any other graduate +or in-service credits, and a completed PS03 to the Office of +Human Capital (4th Floor, Bolling Building). Only ALCs +approved by the Boston Public Schools will be awarded +credit for salary. +• Are ALC courses portable outside BPS? +No. +• Are non-BTU members eligible to earn ALCs? +While non-BTU members may participate in ALC courses, +only BTU members are eligible to receive credits. +• Are paraprofessionals eligible to receive ALCs? +Yes. Please note that because earning an ALC requires +demonstrating competence in a skill, it will be difficult to +complete courses that are not relevant to your role or +context. OHC or APL reserves the right to refuse admittance +to those educators for whom the content may not be +relevant. +• I have an idea for an ALC course. How can I make that +happen? +Contact the Office of Academics and Professional Learning. + + + +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM03 +Version 01 + +PERFORMANCE EVALUATION OF MEMBERS OF THE +ADMINISTRATIVE GUILD +The following sets forth the philosophy, roles, responsibilities, and +procedures applicable to the evaluation process for members of +the Administrative Guild. +I. COVERAGE +The contract between the School Committee and the +Administrative Guild provides for both annual and interim +evaluations of the performance of all employees represented by +the Guild. The evaluation process relates to the duties and +responsibilities of the employee’s position, as set forth in the +employee’s job description. +The job descriptions are general in nature and are not intended +to change any employee’s existing responsibilities. The format of +the job descriptions allows supervisors to determine the specific +job duties associated with the position’s classification. +The supervisor should obtain a copy of the appropriate job +description and provide it to each employee under their +jurisdiction. The supervisor should also communicate clearly to +the employee the specific duties associated with the position as +well as any additional information pertaining to the position. +Members of the Administrative Guild can also contact their OHC +Staffing Manager to access job descriptions. + + +Page 2: +Superintendent’s Circular HRS-PM03 +Page 2 of 21 + +II. PHILOSOPHY +The Boston Public Schools recognizes that the quality of +educational service depends upon the professional performance +and total job effectiveness of all employees. Since clerical and +technical employees can and should be held accountable for the +quality of their performance, a just and effective process for +evaluating that performance is essential. True performance +evaluation involves an analysis of an employee's strengths and +weaknesses, resulting in diagnoses and prescriptions that lead to +the desired improvement of skills and performance. +All clerical and technical employees will be evaluated using the +diagnostic-prescriptive approach, and the procedures and forms +developed for the implementation of this approach. +A diagnostic-prescriptive evaluation program is positively +directed and encourages employees to maximize their unique +strengths and skills. It encourages employees to participate in +the evaluation of their own performance and to help set +objectives for self-improvement. The performance evaluation +process, however, is not intended to be a substitute for the day- +to-day communication with and supervision of employees. +An effective performance evaluation program is one that is +continuous rather than periodic and organized to: +● develop a clear understanding of the goals of the +department or school; +● assist employees in addressing more effectively the needs +of each school or department; and +● encourage cooperative staff relations through mutual trust +and respect for each employee's role. + + +Page 3: +Superintendent’s Circular HRS-PM03 +Page 3 of 21 + +III. ROLES AND RESPONSIBILITIES +Heads of school, principals, and other administrative heads have +chief responsibility for the evaluation of all staff in their +responsibility centers. Performance evaluations must be +conducted by the employee's most immediate supervisor who is +not a member of the Guild bargaining unit. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. +Further, a supervisor will also be performing unsatisfactorily if an +underperforming staff member is given a satisfactory rating and +then encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +IV. DIAGNOSIS AND RECOMMENDATIONS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. There are four possible +ratings: + +E – EXEMPLARY: +The employee’s performance of the duties and +responsibilities of their position exceeds +expectations. +P – PROFICIENT: +The employee’s performance of the duties and +responsibilities of their position meets +expectations. + + +Page 4: +Superintendent’s Circular HRS-PM03 +Page 4 of 21 + +N – NEEDS +IMPROVEMENT: +The employee’s performance of the duties and +responsibilities of their position needs +improvement. +U – UNSATISFACTORY: +The employee has failed to meet expectations +and their performance of the duties and +responsibilities of their position needs +improvement. +Every interim and annual evaluation must result in a mark for +each appropriate item on the evaluation form. In any area where +the supervisor indicates a need for improvement, they will +provide the employee with a written prescription within the +evaluation document. The diagnosis and subsequent +prescription should be fully descriptive and instructive, +suggesting specific remedies or recommendations for adoption +by the employee. The employee may suggest additional or +alternative prescriptions. +V. PERFORMANCE MANAGEMENT PROCESS +The performance of employees represented by the Guild +bargaining unit is evaluated annually. The evaluation year is from +July 1 to June 30 for each employee. +Performance evaluation activities may include, but are not +limited to, preliminary planning conferences, daily observations, +notations, formal interim evaluations, follow-up conferences, and +recommendations to the employee by the evaluator. +During the entire evaluation process, continuous administrative +assistance, support, and encouragement should be extended to +assist the employee in meeting established objectives. + + +Page 5: +Superintendent’s Circular HRS-PM03 +Page 5 of 21 + +STEP 1 – PRELIMINARY PROCEDURES +At the beginning of each evaluation year, the head of school, +principal, or other administrative head should meet with their +supervisory staff to orient them to the performance evaluation +process and to their roles and responsibilities within that process +for the upcoming year. Guild members will be evaluated by their +most direct supervisor or designee who is not a member of the +Guild bargaining unit. +For all new employees or after a change in supervision, the +evaluator must meet with the employee no later than 30 days +after the start of the evaluation year to discuss and explain the +evaluation process, the evaluation instrument, and to clarify the +responsibilities and objectives of the position. +The evaluator and the Guild member will sign the evaluation +instrument indicating the date of such meeting. +STEP 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS +NEEDED) +If at any time, including at the interim evaluation meeting (see +step 3), a supervisor finds that an employee needs major +improvement in their job performance or in accomplishing any +goal, the supervisor will prepare a written diagnosis of the +situation, recommendations for improvement, and will share this +feedback with the employee within a reasonable amount of time. +STEP 3 – INTERIM EVALUATION PROCEDURES +All new employees or employees under new supervision should +receive an interim evaluation no later than November 15, if +reasonably possible. All other employees will be evaluated a +minimum of one time during the school year. However, to +receive a rating of “Unsatisfactory” in any category on an annual + + +Page 6: +Superintendent’s Circular HRS-PM03 +Page 6 of 21 + +evaluation, an interim evaluation must have been previously +conducted. +If an interim evaluation includes a rating(s) of Unsatisfactory +and/or Needs Improvement in any category, then the supervisor +will communicate in writing the reasons for the rating(s) of +Unsatisfactory and/or Needs Improvement within the evaluation +form and provide prescriptions for improvement. A follow-up +evaluation or evaluations for an interim overall unsatisfactory +evaluation must be done after a minimum of 20 school days and +no later than 50 school days from the last evaluation during +which a member is present. All initial “Unsatisfactory” interim +evaluations should have a follow-up evaluation no less than 20 +school days during which the employee is present. +The same form is used for interim and annual evaluations. +STEP 4 – POST INTERIM MEETING EVALUATION CONFERENCE +Within ten (10) working days in which the employee is present +following the completion of an interim evaluation document, the +evaluator will meet with the employee to discuss the evaluation. +During this conference, the evaluation and a copy of it will be +provided to the employee, who will sign both the original and the +copy to indicate that they have seen and acknowledged it, but +not to indicate agreement or disagreement with its contents. The +supervisor must retain the signed copy. The employee has a right +to attach a written response to the evaluation. +If an employee receives a mark of Needs Improvement or +Unsatisfactory on any item on their performance evaluation form, +the principal, head of school, or other administrative head must +immediately submit this evaluation form to the Office of Human +Resources. + + +Page 7: +Superintendent’s Circular HRS-PM03 +Page 7 of 21 + +Interim evaluations will not be placed in the employee’s +permanent file. +STEP 5 – ANNUAL EVALUATION PROCEDURES +Annual evaluations must be completed no later than June 1 of +each year. +If an evaluation includes a rating(s) of Unsatisfactory and/or +Needs Improvement in any category, then the supervisor will +communicate in writing the reasons for the rating(s) of +Unsatisfactory and/or Needs Improvement within the evaluation +form and provide prescriptions for improvement. However, to +receive a rating of “Unsatisfactory” in any category on an annual +evaluation, an interim evaluation must have been previously +conducted. If an employee received a Needs Improvement or +Unsatisfactory rating on any item on the form, the Principal, +Head of School, other Administrative Head must immediately +submit this evaluation form to The Office of Human Resources. +STEP 6 – POST ANNUAL EVALUATION CONFERENCE +Within ten (10) working days in which the employee is present +following the completion of any evaluation document, the +evaluator will meet with the employee to discuss the evaluation. +During this conference, the evaluation and a copy of it will be +provided to the employee, who will sign both the original and the +copy to indicate that they have seen and acknowledged it, but +not to indicate agreement or disagreement with its contents. The +employee has the right to attach a written response to the +evaluation form. +If an employee receives an annual overall Unsatisfactory +evaluation, the supervisor may initiate termination by +recommending to the Superintendent that such employee be + + +Page 8: +Superintendent’s Circular HRS-PM03 +Page 8 of 21 + +terminated. +STEP 7 – SUBMIT PERFORMANCE EVALUATION FORMS TO THE +OFFICE OF HUMAN RESOURCES +At the end of each evaluation year, the principal, head of school, +or other administrative head should retain the copies of all +evaluations and send/deliver the originals of all evaluations to the +Office of Human Resources front desk. If the performance +evaluation is overall Unsatisfactory, a copy should also be sent to +the director of evaluation and performance management, Office +of Human Resources. +Note: An employee with an “Unsatisfactory” performance +evaluation has no bidding rights until that employee receives a +subsequent “satisfactory” performance evaluation. For the +purposes of this section, an “Unsatisfactory” evaluation means an +unsatisfactory rating in any two areas on an interim or annual +evaluation. +VI. PROCEDURES FOR DISCIPLINE +If a principal, head of school, or other administrative head +determines that an employee has committed an infraction of +work rules such as excessive tardiness, absences, etc., the +supervisor should follow the procedures outlined in the +Superintendent's Circular on Employee Discipline Procedures. +Additionally, the supervisor should consider the infraction in +evaluating the employee's overall performance. + + + + +Page 9: +Superintendent’s Circular HRS-PM03 +Page 9 of 21 + +VII. FORMS +The Performance Evaluation Form for Members of the +Administrative Guild is attached. +Summary of significant dates and deadlines: +DATE +ACTIVITY +Within the first 30 days +of Evaluation Year +For new employees/employees under +new supervision only: Review job +description and evaluation instrument. +Sign cover page to acknowledge +meeting. +No later than +November 15 +For new employees/employees under +new supervision only: Complete first +Interim Evaluation +June 15 +Deadline to send signed, original +copies of evaluations to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: OHC Front Desk +2300 Washington Street, 4th floor +Roxbury, Massachusetts 02119 +July 1 to June 30 +The evaluation year of an +Administrative Guild employee + + + + + + + + + + + + +Page 10: +Superintendent’s Circular HRS-PM03 +Page 10 of 21 + + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 11: +Superintendent’s Circular HRS-PM03 + +Page 11 of 21 + +BOSTON PUBLIC SCHOOLS ADMINISTRATIVE GUILD +PERFORMANCE EVALUATION FORM +Name: _________________________________Employee ID: ____________ +Current Position and Grade: ___________________ Date: ____________ +Permanent Position and Grade: __________________________________ +Department/School: _____________________________________________ +Evaluator: ________________________________________________________ +Check One: Interim Evaluation: ☐ Annual Evaluation: ☐ +Evaluator's Signature: _________________________ Date: +_____________ +Employee's Signature: _________________________ Date: ____________ +The employee's signature indicates that they have seen and +discussed the evaluation. It does not denote agreement with it. +Evaluator's Supervisor +Signature: ____________________________________ Date: _____________ +Initial Pre-Evaluation Conference: + Evaluator’s Signature:__________________________Date:____________ + +Employee’s Signature___________________________Date: + + + + + +Page 12: +Superintendent’s Circular HRS-PM03 +Page 12 of 21 + +Review the employee’s job description and then complete the +form. The following scale will be used for ranking performance: +E - EXEMPLARY +The employee’s performance of the +duties and responsibilities of their +position exceeds expectations. +P - PROFICIENT +The employee’s performance of the +duties and responsibilities of their +position meets expectations. +N - NEEDS +IMPROVEMENT +The employee’s performance of the +duties and responsibilities of their +position needs improvement. +U - UNSATISFACTORY +The employee has failed to meet +expectations and their performance of +the duties and responsibilities of their +position needs improvement. +The evaluator will circle the letter that applies, or if the form is +being completed electronically, the evaluator should underline or +bold the letter that applies. Any rating of "U" or “N” must be +accompanied by a supporting diagnosis and prescription. The +evaluator may add comments to ratings of "P" and "E" at their +discretion. + + + + + + +Page 13: +Superintendent’s Circular HRS-PM03 +Page 13 of 21 + +Performance Ratings (see Performance Standards descriptions +below): +(Place an X in the appropriate box for each +standard and overall) +E +P +N +U +Standard I: Job Functions + + + + +Standard II: Collaboration and Initiative + + + + +Standard III: Communication + + + + +Standard IV: Professionalism and Growth + + + + +Overall Rating + + + + + +Supervisor's Comments +1. How long has this employee been under your supervision? + +2. General comments, significant other achievements, +appraisal of potentialities. + + + + + + +Page 14: +Superintendent’s Circular HRS-PM03 +Page 14 of 21 + +3. This diagnosis and prescription section must be completed +for each category evaluated as U – Unsatisfactory. Identify +the item number, the observable need for improvement, the +recommendation, and the target date for improvement. + + + + + +Employee's Comments: + + +Page 15: +Superintendent’s Circular HRS-PM03 + +Page 15 of 21 + +ADMINISTRATIVE GUILD PERFORMANCE STANDARDS +Standard I: Job Functions. The employee effectively supports the district's and department/school’s +mission through demonstrated job-specific skills, knowledge, and quality of work after proper +instruction. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +I-A. Skills and +knowledge +Demonstrates a +critical lack of +necessary skills +and knowledge +to perform one's +own job, +including the +ability to +effectively use +relevant, position +specific +technology. +Demonstrates +some, but not all, of +the necessary skills +and knowledge to +perform the +employee's own job, +including the ability +to effectively use +relevant position +specific technology. +Has the necessary +technical skills and +knowledge to +perform the +employee's own job, +including the ability +to effectively use +relevant position +specific technology. +Demonstrates +proficiency AND +serves as a resource +for other employees +in similar or related +positions. + + + +Page 16: +Superintendent’s Circular HRS-PM03 +Page 16 of 21 + +I-B. Quality of +Work +Demonstrates +effectiveness at +few to none of +the +responsibilities +defined in the +employee's job +description. +Demonstrates +effectiveness at +some, but not all, of +the responsibilities +defined in the +employee's job +description. +Accurately, +competently, and in a +timely manner +performs assigned +tasks as set forth in +the job description. +Demonstrates +proficiency AND +makes significant or +noteworthy +contributions +towards helping +accomplish the +school/department +goals. + + + + + + + + + + +Page 17: +Superintendent’s Circular HRS-PM03 +Page 17 of 21 + +Standard II: Collaboration and Initiative. The employee supports the district's and the +department/school’s mission and goals by cultivating a shared vision, modeling responsibility, +accountability, and cooperation. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +II-A. +Teamwork +Demonstrates a +pattern of refusal +to support +supervisor and +others as +identified in the +job description. +Demonstrates +limited accuracy +and support of +supervisor and +others as identified +in the job +description when +asked. +Establishes and +maintains +relationships that +promote the +advancement of +common goals by +providing accurate +and reliable support. +Demonstrates +proficiency +AND takes initiative +to identify and act +upon new +opportunities to +support +school/department +missions. +II-B. +Motivation and +Initiative +Requires direct +intervention and +continual +oversight from +supervisor to +Requires increased +oversight or +reminders for +routine duties +despite receiving +Accomplishes work +after proper +instruction; seeks +clarification when +needed performs +Demonstrates +proficiency AND +recommends +solutions, as well as +takes initiative on + + +Page 18: +Superintendent’s Circular HRS-PM03 +Page 18 of 21 + +perform the +duties outlined +in job +description. +standard support. +tasks in anticipation +of or extraneous to +normal +responsibilities, +effectively copes with +the unexpected. +starting new tasks +and projects, as +appropriate, to +support district and +school/department +goals. + +Standard III: Communication. Communicates effectively, professionally and with a customer-focused +approach; speaking or writing originated by a Guild member. Cultural Proficiency: Actively creates +and maintains an environment in which students and staff of diverse backgrounds, identities, +strengths, and challenges are respected +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +III-A. Effective +Written and +Oral +Communicatio +n +Demonstrates a +pattern of +ineffectual +written, oral, and +interpersonal +communication. +Written, oral and +interpersonal +communication +occasionally lacks +clarity, timeliness, +courtesy, or +All written, oral, and +interpersonal +communication +produced is accurate, +clear, concise, +courteous, and timely. +Demonstrates +proficiency AND +models effective +public demeanor +and/or participation +skills. + + +Page 19: +Superintendent’s Circular HRS-PM03 +Page 19 of 21 + +precision. +III-B. +Culturally +Proficient +Communicatio +n +Demonstrates a +pattern of failure +to ensure +communications +are always +respectful and +demonstrate +understanding of +and sensitivity to +cultural and +other +differences. +Demonstrates +inconsistency in +ensuring all +communication is +respectful and +demonstrates an +understanding and +sensitivity to +cultural and other +differences. +Ensures that all +communication is +consistently +respectful and +demonstrates an +understanding of and +sensitivity to different +languages, cultures +and values +represented. +Demonstrates +proficiency AND +serves as a +model/resource for +staff regarding +culturally proficient +communication. + + + + + + +Page 20: +Superintendent’s Circular HRS-PM03 +Page 20 of 21 + +Standard IV: Professionalism and Growth. The employee's conduct reflects good judgment and high +standards of performance, behavior, and a willingness to grow through ongoing professional +learning. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +IV-A. +Professional +Judgment +Demonstrates +poor judgment +and/or discloses +confidential +information +inappropriately. +Occasionally +demonstrates +questionable +judgment and +sharing of +confidential +information. +Demonstrates sound +judgment reflecting +integrity, honesty, +fairness, and +trustworthiness and +protects +confidentiality +appropriately. +Demonstrates +proficiency AND +serves as a model for +others regarding +professional +judgment. +IV-B. +Attendance +and +Punctuality +Demonstrates a +pattern of +problematic +behavior +regarding +punctuality, +Exhibits some +notable challenges +with punctuality, +attendance, or +giving notice of +time off. +Is punctual; follows +attendance policy +notice requirements. +Demonstrates +proficiency AND +ensures that vacation +and personal leave is +taken at a time that +minimally impacts + + +Page 21: +Superintendent’s Circular HRS-PM03 +Page 21 of 21 + +attendance or +giving notice of +time off. +the functioning of +the department +and/or school. +IV-C. +Feedback and +Growth +Demonstrates +resistance to +feedback related +to performance +and/or fails to +use feedback to +improve +performance. +Has notable +difficulty receiving +feedback related to +performance and/or +using feedback to +improve +performance. +Responds receptively +and constructively to +feedback related to +performance and +uses feedback to +improve +performance. +Demonstrates +proficiency AND +models the use of +feedback to +personally improve. + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP20 +Version 01 + + + +CHANGES IN PAY FREQUENCY FOR +PARAPROFESSIONALS AND COMMUNITY FIELD +COORDINATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Pursuant to the Memorandum of Agreement between the School +Committee of the City of Boston and The Boston Teachers Union, +Local 66, AFT, AFL-CIO (‘Union’), Article III, Compensation and +Benefits Section A: “Add – If 200 paraprofessionals choose the +option, a paraprofessional shall have the option of being paid +biweekly over 26 paychecks”. +1. Paraprofessionals and community field coordinators may +elect to be paid biweekly over 26 paychecks. +2. An employee must be active or on paid leave at the +beginning of the school year. +3. Applications can be submitted to the Payroll Unit via fax to +617-635-9003, via Google form +https://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq- +i9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or +US postal service to 2300 Washington Street, Roxbury MA +02119, Attn: Payroll, only during the open enrollment period +which begins on April 1 and ends on June 1. +4. Applicants who wish to change their pay frequency from 10 + + +Page 2: +Superintendent’s Circular HRS-PP20 +September 1, 2023 +Page 2 of 3 + + + +months to 12 months or 12 months to 10 months must notify +Payroll by submitting the Para Pay Frequency application or +completing the Google form prior to the June 1 deadline to +be effective September of the next school year. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +April 1 +Para pay frequency open enrollment period begins. +June 1 +Para pay frequency open enrollment period closes. + +For more information about this circular, contact: +Department: +Office of Human Capital +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-9003 + +Mary Skipper, Superintendent + + +Page 3: +Superintendent’s Circular HRS-PP20 +September 1, 2023 +Page 3 of 3 + + + +APPLICATION FOR CHANGE IN PAY FREQUENCY FOR ALL +PARAPROFESSIONALS & COMMUNITY FIELD COORDINATORS + Change from 21 to 26 payments (paid 12 months): +I am electing to change my paycheck frequency to 26 +payments. I understand that this request cannot be reversed +until the next school year. + Change from 26 to 21 payments (paid 10 months): +I am electing to change my paycheck frequency to 21 +payments. I understand that this request cannot be reversed +until the next school year. +Name: ___________________________________________________________ +Employee I.D.: ____________________________________________________ +School/Department: ______________________________________________ +Signature: _______________________________________________________ +Date: __________________________ +Please submit your completed form on or before June 1. The +change will become effective in September of the new school +year. If you have any questions regarding this matter, please +contact the Office of Human Capital at 617-635-9600. + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM09 +Version 01 + +CLUSTER SUBSTITUTE PERFORMANCE EVALUATION +Cluster Substitute Teachers are: +Those teachers who are assigned to a school for a full year to +rotate into the various teacher absence positions in the school, as +needed, on a daily basis. +A cluster substitute teacher shall be given two (2) overall +performance evaluations for the academic year by the +appropriate building administrator or their designee outside of +the bargaining unit. The evaluation instrument for use with +Cluster Substitutes is attached to this Circular. +EVALUATION CRITERIA (RATING OPTIONS: YES, NO, N/A) +1. Teaching Ability: Conveys clear and concise instruction. +Focuses on student achievement and content meaningful to +students. Accommodates the varied needs of students. +2. Classroom Management: Accountable for classroom +environment and culture. Ability to effectively deal with +negative student behavior. Focused and productive when +faced with challenges and a willingness to adapt classroom +instruction to meet the need/culture of the school. +3. School Fit: Respects the opinion of others. Creates a positive +relationship with administrators, teachers, school staff and +students. Demonstrates interest and skills that match the + + +Page 2: +Superintendent’s Circular HRS-PM09 +Page 2 of 5 + +school’s culture and needs. Interacts appropriately with +supervisors, colleagues, parents, and students. +4. Summary Question: “Would you use this substitute teacher at +your school going forward?” (“Yes” constitutes a rating of +“Meets Expectations.”) +The evaluator may provide written comments in addition to +ratings. +Date +Activity +January 15 (recommended) +Meet with cluster substitute teachers to discuss +performance. Completion of evaluation form. +May 15 +Complete and submit final evaluation form of all Cluster +Substitutes within the school. +June 1 +Deadline for signed, original copies of evaluation form +(below/attached) to be submitted to: +Bruce C. Bolling Municipal Building +Office of Human Resources (Attn: Performance +Management Team) +2300 Washington Street, 4th floor +Roxbury, MA 02119 + + + + + + +Page 3: +Superintendent’s Circular HRS-PM09 +Page 3 of 5 + +For more information about this circular, contact: +Name: +Director of Evaluation and Performance Management +Department: +Office of Human Resources + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 4: +Superintendent’s Circular HRS-PM09 +Page 4 of 5 + +BOSTON PUBLIC SCHOOLS +SUBSTITUTE MANAGEMENT DEPARTMENT EVALUATION FORM +Substitute Name + +BPS ID: ________________ +School Name: ________________________________Date: + + +Evaluator Name: ____________________________ Title: + + +SUMMARY QUESTION: Would you use this substitute teacher at +your school going forward? ◻ Yes ◻ No +(YES constitutes a rating of “Meets Expectations”) +TEACHING ABILITY: Demonstrates an appropriate knowledge of +content. +Conveys ideas and Information clearly. +Yes / No / NA +Makes content meaningful to students. +Yes / No / NA +Addresses the multiple and varied needs of +classroom students. +Yes / No / NA +Focuses on achieving results with students. +Yes / No / NA + + + + +Page 5: +Superintendent’s Circular HRS-PM09 +Page 5 of 5 + +CLASSROOM MANAGEMENT: Demonstrates ability to deal +effectively with negative student behavior. +Assumes accountability for classroom environment +and culture. +Yes / No / NA +Demonstrates ability to deal effectively with +negative student behavior. +Yes / No / NA +Remains productive and focused when faced +with challenges. +Yes / No / NA +Displays a willingness to adapt classroom +management style to meet a particular need/ +culture of school. +Yes / No / NA +SCHOOL FIT: Demonstrates skills and needs for development +that can be a good fit for the school. +Respects the opinion of others. +Yes / No / NA +Create positive relationships with administrators, +teachers, school staff and students. +Yes / No / NA +Demonstrates interest and skills that match the +school’s culture and needs. +Yes / No / NA +Interacts appropriately with supervisors, +colleagues, parents, and students. +Yes / No / NA +COMMENTS: + + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP08 +Version 01 + +INCENTIVE FOR EARLY NOTIFICATION OF TERMINATION +FOR BOSTON TEACHERS UNION — TEACHERS UNIT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +To assist hiring for the 2024-2025 school year, the Boston Public +Schools is offering a one-time incentive for early notification of +termination to members of the BTU Teachers Union. +1. An individual must be a permanent BTU teacher, have a +minimum of ten (10) years of continuous service in the +Boston Public Schools, and must meet the minimum age +requirement of fifty-five (55) years. +2. Eligible employees presently on paid or unpaid leave of +absence can apply by completing the online application for +Incentive for Early Notification of Termination and +submitting it to the Office of Human Resources (application +link located below). +3. A Separation Agreement must be completed in order for the +Office of Human Resources to accept the application in full. +Once the application is accepted in full, it is binding on both +parties and irrevocable. +4. Applicants understand that the termination must be +effective between June 30, 2025 and August 31, 2025. + + +Page 2: +Superintendent’s Circular HRS-PP08 +Page 2 of 3 + +5. Applicants will be ineligible for hire into full-time positions +at Boston Public Schools for the school year 2024-2025. +6. Applicants further understand that: +a. They will not be eligible for unemployment +compensation, and +b. Acceptance of this incentive shall not affect any rights +of a member under the Teacher Retirement Law. +7. Applications must be filed with the Office of Human +Resources by the close of business on Friday, January 10, +2025. If accepted, a one-time payment of $1,500 will be +made by Friday, February 28, 2025. +8. Individuals planning to retire must also file an “Intent to +Retire” form with the City of Boston Retirement Board. The +incentive application does not replace this process. Please +note that pursuant to Retirement Board policy, an individual +cannot file an “Intent to Retire” more than forty-five (45) +days before the retirement date. +9. BTU/Teachers Unit employees wishing to apply for this +incentive for early notification of termination must submit +the following Google form to the Office of Human +Resources: +Application for Incentive for Early Notification of Termination + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Application Deadline +Payment +Friday, January 10 +Friday, February 28 + + + +Page 3: +Superintendent’s Circular HRS-PP08 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Employee Information +Department: +Office of Human Resources +Mailing +Address: +2300 Washington Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeinformation@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS- L03 +Version 01 + + +LICENSURE REQUIREMENTS FOR PRINCIPALS/HEADS +OF SCHOOL AND BASAS EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +All principals and heads of school as well as most BASAS +employees are required to hold one of five administrative licenses +issued by the State of Massachusetts Department of Elementary +and Secondary Education (DESE). +TYPES OF ADMINISTRATOR LICENSES +The DESE issues the following five administrator licenses: +• Superintendent/Assistant Superintendent +• Principal/Assistant Principal +• Supervisor/Director +• Special Education Administrator +• School Business Administrator +REQUIREMENTS BY ADMINISTRATOR POSITION +The BPS positions/titles below require the following licenses in +the appropriate grade level(s): + + + + +Page 2: +Superintendent’s Circular HRS-L03 +Page 2 of 7 + + + +BPS Position/Title +Required License +Principal / Head of School +Principal/Assistant Principal +Assistant Principal / Head of +School +Principal/Assistant Principal +Academy Director +Supervisor/Director OR +Principal/Assistant Principal +Academy Leader +Supervisor/Director OR +Principal/Assistant Principal +Director of Instruction +Supervisor/Director OR +Principal/Assistant Principal +Director of Alternative +Education +Supervisor/Director OR +Principal/Assistant Principal +Small Learning Community +Leader +Supervisor/Director OR +Principal/Assistant Principal +Director of Curriculum, +Assessment and Placement +Supervisor/Director OR +Principal/Assistant Principal +Senior Curriculum Access +Specialist +Special Education Administrator +license OR Moderate/Severe +Disabilities teaching license in +combination with Principal/ +Assistant Principal license. +Senior Curriculum Manager +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Senior Program Director +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Program Director +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Some BASAS classifications may require licensure depending + + +Page 3: +Superintendent’s Circular HRS-L03 +Page 3 of 7 + + + +upon the types of duties performed. If a BASAS member is +responsible for the “Planning, Implementing, or Developing of +Curriculum and Instruction” (for 50% or more of their time), they +must hold an administrator license. Additionally, if the BASAS +administrator is responsible for the “Evaluation of Employees,'' +they must hold an administrator license. +If they are responsible for the planning, implementing, or +developing of Curriculum and Instruction, or the evaluation of +employees, the following BPS employees must hold these +licenses: +BPS Position/Title +Required License +Senior Coordinator +Principal/Assistant Principal or +Supervisor/Director or Special +Education Administrator license +Coordinator +Junior Coordinator +Director +Assistant Director +Bilingual Program Specialist +Senior Program Coordinator +MEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS +The following information outlines general guidelines that +principals, heads of school, and relevant BASAS employees +should follow to meet Massachusetts state licensure +requirements. The DESE will determine individual licensure +requirements upon review of the administrator’s application. +1. Pass the Massachusetts Test for Educator Licensure (MTEL) + + +Page 4: +Superintendent’s Circular HRS-L03 +Page 4 of 7 + + + +in Communication and Literacy Skills. To register for the +MTEL, go to: http://www.doe.mass.edu/mtel/. +2. Complete the licensure requirements for the administrator +role sought through one of the available routes: +a. Complete an Approved Program of Study. DESE +approves educator preparation programs sponsored by +higher education, professional associations, +collaboratives, school districts, charter schools, and +other organizations. Approved programs are designed +to meet the requirements for a specific administrator +license. The DESE website, +http://www.doe.mass.edu/edprep, contains a list of +approved administrator preparation programs. +b. Complete an Administrative +Apprenticeship/Internship. This route to licensure is +primarily a field-based experience requiring a +minimum of 300-500 hours depending on the license +being pursued in the role of the license sought. +Candidates completing this route must be guided by a +trained mentor (who has held a professional license in +the same role for at least three years) and participate in +seminars, workshops, and other opportunities that will +assist the candidates in adequately addressing the +Professional Standards for Administrators. +c. Be recommended for licensure through the Panel +Review process. This route is only available for +administrator licensure candidates who have specific +prerequisite experiences and for all superintendent +candidates. +3. Apply for licensure and make payment through the online + + +Page 5: +Superintendent’s Circular HRS-L03 +Page 5 of 7 + + + +process: (https://www.doe.mass.edu/licensure/apply-check- +status-license.html). +4. Submit the following supporting documentation and +information to the DESE: +a. One of the following: +i. Approved program endorsement +ii. Administrative Apprenticeship/Internship +Endorsement Form. This form is accessible +through the Guidelines for Administrator Routes +to Initial Licensure: +http://www.mass.gov/edu/docs/ese/educator- +effectiveness/licensing/panel-review- +administrator-routes.pdf +b. A letter written on official letterhead by the +superintendent/designee, principal, or previous +employer that documents the candidate has +completed three years of employment in the role of the +current license or other required experience. +c. Successful completion of the Performance Assessment +for Initial License. Applicants for the Principal/Assistant +Principal license are required to successfully complete +the Performance Assessment for Initial Licensure +(MA_PAL). This requirement is currently under +development for all other administrative licenses. +Licensure can be granted to those who satisfy all other +licensure requirements prior to this requirement +becoming available. + +d. Official transcripts of undergraduate/graduate studies +if required for specific license. + + +Page 6: +Superintendent’s Circular HRS-L03 +Page 6 of 7 + + + + +More information about the requirements for the administrator +licenses is available through the Guidelines for Administrator +Routes to Initial Licensure: +http://www.mass.gov/edu/docs/ese/educator- +effectiveness/licensing/panel-review-administrator- +routes.pdf +PROCESS FOR REPORTING LICENSURE TO THE OFFICE OF +HUMAN RESOURCES +It is the responsibility of principals, heads of school, and relevant +BASAS employees, as well as their supervisors, to ensure proper +licensure is in place and recorded in the “BPS Licenses” section of +PeopleSoft (found under “Workforce Development”) which is +maintained by the Office of Human Resources via an electronic +download from the Department of Elementary and Secondary +Education. +PROCESS FOR LICENSURE RELATED VERIFICATIONS +All educators and other employees seeking licensure related +verifications and/or loan forgiveness must complete the BPS +Educator Licensure-Related Verification Requests form. + + + + + + + +Page 7: +Superintendent’s Circular HRS-L03 +Page 7 of 7 + + + +For more Information about this circular, contact: +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PP13A +Version 01 + +FAMILY AND MEDICAL LEAVE ACT AND SMALL +NECESSITIES LEAVE ACT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Eligible employees are entitled to take up to 12 weeks of leave for +family or medical leave under federal law and up to 24 hours of +leave for family obligations under state law during a fiscal year +(July 1 through June 30). School-based employees who report to a +principal/head of school (except custodians, cafeteria workers, +and itinerants) may submit their leave requests via the Hub. +FEDERAL FAMILY AND MEDICAL LEAVE ACT +1. Eligibility +Employees who have been employed in the Boston Public +Schools for at least 12 months at the BPS and who have +worked at least 1,250 hours in the prior 12-month period are +eligible. +2. Purpose +● For incapacity due to pregnancy, prenatal medical care, +or childbirth + + +Page 2: +Superintendent’s Circular HRS-PP13A +Page 2 of 11 + +● To care for a son or daughter within the first 12 months +after birth, adoption or placement for adoption or foster +care +● Because the employee is needed to care for a spouse, son, +daughter, or parent who has a serious health condition. +○ Son or daughter means a biological, adopted, or foster +child, a stepchild, a legal ward, or a child of a person +standing in loco parentis, who is either under age 18, or +age 18 or older and incapable of self-care because of a +mental or physical disability. Parent does not include +in-laws. +● Because of the employee's own serious health condition +which makes the employee unable to perform their job. +A serious health condition means an illness, injury, +impairment or physical or mental condition that involves: +○ a period of incapacity or treatment connected with +inpatient care +○ a period of incapacity requiring absence of more than 3 +calendar days from work or daily activities also +involving continuing treatment by a health care +provider +○ any period of incapacity due to pregnancy or for +prenatal care +○ any period of incapacity due to a chronic serious health +condition (e.g., asthma, diabetes, epilepsy) +○ any period of incapacity that is permanent or long term +due to a condition for which treatment may not be +effective (e.g., Alzheimer’s, stroke, terminal diseases) +○ a period of absence to receive multiple treatments for +an injury or condition which would result in incapacity + + +Page 3: +Superintendent’s Circular HRS-PP13A +Page 3 of 11 + +for more than three days if not treated (e.g., +chemotherapy, physical therapy, dialysis). +3. Length of Leave +Subject to FMLA qualification, up to 12 weeks of leave may +be taken in any fiscal year. For qualifying exigencies arising +out of the fact that the employee’s spouse, son, daughter, or +parent is on active duty or call to active duty status as a +member of the National Guard or Reserves in support of a +contingency operation to permit a "spouse, son, daughter, +parent, or next of kin" to take up to 26 work weeks of leave +to care for a "member of the Armed Forces, including a +member of the National Guard or Reserves, who is +undergoing medical treatment, recuperation, or therapy, is +otherwise in outpatient status, or is otherwise on temporary +disability retired list, for a serious injury or illness." +Qualifying exigencies include: +● Issues arising from a covered military member’s short +notice deployment (i.e., deployment on seven or less days +of notice) for a period of seven days from the date of +notification +● Military events and related activities such as official +ceremonies, programs, or events sponsored by the +military or family support or assistance programs and +informational briefings sponsored or promoted by the +military, military service organizations, or the American +Red Cross that are related to the active duty or call to +active duty status of a covered military member; + + +Page 4: +Superintendent’s Circular HRS-PP13A +Page 4 of 11 + +● Certain childcare and related activities arising from the +active duty or call to active duty status of a covered +military member, such as arranging for alternative +childcare, providing childcare on a non-routine, urgent, +immediate need basis, enrolling, or transferring a child in +a new school or day care facility, and attending certain +meetings at a school or a day care facility if they are +necessary due to circumstances arising from the active +duty or call to active duty of the covered military member +● Making or updating financial and legal arrangements to +address a covered military member’s absence +● Attending counseling provided by someone other than a +health care provider for oneself, the covered military +member, or the child of the covered military member, the +need for which arises from the active duty or call to active +duty status of a covered military member +● Taking up to five days of leave to spend time with a +covered military member who is on short-term +temporary, rest and recuperation leave during +deployment +● Attending to certain post-deployment activities, +including attending arrival ceremonies, reintegration +briefings and events, and other official ceremonies or +programs sponsored by the military for a period of 90 +days following the termination of the covered military +member’s active duty status, and addressing issues +arising from the death of a covered military member +● Any other event that the employee and employer agree is +a qualifying exigency + + +Page 5: +Superintendent’s Circular HRS-PP13A +Page 5 of 11 + +Special restrictions apply to teachers requesting leaves, +depending on the length and timing of the leave(s). Please +call the Office of Human Resources for advice regarding +special rules that apply to teachers in these situations. +4. Requesting a Leave of Absence: Notice Requirement +If the need for leave is foreseeable, an employee must +provide BPS with at least 30 days notice. If 30 days notice is +not practicable, notice must be given as soon as possible, +generally the same or next business day. All employees +must submit their leave request through the online Request +for Leave of Absence application (instructions and more +information below in Section 8). +Employees requesting absences of 5 days or less to fulfill +National Guard or Military Reserve responsibilities must +submit a request on ess.boston.gov and provide supporting +documentation to the Responsibility Center manager. +Absences of 6 days or more must be submitted through the +online application. +5. Certification(s)/Documentation +WH-380-E/F form or medical certification/documentation +on official letterhead from a health care provider is required +for leave because of a serious health condition. Second or +third opinions may be required, as well as a fitness for duty +report to return to work. +6. Paid or Unpaid Leave and Benefits +Leave is unpaid except to the extent that accrued sick leave, +personal leave, or vacation leave applies, as provided in + + +Page 6: +Superintendent’s Circular HRS-PP13A +Page 6 of 11 + +applicable collective bargaining agreements or school +department policy. Employees who are taking leave for their +own serious health condition will be required to use their +accrued paid sick leave and vacation leave during their +FMLA leave until such paid leave has been exhausted. +Employees who are taking FMLA leave to care for their +spouse, child, or parent will be required to use all accrued +paid vacation leave during their FMLA leave until such paid +leave has been exhausted. After an employee’s accrued paid +leave has been exhausted, any remaining FMLA leave will be +unpaid. +Medical insurance as part of a group health plan must be +maintained. However, benefits do not accrue during unpaid +leave unless otherwise provided by the terms of an +applicable collective bargaining agreement. +7. Relationship to Other Leaves Provided by Collective +Bargaining Agreements or Policy +This leave neither diminishes nor augments any greater +leave for the same purpose which may be provided for in a +collective bargaining agreement or other law or policy. + + + + +Page 7: +Superintendent’s Circular HRS-PP13A +Page 7 of 11 + +8. Requesting Leave of Absence +All employees must submit a request for leave electronically +via the online application. Once the leave request is +submitted electronically, it is automatically sent to the +principal/head of school of the employee’s school for +notification and to the Office of Human Resources for +review. Employees and supervisors will automatically be +notified whether the leave was approved, denied, or is +pending due to documentation, through their BPS email. To +request a leave: +● Access the Office of Human Resources Workspace. +○ Click on “Office of Human Resources Workspace.” +○ Click on “Forms” tab. +○ From the drop-down menu, select “Leave +Request.” +○ Read through the instructions and complete +application. +● Access the application to request a leave of absence +online. +SMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR +FAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] +1. Eligibility +Employees who have been employed for at least 12 months +at the BPS and who have worked at least 1,250 hours in the +prior 12-month period are eligible (same as for federal family +and medical leave). + + + +Page 8: +Superintendent’s Circular HRS-PP13A +Page 8 of 11 + +2. Purpose +● To participate in school activities directly related to the +advancement of the employee's son or daughter, such as +a parent-teacher conference or interview for a new +school. +○ A son or daughter includes foster child, a legal +ward or a child of a person standing in loco +parentis, under 18 years of age or older but +incapable of self-care. +○ School includes Head Start or a licensed day care +facility. +● To accompany a son or daughter to a routine medical or +dental appointment, such as a routine check-up or +vaccination. +● Accompany an elderly relative (60 years or more) to a +routine medical or dental appointment or for other +professional services, such as interviewing at a nursing +home. +3. Length of Leave and Increments +Leave may be taken in increments of at least one hour for +up to 24 hours in any fiscal year. +This leave augments leave taken under the federal Family +and Medical Leave Act, as it is for a different purpose. It +does not diminish any greater leave which may be provided +for in a collective bargaining agreement or other school +policy. +REQUEST FOR LEAVE: NOTICE REQUIREMENTS + + +Page 9: +Superintendent’s Circular HRS-PP13A +Page 9 of 11 + +If the need for leave is foreseeable, employees must give the +Office of Human Resources at least seven (7) days prior notice. If +the need is not foreseeable, the employee must notify their +Responsibility Center manager as soon as practicable given the +circumstances of the case. To the extent possible, employees +must provide written notice of the need for leave. +1. Certification/Documentation +All employees must use the attached certification (page 7) +to request a SNLA leave. Applying for this leave cannot be +done through the Hub. The original copy must be submitted +to the Responsibility Center manager, who will forward it to +the Office of Human Resources. +2. Paid or Unpaid Leave +Leave for family obligations is unpaid unless an employee +chooses to substitute accrued vacation or personal time for +the unpaid leave, as provided in the applicable collective +bargaining agreement, school department policy, and +except as may be provided for in state law or city ordinance. + + + + + +Page 10: +Superintendent’s Circular HRS-PP13A +Page 10 of 11 + +For more information about this circular, contact: + +Owner: +Leave of Absence Team +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 11: +Superintendent’s Circular HRS-PP13A +Page 11 of 11 + +SMALL NECESSITIES LEAVE ACT +EMPLOYEE LEAVE FOR FAMILY OBLIGATIONS UP TO +TWENTY-FOUR (24) HOURS +EMPLOYEE'S CERTIFICATION +I certify that on ________________________I will/did take _____________ + hours of leave for the following purpose: + to participate in school activities directly related to the +educational advancement of a son or daughter. + to accompany a son or daughter to routine medical or +dental appointments, such as check-ups or +vaccinations. + to accompany an elderly relative to routine medical or +dental appointment or appointment for other +professional services related to the elder's care. +Furthermore, I understand that this absence will be recorded +with the use of my (please select one): + Sick Time + Comp. Time + + + Floating Holiday + Vacation Time + Personal Time + + + + +Employee’s Signature: ____________________________________________ +Employee’s Name (print): _________________________________________ +Employee’s ID Number: _____________________ +Date: ________________________________________ +Submit original copy to Responsibility Center Manager. + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM02A +Version 01 + + +PERFORMANCE EVALUATION OF +NON-INSTRUCTIONAL BASAS ADMINISTRATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +TABLE OF CONTENTS +Document Purpose +Purpose of Performance Management +Evaluation Process Overview +The Five-Step Process +Step 1: Self-Assessment +Step 2: Analysis, Goal setting, and Analysis +Step 3: Implementation of the Plan +Step 4: Formative Assessment +Step 5: Summative Evaluation (June 15) +Upward Feedback +Evaluation Platform and Documentation +Timeline and Tools + + +Page 2: +Superintendent’s Circular HRS-PM02A +Page 2 of 11 + + + +Appendix A: Core Competencies +Appendix B: Rating Levels +Appendix C: Goal Status Scale +DOCUMENT PURPOSE +This document describes the performance management and +evaluation process for Non-Instructional BASAS Administrators +assigned to schools and central office departments. The purpose +of this document is to provide clarity to employees and +supervisors, as well as templates and tools for use during the +process. Please refer to Circular HRS-PM02 - Performance +Evaluation of Instructional BASAS Administrators for +Instructional BASAS staff evaluation procedures. +PURPOSE OF PERFORMANCE MANAGEMENT +Boston Public Schools (BPS) students are the citizens, leaders, +scholars, entrepreneurs, advocates, and innovators of tomorrow. +As a city and district, we must ensure that 100 percent of our +students are prepared for college, career, and life in the 21st +century. We must model our district and Central Office on the +classroom we want to see. We have established a system of +performance management to affirm the ideal that everyone, +from students to the superintendent, must have sufficient +resources, information, and support to achieve efficacy in their +endeavors. + + +Page 3: +Superintendent’s Circular HRS-PM02A +Page 3 of 11 + + + +The fundamental purpose of performance management in BPS +schools and Central Office is to maximize the productivity and +impact of our employees by enabling them to perform at their +fullest potential. Our approach is designed to provide high- +quality support to schools, students, and families in BPS to +ensure our graduates are college, career, and life ready. To do so, +our performance management system will: + +1. Establish a consistent set of competencies to clearly set and +communicate expectations for employee performance. +2. Align employee efforts with department and organizational +goals. +3. Create systems and structures that gather and monitor +performance to support employee feedback, growth, and +development. +4. Identify areas of strength to leverage for increased impact, +and areas of growth for providing targeted support. +5. Provide accountability for individuals and enable them to +see their contribution to and progress toward organizational +goals. +6. Connect employee performance to incentives, recognition, +professional growth, and retention efforts. +EVALUATION PROCESS OVERVIEW +Non-instructional BASAS members may be evaluated by the +team leader, responsibility center manager, supervisor, or their + + +Page 4: +Superintendent’s Circular HRS-PM02A +Page 4 of 11 + + + +designee. The criteria for effective practice for non-instructional +BASAS administrators are identified in the Core Competencies, +which defines six categories listed below. See Appendix A for +greater detail on the Core Competencies. +1. Results Orientation +2. Collaboration and Communication +3. Job Knowledge and Skills +4. Cultural Competency & Equitable Practices +5. Responsiveness and Service Focus +6. Leadership [for staff members supervising people or +projects] + +Evaluations will result in goal +ratings, competency ratings, +and an overall performance +rating, which will be based on +the supervisor’s judgment on +evidence of performance +against the standards and +progress toward goals. +Progress toward goals will be +rated as “Goal Achieved,” “Goal +Significantly Met,” “Active +Goal,” “Goal Not Met,” and “Goal Deferred.” Greater details +on these rating levels can be found in Appendix B (at the +end of this document). + + +Page 5: +Superintendent’s Circular HRS-PM02A +Page 5 of 11 + + + +The five levels of performance which apply to performance on +each competency and the overall performance rating shall be: +“Highly Effective,” “Effective,” “Developing,” “Minimally Effective,” +and “Ineffective.” Greater details on these rating levels can be +found in Appendix B (at the end of this document). +THE FIVE-STEP PROCESS +Based on best practices in performance evaluation, BPS has +adopted a five-step process for evaluation. This process should be +followed each year by the employee and their supervisor. + +Step 1: Self-Assessment (by September 1) +The employee reviews available evidence of work performance, +prior feedback and evaluations, and the Core Competencies to +determine areas of strength and areas for further growth. The +Self-Assessment is used to inform the employee’s goals and +action plan for the upcoming year. +Step 2: Analysis, Goal Setting, and Analysis (by October 1) +Based on the employee’s self-assessment, job description, +individual aspiration, and school/department goals, the employee +and their supervisor establish 2-4 goals, related to professional +practice or performance: +● A professional practice goal relates to an identified skill or +set of knowledge that an employee wants to develop or +improve. When developing a professional practice goal, the + + +Page 6: +Superintendent’s Circular HRS-PM02A +Page 6 of 11 + + + +employee and their supervisor should both look at past +performance and feedback, as well as the employee’s +professional/career aspirations. Professional practice goals +should align to one or more of the Core Competencies. +● A performance goal is a measurable target or outcome +related to an employee’s work. Goals should align with an +employee’s team and/or departmental goal(s). +Step 3: Implementation of the Plan (ongoing) +The employee performs job duties and responsibilities, +implements the action steps toward goals, submits evidence +supporting proficiency, and meets with their supervisor to +receive and discuss feedback. The supervisor collects and reviews +evidence, provides ongoing, timely, clear, and actionable +feedback, and meets with the employee to give and discuss +feedback, including recommendations for improvement, if +applicable. +Step 4: Formative Assessment (optional by February 1) +Each employee should receive a formative assessment to provide +the employee with formal feedback on their performance against +the Core Competencies and their progress toward goals. +Typically, the formative will occur midway through the +assessment year, though may take place earlier for individuals in +need of additional support. + + +Page 7: +Superintendent’s Circular HRS-PM02A +Page 7 of 11 + + + +Step 5: Summative Evaluation (June 15) +Each employee shall receive a summative evaluation to provide +the employee with formal feedback and ratings of their +performance, and progress toward goals. +Upward Feedback +In this process, upward feedback from direct reports and school +leaders (when applicable), as well as peer feedback, should be +incorporated into an employee’s performance evaluation. +EVALUATION PLATFORM AND DOCUMENTATION +Beginning September 2023, non-instructional BASAS +administrators’ evaluations and related documentation will be +generated and stored in the BPS online performance +management platform, VectorEvals. Employees and supervisors +will receive training in accessing, navigating, and using the +platform prior to the start of their evaluation cycle. Training +modules will be available in an online, on-demand format to the +employee and their supervisor for reference, as well. + + + + + + +Page 8: +Superintendent’s Circular HRS-PM02A +Page 8 of 11 + + + +TIMELINE +Date +Activity +July - August Office, team, and individual goal setting begins. +Supervisors review of standards and expectations with +employees. +September 1 +Employee self-assessments due. +Employee goals & action plans draft due. +October 1 +Finalized employee goals & action plans due. +Ongoing +Employee check-ins, at the discretion of individual. +Provide feedback (verbal and written) to employees on +progress toward goals, observed performance, and +work products/artifacts. +Implementation also includes peer feedback. +January 1 - +February 1 +Formative assessment meetings with employees. +February 1 +Formative assessments (optional) finalized and +submitted. +June 1 +Last day to submit artifacts for review prior to +summative evaluation. +June 15 +Summative evaluations finalized and submitted. +APPENDIX A: THE CORE COMPETENCIES (LINK TO SEPARATE +DOCUMENT) + + +Page 9: +Superintendent’s Circular HRS-PM02A +Page 9 of 11 + + + +APPENDIX B: RATING LEVELS +Effectiveness +Level +Description +Highly Effective Performance far exceeded expectations due to +exceptionally high quality of work performed in all essential +areas of responsibility, resulting in an overall quality of work +that was superior; and either +included the completion of a major goal or project or +made an exceptional or unique contribution in support of +team, department, or district objectives. +This level is achievable by any employee though given +infrequently (<10% of employees). +Effective +Performance met expectations in all essential areas of +responsibility, and the quality of work overall was excellent. +Annual goals were met. +Developing +Performance consistently met expectations in all essential +areas of responsibility, at times possibly exceeding +expectations, and the quality of work overall was very good. +The most critical annual goals were met. +This level is expected for individuals who are new to the +organization or to a role. + + +Page 10: +Superintendent’s Circular HRS-PM02A +Page 10 of 11 + + + +Minimally +Effective +Performance did not consistently meet expectations – +performance failed to meet expectations in one or more +essential areas of responsibility, and/or one or more of the +most critical goals were not met. A professional +development plan to improve performance must be +attached, including timelines, and monitored to measure +progress. +Ineffective +Performance was consistently below expectations in most +essential areas of responsibility, and/or reasonable progress +toward critical goals was not made. Significant +improvement is needed in one or more important areas. A +plan to correct performance, including timelines, must be +outlined and monitored to measure progress. + + +APPENDIX C: GOAL STATUS SCALE +Goal Status +Description +Goal Achieved +All goal milestones and success measures have +been achieved for 100% of goals. +Goal Significantly +Met +All goal milestones and success measures have +been achieved for at least 85% of goal. +Active Goal +The goal is still in progress, though some +milestones may have been achieved. + + +Page 11: +Superintendent’s Circular HRS-PM02A +Page 11 of 11 + + + +Goal Not Met +For this goal, some or all milestones and success +measures have not been met. +Goal Deferred +For timing or organizational reasons, this goal has +been deferred. + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: 2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-9627 +E-mail: +eval@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM07A +Version 01 + +PERFORMANCE EVALUATION OF NON-CLASSROOM +PARAPROFESSIONALS +INCLUDED EMPLOYEES IN THIS CIRCULAR: +● Community Field Coordinator (CFC) +● Health Para +● Library Para +● Physical Ed Para +● Security Para +● Sign Language Interpreter +● Swim Para +● Cota Para +● Family Liaison +FORMAL EVALUATION +All staff shall be formally evaluated using standards and +indicators reasonably related to a paraprofessional performance, +with a mark for each standard and an overall rating. Overall +ratings shall be: “Exemplary,” “Proficient,” “Needs +Improvement,” and “Unsatisfactory,” and shall be transmitted to +Paraprofessionals by the last business day prior to May 15 via the +VectorEvals platform. If the para has access to a BPS-issued +computer, they may sign digitally. If the para does not, the form +must be printed from VectorEvals for them to sign and then +uploaded as a PDF attachment to the digital form. +Paraprofessionals will generally be evaluated formally every two + + +Page 2: +Superintendent’s Circular HRS-PM07A +Page 2 of 8 + +years, except as set forth in section 7 below. During each school +year, each principal/head of school or director will identify +approximately one-half of the staff for which that administrator is +responsible for evaluating during that year. The process of +identifying the evaluees will be determined by the responsible +administrator. An administrator may also evaluate a staff +member not originally identified, if assistance, supervision, or +intervention is deemed appropriate based on informal +observation. +EVALUATORS +1. No supervisor shall supervise or evaluate a relative. +2. The head of school, principal, or other administrative head +outside of the bargaining unit will be responsible for all +evaluations. However, they may be assisted by other +qualified persons (who are not members of the bargaining +unit) designated by the School Department +SCHEDULE, MEETINGS, AND PROCEDURES +1. At the beginning of each school year, the responsible +administrator or their designee shall meet with +Paraprofessionals for the purpose of explaining the +evaluation program and instrument and answering +questions. The building administrator may be assisted by +other qualified persons designated by the School +Department. Classroom visits may be a combination of +announced and unannounced visits. +For any classroom visit resulting in written feedback +indicating a deficiency in the paraprofessional’s practice, the +responsible supervisor shall provide such written feedback + + +Page 3: +Superintendent’s Circular HRS-PM07A +Page 3 of 8 + +to the paraprofessional before releasing the next Formative +or Summative Evaluation. +2. Within ten (10) school days during which the +paraprofessional is present following the last observation to +be used as the basis of the evaluation, regardless of the +rating mark, the responsible administrator or designee shall +meet with the paraprofessional for the purpose of +discussing the evaluation. At this meeting, the +paraprofessional will be given two (2) copies of the written +evaluation, signed, and dated by the responsible +administrator. +The paraprofessional shall sign and return one (1) copy to +indicate having received it, but not to indicate agreement or +disagreement. No paraprofessional shall be asked to sign an +incomplete evaluation form. Paraprofessionals shall be +allowed to attach their written comments to the evaluation +form. A paraprofessional whose overall performance has +been judged as less than proficient at any point during the +school year shall be so notified in writing and shall meet +directly with the responsible administrator. +3. In any area where the responsible administrator or designee +indicates a need for improvement, they will provide the +paraprofessional with a written prescription. The +paraprofessional may attach comments to the prescription. +If a paraprofessional’s performance results in an overall +formative evaluation or summative evaluation rating of +“Needs Improvement” or “Unsatisfactory”, the evaluation +prescription may contain a requirement that a +paraprofessional takes advantage of additional professional + + +Page 4: +Superintendent’s Circular HRS-PM07A +Page 4 of 8 + +development training or other opportunities offered by or +through the School Department to correct a weakness or +deficiency which caused the less than proficient rating. For +purposes of this contract, “formative” means evaluations +that at a minimum are twenty (20) school days apart. +If, after allowing adequate time to improve, the +paraprofessional continues to need improvement, the +responsible administrator may include in the evaluation +prescription that the paraprofessional may voluntarily take +advantage of training or in-service training to correct a +deficiency. +4. If the responsible administrator had adjudged a +paraprofessional’s practice with an overall rating of +“Unsatisfactory” on at least four (4) formative evaluations +within a twelve (12) month period in which the +Paraprofessional reported to work or on at least (2) +formative evaluations plus a summative evaluation, the +responsible administrator may initiate termination by +recommending to the Superintendent that such +paraprofessional be terminated. If the Superintendent +approves the principal’s recommendation, the principal shall +notify the paraprofessional, in writing, of their intent to +dismiss the paraprofessional. The paraprofessional may then +request a meeting with the principal to discuss their intent +to dismiss. This request must be made in writing within ten +(10) days of the paraprofessional’s receipt of the intent to +dismiss notice. Overall “Unsatisfactory” evaluation ratings +need not occur in consecutive months. +An overall rating of “Unsatisfactory” on a summative + + +Page 5: +Superintendent’s Circular HRS-PM07A +Page 5 of 8 + +evaluation rating must be preceded by at least two +formative overall “Unsatisfactory” ratings during that school +year. A paraprofessional may be removed from the +classroom, dismissed, or suspended for just cause prior to +the completion of the prescriptive period specified in this +paragraph. +5. After each of the first three (3) formative evaluation overall +“Unsatisfactory” ratings that are based in whole or in part +upon observed performance, the responsible administrator +shall conduct a follow-up evaluation. This evaluation shall +include observation of performance and take place no +sooner than twenty (20) school days and no later than fifty +(50) school days after the previous “Unsatisfactory” +evaluation. +If an overall formative evaluation “Unsatisfactory” rating is +based upon other than performance, then the responsible +administrator must clearly convey the reasons in writing to +the paraprofessional and follow prescribed procedures for +progressive discipline. +6. A formative or summative evaluation with an overall +“Unsatisfactory” rating shall be maintained as a permanent +part of the employee’s personnel record and may be grieved +and arbitrated. an employee may grieve a summative +evaluation with an overall rating other than “Unsatisfactory” +up to but not beyond the level of the Step 2 hearing officer, +who shall have the authority to rectify the grievance. Any +such grievance shall be dealt with expeditiously. In the +event of a concurrent dismissal, the grievances shall be +merged and treated as a single grievance. + + +Page 6: +Superintendent’s Circular HRS-PM07A +Page 6 of 8 + +Notwithstanding the above, disputes concerning the +paraprofessional's rating in any of the individual standards +found within a formative or summative evaluation not +resulting in an overall "Unsatisfactory" rating are neither +grievable nor arbitrable. Similarly, disputes concerning +comments made by the responsible administrator within an +observation or formative and summative evaluation are +neither grievable nor arbitrable. +7. The following individuals shall be evaluated annually prior to +November 15 if possible: +a. Paraprofessionals who were evaluated during the +previous school year as “Unsatisfactory” overall or in a +particular area. +b. All paraprofessionals who are new to the building. + + + + + +Page 7: +Superintendent’s Circular HRS-PM07A +Page 7 of 8 + +Summary of significant dates and deadlines: +Date +Activity +By the last business day +prior to November 15 +● Evaluation of Paraprofessionals who +received an “Unsatisfactory” in their +evaluation from the prior school year. +● Evaluation of Paraprofessionals who are +new to the school building. +By the last business day +prior to May 15 +● Deadline to submit evaluation on +VectorEvals platform. +* If the para has access to a BPS-issued +computer, they may sign digitally. If +para does not, the form must be +printed from VectorEvals for them to +sign and then uploaded as a PDF +attachment to the digital form. +● Evaluation of paraprofessionals due +every 2 years except for +paraprofessionals new to the building +or who received a “Does Not Meet +Standards” rating the previous school +year. + + + + + +Page 8: +Superintendent’s Circular HRS-PM07A +Page 8 of 8 + +For more information about this circular, contact: + +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +► Click to view a SAMPLE Non-Classroom Paraprofessional +Evaluation Form (PDF). Evaluators should use VectorEvals to +submit their evaluations. + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS07.1 +Version 01 + +QUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS +This circular will remain in effect unless rescinded by a +subsequent version. +Permanent teachers in Boston Public Schools may choose to +apply for additional program areas. These are non-primary +subject area(s) in which a teacher currently holds license(s). +QUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS +To be deemed qualified in program areas other than the +"primary" subject area in which a teacher is currently teaching, a +teacher must hold a valid license in the subject area. The Office of +Human Resources will verify licensure with the Massachusetts +Department of Education. Re-licensure does not meet this +criterion. +In addition to holding a valid license in the subject area, the +employee must satisfy at least one of the criteria below: +1. The Massachusetts State license is not more than five (5) +years old. +2. A mean score on the Praxis Exam, not more than ten (10) +years old. +3. Fifteen (15) course credits, graduate or undergraduate, +approved as relevant to the program area qualification. All + + +Page 2: +Superintendent’s Circular HRS-HS07.1 +Page 2 of 4 + +coursework must have been completed within the past five +(5) years. Original transcripts are required if claiming an area +under this provision. When submitting transcripts, please +indicate the fifteen (15) course credits relevant to the +program area qualification. If transcripts are not submitted +by the deadline, the application can be denied. +4. Two (2) years of teaching experience within Boston Public +Schools in the subject area in the last ten (10) years. A +creditable year is one in which at least 50% of the weekly +schedule is in the subject area. A letter from the head of +school or principal stating that you taught at least 50% of +the weekly schedule in that area and designation of the +specific year(s) will be required in the area you are claiming +under this provision. If a letter is not submitted by the +deadline, the application can be denied. + +Permanent teachers who wish to apply for additional program +areas must submit their request via the Additional Program Area +Request form. Supplemental materials must be submitted to the +Office of Human Resources by mail or in person. + Applications and complete documentation must be +submitted to the Office of Human Resources by January +15, 2024. Applications received after this date will not be +reviewed. +The Office of Human Resources has transitioned to using online +forms. The link to the Additional Program Area Request form can +be found below. Employees will be required to sign in with their +Boston Public Schools Gmail account. Supplemental materials + + +Page 3: +Superintendent’s Circular HRS-HS07.1 +Page 3 of 4 + +such as transcripts can be submitted via mail or in person to the +Office of Human Resources. +LINK TO APPLY +• Additional Program Area Request form +• Or copy this URL: +https://docs.google.com/forms/d/e/1FAIpQLSdD7uA5nLZH +uEKE5pP4uD-gYtf74RCtzEcYZrgeauvwmNBB- +g/viewform +SUPPLEMENTAL DOCUMENTATION + +Application approval is contingent on submission of one of the +following documents: +● Official transcript(s) indicating the completion of fifteen +(15) graduate or undergraduate course credits relevant to +the program area qualification +● A signed letter from the head of school/principal +confirming the following information: +○ The subject area you taught (relevant to your +application) +○ The specific years (at least 2) during which you taught +the subject (must be within the last 10 years) +○ Confirmation that you taught at least 50% of the +weekly schedule in that area. + +Please submit supplemental documents to the contact listed +below. +For more information about this circular, please contact: + + +Page 4: +Superintendent’s Circular HRS-HS07.1 +Page 4 of 4 + +Owner: +School Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Email: +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can +be found on Access Boston +(access.boston.gov). + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM04 +Version 01 + +PERFORMANCE EVALUATION OF NON-DESE- +LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE +ADMINISTRATORS AND OTHER BTU PROFESSIONALS + +Below is the evaluation instrument for BTU employees in roles +which do not require licensure by the Massachusetts Department +of Elementary and Secondary Education, in accordance with 603 +CMR 35.00, et seq, or where otherwise agreed upon by BPS and +BTU. +Summary of significant dates and deadlines: +Date +Activity +June 1 +Deadline for completion of annual +evaluations. +June 15 +Deadline for signed, original copies of +evaluation form (below/attached) to be +submitted to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: OHC Front Desk +2300 Washington Street, 4th floor +Roxbury, MA 02119 +July 1 to June 30 +The evaluation year of non-DESE- +licensed BTU Employees. + + + + +Page 2: +Superintendent’s Circular HRS-PM04 +Page 2 of 8 + +For more information about this circular, contact: +Name: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 3: +Superintendent’s Circular HRS-PM04 +Page 3 of 8 + + +BOSTON PUBLIC SCHOOLS PERFORMANCE EVALUATION FORM +NON-DESE-LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE +ADMINISTRATORS AND OTHER BTU PROFESSIONALS +Name of Employee ________________________ Empl No. ___________ +Position _______________________________ Dept./Level + +Evaluator ________________________________ Prior Rating + +Check One: +Interim + + +Year end + +The administrator/professional will be rated on each standard +within the various categories. There are two possible ratings: +Satisfactory (S): The performance of the administrator/ +professional meets the standards and expectations of the school +department. +Unsatisfactory (U): The administrator/professional fails to meet +the standards and their performance, as measured against these +standards, is unsatisfactory. +The evaluator will place a check or an X in the box under the +rating that describes the administrator/professional’s +performance on that standard. Any rating of “Unsatisfactory” +must be accompanied by a description of the problem and +prescription for improvement on the attached sheet. In the event +a particular standard does not apply, record “NA” for not +applicable. An overall evaluation of “Unsatisfactory” or +“Satisfactory” must be given and recorded below. + + + +Page 4: +Superintendent’s Circular HRS-PM04 +Page 4 of 8 + +Overall Rating: +Satisfactory +Unsatisfactory +Signature of Evaluator_______________________Date ____ /____/ + +Signature of Employee _______________________Date ____/____/____ +The employee's signature indicates that they have received the +evaluation and acknowledges it will be placed in their personnel +file, but it does not denote agreement with its contents. + +1. INSTRUCTIONAL LEADERSHIP ROLE +S +U +Develop plans for the effective delivery of services. + + +Monitors the quality and/or quantity of services provided. + + +Assesses operations and recommends or makes changes as +necessary. + + +Completes all required reports thoroughly, clearly, accurately, +and on time. + + +Works cooperatively with Central Office, Cluster Office, and +school personnel + + +Collaborates with external agencies as necessary. + + +Communicates, implements, and monitors compliance with +policies and procedures of the School Department and +external agencies as appropriate. + + +Demonstrates sound fiscal judgment in budgetary decisions. + + +Provides staff with leadership, orientation and training as +required. + + +Acts in accordance with prescribed organizational structure. + + +Organizes and coordinates own activities and those of staff. + + +Ensures compliance in area of responsibility with policies, +procedures, and contractual obligations of the School + + + + +Page 5: +Superintendent’s Circular HRS-PM04 +Page 5 of 8 + +Department, and all legal mandates. +Demonstrates ability to analyze and use information in +decision-making process. + + +Explains performance standards, duties and responsibilities +and evaluates staff in accordance with School Department +policies. + + + +Maintains all appropriate records required for the operation of +the unit. + + +Exercises sound judgment in the performance of one’s duties + + +Exercises sound judgment in the performance of one’s duties. + + +Communicates accurately and effectively. + + +2. PROFESSIONAL ROLE + +S +U +Carries out responsibilities in a professional manner. + + +Maintains regular attendance and punctuality. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Utilizes appropriate resources to effectively carry out +professional responsibilities. + + +Demonstrates receptivity to constructive suggestions related to +professional role and responds appropriately. + + +Maintains professional demeanor. + + +Performs additional job-related tasks and functions assigned to +them. + + + + + +Page 6: +Superintendent’s Circular HRS-PM04 +Page 6 of 8 + +List additional mutually agreed upon standards or objectives, if +any. + + + + + +Page 7: +Superintendent’s Circular HRS-PM04 +Page 7 of 8 + +NOTES OF OBSERVATION +(Use additional pages if necessary) + + + + + + + +______________________________________________________________________ +DESCRIPTION OF THE PROBLEM AND PRESCRIPTION FOR +IMPROVEMENT +(Use additional pages if necessary) + +1. Description of the problem: + +Prescription: + + +2. Description of the problem: + +Prescription: + + +3. Description of the problem: + + +Page 8: +Superintendent’s Circular HRS-PM04 +Page 8 of 8 + + +Prescription: + + +General Comments (use additional pages if necessary): + + + + + + + + +Employee’s Comments (use additional pages if necessary): + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP13 +Version 01 + +EMPLOYEE SICK LEAVE POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston School Committee will not permit any abuse of sick +leave privileges. Sick leave is a benefit only to be used for +absences caused by illness, injury, or exposure to contagious +diseases. Those employees who use sick leave for any other +purpose do a disservice to our students, to their co-workers, and +to the taxpayers. A public perception that School Department +employees abuse sick leave will undermine confidence in and +support for public education in Boston. +Accordingly, it is and shall be the policy of the Boston School +Committee to monitor the sick leave practices of all its +employees, to detect any sick leave abuse, and to discipline any +employee found to have abused the sick leave privileges. No +legitimate sick leave will be denied. No abuse will be tolerated. +The Superintendent shall develop and promulgate appropriate +rules and procedures to implement this sick leave policy. Copies +of this policy shall be prominently posted at all work locations. +Attached you will find a document entitled Employee Sick Leave +Policy Guidelines. The document provides specific details +regarding (1) the responsibility of each manager with regard to +sick leave, (2) managerial intervention required, and (3) + + +Page 2: +Superintendent’s Circular HRS-PP13 +Page 2 of 10 + +procedures mandated to ensure the effective implementation of +the Employee Sick Leave Policy. A copy of these guidelines +should be posted in the school office, and a copy should be made +available in teachers' rooms for review by staff. +The School Committee’s Employee Sick Leave Policy and +Guidelines cover all employees of the Boston Public Schools. In +accordance with the guidelines, employees absent for six (6) or +more consecutive working days must apply for a leave of absence +through the online application and provide a WH-380-E/F form or +medical certification/documentation on official letterhead from a +health care provider as determined by their Collective Bargaining +Agreement, as well as a fitness for duty report to return to work. +The medical certification should be on the physician's letterhead +and should include: +1. A statement that the physician understands the nature of +the employee's duties and that the employee is incapable of +performing the duties and responsibilities of their position. +2. A statement of anticipated duration of the absence or the +expected date of the return to work (if the duration is +unknown, the letter should indicate when the employee will +be seeing a physician again and an updated letter would be +required after that visit). +► Failure to provide the proper physician's certificate +when required may lead to loss of pay. +Absences interrupted by weekends and/or holidays are +considered consecutive. +All managers are directed to discuss the guidelines with all staff +members at the beginning of the school year to ensure mutual + + +Page 3: +Superintendent’s Circular HRS-PP13 +Page 3 of 10 + +understanding. Please note the guidelines are consistent with +the BTU and BASAS contracts. +The Office of Human Resources has information readily available +on an employee's accumulated benefits such as vacation, sick +leave, and personal days. It is also able to monitor the attendance +of the entire School Department workforce. Principals, heads of +school, and other administrative heads will be provided with +periodic attendance data for employees under their jurisdiction. +These reports are expected to assist managers in providing +appropriate supervision for individuals who exhibit problematic +attendance patterns. +For more information about this circular, contact: +Owner: +Leave of Absence Team +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +OHRLeaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + +Page 4: +Superintendent’s Circular HRS-PP13 +Page 4 of 10 + + +EMPLOYEE SICK LEAVE POLICY GUIDELINES +STATEMENT +The term “manager,” as used in these guidelines, refers to +positions such as academic superintendent, senior officer, head +of school, principal, program director, and director. It is expected +that managers may in some cases delegate authority to carry out +these procedures to supervisory personnel reporting to them. +PURPOSE +The purpose of these guidelines is to improve employee +attendance and eliminate any abuse of sick leave benefits. Their +consistent application by managers, and compliance by all +employees, will make a substantial contribution toward our +ultimate goal of providing an effective and high-quality +education for the students in the Boston Public Schools. +THE MANAGER HAS PRIMARY RESPONSIBILITY FOR +EFFECTIVELY IMPLEMENTING THESE GUIDELINES: +1. Managerial Responsibility: Absenteeism is one of the +primary reasons for a manager's inability to accomplish +expected results, since it results in less than optimal student +progress, missed deadlines, low quality of work due to +inexperienced replacements, scheduling and coverage +problems, and low morale of employees who must assume +the absentee's workload. Employee motivation and +attendance are key factors affecting the productivity of each + + +Page 5: +Superintendent’s Circular HRS-PP13 +Page 5 of 10 + +unit in the school system. A good attendance practice +within a school or department is indicative of a well- +motivated and supervised workforce. Therefore, managers +should realize that it is in their own best interest to develop +and to maintain good attendance practices, since their +effectiveness is measured by the accomplishments of their +schools and departments. + +2. Managerial Judgment: Managers will be expected to +implement these procedures, to counsel employees, and to +take remedial action when a patterned abuse occurs. Each +supervisor should analyze each situation based on its merits, +considering such factors as length of service, total sick leave +accumulation, number of occurrences (frequency), patterns +of absenteeism, such as before and after weekends, holidays +and vacations, severity rate (the duration of absence), and +the employee's medical history that is previously known to +the manager and/or from information that may be required +to be on file with the School Department. + +Major attendance problems facing managers are: +a. +"Pre-retirement illness" — attempts by long-time +employees to exhaust their sick leave benefits before +retirement +b. +"Pre-layoff illness" — attempts by employees who +received a notice for layoff to exhaust their sick leave +benefits before the layoff becomes effective + +c. +"Post contract non-renewal illness" —attempts by +employees whose contract has not been renewed +prior to exhausting sick leave. + + +Page 6: +Superintendent’s Circular HRS-PP13 +Page 6 of 10 + +3. Managerial Intervention: It is important that the manager +intervene as soon as an absence pattern is detectable. The +manager can discuss the reasons for the pattern or the +absences and can prevent the pattern of absences from +becoming worse. +Each manager must review the attendance records of each +employee in their organization at least on a quarterly basis +to monitor attendance practices and to determine if there +are patterns of sick leave abuse. Each employee whose +number of days or the number of occurrences exceed five +consecutive days absent, and there is reasonable cause to +believe that the absence is not an appropriate use of sick +leave, must be interviewed by the manager. The purpose of +this interview is to determine whether there is any +possibility of sick leave abuse. A written record must be kept +concerning the nature of the supervisory discussion or +interview. + + + + +Page 7: +Superintendent’s Circular HRS-PP13 +Page 7 of 10 + +PROCEDURAL REQUIREMENTS +To ensure the effective implementation of the Employee Sick +Leave Policy, employees must adhere to the following +procedures: +1. Notification +a. Employees Serving in Schools: These employees are +not entitled to sick leave without loss of pay unless +they have notified their head of school or principal, in +accordance with the schedule established by the +appropriate head of school/principal. Each employee +must indicate the nature of the illness and the period +of anticipated absence. If, at the expiration of the +anticipated period, the employee is not recovered, the +employee must again notify the head of +school/principal of the reason for the additional period +of anticipated absence in accordance with established +practice at their school. Each school must maintain and +post in appropriate locations a standard policy for +notice of absence. +b. Employees Not Serving in Schools: These employees +are not entitled to sick leave without loss of pay unless +they have notified their manager of the absence, its +cause, and anticipated duration before the expiration +of the first fifteen (15) minutes after their normal +reporting time or as soon as practical. If, at the +expiration of the anticipated duration, the employee is +not recovered, the employee must again notify the +manager of the reason for the additional period of + + +Page 8: +Superintendent’s Circular HRS-PP13 +Page 8 of 10 + +anticipated absence the day before the employee is +expected to return to work. +c. Illness During Work Hours: When an employee +becomes ill during regular work hours, the employee +must notify the manager. The manager will record the +length of absence. +d. Failure to Notify: Employees failing to give proper +notice in the absence of extenuating circumstances +shall be considered without authorization and are +subject to progressive disciplinary action. +e. Reporting time: All managers must ensure that all +time reporting is entered into the system consistent +with established procedures in order that employee’s +absences are correctly charged and leave balances +maintained. As usual, Department Time Summary +Reports must be submitted to the BPS Payroll Office in +accordance with the payroll schedule. +2. Physician's Certificate: If the absence is of six (6) or more +consecutive working days' duration, a physician's certificate +will be required upon return to work, or prior to return if +requested. When the record of repeated absences reflects a +clear pattern of abuse — such as consistent three (3) days +present, two (2) days absent — the manager should request +a physician's certificate, even though it may not be required +under the relevant collective bargaining contract. In such +circumstances, the employee should be advised that a +physician's certificate may be the only adequate refutation + + +Page 9: +Superintendent’s Circular HRS-PP13 +Page 9 of 10 + +to the charge of sick leave abuse. The physician's certificate +should include the following: +a. A statement that the physician understands the nature +of the employee's duties and that the employee is +incapable of performing the duties and responsibilities +of their position. +b. A statement of anticipated duration of the absence or +the expected date of return to work (if the duration is +unknown, the letter should indicate when the +employee will be seeing the physician again, and an +updated letter would be required after that visit). +If the physician's certificate does not include these +statements, the manager must notify the employee to +obtain the omitted information before authorizing sick +leave. +ALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A +CONFIDENTIAL BASIS. +If, during the interview, the supervisor learns that an employee +has a chronic or disabling condition which may qualify that +person for consideration as a handicapped individual, (1) you +should contact the Office of Equity at 617-635-9650. + +(1) +1A handicapped individual includes someone who has, has +had, or is thought of as having a physical or mental condition +that substantially limits a major life activity, including working. +The condition may be permanent or temporary. + + +Page 10: +Superintendent’s Circular HRS-PP13 +Page 10 of 10 + +A handicapped individual is defined as any person who has a +physical or mental impairment which substantially limits one or +more major life activities, such as: caring for oneself, performing +manual tasks, seeing, hearing, speaking, breathing, or learning. +The Office of Human Resources and Office of the Legal Advisor +are available for advice and counsel. +While the managers are the central figures in managing +attendance, the Office of Human Resources and Office of the +Legal Advisor are prepared to provide them with the following +technical support: +1. Advise managers in their effort to change unacceptable +absence patterns. +2. Provide an early referral system for health, emotional, +alcoholic, or drug-related matters. +3. Provide an effective mechanism for a centralized sick leave +and vacation reporting system. +4. Interpret policy and procedures and assist in the resolution +of operating problems. +5. Provide advice concerning the implementation of +progressive disciplinary action. + + + + + + + + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP17 +Version 01 + +EMPLOYEE RESIGNATION, RETIREMENT, AND +SEPARATION PROCEDURE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +A resignation is a voluntary action taken by an employee who +wishes to terminate their employment with the Boston Public +Schools. +RESIGNATION/SEPARATION +An employee shall notify their immediate supervisor regarding +termination of employment with Boston Public Schools. This +notice must be in writing, state the employee’s last day of work, +and be signed by the employee. A sample resignation letter +(found on page 7) may be used to provide written notice. +To submit a resignation letter: +1. Complete the resignation termination form by clicking on +the link Termination/Retirement/Resignation Notification +Form. Complete the form and upload a signed letter of +resignation. Please enter a personal email address on the +resignation/termination form to receive the final email +notification acknowledging your resignation from the Office +of Human Resources. + + +Page 2: +Superintendent’s Circular HRS-PP17 +Page 2 of 7 + +2. The resignation form will send an email notification to your +supervisor. +3. Supervisors will approve/process, and notification will then +be sent to the Office of Human Resources to process. +4. An email notification finalizing the process will be emailed +to your personal email address that you provide on the +resignation/termination form. +5. For those unable to access the link, you can have a +supervisor or secretary complete the form on your behalf. +The supervisor will submit via the online process for +entering resignation/retirement/terminations. Please +provide your personal email address to receive the final +email notification acknowledging your resignation from the +Office of Human Resources. +RETIREMENTS +1. An employee who is planning to retire must first file an +“Intent to Retire” with the City of Boston Retirement Board. +Please note that pursuant to Retirement Board policy, an +employee cannot file the Intent to Retire more than four (4) +months prior to their intended retirement date. +2. After you submit your signed Intent to Retire form to the +Boston State Retirement Board, please complete the +Resignation/Retirement form by clicking on the link +Termination/Retirement/Resignation Notification Form. +3. Upload a signed letter resigning for the purpose of retiring +along with your signed Intent To Retire form that you +submitted to the Retirement Board. Please enter a personal +email address on the retirement/resignation form to receive + + +Page 3: +Superintendent’s Circular HRS-PP17 +Page 3 of 7 + +an email notification acknowledging your +retirement/resignation when finalized by the Office of +Human Resources. +4. Resignation/Retirement form will send an email notification +to your supervisor who will sign off on the notification of +your resignation/retirement and submit notification to the +Office of Human Resources to finalize the retirement +termination process. +5. For those unable to access the link, you can have a +supervisor or secretary complete the form on your behalf. +The supervisor will submit via the online process for +entering resignation/retirement/terminations. Please +provide your personal email address to receive the final +email notification acknowledging your +retirement/resignation. +For more information on the retirement process, employees +should contact the Boston Retirement Board for an appointment +by telephone at 617-635-4311 or via email at +retirementboard@boston.gov. The Retirement Board is located +at 1 City Hall Square, Room 816, Boston, MA 02201-2038. +CANCELLATION OF RESIGNATION/RETIREMENT +Resignations and retirements may be canceled before an +employee’s effective date of termination. A signed letter must be +received by the Office of Human Resources and Retirement +Board if canceling retirement prior to the close of business on the +original resignation/retirement date. +Once the resignation effective date has passed, an employee may +return to the Boston Public Schools only through the + + +Page 4: +Superintendent’s Circular HRS-PP17 +Page 4 of 7 + +reemployment process by applying for a position. +EMPLOYEE SEPARATION CHECKLIST (EMPLOYEE PORTION): +Terminating employees are advised to complete the following +prior to exiting Boston Public Schools: +1. Complete the resignation/retirement termination +notification form and upload a signed letter of resignation to +your school/dept or OHC over the summer months by +clicking on the link Termination/Retirement/Resignation +Notification Form. See sample resignation letter on page 4 +of this circular. +2. Please return any Boston Public Schools property that you +still have in your possession, e.g., keys, cell phone, laptop, +etc., on or before your last day of employment. For keys and +school building materials, please contact your school leader +to arrange to return those items. +3. L4L Laptop (Laptops for Learning), please call the OIIT +Service Desk, 617-635-9200 to schedule an appointment to +return the laptop, bag, and peripherals. +4. Enter all Absence Requests on Employee Self Service (ESS). +5. Cancel any meetings or out of district activities that are +scheduled prior to the last day of employment and work +with your supervisor to achieve a smooth transfer of duties. +6. Update your home address for future correspondence (i.e., +final paycheck, W2, benefit information, severance etc.); +remove mailing address if home address is same as mailing +address. +7. Remove all personal files from district servers and + + +Page 5: +Superintendent’s Circular HRS-PP17 +Page 5 of 7 + +computers. +8. Inform your supervisor of the location of job-related files and +make those files accessible to the supervisor. +EMPLOYEE SEPARATION CHECKLIST (SUPERVISOR PORTION): +An employee’s supervisor is responsible for collecting the +following applicable items and/or addressing the following +issues: +1. Have the employee enter the resignation/retirement letter +on the electronic termination form at this link +Termination/Retirement/Resignation Notification Form, or +you or your secretary can complete the form and upload the +employee’s signed letter of resignation on the employee’s +behalf. A sample letter is located on page 4 of this circular. +2. Process all absences on Employee Self Service in a timely +manner. +3. Obtain the following items (all that apply): +a. Keys (office, building, cabinet, desk, vehicles, other). +b. Badge/ID (office, building, other). +c. Department issued equipment (computers, laptops +(except L4L laptops), printers, modems, etc.) See above +for L4L laptop returns to OIIT. +d. Cell phone and accessories, pager, radios. +e. Department issued uniforms. +f. Department issued property. + + +Page 6: +Superintendent’s Circular HRS-PP17 +Page 6 of 7 + +BENEFITS +An employee may be eligible to continue to purchase certain +benefits after they leave. Upon loss of coverage for an employee +and/or their eligible dependent(s), a COBRA notification packet +will be mailed to the employee and/or their eligible dependent(s). +The law requires that this packet be sent by mail to the last +known address of the employee and/or the employee's eligible +dependent(s). For additional information on COBRA, see COBRA +Questions and Answers. +Please contact the City of Boston Health Benefits Office at 617- +635-4570 for further information. +The Office of Human Resources provides this FAQ Retirements, +Resigning, Non-Renewal, Lay Off. + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 7: +Superintendent’s Circular HRS-PP17 +Page 7 of 7 + +SAMPLE EMPLOYEE RESIGNATION LETTER +Employee Name: +Employee Address: +Date: + +Dear (Principal/Head of School/Supervisor), +This letter is to inform you that I will be resigning from my +position as [name of position] at [name of school or department] +effective [date]. +Optional: May include reasons for resigning in the body of the +form. +I certify that this resignation is executed by me voluntarily and of +my own free will. + +Employee Name: +Employee Signature: +Date: + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-L02 +Version 01 + +REQUIREMENTS FOR PARAPROFESSIONALS +UNDER ESSA +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The US Department of Education Every Student Succeeds Act +(ESSA) requires that all instructional paraprofessionals meet +specific employment requirements in order to be designated +“Highly Qualified”. These requirements apply to all schoolwide +programs without regard to whether the positions are funded +with federal, state, or local funds. To be considered Highly +Qualified, paraprofessionals will need to possess specific skills in +reading, writing, math, and instruction (as outlined in +Attachment A of this Superintendent’s Circular). +I. ESSA REQUIREMENTS FOR PARAPROFESSIONALS +There are currently two available options for paraprofessionals to +be deemed Highly Qualified: +● Pathway 1: Associate’s Degree or 48 Credit Hours of +Coursework +The paraprofessional obtained an Associate’s (or higher) +degree OR completed at least 48 credit hours of +coursework at an institution of higher education (IHE). If +this pathway was selected the paraprofessional should +submit to the Principal/Headmaster all relevant transcripts. + + + + +Page 2: +Superintendent’s Circular HRS-L02 +Page 2 of 12 + +● Pathway 2: Formal Standardized Assessment +The paraprofessional passed a formal standardized +assessment. The Massachusetts ESE has selected both the +ParaPro Assessment and the WorkKeys Certificate of +Proficiency for Teacher Assistants as the formal state- +endorsed assessments. Either of these assessments will +enable instructional paraprofessionals to meet this +requirement. If this pathway is selected the +paraprofessional should submit to the +Principal/Headmaster an official score report confirming a +passing score. +II. RESOURCES FOR PATHWAY 2 +Information about the ParaPro Assessment, including content +overview, and registration can be accessed on-line at +http://www.ets.org/parapro. The test is generally offered as a +paper/pencil test given four times per year at Roxbury +Community College. BPS does not currently administer the +Internet-based ParaPro test. A scaled score of 464 must be +achieved in order to pass and be deemed “Highly Qualified”. +Information about the WorkKeys Proficiency Certificate for +Teacher Assistants can be accessed on-line at +http://www.act.org/workkeys/. It consists of a three-part +assessment as well as an observation-based tool known as the +Instructional Support Inventory (ISI). It is administered by +WorkSource Partners, Inc., One Harvard Street, Ste 200, +Brookline, MA 02445 (phone: 617-232-0330). To meet the +requirements of ESSA, paraprofessionals must achieve at the +following skill levels on the three-part assessment: +● Reading for Information: Skill Level 5 + + +Page 3: +Superintendent’s Circular HRS-L02 +Page 3 of 12 + +● Applied Mathematics: Skill Level 4 +● Business Writing: Skill Level 3 +III. FEDERAL DEFINITIONS +Definition of Instructional Paraprofessional +An instructional paraprofessional is an individual who provides +instruction and support for classroom teachers. Aides, assistants, +or tutors who engage in instructional support are considered to +be instructional paraprofessionals as defined by ESSA. Individuals +who work solely in non-instructional roles, such as food service, +cafeteria or playground supervision, personal care services, and +non-instructional computer assistance are not considered to be +instructional paraprofessionals. +Responsibilities of Instructional Paraprofessionals +ESEA specifies that instructional paraprofessionals may engage +in the following activities: +● Provide one-on-one tutoring for eligible students, if the +tutoring is scheduled at a time when a student would not +otherwise receive instruction from a teacher. +● Assist with classroom management, such as organizing +instructional and other materials. +● Assist in a computer laboratory. +● Provide instructional support in a library or media center. +● Provide instructional services to students under the direct +supervision of a teacher. + + +Page 4: +Superintendent’s Circular HRS-L02 +Page 4 of 12 + +All instructional paraprofessionals must be supervised directly by +teachers. Instructional paraprofessionals cannot be supervised by +a peer or group of peers. +The following two categories of paraprofessionals need only +possess a high school diploma or equivalent and are not required +to meet the additional requirements listed above: +● Paraprofessionals in Title I programs who serve primarily as +translators (as long as these paraprofessionals are proficient +in English and a language other than English); and +● Paraprofessionals working solely on parental involvement +activities. +Visit the Mass. DESE website for additional details. + +For more information about this circular, contact: +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Boston MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 + +Mary Skipper, Superintendent + + + +Page 5: +Superintendent’s Circular HRS-L02 +Page 5 of 12 + +ATTACHMENT A +Massachusetts Department of Education Learning Guidelines +for Title I Instructional Paraprofessionals +The Department of Education strongly encourages districts and +charter schools to use these guidelines as a model for all +paraprofessionals who provide instructional support to students. +BASIC ASSUMPTIONS +● Instructional paraprofessionals are respected team +members responsible for assisting in the delivery of +instruction and other student-related activities. As valued +members of the faculty, they are essential partners in the +work of Title I programs. +● Given their responsibilities, instructional paraprofessionals +must be skilled in reading, writing, and mathematics, and +familiar with instructional practices that ensure and +support the achievement of all students. +● To enhance the continuity and quality of services for +students, paraprofessionals must be encouraged and +supported in their efforts to participate in ongoing +professional development programs. +● Programs for instructional paraprofessionals are best when +they are comprehensive, acknowledge the diverse roles +paraprofessionals play in schools and provide pathways to +further education and teacher licensure, if desired. + + + + +Page 6: +Superintendent’s Circular HRS-L02 +Page 6 of 12 + +1. LITERACY DOMAIN +01 Language +A paraprofessional will know how and be able to: +● Use agreed-upon rules for informal and formal discussions +in small and large groups +● Pose questions, listen to the ideas of others, and contribute +their own information or ideas in group discussions or +interviews in order to acquire new knowledge +● Understand new vocabulary and use it correctly in reading +and writing +● Analyze and use Standard English grammar +● Describe, analyze, and use appropriately formal and +informal English +● Identify and use the correct meaning of words and phrases +● Recognize and use words with multiple meanings +● Use a paragraph or passage as the context for determining +the meaning of an unfamiliar or uncommon word or phrase +● Use dictionaries, thesauruses, and other related references +02 Literature +A paraprofessional will know how and be able to: +● Identify the basic facts and main ideas in a text and use +them as the basis for interpretation +● Identify and paraphrase the main idea of a passage +● Identify supporting evidence + + +Page 7: +Superintendent’s Circular HRS-L02 +Page 7 of 12 + +● Identify, organize, and draw conclusions using the +relationship(s) among the ideas in written material +● Identify, analyze, and apply knowledge of the theme, +structure and elements of fiction and provide evidence +from the text to support their understanding +● Identify, analyze, and apply knowledge of the purposes, +structure, and elements of nonfiction or informational +materials and provide evidence from the text to support +their understanding +● Identify, analyze, and apply knowledge of the themes, +structure, and elements of poetry and provide evidence +from the text to support their understanding +● Identify, analyze, and apply knowledge of the themes, +structure, and elements of drama and provide evidence +from the text to support their understanding +● Identify and analyze how an author’s words appeal to the +senses, create imagery, suggest mood, and set tone and +provide evidence from the text to support their +understanding +03 Composition +A paraprofessional will know how and be able to: +● Write with a clear focus, coherent organization, and +sufficient detail +● Write for different audiences and purposes +● Demonstrate adequate paragraph development and +appropriate style, tone, and word choice in their +compositions + + +Page 8: +Superintendent’s Circular HRS-L02 +Page 8 of 12 + +● Use standard English conventions in their writing, revising, +and editing +● Organize ideas in writing in a way that makes sense for +their purpose +● Gather information from a variety of sources, analyze, and +evaluate the quality of the information they obtain, and use +it to answer their own questions +● Outline, summarize, and take notes +● Interpret information presented in graphic form +2. NUMERACY DOMAIN +01 Number Sense +A paraprofessional will know how and be able to: +● Understand numbers, ways of representing numbers, +relationships among numbers, and number systems +● Understand principles and operations related to integers, +fractions, decimals, percents, ratios, and proportions +● Understand and solve problems involving integers, +fractions, decimals, percents, ratios, and proportions +● Understand meanings of mathematical operations and how +they relate to one another. +● Compute fluently and make reasonable estimates +● Know how to use standard arithmetical algorithms + + + + +Page 9: +Superintendent’s Circular HRS-L02 +Page 9 of 12 + +02 Algebra +A paraprofessional will know how and be able to: +● Understand and use patterns to model and solve problems +● Understand how to manipulate and simplify algebraic +expressions and translate problems into algebraic notation +● Understand the properties of different types of functions +and relations +03 Geometry +A paraprofessional will know how and be able to: +● Analyze characteristics and properties of two- and three- +dimensional geometric shapes +● Specify locations and describe spatial relationships using +coordinate geometry and other representational systems +● Understand the principles and properties of coordinate and +transformational geometry, apply transformations, and use +symmetry to analyze mathematical situations +● Use visualization, spatial reasoning, and geometric +modeling to solve problems. +04 Measurement and Data Analysis +A paraprofessional will know how and be able to: +● Identify measurable attributes of objects and use the +standard units, systems, and processes of measurement +● Formulate questions that can be addressed with data; and +collect, organize, and display relevant data to answer them + + +Page 10: +Superintendent’s Circular HRS-L02 +Page 10 of 12 + +● Select and use appropriate statistical methods to analyze +data +● Develop and evaluate inferences and predictions that are +based on data +3. INSTRUCTION DOMAIN +01 Curriculum Planning +A paraprofessional will know how and be able to: +● Assist with activities addressing standards that will advance +students’ level of content knowledge +● Assist with activities appropriate for the full range of +students within a classroom and appropriate to the specific +discipline, age, and level of proficiency with the English +language and Individualized Education Programs (IEP) +02 Effective Instruction +A paraprofessional will know how and be able to: +● Communicate lesson objectives clearly +● Build on students’ prior knowledge and experience +● Provide support under the guidance of a classroom teacher +to address student needs +● Help students use appropriate instructional resources to +support learning in reading, writing, and mathematics +● Help students use a variety of approaches to understand +what they read +● Help students focus their writing +● Help students relate mathematics to everyday situations + + +Page 11: +Superintendent’s Circular HRS-L02 +Page 11 of 12 + +● Employ a variety and range of instructional techniques +from direct instruction to cooperative learning groups +● Use instructional technology appropriately +● Provide regular feedback to students on their progress +● Provide formal and informal assessment of student +progress +03 Classroom Climate and Equity +A paraprofessional will know how and be able to: +● Maintain appropriate standards of behavior, mutual +respect, and safety in the classroom +● Promote achievement for all students, including those with +disabilities, those with limited English proficiency, and +those who are gifted and talented, without exception +● Promote civic and self-responsibility in the classroom, +school, and community +04 Professional Responsibilities +A paraprofessional will know how and be able to: +● Carry out their legal and ethical responsibilities. +● Carry out health, safety, and emergency procedures of the +learning environment. +● Maintain high standards and expectations for all students. +05 Professional Skills +A paraprofessional will understand how and be able to: + + +Page 12: +Superintendent’s Circular HRS-L02 +Page 12 of 12 + +● Accept supervision to reflect critically upon their classroom +experience and identify areas for further skill and +professional development. +● Work collaboratively with school personnel. +● Confer with supervisor(s) and/or content specialist(s) when +assistance is needed in supporting students’ learning +process. + + +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM06 +Version 01 + +PERFORMANCE EVALUATION OF MANAGERIAL EMPLOYEES + +TABLE OF CONTENTS +Document Purpose +Purpose of Performance Management +Evaluation Process Overview +The Five-Step Process +Step 1: Self-Assessment +Step 2: Analysis, Goal-Setting, and Analysis +Step 3: Implementation of the Plan +Step 4: Formative Assessment (Optional) +Step 5: Summative Evaluation (June 1) + +Evaluation Platform and Documentation +Timeline and Tools +Appendix A: The Core Competencies +Appendix B: Rating Levels +DOCUMENT PURPOSE +This document describes the performance management and +evaluation process for managerial employees of Boston Public +Schools (BPS), both Central Office and school-based. The + + +Page 2: +Superintendent’s Circular HRS-PM06 +Page 2 of 10 + +purpose of this document is to provide clarity to employees and +supervisors, as well as templates and tools for use during the +process. This document was created as part of a cross- +departmental working group on central office performance +management. + +PURPOSE OF PERFORMANCE MANAGEMENT +BPS students are the citizens, leaders, scholars, entrepreneurs, +advocates, and innovators of tomorrow. As a district, we must +ensure that 100 percent of our students are prepared for college, +career, and life in the 21st century. We must model the district on +the classroom we want to see. We have established a system of +performance management to affirm the ideal that everyone, +from students to the superintendent, must have sufficient +resources, information, and support to achieve efficacy in their +endeavors. +The fundamental purpose of performance management in the +BPS Central Office is to maximize the productivity and impact of +our employees by enabling them to perform at their fullest +potential. Our approach is designed to provide high-quality +support to schools, students, and families in BPS to ensure our +graduates are college, career, and life ready. To do so, our +performance management system will: +1. Establish a consistent set of competencies to clearly set and +communicate expectations for employee performance +2. Align employee efforts with department and organizational +goals +3. Create systems and structures that gather and monitor +performance in order to support employee feedback, +growth, and development + + +Page 3: +Superintendent’s Circular HRS-PM06 +Page 3 of 10 + +4. Identify areas of strength to leverage for increased impact, +and areas of growth for providing targeted support +5. Provide accountability for individuals and enable them to +see their contribution to and progress toward organizational +goals +6. Connect employee performance to incentives, recognition, +professional growth, and retention efforts. +EVALUATION PROCESS OVERVIEW +The criteria for effective practice for Central Office managerial +employees are identified in the Core Competencies, which +defines six categories: +1. Results Orientation +2. Collaboration and Communication +3. Job Knowledge and Skills +4. Cultural Competency & Equitable Practices +5. Responsiveness and Service Focus +6. Leadership [for staff members supervising people or +projects] +See Appendix A for greater detail on the set of core +competencies. +Evaluations will result in ratings on an employee’s goals, on the +six Core Competencies, and on overall performance, which will be +based on the supervisor’s judgment of performance against the +standards and progress toward goals. Progress toward goals will +be rated as Goal Achieved, Goal Significantly Met, Active Goal, +Goal Not Met, and Goal Deferred. Greater details on these rating +levels can be found in Appendix B. +The five levels of performance, which apply to performance on +each competency and the Overall performance rating shall be: + + +Page 4: +Superintendent’s Circular HRS-PM06 +Page 4 of 10 + +“Highly Effective”, “Effective”, “Developing,” “Minimally Effective,” +and “Ineffective.” Greater details on these rating levels can be +found in Appendix B. +THE FIVE-STEP PROCESS +Based on best practices in performance evaluation, BPS has +adopted a five-step process for evaluation. This process should be +followed each year by employees and supervisors. +Five-Step Process Overview + +STEP 1: Self-Assessment (by September 1) +Employee reviews available evidence of work performance, prior +feedback and evaluations, and the Core Competencies to +determine areas of strength and areas for further growth. The +Self-Assessment is used to inform the employee’s goals and +action plan for the upcoming year. +STEP 2: Analysis, Goal-Setting, and Analysis (by October 1) +Based on the employee’s self-assessment, job description, +individual aspiration, and school/department goals, the employee +and supervisor establish 2-4 goals, related to professional + + +Page 5: +Superintendent’s Circular HRS-PM06 +Page 5 of 10 + +practice or performance: +● A professional practice goal relates to an identified skill or +set of knowledge that an employee wants to develop or +improve. When developing a professional practice goal, +employees and supervisors should both look at past +performance and feedback, as well as the employee’s +professional/career aspirations. Professional practice goals +should align to one or more of the Core Competencies +● A performance goal is a measurable target or outcome +related to an employee’s work. Goals should align with an +employee’s team and/or departmental goal(s). +STEP 3: Implementation of the Plan (Ongoing) +The employee performs job duties and responsibilities, +implements the action steps toward goals, submits evidence +supporting proficiency, and meets with their supervisor to +receive and discuss feedback. The supervisor collects and reviews +evidence, provides ongoing, timely, clear, and actionable +feedback, and meets with the employee to give and discuss +feedback, including recommendations for improvement, if +applicable. +STEP 4: Formative Assessment (Optional or By February 1) +Each employee should receive a Formative Assessment to +provide the employee with written feedback on their +performance against the Core Competencies and their progress +toward goals. Typically, the formative will occur midway through +the assessment year, though it may take place at other times for +individuals in need of additional support. +Professional Development Plans are implemented when an + + +Page 6: +Superintendent’s Circular HRS-PM06 +Page 6 of 10 + +employee’s performance is rated Minimally Effective under one +or more competencies, or overall. They are meant to include +increased supervision and support for improvement in specific +areas identified by the supervisor. +Performance Improvement Plans (PIPs) are implemented when +an employee’s performance is rated Ineffective under one or +more competencies, or overall. They are more highly directed +plans that are typically followed by another evaluation and may +result in employment action if performance is not sufficiently +improved. +STEP 5: Summative Evaluation (June 1) +Each employee shall receive a Summative Evaluation to provide +the employee with written feedback and ratings of their +performance and progress toward goals. + +EVALUATION PLATFORM AND DOCUMENTATION +Managerial employee performance evaluations and related +documentation are generated and stored in the BPS online +performance management platform, VectorEvals. Employees +and supervisors will receive training in accessing, navigating, and +using the platform prior to the start of their evaluation cycle. +Training modules will be available in an online, on-demand +format to employees and supervisors for reference, as well. + + + + +Page 7: +Superintendent’s Circular HRS-PM06 +Page 7 of 10 + +TIMELINE +Date +Activity +July - August +● Office, team, and individual goal-setting begins +● Supervisors review of standards and expectations with employees +September 1 +● Employee Self-Assessments due +● Employee Goals & Action Plans draft due +October 1 +● Finalized Employee Goals & Action Plans due +Ongoing +● Employee check-ins, at the discretion of supervisor +● Provide feedback (verbal and written) to employees on progress toward +goals, observed performance, and work products/artifacts. +● Implementation also includes peer feedback. +January +● Formative Assessment meetings with employees (Optional) +February 1 +● Formative Assessments finalized and submitted (Optional) +May 21 - 25 +● Last day to submit artifacts for review prior to Summative Evaluation +June 1 +● Summative Evaluations finalized and submitted + +APPENDIX A: CORE COMPETENCIES (LINK TO SEPARATE +DOCUMENT) + + + + +Page 8: +Superintendent’s Circular HRS-PM06 +Page 8 of 10 + +APPENDIX B: OVERALL EFFECTIVENESS LEVELS (BELOW) +Effectiveness +Level +Description +Highly Effective +Performance far exceeded expectations due to exceptionally high +quality of work performed in all essential areas of responsibility, +resulting in an overall quality of work that was superior; and either +included the completion of a major goal or project, or +made an exceptional or unique contribution in support of team, +department, or district objectives. +This level is achievable by any employee though given infrequently +(<10% of employees) +Effective +Performance met expectations in all essential areas of responsibility, +and the quality of work overall was excellent. Annual goals were met. +Developing +Performance consistently met expectations in all essential areas of +responsibility, at times possibly exceeding expectations, and the quality +of work overall was very good. The most critical annual goals were +met. +This level is expected for individuals who are new to the organization +or to a role. +Minimally Effective Performance did not consistently meet expectations – performance +failed to meet expectations in one or more essential areas of +responsibility, and/or one or more of the most critical goals were not +met. A professional development plan (not necessarily a PIP) to +improve performance must be implemented, including timelines, and +monitored to measure progress. +Ineffective +Performance was consistently below expectations in most essential +areas of responsibility, and/or reasonable progress toward critical goals +was not made. Significant improvement is needed in one or more + + +Page 9: +Superintendent’s Circular HRS-PM06 +Page 9 of 10 + +Effectiveness +Level +Description +important areas. A Performance Improvement Plan (PIP) to correct +performance, including timelines, must be outlined and monitored to +measure progress. + +Goal Status Scale +Goal Status +Description +Goal Achieved: +All goal milestones and success measures have been achieved for +100% of goals. +Goal Significantly +Met: +All goal milestones and success measures have been achieved for at +least 85% of goal. +Active Goal: +The goal is still in progress, though some milestones may have been +achieved. +Goal Not Met: +For this goal, some or all milestones and success measures have not +been met. +Goal Deferred: +For timing or organizational reasons, this goal has been deferred. + + + + + + + +Page 10: +Superintendent’s Circular HRS-PM06 +Page 10 of 10 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA 02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP06 +Version 01 + + +CONFIDENTIALITY OF PERSONNEL RECORDS AND +EMPLOYMENT VERIFICATIONS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +State laws and regulations regulate disclosure of information +collected about personnel by the Boston Public Schools. These +laws and regulations provide that, with some exceptions such as +personnel and medical records, the School Department's records +must be available for public inspection. State law further provides +that individuals may review and challenge information in the files +concerning them. +PERSONNEL RECORDS +The Office of Human resources maintains both publicly available +and confidential files about each employee. The Office of Human +resources will disclose allowable information when requested to +do so in writing. +Please note that the following are public records, which will be +released upon receipt of a written request: +● Names +● Other materials or data relating to a specifically named +individual, the release of which would not publicize intimate +details of a highly personal nature. + + +Page 2: +Superintendent’s Circular HRS-PP06 +Page 2 of 4 + + + +Confidential information is not released, such as social security +numbers, home addresses and phone numbers, transcripts, +medical forms, and evaluations. +Only an employee may view their entire file unless a court order +or other legal mandates require otherwise. An employee may +view their file in the Office of Human resources by appointment +only. To schedule an appointment, place an HR Inquiry request +via the Beacon. This can be found for internal employees by +navigating to Access.Boston.gov. +To obtain a copy of your personnel card for the City of Boston +Retirement Board, please place an HR inquiry request via the +Beacon. This can be found for internal employees by navigating +to Access.Boston.gov. Any former employee will need to submit a +request via email at ohr@bostonpublicschools.org. +EMPLOYMENT VERIFICATION +All inquiries regarding employees, employment status, and other +such information must be directed to the Office of Human +resources, where official personnel records are maintained. +If an employee is seeking employment verification (mortgage, +housing, substitute time, standard verification, etc.), they should +create an HR Inquiry request via Beacon. An employee must scan +and attach the verification to the HR Inquiry submission. If an +employee needs an email address to submit to their potential +mortgage company, housing office or any other loan provider, +they should provide the OHR email ohr@bostonpublicschools.org +or fax a request to 617-635-7957. Please note that requests for + + +Page 3: +Superintendent’s Circular HRS-PP06 +Page 3 of 4 + + +employment verification are processed in the order they are +received and take between 5 and 10 business days to complete. If +salary/payroll information is needed, it can take longer than 5-10 +business days. Please plan accordingly. +Any subpoenas for records should be directed to the Office of the +Legal Advisor, 2300 Washington Street, Roxbury, MA 02119. +LICENSURE RELATED EMPLOYMENT VERIFICATIONS +All educators and other employees seeking licensure related +verification must complete the BPS Educator Licensure +Verification Requests form. +For loan forgiveness requests, please submit an HR Inquiry with +forms attached on the Beacon via Access.Boston.gov. All former +employees must email ohr@bostonpublicschools.org and include +any supporting documentation. + + + + +Page 4: +Superintendent’s Circular HRS-PP06 +Page 4 of 4 + + +For more information about this circular, contact: +Owner: +Shared Services +Department: +Office of Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Additional +Questions: +For additional questions, please submit an HR +Inquiry Ticket via the Beacon. This can be +found on Access Boston (access.boston.gov). + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP16 +Version 01 + + +EMPLOYEE SAVINGS AND INVESTMENT BENEFITS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +FLEXIBLE SPENDING ACCOUNT +The City of Boston’s Flexible Spending Accounts are administered +by Cafeteria Plan Advisors, Inc. Flex spending lets you deduct pre- +tax money for out-of-pocket medical expenses, dependent care, +and transportation. Annual enrollment for flex spending occurs in +November for the plan year beginning January 1. Participants of +this program will receive a Benny Card at the start of the new +year that they can begin using immediately for eligible expenses. +● Read more about Flexible Spending +● Download the Flexible Spending Application +● Cafeteria Plan Advisors, Inc. website + +To contact Cafeteria Plan Advisors directly with questions: +Mailing Address: 420 Washington Street, Suite 100, Braintree, +MA 02184 +Phone: +1-800-544-2340 +FAX: +1-781-848-8477 +Email: +info@cpa125.com + + +Page 2: +Superintendent’s Circular HRS-PP16 +Page 2 of 4 + + +RETIREMENT PLANNING +State-Boston Retirement System +All employees are eligible to participate in the State Boston +Retirement System. For more information, visit the Retirement +Board website. +Voluntary Retirement Plans +Employees are eligible to participate in two types of voluntary +deferred compensation retirement plans: +• Massachusetts Deferred Comp 457 SMART Plan +• 403(b) tax-sheltered annuities +See information below on these two types of voluntary deferred +compensation plans. +DEFERRED COMPENSATION +1. 457 SMART Plan +Employees are eligible to participate in the +Commonwealth’s Deferred Compensation Plan (also known +as a Section 457 Plan). This allows an employee to shelter +income from federal and state income tax through a payroll +deduction. Additional information is available at the +Massachusetts Deferred Compensation Smart Plan website. +Click here for more information Deferred Compensation (IRS +457). +2. 403(b) Plans +Employees are eligible to participate, at no cost, in tax- +sheltered annuities (also known as 403(b) plans). An annuity +is a tax-saving retirement planning device that allows an + + +Page 3: +Superintendent’s Circular HRS-PP16 +Page 3 of 4 + + +employee to shelter income from federal and state income +tax through a payroll deduction. A representative at a +participating company will provide a payroll deduction form, +which you may also download and print out here. This form +must be filled out and submitted according to BPS 403(b) +procedures. +o AIG/VALIC (Variable Annuity Life Insurance Co.), +Nashua, NH. (603) 594-8340 +o American United Life Insurance Company +o Ameriprise Financial Services, Inc., Minneapolis, MN +(800) 862-7919 +o Ameritas Life Insurance Corporation, Lincoln, NE (800) +745-1112 +o ASPire Financial Services, Tampa, FL (866) 634-5873 +o AXA Equitable Life Insurance Company, Wellesley, MA +(781) 237-8264 +o Commonwealth Annuity and Life Ins. Co., Topeka, KS +(800) 457-9047 +o Fidelity Investments Mutual Funds +o Great American Advisors, Inc., Cincinnati, OH (800) 216- +3354 +o Great American Financial Resources, Inc., Cincinnati, +OH (888) 497-8556 +o Horace Mann, Springfield, IL (866) 999-1945 +o Kemper Annuity and Life Ins. Co., Topeka, KS (800) 457- +9047 +o Lincoln Investment Planning Mutual Funds, Waltham, +MA (781) 647-3050 +o Lincoln National Life Insurance Company, Fort Wayne, +IN (800) 454-6265 +o MetLife, Bloomfield, CT (860) 768-0139 + + +Page 4: +Superintendent’s Circular HRS-PP16 +Page 4 of 4 + + +o MetLife of CT, Bloomfield, CT (860) 768-0139 +o Midland National Life +o North American Company for Life and Health +o New York Life Insurance Company, Sleepy Hollow, NY +(914) 846-5608 +o Protective Life, Topeka, KS (800) 457-9047 +o The Union Central Life Ins. Co., Cincinnati, OH (800) +825-1551 +VOLUNTARY INSURANCE +Other insurance providers offer short and long-term disability. +They also offer optional life insurance and critical illness coverage. +These are voluntary insurance programs. Please be advised that +these benefits are not administered by the Health Benefits Office. +For more information about this circular, contact: +Owner: +Employee Services, Office Human Resources +Phone: +617-635-9600 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM05 +Version 01 + +PERFORMANCE EVALUATION OF MEMBERS OF THE +LUNCH HOUR MONITORS ASSOCIATION +The contract between the School Committee and the Lunch +Monitors Association provides for both annual and interim +evaluations of the performance of all employees represented by +the Association. The evaluation process relates to the duties and +responsibilities of the employee’s position, as set forth in the +employee’s job description. +I. +ROLES AND RESPONSIBILITIES +The principal/head or school or assistant principal shall be +responsible for the evaluation of the performance of all lunch +hour monitors. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. +Further, a supervisor will also be performing unsatisfactorily if an +underperforming staff member is given a satisfactory rating and +then encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +At the end of each evaluation year, the Evaluator should retain +copies of all evaluations and send the originals of all evaluations + + +Page 2: +Superintendent’s Circular HRS-PM05 +Page 2 of 10 + +to the Office of Human Resources. +II. +EVALUATION +Preliminary Procedures +At a reasonable time period after the start of the school year, the +principal/assistant principal shall meet with the lunch hour +monitors for the purpose of explaining the evaluation program +and answering questions. The evaluation instrument will be +reviewed during this meeting. +After the evaluation has been presented to the employee, the +signed evaluation form must be submitted to the Office of +Human Resources. +Interim Evaluations +All lunch hour monitors shall receive an Interim evaluation at +least once, or as required for the efficient running of the school. +All interim evaluations should be conducted no earlier than +February 1st each year. +Annual Evaluations +Annual evaluations must be completed no later than the last day +of school each year. +Evaluation Completion +Every interim and annual evaluation must result in a mark for +each appropriate item on the evaluation form. In any area where +the supervisor indicates a need for improvement, they will +provide the evaluee with a written prescription. The diagnosis +and subsequent prescription should be fully descriptive and + + +Page 3: +Superintendent’s Circular HRS-PM05 +Page 3 of 10 + +instructive, suggesting specific remedies or recommendations +for adoption by the evaluee. +Evaluation Conference +Within ten (10) school days following the completion of an +evaluation, the evaluator shall meet with the evaluee for the +purpose of discussing the evaluation. At this meeting, the +evaluee will be shown their written evaluation and will sign it to +indicate having seen it and to acknowledge that it will be placed +in their personnel file, but not to indicate agreement or +disagreement with the evaluation results. +A copy of the evaluation shall be provided to the evaluee. The +evaluee will be allowed to attach their comments to the +evaluation. An evaluee whose overall performance has been +judged unsatisfactory shall be notified in writing and shall meet +directly with the evaluator.1 +III. RATINGS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. There are three possible +ratings: + +E - EXCELLENT: +The employee’s performance of the duties and +responsibilities of their position exceeds + +1 See Section V: Procedures for Unsatisfactory Evaluations for +more information on this process. + + +Page 4: +Superintendent’s Circular HRS-PM05 +Page 4 of 10 + +expectations. +S - SATISFACTORY: +The employee’s performance of the duties and +responsibilities of their position meets expectations. +U - UNSATISFACTORY: The employee has failed to meet expectations and +their performance of the duties and responsibilities of +their position needs improvement. +IV. PROCEDURES FOR UNSATISFACTORY EVALUATIONS +If an evaluee receives an annual overall Unsatisfactory evaluation, +plus an interim Unsatisfactory evaluation, the supervisor may +initiate termination by recommending to the Superintendent +that such employee be terminated. +If the first evaluation is Unsatisfactory, it will be followed by a +second evaluation no less than twenty-five (25) days in which the +lunch monitor is present and no more than fifty (50) days in +which the lunch monitor is present. +If the second evaluation is Unsatisfactory, the lunch monitor will +be given ten (10) school days to improve their performance. +During these ten (10) school days following the second +evaluation, the evaluator must informally evaluate the lunch +monitor, but is not required to formally observe the employee or +make any record of this evaluation. +Should the lunch monitor’s performance not improve within the +ten (10) days following an Unsatisfactory second evaluation, the +monitor may be recommended for dismissal to the +superintendent. + + +Page 5: +Superintendent’s Circular HRS-PM05 +Page 5 of 10 + + +V. PROCEDURES FOR DISCIPLINE +If an Evaluator determines that an employee has committed an +infraction of work rules such as excessive tardiness, absences, +etc., the supervisor should follow the procedures outlined in the +Superintendent's Circular on Employee Discipline Procedures.2 +Additionally, the supervisor should consider the infraction in +evaluating the evaluee’s overall performance. + + + +2 Also refer to Superintendent Circular (HRS-PP10) Employee +Discipline Procedures. at this link: +www.bostonpublicschools.org/domain/1884 + + + +Page 6: +Superintendent’s Circular HRS-PM05 +Page 6 of 10 + +VI. Summary of significant dates and deadlines: +Date +Activity +Shortly after the start of a +school year +Review job description and evaluation instrument. +Sign cover page to acknowledge meeting +No later than Feb. 1 +Complete first Interim evaluation; to be conducted +no earlier than 15 school days after the start of the +school year. +No later than the last day of +school +Deadline to complete annual evaluation. Send +signed, original copies of evaluations to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: HRFront Desk +2300 Washington Street, 4th floor +Roxbury, MA 02119 + + + + + + + +Page 7: +Superintendent’s Circular HRS-PM05 +Page 7 of 10 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA 02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 8: +Superintendent’s Circular HRS-PM05 +Page 8 of 10 + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FOR LUNCH HOUR MONITORS +Name _______________________________ Empl ID# + +School ___________________________________________________________ +Evaluator ________________________________________________________ + +Permanent + +Provisional + +Substitute + +Last Overall Rating ______ + E= Excellent S= Satisfactory U= Unsatisfactory + + +Evaluation procedure and form reviewed on (Date): ______________ +Acknowledged (Evaluator): ______________________________________ +Acknowledged (Lunch Monitor): _________________________________ +Category (check the applicable rating box for each +category) +E +S +U +Maintains safety and order during lunch and recess. + + + +Maintains appropriate schedule for lunch and recess. + + + +Performs ordinary school tasks as directed and performs the work +accurately. + + + + + +Page 9: +Superintendent’s Circular HRS-PM05 +Page 9 of 10 + +Category (check the applicable rating box for each +category) +E +S +U +Comes to work on time and maintains good attendance. + + + +Works productively during all scheduled work hours and continues +work in the absence of supervision. + + + +Knows the work and organizes appropriately. + + + +Uses good judgment. + + + +Abides by rules and regulations and complies with oral and written +instructions. + + + +Communicates effectively and in a constructive way with students +and the school's staff. + + + +Works harmoniously with others and maintains a high level of +professionalism. + + + +Treats students with respect, fairness, and consistency. + + + +Accepts constructive criticism. + + + +Overall Rating: + + + + +_______________________________________________ _________________ + +Evaluator’s Signature +Date + +_______________________________________________ _________________ + +Lunch Hour Monitor’s Signature +Date + +Evaluator’s Comments: + + + +Page 10: +Superintendent’s Circular HRS-PM05 +Page 10 of 10 + + + + + + + + + + + +Evaluee’s Comments: + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP07 +Version 01 + + +WORKERS’ COMPENSATION PROCEDURES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OBJECTIVE +The Boston Public Schools Workers’ Compensation Service is +located within Boston City Hall, 6th Floor, Room 613. Workers’ +Compensation Service administers benefits for city workers, +including Boston Public Schools employees. The Workers’ +Compensation Service strives to ensure effective and efficient +delivery of benefits and collects injury data for state and federal +reporting requirements. +ADMINISTERING WORKERS’ COMPENSATION BENEFITS +For the City of Boston Workers’ Compensation Service to provide +adequate service, it is imperative that all work-related injuries be +reported as soon as possible, preferably within twenty-four hours +of the occurrence. +For the Workers’ Compensation Service to provide timely +benefits, your cooperation in obtaining medical documentation is +critical. If a case is reported late, or if the Workers’ Compensation +Service does not have sufficient medical documentation, the +employee’s receipt of benefits may be delayed. + + + +Page 2: +Superintendent’s Circular HRS-PP07 +Page 2 of 7 + + +► It is the employee’s responsibility to request complete +medical treatment records for the work-related injury +and provide them or have them sent to the Workers’ +Compensation Service. Out-of-work notes are NOT +sufficient to maintain workers’ compensation benefits. +Incomplete or late reports of injury could also subject Boston +Public Schools to financial penalties. +● To find the City’s accident report form, as well as a +complete guide to the city’s workers’ compensation +process, please see the City of Boston Workers’ +Compensation Service employee guide at +https://www.boston.gov/departments/human- +resources/workers-compensation-process. +● The accident report can be accessed directly at +https://www.boston.gov/sites/default/files/file/2022/02/ +accident-report-form_2-7-2022.pdf. +STEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF +YOUR EMPLOYMENT +If emergency services (i.e., life threatening, bleeding, head +injuries, severe fractures, etc.) are necessary: +1. Seek out emergency care (via ambulance if necessary) at +the closest emergency care facility to where you were +injured. +2. Fill out and sign the accident report form. Submit it to the +workers’ compensation office and your supervisor or human +resources representative in your department. If you are +unable to fill it out, you can have someone else fill it out for +you. + + +Page 3: +Superintendent’s Circular HRS-PP07 +Page 3 of 7 + + +3. Medical documentation must be sent to Workers’ +Compensation Services (Room 613). +4. A supervisor’s signature is requested solely for the purpose +of notification that an injury occurred. A supervisor’s +signature does not indicate that the supervisor +agrees/disagrees with the report, nor does it indicate the +supervisor witnessed the accident. +5. Reasonable and necessary medical expenses for accepted +work-related injuries will be covered by Workers’ +Compensation Service, regardless of whether time has been +lost due to the injury. However, salary replacement benefits +for accepted work-related injuries are given only if the +employee lost 5 days or more. Substantial medical +documentation is required for employees who have lost 5 +days or more. +6. A representative from Workers’ Compensation will contact +you to follow up on your injury. They will also explain your +benefits and discuss your medical treatment. If you haven’t +heard back within seven (7) days of reporting your injury, +you can speak with a case manager by calling 617-635-3193 +or emailing workerscompstaff@boston.gov. + WHILE ON WORKERS’ COMPENSATION +While on workers’ compensation, the employee must maintain +an approved leave of absence status with the Office of Human +resources by applying for a leave of absence on the HUB and +providing a WH-380-E form or medical +certification/documentation on official letterhead from a health +care provider. For more information on leaves of absence, please +see Superintendent’s Circular HRS-PP13. + + +Page 4: +Superintendent’s Circular HRS-PP07 +Page 4 of 7 + + +While on workers’ compensation, the employee is permitted to +use available sick, personal, or vacation time to supplement the +difference in workers’ compensation earnings to continue to +receive 100% of their normal earnings. This applies to employees +who have available time and have completed the Workers' +Compensation Earnings Consent Form, allowing the use of +earned time. Without consent, the Office of Human resources will +not supplement your workers’ compensation earnings. The +consent form can be accessed directly at: +https://docs.google.com/forms/d/e/1FAIpQLSf0E_fnOzpBy2kNdqn +HyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform. +Supplementing your WC earnings allows employees to maintain +their normal deductions (retirement, union dues, health +insurance, etc.). For some unions, it also minimizes the impact of +earnings that are normally paid over the summer. To be sure of +the financial impact that supplementing (or not supplementing) +your WC earnings will have your pay once you return to work, +please reach out to the BPS Payroll team at 617-635-9460. +Employees are permitted up to 1 year of leave for an injury related +to an approved Workers’ Compensation injury. Employees who +are absent more than 1 year may have an essential functions +meeting held to determine whether they are able to continue +their employment with BPS. +EMPLOYEE RETURNING TO WORK +An employee who is ready to return to work after having been +out due to a work-related injury must have medical clearance +from their doctor. Before returning to work, the employee must +provide copies of the medical clearance note to both OHR and + + +Page 5: +Superintendent’s Circular HRS-PP07 +Page 5 of 7 + + +the Workers’ Compensation Service and inform both offices of +their intent to return and the intended date. The clearance note +should be emailed to OHRLeaves@bostonpublicschools.org as +well as workerscompstaff@boston.gov. +Transitional modified work may be offered by the Boston Public +Schools to employees who have been injured on the job and can +return to work on a modified basis. The Boston Public Schools +makes reasonable accommodations in compliance with the ADA +and M.G.L. c. 151B for employees with handicaps or disabilities, as +outlined in Superintendent's Circular EQT-01. If you wish to seek +reasonable accommodations, please contact the Office of Equity +at 617-635-9650 or accommodations@bostonpublicschools.org to +engage in an interactive dialogue prior to your return. +The goals of the Workers’ Compensation office are to ensure that +eligible injured employees receive quality and timely medical +services, receive timely benefits, and return to the job as quickly +as possible. Your case manager will remain in constant contact +with you, and you will be required to maintain contact and +provide the necessary medical information to your case manager +so that these goals can be achieved. +All accident reports regarding an employee’s injury should be +forwarded to Workers’ Compensation Services (address at the +bottom of this circular). +Any additional information or questions can be forwarded to the +employee’s case manager. Case managers are assigned based on +the employee’s last name. + + +Page 6: +Superintendent’s Circular HRS-PP07 +Page 6 of 7 + + +MEDICAL TREATMENT INFORMATION FOR ALL EMPLOYEES +REGARDING WORKERS’ COMPENSATION +If you need medical care for your work injury or illness, contact a +medical provider. Let them know that you are seeking workers’ +compensation coverage for the treatment. The city currently +does not have any preferred medical providers. +WORKERS’ COMPENSATION CHECKLIST +As this circular is comprehensive, and to prevent delays in +processing, please ensure that you have completed the following +action items when applying for/returning from workers' +compensation. +APPLYING FOR WORKERS’ COMPENSATION +● Complete and submit the Report of Occupational Injury or +Accident. This report should be verified and signed by your +supervisor. +● Review Superintendent’s Circular HRS-PP13 Absence and +Leave Policy. +● Complete a leave of absence application form and submit +WH-380-E form or physician’s certificate. +● Send medical updates to both the City of Boston Workers’ +Compensation Unit and the Office of Human resources to +maintain your leave of absence and workers' compensation +benefits. +● If applicable, complete the workers' compensation +supplemental earnings consent form if you wish to +supplement your benefit with accrued time. + + +Page 7: +Superintendent’s Circular HRS-PP07 +Page 7 of 7 + + +RETURNING FROM WORKERS’ COMPENSATION +● Send both Human resources and City of Boston Workers' +Compensation Unit medical documentation certifying the +ability to return to work with/without restrictions. +For more information about this circular, contact: +Department: +Workers’ Compensation Service +Mailing Address: +Boston City Hall, Room 613, Boston, MA 02201 +Phone: +617-635-3193 +Fax: +617-635-3119 + +For submitting forms to the Office of Human resources: +Owner: +Employee Services +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +OHRleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM02 +Version 01 + +PERFORMANCE EVALUATION OF INSTRUCTIONAL +BASAS ADMINISTRATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version.. +Heads of school, principals, and other administrative heads are +responsible for evaluating the performance of administrators +under their direct supervision. This employee group is school- +based, requires DESE licensure, and is represented as part of the +BASAS bargaining unit. Instructional BASAS administrators will +be evaluated using the VectorEvals platform as the evaluation +instrument. As of September 2023, non-instructional BASAS +administrators in roles that do not require DESE-licensure will be +evaluated using Superintendent Circular HRS-PM02A +Performance Evaluation of Non-Instructional BASAS +Administrators. +The purpose of this memorandum is to explain who is +responsible for evaluation and to outline the philosophy, +objectives, guidelines, and procedures applicable to that process. +PHILOSOPHY +The Boston Public Schools and the BASAS bargaining unit +recognize that the quality of education provided depends upon +the professional performance and the total job effectiveness of +the teachers and administrators in the system. Thus, since the +system's professionals can and should be held accountable for + + +Page 2: +Superintendent’s Circular HRS-PM02 +Page 2 of 10 + +the quality of their performance, a just and effective process for +evaluating that performance is essential. Such a process must be +organized to: +• foster effective leadership in promoting improvements of +schools and educational programs +• develop in the professional staff a clearer understanding of +the goals of education +• promote sound organizational and management +procedures +• demonstrate active support of the policies of the School +Committee and superintendent. +The performance evaluation program to be implemented to +satisfy this philosophy for administrators is diagnostic and +prescriptive, is generally positively directed, and encourages +professionals to maximize unique strengths and skills. +All instructional BASAS administrators whose evaluations are +subject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles +require DESE licensure) shall be evaluated on a cycle consistent +with those regulations. Evaluees not subject to 603 CMR 35.00 et. +seq. shall be evaluated annually, except that such employees +need not be evaluated in the following year if they remain in the +same job title and position unless the evaluator determines a +need to do so. +INSTRUMENTS/EVALUATORS +A. Instructional BASAS members shall be evaluated by a +designee of the superintendent outside the BASAS +bargaining unit. +B. The evaluation instrument to be used for instructional +BASAS administrators in DESE-licensed roles as of + + +Page 3: +Superintendent’s Circular HRS-PM02 +Page 3 of 10 + +September 2019 is known as VectorEvals. It is accessible via +the employee’s BPS Google account. Comprehensive +information pertaining to the performance evaluation of +instructional BASAS administrators under the 2011 education +regulation amendments (603 CMR 35.00) is now located at +the Office of Human Resources website: +https://www.bostonpublicschools.org/Page/8586. + +PROCEDURAL STEPS +A. Preparation - No later than 30 days after the start of a rating +year, and no later than 45 days after a change in a person’s +evaluator, the person’s evaluator shall meet with the +evaluee(s) for the purpose of explaining the diagnostic +prescriptive evaluation program, reviewing the evaluation +instrument and which parts of it may not be applicable, +answering questions, and determining additional job +related responsibilities which will be covered in the +evaluation. Within 5 days after said meeting, the evaluee will +receive a copy of a list of job related functions for which they +are responsible and on which their performance will be +evaluated. +The evaluee may propose a professional practice goal as +well as a student learning goal. All goals are subject to the +approval of the evaluator. +B. Data Gathering - It should be clearly understood by the +evaluee that the data gathering process is ongoing and +cumulative. Evaluation data includes information gathered +by observation or other means. Data should be collected +over a sufficient period and should be accessible to the +evaluee in compliance with applicable state and federal + + +Page 4: +Superintendent’s Circular HRS-PM02 +Page 4 of 10 + +laws. All complaints or derogatory comments obtained from +parents, community, etc., shall be promptly provided to the +instructional BASAS member, or they may not be used as a +basis for evaluation. +The evaluator must provide feedback within five school days +to the evaluee (via email or in person) after any observation +or collection of evidence that results in the evaluator having +a concern that one or more standards may be rated as +unsatisfactory or needs improvement on a formative or +summative evaluation for the first time. +C. Post-Evaluation Conference - Evaluation reports may be +filled out periodically throughout the school year whenever +an evaluator determines that assistance, supervision, or +intervention is deemed appropriate. Within ten (10) school +days during which the BASAS member is present following +the completion of each evaluation, the evaluator shall meet +with the evaluee for the purpose of discussing the +evaluation, providing an appraisal of professional strengths +and areas in need of improvement. +In any area where the evaluator indicates a need for +improvement, or that the evaluee is “Unsatisfactory”, the +evaluator will provide the evaluee with a written +prescription. The prescription must be fully descriptive, +instructive, reasonable, attainable, and educationally sound +as to the specific remedy sought by the evaluator. +At the post-evaluation conference, the evaluee will be +shown their written evaluation by the evaluator and will sign +it to indicate they have seen it and acknowledge that it will +be placed in their personnel file, but not to indicate +agreement or disagreement. A copy of the evaluation will be + + +Page 5: +Superintendent’s Circular HRS-PM02 +Page 5 of 10 + +provided to the evaluee, and the evaluee will be allowed to +attach comments to the evaluation. +D. Follow-Up - In general, the number and scope of the +subsequent conferences can be gauged at the first post- +evaluation conference and should be communicated to and +discussed with the evaluee at the end of that conference. +FORMATIVE ASSESSMENT/EVALUATION AND OBSERVATIONAL +FEEDBACK +A. A formative assessment shall be a part of the process used +to assess progress towards attaining goals set forth in +administrator plans, performance on Standards and +Indicators of Effective Teaching Practice, or both, and may +be used to inform employment decisions. This process may +take place at any time during the cycle of evaluation, but +typically takes place at mid-cycle. +B. A formative evaluation shall be an evaluation conducted at +the end of Year 1 for an administrator on a two-year self- +directed growth plan. This evaluation is to be used to arrive +at a rating on progress towards attaining the goals set forth +in the evaluee’s plan, performance on Standards and +Indicators of Effective Teaching Practice, or both, and may +be used to inform employment decisions. +C. If an evaluee’s performance results in a rating of “Needs +Improvement,” or “Unsatisfactory” on a formative +assessment or evaluation, the evaluation prescription may +contain a requirement that an administrator take advantage +of additional professional development training or other +opportunities. + + +Page 6: +Superintendent’s Circular HRS-PM02 +Page 6 of 10 + +SUMMATIVE EVALUATION AND REPORTS +A. A summative evaluation is an evaluation used to arrive at a +rating on each standard, an overall rating, and as a basis to +make personnel decisions. The summative evaluation +includes the evaluator’s judgments of the evaluee’s +performance against performance standards and the +evaluee’s attainment of goals set forth in the evaluee’s plan. +B. During the entire evaluation process, continuous assistance, +support, and encouragement should be extended to assist +the evaluee in meeting established objectives. +C. Continued failure to achieve an overall rating of “Proficient” +will result in additional prescriptions, warnings, additional +evaluations, and further personnel action, including +evaluation visits from other School Department +administrators. +D. An evaluee whose overall performance has been judged as +“Needs Improvement” or “Unsatisfactory” shall be notified in +writing and shall meet directly with the evaluator. +DISPUTE RESOLUTION +A. An overall rating of “Unsatisfactory” on a summative +evaluation for BASAS members shall be subject to the +grievance and arbitration procedure. An administrator may +grieve a summative rating of “Proficient” evaluation up to +and including the level of the responsible administrator +above the level of the evaluator. Any evaluation that is used +or referred to as any part of the rationale for removal, +reassignment, or any other negative action against an +employee shall be subject to the grievance and arbitration +procedures. + + +Page 7: +Superintendent’s Circular HRS-PM02 +Page 7 of 10 + +B. Any evaluation of an instructional BASAS administrator +which is overall “Unsatisfactory” shall be promptly +forwarded to BASAS along with any other recommended +professional development or corrective action plan, +provided that the BASAS member has so requested in +writing. The superintendent’s designee and BASAS agree to +meet to discuss the plan, when requested by the BASAS +member. +C. Alleged violations of the performance evaluation process are +subject to the grievance and arbitration procedures if the +employee has been dismissed. +PROCEDURES FOR DISMISSAL/DEMOTION +If the performance evaluation of an evaluee results in a +recommendation for dismissal/demotion by the evaluator +(confirmed by the head of school or other senior administrator), +the following procedures will be followed: +A. The superintendent's designee shall discuss each +recommendation for dismissal with the appropriate +evaluator and/or other senior administrator. The +superintendent's designee shall then undertake the +necessary investigation to substantiate the evaluation of the +administrator. +Based on the above, the superintendent or their designee +shall decide on the appropriateness of the recommendation +for dismissal/demotion. The evaluator and/or other senior +administrator must present supporting documents to the +Superintendent or their designee when presenting a +recommendation for dismissal. +B. The superintendent or their designee or senior + + +Page 8: +Superintendent’s Circular HRS-PM02 +Page 8 of 10 + +administrator shall submit all processed recommendations +for dismissal to the Office of Labor Relations. +C. The decisions of the superintendent or their designee shall +be confined to the following: +1. Retention - This is a rejection of the recommendation +of the evaluator based on the evidence presented on +an individual administrator. +2. Notice - The superintendent's designee, having +reviewed the materials, decides that the case does not +warrant a recommendation for dismissal/demotion, +but instead warrants placing the administrator on +notice that their performance is highly unacceptable. +This status stands as a final warning that the +administrator will be subject to additional evaluation +during the academic year and, if performance is not +improved, may be subject to dismissal/demotion. +3. Dismissal/Demotion - This recommendation is the +affirmation of the evidence presented by the evaluator. +The evaluee may call for a hearing before the +superintendent or designee thirty days after written +notification to the administrator of the +recommendation for dismissal/demotion. +D. The Office of Labor Relations shall: (1) evaluate the evidence +for dismissal/demotion; (2) review the recommendation, if +necessary, with the evaluator and/or superintendent or their +designee; and (3) determine that relevant procedures for +evaluations were substantially complied with and that the +evaluations warrant dismissal of the employee. +E. The Office of Labor Relations shall forward its analysis to the + + +Page 9: +Superintendent’s Circular HRS-PM02 +Page 9 of 10 + +superintendent of schools with copies to the principal leader +or other senior administrator. +F. The superintendent shall review the materials, make a +decision, and give notice to the employee in accordance +with G.L. c.71, Section 42. +PROCEDURES FOR DISCIPLINE +If a principal, head of school, or supervisor determines that an +administrator has violated work rules, the supervisor should +follow procedures outlined in Superintendent's Circular HRS- +PP10 Employee Discipline Procedures. Additionally, the principal, +head of school, or supervisor may consider the infraction in +evaluating the administrator's overall performance. +Failure to address job performance problems of assigned staff +through the performance evaluation process represents +unacceptable performance on the part of a supervisor. This +problem is further compounded when "problem staff" are given a +satisfactory rating by the supervisor and encouraged to transfer +to another school/department. Such failure on the part of a +supervisor represents "unsatisfactory" administrative +performance on the part of that person and they will be held +accountable by the appropriate senior administrator and +superintendent. + + + + +Page 10: +Superintendent’s Circular HRS-PM02 +Page 10 of 10 + +Please refer in advance to Superintendent's Circular HRS-PP10 +Employee Discipline Procedures. +Summary of significant dates and deadlines: +Date +Activity +June 15 +Deadline for evaluators to submit +evaluation to Instructional BASAS +Administrators via VectorEvals +platform. + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-9627 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +HRS-HS07 +Version 01 + + +STAFFING, REASSIGNMENT AND HIRING OF +PERMANENT AND PROVISIONAL TEACHERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +This circular outlines important dates and procedures regarding +the staffing of schools for the 2023-2024 school year. Reflected in +this circular are policies from the BPS-BTU Collective Bargaining +Agreement, as well as information regarding the accelerated +hiring timeline and hiring autonomy framework designed to +enable all BPS schools to attract and hire the most diverse, +qualified, and effective teachers as early as possible. +Boston Public Schools and our school leaders are committed to +building excellent schools that prepare our students to compete +and succeed in the 21st century. To cultivate world-class, global +citizens, we commit to recruiting, retaining, and promoting a +diverse, highly qualified, and effective workforce. +As an urban district with an increasingly diverse student body, it +is also imperative that schools fully comply with the Final +Judgment of the Federal Court dated July 1994 that requires +district and examination schools to employ a minimum of 25% +Black teachers and staff and 10% other minority teachers. + + + +Page 2: +Superintendent’s Circular HRS-HS07 +Page 2 of 27 + + +In addition, one of our continuous hiring goals is to increase our +number of bilingual teachers and staff to support our English +Language Learner populations. We urge school leaders to take +every possible step to help each school, and the district as a +whole, to meet these mandates and goals. +CONTENTS: links below jump to the section named. +I. Determination of School Staffing Needs +II. Posting of Teaching Positions +III. Excessing +IV. Staffing of Provisional Teachers +V. Leaves of Absence +VI. Hiring of International Teachers + + +Attachments: +ATTACHMENT 1: Application for Voluntary Excessing for Teachers +and Paraprofessionals + +ATTACHMENT 2: Application for Additional Program Areas (APA) +ATTACHMENT 3: Application Process for Job Sharing + +ATTACHMENT 4: SY 2023-24 Staffing Calendar + + + + +Page 3: +Superintendent’s Circular HRS-HS07 +Page 3 of 27 + + +I. DETERMINATION OF SCHOOL STAFFING NEEDS +Timeframe: November to February +Every fall, schools develop budget and staffing plans for the +following year based on each school’s projected enrollment. +Once a school’s estimated budget is established, the process +known as Probable Organization (“Probable Org”) begins, in +which schools, together with representatives from the Office of +Human Resources, identify their staffing plans for the upcoming +school year. +Several components make up the Probable Organization process: +ANNUAL BUDGET COLLABORATIVE AND PROBABLE +ORGANIZATION PROCESS +Central Office Responsibility +School Leader +Action Step +Timeframe +Finance Office sends schools +their enrollment projections for +the following year +Review projections +and report back to +Finance and school +superintendent if +discrepancies exist +Mid-to-late +November +Finance Office calculates each +school’s budget based on +Weighted Student Funding +(WSF), in which specific student +characteristics (e.g., special +needs, early childhood, etc.) are +assigned weights that +determine school funding above +Review budget and +complete +FutureForce Version +1, in consultation +with Budget, OHC, +OEL, and Special +Education, as +needed +December + + +Page 4: +Superintendent’s Circular HRS-HS07 +Page 4 of 27 + + +Central Office Responsibility +School Leader +Action Step +Timeframe +the school’s foundation amount +plus base per-pupil amounts. +Budget Collaboratives: +representatives of Budget, OHC, +OEL, Special Education, +Planning & Analysis, school +superintendents and school +leaders meet to map the school +structure for the following +school year in FutureForce +Version 2, including discussion +of position reductions and +additions to ensure +programmatic, enrollment, or +budget changes meet projected +student needs +Ensure all formative +assessments are +entered into +TeachPoint for all +educators on plans +of one-year or less +by January 15. This is +a contractual +deadline for all +schools. +Early-mid +January +• Office of Human Resources +prepares staffing-related +data reports for schools, +including relevant personnel +information including: +• Leaves of absence for SY +2023-24 and SY 2024-25 +• Licensure and Sheltered +English Immersion (SEI) +endorsement +Review staffing- +related data and +begin planning for +implications of +personnel changes. +Determine which +provisional teachers +(if any) can/will +receive letters of +reasonable +assurance. +Mid-January + + +Page 5: +Superintendent’s Circular HRS-HS07 +Page 5 of 27 + + +Central Office Responsibility +School Leader +Action Step +Timeframe +• Additional program area +requests +• Voluntary requests for +reassignment +• Reasonable +assurance/permanency +decisions for provisional +teachers + +Probable Organization: OHC, +Budget, OEL, Special Education, +school superintendents and +school leaders meet to map the +staffing for the following school +year in FutureForce Version 3. +Provide BTU +representative with +list of provisional +teachers +recommended to +receive Reasonable +Assurance +Late +January- +early +February +Posting Positions: School +leaders, OHC, and Budget +representatives confirm +vacancies and newly created +positions, then post positions for +the upcoming staffing cycle. +Submit job +descriptions for +vacant and newly +created positions to +OHC +Late +February + + + + +Page 6: +Superintendent’s Circular HRS-HS07 +Page 6 of 27 + + +II. POSTING OF TEACHING POSITIONS +The staffing process for the 2023-2024 school year includes a +hiring timeline designed to facilitate attracting and hiring the +most diverse, qualified, and effective teachers as early as possible. +Personnel Subcommittee +Schools must ensure that the Personnel Subcommittee of the +School Site Council is formed and ready to begin the hiring +process by March 1. Schools must submit a complete roster of +Personnel Subcommittee members to the Office of Family and +Student Engagement by the end of October. Training related to +personnel subcommittees are offered by the Office of Family and +Student Engagement, the BTU, and the Office of Human +Resources. Details about the personnel subcommittee can be +found in Superintendent’s Circular FAM-04. +Process +Hiring early will ensure that schools are able to secure the most +qualified candidates. Positions will be posted on TalentEd in early +March once Probable Org and determination of vacancies have +been concluded. Teachers who wish to apply for a position +effective the first day of school for the upcoming school year +must apply for postings online through TalentEd. Current BPS +teachers may apply for any position for which they are qualified. +Applicants who wish to be considered for inclusion in the district +priority pool must submit their applications for the priority pool +through TalentEd by March 1, 2024. Candidates for the priority +pool will undergo a competency-based phone and resume +screening process coordinated by the Office of Recruitment, +Cultivation, and Diversity. + + +Page 7: +Superintendent’s Circular HRS-HS07 +Page 7 of 27 + + +All approved hires will become effective on the first day of work +for the upcoming school year. Any teacher who accepts a new +position is not eligible to apply for any additional teaching jobs +for the 2024-2025 school year. Beginning July 1, 2023, OHC will no +longer approve lateral hires to prevent unanticipated vacancies +late in the hiring season. +Hiring Approval +The Boston Public Schools is committed to recruiting, retaining, +and promoting a highly qualified, culturally, and linguistically +diverse workforce that reflects the rich diversity of our students +and positively impacts both academic and non-academic student +learning outcomes. The Office of Equity, Office of Human +Resources, and school superintendents will establish an +accountability process to ensure that reasonable efforts have +been made to hire teachers that move schools and the district +toward meeting our workforce diversity goals. +Candidates hired must be qualified and meet diversity hiring +requirements: +• Teachers hired must hold valid licensure for the position. +• Teachers hired must move the school toward meeting or +maintaining district diversity goals. +• School hiring teams must complete reference checks. +Heads of school or principals and School Site Council Personnel +Subcommittees should also be sure to interview qualified +excessed permanent teachers. +Qualifications for Additional Program Areas +Deadline: January 1, 2024 + + +Page 8: +Superintendent’s Circular HRS-HS07 +Page 8 of 27 + + +Permanent teachers may apply for additional program area(s) to +identify a non-primary subject area(s) in which they are licensed. +Permanent teachers who wish to apply for additional program +areas must submit their request via this online form to the online +Application for Additional Program Areas. Supplemental +materials must be submitted to the Office of Human Resources +by mail or in person. Applications and complete documentation +must be submitted to the Office of Human Resources by January +15, 2024. +For additional information about applying for additional program +areas, please refer to Superintendent’s Circular HRS-HS07.1, +Qualifications for Additional Program Areas. +Job Sharing for Permanent Teachers and Paraprofessionals +1) Eligibility: All teachers requesting participation in job- +sharing must hold the appropriate license for the position. +2) Process: Permanent teachers or paraprofessionals who wish +to indicate their interest in job sharing should submit an +application via the Application for Job Sharing form by +Monday, March 25, 2024. Each candidate must submit their +own application. This submission of the application is an +indication of interest only and is not binding. +Participation in job-sharing requires approval by the +principal/head of school. The principal/head of school should +submit their approval via the Job Sharing Principal Approval form +by Monday, March 25, 2024. +For additional information about job sharing please refer to +Superintendent’s Circular HRS-HS02, Job Sharing for Permanent +Teachers and Paraprofessionals for School Year 2023-2024. The +Boston Teachers Union also holds an informational meeting + + +Page 9: +Superintendent’s Circular HRS-HS07 +Page 9 of 27 + + +every spring. Information on the specific date and time will be +shared in the BTU bulletin. +III. EXCESSING +Voluntary and Involuntary Reassignment/Excess +A. Voluntary Excessing – Teachers and Paraprofessionals +Deadline: February 1, 2024 +All permanent teachers or paraprofessionals who meet the +Voluntary Excessing eligibility criteria as outlined in the +Collective Bargaining Agreement (1) including those on +leave of absence, may voluntarily request excessing +regardless of whether there is a reduction in the number of +positions. Teachers and paraprofessionals who voluntarily +excess themselves forfeit their rights to the position they +have left. +Voluntary Excessing Requirements for Teachers: +● The teacher must hold permanent status. +● The request must be submitted to OHC by February 1, 2024 +(see instructions below). +● The teacher must possess an overall rating of Proficient or +higher on their most recent evaluation, which includes the +Formative Assessment. + +(1) Refer to the Collective Bargaining Agreement (September 1, +2018 – August 31, 2021) pp. 76-77 for a list of requirements for +teachers and pp. 136 for paraprofessionals. + + +Page 10: +Superintendent’s Circular HRS-HS07 +Page 10 of 27 + + +● The teacher may not have voluntarily excessed themselves +within the prior two years. + +Teachers and paraprofessionals who wish to request +excessing should submit their Application for Reassignment +or complete ATTACHMENT 1, Application for Reassignment, +and submit it to their head of school or principal as well as +the Office of Human Resources by February 1, 2024. The +Office of Human Resources will review all applications and +inform teachers or paraprofessionals and the school of the +results of the request. Teachers and paraprofessionals who +do not meet the above criteria will not be approved for +voluntary excessing. Requests for voluntary excessing can +be rescinded up until February 9, 2024. Approved requests +are considered binding after that date. +B. Involuntary Reassignment/Excessing +Deadline: All involuntarily excessed teachers and nurses will +be notified on or before April 15, 2024. +To stay in a current position, permanent educators must +hold the appropriate license(s) for the role to which they are +assigned; otherwise, the educator will be excessed. + +Additionally, it may be necessary to excess permanent +teachers if there is a reduction in the number of teaching +positions for the following school year, a school is identified +for closure, or the Massachusetts Department of Education +designates it as Level 4 school. When a reduction in the +number of positions occurs, involuntary excessing will be + + +Page 11: +Superintendent’s Circular HRS-HS07 +Page 11 of 27 + + +first by volunteers in a program area, then by reverse +seniority within a program area unless: +a. A teacher with more seniority voluntarily requests to be +excessed; or, +b. The excessing of the least junior teacher would prohibit +compliance with U.S. District Court Order dated July +1994. +Schools with specific types of staffing autonomy may also +involuntarily excess teachers. The school’s ability to +involuntarily excess teachers must be included in the +school’s governing document. +Placement in Positions of Suitable Professional Capacity +Permanent teachers who are not hired into vacant positions +will be assigned in a suitable professional capacity in +accordance with the BPS/BTU contract. +IV. STAFFING FOR PROVISIONAL TEACHERS +A. Reasonable Assurance for Provisional Teachers +First and second-year provisional teachers may be eligible to +receive reasonable assurance that they will continue in their +current position for the following school year. Provisional +teachers must hold a valid DESE license(s) for the position in +which they are teaching in order for a Letter of Reasonable +Assurance to be granted. No exceptions will be made. +In addition to budgetary and licensure concerns, a teacher’s +performance, as measured through the Massachusetts +Regulations on Evaluation of Educators (603 CMR 35.00), is a +major factor in determining whether a provisional teacher +receives a Letter of Reasonable Assurance. Principals and + + +Page 12: +Superintendent’s Circular HRS-HS07 +Page 12 of 27 + + +heads of school will be held accountable for ensuring that all +provisional teachers receive a Formative Assessment, which +includes an overall rating, by February 1, 2024. Provisional +teachers who have not been evaluated will not be eligible to +receive a Letter of Reasonable Assurance. +During Probable Organization, school leaders will work with +OHC to identify all provisional teachers who are eligible to +receive reasonable assurance, listing them in their Probable +Organization template. OHC will send letters of Reasonable +Assurance by April 15 to provisional teachers. +Requests for permanent appointment for current +Provisional 1 and Provisional 2 teachers will not be granted. +See section IV.A below for information regarding Provisional +3 teachers and the awarding of permanent status. +B. Permanent Appointment of Provisional Teachers +Eligibility +The Massachusetts Regulations on Evaluation of Educators +stipulate that achievement of Professional Teaching Status +(being made a permanent teacher in BPS) is dependent +upon receiving a rating of Proficient or above on all four of +the Standards of Effective Teaching Practice, as well as an +overall rating of Proficient or Exemplary. See below for +additional criteria required for permanent status. + + +Page 13: +Superintendent’s Circular HRS-HS07 +Page 13 of 27 + + +A school leader may recommend an educator (2) for +permanent appointment (3) if they meet all the following +criteria: +● The teacher is provisional, and in their third year at BPS. +● The teacher received a rating of Proficient or Exemplary +overall and on all four Standards of Effective Teaching on +a Formative Assessment, released by February 1, 2024. +● The teacher will remain in the same position in their +current school for the 2023-24 school year. +● The teacher holds a valid DESE license(s) for the content +area in which they are teaching. +● The teacher holds either an ESL license or SEI +Endorsement (Core content teachers of ELLs as required +by DESE) or a Bilingual Educator Endorsement (BEE), +should the BEE be requirement by their position. +Please note: While the head of school or principal may +recommend a Provisional 3 teacher for permanent status +based upon fulfillment of the criteria above, the teacher may +not be granted permanent status until a Summative + +(2) Educators considered teachers and eligible for Professional +Teacher Status as defined by M.G.L. c.71 § 41 include teachers, +school librarians, school adjustment counselors, school nurses, +school social workers, or school psychologists. +(3) A school leader may make the recommendation for +permanent appointment when the educator is still in their third +year to take effect on the first day of their fourth year. + + +Page 14: +Superintendent’s Circular HRS-HS07 +Page 14 of 27 + + +Evaluation is released which indicates Proficient or +Exemplary practice overall in all four standards. +If a Provisional 3 teacher does not achieve a rating of +Proficient or Exemplary overall on all four standards on their +Formative Assessment, they may be required to take a one- +year break in service. During the break in service, the +teacher would not be eligible for employment as a teacher +or substitute within Boston Public Schools. After the year- +long break in service, the teacher would once again be +eligible for vacant teaching positions, and, if hired, would +return to Provisional 1 status. +Process +To recommend a Provisional 3 teacher for Permanent +Appointment during Probable Organization, the head of +school or principal must take the following steps: +1) Release the teacher’s Formative Assessment by January +12, 2024 +2) Identify the position that the teacher will hold for the +2023-24 school year +3) Record the recommendation for Permanent +Appointment on the Provisional Review Process page in +FutureForce Version 2 + +If, upon the principal or head of school’s release of the end- +of-year Summative Evaluation, the provisional teacher has +successfully demonstrated effective teaching practice(s) by +achieving a rating of Proficient or Exemplary overall and on + + +Page 15: +Superintendent’s Circular HRS-HS07 +Page 15 of 27 + + +all four standards of effective teaching, they will become +permanent as of September 2023. +V. LEAVES OF ABSENCE +A. Planning to Take a Leave of Absence in 2024-2025 +Deadline: January 15, 2024 +Permanent teachers who are not currently on leave but +are planning to take a Leave of Absence during the 2024- +2025 school year (e.g., personal reasons, education), must +submit a leave application by January 15, 2024. +Employees must submit a request for leave electronically +via Employee Self-Service. Employees should submit +applications even if they have not officially been accepted +for a job and educational program but are in the +application process. If a teacher is not accepted into a +graduate program or job, the leave request can be +rescinded, so long as the Office of Human Resources is +notified by April 1. +For further information regarding leaves of absences, +including how to apply, please refer to Superintendent’s +Circular HRS-HS-PP13. + + + + + +Page 16: +Superintendent’s Circular HRS-HS07 +Page 16 of 27 + + +B. Currently on a Leave of Absence +Deadline: January 15, 2024 +In November 2023, teachers currently on non-medical leave +will be sent a letter informing them about the expiration of +their leave. The teacher must submit the response form that +accompanies the letter to the Office of Human Resources, +stating their request to extend their leave/intent to remain +on their leave or return from leave by January 15, 2024. If the +teacher does not respond by the deadline, they will forfeit +rights to their position. +The leave letters are sent to the address listed on the Hub. +Employees are responsible for ensuring that this address is +correct. For further information regarding leaves of +absences, please refer to Superintendent’s Circular HRS- +PP13, Absence and Leave Policy. +VI. HIRING OF INTERNATIONAL TEACHERS +International teachers are not legally permitted to work or +to be paid without proof of official United States Citizenship +& Immigration Services (USCIS) work authorization. Heads of +school, principals, or RC managers should make it a +common practice to inquire about the work authorization +status of all their potential new hires. + + + + +Page 17: +Superintendent’s Circular HRS-HS07 +Page 17 of 27 + + +For more information about this circular, contact: +Owner: +Chief Human Resources Officer +Department: +Office of Human Resources +Mailing Address: +2300 Washington Ave. Roxbury, MA 02119 +Phone: +617-635-9600 +Email: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 18: +Superintendent’s Circular HRS-HS07 +Page 18 of 27 + + +ATTACHMENT 1 +APPLICATION FOR REASSIGNMENT FOR TEACHERS AND +PARAPROFESSIONALS + +SCHOOL: ________________________________________________________ +Last Name__________________ First Name_______________Initial _____ +Maiden Name [if any} _____________________________________________ +Employee I.D. # __________________________________________________ +SELECT ONE:  Permanent Teacher  Paraprofessional + +THIS SECTION TO BE COMPLETED BY PERMANENT TEACHERS +ONLY: +I am requesting reassignment for the coming 2023-2024 +academic year, because (please check one) + I am a permanent teacher. + I am a permanent school nurse. + I am a permanent student support services coordinator +(COSESS). + I am a paraprofessional. + There is a reduction in my program area. My program area +is_________________________and my seniority date is __________ . + + +Page 19: +Superintendent’s Circular HRS-HS07 +Page 19 of 27 + + +I understand that with this declaration this decision cannot be +rescinded after February 14, 2024, and that I will be reassigned in +the coming school year in accordance with the provisions of the +Boston Teachers Union Contract. + +______________________________________________ ___________________ + + Signature +Date +PLEASE RETURN THIS FORM TO YOUR HEAD OF SCHOOL OR +PRINCIPAL AND OFFICE OF HUMAN RESOURCES. +HEADS OF SCHOOL, PRINCIPALS, AND OTHER ADMINISTRATIVE +HEADS MUST FORWARD THIS APPLICATION TO THE OFFICE OF +HUMAN RESOURCES NO LATER THAN FEBRUARY 1, 2024. +Please mail, fax, or email this form to: +Name: +School and Central Based Staffing +Department: +Office of Human Resources +Mailing Address: 2300 Washington St., Roxbury MA 02119 +Phone: +617-635-9600 +Fax: + 617-635-9326 +Email: +ohc@bostonpublicschools.org + +For additional questions, please submit an HR Inquiry Ticket via +the Beacon. This can be found on Access Boston. +An electronic version of this form can be found at: +http://www.bostonpublicschools.org/Page/1019 + + + +Page 20: +Superintendent’s Circular HRS-HS07 +Page 20 of 27 + + +ATTACHMENT 2: +APPLICATION FOR ADDITIONAL PROGRAM AREAS (APA) +2023-2024 ONLINE FORMS + +The Office of Human Resources has transitioned to using online +forms. The Application for Additional Program Areas can now be +found at the link below. Please note that employees will be +required to sign in with their Boston Public Schools Gmail +account. Supplemental materials such as transcripts can be +submitted via mail or in person to the Office of Human +Resources. +Link to Apply: +• Click Here for Additional Program Area Application +• Or copy this URL: http://goo.gl/forms/JqftW4IOx1 +Supplemental Documentation +Application approval is contingent on submission of one of the +following documents: +• Official transcript(s) indicating the completion of fifteen (15) +graduate or undergraduate course credits relevant to the +program area qualification +OR +● A signed letter from the head of school or principal, +confirming the following information: +o The subject area you taught (relevant to your +application) + + +Page 21: +Superintendent’s Circular HRS-HS07 +Page 21 of 27 + + +o The specific years (at least 2) during which you taught +the subject (must be within the last 10 years) +o Confirmation that you taught at least 50% of the +weekly schedule in that area. +Please fill out the application form and submit supplemental +documents to the contact listed below by January 12, 2024. + +For more information about this circular, please contact: +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9240 +Email: +fcanty@bostonpublicschools.org + + + + + +Page 22: +Superintendent’s Circular HRS-HS07 +Page 22 of 27 + + +ATTACHMENT 3: +APPLICATION FOR JOB SHARING +To Indicate Interest in Job Sharing +Permanent teachers or paraprofessionals who wish to +indicate their interest in job sharing should submit a request +using the online form shown below. The submission of an +application only serves an indication of interest and is not +binding. The job sharing application and principal/head of +school approval forms must be submitted via the online +form no later than 5:00 p.m. Monday March 25, 2024. +Online Forms +The Office of Human Resources now accepts job sharing +applications online. Candidate applications for job share as +well as principal/head of school approval can be submitted +through the links below. Please note that employees will be +required to sign in with their Boston Public Schools Gmail +account. These links will also be made available through +BTU and Paraprofessional representatives, the Boston +Public Schools website, and the Superintendent’s Bulletin. +Click Here for Job Sharing Request—Applicant Form +Each applicant interested in job sharing must submit their +own form. Principals must submit the form below for +approval. +Click Here for Job Sharing Request—Principal Approval Form +Principals/heads of school must submit this form to approve +a job share request. + + +Page 23: +Superintendent’s Circular HRS-HS07 +Page 23 of 27 + + +For more information about job sharing, please see +Superintendent’s Circular HRS-HS02, or contact: +Owner: +Director of School-Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington St., Roxbury MA, 02119 +Phone: +617-635-9240 +Email: +ohr@bostonpublicschools.org + + + + + + + + + + + + + +ATTACHMENT 4: +STAFFING CALENDAR + + + +Page 24: +Superintendent’s Circular HRS-HS07 +Page 24 of 27 + + +December 2023 +December 18 Deadline for teachers to submit Leave of Absence +intent letters to OHC +January 2024 +January 10 – February 4 Budget Collaborative and Probable +Organization meetings +January 15 +Deadline for: +Permanent teachers to request Personal Reasons, +or Educational Leaves, to commence at the +beginning of the next teacher work year +Permanent teachers on approved year-long leaves +to return November letter indicating intent to +return at the start of next teacher work year or +request an extension + +Teachers to submit Alternate Program Area +requests to OHC +January 17 +Deadline for teachers to submit application for +Early Notification Incentive of Termination to +receive $1,500 +Deadline for submission of Formative Assessments +for all educators on 1-year plans + +February 2024 +February 1 (contractual deadlines) +Deadline for teachers or paraprofessionals to +submit reassignment requests (Voluntary Excess) + + +Page 25: +Superintendent’s Circular HRS-HS07 +Page 25 of 27 + + + +Deadline to notify permanent teachers of excess in +Level 4, Innovation and Pilot Schools (Involuntary +Excess) + +Deadline to notify paraprofessionals of excess in +Level 5 Schools (Involuntary Excess) +February 11 +Deadline for teachers or paraprofessionals to +rescind reassignment requests (Voluntary Excess) +March 2024 +Beginning +March 1 +Teacher positions posted +March 18 +OHC sends excess and layoff notices to +paraprofessionals (tentative) +March 25 +Deadline for job share applications +April 2024 +April 1 - April 15 Paraprofessional transfer process (tentative) +April 15 +(contractual deadline) +Deadline to OHC to +notify all Permanent teachers of excess + +deadline to notify Provisional teachers of +reasonable assurance +April 27 +Excess notification to Guild members (tentative) +May 2024 +May 6 +Deadline for recommended paraprofessional +transfer applicant decisions to TalentEd (tentative) +May 9 +OHC sends assignment letters for paraprofessional +transfers (tentative) + + +Page 26: +Superintendent’s Circular HRS-HS07 +Page 26 of 27 + + + +Paraprofessional Excess Pool participant and +position lists available +May 15 +(contractual deadline) All evaluations due for +licensed educators on 1-year plans + +Guild Layoff notices issued +May 19 +Paraprofessional excess pool (tentative) +June 2024 +June 1 +(contractual deadline) Deadline for OHC to notify +Permanent teachers, BASAS, and managerial of +layoff +June 3 +Deadline for principals to submit paraprofessional +excess pool rankings to OHC +June 6 +OHC finalizes paraprofessional excess pool +assignments (tentative) +June 13 +Guild Excess Pool (tentative) +June 15 +(contractual deadline) Deadline for OHC to notify +Provisional teachers of non-renewal +July 2024 +July 1 +Deadline for the approval of internal lateral +transfers (hires). +August 2024 +August 15 +OHC sends initial Suitable Professional Capacity +assignment letters to Permanent teachers without +positions (tentative) + + + +Page 27: +Superintendent’s Circular HRS-HS07 +Page 27 of 27 + + +Please Note: Dates not subject to contractual requirements may +change. + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM08 +Version 01 + +2024BUS MONITOR PERFORMANCE EVALUATION +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +According to the collective bargaining agreement between the +Boston School Committee and the United Steelworkers of +America, Local 2936, a principal or head of school (or designee) is +responsible for completing a performance evaluation for each +transportation monitor assigned to the school. This includes both +SPED cab monitors and transportation attendants hired by the +school to ride the regular buses. The purpose of this evaluation is +to assess the performance of monitors assigned to schools. +SPED CAB MONITORS +A performance evaluation form will be sent to principals/heads of +school (or designee) along with a list of monitors who are +assigned to their school. Principals must submit a form for each +of their assigned monitors via email to +bpsdot@bostonpublicschools.org by May 23, 2025 for all assigned +(not standby) bus monitors that monitor their students. Using the +evaluation form, the principal/head of school or designee will +assess the monitor’s performance. To assist school leaders in +completing this form, information about the monitors' duties and +responsibilities is included in this circular. + + + +Page 2: +Superintendent’s Circular HRS-PM08 +Page 2 of 8 + +If you have any questions regarding the evaluation form or +process, please contact the assistant director of the Monitors +Unit, Transportation Department at 617-230-3561. +TRANSPORTATION ATTENDANTS +The principal/head of school of any school with a transportation +attendant assigned to a regular bus must complete (or designate +someone to complete) an evaluation form and send it as a PDF +attachment via email to bpsdot@bostonpublicschools.org and +eval@bostonpublicschools.org by May 23. + +If you have any questions regarding the evaluation form or +process, please contact the Director of Evaluation and +Performance Management, at 617-635-9627. +DUTIES AND RESPONSIBILITIES FOR SPECIAL EDUCATION BUS +MONITORS +Special Education bus monitors have been assigned to monitor +and assist students with special needs while they are being +transported to and from school. Their primary responsibilities +include: +● Boarding the vehicle before or at the same time as the first +monitor-required student on the route and remaining on the +vehicle at all times until every monitor-required student has +reached their stop +● Attending to the special needs of monitor-required students, +although monitors are also responsible for the general +supervision of all students on the vehicle +● Riding with the students in the back of the vehicle and not in +the front seat unless only the front seat is available + + +Page 3: +Superintendent’s Circular HRS-PM08 +Page 3 of 8 + +● Assisting students in and out of the vehicle if necessary. This +includes setting up and collapsing wheelchairs or other +equipment when necessary +● Exhibiting proper behavior at all times +● Ensuring that all students wear seat belts +● Ensuring that students not leave the vehicle anywhere other +than their assigned stops. If a student leaves the vehicle +without authorization, the driver must be instructed to contact +the dispatcher immediately +● Prohibiting the consumption of food or beverages, smoking, or +bringing radios on the vehicle +● Notifying the school to which the monitor is assigned and the +operations coordinator at the yard if the monitor will be absent +from work. Notification must take place by 4:30 am for the +morning or at least two hours prior to the scheduled reporting +time for the afternoon +● Performing other related duties as directed by the supervisors. + +Summary of significant dates and deadlines: +Date +Activity +May 23 +Deadline for principals/heads of school to submit signed copies +as PDF attachments via email to +bpsdot@bostonpublicschools.org and +eval@bostonpublicschools.org. + + + + + +Page 4: +Superintendent’s Circular HRS-PM08 +Page 4 of 8 + +For more information about this circular, contact: +Owner: +Assistant Director of the Monitors Unit +Department: +Transportation Department +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-230-3561 +Fax: +617-635-7705 +Email: +bpsdot@bostonpublicschools.org + + +Name: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 + + +Email +eval@bostonpublicschools.org + + + + + + + + Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular HRS-PM08 +Page 5 of 8 + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +BUS MONITOR – SCHOOL YEAR 2024-2025 + +NAME OF MONITOR _________________________DATE + + +EMPLOYEE # ___________NAME OF SCHOOL + +A.M.______ P.M._______ BUS NUMBER + + +Please review the position overview and complete the form. The +following scale will be used for ranking performance. +U UNSATISFACTORY: The employee has failed to meet +expectations and their performance of the position's duties and +responsibilities needs improvement. +N NEEDS IMPROVEMENT: The employee’s performance of this +position’s duties and responsibilities needs improvement. +S MEETS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities meets expectations. +E EXCEEDS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities exceeds expectations. + +Quality of Work: performs assigned tasks as per job +description accurately and competently. +U N S E +Skills and Knowledge: demonstrates level of skill and +knowledge required to do the job. +U N S E +Attendance and Punctuality: is punctual, gives notice +of sick, personal, and other leave. +U N S E + + +Page 6: +Superintendent’s Circular HRS-PM08 +Page 6 of 8 + +Professional Demeanor: maintains professional +demeanor, is tactful, cooperative, and courteous to +people at all levels of the School Department and +the public. +U N S E + +Recommendations/Comments: + + +_____________________________________________ + + +Evaluator’s Signature +Date +_____________________________________________ + + +Principal/Head of School +Date +Please submit signed, scanned copies via email to: +bpsdot@bostonpublicschools.org + + + + + + + +Page 7: +Superintendent’s Circular HRS-PM08 +Page 7 of 8 + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +TRANSPORTATION ATTENDANT – SUMMER 2025 + +NAME OF TRANSPORTATION +ATTENDANT: _______________________________ DATE + +EMPLOYEE # ____________NAME OF SCHOOL + + + +The following scale will be used for ranking performance. +U UNSATISFACTORY: The employee has failed to meet +expectations and their performance of the position's duties and +responsibilities needs improvement. +N NEEDS IMPROVEMENT: The employee’s performance of this +position’s duties and responsibilities needs improvement. +S MEETS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities meets expectations. +E EXCEEDS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities exceeds expectations. +Quality of Work: performs assigned tasks as per job +description accurately and competently. +U N S E +Skills and Knowledge: demonstrates level of skill and +knowledge required to do the job. +U N S E +Attendance and Punctuality: is punctual, gives notice +of sick, personal, and other leave. +U N S E +Professional Demeanor: maintains professional +demeanor, is tactful, cooperative, and courteous to + + +Page 8: +Superintendent’s Circular HRS-PM08 +Page 8 of 8 + +people at all levels of the School Department and +the public. +U N S E + + + +Recommendations/Comments: + + +_____________________________________________ + + +Evaluator’s Signature +Date +_____________________________________________ + + +Principal/Head of School +Date +Please submit signed, scanned copies via email to: +bpsdot@bostonpublicschools.org + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM01 +Version 01 + + + +PERFORMANCE EVALUATION OF TEACHERS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +Comprehensive information pertaining to the performance +evaluation of BTU under the 2011 education regulation +amendments (603 CMR 35.00) is now located at the Office of +Human ResourcesEvaluations webpage. +A summary of BTU dates and deadlines can be found on Page +73 of the BTU-BPS Collective Bargaining Agreement. +Long-Term Substitute Teachers are considered Teachers for +the purposes of performance evaluation if they have been in +position continuously for more than fifteen (15) consecutive +days. +General inquiries regarding performance evaluation of DESE- +licensed educators may be directed to: +eval@bostonpublicschools.org +Information regarding performance-related dismissal of +teachers may be found in Superintendent’s Circular #HRS- +PP19. + + + + + +Page 2: +Superintendent’s Circular HRS-PM01 +Page 2 of 2 + + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing +Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 +Phone: +617-635-9627 +E-mail: +eval@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +HRS-PP12 +Version 01 + +DOMESTIC VIOLENCE LEAVE POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools is committed to the health and safety of +our employees and their families. This circular is intended to +comply with applicable state laws (1 ) that are designed to protect +victims of domestic violence. Should you or your family member +be a victim of domestic violence or abusive behavior, you are +encouraged to communicate with the Office of Human resources +about the situation. +Boston Public Schools must provide employees with up to 15 +days of time off in a 12-month period, if: +• the employee or their family member is the victim of +abusive behavior (such as domestic violence, stalking, sexual +assault, or kidnapping); and +• the purpose of the leave is to seek medical attention, +counseling, secure housing, or obtain legal or other victim +services directly related to the abusive behavior against the +employee or family member of the employee. + +(1) Section 52E of Chapter 149 of the Massachusetts General Laws +(Section 10 of Chapter 260 of the Acts of 2014) + + +Page 2: +Superintendent’s Circular HRS-PP12 +Page 2 of 3 + +For purposes of this policy, a family member includes: +• Married spouses +• Persons "in a substantive dating or engagement +relationship" AND who reside together +• Persons having a child in common regardless of whether +they have ever married or resided together +• A parent, step-parent, child, step-child, sibling, grandparent, +or grandchild +• Persons in a guardianship relationship +You are immediately eligible for this leave upon the beginning of +your employment. Employees may use accrued sick, personal, +and vacation time to remain in paid status during a covered leave +under this policy. If no accrued time is available, leave under this +policy will be unpaid. +We request that you provide appropriate advance notice of this +leave (as required by the current leave policy), unless there is an +imminent danger to your immediate health and safety (in which +case, we must receive notification within 3 workdays that the +leave was taken or is being taken for reasons covered by this +policy). If you take this leave, please provide documentation +evidencing that you or your family member has been a victim of +domestic violence or abusive behavior within 30 days of the leave +request. Such forms of documentation may include: +• A court issued protective order +• An official document from a court, provider, or public +agency +• A police report or statement of a victim or witness provided +to the police + + +Page 3: +Superintendent’s Circular HRS-PP12 +Page 3 of 3 + +• Official legal documentation attesting to perpetrator’s guilt +• Medical documentation of treatment for the abusive +behavior +• A sworn statement from the employee attesting to being a +victim of abusive behavior +• A sworn statement from a professional who has assisted the +employee or the employee's family, e.g., a counselor, social +worker, health care worker, or member of the clergy. +Perpetrators of domestic violence are not entitled to leave under +this statute. +Provided you have submitted proper documentation, your +employment is protected for leave taken under this policy. If you +have questions at any time as to how this policy applies to you, +please do not hesitate to contact the Office of Human resources. +For more information about this circular, contact: +Name: +Employee Services – Leave of Absence Team +Department: +Office of Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS04 +Version 01 + +SCHOOL LEADER SCREENING PROCESS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The process for recruiting, screening and hiring for school leader +vacancies requires collaboration among many offices, including +the Superintendent, Regional School Superintendents, the Office +of Human Resources, the Office of Engagement, the Division of +Schools, and the schools with vacant leadership positions. +School leader vacancies may be filled either through this process, +or through the appointment of an existing employee or an +external candidate by the Superintendent. The latter would not +require the position be posted in the manner described in this +circular. + +POSITION POSTING +A job posting for school leader positions will be available by +November 1, 2024. The application can be found by searching +'school leader'. The selection process will yield qualified +candidates for the entire district and for autonomous schools. +► Please note: Autonomous schools have the right to create +and advertise their own job postings in order to recruit + + +Page 2: +Superintendent’s Circular HRS-HS04 +Page 2 of 10 + +candidates who align with the specific vision and values of +their communities. See “AUTONOMOUS SCHOOLS”, page 8. + +MINIMUM QUALIFICATIONS +Minimum qualifications are as follows: +● Master’s degree in education or related field. +● Evidence of submission or successful completion of all MA- +PAL tasks (Massachusetts Performance Assessment for +Leaders) or +● Principal/Assistant Principal licensure or equivalent by time +of appointment. +PREFERRED QUALIFICATIONS +Preferred qualifications are as follows: +● Fluency in one or more non-English languages. +● 5+ years of experience as a school leader in a large, urban +school district. +PRE-SCREENING AND SELECTION PROCESS +The selection process consists of the following phases: +● Phase I: Application and Resume Review (Nov 2024 - Feb +2025). +● Phase II: Performance Tasks (Nov 2024 - Feb 2025). +● Phase III: School-Based Interview (Jan - April 2025). +● Phase IV: Interview with Superintendent or Superintendent +Designee (March - April 2025). + + +Page 3: +Superintendent’s Circular HRS-HS04 +Page 3 of 10 + + +Candidates who successfully advance through the first two +phases of the process will be eligible to interview with school- +based hiring teams The school-based hiring process is led by the +Regional School Superintendent or their designee. The Regional +School Superintendent or designee will convene the School +Screening Committee and serve as the Chairperson. As +Chairperson they shall decide which of the approved candidates +shall interview with the Committee, based on the characteristics +and needs of that school community. +SCHOOL SCREENING COMMITTEE GUIDELINES +The Regional School Superintendent or designee shall chair the +School Screening Committee for all school leader positions, +including those for autonomous schools. The Office of +Engagement will provide support to the Chairperson of the +School Screening Committee by coordinating the vote to +determine who will serve on the School Screening Committee as +well as by leading those committee members through a bias +training. +Members: +The membership of the School Screening Committee shall +include the following: +● The Regional School Superintendent and/or +superintendent’s designee, who serves as Chairperson. +● Three teacher members of the Boston Teachers Union (BTU) +representing the racial and ethnic diversity of the school’s + + +Page 4: +Superintendent’s Circular HRS-HS04 +Page 4 of 10 + +student population, selected by BTU members on the +School Site Council. +● One member of the Boston Association of School +Administrators and Supervisors (BASAS), as selected by the +Chairperson, with special consideration for any BASAS +members working at the school. +● Three parents from the school, selected by parent members +of the School Site Council, and representing the racial and +ethnic diversity of the school’s student population. At least +one must be an elected member of the School Site Council +or School Parent Council. +○ Among the three parent members selected, one must +be a parent of a special education student or a student +in a program for Multilingual Learners if a special +education program or program for English Learners is +in place at the school. Parent members of the School +Site Council shall select this parent. +● Optional: At the discretion of the School Screening +Committee Chairperson, one representative from a partner +organization that works closely with the school, such as a +community, business or higher education partner. +● Secondary only: One student from the School Site Council or +a student from the Student Advisory Council. +● School mergers only: In the event two schools are scheduled +to merge and, as a result must complete a screening +process for a new School Leader, the School Screening +Committee shall be comprised of the same members as +listed above, with the following adjustments: +○ Two BTU members from each school from different +racial groups, selected by BTU members on the School +Site Council + + +Page 5: +Superintendent’s Circular HRS-HS04 +Page 5 of 10 + +○ Two parents from each school, selected by parent +members of the School Site Council, and representing +the racial and ethnic diversity of the school’s student +population. At least one must be an elected member of +the School Site Council or School Parent Council. +○ The Operational Leader for the region, who shall serve +as the BASAS representative. +All Committee members shall adhere to norms of respect, +collaboration and confidentiality throughout the screening +process. In the event any committee member fails to conduct +themselves according to these norms, that member may be +removed from the process, per the discretion of the Chairperson. +Process: +Upon creation of the School Screening Committee, the +Chairperson shall give written notice to each committee member +at least five working days prior to the first meeting. Screening +Committee members shall also receive from the Chairperson a +copy of each candidate’s application materials and a screening +packet, which will include guidelines for interviewing and scoring +candidates and a list of all committee members. +School mergers only: In the event two schools are scheduled to +merge, both sitting school leaders shall have the opportunity to +be interviewed by the School Screening Committee. + +Upon convening, the Committee will: + + +Page 6: +Superintendent’s Circular HRS-HS04 +Page 6 of 10 + +● Review the responsibilities and functions of the committee, +including this Superintendent’s Circular. +● Review the job description, including the qualifications +needed for the position. +● Review the School Leader Rubric & Scoring Guide for +candidate interviews, which shall be based on candidates’ +proficiency in the standards for school-level administrators +as enumerated by DESE: +○ Instructional Leadership +○ Management and Operations +○ Family & Community Engagement +○ Professional Culture +● Committees shall use the School Leader Rubric & Scoring +Guide as the basis for their scoring. +○ Per the Guide, School Screening Committee members +shall score candidate responses in private. The +Chairperson shall then aggregate scores and +recommend the top three candidates based on these +scores (See “Reports” below). +● Establish an interview schedule. +○ Set dates and times for candidate interviews and +future meetings. +Quorum for the meetings shall be a majority of the members and +must include the Chairperson and at least one parent and one +teacher. At least one member present must be a person of color. +If any of these groups is not represented, the remaining +committee members may, by unanimous vote, decide to proceed +with meetings. Decisions of the Screening Committee must be +made with a quorum present and shall be carried by a majority of +the members present at the meetings. Voting shall be done by + + +Page 7: +Superintendent’s Circular HRS-HS04 +Page 7 of 10 + +secret ballot unless the committee decides otherwise. All +members of the Screening Committee are equal in status and +have one vote. +Representatives from the Office of Human Capital, the Office of +Equity, the Office of Engagement or the Office of Leadership +Development may attend meetings. +TIMELINE +In order to ensure the placement of strong candidates as early as +possible, School Screening Committees shall make every attempt +to move efficiently through the above-listed steps, while still +maintaining the integrity of the process. Specifically, School +Screening Committees shall aim to convene, establish an +interview schedule and determine the three highest-scoring +candidates within one month from the date a vacancy becomes +public. Should the Committee not be on pace to accomplish this, +the Chairperson reserves the right to waive the quorum +requirements listed above in order to convene meetings and +conduct interviews. +INTERIM APPOINTMENTS +Any schools which have Interim School Leaders shall convene the +School Screening Committee in January and shall conclude their +search by March 1, 2025. +Any schools with vacancies which emerge following May 1, 2025 +may, at the discretion of the Regional School Superintendent, +forgo the above-listed steps and the Superintendent shall instead +appoint an Interim School Leader for the following year. + + +Page 8: +Superintendent’s Circular HRS-HS04 +Page 8 of 10 + +SCREENING COMMITTEE MEETING NOTES +The Chairperson shall ensure that Screening Committee meeting +notes are taken at each meeting and that the following +information is accurately noted: +● Name, race, and affiliation of each Screening Committee +member. +● Dates and times of meetings. +● Attendance at each meeting. +● All votes taken. +All members may have copies of the meeting notes. After the +screening process is complete, the members of the Screening +Committee will return all resumes and meeting notes to the +Office of Leadership Development. All information disclosed at all +Screening Committee meetings is assumed confidential, both to +ensure the integrity of the hiring process and to protect +applicants whose employers may not be aware they are applying +for a position. +The Chairperson is responsible for working with the Department +of Schools to improve and/or increase the pool of applicants. +REPORTS +Per the School Leader Rubric & Scoring Guide, the Chairperson of +the Screening Committee will ensure that the scores from the +Committee’s resume screening and interviews are accurately +tracked and recorded. The Chairperson will tally the candidate +scores from the Committee and will identify the top three +recommended candidates based on these scores. The +Chairperson will then complete a School Leader Nomination + + +Page 9: +Superintendent’s Circular HRS-HS04 +Page 9 of 10 + +Form which lists these three candidates. The form will be +submitted to the Chief of Schools, the Chief of Staff and the +Executive Director of Leadership Development for next steps +with the Superintendent, who will make the final determination. +● At least one of these three candidates must be a person of +color. +● The Chairperson of the Committee may add additional +candidate(s) to the nomination form, above and beyond the +three required, per their discretion. +FINAL INTERVIEWS AND DECISION +● Upon receipt of the Screening Committee’s +recommendations, the Superintendent and/or the Regional +School Superintendent will interview recommended +candidates. +● The Regional School Superintendent and/or designee will +check references and report back information to the +Superintendent, who will determine the final appointments. +The Superintendent retains the authority to appoint the +school leader recommended by the School Screening +Committee or may choose to appoint another candidate. +● The Superintendent will notify the Screening Committee of +the final decision of the selected candidate. +● The Office of Human Resources will send offer letters to new +hires. + + + + +Page 10: +Superintendent’s Circular HRS-HS04 +Page 10 of 10 + +AUTONOMOUS SCHOOLS +All elements of this circular shall apply to autonomous schools +(Pilot, Horace Mann Charters, Innovation and In-District Charter +Schools) in the same manner they apply to non-autonomous +schools. The School Screening Committee Chairperson shall +collaborate closely with the governing boards of autonomous +schools to ensure an efficient and effective process that aligns +with the vision of the school community. +Uniquely, the governing boards of autonomous schools have the +right to create and advertise their own job postings in order to +recruit candidates who align with the specific vision and values of +their communities. Such candidates must still be vetted and +approved through Phase 1 & Phase 2 of the district-wide process +outlined above (“Pre-Screening and Selection Process,” pg.1). + +For more information about this circular, contact: +Department: +Division of Schools +Mailing Address: +Bruce C. Bolling Building, 2300 +Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PP09 + + +CRIMINAL HISTORY SCREENING +This policy circular shall remain in effect unless rescinded or +replaced by a subsequent version. +The Boston School Committee and superintendent are +committed to providing a safe learning and work environment +for Boston Public Schools students and employees. Following all +applicable federal and state laws and regulations regarding +Criminal Offender Record Information (CORI), including +fingerprinting and Sex Offender Registry Information (SORI), it is +the policy of the Boston Public Schools to conduct a criminal +background check (“CORI check”) at least once every three (3) +years on current and prospective employees, contracted service +providers, volunteers, school transportation providers, and other +individuals who may have direct and unmonitored contact with +children.1 The Boston Public Schools criminal history screening +policy applies to all current and prospective: +a. full-time or part-time employees and candidates for +employment, including promotions +b. substitute employees +c. student teachers, apprentices, and interns + +1 See also the Boston Public Schools Sexual Offender Registry +Information (SORI) Policy. + + +Page 2: +Superintendent’s Circular HRS-PP09 +Page 2 of 32 + +d. employees of educational programs +e. individuals who regularly provide school-related +transportation to children +f. contractors +g. volunteers, subcontractors, and laborers who perform work +in school buildings or on school grounds 2 +The Department of Criminal Justice Information Services (DCJIS) +provides Boston Public Schools with “Required 2” access to CORI. +Required 2 access produces a CORI record that includes all +adult/youthful offender convictions, non-convictions, and +pending offenses but does not list any sealed, juvenile, civil, or +non-incarcerable crimes. The following practices and procedures +are applicable when CORI and other criminal history checks, +including fingerprint screening, are part of a general background +check for employment or volunteer work in BPS. +CONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) +SCREENING +Criminal history checks, including CORI checks and fingerprint +screenings, will only be conducted as authorized by the +Department of Criminal Justice Information Services (DCJIS) +under Mass. Gen. Laws c. 6, §§ 172 and 172B ½, c. 71, § 38R, 28 CFR +20.33(a)(3), and Public Law 92‐544. Boston Public Schools will only +perform a criminal history check after receiving a completed + +2 Volunteers, subcontractors, and laborers will not be subject to +fingerprinting. + + +Page 3: +Superintendent’s Circular HRS-PP09 +Page 3 of 32 + +CORI/Fingerprinting Acknowledgement Form and confirming +the individual’s identity. +NOTE: BPS policy and procedures for criminal history checks +including fingerprint screening are also subject to the +regulations, policies, and procedures promulgated by the DCJIS +and state board of elementary and secondary education. In +accordance with those procedures, all candidates’ fingerprints +will be searched against the Automated Fingerprint +Identification System (AFIS) fingerprint database which is +maintained by the Massachusetts State Police and the Federal +Bureau of Investigation’s (FBI) Integrated Automated Fingerprint +Identification System (IAFIS) fingerprint database. A fee will be +required to conduct a fingerprint screen. +In the instance that the Boston Public Schools requests an +additional CORI Check from the DCJIS on an individual whose +CORI has already been obtained within a year of signing the +original CORI/Fingerprinting Acknowledgement Form, the +individual will receive notice within 72 hours that it intends to +conduct an additional CORI check. A current employee being +considered for promotion must submit to a CORI check, +regardless of whether a CORI check has been conducted within +that year. +ACCESS TO CRIMINAL HISTORY INFORMATION (CORI AND +FINGERPRINT SCREENING) +All criminal history information obtained from the DCJIS is +confidential, and access to the information must be limited to +those individuals who have a “need to know.” This may include, +but is not limited to, staff submitting the CORI requests and staff + + +Page 4: +Superintendent’s Circular HRS-PP09 +Page 4 of 32 + +members of the CORI/Criminal History Review Panel. The Boston +Public Schools maintains and keeps a current list of each +individual authorized to have access to, or view, a CORI and the +results of a fingerprint screen. This list must be updated every six +(6) months and is subject to inspection at any time only upon +request by the DCJIS. +CORI TRAINING +The Boston Public Schools is an agency required to maintain a +CORI Policy under Mass. Gen. Laws c. 6, §171A. Accordingly, all +personnel authorized to conduct criminal history background +checks or inspect CORI information will review and familiarize +themselves with the educational and relevant training materials +regarding CORI laws and regulations made available by the +DCJIS. +USE OF CRIMINAL HISTORY IN BACKGROUND SCREENING +The Boston Public Schools shall only access, for employment +purposes, the CORI and fingerprinting information for candidates +who are otherwise qualified for the position for which they have +applied and for current employees during periodic criminal +background checks. +Unless otherwise provided by law, a criminal record will not +automatically disqualify an individual for employment, contract +work, subcontract work, volunteering, or interning. Suitability +determinations based on criminal background checks will be +consistent with this policy and applicable laws or regulations. +I. +Verifying a Subject’s Identity + + +Page 5: +Superintendent’s Circular HRS-PP09 +Page 5 of 32 + +If a criminal record is received from the DCJIS, the information is +to be closely compared with the information on the +CORI/Fingerprinting Acknowledgement Form and any other +identifying information provided by an individual to ensure the +record belongs to the individual. +If the information in the CORI record provided does not precisely +match the identification information provided by the individual, a +determination is to be made by a Boston Public Schools +employee(s) authorized to make such determinations based on a +comparison of the CORI record and documents provided by the +individual. +II. +Inquiring About Criminal History +In connection with any decision regarding employment, +internships, or volunteer opportunities within the Boston Public +Schools, the individual shall be provided with a copy of their +criminal history record, whether obtained from the DCJIS or any +other source, before asking the subject questions about their +criminal history. The source(s) of the criminal history record is +also to be disclosed to the subject. + + + + + +Page 6: +Superintendent’s Circular HRS-PP09 +Page 6 of 32 + +III. +Determining Suitability +When an individual’s CORI record or fingerprint screen lists one +or more offenses, the first step is to convene the CORI/Criminal +History Review Panel. The panel will verify that the criminal +record belongs to the individual and that the individual has not +disputed the criminal record’s accuracy based on the procedure +described in Section V of this policy. +Findings from CORI Investigations – No Further Review – +Outstanding Warrants +1) If the CORI investigation reveals a conviction of a Table B +crime that is a felony more than ten years old or a Table B +crime that is a misdemeanor more than five years old, and +there are no subsequent convictions or pending cases of +any kind, the CORI/Criminal History Review Panel will not +consider such crime. For purposes of computing the five- +and ten-year periods, the period will run from the date any +court supervision, probation, or sentence was terminated. +2) If the CORI investigation reveals an outstanding warrant for +any offense, the CORI/Criminal History Review Panel will +inform the candidate that they are ineligible for +employment unless the warrant is removed. +3) Storage, retention, and destruction of all CORI reports, +including those with a finding of “no record,” shall follow +DCJIS regulations at 803 CMR 2.00: Criminal Offender +Record Information (CORI). + + + + + +Page 7: +Superintendent’s Circular HRS-PP09 +Page 7 of 32 + +Findings from CORI Investigation - Crimes Subject to Review +1) If the CORI investigation reveals a conviction of a Table A +crime, regardless of when it occurred, or a pending Table A +crime, or a conviction of a Table B crime within the five- and +ten-year periods or a pending Table B crime, the +CORI/Criminal History Review Panel will carefully consider +the following factors in its decision to hire or not hire the +candidate: +a. time since the conviction or pending offense +b. age of the candidate at the time of the offense +c. nature and specific circumstances of the offense +d. the sentence imposed and the length of any period of +incarceration +e. relationship of the criminal act to the nature of the +work to be performed +f. number of offenses +g. whether offenses were committed in association with a +dependence on drugs or alcohol, from which the +candidate has since recovered +h. any relevant evidence of rehabilitation or lack thereof, +such as information about compliance with conditions +of parole or probation, including orders of no contact +with victims and witnesses; and the individual’s +conduct and experience since the time of the offense, +including but not limited to educational or professional +certifications obtained; and + + +Page 8: +Superintendent’s Circular HRS-PP09 +Page 8 of 32 + +i. any other relevant information, including information +submitted by the candidate or requested by the +CORI/Criminal History Review Panel. +2) The CORI/Criminal History Review Panel, using a form +prescribed by BPS, will also make a written determination of +its decision to hire or not hire such candidate. This form will +document the factors and rationale for the decision of the +CORI/Criminal History Review Panel. A copy of such written +determination will be maintained by the CORI/Criminal +History Review Panel in a secure location, together with the +CORI and criminal record disclosure information that may +have been requested under this policy. +Completion of the written determination form will serve to +confirm that the CORI/Criminal History Review Panel has +carefully reviewed the CORI and other relevant information, +including information provided by the candidate, so that the +vulnerable populations served by BPS are protected, and +candidates with criminal histories are given a fair +opportunity to be employed and to reintegrate successfully +into the workforce. +3) If the CORI/Criminal History Review Panel decides to hire a +candidate with a CORI showing a conviction of or pending +Table A crime, the CORI/Criminal History Review Panel will +submit the prescribed form to the Chief Human Resources +Officer, the Superintendent of Schools, or their designees. +The CORI/Criminal History Review Panel will not proceed to +hire the candidate for ten business days from the date the +Chief Human Resources Officer or the Superintendent of +Schools, or their designees receive the form. During such +time, the Chief Human Resources Officer, the + + +Page 9: +Superintendent’s Circular HRS-PP09 +Page 9 of 32 + +Superintendent of Schools, or their designees may +disapprove the hire or request additional information. +Notwithstanding the foregoing, a CORI/Criminal History +Review Panel may proceed to hire the candidate before the +expiration of the five days if the Chief Human Resources +Officer or the Superintendent of Schools or their designees, +after receiving the prescribed form, informs the +CORI/Criminal History Review Panel that they do not intend +to disapprove the hire or request additional information. +4) If the CORI/Criminal History Review Panel does not wish to +hire a candidate with a Table A crime or a Table B crime +within the five- and ten-year period, the prescribed form will +be completed and maintained on file in a secure location. +ADVERSE DECISIONS BASED ON CRIMINAL HISTORY +INFORMATION (CORI AND FINGERPRINT SCREENING) +If the Boston Public Schools is inclined to make an adverse +decision based on criminal history background check results, the +candidate will be notified immediately. The candidate shall be +provided with a copy of the Boston Public Schools Criminal +History Screening policy and their criminal history. The source(s) +of the criminal history will also be revealed. The individual will +then be provided with an opportunity to dispute the accuracy of +the information. Individuals shall also be provided a copy of +DCJIS’ Information Concerning the Process for Correcting a +Criminal Record. The Boston Public Schools will stay the decision +for a brief time and document the steps taken to comply with +this procedure. +SECONDARY DISSEMINATION LOGS + + +Page 10: +Superintendent’s Circular HRS-PP09 +Page 10 of 32 + +All CORIs obtained from the DCJIS are confidential and can only +be disseminated as authorized under the applicable law and +regulations. A central secondary dissemination log shall be used +to record any dissemination of a CORI outside this organization, +including dissemination at the individual’s request. +CORI/CRIMINAL HISTORY REVIEW PANEL +The Boston Public Schools CORI/Criminal History Review Panel +shall consist of four or more of the following individuals: the +Deputy Superintendent of Operations, the Chief Human +Resources Officer, the Director of Transportation, the Director of +Facilities, the Director of Labor Relations, the Director of Equity, +or their designees. The panel, as well as the Superintendent, +Legal Advisor, and Chief Operations Officer, shall all have access +to criminal history information on a case-by-case basis as is +necessary to perform their job functions. When reviewing an +individual’s criminal history information to determine whether an +individual is qualified for employment as a BPS employee or is +qualified to work as a contractor, subcontractor, laborer, intern, or +volunteer, the panel will review such factors as outlined in +Section VII. The panel will determine whether an individual +qualifies for employment or will commence work as a contractor, +subcontractor, laborer, intern, or volunteer. The decision made by +the CORI/Criminal History Review Panel shall be recorded and +shall be made by a majority of members present. A minimum of +four panel members must be present for a decision to be made. +In the interests of confidentiality and the furtherance of the +protection of school children, the identity of the panel reviewing +a particular subject’s confidential criminal history will not be +disclosed. + + +Page 11: +Superintendent’s Circular HRS-PP09 +Page 11 of 32 + +REGISTRATION PROCESS FOR FINGERPRINTING +You must submit to fingerprinting as part of your criminal +background screening to work for Boston Public Schools. Please +follow the steps below to register for an appointment to get +fingerprinted at the nearest site (most likely Dorchester) +operated by MorphoTrust USA. +The below summarizes the procedure to register and get your +fingerprints taken. For further information and details, please see +the state’s guide, “Statewide Applicant Fingerprint Identification +Services (SAFIS) Program: Registration Guide,” available at the +following link: https://www.mass.gov/files/2017-06/safis- +registration-guide-dcf-fv1-0_0.pdf +Step 1: Sign up for an appointment online or over the phone. + +https://ma.ibtfingerprint.com/ + +866-349-8130 +Step 2: Give the Provider ID for Boston Public Schools. + +Enter the following number as the district Provider ID: +00350000 +Step 3: Pay a fee for the FBI and state government agencies +to process your fingerprints. +Licensed educators: $55 +Non-licensed staffers: $35 +Step 4: Make an appointment and get a Registration +Confirmation Number. You will need to bring the +Registration Confirmation Number with you to your +appointment. +Step 5: +Go to your appointment and bring a proper ID. + +Your ID must contain a photo, your full name, and +date of birth and be unexpired. + + +Page 12: +Superintendent’s Circular HRS-PP09 +Page 12 of 32 + +Step 6: +Obtain a receipt from MorphoTrust showing your +fingerprints were taken. + +Keep your receipt and make a copy of it. +Step 7: +Mail the copy of your receipt to: +BPS Office of Human Capital +2300 Washington Street, 4th Floor +Boston MA 02119 +MISCELLANEOUS +a) All individuals covered by the Boston Public Schools CORI +Policy must submit an annual CORI Acknowledgment Form +within ten days or following a request from the Office of +Human Capital. +b) A CORI Acknowledgment Form is valid for one year from the +date the individual signs the form or until the conclusion of +a subject’s employment, whichever comes first, and must be +maintained for a minimum of one year from the date of +execution. Within the year, the Boston Public Schools may +submit an additional request for CORI but will first provide a +72-hour written notice. If the individual objects to an +additional CORI, the CORI Acknowledgment Form becomes +invalid. However, the Boston Public Schools may make an +adverse employment decision based on an individual’s +objection to a request for CORI. Criminal history information +will be maintained confidentially, on a need-to-know basis +only, by the Office of Human Capital. A limited number of +designated individuals will routinely review criminal history +information. The Office of Human resourcesdesignee(s) will +receive and maintain all properly obtained criminal history + + +Page 13: +Superintendent’s Circular HRS-PP09 +Page 13 of 32 + +information and will keep the assistant superintendent of +Human resourcesinformed. +c) CORI information will remain segregated and secured from +all personnel files or other personnel information. Hard +copies will be stored in a locked, secured location. If the +Boston Public Schools retains electronic copies of CORI +reports, then the Boston Public Schools will password +protect and encrypt the reports. The reports will not be +maintained for more than seven (7) years after the +employee’s last date of employment or after the final +decision not to hire the candidate. +d) For any adverse decision based on the criminal background +check results, the individual will be notified immediately, +either in person or by telephone, fax, email, or letter. +e) CORI information may be used only to further the protection +of children and for no other purpose. Access to such +information shall be obtained in accordance with Mass. Gen +Laws c. 6, §§167 to 168, inclusive. Improper use of CORI +information is both a civil and a criminal offense and may +subject an employee to discipline. + + + + + +Page 14: +Superintendent’s Circular HRS-PP09 +Page 14 of 32 + +For more information about this circular, contact: +Owner: +Director of Labor Relations +Department: +Office of Labor Relations +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-1576 +Email: +OLR@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 15: +Superintendent’s Circular HRS-PP09 +Page 15 of 32 + +TABLE A +Crime Name +MGL +ABANDON CHILD UNDER 10, RESULTING IN DEATH c. 119, § 39 +ABUSE OF PATIENT IN LONG TERM CARE FACILITY c. 265, § 38 +ANIMALS, CRUELTY TO +c. 272, § 77 +ARMED CAREER CRIMINAL +c. 269, § 10G +ARSON OF DWELLING HOUSE +c. 266, § 1 +ASSAULT, AGGRAVATED +c. 265, § 13A(b) +ASSAULT & BATTERY, DANGEROUS WEAPON, +AGGRAVATED +c. 265, § 15A(c) +ASSAULT & BATTERY, DANGEROUS WEAPON, +VICTIM 60 AND OLDER +c. 265, § 15A(a) +ASSAULT & BATTERY ON CHILD +c. 265, § 13J +ASSAULT & BATTERY ON ELDER OR PERSON WITH +DISABILITY +c. 265, § 13K +ASSAULT & BATTERY, INTIMIDATION, +RACE/COLOR/RELIGION +c. 265, §§ 39(a) and +39(b) +ASSAULT & BATTERY ON PERSON WITH +INTELLECTUAL DISABILTY +c. 265, § 13F +ASSAULT WITH INTENT TO MURDER OR ROB, +ARMED +c. 265, § 18(b) +ASSAULT WITH INTENT TO MURDER OR ROB, +VICTIM 60 AND OLDER, ARMED +c. 265, § 18(a) +ASSAULT IN DWELLING, ARMED +c. 265, § 18A +ASSAULT BY DANGEROUS WEAPON, VICTIM 60 +AND OLDER +c. 265, § 15B(a) + + +Page 16: +Superintendent’s Circular HRS-PP09 +Page 16 of 32 + +ASSAULT WITH INTENT TO MURDER OR MAIM +c. 265, § 15 +ASSAULT WITH INTENT TO RAPE +c. 265, § 24 +ASSAULT WITH INTENT TO RAPE CHILD UNDER 16 +c. 265, § 24B +BREAKING AND ENTERING NIGHT, +BLDG/SHIP/MOTOR VEHICLE, INTENT TO COMMIT +FELONY + +c. 266, § 16 +CARJACKING, ARMED +c. 265, § 21A +CHILD IN NUDE OR SEXUAL ACT, POSE/EXHIBIT OR +DISTRIBUTE MATERIAL +c. 272, §§ 29A and 29B +CHILD ENTICEMENT +c. 265, § 26C +CIVIL RIGHTS VIOLATION, BODILY INJURY +c. 265, § 37 +CRIMINAL HARASSMENT, SUBSEQUENT OFFENSE +c. 265, § 43A(B) +DRUGS, DISTRIBUTE TO MINOR +c. 94C, § 32F +DRUGS, TRAFFICKING IN COCAINE +c. 94C, § 32E(b)(1)-(4) +DRUGS, TRAFFICKING IN HEROIN +c. 94C, § 32E(c)(4) +DRUGS, TRAFFICKING IN MARIJUANA +c. 94C, § 32E(a)(4) +ELDER/DISABLED, PERMIT ABUSE ON +c. 265, § 13K(a ½) +EXPLOSION, MALICIOUS +c. 266, § 102B +(c. 266, §101 prior to +July 15, 2010) + +EXTORTION +c. 265, § 25 +FIREARM, ARMED CAREER CRIMNAL +c. 269, § 10G +HOME INVASION +c. 265, § 18C +IDENTITY FRAUD +c. 266, § 37E + + +Page 17: +Superintendent’s Circular HRS-PP09 +Page 17 of 32 + +INCEST +c. 272, § 17 +INDECENT ASSAULT & BATTERY ON PERSON 14 OR +OVER +c. 265, § 13H +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14 +c. 265, § 13B +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14, AGGRAVATED +c. 265, § 13B½ +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14, AGGRAVATED, SUBSEQUENT EVENT +c. 265, § 13B¾ +INDECENT ASSAULT & BATTERY ON +DIABLED/PERSON OVER 60 +c. 265, § 13K +INDECENT ASSAULT & BATTERY ON RETARDED +PERSON +c. 265, § 13F +KIDNAPPING +c. 265, § 26 +KIDNAPPING MINOR BY RELATIVE, ENDANGER +SAFETY +c. 265, § 26A +MANSLAUGHTER (Voluntary or Involuntary) +c. 265, § 13 +MAYHEM +c. 265, § 14 +MURDER +c. 265, §§ 1 and 2 +OBSCENE PICTURES, DISTRIBUTING +c. 272, §§ 28 and 29 +OBSCENE MATERIALS HARMFUL TO MINOR, +DISTRIBUTE OR POSSESS WITH INTENT TO +DISTRIBUTE +c. 272, § 28 +PHOTOGRAPH UNSUSPECTING NUDE PERSON/ +PHOTOGRAPH OF UNSUSPECTING NUDE PERSON, +DISSEMINATE +c. 272, §§ 105(b) and (c) +c.272, §§104(b) and (c) +prior to March 7, 2014 +PRESCRIPTION; FORGERY, ALTER, SUBSEQUENT +OFFENSE +c. 94C, § 33(c) + + +Page 18: +Superintendent’s Circular HRS-PP09 +Page 18 of 32 + +PROSTITUTION, DERIVE SUPPORT FROM +c. 272, § 7 +PROSTITUTION, DERIVE SUPPORT FROM CHILD +c. 272, § 4B +PROSTITUTION, INDUCE MINOR TO +c. 272, § 4A +PROSTITUTION, MAINTAIN HOUSE OF +c. 272, § 6 +PROSTITUTION/UNLAWFUL SEX/ABDUCT PERSON +FOR +c. 272, § 2 +PROSTITUTION/SOLICITATION (With Person under +18); +PROSTITUTION/SOLICITATION (With person under +14); Prior to February 19, 2012 +c. 272, § 53A(b) +RAPE +c. 265, § 22(b) +RAPE, AGGRAVATED +c. 265, § 22(a) +RAPE & ABUSE OF A CHILD, AGGRAVATED +c. 265, § 23A +RAPE & ABUSE OF A CHILD, AGGRAVATED, +SUBSEQUENT EVENT +c. 265, § 23B +RAPE OF CHILD WITH FORCE +c. 265, § 22A +RAPE OF CHILD WITH FORCE, AGGRAVATED +c. 265, § 22B +RAPE OF CHILD WITH FORCE, AGGRAVATED, +SUBSEQUENT EVENT +c. 265, § 22C +RAPE OF CHILD (STATUTORY) +c. 265, § 23 +RECKLESS ENDANGERMENT TO CHILDREN +c. 265, § 13L +ROBBERY, ARMED +c. 265, § 17 +SEX OFFENDER, FAILURE TO REGISTER +c. 6, § 178H(a) +SEXUAL CONDUCT WITH CHILD UNDER 18, PAY +FOR OR FOR FEE; SEXUAL CONDUCT WITH CHILD +UNDER 14, PAY FOR OR FOR A FEE; Prior to +February 19, 2012 +c. 272, § 53A(b) +SEXUAL INTERCOURSE, ADMINISTER DRUGS FOR +c. 272, § 3 + + +Page 19: +Superintendent’s Circular HRS-PP09 +Page 19 of 32 + +SEXUAL INTERCOURSE, INDUCE MINOR +c. 272, § 4 +STALKING +c. 265, § 43(a) +STALKING IN VIOLATION OF RESTRAINING ORDER c. 265, § 43(b) +UNNATURAL ACTS WITH CHILD UNDER 16 +c. 272, § 35A +VIOLATE DOMESTIC PROTECTIVE ORDER +c. 208, § 34C +VIOLATION OF PROTECTIVE ORDER (209A) +c. 209A, § 7 +WEAPON OF MASS DESTRUCTION +c. 266, § 102C +CONSPIRACY TO COMMIT ANY OF THE ABOVE +TABLE A CRIMES +c. 274, § 7 + + + + +Page 20: +Superintendent’s Circular HRS-PP09 +Page 20 of 32 + +ACCESSORY BEFORE THE FACT OF ANY OF THE +ABOVE TABLE A CRIMES +c. 274, § 2 +ATTEMPT TO COMMIT ANY OF THE ABOVE TABLE A +CRIMES +c. 274, § 6 + + + + + +Page 21: +Superintendent’s Circular HRS-PP09 +Page 21 of 32 + +TABLE B + +Crime Name + +MGL +Felony or +Mis-demeanor +ABANDON CHILD UNDER 10 +c. 119, § 39 +M +ACCESSORY AFTER FACT (VARIABLE) +c. 274, § 4 +F +ACCOSTING; LEWD & LASCIVIOUS +CONDUCT; INDECENT EXPOSURE +c. 272, § 53 +M +AFFRAY, SUBSEQUENT OFFENSE AFFRAY +(Prior to August 1, 2009) +c. 272, § 53 +M +AID ESCAPE FROM CUSTODY +c. 268, § 17 +M +ALCOHOLIC BEVERAGES, SELL/DELIVER +TO PERSON UNDER 21 +c. 138, § 34 +M +ALIEN IN POSSESS OF FIREARM +c. 140, § 131H +M +ASSAULT +c. 265, § 13A(a) +M +ASSAULT WITH INTENT TO ROB, +UNARMED +c. 265, § 20 +F +ASSAULT & BATTERY +c. 265, § 13A(a) +M +ASSAULT & BATTERY ON PUBLIC +SERVANT/POLICE OFFICER +c. 265, § 13D +M +ASSAULT & BATTERY ON CORRECTIONAL +OFFICER +c. 127, § 38B +F +ASSAULT & BATTERY DANGEROUS +WEAPON +c. 265, § 15A(b) +F +ASSAULT BY DANGEROUS WEAPON +c. 265, § 15B(b) +F +ASSAULT WITH HYPODERMIC NEEDLE, +SYRINGE +c. 265, § 15C(a) +F + + +Page 22: +Superintendent’s Circular HRS-PP09 +Page 22 of 32 + +ASSAULT & BATTERY WITH HYPODERMIC +NEEDLE, SYRINGE +c. 265, § 15C(b) +F +ATTEMPT TO INJURE DEPOSITORY OF +VALUABLES +c. 266, § 16 +F +BETTING; TAKING, ALLOWING +c. 271, § 17 +M +BODY ARMOR, USE OF IN COMMISSION +OF FELONY +c. 269, § 10D +F +BOMB SCARE /HIJACK THREAT +c. 269, § 14 +F +BOMB/EXPLOSIVES, UNLAWFUL +POSSESSION + + +c. 266, §102. +c. 148, § 35 prior +to July 15, 2010 +F +(M prior to July +15, 2010) +BREAKING AND ENTERING DAY, INTENT +TO COMMIT FELONY, PERSON IN FEAR +c. 266, § 17 + +F +BREAKING AND ENTERING DAY, INTENT +TO COMMIT FELONY +c. 266, § 18 +F +BREAKING AND ENTERING RAILROAD +CAR +c. 266, § 19 +F +BREAKING AND ENTERING TRUCK, +INTENT TO COMMIT FELONY +c. 266, § 20A +F +BREAKING AND ENTERING, INTENT TO +COMMIT MISDEMEANOR +c. 266, § 16A +M +BRIBERY OF A POLICE OFFICER +(state/local official or member of the +judiciary) +c. 268A, § 2 +F +BRIBERY/GIFTS TO INFLUENCE +BUSINESS AFFAIRS +c. 271, § 39 +F +BURGLARIOUS TOOLS, MAKE OR +POSSESS +c. 266, § 49 +F + + +Page 23: +Superintendent’s Circular HRS-PP09 +Page 23 of 32 + +BURGLARIOUS TOOLS, MOTOR VEHICLE +MASTER KEY, MAKE OR POSSESS +c. 266, § 49 +F +BURGLARY, ARMED +c. 266, § 14 +F +BURGLARY, UNARMED +c. 266, § 15 +F +BURNING BUILDING +c. 266, § 2 +F +BURNING MOTOR VEHICLE OR +PERSONAL PROPERTY +c. 266, § 5 +F +BURNING TO DEFRAUD INSURANCE CO. c. 266, § 10 +F +BURN MOTOR VEHICLE, WILLFUL & +MALICIOUS +c. 266, § 127 +F +CIVIL RIGHTS VIOLATION, NO BODILY +INJURY +c. 265, § 37 +M +COMPOUNDING OR CONCEALING +FELONY +c. 268, § 36 +F +CONTRIBUTE TO DELINQUENCY OF +CHILD +c. 119, § 63 +M +CONFINE OR PUT IN FEAR TO STEAL OR +ATTEMPT TO STEAL +c. 265, § 21 +F +CREDIT CARD, LARCENY OR MISUSE OF +c. 266, § 37B +M +CREDIT CARD, UNAUTHORIZED USE, +OVER $250 +c. 266, § 37C +F +CRIMINAL HARASSMENT +c. 265, § 43A(a) M +DANGEROUS WEAPON, CARRYING +c. 269, §§ 10(b) +and 10(d) + +F +DANGEROUS WEAPON, UNLAWFUL +POSSESSION +c. 269, § 10(b) +F +DEFACEMENT OF REAL OR PERSONAL +PROPERTY +c. 266, § 126A +F + + +Page 24: +Superintendent’s Circular HRS-PP09 +Page 24 of 32 + +DESTRUCTION OF PROPERTY OVER $250, +MALICIOUS +c. 266, § 127 +F +DISORDERLY CONDUCT +c. 272, § 53 +M +DRUGS, LARCENY FROM AUTHORIZED +PERSON +c. 94C, § 37 +F +DRUGS, FAILURE TO KEEP RECORDS +c. 94C, § 15 +M +DRUGS, ILLEGAL POSSESSION CLASS C +SUBSTANCE +c. 94C, § 34 +M +DRUGS, ILLEGAL POSSESSION CLASS D +SUBSTANCE +c. 94C, § 34 +M +DRUGS, ILLEGAL POSSESSESSION CLASS +E SUBSTANCE +c. 94C, § 34 +M +DRUGS, DISPENSE WITHOUT +PRESCRIPTION OR WHEN NOT +REGISTERED +c. 94C, § 25 +M +DRUG PARAPHENELIA, DISTRIBUTE OR +INTEND TO DISTRIBUTE +c. 94C, § 32I(a) +M +DRUG PARAPHENELIA, SELL TO MINOR +c. 94C, § 32I(B) +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS A SUBSTANCE +c. 94C, § 32 +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS B SUBSTANCE +c. 94C, § 32A +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS C SUBSTANCE +c. 94C, § 32B +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS D SUBSTANCE +c. 94C, § 32C +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS E SUBSTANCE +c. 94C, § 32D(a) M + + +Page 25: +Superintendent’s Circular HRS-PP09 +Page 25 of 32 + +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS B SUBSTANCE +c. 94C, § 32A +F +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS A SUBSTANCE IN, ON, OR NEAR +SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS B SUBSTANCE IN, ON, OR NEAR +SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, MOTOR VEHICLE HOMICIDE, +NEGLIGENT OPERATION +c. 90, § 24G(b) +F +DRUGS, POSSESS CLASS A SUBSTANCE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS A SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32(a) +F +DRUGS, POSSESS CLASS B SUBSTANCE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS B SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32A(a) F +DRUGS, POSSESS CLASS C SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32B(a) F +DRUGS, POSSESS CLASS C SUBSTANCE, +SUBSEQUENT OFFENSE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS D SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32C(a) M +DRUGS, POSSESS CLASS D SUBSTANCE, +SUBSEQUENT OFFENSE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS E SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32D +M + + +Page 26: +Superintendent’s Circular HRS-PP09 +Page 26 of 32 + +DRUGS, POSSESS CONTROLLED +SUBSTANCE WITH INTENT TO +DISTRIBUTE, SUBSEQUENT OFFENSE + +c. 94C, § 32(b) + +F +DRUGS, POSSESS COUNTERFEIT +SUBSTANCES WITH INTENT TO +DISTRIBUTE + +c. 94C, § 32G + +M +DRUGS, POSSESS CLASS A SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, POSSESS CLASS B SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, POSSESS CLASS D SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, TRAFFICKING IN COCAINE IN, +ON, OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, TRAFFICKING IN HEROIN IN, ON, +OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, TRAFFICKING IN MARIJUANA IN, +ON, OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, UNLAWFULLY OBTAINING +CONTROLLED SUBSTANCE, FALSE +PRESCRIPTION, FRAUD, FALSE +REGISTRATION +c. 94C, § 33 +F +EMBEZZLEMENT +c. 266, §§ 51-52, +55-59 +F + + +Page 27: +Superintendent’s Circular HRS-PP09 +Page 27 of 32 + +ENTER WITHOUT BREAKING, +BLDG/SHIP/MOTOR VEHICLE, INTENT TO +COMMIT A FELONY, PERSON IN FEAR +c. 266, § 17 +F +ENTER WITHOUT BREAKING A +DWELLING IN NIGHT, INTENT TO COMMIT +FELONY +c. 266, § 18 +F +ENTER WITHOUT BREAKING, TRUCK, +WITH INTENT TO COMMIT FELONY +c. 266, § 20A +F +ESCAPE BY PRISONER +c. 268, § 16 +F +ESCAPE, FURLOUGH +c. 268, § 16 +F +EXPLOSIVES, THROWING +c. 266, § 102 +F +EXPLOSIVES, THROW/PLACE/EXPLODE +OR POSSESS WITH INTENT TO INJURE + +c. 266, § 102 + +F +FIREARM, CARRYING LOADED +RIFLE/SHOTGUN +c. 269, § 12D(a) +M +FIREARM, CARRYING LOADED OR +UNLOADED FIREARM ON A PUBLIC WAY; +UNENCLOSED CASE + +c. 269, § 12D(b) + +F +FIREARM, DISCHARGE WITHIN 500 FT. +OF A BUILDING +c. 269, § 12E +M +FIREARM, DISCHARGE WITHIN 500 FT. +OF A DWELLING OR NEAR HIGHWAY + +c. 131, § 58 + +M +FIREARM LICENSE/ID CARD, FALSE +c. 140, § 131I +F +FIREARM, POSSESS WITHOUT FIREARMS +ID +c. 269, § 10(h) +M +FIREARM, POSSESS OF, SERIAL/ID +NUMBER OBLITERATED +c. 269, § 11C +F + + +Page 28: +Superintendent’s Circular HRS-PP09 +Page 28 of 32 + +FIREARM, POSSESS OF, SERIAL/ID +NUMBER OBLITERATED, USED IN +COMMISION OR ATTEMPTED +COMMISION OF A FELONY + +c. 269, § 11B + +F +FIREARM, SELL WITHOUT LICENSE +c. 140, § 128 +F +FIREARM, SHOTGUN, BARREL UND 18 +“SAWED OFF”, POSSESS, SUBSEQUENT +OFFENSE +c. 269, § 10(d) +F +FIREARM, SHOTGUN, BARREL UND 18 +“SAWED OFF”, POSSESS +c. 269, § 10(c) +F +FIREARM UNATTENDED +c. 269, § 10(h) +F +FIREARM, UNLAWFUL POSSESSION, +COMMISSION FELONY +c. 265, § 18B +F +FIREARM, SHOTGUN, UNLAWFUL +POSSESSION +c. 140, § 129C +M +FIREARM VIOLATION, CARRY WITH +AMMUNITION +c. 269, § 10(n) +M +FORGED INSTRUMENT, UTTER +c. 267, § 5 +F +FUGITIVE FROM JUSTICE +c. 276, § 19 +M +GUN PERMIT, FALSE INFORMATION FOR c. 140, § 129 +M +HOAX DEVICE/SUBSTANCE, +POSSESS/TRANSPORT/USE +c. 266, § 102A ½; +c. 266, §102 +prior to July 15, +2010 + +F +INDECENT EXPOSURE +c. 272, § 53 +M +INFERNAL MACHINE, POSSESS +c. 266, § 102A +c. 266, §102 +prior to July 15, +2010 +F + + +Page 29: +Superintendent’s Circular HRS-PP09 +Page 29 of 32 + +KIDNAPPING MINOR BY RELATIVE +c. 265, § 26A +M +KILL BEAST, WILLFUL & MALICIOUS +c. 266, § 112 +F +LARCENY, MOTOR VEHICLE OR TRAILER c. 266, § 28 +F +LARCENY, PERSON +c. 266, § 25 +F +LARCENY, PERSON 65+ +c. 266, § 25 +F +LARCENY BY CHECK UNDER $250 +c. 266, § 37 +M +LARCENY BY CHECK OVER $250 +c. 266, § 37 +F +LARCENY FIREARM +c. 266, § 30 +F +LARCENY IN BLDG, SHIP, VESSEL, OR RR +CAR +c. 266, § 20 +F +LARCENY IN TRUCK/TRAILER +c. 266, § 20B +F +LARCENY OVER $250 +c. 266, § 30 +F +LARCENY UNDER $250 +c. 266, §30 +M +LARCENY, BANK EMPLOYEE OR OFFICER c. 266, § 52 +F +LEAVE SCENE AFTER PERSONAL INJURY, +MOTOR VEHICLE +c. 90, § +24(2)(a1/2)(1) +M +LEWD & LASCIVIOUS CONDUCT +c. 272, § 53 +M +LEWDNESS, OPEN & GROSS +c. 272, § 16 +F +LIQUOR, PROCURE FOR MINOR +c. 138, § 34 +M +MACHINE OR SAWED OFF SHOT GUN, +POSSESSION OF +c. 269, § 10(c) +F +MACHINE GUN, POSSESSION OF +WITHOUT LICENSE +c. 269, § 10(c) +F +MANSLAUGHTER BY OPERATING UNDER +THE INFLUENCE +c. 265, § 13 ½ +F +MEDICAL ASSISTANCE (MEDICAID) +FRAUD +c. 118E, § 40 +F + + +Page 30: +Superintendent’s Circular HRS-PP09 +Page 30 of 32 + +MEDICAL ASSISTANCE (MEDICAID) +KICKBACK +c. 118E, § 41 +F +MOTOR VEHICLE HOMICIDE, RECKLESS +OPERATION +c. 90, § 24G(b) +F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE DRUGS, NEGLIGENT OR +RECKLESS +c. 90, § 24G(a) +F +MOTOR VEHICLE, USE OF IN +COMMISSION OF FELONY +c. 90, § 24(2)(a) F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE LIQUOR +c. 90, § 24G(b) +F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE LIQUOR, NEGLIGENT OR +RECKLESS +c. 90, § 24G(b) +F +MOTOR VEHICLE, OPERATING AFTER +LICENSE REVOKED FOR DRUNK DRIVING +c. 90, § 23 +M +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, ALCOHOL +c. 90, § +24(1)(a)(1) +M +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, ALCOHOL, 3rd +AND SUBSEQUENT OFFENSE +c. 90, § +24(1)(a)(1) + +F +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, LIQUOR, 3rd AND +SUBSEQUENT OFFENSE +c. 90, § 24 +F +MOTOR VEHICLE, TAKE WITHOUT +AUTHORITY, STEAL PARTS +c. 266, § 28 +F +OBSCENE MATERIALS, POSSESS WITH +INTENT TO DISTRIBUTE +c. 272, § 29 +F +OBSCENE LITERATURE, SELL TO MINOR +c. 272, § 28 +F + + +Page 31: +Superintendent’s Circular HRS-PP09 +Page 31 of 32 + +OBSTRUCTION OF JUSTICE +Common law +M [See c. 279, § 5 +re: penalty for +Common Law +Crimes.] +PERJURY +c. 268, § 1 +F +PRESCRIPTION; FORGERY, ALTER +c. 94C, § 33(b) +F +PRESCRIPTION, UTTER FALSE +c. 94C, § 33 +F +PRISONER, DELIVER ARTICLES TO OR +FROM INMATE +c. 268, § 31 +F +PRISONER, DELIVER DRUGS TO +c. 268, § 28 +F +PROSTITUTION/SOLICITATION +c. 272, § 53A +M +PROSTITUTION, ENGAGING IN SEX +“JOHN” +c. 272, § 53A +M +PROSTITUTION, KEEP HOUSE OF +c. 272, § 24 +M +PROSTITUTE, SOLICIT FOR +c. 272, § 8 +M +RESISTING ARREST +c. 268, § 32B +M +RIOT +c. 269, § 1 +M +ROBBERY, UNARMED +c. 265, § 19(b) +F +ROBBERY, UNARMED, VICTIM 60+ +c. 265, § 19(a) +F +SHOPLIFTING, 3rd OR SUBSEQUENT +OFFENSE +c. 266, § 30A +M +STOLEN PROPERTY, RECEIVE, OVER $250 c. 266, § 60 +F +STOLEN MOTOR VEHICLE, RECEIVE/BUY c. 266, § 28(a) +F +TELECOMMUNICATIONS FRAUD +c. 166, § 42A +M +TELEPHONE CALLS, ANNOYING OR +OBSCENE +c. 269, § 14A +M +UNNATURAL ACTS +c. 272, § 35 +F + + +Page 32: +Superintendent’s Circular HRS-PP09 +Page 32 of 32 + +VANDALIZE +CHURCH/SYNAGOGUE/CEMETERY +c. 266, § 127A +F +VANDALIZE +SCHOOL/CHURCH/EDUCATIONAL BLDG +c. 266, § 98 +F +WITNESS, INTIMIDATE OR RETALIATE +AGAINST +c. 268, § 13B +F +CONSPIRACY TO COMMIT ANY OF +ABOVE TABLE B CRIMES + + +ATTEMPTS TO COMMIT ANY OF THE +ABOVE TABLE B CRIMES + + +ACCESSORY BEFORE ANY OF THE +ABOVE TABLE B CRIMES + + + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP15 +Version 01 +SICK LEAVE DONATION PROGRAM +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools will be continuing the Sick Leave Donation +Program with Administrative Guild, BASAS, BTU, managerial, and +School Police Patrolmen's Association. +PURPOSE +The Sick Leave Donation Program is a voluntary program where +eligible employees can donate sick leave hours to help a seriously +ill or injured colleague who has exhausted their sick, personal, +vacation, and/or compensatory leave entitlements. An eligible +employee who wants to withdraw hours from the Sick Leave +Bank must be on an approved leave of absence. Please refer to +Superintendent’s Circular HRS-PP13 for more information +regarding the process to apply for a leave of absence. If time is +awarded by the Sick Leave Donation Committee, recipients can +withdraw sick leave hours from the leave bank and maintain +active pay status. +Membership and eligibility requirements by unit are detailed in +the attachment. +THE DONATION PROCESS +When the sick leave bank for a union/group becomes depleted, + + +Page 2: +Superintendent’s Circular HRS-PP15 +Page 2 of 12 + +an email notification will be sent to all members requesting the +donation of an additional day(s). All employees who wish to enroll +will be required to complete an online form during the +aforementioned period. All donations are irrevocable. +SICK LEAVE COMMITTEE +The leave committee for each union/group will consist of six +members: three administrative members from the union/group +and three administrative members from the Boston Public +Schools district (appointed by the superintendent or their +designee). A majority vote (4 of 6) is required to grant awards of +sick leave time. All decisions are made on a case-by-case basis. +APPLICATION PROCESS FOR SICK BANK MEMBERS +1. Complete a Sick Leave Bank Donation Withdrawal Request +form, including submission of medical documentation and a +letter stating the reason for the request in accordance with +the application deadline listed on the form. +2. The Leave Bank Committee will meet and review all +pertinent information. Committee will render a decision and +Human Capital will inform the employee and supervisor of +the decision. +3. If approved, the Office of Human Capital representative will +add donated hours to the recipient’s leave accrual balance +in PeopleSoft. +4. Withdrawals from the leave bank cease when the recipient +has either returned to work or withdrawn the maximum +number of hours allotted from their union or conditions of +employment. +There is no appeal procedure. The decision of the Sick Leave + + +Page 3: +Superintendent’s Circular HRS-PP15 +Page 3 of 12 + +Bank Committee is final. +APPLICATION DEADLINE +The Sick Bank Oversight Committee meets on the first +Wednesday of each month. +To be included on the agenda, your application, along with all +supporting documentation, must be submitted by the close of +business on the preceding Friday. + +For more information about this circular, contact: +Owner: +Manager of Employee Information Systems +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9649 +Fax: +617-635-7957 +Email: +ohr@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 4: +Superintendent’s Circular HRS-PP15 +Page 4 of 12 + +ATTACHMENT A: +SICK LEAVE DONATION PROGRAM: MEMBERSHIP +REQUIREMENTS AND ELIGIBILITY BY UNIT +BASAS + +Membership Requirements: +• To establish this program, there must be at least 50 eligible +BASAS employees who participate in it. +• A BASAS employee must be permanent or entering their +third consecutive year of Boston Public Schools service to be +eligible to participate. +• A BASAS employee must donate one sick day (eight hours) +to enroll in the program. +• Donation days (hours) will be deducted from the donor’s +accumulated sick leave balance. +Eligibility for Recipient: +• Only BASAS employees who have donated to the sick leave +donation program are eligible to apply for sick leave time. +• Applicants for sick leave time must have exhausted all +accumulated sick and personal leave to be eligible to +receive sick leave donations. +• Recipients may use donated sick leave only for work time +lost due to personal illness. Recipients may not use donated +time for absences caused by an illness of a family member. +• The application form for sick time must be completed and +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy. + + +Page 5: +Superintendent’s Circular HRS-PP15 +Page 5 of 12 + +• For employees receiving benefits pursuant to a disability +plan, the combination of disability payments and donated +sick days may not, on a day-to-day basis, equal more than +the employee’s daily rate of pay. +• For employees receiving workers’ compensation benefits, +the combination of workers’ compensation payments and +donated sick days may not, on a daily basis, equal more than +the employee’s daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient per school year. In exceptional +circumstances, the committee may also grant additional 30- +day increments, up to a maximum of 90 days (including the +original 30 days). +• Requests for sick leave time may not be made retroactively. +• Days that have been granted but are not used will revert to +the sick leave bank. +BOSTON TEACHERS UNION (BTU) +Membership Requirements: +• To establish this program, there must be at least 500 +teacher unit members and 100 paraprofessional unit +members. +• Must be a BTU member to participate in the program. +• Teacher unit members must be permanent or entering their +fourth consecutive year of service. Paraprofessional +members must have at least three consecutive years of +service. +• Must donate one sick day for inclusion in the program. +• Donations will be deducted from the donor’s accumulated + + +Page 6: +Superintendent’s Circular HRS-PP15 +Page 6 of 12 + +sick leave balance. +• Donations and withdrawals can only be in the same BTU +unit (e.g., teachers cannot donate to or withdraw from the +paraprofessional unit; paraprofessionals cannot donate to or +withdraw from the teacher unit). +Eligibility for Recipient: +• Must have exhausted all accumulated sick leave and other +paid leaves (e.g., personal days, etc.). +• Application for the BTU sick bank withdrawal must be +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy, of a serious illness, which prevents the employee’s +immediate return to work. +• For those individuals who have a disability plan, the +combination of disability payment and sick bank days do +not, on a day-to-day basis, equal more than the daily rate of +pay. +• For those individuals who are receiving worker’s +compensation, the combination of workers’ compensation +payment and sick bank days do not, on a daily basis, equal +more than the daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient. In exceptional circumstances, the +Committee may also grant additional 30-day increments, up +to a maximum of 90 days (including the original 30 days). +• Requests/withdrawals cannot be made retroactively. +• Days requested and granted but not used will revert to the +sick leave bank. +• This program is for employees only and cannot be used for + + +Page 7: +Superintendent’s Circular HRS-PP15 +Page 7 of 12 + +the illness of family members. +• This program does not meet for the months of June – +September for the following reasons: +o June: The bank only issues donations in 30-day +increments and the month of June does not have 30 +school days. +o July – August: Employees do not work these months +and therefore would not be eligible to use +sick/personal time. +o September: Employees receive sick/personal +entitlements up front and therefore, would have time +to use at the beginning of the school year. +CUSTODIAN +Membership Requirements: +• To establish this program, there must be at least 100 +Custodian Bank members. +• Must be a custodian to participate. +• Must have completed three or more years of continuous +service with the union to be eligible. +• Must donate two sick days for the first year, and thereafter +one sick day annually during enrollment period. +• Donation days will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. +• Employees must have exhausted all accumulated sick leave +and other paid time. + + +Page 8: +Superintendent’s Circular HRS-PP15 +Page 8 of 12 + +• The bank is for employees’ illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving worker’s +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. +ADMINISTRATIVE GUILD +Membership Requirements: +• To establish this program, there must be at least 100 Guild +bank members. +• Must be Administrative Guild members to participate. +• Must have completed three or more years of continuous +service to be eligible to participate. +• Must donate one sick day to enroll in the program. +• Donation day will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. + + +Page 9: +Superintendent’s Circular HRS-PP15 +Page 9 of 12 + +• Employees must have exhausted all accumulated sick leave +and other paid time. +• The bank is for employee’s illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving workers’ +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. +MANAGEMENT +Membership Requirements: +• To establish this program, there must be at least 100 eligible +Managerial employees who participate in it. +• A Managerial employee must be permanent or entering +their fourth consecutive year of Boston Public Schools +service to be eligible to participate. +• A Managerial employee must donate one sick day (eight +hours) to enroll in the program. +• Donation days (hours) will be deducted from the donor’s +accumulated sick leave balance. + + +Page 10: +Superintendent’s Circular HRS-PP15 +Page 10 of 12 + +Eligibility for Recipient: +• Only Managerial employees who have donated to the sick +leave donation program are eligible to apply for sick leave +time. +• Applicants for sick leave time must have exhausted all +accumulated sick, personal, and vacation leave to be eligible +to receive sick leave donations. +• Recipients may use donated sick leave only for work time +lost due to personal illness. Recipients may not use donated +time for absences caused by an illness of a family member. +• The application form for sick time must be completed and +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy, of a serious illness. +• For employees receiving benefits pursuant to a disability +plan, the combination of disability payments and donated +sick days may not, on a day- to-day basis, equal more than +the employee’s daily rate of pay. +• For employees receiving worker’s compensation benefits, +the combination of worker’s compensation payments and +donated sick days may not, on a daily basis, equal more than +the employee’s daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient. In exceptional circumstances, the +committee may also grant additional 30-day increments, up +to a maximum of ninety 90 days (including the original 30 +days). +• Requests for sick leave time may not be made retroactively. +• Days that have been granted but are not used will revert to + + +Page 11: +Superintendent’s Circular HRS-PP15 +Page 11 of 12 + +the sick leave bank. +SCHOOL POLICE PATROLMEN ASSOCIATION +Membership Requirements: +• To establish this program, there must be at least 25 +Association bank members. +• Must be association members to participate. +• Must have completed three or more years of continuous +service to be eligible to participate. +• Must donate one sick day to enroll in the program. +• Donation day will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. +• Employees must have exhausted all accumulated sick leave +and other paid time. +• The bank is for employee’s illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving workers’ +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for + + +Page 12: +Superintendent’s Circular HRS-PP15 +Page 12 of 12 + +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. + + +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM07 +Version 01 + +PERFORMANCE EVALUATION OF CLASSROOM +PARAPROFESSIONALS +EMPLOYEES COVERED BY THIS CIRCULAR: +● Coverage Paraprofessional +● Instructional Paraprofessional +● One-to-One Paraprofessional +● Surround Care Paraprofessional +FORMAL EVALUATION +All staff shall be formally evaluated using standards and +indicators reasonably related to a paraprofessional performance, +with a mark for each standard and an overall rating. Overall +ratings shall be “Exemplary,” “Proficient,” “Needs Improvement,” +and “Unsatisfactory,” and shall be transmitted to +paraprofessionals by the last business day prior to May 15 via the +VectorEvals platform. A paraprofessional may sign the evaluation +digitally only if the paraprofessional does so on a BPS-issued +computer. If the paraprofessional does not have access to a BPS- +issued computer, the form must be printed from VectorEvals for +their signature and then uploaded as a PDF attachment to the +digital form. +Paraprofessionals will generally be evaluated formally every two +years, except as set forth in section (7) of Schedule, Meetings, and +Procedures below. During each school year, each principal/head +of school or their designee will identify approximately one-half of + + +Page 2: +Superintendent’s Circular HRS-PM07 +Page 2 of 8 + +the staff for which that administrator is responsible for evaluating +during that year. The process of identifying the evaluees will be +determined by the responsible administrator. An administrator +may also evaluate a staff member not originally identified if +assistance, supervision, or intervention is deemed appropriate +based on informal observation. +EVALUATORS +1. No supervisor shall supervise or evaluate a relative. +2. the head of school, principal, or other administrative head +outside of the bargaining unit will be responsible for all +evaluations. However, they may be assisted by other +qualified persons (who are not members of the bargaining +unit) designated by the School Department. +SCHEDULE, MEETINGS, AND PROCEDURES +1. At the beginning of each school year, the responsible +building administrator or their designee shall meet with +paraprofessionals for the purpose of explaining the +evaluation program and instrument and answering +questions. The building administrator may be assisted by +other qualified persons designated by the School +Department. Classroom visits may be a combination of +announced and unannounced observations. +For any classroom visit resulting in written feedback +indicating a deficiency in the paraprofessional’s practice, the +responsible supervisor shall provide such written feedback +to the paraprofessional before releasing the next formative +or summative evaluation. +2. If a paraprofessional’s performance results in an overall + + +Page 3: +Superintendent’s Circular HRS-PM07 +Page 3 of 8 + +Formative Evaluation or Summative Evaluation rating of +“Needs Improvement” or “Unsatisfactory,” the evaluation +prescription may contain a requirement that the +paraprofessional take advantage of additional professional +development training or other opportunities offered by or +through the School Department to correct a weakness or +deficiency which caused the less than proficient rating. +Formative refers to evaluations that at a minimum are +twenty (20) school days apart. +Regardless of the rating mark, within ten (10) school days +following the last observation used as the basis of the +evaluation, the responsible building administrator (or +designee) shall meet with the paraprofessional to discuss +the evaluation. At this meeting, the paraprofessional will be +given two (2) copies of the written evaluation, signed, and +dated by the responsible building administrator. +The paraprofessional shall sign and return one (1) copy to +indicate having received it, but not to indicate agreement or +disagreement. No paraprofessional shall be asked to sign an +incomplete evaluation form. Paraprofessionals shall be +allowed to attach their written comments to the evaluation +form. A paraprofessional whose overall performance is +determined less than “Proficient” at any point during the +school year shall be notified in writing and shall meet +directly with the responsible building administrator. + +3. In any area where the responsible building administrator or +their designee indicates a need for improvement, they will +provide the paraprofessional with a written prescription. +The paraprofessional may attach comments to the + + +Page 4: +Superintendent’s Circular HRS-PM07 +Page 4 of 8 + +prescription. +If the paraprofessional continues to need improvement after +allowing adequate time to improve, the responsible +administrator may include a prescription in the evaluation +that the paraprofessional may voluntarily take the +opportunity of additional training or in-service training to +correct a deficiency. +4. If a paraprofessional receives an “Unsatisfactory” on at least +four (4) formative evaluations within a twelve (12) month +period in which the paraprofessional reported to work, or on +at least two (2) formative evaluations plus a summative +evaluation, the principal/head of school may initiate +termination by recommending to the superintendent that +the paraprofessional be terminated. If the superintendent +approves the head of school’s/principal’s recommendation, +the principal/head of school shall notify the paraprofessional +in writing of their intent to dismiss the paraprofessional. The +paraprofessional may then request a meeting with the +principal/head of school to discuss their intent to dismiss. +This request must be made in writing within ten (10) days of +the paraprofessional’s receipt of the intent to dismiss notice. +Overall “Unsatisfactory” evaluation ratings need not occur in +consecutive months. +An overall rating of “Unsatisfactory” on a summative +evaluation must be preceded by a rating of “Unsatisfactory” +on at least two (2) formative evaluations during that school +year. A paraprofessional may be removed from the +classroom, dismissed, or suspended for just cause prior to +the completion of the prescriptive period specified in this +paragraph. + + +Page 5: +Superintendent’s Circular HRS-PM07 +Page 5 of 8 + +5. After each of the first three (3) formative evaluation overall +“Unsatisfactory” ratings that are based in whole or in part +upon classroom performance, the responsible building +administrator shall conduct a follow-up evaluation. This +evaluation shall include observation of classroom +performance and take place no sooner than twenty (20) +school days and no later than fifty (50) school days after the +previous “Unsatisfactory” evaluation. +If an overall formative evaluation “Unsatisfactory” rating is +based upon grounds other than classroom performance, +then the responsible administrator must clearly convey the +reasons in writing to the paraprofessional and follow +prescribed procedures for progressive discipline. +6. A formative or summative evaluation with an overall +“Unsatisfactory” rating shall be maintained as a permanent +part of the employee’s personnel record and may be grieved +and arbitrated. An employee may grieve a summative +evaluation with an overall rating other than “Unsatisfactory” +up to but not beyond the level of the Step 2 hearing officer, +who shall have the authority to rectify the grievance. Any +such grievance shall be dealt with expeditiously. In the +event of a concurrent dismissal, the grievances shall be +merged and treated as a single grievance. + +Notwithstanding the above, disputes concerning the +paraprofessional's rating in any of the individual standards +found within a formative or summative evaluation not +resulting in an overall "Unsatisfactory" rating are neither +grievable nor arbitrable. Similarly, disputes concerning +comments made by the responsible administrator within an + + +Page 6: +Superintendent’s Circular HRS-PM07 +Page 6 of 8 + +observation or formative and summative evaluation are +neither grievable nor arbitrable. +7. The following individuals shall be evaluated annually by the +last business day prior to November 15 if possible: +a. Paraprofessionals who were evaluated during the +previous school year as “Unsatisfactory” overall or in a +particular area. +b. All paraprofessionals who are new to the building. + + + + + +Page 7: +Superintendent’s Circular HRS-PM07 +Page 7 of 8 + +Summary of significant dates and deadlines: +Date +Activity +By the last business day +prior to November 15 +● Evaluation of paraprofessionals who +received an “Unsatisfactory” in their +evaluation from the prior school year. +● Evaluation p who are new to the school +building. +By the last business day +prior to May 15 +● Deadline to submit evaluation on +VectorEvals platform. +A paraprofessional may sign the +evaluation digitally only if the +paraprofessional does so on a BPS- +issued computer. If the +paraprofessional does not, the form +must be printed from VectorEvals for +them to sign and then uploaded as a +PDF attachment to the digital form. +● Evaluation of paraprofessionals due +every 2 years (except for +paraprofessionals new to the building +or who received an “Unsatisfactory” +rating the previous school year). + + + + + +Page 8: +Superintendent’s Circular HRS-PM07 +Page 8 of 8 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +► Click to view a SAMPLE Classroom Paraprofessional +Evaluation Form (PDF). Evaluators should use VectorEvals to +submit their evaluations. + + + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP14 +Version 01 + +PAID LEAVE FOR CANCER SCREENING AND/OR LIVING +ORGAN DONATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Two additional paid leave benefits are available to City of Boston +employees for annual cancer screenings and living organ +donations. +ANNUAL CANCER SCREENING +The mayor has signed an executive order that allows all City of +Boston employees to use up to four (4) hours of leave per +calendar year for various types of cancer screening. (Types of +cancer screening that fall under the four hours off per year policy +are as follows: breast, prostate, colon, skin, thyroid, oral cavity, +lymph nodes, reproductive organs, and lungs). +The following procedure is in effect in the Boston Public Schools: +• Employees will be allowed up to four (4) hours of leave, per +calendar year, that can be used intermittently or in one (1) +four-hour period. +• Employees must make a request through their +Responsibility Center manager. + + +Page 2: +Superintendent’s Circular HRS-PP14 +Page 2 of 4 + +• A signed copy of a medical document verifying the date that +the employee was given a cancer screening must be filed +with the Responsibility Center manager. +• This time is not charged to any accumulated sick leave; and +time in position, creditable service, pay, leave and health +benefits are all protected while on this type of leave. +To report time for an annual cancer screening, please add an +absence event on the timesheet using the absence name “Pre- +Cancer Screening.” +LIVING ORGAN DONATION +Effective October 3, 2006, the mayor has issued an executive +order adopting An Act Relative to Living Organ Donation which +grants leave of absence without loss of pay for living organ +donation. It applies to leave taken by an employee to provide live +organ donation to be transplanted into another individual. Live +organ donation includes donation of kidney, liver, pancreas, lung, +intestine, or heart (domino transplants). +All City of Boston employees are eligible for this leave, which +includes full-time, part-time, seasonal, and temporary employees +eligible for paid leave benefits. It does not include independent +contractors, substitutes, cab monitors, transportation attendants, +intermittent, or any other employees who are not eligible for paid +leave benefits. +The following procedure is in effect in the Boston Public Schools: +• Employees will be allowed a maximum total of 30 days of +paid leave in a calendar year to donate an organ. +• This time only covers days taken for the medical procedure + + +Page 3: +Superintendent’s Circular HRS-PP14 +Page 3 of 4 + +and the recovery from it. +• Part-time employees will receive a prorated portion of the +30 days based on their part-time schedule. +• Leave can be used intermittently. +• Employee must obtain a letter on a physician’s letterhead +disclosing that the employee is approved to be a live organ +donor and the type of organ being donated. +• A signed copy of a medical document verifying the date of +the living organ donation procedure that the employee has +undergone must be submitted to Human Resources +through their Responsibility Center manager (e.g., principal +or department head). +• This time is not charged to any accumulated sick leave; time +in position, creditable service, pay, leave, and health benefits +are protected while on this type of leave. +To report time for a living organ donation, please add an +absence event on the timesheet using the absence name +“Organ Donation.” +Questions on specific health insurance coverage should be +directed to Health Benefits and Insurance at 617-635-4570 or to +your health insurance provider. More information about live +organ donation may be found at the following link: +https://optn.transplant.hrsa.gov/resources/living-donation + + + + + +Page 4: +Superintendent’s Circular HRS-PP14 +Page 4 of 4 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM10 +Version 01 + + +PERFORMANCE EVALUATION OF ABA SPECIALISTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +The following sets forth the coverage, philosophy, roles and +responsibilities and procedures applicable to the evaluation +process of Applied Behavior Analysis (ABA) specialists. +I. COVERAGE +The performance management process covers all ABA specialists. +The evaluation process relates to the duties and responsibilities +of the employee’s position, as set forth in the employee’s job +description. +II. PHILOSOPHY +Performance management is one of the key processes driving +the comprehensive reform of the Boston Public Schools. The +performance management process for ABA specialists is +designed to: (a) align the work of ABA specialists with the +superintendent’s district wide priorities and with team goals and +(b) improve the work performance of ABA specialists. +III. ROLES AND RESPONSIBILITIES +The performance management process for ABA specialists will +be led by the assistant superintendent of special education, + + +Page 2: +Superintendent’s Circular HRS-PM10 +Page 2 of 25 + + +assistant director for ABA, and program directors for ABA. ABA +specialists will be evaluated by their immediate supervisors +unless the assistant director designates another person to +conduct the evaluation. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. Further, a supervisor will also be +performing unsatisfactorily if an underperforming staff member +is given a “Proficient” rating and then the staff member is +encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +IV. DIAGNOSIS AND RECOMMENDATIONS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. +There are four possible ratings: 1) Unsatisfactory; 2) Needs +Improvement; 3) Proficient; and 4) Exemplary. +V. PERFORMANCE MANAGEMENT PROCESS +Supervisors will conduct evaluations of their ABA specialists every +year. The period for the performance evaluation for ABA +specialists will cover September 1 – August 30 of the school year +in which the employee is being evaluated. A supervisor may +evaluate staff members more frequently if they choose to do so +but must complete no fewer than 5 (five) direct observations over + + +Page 3: +Superintendent’s Circular HRS-PM10 +Page 3 of 25 + + +the course of the school year. +Supervisors are expected to provide timely written feedback to +their staff members, especially for employees who, upon +observation, are not meeting the expectations of the supervisor. +An employee who is not meeting their supervisor’s expectations +should have been informed of the supervisor’s concerns and +provided recommendations for improvement through written +feedback before the performance evaluation meeting and should +be given a reasonable amount of time to address the observed +deficient performance. +Step 1 – REVIEW GOALS AND PROFESSIONAL DEVELOPMENT +PLAN FOR THE COMING SCHOOL YEAR (September-October) +Supervisors will meet individually with each of their ABA +specialists to jointly review the employee’s goals and professional +development plan for the September 1 - August 30 period. When +possible, goal development should be done during the prior +year’s performance evaluation meeting. +During this meeting, the employee and their supervisor should +review the employee’s job description to ensure the employee’s +goals and professional development plans are in alignment with +the job description. +If there is a change in the employee’s goals and professional +development plan after the prior year’s performance evaluation +meeting, the revised goals and professional development plan +must be documented. + + +Page 4: +Superintendent’s Circular HRS-PM10 +Page 4 of 25 + + +Step 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (as +needed) +If at any time, including at the interim evaluation meeting (see +step 3), a supervisor finds that an employee needs major +improvement in their job performance or in accomplishing any +goal, the supervisor will prepare a written diagnosis of the +situation and make recommendations for improvement. +The supervisor must share their written feedback with the +employee within a reasonable amount of time, and thereafter +should meet at least monthly with the employee to discuss their +job performance. These meetings must be held until the +employee’s job performance meets the supervisor’s expectations. +If the employee’s job performance does not improve sufficiently, +the employee may be separated from employment. +Step 3 – COMPLETE STAFF OBSERVATIONS AND DATA CHECKS +(September-May) +As outlined in the ABA specialist evaluation, at least 5 (five) +observations must be completed prior to the final performance +evaluation in May. These observations must include direct +observation of the ABA specialist performing essential job +functions and working with students. The observations may or +may not be announced and can occur at any time throughout +the year. Following each observation session, the program +director for ABA will provide written and vocal feedback to the +ABA specialist outlining the strengths and areas of growth seen +during the observation. +As part of each observation, data checks and programming +analyses will be conducted. These data checks will assess the + + +Page 5: +Superintendent’s Circular HRS-PM10 +Page 5 of 25 + + +performance with programming and data entry for some portion +of the time between observations. +Step 4 – HOLD INTERIM EVALUATION MEETING (February- +March). +ABA specialists will submit a formative self-assessment no later +than February 10. This self-assessment will include the ABA +specialist’s assessment of their work performance and feedback +from previous observations to be incorporated into the interim +evaluation. +Supervisors will hold an interim evaluation meeting with each of +their ABA specialists no later than March 1. During this meeting, +the supervisor must give oral feedback on (1) the employee’s +progress in achieving their goals, and (2) the employee’s overall +job performance, especially with reference to the employee’s job +description and customer focus. In addition, a written interim +evaluation will be provided in a timely manner after the interim +evaluation meeting. +Step 5 – COMPLETE PERFORMANCE EVALUATION FORMS (May). +The supervisor will prepare a performance evaluation on each +ABA specialist each school year by filling out the Performance +Evaluation Form – ABA Specialists attached at the end of this +circular. + + + + +Page 6: +Superintendent’s Circular HRS-PM10 +Page 6 of 25 + + +Step 6 – CONDUCT PERFORMANCE EVALUATION MEETING +(June) + +The supervisor will meet with the employee to discuss their +performance evaluation. The meeting will cover the employee’s +job performance, their progress toward their annual goals, and +their overall performance. +During this meeting, based on the employee’s performance +evaluation, the supervisor and employee should establish the +employee’s goals for the coming school year. These goals should +be tentative if the department’s (and team’s) goals have not been +set. Similarly, the supervisor and employee should also discuss +the employee’s professional development plan for the coming +school year, with particular reference to the areas of growth or +challenge identified in the performance evaluation. +Step 7 – EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE +The employee’s signature on the evaluation instrument +acknowledges receipt, and not necessarily agreement with the +content of the evaluation. The employee may provide a written +response to the evaluation within 10 (ten) days of receiving the +performance evaluation form. +Step 8 – SUBMIT PERFORMANCE EVALUATION FORMS TO +HUMAN RESOURCES (June) +The supervisor will submit completed performance evaluation +forms to Human Resources no later than June 1. Step increases +are automatic. + + +Page 7: +Superintendent’s Circular HRS-PM10 +Page 7 of 25 + + +Step 9 – FOLLOW UP FOR AN EMPLOYEE WHO RECEIVES AN +“UNSATISFACTORY” RATING +If an ABA specialist receives an “Unsatisfactory'' rating on their +performance evaluation, the supervisor should meet with the +employee at least monthly to discuss their job performance. +These meetings must be held until the employee’s job +performance meets the supervisor’s expectations. If the +employee’s job performance does not improve sufficiently, the +employee may be separated from employment. +VII. PROCEDURES FOR DISCIPLINE +If a supervisor determines that an ABA specialist has committed +an infraction of work rules, the supervisor should follow the +procedures outlined in Superintendent’s Circular – Employee +Discipline Procedures (see footnote below)1. Additionally, the +supervisor may consider the infraction in evaluating the +employee’s overall performance. +VIII. FORMS +The Performance Evaluation Form – ABA Specialists is attached. + + + +(Footnote) Refer to Superintendent’s Circular HRS-PP10 +“Employee Discipline Procedures” under the category “Human +Resources” on the Superintendent’s Circulars page of the BPS +website for more information. + + +Page 8: +Superintendent’s Circular HRS-PM10 +Page 8 of 25 + + +IX. SUMMARY OF SIGNIFICANT DATES AND DEADLINES +STEP INCREASES ARE AUTOMATIC. Please adhere to the given +deadlines for submission. + +Date +Activity +September 1 - +October 15 +Finalize goals and professional +development plan for the coming year +Monthly, as needed +and outlined in a +performance +improvement plan +Prepare diagnosis and +recommendations +No later than +February 10 +Request self-assessment +February 1 - March 1 +Hold Formative Evaluation meeting +No later than May 31 +Complete Performance Evaluation forms +No later than May 31 +Conduct Summative Performance +Evaluation meeting +No later than June 1 +Submit Performance Evaluation forms to +Human Resources +Monthly, as needed +and outlined in a +performance +improvement plan +Follow up for an employee who receives +an “Unsatisfactory” rating + + + + + +Page 9: +Superintendent’s Circular HRS-PM10 +Page 9 of 25 + + +For more information about this circular, contact: +Owner: +Assistant Director for Applied Behavior +Analysis +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-8599 +Email: +ohc@bostonpublicschools.org +Mary Skipper, Superintendent + + + + +Page 10: +Superintendent’s Circular HRS-PM10 +Page 10 of 25 + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +ABA SPECIALISTS + +Name of Employee: ______________________________________________ +Employee Identification #:________________________________________ +Department: ABA +School: ___________________________________________________________ +Position: ABA specialist +Evaluator: ________________________________________________________ + +SECTION I: JOB PERFORMANCE +Please rate the employee’s performance according to the +following competencies, as measured by documented +opportunities. A documented opportunity will consist of written +feedback from a program director as a result of a direct +observation or data analysis from work products. Documented +opportunities will include no fewer than 5 measured +opportunities for each subcategory listed below. +Each objective was rated in one of four categories: + +1 +Unsatisfactory +Employee meets the objective for 65% or less +of documented opportunities. + + +Page 11: +Superintendent’s Circular HRS-PM10 +Page 11 of 25 + + +2 Needs +Improvement +Employee meets the objective for 66% to 75% +of documented opportunities. +3 Proficient +Employee meets the objective for 76 to 85% +of documented opportunities. +4 Exemplary +Employee meets the objective for 86% or +greater of documented opportunities. +*The numbers listed above will be what is indicated in the rating +box for each area in the evaluation below. + +A. Data Collection +A-1: Accurately conducts and implements +all required assessments, including +preference assessments, Skills +Assessments, and Core Skills Assessments. +Self Rating + +Supervisor Rating + + +A-2: Accurately updates targets as needed, +and proactively implements any +programmatic changes given by the +program director or strand specialist. +Self Rating + +Supervisor Rating + + +A-3: Accurately takes programmatic data (both behavior and +acquisition) in a timely manner. + + +Page 12: +Superintendent’s Circular HRS-PM10 +Page 12 of 25 + + +Self Sup + + +Unsatisfactory +Runs less than 24 ACE sessions per +week across all programs and +students per week across 5 or more +measured opportunities for the year. + + +Needs +Improvement +Runs between 25 and 49 ACE +sessions per week across all +programs and students per week +across 5 or more measured +opportunities for the year. + + +Proficient +Runs between 50 and 74 sessions +per week across all ACE programs +and students across 5 or more +measured opportunities for the year. + + +Exemplary +Runs at least 75 sessions per week +across all ACE programs and +students across 5 or more measured +opportunities for the year. + + + + + +Page 13: +Superintendent’s Circular HRS-PM10 +Page 13 of 25 + + + +A-4: Follows prompting hierarchies and +error correction procedures as prescribed by +ACE and/or Program Director. +Self Rating + +Supervisor Rating + + +A-5: Ensures that challenging behavior data +collection sheets are updated as necessary, +and that challenging behavior data +collection sheets are filed in the correct +place. +Self Rating + +Supervisor Rating + + +A-6: Identifies when there is a problem with +data/data collection, and appropriately +brings to the attention of the Program +Director. +Self Rating + +Supervisor Rating + + +Overall Comments on Data Collection: + + + + +Page 14: +Superintendent’s Circular HRS-PM10 +Page 14 of 25 + + +B. Behavior Support +B-1: Develops, maintains, and shares any +necessary materials to follow through with +behavior plans (token boards, timers, visuals, +etc.) as written. +Self Rating + +Supervisor Rating + + +B-2: Follows each Behavior Support Plan as +written for student, including effective +antecedent strategies, reinforcement +procedures, following crisis procedures, and +seeking help when needed. +Self Rating + +Supervisor Rating + + +B-3: Responds to any behaviors not outlined +in the behavior support plan using standard +ABA techniques. + + + +Self Rating + +Supervisor Rating + + +Overall Comments on Behavior Support: + + + + + +Page 15: +Superintendent’s Circular HRS-PM10 +Page 15 of 25 + + +C. Professionalism +C-1: Participates in feedback sessions and +accepts feedback given by Program Director. +Engages in consultation with Program +Director and/or Strand Specialist. +Communicates with the Strand Specialist, +Program Director, and other school-based +staff, including keeping student schedules +up to date, sharing with all necessary parties, +and following the set schedule. Is flexible +when caseloads or school assignment +requires change, due to caseload demands +or due to specific needs of a student or +students. If there is a concern regarding +caseload and/or programmatic changes, +professionally communicates the concern to +the Program Director. +*This language does not constitute +expansion of caseloads beyond the contract +limits +Self Rating + +Supervisor Rating + + +C-2: Follows Office of Special Education +administrative procedures, such as signing +in/out, requesting absences (sick or personal +days) on ESS in a timely manner, using +planning time effectively, following cell +phone use policy, and arriving to +work/meetings on time. +Self Rating + +Supervisor Rating + + + + +Page 16: +Superintendent’s Circular HRS-PM10 +Page 16 of 25 + + +C-3: Consistently exudes a professional +disposition towards Special Education, +Applied Behavior Analysis, students, and +families, as well as other school personnel; +and maintains student confidentiality. +Self Rating + +Supervisor Rating + + +C-4: Demonstrates fluent use of technology +necessary to complete job requirements, +such as Google Drive, EdPlan, ACE, Teach +Now, etc. Ensures that all appropriate +technology is up to date. +Self Rating + +Supervisor Rating + + +C-5: Engages in and attends all professional +development activities as scheduled, +including all that were described in the prior +year’s professional development plan. +Self Rating + +Supervisor Rating + + +Overall Comments on Professionalism: + + + + + + +Page 17: +Superintendent’s Circular HRS-PM10 +Page 17 of 25 + + +D. Direct Service +D-1: Ensures that tasks are prepared and +ready for instruction on time and efficiently. +Demonstrates fluency with materials +necessary to conduct direct service sessions, +such as token boards, first/then boards, etc. +Self Rating + +Supervisor Rating + + +D-2: Activates appropriate programs as +outlined in the IEP within 2 weeks of +notification of a signed IEP, and implements +all programs as written on the curriculum +sheet across multiple settings including +inclusion, specials, lunch/recess, etc. +Self Rating + +Supervisor Rating + + +D-3: Establishes attending and reinforcers +before beginning the session. Prompts +functional communication as necessary. +Completes the prescribed number of trials for +each program according to the prescription +sheet. Keeps student break time to a +reasonable duration. +Self Rating + +Supervisor Rating + + + + + + +Page 18: +Superintendent’s Circular HRS-PM10 +Page 18 of 25 + + + +D-4: Ensures that the student is clear on +how and when reinforcement is delivered, +and delivers reinforcement on prescribed +schedules. +Self Rating + +Supervisor Rating + + +D-5: Builds rapport with the students and is +always engaging and energetic when +working with students. +Self Rating + +Supervisor Rating + + +Overall Comments on Direct Service: + + + + + + +Page 19: +Superintendent’s Circular HRS-PM10 +Page 19 of 25 + + +E. Communication/Written Skills +E-1: Completes progress reports and annual +reviews at least 1 week before the due date, +by referencing the ABA specialist Task Due +Google Calendar when applicable and using +planning time effectively. Ensures that each +document is complete with proper spelling, +grammar, and data, following the most +recent format provided by the program +directors. +Self Rating + +Supervisor Rating + + +E-2: Completes EdPlan session notes within +24 hours of each session and takes no more +than 10 minutes per 60-minute session to do +so. +Self Rating + +Supervisor Rating + + +E-3: Ensures that written communications +are clear, concise, and free of error, utilizing +appropriate professional language. +Self Rating + +Supervisor Rating + + + + + + +Page 20: +Superintendent’s Circular HRS-PM10 +Page 20 of 25 + + +E-4: Communicates questions and concerns +in a professional manner with teachers, ABA +specialists, strand specialists, program +directors, and paraprofessionals, as +demonstrated by initiation and response to +emails within 48 hours. +Self Rating + +Supervisor Rating + + +E-5: Responds to emails within 2 working +days and completes RMTS (Random Moment +Time Study) moments within the 48 hour +timeline as required by state agencies. +Self Rating + +Supervisor Rating + + +Overall Comments on Communication/Written Skills: + + + + +Page 21: +Superintendent’s Circular HRS-PM10 +Page 21 of 25 + + +SECTION II: PERFORMANCE AGAINST PAST YEAR’S GOALS +Provide a concise description of each of the employee’s goals for +the past year. Mark whether the employee achieved the goal. +Provide specific data supporting your assessment that the goal +was or was not achieved. + +Goal 1: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Goal 2: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Goal 3: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Page 22: +Superintendent’s Circular HRS-PM10 +Page 22 of 25 + + +SECTION III: GOALS FOR NEXT YEAR +Please list the employee’s goals for next year. Goals are to be set +by supervisor and agreed to by employee. These goals should +align with the department’s goals and priorities and include key +performance indicators. +Goal 1: + +Goal 2: + +Goal 3: + + + + +Page 23: +Superintendent’s Circular HRS-PM10 +Page 23 of 25 + + +SECTION IV: OVERALL PERFORMANCE +Please rate the employee’s overall performance this year. If the +employee receives a “Does Not Meet Expectations” rating, their +supervisor must provide a diagnosis and recommendations for +how the employee must improve their performance in the +following Additional Comments section. The supervisor may also +use this section to provide other additional comments on the +employee’s performance. + + Unsatisfactory + Proficient + Needs Improvement + Exemplary + +Comments: + + + + + + + +Page 24: +Superintendent’s Circular HRS-PM10 +Page 24 of 25 + + +SECTION V: PROFESSIONAL DEVELOPMENT PLAN +Describe the employee’s Professional Development Plan for the +coming year. This plan should help the employee build skills +and/or knowledge to accomplish their goals for the year. Please +describe the specific areas that the employee is trying to develop, +and the related activities that they will take part in this year. + +1. Skill/Knowledge Development Area 1: + +Related activities to help develop skill: + + + +2. Skill/Knowledge Development Area 2: + +Related activities to help develop skill: + + + +3. Skill/Knowledge Development Area 3: + +Related activities to help develop skill: + + + + + + + + +Page 25: +Superintendent’s Circular HRS-PM10 +Page 25 of 25 + + +SECTION VI: ACKNOWLEDGEMENTS + + ____________________________________________ ____________________ + +Evaluator’s Signature +Date + + + ____________________________________________ ____________________ + +Employee’s Signature +Date + +The employee’s signature indicates that they have seen the +evaluation and acknowledge that it will be placed in their +personnel file, but it does not denote agreement with the +evaluation. + + + +The employee may provide a written response to the evaluation +in the space provided below, and/or in attached pages. + +Employee Comments: + + + + + + + + + + +Page 1: + + + Superintendent’s +Circular +School Year 2023-2024 +NUMBER: +HRS-HS06 +Version 01 + + +SUBSTITUTE TEACHERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +This superintendent’s circular sets forth information regarding +the employment and professional development of substitute +teachers. +USE OF THE AUTOMATED BPS SMARTFIND EXPRESS SYSTEM +(SUBCENTRAL) +► All schools are required to use BPS SubCentral for substitute +needs. This will allow the school's central administration to +understand and better manage operations. This will also +allow OHC to monitor and accurately report fill rates as well +as recruit for hard-to-fill vacancies. +The Office of Human Resources is committed to ensuring the +active substitute pool consists of high-quality substitute teachers. +BPS SubCentral allows principals and heads of schools to view +and coordinate substitute activities and view past, current, and +future jobs for the school, helping them to better understand and +manage absenteeism. +BPS SubCentral is available via the Internet and mobile app 24 +hours a day, 7 days a week, from any Internet-enabled computer +or mobile device with an Access ID and PIN. BPS SubCentral can + + +Page 2: +Superintendent’s Circular HRS-HS06 +Page 2 of 7 + + +be accessed at https://bostonps.eschoolsolutions.com, or by +telephone at 857- 254-1707. +With BPS SubCentral, schools can create and manage their own +preferred substitute list, create absences and vacancies, and pull +individual reports unique to their school. Preferred substitutes +will be contacted first about a substitute teaching opportunity. If +the vacancy still exists after all a school’s preferred substitutes +have been contacted, the SubCentral platform will then begin +contacting other substitutes registered within the system. Those +substitutes on a particular school’s ‘Do Not Use’ list will not be +called, nor will they be able to view open substitute opportunities +for that school. +For more information on BPS SubCentral, please contact +SubCentral via email at bpsSubCentral@bostonpublicschools.org. +TYPES OF SUBSTITUTE TEACHERS +● Degree per diem substitute teachers work day-to-day +assignments to temporarily fill positions. Those with at least +a bachelor's degree who are assigned to fill a position +anticipated to be vacant for more than 20 consecutive +workdays, but less than a full year, or who serve +continuously for more than 20 consecutive workdays in the +same assignment, are considered per diem substitute +teachers covering a long-term assignment. +o A qualified and properly licensed long-term substitute will +be granted a provisional teacher contract on or before +December 1st if the assignment in which they is serving +becomes vacant for the remainder of the school year. + + +Page 3: +Superintendent’s Circular HRS-HS06 +Page 3 of 7 + + +● Non-degree per diem substitute teachers do not hold a +bachelor's degree. The non-degree per diem substitute +teachers work day-to-day assignments to fill positions on an +interim basis and may not take on long-term assignments. +● Cluster substitute teachers are assigned to a school for a full +year to cover various teacher absences in the school, as +needed, on a daily basis. The cluster substitute positions are +typically created during the budget season and charged to +the school’s budget. If schools are interested in having a +cluster substitute for the school year, please contact your +budget analyst and Human Resources staffing manager. + +MINIMUM QUALIFICATIONS +Per Diem Substitutes: +Are required to complete the Sub Skills Basic Training Course +online at www.STEDI.org; you must complete the course with at +least an 85% average and submit a Sub Diploma from the course. +Long-term Substitutes: +Must have a bachelor’s degree and at least one of the following +requirements: +● A Mass. Teaching License (out of state licenses will be +considered with teaching experience) +● Complete the Sub Skills Basic Training Course online at +www.STEDI.org; you must complete the course with at least +an 85% average. + + +Page 4: +Superintendent’s Circular HRS-HS06 +Page 4 of 7 + + +● Two years’ teaching experience. You may additionally be +asked to complete the Sub Skills Basic Training Course +online at www.STEDI.org. +● If you were successfully hired for a substitute teaching +position and you do not hold an initial teaching license from +the Massachusetts Department of Elementary and +Secondary Education, you must take and pass the Utah +Substitute Assessment test with a score of 85 or above. +● All candidates must be fingerprinted and pass a criminal +offender (CORI) and sexual offender (SORI) records check. +The criminal offender/sexual offender record check +requirement cannot be waived. +The Substitute Teaching Institute (STEDI) of Utah State University +created and oversees the Substitute Teacher Training Program. It +provides 6–13 hours of sub instructor training, either online or via +CDs, and an assessment at the completion of the program. The +cost of the program, which will be borne by the candidate, is +$39.95 plus shipping and includes the interactive SubInstructor +training (included as a CD), a substitute teacher handbook, and +the online sub assessment and SubDiploma. Information for the +candidates is posted on the BPS website. +SUBSTITUTE HIRING +All hiring for substitutes will take place through the online BPS +Career Center (TalentEd). Applicants must create a profile and +apply to the district-wide substitute teacher job posting through +the BPS Career Center (TalentEd). Applicants will be hired as a +BPS per diem substitute teacher after review of their application +in its entirety, submission of all required documentation, and + + +Page 5: +Superintendent’s Circular HRS-HS06 +Page 5 of 7 + + +successful completion and passing of a background check, which +includes fingerprinting and CORI/SORI checks. +SUBSTITUTE TEACHER REQUEST & RECOMMENDATIONS +Principals and heads of schools can either request or recommend +an individual for a per diem or long-term substitute appointment +at their specific school. To submit a per diem and long-term +substitute, the school leader or hiring manager will need to +submit the candidate for hire via the BPS Career Center +(TalentEd). All school leaders and hiring managers will have +access to the districtwide substitute job posting. Please note: +once the substitute has been hired, it is the responsibility of the +school to post the absence and vacancy in SubCentral and assign +it to the substitute as required. +PROFESSIONAL DEVELOPMENT +Long-term and cluster substitute teachers are required to +participate in up to 18 hours of professional development with +regular teachers. If this professional development is scheduled +beyond the school day, long-term and cluster substitute teachers +are paid for this time and are compensated through stipend +payments provided by the school. +New substitute teachers may also be required to attend up to +three days of training to prepare them to teach in the Boston +Public Schools. + +ADMINISTRATIVE RESPONSIBILITY +Heads of schools and principals are responsible for establishing +practices and procedures that enable substitute teachers to + + +Page 6: +Superintendent’s Circular HRS-HS06 +Page 6 of 7 + + +provide students with educationally meaningful work and allow +for the maximum educational use of the school day. As part of +this responsibility, heads of schools and principals or their +designees should consider providing substitute teachers with the +following items: +● A daily plan book, lesson plan, or other academic activity for +all classes of the absent teacher. Heads of schools and +principals are responsible for ensuring that all teachers +prepare appropriately, and continually update plan books +and lesson plans so that the lesson taught by the substitute +teacher is consistent with the subject matter being taught +to the class. +● A copy of the absent teacher’s schedule, including subjects +and levels of instruction, room assignments, administrative +assignments, lunch, and common planning time. +● Homeroom and class lists and seating plans. +● A bell schedule. +● A concise statement of school policies and procedures +regarding the taking of attendance, modes of disciplinary +referral, referral for illness, emergency procedures, and any +other pertinent information a substitute teacher may need. +● Name and location of the administrator responsible for the +school's substitute teachers. + +These materials may be kept in the school office or distributed to +substitute teachers in some other manner that is effective. + + + +Page 7: +Superintendent’s Circular HRS-HS06 +Page 7 of 7 + + +For more information about this circular, contact: +Name: +BPS SubCentral +Department: +Office of Human Resources – Sub Central +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Additional +Questions: +For additional questions, please submit an HR +Inquiry Ticket via the Beacon. This can be +found on Access Boston (access.boston.gov). + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-15 +Version 01 + +STUDENT SURVEYS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +A federal statute, the Protection of Pupil Rights Amendment +(PPRA), 20 U.S.C. §1232h, affords some protections for students +and their parents before certain student surveys are conducted. +Many student surveys, however, will not come within the scope of +this statute. Please assess each student survey carefully before +administering it to determine if this policy applies. A student +survey that is anonymous or voluntary need not comply with the +following policy. Additionally, a student survey that is not +developed or administered through the use of funds received +from the United States Department of Education also does not +need to comply with this policy. +For those student surveys that are developed or administered +through the use of federal education funds and in which a +student is required to participate, the following policy applies. +This policy applies to those surveys that ask a student to reveal +any of the following information: political affiliation; mental +illness or psychological problems; sexual behavior and/or +attitudes; illegal, self-incriminating, and demeaning behavior; +critical appraisals of close family members; relationships to which +a privilege is recognized, such as clergy, medical doctors, or + + +Page 2: +Superintendent’s Circular LGL-15, 2023-2024 +September 1, 2023 +Page 2 of 2 + +attorneys; religious affiliations or beliefs; and income, other than +for eligibility for participation in a program. Prior to +administering such a survey, the student’s parent or guardian +must consent, in writing, to the student’s participation in the +survey. Also, a copy of the survey must be made available to the +parent or guardian. Any such survey should also be brought to +the attention of the Office of Legal Advisor. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-17 +Version 01 + +RELIGIOUS EXPRESSION IN PUBLIC SCHOOLS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Massachusetts General Laws chapter 71, section 82, sets forth the +law regarding the right of students to freedom of expression in +public schools. Freedom of expression must be balanced with +any disruption or disorder caused to the school. Issues related +specifically to religious expression in public schools involve +constantly developing concepts and questions of constitutional +law. Therefore, staff members are strongly encouraged to bring +specific questions of religious expression to the Office of Legal +Advisor, 617-635-9320. +Some general principles include: +• Freedom of expression of individuals or groups of +students includes the right to express their views through +speech, symbols, peaceable and planned assembly, and +written publications. +• Although the First Amendment forbids religious activity +that is sponsored by the government, it protects religious +activity initiated by private individuals that is non- +disruptive, including student prayer before meals or +during non-instructional time. Such non-disruptive +religious activity may also include speakers at student +assemblies, extracurricular events, or graduation + + +Page 2: +Superintendent’s Circular LGL-17 +Page 2 of 2 + +ceremonies who are selected on the basis of genuinely +neutral, evenhanded criteria and who retain control over +the content of their expression. Under such +circumstances, school officials may make neutral +disclaimers that the speech is the speaker’s view and not +of the school. +• Teachers, administrators, and other school employees +who, when acting in their official capacities, are acting as +agents of the state and must not encourage, discourage, +or participate in prayer or other religious expression. +(Note: this does not include the Pledge of Allegiance, +which is not considered religious expression; see Supt. +Circular LGL-18.) +• School officials may not compel students to participate in +prayer or other religious activities. + +For more information about this circular, contact: +Owner: +Lisa Maki +Department: +Office Of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-05 +Version 01 + +SUBPOENAS +This circular will remain in effect unless rescinded or suspended +by a subsequent version.. +SUBPOENA: When receiving a subpoena for student records, +personnel records, medical records, or any other document, a +copy of the subpoena must be emailed or delivered +immediately to the Office of Legal Advisor for review. +Subsequent to that, please forward all responsive records with +the original subpoena to the Office of Legal Advisor. Such a +subpoena should be emailed or delivered, even if it is addressed +to an individual, rather than the “keeper of the records.” Witness +subpoenas (i.e., a subpoena that seeks testimony rather than +documents) should also be emailed or delivered to the Office of +Legal Advisor for appropriate consultation. + If sending by email, please email legal@bostonpublicschools.org. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + + + +Page 2: +Superintendent’s Circular LGL-05, 2023-2024 +September 1, 2023 +Page 2 of 2 + + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-20 +Version 01 + +CORPORAL PUNISHMENT +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +Principals and heads of school should remind staff that the use of +corporal punishment in schools is strictly forbidden by Boston +School Committee policy as well as by Massachusetts State Law +G.L. c. 71, § 37G, which provides: +(a) The power of the school committee or of any teacher or +any other employee or agent of the school committee to +maintain discipline upon school property shall not include +the right to inflict corporal punishment upon any pupil. +(b) The provisions of this section shall not preclude any +member of the school committee or any teacher or any +employee or agent of the school committee from using +such reasonable force as is necessary to protect pupils, +other persons, and themselves from an assault by a pupil. +When such an assault has occurred, the principal shall file +a detailed report of such with the school committee. +(c) The board of education shall promulgate regulations +regarding the use of physical restraint for students. Such +regulations shall not preclude any teacher or employee or +agent of the school from using reasonable force to +protect pupils, other persons, and themselves from an +assault by a pupil as set forth above in section (b). Such + + +Page 2: +Superintendent’s Circular LGL-20 +Page 2 of 2 + +regulations shall require training of all personnel +authorized to administer any forms of restraint. Such +regulations shall provide for procedures for notification to +the department and to the parents. +Corporal punishment includes but is not limited to the following: +• Slapping or hitting students +• Pulling students by their arms, shoulders, etc. +• Pushing students from one location to another +• Forcibly causing students to sit down +• Grasping students by any body part +Staff may restrain students only to protect students, other +persons, or themselves from an assault and may only use such +force as is reasonably necessary to repel such an attack. Violation +of the policy and law will result in disciplinary measures and may +result in the filing of abuse and/or criminal charges. +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-04 +Version 01 + +SCHOOL VISITOR GUIDELINES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +It is School Committee policy to welcome all parents and other +visitors to our schools and to encourage their active support of +and involvement in the schools. However, considering the +challenges of COVID-19 and to comply with current CDC, DESE, +and district guidelines, we are asking all members of our school +communities to support our effort to limit traffic in our buildings +to only assigned students, BPS staff, BPS facilities contractors, +and approved partners as described below until further notice. +Please see Superintendent Circular SAF-12 School Access +Control. +All permitted visitors, including School Department personnel, +are expected to report to the school main office before going +elsewhere in the building. They will be required to sign in, noting +their name, affiliation, and reason for the visit; and before leaving, +to sign out of the building. Visitors will be required to park in +certain designated spaces or at certain designated times in +school parking lots. All visitors should be informed of these +procedures through such means as is determined by the school. +Occasionally, visitors may disrupt school activities: by behaving +inappropriately; by harassing staff; by shouting; or by insisting on +visiting at inappropriate times. Every effort should be made to + + +Page 2: +Superintendent’s Circular LGL-04 +Page 2 of 13 + + +work with such visitors to inform them of established procedures +in an effort to eliminate future disruptions. When such +disruptions occur, however, the building administrator may issue +the offender a Trespass Warning pursuant to M.G.L. c. 266, § 120. +Attachment A provides an example of such a letter, with +appropriate fields to be filled in by the building administrator. +Such a warning requires the offending party to contact the +building administrator, or a designee, prior to appearing at school +for any school-related matter. Additionally, depending upon the +nature of the inappropriate behavior, a building administrator +may choose to substitute any of the following restrictions in the +third paragraph of Attachment A: +1. The visitor will be required to telephone prior to visiting the +building to inform the building administrator of their intent +in visiting the building. +2. The visitor will be required to be accompanied by the +building administrator or their designee to classrooms. +3. Advance scheduling of consultations with teachers or other +providers will be required. +4. Parents delivering student[s] to school may be required to +leave the student[s] at the front door and not be permitted +to accompany them to the classroom. +This warning should expire at the end of the academic year. As is +noted on the Trespass Warning, it is appealable through the +operational leader. +Additionally, by issuing the Trespass Warning, the building +administrator is placing the disruptive visitor on notice that any +further inappropriate behavior will result in the issuance of a +Trespass Notice. If inappropriate behaviors continue, Attachment + + +Page 3: +Superintendent’s Circular LGL-04 +Page 3 of 13 + + +B provides an example of such a trespass notice, again with fields +to be completed by the building administrator. No Trespass +Notice shall issue, however, without the approval of the +superintendent or designee, which may be sought through the +operational leader, who will contact the Superintendent’s Office. +The Trespass Notice will be effective for one year from the date it +was issued and may, in the reasonable exercise of the building +administrator’s discretion and with the approval of the +superintendent or designee, be renewed thereafter. Failure to +comply with any restriction imposed by the Trespass Notice may +result in the visitor’s arrest and prosecution for criminal trespass. +Like the Trespass Warning, it is appealable at the visitor’s election +through the operational leader. +In instances of extreme behavior, such as assault or battery of an +administrator, faculty member, staff member, or student, a +building administrator with approval of the superintendent or +designee may issue a Trespass Notice without prior issuance of a +Trespass Warning. Attachment C is an example of such a notice. +Such a Trespass Notice as is contained in Attachment C should +be reserved, however, for particularly egregious behavior where +there is a particularized apprehension for the safety or well-being +for a member or members of the school community. Once issued, +or until such time it is vacated, the named visitor is prohibited, +under penalty of law, from entering or using school grounds for +any reason. This Trespass Notice is effective immediately, and its +duration is indefinite. A copy of this notice must be provided to +the Boston Police Department, the Safety Office, and the Office of +Legal Advisor, and maintained in the school’s file. A visitor’s +failure to comply with this notice will result in immediate arrest +and prosecution for trespassing if it is violated. This notice is +likewise appealable through the operational leader. + + +Page 4: +Superintendent’s Circular LGL-04 +Page 4 of 13 + + + +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular LGL-04 +Page 5 of 13 + + +ATTACHMENT A +Re: TRESPASS WARNING PURSUANT TO G. L. c. 266 § 120 +Warning notice of unacceptable conduct that incited a physical +confrontation + +Dear [Visitor name]: +By this letter I am issuing a Trespass Warning pursuant to G. L. c. +266, § 120. As a result of [description of incident] on [date], it is +necessary for [school name] to issue this warning to ensure the +safety of students, school staff, and the immediate community. +To foster and ensure effective teaching and learning, it is +necessary to maintain an environment that is positive and free of +disruption, so that the business of the school may be +appropriately completed. It has been determined that your +presence on [date] seriously disturbed the mental health of +numerous students here at [school name]. Such conduct cannot +be tolerated and does not reflect the type of behaviors we model +for our students. +We ask that you make every effort to avoid coming in or around +the area of [school name] at the arrival or dismissal of school. Any +further incident[s] that disrupts the mental health of other +students by inciting a physical confrontation during the +remainder of this academic year may next result in the issuance +of a formal Trespass Notice under G. L. c. 266, § 120. Failure to +comply with such a Trespass Notice would subject you to +immediate arrest and prosecution for violation of such a trespass +notice. +This action is being taken on behalf of and in the best interest of + + +Page 6: +Superintendent’s Circular LGL-04 +Page 6 of 13 + + +our students, staff, and community. Please contact the school at +[school phone number] if you wish to discuss this warning notice +or seek other assistance. You may also contact the Operational +Leader at [phone number] to discuss the issuance of this +Trespass Warning, including if you dispute the reasons for its +issuance. +Thank you for your cooperation in this matter. +Sincerely, + +[Principal or other responsibility official name] +[Title and school] + +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files + + + + + +Page 7: +Superintendent’s Circular LGL-04 +Page 7 of 13 + + +ATTACHMENT B +Re: TRESPASS NOTICE PURSUANT TO G. L. c. 266, §120, +Requiring that you not enter or use the [school name] property + +Dear [Visitor name]: +As a result of [description of the incident of unacceptable +behavior that prompted a previous warning and the current +notice] at the [school name] on [date of original incident], it is +necessary for me to issue this Trespass Notice pursuant to M.G.L. +c. 266, § 120. Therefore, from the date of this notice and until such +time as it is either vacated or for one calendar year whichever is +first you are not allowed to be present on the premises of the +[school name]. +Despite the warning issued on [date], a copy of which is enclosed, +your behavior continues to disrupt the teaching and learning +process and indeed places our students, staff, and faculty at risk +of harm. +I determined that your behavior on [dates of each incident for +which a warning notice was issued and the current incident +which prompts this Trespass Notice and describe behavior] +seriously disturbed the school environment and the conduct of +school activities and related school business. This cannot be +tolerated and is contrary to the mission of the [school name]. If in +the future you need to address particular school-related matters, +please contact either my designee or me by telephone so that +your concern may be addressed. +By this letter, I am formally notifying you of the Trespass Notice. A + + +Page 8: +Superintendent’s Circular LGL-04 +Page 8 of 13 + + +copy of this notice will be provided to the Boston Police +Department, the Department of Safety Services, Office of Legal +Advisor, the [school name’s] file, and will be sent to you by +regular and certified mail. This trespass notice prohibits you, +under penalty of law, from entering or using the [school name] or +from setting foot on school property for any reason. Failure to +comply with this Trespass Notice shall subject you to immediate +arrest and prosecution for violation of this Trespass Notice. This +notice will be effective for one year from the date it was issued +and may, in the reasonable exercise of my discretion, be renewed +thereafter. If renewed, I will notify you in writing prior to its +renewal. If not renewed, its effect will end one year after its +issuance. +I look forward to working with you in a cooperative manner. +Please contact me at [contact telephone and email] if you wish +to discuss this Trespass Notice or seek other assistance. You may +also contact the operational leader [number of contact person] +to discuss the issuance of this Trespass Notice. You may also +contact the operational leader if you dispute the reasons for +issuing this notice, or if, during the duration of this notice, you +wish to seek to vacate or modify its provisions. +This notice is likewise appealable through the operational leader. + + + + +Page 9: +Superintendent’s Circular LGL-04 +Page 9 of 13 + + +Thank you for your cooperation in this matter. +Sincerely, +[Principal or other responsibility official name] +[Title and school] + +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files + + + + + +Page 10: +Superintendent’s Circular LGL-04 +Page 10 of 13 + + +ATTACHMENT C + +Re: TRESPASS NOTICE, PURSUANT to G. L. c. 266, § 120, +Requiring that you not enter or use the [school name] property + +Dear [Visitor name]: +As a result of [insert detailed description of the incident of +unacceptable behavior] at the [school name] on [date of +incident], it is necessary for me to issue this Trespass Notice, +pursuant to G.L. c. 266, § 120. Therefore, from the date of this +notice, you are not allowed to be present on the premises of the +[name of school]. +I have determined that your behavior on [date of incident] placed +our students, staff, and faculty at risk of harm. Furthermore, your +actions seriously disturbed both the school environment and the +conduct of school activities and school-related business. This +cannot be tolerated. It is contrary to the mission of the [name of +school]. If in the future you have a need to address particular +school-related matters, please contact either my designee or me +by telephone so that your concerns can be addressed. +This letter serves to formally notify you of the Trespass Notice. A +copy of this notice has been provided to the Boston Police +Department, the Superintendent’s Office, the Office of Legal +Advisor, the Office of Safety Services, the [name of school]’s file, +and to you by regular and certified mail. This Trespass Notice +prohibits you, under penalty of law, from entering or using the +[name of school] or from setting foot on school property for any + + +Page 11: +Superintendent’s Circular LGL-04 +Page 11 of 13 + + +reason. Failure to comply with this trespass notice shall subject +you to immediate arrest and prosecution for violation of this +Trespass Notice. This notice will be effective immediately, and its +duration is indefinite. +I look forward to working with you in a cooperative manner. +Please contact me by telephone if you wish to discuss this +Trespass Notice or seek other assistance. You may also contact +the operational leader at [number of contact person] to discuss +the issuance of this Trespass Notice, including if you dispute the +reasons therefore. +Thank you for your cooperation in this matter. + +Sincerely, + +[Principal or other responsibility official name] +[Title and school] +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files +Enclosure [attach copy of incident report if available] + +Guidelines for Visiting the Boston Public Schools +1. Until further notice, parents/guardians and staff from + + +Page 12: +Superintendent’s Circular LGL-04 +Page 12 of 13 + + +partner agencies [except for BPS facilities service +contractors and approved partner agencies, as described +above] will not be allowed in school buildings. +Parents/guardians are asked to drop off and pick up their +students on the exterior of the school building in the area[s] +designated by the school leader/staff. +2. ALL visitors MUST report to the school’s main office and sign +in before going elsewhere in the building, and they must +sign out before leaving. Some schools have a desk near the +main entrance where visitors may sign in and out. However, +if no one is sitting at the desk, the visitor must go to the +main office. +3. All visitors will receive a Visitor’s Pass when they sign in. +They must return it to the office or sign-in desk when they +leave. Please be sure your Visitor’s Pass is visible while you +are in the school or schoolyard. Visitor’s passes will not be +required at Open Houses, Parent Nights or other school- +sponsored events open to the public to the extent those +events are held. +4. For the safety of our students and staff, we will consider that +visitors who do not sign in and cannot show a Visitor’s Pass +are trespassing. A school staff member may ask them to +leave the building and schoolyard. +5. Visitors who want to meet with a teacher or administrator +should contact the school via phone or email to schedule +any discussion or virtual appointments that they would like +to have. +6. Teachers or staff who are expecting a visitor should notify +the office they are expecting a visitor and provide name and +reason prior to the visitor’s arrival. In some cases, a staff + + +Page 13: +Superintendent’s Circular LGL-04 +Page 13 of 13 + + +member may escort the visitor to the meeting place. +7. If a student is sick/injured and needs to be picked up, school +staff will contact the parent/guardian to make +arrangements and escort the student to meet the +authorized adult. +8. It is very disruptive to the classroom for parents to pick up +their children before the regular dismissal time. If this is +necessary, the parent should call the school office in +advance and pick their child up in the location designated +by the school. Parents may not go directly to the classroom +to pick up their child. The school will not release a student to +anyone other than a custodial parent without the parent’s +consent and proper identification. +9. Occasionally, visitors may disrupt school activities by +insisting on visiting classrooms unannounced, harassing +staff, shouting, or using inappropriate language. If such +disruptive behavior continues, the school administrator may +restrict the individual’s visits or deny future access to the +building, schoolyard, or virtual learning environment. +10. Thank you for your cooperation in observing these +guidelines. Be assured that our goal is to create a safe, +secure, and positive learning experience for all our students +and their families. + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-19 +Version 01 + +CONFLICT OF INTEREST LAW – CITY EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Attached you will find a copy of the "Summary of the Conflict of +Interest Law for Municipal Employees," which outlines the +standards of ethics and conduct for all city employees. This +summary was prepared and issued by the State Ethics +Commission, the state entity charged with enforcing +Massachusetts’ conflict of interest law, M.G.L. c. 268A. +Copies of this summary should be distributed to all staff and +School Site Council members on an annual basis. It may also be +found at this link: Summary of the Conflict of Interest law. +All staff should be encouraged to read and be familiar with the +law so that we all carry out our obligations honestly and fairly, +and so that our actions are above reproach. Please use the +attachment to this circular to make copies for your staff and +School Site Council. +Annually, every City employee is required by law to sign the +acknowledgment of receipt of the attached summary via The +Hub. Alternatively, the employee may return the signed +acknowledgement to their supervisor for submission to the +Office of Human Resources. + + +Page 2: +Superintendent’s Circular LGL-19 +Page 2 of 21 + +Furthermore, every two years, all current state, county, and +municipal employees must complete online ethics training +through the State Ethics Commission. New public employees +must complete this training within 30 days of beginning public +service, and every two years thereafter. Upon completing the +program, employees should print out the completion certificate, +keep a copy for themselves, and provide a copy of the completion +certificate to Human Resources. The online training can be found +at: +Complete the Online Training Program for Municipal Employees | +Mass.gov +For specific questions regarding employment and/or individual +activity under the conflict of interest laws should be directed to +the Office of Legal Advisor. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 3: +Superintendent’s Circular LGL-19 +Page 3 of 21 + +SUMMARY OF THE CONFLICT OF INTEREST LAW FOR +MUNICIPAL EMPLOYEES +All municipal employees must be provided with this summary of +the conflict of interest law annually. +All city and town employees must be provided with this +Summary of the Conflict of Interest Law for Municipal Employees +within 30 days of hire or election, and then annually. All city and +town employees are then required to acknowledge in writing +that they received the summary. +This summary of the conflict of interest law, General Laws +chapter 268A, is intended to help municipal employees +understand how that law applies to them. +This summary is not a substitute for legal advice, nor does it +mention every aspect of the law that may apply in a particular +situation. Municipal employees can obtain free confidential +advice about the conflict of interest law from the Commission's +Legal Division at our website, phone number, and address above. +Municipal counsel may also provide advice. +The conflict of interest law seeks to prevent conflicts between +private interests and public duties, foster integrity in public +service, and promote the public's trust and confidence in that +service by placing restrictions on what municipal employees may +do on the job, after hours, and after leaving public service, as +described below. The sections referenced below are sections of +G.L. c. 268A. +When the Commission determines that the conflict of interest +law has been violated, it can impose a civil penalty of up to + + +Page 4: +Superintendent’s Circular LGL-19 +Page 4 of 21 + +$10,000 ($25,000 for bribery cases) for each violation. In addition, +the Commission can order the violator to repay any economic +advantage he gained by the violation, and to make restitution to +injured third parties. Violations of the conflict of interest law can +also be prosecuted criminally. +1. Are you a municipal employee for conflict of interest law +purposes? +You do not have to be a full-time, paid municipal employee +to be considered a municipal employee for conflict of +interest purposes. Anyone performing services for a city or +town or holding a municipal position, whether paid or +unpaid, including full- and part-time municipal employees, +elected officials, volunteers, and consultants, is a municipal +employee under the conflict of interest law. An employee of +a private firm can also be a municipal employee, if the +private firm has a contract with the city or town and the +employee is a "key employee" under the contract, meaning +the town has specifically contracted for her services. The law +also covers private parties who engage in impermissible +dealings with municipal employees, such as offering bribes +or illegal gifts. Town meeting members and charter +commission members are not municipal employees under +the conflict of interest law. + + + + +Page 5: +Superintendent’s Circular LGL-19 +Page 5 of 21 + +2. On-the-job restrictions. +a. Bribes. Asking for and taking bribes is prohibited. (See +Section 2) +A bribe is anything of value corruptly received by a +municipal employee in exchange for the employee being +influenced in his official actions. Giving, offering, +receiving, or asking for a bribe is illegal. +Bribes are more serious than illegal gifts because they +involve corrupt intent. In other words, the municipal +employee intends to sell his office by agreeing to do or +not do some official act, and the giver intends to influence +him to do so. Bribes of any value are illegal. +b. Gifts and gratuities. Asking for or accepting a gift +because of your official position, or because of +something you can do or have done in your official +position, is prohibited. (See Sections 3, 23(b)(2), and 26). +Municipal employees may not accept gifts and gratuities +valued at $50 or more given to influence their official +actions or because of their official position. Accepting a +gift intended to reward past official action or to bring +about future official action is illegal, as is giving such gifts. +Accepting a gift given to you because of the municipal +position you hold is also illegal. Meals, entertainment +event tickets, golf, gift baskets, and payment of travel +expenses can all be illegal gifts if given in connection with +official action or position, as can anything worth $50 or +more. A number of smaller gifts together worth $50 or +more may also violate these sections. + + +Page 6: +Superintendent’s Circular LGL-19 +Page 6 of 21 + +Example of violation: A town administrator accepts +reduced rental payments from developers. +Example of violation: A developer offers a ski trip to a +school district employee who oversees the developer's +work for the school district. +Regulatory exemptions. There are situations in which a +municipal employee's receipt of a gift does not present a +genuine risk of a conflict of interest and may in fact +advance the public interest. The Commission has created +exemptions permitting giving and receiving gifts in these +situations. One commonly used exemption permits +municipal employees to accept payment of travel-related +expenses when doing so advances a public purpose. +Another commonly used exemption permits municipal +employees to accept payment of costs involved in +attendance at educational and training programs. Other +exemptions are listed on the Commission's website. +Example where there is no violation: A fire truck +manufacturer offers to pay the travel expenses of a fire +chief to a trade show where the chief can examine +various kinds of fire-fighting equipment that the town +may purchase. The chief fills out a disclosure form and +obtains prior approval from his appointing authority. +Example where there is no violation: A town treasurer +attends a two-day annual school featuring multiple +substantive seminars on issues relevant to treasurers. The +annual school is paid for in part by banks that do business +with town treasurers. The treasurer is only required to +make a disclosure if one of the sponsoring banks has +official business before her in the six months before or + + +Page 7: +Superintendent’s Circular LGL-19 +Page 7 of 21 + +after the annual school. +c. Misuse of position. Using your official position to get +something you are not entitled to, or to get someone +else something they are not entitled to, is prohibited. +Causing someone else to do these things is also +prohibited. (See Sections 23(b)(2) and 26) +A municipal employee may not use her official position to +get something worth $50 or more that would not be +properly available to other similarly situated individuals. +Similarly, a municipal employee may not use her official +position to get something worth $50 or more for +someone else that would not be properly available to +other similarly situated individuals. Causing someone else +to do these things is also prohibited. +Example of violation: A full-time town employee writes a +novel on work time, using her office computer, and +directing her secretary to proofread the draft. +Example of violation: A city councilor directs +subordinates to drive the councilor's wife to and from the +grocery store. +Example of violation: A mayor avoids a speeding ticket by +asking the police officer who stops him, "Do you know +who I am?" and showing his municipal I.D. +d. Self-dealing and nepotism. Participating as a municipal +employee in a matter in which you, your immediate +family, your business organization, or your future +employer has a financial interest is prohibited. (See +Section 19) + + +Page 8: +Superintendent’s Circular LGL-19 +Page 8 of 21 + +A municipal employee may not participate in any +particular matter in which he or a member of his +immediate family (parents, children, siblings, spouse, and +spouse's parents, children, and siblings) has a financial +interest. He also may not participate in any particular +matter in which a prospective employer, or a business +organization of which he is a director, officer, trustee, or +employee has a financial interest. Participation includes +discussing as well as voting on a matter and delegating a +matter to someone else. +A financial interest may create a conflict of interest +whether it is large or small, and positive or negative. In +other words, it does not matter if a lot of money is +involved or only a little. It also does not matter if you are +putting money into your pocket or taking it out. If you, +your immediate family, your business, or your employer +have or has a financial interest in a matter, you may not +participate. The financial interest must be direct and +immediate or reasonably foreseeable to create a conflict. +Financial interests which are remote, speculative, or not +sufficiently identifiable do not create conflicts. +Example of violation: A school committee member's wife +is a teacher in the town's public schools. The school +committee member votes on the budget line item for +teachers' salaries. +Example of violation: A member of a town affordable +housing committee is also the director of a non-profit +housing development corporation. The non-profit makes +an application to the committee, and the + + +Page 9: +Superintendent’s Circular LGL-19 +Page 9 of 21 + +member/director participates in the discussion. +Example: A planning board member lives next door to +property where a developer plans to construct a new +building. Because the planning board member owns +abutting property, he is presumed to have a financial +interest in the matter. He cannot participate unless he +provides the State Ethics Commission with an opinion +from a qualified independent appraiser that the new +construction will not affect his financial interest. +In many cases, where not otherwise required to +participate, a municipal employee may comply with the +law by simply not participating in the particular matter in +which she has a financial interest. She need not give a +reason for not participating. +There are several exemptions to this section of the law. An +appointed municipal employee may file a written +disclosure about the financial interest with his appointing +authority and seek permission to participate +notwithstanding the conflict. The appointing authority +may grant written permission if she determines that the +financial interest in question is not so substantial that it is +likely to affect the integrity of his services to the +municipality. Participating without disclosing the +financial interest is a violation. Elected employees cannot +use the disclosure procedure because they have no +appointing authority. +Example where there is no violation: An appointed +member of the town zoning advisory committee, which + + +Page 10: +Superintendent’s Circular LGL-19 +Page 10 of 21 + +will review and recommend changes to the town's by- +laws with regard to a commercial district, is a partner at a +company that owns commercial property in the district. +Prior to participating in any committee discussions, the +member files a disclosure with the zoning board of +appeals that appointed him to his position, and that +board gives him a written determination authorizing his +participation, despite his company's financial interest. +There is no violation. +There is also an exemption for both appointed and +elected employees where the employee's task is to +address a matter of general policy and the employee's +financial interest is shared with a substantial portion +(generally 10% or more) of the town's population, such as, +for instance, a financial interest in real estate tax rates or +municipal utility rates. +Regulatory exemptions. In addition to the statutory +exemptions just mentioned, the Commission has created +several regulatory exemptions permitting municipal +employees to participate in particular matters +notwithstanding the presence of a financial interest in +certain very specific situations when permitting them to +do so advances a public purpose. There is an exemption +permitting school committee members to participate in +setting school fees that will affect their own children if +they make a prior written disclosure. There is an +exemption permitting town clerks to perform election- +related functions even when they, or their immediate +family members, are on the ballot, because clerks’ +election-related functions are extensively regulated by + + +Page 11: +Superintendent’s Circular LGL-19 +Page 11 of 21 + +other laws. There is also an exemption permitting a +person serving as a member of a municipal board +pursuant to a legal requirement that the board have +members with a specified affiliation to participate fully in +determinations of general policy by the board, even if the +entity with which he is affiliated has a financial interest in +the matter. Other exemptions are listed in the +Commission's regulations, available on the Commission’s +website. +Example where there is no violation: A municipal +Shellfish Advisory Board has been created to provide +advice to the Board of Selectmen on policy issues related +to shellfishing. The Advisory Board is required to have +members who are currently commercial fishermen. A +board member who is a commercial fisherman may +participate in determinations of general policy in which +he has a financial interest common to all commercial +fishermen but may not participate in determinations in +which he alone has a financial interest, such as the +extension of his own individual permits or leases. +e. False claims. Presenting a false claim to your employer +for a payment or benefit is prohibited, and causing +someone else to do so is also prohibited. (See Sections +23(b)(4) and 26) +A municipal employee may not present a false or +fraudulent claim to his employer for any payment or +benefit worth $50 or more or cause another person to do +so. + + +Page 12: +Superintendent’s Circular LGL-19 +Page 12 of 21 + +Example of violation: A public works director directs his +secretary to fill out time sheets to show him as present at +work on days when he was skiing. +f. Appearance of conflict. Acting in a manner that would +make a reasonable person think you can be improperly +influenced is prohibited. (See Section 23(b)(3)) +A municipal employee may not act in a manner that +would cause a reasonable person to think that she would +show favor toward someone or that she can be +improperly influenced. Section 23(b)(3) requires a +municipal employee to consider whether her +relationships and affiliations could prevent her from +acting fairly and objectively when she performs her duties +for a city or town. If she cannot be fair and objective +because of a relationship or affiliation, she should not +perform her duties. However, a municipal employee, +whether elected or appointed, can avoid violating this +provision by making a public disclosure of the facts. An +appointed employee must make the disclosure in writing +to his appointing official. +Example where there is no violation: A developer who is +the cousin of the chair of the conservation commission +has filed an application with the commission. A +reasonable person could conclude that the chair might +favor her cousin. The chair files a written disclosure with +her appointing authority explaining her relationship with +her cousin prior to the meeting at which the application +will be considered. There is no violation of Sec. 23(b)(3). +g. Confidential information. Improperly disclosing or + + +Page 13: +Superintendent’s Circular LGL-19 +Page 13 of 21 + +personally using confidential information obtained +through your job is prohibited. (See Section 23(c)) +Municipal employees may not improperly disclose +confidential information, or make personal use of non- +public information they acquired in the course of their +official duties to further their personal interests. +3. After-hours restrictions. +a. Taking a second paid job that conflicts with the duties of +your municipal job is prohibited. (See Section 23(b)(1)) +A municipal employee may not accept other paid +employment if the responsibilities of the second job are +incompatible with his or her municipal job. +Example: A police officer may not work as a paid private +security guard in the town where he serves because the +demands of his private employment would conflict with +his duties as a police officer. +Divided loyalties. Receiving pay from anyone other than +the city or town to work on a matter involving the city or +town is prohibited. Acting as agent or attorney for anyone +other than the city or town in a matter involving the city +or town is also prohibited whether or not you are paid. +(See Sec. 17) +Because cities and towns are entitled to the undivided +loyalty of their employees, a municipal employee may not +be paid by other people and organizations in relation to a +matter if the city or town has an interest in the matter. In +addition, a municipal employee may not act on behalf of + + +Page 14: +Superintendent’s Circular LGL-19 +Page 14 of 21 + +other people and organizations or act as an attorney for +other people and organizations in which the town has an +interest. Acting as agent includes contacting the +municipality in person, by phone, or in writing; acting as a +liaison; providing documents to the city or town; and +serving as spokesman. +A municipal employee may always represent his own +personal interests, even before his own municipal agency +or board, on the same terms and conditions that other +similarly situated members of the public would be +allowed to do so. A municipal employee may also apply +for building and related permits on behalf of someone +else and be paid for doing so, unless he works for the +permitting agency, or an agency which regulates the +permitting agency. +Example of violation: A full-time health agent submits a +septic system plan that she has prepared for a private +client to the town's board of health. +Example of violation: A planning board member +represents a private client before the board of selectmen +on a request that town meeting consider rezoning the +client's property. +While many municipal employees earn their livelihood in +municipal jobs, some municipal employees volunteer +their time to provide services to the town or receive small +stipends. Others, such as a private attorney who provides +legal services to a town as needed, may serve in a position +in which they may have other personal or private + + +Page 15: +Superintendent’s Circular LGL-19 +Page 15 of 21 + +employment during normal working hours. In recognition +of the need not to unduly restrict the ability of town +volunteers and part-time employees to earn a living, the +law is less restrictive for "special" municipal employees +than for other municipal employees. +The status of "special" municipal employee has to be +assigned to a municipal position by vote of the board of +selectmen, city council, or similar body. A position is +eligible to be designated as "special" if it is unpaid, or if it +is part-time and the employee is allowed to have another +job during normal working hours, or if the employee was +not paid for working more than 800 hours during the +preceding 365 days. It is the position that is designated as +"special" and not the person or persons holding the +position. Selectmen in towns of 10,000 or fewer are +automatically "special"; selectman in larger towns cannot +be "specials." +If a municipal position has been designated as "special," +an employee holding that position may be paid by others, +act on behalf of others, and act as attorney for others with +respect to matters before municipal boards other than his +own, provided that he has not officially participated in the +matter, and the matter is not now, and has not within the +past year been, under his official responsibility. +Example: A school committee member who has been +designated as a special municipal employee appears +before the board of health on behalf of a client of his +private law practice, on a matter that he has not +participated in or had responsibility for as a school + + +Page 16: +Superintendent’s Circular LGL-19 +Page 16 of 21 + +committee member. There is no conflict. However, he +may not appear before the school committee, or the +school department, on behalf of a client because he has +official responsibility for any matter that comes before the +school committee. This is still the case even if he has +recused himself from participating in the matter in his +official capacity. +Example: A member who sits as an alternate on the +conservation commission is a special municipal +employee. Under town by-laws, he only has official +responsibility for matters assigned to him. He may +represent a resident who wants to file an application with +the conservation commission as long as the matter is not +assigned to him and he will not participate in it. +b. Inside track. Being paid by your city or town, directly or +indirectly, under some second arrangement in addition +to your job is prohibited, unless an exemption applies. +(See Section 20) +A municipal employee generally may not have a financial +interest in a municipal contract, including a second +municipal job. A municipal employee is also generally +prohibited from having an indirect financial interest in a +contract that the city or town has with someone else. This +provision is intended to prevent municipal employees +from having an "inside track" to further financial +opportunities. +Example of violation: Legal counsel to the town housing +authority becomes the acting executive director of the + + +Page 17: +Superintendent’s Circular LGL-19 +Page 17 of 21 + +authority, and is paid in both positions. +Example of violation: A selectman buys a surplus truck +from the town DPW. +Example of violation: A full-time secretary for the board +of health wants to have a second paid job working part- +time for the town library. She will violate Section 20 unless +she can meet the requirements of an exemption. +Example of violation: A city councilor wants to work for a +non-profit that receives funding under a contract with her +city. Unless she can satisfy the requirements of an +exemption under Section 20, she cannot take the job. +There are numerous exemptions. A municipal employee +may hold multiple unpaid or elected positions. Some +exemptions apply only to special municipal employees. +Specific exemptions may cover serving as an unpaid +volunteer in a second town position, housing-related +benefits, public safety positions, certain elected positions, +small towns, and other specific situations. Please call the +Ethics Commission's Legal Division for advice about a +specific situation. +4. After you leave municipal employment. (See Section 18) +a. Forever ban. After you leave your municipal job, you may +never work for anyone other than the municipality on a +matter that you worked on as a municipal employee. +If you participated in a matter as a municipal employee, +you cannot ever be paid to work on that same matter for +anyone other than the municipality, nor may you act for + + +Page 18: +Superintendent’s Circular LGL-19 +Page 18 of 21 + +someone else, whether paid or not. The purpose of this +restriction is to bar former employees from selling to +private interests their familiarity with the facts of +particular matters that are of continuing concern to their +former municipal employer. The restriction does not +prohibit former municipal employees from using the +expertise acquired in government service in their +subsequent private activities. +Example of violation: A former school department +employee works for a contractor under a contract that +she helped to draft and oversee for the school +department. +b. One year cooling-off period. For one year after you leave +your municipal job you may not participate in any matter +over which you had official responsibility during your last +two years of public service. +Former municipal employees are barred for one year after +they leave municipal employment from personally +appearing before any agency of the municipality in +connection with matters that were under their authority +in their prior municipal positions during the two years +before they left. +Example: An assistant town manager negotiates a three- +year contract with a company. The town manager who +supervised the assistant and had official responsibility for +the contract, but did not participate in negotiating it, +leaves her job to work for the company to which the +contract was awarded. The former manager may not call + + +Page 19: +Superintendent’s Circular LGL-19 +Page 19 of 21 + +or write the town in connection with the company's work +on the contract for one year after leaving the town. +A former municipal employee who participated as such in +general legislation on expanded gaming and related +matters may not become an officer or employee of, or +acquire a financial interest in, an applicant for a gaming +license, or a gaming licensee, for one year after his public +employment ceases. +c. Partners. Your partners will be subject to restrictions +while you serve as a municipal employee and after your +municipal service ends. +Partners of municipal employees and former municipal +employees are also subject to restrictions under the +conflict of interest law. If a municipal employee +participated in a matter, or if he has official responsibility +for a matter, then his partner may not act on behalf of +anyone other than the municipality or provide services as +an attorney to anyone but the city or town in relation to +the matter. +Example: While serving on a city's historic district +commission, an architect reviewed an application to get +landmark status for a building. His partners at his +architecture firm may not prepare and sign plans for the +owner of the building or otherwise act on the owner's +behalf in relation to the application for landmark status. +In addition, because the architect has official +responsibility as a commissioner for every matter that +comes before the commission, his partners may not + + +Page 20: +Superintendent’s Circular LGL-19 +Page 20 of 21 + +communicate with the commission or otherwise act on +behalf of any client on any matter that comes before the +commission during the time that the architect serves on +the commission. +Example: A former town counsel joins a law firm as a +partner. Because she litigated a lawsuit for the town, her +new partners cannot represent any private clients in the +lawsuit for one year after her job with the town ended. + + +This summary is not intended to be legal advice and, because it is +a summary, it does not mention every provision of the conflict +law that may apply in a particular situation. Our website, +http://www.mass.gov/ethics contains further information about +how the law applies in many situations. You can also contact the +Commission's Legal Division via our website, by telephone, or by +letter. Our contact information is at the top of this document. + +Version 7: Revised May 20, 2022 + + + + +Page 21: +Superintendent’s Circular LGL-19 +Page 21 of 21 + +ACKNOWLEDGEMENT OF RECEIPT OF SUMMARY OF THE +CONFLICT OF INTEREST LAW FOR MUNICIPAL EMPLOYEES +I, (print your first and last name): + _________________________________________________________________ , +an employee at (name of your municipal agency or department): + _________________________________________________________________ , + +hereby acknowledge that I received a copy of the summary of +the Conflict Of Interest Law for municipal employees, revised May +20, 2022. + +Signature_____________________________________Date ______________ +Municipal employees should complete the acknowledgment of +receipt and return it to the individual who provided them with a +copy of the summary. Alternatively, municipal employees may +send an email acknowledging receipt of the summary to the +individual who provided them with a copy of it. + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-08 +Version 01 + +ADHERENCE TO COURT ORDERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this memorandum is to remind Boston Public +Schools staff of the need to continue to adhere to the court +orders entered against the District by courts of federal, state, and +local jurisdiction. Such orders have the force of law and are +binding on the District. Therefore, it is the responsibility of +administrators and staff of the Boston Public Schools to comply +with the terms of such orders. +Additionally, an order by an arbitrator or state agency may also +require compliance. Heads of school, principals, and other +administrators may contact the Office of Legal Advisor with +questions regarding adherence to court orders or the provisions +of any order. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + + + +Page 2: +Superintendent’s Circular #LGL-08, 2019-2020 +[Date] +Page 2 of 2 + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-21 +Version 01 + +POLICY ON USE OF BPS BUILDINGS & FACILITIES FOR +POLITICAL PURPOSES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +All building administrators and managers of facilities within the +Boston Public School Department should be aware of the Boston +Public Schools’ policy on the use of its facilities for political +purposes. +No Boston Public School facility may be used for predominantly +political activity, such as activities in support of political +candidates or ballot questions. +Any use of a Boston Public School facility for a predominantly +governmental activity with an incidental political activity overlap, +such as those activities related to education laws, funding, or +policies, but not related to specific teaching or learning at a +particular school, may only occur with prior notification to and +specific approval from the superintendent or their designee. +Examples of such activities might include the signing of +education legislation, the announcement of educational policies +or results, or announcements of receipt of grants or other funds. +These examples demonstrate activities in furtherance of the +purpose for which governmental funds have been appropriated +to Boston Public Schools, with an incidental political activity + + +Page 2: +Superintendent’s Circular LG-21 +Page 2 of 2 + +associated therewith. Any use of a Boston public school or facility +for political activity without obtaining the prior approval of the +superintendent or their designee is an unauthorized use and +should be considered an “unwarranted privilege” for the +purposes of the Massachusetts Conflict of Interest Law. +For additional information, regarding political activities generally, +please see Superintendent’s Circular LGL-09 Political Activity by +Public Employees. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-10 +Version 01 + +MILITARY RECRUITERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The purpose of this circular is to provide clarification on the law +requiring the release of student information and access to +students at the high school level by military recruiters. +Federal legislation requires that a local educational agency (LEA) +which receives federal funds release the names, addresses, and +telephone listings of secondary students (grade 9 and above) to +military recruiters and institutions of higher education. The Every +Student Succeeds Act (ESSA) contains similar language +concerning this obligation. +The release of student names, addresses, and telephone listings +to military recruiters and institutions of higher education requires +that LEAs provide parents and guardians with prior notification. +Such notification is provided by the Boston Public Schools in the +Guide to the Boston Public Schools for Students and Families +(“Policy Handbook”). As noted, a parent/guardian may request +that this information not be released without giving the +parent/guardian prior notification. Accordingly, copies of all such +requests by parents/guardians should be in writing and should +be on file in the school’s office. A copy of these signed requests +or a master list of these student names and student numbers + + +Page 2: +Superintendent’s Circular LGL-10 +Page 2 of 3 + +must be forwarded by October 15 by the head of school to the +Office of Data & Accountability. +If military recruiters contact a high school requesting a master +list of student names and addresses, the recruiter should be +asked to make the request directly to the Office of Data & +Accountability. +A second provision of the law authorizes direct access to high +school students by military recruiters. Usually, this access is in the +form of a request to make space available in the school for a +military recruiter to distribute literature and to speak with or +address interested students. The act requires that recruiters be +given the same access to your students as you provide generally +to post-secondary educational institutions or to prospective +employers. Please review your practices to assure that +henceforth all three (i.e., business, higher education, and military +recruiters) have the same access. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +By October 15 +Heads of school forward to the Office of Data & +Accountability the list of students whose +names should not be given to military +recruiters. + + + +Page 3: +Superintendent’s Circular LGL-10 +Page 3 of 3 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-22 +Version 01 + +SEXUAL OFFENDER REGISTRY INFORMATION (S.O.R.I.) +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Sexual Offender Registry Law requires that all convicted +sexual offenders in the Commonwealth of Massachusetts register +with the police departments in the cities or towns where they live +and work. The State classifies the offender on a level of 1 to 3, +depending on the likelihood of whether the offender might +repeat his/her crimes. Once a local police department receives +the information, it can be shared with public school districts for +the protection of children. As a result of this law, Boston Public +Schools principals and heads of school can access SORI +information per the state website as described below. +The Boston Public Schools will receive the Sexual Offender +Registry Information (S.O.R.I.) from the Boston Police +Department. Pursuant to state regulations, BPD must notify all +schools in the community of a finally classified Level 3 sex +offender or a sexually dangerous predator. Information available +includes: the registered individual’s name, home and/or +workplace address, date of birth, general physical description, +charges for which they were convicted, and a photograph, if +available. +Information pertaining to the Sex Offender Registry website +should be shared with your staff to educate them on this +resource and of the public availability of S.O.R.I information. + + +Page 2: +Superintendent’s Circular LGL-22 +Page 2 of 6 + +Although S.O.R.I. information is distributed to alert communities +and protect children, it must be handled in a responsible manner. +It is against the law to distribute copies and/or use this +information in an unlawful manner, e.g., threats, extortion, etc. It +is also against the law to use the sex offender registry +information to commit a crime or to engage in illegal +discrimination or harassment of a sex offender. +The law was passed to prevent convicted offenders from preying +on innocent children. If you identify a registered offender acting +inappropriately around a school building or approaching +children, contact the Boston Police Department immediately. +Attached, please find some common questions and answers. +1. Who must register as a sex offender? +A sex offender is anyone who lives, works, or attends school +in Massachusetts who has: +• Been convicted of a sex offense +• Been adjudicated as a youthful offender or a delinquent +juvenile for a sex offense +• Been released from incarceration, parole, probation +supervision, or custody with the Department of Youth +Services for a sex offense conviction or adjudication +• Been adjudicated as a sexually dangerous person, or a +person released from civil commitment anytime from +August 1, 1981 +2. How can a principal or head of school request information +from the Sex Offender Registry Board? +Once a person registers with the Sex Offender Registry +Board and that information is shared with local police + + +Page 3: +Superintendent’s Circular LGL-22 +Page 3 of 6 + +departments, those departments can share the information +with public school districts. Local police departments have +access to information pertaining to Levels 1, 2, and 3 sex +offenders. +3. How can non-school personnel or parents request +information from the Sex Offender Registry Board? +The public may request information about sex offenders in +the community by sending a Sex Offender Inquiry Form +request to the Sex Offender Registry Board. Requests may +either be submitted online or at the following mail address: +Attn: SORI Coordinator +Sex Offender Registry Board +P.O. Box 392 +North Billerica, MA 01862 + +Please see https://www.mass.gov/how-to/request-sex- +offender-registry-information-sori for more information. +A person may also request information in person at a local +police station. +Unlike local police departments, members of the public can +only access information about Level 2 and Level 3 offenders. + + + + +Page 4: +Superintendent’s Circular LGL-22 +Page 4 of 6 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org +OR +Owner: +Chief of Safety Services +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 5: +Superintendent’s Circular LGL-22 +Page 5 of 6 + +SEX OFFENDER REGISTRY INFORMATION (S.O.R.I) +Questions and Answers +• What should I as a principal/head of school do with the +information I receive from Safety Services or BPD on S.O.R.I. +cases? +You should establish a secure, central file for mandatory review +by all staff members, including teachers, paraprofessionals and +volunteers who have an established pattern of work in the +school. This file will be a one-copy file, with opportunity for +staff to come and review. No copies of this S.O.R.I. information +can be made and/or distributed. +• What if upon first review, I note that one of the offenders is an +employee/volunteer at my school? +Contact the Office of Human Capital for further direction. The +Office of Human Capital will review each situation on a case- +by-case basis and will work with the Office of Legal Advisor +and the superintendent of schools on a final resolution. +• What if upon first review, I note that one of the offenders is a +student in my school? +Contact Safety Services Unit at 617-635-8000 for further +direction. +• What should I do if a parent or community member comes to +the school or calls seeking S.O.R.I. information? +The individual should be directed to the nearest police district, +which will provide the information upon request. + + + + +Page 6: +Superintendent’s Circular LGL-22 +Page 6 of 6 + +• How will S.O.R.I. be handled relative to BPS employees, BPS +students, BPS volunteers, and bus drivers? +o All employees hired henceforth will have a S.O.R.I. check +done automatically. This will be in conjunction with the +C.O.R.I. (Criminal Offender Registry Information) check that +is already in place. Also, all information regarding S.O.R.I. +offenders received by Safety Services will be run against the +current employee listing to identify any employees who +might be sex offenders. +o All information regarding S.O.R.I. offenders received by +Safety Services will be run against the current student +listing to identify any students who might be sex offenders. +o Partners in Education will request to be placed on the +Police Department’s mailing list on all S.O.R.I. cases and will +check this on a regular basis against their listing of +volunteers. +o BPS’s contracted transportation provider will request to be +placed on the Police Department’s mailing list on all S.O.R.I. +cases and will check this on a regular basis against their +listing of bus drivers. +o Community Schools will request to be placed on the Police +Department’s mailing list on all S.O.R.I. cases and will check +this on a regular basis against their listing of employees. +• What if any situation, in general, occurs in or around my +school relative to the S.O.R.I. process? +Contact Safety Services Unit immediately at 617-635-8000. + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-16 +Version 01 + +STUDENT HEALTH INFORMATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +State and federal laws and regulations dealing with the +confidentiality of student record information recognize that +student health information is treated differently from other +student record information. It should be noted that the Health +Insurance Portability and Accountability Act, also known as +HIPAA, does not apply to student records, with some exceptions +not germane to this policy. See 65 Fed. Reg. 82805 (2000). +School health personnel may have access to student health +records when such access is required in the performance of their +official duties. See 603 Code Mass. Regs. §23.07 (4)(h). Of course, a +parent/guardian, or in some circumstances the student, may +consent to the release of student health record information to +school personnel generally. In the absence of such informed +written consent, however, the following standards should apply +to a determination of which school officials may access what +parts of a student’s health record. In the first instance, such +determinations should be made by the building administrator in +consultation with the school-based nurse. If a disagreement +arises, such concerns should be brought to the attention of the +senior director of Health Services for resolution. + + +Page 2: +Superintendent’s Circular LGL-16 +Page 2 of 4 + + +The following guidelines should be used: +1. Routine medical information. Such student health information +should be disseminated only as is appropriate to meet the +regular and effective educational mission of the school. Such +information may include information contained in an IEP or +504 Plan, previously scheduled medical appointments, health- +related incidents that may require or necessitate further +reporting, dispensation of medications, and conditions such as +food allergies, seizures, and asthma. In all events, only the +minimum necessary health record information should be +disclosed. Thus, the type of medications dispensed would, +absent more, not be disclosed in the above example. The fact +that a medical appointment necessitating early dismissal is +with a psychiatrist would also not normally be disclosed as a +matter of routine medical information. +Routine medical information is information that is appropriate +for certain staff to know in order to maximize the safety for +children. For example, a child with diabetes needs to have +teachers who are knowledgeable about the illness so the child +may have a safe learning environment. Low blood sugar can +also affect the child’s ability to concentrate. In this +circumstance it would be appropriate to notify all the child’s +teachers individually. Health information should never be +circulated by an all-staff memo. +2. +Medical information of limited dissemination. This is student +health information that is of a confidential nature and yet is of +little educational benefit in the school. This is specific +information that the Student Support Team needs to know to +provide accommodations. When possible, all diagnoses, + + +Page 3: +Superintendent’s Circular LGL-16 +Page 3 of 4 + +especially those related to mental health, should be +expressed as a functional diagnosis. For example, it should be +enough for the team to know that a child who is depressed is +getting counseling. The details of the diagnosis or the causes +of the depression are not relevant to the team’s provision of +accommodations. The nurse provides the connection with +the provider to interpret the medical information or when +clarification is required. +3. +Highly sensitive information. This is student health +information of a highly sensitive nature that has no bearing +on educational achievement and is of no educational use or +consequence and in which a high expectation of privacy +exists for students and/or parents or guardians. Such +information may include: suicide attempts, treatment for +drug or alcohol abuse, mental health diagnoses, family +planning information, maternity/paternity tests or +information, abortions, or HIV infection. This information is of +two types: (1) no accommodations or safety issues and (2) +highly sensitive information. +Medical diagnoses that have no relevance to a student’s +performance do not need to be shared. For example, a child +in therapy who is depressed but not suicidal and who is +performing well in school, does not need to have this +information shared with the school community. There are +also highly sensitive medical situations that are protected by +state regulations. These include HIV and a minor’s right to +seek medical care for pregnancy, sexually transmitted +diseases, and substance abuse, without their parents’ +consent. Any inclusion of this information in the educational +record is a violation of the adolescent’s right to privacy. With +HIV, the student/family can choose to disclose and can limit + + +Page 4: +Superintendent’s Circular LGL-16 +Page 4 of 4 + +the individuals to disclose to. In some circumstances, such +information is of such a private nature that even +dissemination to a parent or guardian is prohibited. +Questions in this regard should be directed to the Office of +Legal Advisor. Such highly sensitive health information +should, whenever possible, be segregated from the rest of a +student’s health information to reduce the chance of +inadvertent disclosure. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-18 +Version 01 + +DISPLAY OF FLAG AND SCHOOL CEREMONIES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Massachusetts General Law requires that a “flag shall be +displayed, weather permitting, on the school building or grounds +on every school day and on every legal holiday.” In addition, we +are required to ensure that “a flag shall be displayed in every +classroom...and in each assembly hall” (M.G.L. c.71, §69). The +important patriotic and historic holidays celebrated during the +school year place a focus on our responsibility with respect to the +display of the American flag in all schools and classrooms. +Patriotic and national holidays offer the opportunity in our history +and social studies classes to provide instruction about the flag, its +origin, care, and symbolic significance. This instruction complies +with State Learning Standard 18 (Principles of American +Government). In addition, student projects may afford the +opportunity for students to conduct in-depth research on +subjects such as the flag and other patriotic symbols, documents, +speeches, and literature. +School Committee policy and Massachusetts state law require +that “public school teachers at the commencement of the 1st +class of the day lead the class in group recitation of the Pledge of +Allegiance” (M.G.L. c.71, §69). The Massachusetts Supreme Judicial + + +Page 2: +Superintendent’s Circular LGL-18 +Page 2 of 2 + +Court, however, has ruled that although students and teachers +have the right to a daily opportunity to participate in the Pledge +of Allegiance, teachers and students have a constitutional right +not to participate in the pledge. Teachers and students who +choose not to participate (i.e., recite and/or stand) may not be +penalized for declining to do so. All schools must comply with our +responsibility to display the flag and to provide daily opportunity +for recitation of the Pledge of Allegiance. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-06 +Version 01 + +RELIGIOUS HOLY DAYS +This circular will remain in effect unless rescinded or suspended +by a subsequent version. + +It is the policy of the Boston Public Schools to make reasonable +efforts to accommodate the religious beliefs of students and +staff. State and federal laws also mandate such reasonable +accommodations. +Massachusetts General Laws, Chapter 151C, Section 2B reads, in +pertinent part, as follows: +“Any student in an educational or vocational training +institution, other than a religious or denominational +educational or vocational training institution, who is unable, +because of [their] religious beliefs, to attend classes or to +participate in any examination, study, or work requirement +on a particular day shall be excused from any such +examination or study or work requirement, and shall be +provided with an opportunity to make up such examination, +study, or work requirement which [they] may have missed +because of such absence on any particular day; provided, +however, that such makeup examination or work shall not +create an unreasonable burden upon such school. No fees of +any kind shall be charged by the institution for making +available to the said student such opportunity. No adverse + + +Page 2: +Superintendent’s Circular LGL-06, 2023-2024 +September 1, 2023 +Page 2 of 2 + +or prejudicial effects shall result to any student because of +[their] availing [themselves] of the provisions of this section.” +To accommodate the religious beliefs of students, all who +observe any holiday because of religious beliefs should be +marked “constructively present” upon submitting a valid note +from a parent or guardian (see Circular ACA-18). In addition, +teachers should refrain from giving tests on these religious +holidays and allow sufficient time for these students to make up +their work before administering tests. + +For more information about this circular, contact: +Name: +Lisa Maki +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +lmaki@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-07 +Version 01 + +PRIVACY OF STUDENT INFORMATION AND STUDENT +RECORD PROCEDURES: HOW TO RESPOND TO +STUDENT RECORD REQUESTS IN COMPLIANCE WITH +FERPA AND STATE LAW +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +I. +GENERAL INFORMATION +These student record procedures pertain to all information +maintained by the Boston Public Schools concerning a student in +which he/she may be individually identified. +The student record consists of two parts: the transcript and the +temporary record. +A. +The transcript contains administrative records that +constitute the minimum data necessary to reflect the +student's educational progress and to operate the +educational system. The transcript is limited to the +name, address, and phone number of the student, the +student’s birth date, name, address and phone number +of the custodial parent or guardian, course titles, +grades (or the equivalent when grades are not +applicable), course credit, grade level completed, and +the year completed. The transcript must be retained for +at least sixty (60) years after the student leaves the +school system. + + +Page 2: +Superintendent’s Circular LGL-07 +Page 2 of 21 + +B. +The temporary record is all other student record +information besides the transcript. Temporary record +information may include health information, +disciplinary information, examples of student work, +special education or 504 plan documents, incident +reports, and any other information kept by the school +which identifies the student individually. Duplicates of +an original record do not need to be kept as part of the +temporary record. The temporary record should be +destroyed no later than seven (7) years after the +student leaves the school system, provided proper +notification is given as directed below. +II. +PARENTS (AND STUDENTS) HAVE A LEGAL RIGHT TO +CONTROL ACCESS TO STUDENT INFORMATION +Both federal and state law provide that a parent, and any student +that is 14 or older and/or in grade nine or above, have a legal right +to control access to the student’s educational record. The Family +Educational Rights and Privacy Act (FERPA) and Massachusetts +law define the parent’s/student’s right to access, seek to amend +and exercise control over the disclosure of personally identifiable +information in the student record. The Boston Public Schools is +legally responsible to respect and protect the parent’s/student’s +rights to privacy and control under FERPA and state law. +Violation of these legal rights can subject BPS to sanctions, +including termination of federal funding, and can subject BPS +employees to discipline, up to and including termination. +BPS notifies all students and parents of these rights annually by +means of the “Guide to BPS for Students & Families.” The Guide +for Students & Families identifies the limited types of information +that may be released without consent (see Directory Information +below). By September 30 of each year, parents and students have + + +Page 3: +Superintendent’s Circular LGL-07 +Page 3 of 21 + +a right to inform the school that such information shall not be +released without direct consent. +Schools receive requests for student record information in many +ways and from many different sources. By law, a school’s +response to a request for student records must vary depending +on who is making the request and what is being requested. +Below are descriptions of the main categories of requests that +schools may need to address. If the information below does not +directly describe a situation presented, the school should contact +the Office of Legal Advisor at legal@bostonpublicschools.org for +more direction. +III. +REQUESTS AND CONSENT BY PARENT/STUDENT +When a parent or student seeks to access, amend or consent to +sharing of student records, the following definitions will aid you +in understanding and complying with applicable law. +• A parent is the student’s natural parent, a guardian, or an +individual acting as a parent in the absence of a parent or +guardian. +• A custodial parent is any parent with whom a child +resides, whether permanently or for periods of time, and +who supervises the child. +• A non-custodial parent is any parent who does not have +physical custody of the child and who does not reside +with or supervise the child, even for short periods of time, +by court order. +• An eligible student is a student who is at least 14 years of +age and/or has entered the ninth grade. + + + + +Page 4: +Superintendent’s Circular LGL-07 +Page 4 of 21 + +A. Request to Inspect/Copy Records +1. Custodial Parents and Eligible Student. A custodial +parent, and/or an eligible student have a right to +inspect all portions of the student record upon +request. The record will be made available to the +custodial parent and/or eligible student no later +than ten (10) days after the request. The custodial +parent and/or eligible student have the right to +receive copies of any part of the record. In addition, +the custodial parent and/or eligible student may +request to have parts of the record interpreted by a +qualified professional of the school or may invite +anyone else of their choosing to inspect or interpret +the record with them. Please see Attachment 1 for +the process of fulfilling a custodial parent’s or +eligible student’s request for the student record. +2. Non-Custodial Parents. Non-custodial parents must +be given access to their children’s student records, +unless the school has been given written +documentation that establishes either: +a. The non-custodial parent has been denied legal +custody by a court based upon a threat to the +student or to the custodial parent. +b. The non-custodial parent has been denied +visitation or has supervised visitation. +c. Access to the student or to the custodial parent +has been restricted by a court-issued protective +order against the non-custodial parent, +provided such protective order does not +specifically allow access to student record +information. + + +Page 5: +Superintendent’s Circular LGL-07 +Page 5 of 21 + +d. There is an order of a probate and family court +judge which prohibits distribution of student +records to the non-custodial parent. +A school that receives a request for student record +information from a non-custodial parent should send +a copy of the notification attached as Attachment 2, +via certified and first-class mail, to the custodial +parent prior to providing student records to the non- +custodial parent. The notification must be in English +and the primary language of the custodial parent. If +no documentation related to any of the four (4) +scenarios above is received within 21 days, the records +must be provided to the non-custodial parent. If +documentation related to any of the four (4) scenarios +above is received within 21 days, it must be kept in the +student record and the non-custodial parent must be +notified, via certified and first class mail, of the reason +for denial of access. +B. Request to Amend Student Record +The custodial parent and/or eligible student have the +right to add relevant comments, information, or other +written materials to the student record. In addition, the +custodial parent and/or eligible student have the right to +make a written request that information in the record be +amended or deleted, except information created by a +special education team, which may not be amended or +deleted until after acceptance of the individualized +education plan or completion of the appeals process. +The custodial parent and/or eligible student have a right +to a conference with the school principal to make their +objections known. Within one week after the + + +Page 6: +Superintendent’s Circular LGL-07 +Page 6 of 21 + +conference, the principal must render a decision in +writing. If the custodial parent and/or eligible student +are not satisfied with the decision, it may be appealed to +the operational leader. +C. Consent to Share Student Information +The custodial parent and/or eligible student have the +legal right to consent to sharing of the student record +with any person or entity they choose. A school should +use Attachment 4 to document the custodial parent’s +and/or eligible student’s specific, informed, written +consent and include the signed consent in the student +record. +Except as specifically noted below, no individuals or +organizations other than the custodial parent, eligible +student, and authorized school personnel are allowed to +have access to information in the student record without +the specific, informed, written consent of the custodial +parent or the eligible student. +IV. +THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING +INFORMATION: CONSENT NOT REQUIRED OR ASSUMED BY +OPERATION OF LAW +A. +Subpoenaed Records. Boston Public Schools will +produce documents requested in court orders or +lawfully issued subpoenas. Such requests should be +emailed immediately to the Office of Legal Advisor. All +records sought by the court order or subpoena should +be forwarded via courier mail or hand delivery as soon +as possible. Attachment 3 should be completed and +used to notify the parent and/or eligible student that +subpoenaed information will be provided absent + + +Page 7: +Superintendent’s Circular LGL-07 +Page 7 of 21 + +further court order. +B. +Authorized School Personnel. Authorized school +personnel (those providing direct services to the +student, administrative staff whose duties require +them to access the student record, and an evaluation +team that evaluates a student) shall have access to the +student’s school record when such access is required in +the performance of their official duties. +C. +Directory Information. Unless the parent or eligible +student has previously indicated in writing their +disapproval of the release of such information, the +school may release the following directory information: +student’s name, age, grade level, and dates of +enrollment. BPS notifies students and parents +annually of the types of information that will be +released by means of the “Guide to BPS for Students & +Families,” and allows custodial parents and students +until September 30 of each year to inform BPS that +such information will not be released without prior +consent. +D. +Military Recruiters and Higher Education Institutions. +Unless a parent or student has previously objected in +writing in response to notification through the +publication of the “Guide to BPS for Students & +Families,” military recruiters and institutions of higher +education must be provided, upon written request, +with the names, addresses and telephone numbers of +secondary school students. All requests by military +recruiters for such information must be forwarded to +the Office of Legal Advisor for centralized processing. +E. +Specified State Agencies and Local Authorities. A + + +Page 8: +Superintendent’s Circular LGL-07 +Page 8 of 21 + +school may release student record information without +prior written consent to the following agencies when +acting in their official capacities: Department of +Children and Families, Department of Youth Services, a +probation officer, or a justice of the court. Attachment +3 should be used to notify parents of such requests. +F. +Schools. When a student seeks or intends to transfer to +another school, the student record can be sent to the +receiving school. +G. +School Nurses and State Health Department. School +nurses and local and state health department officials +may have access to student health record information +when such access is required in the performance of +their official duties. For further information related to +student health information, please consult +Superintendent’s Circular LGL-16, Student Health +Information. +H. +Health or Safety Emergency. Without the consent of +the parent or eligible student, a school may disclose +information regarding a student to appropriate parties +in connection with a health or safety emergency if +knowledge of the information is necessary to protect +the health or safety of the student or individuals and if +the appropriate procedure has been followed. That +does not mean that anyone who asks, and who thinks +something is amiss or might happen, has a right to +access personally identifiable student information. +Required criteria: The regulations implementing +FERPA (34 CFR § 99.36) requires that each of the +following criteria be met: +a. +The request is made “in connection with an + + +Page 9: +Superintendent’s Circular LGL-07 +Page 9 of 21 + +emergency.” +i. “Emergency” means the request must be +related to an actual, impending, or imminent +emergency. +ii. BPS requires that a school consider the +following criteria to determine whether the +request is made in connection with an +emergency: +• The seriousness of the threat to the health +or safety of the student or others +• The need for the information to meet the +threat +• Whether the requestor is able to deal with +the emergency +• The extent to which time is of the essence +in dealing with the emergency. +iii. Any release of records is limited to the period +of the emergency; if the emergency is over no +further release of student information is +allowed. +b. +There is an articulable and significant threat to +the health or safety of the student or other +individuals. +c. +The requester (usually law enforcement, public +health officials, and medical professionals) needs +the information to protect the health or safety of +the student or other individuals. +d. +No blanket release of personally identifiable +information is allowed. Any release of + + +Page 10: +Superintendent’s Circular LGL-07 +Page 10 of 21 + +information must be narrowly tailored +considering the immediacy, magnitude, and +specificity of the threat. +e. +The determination is made on a case-by-case +basis, considering the totality of the +circumstances pertaining to the threat to the +health or safety of the student or others. +f. +Within a reasonable time after making the +disclosure, the school must record in the +student’s record the articulable and significant +threat that formed the basis for the disclosure, +and to whom the information was disclosed. +V. +THIRD PARTY REQUESTS FOR PUBLIC RECORDS +CONTAINING ONLY REDACTED AND/OR NON-STUDENT- +IDENTIFYING INFORMATION +Upon receipt of a third-party request for public records, the +school should immediately send a copy of the request via +email to the Office of Legal Advisor for review and direction. +All public records requests must be reduced to writing, +dated, and signed by the requestor, and must contain the +return address information of the requestor. For more +information, see Superintendent’s Circular LGL-3, Public +Records Requests. +VI. +DESTRUCTION OF STUDENT RECORDS +The law sets forth different time periods for the retention +and destruction of different portions of student records. +These different time periods are set forth below: +A. Transcripts - A student’s transcript must be maintained +by the school department for sixty (60) years following + + +Page 11: +Superintendent’s Circular LGL-07 +Page 11 of 21 + +the student’s graduation, transfer, or withdrawal from +the school system. +B. Periodic Review of the Temporary Record - While a +student is enrolled in a school, the principal/head of +school or his/her designee shall periodically review all +students’ temporary records and identify for destruction +any misleading, outdated, or irrelevant information. This +may include, particularly, exemplars of student work or +other impertinent information. Prior to destroying any +such information, however, the student and his/her +parent must be given written notification of the school’s +intent to destroy such information and must be given the +opportunity to receive the information or a copy of the +information prior to its destruction. +C. Temporary Record Destruction - The temporary record +of any student may be destroyed no later than seven (7) +years after the student transfers, graduates or withdraws +from the school district, if the student and his/her +parent/guardian have been given written notification +that includes the approximate date of destruction of the +temporary record and indicating their right to receive the +information in whole or in part at the time of the +student’s graduation, transfer or withdrawal from the +school system or prior to its destruction. Such notice +must be in addition to the annual notice issued by +Boston Public Schools in the “Guide to BPS For Students +& Families.” + + + + + +Page 12: +Superintendent’s Circular LGL-07 +Page 12 of 21 + + +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 13: +Superintendent’s Circular LGL-07 +Page 13 of 21 + +ATTACHMENT 1 +STUDENT RECORD REQUEST PROCEDURES +1. Parent/guardian or eligible student requests for the student’s +record are received, processed, and sent to the requestor +directly by the school. Third-party requests are received by the +Office of Legal Advisor, processed by the school, and then sent +back to the Office of Legal Advisor for transmission to the +requester. +2. The principal/head of school will be responsible for certifying +that all portions of the student record have been copied as a +response to the requestor. The principal/head of school will +complete the checklist and certification. If the request is being +sent to the parent, the certification will include the date sent to +the parent. A copy of the checklist will be sent with the record, +and the original will be retained by the school. +3. For third party requests, the principal/head of school will +complete the same process but provide the copy of the entire +record and the checklist to the Office of Legal Advisor for +review and delivery. +4. Requests received during the summer months: By June 1 of +each year, principals must identify who to contact for each +week of the summer break and provide that list to the school +superintendent. The designated individual will check for +incoming mail and for parent/guardian or eligible student +requests, will obtain the records (copy and/or print), complete +the checklist, and deliver them to the requester. In the event +of a third-party request, the same protocol will be followed but +the designated individual will send the record and the +completed checklist to the Office of Legal Advisor. + + +Page 14: +Superintendent’s Circular LGL-07 +Page 14 of 21 + +ATTACHMENT 2 +NOTICE OF NON-CUSTODIAL PARENT REQUEST +FOR STUDENT RECORDS +VIA REGISTERED MAIL AND FIRST CLASS MAIL + +Dear Custodial Parent of ________________________________________ : +This is to notify you that a request from __________________________ +was received on_____________ for the following parts of your +child’s student record: ___________________________________________. +In accordance with federal and Massachusetts law, non-custodial +parents must be given access to their children’s student records, +unless the school has been given written documentation that +establishes either: +1. The non-custodial parent was denied legal custody by court +order based upon a threat to the student or to the custodial +parent; +2. The non-custodial parent has been denied visitation or has +supervised visitation; +3. Access to the student or to the custodial parent has been +restricted by a court-issued protective order against the non- +custodial parent, provided such protective order does not +specifically allow access to student record information; or +4. There is an order of a probate and family court judge which +prohibits distribution of student records to the non-custodial +parent. + + + +Page 15: +Superintendent’s Circular LGL-07 +Page 15 of 21 + +The requested records will be released on _______________, unless +the documentation indicated in the paragraph above has been +received by the Building Administrator of the School. If you have +any questions, you may contact + +_____________________________________ at _________________________ . +Sincerely, + + __________________________________________________________________ +Signature of Principal or Other Authorized School Employee + +Date: _________________________ + +NOTE: THIS NOTICE MUST BE SENT IN BOTH ENGLISH AND THE +PRIMARY LANGUAGE OF THE CUSTODIAL PARENT. + + +Page 16: +Superintendent’s Circular LGL-07 +Page 16 of 21 + +ATTACHMENT 3 +NOTICE OF DISSEMINATION OF STUDENT RECORD TO THIRD +PARTIES FOR WHICH CONSENT IS NOT REQUIRED OR IS +ASSUMED BY OPERATION OF LAW + +Dear ____________________________________________: +This is to notify you that a: + subpoena + request from a justice + other (specify) _______________________________________________ +has been received for the following parts of your/your child's +student record: + __________________________________________________________________ + __________________________________________________________________ +The Massachusetts regulations pertaining to student records +state that the school system must comply with the above +request, but that this notification must be provided to you prior +to the release of the records. In the case of a subpoena, court +order, or request from a probation officer or the Department of +Youth Services, you have the right to attempt to have the +subpoena, order or request stopped by a court. + + + + +Page 17: +Superintendent’s Circular LGL-07 +Page 17 of 21 + +The records will be released on _________________________________ . +If you have any questions, you may contact +___________________________________ at ____________________________ . +Sincerely yours, + __________________________________________________________________ +Signature of Principal or Other Authorized School Employee +Date:_____________________________ + +NOTE: This notice must be sent in both English and the primary +language of the custodial parent. + + + + +Page 18: +Superintendent’s Circular LGL-07 +Page 18 of 21 + +ATTACHMENT 4 +PARENT’S OR STUDENT’S CONSENT FOR DISSEMINATION OF +STUDENT RECORD TO THIRD PARTY +My name is _____________________________________________. I am: + the parent/guardian of a BPS student named: + _____________________________________________________________ + a BPS student age 14 or over and in at least ninth grade. +I give permission for the following third parties to + inspect + secure a copy of +the parts of my/my child's student record noted below. +THIRD PARTIES: + __________________________________________________________________ + __________________________________________________________________ +REASONS FOR RELEASE OF RECORDS: + __________________________________________________________________ + __________________________________________________________________ + + + + +Page 19: +Superintendent’s Circular LGL-07 +Page 19 of 21 + +Parts of Record to be Released* +Permission +Granted +Permission +Denied +Transcript information (includes +identifying information, course titles, +grades or their equivalent, and grade +level completed) + + +Disciplinary record + + +Extracurricular activities + + +Teacher and counselor evaluations +and comments + + +Attendance record + + +Other (specify): + + + + + __________________________________________________________________ +**Signature of eligible student or parent/guardian +Student's Class:_____________________________Date_________________ +* Before seeking the parent's or eligible student's consent, the +school should cross out those items which have not been +requested by the third party. +** This form may be signed by a student or former student of 14 +years of age or older, or a student in the ninth grade or above, +or a custodial parent or guardian. + + + + +Page 20: +Superintendent’s Circular LGL-07 +Page 20 of 21 + +ATTACHMENT 5 +CHECKLIST FOR RETRIEVAL OF COMPLETE STUDENT RECORD + +YES N/A +Print electronic student file from ASPEN, +SNAP and EDPLAN +▢ +▢ + +Transcript information (includes identifying +information, course titles, grades or equivalent, and +grade level completed) +▢ +▢ +Disciplinary record +▢ +▢ +Nursing record +▢ +▢ + +Special education record +▢ +▢ +ELL file +▢ +▢ +Attendance records +▢ +▢ +Physical restraint records +▢ +▢ +Counseling records +▢ +▢ +Correction of student record +▢ +▢ +Other (specify): _______________________________________ ▢ +▢ +➤ The school should cross out those items which have not been +requested. + + + + + +Page 21: +Superintendent’s Circular LGL-07 +Page 21 of 21 + +Attachment 5, continued +CERTIFICATION +I, __________________________________________(Principal/School +Leader) of _______________________________________________________ +School, certify that to the best of my knowledge, all of the +components of the student record that are requested, applicable +to this student, and maintained by the school or on an electronic +BPS system have been copied and delivered to the requestor, +Name ___________________________________________________________ , +on [date]______________________. +________________________________________________ +Signature + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-01 +Version 01 + +HAZING LAW +Massachusetts law makes it a crime to engage in hazing +activities. Hazing means any conduct or method of initiation into +any student organization, whether on public or private property, +which willfully or recklessly endangers the physical or mental +health of any student or other person. A copy of the +Commissioner of Elementary and Secondary Education’s advisory +is attached hereto as Attachment 1. +Middle school principals, heads of school, and principals of K-8 +schools should treat hazing as a violation of Section 7.2.5 of the +Code of Conduct with attendant sanctions. They are required by +state law to take the following steps: +1. Distribute a copy of the amended law [Attachment 1] to +each school-based student organization on or before +September 15. +2. Obtain from each such student organization a statement, +signed by a designated officer of the organization, +indicating that: +a. the organization has received a copy of the law. +b. each of its members, plebes, pledges, or applicants +has received a copy of the law. +c. the organization understands and agrees to comply +with the law. + + +Page 2: +Superintendent’s Circular LGL-01 +Page 2 of 11 + +The designated officer's signature should be +witnessed by an adult (i.e., faculty advisor), who +should also sign the statement. These statements +should be retained in the main office. A sample +acknowledgment is attached to this memorandum +as Attachment 2 for your convenience. +3. Distribute a copy of the law to all students in grades 7 +through 12 at least annually. Middle school principals, +heads of school, and principals of K-8 schools must certify +that the school complies with the anti-hazing law to the +Massachusetts Department of Elementary and Secondary +Education on or before October 1, by logging into the +anti-hazing application accessible via MassEdu Gateway. +4. The law also requires anyone who knows that another +person is the victim of hazing to report such an incident +to an appropriate law enforcement official as soon as +possible and provides criminal penalties for failure to do +so. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +By September 15 Building administrators distribute Attachment +1 to all school-based student organizations. +By October 1 +Middle school principals, heads of school, and +principals of K-8 schools certify compliance +with the anti-hazing law to DESE. + + + + +Page 3: +Superintendent’s Circular LGL-01 +Page 3 of 11 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + +Page 4: +Superintendent’s Circular LGL-01 +Page 4 of 11 + +ATTACHMENT 1 + +REMINDER ABOUT MASSACHUSETTS LAW PROHIBITING THE +PRACTICE OF HAZING +School Year 2023-2024 Anti-Hazing Data Collection + +The anti-hazing law, which was enacted in 1985, applies only to +secondary schools in Massachusetts. Please note that a middle +school that has been designated as a secondary school by the +school committee must comply with the anti-hazing law and +regulations. +Under Massachusetts General Laws Chapter 269, Sections 17– +19 and 603 CMR 33.00, all secondary schools, both public and +private, must: +• Adopt anti-hazing policies as part of their disciplinary +policies. +• Distribute copies of the anti-hazing law to all students +enrolled full-time; to all student groups, teams, and +organizations that are part of or are recognized by the +school or are permitted by the school to use its name and +facilities; and to all known unaffiliated student groups, +teams, or organizations. +Every year, secondary school principals/heads of school must: +• Certify that you have read and understood the Anti-Hazing +Policy and that the school has complied with the law by +logging into the new Anti-Hazing application accessible via + + +Page 5: +Superintendent’s Circular LGL-01 +Page 5 of 11 + +MassEdu Gateway at https://gateway.edu.state.ma.us/ +• High school principals/heads of school (or a designee) who +need access should be assigned their school’s Anti-Hazing +user role by their district’s directory administrator. If you +have questions about this, contact your directory +administrator. +• If your school does not have a directory administrator, or if +you need help with your user ID and password, please +contact Nermina Peric at nperic@doe.ma.us. +• The schools must certify with the department on or before +October 1. By November 1, the department must notify the +Attorney General of any school that has not filed a report. +• Collect a signed acknowledgement from a contact person +for each student organization regarding distribution of +information and agreement to comply with the law. The +schools are not required to submit the Student Group Anti- +Hazing Form but should keep the form for their records. +The guidance in this memorandum is intended to ensure that all +public and private secondary schools meet their obligations +under this important law and that students know the rules, +expectations, and consequences regarding hazing. If you need +additional information about the anti-hazing law and secondary +schools' responsibilities, please contact Nermina Peric at 781-338- +3708. + + + + +Page 6: +Superintendent’s Circular LGL-01 +Page 6 of 11 + +MASSACHUSETTS GENERAL LAWS — CHAPTER 269 +C. 269, S.17. Crime of Hazing: Definition: Penalty +Whoever is a principal organizer or participant in the crime of +hazing, as defined herein, shall be punished by a fine of not more +than three thousand dollars or by imprisonment in a house of +correction for not more than one year, or both such fine and +imprisonment. +The term "hazing" as used in this section and in sections eighteen +and nineteen, shall mean any conduct or method of initiation +into any student organization, whether on public or private +property, which willfully or recklessly endangers the physical or +mental health of any student or any other person. Such conduct +shall include whipping, beating, branding, forced calisthenics, +exposure to the weather, forced consumption of any food, liquor, +beverage or drug or other substance, or any other brutal +treatment or forced physical activity which is likely to adversely +affect the physical health or safety of any such student or other +person, or which subjects such student or other person to +extreme mental stress, including extended deprivation of sleep +or rest or extended isolation. +Notwithstanding any other provisions of this section to the +contrary, consent shall not be available as a defense to any +prosecution under this action. Added by St.1985, c.536; amended +by St.1987, c.665. + + + + +Page 7: +Superintendent’s Circular LGL-01 +Page 7 of 11 + +C. 269, S.18. Duty to Report Hazing +Whoever knows that another person is the victim of hazing as +defined in section seventeen and is at the scene of such crime +shall, to the extent that such person can do so without danger or +peril to himself or others, report such crime to an appropriate law +enforcement official as soon as reasonably practicable. Whoever +fails to report such crime shall be punished by a fine or not more +than one thousand dollars. Added by St.1985, c.536; amended by +St.1987, c.665. +C. 269, S.19. Hazing Statutes To Be Provided; Statement of +Compliance and Discipline Policy Required +Each institution of secondary education and each public and +private institution of post-secondary education shall issue to +every student group, student team or student organization which +is part of such institution or is recognized by the institution or +permitted by the institution to use its name or facilities or is +known by the institution to exist as an unaffiliated student group, +student team or student organization, a copy of this section and +sections seventeen and eighteen; provided, however, that an +institution’s compliance with this section’s requirements that an +institution issue copies of this section and sections seventeen +and eighteen to unaffiliated student groups, teams or +organizations shall not constitute evidence of the institution’s +recognition or endorsement of said unaffiliated student groups, +teams or organizations. +Each such group, team or organization shall distribute a copy of +this section and sections seventeen and eighteen to each of its +members, plebes, pledges, or applicants for membership. It shall + + +Page 8: +Superintendent’s Circular LGL-01 +Page 8 of 11 + +be the duty of each such group, team or organization, acting +through its designated officer, to deliver annually, to the +institution an attested acknowledgement stating that such +group, team or organization has received a copy of this section +and said sections seventeen and eighteen, that each of its +members, plebes, pledges or applicants has received a copy of +sections seventeen and eighteen, and that such group, team or +organization understands and agrees to comply with the +provisions of this section and sections seventeen and eighteen. +Each institution of secondary education and each public or +private institution of post-secondary education shall, at least +annually, before or at the start of enrollment, deliver to each +person who enrolls as a full-time student in such institution a +copy of this section and sections seventeen and eighteen. +Each institution of secondary education and each public or +private institution of post-secondary education shall file, at least +annually, a report with the board of higher education and in the +case of secondary schools, the board of education, certifying that +such institution has complied with its responsibility to inform +student groups, teams, or organizations and to notify each full +time student enrolled by it of the provisions of this section and +sections seventeen and eighteen and also certifying that said +institution has adopted a disciplinary policy with regard to the +organizers and participants of hazing, and that such policy has +been set forth with appropriate emphasis in the student +handbook or similar means of communicating the institution's +policies to its students. The board of higher education and, in the +case of secondary institution, the board of education shall +promulgate regulations governing the content and frequency of +such reports, and shall forthwith report to the attorney general + + +Page 9: +Superintendent’s Circular LGL-01 +Page 9 of 11 + +any such institution, which fails to make such report. Added by +St.1985, c.536; amended by St.1987, c.665; St.1998, c. 161 §§ 557, 558. + + +Page 10: +Superintendent’s Circular LGL-01 +Page 10 of 11 + + ATTACHMENT 2 +SAMPLE ANNUAL STATEMENT OF ACKNOWLEDGEMENT FOR +STUDENT GROUPS, TEAMS, AND ORGANIZATIONS +ANTI-HAZING LAW, M.G.L. C. 269, §§ 17-19 + + +To: +Secondary School Principal or Head of School + +On behalf of _____________________________________________________ +(name of student group, team, or organization) +I certify that the _________________________________________________ +(name of student group, team, or organization) +and its members, plebes, pledges, or applicants for membership +have received a copy of An Act Prohibiting the Practice of Hazing, +M.G.L. c. 269, §§ 17-19; and that the + __________________________________________________________________ +(name of student group, team, or organization) +understands and agrees to comply with the law. + + + + +Page 11: +Superintendent’s Circular LGL-01 +Page 11 of 11 + +Date: ____________________________ +Signed: __________________________________________________________ +(Designated Officer) + __________________________________________________________________ +(Printed Name) + +Faculty Advisor or Leader: (for school affiliated group, team, or +organization only) ________________________________________________ + +Date Received by Principal or Designee: __________________________ + + +C: School Files + +Central Office Files + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-03 +Version 01 + + +PUBLIC RECORDS REQUESTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +School Department staff members frequently receive requests +from individuals and agencies, asking for information or +documents and cite the Freedom of Information Act (FOIA) or the +Massachusetts Public Records Law as the authority for honoring +their requests. +The Massachusetts Public Records Law, M.G.L. c. 66 §10, provides +that any person has a right to access public records. This right of +access includes the right to inspect, copy or have copies of +records provided upon payment of a reasonable fee. The +Massachusetts General Laws broadly define "public records" as +any books, papers, maps, photographs, electronic storage media, +computer files, digitally stored material, or any other information +regardless of form, which is made or received by employees of +public agencies unless the material falls into one of several +recognized exemptions. Requests for public record information +must be in writing; therefore, you should require that any oral +requests for public record information be placed in writing by the +requestor prior to responding to such a request. Such writing +must be signed, dated, and contain the address of the requestor. + + +Page 2: +Superintendent’s Circular LGL-03 +Page 2 of 3 + + +RECORDS REQUEST +All written public records requests must be sent to the Office of +Legal Advisor or filed through the City of Boston’s public records +request portal. You can access the public records request portal +by visiting https://www.boston.gov/departments/public-records +or clicking the “Public Records Request” link at the bottom of +every page of the boston.gov website. To ensure a prompt +response, use of the City’s public records request portal is the +preferred method for all requests. The Office of Legal Advisor will +review each request to see if it falls within an exception to the +public records law and will coordinate with your office or school +for the search, retrieval, and copying of such information. The law +provides that Boston Public Schools must respond to a request +for public records within ten (10) days of our receipt of such a +request. It is imperative, therefore, that once you receive a public +records request, it is faxed or delivered to the Office of Legal +Advisor. It is also imperative that, if you receive a request from +the Office of Legal Advisor to compile public records, you do so +expeditiously or call the Office of Legal Advisor if you cannot +comply in a timely manner with its request for information. +SUBPOENA +When receiving a subpoena for student records, personnel +records, medical records, or any other document, a copy of the +subpoena must be emailed or delivered immediately to the +Office of Legal Advisor for review. After that, please forward all +responsive records with the original subpoena to the Office of +Legal Advisor. Such a subpoena should be emailed or delivered +even if it is addressed to an individual, rather than the “keeper of +the records.” Witness subpoenas (i.e., a subpoena that seeks + + +Page 3: +Superintendent’s Circular LGL-03 +Page 3 of 3 + + +testimony rather than documents) should also be emailed or +delivered to the Office of Legal Advisor for appropriate +consultation. Please email legal@bostonpublicschools.org. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-09 +Version 01 + +POLITICAL ACTIVITY BY PUBLIC EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Public employees have most of the same rights as other citizens +to engage in private political activity. However, the conflict of +interest law, M.G.L. c. 268A, restricts some political activity of +public employees. In addition, the campaign finance law, M.G.L. +c. 55, restricts public employees’ political fundraising. +PROHIBITED ACTIVITY +The following restrictions are imposed by law on public +employees and volunteers with respect to their participation in +political activity whether on the local, state, or federal level. +1. Participation in Political Activity +• “Political activity” includes, but is not limited to, any activity +that is in support of or in opposition to a federal, state, or +local candidate or political party or a state or local ballot +question. +• In general, a public employee may not use their public +position to engage in political activity. +• Public employees may not participate in political activity: +o during their usual business hours +o while acting in an official capacity or while in official + + +Page 2: +Superintendent’s Circular LGL-09 +Page 2 of 6 + +uniform +o with the use of other public facilities or property and +resources, such as staff time, public office space and +facilities, public office equipment such as telephones +and other communications equipment, computers, +copiers, public websites and links to public websites, or +public office supplies such as official stationery +• Partisan political and campaign activity may be conducted +by an employee only during non-business hours, including +usual lunch hour, vacation time, personal time, or during a +leave of absence without pay. +2. Prohibitions Against Public Employees Soliciting Political +Contributions +It is a violation of state law for a public employee directly or +indirectly to solicit or receive any contributions or anything of +value for any political purpose, at any time — during both +working and non-working hours. +No person employed for compensation, other than an elected +officer, by the commonwealth or any county, city or town shall +directly or indirectly solicit or receive any gift, payment, +contribution, assessment, subscription, or promise of money or +other thing of value for the political campaign purposes of any +candidate for public office or of any political committee, or for +any political purpose whatever (Mass. G.L. c. 55, Section 13, +emphasis added). +The principles supporting this prohibition — primarily to insulate +public employees from inappropriate political pressures and in +turn to ensure that employees do not use their public positions + + +Page 3: +Superintendent’s Circular LGL-09 +Page 3 of 6 + +for personal or political gain — are important and must be +strongly protected. +This prohibition includes both direct and indirect solicitation: +• A public employee may not ask any individual for a +contribution on behalf of a political candidate or committee. +• A public employee may not encourage an individual to +contribute to a candidate for public or political office or to a +political committee or sign a fundraising letter or +advertisement on behalf of a candidate or political +fundraising event. +• A public employee may not sponsor or allow the use of their +name on an invitation to a fundraising event or on a political +fundraising request. +• A public employee may not serve as a host or sponsor of a +political fundraising event. +• A public employee may not distribute or sell tickets to +political fundraising events. +It should be noted that Mass. G.L. c. 55, Section 7A, does permit +public employees, as individuals, to make financial contributions +to political campaigns. +3. Solicitation In a Public Building +No one may solicit a political contribution in a public building. +Solicitations include requests for, or receipt of, a contribution and +the distribution of fundraising letters or tickets. Any public +employee convicted of such solicitation of funds may be removed +from employment without a hearing (Mass. G.L. c. 55, Section 14). + + +Page 4: +Superintendent’s Circular LGL-09 +Page 4 of 6 + +4. Public Employees Seeking Elective Office +Public employees seeking elective office may not solicit political +contributions either directly or indirectly. +Any of the prohibitions against solicitation, which apply to public +employees, in general also apply to a public employee who is +themself a candidate for political office. Moreover, there are +other restrictions which apply: +• A public employee seeking office may attend an event held +on their behalf by a non-elected committee, but may not +encourage contributions, directly or indirectly. +• A public employee seeking public office may not give +permission to have their name appear on such invitation as +the one who encourages contributions by an individual. +PERMITTED ACTIVITY +In general, public employees of all types may engage in private +political activity, subject to the restrictions on political +fundraising imposed by G.L. c. 55. The conflict of interest law +does not prohibit a public employee from engaging in political +activity on their own time, using their own or other private +resources, and when they are acting as an individual and not as +an agent or representative of anyone else. +INFORMATION +• Elected and Policy-Making Officials: The restrictions on +public employee political activity are not the same for all +public positions. Elected officials may engage in more +political activity than appointed officials and +employees. Public employees who hold policy-making + + +Page 5: +Superintendent’s Circular LGL-09 +Page 5 of 6 + +positions have more leeway to make public statements and +to take official action on political issues than do non- +policymakers. Employees are encouraged to contact the +Office of Legal Advisor with questions. +• Campaign Finance: Employees seeking information on +particular questions are encouraged to call the +Massachusetts Office of Campaign and Political Finance +(OCPF). +• Conflict of Interest: Employees may refer to State Ethics +Commission’s Advisory No. 11-1, entitled “Public Employee +Political Activity,” a copy of which can be obtained by +clicking this link: +State Ethics Commission Advisory 11-1: Public Employee +Political Activity | Mass.gov +For information on campaign contributions and expenditures, +please see G.L. c. 55. +ENFORCEMENT +The City intends to ensure that the legal restrictions on political +activity by public employees are fully enforced. This bulletin +should serve as notice to public employees of the City of such +restrictions and their implications. + + + + + +Page 6: +Superintendent’s Circular LGL-09 +Page 6 of 6 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-14 +Version 01 + +GATHERINGS ON SCHOOL GROUNDS AND +DISTRIBUTION OF MATERIALS IN SCHOOLS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +It is permissible for schools to regulate the time, place, and +manner of any demonstration to avoid disruption of classes or +the orderly entrance and departure of students into and out of +the building. Accordingly, principals and heads of school are +advised that gatherings of three (3) or more people or +distribution of leaflets shall be regulated as follows: +1. All gatherings or demonstrations should be viewed as a +legal expression of First Amendment rights. If a building +administrator questions whether the material being +distributed is protected by First Amendment rights, the +Office of the Legal Advisor should be contacted immediately +at 617-635-9320. +2. All gatherings or demonstrations shall not disrupt school +classes or the orderly entrance and departure of students +into and out of the school building. +3. The Students’ Freedom of Expression Law (G.L. c. 71, §82) +permits students to plan peaceable assemblies on school +property for the purpose of expressing their opinions. +Building administrators may designate the time and place + + +Page 2: +Superintendent’s Circular LGL-14 +Page 2 of 4 + +for such demonstrations to avoid disruption of classes and +disorder in the school. +4. All other gatherings or demonstrations which are not +planned by students shall be restricted to areas off school +property and in such areas as not to restrict the flow of +traffic and school buses. The building administrator may +designate such areas. +5. All gatherings or demonstrations shall be reported to the +Boston Police Department (at 911), the operational leader, +and the Department of Safety Services as soon as possible +after the gathering and/or demonstration is organized. +6. Gatherings in school buildings may be limited if school is +being conducted remotely. Any in-person gatherings or +demonstrations will comply with public health guidelines +including those that mandate group size limits, physical +distancing, and the wearing of masks, as well as BPS policies +regarding access to buildings. +7. Materials and/or announcements of a public interest nature +must be submitted to the administrator in charge two +school days (at least 48 hours) prior to distribution for review +and approval in order to be distributed in a school or a +school-sponsored forum. In addition, there should be no +cost accrued by the BPS in the distribution of +materials/announcements requested by external +organizations. The following materials shall be prohibited +from circulation in schools or school-sponsored forums: +• Advertisements of for-profit and political organizations +and/or events sponsored by said organizations (including +political and commercial flyers) + + +Page 3: +Superintendent’s Circular LGL-14 +Page 3 of 4 + +• Materials including those promoting anything illegal or +immoral and/or are otherwise pervasively indecent or +vulgar +• Materials which include false and/or misleading +information and/or which interfere with the proper and +orderly operation and discipline of the school +8. Requests for collections and donations, which do not have +the authorization of the School Department, shall be +prohibited. +9. The sale of merchandise, products, etc. by a recognized +school/parent organization may be authorized with the prior +approval of a building administrator. +10. The sale and/or promotion of merchandise, products, etc. by +an external organization/agency will not be authorized +unless the proceeds are used for the support of educational +programs and prior approval has been given. +11. The sale of lottery tickets and/or other games of chance +shall be prohibited. +12. Distribution process: +• Outside groups’ literature should not be distributed to +students during instructional time and, if possible, should +not be intermingled with official school notices, but may +be posted on a bulletin board used for such materials. +• Students should not be compelled to take home or read +any outside group’s literature. +• School newsletters and notices to parents may not recruit +members for outside groups. + + + +Page 4: +Superintendent’s Circular LGL-14 +Page 4 of 4 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +SSS-02 +Version 01 + +HOMELESS STUDENTS — GUIDELINES AND +PROCEDURES +This circular will remain in effect unless rescinded or +superseded by a subsequent version +INTRODUCTION +The McKinney-Vento Homeless Assistance Act, reauthorized in +December 2015 through the federal Every Student Succeeds Act +(ESSA), ensures educational rights and protection for children +and youth experiencing homelessness. +DEFINITION OF HOMELESSNESS +The federal government defines a child or youth who is homeless +as one who lacks a fixed regular and adequate residence or has a +primary nighttime residence not designed for or ordinarily used +as a regular sleeping accommodation for human beings. +(McKinney-Vento Homeless Assistance Act, Section 103 (A) (1) (2)). +Under the federal definition, the following children are +considered homeless: +• Children and youth who are sharing the housing of other +persons due to loss of housing, economic hardship, or a +similar reason; are living in motels, hotels, trailer parks, or +camping grounds due to lack of alternative adequate + + +Page 2: +Superintendent’s Circular SSS-02 +Page 2 of 10 + +accommodations; are living in emergency or transitional +shelters; are abandoned in hospital; or are awaiting foster +care placement. +• Children and youth who have a primary nighttime residence +that is a public or private place not designed for or ordinarily +used as a regular sleeping accommodation for human +beings. +• Children and youth who are living in cars, parks, public +spaces, abandoned buildings, substandard housing, bus or +train stations, or similar settings. +• Unaccompanied youth – youth not in the physical custody +of a parent or guardian. +Boston Public Schools (BPS) is responsible for ensuring the +identification, enrollment, attendance, and academic success of +students who are homeless. All personnel should be aware of the +unique needs of children, adolescents, and families who are +homeless. This growing population may be at risk due to the +transitional nature and status of their lives. For children and +adolescents, school may represent stability and consistency in +what otherwise is often an unstable situation. We are committed +to supporting our students who are experiencing homelessness +and strive to keep students in their home schools. +STATEMENT OF PURPOSE AND SCOPE +This circular is intended to provide school staff with guidance +regarding the rights of students who are homeless and provide +them with the education services needed to ensure they have an +equal opportunity to meet the same academic standards to +which all students are held. There are, however, some procedures + + +Page 3: +Superintendent’s Circular SSS-02 +Page 3 of 10 + +that may differ from the standard procedures. These may include +choice of school, registration, transportation, record transfer, and +confidentiality. +SCHOOL SELECTION +A student who is experiencing homelessness has the right to +continue attending the school of origin (i.e., the school they were +attending when permanently housed or the school in which they +were last enrolled) or a school within the new community where +they are temporarily housed. This right is guaranteed under the +McKinney-Vento Homeless Assistance Act. +SCHOOL ASSIGNMENT AND TRANSPORTATION +If a student who is attending the Boston Public Schools becomes +homeless and needs transportation, the family should visit one of +the BPS Welcome Centers: +https://www.bostonpublicschools.org/welcomecenters +Families requesting reassignment should also visit any of the +Welcome Centers at various locations: +• Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040 +• Dorchester: 1216 Dorchester Ave. Dorchester, 617-635-8015 +• Roxbury: 2300 Washington St., Roxbury, 617-635-9010 +• East Boston: 312 Border Street, Boston, MA 02128, +617-635-9597 +Families who are experiencing homelessness and move into +Boston have the right to enroll their children in the Boston Public +Schools. They should go to any Welcome Center Site to register. +An individual may be considered to be homeless if that person is +“doubled-up,” a term that refers to a situation where individuals + + +Page 4: +Superintendent’s Circular SSS-02 +Page 4 of 10 + +are unable to maintain their housing situation and are forced to +stay with a series of friends and/or extended family members. +Students who become homeless and move to a shelter or other +facilities outside the school district may continue to attend their +school of origin. Transportation will be available if they reside +within an hour of their school. Please contact the Homeless +Education Resource Network (HERN) or 617-6359620 to discuss +any difficulty that a child temporarily without a home may be +experiencing. +DISPUTE RESOLUTION +If a dispute arises over enrollment and/or transportation, the local +school district must immediately enroll the homeless student in +the school in which enrollment is sought pending resolution of +the dispute, and must provide the parent, guardian, or +unaccompanied youth with both a written statement of the +school placement decision and a notice of the right to appeal the +decision. The school district must refer the unaccompanied +youth, parent, or guardian to the homeless education liaison, who +will expeditiously carry out the dispute resolution process. The +final decision in such a situation resides with the Massachusetts +commissioner of education. +Reimbursement is available at the City of Boston mileage rate for +parents who are sheltered outside of Boston and transport their +children back to the school district. +ATTENDANCE WAIVERS +Students experiencing homelessness may have absences +excused and will be assessed on a case-by-case basis. + + +Page 5: +Superintendent’s Circular SSS-02 +Page 5 of 10 + +An absence may be excused for the following reasons: +• Students who are homeless in or out of district and are +awaiting transportation. +• Students who are tardy due to placement issues. +Please contact Assistant Director, Opportunity Youth, for further +information (Operations-Department- +Heads@bostonpublicschools.org) +SCHOOL ENROLLMENT AND RECORD TRANSFER +Principals and heads of school should follow all current +procedures for the transfer of academic and health records for +students who are experiencing homelessness. Although not +mandated, it is helpful if students who are temporarily without +homes provide the following documentation at the time of +registration: +• Birth certificate +• Immunization and medical records +• Special Education Individual Educational Plan (IEP) +SERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT +LIVING IN SHELTERS +Students not living in shelters and are “doubled-up” and identify +themselves as being homeless will have access to all services as +outlined in this memorandum. +A. Curriculum on Homeless Issues/Professional Development +It is important to teach all staff and students about homelessness +and its causes and conditions to ensure all students understand +that homelessness is caused by lack of affordable housing and + + +Page 6: +Superintendent’s Circular SSS-02 +Page 6 of 10 + +not the fault of a child temporarily without a home or their +parent. The BPS Homeless Education Resource Network (HERN), +as well as the Massachusetts Department of Elementary and +Secondary Education, have several videos on homelessness +available as well as expertise in workshop and curriculum +planning. In addition, training and seminars on homelessness are +available through HERN and are free to Boston Public Schools +faculty and staff. To arrange for these at your school or to enroll in +an upcoming professional development opportunity, contact +Assistant Director, Opportunity Youth Operations-Department- +Heads@bostonpublicschools.org +Identification of a School-based Homeless Liaison +Each school in the district must identify one staff member +to serve as the main contact point for homeless services if +one does not already exist (e.g., the school-based homeless +liaison) to work in concert with HERN to connect the school +and students and families experiencing homelessness, or at +risk of homelessness, to city and state resources. The school- +based homeless liaison works collaboratively with HERN to +ensure that students experiencing homelessness have the +necessary individualized resources and support to learn. +HERN provides multiple opportunities for school-based +homeless liaisons to receive targeted professional +development throughout the school year. School-based +homeless liaisons serve an essential role in ensuring that all +staff and students in their school understand the available +services and process to request assistance. +By October 1, school leaders should submit the name, contact +information and title of their designated school-based homeless + + +Page 7: +Superintendent’s Circular SSS-02 +Page 7 of 10 + +liaison to the Senior Director of Opportunity Youth Operations- +Department-Heads@bostonpublicschools.org +Identification and Referrals of Students Experiencing +Homelessness +Students and families experiencing homelessness or at risk +of homelessness may request assistance using the HERN +referral form, which is available electronically on the ASPEN +Student Information System (SIS). A student or family +member may request that any BPS staff member with +ASPEN access submit a referral form on their behalf. This +process increases access to assistance by allowing the +referral to be submitted by a BPS staff member with whom +the student or family member has a trusting relationship. +This process will also increase the identification of students +experiencing homelessness by making it easier for students +and family members to make the request at the school level. +School-based homeless liaisons are expected to inform all +staff members in their school of the availability of the form +on ASPEN and their role in being able to submit a referral on +the student’s behalf. Once the form is submitted, HERN will +proceed with its normal process of verifying the information. +Once information has been verified and the student’s +service needs have been identified, HERN will contact the +designated school-based liaison to work collaboratively to +institute a service plan for the student and/or family. The +hard copy version of the HERN referral form will still be +accepted and can be submitted directly to the HERN office +or any of the three BPS Welcome Centers. + + +Page 8: +Superintendent’s Circular SSS-02 +Page 8 of 10 + +CONFIDENTIALITY +For many reasons, homeless families may not want to reveal that +their living status has changed. While most shelters encourage +parents to notify the schools of a change in residence, they +cannot mandate it, since state and federal laws which regulate +confidentiality are very restrictive. Children who are temporarily +without homes present many of the same characteristics as +other at-risk children. Therefore, the best practice is to +strengthen the communications between all parents and school +personnel so that procedures are in place to reach out to families +and students who are in transition or educationally at-risk. This +means, at a minimum, schools should communicate frequently +with parents and stress the necessity of updating the student’s +emergency information. +Schools, and school-based homeless liaisons in particular, are +encouraged to maintain up-to-date records of students +experiencing homelessness in the ASPEN SIS and communicate +with HERN regularly to ensure adequate assistance and provision +of services to students and families experiencing homelessness. +In serving students who are homeless, please be mindful of the +following: +• Many students and parents who are temporarily without +homes prefer to keep their current living situations private. +• Students and their families may feel threatened and/or +embarrassed if approached by school staff. Thus, to respect +their privacy and confidentiality, school staff should not +approach students or their families directly to discuss their +temporary lack of permanent residence. Rather, students + + +Page 9: +Superintendent’s Circular SSS-02 +Page 9 of 10 + +and families should be given the opportunity to raise the +issue themselves if they so choose. +• It may not be necessary for staff members to know that a +student is homeless. Thus, school staff should be told this +information on an as needed basis only. +In the event of an emergency, or when services and information +are lacking for a child believed to be homeless, contact Assistant +Director, Opportunity Youth at 617-6359620 or Operations- +Department-Heads@bostonpublicschools.org +Senior Director of Health Services, 617-635-6788, should be +notified if families do not present current immunization records +at the time of registration. +Home and Hospital Instruction provides services for students +who are homeless and are impaired physically and/or mentally. +For additional information, contact Home and Hospital program +coordinator, 617-635-6633. + + + + +Page 10: +Superintendent’s Circular SSS-02 +Page 10 of 10 + +For more information about this circular, contact: +Owner: +Senior Director +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + + + Superintendent’s +Circular +NUMBER: +SSS-18 +Version 01 + + +BULLYING PREVENTION AND INTERVENTION PLAN +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BOSTON PUBLIC SCHOOLS STATEMENT AGAINST STUDENT +BULLYING +Boston Public Schools will not tolerate any unlawful or disruptive +behavior, including bullying, harassment, cyberbullying, +discrimination, retaliation, or hate crimes in all forms and types +towards others in any school or at school-related activities. Boston +Public Schools will promptly investigate all reports and +complaints of bullying and take prompt, effective action to end +that behavior and prevent its recurrence. Action will include, +where appropriate, referral to a law enforcement agency. Boston +Public Schools will support this Bullying Prevention and +Intervention Plan (“Plan”) in all aspects of its activities, including +its curricula, instructional programs, staff development, family +meetings/training, and extracurricular activities. +Students, staff, families/caregivers, and any others who are +concerned or want to report bullying may confidently talk to a +trusted staff member or call the Safe Space and Bullying +Prevention Hotline, 617-592-2378. Additional resources and +support can be found at Succeed Boston. Succeed Boston leads +this districtwide initiative. + + +Page 2: + +Superintendent’s Circular SSS-18 +Page 2 of 44 + +The Student Handbook, AUP (Acceptable Use Policy), and the +Boston Public Schools Code of Conduct are updated annually to +assure alignment, to include language prohibiting bullying, and +cyberbullying, and to clearly define the consequences connected +to it. The district and principals/heads of schools at all levels in the +Boston Public Schools play a critical role in the ongoing +development and implementation of the Bullying Prevention and +Intervention Plan in the context of other whole school and +community efforts to promote a positive school climate. +Principals/school leaders have a primary role in teaching students +to be civil to one another and promoting understanding of and +respect for diversity and difference. Principals/school leaders have +a responsibility for setting priorities and for staying up to date +with this policy and current research on ways to prevent and +effectively respond to bullying. +The Boston Public Schools will not tolerate any unlawful or +disruptive behavior, including any form of bullying, cyberbullying, +or retaliation, in our school buildings, on school grounds, on +school buses and at school bus stops, on a school bus or other +vehicle owned, leased, or used by a school district; or through the +use of technology or an electronic device owned, leased, or used +by a school district, and or in school-related activities. +Schools will promptly investigate all reports and complaints of +bullying, cyberbullying, and retaliation and take prompt action to +end that behavior and restore the target’s sense of safety. The +Boston Public Schools will support this commitment in all aspects +of our school community, including curricula, instructional +programs, staff development, extracurricular activities, and +families/caregivers involvement. +A student who knowingly makes a false accusation of bullying will + + +Page 3: + +Superintendent’s Circular SSS-18 +Page 3 of 44 + +be subject to disciplinary action as defined by the BPS Code of +Conduct. +This Plan has been approved by the Massachusetts Department of +Elementary and Secondary Education and is posted at the BPS +Anti Bulling web page. Copies of this plan shall be posted and +readily accessible in all schools in an area visible to +families/caregivers and staff. The Plan will be reviewed and +updated biennially, as mandated by M.G.L. c. 71, § 37O. +PUBLIC INVOLVEMENT +As required by M.G.L. c. 71, § 37O, this Plan has been developed in +consultation with various constituencies. Since May 3, 2010, the +Boston Public Schools has met biennially with families/caregivers, +teachers, school administrators, students, central administrators, +and community stakeholders to develop this Plan. +Effective SY 2024-2025, an advisory group of teachers, +administrators, families/caregivers and community members will +be developed to review and make recommendations related to +curricula, professional development, community and family +engagement, and the Plan itself. Consultation will include, at a +minimum, notice and a public comment period prior to adoption. +STATEMENT OF PURPOSE +The Boston Public Schools believes that school communities +serve as a network of support for its diverse students, families, and +staff. We are committed to providing our students with equal +educational opportunities and a safe and welcoming learning +environment where all students and community members treat +each other with respect and appreciate the rich diversity in our +schools. + + +Page 4: + +Superintendent’s Circular SSS-18 +Page 4 of 44 + +The Boston Public Schools recognizes that certain students may +be more vulnerable to become targets of bullying, harassment, or +teasing based on actual or perceived characteristics, including +race, color, religion, ancestry, national origin, sex, socioeconomic, +status, homelessness, academic status, gender identity or +expression, physical appearance, or sensory, disability, or by +association with a person who has or is perceived to have one or +more of these characteristics. The Boston Public Schools will +continuously work to identify specific steps it will take to create a +safe, supportive environment for vulnerable populations in the +school community, and provide all students with the skills, +knowledge, and strategies to prevent or respond to bullying, +harassment, or teasing. +Under M.G.L. Ch. 71, § 37O, at the beginning of each school year, +each school will provide the community, including students, +administrators, external providers, families/caregivers, and staff +with: +● Written notice of its policies for reporting acts of bullying +and retaliation, +● A description of the reporting procedures and resources, +including the name and contact information of the +principal/school leader or designee +● A copy of the Bullying Incident Reporting Form and +information about electronic reporting and +● Shall provide and post the available resources (including the +number to the Safe Space and Bullying Hotline and +information about electronic reporting) in the school’s main +office, the school’s website, all counseling offices/spaces, the +school nurse’s office, and other locations determined by the + + +Page 5: + +Superintendent’s Circular SSS-18 +Page 5 of 44 + +principal/school leader or designee +The Boston Public Schools Bullying Prevention and Intervention +Plan shall be incorporated in student and staff handbooks, on the +school and district website, and made available to +families/caregivers. +DEFINITIONS UNDER M.G.L. CH. 71, § 37O +Note: The following definitions contain terms and/or phrases that +are different from the language of the statute. The language of +the definitions in this circular is drafted to align with the +definitions that are used in the Boston Public Schools Code of +Conduct. BPS relies on these definitions when reviewing student +conduct under the Code: +● Bullying: BPS has replaced the word “victim” in the statute +with the word “target.” +● Cyberbullying: BPS has added (iv) to the definition contained +in the statute. +● Retaliation: this definition is not provided for under the +statute but is operative in the Code of Conduct. +● School Community: BPS has added “staff” to the definition +contained in the statute. +● Perpetrator: this definition is not provided for under the +statute but is operative in the Code of Conduct. +● Aggressor is a student who engages in bullying or +cyberbullying. +Bullying is the repeated use by one or more students or by a +member of school staff including, but not limited to, an educator, + + +Page 6: + +Superintendent’s Circular SSS-18 +Page 6 of 44 + +administrator, school nurse, cafeteria worker, custodian, bus +driver, athletic coach, advisor to an extracurricular activity, or +paraprofessional of a written, verbal, or electronic expression or a +physical act or gesture or any combination thereof, directed at a +target that: +I. +Causes physical or emotional harm to the target or damage +to the target's property +II. +Places the target in reasonable fear of harm to themselves +or of damage to their property +III. +Creates a hostile environment at school for the target +IV. +Infringes on the rights of the target at school +V. +Materially and substantially disrupts the education process +or the orderly operation of a school. +Cyberbullying is bullying through the use of technology or any +electronic communication which shall include, but shall not be +limited to, any transfer of signs, signals, writing, images, sounds, +data, or intelligence of any nature transmitted in whole or in part +by a wire, radio, electromagnetic, photoelectric or photo-optical +system, including, but not limited to, electronic mail, internet +communications, instant messages or facsimile communications. +Cyber-bullying shall also include: +I. +The creation of a web page or blog in which the creator +assumes the identity of another person +II. +The knowing impersonation of another person as the author +of posted content or messages, if the creation or +impersonation creates any of the conditions enumerated in + + +Page 7: + +Superintendent’s Circular SSS-18 +Page 7 of 44 + +clauses (iv) to (v), inclusive, of the definition of bullying +III. +The distribution by electronic means of a communication to +more than one person or the posting of material on an +electronic medium that may be accessed by one or more +persons, if the distribution or posting creates any of the +conditions enumerated in clauses (i) to (v), inclusive, of the +definition of bullying +IV. +The use of the internet and/or social media used for bullying +outside of school that disrupts the normal functioning of the +school day. + + + + + +Page 8: + +Superintendent’s Circular SSS-18 +Page 8 of 44 + +Hostile Environment is a situation in which bullying causes the +school environment to be permeated with intimidation, ridicule, +or insult that is sufficiently severe or pervasive to alter the +conditions of a student’s education. +Retaliation is any form of intimidation, reprisal, or harassment +directed against a student who reports bullying, provides +information during an investigation of bullying, or witnesses or +has reliable information about bullying. +The School Community consists of students, staff and +families/caregivers. +Staff includes, but is not limited to, educators, administrators, +counselors, school nurses, cafeteria workers, custodians, bus +drivers, athletic coaches, advisors to extracurricular activities, +support staff, and paraprofessionals. +Target is a student against whom bullying, cyberbullying, or +retaliation has been perpetrated. + +POLICIES AND PROCEDURES FOR REPORTING AND +RESPONDING TO BULLYING AND RETALIATION +To support efforts to respond promptly and effectively to bullying +and retaliation, the Boston Public Schools have policies and +procedures in place for receiving and responding to reports of +bullying or retaliation. These policies and procedures ensure that +members of the school community – students, +families/caregivers, and staff – know what will happen when +incidents of bullying are reported or occur (Attachment 1). +The Boston Public Schools, in accordance with MA Law M.G.L. c. + + +Page 9: + +Superintendent’s Circular SSS-18 +Page 9 of 44 + +71, § 37O, has designated the principal/school leader or designee +as the person responsible for receiving reports, recording +incidents, and investigating all incidents. The principal/head of +school or designee is responsible for responding to and resolving +all cases. All bullying allegations, no matter how they were +reported, (e.g., through the Safe Space and Bullying reporting +form or directly to the school leader, or directly to staff at the +school), shall be submitted to Succeed Boston using the Safe +Schools & Bullying Investigation form. All findings, including +supporting information, including witness statements (target, +aggressor, and any other relevant person) findings, and +conclusions, shall be submitted to Succeed Boston within five +school days, and findings of bullying shall be documented in the +BPS Student Information System (SIS). +A. Reporting Bullying or Retaliation +Reports of bullying or retaliation can be made by staff, students, +families/caregivers or others, and can be submitted through the +Safe Space and Bullying Prevention Hotline at 617-592-2378 or +directly online through the Safe Schools and Bullying Prevention +Incident Reporting Form. To report in your native language, +please call the Hotline and ask for translation services. Allegations +may also be submitted via email, text, or through the Bullying +Incident Reporting Form (Attachment 3). +All employees are required to report immediately to the +principal/school leader or designee, any instance of bullying or +retaliation the staff member becomes aware of or witnesses. +Reports may be made anonymously (see Attachment 3 for the +Boston Public Schools Safe Schools and Bullying Prevention and +Intervention Reporting Form and Attachment 4 for the Boston + + +Page 10: + +Superintendent’s Circular SSS-18 +Page 10 of 44 + +Public Schools Safe Schools and Bullying Prevention and +Intervention Anonymous Reporting Form). +Use of the Boston Public Schools Safe Schools and Bullying +Prevention and Intervention Reporting Form is not required as a +condition to making a report. +1. Reporting by Staff +A staff member shall report immediately to the principal/school +leader or designee when they witness or become aware of +conduct that may be bullying or retaliation. The requirement to +report to the principal/school leader or designee does not limit +the authority of the staff member to respond to behavioral or +disciplinary incidents consistent with each school’s policies and +procedures for behavior management and discipline. +2. Reporting by Students, Families/Caregivers, and Others +Boston Public Schools expects students, families/caregivers, and +others who witness or become aware of an instance of bullying or +retaliation involving a student to report it to the principal/school +leader or designee. +Reports may be made anonymously or not by calling the Safe +Schools and Bullying Prevention Hotline (617-592-2378) or filing a +report online using the Safe Space and Bullying Prevention +Reporting form. No disciplinary action will be taken against an +alleged aggressor solely based on an anonymous report. +Students, families/caregivers, and others may request assistance +from a staff member to complete a written report. Students will +be provided practical, safe, private, and age-appropriate ways to +report and discuss an incident of bullying with a staff member or +with the principal/school leader. + + +Page 11: + +Superintendent’s Circular SSS-18 +Page 11 of 44 + +3. Responding to a report of bullying or retaliation +Before fully investigating the allegations of bullying or retaliation, +the principal/school leader or designee will take steps to assess +the need to restore a sense of safety to the alleged target and/or +to protect the alleged target from possible further incidents. The +principal/school leader or designee shall contact the +families/caregivers prior to any investigation. Notice will be +consistent with state regulations at 603 CMR 49.00. +Under M.G.L. c. 71, § 37O, for children with special needs, the +Principal/Head of School will review the child’s IEP to +determine whether or not the child’s disability impacted or +impacts their ability to comply with the Code of Conduct +and/or this policy, and where appropriate, convene a TEAM +meeting to discuss and decide the appropriate +determination which may include behavioral support +services or other specialized services. +The principal/Head of School or designee shall inform the parent +or guardian of the target about the Department of Elementary +and Secondary Education’s Problem Resolution System (PRS) and +the process for accessing that system, regardless of the outcome +of the bullying determination. +Responses to promote safety may include, but not be limited to: +● Creating a personal safety or support plan +● Pre-determining seating arrangements for the target and/or +the aggressor in the classroom, at lunch, or on the bus +● Identifying a staff member who will act as a “safe person” for +the target +● Altering the aggressor’s schedule and access to the target. + + +Page 12: + +Superintendent’s Circular SSS-18 +Page 12 of 44 + + +The principal/school leader or designee will take additional steps +to promote safety during and after the investigation, as necessary. +They will implement appropriate strategies to protect students +from bullying or retaliation as a result of witnessing, providing +information during an investigation, reporting bullying or +retaliation or providing reliable information about a reported act +of bullying or retaliation. +The confidentiality of students and witnesses reporting alleged +acts of bullying will be maintained to the extent possible, given +the school’s obligation to investigate the matter. +B. Obligations to Notify Others +1. Notice to Families/Caregivers: +Within 24 hours of receipt of the bullying complaint and before +interviewing students, the principal/school leader or designee will +notify the families/caregivers of the target and the aggressor of +the allegations and their intent to interview their child. +Families of all student witnesses who may be interviewed will be +notified of their intent to interview their child. Should they +choose, the family has the right to be present for the interview +with their child. Upon completion of the investigation (not +beyond five school days after the receipt of the complaint), the +principal/school leader will notify the families/caregivers of the +target and the aggressor of the findings of the investigation and +the procedures used in responding to the complaint. +To ensure the safety of students and compliance with all BPS +mandates and State laws, repeated allegations from +families/caregivers and/or no response from the head of school + + +Page 13: + +Superintendent’s Circular SSS-18 +Page 13 of 44 + +will be forwarded to the Operational Leader and the School +Superintendent for follow-up assistance. +2. Notice to Another School or District: +If the reported incident involves students from more than one +school district, charter school, nonpublic school, approved private +special education day or residential school, or collaborative +school, the principal/school leader or designee first informed of +the incident will promptly notify by telephone the principal/school +leader or designee of the other school(s) of the incident so that +each school may take appropriate action. All communications will +be in accordance with state and federal privacy laws and +regulations and 603 CMR 23.00. +3. Notice to Law Enforcement: +At any point after receiving a report of bullying or retaliation, +including after an investigation, if the principal/school leader or +designee has a reasonable basis to believe that criminal charges +may be pursued against the aggressor, the principal/school leader +shall consult with their Operational Leader, the School +Superintendent, the Office of Safety Services and/or the Boston +Police Department School Unit, and other individuals the +principal/school leader or designee deems appropriate. +Note that pursuant to 603 CMR 49.06(2), notification to law +enforcement is not required in those situations in which the +school leader determines that the bullying and retaliation can +be handled appropriately within the school district or school. +Also, if an incident occurs on school grounds and involves a +former student under the age of 21 who is no longer enrolled +in school, the principal/head of school or designee shall +contact their Operational Leader, the School Superintendent, +the Office of Safety Services and/or the Boston Police +Department School Unit, for notification to law enforcement if + + +Page 14: + +Superintendent’s Circular SSS-18 +Page 14 of 44 + +they have a reasonable basis to believe that criminal charges +may be pursued against the aggressor. +In making this determination, the principal/School leader will, +consistent with the Plan and with applicable school or district +policies and procedures, consult with their Operational Leader, +the School Superintendent, Office of Safety Services and/or the +Boston Police Department School Unit and other individuals +the principal/school leader or designee deems appropriate. +The Superintendent’s Office shall be notified. + + + + +Page 15: + +Superintendent’s Circular SSS-18 +Page 15 of 44 + +C. Investigation (see Attachment 1) +The principal/school leader or designee will promptly investigate +all reports of bullying or retaliation and, in doing so, will consider +all available information known, including the nature of the +allegation(s) and the ages of the students involved. All reports of +staff on student bullying shall be investigated as such, and the +Office of Labor Relations shall be notified. +During the investigation, the school leader or their designee shall +notify the families/caregivers of the intent to interview their child +and will proceed (in the presence of the families/caregivers, if +requested) to gather information, interview students, staff, +witnesses, and others as necessary. +The principal/school leader or designee will remind the alleged +aggressor, target, and witnesses that retaliation is strictly +prohibited and will result in disciplinary action, per section 7.6.3 of +the Boston Public Schools Code of Conduct. +Interviews will be conducted by the principal/school leader or +designee, and in consultation with the school counselor, as +appropriate. To the extent practicable and given their obligation +to investigate and address the matter, the principal/school leader +or designee will maintain confidentiality during the investigative +process. The principal/school leader or designee will maintain a +written record of the investigation and upon completion, will file +and forward the Safe Schools and Bullying Prevention +Investigation Form and any additional materials to +saws@bostonpublicschools.org. +Procedures for investigating reports of bullying and retaliation will +be consistent with district policies and procedures for +investigations and for possible disciplinary action. If necessary, the + + +Page 16: + +Superintendent’s Circular SSS-18 +Page 16 of 44 + +principal/school leader or designee will consult with Succeed +Boston regarding consultation or appeals from +families/caregivers. The Office of the Superintendent shall be +notified should legal counsel pertaining to the investigation of the +alleged report be necessary. (See Attachment 1 for more specifics.) +D. Determinations +The principal/school leader or designee will make a determination +of bullying based upon the definition of bullying, the interviews +with students, staff, and families/caregivers. If, after investigation, +bullying or retaliation is substantiated, the principal/school leader +or designee will take steps reasonably calculated to prevent +recurrence and to ensure that the target is not restricted in +participating in school or in benefiting from school activities. +Within 5 days of receipt of the allegation, the principal/school +leader or designee will: +1. Determine what remedial action is required (e.g., +Safety/Support Plan, seating plan), if any +2. Determine what responsive actions and/or disciplinary +action is necessary, if any +3. Notify the families/caregivers of the target and the +aggressor about the results of the investigation and, if +bullying or retaliation is found, what action is being taken to +prevent further acts of bullying or retaliation +4. Submit the investigation and findings using the Safe +Schools and Bullying Prevention Investigation Form and, if +bullying was found, document the finding in the BPS SIS. +Depending upon the circumstances, the principal/school leader or +designee may choose to consult with the student’s teacher(s) +and/or school counselor, and the target’s or aggressor’s + + +Page 17: + +Superintendent’s Circular SSS-18 +Page 17 of 44 + +families/caregivers, to identify any underlying social or emotional +issue(s) that may have contributed to the bullying behavior and to +assess the level of need for additional social skills development. +All notices to families/caregivers must comply with applicable +state and federal privacy laws and regulations. Because of the +legal requirements regarding the confidentiality of student +records, the principal/head of school or designee cannot report +specific information to the target’s families/caregivers about the +disciplinary action taken unless it involves a “stay away” order or +other directives that the target must be aware of in order to +report violations. +For students with disabilities, the principal/school leader will +review the child’s IEP to determine whether the child’s disability +impacted or impacts their ability to comply with the Code of +Conduct and/or this policy, and where appropriate, convene a +TEAM meeting to discuss and decide the appropriate +determination which may include behavioral support services or +other specialized services. +NEW: Right to Appeal decisions related to the bullying +investigation, findings, and/or response may be submitted +using this link. + + + + +Page 18: + +Superintendent’s Circular SSS-18 +Page 18 of 44 + +E. Planning & Oversight +The following school or district leaders are responsible for the +following tasks under the Plan: +Task +Responsible Party +1) Receiving reports on bullying +Succeed Boston, School +Administrators, School Staff +2) Collecting and analyzing building- +and/or school-wide data on bullying +to assess the present problem and to +measure improved outcomes +Succeed Boston, +Superintendent’s Office, Office of +Data and Accountability, +RP/SAWS +3) Creating a process for recording +and tracking incident reports, and for +accessing information related to +targets and aggressors +Succeed Boston, Office of Data +and Accountability +4) Planning for the ongoing +professional development that is +required by the law +Succeed Boston +5) Planning supports that respond to +the needs of targets and aggressors +Succeed Boston, RP/SAWS, +Regional Liaison Teams +6) Choosing and implementing the +curricula that the school or district +will use +Succeed Boston, Office of Equity, +Bullying Prevention and +Intervention Advisory Group + + +Page 19: + +Superintendent’s Circular SSS-18 +Page 19 of 44 + +7) Developing new or revising current +policies and protocols under the Plan, +including an Internet Safety Plan, and +designating key staff to be in charge +of implementation +Principals, school leaders, +Succeed Boston, Office of the +Legal Advisor, Office of Equity, +Bullying Prevention and +Intervention Advisory Group +8) Amending district-wide and +school-based student and staff +handbooks and Codes of Conduct +Succeed Boston, Operational +Leaders, BPS Code of Conduct +Team and Office of the Legal +Advisor +9) Leading the families/caregivers or +family engagement efforts and +drafting information materials +Succeed Boston, Office of Family +and Community Advancement, +Parent University +10) Reviewing and updating the Plan +biennially, or more frequently as +needed +Superintendent’s Office, +Succeed Boston, Bullying +Prevention and Intervention +Advisory Group, Office of the +Legal Advisor, Office of Equity +As required by Chapter 86, of the Acts +of 2014, which amended G.L. c. 71, +§37O, the Boston Public Schools will +administer a department-developed +student survey at least once every +four years to assess “school climate +and the prevalence, nature and +severity of bullying in schools.” (G.L. c. +71, §37O(k)). This may include results +of the student/staff/family climate +Succeed Boston, Office of Data +and Accountability, Operational +Team + + + + +Page 20: + +Superintendent’s Circular SSS-18 +Page 20 of 44 + +survey. + +Each school community member is responsible for: +1. complying with this Plan, where applicable +2. ensuring that they do not harass, discriminate against, or +commit a crime against another person on school grounds +or in a school-related activity because of that person’s race, +color, religion, national origin, ethnicity, sex, sexual +orientation, age, or disability +3. ensuring that they do not bully another person on +school grounds or in a school-related activity +4. ensuring that they do not retaliate against any other +person for reporting or filing a complaint, for aiding or +encouraging the filing or a report or complaint, or for +cooperating in an investigation of harassment, bullying, +discrimination, or a hate crime + +5. cooperating in the investigation of reports or complaints +of harassment, bullying discrimination, retaliation, or a hate +crime. +TRAINING & PROFESSIONAL DEVELOPMENT +As required under M. G. L. c. 71, § 37O, Boston Public Schools +requires annual bullying prevention and intervention training +(available in person or asynchronously) for all school staff, +including lunch monitors, school police officers, secretaries, bus + + +Page 21: + +Superintendent’s Circular SSS-18 +Page 21 of 44 + +drivers, teachers, administrators, and all other itinerant staff. All +training is posted on Vector. For more information contact +Succeed Boston @ the Counseling and Intervention Center, (617) +635-8123. +Annual Staff Training on the Plan +Boston Public Schools will offer professional development to all +administrators, teachers, paraprofessionals, and all ancillary staff +members under the employment of the Boston Public Schools. +This includes Identifying Bullying Behavior, Types of Bullying, +Roles of Aggressors/Targets/Bystanders, Rights and +Responsibilities under the Law M. G. L. c. 71, § 37O, Information +regarding the most-risk populations (including LGBTQ+ students, +students with disabilities, English Language Learners), Internet +Safety, Reporting Responsibility, Adult Bias, and Addressing +Student Bias-Based Speech and Behavior. +Advanced Training +To provide effective bullying prevention and intervention services +and to build capacity, each school shall have at least 2 staff +trained as Bullying +Intervention Specialists (BIS). These specialists will: +● Serve as a resource to their school community on bullying +related matters +● Lead relevant training within their school community +● Coordinate the reporting and/or investigating of incidents if +designated by their school leader. +The Regional RP/SAWS will provide semi-annual training to the +regional BIS teams that will further develop best practices and + + +Page 22: + +Superintendent’s Circular SSS-18 +Page 22 of 44 + +resources. +Boston Public Schools will provide a 2-day Bullying Intervention +Specialist professional development quarterly throughout the +year. The advanced bullying intervention specialist training (see +Attachment 2) will be posted on Vector. +The training will include: +i. developmentally appropriate strategies to prevent and +intervene in bullying incidents +ii. information regarding the complex interaction and +power differential that can take place between and +among an aggressor, target, and witnesses to the +bullying +iii. research findings on bullying, and resources for the +development of programs in schools +iv. information on the incidence and nature of +cyberbullying and internet safety issues +v. bias-based bullying and sexual harassment +vi. issues specific to LGBTQ+ students +viii. students with disabilities +● legal rights/IDEA/FAPE +ix. adult bias and impact on bullying intervention +and prevention. +● The Regional RP/SAWS will continue to share literature +covering the latest information in bullying prevention & +intervention. This literature will include strategies for + + +Page 23: + +Superintendent’s Circular SSS-18 +Page 23 of 44 + +creating a culture and environment that will prevent +bullying. +● Professional Development opportunities to identify +strategies for students with disabilities who are either +accused of or are targets of bullying (per BPS Code of +Conduct). +● Annual updated electronic links to the Bullying Prevention +and Intervention Protocols. + + + + +Page 24: + +Superintendent’s Circular SSS-18 +Page 24 of 44 + + +ACCESS TO RESOURCES AND SERVICES +A key aspect of promoting positive school climates that provide +students with feelings of belonging and safety is ensuring that +the underlying emotional needs of all students are addressed. +These students include targets, aggressors, and bystanders of +bullying or cyberbullying. The Boston Public Schools will also +address the emotional needs of these students’ families. Please +see Anti-Bullying Resources for further information. +Identifying resources in schools +● School staff, together with building administrators, will work +to identify the school’s capacity to provide counseling, case +management, and other services for students (targets, +aggressors, bystanders) and their families. Curricula and +resources can be accessed through the Boston Public +School’s Succeed Boston’s website succeedboston.org +● Schools will conduct an annual review of staffing and +programs that support the creation of positive school +environments, focusing on early interventions and intensive +services, and develop recommendations and action steps to +fill resource and service gaps. +● The Boston Public Schools will continue to work in +collaboration with local and state agencies to adopt +evidence-based curricula and to provide additional +preventive services to students, families/caregivers and all +school staff. + + + + +Page 25: + +Superintendent’s Circular SSS-18 +Page 25 of 44 + + +Counseling and other services +● Succeed Boston’s Student Support and Prevention +Workshops provide an alternative to a suspension to +increase students’ understanding about the impact of +bullying, build empathy and social and emotional skills to +stop and prevent bullying. +● School counselors, nurses, school psychologists, and special +educators provide a variety of skill-based services to students +within the educational setting that include ongoing +emotional support, risk assessment, crisis intervention, and +help with community-based counseling referrals when +appropriate. +● School staff meet with families/caregivers and teachers as +needed to help address students’ academic, social, +emotional, and behavioral concerns as collaboratively as +possible. +● Regional liaisons, especially the RP/SAWS, will work with +school teams and administrators to develop and, if needed, +co-facilitate culturally and linguistically appropriate +resources to identified families. +● School counselors maintain up-to-date information on +community-based mental health referrals as well as +Community Service Agencies (CSAs) within the local area, +providing services to students and families. +● Regional liaisons, especially the RP/SAWS, will work +collaboratively with and support the BIS, school counselors, +school psychologists, and intensive special needs educators + + +Page 26: + +Superintendent’s Circular SSS-18 +Page 26 of 44 + +to: +1. Develop behavior plans and groups for students to build +upon their social and emotional skills, +2. Educate and support families/caregivers, +3. Conduct workshops for families/caregivers +4. Connect families/caregivers of outside resources to build +skills +STUDENTS WITH DISABILITIES +As required by M. G. L. c. 71B, § 3, as amended by Chapter 92 of the +Acts of 2010, when the IEP Team determines that the student has +a disability that affects social skills development or the student +may participate in or is vulnerable to bullying, harassment, or +teasing because of their disability, the Team will consider what +should be included in the IEP to develop the student’s skills and +proficiencies to avoid and respond to bullying, harassment, or +teasing. +REFERRAL TO OUTSIDE SERVICES +Boston Public Schools school counselors and other specialists will +help students and families access appropriate and timely services +necessary to address student needs as a result of bullying. +Referrals shall comply with relevant laws and policies. +ACADEMIC & NON-ACADEMIC ACTIVITIES +The Boston Public Schools will provide age-appropriate +instruction on bullying prevention in each grade and incorporate +it into the school’s or district’s curricula. Succeed Boston provides +online Student Support and Prevention Workshops to students in + + +Page 27: + +Superintendent’s Circular SSS-18 +Page 27 of 44 + +grades 1-12 to learn about the impact of bullying and develop skills +to stop and prevent bullying. +Effective instruction will include classroom approaches, whole +school initiatives, focused strategies for bullying prevention, and +social skills development. +Specific bullying prevention approaches: +● Using scripts and role plays to develop skills. +● Empowering students to take action by knowing what to do +when they witness other students engaged in acts of +bullying or retaliation, including seeking adult assistance. +● Helping students understand the dynamics of bullying and +cyberbullying, including the underlying power imbalance. +● Build and reinforce student empathy. +● Reinforce and elevate students who model being helpful +bystanders +● Emphasizing cyber safety, including safe and appropriate +use of electronic communication technologies +● Enhancing students’ skills for engaging in healthy +relationships and resolving conflicts with respectful +communications. +● Engaging students in a safe, supportive school environment +that +● is respectful of diversity and difference. + + + + +Page 28: + +Superintendent’s Circular SSS-18 +Page 28 of 44 + +General teaching approaches that support bullying prevention +efforts: +● Create a strong anti-bullying plan that will be enforced first +and foremost by adults +● Build in learning and embed bullying in the curriculum (e.g., +ELA, social studies, history, health classes) +● Empower bystanders who witness bullying activities with +skills and support to intervene appropriately +● Promote acceptance and respect in order to improve the +school climate to include all students in meaningful ways +● Help students and staff understand the definition of bullying +– what it is and what it isn’t (e.g., conflict, fighting, teasing) +● Recognize the dynamics and complexities involved in +aggressor-target relationships +● Develop intervention programs that will reduce the +prevalence of bullying behaviors and create a safe school +climate that fosters positive learning experiences for all +students +● Be creative in developing strategies to promote social +competence for children who are aggressors, targets of +bullying, and bystanders +● Develop ways to help students who are aggressors find more +prosocial ways of experiencing positive rewards +● Build an effective support system for protecting targets of +bullying. + + +Page 29: + +Superintendent’s Circular SSS-18 +Page 29 of 44 + +The Boston Public Schools has incorporated a range of +individualized strategies and interventions that may be used in +response to remediate a student’s skills or to prevent further +incidents of bullying and/or retaliation. Combining and +incorporating a Multi-Tiered System of Support (MTSS), social and +emotional skill building, school-wide positive behavior +interventions and supports (PBIS) focused on prevention services +school-wide, creates a level change across the classroom, school, +and district. These changes not only improve outcomes but +address and improve the academic and non-academic needs of +all students, including students with disabilities. +TEACHING APPROPRIATE BEHAVIOR THROUGH SKILL BUILDING +Upon the principal/school leader or designee determining that +bullying or retaliation has occurred, the law requires that the +school or district use a range of responses that balance the need +for accountability with the need to teach appropriate behavior. +M.G.L. c. 71, § 37O. +Skill-building approaches that the principal/school leader or +designee may consider include: +● referring students to Succeed Boston online Student +Support and Prevention Workshops for students in grades 1- +12 to learn about the impact of bullying and develop skills to +stop and prevent bullying +● providing relevant push in support and co-facilitation of +educational and social and emotional skill building activities +for individual students or groups of students, in consultation +with school counselors and other appropriate school +personnel +● implementing a range of academic and nonacademic + + +Page 30: + +Superintendent’s Circular SSS-18 +Page 30 of 44 + +positive behavioral supports to help students understand +prosocial ways to achieve their goals. +● meeting with families/caregivers to support and to reinforce +the anti-bullying curricula and social skills building activities +at home +● adopting support plans to include a focus on developing +specific social skills; making a referral for evaluation. +TAKING DISCIPLINARY ACTION +If the principal/school leader or designee decides that disciplinary +action is appropriate, the disciplinary action will be determined +based on facts found by the principal/school leader or designee, +including the nature of the conduct, the age of the student(s) +involved, a child’s IEP where appropriate, and the need to balance +accountability with the teaching of appropriate behavior. +Discipline will be consistent with the Boston Public Schools +Bullying Prevention and Intervention Plan, the Boston Public +Schools Code of Conduct, and with the school-based student +handbook. Discipline procedures for students with disabilities are +governed by the federal Individuals with Disabilities Education +Act (IDEA), which should be read in cooperation with state laws +regarding student discipline. +If the principal/school leader or designee determines that a +student knowingly made a false allegation of bullying or +retaliation, that student may be subject to disciplinary action +consistent with the BPS Code of Conduct. + + + + +Page 31: + +Superintendent’s Circular SSS-18 +Page 31 of 44 + + +PROMOTING SAFETY FOR THE TARGET AND OTHERS +The principal/school leader or designee(s) will consider what +adjustments (including a safety/support/action plan) are needed +in the school environment to assure the target's sense of safety +and that of others. +Within a reasonable period following the determination and the +ordering of remedial and/or disciplinary action, the +principal/school leader or designee will contact the target and the +families/caregivers to determine whether there has been a +recurrence of the prohibited conduct and whether additional +supportive measures are needed. If so, the principal/school leader +or designee will work with appropriate school staff to implement +them immediately. +COLLABORATION WITH FAMILIES/CAREGIVERS +The Boston Public Schools Bullying Prevention and Intervention +Plan includes strategies to engage and collaborate with students’ +families/caregivers to increase the capacity of each of our schools +as well as the district to prevent and respond to bullying. +Resources for families/caregivers and communication with them +are essential aspects of effective collaboration. The bullying +prevention and intervention curricula used by the schools shall be +made available to families/caregivers and include: +1. How families/caregivers can reinforce the curricula at +home and support the school or district plan +2. The dynamics of bullying +3. Online safety and cyberbullying + + +Page 32: + +Superintendent’s Circular SSS-18 +Page 32 of 44 + +Families/caregivers will also be notified in writing each year about +the student-related sections of the Boston Public Schools Bullying +Prevention and Intervention Plan and the Boston Public Schools +Internet Acceptable Use Policy. +Schools will collaborate with School Site Councils and parent +organizations to create families/caregivers’ resources and +information networks. Schools will join with these +families/caregivers groups to offer education programs for them +that are focused on the components of the anti-bullying curricula +and any social competency curricula used by the school(s). +Schools will annually inform families/caregivers of enrolled +students about the anti-bullying curricula that are being used. +This notice will include information about the dynamics of +bullying, including cyberbullying and online safety. All notices +and information made available to families/caregivers will be in +hard copy and electronic formats and will be available in the +language(s) most prevalent in BPS. Each school will post the +Boston Public Schools Bullying Prevention and Intervention Plan +and related information on its website. +RELATIONSHIP TO OTHER LAWS +Consistent with state and federal laws and the policies of the +school or district, no person shall be discriminated against in +admission to a public school of any town or in obtaining the +advantages, privilege, and courses of study of such public school +on account of race, color, sex, religion, national origin, or sexual +orientation. Nothing in the Boston Public Schools Bullying +Prevention and Intervention Plan prevents the school or district +from taking action to remediate discrimination or harassment +based on a person’s membership, or perceived membership, in a +legally protected category under local, state, or federal law, or + + +Page 33: + +Superintendent’s Circular SSS-18 +Page 33 of 44 + +school or district policies. +In addition, nothing in this Plan is designed or intended to limit +the authority of the school or district to take disciplinary action or +other action under M.G.L. c. 71, §§ 37H or 37H½, other applicable +laws, or local school or district policies in response to violent, +harmful, or disruptive behavior, regardless of whether this Plan +covers the behavior. +For more information about this circular, contact: +Owner: +Senior Director of Succeed Boston @ the +Counseling and Intervention Center +Department: +Succeed Boston @ the Counseling and +Intervention Center +Mailing +Address: +515 Hyde Park Ave, Roslindale, MA 02131 +Phone: +617-635-8123 +Email: +Operations-Department- +Heads@bostonpublicschools.org +saws@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 34: + +Superintendent’s Circular SSS-18 +Page 34 of 44 + + +ATTACHMENTS: +1. How to Conduct a Bullying Investigation +2. Professional Development — Bullying Intervention Specialist +Training +3. Safe Schools and Bullying Prevention and Intervention +Reporting Form + + + + +Page 35: + +Superintendent’s Circular SSS-18 +Page 35 of 44 + +ATTACHMENT 1: +HOW TO COMPLETE A BULLYING INVESTIGATION +Step 1: After contacting families/caregivers, set up a +meeting with the alleged targeted student (target) +Are there safety concerns? If yes, develop a safety plan with the +input of the target and the families/caregivers. +a. Consider class seating, bus, lunch, recess, and “specials.” +b. With the help of the targeted student, identify a trusted +adult the student can go to for assistance. +● Notify the trusted adult of the plan. +● Notify the teacher(s) of the allegation and the trusted +adult. +c. Consider an inconspicuous way the target could signal in +real-time that something was happening and/or the target +needed to leave the room to go to a prior agreed-upon class, +office, person. +d. Take a statement from the target and get the names of +witnesses if any. +Step 2: After contacting the families/caregivers of the alleged +aggressor, set up a meeting with the student. +Are there any safety concerns? If yes, develop a safety or action +plan with the input of the aggressor and the families/caregivers. +a. Consider class seating, bus, lunch, recess, and +“specials.” + + +Page 36: + +Superintendent’s Circular SSS-18 +Page 36 of 44 + +b. With the help of the aggressor, identify a trusted adult +the student can go to for assistance. +c. Notify the trusted adult of the plan. +d. Notify the teacher(s) of the allegation and the trusted +adult. +e. Consider an inconspicuous way the target could signal in +real-time that something was happening, and/or the target +needed to leave the room to go to a prior agreed-upon +class, office, or person. +If there are no safety concerns for the aggressor, develop an +action plan that keeps the target and aggressor separate. +a. Consider class seating arrangements, lunch bus, “specials” +and recess. +b. Notify the teacher(s) of the allegation, and any action +plans developed. +c. Take a statement from the alleged aggressor. +Step 3: Document statements from all witnesses +Step 4: Assess whether the situation meets the standard for +bullying: +1. Power imbalance +2. Repeated +3. Intentional + + + + +Page 37: + +Superintendent’s Circular SSS-18 +Page 37 of 44 + + +Step 5: Does this allegation involve targeting based on, or +perceived, membership in a protected class (race, color, national +origin, ethnicity, religion, pregnancy, homelessness, criminal +record, sex, sexual orientation, gender identity, disability, age, +genetics, or active military status?) If yes, contact the Boston +Public Schools Office of Equity. +If no, proceed to step 6. +Step 6: All allegations of bullying that have been investigated +must be filed with Succeed Boston by completing the Safe +Space and Bullying Prevention Investigation Reporting Form +and documented in the BPS SIS. +1. Document dates of meetings and calls with +families/caregivers. +2. Document all interviews. +3. Determine if the allegation is bullying, retaliation, simple +conflict, or Code of Conduct violation. +4. Document action taken. +5. Schedule a date to follow up with all parties. +6. Document incident in SIS under the Conduct Module +Section 7.1. of the Code of Conduct. +Please note: +● Upon receipt of the bullying complaint, the principal/school +leader or designee must confirm receipt of the complaint to +the families/caregivers within 24 hours. + + +Page 38: + +Superintendent’s Circular SSS-18 +Page 38 of 44 + +● The investigation must be completed within 5 school days, +and the principal/school leader or designee will notify the +families/caregivers of the target and the aggressor of the +findings, and of the procedures for responding to it. +● To ensure the safety of students and compliance with all BPS +mandates and State laws, repeated allegations from +families/caregivers and/or no response from the +principal/school leader will be forwarded to the operational +leader and the school superintendent for follow-up. + + + + +Page 39: + +Superintendent’s Circular SSS-18 +Page 39 of 44 + +ATTACHMENT 2: +BOSTON PUBLIC SCHOOLS 12 HOUR PROFESSIONAL +DEVELOPMENT +“Bullying Intervention Specialist Training” +To build capacity across the district and effectively deal with +allegations of bullying, each school must have at least two staff +complete the 12-hour training leading to certification as a +“Bullying Intervention Specialist.” Once certified, these specialists +will lead the annual bullying prevention and intervention training +at their schools and will spearhead the creation and maintenance +of Caring Communities and Bully Free Schools. Succeed Boston +will offer quarterly training sessions throughout the school year. +Please register on Teach Point. +In this training, staff will: +● Learn about state and district regulations, procedures and +protocols +● Become familiar with BPS reporting and investigation +protocols +● Develop safety plans for targets and action plans for +aggressors +● Learn about the different types of bullying +● Differentiate between bullying and conflict and how to +respond to each +● Understand the role school staff play in preventing bullying +● Learn about culturally and linguistically sustaining practices + + +Page 40: + +Superintendent’s Circular SSS-18 +Page 40 of 44 + +that lead to spaces that feel safe, welcoming and are +inclusive +● Understand how adult bias and micro-aggression impact +staff’s ability to effectively develop relationships with +students involved in bullying +● Develop an awareness of suicide and suicide prevention +resources +● Understand the unique way bullying impacts LGBTQ+ and +ELL students and students with disabilities +○ Become familiar with FAPE and IDEA as they relate to +bullying +● Develop strategies to empower bystanders +● Learn to differentiate bullying and bias-based speech and +behavior +● Learn best practices to address bullying +● Listening and talking to families with empathy +● Become familiar with resources to develop and implement +school-based programs. +● Develop plans for family workshops + + + + +Page 41: + +Superintendent’s Circular SSS-18 +Page 41 of 44 + +ATTACHMENT 3: +SAFE SPACE AND BULLYING PREVENTION REPORTING +FORM - Boston Public Schools +1. Name of the person reporting this bullying allegation. +Write "NA" if you want to report anonymously. Note, +no disciplinary action will be taken solely on the basis +of an anonymous report. +2. Phone number of the person reporting this bullying +allegation. Write "NA" to remain anonymous +3. Who is reporting this bullying allegation? +○ I'm a student reporting for myself +○ I'm a student reporting for another student +○ I'm a family member/caregiver reporting on +behalf of my child +○ I'm a school staff member (admin, educators, +support staff, etc.) reporting for a student +4. Name and email of person completing this form (if +different than above): Write "NA" if not relevant. +5. Role of person completing this form (if different than +above) +○ Bullying Hotline Staff (Succeed Boston staff only) +○ BPS Help Line Staff +○ School Staff member + + +Page 42: + +Superintendent’s Circular SSS-18 +Page 42 of 44 + +○ NA +6. Have you already reported this incident to the school +leader? +○ Yes +○ No +7. Name of alleged target: +8. Student ID# of alleged target: (Please put 0 if +unknown) +9. School of alleged target: +10. Grade of alleged target: +11. Does the alleged target receive special education +services? +○ Yes +○ No +○ Unsure +12. Name and grade of the alleged aggressor(s): (If the +alleged aggressor is an adult, please indicate) +13. Do any alleged aggressor(s) attend a different school? +If yes, please type the name of the school(s) below. (If +not, please write "NA") +14. Date, time, and location of incident(s): (If not known, +please write "NA") + + +Page 43: + +Superintendent’s Circular SSS-18 +Page 43 of 44 + + +15. If the incident occurred on a school bus, please list +the bus number below: (If not on a bus, please write +"NA") +16. Describe the incident, including names, details of +what happened, and specific words used. You may +send additional evidence (i.e., video, screenshots, +emails) to saws@bostonpublicschools.org. +17. Witnesses: List the names of any people who saw the +incident or may have information about it: (If none, +please write "NA") +18. Does this bullying allegation involve bias-based +speech or behavior? “Bias-based” bullying, including +cyberbullying or harassment, is when a person is +bullied because of membership in, or perceived +membership in, a protected class. Protected classes: +race, color, age, physical or mental disability, +pregnancy and pregnancy-related conditions, +criminal record, homelessness, sex/gender, gender +identity, religion, national origin, ancestry, sexual +orientation, genetics, natural or protective hairstyle, +socioeconomics, and retaliation. Please note: All +investigations involving bias-based speech or +behavior will be forwarded to the Office of Equity by +Succeed Boston. +○ Yes +○ No + + +Page 44: + +Superintendent’s Circular SSS-18 +Page 44 of 44 + +19. Are you concerned for the student's safety? +○ Yes +○ No + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-07 +Version 01 + + + + +“PERSISTENTLY DANGEROUS” SCHOOLS – +STANDARDS FOR DETERMINATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +BACKGROUND +Section 9532 of the Elementary and Secondary Education Act +(ESEA), as amended by the Every Student Succeeds Act of 2015 +(ESSA) states: +Each State receiving funds under this chapter shall establish +and implement a statewide policy requiring that a student +attending a persistently dangerous public elementary +school or secondary school, as determined by the State in +consultation with a representative sample of local +educational agencies, or who becomes a victim of a violent +criminal offense, as determined by State law, while in or on +the grounds of a public elementary school or secondary +school that the student attends, be allowed to attend a safe +public elementary school or secondary school within the +local educational agency, including a public charter school. +20 U.S.C. § 7912. + + + +Page 2: +Superintendent’s Circular SSS-07 +Page 2 of 6 + + +STANDARDS +The Massachusetts Department of Elementary and Secondary +Education, at a meeting of the State Board of Education on +March 25, 2003, established the standards to determine an +“unsafe” or “persistently dangerous” school. A school may be +deemed unsafe either as a whole entity or for an individual +student who becomes a victim of a violent criminal offense. +These standards were implemented as of July 1, 2003. Following +are the standards for (1) individual students and (2) the whole +school determination. + +INDIVIDUAL STUDENT OPTION +Beginning in the 2003/2004 school year, any student who during +school hours becomes a victim of a “violent criminal offense” (as +defined by Massachusetts General Laws Chapter 140, Section 121) +which takes place in or on the grounds of a public elementary or +secondary school that the student attends must be allowed, to +the extent feasible, to transfer immediately to another public +school within the school district. For purposes of this policy, “in or +on the grounds” of the school includes school premises, school +buses, and attendance at school sponsored or school related +events including athletic games and field trips. + + + + +Page 3: +Superintendent’s Circular SSS-07 +Page 3 of 6 + + + +WHOLE SCHOOL OPTION +To be designated as “persistently dangerous,” a school must +meet either of the following criteria for three consecutive years +beginning with the most recent enrollment data available to the +Department, as well as the prior two years: + +• One or more students have been expelled for violation of +the Federal Gun-Free Schools Act, v.z. Section 7.3.1. of the +BPS Code of Discipline (October 2006 ed), or; + +• The number of students who have been expelled from +school for a period greater than 45 days under Mass. +General Laws Chapter 71, Section 37H for weapons or +physical assaults or for violent crimes as defined by Mass. +General Laws Chapter 140, Section 121 exceeds 1.5% of the +student enrollment. The rate will be based on each +individual school’s enrollment data submitted to the +Department (i.e., October Report). + +Students who qualify for a safety transfer under either of the +aforementioned options will be transferred through the safety +transfer process (Superintendent’s Circular AMT-07, Safety +Transfer Request Procedures). Documentation of a “violent +criminal offense” must be attached to the safety transfer request +form in the case of a single student option request. It is +anticipated that the Department of Elementary and Secondary +Education (DESE) will designate schools as “persistently +dangerous” based on the aforementioned criteria prior to the + + +Page 4: +Superintendent’s Circular SSS-07 +Page 4 of 6 + + +start of school each year. Such a designation will be forwarded +directly to the superintendent by the Massachusetts Department +of Elementary and Secondary Education. + +REMEDIAL ACTION +For any school that meets either standard for a “persistently +dangerous “ school designation for two consecutive years, +DESE will request that the school and district evaluate their needs +and adopt or revise a corrective action plan to ensure a safe school +environment for all students and staff. The school and district shall +maintain the corrective action plan as a public record. To the +extent feasible, DESE will provide technical assistance to the +school and district. + +For any school that meets either standard for a “persistently +dangerous “ school designation for three consecutive years, +DESE will designate the school as “persistently dangerous.” +Parents may then exercise their right to have their child attend a +safe public elementary or secondary school within the local +educational agency (school district). The school will be required to +submit a corrective action plan to DESE. To the extent feasible, +DESE will collaborate with other state and local agencies to +provide support and technical assistance to the school and +district. +If DESE notifies a school or district that the school is or may be +designated as “persistently dangerous,” school officials will have +ten working days to present information to DESE that may have a +bearing on the designation. The local officials’ response may + + +Page 5: +Superintendent’s Circular SSS-07 +Page 5 of 6 + + +include any or all of the following: + +1. Clarification of the disciplinary incident data submitted +2. The school’s safety plan +3. Local efforts to address the school’s safety concerns +4. The school safety data reported to the state consistent with +requirements of ESEA, Title IVA +5. Safe and Drug-Free Schools and Communities Act, section +4112 (c) (3) +6. More current data that the school may have available +7. Any extenuating circumstances +8. Any other information the school officials believe may be +relevant + +The Massachusetts Department of Elementary and Secondary +Education will review the information provided by the school +officials before making a final determination. +It is important to note that failure to transfer a student in a timely +manner as required by the law and the Massachusetts +Department of Elementary and Secondary Education could result +in the loss of federal funds. + + + + + + + +Page 6: +Superintendent’s Circular SSS-07 +Page 6 of 6 + + + +For more information about this circular, contact: +Owner: +Deputy Superintendent of Operations +Department: +Deputy Superintendent of Operations +Mailing +Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9643 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-19 +Version 01 + + + +HOME AND HOSPITAL INSTRUCTION SERVICES +This circular will remain in effect unless rescinded or superseded +by a subsequent version + + +POLICY +The intent of Boston Public Schools (BPS) Home and Hospital +Instruction is to provide a student receiving a publicly funded +education with the opportunity to make educational progress +even when a physician determines that the student is medically +unable to attend school. In compliance with Massachusetts +regulation 603 CMR 28.03(3), BPS Home and Hospital Instruction +collaborates with schools, parents, agencies, and hospitals to +ensure alignment of educational goals and curriculum for +accurate service delivery to provide, at a minimum, the +instruction necessary to enable the student to maintain progress +in their courses of study and minimize the educational loss that +might occur during the period when the student is confined at +home or in a hospital. Services are provided with sufficient +frequency to allow the student to continue their educational +program, as long as such services do not interfere with the +medical needs of the student. + + +Page 2: +Superintendent’s Circular SSS-19 +Page 2 of 13 + + + +INTENT OF MASSACHUSETTS REGULATIONS ON EDUCATIONAL +SERVICES IN THE HOME OR HOSPITAL +Home and Hospital Instruction is not to be confused with Special +Education services, “unless the student has been determined +eligible for such services, and the services include services on the +student’s IEP.” Home and Hospital Instruction is a special type of +service provided under the Americans with Disabilities Act (ADA) +and state law for the purpose of ensuring that medically involved +students receiving a publicly funded education have equal access +to education as do their counterparts. Publicly funded education +includes Boston Public Schools, charter schools, Boston resident +students who are enrolled at out of district schools, including +METCO and private placements, and students on private tuition +(see Attachment B). Students who are on private tuition are +eligible only if they have an Individualized Education Program +(IEP) or fall under the special education umbrella. +The eligibility guidelines of Home and Hospital Instruction are: +● A physician determines that a student is physically unable +to attend school. +● A student has been or will be out of school for more than 14 +consecutive days or can be anticipated to accumulate more +than 14 absences in a school year at home or in a hospital +(i.e., sickle cell disease, cancer treatment, etc.). +● When it is deemed by the student’s attending physician or +pediatrician that they will be confined to a home or hospital +setting for more than 60 (sixty) days, the student will then +be evaluated by the Special Education Department under +state guideline/regulation 603 CMR 28.04(4). When it is + + +Page 3: +Superintendent’s Circular SSS-19 +Page 3 of 13 + + + +known that a student will be out for more than 60 (sixty) +days, it is recommended that the physician complete the 60 +Day Physician Statement. +● A student is marked Constructively Present (CP) for the +period during which the student receives home/hospital- +based services and receives a passing grade for all work that +has been satisfactorily completed. No home/hospital-based +instruction will be provided over the summer break unless +designated in an IEP and the child is unable to attend +Extended School Year. +IMPLEMENTATION OF HOME AND HOSPITAL INSTRUCTION +Role of the parent: +● Provide consent for the exchange of information between +the student's physician and the district to ensure an open +line of communication between service providers. +● Maintain communication with the school to ensure that +grading is occurring according to classroom guidelines. +● Inform school of the student’s medical needs that will +require home and hospital instruction. +● Provide the school nurse with all the medical information to +ensure that when the student is in school, the medications, +procedures, and protocols are in place to ensure medical +safety and optimal learning. This includes completing, along +with the physician of record, the Individual Collaborative +Health Plan (ICHP) form if the physician indicates that the +student’s health during this period will affect the provision +of full educational services and this form has not previously + + +Page 4: +Superintendent’s Circular SSS-19 +Page 4 of 13 + + + +been completed. +● Ensure that the student’s physician of record completes the +Home and Hospital Physician Statement form and the ICHP. +● Participate in the action plan for their child based on the +ICHP and the Physician Statement. +● Provide an appropriate learning environment at home. +● Ensure that someone over the age of 18 is at home when the +tutoring occurs (or arranges a neutral meeting place such as +a library), notify the central office if the tutor does not keep +the appointment, and sign the instructor’s sheet after each +session. +Role of the physician: +● Submits a completed Physician Statement (see Attachment +A) verifying the medical or psychological illness to the +school’s nurse for verification. When it is known that a +student will be out for more than 60 days, it is +recommended that the physician complete the 60 Day +Physician Statement. +The Physician Statement should include the date the +student will be confined, medical diagnosis, expected return +date, and medical information that may prevent the student +from accessing the provision of a full education. +● If the physician identifies on the Physician Statement that +the student’s health during this period will affect the +provision of full educational services, the physician needs to +complete the ICHP in conjunction with the parent. +● The physician is expected to remain aware of the time frame + + +Page 5: +Superintendent’s Circular SSS-19 +Page 5 of 13 + + + +the child is out of school. +● Participate in a re-entry plan to ensure the child can return +to the school environment without impediments. +ROLE OF THE SCHOOL ADMINISTRATOR: +● Identifies a person to be the school contact (i.e., guidance +counselor, student support staff, nurse, or administrator) +who will serve as a liaison for students who are home and +hospital bound. +● Submit the designated point of contact to the Home and +Hospital Instruction Program within the Department of +Opportunity Youth (OY). +● If needed, refer a school-based teacher to Home and +Hospital Instruction to serve as the home tutor. +● Ensure appropriate school-level communications to prompt +a timely N1 team meeting with special education for +students who will be out for more than 60 days. +● Oversee the coordination of key school staff to ensure +students in Home and Hospital Instruction have school- +based support in the areas of academics, curriculum, +attendance, and testing as appropriate and necessary. +Role of the school nurse: +● The school nurse reviews and submits the completed +Physician’s Statement form and non-BPS student form to +Home and Hospital Instruction (617-635-6633) for +coordination of services. +● Communicate with the Home and Hospital Instruction team + + +Page 6: +Superintendent’s Circular SSS-19 +Page 6 of 13 + + + +as needed to ensure students have appropriate access to +services and tutoring. +● Coordinate with the physician or medical provider as +needed to confirm, verify, or request updates to information +in Physician Statement. +● Collaborate with the school-based and Special Education +team to ensure appropriate support of the student’s +academic goals while in Home and Hospital Instruction. +● Request a medical update from the physician after 2 +months if the student still needs home tutoring. +● When it is known that a student will be out for more than 60 +days, it is recommended that the school nurse coordinate +with the family and/or medical provider to ensure that the +physician completes the 60 Day Physician Statement. +Role of the teacher: +● Ensure that the student follows the same classroom syllabus +and rubric as the non-medically involved students. +● Modify home and hospital assignments as needed so the +student can continue to make academic progress. +● Correct the work and assign appropriate grades to the +student. +● Notify parents of the student’s progress. +Role of the identified school-based contact to Home and +Hospital Instruction: +● Determine if online curriculum is appropriate and posts +online. + + +Page 7: +Superintendent’s Circular SSS-19 +Page 7 of 13 + + + +● Collect materials/assignments from the student’s teachers +for the home and hospital instructors. +● If students are hospitalized, the school contact provides +materials/assignments to parents. Work can also be faxed +or emailed to the hospital instructors. +● If a student is homebound, the school contact provides +materials/assignments to the home instructors. +● Communicate frequently with the Home & Hospital +Instruction Program, home-based instructors, students, and +parents to assure continuity of services and that student +needs are being met. +● Receive completed work from the home or hospital +instructors and deliver the work to the student’s teachers. +● Ensure students are not being marked absent but as +Constructively Present (CP). Students’ attendance should +reflect “Home Tutoring” as the “reason code” to avoid “did +not report’ (DNR) and automatic withdrawal from school. +● Ensure grades are entered and report cards are generated. +● Sign off on home instructor timesheet once monthly. +● Retain copy of scholastic and attendance records. +● Work with the Office of Special Education to assure qualified +students are evaluated for an IEP or 504 plan. +Role of Home and Hospital Instruction: +● Oversee the Home and Hospital Instruction program, +including tutor recruitment, application, assignment, +payment, and training. + + +Page 8: +Superintendent’s Circular SSS-19 +Page 8 of 13 + + + +● Identify tutoring vendors in conjunction with the hospital. +● Identify a home instructor once eligibility is confirmed. +● Maintain a tracking system of all students receiving Home +and Hospital Instruction. +● Provide training on protocol and procedures to all Home +and Hospital instructors. +● Perform quality assurance monitoring, which can include +random visits to tutoring sites. +● Assist schools in academic advising. +● Determine, in conjunction with the school, the family and +the medical needs, the length and frequency of tutoring +sessions. In general, the length should not exceed 3 hours in +one sitting, and the frequency is generally 3 times per week, +with a range of 2- 10 hours. +Role of the Home and Hospital instructors: +● Participate in the Home and Hospital Instruction training +program and review/implement the Protocol and Procedure +Manual for Home Instructors. +● Confirm tutoring assignments with the school within 24 +hours of receipt. +● Maintain communication with the school’s designated +school-based contact person. +● Complete scholastic records on individual students. +● Maintain a timesheet with daily parental sign-off. +● Provide direct tutorial services on an individualized basis to +assigned students. + + +Page 9: +Superintendent’s Circular SSS-19 +Page 9 of 13 + + + +● Arrange designated material pick-up times with the school’s +contact. +● Schedule tutoring sessions with parents. + +For more information about this circular, contact: +Owner: +Senior Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 10: +Superintendent’s Circular SSS-19 +Page 10 of 13 + + + + + + +Page 11: +Superintendent’s Circular SSS-19 +Page 11 of 13 + + + + + + + + +Page 12: +Superintendent’s Circular SSS-19 +Page 12 of 13 + + + +ATTACHMENT B +This form is to be completed by the school on Non-BPS students: +Private, Charter, Out of District, Private Placement and METCO +This student is currently receiving hospital/home tutorial services +through Boston Public Schools. In addition to the Physician’s +Statement (form 603 CMR 28.3(3)c), please submit the following +information for the referred student: + +Student Name: ___________________________________________________ +Address: __________________________________________________________ +Parent/Guardian: _________________________________________________ +Telephone: Home______________________Cell ______________________ +Date of Birth: ___________________________________________________ +Race: ____________________________________________________________ +M______ F______ Grade: ____________ +School Name: ____________________________________________________ +School Address: __________________________________________________ +School Phone: ____________________________________________________ +School Contact: __________________________________________________ +Email Address: ___________________________________________________ +FAX #: _____________________________ + + +Page 13: +Superintendent’s Circular SSS-19 +Page 13 of 13 + + + +Is the student receiving special education services? +Yes____ No_____ Unknown ______ + +Please return this form to: +Home and Hospital Program Coordinator +Boston Public School, Home and Hospital Instruction +443 Warren Street, Dorchester, MA 02121, Suite #2 +or email to: Operations-Department Heads@bostonpublicschools.org +Contact Information: +Office 617-635-6633 +FAX 617-635-6635 + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-09 +Version 01 + + + +EMPLOYMENT PERMIT APPLICATIONS AND ISSUANCE +OF WORK PERMITS FOR STUDENTS AGES 14 +THROUGH 17 +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +During the school year, all Boston Public School students +requiring working papers (employment permits and educational +certificates) will obtain such from guidance counselors or +designated staff in their individual schools. +• Guidance counselors will supervise the issuance of working +papers, but the secretary designated by the principal or +head of school will perform the clerical process of issuing +the papers. +• Principals and heads of school will determine the time that +the secretary will perform this function. +• Occasionally, exceptional circumstances (e.g., heavy +workload, unscheduled assignments) occur, making it +impossible for the secretary to perform this task. During +those times, the guidance counselor will process working +papers. +Charter schools are public schools. Charter school students will +obtain the employment permit from their school staff. + + +Page 2: +Superintendent’s Circular SSS-09 +Page 2 of 4 + + + +Parochial, private, and METCO school students who are residents +of Boston will obtain the required permits/certificates through +the Welcome Centers of the Boston Public Schools using the +online process located on the BPS website +www.bostonpublicschools.org. Boston Public School students +can also obtain their permits/certificates using the online process +located on the Boston Public Schools website +www.bostonpublicschools.org when their school is not in session +(e.g., summer months, school vacations, etc.). + +PROCEDURE +All students under the age of 18 must obtain a work permit +before starting a new job per Massachusetts General Laws, +Chapter 149, Sections 86-89. +The following process must be followed as outlined in the +Commonwealth of Massachusetts Employment Permit +Application for 14 through 17-year-olds. +1. All students must obtain a Promise of Employment. +2. The employer must complete the Promise of Employment +section and sign off on it. +3. ONLY 14 and 15-year-olds must obtain a signed physician’s +certificate of health. +4. All students must have their parent/guardian sign the +permit application. +5. The student must also sign the permit application. + + +Page 3: +Superintendent’s Circular SSS-09 +Page 3 of 4 + + + +6. When the permit application is completed, it should be +returned to the school guidance +7. counselor or the school designee. + +The school staff will verify the date of birth and issue a work +permit. The employment permit application will be kept on file. If +it is during non-school periods, or the student does not attend a +Boston Public School, but is a resident of Boston, the student will +utilize the BPS online Youth Work Permit Request form located +on the website www.bostonpublicschools.org. Proof of the +student's age, such as a birth certificate, passport, immunization +record, etc., should be provided. An employment permit will then +be issued. +Please note that a work permit may not be issued to a parent. +Massachusetts General Laws Chapter 149, Section 89 requires +that the child appear in person with proper identification. +According to the Commonwealth of Massachusetts +(https://www.mass.gov/service-details/youth-employment- +permit-information): all teens under 18 years of age must +complete a work permit application and get a work permit +before starting a new job. Please see the complete summary of +the Massachusetts laws regulating child labor for further +information. +With very limited exceptions, minors under the age of 14 may not +work. All minors under the age of 18 must complete an +employment permit application and get their permit before +starting a new job. You can download Youth Employment Permit + + +Page 4: +Superintendent’s Circular SSS-09 +Page 4 of 4 + + + +Application and Youth Permit Process. You can also access these +forms in Spanish, Portuguese, Chinese, and Vietnamese. +FORMS +1. Employment permit applications can be found and printed +at https://www.mass.gov/service-details/youth- +employment-permit-information +2. When school is not in session, please complete this form +and upload the required documents. Once completed, a +BPS Welcome Services team member will contact you +within two business days regarding the next steps for your +work permit. Parochial, private and METCO school students +that are Boston residents may utilize this form during the +entire year. +For more information about this circular, contact: +Name: +Director of Guidance, Office of Schools & +Accountability +Department: Guidance Services, Office of Schools & +Accountability +Mailing +Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-8030 +E-mail: +cchiu@bostonpublicschools.org; Operations- +Department-Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +COM-02 +Version 01 + + +MEDIA RELATIONS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to cultivating and +maintaining an open and productive relationship with the news +media. The district recognizes that the media provides a public +service, are viewed as a reliable source of news about the Boston +Public Schools and seeks to provide timely and accurate +information toward that end. +The district maintains that the top priority of schools is to +educate students and ensure the safety and privacy of all +students, staff, and families. + To balance the responsibilities of schools and the need to provide +information to the media, all press inquiries about the Boston +Public Schools or any individual school, student, staff member, +program, or initiative are to be directed first to the +Communications Office. + Any staff member contacted directly by a member of the news +media must refer the reporter to the Communications Office, +who will work with staff and the media outlet to respond +appropriately to the inquiry. + District officials, schools, and staff must cooperate with the news +media to the extent required and appropriate by law while +ensuring that media coverage does not interfere with teaching +and learning. + + +Page 2: +Superintendent’s Circular COM-02 +Page 2 of 2 + + It is critically important to protect the privacy of students and +staff while fulfilling the requirements of public records laws. The +Communications Office works closely with the Legal Advisor to +determine what information is a matter of public record and +what must remain confidential. Only a student whose parent or +guardian has signed and returned a Media Appearances form +may be recorded, filmed, photographed, or interviewed. Students +for whom no such consent is on file in the school office may not +participate in any media-related activities, and their name and +image are not to be released to the media or anyone else outside +of the school. For more information, see the Guide to the Boston +Public Schools for Families and Students. +For more information about this circular, contact: +Owner: +Chief of Communications +Department: +Chief of Communications +Mailing +Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9265 +Email: +communications@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +COM-01 +Version 01 + + +COMMUNICATIONS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools (BPS), Boston School Committee, +superintendent, and all central and school-based staff are +responsible for communicating accurately and effectively with +families, students, colleagues, partners, and the community. +Ongoing communication with all stakeholders is essential to +developing and sustaining effective home/school/community +partnerships for improving student achievement. +The Boston School Committee affirms the following principles: +● Families and citizens have a right to know what is occurring +in their public schools. +● All BPS employees have an obligation to ensure the public is +kept systematically and adequately informed. +● Boston Public Schools staff and families benefit from +improved sharing of information – positive and negative. +● Written and verbal communication from schools and +employees should reflect the BPS commitment to +supporting all children and families, focusing on student +achievement through high-quality teaching and learning. +● Effective communication requires an ongoing two-way +exchange between schools and constituents, including + + +Page 2: + +Superintendent’s Circular COM-01 +Page 2 of 4 + + +thoughtful mechanisms at the school and district levels for +seeking family, student, and community perspectives on +critical issues and decisions. +● Language used to communicate with families and the +community must be free of educational jargon, acronyms, +and other terminology unfamiliar to non-educators. +● All communication must reflect and be sensitive to the +diversity of BPS families and staff, free of bias with respect +to race, ethnicity, language, education, income, gender, +religion, sexual orientation, or disability. +In keeping with these principles, the superintendent shall issue +district-wide procedures and guidelines to foster effective +communication in crucial areas such as media relations, +emergency communications, customer service, publications, +presentations, photography, events, and +translation/interpretation. +To ensure brand consistency and help families identify official +BPS publications and properties, schools and departments must +display the BPS logo on websites and publications. School and +department stationery and signage should incorporate the BPS +logo, the Boston city seal, or both. The BPS logo may not be +altered and must be reproduced in its correct aspect ratio. The +logo digital and printable files are available at the BPS-LOGO +folder. +It is the responsibility of every school, office, and program in the +Boston Public Schools to adhere to these procedures and +execute additional effective communication strategies. The BPS +Communications Office shall provide leadership, resources, +guidance, and technical assistance to support the district and +schools in these efforts. + + +Page 3: + +Superintendent’s Circular COM-01 +Page 3 of 4 + + + + + + +Page 4: + +Superintendent’s Circular COM-01 +Page 4 of 4 + + +For more information about this circular, contact: +owner: +Chief of Communications +Department: +Chief of Communications +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9265 +Email: +communications@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + +Superintendent’s +Circular +NUMBER: +ATH-01 +Version 01 + +PREVENTION AND MANAGEMENT OF SPORTS-RELATED +HEAD INJURIES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +BACKGROUND +A concussion is a type of traumatic brain injury caused by a +bump, blow, or jolt to the head that can affect brain functioning. +Concussions can also occur from a blow to the body that causes +the head to move rapidly back and forth. Even a mild bump or +blow to the head can be serious. +Concussions can occur in any sport or recreational activity. +Children who return to play while still experiencing symptoms of +a concussion are more likely to have another concussion or other +lasting effects and symptoms. This circular outlines +responsibilities of all who are involved in athletic participation. It +includes the following components: +● Pre-participation examination, including a history of +previous concussions. +● Protocols for assessing and managing a child who has a +concussion on the field. +● Protocols for returning a child who has had a concussion to +full participation. +● Academic assessment and accommodation for a child with +continued symptoms that interfere with cognitive function +and academic progress. + + +Page 2: +Superintendent’s Circular ATH-01 +Page 2 of 7 +● Prevention of head injuries and health promotion activities +that contribute to safe sports participation. +HEADS OF SCHOOL AND PRINCIPALS SHALL BE RESPONSIBLE +FOR: +● Support and enforce the utilization of appropriate protocols, +required documentation, training, and reporting outlined in +these procedures. +● Supervising and reviewing that all documentation is in +place. +○ All active coaches must complete the annual +concussion certification required by the +Commonwealth of Massachusetts. +COACHES, CERTIFIED ATHLETIC TRAINERS, ATHLETIC +COORDINATORS, SCHOOL NURSES, AND VOLUNTEERS (EMS, +SPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR: +● Completing the annual educational training on +identification and management of head trauma. +● Ensuring and documenting that all students/families have +submitted: +○ Updated physical examinations consistent with +Commonwealth of Massachusetts and Massachusetts +Interscholastic Athletic Association (MIAA) sports +participation guidelines. +○ Consents for: participation in athletics, emergency on- +field care, non-emergent injury or illness evaluation +and associated follow up treatment related to athletics, +documentation, travel, and medication. + + +Page 3: +Superintendent’s Circular ATH-01 +Page 3 of 7 +○ Completed department pre-participation forms (BPS +Sports Medical Questionnaire) before participating in +practice or extracurricular athletic activities. +○ Commonwealth of Massachusetts head injury form. +○ An indication that the family has reviewed educational +materials about concussion. +● Ensuring that the medical history questionnaire and pre- +participation sports physical form(s) are delivered to the +school nurse and certified athletic trainer (ATC) in a time +frame consistent with the sport. The school nurse and +athletic trainer will discuss any student with a concussion +history (as indicated by the athlete's primary care physician, +pre-participation sports physical, or parent history) with +their coach. All athletes must be cleared by the school +nurse and athletic trainer in order to play. +● Teaching techniques aimed at minimizing sports-related +head injury: +○ Discouraging and prohibiting student athletes from +engaging in any unreasonably dangerous athletic +technique that endangers the health or safety of a +student, including using a helmet or any other sports +equipment as a weapon. +○ Identifying students with head injuries or suspected +concussions that occur in play or practice and +removing them from play, using either: +■ Coach/volunteer recognition of potential head +injury +■ Sideline assessment of concussion evaluation for +MDs and ATCs. + + +Page 4: +Superintendent’s Circular ATH-01 +Page 4 of 7 +● The results of the evaluation or screening tool must be +available to the school nurse and parent/guardian, who will +forward it to the PCP or other designated physician. +● The coach, athletic trainer, or physician who observed and +evaluated the concussion shall complete the DPH +Commonwealth of Massachusetts Report of Head Injury +During Sports Season form and the Department Report of +Head Injury form and transmit it to the athletic director, the +parent/guardian, the school nurse, and the athletic trainer. +● Communicating promptly with the parent/guardian of any +student removed from play and providing them with +documentation to bring to the student athlete’s PCP or +other designated physician. This documentation must +include the DPT Commonwealth of Massachusetts Post +Sports-Related Head injury Medical Clearance and +Authorization form. This form must be completed by the +physician and returned to the school nurse and athletic +trainer. This form will be reviewed by the school nurse or +athletic trainer and is required before the student athlete is +allowed to begin a Return to Play protocol. +● No student can return to play without clearance by the +school nurse or athletic trainer in consultation with a +physician per 105 CMR 201. +● All student athletes who have sustained a concussive event +must complete a graduated Return to Play protocol unless +otherwise stipulated by the treating physician, assuring that +all documentation is in place by conducting an annual +compliance audit. This includes documentation that all +students have: + + +Page 5: +Superintendent’s Circular ATH-01 +Page 5 of 7 +○ pre-participation PEs, consent forms, and +parent/athlete sign off that concussion information has +been reviewed. +○ list of all students with concussion +○ documentation of follow up for each student with +concussion; documentation that athlete is cleared to +play. +THE SCHOOL NURSE AND ATHLETIC TRAINER WILL BE +RESPONSIBLE FOR: +● Completing the required annual educational training on +concussion: +○ School nurses will complete the Concussion +Management in Massachusetts Schools course +provided by Boston University School Health Institute +annually. +● Reviewing any questions raised by the athletic director +and/or coaches, reviewing all medical questionnaires and +physical exams. +● Athletic trainer: Following up with parents/guardians as +needed prior to the student's participation in extracurricular +athletic activities. +● School nurse: Following up with parents/guardians as +needed prior to the student's participation in classroom +activities. +● Maintaining documentation of the medical questionnaire +and physical in SNAP (the electronic medical record). +● Maintaining documentation of the head injury assessments +in the student's health record in the electronic medical +record. + + +Page 6: +Superintendent’s Circular ATH-01 +Page 6 of 7 +● Ensuring that any student who has experienced a +concussion or head injury, during sports activities or +otherwise, provides documentation of medical care and +proper clearance to return to sports activities using the +Commonwealth of Massachusetts Post Concussion +Clearance Form. +● Participating in the graduated reentry planning meeting for +students who have been diagnosed with a concussion to +discuss any necessary accommodations or modifications +with respect to academics, course requirements, homework, +testing, scheduling, and other aspects of school activities +consistent with a graduated reentry plan for return to full +academic and extracurricular activities after a head injury +and revising the health care plan as needed. +● Presenting appropriate and relevant medical information to +the service team, on a need-to-know basis maintaining +student privacy. +● Monitoring recuperating students with head injuries and +collaborating with teachers and coaches to ensure that the +graduated reentry plan for return to full academic and +extracurricular activities. +● Providing beginning of school year review of concussions as +well as ongoing educational materials on head injury and +concussion to teachers, staff, and students. + + +PARENTS/STUDENTS SHALL BE RESPONSIBLE FOR: +● Ensuring that the child has: +a. A valid up to date pre-participation physical + + +Page 7: +Superintendent’s Circular ATH-01 +Page 7 of 7 +b. A completed sports medical questionnaire +c. Completed the Commonwealth of Massachusetts Pre- +Participation Head Injury and Concussion Reporting +Form for Extracurricular Activities +● Reviewing concussion materials, including signed +documentation of the review on the athletic permission +form. +● Ensuring that the child with a concussion is evaluated by +PCP or other appropriate physician even if there has already +been emergent transport deemed necessary by EMS or AT +evaluation. +● Working with the school nurse, athletic trainer, and the +service team to safely implement return to play guidelines. +For more information about this circular, contact: +Owner: +Senior Director, Athletics +Department: +Athletics Department +Mailing Address: +White Stadium, P.O. Box 302205, Jamaica +Plain, MA 02130 +Phone: +617-635-8143 +Fax: +617-635-8147 +Email: +bpsathletictrainer@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + + NUMBER: +ATH-02 +Version 01 + + + +ATHLETIC ELIGIBILITY +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +ASPEN/ ELIGIBILITY MANAGEMENT +ASPEN will be used to manage the students who are interested +and ultimately participate in athletics each season. The students +and sports they are participating in should be accurate in ASPEN +at the start of each season. Key personnel (athletic coordinator, +nurse, school admin) at the school level will have the ability to see +the seasonal list of participating students and the current +eligibility status. Athletic coordinators, athletic trainers, school +nurses, and coaches should communicate regularly to ensure +that ASPEN accurately reflects who is participating on each team. +The ASPEN sign-up period will open 8 weeks prior to the start of +the season. The sign-up period in ASPEN will close 14 days after +the start of the season. Athletes who start within the 14-day +window must have a minimum of 5 days of practice prior to +being allowed to participate in a game competition. Using the +labels provided, each student in ASPEN should be identified as +follows: +Aspen Athletic Eligibility Status Definitions +• INTEREST: defined as “Student identifies interest” — +completes sign-up in ASPEN + + +Page 2: +Superintendent’s Circular ATH-02 +Page 2 of 12 + + + +• ACTIVE: defined as “Waiting on student”; i.e., turn in ALL +required documentation known as the BPS Athletic +Participation Forms, copy of a valid 13-month physical exam +to the athletic trainer (or school nurse if athletic trainer not +available), and tryout status +• ACTION REQUIRED: defined as “Call to action”; +School/Athletic Department submit MIAA waivers/forms +where applicable +• INELIGIBLE: defined as “Does not meet baseline eligibility +requirements”; i.e., valid 13-month physical exam on file as +documented in ASPEN, does not meet academic +enrollment, attendance, or GPA requirements +• PENDING: defined as “Awaiting decision from a higher +authority”; i.e., MIAA waiver/approval, BPS Athletic +Department, school principal/head of school or designee to +review student academic eligibility +• ELIGIBLE: defined as “Meets ALL eligibility requirements” for +participation and has MIAA approvals on record with the +BPS Athletic Department +• INACTIVE: defined as a “no show,” “not participating,” or “did +not make the team after tryouts.” + +RESPONSIBILITIES +Athletic Coordinator +Will serve as the athletics liaison and primary contact at the +school for the Athletics Department and coaches to support +athletics. The athletic coordinator will be responsible for student- +athlete eligibility in collaboration with coaches, athletic trainers, +school nurses, and school leadership. + + +Page 3: +Superintendent’s Circular ATH-02 +Page 3 of 12 + + + +Head Coach and Assistant Coaches +Must be knowledgeable of the MIAA eligibility rules and +regulations. As interest lists and teams are being organized, +coaches must communicate any eligibility concerns to their +athletic coordinator so they are resolved prior to the start of the +season and practice. +Athletic Department Staff +Will support schools through the eligibility/waiver process and +serve as a liaison between the schools and the MIAA. Athletics +Department staff will schedule meetings prior to the start of each +season with athletic coordinators, athletic trainers, and school +nurses (if necessary/indicated) and support staff to review +student-athlete eligibility. Athletic department staff will maintain +Aspen functionality and advise/teach athletic training staff +necessary operations of the Aspen system for their needs +Athletic Trainers +Athletic trainers are responsible for the primary review of athletic +physicals and determining the date(s) of valid pre-participation +physical examination (PPE) and athlete eligibility based on +having an up-to-date PPE on file. Athletic trainers will route all +PPE obtained from student-athletes to the school nurse to place +in the student-athletes file. Athletic trainers will provide coaches +with a list of all athletes who have a valid, up-to-date PPE and are +deemed eligible to play. + +Head of School/Principal +Must be aware of and officially sign off on eligibility and rosters + + +Page 4: +Superintendent’s Circular ATH-02 +Page 4 of 12 + + + +for teams each season. When needed, school leaders must +support and sign off on any MIAA or BPS eligibility waiver +requests. New heads of school are required to attend an MIAA +rules workshop. +SUMMARY OF HIGH SCHOOL INTERSCHOLASTIC ELIGIBILITY +• 1.67 or higher GPA (schools may choose to have a higher +GPA for athletic participation) +• Must pass four (4) core classes +• School attendance rate of 90% or higher (aligned with +current BPS Attendance Policy) +• A physical examination completed within the last 13 months +stating that the student-athlete is or is not cleared for +athletics that does not expire before the end of the season, +with sports clearance from the r athletic trainer and/or +school nurse +• Students who turn 19 before September 1 of the current +academic year are ineligible unless an age waiver is granted +by the MIAA. +SUMMARY OF MIDDLE-LEVEL ELIGIBILITY +• 2.0 or higher GPA (schools may choose to have a higher GPA +for athletic participation) +• School attendance rate of 90% or higher (aligned with +current BPS Attendance Policy) +• A physical examination completed within the last 13 months +stating that the student-athlete is or is cleared for athletics +that does not expire before the end of the season, with +verification from the school nurse or athletic trainer and/or +school nurse +• Students who turn 15 before September 1 of the current + + +Page 5: +Superintendent’s Circular ATH-02 +Page 5 of 12 + + + +academic year are ineligible to compete. +• Yearly signed parental consent forms (transferable season to +season) +DETAILED OVERVIEW OF HIGH SCHOOL INTERSCHOLASTIC/ +MIAA ATHLETICS + +Season +Start Date +Fall Sports +3rd Friday in August (Football Aug 18) +Winter Sports +1st Monday after Thanksgiving (November 27) +Spring Sports +Third Monday of March (March 18, 2024) + +Participating student-athletes must meet the following criteria +for eligibility each season. + +1) Age (Rule #60) +a) A student shall be under 19 years of age but may +compete during the remainder of the school year, +provided that their birthday occurs on or after +September 1 of that year. + +2) Transfer Students (Rule #57) +a) A student who transfers from any school to an MIAA +member HS is ineligible to participate in any +interscholastic athletic contest at any level for a period + + +Page 6: +Superintendent’s Circular ATH-02 +Page 6 of 12 + + + +of one year in all sports in which that student +participated at the varsity level or its equivalent during +the one-year period immediately preceding the +transfer. +i) +Note: MIAA Form 200 may be executed between +the receiving and sending school principals of +MIAA member schools only. +ii) +All Form 200s must be submitted to the Athletics +Department and MIAA Office for their records. +b) Reason for Transfer +i) +Exemption to the transfer rule: When a student’s +school transfer is necessitated (i.e., required) by a +change of residence of their parent(s) to the area +served by the school to which they transfer. +ii) +This exception does not apply to a change in +custody, guardianship, or to a student’s change in +residence from one parent to another, nor does it +apply when the student could continue to attend +the former school. +3) Date entered school (MIAA Rule #51) +a) Student-athletes must be enrolled in the school at the +start of the season to be eligible to participate in +athletics. +b) This can be appealed with an MIAA waiver. +4) Student Eligibility: Membership in School (MIAA Rule #55) +a) A student shall have been a member of the MIAA +member secondary school for a minimum of two +months (exclusive of the Summer vacation). + + +Page 7: +Superintendent’s Circular ATH-02 +Page 7 of 12 + + + +5) Years of Eligibility +a) When a student enters 9th grade, they are eligible for +only four years. +b) A student shall be eligible for interscholastic +competition for no more than 12 consecutive athletic +seasons after first entering grade 9. +c) A waiver can be requested for an additional year of +eligibility if there is an extenuating circumstance +involved. +6) Grade Point Average (GPA) and Transcripts (MIAA Rule #58) +a) BPS requires that all students must have a cumulative +GPA of 1.67 (or higher) to be eligible to participate in +interscholastic athletics. +b) During the last marking period preceding the contest +(e.g., second-quarter marks and not semester grades +determine third quarter eligibility), a passing grade in +the equivalent of four major subjects +c) To satisfy this requirement, a student must have +passed sufficient courses for that marking period +which carry Carnegie Units totaling the equivalent of +four traditional 1-year major English courses. +d) Full-Time Student: A student cannot at any time +represent a school unless that student is taking +courses that would provide Carnegie Units equivalent +to four traditional 1-year major English courses. +e) To be eligible for the Fall marking period, students are +required to have passed for the previous academic year +the equivalent of four traditional 1-year major English +courses. + + +Page 8: +Superintendent’s Circular ATH-02 +Page 8 of 12 + + + +i) +Incomplete grades may not be counted toward +eligibility until they are made up following school +policy +ii) +A student who repeats work in which they have +once received credit cannot count that subject a +second time for eligibility. +iii) +A student cannot count for eligibility for any +subject taken during the summer vacation unless +that subject has been pursued and failed during +the preceding academic year. + +7) Boston Public Schools Athletic Programs Consent for +Participation Forms: +a) BPS Athletic Programs Consent for Participation Forms +must be completed and on file prior to any student- +athlete being allowed to participate or play for any BPS +Athletic Team +b) All BPS Athletic Programs Consent for Participation +Forms will be sent to the parent/guardian of the +student-athlete after completion of ASPEN registration. +These forms will be distributed via DocuSign and will +be distributed to ATC for review with the school +athletic coordinator. These forms only need to be +completed once per school year. The BPS Athletic +Programs Consent for Participation Forms will consist +of the following required forms: +i) +Parent/Guardian Consent Form +ii) +Acknowledgment of MIAA: +(1) MIAA Rule 57: Student Eligibility: Transfer + + +Page 9: +Superintendent’s Circular ATH-02 +Page 9 of 12 + + + +Students +(2) MIAA Rule 59: Student Eligibility: Time +Allowed for participation post 9th grade +enrollment +(3) MIAA Diversity Equity and Inclusion Pledge +(new Nov 2022) +iii) +Commonwealth of Massachusetts - Chapter 269 +Section 17: Anti-Hazing Law +iv) +Hold Harmless Agreement +v) +Concussion Awareness +vi) +Upload - current physical examination for review +by ATC +vii) +Media Appearances +viii) +DPH Head Injury Form +ix) +MGB Athletic Training Services Agreement + +8) Physical Exam (MIAA Rule #56) +a) Participating students must have a valid physical or +pre-participation examination (PPE) completed within +the last 13 months. +b) Physicals or PPE forms must have a statement that +clears the student for athletic/sports +c) Physicals or PPE must be completed and on file with +BPS Athletics in Aspen prior to any student-athlete +being allowed to practice or play for any BPS Athletic +Team. +d) Physicals or PPEs must be valid and on file for the + + +Page 10: +Superintendent’s Circular ATH-02 +Page 10 of 12 + + + +entire athletic seasons +e) Physicals or PPEs must include the date of the +examination, physician's signature (electronic or +actual), and wording that states that the student- +athlete is cleared for athletics or sports competition + +9) Enrollment/ Attendance +a) Attendance for the term prior to the season must be +90% or higher +b) Students are ineligible to practice or compete if they +are not in school for more than half of the school day. +c) For a student to practice with or to represent a MIAA +member school in an athletic competition, the student +must be duly enrolled in that school (#51). Also, a +student shall have been a member of the MIAA +member secondary school for a minimum of two +months (exclusive of the Summer vacation) and have +been issued a report card preceding the contest unless +entering from an elementary or junior high school at +the start of the school year or transfers in from another +school. (MIAA Rule #55.1) + +10) +MIAA Waiver Request Process +a) All “Form 200s” must be sent to the MIAA office so that +all transfers are on file. +b) Student Waiver of Athletic Eligibility waivers must +include the following: +i) +A letter of support from the Principal/AD/School + + +Page 11: +Superintendent’s Circular ATH-02 +Page 11 of 12 + + + +Administrator addressing the four standards of +rule 87.5. +ii) +Transcripts from every year since first entering +Grade 9 (including current grades) +iii) +Current school year attendance records +iv) +Comprehensive athletic resume (now included in +application) +v) +League or District Advisory Vote +vi) +Form 200 (if applicable) +c) The third standard, which must be addressed during a +waiver application, was changed to “address how this +waiver will impact the home school student body.” The +new language captures the overall impact the waiver +will have on the home school student body. +d) A new section was added to Rule 87 titled +“Accountability.” This details the process in the event +inaccurate or incomplete information is presented +during the waiver process. + +11) +MIAA Appeals Process +a) As of Fall 2021, there is only one level of appeal. The +appeal hearing board will consist of members from +both the MIAC and ERB. Their decision is final. +b) The deadlines to submit waivers are as follows: +i) +Fall - September 21, 2023 +ii) +Winter – December 14, 2023 +iii) +Spring – March 31, 2024 + + +Page 12: +Superintendent’s Circular ATH-02 +Page 12 of 12 + + + +c) Waivers can be submitted after this date, but there will +be no appeal hearings granted. + + +For more information about this circular, contact: +Owner: +Senior Director, Athletics +Department: +Athletics Department +Mailing +Address: +White Stadium +P.O. Box 302205, Jamaica Plain, MA 02130 +Phone: +617-635-8143 +Fax: +617-635-8147 +Email: +bpsathletictrainer@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + + Superintendent’s +Circular +NUMBER: +ACA-18 +Version 01 + +ATTENDANCE AND PUNCTUALITY POLICIES AND +PROCEDURES +This circular will remain in effect unless rescinded or superseded +by a subsequent version +This circular reflects the School Committee’s approved policies +and procedures for attendance and punctuality. It contains +detailed guidelines on: +● Policy background +● Chronic absenteeism +● Attendance policy +● Covid-19 attendance protocols +● Punctuality policy (tardiness) +● Recording and maintaining student attendance +● Recording and following up on DNRs (did not reports) +● Discharge/withdrawal protocols +● Notification to parents/caregivers of student absence +● Notifying parents/caregivers of a missing child +● Safety concerns related to attendance +● Approving home & hospital tutoring +● Procedures for referral to supervisors of attendance +BACKGROUND AND GENERAL PRINCIPLES +It is an essential priority of the Boston Public Schools to +encourage students to maintain consistently high attendance +rates throughout the school year. Students cannot take full +advantage of academic and extracurricular opportunities unless + + +Page 2: +Superintendent’s Circular ACA-18 +Page 2 of 41 + + +they are in school consistently. All BPS schools and their School +Site Councils are expected to implement comprehensive +prevention and intervention strategies to improve student +attendance each school year. +The BPS student attendance policy was approved by the School +Committee in 1998-1999. It was revised in May 2006 and June +2007 to include the system-wide prohibition of using cutoff times +to refuse students’ entry into buildings and the additional +flexibility for schools to promote and ensure consistently high, +on-time attendance. It was further revised in 2018 to include +cultural and religious holidays as an eligible excused absence +category. In 2021, it was revised to discontinue the policies of +converting tardies to absences and issuing grades of “No Credit +(NC)” based on attendance, as well as elevating the importance of +focusing on chronic absenteeism, where all absences and missed +instructional time are considered to have a detrimental impact +on student outcomes. +On December 10, 2015, the Every Student Succeeds Act (ESSA) +was signed into law, reauthorizing the federal Elementary and +Secondary Education Act of 1965 (ESEA). The law includes +provisions to help ensure improved outcomes for all students +receiving elementary and secondary education, including the +following: +● States must establish high academic content standards, and +schools must teach all students those standards to help +prepare them for college and careers. +● States, districts, and schools must share information with +families, students, and communities regarding annual +statewide assessments that measure students' progress +toward these high standards. + + +Page 3: +Superintendent’s Circular ACA-18 +Page 3 of 41 + + +● States and districts must establish systems of support and +accountability for all schools and provide particular support +to the lowest-performing schools, schools with low- +performing subgroups, and schools with low graduation +rates. +Under ESSA, each state must develop a consolidated state plan +that documents a comprehensive approach to improving +outcomes for all students. The Massachusetts Consolidated State +Plan under the Every Student Succeeds Act, approved in +September 2017, indicates that the state has included chronic +absenteeism as one of the accountability index indicators (core +measures) to be adopted by all schools and school districts. +Through this policy, each school is given a target goal to reduce +chronic absenteeism each school year. The BPS Attendance +Policy described in this document (ACA-18) has been updated to +reflect changes to the core measures as it relates to attendance +and chronic absenteeism. +CHRONIC ABSENTEEISM +Research recognizes that addressing chronic absenteeism is one +of the most important priorities in an equitable approach to +attendance, as chronically absent students are less likely to be +successful academically and are disproportionately students of +color. Chronic absenteeism is defined as missing 10 percent or +more of the school year in any given period. All absences are +included as it relates to chronic absenteeism, regardless of +whether the absence is excused or unexcused. For an entire +school year, a student who misses 18 school days, or about two +days per month, will be considered chronically absent. Students +who do not show up to school regularly miss out on fundamental +learning skills and the chance to build a habit of consistent + + +Page 4: +Superintendent’s Circular ACA-18 +Page 4 of 41 + + +attendance that they can maintain in their post-secondary +education, their career, and throughout their life. +Chronic absenteeism significantly increases the likelihood that a +student will fall off-track academically and struggle to keep pace +with their peers. Chronic absenteeism in the early grades can +influence whether a student reads proficiently by the end of the +third grade; and by the sixth grade, it becomes a leading +indicator of whether a student will drop out of high school. +Consistent with the attendance policy is the need to maintain +accurate, timely, and appropriate records, including information +on the attendance of students and documentation of reasons for +absence. Accordingly, all staff must keep accurate records, +maintain documentation, and communicate with +parents/caregivers in a timely and effective manner to ensure +sound school attendance practices. In addition, Boston Public +Schools is committed to addressing chronic absenteeism +through prevention and intervention strategies at the school and +district levels that better support students and families to +maintain consistently high, on-time attendance. Each school will +prioritize prevention and intervention strategies that reduce +chronic student absenteeism. +The following general principles apply: +● Schools are required under the law to maintain an accurate +record of student attendance. +● Schools at all levels are required to make a concerted effort +to contact the parent or caregiver each time students are +absent. + + +Page 5: +Superintendent’s Circular ACA-18 +Page 5 of 41 + + +● School leaders bear the final responsibility for attendance in +their schools and complying with attendance and +punctuality policies and procedures. +● External agency support will be sought in those cases where +school-based meetings do not achieve a positive continuum +in parental attitude and/or student attendance patterns. +BOSTON PUBLIC SCHOOLS ATTENDANCE POLICY +Attendance: Per the Department of Elementary and Secondary +Education (DESE)’s attendance policy, a student must be at +school, at a school-related activity, or receiving academic +instruction for at least half of the school day to be counted as +present. Students who are not physically present at school but +receive academic instruction from the district for at least half of +the school day should be counted as present. Examples of +academic instruction include tutoring, online learning, or +distance learning provided by the district. Under this guidance, +there are limited circumstances in which a student can be +marked “constructively present.” +Allowable circumstances to mark a student constructively +present: +● Participation in Home & Hospital Instruction +● Special education school visit +● Out-of-district special education placement +● Student is in Department of Youth Services (DYS) custody +● Succeed Boston (alternative to suspension) +● College tour or college interview when sponsored by the +school or approved by the school leader + + + +Page 6: +Superintendent’s Circular ACA-18 +Page 6 of 41 + + +Length of Time: A student must attend school for at least a half- +day to be marked “present.” Check with the school leader to +determine what constitutes a half-day. In most schools, it is: +3 hours in elementary school +3 hours and 5 minutes in middle school +3 hours and 10 minutes in high school + +Credit Recovery (No Credit Policy Discontinued): To facilitate +competency-based grading across the district, the No Credit (NC) +policy regarding students having three unexcused absences in a +marking term (four unexcused absences in schools with three +marking terms) has been discontinued. As a result, schools +should no longer assign grades of “No Credit (NC)” to students. +The following guidance has been provided regarding credit +recovery for students: +● Passing grades should be competency-based, which may be +impacted by attendance due to missed assignments or +schoolwork but should not be tied exclusively to attendance +or participation. +● It is essential that schools reach out early and often to +students at risk of a failing grade. +● As an alternative, schools may mark a student with an +“incomplete” grade to enable equitable learning recovery. +● In all cases, a student not earning a passing grade must be +given the opportunity and responsibility to equitably +recover any learning loss or make up the work missed +within a marking period to earn a passing grade. +Excused/Unexcused Absences: Certain absences may be +excused, meaning the absence will not be considered as it relates + + +Page 7: +Superintendent’s Circular ACA-18 +Page 7 of 41 + + +to a referral to truancy court by a supervisor of attendance under +Massachusetts law (see Massachusetts General Law c.119). +However, all missed instructional time has the potential to +negatively impact student outcomes. In addition, all absences are +included as they relate to chronic absenteeism, regardless of +whether the absence is excused or unexcused. +● For an absence to be excused, students must bring in a note +after each day they are absent. +● The note must include the date absent, the reason for the +absence, a phone number where a parent or caregiver can +be reached, and the parent or caregiver’s signature. +● Upon return to school, the note must be provided no later +than seven (7) school days after the absence. +● Excused absences may include: +a. An illness or injury that prevents the student from +attending school. If the illness or hospitalization results in +absence for three or more consecutive days, a note from a +health care provider documenting the health problem or +hospitalization should be attached to the +parent/caregiver note. Parents/caregivers are not +expected to have a letter from a health care provider for +an illness of fewer than three days. The requirement to +have a letter from a health care provider will not +supersede specific public health determinations or +guidance. The school nurse can be consulted regarding +any questions or changes to this policy based on specific +circumstances. See COVID-19 Health and Safety Protocol +for students who exhibit symptoms of COVID-19. + + +Page 8: +Superintendent’s Circular ACA-18 +Page 8 of 41 + + +b. A death in the immediate family (parent/caregiver, +sibling, grandparent, aunt, uncle, cousin) or other +significant personal or family crisis. +c. Suspension: Students should be marked as suspended. In +cases of suspension, the school will provide an +opportunity for the student to maintain academic +standing in school by being provided a list of assignments +and other services which might enable the student to use +the time out of school productively. +d. Students assigned to Succeed Boston shall be assigned +work by the school of assignment and marked +constructively present. +e. Court appearances: Students should present evidence of +the requirement of the court appearance. +f. Medical or psychological tests during the school day: The +parent/caregiver must show evidence (such as a note +from the health center) that the tests could not be +scheduled after school. +g. Visits to special education schools in some cases for +students with disabilities. +h. Other situations: From time to time, situations over which +the school, parent/caregiver, and student have little or no +control may cause absences (for example, transportation +that does not operate during inclement weather). These +absences are excusable. The school leader may determine +that the students impacted shall be marked with an +excused absence. +i. Other extraordinary situations, such as a family +emergency, as approved by the school leader. + + +Page 9: +Superintendent’s Circular ACA-18 +Page 9 of 41 + + +j. Cultural holidays and religious holy days: To +accommodate students’ cultural and religious +observances on days when schools are in session, such +absences will be marked excused with the reason code +“Religious Holiday” upon submitting a valid note signed +by a parent or guardian. Please see Superintendent’s +Circular LGL-06 for more guidance or contact your +designated supervisor of attendance. The following is a +list of examples of holidays that are eligible to be excused: +Diwali, Eid al Adha, Edit al Fitr, Lunar New Year, Orthodox +Good Friday, Rosh Hashanah, Three Kings Day, and Yom +Kippur. This is not an exhaustive list, and students may +request that absences be excused for other cultural +holidays and religious holy days. Schools should provide +opportunities for students who are excused to observe +cultural holidays and religious holy days to submit missed +assignments or other makeup work for their absence. +Please contact the Office of Equity, 617-635-9650 or +bpsequity@bostonpublicschools.org, regarding any concerns +related to a student absence that is more than two consecutive +days or is not included on this list. This can include participation +in a cultural ceremony, bereavement or funeral, pilgrimage, trip, +etc., that requires students to be absent for more than two days. +In these instances, a student may be required to meet the +following criteria to be eligible to be given an excused absence of +more than two days for observance of a cultural or religious +holiday or for bereavement to attend a funeral for more than two +days: +● The student is not chronically absent, meaning the student +attended more than 90% of the school days to date. +● The student is earning a passing grade in all courses. + + +Page 10: +Superintendent’s Circular ACA-18 +Page 10 of 41 + + +Absences that do not meet the above criteria will be considered +unexcused. In all instances of student absence, students must be +given the opportunity to equitably recover any missed work or +learning loss during a marking period. +COVID-19 HEALTH AND SAFETY PROTOCOL +Students, families, and schools should observe the latest +guidance from the Center for Disease Control (CDC), BPS Health +Services, and the Boston Public Health Commission as it relates +to COVID-19 health and safety protocols. Absences as appropriate +per the most up-to-date COVID-19 protocols are considered +excused due to “medical/illness.” +RECORD-KEEPING AND ATTENDANCE IMPROVEMENT +School leaders bear final responsibility for improving attendance +in their schools, balancing between accountability and positive +engagement in their approach, and ensuring that performance +evaluations reflect staff members’ efforts in complying with this +policy and achieving the goal of improved attendance. +School-based governance: Each school’s Attendance Team (AT) +serves a critical role in prevention and intervention steps for +students with high absenteeism. It is a best practice for school +attendance teams to work in conjunction with the SST to refer +students when all available attendance intervention strategies +have been unsuccessful. It is also best practice for schools to +initiate prevention steps with students in the early days of the +school year or marking period. Schools should review students’ +past attendance history to initiate prevention steps for students +with a history of high absenteeism and refer students to the +school’s AT. Students with three or more unexcused absences will +be referred by a teacher or the school leader to the school’s AT on +an ongoing basis. The AT will review the case and work with the + + +Page 11: +Superintendent’s Circular ACA-18 +Page 11 of 41 + + +family to develop a success plan to help the student improve +attendance. School-based rules should be amended to include +attendance-related guidelines established through the Quality +School Plan (QSP). See Attendance Team Overview for additional +guidance. +ATTENDANCE IMPROVEMENT PLAN +Developed as part of the QSP, a school’s Attendance +Improvement Plan provides a roadmap of the critical prevention +and intervention activities a school will conduct throughout the +school year to ensure consistently high, on-time attendance for +all students. Each school is required to update its attendance +strategies in the QSP every 90 days. Schools should link a +document with their attendance prevention and intervention +steps by tier into the QSP. +To assess their implementation progress and request more +intensive assistance, the AT should complete the QSP +Attendance Implementation Progress Tool (Q3PT) at the 30- and +60-day marks of the QSP cycle. +The Attendance Fundamentals by Tier serve as an additional +resource. +This program should start with a warm and welcoming school +climate and should include phone calls home, student meetings, +parent/caregiver meetings, development of an attendance +plan/contract, attendance coaching, referral to Student Success +Team meetings, and/or attendance meetings. +Consistent follow-up and outreach to students and families +struggling with chronic absenteeism is a fundamental best +practice. Schools are expected to use the Panorama Student +Success Platform to monitor student attendance progress, as + + +Page 12: +Superintendent’s Circular ACA-18 +Page 12 of 41 + + +well as to document interventions and success plans. Schools +should also connect with community-based programs or +organizations that can support truancy issues. +Differentiating the Use of Aspen SIS and Panorama Student +Success Platform: +The Aspen Student Information System (SIS) is the system to +capture critical information for student records and maintain +compliance with regulatory requirements. As it relates to +attendance, schools will take attendance in Aspen. However, +schools expect to use the Panorama Student Success Platform to +document all attendance prevention and intervention activities, +using both the Support Notes feature and Tier 2 and 3 +Attendance Success Plans. Student attendance data entered in +Aspen is transmitted nightly to Panorama for attendance +monitoring and student success planning purposes. Staff should +use both Aspen and Panorama as follows: +Aspen will be used to: +● input daily student attendance. +● house the master student schedules and courses. +● enter course grades. +● house individual teacher schedules. +● record teacher attendance. +● record confidential student journal entries. +● recommend to Suffolk County Juvenile Court and record +documentation for an Attendance Intervention Plan (AIP). +Panorama Student Success will be used to: +● display student data. +● house Attendance Success Plans (Tier 2 and Tier 3). + + +Page 13: +Superintendent’s Circular ACA-18 +Page 13 of 41 + + +● assign team members for communication and +collaboration. +● record support notes related to student interventions and +student success plans. +● help track information in one place, including assessments +from Illuminate. +Note: The SOA is responsible for copying Attendance Success +Plan documentation from Panorama if the case is recommended +to the court and in other cases as necessary for compliance. +All Attendance Success Plans should be recorded as Tier 2 or Tier +3 plans in Panorama. Panorama allows the planning and +recording of interventions, along with notes, to monitor the +effectiveness of these interventions in setting improvement goals +in the student success planning process. Attendance teams at +the school level ensure Attendance Success Plans are created +and monitored in Panorama for all students with high chronic +absenteeism. At a minimum, every student who has attendance +at or below 80% (appearing as attendance critical in “red”) should +have an Attendance Success Plan in Panorama. It is a best +practice for schools to coordinate and communicate student +success planning with families. It is also a best practice for +schools to establish an attendance success plan at the beginning +of the school year for students who were chronically absent in +the previous school year. Effective student success planning +requires sharing the responsibility of plan creation, monitoring, +and intervention strategies among school staff, including +teachers, in collaboration with families, +Who should have an Attendance Success Plan? +Staff create the plan based on data in Panorama: + + +Page 14: +Superintendent’s Circular ACA-18 +Page 14 of 41 + + +● Tier 2 plans (best practice): Students whose attendance is +90% or below will display as chronically absent in Panorama +(yellow). +● Tier 3 plans (required): Students whose attendance is 80% or +less will appear as attendance-critical (red). +An additional quality check: +● Identify students with an AIP tag in Aspen (this tag indicates +the student has high absenteeism in the current marking +period and is eligible for truancy court referral). +What are the Essential Steps when creating an Attendance +Success Plan? +Create Attendance Success Plan in Panorama, and remember +these two key details: +● Log as Attendance +● Log as Tier 2 or Tier 3 +● Monitoring the plan collaborative and keeping it updated is +essential to successful outcomes +● Panorama will house student success plans (Tier 2 and Tier +3) — academic, attendance, behavior. +You will find more help with Panorama at the Office of Data & +Accountability (ODA) Platforms Help Site. +Questions: mtssdata@bostonpublicschools.org +BOSTON PUBLIC SCHOOLS PUNCTUALITY POLICY +Students who arrive after the beginning of the school day are +tardy. They must follow established tardy procedures to be +considered present for the day. +All students are expected to report to school on time every day. It +is the policy of the Boston School Committee (approved May 24, + + +Page 15: +Superintendent’s Circular ACA-18 +Page 15 of 41 + + +2006) that tardy students should be permitted into the school +building and not excluded. School leaders are directed to: +(a) +review their current school tardy policies in conjunction +with School Site Councils, +(b) +develop reasonable, non-exclusionary practices to deal +with student tardies and positive incentives to encourage +punctuality, and +(c) +closely monitor compliance with these policies. + +It is important to remember that the requirement that tardy +students be admitted to school does not equal a relaxation of the +rules covering attendance or tardies. Schools must make every +effort to encourage punctuality and discourage tardies. Schools +are also encouraged to distinguish between first-time instances +and repeated tardiness. +According to School Committee policy (approved June 6, 2007), +all high schools are directed to work with their School Site +Councils and student representatives to establish fair and +reasonable procedures to decrease student tardiness. These +procedures must adhere to the following guidelines: +1. Families must be notified by telephone call, in writing, or by +email of a student’s tardies. Schools should follow the same +prevention/intervention steps conducted for student +absences. +2. High school tardy procedures should explicitly detail how +they plan to further involve families in working with +students who exhibit excessive tardiness. As a rule of thumb, +excessive tardiness can be defined as being tardy for 10% or +more of school days. + + +Page 16: +Superintendent’s Circular ACA-18 +Page 16 of 41 + + +3. High schools’ tardy procedures should be linked in their +Quality School Plan (QSP), the development of which is the +responsibility of the School Site Council. +4. As a best practice, all schools should establish attendance +success plans in Panorama for students exhibiting excessive +tardiness. +All high schools, including pilot and Horace Mann charter schools, +are required to complete their tardy procedures with the above +guidelines (and other incentives/supports as deemed necessary +by the School Site Council) no later than October. Each school +must maintain a copy of its tardy procedures on file. +1. The teacher must take attendance at the beginning of every +class period in middle and high schools. After comparison of +period attendance with the school's daily attendance, +student cuts should be noted and addressed following the +appropriate prevention/intervention steps. +2. Middle and high school students who are tardy should be +marked absent for any class(es) they miss. +3. A student must be in attendance at least half of the school +day to be considered present. Notations of early dismissal +must be recorded with the time of dismissal, and +documentation indicating the reason should be kept on file +in accordance with school protocol. +ATTENDANCE RECORDS +The accounting and reporting of the attendance or absence of +each student assigned to a school is one of the school leader's +most critical responsibilities. Attendance record-keeping must be +precise to ensure accurate accounting of each student and +timely reporting of student attendance daily in the Aspen SIS. +Every school leader is required to account for the attendance + + +Page 17: +Superintendent’s Circular ACA-18 +Page 17 of 41 + + +and/or absence of students and is required to investigate and +take appropriate action for each absence. +GENERAL ATTENDANCE REQUIREMENTS +1. Attendance procedures must be reviewed with school staff +by school leaders during the teacher professional +development and training program before each school year. +Each teacher must sign a document maintained at the +school, verifying that they received these procedures and +training. +2. During the first week of school, homeroom teachers at all +levels should make personal calls to the parents/guardians/ +caregivers of their students to introduce themselves and +invite the parents/guardians/caregivers either to visit the +school or to call at any time to check on the attendance and +progress of their children. The message should reinforce the +need for consistent attendance and the procedures a +parent/caregiver should follow if their child is absent. In the +event any student has not reported at the start of the school +year, the teacher should inquire about the student’s failure +to attend. Teachers should document all communications +by updating the Aspen SIS with the attendance reason code, +including if a student will not be returning to school, and +update Panorama success plans and/or support notes when +applicable. +Students are expected to report within eight (8) days of the +first day of school or after an initial assignment. On the +eighth day, the student will automatically become a DNR +(Did Not Report) and be discharged from the school. Schools +have the responsibility to contact the parent/caregiver if a +student has not reported. Parents/caregivers should be + + +Page 18: +Superintendent’s Circular ACA-18 +Page 18 of 41 + + +made aware of this procedure when called if their children +have not reported. +Note: School leaders should always refer to the DNR +Procedure Memo released annually by the Office of +Welcome Services for the latest information regarding the +DNR process. This memo also outlines the procedures for a +DNR Exception. See the DNR Exception Form. +DNR PROCEDURE +For all students who do not report to school (DNR), the +following procedures are in effect: +i. +A student will hold a NAS (Newly Assigned Student) +code for a maximum of five (5) days after the first +day of school or after the initial assignment. On the +sixth day, a student will automatically become a +DNR (Did Not Report). +ii. +A student will hold a DNR code for a maximum of +three (3) days. At the end of the third day, a DNR +student will automatically lose their seat at the +assigned school. This will occur at the close of +business on the eighth (8th) day of school. +iii. +On the third day of DNR status (or on the eighth day +since the first day of school or of initial assignment), +a student's seat will be eliminated, allowing the +Office of Welcome Services to assign another +student to that seat. +iv. +The student will remain on the DNR list of the +school. See below for important details: + + +Page 19: +Superintendent’s Circular ACA-18 +Page 19 of 41 + + +Each school leader still has the responsibility of +investigating the situation and, if necessary, ultimately +discharging the student to remove them from the DNR list. +The discharge cannot happen until the school has +conducted an exit interview and collected appropriate +documentation from the family. This documentation must +be uploaded to Aspen. Please see the DNR Aspen Guide. +If you know that a student does not plan to enroll in BPS for +the current school year and you have collected appropriate +documentation from the family, you can withdraw them +from BPS without waiting for them to be withdrawn as a +DNR at the end of the eight-day period. +Please make sure to maintain a record of the appropriate +documentation, upload it to Aspen, and use the appropriate +discharge code when discharging the student. Here is a link +to the BPS Discharge Codes. +For students with an IEP, the Special Education Department +must also conduct an exit interview to inform the student +and caregivers of their rights. +The assigned supervisor of attendance (SOA) should be +notified to provide additional assistance when a school +cannot locate a student. +Note: The DNR process does not automatically discharge +any high-need special education students in an inclusion or +substantially separate program (.3 or .4 students). +3. School Attendance Teams (AT) at all levels are directed to +monitor student attendance using the Panorama Student +Success Platform and, in cases that so require, make +referrals to the Student Success Team (SST) and/or the + + +Page 20: +Superintendent’s Circular ACA-18 +Page 20 of 41 + + +appropriate health or human/social service agencies or +district services. +One of the initial responsibilities of the AT, in collaboration +with the SST, shall be to address the issues of (1) DNR +students and (2) students who were chronically absent in +the previous school year. +The status of each student who did not report (DNR) at the +start of the school year must also be investigated and +determined before discharging the student. +A primary focus of the AT is developing school-based +absence prevention and intervention strategies. A three- +tiered attendance system should be established, with +defined prevention and intervention practices that promote +consistent attendance among all students. The Attendance +Fundamentals by Tier is a resource and the BPS Tiered +Attendance System (TAS) is available to all schools as a +framework to help establish and improve their attendance +practices across tiers. +4. Complex cases and students with extensive patterns of +chronic absenteeism should be referred to supervisors of +attendance and/or the SST as appropriate after extensive +prevention/intervention steps have been tried and +documented. +WITHDRAWING STUDENTS +Once the school year has begun, the withdrawal of students that +are no longer enrolled at your school can be made at the school +level, not by Central Office staff. It is imperative that school staff +verify where the student is enrolled prior to withdrawing a +student. Please remember to keep documentation as to where + + +Page 21: +Superintendent’s Circular ACA-18 +Page 21 of 41 + + +the student is enrolling. Written or emailed documentation is +preferred. If the family texts you, we suggest sending a +screenshot to your email to make sure it is saved. This +documentation must be uploaded to the Aspen SIS. Also, please +make sure to use the appropriate discharge code when you +withdraw the student from BPS. Here are BPS Discharge Codes. +Acceptable documentation for withdrawing students includes: +1. A written request for a student’s records from a receiving +public or private high school or an educational program +(that culminates in a regular high school diploma). This +includes requests from the receiving school that come to +the district through Scrib Order. +2. Written record of a response from an official in the receiving +school or program acknowledging the student’s enrollment. +3. Written confirmation that a student has moved to another +country and will be continuing their education. For example, +if a parent informs a school administrator that the family is +leaving the country, the school administrator may +document this conversation in writing. +4. Letter from a parent/guardian updating the school +enrollment status of their child, including indication that +they will be continuing their education elsewhere. +5. Letter from the BPS Office of Expanded Learning Time +indicating an approved Educational Plan for homeschooling. +6. Record from the state's data system (Edwin DESE Security +Portal - Central Office Process) +If you do not have the above documentation at the time of +withdrawal, the student must be withdrawn as a dropout. See + + +Page 22: +Superintendent’s Circular ACA-18 +Page 22 of 41 + + +Aspen HelpDoc BPS Withdrawal Codes for a table of withdrawal +codes with acceptable matching documentation. +Note: The assigned supervisor of attendance should be notified +to provide additional assistance when a school cannot locate a +student. +DISCHARGE PROCEDURES +Students 16 Years of Age or Older On October 1st of the School +Year – Per MGL Ch. 76 Sec. 18: +1. By the first week of October, the school leader shall have +access to the list of students with the designation NAS or +DNR. +2. Within 5 days of the tenth consecutive absence, the school +leader must contact in writing (in the primary language +spoken in the home) the parent/caregiver of the student 16 +years of age or older to inform them of the requirements of +MGL c.76 s.18, and to request a meeting to discuss the +educational implications for the student if they do not +return to school, the benefits of earning a diploma, the +student’s reason(s) for wanting to leave school, and to +consider alternative education or other placements. The +notice shall offer at least two dates and times for an exit +interview, that the parties will agree to a date, and that the +meeting will take place within 10 days after the sending of +the notice. The school leader must reproduce and use the +sample form letter linked here and submit a copy to the +director of the BPS Re-Engagement Center within one +week. For students who have an IEP, the Special Education +Department must also conduct an exit interview to inform +the student and caregivers of their additional due process +rights. + + +Page 23: +Superintendent’s Circular ACA-18 +Page 23 of 41 + + +3. The school leader must conduct the meeting at the +convenience of the parent/caregiver, but within 10 days of +the sending of the notice. Upon parent/caregiver request, an +extension not to exceed 14 days may be granted. +4. If the student reports to school after the exit interview with +the parent/caregiver, the school leader must ensure that the +student is marked “P” on the attendance record. +5. If the student does not or shall not return to school after the +exit interview with the parent/caregiver, the school leader +must request a statement of the parent/caregiver on the +Sample Form Letter linked here. Submit a copy of this letter +to the BPS Re-Engagement Center and operational leader +and discharge the student using the protocol described in +this circular. This form is for a student whose assignment +within the Boston Public Schools is to be terminated, i.e., the +student is going to a private or public school outside the +City of Boston, or the unknown student whose absences +have been investigated thoroughly, or the student who has +"dropped out" of school. This process requires the following: +a. Retain one copy of the documentation at the school in +which the discharge is initiated. +b. Upload documentation to the Aspen SIS. +c. Issue one copy to the parent/caregiver of the student +going to a private school or another public school +system. +d. Issue one copy to the superintendent of the new school +system. If the student has transferred to either a +private school or to a charter school, this copy is sent to +the principal of the new school. + + +Page 24: +Superintendent’s Circular ACA-18 +Page 24 of 41 + + +6. Only after a good-faith effort to include the parent/caregiver +can the exit interview with the student take place without +the presence of the parent/caregiver. +7. The school leader must maintain detailed and readily +accessible records for each student justifying the activation +of discharge, which should be uploaded to the Aspen SIS. +Students Under 6 Years of Age on October 1st of the School Year +1. Within a week after the receipt of the NAS/DNR printout, +the school leader must contact in writing the +parent/caregiver of the student to inform them that a place +for the student has been reserved in the educational +program of the school. The parent/caregiver is encouraged +to ensure the student's attendance, AND the student must +report within one week, or the student shall be discharged. +Please use the attached form letter. +2. If the student does not report within one week, the school +leader must discharge the student according to the +procedures described in this circular. No additional +communication with the parent/caregiver is required. +Note: School leaders shall not discharge a student between +the ages of six and sixteen years until all procedures noted +in this circular are completed. Written notice should be +received by the supervisors of attendance. +Discharge Codes +It is important to use the appropriate discharge code when +withdrawing the student from BPS. Here is a copy of the +BPS Discharge Codes. + + +Page 25: +Superintendent’s Circular ACA-18 +Page 25 of 41 + + +GENERAL ATTENDANCE AND PUNCTUALITY PROCEDURES +1. School leaders must designate a member of their staff who +will be responsible for coordinating and monitoring the +school's attendance plan. This person shall report directly to +the building administrator concerning this effort and should +be part of the school AT. A best practice is to have this +person lead or co-facilitate the AT when appropriate. The +plan should take a whole-school approach and fully engage +the staff in implementing a tiered attendance system. +School leaders should also ensure that staff is assigned to +monitor attendance data and trends on an ongoing basis, +which may require additional training from the Office of +Instructional and Information Technology, Office of Data +and Accountability, or Department of Opportunity Youth +(SOAs). +2. Each student is marked Absent in the Student Information +System (SIS) on the first day of school and must be marked +Present to begin official enrollment. Enter a P on the first +day of attendance. Students who appear after the first day +of school should be entered on the date of appearance with +a P. +3. Official attendance will be taken and reported on the SIS +system by teachers. The central office will make an +automated call to all students coded as Absent by 11:00 am +every day. +4. Students who arrive after the beginning of the day are tardy. +They must follow established tardy procedures to be +considered present for the day. + + +Page 26: +Superintendent’s Circular ACA-18 +Page 26 of 41 + + +SUGGESTED STRATEGIES TO ADDRESS TARDINESS AND +ABSENTEEISM +In developing their Attendance Improvement Plan, schools +should focus on a positive approach to attendance, using +consistent prevention/intervention steps and implementing +specific strategies to address tardiness and absenteeism. The +district has developed a Tiered Attendance System (TAS) to +support schools in ensuring the consistency and effectiveness of +their attendance practices across the school, while the Panorama +Student Success Platform provides a framework to track and +monitor individual student attendance, interventions, and +success planning. See also Attendance Fundamentals by Tier. +Examples of strategies to address tardiness and absenteeism +include: +● Tiered intervention and prevention programs: +Tier 1: Reliable attendance reporting from every +classroom; positive school climate initiatives such as +maintaining positive relationships among school staff, +students, and families; consistent intervention and +prevention activities with documentation in Panorama; +School Attendance Committee; School Attendance +Culture. +Tier 2: Targeted attendance letters; attendance contracts; +student/family conferences; attendance success plans; +attendance coaching; mentorship programming. +Tier 3: Intensive case management or mentorship; +specialized programming; assigning staff to intentional +student check-ins; connections with and/or referrals to +specific support services or community resources. +● Use of restorative justice practices + + +Page 27: +Superintendent’s Circular ACA-18 +Page 27 of 41 + + +● Parent/caregiver and/or student-centered conferences +● Contracting with the student and/or parent/caregiver +● Learning Recovery/Attendance Buy-Back Time (for repeated +tardiness or unexcused absences) +Note: Schools are prohibited from excluding students from +physical activity during the school day, such as during recess +or physical education, as a disciplinary consequence. However, +a student may be prohibited from participating in athletics or +extracurricular activities on a school day when an unexcused +absence causes a student to miss more than 50% of the school +day. +Suggested other steps: +● Make MBTA schedules available at schools. +● Post rules on tardiness and punctuality in visible locations. +● Hold a conference with student and family for repeated +tardiness. +● Make phone calls to families of students who are tardy. +● Work with Attendance Team and/or SST and/or to +investigate root causes for student tardiness. +● Establish Student Planning Centers. +Please see the BPS Code of Conduct for additional guidance +regarding suggested strategies. +NOTIFICATION TO PARENTS/CAREGIVERS WHEN STUDENTS +ARE ABSENT +School leaders should inform all students and parents/caregivers +by means of a written bulletin, newsletter, or SchoolMessenger at +the beginning of each school year of the Attendance Policy and +the basic school attendance procedures adopted by the School + + +Page 28: +Superintendent’s Circular ACA-18 +Page 28 of 41 + + +Site Council. This information should be sent in the language of +the home. +Parents/caregivers should be advised that a signed note of +explanation shall be required each time a student is absent. The +note should state the date(s) of absence, the reason, the +parent/caregiver contact information, and the parent/caregiver +signature. The note should be sent in on the day the student +returns to school. The note must be received within seven (7) +school days following the absence. Here is a Sample +Parent/Caregiver Note for Excused Absence. Schools are +expected to use Panorama to document and monitor attendance +intervention activities, including documentation of each step +described below. +1. First Absence +The building administrator is responsible for ensuring that +school staff notifies parents/caregivers by telephone of all +student absences. This is best accomplished by the +homeroom teacher. In these conversations, +parents/caregivers should be reminded of (1) the need to +submit a note of explanation to document the reason each +time a student is absent, (2) the importance of consistent, +on-time attendance for a student to be successful in school, +and (3) that unexcused absences could result in the student +falling behind academically. +2. Second and Third Absence +Parents/caregivers must be notified in writing no later than +the student’s third absence (even if the absences were +“excused”) and on a regular basis thereafter. This notification +should include the attendance requirement, the number of + + +Page 29: +Superintendent’s Circular ACA-18 +Page 29 of 41 + + +days missed compared to the number of school days in the +marking period, and the impact of continued absence on +the student’s success. Note: These absences do not need to +be consecutive. This letter must be written in the language +of the home. Here is a Sample Absence Letter which can be +placed on the school’s letterhead. +3. Third Unexcused Absence +After the third unexcused absence, the student must be +referred to the SST by the homeroom teacher. The team will +review the case and meet to develop recommendations to +assist the student in improving attendance. The team may +invite the parent/caregiver and, at the secondary level, the +student to the meeting; however, if the parent/caregiver +does not attend the meeting, an effort must be made by the +school to contact and discuss the case with the +parent/caregiver. It is recommended that the SST develop +an attendance success plan in Panorama at this step. + + + + +Page 30: +Superintendent’s Circular ACA-18 +Page 30 of 41 + + +4. Fourth Unexcused Absence +At the fourth unexcused absence in any term, a meeting +shall be convened by the school leader, to which the +parent/caregiver shall be invited. If the school is unable to +contact the parent/caregiver, a home visit should be +conducted. The implications of student absence from +school, as well as the current academic status of the +student, will be discussed at this meeting. The success plan +developed by the SST after the third unexcused absence +should be reviewed. +5. Fifth Through Seventh Unexcused Absence +At the fifth unexcused absence, the student and the family +should be referred to the Family Resource Center or +assigned supervisor of attendance. +6. Eighth Unexcused Absence +After the eighth unexcused absence, for a student younger +than 16 years of age, the school’s designated attendance +representative shall coordinate with the assigned supervisor +of attendance to determine if it is necessary and appropriate +to file a truancy case with the Suffolk County Juvenile Court. +Instructions for Recommending an Attendance Intervention +Plan for Court describe the necessary steps to recommend a +case for court. In addition, the school should coordinate with +the school social worker for additional support. +This Notification to Parents/Caregivers When Students Are +Absent condenses the process described above. It serves as a +reference document for staff. + + +Page 31: +Superintendent’s Circular ACA-18 +Page 31 of 41 + + +Absence, tardy, and early dismissal notations must be recorded in +the Aspen SIS daily as the official system of record. School-wide +attendance monitoring using the Panorama Student Success +Platform should be conducted by the school leader or their +designee on a regular basis, but no less frequently than monthly. +EXCUSED ABSENCES +The student attendance record must be updated to reflect the +excused absence. An excused absence is defined as an absence +caused by sickness, injury, hospitalization, court appearances, +religious holy days, or the death of an immediate family member. +The school may accept other reasons for an excused absence as +approved by the school leader; however, if a note of explanation +is not received, the absence shall be deemed “unexcused.” +However, it is important to remember that all absences are +included as it relates to chronic absenteeism, regardless of +whether the absence is excused or unexcused. Prevention and +intervention steps should be conducted by the school to +minimize missed instructional time, regardless of whether +absences are excused or unexcused. In addition, +parents/caregivers should be informed of the definition of +chronic absenteeism and the impact it has on student outcomes: +Chronic absenteeism is defined as missing 10 percent or more of +the school year in any given period. All absences are included as +it relates to chronic absenteeism, regardless of whether the +absence is excused or unexcused. For an entire school year, a +student who misses 18 school days, or about two days per month, +will be considered chronically absent. +Parents/guardians/caregivers should be informed, as part of the +School-Based Rules, of those reasons that are accepted as + + +Page 32: +Superintendent’s Circular ACA-18 +Page 32 of 41 + + +“excused” and those that are not acceptable to excuse an +absence. +NOTIFICATION TO PARENTS/CAREGIVERS SHOULD A CHILD +LEAVE SCHOOL +1. All students must be supervised by a responsible adult at all +times during the school day. +2. Should a child be noted as missing, the school leader should +be notified immediately. +3. After an initial search of the school and immediate +neighborhood, the parent/caregiver should be notified by +telephone as promptly as possible, and the appropriate +departments should be notified. (See Superintendent’s +Circular SAF-09, Lost Children Procedures). +SAFETY CONCERNS RELATED TO ATTENDANCE +To maximize the protection and safety of all students, schools +should take the following measures: +1. Emphasize to the parent/caregiver that they should arrange +to be sure that their children reach the bus stop on time +every morning and that they board the bus. This should be +stressed in newsletters sent home at the start of each school +year. +2. Inform the parent/caregiver that they should notify the +school by telephone each day that their child will be absent +due to illness, etc. +3. Inform the parent/caregiver as soon as possible, including +through the SchoolMessenger system, of their children’s +absence. + + +Page 33: +Superintendent’s Circular ACA-18 +Page 33 of 41 + + +4. Ensure that the parent/caregiver supplies the school with +accurate, up-to-date home and emergency telephone +numbers and indicates the place their children should go if +they miss the bus, e.g., the home of a relative, friend, +neighbor, etc. These emergency numbers should be +updated as necessary. + +HOME & HOSPITAL TUTORING +When a physician determines that a student is physically unable +to attend school for more than 14 consecutive days or anticipated +to accumulate more than 14 absences in a school year, the +student should be offered tutoring at home or in the hospital. +The referral should be made to the Home & Hospital Instruction +program when the school nurse receives a Physician Statement. +The attendance for students participating in the Home & Hospital +Instruction Program should be marked “constructively present” +(CP). The school must document in writing all offers of home +tutoring and acceptances or rejections by the parent or caregiver. +If a parent/caregiver rejects home tutoring or other appropriate +academic services for a child who will be absent for an extended +period, a record of that rejection must be retained in the +student’s file, and a 51A should be filed with the Department of +Children and Families (DCF). When it is deemed by the student’s +attending physician or pediatrician that they will be confined to a +home or hospital setting for more than 60 days, the student will +then be considered for evaluation (if not a student with an IEP); +or if a student with an IEP, the student will then be considered for +a possible IEP amendment or new IEP by the Office of Special +Education under state regulation 603 CMR 28.04(4). + + +Page 34: +Superintendent’s Circular ACA-18 +Page 34 of 41 + + +PROCEDURES FOR REFERRAL TO SUPERVISORS OF +ATTENDANCE +SOAs build schools’ capacity to reduce chronic absenteeism. See +SOA Overview for details on how they can support your school. +This iteration of the attendance policy calls on schools to take +ownership of attendance and supportive interventions and to use +referrals to supervisors of attendance as only a measure of last +resort. In that context, this circular reflects the Boston Public +Schools’ procedures for referring students to the supervisors of +attendance (SOA). Under M.G.L. c.119, Section 21, Section 39E, +Section 39F, and Section 39G, Boston Juvenile Court may hear +petitions to determine if a child needs services. In Boston Public +Schools, only the SOA may file a Child Requiring Assistance (CRA) +petition on behalf of the district for attendance or behavior- +related matters. + It contains guidelines on: +● Procedures for referrals and Attendance Intervention Plan +(AIP) +● Child Requiring Assistance (CRA) filings +● Adult Failure to Cause (ADF). +BACKGROUND +M.G.L. c.119 Part 1 Title XII Chapter 69 Section 10 states that the +Department of Elementary and Secondary Education shall adopt +regulations establishing a truancy prevention program +certification process, consistent with the behavioral health and +public schools framework developed pursuant to section 19 of +chapter 321 of the acts of 2008, and shall require that the truancy +prevention program evaluate the level of out-of-school support +for students and families and address conditions that make +students more likely to become truant including, but not limited + + +Page 35: +Superintendent’s Circular ACA-18 +Page 35 of 41 + + +to, previously unidentified or inadequately addressed special +needs, bullying, and harassment. Any truancy prevention +program established under this section by a school district shall +meet the requirements for certification adopted by the +department. +Supervisors of attendance, working in collaboration with school +staff and external agencies, may file a court referral based on +investigative findings, prior attendance patterns, and present +problematic attendance. The filing of a CRA is the last resort if +other interventions by school, external agencies, and/or +attendance staff fail to bring about improvement. +The SOA may file the following CRA petitions with the mandatory +parent/caregiver date of birth: +● Habitually Truant: Civil charge filed on students who miss +school for 8 days in a quarter. +● Student Who Repeatedly Fails to Obey Regulations of the +School: Civil charges filed on students who repeatedly fail to +obey the lawful and reasonable regulations of the student’s +school. +● Adult Failure to Cause: Petition filed when a student’s +absence is beyond their control, but due to a caretaker’s +action or inaction, e.g., the child is too young to get to school +on their own. +ATTENDANCE INTERVENTION PLAN (AIP) +While all attendance intervention activities should now be +documented in the Panorama Student Success Platform, the +Attendance Intervention Plan (AIP) is available for each student +having four or more unexcused absences in the Aspen SIS. The +AIP in Aspen SIS serves the following purposes: + + +Page 36: +Superintendent’s Circular ACA-18 +Page 36 of 41 + + +● To identify students who are eligible for a court referral due +to eight or more unexcused absences in a marking period. +● For school leaders to recommend a case to court as a last +resort when all attendance prevention/intervention +strategies have been exhausted. +● To document any compliance-related attendance +intervention activities, particularly for cases that are +recommended to the court. Supervisors of attendance +(SOAs) will ensure that any compliance-related +documentation from Panorama is also entered to Aspen +(that is: if a case moves toward the court, the SOA is +responsible for copying the intervention plan from +Panorama into Aspen). +● For a quality check, wherein school attendance staff can +verify that all students who have an AIP generated in Aspen +SIS (because of four or more unexcused absences in a +marking period) also have an Attendance Success Plan +created in Panorama. As a best practice, all chronically +absent students should have an Attendance Success Plan in +Panorama. +Once a student has eight unexcused absences in a marking +period, the school leader may recommend the AIP for court in +the SIS. Supervisors of attendance (SOAs) will ensure that any +compliance-related documentation is also entered into Aspen, +including the attendance success plan, with attendance +intervention steps that were conducted with the student, as +documented using Panorama. +The parent/caregiver date of birth (DOB) is required in the judicial +process. The AIP will require the submission of the +parent/caregiver date of birth and documentation of intervention + + +Page 37: +Superintendent’s Circular ACA-18 +Page 37 of 41 + + +steps as an Attendance Success Plan in Panorama. Without this +information, the AIP cannot be recommended for court. +The SOA will investigate and report their recommendation in the +SOA comment section. The comments can be viewed by the +senders and the school leaders. The senders and the school +leaders can view the comments. Instructions for Recommending +an Attendance Intervention Plan for Court are here. +SCHOOL STEPS IN THE CHILD REQUIRING ASSISTANCE (CRA) +PROCESS +CRA: Truancy +1. Upon the 4th unexcused absence, the school leader or +designated staff and homeroom teacher will receive an +email notification from SIS informing them that an +Attendance Intervention Plan (AIP) has been initiated +during the term for a student. +2. Upon the 8th unexcused absence during the term, the +school leader or designated staff or homeroom teacher can +recommend that a student AIP be sent to court due to +excessive absences and non-compliance with the student’s +Attendance Success Plan, as documented in Panorama. The +AIP cannot be recommended for court if the student does +not have an Attendance Success Plan documented in +Panorama. At this time, the appropriate SOA will investigate +the case, referring to the action already taken by the school +to date and to the results that they have reported. The +investigation may include phone calls, +home/parent/caregiver work-site visits, school visits and +telephone calls, letters to parents/caregivers where +necessary, and, in some cases, contact with and referral to +involved agencies. + + +Page 38: +Superintendent’s Circular ACA-18 +Page 38 of 41 + + +3. The SOA will report the results of the investigation to the +school through the SIS system. The supervisor will also ask +that schools keep them informed of further attendance +problems. +4. If attendance does not improve, schools must send +additional AIPs to the Attendance Office only if the open +CRA has been closed, alerting the SOA to follow up once +more. Additional interventions should be documented in +Panorama to update the SOA on the school's subsequent +actions and results. +5. Subsequent investigation and follow-up will occur through +response in the SIS system, email, or attendance meeting. +6. Supervisors of attendance, working with school staff, make +decisions on future action based on investigative findings, +prior attendance patterns, and correspondence with +parents/caregivers and the school. One option is court +referral. The decision to file a CRA is made by the SOA based +on the finding and results of steps 1-4 and only after +exhausting all other possible courses of action. The CRA will +only be filed if the student has accumulated eight or more +unexcused absences in a single quarter and the school has +documented intervention steps using the Attendance +Success Plan feature in Panorama. +7. When the AIP is recommended for court, the SOA will notify +the school of this action using the Attendance Supervisor's +Information Form or will make personal or telephone +contact. A probation officer will be assigned to the child by +the court if a CRA is filed. +8. If attendance does not improve following a CRA filing, +communication with the assigned probation officer and/or +the SOA is required. + + +Page 39: +Superintendent’s Circular ACA-18 +Page 39 of 41 + + +CRA FOR STUDENT WHO REPEATEDLY FAILS TO OBEY +REGULATIONS OF THE SCHOOL +Decisions to file a Child Requiring Assistance (CRA) for a +student who repeatedly fails to obey regulations of the school +with the Suffolk County Juvenile Court should follow the +prevention/intervention steps and best practices of the BPS +Code of Conduct, including the Philosophy and Guiding +Principles. NOTE: A CRA for a student who repeatedly fails to +obey the regulations of the school can only be filed for +students in grade 6 and above. +1. After the third serious violation of school rules, the school +will request a CRA (repeatedly fails to obey school +regulations) in the SIS system to the Attendance Office for +follow-up and investigation. After filling out the request, the +following documents should be accompanied via fax: copies +of a letter signed by a school official on letterhead with the +prevention/intervention steps taken to improve the +student’s behavior. The school should also provide +documentation of the three serious violations. +2. The SOA will investigate the case and determine whether a +filing is warranted. They will report the decision to the +school. +3. When the CRA petition is filed, the SOA will notify the school +of this action using the attendance supervisor's SIS card or +will make personal or telephone contact. A probation officer +will be assigned to the child by the court. +4. If the student’s behavior does not improve following a CRA +filing, communication with the assigned probation officer +and/or the SOA is required, and the school should continue +to proceed with appropriate action under the Code of +Conduct. + + +Page 40: +Superintendent’s Circular ACA-18 +Page 40 of 41 + + +CRA: ADULT-FAILURE-TO-CAUSE PROCESS (ADF) +These cases are criminal complaints filed against +parents/caregivers who willfully prevent their children from +attending school. This is a serious charge requiring the sworn +testimony of the SOA on the school's behalf. Courts can fine +parents/caregivers, and in extreme cases, further +consequences can result from non-compliance. +The steps are the same as described for CRA cases, except that +it is filed against the parent/caregiver if the investigation +conducted by the SOA finds evidence to justify the filing, and +information about the parent/caregiver is required, which, in +some cases, can only be obtained by school staff. For example, +the complaint cannot be filed without the parent/caregiver’s +date of birth and physical description, as well as documented +evidence of attendance interventions using the Attendance +Success Plan feature in Panorama. Therefore, it is important +that school staff capture this information in advance of +recommending a case for court. + + + + +Page 41: +Superintendent’s Circular ACA-18 +Page 41 of 41 + + +For more information about this circular, contact: +Owner: +Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-02 +Version 01 + + +WORK ORDER REQUESTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +All work requests are to be submitted through Asset Essentials. +The following procedures are to be followed when originating +work requests. +ASSET ESSENTIALS +You will be able to login through your Google App launcher, +which is the icon at the top of your Gmail (3 by 3 box.) Scroll down +until you see the "SchoolDude - Asset Essentials" icon. +REQUEST FORMAT +Each request begins by selecting the school from the drop-down +menu. Please provide a detailed description of the work needed, +including the floor, room number, and room name (if there is +one). Please note the system will automatically collect your email +address for return messages. +EMERGENCIES +Call emergencies into the Planning and Engineering Office +immediately at 617-635-8300 or 617-635-9135. You may also call +the appropriate Planning and Engineering supervisor to report + + +Page 2: +Superintendent’s Circular FMT-02 +Page 2 of 6 + + +any emergency. After calling in the emergency, enter the +emergency Work Order Request into the system by the end of +the day, indicating that it was an emergency, and the request is a +confirming order. +EXTERNAL FUNDS +If the costs are to be charged to an external funding source, +indicate in the request to what account the costs should be +charged. Refer to Superintendent’s Circular — External Funding +of Renovations to School Buildings and Yards. +STATUS OF WORK ORDER REQUESTS +Once a Work Order Request has been submitted for initial +review, you will be able to view the status and actions taken by +Planning and Engineering staff on the initial request. +Status codes are as follows: +● In Progress - We have decided to move forward with +obtaining an estimate from a contractor. Once we have +obtained an estimate from a contractor, we will assess and +make a final decision. +● On Hold - The decision has been made to put this on hold +for right now. You will be able to view the status and actions +taken by Planning and Engineering staff on the initial +request. There will be a detailed note explaining this +decision. +● Denied - The decision has been made to not proceed with +this work order. You will be able to view the status and +actions taken by Planning and Engineering staff on the + + +Page 3: +Superintendent’s Circular FMT-02 +Page 3 of 6 + + +initial request. There will be a detailed note explaining this +decision. +● Capital Project - This has been deemed to be a capital +project and so it has been forwarded to the Capital Project +team. +● Completed - Once a supervisor has provided estimated +costs, contractors to complete the work, and estimated +completion date, and a final decision has been rendered, +you will be able to review the status and actions taken by +Planning and Engineering staff. +► Please note that, for most approved work orders, you +generally will not receive a note. If your request is put On +Hold, Denied, or Capital Project, you will generally receive a +note explaining the reason for the decision. +SUBDIVISION OF CLASSROOMS/CHANGE IN +OCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS +FOR OFFICE SPACE +Requests for subdivision for expanding classroom space must: +● be submitted on the attached Request for Space +Modification Form (Attachment A) with location and +purpose. +● be approved by the director of Student Assignment and +director of Facilities Management. +● meet building codes for safety. + +Partitioning of non-educational spaces such as cafeterias, +gymnasiums, or corridors is prohibited. + + +Page 4: +Superintendent’s Circular FMT-02 +Page 4 of 6 + + +► PLEASE NOTE, ALL APPROVALS ARE SUBJECT TO THE +AVAILABILITY OF FUNDING + +For more information about this circular, contact: +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Boston, MA 02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + +Page 5: +Superintendent’s Circular FMT-02 +Page 5 of 6 + + +ATTACHMENT A +REQUEST FOR SPACE MODIFICATION +Request for any programmatic plan that changes existing space +in a school building must be done in writing. Please complete +the Request Form below and submit to the director of the +Student Assignment Unit. +A. Request: +School: _______________________________________Date: + +Detail of Space Modification: + + + + + +Rationale for Modification: + + + + + +Source of Funding: +☐ Requested from Facilities Management +☐ School Funds Available ☐ Grant Funds Available +Principal/Head of School signature: + + + + +Page 6: +Superintendent’s Circular FMT-02 +Page 6 of 6 + + +B. Approval / Non-Approval: +Director of Student Assignment: +□ Approved / supports enrollment capacity needs. +□ Not approved / negatively impacts enrollment capacity +needs. +□ No impact on enrollment capacity needs / move to Facilities +Management for decision. + +Signature: ___________________________________Date: + +Director of Facilities Management: +□ Approved / supports enrollment capacity needs. Funding +will be allocated. +□ Approved / no impact on enrollment and funding identified +by principal/head of school. +□ Not approved / no funding available. +□ Not approved / building code violation. + +Signature: ___________________________________Date: + + +Upon final decision regarding Approval / Non-Approval, a copy of +same will be forwarded to the principal/head of school initiating +the request for space modification. + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-11 +Version 01 + + + +GREEN CLEANERS’ POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +High-performance schools that have superior indoor air quality +and are healthy and well maintained have been shown to reduce +absenteeism and improve student performance. Many Boston +school children suffer from allergies and asthma, which can be +triggered by poor air quality and chemical, biological, and +particulate contaminants. Long or short-term exposure to toxic +chemicals or harmful particles, gasses, or vapors can have serious +consequences, especially for children, such as asthma, allergies, +depression, hormonal changes, or even cancer. To ensure the +best quality learning environment for our students and working +environment for our staff, it is the responsibility of the Boston +Public Schools (BPS) to minimize the negative impacts that +cleaning products have on occupant health and the +environment. +POLICY +The BPS is committed to providing and maintaining high- +performing buildings and grounds in an environmentally friendly +and sustainable manner. The Green Cleaners Policy is in +accordance with the City of Boston’s executive order relative to + + +Page 2: +Superintendent’s Circular FMT-11 +Page 2 of 5 + + + +greening city building maintenance and operations and +executive order relative to climate action. This policy applies to all +BPS buildings and grounds, including offices, classrooms, +restrooms, cafeterias, gymnasiums, hallways, pathways, +kitchenettes, stairwells, etc. +Under this green cleaning policy, BPS departments, school sites, +and partner programs taking place in schools must comply with +the following: +● Purchase, provide, and use only environmentally friendly +cleaning products that comply with the Green Seal +Environmental Standard (GS-37), including but not limited +to glass, bathroom, carpet, and general-purpose cleaners +used for industrial and institutional purposes. +● All other non-approved cleaning products are prohibited +from being used in BPS buildings and grounds by any staff, +volunteer, vendor, or partner. +● Use of disinfectants for cleaning shall be limited to food +service areas and the clean-up of biological and bodily +wastes and “high touch areas” (when directed). All +disinfectants must be premixed, registered by the U.S. +Environmental Protection Agency, and have a Hazardous +Materials Identification System (HMIS) rating of 2 or less. +● Pre-approved or least toxic and asthma friendly +sanitizer/disinfectants must be used in early learning +centers in accordance with the National Association of +Education for Young Children accreditation standards. + + + + +Page 3: +Superintendent’s Circular FMT-11 +Page 3 of 5 + + + +IMPLEMENTATION PLAN +BPS Facilities Management and custodial staff will maintain this +policy through these implementation steps: +● Ensure vendors can provide proof that their products meet +the criteria for Green Seal Environmental Standard for +Cleaning Products for Industrial and Institutional Use, GS-37. +The Green Seal program is a North American multi-attribute, +lifecycle environmental standard and certification. +● Burnish floor surfaces where applicable to reduce the use of +potentially irritating cleaning and stripping compounds. Any +necessary floor stripping and waxing will be performed +during non-occupied hours. +● Automatic mixing stations will be installed for custodial use +that dispense pre-mixed products to ensure the active +ingredient concentration required by the EPA, limit +employee contact with chemicals for enhanced safety, and +minimize waste. +● Upon request, school custodians will provide teachers and +other BPS staff with OSHA-compliant pre-labeled spray +bottles of mixed green cleaning compounds (desktop and +glass cleaners) that meet the Green Cleaning Policy +standards. +● Train and update BPS custodial staff and others who use +chemicals on the Green Cleaners Policy, including but not +limited to hazard communications (Right to Know law, +MSDS, etc.), worker safety and personal protective +equipment use, safe and proper product and equipment +use, etc. + + +Page 4: +Superintendent’s Circular FMT-11 +Page 4 of 5 + + + +● Custodians will participate on the school’s Wellness Council +to ensure compliance with this policy as well as other +Healthy School Environment policies and initiatives +(recycling, integrated pest management, etc.). +● To the greatest extent possible, cleaning materials and +associated packaging will be reused and/or recycled to +minimize waste. +● Protocols governing safe handling and storage of cleaning +chemicals shall be adopted. Quality control checks will be +used to ensure adoption. +RESPONSIBLE PARTIES +This policy is overseen by the BPS Facilities Management +Department and is updated annually to help ensure cleaning +practices, products, and technologies specified in this policy +meet industry standards and best practices. +BPS staff, contractors, and vendors shall review this policy and +may request additional information and training as required. + + + + + +Page 5: +Superintendent’s Circular FMT-11 +Page 5 of 5 + + + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9576 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-10 + Version 01 + +INTEGRATED PEST MANAGEMENT (IPM) +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +MISSION STATEMENT +To further ensure a healthy and safe learning and work +environment at all Boston Public School (BPS) buildings, BPS will +be implementing a systemwide IPM program. IPM is a holistic +approach to control pest activity and to reduce pesticide usage in +the building and surrounding landscape. +IMPLEMENTATION PLAN +A key component of an effective IPM plan is the selection of an +IPM coordinator. The IPM coordinator should be someone with +administrative authority to adequately enforce and implement +the program. The IPM coordinator acts as a representative of the +principal. The IPM coordinator is required to establish an IPM +Committee, which will include interested stockholders (e.g., +custodian(s), after school program, community school (as +applicable), food service manager, teacher, etc.). +State laws and regulations require all school buildings and +licensed daycares to register an indoor and outdoor IPM plan +with the Massachusetts Department of Agricultural Resources +(MDAR). The law requires the IPM plans to be updated and +registered annually. The pest control contractor (PCC) is +responsible to annually update the indoor and outdoor plan. + + +Page 2: +Superintendent’s Circular FMT-10 +Page 2 of 7 + +All IPM plans must be updated annually by the pest control +contractor by December 1. The PCC will meet with the +principal/head of school or designee to update the plan. The +updates will include but not be limited to technical components, +pest treatment products, and devices of the IPM plan. The +principal/head of school or designated representative (i.e., IPM +coordinator) will provide the PCC with the school's information, +including but not limited to school name and address, name of +principal/head of school, IPM coordinator’s name, IPM Committee +members, etc. +The logbook must contain the following sections: +• A copy of the MDAR approved indoor and outdoor IPM +plan +• Complaint/sighting forms +• Pest control contractor inspection and treatment reports +• Treatment product health and safety information (similar +to a material safety data sheet) +• Pest control contractor (PCC) information (name and +address of company, contact person, telephone number, +etc.) +NOTE: It’s very important that all pest problems/issues be +entered into the logbook to ensure problem areas are treated +during monthly inspections. +MONTHLY INSPECTION +1. All PCCs working in BPS facilities will be familiar with +the BPS IPM protocol. +2. Prior to the start of any service, the PCC will report to +the main office and review the IPM logbook for recent + + +Page 3: +Superintendent’s Circular FMT-10 +Page 3 of 7 + +entries. +3. The PCC will conduct a monthly inspection of all school +buildings. The minimum inspection will include a +physical inspection and assessment of the following +areas, noting IPM related deficiencies: +a. Food prep and storage areas +b. Dumpster and waste storage areas +c. Loading and receiving areas +d. Building grounds +e. Teacher’s lounge +f. Entry points or connections from a mechanical +space or crawl space +g. Boiler room area, mechanical rooms, and +moveable storage areas +h. Storage rooms, sinks, and custodial storerooms +i. Noted rooms with recent complaints (those +areas/rooms marked with a complaint after the +last service call) +j. Other suspected areas +4. Temporarily seal all potential rodent access holes or +voids (< 3 in. diameter), including voids around pipes +and duct penetrations or any other penetrations. The +PCC will only use approved sealants. The PCC will +provide product specifications for sealants prior to any +use in BPS facilities. The Alterations and Repairs +supervisor will be contacted to permanently seal any +penetrations. +5. The PCC will vacuum any rodent droppings around any +area where traps, glue boards, monitoring stations, etc. +have been placed. +6. The PCC will inspect the above noted areas and make +recommendations for enhanced treatment as + + +Page 4: +Superintendent’s Circular FMT-10 +Page 4 of 7 + +necessary. +7. The PCC will provide electronic copies of any IPM +inspection, treatment, or service via email to the +school’s email address, to the environmental supervisor +or specialist with BPS and Food Services. +The pest control contractor or the school will notify and seek +approval from BPS Environmental Division for any additional IPM +treatments, service calls, or inspections beyond the monthly +treatment. This request must be made through or verified by +email confirmation. +A quality IPM program must effectively control the following +conditions: +• Rodent entry points and access +• Harborage and clutter +• Food source and sanitation +• Moisture +The IPM coordinator must review the IPM logbook immediately +following each inspection. The coordinator will create a work +order request addressed to the environmental supervisor for +treatment or necessary repairs. + + + + +Page 5: +Superintendent’s Circular FMT-10 +Page 5 of 7 + +Clutter is a major issue that needs to be addressed for an +effective IPM program. Clutter creates harborage for pests +and limits full treatment. Clutter is defined as storage +which: +1. Impedes egresses +2. Limits safe movement throughout the area +3. Blocks and limits access to essential mechanical, utility, +and emergency equipment +4. Becomes stagnant: boxes or materials left on the floor +that show signs of deterioration, water damage, or pest +activity +All unnecessary unwanted or contaminated materials must be +removed. +BED BUG PROTOCOL FOR BOSTON PUBLIC SCHOOLS +Bed bugs are becoming a more common pest problem that +could impact the general quality of life but are not known to +transmit any diseases. Bed bugs are small (less than ¼ inch in +diameter), brownish, flattened insects that are known to bite +people when they are asleep. The bites often may not be felt but +can cause itchiness and swelling. Unlike some other insects (e.g., +head lice), bed bugs do not live on people but may hitchhike on +one’s personal items (backpacks, clothing, books, etc.) to get into +a school building. Bed bug infestations are uncommon in +schools, but since they may get in by other means, schools need +to be proactive. +School’s Response Actions: +1. The school’s IPM coordinator, principal, or head of +school must be notified. +2. Write the complaint in your school’s IPM logbook + + +Page 6: +Superintendent’s Circular FMT-10 +Page 6 of 7 + +which is kept in your main office. Please provide details +in your complaint without divulging anyone’s personal +information. A complaint should be logged for any +suspect bed bugs. +3. Contact the Facilities Management, Environmental +Division at 617-635-8300. +4. If you can capture the insect, place it in a sealed clear +plastic bag (Ziploc) for identification. The pest control +contractor (PCC) will come by to identify the insect as +soon as possible. +5. If a student has been identified with a bed bug, the +personal belongings of all students in the room should +be bagged and sealed tightly. +6. A student who has suspect bite marks should see the +school nurse as soon as possible. +7. The school nurse will contact the student’s parent or +guardian to provide them with contact information for +the Boston Public Health Commission to arrange a bed +bug inspection. +For more information, please visit the link below: +https://bphc.org/whatwedo/healthy-homes- +environment/Documents/bedbug_fact_sheet. + + + + +Page 7: +Superintendent’s Circular FMT-10 +Page 7 of 7 + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +ACTIVITY +TIMELINE +Copy of this year’s Superintendent’s +Circular included in IPM book +Annually by October 1 +Pest control contractors will annually +review and update indoor and outdoor +IPM plans, register with +Massachusetts Department of +Agricultural Resources, and submit to +Facilities Management. +Annually by December 1 + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester MA, 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + +Superintendent’s +Circular +NUMBER: +FMT-18 +Version 01 + +SCIENCE SAFETY IN SCHOOL LABORATORIES AND +CLASSROOMS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools (BPS) has developed a Science Safety Plan +to promote a safer and more effective learning environment for +students and a healthier workplace for teachers and other +employees within science classrooms and laboratories in Boston +Public Schools. The Science Safety Plan is a comprehensive effort +to address chemical use, storage, and disposal procedures, as +well as the prevention and/or minimization of and response to +chemical spills and other accidents. +The districtwide plan addresses the needs of all BPS science +classes and is consistent with the requirements of the U.S. +Department of Labor, Occupational Safety and Health +Administration’s (OSHA) 29 CFR 1910.1450 Occupational +Exposures to Hazardous Chemicals in Laboratories for the +protection of our students and employees, as well as guidance +materials from the National Fire Protection Association (NFPA), +the National Institute for Occupational Safety and Health +(NIOSH), and the Boston Fire Department. The Science Safety +Plan promotes a culture of safety in science and the safe +operation of all science laboratories for students, faculty, and +staff. +To ensure that all students and their teachers work in an +environment which is safe, it is necessary to formulate standard +procedures and requirements for all schools and their personnel. + + +Page 2: +Superintendent’s Circular FMT-18 +Page 2 of 8 + +The Science Safety Plan and this circular will be reviewed +annually. +Your performance of these procedures is required. +RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOLS +1. +Ensure that all science classes and laboratories are +assigned to and conducted in appropriately equipped +Science Rooms. +2. +Provide a list of all science teachers/teachers of science to +the Science Department by October 1st each year using +the form provided in Appendix R of the BPS Science +Safety Plan. +3. +Appoint a Science Safety Coordinator (SSC) and ensure +they: +a) Attend the mandatory Chemical Safety Training +session co-hosted by the Science Department and +Flinn Scientific. +b) Conduct an annual chemical inventory. +c) Complete the required safety checks as stated in +Sections J and O of the BPS Science Safety Plan. +4. +Inform the staff and students in writing of the safety +standards and procedures, including the need to wear +eye protection devices. +5. +Ensure that workable fire extinguishers, blankets, safety +showers, and eyewash equipment are readily available +and that appropriate personnel receive training in the use +of each. +6. +Ensure staff review and implement the BPS Science +Safety Plan. + + +Page 3: +Superintendent’s Circular FMT-18 +Page 3 of 8 + +7. +Ensure that staff has instructed all students in safety +standards and procedures, including the BPS Science +Safety Plan and the School Safety Plan. +8. +Post building evacuation procedures in classrooms, +laboratories, and chemical storage rooms. +9. +Conduct quarterly fire drills. +10. +Maintain adequate lighting and proper ventilation in +laboratories and classrooms, and report problems to +Facilities Management immediately. +11. +Be sure that teacher evaluations reflect the +implementation of safety standards and procedures. +12. +Ensure that a "Right to Know" workplace notice is posted +in the school's Science Rooms pursuant to Mass. Gen. +Laws c. 111F. +13. +Ensure a copy of all safety data sheets (SDSs) is +maintained in the main office and chemical storage areas. +14. +Ensure that all instructors working with toxic or +hazardous substances receive training as specified in +Chapter 111F of the Massachusetts General Laws through +the Science Department. +15. +Notify the Science Department of any accident or injury in +a Science Area. +16. +Submit the Annual Hazardous Material Permit +Application to Boston Fire Department and post the +current permit in the main office. + + + + +Page 4: +Superintendent’s Circular FMT-18 +Page 4 of 8 + +RESPONSIBILITIES OF TEACHERS +1. +Review and implement the Science Safety Plan, including +SOPs for general laboratories, chemical use and storage, +chemistry laboratories, biology laboratories, physics +laboratories, and waste management. +2. +Attend annual safety training(s) including science safety +and first aid. +3. +Practice safety procedures and serve as the model for +good safety conduct for students. +4. +Establish a Student Safety Contract with each student +prior to any laboratory activities. +5. +Require the use of appropriate personal protective +equipment. +6. +Avoid accidents by insisting that students dress properly +for the laboratory. +7. +Supervise students at all times. Under no circumstances +shall a teacher leave students unsupervised in a +laboratory or chemical storage room. If an instructor must +leave the laboratory in an emergency, they must: +a) Arrange for a qualified teacher as a replacement, OR +b) Relocate students to a properly supervised area, +c) Lock the laboratory, and +d) Shut off equipment. +8. +Inspect fire extinguishers monthly and safety showers +and eyewash stations weekly (SSC or science teacher in +charge). +9. +Maintain first aid kit in an easily accessible area (SSC or +science teacher in charge). + + +Page 5: +Superintendent’s Circular FMT-18 +Page 5 of 8 + +10. +Maintain a chemical inventory using the online +ChemVentory system, update at least annually, and +submit an electronic copy to the Science Department and +Facilities Management by October 1st each year (SSC or +science teacher in charge). +11. +Ensure SDSs for all chemicals are accessible and copies +are kept in the chemical storage room or school’s Science +Department and in the administrative main office (SSC or +science teacher in charge). +12. +Store all chemicals in their compatible chemical families. +13. +Keep all chemical storage rooms or cabinets locked at all +times when not in use. +14. +Label all chemical storage rooms/cabinets and laboratory +doors with the appropriate NFPA Diamond (SSC or +science teacher in charge). +15. +Ensure all chemical and waste containers are labeled +appropriately and stored safely until they can be +removed. Contact Facilities Management for removal. +16. +Implement the appropriate emergency procedure, waste +disposal, spill cleanup, evacuation routes, and fire +emergency notification when needed. +17. +Consult with the Science and/or Facilities Management +Department staff as appropriate regarding the use of +Class 1A flammables, compressed gasses, donated +chemicals, and the implementation of any laboratory +experiment that may be more hazardous than those +contained in the district-identified curriculum. +18. +Report all accidents and injuries to the principal/head of +school and direct supervisor. + + +Page 6: +Superintendent’s Circular FMT-18 +Page 6 of 8 + +19. +Report lighting, ventilation, safety equipment, and +laboratory disrepair to principal/head ofschool, direct +supervisor, and Facilities Management. +RESPONSIBILITIES OF STUDENTS +1. +Practice good chemical hygiene habits. +2. +Maintain an awareness of health and safety hazards and +report unsafe practices and conditions to the teacher. +3. +Report all accidents and injuries to the teacher +immediately. +4. +Know and follow emergency procedures. +5. +Notify the teacher of any sensitivity or allergy to +chemicals. +6. +Wear appropriate apparel and personal protective +equipment, including goggles, during laboratory +activities. +7. +Conduct all activities according to teacher instructions to +ensure the Science Safety Plan is followed. +TECHNICAL ASSISTANCE +Facilities Management and BPS district Science Department will +provide all schools with technical assistance in improving and +maintaining safety procedures. Facilities Management and Safety +personnel are available to coordinate fire prevention activities +and building and safety equipment inspections. + + + + +Page 7: +Superintendent’s Circular FMT-18 +Page 7 of 8 + +Contact: +• Chief Environmental Technician, Facilities Management + +617-635-8300 +• Assistant Superintendent, Office of Teaching and Learning +617-635-8079 + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave., Boston, MA 02108 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Science, Technology, and Engineering +Department +Department: +Office of Teaching and Learning +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Boston, MA 02125 +Phone: +617-635-8750 +Email: +bpssciencematerials@bostonpublicschools.org + + + + + +Page 8: +Superintendent’s Circular FMT-18 +Page 8 of 8 + +Additional contacts in the Office of Teaching and Learning: +Chief of Teaching and +Learning +OPL@bostonpublicschools.org +Executive Director of STEM OPL@bostonpublicschools.org +Program Director, High +School Science +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-12 +Version 01 + + + +LOSS OR DAMAGE RESULTING FROM FIRE, THEFT, +VANDALISM OR UNLAWFUL ACTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +In all cases of loss or damage to Boston School Department +buildings, grounds, or other property, heads of school, principals, +and responsibility center managers must complete Form A +(attached) and follow prescribed procedures upon the discovery +of such incidents. Form A is to be used to report all acts of fire, +theft, vandalism, destruction of property, graffiti, breaking and +entering, and attempts to break and enter. Vandalism is +considered to be all willful acts causing damage to school +department property. +Heads of school, principals, and other responsibility center +managers must also contact the Boston Police or Safety Services +and request that an official Police Department incident report +(commonly referred to as a “1-1”) be prepared. This report serves +as documentation that the incident has been reported to and +logged by the Police Department. Heads of school, principals, +and responsibility center managers should keep a copy of both +Form A and the official police report for their records. +The original Form A and a copy of the police report are to be sent +to the Department of Safety Services, 213 Townsend Street, +Dorchester, MA 02121. + + +Page 2: +Superintendent’s Circular FMT-12 +Page 2 of 4 + + + +Additional copies are to be forwarded to the following +departments: +● Facilities Management +● Academic Superintendents +● Others, as necessary + In the event of emergency or hazardous conditions, notify +Facilities Management immediately. +Refer to Superintendent’s Circular FSE-01 School Safety / +Contingency Plans for additional information. +For more information about this circular, contact: +Owner: +Sr. Supervisor Electrical/Security +Department: +Facilities Management +Mailing Address: 1216 Dorchester Ave., Boston, MA 02125 +Phone: +617-635-8300 +Fax: +617-635-7855 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 3: +Superintendent’s Circular FMT-12 +Page 3 of 4 + + + +FORM A +REPORT OF LOSS OR DAMAGE RESULTING FROM +FIRE, THEFT, VANDALISM OR UNLAWFUL ACTS +This form is to be used to report all acts of fire, theft, vandalism, +destruction of property, graffiti, breaking and entering, or attempts to +break and enter. Vandalism shall be considered to be all willful acts +causing damage to school property. +School or other facility: ________________________________________________ +Date of report: ________________________________________________________ +Specific location of incident: __________________________________________ +Point of entry: ________________________________________________________ +Name of person who discovered the incident: _________________________ +Date/time of incident: _________________________________________________ +Description of damage or loss. Identify property by manufacturer, +model, serial number, and school department identification number: + + + + + +Page 4: +Superintendent’s Circular FMT-12 +Page 4 of 4 + + + +Please complete the following information if this report is the result of +loss, theft, or damage to a laptop/desktop. Once completed, forward a +copy to your Technical Support Teacher (TST). + +Product +Model +Serial # +Asset Tag # +☐ Laptop + + + +☐ Laptop case + + + +☐ Cables + + + +☐ Lock + + + +☐ Desktop Monitor + + + +☐ Desktop CPU + + + + +________________________________________________ ______________________ + +Name of responding Police Officer + +CC Number +_______________________________________________ _______________________ + +Name of Facilities Mgt. personnel notified +Date/Time +_______________________________________________ _______________________ + +Signature +Title +cc: ☐ Facilities Management Copy +☐ Safety Services Copy +☐ Office of Instructional and Information Technology + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-01 +Version 01 + + +PERFORMANCE EVALUATION OF CUSTODIANS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to set forth the individuals +responsible for custodian evaluations and to outline the +philosophy, objectives, guidelines, and procedures applicable to +the process. +The contract between the School Committee and the Custodians +Union provides for the annual evaluation of the performance of +custodians by principals and heads of school. To assist in the +implementation of the performance evaluation process, the +Department of Facilities Management (Building Services) has +developed a handbook for custodians, principals, and heads of +schools. The evaluation process relates to the job duties and +responsibilities of the position as contained in the handbook. +It is the supervisor's responsibility to clearly communicate the +specific duties associated with the position, in writing, to the +custodial employee. Therefore, principals and heads of school +should take all steps to become familiar with the contents of the +handbook and should ensure that each custodian understands +the content of the manual. +Heads of school, principals, and other administrative heads are +responsible for the evaluation of the performance of all custodial + + +Page 2: +Superintendent’s Circular FMT-01 +Page 2 of 14 + + + +employees under their supervision. However, the actual +evaluation must be done by the immediate supervisor, i.e., the +principal/head of school is responsible for the evaluation of both +senior and junior custodians. During the school year, all custodial +employees, with input by the senior custodian and Facilities +Management, will be evaluated using the diagnostic-prescriptive +approach and the procedures and forms developed for the +implementation thereof. +Training on the performance evaluation process will be provided +during the school year. Principals and heads of schools are +encouraged to consult with the Department of Facilities +Management (Building Services) on all performance issues +affecting custodial employees. The evaluation process itself is +modeled on the teacher evaluation procedures. +PHILOSOPHY +The Boston Public Schools recognizes that the quality of +educational service provided depends upon the professional +performance and total job effectiveness of all employees in the +system. Thus, since custodial employees can and should be held +accountable for the quality of their performance, a just and +effective process for evaluating that performance is essential. +True performance evaluations involve analyses of an individual's +strengths and weaknesses, resulting in diagnoses and +prescriptions. This in turn leads to the desired improvement of +skills and improved performance of the custodial employee. +An effective performance evaluation program is one that is +continuous rather than periodic, and organized to: + + +Page 3: +Superintendent’s Circular FMT-01 +Page 3 of 14 + + + +● Develop in the support staff a clearer understanding of the +goals of the department or school. +● Assist employees to address more effectively the needs of +each school or department. +● Encourage cooperative staff relations through mutual trust +and respect for each employee's individual role. +The contract with the Custodians Association further provides for +the principal/head of school and the senior custodian to establish +a mutually supportive relationship, and to cooperate in the +resolution of all plant maintenance and operation problems. +Further, the contract clearly provides that the principal/head of +school of a school building will oversee all staff and has the +responsibility to ensure the cleanliness and maintenance of the +school building at all times. Each custodian in a school is +managed by the principal/head of school of that building. +A diagnostic-prescriptive evaluation program is positively +directed and encourages staff to maximize unique strengths and +skills. This evaluation program encourages staff to participate in +the evaluation of their own performance and to help set +objectives for self-improvement. The performance evaluation +process, however, is not intended to be a substitute for the day- +to-day communication and supervision of employees. +ROLES AND RESPONSIBILITIES +Heads of schools, principals, and other administrative heads have +primary responsibility for the evaluation of all staff in their +responsibility centers. After the evaluation has been presented to +the employee, the evaluation form must be signed by the + + +Page 4: +Superintendent’s Circular FMT-01 +Page 4 of 14 + + + +employee (refer to the evaluation instrument) prior to submission +to the Office of Human Capital and Office of Facilities +Management (Building Services). Performance evaluation +activities may include but are not limited to: 1) preliminary +planning conferences, 2) daily observations, 3) notations, 4) +formal interim evaluations, 5) follow-up conferences, and 6) +recommendations to the staff member by the evaluator. +Principals/heads of school must evaluate both senior and junior +custodians, in writing, and sign the completed written +evaluations. +PROCEDURAL STEPS +Preliminary Procedures +Prior to the implementation of the process, the principal/head of +school must prepare the work schedule in cooperation with the +senior custodian(s). They should then meet with the senior +custodian to provide an orientation to the performance +evaluation process and to specific roles and responsibilities +within that process for the upcoming year as contained in the +work schedule. Principals and heads of school should seek +technical assistance from area managers and the Department of +Facilities Management (Building Services). +The evaluator shall meet with the staff member for the purpose +of explaining the diagnostic-prescriptive evaluation process, +including a description of all components of the evaluation +process. + + +Page 5: +Superintendent’s Circular FMT-01 +Page 5 of 14 + + + +Diagnosis and Prescription +The performance evaluation process should provide each +custodial staff member with an appraisal of the individual's +strengths and identify areas in need of improvement. The +employee will be evaluated on each standard within the various +categories: +● U - UNSATISFACTORY: The employee fails to meet the job +description and their performance needs improvement. +● S - SATISFACTORY: The employee meets the job description +and their performance, as measured against this standard, is +satisfactory. +● G - GOOD: The employee meets and/or generally exceeds +the standards and their performance, as measured against +this standard, is good. +● E - EXCELLENT: The employee exceeds standards and their +performance as measured against this standard, is excellent. +Every formal evaluation must result in a mark for each +appropriate item on the performance evaluation form. In any +area where the supervisor indicates a need for improvement, +they will provide the employee with a written prescription. The +diagnosis and subsequent prescription should be fully descriptive +and instructive, suggesting specific remedies or +recommendations for adoption by the employee. During the +entire evaluation process, continuous administrative assistance, +support, and encouragement should be extended to assist the +employee in meeting established objectives. The employee may +suggest additional or alternative prescriptions. + + +Page 6: +Superintendent’s Circular FMT-01 +Page 6 of 14 + + + +Evaluation Conference +The employee's supervisor shall meet with the staff member for +the purpose of discussing the evaluation. During the conference, +the staff member will be shown the written evaluation and will +sign it to indicate that it has been seen but not to indicate +agreement or disagreement with its contents. The staff member +will be allowed to attach comments to the evaluation. One copy +of the written evaluation must be given to the employee, and a +second signed copy must be retained and filed with the assistant +director of Facilities Management (Building Services). In any area +that has been identified as being unsatisfactory, the +principal/head of school should consult with the appropriate +operational leader. +INTERIM REPORTS +If an unsatisfactory evaluation is issued for any item, the +immediate supervisor must evaluate the staff member at least +once a month until the individual's performance is judged to be +satisfactory (see Section V). +Principals/heads of school must submit a copy of the written +evaluation of any employee who has received a mark of +unsatisfactory in any item indicated on the form to the assistant +director of Facilities Management (Building Services). +Administrators must submit the evaluations directly to the +assistant director of Facilities Management (Building Services). +Any subsequent unsatisfactory evaluation must also be +forwarded. +➤ All evaluations must be completed by August 31 of each year. + + +Page 7: +Superintendent’s Circular FMT-01 +Page 7 of 14 + + + +SUMMATIVE REPORTS +● +At the end of each evaluation period, the principal/head of school and other administrators +should retain copies of all evaluations and send copies to the team leader/Human Resources +and assistant director of Facilities Management (Building Services). +● +If, at the conclusion of a prescriptive period (normally at the end of an evaluation period, but in +any event at most one month after the last evaluation), the supervisor judges an employee's +overall performance as unsatisfactory, the supervisor shall submit to the superintendent or +designee and to the assistant director of Facilities Management (Building Services) a written +report based on the series of evaluations. +● +Continued failure on the part of an employee to meet a standard will result in possible +disciplinary action. +PROCEDURES FOR DISCIPLINE +If a principal/head of school determines that an employee has +committed an infraction of work rules such as excessive +tardiness, absences, etc., the supervisor should follow procedures +outlined in Superintendent's Circular: Procedures Relating to the +Discipline of Employees. Additionally, the supervisor should +consider the infraction in evaluating the employee's overall +performance. Principals and heads of school may issue discipline +only up to and including letters of reprimand. The director of +Facilities Management or other designees of the superintendent +issue discipline beyond this level. +Failure to address job performance problems of assigned staff +through the performance evaluation process represents +unacceptable performance on the part of the supervisor. This +problem is further compounded when "problem staff” is given a +satisfactory rating by the supervisor and encouraged to transfer +to another school/department. Such failure on the part of a +supervisor represents "unsatisfactory" administrative + + +Page 8: +Superintendent’s Circular FMT-01 +Page 8 of 14 + + + +performance on the part of that person, who may be held +accountable by the appropriate supervisor. +Please refer in advance to Superintendent's Circular: Procedures +relating to the Discipline of Employees. +FORMS +Performance Evaluation Report may be obtained from the Office +of Facilities Management. Summary of significant dates and +deadlines: +Date +Activity +August 31 +Deadline for completing custodian evaluations + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular FMT-01 +Page 9 of 14 + + + +CUSTODIANS ASSOCIATION CONTRACT LANGUAGE +ARTICLE XXIII +PERFORMANCE EVALUATION + +Section 1 - A diagnostic-prescriptive evaluation procedure shall +be maintained which is reasonably related to the custodian's job +performance using the procedure and form currently in use. +Evaluation shall be from June 1 to May 31 for each custodian. +Section 1A - Interim Performance Evaluation may be performed +at the discretion of the principal/head of school and/or senior +custodian between annual bid. +Section 2 - Custodian Association members shall be evaluated by +their immediate supervisors as follows: +Evaluatee +Evaluator +Junior Custodian +Principal/head of school with input by +senior custodian and Facilities +Management. +Senior Custodian +Principal/head of school with input by +Facilities Management. +Section 3 - No later than thirty (30) days after the start of the +rating year, the evaluator will meet with the evaluatee for the +purpose of explaining the diagnostic-prescriptive evaluation +program, answering questions, and determining additional job- +related responsibilities which will be covered in the evaluation. + + +Page 10: +Superintendent’s Circular FMT-01 +Page 10 of 14 + + + +Within five (5) days after the meeting, the evaluatee will receive a +copy of a list of job-related functions for which they are +responsible and on which their performance will be evaluated. +Section 4 - Within ten (10) days following the completion of the +evaluation, the evaluator will meet with the evaluatee for the +purpose of discussing the evaluation. At this meeting, the +evaluatee will be shown their written evaluation and will sign it to +indicate having seen it, but not to indicate agreement or +disagreement. A copy of the evaluation will be provided to the +evaluatee. The evaluatee shall be allowed to attach their +comments to the evaluation. The evaluatee whose overall +performance has been judged unsatisfactory will be so notified in +writing and will meet directly with the evaluator. There will be a +space for the principal/head of school to sign the evaluation and +attach comments to it, if any. +Section 5 - In any area where the evaluator indicates a need for +professional improvement, they will provide the evaluatee with a +specific written prescription. +Section 6 - Continued failure to meet a standard will result in +warnings, additional evaluations, and further action. +Section 7 - An overall evaluation of unsatisfactory shall be subject +to the grievance and arbitration procedure. +Section 8 - The committee will comply with state and federal +laws concerning confidentiality and privacy of evaluations. + + + + + +Page 11: +Superintendent’s Circular FMT-01 +Page 11 of 14 + + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION — CUSTODIAL +DATE: _____/_____/__________ +NAME: ___________________________________________________________ +SCHOOL: ________________________________________________________ +(Building staffed according to formula): Yes _______ No _______ +Senior ______ Junior ______ Days ______ Nights ______ Grade _______ + +E - Excellent +G - Good +S - Satisfactory +U - Unsatisfactory +QUALITY +1. Work performed is of an acceptable nature and level. + +E ☐ +G ☐ +S ☐ +U ☐ +QUANTITY + +2. Completes work in a reasonable time. + +E ☐ +G ☐ +S ☐ +U ☐ + + +Page 12: +Superintendent’s Circular FMT-01 +Page 12 of 14 + + + +ATTITUDES + +3. Knows the tasks to be completed and organizes them. + +E ☐ +G ☐ +S ☐ +U ☐ +4. Learns and applies new ideas and techniques. + + +E ☐ +G ☐ +S ☐ +U ☐ +5. Shows interest in work. + + +E ☐ +G ☐ +S ☐ +U ☐ +6. Accepts responsibility related to work performed. + +E ☐ +G ☐ +S ☐ +U ☐ +DEPENDABILITY + +7. Continues to work in absence of supervision. + +E ☐ +G ☐ +S ☐ +U ☐ +8. Complies with reasonable written and oral instructions. + + +E ☐ +G ☐ +S ☐ +U ☐ +ATTENDANCE +9. Maintains good attendance. + +E ☐ +G ☐ +S ☐ +U ☐ +10. Maintains contracted hours of work. + + +E ☐ +G ☐ +S ☐ +U ☐ + + + +Page 13: +Superintendent’s Circular FMT-01 +Page 13 of 14 + + + +SUPERVISORY SKILLS (APPLIES TO SENIORS ONLY) +11. Plans and directs work to others. + +E ☐ +G ☐ +S ☐ +U ☐ +12. Guides the group to reasonable effectiveness. + + +E ☐ +G ☐ +S ☐ +U ☐ +13. Provides evaluation reports. + +E ☐ +G ☐ +S ☐ +U ☐ +14. Trains subordinates. + + +E ☐ +G ☐ +S ☐ +U ☐ +15. Attempts to settle disputes at lower level. + + +E ☐ +G ☐ +S ☐ +U ☐ +Signatures: + + + + + +Principal/Head of School/Admin + Date + Comments + + + +Senior Custodian + Date + Comments + + + +Junior Custodian + Date + Comments + + + + + +Page 14: +Superintendent’s Circular FMT-01 +Page 14 of 14 + + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION — CUSTODIAL + +DIAGNOSIS AND PRESCRIPTION + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-09 +Version 01 + + + +MATERIAL DISTRIBUTION PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +INDIVIDUAL OR SPECIAL PURCHASE ORDERS FOR DELIVERY TO +THE MATERIAL DISTRIBUTION CENTER +Individual or special orders are delivered to users as requested by +department heads. Copies of the purchase order must be +forwarded to the Distribution Center before the material arrives +or it may be refused; if accepted, it may be confused with other +individual orders and sent to the wrong department. Freight +carriers are required to schedule their deliveries with the +Distribution Center. Failure to notify the Distribution Center +before making a delivery may result in your order being refused, +especially during the period between August 1 and November 15 +when storage space is at a minimum. All orders shipped to the +Distribution Center should have an “Attention To:” block which +indicates a person or department to which the material is being +shipped; this is very important. You can stipulate an “Attention +To:” address on your original requisition entered on PeopleSoft. +CUSTODIAL ORDERS +Custodial requisitions are submitted on two forms developed by +Distribution and the Facilities Management Department. The first +form is an annual order form which lists all custodial items + + +Page 2: +Superintendent’s Circular FMT-09 +Page 2 of 3 + + + +authorized for delivery to schools. This form is delivered to each +school on an annual basis in June/July. The second form is a bi- +monthly (every 2 months) “short” form which is delivered to +schools each bi-monthly except those months when the large +annual form is used. Custodians are required to complete these +forms and return them to the Distribution Center. All forms +should be emailed to warehouse@bostonpublicschools.org or +faxed to the Distribution Center at 617-635-8581. All orders which +are not a part of regular bi-monthly cycles must be submitted +and approved by Facilities Department custodial area managers. +REQUIRED DATA +Department head signatures, shipping location, and “Attention +To” are required on all requests; if any of these items are missing, +your requests could be delayed or may ship to the wrong +department. +Please call the Distribution Center at 617-635-8745 if you have +special requirements or problems, or fax us at 617-635-8581, or +email warehouse@bostonpublicschools.org. + + + +Page 3: +Superintendent’s Circular FMT-09 +Page 3 of 3 + + + +For more information about this circular, contact: + +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-03 +Version 01 + +RENOVATIONS TO SCHOOL BUILDINGS AND YARDS – +EXTERNAL FUNDING +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +To guarantee that all work performed on School Department +property conforms to district standards, building and life safety +codes, and other requirements, the following procedure has been +established for external funding sources, particularly those that +are not processed through the PeopleSoft Financial System, i.e., +Boston Educational Development Foundation (BEDF). +RENOVATIONS VS. REPAIRS +The following table lists projects that fall under the category of a +renovation or a repair or maintenance, as well as the sequence to +follow for each: + + + + +Page 2: +Superintendent’s Circular FMT-03 +Page 2 of 9 + +Renovations +Repairs & Maintenance +Type +Process +Type +Process +Major renovations +or improvements +Alterations that +are required due +to programmatic +changes +Alterations of +existing spaces +(wall up/wall +down) +Toilet room +renovations + +Submit a +REQUEST FOR +SPACE MODIFI- +CATIONS +General +repairs (i.e., +broken glass, +broken +locks/hardw +are, graffiti, +leaks from +plumbing or +roof) +Submit a +WORK +REQUEST + +To properly plan resources and budget, requests for renovations +for the coming school year must be initiated by the requester by +no later than December 1 of the previous school year. Requests +received after this deadline may not be approved. + + + + +Page 3: +Superintendent’s Circular FMT-03 +Page 3 of 9 + +Requests for renovations or alterations to school buildings and +yards must follow the sequence outlined below: +1. Complete the form. +2. Submit a request through Asset Essentials; choose +‘Modification of Space’ as the work type and attach the form +to the work order. +3. A confirmation of receipt is sent to the person submitting +the request. +4. Form and Asset Essentials request are reviewed by a cross- +functional team to determine next steps: +a. Planning and Analysis verifies that the request is in +alignment with current and future space requirements. +b. Finance determines that there are not financial issues +or challenges for the request. +c. Facilities Management determines feasibility of +requests only after steps 1 and 2 have been completed. +5. After the request has been reviewed, it will determine if and +when the work can be completed. +6. A follow-up email will be sent to the school leader, +requester, and school superintendent to provide status and +timeline of request. Please note: Not all projects will be +approved. +7. Once approved, Facilities Management will engage to +establish a plan within the timeline identified. +Project requests that do not comply with this process will not be +considered. + + + +Page 4: +Superintendent’s Circular FMT-03 +Page 4 of 9 + +The Office of Facilities Management / Planning & Engineering +must review and approve all plans for improvements to any +school buildings and yards. +EXTERNAL FUNDING +It also strongly recommended that a school communicate with +the Director of Facilities Management prior to submitting grant +funding applications, or seeking any other material support that +may require alterations and/or additions to a schools’ facilities. +Applicants should first receive acceptance from the director of +Facilities Management of Facilities Management’s willingness to +participate in implementation contingent on the school’s +successful grant application/funding etc. Principals/heads of +school, and community school directors must include the +director of Facilities Management in the drafting of plans that +would require any form of alteration, addition, repair, and/or +connections to any building services or location on the property +of the school. The director of Facilities Management will submit +the plans, specifications, and/or product data to the appropriate +Planning and Engineering staff for review and approval of all +proposed plans, specifications, product data, warranties, and/or +maintenance agreements. +This process will ensure that there is a thorough review of the +proposed renovation, alteration, addition, repair, and/or +connection to existing building systems, including the materials +used, quality of workmanship, fairness in pricing, and contractors +ability to complete the proposed project; and that the contractor +performing the work has the proper insurance coverage +(including but not limited to Worker’s Compensation, General +Liability, and Property Damage). + + +Page 5: +Superintendent’s Circular FMT-03 +Page 5 of 9 + +A Request for Facilities Improvement Form (Attachment A) +should be filled out and forwarded to Planning & Engineering, +1216 Dorchester Avenue, Boston, MA 02125. No work will proceed +without the final approval of the Office of Facilities +Management/Planning and Engineering Division. +Request for Space Modification Form + +For more information about this circular, contact: +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + + + + + + + + +Page 6: +Superintendent’s Circular FMT-03 +Page 6 of 9 + +ATTACHMENT A +OFFICE OF FACILITIES MANAGEMENT +REQUEST FOR FACILITIES IMPROVEMENT + +Date: _____________________________________________________________ +School: ___________________________________________________________ +Address: __________________________________________________________ +Contact: __________________________________________________________ +Telephone: _______________________________________________________ +Project Title: _____________________________________________________ +Funding Sources: _________________________________________________ +Budget Year _____________Org. __________ Fund Code _____________ +Program Account ________ Sub Class _______ Proj./Grant __________ +Expense Object __________ +Proposed Implementation Date: _________________________________ +Project Description and Justification (attach a sketch): + + + + + + + +Page 7: +Superintendent’s Circular FMT-03 +Page 7 of 9 + +Please return this form to: +Brian Forde, Executive Director +Office of Facilities Management +1216 Dorchester Avenue +Dorchester, MA 02125 + +---------------------------------------------------------------------------------------------------------------------- + + + + +Page 8: +Superintendent’s Circular FMT-03 +Page 8 of 9 + +(For Planning & Engineering Use Only) +PROJECT COST ESTIMATES: +A. OPM Fee (projects over $1,500,000): ____________________ +B. Design Fee (if needed): _________________________________ + +C. Construction Costs: ____________________________________ +D. Contingency (A+B+C x 15%): ____________________________ + +TOTAL COST (A+B+C+D): __________________________________ + +ESTIMATED PROJECT TIMELINE: +Owner's Project Manager Selection: ______________________ + +Submit CB-04 __________________________________________ +Advertise RFP: _________________________________________ +RFP Due: _______________________________________________ +Interviews: _____________________________________________ +Award: _________________________________________________ +Designer Selection: _______________________________________ + +Submit CB-04: _________________________________________ +Advertise RFP: _________________________________________ +RFP Due: _______________________________________________ +Interviews: _____________________________________________ +Award: _________________________________________________ + + +Page 9: +Superintendent’s Circular FMT-03 +Page 9 of 9 + +Bidding & Construction: +Advertise Filed Sub Bids: _______________________________ +Advertise General Bids: _________________________________ +Filed Sub Bids Due: ____________________________________ +General Bids Due: ______________________________________ +Award Contract: ________________________________________ +Construction Start: _____________________________________ +Completion Date: ______________________________________ +MAINTENANCE PLAN: +Required Annual Maintenance: ___________________________ + ___________________________________________________________ + ___________________________________________________________ +Costs: _____________________________________________________ +Maintenance Schedule: ___________________________________ + +Prepared by: ________________________________Date: _______________ +Approved by: _______________________________Date: ________________ + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +FMT-15 +Version 01 + + + +ANNUAL ENVIRONMENTAL INSPECTION/AUDIT +PROGRAM +CONDUCTED BY BOSTON PUBLIC SCHOOLS & BOSTON +PUBLIC HEALTH COMMISSION + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +POLICY +To fully meet the intent and requirements of the City of Boston’s +Indoor Air Quality Ordinance (7.12.1-4), Boston Public Schools +(BPS) and the Boston Public Health Commission (BPHC) have +designated an Indoor Air Quality Unit which shall ensure that a +minimum of two facility inspections per occupied school building +are completed on an annual basis. A report with an assessment +of conditions at each site will be developed by BPS and BPHC +and presented to school principals/heads of schools and +published on the BPS website annually. +IMPLEMENTATION PLAN +The Indoor Air Quality (IAQ) Unit responsible for completing the +annual BPS environmental inspections/audit (inspection) will be + + +Page 2: +Superintendent’s Circular FMT-15 +Page 2 of 3 + + +comprised of representatives from BPS Facilities Management’s +Environmental Division and the BPHC’s Office of Environmental +Health. +The IAQ Unit will conduct two inspections of each occupied BPS +owned or operated building during the academic school year. +The inspections will begin after the beginning of the academic +school year and will be completed by the end of the academic +year of the following year. An environmental audit will be done by +the BPS and the BPHC. +The inspection report will investigate and note environmental +conditions in each report. The inspectors will test and look for +health and safety conditions throughout the interior and exterior +of each building including but not be limited to: general +sanitation and housekeeping; water-staining, leaks, and mold; +general building repair; signs of pest infestation and activity; +general life safety; unobstructed means of egress; bathroom +sanitation, hygiene, and operability; general ventilation, etc. +Upon completion of the annual environmental inspection, +Facilities Management will immediately address critical health +and safety deficiencies by filing a work order with the appropriate +division. They will incorporate other needed work at the school +sites into the annual budgeting process. On an ongoing basis, +Facilities Management will provide technical assistance to +principals/heads of schools on environmental problems and +other building-related issues. + + + + +Page 3: +Superintendent’s Circular FMT-15 +Page 3 of 3 + + +SIGNIFICANT DATES AND DEADLINES +Date +Activity +September Environmental inspections will begin after the +beginning of the academic school year. +Ongoing +Principals/heads of schools will receive a detailed +inspection report following completion of the +building inspection. +June +Environmental inspections of all school buildings +will be completed by the end of the academic year. +August 31 + +Environmental inspection reports to be posted on +the BPS website (linked from +https://www.bostonpublicschools.org/domain/175) + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing +Address: +1216 Dorchester Avenue, Dorchester, MA, 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-08 +Version 01 + + + +BOSTON PUBLIC SCHOOLS RECYCLING AND ZERO +WASTE GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +The Commonwealth of Massachusetts and City of Boston seek to +minimize waste by reducing, reusing, and recycling. State policies +and programs such as the Environmentally Preferable +Purchasing Policy, MassDEP’s Waste Ban Regulations, and +Executive Order 484 – Leading by Example, and the City of +Boston Zero Waste Plan are helping state agencies and +municipalities create healthier buildings and cleaner +communities while simultaneously reducing costs. Boston Public +Schools (BPS) has been actively recycling for over a decade. By +reducing the amount of resources we use and waste we produce, +we are creating a healthier and more sustainable Boston Public +Schools. +BPS is committed to Zero Waste because: +• Recycling is a core component of the City of Boston's +commitment to zero waste. +• Recycling is free for BPS, while trash is an operational cost +for BPS. School recycling is picked up curbside for free by +Boston Public Works Department (PWD) as part of the PWD + + +Page 2: +Superintendent’s Circular FMT-08 +Page 2 of 10 + + + +Residential Recycling program. School trash is picked up at +a cost by a contracted waste hauler. Increasing recycling +while reducing trash decreases BPS operating costs, funds +which could otherwise be directed to teaching and learning. +• School zero waste programs mitigate clutter. Clutter +attracts pests, creates asthma triggers like dust, and takes +up valuable school space that could otherwise be used for +teaching, learning, and organized storage. +• School zero waste programs create hands-on learning and +engagement opportunities for students and staff. A +successful zero waste program incorporates education and +collaboration. +• The principles of zero waste – redesign/rethink, refuse, +reduce, repurpose, reuse, recycle – teach us responsibility for +our schools and our waste. + POLICY +The intent of this BPS Zero Waste Policy is to reduce the amount +of waste generated by building occupants and reduce the +amount of non-recyclable waste that is hauled to and disposed of +in landfills or incineration facilities. Boston Public Schools has +created this policy which aligns with the City of Boston’s Zero +Waste Plan. +Boston Public Schools is responsible for providing recycling +equipment, education, and cardboard hauling services to all +buildings operated by BPS, and for ensuring that banned +materials are separated from trash at the school and other +building sites, according to MassDEP’s Waste Ban Regulations +(310 CMR 19.017). The City of Boston Public Works Department is + + +Page 3: +Superintendent’s Circular FMT-08 +Page 3 of 10 + + + +responsible for providing curbside hauling services for all BPS +single-stream recycling. +School principals/heads of schools, and custodians must ensure +single stream recycling equipment and signage are displayed to +collect applicable materials (cardboard, glass, metals, paper, +plastics) and that other materials are collected and recycled +and/or disposed of properly, including but not limited to: office +supplies, books, textiles, yard waste, batteries, ink/toner, +electronics, and furniture. +Each school is responsible for identifying a zero waste champion +who serves as the liaison to BPS Facilities Management and +whose duties can include educating the school on recycling +practices, advising a student recycling team, and ensuring the +school has recycling equipment and signage provided by +Facilities Management. The zero waste champion and custodial +staff are encouraged to participate in the school’s Wellness +Council to ensure that waste management is prioritized and that +the school’s indoor environment is upheld as a healthy and clean +place to learn and work. +IMPLEMENTATION PLAN +Boston Public Schools recycling and zero waste guidance and +resources can be found at bostongreenschools.org/zero-waste. +Please use the BPS Zero Waste Guide and BPS recycling signage. +BPS provides the following recycling services: single stream +(paper, metal, glass, plastic, paperboard), corrugated cardboard, +electronic waste, furniture, books, yard waste, construction +waste, hazardous waste, and universal waste. + + +Page 4: +Superintendent’s Circular FMT-08 +Page 4 of 10 + + + +Recycling is a collaborative effort and will require support from +the principal/head of school, custodians, cafeteria staff, teachers, +students, zero waste champions, and Facilities Management. +Schools are encouraged to form a student-led Zero Waste Team +to help manage the single stream recycling program and keep it +running smoothly throughout the school year. Schools are +encouraged to host an annual recycling event to educate the +school community about recycling best practices and announce +any new recycling or waste management initiatives. +For recycling to be successful across BPS, each school must: +• Identify a zero waste champion (teacher, staff, active +volunteer, or a staff-advised student team) to be a liaison to +the Facilities Department and a recycling advocate in the +school. +• Incorporate recycling tasks into the custodial work plan. +• Allow time for the zero waste champion and the senior +custodian to attend any recycling training with Facilities +Management. +• Commit to providing ongoing education to the school +community about recycling best practices to divert as much +recycling material from the waste stream as possible. +• If your school needs recycling equipment (boxes, carts, +barrels, lids, wheels, or signage), complete and submit the +Zero Waste Equipment Request form to request free +equipment from Facilities Management. BPS warehouse +staff will deliver the equipment. +• Place recycling signage and equipment in appropriate +places and implement updates to the program per + + +Page 5: +Superintendent’s Circular FMT-08 +Page 5 of 10 + + + +instruction from Facilities Management. +• Equipment must be placed in a 1:1 ratio – one recycling bin +next to one trash bin. +• Classrooms and offices must have small recycling bins or +boxes and trash bins (one of each per room). These small +bins should be emptied into the larger recycling barrels or +carts and trash barrels, respectively. +• Hallways, common areas, food service areas, and +gymnasiums should have recycling barrels or carts and +trash barrels. Recycling barrels should be emptied into carts, +and carts should be rolled outside to the curb before 6am on +the day of your school recycling pick-up. You can find your +recycling pick-up day by school address at +https://www.boston.gov/trash-and-recycling-day-schedule- +and-search. Trash barrels should be emptied into the trash +dumpster, which is serviced by BPS’s contracted waste +hauler. +RECYCLING PROCEDURES AND CONTACTS +Zero Waste Program and Education +• Sustainability, Energy, and Environment Program Director, +Operations-Department-Heads@bostonpublicschools.org or +617-635-9576, or visit bostongreenschools.org/zero-waste if +you have questions about the BPS Zero Waste Program or +need educational materials and support. + + + + +Page 6: +Superintendent’s Circular FMT-08 +Page 6 of 10 + + + +Recycling Equipment +• If your school needs recycling equipment (boxes, carts, +barrels, lids, wheels, or signage), please complete the Zero +Waste Equipment Request form to request free equipment +from Facilities Management. BPS warehouse staff will +deliver the equipment. Get the form at +bostongreenschools.org/zero-waste. +Single-stream Recycling +• Paper, and most plastic, glass, and metal containers can be +recycled and picked up curbside by the Public Works +Department (PWD). Learn more at +https://www.boston.gov/trash-and-recycling. +• Question about a particular item? Visit the state’s +RecycleSmartMA.org and use the Recyclopedia tool. +• Was your curbside recycling not picked up? Call the City of +Boston 311 or report through the 311 App. PWD will be +notified immediately of your missed pick-up. Indicate your +school, your address, and the issue you had with a missed +pick-up. +• Contact Area Manager, Operations-Department- +Heads@bostonpublicschools.org or 617-763-1030, if you have +questions or concerns related to the trash and recycling +dumpsters. +Cardboard Recycling +• All corrugated cardboard must be separated from the +single-stream recycling, flattened, and stacked into +hampers for pickup, because BPS receives income for + + +Page 7: +Superintendent’s Circular FMT-08 +Page 7 of 10 + + + +cardboard that is put back into the recycling program. +Cardboard is regularly collected by BPS warehouse staff, +separately from PWD’s curbside pick-up. +• Contact Sustainability, Energy, and Environment Program +Director if your school needs an additional cardboard pickup +or there were issues with the collection. +Food Waste +• At this time, BPS does not compost food waste. Therefore, +all food waste should be placed into the large trash barrels. +Food waste should never be put into any type of recycling +bin, barrel, or cart, nor should it be put into classroom trash +bins. By putting food waste into the large trash barrels, you +are helping to prevent pests, spills, and odors in the +classrooms. +• BPS will begin implementing food waste collection and +composting services at some schools in 2022-2023, with +plans to add services at additional schools each subsequent +year. +• Contact your Food & Nutrition Services representative with +questions about food waste. +Reuse: Books, School and Art Materials, Sports Equipment, +Clothing, etc. +• Consider setting-up a “reuse station” in your school for +unwanted school supplies that could be used by another +person in the school. +• Contact the Office of Academics and Professional Learning, +bostonpublicschools.org/Domain/2439, for anything related + + +Page 8: +Superintendent’s Circular FMT-08 +Page 8 of 10 + + + +to unwanted books or curriculum. +• Clothing and textiles can be placed in the Bay State Textiles +or Helpsy boxes, which can be found at multiple school +locations. Learn more at bostongreenschools.org/zero- +waste, including how your school can add a textiles +recycling box to your schoolyard. +Furniture +• All furniture waste must be reviewed by BPS Facilities +Management for reuse, redistribution, or proper disposal. +• Contact Assistant Director, Building Services, Operations- +Department-Heads@bostonpublicschools.org for any +furniture related questions. +Electronic (anything with a plug or cord) and Toner/Ink +Cartridge Recycling +• BPS OIIT manages the collection of old and recyclable IT +equipment such as printers, monitors, computers, and TVs, +and ink and toner cartridges. +• Complete Form 57 and submit to OIIT. OIIT will schedule a +vendor to pick up the items. Get the form at +bostongreenschools.org/zero-waste. +Universal Waste/Hazardous Waste +• All universal waste (lamps, batteries, mercury-containing +devices, and pesticides) and hazardous waste must be +properly labeled and stored in the school’s accumulation +location. +• Contact Sr. Environmental Supervisor, Operations- +Department-Heads@bostonpublicschools.org or 617-828- + + +Page 9: +Superintendent’s Circular FMT-08 +Page 9 of 10 + + + +0695, to schedule a pick-up. +Metal Recycling +• Contact Area Manager, Operations-Department- +Heads@bostonpublicschools.org or 617-763-1030, to recycle +metal furniture or scrap items. +Yard Waste +• Prior to accumulating yard waste, contact Head +Groundskeeper, Operations-Department- +Heads@bostonpublicschools.org or 617-293-3889 to +schedule a pick-up. All schoolyard waste must be bagged in +compostable brown bags or in plastic barrels. All branches +need to be cut into small pieces and bundled. +Facility Alterations, Additions, Construction, and Demolition +• Base building elements permanently or semi-permanently +attached to the building itself, including all studs, insulation, +doors, windows, panels, drywall, trim, ceiling panels, carpet, +flooring material, adhesives, sealants, paints, and coatings +should be reused or recycled to the greatest extent possible. +Massachusetts law bans clean gypsum wallboard, concrete, +asphalt, brick, and wood from disposal in the trash. +• BPS Facilities Management shall coordinate with +contractors and Public Facilities Department, when +applicable, to ensure building repair projects are complying +with all waste removal laws. + +For more information about this circular, contact: + + +Page 10: +Superintendent’s Circular FMT-08 +Page 10 of 10 + + + +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9576 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-20 +Version 01 + +DRINKING WATER ACCESS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Drinking Water Access Policy is for all water units used for +drinking and food preparation. +STATEMENT OF COMMITMENT +Boston Public Schools (BPS) will safely bring online and maintain +all school building water units used for drinking and food +preparation. +BACKGROUND +By law, all students must have access to water during meals and +throughout the school day, at no cost. BPS follows the Healthy, +Hunger-Free Kids Act of 2010, Massachusetts Legislation (H 4459) +223(g), and Massachusetts Uniform State Plumbing Code (248 +MASS. CODE REGS. § 10.10, Table 1 (2011). +Boston Water & Sewer Commission (http://www.bwsc.org/) is the +Public Water System (PWS) that supplies potable water to BPS. +BPS also upholds a bottled water contract. + +BPS, like all school districts, is responsible for following the +guidance of the US Lead Contamination Control Act (LCCA). The + + +Page 2: +Superintendent’s Circular FMT-20 +Page 2 of 21 + + + +LCCA directs the United States Environmental Protection Agency +(EPA) and its state designees to assist school system +administrators, schools, and programs, to identify and reduce or +eliminate lead contamination in their facilities’ drinking water. +The LCCA is an assistance-based, non-regulatory program. + +As a federal designee and the responsible Massachusetts agency, +Massachusetts Department of Environmental Protection +(MassDEP) is responsible for educating school/facility officials +about the LCCA and coordinating statewide efforts to reduce or +eliminate lead in drinking water at schools and childcare +facilities. The Massachusetts program includes both lead and +copper because the same mechanism that leaches lead from +plumbing into drinking can also leach copper. Additional +information on the MassDEP Drinking Water Program is available +at https://www.mass.gov/lead-in-drinking-water. +POLICY +In accordance with the EPA’s revised 3Ts for Reducing Lead in +Drinking Water in Schools and Child Care Facilities Toolkit +(https://www.epa.gov/ground-water-and-drinking-water/3ts- +reducing-lead-drinking-water-toolkit), and the subsequent +recommendations from MassDEP, BPS is committed to the +following drinking water access policy: +1. Annually test all water units used for drinking and food +preparation. +2. Deactivate any unit with test results above or equal to 15 +parts per billion (ppb) for lead and or 1,300 ppb for copper +and implement remediation actions to reduce those levels +to the lowest possible concentrations. Remediation actions + + +Page 3: +Superintendent’s Circular FMT-20 +Page 3 of 21 + + + +may include, but not be limited to, daily flushing, installation +of filtration systems, and/or replacement of drinking water +fixtures, plumbing fixtures, and/or piping. +3. Continue to use units with test results between 1 ppb and 15 +ppb for lead, while implementing short and long-term +remediation actions to reduce those levels to the lowest +possible concentrations. +4. Communicate all test results and subsequent actions. +5. Provide bottled water and cups for any deactivated, offline +schools and any online schools that lack access to fountains +in food service and medical areas. +6. Provide drinking water access training for relevant BPS staff +in accordance with this policy. +DEFINITIONS +• EPA’s 3 T’s for Reducing Lead in Drinking Water: Training, +Testing, and Taking Action, 3Ts for Reducing Lead in +Drinking Water | US EPA. +• Deactivation Level, Copper: ≥1,300 ppb +• Deactivation Level, Lead: ≥15 ppb +• Water Unit: Any water fountain or food service +equipment/fixture (e.g., food preparation sink faucets, +kettles, tilt skillets, etc.) +• Online School: A school building supplied by online water +units as its primary source of drinking water. (see definition: +Online Water Unit) +• Online Water Unit: An active water unit, with verified lead +and copper concentrations below deactivation levels, for + + +Page 4: +Superintendent’s Circular FMT-20 +Page 4 of 21 + + + +drinking and/or food preparation. Concentrations are +verified by the required testing. +• Offline School: A school building provided with a +commercial bottled water supply as its only source of +drinking water. +• Offline Water Unit: A deactivated water unit supplied by the +PWS for drinking and/or food preparation with verified lead +and or copper concentrations above deactivation levels. +• Activation: A change in a water unit’s (e.g., water fountain or +food service equipment and fixtures) status from offline to +online due to initial installation or remediation action(s) and +subsequent testing demonstrating the lowest possible +concentrations for lead and copper. +• Deactivation: A change in a water unit’s (e.g., water fountain +or food service equipment and fixtures) status from online +to offline. Any online water unit with elevated lead or copper +levels above deactivation levels will be deactivated. +Deactivated units will remain deactivated until remediation +action(s) have been completed and the remediated unit has +been re-tested with subsequent test levels at the lowest +possible concentrations for lead and copper. +• Flushing: Turning on a plumbing cold water fixture(s) and +letting the cold water run continuously for a specified time +frame in accordance with MassDEP protocols. +• Daily Flushing: For high use areas, such as fixtures used for +food preparation (e.g., food preparation sink faucets, kettles, +tilt skillets, etc.), BPS will adhere to MassDEP’s flushing +guidance for schools, available at Fact Sheet – Flushing: A +Short-Term Solution to Reduce Lead and Copper. For any + + +Page 5: +Superintendent’s Circular FMT-20 +Page 5 of 21 + + + +online water fountain, it is recommended that the drinker +first let the water run for 5-10 seconds before drinking, and +this is only for precautionary measures as lead and copper +concentrations were already verified to be below +deactivation levels. For directly plumbed water units where +flushing is not feasible (e.g., combination ovens, steamers, +ice makers, etc.), filters have already been or will be +installed. +• Activation Flushing: BPS will adhere to a minimum flushing +time of 20 minutes for activation of offline water units, per +the activation protocol. +• Remediation Action(s): Shall include, but are not limited to +replacement, repair, maintenance, filtration, and/or flushing +to reduce the concentration of lead and copper to the +lowest possible concentrations. + +REQUIREMENTS +Per the Annual Testing Protocol (pg. 8), BPS Facilities +Management Environmental Division will annually test all online +water units used for drinking and food preparation for lead and +copper concentrations. BPS annual testing will adhere to +MassDEP’s guidance for sample collection procedures for schools +and early education childcare facilities, available at the following +link: Sampling for Lead and Copper at Schools and Childcare +Facilities | Mass.gov. This testing protocol does not include any +sinks used for facility cleaning or handwashing, including but not +limited to those found in utility rooms, bathrooms, locker rooms, +kitchens, science labs, prep rooms, and classrooms. These sinks +are not to be used for drinking or any other consumptive purpose + + +Page 6: +Superintendent’s Circular FMT-20 +Page 6 of 21 + + + +such as food preparation, and signage shall be posted as such. +• In cases where concentrations of lead and or copper in any +water unit do not exceed the lead/copper deactivation +levels, no deactivation is needed. Test results will be +available at: BPS Water / Boston School Water Quality. Units +with results between 1 ppb and 15 ppb for lead will continue +to be used, while BPS Facilities Management implements +short or long-term remediation actions to reduce those +levels to the lowest possible concentrations. +• In cases where concentrations of lead and or copper in +water units used for drinking or food preparation exceed +the lead/copper deactivation levels, BPS Facilities +Management and BPS Communications will enact the +Deactivation Protocol (pg. 10), which requires BPS Facilities +Management Plumbing Division to immediately deactivate +only the impacted online water unit(s), and place signage +that says “Water Shut Off. Do NOT turn on without Facilities +Management or FNS (Food and Nutrition Services) +Approval.” For water units used for drinking, the units will +also be tagged with a “DO NOT DRINK”. +• In cases where water sources are not tested for lead or +copper (because these units are not designated for drinking +or food preparation), signage has been conspicuously +placed (as of September 1, 2016) near that source stating: +“WATER FROM SINKS WILL BE USED FOR WASHING ONLY.” +Pictures will be used in locations as needed. BPS +principals/heads of school will designate a responsible +person to check and ensure this signage is posted in +bathrooms and classrooms on a regular basis. BPS Facilities +Management will provide the signage and can be contacted + + +Page 7: +Superintendent’s Circular FMT-20 +Page 7 of 21 + + + +for additional or replacement signage. +• BPS will follow the Activation Protocol (pg. 12) to safely bring +online school building water units used for drinking, food +preparation, or medical services. +• BPS will follow the Flushing Protocol (pg. 13) as one +remediation practice for reducing lead levels to the lowest +possible concentrations. +• BPS Facilities Management will follow the Filter and Filtered +Water Fountain Standard Operating Procedure and +Maintenance Protocol (pg. 13) to manage all filtered water +fountains and filters. +• BPS Facilities Management will follow the Bottled Water +Protocol (pg. 16), which includes providing bottled water, +bottled water units, and cups for all offline schools, and for +any medical or food service areas that lack access to tap +water units in any online school. BPS Facilities Management +will manage and track all bottled water accounts. +• BPS Facilities Management will provide water testing results +and any recent water-related information to BPS +Communications for the BPS water webpage, +http://www.bostonpublicschools.org/water and annual +notices to the BPS community. +• Heads of school/principals will develop a school-based plan +for ensuring bottled water and cups are available +continuously, without disruption, on all water coolers +throughout the entire school day, including during +mealtimes. Schools are responsible for calling Facilities +Management to order water and cups, if running low before +the existing, regular water delivery schedule. + + +Page 8: +Superintendent’s Circular FMT-20 +Page 8 of 21 + + + +• BPS Department of Health & Wellness will educate, +promote, and communicate the importance and benefits of +drinking water and collaborate with Facilities Management +and Food and Nutrition Services to communicate all aspects +of this policy to school leaders, staff, students, and school +community. +• In alignment with BuildBPS, BPS will integrate water +infrastructure improvements into routine renovations and +capital planning and develop a water infrastructure plan for +schools that are offline with a goal of bringing all BPS +schools online. +IMPLEMENTATION PROTOCOLS: TESTING, MAINTENANCE, & +ACCESS +Annual Testing Protocol +BPS annual testing will adhere to MassDEP’s guidance for +Sample Collection Procedures for schools and early education +childcare facilities, available at the following link: Sampling for +Lead and Copper at Schools and Childcare Facilities | Mass.gov. +How to Collect a First Draw Sample +1. Collect the sample before any water has been used. Water +units must be unused for at least eight (8) hours, but not +more than eighteen (18) hours, before testing. +2. Sampler must wear chemical resistant Nitrile gloves while +sampling. +3. Complete the sample collection form during all sampling +(Sample Custody Log - MA DEP LCCA Program or +equivalent). + + +Page 9: +Superintendent’s Circular FMT-20 +Page 9 of 21 + + + +4. Only use containers (250 milliliter/wide mouth) supplied by +a certified laboratory. +5. Containers should not be opened until you are ready to +collect the sample. +6. Sampling containers that have been compromised in any +way (e.g., by being touched on the threads or the interior +surfaces) must not be used. +7. Keep any food and drink away from the sample and its +container. +8. If the fixture/faucet has an aerator at the end of the fixture, it +should not be removed before taking samples. The sampler +should not remove or clean any aerators prior to or during +the collection of tap samples. Make sure no water has been +withdrawn from the tap or water fountain, as well as from +any adjacent taps, before the sample has been collected. +9. Place the container under the water unit that is being +tested and collect 250 milliliters (mL) of water. +10. For all water units being tested, make sure you turn on the +cold water tap. Open the cold water tap and run it as you +would when filling a glass of water. +11. Turn on the water and fill the container without allowing +any water to run down the drain or the outsides of the +container. +12. Close the container according to the instructions from your +certified lab. Tightly cap the sample bottle and place in the +sample (shipping) kit provided. +13. Make sure the container is labeled with the same +information from your sample collection form (Sample + + +Page 10: +Superintendent’s Circular FMT-20 +Page 10 of 21 + + + +Custody Log - MA DEP LCCA Program or equivalent). +14. Prepare the container for shipping according to the certified +lab's instructions. Ship containers according to the certified +lab's instructions. +15. Samples must be delivered and relinquished to a certified +lab within 14 (fourteen) days of collection for proper testing. +Deactivation Protocol +1. In cases where concentrations of lead and or copper in any +water unit do not exceed the lead/copper deactivation +levels, no deactivation is needed. Test results will be +available at: https://www.bostonpublicschools.org/water. +Units with results between 1 ppb and 15 ppb for lead will +continue to be used, while BPS Facilities Management +implements short or long-term remediation actions to +reduce those levels to the lowest possible concentrations. +2. In cases where concentrations of lead and or copper in +water units used for drinking or food preparation exceed the +lead/copper deactivation levels: +a. Upon notification from the BPS Sustainability and +Environmental Resources Manager, BPS Facilities +Management Plumbing Division will immediately +deactivate only the impacted online water unit(s), +unless otherwise specifically directed. These units will +be made offline and tagged “Water Shut Off. Do NOT +turn on without Facilities Management or FNS (Food +and Nutrition Services) Approval.” For water units used +for drinking, the units will be tagged with a “DO NOT +DRINK”. If required, a bottled water unit will be placed + + +Page 11: +Superintendent’s Circular FMT-20 +Page 11 of 21 + + + +as near as possible to the deactivated unit. +b. BPS Facilities Management will provide bottled water, +bottled water coolers, and cups. One bottled water +cooler will be provided for each deactivated water unit +(e.g. water fountain) or as necessary to meet 248 CMR +10.00: Uniform State Plumbing Code requirements +(See: Table 1: Minimum Facilities For Building +Occupancy, available at the following link: 248 CMR +10.00: Uniform state plumbing code). . +c. BPS Communications and Facilities Management will +immediately implement the Deactivation +Communications Protocol (pg. 18). +d. BPS Facilities Management Environmental and +Plumbing Divisions will inspect the impacted water +unit to identify any source or cause of elevation and +schedule any remediation action(s). +e. The impacted water unit will remain deactivated until +remediation actions have been completed and BPS +Facilities Management Environmental Division has +tested and received three (3) consecutive lead and +copper sample results at the lowest possible +concentrations. +3. In cases where water sources are not tested for lead or +copper (because these units are not designated for drinking +or consumption) or levels of lead in water units exceed the +lead/copper action level, signage has been conspicuously +placed near that source stating: “WATER FROM SINKS WILL +BE USED FOR WASHING ONLY.” +4. The Boston Public Health Commission (BPHC) does not + + +Page 12: +Superintendent’s Circular FMT-20 +Page 12 of 21 + + + +recommend that BPS screen children for lead. If a child is +exposed to water containing elevated lead levels, the BPHC +recommends that parents consult their child's medical +provider to assess whether their child's individual risk +warrants blood lead testing. Many healthcare providers, +such as MassHealth, cover the cost of lead testing. Families +with questions or concerns about costs may contact BPS +Health Services at 617-635-6788. +Activation Protocol +1. Upon completion of any water unit’s remediation action +(e.g., replacement, repair, etc.), Facilities Management +Environmental Division will flush each water unit for +approximately 20 minutes or more as needed to remove any +visual signs of sediment, debris, and rust. BPS will adhere to +a minimum flushing time of 20 minutes for activation of +offline water units. +2. Eight to eighteen (8-18) hours post flushing, a sample from +each water unit will be collected for confirmatory analysis of +lead and copper. +3. Repeat step #2 two additional times to conclude three (3) +rounds of testing. For the initial activation of a filtered water +unit, a sample for coliform will be collected during one of +the three rounds of testing (see New England States’ +Sample Collection & Preservation Guidance Manual For +Drinking Water, p. 36, New England States' Sample +Collection & Preservation Guidance Manual for Drinking +Water, Revision 5.0, January 2015). +4. Upon receiving three (3) consecutive sets of sample results +at the lowest possible concentrations and one negative fecal + + +Page 13: +Superintendent’s Circular FMT-20 +Page 13 of 21 + + + +bacteria test per filtered water unit, BPS Communications +and Facilities Management will immediately implement the +Activation Communications Protocol (pg. 18). +5. Facilities Management and the head of school/principal will +select a date for activating the water unit(s) to go online. +6. Once a date has been selected, the Facilities Management +Plumbing Division will work on logistics for turning the +water unit(s) online. Logistics will include an activation flush. +Flushing Protocol +1. Food services equipment and fixtures (i.e., food preparation +sink faucets, kettles, tilt skillets, ice makers, etc.) shall be +flushed every morning for two (2) minutes prior to the +preparation of any food by the food service manager or +designated food services employee. Only cold water shall be +used for the flush and for the preparation of any food and or +beverage. The food services manager will be responsible for +keeping a daily log of all flushing activities. +2. When drinking from an online fountain, it is recommended +that the drinker first let the water run for 5-10 seconds +before drinking. This will be communicated to the BPS +community through the Implementation Protocols: +Education and Training (pg. 20). +3. Following an extended school vacation (e.g., summer +vacation, February vacation), custodians will flush all online +fountains prior to the restart of school. +4. Before watering a school garden with tap water, all +gardeners must first flush the water for 2 minutes. + + +Page 14: +Superintendent’s Circular FMT-20 +Page 14 of 21 + + + +Filter and Filtered Water Fountain Standard Operating +Procedure and Maintenance Protocol +In addition to the Annual Testing Protocol (pg. 8), BPS will collect +samples for coliform testing of filtered online water units. +In cases where coliform is present within filtered online water +units: +1. Upon notification from the BPS Sustainability and +Environmental Resources Manager, BPS Facilities +Management Plumbing Division will immediately deactivate +only the impacted online water unit(s), unless otherwise +specifically directed. These units will be made offline and +tagged “Water Shut Off. Do NOT turn on without Facilities +Management or FNS (Food and Nutrition Services) +Approval.” +2. BPS Facilities Management will provide bottled water, +bottled water units, and cups. One bottled water cooler will +be provided for each deactivated water unit (e.g. water +fountain) or as necessary to meet 248 CMR 10.00: Uniform +State Plumbing Code requirements (See: Table 1: Minimum +Facilities For Building Occupancy, available at the following +link: 248 CMR 10.00: Uniform state plumbing code). +3. BPS Communications and BPS Facilities Management will +immediately implement the Deactivation Communications +Protocol (pg. 18). +4. BPS Facilities Management Environmental and Plumbing +Divisions will inspect the impacted water unit and schedule +remediation action(s) (e.g., replacement of the filter). +5. The impacted water unit will remain deactivated until + + +Page 15: +Superintendent’s Circular FMT-20 +Page 15 of 21 + + + +remediation actions have been completed and BPS +Facilities Management Environmental Division has received +one (1) sample result absent of coliform per affected water +unit. +BPS Facilities Management will initiate and uphold a vendor +contract to replace and maintain water fountain filters once per +year or more as needed. +Daily Use/Maintenance +• Only water should be put down the drains. Anything else +can cause clogging and lead to permanent damage of the +unit and plumbing. +• Custodians are responsible for wiping down the units daily. +The units shall be cleaned using the procedures outlined for +all high touch surfaces using food grade cleaning products. + +Filter Status Indicator Light +• When the light turns yellow, the school should put in a work +order via Asset Essentials, and select “Filter Replacement”. +• The yellow light is just an indicator that the filter is +approaching the end of its life and will need to be changed +soon. The light does not indicate that the filter or water +quality is compromised. +• If a light turns red, please place one of the signs provided in +your Drinking Water Binder on the unit and encourage +occupants to utilize another unit until the filter can be +replaced. + + +Page 16: +Superintendent’s Circular FMT-20 +Page 16 of 21 + + + +Leaking/broken Unit +• If the unit has been newly installed within the last year, the +school should reach out to Audrey Ng, the Water & +Sustainability Project Manager to have the contractor +address the issue under warranty. +• If the unit is not newly installed, the school should put in a +work order via Asset Essentials to be addressed by your +plumbing supervisor. +• The school’s operations staff may choose to use the tools +provided in the Water Bottle Refill Station Repair Kit to open +and turn off the unit to stop the leaking until the contractor +arrives. +Bottled Water Protocol +• BPS Facilities Management will provide bottled water, +bottled water coolers, and cups for all offline schools, and for +any medical or food service areas that lack access to tap +water units in any online schools. +• BPS Facilities Management will cease bottled water +accounts for schools that are activated online. Bottled water +coolers will only remain in an online school in medical or +food service areas if those areas lack access to tap water +units. +• BPS Facilities Management will manage and track all +bottled water accounts. +• Heads of school/principals will develop a school-based plan +for ensuring bottled water and cups are available +continuously, without disruption, on all water coolers +throughout the entire school day, including during meal +times. Schools are responsible for calling Facilities + + +Page 17: +Superintendent’s Circular FMT-20 +Page 17 of 21 + + + +Management to order water and cups, if running low before +the existing, regular water delivery schedule. +IMPLEMENTATION PROTOCOLS: COMMUNICATIONS & +REPORTING +BPS Communications is responsible for updating and +maintaining the BPS water website at BPS Water / Boston School +Water Quality with content support from BPS Facilities +Management and BPS Department of Health and Wellness. BPS +Communications will update the BPS water website to include a +current list of online schools and the most recent annual test +results, and a current list of offline schools. These lists must be +updated every time a school is activated or deactivated. +Deactivation Communications Protocol +In cases where coliform is present or concentrations of lead and +or copper in water units used for drinking or food preparation +exceed the lead/copper action levels, BPS Communications and +Facilities Management will promptly implement the Deactivation +Communications Protocol: +1. The school’s principal/head of school will be notified of the +deactivation protocol and test results by email with the test +results and a standardized letter for the school community. +2. The letter will include the water testing results and a link to +the BPS water website, which provides resources related to +lead in the water. A letter template will be provided by BPS +Communications and BPS Facilities Management, and the +testing results will be provided by BPS Facilities +Management. + + +Page 18: +Superintendent’s Circular FMT-20 +Page 18 of 21 + + + +3. Any media statements will be managed by BPS +Communications. +Activation Communications Protocol +Upon receiving three (3) consecutive sets of sample results below +lead and copper action levels, and one negative fecal bacteria +test result for filtered water units, BPS Communications and +Facilities Management will immediately implement the +Activation Communications Protocol: +1. The school’s principal/head of school will be notified of the +activation protocol and test results. +2. The letter will include the water testing results, a link to the +BPS water website, and details regarding any water +infrastructure improvements (e.g., new fountains, filters, +pipes). A letter template will be provided by BPS +Communications and BPS Facilities Management, and the +test results will be provided by BPS Facilities Management. +The principal/head of school will share this information with +the school community. +3. BPS Facilities Management and the principal/head of school +will select a date for activating the water unit(s) online. +4. Once a date has been selected, BPS Facilities Management +Plumbing Division will implement the logistics for turning +the water unit(s) online. +ANNUAL REPORTING +BPS Facilities Management will provide water testing results and +any recent water-related information to BPS Communications for +the BPS water webpage and annual notices to the BPS + + +Page 19: +Superintendent’s Circular FMT-20 +Page 19 of 21 + + + +community. +BPS Department of Health and Wellness and BPS Facilities +Management will provide annual updates to the “BPS Drinking +Water Access Policy”, if needed. +BPS Department of Health and Wellness and BPS Facilities +Management will annually report on the implementation of the +Water Policy to the District Wellness Council and subsequently +the BPS School Committee. Following BPS School Committee +review, this information will be shared with MassDEP. + +IMPLEMENTATION PROTOCOLS: EDUCATION & TRAINING +The following BPS staff will receive annual training and +professional development about this policy and its protocols: +• Principals/heads of school will receive training at the Annual +Leadership Institute as a part of Operations and/or wellness- +related sessions. +• Food service managers and staff will receive training at the +summer training provided by Food and Nutrition Services. +• Custodians will receive training at summer training +provided by BPS Facilities Management. +• School-based staff will be trained by principals/heads of +school at the beginning of the school year, as part of the +school policies and procedures overview. +• Any new Facilities Management Environmental and +Plumbing Division staff will receive training as part of their +onboarding process. +BPS Department of Health and Wellness will educate, promote, + + +Page 20: +Superintendent’s Circular FMT-20 +Page 20 of 21 + + + +and communicate the importance and benefits of drinking +water, and collaborate with Facilities Management and Food and +Nutrition Services to communicate all aspects of this policy to +school leaders, staff, students, and school community. +BPS School Wellness Councils will include water-policy related +goals as part of their annual Wellness Action Plans. + + + + + + + +Page 21: +Superintendent’s Circular FMT-20 +Page 21 of 21 + + + +For more information about this circular, contact: +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 +Phone: +617-635-9576 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Environmental Supervisor +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Executive Director +Department: +Health & Wellness +Mailing Address: 370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-1631 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-04 +Version 01 + + + +CUSTODIAL PAY ADJUSTMENTS – CALL-IN +PROCEDURE +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +So the Office of Facilities Management (Building Services) may +properly adjust a custodian's pay in a timely manner, it is +essential that you follow the payroll procedure outlined below: +When a senior custodian is absent, you must notify Facilities +Management (Building Services), by telephone 617-635-9162 or e- +mail (emalone2@bostonpublicschools.org) with: the name of the +absent senior custodian; the name of the custodian covering; the +reason for the absence; and all dates of absence, if known. +When the absent senior custodian returns to work, Facilities +Management (Building Services) must be notified to ensure that +the person covering is paid for the correct number of days. +The custodial pay period begins on Saturday and ends on Friday. +It is a weekly payroll. If the absentee is to be out on a long-term +basis, Facilities Management (Building Services) must be notified +if the current acting senior should be carried forward to the next +pay period. + + + + +Page 2: +Superintendent’s Circular FMT-04 +Page 2 of 3 + + + + If a custodian is being docked for all or any part of a day, +you must notify Beth Malone to ensure the dock is +properly recorded. You must also notify Facilities with the +reason for the dock (i.e., late, no show/no call, left early). +If a custodian is at "0" balance (out of sick, personal, or vacation +leave), they must be coded. Select Absence Name - Leave +Without Pay, then select Absence Reason. Additional information +should be entered in the “comments” panel. +All docks and acting senior coverage must be reported in a timely +manner. +To ensure coverage in a single-person building, prior notice +should be given to the Office of Facilities Management (Building +Services) whenever possible. Forty-eight (48) hours’ notice is +required for personal and compensatory days. Two weeks’ notice +is required for vacation. +Calls for acting senior coverage while school is in session will only +be taken from the head of school/principal, secretary, or +principal's designee. Custodians should call in any acting senior +coverage during school vacations and summer months. + + + + +Page 3: +Superintendent’s Circular FMT-04 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +FMT-05 +Version 01 + + + +PERMIT ACTIVITIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PERMIT REQUEST PROCESS FOR ALL BPS BUILDINGS +Any activity taking place in a school building after school hours +requires a permit, including activities during school vacation +weeks, holidays, and summer months. +ALL PERSONS WILL BE DENIED ACCESS TO BPS BUILDINGS IF +NO PERMIT HAS BEEN REQUESTED AND APPROVED BY THE +SCHOOL AND FACILITIES MANAGEMENT. +Permits are to be electronically submitted through SchoolDude +at least two weeks (minimum) before the event, so it is advisable +to submit your request when the activity/event is scheduled and +confirmed. +For external (non-BPS) users: +• Access link: Facilities Mgt. Community Use Monthly +Calendar +• Please see the CommunityUse Requester Guide for more +information about how an outside organization accesses the +system and submits requests. +• Please see the FSRequester Guide, which includes video and + + +Page 2: +Superintendent’s Circular FMT-05 +Page 2 of 9 + + + +picture how-to guides for submitting requests once you are +logged in. +For internal (BPS) users: +• Single Sign On: From the nine-dot grid in the top right of +your Gmail screen, click “More,” then click the SchoolDude +icon (looks like a cartoon face). +• SchoolDude log in screen +• Please see How to Submit a Schedule Request, which +includes video and picture how-to guides for submitting +requests once you are logged in. +• Once an organization or BPS staff member has submitted a +request, it will be routed to the school leader or their +designee for approval. Please see Processing Schedules for +more information about how to manage approvals. +If an independent third party (NOT a BPS or BPS partner +organization) submits a permit request form to use or +occupy school property for an event at which attendance is +expected to exceed 60 people, or at which there is a charge +for admission, the party shall be required to hire a School +Police detail, at the third party’s own expense, to be present +for the duration of their use of the property. +Please Note: The routing process for summer will be different +from the school year process. [See page 4 of this circular.] For +summer programs, requests will go first to BPS Facilities, then +the school leader will receive notification of the approval of +building use. + + +Page 3: +Superintendent’s Circular FMT-05 +Page 3 of 9 + + + +CUSTODIAL HOURS AND OVERTIME +The applicant is responsible for custodial overtime, utilities fees, +and building usage fees, if applicable. Schools and other +applicants may also be responsible for overtime if the event +occurs before or after a building is closed, on a weekend, holiday, +or school vacation, and/or when the building is open if additional +custodial coverage is required, as determined by Facilities +Management. Payment in the form of a certified check or money +order made out to Boston Public Schools is required prior to the +permit activity occurring. +For all activities and events that occur when the building is +closed, the custodian(s) will open the building one-half hour prior +to the entrance of the applicant to the building and will close the +building one-half hour after the applicant exits the building. +Groups requesting building space must abide by their requested +permit hours. +REQUEST FOR BUILDING USE BY COMMUNITY USERS +All the above conditions apply, with the addition that outside +groups must pay a building usage fee. A fee is charged per +space. +An invoice for all Facilities Management permit fees will be sent +by the Facilities Management Department via the SchoolDude +building permitting system with the actual fees that the +requester will be charged. Custodial coverage is determined by +the number of people and the amount of space used by the +applicant. +Staffing Minimum + + +Page 4: +Superintendent’s Circular FMT-05 +Page 4 of 9 + + + +Up to 150 people = 1 Senior Custodian +Up to 350 people = 1 Senior Custodian and 1 Junior Custodian +Up to 450 people = 1 Senior Custodian and 2 Junior Custodians + +An additional hour is added to the permit hours (one-half hour to +open and one-half to close). +If a custodian works overtime, principals/heads of schools should +work with their area managers to ensure that the custodian has +meaningful work to do (a predetermined work schedule) during +overtime hours. Custodians are expected to remain on the school +premises while on overtime and perform the scheduled work. +Custodial opening and closing times (one-half hour before and +after) are figured into the permit hours. Requesters DO NOT need +to include this time in the request. +GENERAL TERMS AND CONDITIONS +Responsibility for Use: +• It is expressly understood and agreed that the regulations of +the School Committee are to be strictly complied with. The +requester/organization may refer to the BPS Superintendent +Circulars for BPS Policies and Procedures. +• The requester/organization assumes full responsibility for +any injury to or loss of city property as a consequence of +such use of the above-described accommodations and +engages to make the same good without the expense to the +city. The requester/organization further agrees to pay the +charge for the light, heat, custodians, security, and other +service as required. +• BPS gymnasiums: Requester/organization assumes all + + +Page 5: +Superintendent’s Circular FMT-05 +Page 5 of 9 + + + +responsibility for the proper use and protection of the +facilities provided in the school. Requester/organization +must not allow persons to use these facilities over whom +they have no control. +The organization, their participants, and spectators are +prohibited from any part of the building other than the +gymnasium. Organization shall enter the school through +one entrance. Entry doors are NOT to be propped open to +allow unauthorized individuals to enter the building. It will +be the responsibility of the organization to station an +individual at the designated entrance to ensure only +participants of that program are allowed in. Once all +participants are allowed in, all doors should be closed and +secured. +Supervision: The applicant/organization must provide sufficient +supervisory personnel to ensure proper supervision for the safety +of members/guests and regulate responsible usage. The +organization will be responsible for all costs incurred to repair any +damage done to the premises. Custodial employees are not +available for supervising the premises but do have obligations +connected with cleaning and maintenance of the building. +Licenses: In addition to the permit required by the regulations of +the School Committee, for any exhibition or entertainment where +an admission fee will be required, a license under the provisions +of Chapter 348 of the Special Acts of 1915 must be obtained. This +license can be obtained by applying to the Mayor of the City of +Boston and paying the required fee. No such license is required +for entertainment in school buildings by or for the benefit of the +pupils thereof, and under the supervision of the principal/head of +school. + + +Page 6: +Superintendent’s Circular FMT-05 +Page 6 of 9 + + + +Police Attendance: If admission is charged, the person to whom +the permit is issued must make provisions for BPS School Police +attendance. If a school building is occupied outside of school +hours by third-party programs, sufficient BPS School Police +attendance is necessary if there are sixty (60) or more persons +occupying the facility. A BPS School Police detail is the sole +responsibility of the renter(s). If BPS School Police are not in +attendance, BPS Facilities Management may cancel the permit +and exclude all persons from the building. +Time for Filing Permit Requests: Building permit requests during +the school year must be submitted. No definite and final +reservations are made until (1) the request is approved by the +principal/head of school and (2) Facilities Management has given +final approval and activated the permit. +Gymnasium Permit Start and End Date: Gymnasium permits will +begin the last week of September and end two (2) weeks prior to +the closing of school. +Alcohol, Smoking, and Food Regulations: According to state law, +alcoholic beverages are not allowed in public school buildings. +Consumption of food and/or beverages is not permitted in the +auditorium or conference rooms. Smoking is not permitted in any +school building. +Payment: Personal/company checks; certified bank checks, +and/or money orders will be accepted as forms of payment. Cash, +credit cards, and money transfers are not accepted forms of +payment. Any check returned for insufficient funds will be +charged an additional $25.00. +Right to Cancel: Heads of schools/principals reserve the right to + + +Page 7: +Superintendent’s Circular FMT-05 +Page 7 of 9 + + + +request cancellation of any requested permit activity occurring at +their facility. BPS Central Administration will make final +determinations regarding principal/head of school cancellation +requests. BPS Central Administration has the right to cancel any +permit in violation of BPS building usage and/or safety policies. +Obligation to Clean: Requester is obligated to clean and organize +any used building space and return the building space to the +state it was found it. If the space is not suitably cleaned and/or +returned to the state it was in prior to use, the requester may be +charged additional custodial and/or other fees and may lose the +privilege of using any BPS facility in the future. +School Closures: If schools are closed due to inclement weather +or other emergencies, all permits are automatically +canceled/suspended for the duration of the inclement weather or +other emergency. Gymnasiums are not available for rental during +holidays and Christmas, February, April, and summer vacations. +Weekend Use: If snow is forecast, Facilities Management cannot +guarantee that parking lots will be cleared for scheduled events. +Organizations are urged to contact Facilities Management to +cancel when necessary. You may contact the area manager on +duty through Municipal Protective Services at 617-635-4844 to +cancel. +PERMITS DURING SUMMER TERMS +Permit Approval: Summer permit requests will be routed first to +BPS Facilities. The school leader will then receive notification of +the approval of building use. +Permit Start and End Date: Summer programs may operate in + + +Page 8: +Superintendent’s Circular FMT-05 +Page 8 of 9 + + + +BPS buildings between July 8 and August 9, 2024, with one day +of setup to be arranged with the school leader prior to July 1, +2024. Gymnasium permits will begin one week after the opening +of school and end one week prior to the closing of school. +Student and Employee Attendance: Programs operating in BPS +buildings must record daily student and staff attendance to be +available upon request. +Identification: During the summer, all adults working in any BPS +building must wear an identifying name badge indicating at +minimum their full name and organization/program name. +Specifications for employees working in BPS buildings during +summer staff are as follows: +• BPS summer staff: All BPS employees must wear their BPS +issued ID. +• Non-BPS summer staff hired via OHC external hiring +process: All non-BPS summer staff must wear their BPS +Summer ID issued by OHC at their Welcome Session. +• Community-based program staff: Must wear a visible +organizational ID badge every day during the program. +BOSTON PUBLIC SCHOOLS FACILITIES RENTAL FEES +All events and functions to be held in Boston Public School +buildings will be implemented in accordance with the following +fee schedule. +One Time Event ··········· $515.00/event +Continuous Usage ······ $2,575.00 per 10 events +Utilities ·························· $95.00/hour +Senior Custodian ········· $49.00/hour + + +Page 9: +Superintendent’s Circular FMT-05 +Page 9 of 9 + + + +Junior Custodian ········· $37.00/hour + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-19 +Version 01 + +BPS STANDARD OPERATING PROCEDURE FOR +CLEANING AND DISINFECTING BODY FLUID SPILLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +This standard operating procedure (SOP) will be implemented to +ensure BPS custodians safely and properly respond to all +incidents requiring cleaning and disinfecting of body fluid spills. +Body fluids – including vomit, diarrhea, and blood – are +considered potentially infectious. Employees should always treat +any body fluid response action as potentially infectious and +always wear proper personal protective equipment when +cleaning and disinfecting body fluid spills. +PROCEDURES +1. Contain the affected area. +● Discontinue food service operations if a spill occurred +in food preparation or service areas. +● Remove students and staff from the affected area or +classroom. +● Block off the area of the spill from staff and students +until cleanup and disinfection are complete. For +incidents involving vomit, contain all areas within 25 +feet of the spill. + + +Page 2: +Superintendent’s Circular FMT-19 +Page 2 of 10 + + + +● Send sick students and staff to the school nurse. +● Excuse (e.g., send home) food service employees with +symptoms of vomiting or diarrhea from food service +operations. Refer to the TFER Exclusions and +Restrictions for Ill or Infected Food Service Employees +for guidance. Please refer to the food service employee +reporting agreement. +● Allow only food service employees and/or custodial +staff designated to clean and disinfect body fluid spills +in the affected area. +2. Put on personal protective equipment (PPE), including: +● Wear disposable, non-latex gloves. Gloves should be +vinyl or nitrile (rubber), and non-powdered. +● Consider double-gloving (wearing two gloves on each +hand). Replace gloves if they tear or become visibly +soiled. Keep hands away from the face while wearing +gloves. +● Wear a face mask and eye protection (goggles or +protective glasses). +3. Remove visible body fluid. +● Put on new disposable gloves. Consider double +gloving. +● Clean the affected area with soap and water, and paper +towels and/or a disposable mop head. This includes +surfaces that came into direct contact with body fluids +and surfaces that may have been contaminated with +body fluids. Before disinfecting, all surfaces should be +thoroughly cleaned (i.e., not visibly soiled). + + +Page 3: +Superintendent’s Circular FMT-19 +Page 3 of 10 + + + +● Dispose of the paper towels and/or disposable mop +head in a plastic garbage bag. +● Remove gloves and discard in a plastic garbage bag. +● Wash hands. +Food contact surfaces: +● Put on new disposable gloves. Consider double +gloving. +● Clean the affected area with soap and water. +● Rinse thoroughly with plain water. +● Wipe dry with paper towels. +● Dispose of paper towels in a plastic garbage bag. +● Disinfect surfaces. +● Prepare and apply a solution of ¾ cup concentrated +bleach + 1 gallon of water. +● Leave the surface wet for at least 5 minutes. +● Rinse all surfaces intended for food or mouth contact +with plain water before use. +● Wipe down with sanitizing solution concentration for +food contact surfaces to air dry. +● Wash your hands thoroughly with soap and water. + + + + +Page 4: +Superintendent’s Circular FMT-19 +Page 4 of 10 + + + +Non-absorbent surfaces (i.e., tile, stainless steel): +● Prepare a disinfecting solution. The disinfecting +solution shall be an EPA registered hospital grade +disinfectant.* +● Wear all PPE, including the face mask and eye +protection or goggles. Ensure that area is well +ventilated (mix solution outdoors if necessary). +● Prepare a disinfecting solution per manufacturer’s +recommendations immediately before applying it to +surfaces. It is recommended that this solution be used +on surfaces that have had any direct contact with body +fluids. +● Transfer solution to a spray bottle. +● Using the spray bottle, generously apply the +disinfecting solution to affected surfaces, including +surfaces that came into direct contact with body fluids, +and surfaces that may have been contaminated with +body fluids. +● For incidents involving vomit, disinfect all areas and +surfaces within 25 feet of the spill. +● Use in a well-ventilated area. +● Disinfect high touch areas (e.g., door handles, toilets, +dispensers, carts, sink faucets, telephones, etc.) +throughout the food service area, cafeteria dining +areas, break rooms, and restrooms using disinfecting +solution and paper towels. +● Leave the disinfecting solution on affected surfaces for +a minimum of 5 minutes. If another EPA-approved + + +Page 5: +Superintendent’s Circular FMT-19 +Page 5 of 10 + + + +disinfectant is used, follow the manufacturer’s +instructions. +● Rinse surfaces with clean water and paper towels +and/or a disposable mop head. +● Allow surfaces to air dry. +● Dispose of the paper towels and/or disposable mop +head in a plastic garbage bag. +● Remove gloves and dispose of them in a plastic +garbage bag. +● Wash hands. +* EPA-approved disinfectants may be used instead of +chlorine bleach solutions. EPA-approved disinfectants +appropriate for vomit and diarrhea may be found at +www.osha.gov/sites/default/files/publications/norovirus +-factsheet.pdf. CDC guidelines on norovirus outbreak +management and disease prevention recommend +using chlorine bleach solutions on hard surfaces when +possible. EPA-approved disinfectants appropriate for +blood may be found www.epa.gov/pesticide- +registration/selected-epa-registered-disinfectants. +Absorbent surfaces (i.e., carpet, upholstery, cloth): +● Disinfect with a chemical disinfectant when possible or +remove and dispose of the affected material. The +material will be double-bagged and disposed of +through mainstream waste disposal. +● Steam clean for a minimum of 5 minutes at 1700F. + + +Page 6: +Superintendent’s Circular FMT-19 +Page 6 of 10 + + + +● Launder in a mechanical washing machine on the +hottest water setting, and dry in a mechanical dryer on +a high heat setting. +● Dispose of disinfecting materials in a plastic garbage +bag, as appropriate. +● Remove gloves and dispose of them in a plastic +garbage bag. +● Wash hands. +4. Discard potentially contaminated food. +● Put on new disposable gloves. Consider double +gloving. +● Dispose of exposed food and food in containers that +may have been contaminated by body fluid in a +garbage bag. +● For incidents involving vomit, discard all food within 25 +feet of the spill. Food stored in intact, sealed containers +(i.e., cans) may be salvaged if adequately cleaned and +disinfected. +● Remove gloves. Dispose of gloves in a plastic garbage +bag. +● Wash hands. +5. Dispose of PPE and cleaning and disinfecting materials. +● Put on new disposable gloves. Consider double +gloving. +● Securely tie garbage bags containing all of the +disposed of materials. + + +Page 7: +Superintendent’s Circular FMT-19 +Page 7 of 10 + + + +● Place garbage bags in a second garbage bag (double +bag). +● Clean all non-disposable items (bucket, mop handle, +etc) with soap and water; then disinfect. Allow these +items to air dry. +● Remove PPE, including disposable gloves, and place in +a second garbage bag. +● Securely tie the second garbage bag. +● Discard the bag(s) in the dumpster. +● Remove soiled clothes, if necessary, and place clothes +in a separate garbage bag. Securely tie the garbage +bag. Keep clothes in the tied garbage bag until they +can be adequately laundered. +6. Wash hands, arms, and face with soap and water in a +restroom sink or hand sink. Put on clean clothing, if +necessary. Apply ethanol-based hand sanitizer to hands. +7. Wash, rinse, and sanitize potentially contaminated food +contact surfaces. Include food contact surfaces that were +disinfected in step 5 of this SOP, and food contact surfaces +that contained food discarded in step 6 of this SOP. +8. Restock supplies for cleanup. + + + + + +Page 8: +Superintendent’s Circular FMT-19 +Page 8 of 10 + + + +MONITORING +Standard daily cleaning of food services areas shall include: +● Custodial Staff: Sweep and clean the cafeteria floors with a +neutral cleaner. Cafeteria walls and ceilings shall be cleaned +on an “as needed” basis. +● Food Service Staff: Clean and disinfect cafeteria tables with +a solution of bleach and water. +NOTE: Cleaning of body fluid spills in food services areas will be +done by the school’s custodial staff. This will include any bodily +fluid spill on the cafeteria tables. In this case, only the affected +table(s) will be cleaned by the custodial staff. All other cafeteria +tables will be cleaned by the food service staff. +1. The senior custodian is designated and trained to +implement this SOP and trained in the use of necessary +supplies. They will ensure that: +● Necessary supplies are available at all times. +● Custodians are: +○ Educated on illnesses and symptoms that must be +reported to their building service area manager or +617-635-9162. +○ Monitored for signs and symptoms of illness. +2. The food service manager will ensure that food service +employees are: +● Educated on illnesses and symptoms that must be +reported to managers. +● Monitored for signs and symptoms of illness. + + +Page 9: +Superintendent’s Circular FMT-19 +Page 9 of 10 + + + +Adapted from USDA document Cleaning and +Disinfecting Body Fluid Spills (Miami County Public +Health website). +For more information about this circular, contact: +Owner: +Senior Environmental Supervisor +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Dorchester, MA 02125 +Phone: +617-635-8300 +Fax: +617-635-7855 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Name: +Equipment Coordinator +Department: +Food and Nutritional Services +Mailing Address: +Food & Nutrition/Wellness Building, 370 +Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9296 +Fax: +617-635-9305 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + + +Page 10: +Superintendent’s Circular FMT-19 +Page 10 of 10 + + + + +Name: +Sr. Manager, Building Services +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Dorchester, MA 02125 +Phone: +617-635-9165 +Fax: +617-6359306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +SUP-20 +Version 01 + + +CHILD ABUSE AND NEGLECT + +THIS CIRCULAR WILL REMAIN IN EFFECT UNLESS RESCINDED OR +SUPERSEDED BY A SUBSEQUENT VERSION +GENERAL INFORMATION +Massachusetts General Law (Chapter 119, Section 51A) requires +that certain persons who in their professional capacity have +reasonable cause to believe that a child under the age of +eighteen (18) years is suffering serious physical or emotional +injury resulting from abuse, including sexual abuse, or neglect, +including malnutrition, inflicted upon them SHALL +IMMEDIATELY, VIA TELEPHONE, REPORT THIS ABUSE OR +NEGLECT TO THE DEPARTMENT OF CHILDREN AND FAMILIES, +either via the attached Area Offices Telephone Directory or via +the 24-hour reporting hotline: 1-800-792-5200. + +Within forty-eight (48) hours of the initial oral report, these +professionals are required under Massachusetts law to notify the +Department of Children and Families (DCF) in writing using the +attached Report Form. The Report Form should be sent by +registered mail, with return receipt requested, to the appropriate +DCF Area Office. A new Report Form must be completed for +each new injury or re-injury. + + + +Page 2: +Superintendent’s Circular SUP-20 +Page 2 of 15 + +WHO MUST REPORT? +By law, the following professionals, among others, are “mandated +reporters” and must report cases of child abuse or neglect to +DCF: physicians, medical interns, medical examiners, dentists, +nurses, teachers, educational administrators, guidance +counselors, family counselors, probation officers, school +attendance officers, social workers, psychologists, and police +officers. When these professionals are employed at a school, they +must either notify DCF directly or, alternatively, notify the person +in charge of the school or that person’s designated agent. Out of +an abundance of caution, however, all school professional staff in +the Boston Public Schools are required to report to DCF any +instance of neglect or abuse that they observe or which is +brought to their attention. + +Please note that all employees are required to report any +suspected or alleged bias-based conduct toward a student +or sexual misconduct toward a student under circulars EQT- +02 and EQT-03. This report must be made to a school +administrator and/or directly to the Office of Equity. A +determination will then be made whether it meets the +standard for a report to the Department of Children and +Families under SUP-20. Please see Attachment 1, Procedures +for Reporting Suspected Child Abuse and Neglect Cases. + +Nothing in this policy prohibits a school professional from +notifying DCF directly when such school professional has +reasonable cause to believe abuse or neglect occurred. In the +event that a school professional notifies the building +administrator in charge of an incident of suspected abuse or + + +Page 3: +Superintendent’s Circular SUP-20 +Page 3 of 15 + +neglect, that building administrator must make a report to DCF +following the procedures outlined in this circular. + +Any other person may report a case of child abuse or neglect +when there is reasonable cause to believe that a child’s health or +welfare is being harmed, or is at substantial risk of being harmed, +as a result of abuse or neglect. +WHAT TO REPORT? +Any incident in which there is reasonable cause to believe that a +child’s physical or mental health or welfare is harmed or is +threatened with substantial risk of harm through abuse or +neglect must be reported. Truancy by itself is not a reportable +matter. This means that a child missing school is not, on its own, +a reason to report. +ABUSE. Abuse includes: +• Physical, mental, or emotional injury by other than +accidental means, i.e., beatings, cuttings, burns, broken +bones, multiple bruises +• Physical dependency on an addictive drug at birth +• Any sexual act against another person either by force, or by +threat of force or bodily injury, or against the person’s will. +This includes a sexual act against another person who is +incapable of giving consent either because of their +temporary or permanent mental or physical incapacity or +because s/he is a minor. Such crimes as indecent assault +and battery, rape, rape with force, rape and abuse, assault +with intent to rape and unnatural and lascivious acts +constitute a sexual assault. + + +Page 4: +Superintendent’s Circular SUP-20 +Page 4 of 15 + +Indecent assault and battery includes, but is not limited to, +inappropriate and unwanted touching of private body parts. +A person under the age of 14 is legally unable to consent to +this type of sexual activity. +NEGLECT. Neglect is deemed to exist when the person or persons +responsible for a child’s care, although financially able to do so, +fail to provide the child with: +• Adequate food, clothing, shelter, education, or medical care +• Proper supervision and/or guardianship. + +The attached Procedures for Reporting Suspected Child Abuse or +Neglect detail the relevant reporting procedures to be followed +by Boston Public School employees. + +IMMUNITY +All reports will be held in strict confidence. A person required to +report who does in fact make a report, including a report of +abuse or neglect by personnel in the public school system, shall +not be held liable in any civil or criminal action by reason of that +report. In addition, a person who, although not required to do so +by statute, voluntarily makes a report shall not be liable in any +civil or criminal action by reason of that report if it was made in +good faith and that person did not perpetuate, inflict, or cause +the reported abuse or neglect. +In accordance with Massachusetts law (Massachusetts General +Laws Chapter 119, Section 51B), persons who are mandatory +reporters of child abuse shall share any relevant information +requested by the Department of Children and Families during +the investigation of a specific 51A child abuse report. Those +persons who are required to share information are protected + + +Page 5: +Superintendent’s Circular SUP-20 +Page 5 of 15 + +from civil or criminal liability for providing such information +without parental consent. +CONSEQUENCES FOR VIOLATIONS OF THE REPORTING +REQUIREMENT +Under Massachusetts law, any person required to make oral and +written reports of suspected child abuse or neglect who fails to +do so and any person who knowingly files a frivolous report will +be subject to penalties as prescribed by law. +Boston Public School employees required by law to report +suspected child abuse or neglect who fail to do so in accordance +with the attached procedures will be subject to discipline. +PROHIBITION OF RETALIATION +Retaliation against any Boston Public School student or +employee for filing a complaint of abuse or neglect, including a +report of abuse or neglect against personnel in the public school +system, is strictly prohibited. +In accordance with both Massachusetts law and the attached +Procedures, any Boston Public School employees who +themselves perpetuate, inflict, or cause the abuse of any child will +be subject to discipline as outlined in the attached Procedures. +ATTACHMENTS: +• Procedures for Reporting Suspected Child Abuse and +Neglect Cases +• Area Offices and Telephone Directory Guide for Reporting +Purposes +• DCF 51A Reporting Form + + + + +Page 6: +Superintendent’s Circular SUP-20 +Page 6 of 15 + +For more information about this circular, contact: +Owner: +Chief of Student Support +Mailing +Address: +2300 Washington Street, Boston MA, 02119 +Phone: +617-635-9000 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 7: +Superintendent’s Circular SUP-20 +Page 7 of 15 + +ATTACHMENT 1 + (p. 1 of 6) + +PROCEDURES FOR REPORTING SUSPECTED +CHILD ABUSE AND NEGLECT CASES + +1. Pursuant to Massachusetts General Law Chapter 119, Section +51A, a mandated reporter is required to report when they has +“reasonable cause to believe” that a child under the age of +eighteen (18) years is suffering from abuse or neglect. Out of +an abundance of caution, however, all school professional +staff in the Boston Public Schools are required to report to +DCF any instance of neglect or abuse that they observe or +which is brought to their attention. + +2. Upon such suspicion of abuse or neglect of a child under 18 +years of age, a teacher, or any other mandated reporter, will +immediately report their concerns to the building +administrator and will confer with the school nurse. Such +abuse includes but is not limited to physical, mental, or +emotional injury by other than accidental means (e.g. +beatings, cuttings, burns, broken bones, multiple bruises). In +the event of suspected physical abuse, a school nurse should +be contacted to immediately examine and document the +child’s physical condition. Appropriate Special Education and +Support Services staff should be notified of the situation +concerning the suspected abuse or neglect. + + + + + +Page 8: +Superintendent’s Circular SUP-20 +Page 8 of 15 + +ATTACHMENT 1 + (p. 2 of 6) + +3. Upon suspicion of sexual assault, please refer immediately +to the Equity Circular on Sexual Misconduct Toward Students +(EQT-03) and follow the reporting procedures outlined in that +circular. School personnel responding to sexual assault +concerns will obtain only basic minimal facts of the alleged +incident. These basic facts should include: (1) when the +incident occurred; (2) where the incident occurred; (3) who +assaulted the student, if known; (4) the nature of the +incident; and (5) whether there are known witnesses and/or +other victims. In an attempt to minimize the emotional +stress victims of abuse experience and to preserve the +integrity and reliability of the required DCF and law +enforcement investigations, additional interviews and more +detailed probing questioning are not to be conducted by +school officials. A student who reports being a victim of a +sexual assault should never be asked to submit a written +report detailing the incident nor be asked to discuss the +incident with the alleged perpetrator present at any time +and under any circumstances. School personnel are +mandated reporters but should not investigate the +allegations or prepare a probing and/or detailed incident +report. + +4. The building administrator or designee shall compile any and +all relevant information from school professionals with +knowledge of the incident and student. They shall also +compile any and all relevant information from school records +to be used when reporting the case to the appropriate DCF + + +Page 9: +Superintendent’s Circular SUP-20 +Page 9 of 15 + +Area Office and have all such information and records +available for DCF. + +5. The building administrator must report to DCF even if they +believe that the teacher, nurse, or other mandated reporter is +mistaken in suspecting abuse or neglect. The building +administrator may not substitute their judgment for that of +any mandated reporter within the school. The failure to file +a report as mandated by law will subject the building +administrator (or other mandated reporter who fails to +meet their statutory obligations) to discipline in +accordance with BPS employee discipline procedures. + +6. The building administrator or designee must immediately +call the DCF Screening Area Office to report the case. If the +report must be made after 5:00 PM, the building +administrator or designee must immediately call the DCF +Hotline number at 1-800-792-5200. + +7. The child must not be sent home from school before the +verbal 51A report is filed with DCF. A written report must be +forwarded within 48 hours. + +8. Within 48 hours of the initial oral report, the building +administrator or designee will send written notification to the +DCF Area Office via fax or via the Virtual Gateway Portal at +Mass.gov. A confidential copy of the written notification form +(copy attached) should be retained in the office of the +principal or headmaster. + + + + +Page 10: +Superintendent’s Circular SUP-20 +Page 10 of 15 + +ATTACHMENT 1 + (p. 4 of 6) + + +9. If the alleged abuser is an employee of the Boston School +Department, a copy of the notification should also be +forwarded to the BPS Office of the Labor Relations. If an +investigation confirms the allegations, the offending +employee will be subject to discipline in accordance with +BPS employee discipline procedures. + +10. The building administrator, in consultation with others as +necessary, will decide how, when, and by whom the family, +including the child who is suspected of being abused or +neglected, will be notified of this report. Although the school +is not required by law to notify the family, such notification is +recommended. In deciding whether to notify, the building +administrator and others should consider whether +notification will create a substantial risk to the student’s +health, safety, or welfare. DCF and the police and the +Department of Social Work can provide consultation in +making this determination to ensure the child’s safety and +well-being. + +11. DCF investigators, who report to the school in order to +conduct one phase of their investigation, should be required +to identify themselves and to verify their assignment to the +case. School-based staff should encourage them to interview +the child at home in the presence of the parent or caregiver, +unless the 51A has been filed against the parent. In this latter +case, the interview of the child may be conducted in school +in the presence of the building administrator or designee. + + + +Page 11: +Superintendent’s Circular SUP-20 +Page 11 of 15 + +ATTACHMENT 1 + (p. 5 of 6) + + +12. Within sixty (60) days of filing a report, the building +administrator should receive a feedback report from DCF +detailing the department’s findings and specifying the social +services that the department intends to offer the child. This +feedback report may be used to plan further collaboration +with other professionals assisting the family. + +13. Certain cases that the schools report to DCF (sexual abuse +and exploitation, serious physical abuse, and some others) +will also be referred by DCF to the local police and the District +Attorney’s Office for investigation. In these circumstances, +these agencies will typically conduct a multidisciplinary team +investigation. This investigation will typically include an +interview with the alleged victim(s), alleged perpetrators(s), +and witness(es). Relevant investigative information will be +provided to the school when appropriate, and as permitted +by law. + +14. Throughout the reporting, investigation, and follow-up +process, school documentation must be done in a way that +ensures confidentiality. Accordingly, reports of suspected +abuse or neglect will not be part of a child’s educational +record, but will instead be kept separately. The school will +maintain files of the 51A reports of suspected abuse or +neglect for no more than five years. + + + + + + +Page 12: +Superintendent’s Circular SUP-20 +Page 12 of 15 + +ATTACHMENT 1 + (p. 6 of 6) + +15. When a building administrator seeks to remove a child from +school because of, for example, a disciplinary emergency +removal or illness, a parent may not always be available to +pick the child up. Other childcare, eldercare, school or work +responsibilities, or lack of transportation may delay or +prevent a parent from being able to immediately pick up the +child from school. This is not, on its own, a reportable matter. +Maintaining the child’s safety at school or ensuring that the +child has a safe way to return home is the building +administrator’s responsibility. + +16. Importantly, a special education dispute is not, on its own, a +reportable matter. A parent disagreeing with school staff’s +opinions that a child needs a particular special education +placement, service, or evaluation is not a reportable matter. +In such situations, school staff should contact the assigned +special education district assistant program director. + +17. Each school building will designate a representative who will +ensure that, in the event of the building administrator’s +absence, the above reporting procedures are followed as +required by law. School Health will make arrangements for +emergency nursing staff coverage so that the required +investigation, discussed above, will begin before the end of +the day. + + + + +Page 13: +Superintendent’s Circular SUP-20 +Page 13 of 15 + +EMERGENCY PROTOCOL + +In the event of a clear emergency where the life or safety of a child +is in imminent danger, the building administrator, designee, or +other mandated reporter should immediately notify the +appropriate DCF Area Office and file the required 51A Report. +After 5:00 PM, the school official should use the Massachusetts +Child Abuse Emergency Hotline, at 1-800-792-5200. A written +report must be filed within forty-eight hours. + +Massachusetts General Laws Chapter 119, Section 51B(3) authorizes +the Department of Children and Families to take a child into +immediate temporary custody, without parental permission or +prior notice, if the department has reasonable cause to believe +that this action is necessary to protect the child from further +abuse or neglect. Emergency responses by the Department of +Children and Families may include law enforcement, +depending upon the nature of the incident reported. If DCF +seeks to exercise this authority in the school setting, the building +administrator shall: + +1. Verify the DCF representative’s identification and retain a copy +of the identification in the student record + +2. Contact the DCF representative’s immediate supervisor to verify +the need for the DCF action + +3. +Maintain a log, which should be filed with the office copy of +the 51A report, of the action, the DCF employee(s) involved, and +the DCF Area Office involved; and provide any other pertinent +information related to the suspected abuse or neglect. + + + + +Page 14: +Superintendent’s Circular SUP-20 +Page 14 of 15 + + +ATTACHMENT 2 + + + + + + + + + + + +DEPARTMENT OF CHILDREN AND FAMILIES +Boston-Brookline Region Area Directory + +Boston Regional Office +1785 Columbus Ave. Fifth Floor +Roxbury, MA 02119-1041Local Number: (617) 989-9200 +Fax Number: (617) 989-9250 + +Hyde Park Area Office +1530 River Street +Hyde Park, MA 02136 +Local Number: (617) 363-5000 +Fax Number: (617) 363-5175 + +Dimock Street Area Office +30 Dimock Street +Roxbury, MA 02119 +Local Number: (617) 989-2800 +Fax Number: (617) 445-9147 + +Park Street Area Office +50 Park Street +Dorchester, MA 02122 +Local Number: (617) 822-4700 +Fax Number: (617) 282-1019 + + + + + +Page 15: +Superintendent’s Circular SUP-20 +Page 15 of 15 + +Harbor Area Office +80 Everett Avenue, Suite 100Chelsea, MA 01250 +Local Number: (617) 660-3400 +Fax Number: (617) 884-0215 + + +BOSTON POLICE DEPARTMENT – FAMILY JUSTICE CENTER +(Formerly the Sexual Assault Unit) + +Main Number: (617) 343-4400 + +SUFFOLK COUNTY DISTRICT ATTORNEY’S OFFICE + +Main Number: (617) 619-4000 +Child Abuse Unit: (617) 619-4300 + + + + +ATTACHMENT 3 + +DCF 51A Reporting Form + + +Page 1: +Superintendent’s +Circular +NUMBER: +SUP-19 +Version 01 +DE-ESCALATION, PHYSICAL RESTRAINT, +SECLUSION AND TIME-OUT POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +I. INTRODUCTION +The purpose of this circular is to ensure that every student +participating in a Boston Public Schools program is free from the +use of physical restraint inconsistent with state law and district +policy and to ensure that physical restraint is used only in +emergency situations of last resort, after other lawful and less +intrusive alternatives have failed or been deemed inappropriate, +and with extreme caution. The purpose of the circular is also to +state that the use of seclusion is prohibited by law and in the +Boston Public Schools. This circular is consistent with regulations +established by the Massachusetts Department of Elementary and +Secondary Education, 603 CMR 46.00 and with school district +policy. +The Massachusetts Department of Elementary and Secondary +Education established regulations governing the use of physical +restraints on students. These regulations supersede all previously +established procedures. The Boston Public Schools must follow +the provisions of 603 CMR 46.00, which regulates physical +restraint on students in Massachusetts public school districts, +charter schools, and collaborative and special education schools. + + +Page 2: +Superintendent’s Circular SUP-19 +Page 2 of 35 +Physical restraint should be administered only when needed to +protect a student or other students and staff from assault or +imminent danger of serious physical harm. Physical restraint +should be administered in the least intrusive manner possible +and should be used to prevent or minimize harm to the student. +Boston Public Schools does not use Seclusion. Seclusion shall +mean the involuntary confinement of a student alone in a room +or area from which the student is physically prevented from +leaving. Seclusion does not include a time-out, which shall mean +a behavioral support strategy developed pursuant to 603 CMR +46.04(1) in which a student temporarily separates from the +learning activity or the classroom, either by choice or by direction +from staff, for the purpose of calming. During time-out, a student +must be continuously observed by a staff member. Staff shall be +with the student or immediately available to the student at all +times. The space used for time-out must be clean, safe, sanitary, +and appropriate for the purpose of calming. Time-out shall cease +as soon as the student has calmed and no time-out can exceed +30 minutes without the express approval of the School Leader or +their designee. +II. DEFINITIONS +Mechanical restraint shall mean the use of any physical device or +equipment to restrict a student's freedom of movement. +Mechanical restraint does not include devices implemented by +trained school personnel, or utilized by a student that have been +prescribed by an appropriate medical or related services +professional, and are used for the specific and approved + + +Page 3: +Superintendent’s Circular SUP-19 +Page 3 of 35 +positioning or protective purposes for which such devices were +designed. Examples of such devices include: adaptive devices or +mechanical supports used to achieve proper body position, +balance, or alignment to allow greater freedom of mobility than +would be possible without the use of such devices or mechanical +supports; vehicle safety restraints when used as intended during +the transport of a student in a moving vehicle; restraints for +medical immobilization; or orthopedically prescribed devices that +permit a student to participate in activities without risk of harm. +*BPS prohibits this type of restraint* +Medication restraint shall mean the administration of +medication for the purpose of temporarily controlling behavior. +Medication prescribed by a licensed physician and authorized by +the parent/guardian for administration in the school setting is not +medication restraint. *BPS prohibits this type of restraint* +Physical escort shall mean a temporary touching or holding, +without the use of force, of the hand, wrist, arm, shoulder, or +back for the purpose of inducing a student who is agitated to +walk to a safe location. +Physical restraint shall mean direct physical contact that +prevents or significantly restricts a student's freedom of +movement. Physical restraint does not include: brief physical +contact to promote student safety, providing physical guidance +or prompting when teaching a skill, redirecting attention, +providing comfort, or a physical escort. +Prone restraint shall mean a physical restraint in which a student +is placed face down on the floor or another surface, and physical + + +Page 4: +Superintendent’s Circular SUP-19 +Page 4 of 35 +pressure is applied to the student's body to keep the student in +the face-down position. *BPS prohibits this type of restraint* +Seclusion shall mean the involuntary confinement of a student +alone in a room or area from which the student is physically +prevented from leaving. Seclusion does not include a time-out as +defined in 603 CMR 46.02. *Seclusion is prohibited in public +schools and in BPS* +Time-out shall mean a behavioral support strategy developed +pursuant to 603 CMR 46.04(1) in which a student temporarily +separates from the learning activity or the classroom, either by +choice or by direction from staff, for the purpose of calming. +During time-out, a student must be continuously observed by a +staff member. Staff shall be with the student or immediately +available to the student at all times. The space used for time-out +must be clean, safe, sanitary, and appropriate for the purpose of +calming. Time-out shall cease as soon as the student has calmed +and no time-out can exceed 20 minutes without the express +approval of the School Leader or their designee. +III. PHYSICAL RESTRAINT PROCEDURES +A. METHODS FOR PREVENTING VIOLENCE AND ENGAGING +PARENTS/GUARDIANS +The BPS Behavioral Health Services department has school +psychologists assigned to all BPS schools and has social +workers that provide district-wide services. The Behavioral + + +Page 5: +Superintendent’s Circular SUP-19 +Page 5 of 35 +Health Services department provides a wide continuum of +behavioral health services including prevention, at-risk and +intensive services. In addition, the Behavioral Health Services +team is the mental health crisis response team for the +district and works with educational staff to identify and +respond to unsafe situations. +In addition, BPS has developed a multi-tiered system of +supports for preventing student violence, self-injurious +behavior, and suicide, including individual crisis planning +and de-escalation of potentially dangerous behavior +occurring among groups of students or with an individual +student. The Comprehensive Behavioral Health Model +(CBHM) is a multi-tiered system of supports (MTSS) designed +to promote students' social, emotional, and behavioral +wellbeing. MTSS is a three-tier model of service delivery for +educational and behavioral services in a school setting. This +model is also often called Response to Intervention (RtI). In +BPS, the Academic Achievement Framework (AAF) is a +version of RtI focused on students' social and behavioral +learning. CBHM is focused on students' social and behavioral +learning. The goal of the CBHM Lighthouse model is to +create safe and supportive learning environments in which +students may grow and thrive academically, personally, and +socially. This includes providing the right amount of services +and supports at the right time when a student absolutely +needs them. +These models are based on the logic that the majority of +students can and will be successful when provided with +evidence-informed instruction and preventative + + +Page 6: +Superintendent’s Circular SUP-19 +Page 6 of 35 +interventions. Appropriate interventions and the use of data +to assess progress help ensure that students who benefit +from progressively more intensive services will not need +them over the long-term. +BPS engages with parents and caregivers at a school level, +through the Guide for Families and Students and through +the Special Education Parent Advisory Council (or SEPAC) to +engage parents and caregivers in discussions about restraint +prevention and the use of restraint solely as an emergency +procedure. +B. USE OF RESTRAINT +Physical restraint should be administered only when needed +to protect a student or other students and staff from assault +or imminent serious physical harm. Physical restraint can +only be used as a last resort in an emergency when a +student’s behavior poses a threat of imminent, serious +physical harm to himself or herself or others, and the +student does not respond to verbal directives or other lawful +and less intrusive behavior interventions, or such +interventions are deemed inappropriate under the +circumstances. Physical restraint shall be limited to the use +of such reasonable force as is necessary, for the least +amount of time necessary, to protect a student or another +member of the school community from assault or imminent, +serious, physical harm. A physical restraint may only be + + +Page 7: +Superintendent’s Circular SUP-19 +Page 7 of 35 +administered by school personnel who have been properly +trained in the use of physical restraint. +C. USE OF TIME-OUT +Seclusion does not include a time-out. A time-out is not a +restraint. A time-out is a behavioral support strategy in +which a student temporarily separates from the learning +activity or the classroom, either by choice or by direction +from staff, for the purpose of calming. Time-outs are +permitted as a behavioral strategy if the student is with a +staff member or is continuously observed by a staff member +who is immediately available to the student at all times. The +space used for time-out must be clean, safe, sanitary, and +appropriate for the purpose of calming. Time-out shall cease +as soon as the student has calmed. Time-out may not be +used for discipline or punishment. The preference is for +time-out to be implemented within a classroom to the +greatest extent possible. Staff must document in Aspen the +antecedent behavior prior to the time-out, any other +behavioral support strategies attempted, and the time, date, +duration and location of any time-out used as a behavioral +support strategy. The school leader must give and +document approval for any time-out to continue more than +30 minutes based on the individual student's continuing +agitation. + + +Page 8: +Superintendent’s Circular SUP-19 +Page 8 of 35 +D. OTHER LIMITATIONS ON USE OF RESTRAINT +Physical restraint shall be limited to using such reasonable +force as is necessary to protect a student or another +member of the school community from assault or imminent, +serious, physical harm. 603 CMR 46.03(3). +Instances when restraint is not to be used: +1. Physical restraint is not to be used as a means of +discipline or punishment. 603 CMR +46.03(2)(a). +2. Physical restraint is not to be used when the student +cannot be safely restrained because it is medically +contraindicated for reasons including but not limited to +asthma, seizures, cardiac condition, obesity, bronchitis, +communication-related disabilities, or risk of vomiting. +603 CMR 46.03(2)(b). +3. Physical restraint is not to be used as a response to the +destruction of property, school disruption, refusal of the +student to comply with public education program rules +or staff directive, or verbal threats when those actions +do not constitute a threat of assault, or imminent, +serious, physical harm. 603 CMR 46.03(2)(c). +4. Physical restraint should not be used as a standard +response for any individual student. No written +individual behavior plan or individualized education +program (IEP) may include the use of physical restraint + + +Page 9: +Superintendent’s Circular SUP-19 +Page 9 of 35 +as a standard response to any behavior. 603 CMR +46.03(2)(d). +5. Boston Public Schools prohibits the following forms of +restraint: mechanical, medication, seclusion, prone, and +prone restraints. +Nothing in this document, or in 603 CMR 46.00, prohibits: +1. the right of an individual to report to appropriate +authorities a crime committed by a student or another +individual. +2. law enforcement, judicial authorities, or school security +personnel from exercising their responsibilities, +including the physical detainment of a student or other +persons alleged to have committed a crime or posing a +security risk. +3. the exercise of an individual’s responsibilities as a +mandated reporter of child abuse/neglect according to +MGL c. 119, s 51A to the appropriate state agency. +4. the protection afforded publicly funded students under +other state or federal laws, including those laws that +provide for the rights of students who have been found +eligible to receive special education or related services. + + +Page 10: +Superintendent’s Circular SUP-19 +Page 10 of 35 +E. PROPER ADMINISTRATION OF PHYSICAL RESTRAINT +●Restraint must be implemented only by trained and +actively certified personnel. Whenever possible, the +restraint shall be witnessed by at least one person who +did not engage in the restraint. As an exception, in the +event of an emergency situation where no trained staff +are available to protect students and staff from imminent +harm, the restraint may be implemented until properly +trained staff have arrived. +●Restraints must be implemented in a way that does not +prevent a student from breathing or speaking. +●The use of unnecessary force in administering physical +restraint is expressly prohibited. Intervening staff can use +only the amount of force necessary to protect the +students or others from physical injury. Staff shall select +the safest and least intrusive method that is likely to be +effective for the student. +●If a student indicates or is observed to be in significant +physical distress (difficulty breathing, signs or indicators +of pain or discomfort, change in color or alertness, etc.), +the student shall be released immediately, and medical +assistance should be sought. +●Students shall be released from physical restraint as soon +as it is safe to do so, meaning that the student is no +longer a danger to themselves or others and/or a plan has +been made to manage the student safely without having +to use physical management. + + +Page 11: +Superintendent’s Circular SUP-19 +Page 11 of 35 +●In the rare event that a student is in crisis for more than +20 minutes, restraints over 20 minutes must have +approval from the school leader. The school leader must +document that approval was granted for any restraint +over 20 minutes. +●Follow up procedures following restraint must be +implemented. These include a debrief with the student (if +appropriate), a review of the incident with staff, and any +needed follow up with student witnesses. +●The school nurse should assess the student’s physical +condition after any restraint. +F. SAFETY REQUIREMENTS +Pursuant to 603 CMR 46.05(5), the following is required: +1. A restraint shall not be administered in a manner that +prevents the student from speaking or breathing. +2. A restraint shall be administered in such a way to +prevent or minimize physical harm. +3. During a restraint, a staff member shall continuously +monitor the physical status of the student including +skin temperature and color, and respiration. +4. If at any time during the restraint the student +expresses or demonstrates significant physical distress +including, but not limited to, difficulty breathing, the +restraint will immediately terminate, and medical +assistance will be sought. + + +Page 12: +Superintendent’s Circular SUP-19 +Page 12 of 35 +5. Program staff will review and consider any known +medical or psychological limitations, known or +suspected trauma history, and/or behavioral +intervention plans regarding the use of physical +restraint on an individual student. +6. During a restraint, staff will continuously talk to and +engage the student in an attempt to de-escalate +behavior and to end the restraint as soon as possible. +7. Staff administering physical restraint will use the safest +method available that is appropriate to the situation. +8. If a student is restrained for a period longer than 20 +minutes, program staff shall obtain approval from the +school leader. The approval shall be based upon the +student’s continued agitation during the restraint +justifying the need for continued restraint. +9. After the release of a student from restraint, the +incident, when applicable, will be reviewed with the +student and the behavior that led up to the restraint +will be addressed. +10. +The staff person(s) who administered the restraint +will also have a review to discuss whether proper +restraint procedures were followed and consider +whether any follow-up is appropriate for students who +witnessed the incident. + + +Page 13: +Superintendent’s Circular SUP-19 +Page 13 of 35 +IV. REPORTING REQUIREMENTS +A. FOLLOWING EACH RESTRAINT +Following the use of any physical intervention of any +duration that meets the definition of physical restraint under +DESE regulations, several steps must be taken to notify +appropriate parties and report the restraint in both BPS and +DESE systems: +●Notify School Administration: Notify school +administration verbally as soon as possible, and provide +written report by the next school working day. In the +event that the school leader was involved in the +restraint, the restraint must be reported to the School +Superintendent or Operational Leader within the same +timeline. +●Notify Parents/Guardians: The school leader or +director of the program notifies the parent/guardian +verbally as soon as possible (by the end of the day of +incident), and by written report in the language of the +home to an email provided by the parent/guardian or +by regular mail postmarked within 3 working days of +the incident. The written report shall include: +○Student information, the names of those involved +in the restraint, and observer names (if any). The +report will also include the name of the +administrator notified if the event went beyond 20 +minutes. + + +Page 14: +Superintendent’s Circular SUP-19 +Page 14 of 35 +○Date and time of the restraint, including +beginning and ending timesA brief summary of +the event in progress at the time of restraint, the +immediate antecedent to the challenging +behavior, efforts/attempts at de-escalation, any +alternatives to restraint tried, and documentation +of any injuries to staff or students. The summary +should also include description of the holds used +and why they were necessary, any reaction of the +student to the restraint, how the restraint ended. +○Any further actions taken by the school, +opportunities for the parent/guardian to discuss +the restraint, any consequences that may be +imposed on the student, or any other related +matter. +Important note: The school leader will print a copy of +the same report submitted to DESE (see “Report to +DESE” below) as written documentation of the +restraint and email or mail it to the parent/guardian. +The report to DESE should contain the required +information listed above. +●Record in Aspen: a conduct incident must be recorded +in Aspen within 24 hours, detailing attempts to +de-escalate, provide limits, type of restraint used and +duration. The use of restraint should be added as a +conduct action of “Restraint-Physical.” +●Report to DESE: all restraints must also be reported to +DESE via the DESE Security Portal + + +Page 15: +Superintendent’s Circular SUP-19 +Page 15 of 35 +(https://gateway.edu.state.ma.us/edu/myportal/meoe) +within three business days. The school leader is +responsible for ensuring that all reporting timelines are +adhered to and that the restraint is uploaded to the +portal in a timely manner. +○In the event of an injury during restraint, a copy of +the written report must be sent to DESE within +three school working days. In addition, the school +must also send the copy of the record of restraints +maintained by the school leader for the 30-day +period before the date of the reported incident. +The program will be notified of any additional +steps needed within 30 calendar days of receipt of +the reports. +B. DATA REVIEW +1. Individual Student Review +The school leader shall conduct a weekly review of the +data to identify any students who have been restrained +multiple times that week. If students are identified as +having been involved in multiple restraints in a week, the +school leader will convene a support team to: +(a) review and discussion of the written reports +submitted in accordance with 603 CMR 46.06 and any +comments provided by the student and +parent/guardian about such reports and the use of the +restraints; + + +Page 16: +Superintendent’s Circular SUP-19 +Page 16 of 35 +(b) an analysis of the circumstances leading up to each +restraint, including factors such as time of day, day of +the week, antecedent events, and individuals involved; +(c) consideration of factors that may have contributed +to escalation of behaviors, consideration of alternatives +to restraint, including de-escalation techniques and +possible interventions, and such other strategies and +decisions as appropriate, with the goal of reducing or +eliminating the use of restraint in the future; +​ +(d) agreement on a written plan of action by the +program. +*If the school leader directly participated in the restraint, a +duly qualified individual designated by the superintendent +or board of trustees shall lead the review team's +discussion. The school leader shall ensure that a record of +each individual student review is maintained and made +available for review by the Department or the +parent/guardian, upon request. +2. Monthly School-Wide Review +The school leader will complete a monthly review of all +school-wide restraint data. The review should look for +patterns like time of day or day of week, individuals +involved, types of restraints or durations for specific +students, duration of restraints, and the number and +types of injuries. Based on this review, the school leader +may decide that updates or retraining are needed or any +other actions needed with the goal of reducing or + + +Page 17: +Superintendent’s Circular SUP-19 +Page 17 of 35 +eliminating restraints +V. TRAINING REQUIREMENTS +A. FOR ALL STAFF +The laws of MA require that all school district staff that +interact with students receive an annual Prevention of +Restraint and Seclusion and De-Escalation Training. To +respond to this requirement BPS has created an +asynchronous online learning module consistent with 603 +CMR 46.04(2). The training must be completed within the +month of September of every school year. For employees +hired after the beginning of the school year, the training +must be completed within the first month of their hire. +Each school leader shall determine a time and method to +provide all program staff with training regarding the +program's restraint prevention and behavior support policy +and requirements when restraint is used. +Training shall include information on the following: +(a) The role of the student, family, and staff in +preventing restraint; +(b) The program's restraint prevention and behavior +support policy and procedures, including use of +time-out as a behavior support strategy distinct from +seclusion; +(c) Interventions that may preclude the need for + + +Page 18: +Superintendent’s Circular SUP-19 +Page 18 of 35 +restraint, including de-escalation of problematic +behaviors and other alternatives to restraint in +emergency circumstances; +(d) When behavior presents an emergency that +requires physical restraint, the types of permitted +physical restraints and related safety considerations, +including information regarding the increased risk of +injury to a student when any restraint is used, in +particular a restrain of extended duration; +(e) Administering physical restraint in accordance with +medical or psychological limitations, known or +suspected trauma history, and/or behavioral +intervention plans applicable to an individual student; +and +(f) Identification of program staff who have received +in-depth training pursuant to 603 CMR 46.04(3) in the +use of physical restraint +Below is the link to the training. +De-escalation training link +B. FOR ALL STAFF AUTHORIZED TO SERVE AS A +SCHOOL-WIDE RESOURCE ON THE PROPER +ADMINISTRATION OF PHYSICAL RESTRAINT +At the beginning of each school year, school leaders are +required to identify program staff who are authorized to +serve as a school-wide resource to assist in ensuring proper +administration of physical restraint. These individuals will + + +Page 19: +Superintendent’s Circular SUP-19 +Page 19 of 35 +participate in in-depth training in the use of physical +restraint. Such training will include the content described in +603 CMR 46.04(4) and be competency-based and be at least +sixteen (16) hours in length with at least one refresher +training occurring annually thereafter. This training will be in +the Safety Care Program and provided by the Office of Social +Work Department or Special Education. Staff can register for +Safety Care training on Vector. +Only public education program personnel who have +received Safety Care training shall administer physical +restraint on students. Whenever possible, the administration +of restraint shall be witnessed by at least one adult who +does not participate in the restraint. However, the training +requirements shall not preclude a teacher, employee, or +agent of the public education program from using +reasonable force to protect students, other persons, or +themselves from assault or imminent, serious physical +harm. 603 CMR 46.05(1) +C. PROPER ADMINISTRATION OF RESTRAINT +Please review the Proper Administration of Restraint in Section III +above. This section gives additional details directly from the state +regulations. +1. Trained Personnel. Only public education program +personnel who have received training pursuant to 603 +CMR 46.03(2) or (3) shall administer physical restraint +on students. Whenever possible, the administration of + + +Page 20: +Superintendent’s Circular SUP-19 +Page 20 of 35 +a restraint shall be witnessed by at least one adult who +does not participate in the restraint. The training +requirements shall not preclude a teacher, employee or +agent of a public education program from using +reasonable force to protect students, other persons or +themselves from assault or imminent, serious, physical +harm. +2. Use of Force. A person administering a physical +restraint shall use only the amount of force necessary +to protect the student or others from serious physical +injury or harm. +3. Safest Method. A person administering physical +restraint shall use the safest method available and +appropriate to the situation subject to the safety +requirements set forth in 603 CMR 46.05(5). Floor +restraints, including prone restraints otherwise +permitted under 603 CMR 46.03(1)(b), shall be +prohibited in Boston Public Schools. +4. Duration of Restraint. All physical restraint must be +terminated as soon as the student is no longer an +immediate danger to himself or others, or the student +indicates that he or she cannot breathe, or if the +student is observed to be in severe distress, such as +having difficulty breathing, or sustained or prolonged +crying or coughing. + + +Page 21: +Superintendent’s Circular SUP-19 +Page 21 of 35 +5. Safety Requirements. Additional requirements for the +use of physical restraint: +(a) No restraint shall be administered in such a way +that the student is prevented from breathing or +speaking. During the administration of a restraint, +a staff member shall continuously monitor the +physical status of the student, including skin +temperature and color, and respiration. +(b) Restraint shall be administered in such a way so +as to prevent or minimize physical harm. If, at any +time during a physical restraint, the student +expresses or demonstrates significant physical +distress including, but not limited to, difficulty +breathing, the student shall be released from the +restraint immediately, and school staff shall take +steps to seek medical assistance. +(c) If a student is restrained for a period longer than +20 minutes, program staff shall obtain the +approval of the principal. The approval shall be +based upon the student's continued agitation +during the restraint justifying the need for +continued restraint. +(d) Program staff shall review and consider any +known medical or psychological limitations, +known or suspected trauma history, and/or +behavioral intervention plans regarding the use of +physical restraint on an individual student. + + +Page 22: +Superintendent’s Circular SUP-19 +Page 22 of 35 +(e) After the release of a student from a restraint, the +public education program shall implement +follow-up procedures. These procedures shall +include reviewing the incident with the student to +address the behavior that precipitated the +restraint, reviewing the incident with the staff +person(s) who administered the restraint to +discuss whether proper restraint procedures were +followed, and consideration of whether any +follow-up is appropriate for students who +witnessed the incident. +D. REPORTING REQUIREMENTS +Please review the Reporting Requirements in Section IV +above. This section gives additional details directly from the +state regulations. +1. +Circumstances under which a physical restraint must +be reported. Program staff shall report the use of any +physical restraint as specified in 603 CMR 46.06(2). +2. Informing the Principal. The program staff member +who administered the restraint shall verbally inform the +School Leader of the restraint as soon as possible, and +by written report no later than the next school working +day. The written report shall be provided to the School +Leaderfor review of the use of the restraint. If the +School Leaderhas administered the restraint, the +School Leadershall prepare the report and submit it to + + +Page 23: +Superintendent’s Circular SUP-19 +Page 23 of 35 +an individual or team designated by the +superintendent or board of trustees for review. The +School Leadershall maintain an on-going record of all +reported instances of physical restraint, which shall be +made available for review by the Department or the +student's parent/guardian, upon request. +3. Informing Parents/Guardians. The School Leadershall +make reasonable efforts to verbally inform the +student's parent/guardian of the restraint within 24 +hours of the event, and shall notify the parent/guardian +by written report sent either within three school +working days of the restraint to an email address +provided by the parent/guardian for communications +about the student, or by regular mail postmarked no +later than three school working days of the restraint. If +the program customarily provides a parent/guardian of +a student with report cards and other necessary +school-related information in a language other than +English, the written restraint report shall be provided to +the parent/guardian in that language. The School +Leader shall provide the student and the +parent/guardian an opportunity to comment orally and +in writing on the use of the restraint and on +information in the written report. +4. Contents of Report. The written report required by 603 +CMR 46.06(2) and (3) shall include: (a) The name of the +student; the names and job titles of the staff who +administered the restraint, and observers, if any; the +date of the restraint; the time the restraint began and + + +Page 24: +Superintendent’s Circular SUP-19 +Page 24 of 35 +ended; the name of the School Leader or designee who +was verbally informed following the restraint; and, as +applicable, the name of the School Leader or designee +who approved continuation of a restraint beyond 20 +minutes pursuant to 603 CMR 46.05(5)(c). (b) A +description of the activity in which the restrained +student and other students and staff in the same room +or vicinity were engaged immediately preceding the +use of physical restraint; the behavior that prompted +the restraint; the efforts made to prevent escalation of +behavior, including the specific de-escalation strategies +used; alternatives to restraint that were attempted; and +the justification for initiating physical restraint. (c) A +description of the administration of the restraint +including the holds used and reasons such holds were +necessary; the student's behavior and reactions during +the restraint; how the restraint ended; and +documentation of injury to the student and/or staff, if +any, during the restraint and any medical care +provided. (d) Information regarding any further +action(s) that the school has taken or may take, +including any consequences that may be imposed on +the student. (e) Information regarding opportunities for +the student's parent/guardian to discuss with school +officials the administration of the restraint, any +consequences that may be imposed on the student, +and any other related matter. +5. Individual Student Review. The School Leader shall +conduct a weekly review of restraint data to identify + + +Page 25: +Superintendent’s Circular SUP-19 +Page 25 of 35 +students who have been restrained multiple times +during the week. If such students are identified, the +School Leadershall convene one or more review teams +as the School Leader deems appropriate to assess each +student's progress and needs. The assessment shall +include at least the following: (a) review and discussion +of the written reports submitted in accordance with +603 CMR 46.06 and any comments provided by the +student and parent/guardian about such reports and +the use of the restraints; (b) an analysis of the +circumstances leading up to each restraint, including +factors such as time of day, day of the week, +antecedent events, and individuals involved; (c) +consideration of factors that may have contributed to +escalation of behaviors, consideration of alternatives to +restraint, including de-escalation techniques and +possible interventions, and such other strategies and +decisions as appropriate, with the goal of reducing or +eliminating the use of restraint in the future; (d) an +agreement on a written plan of action by the +program.If the School Leader directly participated in +the restraint, a duly qualified individual designated by +the superintendent or board of trustees shall lead the +review team's discussion. The School Leader shall +ensure that a record of each individual student review +is maintained and made available for review by the +Department or the parent/guardian, upon request. +6. Administrative Review. The School Leader shall +conduct a monthly review of school-wide restraint data. + + +Page 26: +Superintendent’s Circular SUP-19 +Page 26 of 35 +This review shall consider patterns of use of restraints +by similarities in the time of day, day of the week, or +individuals involved; the number and duration of +physical restraints school-wide and for individual +students; the duration of restraints; and the number +and type of injuries, if any, resulting from the use of +restraint. The School Leader shall determine whether it +is necessary or appropriate to modify the school's +restraint prevention and management policy, conduct +additional staff training on restraint reduction or +prevention strategies, such as training on positive +behavioral interventions and supports, or take such +other action as necessary or appropriate to reduce or +eliminate restraints. +7. Report All Restraint-related Injuries to the Department. +When a physical restraint has resulted in an injury to a +student or program staff member, the program shall +send a copy of the written report required by 603 CMR +46.06(4) to the Department postmarked no later than +three school working days of the administration of the +restraint. The program shall also send the Department +a copy of the record of physical restraints maintained +by the School Leader pursuant to 603 CMR 46.06(2) for +the 30-day period prior to the date of the reported +restraint. +8. Report All Physical Restraints to the Department. Every +program shall collect and annually report data to the +Department regarding the use of physical restraints. + + +Page 27: +Superintendent’s Circular SUP-19 +Page 27 of 35 +Such data shall be reported in a manner and form +directed by the Department. +VI. COMPLAINT PROCEDURE +A. INFORMAL COMPLAINTS +Parents/guardians or students will notify the school leader or +designee of any concerns regarding restraint practices and +procedures. If a designee receives the complaint or a +concern, that designee shall notify the school leader within +the school day. The school leader shall attempt, within their +authority, to work with the parent/guardian to resolve the +complaint fairly and expeditiously. If the parent/guardian is +not satisfied with the resolution or does not choose an +informal resolution, then the parent/guardian may proceed +with the formal complaint process. +B. FORMAL COMPLAINTS +A complaint may be submitted to the Regional School +Superintendent regarding any restraint. +A complaint may be submitted to the Problem Resolution +System at the Massachusetts Department of Elementary +and Secondary Education at +https://www.doe.mass.edu/prs/intake/default.html. +For more information or questions on: + + +Page 28: +Superintendent’s Circular SUP-19 +Page 28 of 35 +Topic +Department & +Contact +Email +General Restraint +Policy, DESE +Requirements and +Documentation +Office of Specialized +Services +Kay Seale, Chief of +Specialized Services +Christine Trevisone, +Senior Advisor of +Specialized Services +kseale@bostonpublicscho +ols.org +ctrevisone@bostonpublics +chools.org +Safety-Care +(De-Escalation and +Physical Restraint +Training) – ABA +Strand +Office of Specialized +Services +Zachary Houston, +Assistant Director ABA +zhouston@bostonpublicsc +hools.org +Safety-Care +(De-Escalation and +Physical Restraint +Training) – non-ABA +schools +Office of Student +Support +Jenna Parafinczuk, +Director of Social Work +jparafinczuk@bostonpubli +cschools.org + + +Page 29: +Superintendent’s Circular SUP-19 +Page 29 of 35 +De-Escalation +Training +Office of Behavioral +Health +Andria Amador, Senior +Director of Behavioral +Health Services +aamador@bostonpublicsc +hools.org +Reporting +Schools Department +Drew Echelson, Chief +of Schools and +Accountability, or +Operational Leader for +Region +dechelson@bostonpublics +chools.org +● +Region 1: Jeichael +Henderson: +jhenderson@bostonp +ublicschools.org +● +Region 2: Courtney +Kinney: +cmaginnis@bostonp +ublicschools.org +● +Region 3: Michelle +Jordan: +mjordan2@bostonpu +blicschools.org +● +Region 4: Naima +Abdal-Khallaq: + + +Page 30: +Superintendent’s Circular SUP-19 +Page 30 of 35 +nabdalkhallaq@bosto +npublicschools.org +● +Region 5: Kristen +Weeks: +kweeks@bostonpubli +cschools.org +● +Region 6: Monique +Carter: +mcarter3@bostonpu +blicschools.org +● +Region 7: Nelson +Miranda: +nmiranda@bostonpu +blicschools.org +● +Region 8: Zach Solis: +zsolis@bostonpublics +chools.org +● +Region 9: Rui Gomes: +rgomes2@bostonpub +licschools.org +Mary Skipper, Superintendent + + +Page 31: +Superintendent’s Circular SUP-19 +Page 31 of 35 +ATTACHMENT A: QUICK REFERENCE DO’S AND DON’TS +FOR CRISIS INTERVENTION IN BOSTON PUBLIC SCHOOLS +In Massachusetts, the use of physical restraint in public schools is +highly regulated, and it should only be employed as a last resort +to ensure the safety of students and staff. It is essential for teachers +and school staff to follow specific guidelines and best practices +when using physical restraint. Here's a list of Do's and Don'ts for +staff using physical restraint in public schools in Boston: +Do's: +●Use the Least Restrictive Method: Use the least restrictive +means of intervention. Alternatives to restraint, including but +not limited to verbal or other de-escalation techniques, +should be attempted before resorting to physical restraint. +●Safety First: Physical restraint should only be used when +there is a threat of assault or imminent serious physical harm. +It should never be used as a form of punishment or discipline. +●Training: Teachers and staff should receive proper training in +safe and effective restraint techniques, including annual +refresher training. +●Documentation: Document the incident thoroughly, +including the reason for restraint, the duration, and any +injuries sustained. This documentation should be completed +as soon as possible after the incident. The documentation +should contain the facts of the incident and restraint rather +than conclusions. + + +Page 32: +Superintendent’s Circular SUP-19 +Page 32 of 35 +●Documentation of Time-Outs: Staff should document in +Aspen the antecedent behavior and the time, date, duration +and location of any time-out used as a behavioral support +strategy. The school leader must give approval for any +time-out to continue more than 30 minutes based on the +individual student's continuing agitation. +●Communication: Maintain open and effective +communication with other staff members during a restraint +to ensure a coordinated and safe response.In the rare event +that a student is in crisis for more than 20 minutes, +restraints over 20 minutes must have approval from the +school leader. The school leader must document that +approval was granted for any restraint over 20 minutes. +●Notify Parents/Guardians: The principal or director of the +program notifies the parent/guardian, verbally as soon as +possible (within 24 hours), and by written report within 3 +school working days by providing a copy of the physical +restraint report submitted to DESE. +●Monitoring: Continuously monitor the student's physical and +emotional well-being during the restraint. All physical +restraint must be terminated as soon as the student is no +longer an immediate danger to themself or others, or the +student indicates that they cannot breathe, or if the student +is observed to be in severe distress, such as having difficulty +breathing, or sustained or prolonged crying or coughing. + + +Page 33: +Superintendent’s Circular SUP-19 +Page 33 of 35 +●Legal Compliance: Be aware of and follow all relevant laws, +regulations, and school policies regarding the use of physical +restraint in schools. +●Seek Medical Attention: If there are any injuries or signs of +distress during the restraint, seek immediate medical +attention for the student or impacted individual. +●School Nurse Assessment: Whenever possible, the school +nurse should assess the student’s physical condition +following a restraint. +Do nots: +●DON’T Implement Unnecessary Restraint: Do not use +physical restraint unless there is a threat of assault or an +imminent serious physical harm. It should not be used for +minor infractions or as a convenience for staff. +●DON’T Seclude: Always maintain visibility and ensure +continued communication with the student. Also ensure the +presence of another staff member if possible. Under no +circumstances may a student be left alone in a room or area +from which the student is physically prevented from leaving. +Doors cannot be locked during any time-out. +●DON’T Use Protracted Restraint: Do not continue the +restraint once the student is no longer an immediate danger +to themself or others, or if the student indicates they cannot +breathe or is observed to be in severe distress. + + +Page 34: +Superintendent’s Circular SUP-19 +Page 34 of 35 +●DON’T Restrain the Head or Neck: Do not use any form of +restraint that puts pressure on a student's head, neck, or +throat, as it can be dangerous and potentially lethal. +●DON’T Use Untrained Staff: Do not allow untrained or +unauthorized staff to engage in physical restraint. Only +trained personnel should be involved in the process. +●DON’T Use Mechanical Restraints: Do not use mechanical +restraints, such as handcuffs, on students in public schools. +●DON’T Use Restraints for Revenge or Punishment: Do not +use physical restraint as a means of revenge, discipline, or +punishment. Restraint should always be a last resort to +protect the safety of all involved. +●DON’T Fail to Report: Do not neglect to report the use of +physical restraint to school administration, parents/guardians, +and relevant authorities as required by law and school policy. +Reports should be carefully written to record the facts of the +incident and restraint. +Remember that the use of physical restraint in public schools is +a sensitive and potentially risky action that should only be used +when all other means of ensuring safety have been exhausted. +Compliance with Massachusetts laws and regulations is +essential to protect the well-being and rights of all students +involved. + + +Page 35: +Superintendent’s Circular SUP-19 +Page 35 of 35 +ATTACHMENT B: NOTIFICATION PROCESS + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EL-04 +Version 01 + + +TITLE I EXPENDITURES FOR ENGLISH LEARNERS +AMENDED ORDER BETWEEN LATINO PARENTS ET AL +AND BOSTON PUBLIC SCHOOLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +TABLE OF CONTENTS +1. General Information +2. English Learner Equity Requirement +3. General Guidelines +4. Sample Acceptable Uses +5. Annual Reporting of Title I Services + +1. GENERAL INFORMATION +In 1992, the Boston Public Schools (BPS) and parents of English +Learner students (ELs), who were represented by attorneys with +Multicultural Education, Training and Advocacy, Inc. (META), +entered into a binding consent decree that is enforceable by use +of the federal court’s power to hold violators in contempt of court + + +Page 2: +Superintendent’s Circular EL-04 +Page 2 of 19 + + +to compel compliance. A copy of this consent decree can be +found on the Office of English Learners website. +This Superintendent’s Circular outlines the basic components of +the consent decree regarding appropriate Title I expenditures for +ELs and provides guidelines to comply with the edict. The +consent decree defines many requirements of BPS, which +includes the equitable allocation of Title I funds to service the +needs of ELs. +The federal consent decree enforced by META commits BPS to: +• Improve and provide equal access to programs for EL +students +• Refrain from discriminating against EL students relative to +non-ELs, in the provision of Title I services +• Ensure proportionality in the provision of services; the +percentage of Title I eligible but unserved EL students must +not exceed the percentage non-ELs who are not benefiting +from Title I funds +• Adjust Title I school budgets for staff and services annually +and periodically in light of changing student needs +• Provide literacy (HILT) programs for EL students ages 8-22 +with limited or interrupted formal education (SLIFE) +• Consult with and involve EL parents in each school +(additional guidance on how to document this consultation +will follow) +• Report annually on the status of Title I services to EL +students. + + + + +Page 3: +Superintendent’s Circular EL-04 +Page 3 of 19 + + +Note: +• All other district purchasing guidelines still apply. For +general information regarding purchasing, please refer to +Superintendent’s Circular FIN-07. +• For state guidance on the use of Title I Part A funds in +general (not specific to the additional requirements +pursuant to the consent decree), visit +https://www.doe.mass.edu/federalgrants/titlei-a/ or contact +the BPS Grants Department. +2. ENGLISH LEARNER EQUITY REQUIREMENT +The portion of Title 1 resources for EL students is based on the +percentage of EL population in that school. +EL Equity Amount example: If School-A receives $100,000 in Title +I funding with a school population consisting of 25% ELs, $25,000 +must be spent to benefit ELs. In this example, $25,000 is the “EL +Equity amount” that must be spent on supplemental services +directly and solely benefitting ELs. +As part of the BPS annual Budget Collaborative process, the +Finance Department provides each school their Title I allocation +and identifies for schools the EL Equity Amount subject to the +spending guidelines outlined in this circular. +• A school’s Title I allocation is determined based on the +school’s percentage of direct certified students and +projected enrollment, multiplied by a per pupil amount. +Direct certification, in compliance with USED and DESE, +includes data from the Supplemental Nutrition Assistance + + +Page 4: +Superintendent’s Circular EL-04 +Page 4 of 19 + + +Program (SNAP), Temporary Assistance for Needy Families +(TANF), and Medicaid enrollment. +• Within the school’s Title I allocation, the EL Equity Amount is +separately identified. This is calculated based on the +projected enrollment of English Learner students as a +percentage of the overall enrollment of projected students +at each school. +3. GENERAL GUIDELINES +The META Consent Decree requires the following: +1) Each individual school must determine the additional +services for EL students that will supplement their +instruction, either for academic language in English and/or +through native language supports. +2) This determination must be conducted prior to spending +Title I funds for ELs at a school. +3) These services must be supplemental, solely benefit ELs, +and be tailored to meet the specific needs of EL students. +4) The district, through the Office of English Learners, as part of +its monitoring duties under the META Consent Decree, is +obliged to ensure compliance with these legal +requirements, including working with schools to make +appropriate revisions to any budget that does not reflect +compliance with Title I and META Consent Decree +requirements. +5) Each school must annually submit both a plan for spending +prior to any expenditures as well as an annual checklist that +reports the use of Title I for ELs funds. +Services Tailored to Meet the Specific Needs of ELs + + +Page 5: +Superintendent’s Circular EL-04 +Page 5 of 19 + + +Services provided with the use of Title I EL funds need to be +tailored to meet the specific linguistic, cultural, socio-emotional +and academic needs of ELs. These needs should be identified as +part of the needs assessment process required by the consent +decree. +Services Solely Benefitting ELs +Title I expenditures for ELs are also required to solely benefit ELs. +This means, for instance, if a school desires to fund a position, the +responsibilities for that position must be solely dedicated to ELs. +There is an expectation that the services provided by the staff +should focus on EL students with the highest needs such as +those with English language development (ELD) levels 1 and 2, as +they are the most vulnerable group of students requiring +supplemental services. +4. SAMPLE ACCEPTABLE USES +Supplement and Not Supplant Rule +Title I for ELs funds must be used to supplement, and not +supplant, local, state or federal resources available or required +under state or federal law to meet the educational needs of ELs. +In other words, these Title I funds should not take the place of— +supplant—public education services that are to be provided by +law to English Learner students. Instead, these funds must be +used to supplement requisite education services, to provide +services that go above and beyond what is otherwise required. +Here are a few examples: + + +Page 6: +Superintendent’s Circular EL-04 +Page 6 of 19 + + +• Funding lunch monitors is an inappropriate use for which +BPS was previously cited, since maintaining order in the +lunchroom is a basic function that is not above and beyond +what the district would do without Title I dollars and is also a +function that does not solely benefit ELs. +• General classroom supplies needed for everyday classroom +instruction (e.g., paper, notebooks, white boards) would not +constitute an allowable use of these funds, even if they only +are used by ESL or other EL program classrooms, as the +supplies are not supplemental in nature. +• It would not be allowable to use these funds to purchase +core curriculum materials — including core ESL materials — +for English Learner students. +• Equally important is that even if an expenditure is +supplemental by nature, it would be a violation of the +“supplement, not supplant” rule to fund a service or activity +for ELs out of the TItle I for ELs funds while also funding the +same service or activity with general funds for other +students at the school. For example, if a school purchases +technology with general funds for general education +classrooms, it would generally not be allowable to use the +Title I EL funds to purchase the same technology for English +Learner program classrooms. Potential allowances may be +made if the technology is provided on a 1:1 basis for ELs only, +and not for students as a whole. +Note: The consent decree allows for an important exception to +the “supplement, not supplant” rule: generally, expenditures +related to the High Intensity for Literacy Training for Students + + +Page 7: +Superintendent’s Circular EL-04 +Page 7 of 19 + + +with Limited or Interrupted Formal Education (HILT for SLIFE) +program constitute an allowable use of these Title I EL funds. +The following table provides a list of sample acceptable uses of +Title I for ELs funds. +• It is important to note that this list is not exhaustive, and +that the “supplement, not supplant” provision still applies. +Additional examples are posted on the Office of English +Learners Title I for ELs website. +• School leaders are advised to discuss their ideas for the use +of these funds with the Title I EL coordinator +(Title1EL@bostonpublicschools.org) to ensure compliance. + +Sample Acceptable Uses of Title I Funds for English Learners +• High Intensive Literacy Training for Students with Limited or +Interrupted Formal Education (HILT for SLIFE) programs: +strongly recommended to be funded through Title I for ELs +funds. +• Extra learning time outside of the school day: materials and +stipends for after-school, summer, and Saturday programs +tailored specifically to meet the needs of ELs. +• Supplementary enrichment and accelerated curriculum +materials for ELs. +• Supplementary materials, including native language +resources, that strengthen the core academic program for +ELs in the school. +• Supplementary counseling, pupil services, and mentoring +services for ELs that is above and beyond what is offered to +all students at the school. + + +Page 8: +Superintendent’s Circular EL-04 +Page 8 of 19 + + +• College and career awareness programs solely for ELs that +are above and beyond what is offered to all students at the +school. +• Methods to assess the efficacy of all implemented strategies +(such as stipends for after-school monitoring and planning +meetings) for ELs. +• High-quality ongoing professional development for +teachers, administrators, paraprofessionals, parents, and/or +pupil services personnel that is not otherwise required and +is geared specifically towards meeting the needs of ELs. +• Increasing EL parental involvement through literacy +services. +• Consulting to strengthen the core academic standards or +the school improvement plan to meet the specific needs of +ELs. +• Assessment fees associated with an EL student obtaining +the Seal of Biliteracy. +• A supplemental bilingual paraprofessional (not for class size +reasons) to assist former SLIFE students who exit SLIFE into +SEI content classes but who need continuing native +language support. + +Previous Findings of Non-compliance +The following are examples of inappropriate usages of Title I to +count towards the EL equity percentage: +• Since ESL instruction is considered core, funding of a sole +ESL teacher to provide ESL for all ELs in the school is +considered supplanting. However, it is acceptable for this + + +Page 9: +Superintendent’s Circular EL-04 +Page 9 of 19 + + +purpose if it is used to supplement the core ESL +requirements by providing additional ESL support or +providing smaller group instruction to students targeting +ELs with ELD levels 1 and 2. +• Funding instructional or other basic supplies (copy paper, +classroom supplies, notebooks, chart paper, printer +cartridges, etc.) are basic classroom supplies needed for any +classroom and would therefore be a clear example of +supplanting. Similarly, Title I EL monies may neither be used +to satisfy the district’s minimum $1,000 supply budget per +school nor the minimum supply to be budgeted per +student. +• Funding lunch monitors is an illegal use for which BPS was +previously cited, since maintaining order in the lunchroom is +a basic function and not above and beyond what the district +would do without Title I dollars. +• Title I EL funds may not be applied to the salaries of general +administrative personnel. +• Shifting a position from general funds that is a core position +to Title I is a clear indication of supplanting and not an +appropriate Title I EL expenditure. +• Funding positions that serve the whole school, such as +family and community outreach coordinator, physical +education, computer, music/art teacher, school wide +counselors, school wide literacy coordinators, school wide +paraprofessionals, and parent coordinators/liaisons would +be considered supplanting and therefore would not be an +allowable use of these funds. + + +Page 10: +Superintendent’s Circular EL-04 +Page 10 of 19 + + +5. ANNUAL REPORTING OF TITLE I SERVICES +Title I funding for ELs is reported annually to META by the Office +of English Learners (OEL). School leaders must submit a Title I EL +Budget Plan (1) during their Budget Collaborative during January +and a Title I for ELs Budget Monitoring Checklist by June of the +current school year to OEL. Using this Title I checklist, school +leaders will be asked to verify and report what services the Title I +funded staff have provided, number of students serviced, and +additional resources/supplies purchased within the year. +Title I EL Budget Plan (future year budget): Each school will +receive a Title I EL Budget Plan that is pre-populated with the +schools’ Title I EL allocation for the upcoming fiscal year. The Title +I EL Budget Plan requires school leaders to identify the needs +assessment that undergirds their planned spending, and to +identify categories of planned spending (e.g., staffing, +supplemental instructional supplies, contractual services, +stipends, etc.). +During a school’s budget collaborative, each school leader is to +submit their EL Budget Plan. A school’s budget collaborative will +not be considered approved until the school’s Title I EL Budget +Plan is finalized and the budget lines can be structured +accordingly in FutureForce. School leaders are encouraged to +schedule appointments with their EL school support liaison for +support. + +(1) Template. May be updated with feedback from stakeholders. + + +Page 11: +Superintendent’s Circular EL-04 +Page 11 of 19 + + +The following represents general considerations for school +leaders to aid them in preparing sufficient plans: +Needs Assessment +● The META consent decree specifies that, prior to spending +Title I for ELs funds at schools, the determination of the +services most needed by the school’s ELs must be +conducted first to ensure that the funds will be used to +support the language development needs of English +Learner students. +● Schools should review multiple data points to identify the +needs of their English Learner student population, keeping +in mind that English Learners do not constitute a monolithic +group. +● At a minimum, English Learner students’ ACCESS +performance and progress data should be reviewed. +Additional data to be reviewed may include: MCAS and +interim/formative assessment data; attendance data; +student/parent surveys; school Equity Roundtable notes; +students’ Individual Learning Plans for SLIFE or ELs who +have not met ACCESS benchmarks; etc. +○ Schools should disaggregate the data for different EL +subgroups; e.g., EL students with disabilities, Students +with Limited or Interrupted Formal Education, +newcomers, long-term English Learners, etc. +● School leaders should consult the LATF and other EL +teachers as well as with English Learner parents when +developing their Title I EL Budget Plan. School leaders may +also consider consulting with English Learner students. + + +Page 12: +Superintendent’s Circular EL-04 +Page 12 of 19 + + +● When considering the types of goods and services to +include in their Title I EL Budget Plan, school leaders should +also consider the effectiveness of purchases made with prior +Title I EL funds on improving EL student achievement. +Budgeting for an FTE +● If requesting an ESL FTE, make sure the minimum ESL FTE +requirement is met within your general funds before +submitting an additional request on your EL Title 1 +allocation. This should only be a supplemental position. This +FTE cannot deliver core ESL instruction to meet minimum +ESL instructional compliance. +● Identify how the position primarily serves ELD 1 and 2 +students if applicable. +● Both salary and benefits need to be accounted for. +● It will be the school leader’s responsibility to ensure that this +FTE does not perform job responsibilities other than those +approved with the use of the Title I EL funds. + + + + +Page 13: +Superintendent’s Circular EL-04 +Page 13 of 19 + + +Budgeting for Stipends +● If requesting stipends for supplemental EL instructional +support outside of school hours, make sure that staff are +appropriately qualified (e.g., ESL license, SEI endorsement, +bilingual endorsement) to instruct ELs. Specify the nature of +the services provided to demonstrate that core ESL +instruction is not being delivered through these stipends. +● Additionally, LATF duties are not permitted to be +compensated through these stipends. Ensure that all +stipend requests adhere to district policy. +Budgeting for Contractual Services +● If requesting contractual services for professional +development, make sure to demonstrate that the PD +provider is appropriately qualified to provide training on +English Learner instruction and that the PD is specific to +English Learner instruction or supports. +● Schools can review the OEL website to identify other +approved professional development that can be targeted for +students or parents to integrate native language and +cultural learning opportunities as part of the school PD +offerings. +Budgeting for Supplies/Materials/Technology +● If requesting technology, make sure the technology is not +already in the school being used by non-ELs and that it is +not used for mandated assessments (e.g., ACCESS, MCAS). +● If you’re requesting books/instructional materials, make sure +to indicate how this supplements the requisite or core + + +Page 14: +Superintendent’s Circular EL-04 +Page 14 of 19 + + +curriculum and how it is specifically designed for English +Learners. +The following provides a sample exemplar for the type of +rationale that needs to be included in the Title I EL Budget Plan. +QUESTION: How is this supplemental? +● Weak Rationale: This text is supplemental because it is in +addition to the core work. +● Strong Rationale: This text provides a brief, accessible guide +to this textbook to make the content comprehensible to +ELs, especially EL 1 and 2 students. This is a supplement to +traditional textbook and primary source materials for +teaching this class. Newcomer students often haven't been +taught this curriculum, so it is even more important to +communicate the essentials of this work (which many +general education students might already have learned). +○ Difference: This differs from the weak example because +it includes detail on how the text will be used in the +classroom and demonstrates supplemental use. +QUESTION: How will this solely benefit ELs? +● Weak: This will only be used for ELs. ELDs 1-3. +● Strong: This text has allowed me to make the content +accessible, especially for ELs with ELD levels 1-3. Newcomer +students often haven't been taught this curriculum, so it is +even more important to communicate the essentials of this +work (which many general education students might +already have learned). +○ Difference: This differs from the weak example because +it shows that non-EL students would not benefit from + + +Page 15: +Superintendent’s Circular EL-04 +Page 15 of 19 + + +this book and that the ELs would need the book to help +them access the content and narrative. +QUESTION: How is this tailored to meet the needs of your EL +students? +● Weak: This text is only used in ESL specific classrooms. +● Strong: The visual and shorter, chunked text provides +comprehensible input for students to master the concepts +in the traditional reading. This topic is especially important +for this time period both because my newcomer students +consistently express interest in learning about these two +events and because there are so many events within this +time period that a supplemental text would help students +follow the narrative. +○ Difference: This differs from the weak example because +it demonstrates how the text is tailored to meet the +language needs of the EL students by stating it has +visuals and shorter texts. +Title I EL Budget Monitoring Checklist (current year actual +spending): Whereas the Title I EL Budget Plan identifies the +intended use of the funds, the Title I EL Budget Monitoring +Checklist identifies how the funds were actually spent and +provides the rationale to demonstrate how the identified goals +within the Title I EL Budget Plan from the previous year were +met. Once the district’s spending deadline has passed, the Title I +EL coordinator provides each school leader with their own +checklist document that is pre-populated with each line item of +requisitions and stipends. Prior to the close of the school year, +school leaders review the rationale they provided at the time of +the purchase request, sign the document, and return it to the +Title I EL coordinator. + + +Page 16: +Superintendent’s Circular EL-04 +Page 16 of 19 + + +MONITORING COMPLIANCE +The district submits each school’s Title I EL Budget Plan and Title +I EL Budget Monitoring Checklist to META attorneys. Note: In the +event a school leader fails to comply with the submission +deadlines, the district may not process purchase requests that +fall under the school’s Title I EL budget lines until such +compliance is met. +The Title I EL funds are denoted in a school or department’s Fund +200 budget with a program code of 24xx. For instance, for FY23, +the budget line would include BPS23150 (Title I) and a program +code of 24xx (e.g., 2401). The use of these funds is subject to the +terms of the META consent decree and this circular. +Throughout the school year, the Title I EL coordinator +(title1EL@bostonpublicschools.org) will review each requisition +for purchase (e.g., requisitions, stipends, EAEs, FTEs, budget +transfers, etc.) to ensure that the given request meets Title I EL +spending guidelines and aligns to the school’s approved Title I EL +Budget Plan. The Title I EL coordinator tracks each purchase and +its rationale for annual reporting purposes. +● When a given request has not been included in a school’s +Title I EL Budget Plan, the Title I EL coordinator will request +additional information from the school to ensure +compliance. +● The Budget and Finance departments will not process any +requests without prior written approval from the Title I EL +coordinator. +The Title I EL coordinator may also request additional information +throughout the school year when necessary to ensure that +spending remains in compliance. The district reserves the right to + + +Page 17: +Superintendent’s Circular EL-04 +Page 17 of 19 + + +implement additional monitoring requirements throughout the +school year. +Timely spending: Responsibility Centers receive monthly BAIS +Financials output reports that identify the balance of available +Title I EL funds. It is the responsibility of school leaders and +department heads to ensure that funds are spent appropriately +and in a timely manner to support the unique needs of English +Learner students most effectively. +● To ensure appropriate spending, all unspent Title I EL funds +at the school level will be re-allocated to the Office of +English Learners at the close of the fiscal year for +appropriate spend- down. +META visits and requests for information: META monitors +compliance by way of reviewing the Title I EL Budget Plans and +the end-of-year Title I EL Budget Monitoring Checklists, as well as +conducting school visits. During the visit, META will meet with +the school team and may review the school’s current and +projected budget, Title I checklist, staff qualifications, and other +information deemed necessary to comply with the Consent +Decree. +● Schools will be supported by the Office of English Learners +and Grants Department prior to any such visits. +● School personnel who receive direct contact from META +attorneys with requests for information outside the context +of a scheduled visit are directed to contact the BPS Office of +Legal Advisor at legal@bostonpublicschools.org for +guidance. + + +Page 18: +Superintendent’s Circular EL-04 +Page 18 of 19 + + +KEY DATES +Responsible +Activity +Date +School Leader +Submit FY25 Title I EL +Budget Plan (planned +expenditures for the +following school year) to +Title I EL Coordinator for +approval +Dec. 2023/Jan. 2024 +(prior to Budget +Collaborative) +OEL +Review and approve +submitted FY25 Title I +EL Budget Plan +(planned expenditures +for the following school +year) +Dec. 2023/Jan. 2024 +(prior to Budget +Collaborative) +Office of Legal +Advisor +Submit annual Title I +report to META +January 2024 +School Leader +Submit FY24 Title I EL +Checklist to OEL/Grants +(accounting of +expenditures from the +current school year) +June 2024 (after +spending deadline) +September 2024 (if +applicable, for any +2024 summer +spending) +OEL +Review and analyze +submitted FY24 Title I +EL Checklist to +OEL/Grants +July 2024 + + + +Page 19: +Superintendent’s Circular EL-04 +Page 19 of 19 + + +RESOURCES +Title I for English Learners website: +https://www.bostonpublicschools.org/title1el. +Guidance is also included annually in the district’s Budget +Collaborative and Probable Organization guidance document for +school leaders. +For more information about this circular, contact: +Owner: +Executive Director, or +Director of Grants and External Funds +Department: +Office of English Learners or Finance +Department +Mailing Address: 2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9435 or 617-635-6995 +Email: +all-acad-division@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + +Page 1: + + + + + Superintendent’s +Circular +NUMBER: +EL-07 +Version 01 + +BPS INSTRUCTIONAL SYSTEM AND MONITORING FOR +MULTILINGUAL LEARNERS + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +This superintendent’s circular outlines the district’s instructional +system and monitoring for multilingual learners, including: +1. Instructional Expectations and Resources: +a. Defining high-quality instructional expectations and +materials for our multilingual learners and multilingual +learners with disabilities (MLWD) +b. Curating and outlining resources for schools, classroom +staff, and school leaders to change and improve +current practices in classrooms serving Multilingual +learners and those with disabilities +2. Monitoring of Multilingual Learners’ Instruction: +a. Monitoring Individualized Learning Plans (ILPs) for +multilingual learners who have not met ACCESS +progress benchmarks + + +Page 2: + + +Superintendent’s Circular EL-07 +Page 2 of 18 + +b. Conducting classroom observations by school leaders +and district regional support teams or ESL and content +instruction across programs serving Multilingual +learners +In accordance with the DOJ agreement for ELE services, an +overview of ELE services, compliance monitoring, accountability, +and DOJ reporting schedule is outlined here. + +INSTRUCTIONAL EXPECTATIONS +The circular provides foundational information on practices and +expectations regarding high-quality instruction and grade-level +content instruction for our MLs aligned to MA-DESE frameworks +and grade-level standards. Included are resources for classroom +staff and school leaders to align and improve current classroom +practices. The research-based resources and strategies will +provide consistent, high-quality educational practices across the +District to develop a systemwide understanding of expectations +for instructing our multilingual learners and those with +disabilities. +One priority of the Office of Multilingual and Multicultural +Education (OMME) is to outline instructional expectations with +guidance and resources for multilingual learner (ML) educators to +accelerate MLs’ language acquisition and support their growth +across content. All MLs are entitled to meaningful access to +grade-level content learning and English language development +(ELD) instruction to build their English language skills in all four +language domains (reading, writing, listening, and speaking). All + + +Page 3: + + +Superintendent’s Circular EL-07 +Page 3 of 18 + +MLs regardless of program or placement are entitled to receive +sheltered content with an SEI teacher and ESL services with an +ESL-certified teacher1. To that end, OMME is committed to +providing all ESL and SEI content teachers with tools that best +support MLs. + +GROUNDING THE INSTRUCTIONAL CORE IN WIDA AND MA +CURRICULUM FRAMEWORKS +To maintain high-quality content and language learning for MLs, +it is paramount to center all ML instruction for Fall 2023 and +beyond on research-based standards for language development +as well as grade-level content. OMME expects that the MA +Curriculum Frameworks and WIDA 2020 Standards Framework +are the foundations for all effective delivery of English as a +Second Language (ESL) instruction and English Learner +Education programs. +OMME has created clear and explicit guidance around what +defines English as a Second Language (ESL) instruction in Boston +Public Schools (BPS) and the varied programmatic structures it +may take. ESL is its own subject matter and provides explicit, +systematic, and sustained language instruction to promote MLs’ +success at school and beyond. ESL is: + +1 Any core academic teacher of an Multilingual Learner (providing instruction in English): teachers of +MLs with moderate disabilities; teachers of MLs with severe disabilities; teachers in English, reading or +language arts; mathematics, science; civics and government, economics, history, and geography; early +childhood and elementary teachers who teach MLs such subjects; and any career vocational technical +teacher who instructs a ML. + + +Page 4: + + +Superintendent’s Circular EL-07 +Page 4 of 18 + + +• Asset-based and culturally sustaining +• Language driven +• Balanced, focused on both meaning and form +• Standards-based (i.e. ELA, History, Math, Science), rigorous, +and integrated +• Designed for authentic language interactions, dialogue, and +collaboration +• Planned and dynamic +• Differentiated and scaffolded +• Grounded in effective assessment practices + +Successful pedagogy is grounded in these frameworks and +approaches: +● MA Curriculum Frameworks: The frameworks establish clear +academic expectations for what students should know and +be able to do at the end of each school year. They +emphasize the development of 21st-century skills with +college and career readiness. Current curriculum +frameworks for each content area can be found here. +○ English Language Arts & Literacy +○ Social Studies / Humanities +○ Science Technology & Engineering +○ World Language Standards +● WIDA: A research-based, comprehensive approach to + + +Page 5: + + +Superintendent’s Circular EL-07 +Page 5 of 18 + +supporting, teaching, and assessing multilingual learners. +The WIDA 2020 Framework and Standards prioritize equity +of opportunity and access, integration of content and +language, collaboration among stakeholders, and a +functional approach to language development. + +Key components to effective ML teaching in the BPS: +● Native Language : Research shows that using native +language instruction and resources has a positive effect on +English language development. Teachers should leverage +students’ native-language literacy skills whenever possible +and use that knowledge to facilitate metalinguistic +awareness and cross-linguistic transfer. When teachers have +a basic knowledge of students’ native language structure, +they can better identify students’ positive and negative +linguistic transfers. Furthermore, teachers should consider +using native language materials to build background +knowledge and help students transfer content-area skills +and understandings from one language to another. +● Collaboration Among ML Educators: BPS prioritizes teacher +collaboration to support MLs’ success in content area +classes and programs. “Co-Teaching ESL is a unique form of +teacher collaboration where two teachers (an ESL and a +grade level/content area teacher) fully share teaching +responsibilities for a common group of students. The co- +teachers jointly plan for, deliver, and assess dedicated, +systematic, explicit, and sustained standards-based and +language-focused ESL instruction that connects to content + + +Page 6: + + +Superintendent’s Circular EL-07 +Page 6 of 18 + +area topics and analytical practices.” (DESE’s Quick +Reference Guide Co-Teaching Co-Teaching ESL) + +MATERIALS GUIDANCE +OMME will continue to work across academic departments to +ensure that all materials provide scaffolding and supports for +multilingual learners. To support this initiative, OMME has +developed an ELD Look-For Tool that illustrates effective +culturally and linguistically sustaining practices that are key +instructional components for all classrooms serving Multilingual +Learners. This tool is aligned with research-based best practices +for MLs and to the BPS Equitable Literacy Look-Fors, and the +Culturally Responsive Instruction Observation Protocol (CRIOP). +In order to support the integration of content and language, +OMME created an integrated Language Objectives writing tool +and a series of professional development to support this initiative. + +Multilingual Instructional Coaches (MICs) worked throughout SY +2022/23 to analyze district-approved tier 1 curriculum, thoroughly +examine the WIDA 2020 Standards Framework to create a scope +and sequence and unit maps for ESL instruction for grades K-12: +Focus in Grades K0-2, EL Education for Grades 3-5, and StudySync +and core content in Grades 6-12. All curriculum and support +documents will be housed in this Boston Public Schools ESL +Curriculum Digital Notebook. + + + + +Page 7: + + +Superintendent’s Circular EL-07 +Page 7 of 18 + +The work was grounded in: +• Massachusetts Department of Elementary and Secondary +(DESE) Next Generation ESL Curriculum Guidance, +• 7 Forms of Bias, +• Culturally Responsive Teaching, +• Systemic Functional Linguistics, +• Equitable Literacy and Culturally and Linguistically +Sustaining Practices, +• the 3Ls, +• WIDA 2020 Standards Framework, and +• Understanding by Design (UbD). + +Dual Language schools have adopted a variety of authentic texts +or trans-adapted texts / materials in the native language. OMME +recommends usage of native language text sets aligned to grade +level standards and units of study that meet the rigor and +expectations for quality materials using CURATE. Additionally, the +district recommends the following Spanish and English +complimentary materials for dual language: +1. Focus Transadapted Spanish Texts +2. American Reading Company +Other Dual Language and bilingual programs in majority BPS +languages are provided materials in the form of authentic texts +or transadapted texts thematically aligned to the biliteracy +framework for the target languages that must meet grade level +standards. + + +Page 8: + + +Superintendent’s Circular EL-07 +Page 8 of 18 + + +In setting expectations for high-quality instruction, the District +has a responsibility to provide district level and individualized +coaching support for school and classroom staff. The following is +a list of instructional recommendations with critical resources for +teachers and school leaders serving multilingual learners and +English learners with disabilities (ELD). + +SEI PROGRAMS VS. SEI CLASSROOMS +Boston Public Schools has the highest number of MLs across the +state. Therefore, it is expected that every BPS classroom is an SEI +classroom (if there is at least one multilingual learner enrolled) +with a qualified SEI teacher. Additionally, BPS offers SEI programs +to students at ELD levels 1-3 with some language specific +programs at specified schools to better meet the needs of +students at ELD levels 1-3 and provide language support if the +educator has the same language. All MLs across ELD levels and +placement settings are expected to receive ESL instruction in +accordance with their level, grouping per the Department of +Justice (DOJ) and the Massachusetts Department of Elementary +& Secondary Education (MA DESE). + +ESL: English as a Second Language SCI: Sheltered Content Instruction +NLI: Native Language Instruction NLS: Native Language Support + + + +Page 9: + + +Superintendent’s Circular EL-07 +Page 9 of 18 + +Program Type & +Target +Instructi +on Type +BPS Instructional Expectations +Resources +SEI Multilingual +Program - targeted +for ML ELD 1-3 with +low incidence +languages +✓ ESL +✓ SCI +● +Grade level aligned instruction +using district materials or +curriculum meets MA frameworks. +● +Adapting or differentiation for lower +ELD levels and/or low levels of +literacy to accelerate learning. +● +Educators teach academic +language and align to MA +Framework content grade level +standards and WIDA standards. +● +Classroom teachers collaborate and +plan with ESL teachers. +● +Educators are bilingual and believe +that the native language of +students and families is an asset +and promotes bilingual education. +● +Classroom environments are +multicultural, engage diverse +perspectives and experiences and +value all students' cultural and +linguistic backgrounds. +● +Student ILP (if needed) is aligned to +WIDA Can Do and language +domains. +● +ESL instructional pedagogy is +connected thematically with a +focus on academic language. +● MASS +Literacy +Guide +● MA DESE +Collaboration +Tool +● Incorporating +Native +Language +into Learning +● BPS +Equitable +Literacy Look- +Fors +● MA DESE ESL +Model +Curriculum +Units +● CGCS 3Ls: +Learning, +Language +and Literacy +● SFL Writing +Pedagogy +● UDL +Guidelines +● MA DESE’s +Defining ESL +Guidance +SEI Language +Specific Program - +targeted for ML ELD +1-3 with high +incidence languages +✓ ESL +✓ SCI +✓ NLS* +SEI Inclusion +Program - targeted +for dually +identified ML with +ELD levels 1-3 and +MLs with Disabilities +✓ ESL +✓ SCI +✓ NLS* +SEI Classrooms +without district ELE +Programs - targeted +to ELD 4 and ELD 5 +and at all schools +without an SEI +Multilingual, +Language Specific +or SEI Inclusion +Program + +✓ ESL +✓ SCI + + +Page 10: + + +Superintendent’s Circular EL-07 +Page 10 of 18 + + + +Dual Language - +targeted for MLs in +ELD levels 1-3 and +English monolingual +students +✓ ESL +✓ SCI +✓ NLI +● +Biliteracy skills that support each +language and build metalinguistic +awareness, such as teaching +cognates. +● +Educators are bilingual and hold +the belief that the native language +of students and families is an asset. +● +Materials reflect authentic texts or +are +● +transadapted with authors who +reflect the linguistic and ethnic +diversity of the target language. +● +The curriculum includes a +standards-based scope and +sequence for language and literacy +development in English and the +partner language for all students. + +● Dual +Language +CAL +Guidance +SLIFE - targeted for +newcomer students +with low native +literacy +assessments and +gaps of education +(Newcomer +Program) +✓ ESL +✓ SCI +✓ NLI +✓ NLS * +● +Native language literacy and +numeracy skills that develop +students academically. +● +Appropriate developmental +strategies and pedagogy that build +on students’ schema and life +experiences. +● +Educators are bilingual and hold +the belief that the native language +● SLIFE DESE +Guidance + + +Page 11: + + +Superintendent’s Circular EL-07 +Page 11 of 18 + +of students and families is an asset. +● +Materials reflect authentic texts or +are +● +transadapted with authors who +reflect the linguistic and ethnic +diversity of the target language. +● +Drawing on students’ cultures and +identities with projects and life skills +that connect to their communities +and assets. +Heritage Program - +targeted for +students with +common ethnic and +native language +✓ NLI +✓ ESL +● +Students from heritage +backgrounds are taught target +language across modalities aligned +to World Language Standards. +● +Identity is often a major factor in +heritage speakers/signers’ +motivations for language learning, +and educators must discuss identity +issues to effectively support +students in making the cultural +connections described in world +language content standards. +● World +Language +Standards +● Heritage +Speakers' +Guide + + +MONITORING OF MULTILINGUAL LEARNERS INSTRUCTION +In addition, this circular outlines the District's expectations for +Central Office and school leaders regarding a quality monitoring +system for ESL and content instruction for multilingual learners +across English Learner Education (ELE) programs and general +education settings. This system facilitates the District's +identification of classrooms, programs, and schools of excellence +so BPS can share these practices, trends and teaching pedagogy + + +Page 12: + + +Superintendent’s Circular EL-07 +Page 12 of 18 + +district-wide. In addition, routine observations will allow the +District to identify schools and classrooms that need support for +instructional improvement and, in some cases, intervention at a +school, program, or classroom. The BPS monitoring system will +ensure that students with an ILP are attended to with specific +language goals. + +MONITORING OF ML INDIVIDUALIZED LEARNING PLANS (ILPS) +Multilingual Learners that are not meeting targeted ACCESS +progress benchmarks indicated by MA DESE are required to have +Individual Learning Plans (ILP) (also known as a student success +plan) that track their language growth and academic progress. +Each year, OMME will share guidance, the list of students who +need an ILP per DESE’s criteria, and the template document. +LATFs will support the dissemination of information and these +materials to teachers for completion. The ILPs should be +completed by the student’s team of teachers, integrating how +the student will grow across content areas. The use of the WIDA +framework and Can Do descriptors guide the BPS ILP document +so that the goals within each language domain of where a +student needs to grow to move to the next level on the English +language proficiency continuum are aligned with WIDA. A BPS +ILP sample template can be found here. + +With the continued implementation of this policy, school leaders, +LATFs and teachers are expected to: +• Identify the areas in which identified MLs need + + +Page 13: + + +Superintendent’s Circular EL-07 +Page 13 of 18 + +improvement and establish personalized goals for +attaining English proficiency; +• Assess and track the progress of MLs who did not meet +benchmarks in the identified areas in need of +improvement; +• Review resources and services available to assist MLs in +the identified areas in need of improvement; and +• Incorporate input from the parents or legal guardian of +the identified ML. + +OMME is developing a systemic approach to monitoring ILPs for +ML who have not met WIDA ACCESS Benchmarks as outlined +below: +• School leaders and LATFs will be notified and updated on +the percentage of ILP completion, and OMME will +monitor progress towards 100% completion of ILP plan; +• ILPs should be finalized for students by October 15, 2023; +• Schools principals and LATFs with incomplete ILPs will be +notified by late October to follow-up; +• Any remaining incomplete ILPs will be reflected on school +EL plans; +• OMME Equity and Accountability regional liaisons will +work with school superintendents to ensure ILP +completion for ML identified in need of a plan. + +MONITORING OF INSTRUCTION +BPS recognizes that rigorous, standards-based, culturally +affirming instruction is critical to student outcomes in our + + +Page 14: + + +Superintendent’s Circular EL-07 +Page 14 of 18 + +highest needs schools. The district will implement a consistent +monitoring system to ensure ESL and content instruction for +Multilingual learners and those with Disabilities receive high- +quality instruction and opportunities for accelerated learning +across Equitable MTSS tiers. +● The Office of Multilingual and Multicultural Education +(OMME) is increasing staffing and instructional support in +SY23/24 to support school leaders and educators in meeting +consistent expectations for instructional practices for +Multilingual Learners and those with disabilities. OMME +multilingual instructional coaches will work to align +instructional expectations from the district to classroom +level with materials, role expectations, instructional +practices, and coaching cycles. +● OMME has adopted an updated MLs observation tool using +the Equitable Literacy Self Reflection Tool and Learning, +Language and Literacy observation tool with embedded +practices that meet grade level content expectations for +MLs. The updated MLs observation tool will be utilized +district-wide to perform learning walks and observations +across all ESL and content classrooms where MLs are placed +in order to assess the quality of teaching and learning for +Multilingual learners with a focus on Culturally and +Linguistically Sustaining Practices (CLSP). +● BPS district teams and schools will use the updated MLs +observation tool replicated in Bullseye online platform for +observers to input observation records in order to collect +data, assess outcomes and monitor trends towards + + +Page 15: + + +Superintendent’s Circular EL-07 +Page 15 of 18 + +increased instructional improvements. +● All district staff, school leaders and other classroom +observers will be trained on the updated MLs observation +tool via Bullseye online platform in order to implement +across the system and leverage as a consistent routine +classroom observation and monitoring tool. + +SCHOOL ACCOUNTABILITY +The following outlines the District’s expectations for school +leaders and central office regarding a quality monitoring system +for ESL and content instruction for multilingual learners +regardless of program or placement. It will ensure that we +monitor schools for high-quality ML teaching practices and +coherence across the district. OMME will add training for school +leaders on ML instruction expectations and observation look-fors +to better prepare them for appropriately evaluating and growing +educators towards meeting proficient or exemplary status +following the MA DESE Classroom Teacher Rubric. + + + + +Page 16: + + +Superintendent’s Circular EL-07 +Page 16 of 18 + +School leaders or assigned evaluators: +a) Once every two weeks, school leaders are expected to +do short observations (10-15 minutes) of all classrooms +serving Multilingual Learners in the school. The school +leaders should use the updated MLs observation tool to +collect observation notes and align to district +instructional vision. +b) Within 48 hours of observations, school leaders should +provide the classroom leaders with a quick note +including a positive practice observed and a noticing or +wondering to improve instructional practices. +Resources aligned to expectations or improving +instructional practices should be included with the +noticings or wonderings. +c) If any concerns arise from the short observation, the +school leader should schedule an observation, +including a one-on-one discussion with the teacher +that offers resources, support, or coaching if available. +d) When a school leader observes consistent classroom +instruction below the expectations for teaching and +learning, the school leader must have a conversation +with the teacher and start the teacher improvement +evaluation process. This should include expectations +for improvement and resources to support the growth +of the classroom staff. + + + +Page 17: + + +Superintendent’s Circular EL-07 +Page 17 of 18 + +DISTRICT ACCOUNTABILITY +Regional School Superintendents and District Regional Support +Staff (District Team): +a) Once a quarter, starting at the end of September, +regional school superintendents and other district +regional support staff will join school leaders to observe +classroom practices in classrooms serving Multilingual +Learners. The team will use the updated MLs +observation tool to observe, record, and provide +feedback on classroom instructional practices to +identify trends and growth areas and monitor progress. +b) Regional support staff conducting walkthroughs will +be expected to record their observations in the +centrally maintained Bullseye online platform. This will +allow for district-wide analysis and monitoring of data +trends. Additionally, school leaders and district staff will +be able to monitor progress and share evidence to +norm and validate observations. +c) Regional school superintendents and regional support +staff will debrief with school leaders on the day of the +observations and discuss highlights of classroom +instruction, how to grow pedagogically appropriate +instructional practices, identify which instructional +practices need support, and support is provided. +d) Every quarter, the district team will monitor trends for +evidence of improvement and areas of growth. The +district team will be expected to coordinate central + + +Page 18: + + +Superintendent’s Circular EL-07 +Page 18 of 18 + +office resources, including OMME coaches, and utilize +data to support the classroom and school’s needs +effectively. +e) School superintendents will work with school leaders +who have not demonstrated progress to develop an +action plan for improving instruction with clear metrics +that include district support and will be reflected in +future QSP and on school leader evaluation. + +For more information about this circular, contact: + +Owner: +Deputy Superintendent of Academics and Interim +Assistant Superintendent of OMME +Departme +nt: +Office of Multilingual and Multicultural Education +(OMME) +Mailing +Address: +Bolling Building, 2300 Washington Street, 6th +Floor, Roxbury, MA 02119 +Phone: +617-635-9435 +Email: +OMMEequityteam@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +EL-06 +Version 01 + + + +1 +INITIAL IDENTIFICATION AND ASSESSMENT OF +MULTILINGUAL LEARNERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to bring clarity and guidance +regarding the initial identification and assessment of Multilingual +Learners (MLs) in BPS. The district is obligated to appropriately +assess and identify MLs as outlined in several key documents, +including by the Massachusetts Department of Elementary and +Secondary Education’s Guidance1, the Successor Settlement +Agreement and META Consent Decree. To meet our obligations +to our MLs and their families, we must ensure that all BPS +students are correctly assessed, identified, placed, and receive +appropriate services. + + + +1 https://www.doe.mass.edu/ele/resources/id-assess-place- +reclass.html + + +Page 2: +Superintendent’s Circular EL-06 +Page 2 of 20 + +TABLE OF CONTENTS +1. Assessment requirements +2. Reason to suspect a student may be a Multilingual Learner +3. Process to assess Students for Multilingual Learner status +who have an HLS of EEE +4. K1 School-Based English Language Proficiency Assessment +Calendar SY 2024 + +1. ASSESSMENT REQUIREMENTS +Under federal2 and state3 law, the Boston Public Schools (BPS) +must take appropriate steps to identify potential Multilingual + +2 Paragraph 28 of The Successor Agreement between the United +States of America and the Boston Public Schools and U.S. +Department of Education (USDOE) and U.S. Department of +Justice (USDOJ) EL policy document entitled Dear Colleague +Letter, English Learner Students and Limited English Proficient +parents/guardians (01/7/2015) (referred to as “Dear Colleague +letter” hereafter) at +http://www2.ed.gov/about/offices/list/ocr/letters/colleague-el- +201501.pdf. +3 Guidance on Placement, Progress Monitoring and +Reclassification Procedures of English Learners, Massachusetts +Department of Elementary and Secondary Education, and G. L. C. +71A; 603 CMR 14.02. + + + + +Page 3: +Superintendent’s Circular EL-06 +Page 3 of 20 + +Learners (MLs) in K2 through grade 12 and provide them with the +appropriate English Learner services and supports. The initial +identification and assessment of Multilingual Learners follows the +requirements outlined in paragraphs 28-31 of the Successor +Settlement Agreement: +Successor Settlement Agreement Paragraph 28: +A student must be referred for an English language proficiency +assessment when the results of the Home Language Survey +(HLS) indicate that a language other than English is: +• The primary language used in the home, regardless of the +language spoken by the student +• The language most often spoken by the student, and/or +• The language that the student first acquired. +If the parent/guardian answered “yes” to one or more of the +above questions, the student is required to be assessed using the +grade-level, state-required language screening assessment. +Please refer to the MA Department of Elementary and Secondary +Education Guidance on the Initial Identification of English +Learners for more information on identifying and evaluating ELs. +The Successor Agreement obligates the district to ensure that +English language proficiency (ELP) assessments shall be +accomplished as soon as possible, but no later than 20 days from +the student’s enrollment during the school year, or within 20 +days or by the first day of the new school year, whichever comes +later, if the student enrolls during the summer. During peak +seasons, January 1 through March 15 and August 1 through +October 31, ELP assessments shall be accomplished as soon as +possible, but no later than 25 days. Parents/guardians shall be + + +Page 4: +Superintendent’s Circular EL-06 +Page 4 of 20 + +informed in writing of assessment results and student +assignment options no later than 2 school days after the +completion of the assessments. The Newcomers Assessment and +Counseling Center provides written notice of the assessment +scores and school choice options to the parent/guardian at the +end of the assessment appointment. +TABLE 1: The following table delineates the process of +Multilingual Learner identification at the time of enrollment. It +highlights the departments’ roles and responsibilities and their +order in Multilingual Learner identification. +Please note: Bolded action steps relate directly to English +Learner identification and placement. + + + + +Page 5: +Superintendent’s Circular EL-06 +Page 5 of 20 + +Department +Action Steps +Welcome +Center +1. Collect and verify documents (medical forms, +residency, birth date). +2. Administer Home Language Survey (HLS) to all +families to identify potential Els. +3. Score HLS and inform families of the result. +4. Schedule an appointment at NACC if the HLS score is +anything other than EEE. +5. Assign an initial case number to the student. +Newcomers +Assessment +and +Counseling +Center +(NACC) +1. Interview families and collect information about +students’ academic background. +2. Assess K-12 students in English and determine the +initial ELD level. +3. Administer Native Language test to newcomer +students in grades 3-12 in the major languages spoken +in BPS if students indicate interrupted learning or +limited formal education. +4. Inform families of their program options so that they +feel equipped to make the best choice for their child. +5. Enter families' choices in SIS so BPS can begin the +assignment process. +Enrollment +Planning +Services +1. Approve case for assignment. +2. Assign a BPS identification number to the case. +3. Review the school choices and use the NACC +placement recommendations to assign the student to +a school. +4. Maintain student assignment data. +5. Notify families by letter of their final assignment. + + +Page 6: +Superintendent’s Circular EL-06 +Page 6 of 20 + +PARENT NOTIFICATION AND COUNSELING +After scoring the assessment, assessment specialists review all +available information (e.g., transcripts, IEP, 504 plans) collected +from the parent/guardian during the intake interview to propose +a program recommendation. +Next, testers sit with the parent/guardian to inform them, in the +language of their preference, of the results of the assessment. +Testers use all available information collected during the +language testing appointment to counsel the parent/guardian +about EL programs and services (e.g., SEI, SLIFE, Dual Language, +etc.) that are appropriate for their child's proficiency level. After +counseling the families, testers enter scores into the student's +case record in Aspen SIS, which generates a list of schools with +the appropriate programs and services. The parent/guardian +then ranks schools on their choice list and signs the school +selection form. The tester enters the parent/guardian’s rank order +choices into SIS, and the case is forwarded to the Welcome +Services student assignment team. At the end of the visit, the +family receives a copy of the documents (e.g. Notification of Initial +Assessment Form they signed. +2. REASON TO SUSPECT A STUDENT MAY BE AN ENGLISH +LEARNER +Paragraph 28 of the Successor Settlement Agreement requires +the district to assess enrolling students whose Home Language +Survey does not indicate a language other than English in the +case that “there is any other reason to believe the student is not +proficient in English.” The district has operationalized this +requirement as detailed in the tables in section 3. + + +Page 7: +Superintendent’s Circular EL-06 +Page 7 of 20 + +3. PROCESS TO ASSESS STUDENTS FOR ENGLISH LEARNER +STATUS WHO HAVE AN HLS OF EEE +Some students may be suspected of being MLs but may not have +been identified during enrollment because of an HLS score of +EEE. The following table outlines the action steps necessary to +determine if such a student is an ML. +TABLE 2: Please see Table 2 for the process to assess students +who have an HLS of EEE and are suspected of being Multilingual +Learners. +Department +Action Steps +School +1. Obtain written parent permission that they would +like to amend their HLS results in Aspen to indicate +another language is spoken at home and that they +would like their student tested for ELE services +before administering testing. Parents must include +the updated home language on their request. +Parents must be informed that this change will +result in testing. +2. Submit this request to the EL-CCR with a copy of the +updated letter of the home language survey to +upload, or, if it is an email, please make sure the +email is one that is stored in Aspen in the contact +section. +3. Attach the documentation to the EL-CCR form and +forward these items to the Office of Multilingual and +Multicultural Education at +ommeequityteam@bostonpublicschools.org. + + +Page 8: +Superintendent’s Circular EL-06 +Page 8 of 20 + +Department +Action Steps +OMME Equity +and +Accountability +4. Review EL-CCR submission for a first language +change request and either approve or deny based +on meeting requirements for submission. +5. Inform school of EL-CCR decision. +School +6. Wait for an approval email and for the HLS results to +be changed in Aspen. Please do not test the student +until you have received approval from OMME. +7. Test the student with the WIDA Screener. You must +administer the test to the student in person with a +trained test administrator. +8. Enter the test results in Aspen under the language +tab. +9. Submit another request to the EL-CCR for the +student to have an ELD level and include the results +of the test in the upload of documentation. +OMME Equity +and +Accountability +10. Review EL-CCR submission for a NEL to EL request +and either approve or deny based on meeting +requirements for submission. +11. Inform school of EL-CCR decision. +School +12. Schedule student for ELE services appropriate to +their ELP. + +TABLE 3: The following table outlines the steps that must be +taken before assessing a student’s potential Multilingual Learner +Status based on their Home Language Survey Score. + + + +Page 9: +Superintendent’s Circular EL-06 +Page 9 of 20 + +HLS Result +Procedure +OEE/EOE/E +EO +Parent/ +Guardian +Permission +Required? +YES: Welcome Center explains testing +implications of Home Language Survey results +during the enrollment process. +Action +Steps +1. Student is identified as a potential ML +upon registration via the Home Language +Survey at the Welcome Center. +2. Student case is transferred to NACC +where the family is interviewed and +student is assessed. +3. Student is assigned. +4. Student receives ACCESS testing annually +until they meet exit criteria. +OEE/EOE/E +EO + +But +student +tested +proficient +during +testing at +the time of +enrollment +Parent/ +Guardian +Permission +Required? +YES: Schools must contact the parent/guardian +and inform them they have concerns based on +evidence (i.e., academic performance, test +results) and want to assess their student. The +school must document all meetings and +information shared with parents and include +them in the ELD folder. +Action +Steps +1. Parent/guardian(s) must put in writing +that they would like to have their student +reassessed. Please inform the parent that +this may lead to their student being +identified as a Multilingual Learner (ML) +which will result in EL services being +required and an annual ACCESS + + +Page 10: +Superintendent’s Circular EL-06 +Page 10 of 20 + +HLS Result +Procedure +assessment. +2. If the parent/guardian(s) agree, test the +student with the appropriate WIDA +assessment. You must administer the test +to the student in person with a trained +test administrator. +3. Enter the test results in Aspen under the +LEP Testing Template. Contact NACC with +questions about the LEP Testing +Template. +4. Submit a request to the EL-CCR for the +student to have a NEL to EL change, and +include the parent’s documentation, +school documentation, and results of the +test in the upload of documentation. + +TABLE 4: The following table outlines which test a trained test +administrator should administer to a student who may be a +potential Multilingual Learner. +Please note: A grade level begins on July 1st of the summer +before entering a grade and ends on June 30th of the year of +completing that grade. + + + + +Page 11: +Superintendent’s Circular EL-06 +Page 11 of 20 + +Student +Grade Level +Correct Screener +Test +Who Can Administer +K1 +WIDA Screener +for Kindergarten +(2 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +Currently enrolled K1 students are +tested annually beginning April 15 for +K2 seats in the upcoming school year. +K2 +First half of +the school +year + +WIDA Screener +for Kindergarten +(2 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment +K2 +Second half +of the school +year (from +Tuesday +after MLK +day) +WIDA Screener +for Kindergarten +(4 domains) + +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment +1 +First half of +the school +year (until +Friday +Before MLK +WIDA Screener +for Kindergarten +(4 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment + + +Page 12: +Superintendent’s Circular EL-06 +Page 12 of 20 + +Student +Grade Level +Correct Screener +Test +Who Can Administer +Day) +1 +Second half +of the school +year +(from +Tuesday +after MLK +Day) +WIDA Screener +Online +Teachers currently certified in WIDA +Screener Online (include TIII Parent +Notification of Initial Identification) +OR +NACC by request and with appointment +3-12 +With 1 or 2 +years in +district +WIDA Screener +Online & Native +Language +Assessment +NACC only +3-12 +With 3 or +more years +in district +WIDA Screener +Online +Teachers currently certified in WIDA +Screener Online (include TIII Parent +Notification of Initial Identification) +OR +NACC by request and with appointment + + + + + +Page 13: +Superintendent’s Circular EL-06 +Page 13 of 20 + +TABLE 5: The following table outlines when ACCESS Testing is +appropriate for Multilingual Learners. +Student Details +Administer ACCESS Test? +A student is a suspected ML but has not +been confirmed as a Multilingual +Learner. +No. Do not administer ACCESS. +Instead, follow the steps to +confirm a suspected EL outlined +in Table 1. +A student is a confirmed ML based on +the correct screener test. (Steps for +identifying correct screener test +outlined in Table 2). +Yes. Administer ACCESS. +A student is a confirmed ML based on +the correct screener test BUT has opted +out of some or all English Learner +services. (Steps for identifying correct +screener test outlined in Table 2). +Yes. Administer ACCESS. +A student scored Proficient on the +correct screener test. (Steps for +identifying correct screener test +outlined in Table 2). +No. Do not administer ACCESS. + A student scored Proficient on ACCESS +the previous year +No. Do not administer ACCESS. + + + + + +Page 14: +Superintendent’s Circular EL-06 +Page 14 of 20 + +4. K1 SCHOOL-BASED ENGLISH LANGUAGE PROFICIENCY +ASSESSMENT CALENDAR SY 2024 +Every year, school-based designated testers assess approximately +1,300 K1 students under the training and guidance of NACC. To +ensure that all K1 students identified as Multilingual Learners +(MLs) receive the related services and programs in SY 2023-2024, +we ask schools to carefully review, prepare for, and adhere to the +assessment calendar below. +TABLE 6: +Action Steps +Instructions +Date(s) +STEP 1 +Convene Language +Assessment Team +School staff should review their K1 roster +to start developing their assessment +schedule: +Following NACC training, schools will +receive a list of students that need to be +assessed. Schools should carefully review +this list. +If a school suspects a student should be +on the list to be assessed because a +language other than English is spoken in +the home, the LAT should convene to +determine if the student is eligible for +testing. Contact NACC and the OMME +Instruction Team if you have any +questions about this. +Although explicit parental consent is not +03/01/24 + + +Page 15: +Superintendent’s Circular EL-06 +Page 15 of 20 + +Action Steps +Instructions +Date(s) +required, schools should meet with +parents/guardians to discuss concerns +and inform them of the plan to assess +students with the grade level required +language screener (WIDA screener for +K1). This communication allows the +families to have meaningful access to +their child’s education. +STEP 2 +Identify designated +testers +The principal identifies the staff +members who will administer the +English language proficiency +assessment. School leader should submit +the name of the school-based +designated tester on this form. +The designated testers should be +licensed teachers or licensed staff +members who are experienced EL +educators. +It is recommended that schools select +their Language Acquisition Team +facilitators (LAT-F), ESL teachers, and K1 +teachers familiar with the students as the +designated testers. +Beginning April 15th, school leaders +provide 3 hours for K1 designated testers +to watch the WIDA Screener for +03/01/24 + + +Page 16: +Superintendent’s Circular EL-06 +Page 16 of 20 + +Action Steps +Instructions +Date(s) +Kindergarten training course and take all +the required Quizzes on the WIDA Secure +Portal before they come to overview +sessions. (3 hours could be during their +common planning time, school-based PD +time, etc.) Designated testers should use +the following Google Form link to submit +their SY 2024 WIDA Certificates: Google +Form. +Schools with K1 programs should +designate testers for a test +administration overview session. +Designated testers will receive a +registration link for an overview session +no later than Tuesday, April 2, 2024. +STEP 3 +Attend training +session +Schools must allocate time for the +designated testers to attend one of the +K1 test administration overview sessions. +All test administration overview sessions +will take place online. +Training is designed to support new and +experienced testers. +04/2/24 & +04/03/23 + + + +Page 17: +Superintendent’s Circular EL-06 +Page 17 of 20 + +Action Steps +Instructions +Date(s) +STEP 4 +Pick up materials +Designated testers should pick up the +testing materials after the overview +session at NACC in the Bolling Building. +04/04/24- +04/09/23 + +STEP 5 +Assess identified K1 +students +Designated testers assess all identified K1 +students with the corresponding English +language proficiency assessment. +Only testers who attend the training +sessions in April can administer the +English language proficiency +assessments. +To ensure appropriate test +administration, designated testers +cannot transfer assessment +responsibilities or “deputize” educators +who have not attended a SY 2024 +training session. +Students with disabilities should be +tested according to their IEP +accommodations. Copies of the IEP +accommodations should be attached to +the students’ test booklets and +forwarded to NACC no later than Friday, +May 10, 2024. +To ensure that students receive the +05/10/24 + + +Page 18: +Superintendent’s Circular EL-06 +Page 18 of 20 + +Action Steps +Instructions +Date(s) +appropriate placements for the 2024- +2025 school year, K1 English language +proficiency assessments must be +completed no later than Friday, May 10, +2024. +STEP 6 +LAT-F input test +results, return test +answer booklets and +requested +documents +LAT-F input results of English language +proficiency assessments into Aspen SIS +to ensure the initial ELD level and test +results become a part of the student’s +assessment record. All test results must +be entered into Aspen SIS by Friday, May +10, 2024. +Schools must keep copies of the test +answer sheets and a hard copy of the +WIDA Score Report in the students’ ELD +folders. +If a student was screened and found NOT +to be an EL, the school should keep the +test answer sheet and the WIDA Score +Report in the student’s cumulative folder. +Schools must return all original test +answer booklets and all requested +documents to NACC no later than Friday, +May 10, 2024 so that OMME can review +the data before submitting final test +05/10/24 + + +Page 19: +Superintendent’s Circular EL-06 +Page 19 of 20 + +Action Steps +Instructions +Date(s) +scores to OIIT. +STEP 7 + +Data Validation +OMME will review assessment samples +for data validation. +OMME will inform LATFs of any errors in +assessment scoring. Schools will be able +to see any updates to their data in Aspen +SIS after May 17, 2024. +05/17/24 +STEP 8 + +Parent Notification +Letter +LAT-Fs will inform the parent/guardian of +their student’s assessment results via the +Parent Notification Letter in the parent’s +preferred language within two weeks +after the assessment data is confirmed in +Aspen SIS. +File a signed copy of the letter in the +student’s ELD folder. +05/31/2024 +STEP 9 + +K1 students +assigned after +05/10/24 + +After the testing window closes on May +10, 2024, schools must continue to assess +all newly assigned K1 students whose +HLS indicates any language other than +English. +The designated tester must borrow a +copy of the Kindergarten Screener for +testing K1 students from NACC. +06/14/24 + + +Page 20: +Superintendent’s Circular EL-06 +Page 20 of 20 + +Action Steps +Instructions +Date(s) +Designated testers should follow the +instructions in Step 4 and Step 5. + + +For more information about this circular, contact: +Owner: +NACC Director +Department: +Office of Multilingual and Multicultural +Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-1565 +Email: +nacc@bostonpublicschools.org +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +SAF-03 +Version 01 + +LOCKER POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Consistent with the policy outlined in Superintendent’s Circular +SAF-02, Weapons and Objects of No Reasonable Use, this +memorandum explains the Boston Public Schools’ policy +regarding student locker searches. +All students and parents must understand that lockers are the +property of the Boston School Department, made available for +students’ use and convenience. Lockers remain the property of +the Boston School Department while being used by students. +School administrators, other school department personnel, +including but not limited to teachers, custodians, and school +police have authority to search student lockers; any personal +effects found within lockers; and places of concealment within +those personal effects. Students will be held accountable for the +contents of their lockers and the contents of their personal +effects. Any contraband or evidence of a crime found because of +a locker search will be turned over to the appropriate authorities. +The information from the above paragraph is to be included in all +school-based rules and all student handbooks. Students and +parents must be informed that such information serves as prior +and ample notice of the School Department’s student locker +policy. The phrase “prior and ample notice” is to be included in + + +Page 2: +Superintendent’s Circular SAF-03 +Page 2 of 4 + +school-based rules and student handbooks. +In implementing the locker policy, each school must adhere to +the following guidelines: +1. Each school will determine its own procedure for assigning +lockers and issuing padlocks and locker keys. This procedure +must be included in the school-based rules and student +handbook. Students must adhere to all school-based rules +pertaining to locker use. +2. Only school issued padlocks and locker keys are to be used. +All unauthorized padlocks are to be removed immediately +upon detection, and the locker and its contents immediately +searched by the school leader, principal, or designee. +3. Locker assignments are to be documented. This document +is to contain the student’s name and the appropriate master +key information or the padlock combination. This document +is to be kept in a secure but readily available place in the +main office of the school. +4. Students are not to share lockers, unless authorized by the +school leader, principal, or other building administrator. +5. All unused lockers are to be cleaned out and locked or +sealed to prevent unauthorized use. +6. School leaders and principals will arrange for periodic +inspection of lockers by school personnel, including at least +one general cleanup during the school year. Personal effects +removed from lockers are to be inventoried and reasonable +efforts made to return property to its owners. Contraband +and evidence of a crime is to be inventoried and turned over +to the appropriate public safety agency. + + +Page 3: +Superintendent’s Circular SAF-03 +Page 3 of 4 + +7. School leaders, principals, and other school department +personnel will conduct inspections of student lockers when +it has been reasonably determined that a safety or security +problem exists, or that there is reasonable suspicion that the +student has evidence in the locker tending to show either a +violation of the law or a violation of school rules. Personal +effects are to be inventoried and reasonable efforts made to +return property to its owner. Contraband and evidence of a +crime is to be inventoried and turned over to the +appropriate public safety agency. +8. Students whose lockers contain contraband or evidence of a +crime will be subject to the provisions of the Code of +Conduct and to the applicable criminal statutes. If +contraband or evidence of a crime is confiscated from a +student's locker, procedures detailed in Superintendent +Circular SAF-02, Weapons and Objects of No Reasonable +Use, cited above are to be followed. + + + + + + +Page 4: +Superintendent’s Circular SAF-03 +Page 4 of 4 + +For more information about this circular, contact: +Name: +Deputy Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-09 +Version 01 + + LOST CHILDREN PROCEDURES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +From time to time, students may be “lost” — that is, a student +leaves home in the morning but does not arrive at school, or a +student arrives at school but is missing later in the day, or the +student may leave school at dismissal and not arrive at home. The +following are standard procedures to follow whenever any of these +scenarios should happen. +STANDARD PROCEDURES +The first receiver of information will: + +• Gather as much information as possible from the person +reporting the lost child, including name, student number, +school address and phone number, bus stop, bus number, +names of friends/classmates, if known, clothing description, +and the name and phone number of the caller. +• Notify Safety Services: Inform the safety specialist assigned or +present at the building, and they will inform BSP dispatch. If +there is not a safety specialist at the school, the designated +school staff should call Safety Services dispatch at 617-635- +8000 to initiate immediate support. +• Notify the appropriate official: operational leader and school +superintendent. +• Notify the principal/head of school and/or program director. + + +Page 2: +Superintendent’s Circular SAF-09 +Page 2 of 9 + + +The principal/head of school or program director will: +• Contact the student’s parent/guardian. +• Contact teacher(s), student(s), and other(s) who may have +information about the lost student. +The operational leader or the school superintendent will: + +• Make every effort to assist in locating the student. +• Once the child is located, arrange to get the child home. BPS +Transportation may be used as needed, subject to availability. +• Notify the first receiver of information and principal/head of +school of the child's school that the child is located. +Safety Services will: +• Notify Boston Police and assist in coordinating the search +process for lost children. +• If a transported student, call the bus company (who in turn will +call the bus driver) and check students who travel on the same +bus. +• Notify the Superintendent's Office. + + + + + + +Page 3: +Superintendent’s Circular SAF-09 +Page 3 of 9 + +IF LATE SITUATION: +Safety Services will: +• Coordinate search process for lost children +• Update parent/guardian of the situation and assure him/her of +continued efforts +• Provide parents/guardians with telephone numbers of central +Transportation and Safety Services as additional resources +• If the student is transported, call the bus company, who in turn +will call the bus driver, and check students who travel on the +same bus +• Notify the Superintendent's Office +• Notify the Boston Police Department +• Notify the first receiver of information, principal/head of school, +Transportation, and Superintendent’s Office that the child is +located. +If the Boston Police Department finds a child wandering, it informs +BPS Safety Services of the located child. Boston Police will arrange +to get the child home. +IMPORTANT TELEPHONE NUMBERS +Boston Police Department ............................. 911 +BPS Department of Safety Services ........... 617-635-8000 +Assistant Superintendent .............................. 617 293-7048 +Central Transportation ...................................... 617-635-9520 + + + +Transdev (Bus Company) ................................. 617-603-7800 +Superintendent’s Office ................................... 617-635-9050 + + + + + + + +Page 4: +Superintendent’s Circular SAF-09 +Page 4 of 9 + +For more information about this circular, contact: +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular SAF-09 +Page 5 of 9 + + + + +Page 6: +Superintendent’s Circular SAF-09 +Page 6 of 9 + +BOSTON PUBLIC SCHOOLS +INCIDENT REPORT + +Obtain as much of the following information as possible: +Received by: + + + + + + + + + + +Date: + + + + Time: + + + + + + +Child’s Name: + + + + + Student # + + + +Speaks English: ☐Yes ☐No Language: + + + + + +Spec. Needs ☐Yes ☐No +Name of Parent/Guardian: + + + + + + + + +School: + + + + Grade: + + Dismissal Time: + + +Address: + + + + + + + + + + + +Phone # (Home): + + + + (Emergency): + + + +Place of Incident: + + + + + + + Bus # + + +Description of Incident + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Need Medical Help? ☐Yes ☐No Type of Help? + + + + +Request for Medical Transportation? + + + + + + +Student Sent to Hospital? + + + + + + + + +Parent Contacted? + + + + + Time? + + + +Names of Child’s Friends/Classmates/Witness + + + + + + + + + + + + + + + + + + +(Use next page for additional information) + + + +Page 7: +Superintendent’s Circular SAF-09 +Page 7 of 9 + +Notified Parties + +Parent/Guardian: + + + + + + + + + + + +Parent/Guardian’s Signature: + + + + + + + + + +School Leader: + + + + + + + + + + + +School Leader Signature: + + + + + + + + + + +Safety Notified/Time: + Contact Person: + + + + + + + + + + +School Supt’s Office Notified/Time: + + +Contact Person: + + + + + + + + + + + + + + + + + + + + + + + +---------- End of the Incident Report ---------- + + + +Page 8: +Superintendent’s Circular SAF-09 +Page 8 of 9 + +BOSTON PUBLIC SCHOOLS +LOST CHILD REPORT +Obtain as much of the following information as possible: +Received by: + + + + + + + + + + +Date: + + + + Time: + + + + + + +Child’s Name: + + + + + Student # + + + +Speaks English: ☐Yes ☐No Language: + + + + + +Spec. Needs ☐Yes ☐No +Name of Parent/Guardian: + + + + + + + + +School: + + + + Grade: + + Dismissal Time: + + +Address: + + + + + + + + + + + +Phone # (Home): + + + + (Emergency): + + + +Place of Incident: + + + + + + + Bus # + + +Description of Incident + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Need Medical Help? ☐Yes ☐No Type of Help? + + + + +Request for Medical Transportation? + + + + + + +Student Sent to Hospital? + + + + + + + + +Parent Contacted? + + + + + Time? + + + +Names of Child’s Friends/Classmates/Witness + + + + + + + + + + + + + + + + + + +(Use next page for additional information) +Caller’s Information + + +Page 9: +Superintendent’s Circular SAF-09 +Page 9 of 9 + +Caller’s Name: + + + + + Phone # + + + +Relationship to Child +☐ Parent ☐ Other + + + + + + + + + +Specify: Relative (Aunt, Grandfather, etc.), Friend, Teacher, etc + +Notify the Following Parties: +☐ Principal / Head of School +Notified Time + + + +☐ Safety: 635-8000 +Notified Time + + + +☐ Operational Leader +Notified Time + + + +☐ Boston Police: 911* +Notified Time + + + + *(If child not found within 1 hour of drop-off or by 4:30 p.m. or if +warranted by other circumstances) + +Important Telephone Numbers: +Welcome Centers: +• Dorchester 635-8015 +• East Boston 635-9597 +• Roxbury 635-9010 +• Roslindale 635-8040 +TransDev (Bus Company): +• Readville Yard 532-2580 +• Washington St. Yard 532-2560 +• Charlestown Yard 532-2550 +• Freeport St. Yard 532-2570 + +☐ Resolved + + + + + + + + + + +Date/Time +---------- End of the Lost Child Report ---------- + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-04 +Version 01 + +INCIDENT DATA AND NOTIFICATIONS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +It is Boston Public Schools’ policy that all building administrators +and responsibility center managers report all incidents +completely, promptly, and accurately to the Department of +Safety Services and appropriate public safety agencies. +Administrators and responsibility center managers must be +aware that often an incident occurring at one site may +precipitate a similar or related incident at another site. Timely +reporting of incidents will help ensure a prompt and appropriate +response by the School Department, public safety agencies, and +other agencies whose support may be required. + +In addition to reporting all incidents to the Department of Safety +Services, building administrators and responsibility center +managers must report all serious incidents to the +Superintendent’s Office and to the appropriate assistant +superintendent. Serious incidents are considered to be those that +require or precipitate the assistance of the Police Department, +Fire Department, Emergency Medical Services, or the +Department of Children and Families in other than a routine and +ancillary manner. Any situation that could result in the request +for the closing of a school building is also to be considered a +serious incident reportable to the Superintendent’s Office and +the appropriate assistant superintendent. Since personnel from +the superintendent’s staff work with city officials to address +many of these issues and the Office of Communications + + +Page 2: +Superintendent’s Circular SAF-04 +Page 2 of 4 + +coordinates responses to media inquiries, it is imperative that the +Superintendent’s Office be notified of serious incidents in a +timely manner. + +Building administrators and responsibility center managers must +immediately notify the appropriate public safety agency by way +of the 911 emergency telephone line of any situation that poses +imminent danger. These calls should be made by the on-site +administrator or manager using conventional or cellular +telephones. The School Department’s two-way radio system is +not designed to access 911 emergency services and should only +be used when conventional or cellular telephones are +unavailable. + +When accessing emergency services through the enhanced 911 +system, the caller must give the complete address, succinctly +state the nature of the problem, and follow any instructions +issued by the dispatcher. + +The following chart lists some typical incidents occurring on +School Department grounds, and the appropriate order of +notifications to be made. + + +Incident +Order of Notification +Arrest +Department of Safety Services, Police +Arson (or Attempt to +Burn) +Fire, Department of Safety Services, +Facilities +Assault +Department of Safety Services, Police +Bomb Threat +Police, Department of Safety Services, +Superintendent’s Office +Demonstration +Police, Department of Safety Services, +Superintendent’s Office + + +Page 3: +Superintendent’s Circular SAF-04 +Page 3 of 4 + +Drug Possession +Department of Safety Services, Police +Extortion +Department of Safety Services, Police +Facility Damage +Facilities, Superintendent’s Office, +Department of Safety Services +Larceny +Department of Safety Services, Police, +Facilities +Fire (No matter how +small) +Fire, Department of Safety Services, +Facilities +Medical Emergency +EMS, Department of Safety +Services,Superintendent’s Office (if +major event) +Police Assistance +(Unspecified) +Department of Safety Services, Police +Robbery +Department of Safety Services, Police +Sex Offense +Department of Safety Services, Police, +Superintendent’s Office, Equity +School Closings +(Emergency) +Superintendent’s Office, Department of +Safety Services, Police +Technical Assistance +(Safety and Security) +Department of Safety Services, Facilities +Threats +Department of Safety Services, BPD +School Unit +Trespassers +Department of Safety Services, Police +Vandalism +Department of Safety Services, Facilities +Weapons +Department of Safety Services, Police + +Administrators and responsibility center managers are to note +that requests from the media or from other parties for incident +reports, written statements, or other documents should be +referred to the Office of Legal Advisor at 617-635-9320. + + + +Page 4: +Superintendent’s Circular SAF-04 +Page 4 of 4 + +School leaders, principals, and program directors are reminded +that they are required to sign off on all incident reports prepared +by School Department employees (excluding Safety Services +reports), including but not limited to teachers and other school +staff. + +For related information, refer to: +● Superintendent’s Circular FMT-12, Report of Loss or Damage +Resulting from Fire, Theft, Vandalism, or Unlawful Acts +● Superintendent’s Circular FSE-01, School Safety / +Contingency Plans +● Superintendent’s Circular FSE-02, Fire Safety Practices. + +For more information about this circular, contact: + +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing +Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-12 +Version 01 + +SCHOOL ACCESS CONTROL + +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +AMENDMENT FOR SY 2024-2025: +The safety, health, and wellness of our students, staff, and +families is our highest priority at Boston Public Schools. +Parents/guardians are asked to drop off and pick up their +students on the exterior of the school building at the area(s) +designated by your school leader/staff. +● Parents/guardians should contact their school directly, via +phone or email, to schedule any discussion or virtual +appointments that they would like to have on behalf of their +student. +● If a student is sick or injured and needs to be picked up, +school staff will contact the parent/guardian to make +arrangements and escort the student to meet the +authorized adult. School staff will verify identification of the +individual prior to releasing the student via exterior camera +and intercom. + + + +Page 2: +Superintendent’s Circular SAF-12 +Page 2 of 7 + +SAFETY PROTOCOLS PERTAINING TO INDIVIDUALS IN AND +OUTSIDE THE FACILITY +If school staff have safety concerns pertaining to an individual +outside or inside the facility, they should immediately contact the +Department of Safety Services/Boston at 617-635-8000. In the +case of any imminent threat to student or staff safety, the Boston +Police Department should be notified immediately by dialing 911. +The Boston Public Schools Safety Services Department should +also be notified by dialing 617-635-8000. +Each school in the district must, through its School Safety +Contingency Plan, have clear and comprehensive school access +control protocols in place. School access control plans must +adhere to the following: +● Ensure that only those students, staff and others who are +authorized to be in the school building are admitted to the +facility. +● Require all staff (school based, central office, +contractors/vendors, etc.) to wear and prominently display +their BPS identification cards at all times while on school +property and during school-based activities (e.g., field trips, +school assemblies, outdoor activities). All staff are also +required to follow all school access protocols and +procedures as outlined in this circular. +● Employ a standard operating procedure that all doors to the +school building are locked and secured at all times, while +simultaneously allowing for appropriate egress from inside +the building. +● School secretaries and other staff should NOT admit any +visitor to the building until they can reasonably ascertain the + + +Page 3: +Superintendent’s Circular SAF-12 +Page 3 of 7 + +identity of the individual seeking entrance and the reason for +entry. Staff must use an intercom, camera buzzers and +monitors to assist them with observing and communicating +with any individual seeking access to the facility. +● Secretaries and other staff should NOT allow (buzz in) people +in without knowing or asking the visitor the reason for being +at the school. The camera buzzer shall be used to identify the +person and the reason for their visit before allowing them to +enter school premises “Hello, how can you help you, do you +have an appointment?,... please indicate the reason for your +visit and the person who is hosting you during your visit…” +● Post appropriate signs directing visitors to the main office. +● Any staff member that finds a person in a school building +without an appropriate visitor pass or BPS ID is encouraged +to inquire of the person’s business or reason for being there. +The person should be directed to the main office for further +assistance. If the person may be creating an unsafe +environment, please follow the procedure as outlined above +under “Important Note.” +● ALL staff should inform the designee at the main office in +the event they are expecting a visitor and provide name and +reason prior to the visitor’s arrival. In the event a family +member, partner, or friend is dropping something off for a +staff member, the main office designee MUST obtain verbal +confirmation from the employee PRIOR to allow access to +the facility per this circular. If verification cannot be +obtained, the individual is not to be allowed in the facility. +REQUIREMENTS FOR ALL VISITORS +● Upon admittance, report immediately to the main office + + +Page 4: +Superintendent’s Circular SAF-12 +Page 4 of 7 + +(staff allowing entrance to the facility should confirm arrival +to the main office and sign-in etc.). +● Present photo identification. +● If an individual cannot produce a photo ID, staff should +request another form of identification and/or gain +confirmation from school staff that the person is known to +the school. If additional support is needed to confirm +identification, staff should obtain support from the head of +school/principal or designee before authorizing a visit to +continue. +● Sign the visitor’s log, including full name, time in and time +out, reason for visit, and affiliation (i.e., student, vendor, +department, agency etc.). Please see Superintendent +Circular LGL-04, School Visitors Guidelines. +● After completing the sign-in process, all visitors are to +remain in the main office, or designated area, while waiting +for staff escort to appointments or meetings. All visitors +must be in an area attended by staff to avoid any +unauthorized movement through the building for the +duration of their visit. +● If an authorized visitor states that they are wearing an ankle +monitor or staff observes an ankle monitor on a visitor, staff +should follow the procedures outlined above. + +HEAD OF THE SCHOOL AND FACULTY +● Mandate that ALL visitors to the building be issued and +prominently display a visitor identification badge received at +the time of sign-in at the main office. +● Identify designated meeting space, close to the main office, + + +Page 5: +Superintendent’s Circular SAF-12 +Page 5 of 7 + +to prevent visitors from moving throughout the building. +Classroom access should be limited to special events and +open houses. +● Ensure the safety and security of students and the integrity +of the school building entrances during recess, physical +education, and activities that might occur outdoors, and +during student arrival and dismissal times, by assigning staff +to closely monitor all aspects of the movement of students +and any open doors to accommodate transition in and out +of the building. +● Prohibit prospective BPS employees from beginning their +work until they have been fully hired, and therefore CORI +and SORI cleared by the Office of Human Capital. +● Demand that any facilities and physical plant contractors +slated to work in the building prominently display their +green BPS identification cards, which demonstrate that they +have been CORI and SORI cleared. +● Prohibit staff (including all vendors, contractors, and staff +from other departments), students, or others from +“propping open” doors or creating other potential +inconspicuous means of unauthorized entry into the school +building. +District personnel will look for these elements when reviewing +school safety plans. In addition, specialists from BPS Safety +Services will conduct proactive site visits to assist and provide +input and support on school access control. +School safe mode and internal threat procedures should be +explicitly planned, discussed, and documented by all staff +members. In addition to conducting evacuation procedure drills, + + +Page 6: +Superintendent’s Circular SAF-12 +Page 6 of 7 + +school safe mode drills must be conducted in September and +January of each school year (see Supt. Circular FSE-08, Safe Mode +and Internal Threat Drill Procedures). +All staff members must exercise extreme vigilance regarding +school building security: remain alert for trespassers, unsecured +doors, and/or suspicious persons or activity around the school. +School employees should not compromise their own safety or +that of students when undertaking these security measures. +Sound judgment and reasonable action by all school-based +personnel are expected. Any potential threats to student or staff +safety should be reported at once to the principal/head of school +or their designee (in the event they are out of the building). +RELATED SUPERINTENDENT CIRCULARS +● LGL-04 School Visitor Guidelines +● FSE-01 School Safety Contingency Plans +● SAF-07 Metal Detectors +● SAF-08 Release of Students to Authorized Persons +● SAF-11 Sexual Offender Registry Information (S.O.R.I.) + + + + +Page 7: +Superintendent’s Circular SAF-12 +Page 7 of 7 + +For more information about this circular, contact: +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department-Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + +Superintendent’s +Circular +NUMBER: +SAF-02 +Version 01 + +WEAPONS AND OBJECTS OF NO REASONABLE USE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +The Code of Conduct lists as grounds for suspension or expulsion +the possession of any dangerous weapon, including but not +limited to a firearm, knife, razor blade, club, explosive, taser, stun +gun mace/pepper spray, tear gas, brass knuckles, studded +bracelet, other dangerous weapons, or dangerous objects of no +reasonable use to the student at school. (See Code of Conduct +Sections 7.4 and 14.13). +Heads of school and principals should note that as of January +1999, the Boston City Council enacted an ordinance restricting +the sale, possession, and use of laser pointer devices (Ord. 1999 c. +2 § 4)). As a result of that ordinance, persons under twenty-one +years of age are prohibited from possessing any laser pointer +device on any school property within the City of Boston. Laser +pens and other laser pointer devices are considered to be objects +of no reasonable use within the meaning of the Code of Conduct. +Students found in possession of such devices are subject to the +provisions of Section 7.4 of the code. Students may also be +subject to non-criminal court proceedings, under MGL, c.40, +s.21D. +Heads of school and principals must communicate to students +that the possession of any weapon or object of no reasonable use +in school, on the way to school, or during school-related activities + + +Page 2: +Superintendent’s Circular SAF-02 +Page 2 of 4 + +is strictly forbidden, and that violations of this rule will be dealt +with appropriately. Students must also be advised that under +certain circumstances when evidence exists of serious +misconduct outside of school — for example, a student’s being +charged with or convicted of a felony, such that the student’s +continued presence in school will have a substantial detrimental +effect on the general welfare of the school — these shall be +considered school related offenses and shall be dealt with in +accordance with Section 7.0 of the Code of Conduct. +Heads of school and principals must incorporate salient and +pertinent information from the above two paragraphs into all +school-based rules and student handbooks. Students and +parents must be informed that such information serves as prior +and ample notice of the School Department’s policy regarding +weapons and other objects of no reasonable use. The phrase +“prior and ample notice" is to be included in school-based rules +and student handbooks. +The Educational Reform Act of 1993 requires that all student +handbooks include the following information. Such information is +to be incorporated into all school-based rules as well. +1. Any student found in possession of a dangerous weapon, +including but not limited to a firearm or a knife; or found in +possession of a controlled substance, including but not +limited to marijuana, cocaine, or heroin, on school premises +or at a school sponsored or school related event, including +athletic games, may be subject to expulsion. + + +Page 3: +Superintendent’s Circular SAF-02 +Page 3 of 4 + +2. Any student who assaults a staff member on school +grounds, or at a school sponsored, or school related event, +including athletic games, may be subject to expulsion. +Massachusetts law requires all school staff personnel to report in +writing to their immediate supervisor any incident involving a +student’s possession or use of a dangerous weapon on school +premises, (MGL, c.71, s.31 L). Refer to MGL, c.269, s.10 and the Code +of Conduct for definitions of dangerous weapons. +If a dangerous weapon or an object of no reasonable use is +confiscated, the following steps are to be taken: +1. Each item is to be kept in the possession of the +administrator, who will notify the Department of Safety +Services immediately upon confiscation. If the item is a +firearm, the Boston Police are to be immediately notified by +telephone, using the 911 emergency line. School Department +personnel will comply with subsequent instructions issued +by the police. +2. Safety Services will hold items, other than firearms, making +them available for hearings, conferences, and court +proceedings for a reasonable period. +3. Following any parental conferences and court proceedings, +items which are classified as dangerous weapons under +MGL, c. 269, s.10 or MGL, c. 140, s.131 J shall be turned over to +the Boston Police by the Department of Safety Services. +4. In no instances will a dangerous weapon or an object of no +reasonable use be returned to a student. The Department of +Safety Services will be responsible for returning any + + +Page 4: +Superintendent’s Circular SAF-02 +Page 4 of 4 + +property not classified as a dangerous weapon to the parent +or legal guardian upon written request. +5. Objects of no reasonable use not claimed by a parent or +guardian within a reasonable period will be turned over to +the Boston Police Department for destruction. +All staff members are expected to meet the same standards that +hold for students. Employees of the Boston Public School are +prohibited from bringing firearms or other dangerous weapons +onto school property at any time. Except for law enforcement +officials, it is a violation under federal and state law for anyone to +bring a firearm, loaded or unloaded, into an elementary school, a +secondary school, or a college or university, even if that person is +otherwise licensed to carry a firearm. +For more information about this circular, contact: +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-04 +Version 01 + +INCIDENT DATA AND NOTIFICATIONS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +It is Boston Public Schools’ policy that all building administrators +and responsibility center managers report all incidents +completely, promptly, and accurately to the Department of +Safety Services and appropriate public safety agencies. +Administrators and responsibility center managers must be +aware that often an incident occurring at one site may +precipitate a similar or related incident at another site. Timely +reporting of incidents will help ensure a prompt and appropriate +response by the School Department, public safety agencies, and +other agencies whose support may be required. + +In addition to reporting all incidents to the Department of Safety +Services, building administrators and responsibility center +managers must report all serious incidents to the +Superintendent’s Office and to the appropriate assistant +superintendent. Serious incidents are considered to be those that +require or precipitate the assistance of the Police Department, +Fire Department, Emergency Medical Services, or the +Department of Children and Families in other than a routine and +ancillary manner. Any situation that could result in the request +for the closing of a school building is also to be considered a +serious incident reportable to the Superintendent’s Office and +the appropriate assistant superintendent. Since personnel from +the superintendent’s staff work with city officials to address +many of these issues and the Office of Communications + + +Page 2: +Superintendent’s Circular SAF-04 +Page 2 of 4 + +coordinates responses to media inquiries, it is imperative that the +Superintendent’s Office be notified of serious incidents in a +timely manner. + +Building administrators and responsibility center managers must +immediately notify the appropriate public safety agency by way +of the 911 emergency telephone line of any situation that poses +imminent danger. These calls should be made by the on-site +administrator or manager using conventional or cellular +telephones. The School Department’s two-way radio system is +not designed to access 911 emergency services and should only +be used when conventional or cellular telephones are +unavailable. + +When accessing emergency services through the enhanced 911 +system, the caller must give the complete address, succinctly +state the nature of the problem, and follow any instructions +issued by the dispatcher. + +The following chart lists some typical incidents occurring on +School Department grounds, and the appropriate order of +notifications to be made. + + +Incident +Order of Notification +Arrest +Department of Safety Services, Police +Arson (or Attempt to +Burn) +Fire, Department of Safety Services, +Facilities +Assault +Department of Safety Services, Police +Bomb Threat +Police, Department of Safety Services, +Superintendent’s Office +Demonstration +Police, Department of Safety Services, +Superintendent’s Office + + +Page 3: +Superintendent’s Circular SAF-04 +Page 3 of 4 + +Drug Possession +Department of Safety Services, Police +Extortion +Department of Safety Services, Police +Facility Damage +Facilities, Superintendent’s Office, +Department of Safety Services +Larceny +Department of Safety Services, Police, +Facilities +Fire (No matter how +small) +Fire, Department of Safety Services, +Facilities +Medical Emergency +EMS, Department of Safety +Services,Superintendent’s Office (if +major event) +Police Assistance +(Unspecified) +Department of Safety Services, Police +Robbery +Department of Safety Services, Police +Sex Offense +Department of Safety Services, Police, +Superintendent’s Office, Equity +School Closings +(Emergency) +Superintendent’s Office, Department of +Safety Services, Police +Technical Assistance +(Safety and Security) +Department of Safety Services, Facilities +Threats +Department of Safety Services, BPD +School Unit +Trespassers +Department of Safety Services, Police +Vandalism +Department of Safety Services, Facilities +Weapons +Department of Safety Services, Police + +Administrators and responsibility center managers are to note +that requests from the media or from other parties for incident +reports, written statements, or other documents should be +referred to the Office of Legal Advisor at 617-635-9320. + + + +Page 4: +Superintendent’s Circular SAF-04 +Page 4 of 4 + +School leaders, principals, and program directors are reminded +that they are required to sign off on all incident reports prepared +by School Department employees (excluding Safety Services +reports), including but not limited to teachers and other school +staff. + +For related information, refer to: +● Superintendent’s Circular FMT-12, Report of Loss or Damage +Resulting from Fire, Theft, Vandalism, or Unlawful Acts +● Superintendent’s Circular FSE-01, School Safety / +Contingency Plans +● Superintendent’s Circular FSE-02, Fire Safety Practices. + +For more information about this circular, contact: + +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing +Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +SAF-08 +Version 01 + +RELEASE OF STUDENTS TO AUTHORIZED PERSONS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +School leaders/principals must use extraordinary care in releasing +a child to a parent or guardian. Such care should be further +emphasized when an administrator has been informed that a +court order exists prohibiting release of that child to a certain +person or persons. It is essential to exercise extreme caution in +this area to prevent a parent or guardian from attempting to +remove a child from school. It is both essential and mandatory +that school leaders/principals regularly update the Student +Emergency Information Card (Form 460). +If telephone notification is received from a parent or guardian to +release a student to a third party, it is the responsibility of the +building administrator to verify. A suggested procedure is to ask +for the telephone number from which the party is calling, cross- +check that number with the information from the emergency +card, and then call the party back at that number. +School leaders/principals must require proper identification from +any person removing a child from school. No child is to be +released to anyone other than a custodial parent without the +parent's consent and proper identification. +School leaders/principals should note that the Department of +Children and Families (DCF) has statutory authority to take + + +Page 2: +Superintendent’s Circular SAF-08 +Page 2 of 5 + +immediate custody of any child if DCF has reasonable cause to +believe that such action is necessary to protect the child from +abuse or neglect. In such cases, the child will be brought before +the court on the next business day. Such emergency measures +are usually taken without the consent of the parent. However, +before school leaders/principals release any child to an agent of +the DCF, the agent should be required to present their official +photo identification and prepare a simple signed statement to +the effect that the Department of Children and Families is +exercising its authority to take immediate custody of the child on +the grounds of suspected abuse or neglect. +Under no circumstances should a child be sent to any location by +way of a taxicab, or any other transportation service based solely +on notification received by telephone. +School leaders/principals having doubts about the release of a +student should immediately contact the Boston Police +Department by calling 911 and Boston Public Schools Safety +Services Department at 617-635-8000. +There are some situations in which parents have authorized a +third party to transport their children to or from school on a +regular basis in a van, bus, or some vehicle other than that +assigned by the BPS Transportation Department. School leaders, +principals, and program directors must obtain written permission +from such parents authorizing alternative transportation +arrangements. The attached form, Parent Permission to Release +Student to Authorized Persons, must be completed by the parent +before administrators put a child into a vehicle operated by a +third party. + + +Page 3: +Superintendent’s Circular SAF-08 +Page 3 of 5 + +It is important to record the name of the driver, the name of the +bus company (if applicable), the type of vehicle, and the vehicle +registration number. School leaders, principals, and program +directors are to retain a copy of each completed form. +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 4: +Superintendent’s Circular SAF-08 +Page 4 of 5 + +PARENT PERMISSION TO RELEASE STUDENT TO +AUTHORIZED PERSONS + +The Boston School Department is concerned about the safety +and wellbeing of all students and consequently will release a +child to a third party (someone other than the parent or legal +guardian) only with the parent’s or guardian’s written +authorization. If you plan to release your child to a third party, +you must complete this form and return it to the principal of +your child’s school. + +Date_____________________________ +I, as parent or guardian, give permission for [print name of +student] + +to be transported to and/or from the [print name of school] + + + +by [name of third-party driver] + +from [start date] _________________ to [end date] +. + + + + +Page 5: +Superintendent’s Circular SAF-08 +Page 5 of 5 + +I further understand that [name of third-party driver] +________________________________________ will be responsible for my +child’s transportation services and safety. I release the Boston +School Department from any liability in case of any accident, +injury, and/or other claim as a result of the Boston School +Department releasing my child to the person or agency named +above. +Signature of Parent/Guardian: + +Home/Cell Phone Number: + +Work Phone Number: + +Address: + + + +Name of third-party company or individual: + + +Phone Number: + +Type of vehicle (check as appropriate): +☐ Van ☐ Bus ☐ Automobile ☐ Other Vehicle +Vehicle Registration Number: + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-01 +Version 01 + +STUDENT SEARCH PROCEDURES +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +School leaders, principals, and other administrative personnel are +responsible for enforcing the Student Code of Conduct and for +establishing a safe and secure environment for learning in the +schools under their supervision. The United States Supreme +Court in the case of New Jersey v. T.L.O., 469 U. S. 325 (1985) has +issued a decision that affects how school personnel may enforce +school rules and maintain an atmosphere conducive to teaching +and learning. +The Supreme Court’s decision established constitutional +standards for student searches by school officials and school +employees. Specifically, the Court ruled that the Fourth +Amendment to the United States Constitution, which prohibits +unreasonable searches and seizures by government employees, +is not violated when public school administrators and teachers +conduct student searches if there are reasonable grounds to +believe that the search will yield evidence of either a violation of +law, a violation of school rules, or both. +In announcing its ruling, the Court rejected the school board’s +argument that school officials, like parents, are exempt from the +requirements of the Fourth Amendment. At the same time, the +Court rejected the student’s claim that school officials must +obtain warrants or meet the more rigorous “probable cause” +standard, applicable to searches by law enforcement officials, +before conducting student searches on school property. Rather, + + +Page 2: +Superintendent’s Circular SAF-01 +Page 2 of 6 + +the Court struck a balance between the student’s legitimate +expectations of privacy in the school setting and the school’s +equally legitimate need to maintain an environment in which +learning can take place. The Court held that the “legality of a +search of a student should depend simply on the reasonableness, +under all the circumstances, of the search.” +To be legal, a student search must be reasonable in two respects. +First there must be reasonable suspicion to believe that the +student has in their possession evidence tending to show either a +violation of law or a violation of school rules. To reasonably +suspect something, school officials must have facts of sufficient +quantity and certainty to establish that the suspicion is likely to +be true. Mere suspicion, hearsay, or a single isolated fact, +unsupported by further evidence, is generally not enough to +meet the reasonable suspicion standard. Second, the scope of +the search must be reasonable in relation to the intrusion on the +student’s privacy. There must be a likelihood that the area +searched will yield the item(s) being sought. +The determination of whether a search is reasonable is a +question of judgment without definite benchmarks. School +officials must exercise common sense and good judgment to +ensure that student searches conform to the “reasonableness” +standard. +In conducting student searches, school personnel should adhere +to the following guidelines: +1. Only administrators who are authorized under Boston +Public Schools’ Code of Conduct to suspend students from +school should conduct student searches. The authority to +conduct student searches should be limited to school +leaders, principals, other administrative officials, and +personnel specifically designated by school leaders, heads of + + +Page 3: +Superintendent’s Circular SAF-01 +Page 3 of 6 + +schools, principals, and other administrative personnel to +suspend students. +2. If the school administrator believes that a student may have +in their possession a firearm, weapon, dangerous object, or +drugs, or otherwise fears that a search would jeopardize +their safety, the administrator should not search the student +until the student has notified the Safety Services +Department to be present during the search. +It should be noted that the Supreme Court specifically did +not decide in the T.L.O. case what standard should apply to +student searches conducted by school officials in +conjunction with or at the behest of a law enforcement +agency. However, the Court noted that the higher standard +of “probable cause” has been applied to student searches +involving law enforcement agencies by a lower federal +court. Thus, it may be expected that Massachusetts courts +will closely scrutinize student searches conducted by school +officials in conjunction with police officers. Consequently, +such searches may be deemed reasonable only if based +upon the more stringent probable cause standard. However, +the presence of a police officer or safety specialist for the +purpose of ensuring the safety of the administrator should +not alone trigger the higher standard. +3. Authorized personnel should search only students of the +same sex. All searches must be conducted in the presence +of another staff member of the same sex, who shall serve as +a witness. A male administrator may not search a female +student. If a female administrator is not available to search a +female student, the administrator may designate another +female staff member to conduct the search. If a male +administrator is not available to search a male student, the + + +Page 4: +Superintendent’s Circular SAF-01 +Page 4 of 6 + +administrator may designate another male staff member to +conduct the search. It is important to emphasize that +searches must always be done by a staff member of the +same sex, and must always be done in the presence of a +witness of the same sex. +4. Before conducting a student search, the administrator must +be confident that the reasonableness standard, as outlined +by the T.L.O. decision (The United States Supreme Court in +the case of New Jersey v. T.L.O., 469 U. S. 325) has been +satisfied. +5. The manner and method of the search should be tailored to +the circumstances. The scope of the search normally should +be limited to those areas and objects that could reasonably +be expected to contain the item(s) being sought. The basis +for the suspicion that a student possesses evidence of a +violation of the law or school rule should increase in direct +proportion to the extent of the intrusion upon the student’s +privacy in conducting the search. A body search of a student +requires a higher level of suspicion than a search of a +student’s book bag. + +In determining whether and how to conduct a student +search, school officials must consider such factors as the +danger posed by the object being sought; the likelihood of +the evidence being disposed of or destroyed; and the age, +sex, and prior disciplinary record of the student. The more +serious the threat posed by the item(s) being sought, the +more likely a court will be to find the search reasonable. On +the other hand, it is likely that a court would strike down a +search that involved the wholesale rummaging through a +student’s personal property without individualized suspicion + + +Page 5: +Superintendent’s Circular SAF-01 +Page 5 of 6 + +that the student had violated either the law or school rules. +Student searches must not become general and +exploratory. +6. School Department employees are not allowed to conduct +strip searches. Strip searches are searches in which a +student is asked to remove articles of clothing that could +result in the exposure of undergarments. +7. An administrator should never use physical force in +attempting to conduct a search. If a student refuses to +submit to a search, the Department of Safety Services (617- +635-8000) should be called for assistance. +8. Searches of student lockers and desks, which remain the +property of the Boston Public Schools while used by +students, should be based upon reasonable grounds to +suspect that they will yield evidence of either violation of +law or school rules. Refer to Superintendent’s Circular SAF- +03 Locker Policy for related information. + +9. If a search by a school administrator yields evidence that a +law has been violated, the administrator should notify the +Department of Safety Services. +School leaders/principals must incorporate salient and pertinent +information from this memorandum into all school-based rules +and student handbooks. Students and parents must be informed +that such information serves as prior and ample notice of the +School Department’s procedure for student searches. The phrase +“prior and ample notice” is to be included in school-based rules +and student handbooks. + + + + +Page 6: +Superintendent’s Circular SAF-01 +Page 6 of 6 + +For more information about this circular, contact: +Name: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org +OR +Owner: +Deputy Chief of Safety Services +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SPE-14 +Version 01 + + + +NON-IEP COUNSELING GUIDELINES +This circular will remain in effect unless rescinded or superseded by a +subsequent version +INTRODUCTION +Counseling services are provided to Boston Public School +students in myriad formats and modalities. Students with and +without disabilities may receive counseling services within +Boston Public Schools. Students with disabilities may have IEPs +that contain counseling as a related service mandating the +frequency and duration of counseling. Non-disabled students +without IEPs may be participating in counseling sessions +formulated as a result of a recommendation of the Student +Support Team in collaboration with staff from the Behavioral +Health Services department. As a result of partnerships with +external agencies, counseling also may be provided to BPS +students by mental health providers who are not BPS employees. +With this document, the Boston Public Schools seeks to ensure a +standard level of practice for the provision of counseling services +so that consistent practices may be implemented in assisting +students to overcome school-based issues which may be +hindering their achievement. +All mental health providers must conform with the Standards for +School-based Mental Health Services developed in partnership +between BPS and members of the Boston School-Based + + +Page 2: +Superintendent’s Circular SPE-14 +Page 2 of 9 + + + +Behavioral Health Collaborative. These standards can be +obtained on the Boston Public Schools website at +https://www.bostonpublicschools.org/domain/2443. +BACKGROUND +The American Psychological Association has defined counseling +as a process to help individuals towards overcoming obstacles to +their personal growth, wherever these may be encountered and +towards achieving development of their personal growth. +Massachusetts Department of Mental Health states further that +mental health counselors render professional services to +individuals, families, or groups. They apply principles, methods, +and theories of counseling and psychotherapeutic techniques to +define goals and develop a treatment plan of action aimed +towards the prevention, treatment, and resolution of mental and +emotional dysfunction. +The American Counseling Association states that “counselors +encourage client growth and development in ways that foster +the client’s interest and welfare; counselors avoid fostering +dependent counseling relationships. The ACA states further that +“counselors practice in specialty areas new to them only after +appropriate education, training, and supervised experience. +While developing new skills in specialty areas, counselors take +steps to ensure the competence of their work and to protect +others from possible harm.” +Boston Public Schools Counseling Work +In addition to these standard definitions and professional ethics +of practice, all BPS and non-BPS providers should understand + + +Page 3: +Superintendent’s Circular SPE-14 +Page 3 of 9 + + + +and demonstrate that their counseling work should support +teaching and learning goals and effective teaching practices. +Ultimately, the goal of counseling is to support success within the +classroom. +PRIOR TO COUNSELING +1. The Student Support Team serves as the hub of student +services within the school. The Student Support Team +facilitator should have knowledge of the referral for +counseling, and the recommendation for counseling should +emerge from the Student Support Team. When necessary, +counseling referrals can also be made outside of the SST +process. +2. The direct service provider designated to be the counseling +provider should be clear about (1) the scope of the work +requested in counseling, (2) the reason for the referral, and +(3) the expected outcome in counseling. If unclear regarding +the reason for counseling, a meeting should be scheduled +between the counselor provider and the referring agent to +discuss these concerns. +3. The direct service provider should counsel students +regarding behaviors that impact teaching and learning, +academic achievement, and daily school functioning. +4. Specific issues that are trauma related, i.e., physical and/or +sexual abuse (onset being past or present), death and dying, +and behaviors that may need psychiatric intervention and +may necessitate a 51A Report, should be brought to the +attention of the principal/head of school or the designated +administrator and the direct service provider’s supervisor. +These issues should be referred to the appropriate + + +Page 4: +Superintendent’s Circular SPE-14 +Page 4 of 9 + + + +community counseling agency/mental health facility. +5. Written consent must be obtained from the student, parent, +or legal guardian before beginning counseling (see attached +consent form). If a student is receiving counseling through +an outside provider, but in a BPS building, parent/guardian +should also sign the agency specific consent form. +6. The direct service provider must outline goals and objectives +for the individual student (see attached form). Furthermore, +it is recommended that the direct service provider +formulate the goals and objectives with input from the +parent/legal guardian. +7. Parents/legal guardians should be informed that pertinent +information regarding specific students may be discussed at +the Student Support Team meetings. All ethical professional +standards of confidentiality will be maintained regarding +the specific nature of the counseling sessions(s). +8. All direct service providers should maintain professional, +proper, safe, and appropriate safeguards for the student(s) +and themselves. +COUNSELING PRACTICE +All direct service providers who are counseling students should: +● Have a consistent counseling schedule which is +documented and provided to their principal/head of school, +supervisor, and the needed personnel in the individual +schools (i.e., teacher, OSS coordinator, Student Support +coordinator, guidance counselor, and other school +administrators). + + + +Page 5: +Superintendent’s Circular SPE-14 +Page 5 of 9 + + + +● Meet in rooms that provide appropriate space and levels of +confidentiality. +● Guarantee a measure of safety and protection for the +student and provider, including consideration of the +distance between a counselor and student and leaving the +door ajar at all times. +● Not engage in any physical contact with the student(s) due +to the possible risk of psychological harm to the student as a +result of the physical contact (i.e., cradling, “touch therapy,” +caressing, massaging, and petting). This requirement of no +physical contact is due to the possibility of psychological +and/or physical harm to the student as a result of such +contact. +● Document each session held and keep progress notes on +each student. Provisions should be made for sharing themes +of concern and critical information with the parent/legal +guardian. +● Share specific information that relates to the student’s +academic progress with appropriate staff. +● Respond to inquiries from the principal/head of school +regarding the student’s progress in counseling. +TERMINATING COUNSELING SERVICES +When counseling goals and objectives have been reached and/or +there have been several documented absences and/or instances +of resistance by the student, as well as several documented +attempts to provide counseling services, termination of +counseling services may be appropriate. The direct service +provider should: + + +Page 6: +Superintendent’s Circular SPE-14 +Page 6 of 9 + + + +1. Notify the student’s parent or legal guardian. +2. Notify (in writing) appropriate school personnel +(principal/head of school, Student Support coordinator, OSS +coordinator, supervisor, teacher, or other school +administrator). +3. Summarize progress and recommendation and follow-up as +needed (this could be facilitated during the Student Support +Team meeting, discussions within small learning +communities, common planning time, and/or teacher +parent conferences). +SUMMARY +Direct service providers, both BPS and non-BPS staff, are an +integral component of helping students reach their fullest +academic achievement. Lack of knowledge or misunderstanding +of ethical and professional practice standards are not a defense +against charges of unethical and/or inappropriate practice +conduct. It is important that these practice standards are +maintained and adhered to for the safety of students and the +direct service provider. These practice standards ensure a safe, +protected, and ethical delivery of service for both students and +the staff members who serve them. If it is determined that these +guidelines have not been followed and/or that inappropriate, +unethical and/or unprofessional conduct has occurred, Boston +Public Schools will take any such action as is appropriate under +the circumstances. Such action may range from discipline to +termination from employment or termination of any contract +with Boston Public Schools as BPS deems appropriate under the +circumstances. + + +Page 7: +Superintendent’s Circular SPE-14 +Page 7 of 9 + + + + +For more information about this circular, contact: +Name: +Director of Social Work +Department: +Social Work +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: + 617-635-8294 +Email: +socialwork@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 8: +Superintendent’s Circular SPE-14 +Page 8 of 9 + + + +CONSENT FOR SCHOOL-BASED NON-IEP +COUNSELING SERVICES +I, _________________________________________________________________ +(Print Name of Parent/Legal Guardian) +have been provided with the reason (s) my child, +__________________________________________________________________ +(Print Child’s Name) +has been recommended for school-based counseling services. +The reason (s) for the recommended school-based counseling +services are: + + + +I give consent for __________________________________________ +(school name) to refer my child for the following school-based +counseling services (check all that are applied). I understand that +these services may be provided by a community mental health +agency in partnership with the school. +□ Individual Counseling +□ Group Counseling + +BPS Staff Member: _______________________________________________ +(Insert staff name) +Outside Agency staff: +__________________________________________________________________ + +(Insert staff name) + + +Page 9: +Superintendent’s Circular SPE-14 +Page 9 of 9 + + + +I also give consent for the school to release my child’s student +record, health, and other confidential information to the school- +based counseling service provider and for my child to participate +in these school-based counseling services. +I understand that my participation in my child’s school-based +counseling services will be appreciated and strongly encouraged. +I have read this Consent for School-Based Counseling Services +and understand its terms. I sign it voluntarily and with full +knowledge of its significance. + +___________________________________________ __________________ +Parent/Legal Guardian Signature Date + + + + + + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +SPE-20 +Version 01 + + +SPECIAL EDUCATION SCREENING PROGRAM FOR +THREE- AND FOUR-YEAR-OLD CHILDREN +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Massachusetts state law mandates that each school system in the +state locate, identify, and provide special educational services for +children ages three and four who may either have a substantial +disability or possibly experience challenges in a regular preschool or +kindergarten program. +The Boston Public Schools will continue its ongoing screening +program for three- and four-year-olds who are not attending a +BPS school, to take place on the following dates: +SCREENING DATES: +● +Thursday, October 17, 2024 @ CASH High School Annex, Dorchester +● +Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston +● +Thursday, March 6, 2025 @ CASH High School Annex, Dorchester +● +Wednesday, March 26, 2025 Mario Umana Academy, East Boston +● +Thursday, April 17, 2025 @ CASH High School Annex, Dorchester + + +This screening is available to any child, ages three and four, who +resides in the City of Boston. The screening program, coordinated + + +Page 2: +Superintendent’s Circular SPE-20 +Page 2 of 3 + +by the Office of Special Education, includes screening in the areas +of readiness skills and language. A parent interview is conducted +as well. +Notices will be available in the language of the home, when +indicated as necessary by the family. Efforts will be made to +disseminate notices at community centers, day care centers, and +community preschools. +Summary of significant dates and deadlines: +Date +Location +Thursday, October 17, 2024 +CASH High School Annex, Dorchester +Wednesday, December 4, 2024 Mario Umana Academy, East Boston +Thursday, March 6, 2025 +CASH High School Annex, Dorchester +Wednesday, March 26, 2025 +Mario Umana Academy, East Boston +Thursday, April 17, 2025 +CASH High School Annex, Dorchester + + + + +Page 3: +Superintendent’s Circular SPE-20 +Page 3 of 3 + +For more information about this circular, contact: +Owner: +Assistant Director for Early Childhood +Department: +Office of Special Education +Mailing Address: +2300 Washington Street 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-8599 +Fax: +617-635-6834 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HWD-02 +Version 01 + +PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Regular physical activity is one of the most important factors +affecting health. It helps control weight, reduces the risk of +developing cardiovascular disease and diabetes, improves mental +health and mood, and increases longevity. Most Boston Public +School (BPS) students are not physically active for the 60 minutes +per day recommended by the Center for Disease Control. Only 16% +of BPS high school students reported being physically active for +the recommended time, and only 40% reported having weekly +physical education, according to the 2015 Boston High School +Youth Risk Behavior Survey (YRBS). Twenty-three percent of +middle school students reported being physically active for the +recommended time and 80% reported having weekly physical +education, according to the 2013 Boston Middle School YRBS. This +lack of physical activity is contributing to an epidemic of +overweight and obesity in BPS students. Measurement of +students’ Body Mass Index in 1st, 4th, 7th and 10th grades revealed +that 39% of BPS students are at an unhealthy weight (2015). + + + +Page 2: +Superintendent’s Circular HWD-02 +Page 2 of 18 + +Recent national, cumulative evidence shows clear links between +school-based physical activity, including physical education, and +academic success. Most of the studies report that physical activity +was positively related to academic performance, including +academic achievement (grades, standardized test scores); +academic behavior (on-task behavior, attendance); and factors +that can positively influence academic achievement +(concentration, attention, improved classroom behavior). Most +importantly, adding time during the school day for physical +activity does not appear to take away from academic +performance. Given these findings, the BPS recommends that +schools increase the amount of time spent in physical education +and/or increase the quality of their physical education program, +provide recess and physical activity breaks in the classroom, +promote walk/ bike to school programs, and offer non-competitive +intramural and interscholastic sports. +To improve health and academic outcomes, BPS is implementing +strategies to increase the frequency and quality of physical +education (PE) and physical activity (PA) for BPS students. A PE & +PA Task Force was formed in November 2010 to align the district’s +PE-related policies and bring the district into compliance with MA +General Laws Chapter 71, Section 3 that states: +“Physical education shall be taught as a required subject in all +grades for all students in the public schools for the purpose of +promoting the physical well-being of students.” +With input from BPS principals, physical education teachers, BPS +Wellness Council members, BPS department heads, Academic +Superintendents, Labor Relations, and other district-leaders, the + + +Page 3: +Superintendent’s Circular HWD-02 +Page 3 of 18 + +PE & PA Taskforce created the PE & PA Policy to align the former +BPS policies. + +DEFINITIONS +Comprehensive School Physical Activity Program (CSPAP): An +approach by which school districts and schools utilize all +opportunities for school-based physical activity to develop +physically educated students who participate in physical activity +each day and develop the knowledge, skills, and confidence to be +physically active for a lifetime. Quality physical education is the +cornerstone of a CSPAP. CSPAP also includes school-based +physical activity opportunities; school employee wellness and +involvement; and family and community involvement. +Physical Education (PE) is a planned, sequential program of +curricula and instruction that helps students develop the +knowledge, attitudes, motor skills, self-management skills and +confidence needed to adopt and maintain physically active +lifestyles. PE curricula must align with the BPS PE Frameworks. PE +is comprehensive and includes student learning competencies +that cross all four strands of the BPS PE Frameworks 1) Movement +2) Health-Related Fitness 3) Personal and Social 4) Lifelong +Physical Activity. PE activities that focus on a single activity, such +as swimming and dance, count as PE only if it is part of a CSPAP +and align with the BPS PE Frameworks. +Physical Activity (PA) is a behavior consisting of bodily movement +that requires energy expenditure above the normal physiological +(muscular, cardiorespiratory) requirements of a typical school day. + + +Page 4: +Superintendent’s Circular HWD-02 +Page 4 of 18 + +Recess, movement breaks, promotional activities, and cross- +curricular incorporation are some examples of PA that should NOT +be counted as PE; PA is not PE and it cannot be allocated as PE. +Moderate-to-Vigorous Physical Activity (MVPA) is measured by an +increase in heart rate, breathing, and body temperature. +Moderate physical activity refers to activities equivalent in +intensity to brisk walking or bicycling. Vigorous physical activity +produces large increases in breathing or heart rate, such as +jogging, aerobic dance or bicycling uphill. + +PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY +The Boston Public Schools is committed to a District-wide, +strategic effort to increase all students’ physical activity and fitness +by bringing more physical education and physical activity to +schools; improving the quality of physical education and recess; +and increasing the equity of physical activity programs and +resources across our schools. Activities will be inclusive to meet +the needs, interests, abilities and cultural diversity of all students, +including students of all gender identities, students with +disabilities, and students with special healthcare needs. +Numerous studies indicate that regularly engaging in moderate- +to-vigorous exercise contributes to overall physical and mental +health and that nurturing an exercise habit among children lays +the foundation for lifelong fitness. Research also shows that +increased physical activity increases children’s cognitive function, +ability to concentrate in class, and academic performance. Thus, +as a part of a strategic effort to improve academic performance, +BPS recognizes and promotes the benefits of a Comprehensive + + +Page 5: +Superintendent’s Circular HWD-02 +Page 5 of 18 + +Physical Activity Program, where quality physical education is the +cornerstone and additional physical activity is integrated +throughout the school day and into before and after school +programs, staff wellness and family engagement activities. +The Boston Public Schools is committed to a strong athletics +program that offers a variety of programs and is accessible to all +students. Athletics participation can contribute to student fitness, +wellness, character development and a lifelong commitment to a +physically active lifestyle. Additionally, by establishing a safe, +supportive and engaging school environment, athletic programs +encourage school connectedness and create a climate where +healthy competition and support fill the school with spirit and a +sense of community. Research shows that healthy children are +better learners and connected students are more likely to stay in +school. In this way, athletics contributes to the academic success +of students. +In accordance with state law, all schools must provide all students +in all grades with opportunities for physical activity. Schools must +offer at least 150 minutes of in-school physical activity weekly in +grades PreK-8, including required physical education, movement +breaks, recess, or lessons involving movement structured to +support moderate-to-vigorous physical activity (MVPA). In grades +PreK-8, students are expected to have at least 20 minutes of daily +recess. +Teachers and other school and community personnel shall not use +physical activity (e.g., running laps, pushups) as punishment nor +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity + + +Page 6: +Superintendent’s Circular HWD-02 +Page 6 of 18 + +breaks, or physical education) as punishment for any reason other +than illness or safety or as approved by the school leader. This +includes denying a student physical activity time in order to make +up work unless under unusual circumstances. The district will +provide teachers and other school staff with a list of ideas for +alternative ways to discipline students. +All schools must offer standards-based physical education (PE) for +all students in all grades. Schools are required to offer at least 45 +minutes of weekly PE in grades PreK-8 and at least one semester +(equivalent of a half school year) of PE each year in grades 9-12. +We recommend that schools provide at least 80 minutes of +weekly PE in grades PreK-8. In order to help schools work toward +this recommendation, Boston Public Schools will develop an +implementation plan with input from current principals and +headmasters. This implementation plan will be shared with the +School Committee. +Teachers and other school and community personnel shall not use +physical activity (e.g., running laps, pushups) as punishment; +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity +breaks or physical education) as punishment for any reason; or +deny a student physical activity time in order to make up work +unless under unusual circumstances. +Extended day programs and out of school time, which includes +before and after school programs, are expected to offer an array of +physical activity opportunities to ensure all students are able to +participate. Schools shall offer opportunities for students to +participate in physical activity before and after the school day, + + +Page 7: +Superintendent’s Circular HWD-02 +Page 7 of 18 + +including extended day time, through a variety of methods +including physical activity clubs, physical activity in before/after +school programs, intramurals and interscholastic sports, and in +their school commute. +The District recognizes that students benefit from bicycle and +pedestrian safety education to help make the trip to and from +school safer and instill confidence in students, parents and +community members. The District will develop and maintain +policies and procedures for working together with city agencies, +schools, families, and students in efforts to promote a safer and +easier trip to and from school when students and staff are walking, +bicycling, using public transit or other means of physically active +transport. The District will encourage 7-12th grade students to use +public transportation when available and appropriate for travel to +school, and will work with the local transit agency to provide +transit passes for eligible 7-12th grade students. The District will +provide resources to schools, students and families regarding +walking, riding a bicycle, using public transit or other forms of +active transportation. The District will encourage wellness +councils, school administrators and students, staff, families and +community partners to assist the District in promoting safe, +physically active travel to and from school. Schools are +encouraged to designate a transportation liaison to facilitate +communication regarding District efforts to promote safe, +physically active travel to and from school. Schools shall +participate in student transportation surveys when requested to +help the District plan for strategies to promote a safer and easier +trip to and from school when walking, bicycling, using public +transit or other means of physically active transport. + + +Page 8: +Superintendent’s Circular HWD-02 +Page 8 of 18 + +IMPLEMENTATION GUIDELINES +A. State law requires that all students in grade K-12 receive +physical education. + +1.) The BPS PE Curriculum must meet the following criteria: +a. The curriculum is standards-based and it aligns with BPS +PE Curriculum Frameworks. +b. The curriculum provides moderate-to-vigorous physical +activity (MVPA) during at least 50% of PE class time. +c. The PE scope and sequence for each grade level must +include district-sponsored PE curriculum, such as SPARK +in K-12th grades and Project Adventure in K-12th grades. + +2.) Student assessments in PE must include the following: +a. Graded competency (i.e. knowledge, skills, practice) and +participation (i.e. effort, proper attire, teamwork) +assessments that are reflected on all students’ report +cards. + +3.) BPS PE classes have the following requirements for scheduling: +a. Reflected on all schools’ master schedules and on all +students’ report cards. + + + +Page 9: +Superintendent’s Circular HWD-02 +Page 9 of 18 + +4.) Staffing requirements include: +a. BPS supports a learning environment in which all teachers +are highly qualified in the subject areas they teach. +Therefore, PE class must be taught by a teacher that holds +an active and valid PE teaching license from the MA +Department of Elementary and Secondary Education. +b. If a school is unable to provide all students in all grades +with PE instruction from licensed PE teachers, they should +contact the Office of Health and Wellness for support with +identifying district-approved staffing alternatives. All PE +staffing alternatives must be approved by HR, the Office of +Health and Wellness, and the school’s respective +instructional superintendent. Staffing alternatives are only +considered in extenuating circumstances or in situations +that increase opportunities for students. + +5.). School Wellness Councils are required to develop a school- +based Comprehensive School Physical Activity Plan (CSPAP) as a +part of the Wellness Action Plan that includes: +a. A school-based CSPAP Policy that documents the CSPAP +Implementation Guidelines. +b. The CSPAP Implementation Guidelines must outline how +all students in grades K-8 are to receive at least 45 minutes +of PE per week, and how all students in grades 9-12 receive +at least 1 semester of PE per grade. +c. The CSPAP Implementation Guidelines also include a plan +that outlines how the school aims to provide 150 minutes +of in-school physical activity in grades k-8, including + + +Page 10: +Superintendent’s Circular HWD-02 +Page 10 of 18 + +required physical education, movement breaks, recess, or +lessons involving movement. In grades PreK-8, students +are expected to have a minimum of 20 minutes of daily +recess; this must be included in the CSPAP. +d. School staff shall be provided resources to integrate +physical activity into their academic lessons. Contact the +Office of Health and Wellness for resources. +e. School wellness councils will work with building principals +and Facilities Management/ Planning to identify safe and +appropriate indoor and outdoor space for group physical +activity and physical education. The lack of identified +single-use physical activity spaces (i.e., gymnasiums) will +not hinder schools from offering an environment +conducive to physical activity and implementation of a +CSPAP plan. Examples include: +○ Shared classroom space (mobile physical education +classes conducted in classrooms) +○ Schoolyard +○ Creative use of hallway space or other shared spaces +in buildings +○ Repurposing classroom or other building spaces for +physical activity +○ Co-teaching with other content areas + +B. Schools shall offer daily physical activity opportunities during +the school day. +To that end principals/heads of school can: +a. Integrate daily physical activity into the classroom + + +Page 11: +Superintendent’s Circular HWD-02 +Page 11 of 18 + +setting with kinesthetic learning, cross-curricular +lessons, and team teaching +b. Encourage short physical activity breaks between +lessons or classes, as appropriate +c. Encourage school-wide physical activity promotions like +pedometer challenges, field day, dance-a-thon, walk-a- +thon, active transport, etc. +d. Provide opportunities for daily recess with at least 20 +minutes a day of supervised recess, preferably outdoors, +during which time staff encourage moderate to +vigorous activity and provide appropriate space and +equipment. In grades K-8, daily recess is required. +e. Schedule recess before lunch so that students will come +to lunch less distracted and ready to eat. + +C. Schools shall offer daily physical activity opportunities during +extended day programs and out of school time which includes +before and after school programs. +To that end principals/headmasters can: +a. Allow school spaces and facilities to be available for school- +sponsored activities that promote fitness for its students +during extended and non-school hours, as circumstances +permit. +b. Remain in alignment with best practices and +requirements for licensed school-age care programs +partnering with schools (606 CMR 7). Specifically +○ Providing daily indoor and outdoor time periods, +weather permitting, which include both small and + + +Page 12: +Superintendent’s Circular HWD-02 +Page 12 of 18 + +large muscle activities; + +○ Each school shall dedicate at least 30-60 minutes of +morning or afterschool program time to physical +activity for all students; +c. Partner with local government and community-based +agencies to support active transport to school by +reducing/eliminating hazards and increasing accessibility +(i.e., bicycle parking). + +D. Safe Routes to School Boston +The District will encourage students to be physically active before +and after school by promoting walking/ biking/rolling to school +through a comprehensive Safe Routes to School Boston program, +including encouragement, education, evaluation, +engineering/environment, enforcement, and equity strategies. +Schools should include Safe Routes to School in their Annual +Wellness Action Plans. + +a. Equity strategies: Consider the barriers and concerns, and +opportunities that face families and ensure equitable +opportunities in each strategy of this initiative. +b. Encouragement strategies: +○ Walking Promotions (e.g. Walk to School Days, +Walking Challenges, School-wide Promotions) +○ Establishing a school Park and Walk site +○ Walking School Buses +c. Education strategies: + + +Page 13: +Superintendent’s Circular HWD-02 +Page 13 of 18 + +○ Implementing an active transportation safety +curriculum in health or physical education. +○ Developing and disseminating preferred Walking +Route Maps that provide students and parents with +the additional tools to travel safely to and from +school. +○ Disseminating walking tips and simple pedestrian +safety information and promotional materials. +d. Evaluation of Need strategies: +○ Conduct a walk audit to identify concerns regarding +the physical/environmental conditions that surround +your school. +○ Conduct a travel hand tally to understand the impact +and number of students that will benefit. +e. Engineering/Environment strategies: +○ Alert proper authorities regarding environmental +safety concerns. Engineering or other environmental +issues should be reported through BOS: 311, other +pressing concerns should be reported to BPS +Transportation. +○ Increase accessibility and support for those choosing +to ride by installing secure bicycle storage and +designating facilities for storing other wheeled +devices like scooters. +f. Enforcement strategies: Share Preferred Walking Routes +with local police stations for proper crossing guard +assignment and heightened awareness on popular routes. + + + + +Page 14: +Superintendent’s Circular HWD-02 +Page 14 of 18 + +E. Community Partnerships +Providing students and families with access to safe, affordable, +and convenient places to be physically active is an important +strategy for promoting health and reducing risk for obesity. +Community partners are a vital, valuable aspect of quality physical +activity programs and can meaningfully support PE and PA in +BPS. School officials are encouraged to work with partners to +develop a written joint use agreement that delineates the terms +and conditions for joint use and the responsibilities of all parties. +Community partners must follow the BPS Community Partner +Policy. To that end, principals/heads of school can work with +community partners to: +a. Secure mini-grant funding +b. Use of facilities on and off-campus +c. Training/professional development +d. Assist with program implementation +e. Work with community partners to create additional +opportunities that meet the unique needs of their school + +F. Physical Activity and Punishment +Teachers and other school and community personnel shall not: +a. Use physical activity (e.g., running laps, pushups) as +punishment +b. Withhold opportunities for physical activity during the +school day (including but not limited to recess, +classroom physical activity breaks or physical education) +as punishment for any reason + + +Page 15: +Superintendent’s Circular HWD-02 +Page 15 of 18 + +c. Deny a student physical activity time in order to make +up work unless under unusual circumstances +The district will provide teachers and other school staff with a list +of ideas for alternative ways to discipline students. + +MONITORING, COMPLIANCE & SUPPORT + +1. Monitoring Curriculum +a. Scope and Sequence: Each school must annually +submit a PE scope and sequence for each grade level to +the School Wellness Councils; the scope and sequences +must align with BPS PE Curriculum Frameworks. The +Office of Health and Wellness can support schools in +aligning their PE scope and sequence with the BPS PE +Curriculum Frameworks. If necessary, the School +Wellness Councils may be asked to submit the school’s +PE scope and sequence. + +2. Monitoring Assessments +a. Report Cards: All students’ report cards must include a +grade for taking PE class. + +3. Monitoring school-based Comprehensive School Physical +Activity Plan (CSPAP) +a. Wellness Actions Plans: School Wellness Councils’ + + +Page 16: +Superintendent’s Circular HWD-02 +Page 16 of 18 + +CSPAP will include their school-based CSPAP Policy +that outlines how all students in all grades will receive +weekly physical activity. +b. The Office of Health and Wellness will monitor School +Wellness Councils’ CSPAP. +c. The Office of Health and Wellness will monitor the +community partner’s compliance with the BPS +Community Partner Policy.. + +4. Monitoring Scheduling and Graduation Requirements +a. Master Schedules: All schools must reflect adequate PE +on their master schedule. +b. Student Report Cards: All students’ report cards must +include PE to determine compliance with the PE & PA +Policy and to determine students’ graduation eligibility. + +5. Monitoring Staffing: +a. Staffing Reports: The Office of Human Capital will +annually conduct PE staffing reports for each school. +The PE staffing reports will be monitored to determine +compliance with the PE Staffing Policy for BPS. + +6. The Office of Health and Wellness will support schools in +their efforts by providing: +a. Yearly professional development opportunities for both +physical education teachers and school-based +personnel + + +Page 17: +Superintendent’s Circular HWD-02 +Page 17 of 18 + +b. Professional development opportunities for recess- +based personnel +c. Schools shall be provided resources to integrate +physical activity into their academic lessons +d. Resources available for school staff include: +○ Field-day guides +○ Physical Activity Curriculum +○ Physical Activity Breaks +○ Recess temperature recommendations +○ Active Recess materials +○ Guide to Before and After School Activities +○ A list of physical activity community partners and +contact information +7. Schools Non-Compliant with PE & PA Policy: +The principal and relevant school superintendent will be notified +by the Office of Health and Wellness if a school is found not to be +compliant. The Office of Health and Wellness will work directly +with the school to support the development of a CSPAP +Improvement Plan that puts the school on track for compliance +with the PE & PA Policy. +School administration, teachers, families, students, community- +based organizations, and wellness councils will be provided +information about the policy to engage and support +implementation, monitoring, and compliance. The BPS Office of +Health and Wellness will provide an implementation guide that +will include strategies and support for professional development, +curriculum, partnership development, instructional materials, +school-based PA strategies, and other resources. + + +Page 18: +Superintendent’s Circular HWD-02 +Page 18 of 18 + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & Wellness +Department: Health and Wellness +Mailing +Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-6643 +Email: +healthandwellness@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-06 +Version 01 + + + +TOBACCO AND NICOTINE-FREE ENVIRONMENT +POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +A Tobacco Policy Task Force met during the 2010-2011 school year +to review the BPS smoking policy and develop recommendations +for a comprehensive tobacco policy that addressed all tobacco +products, including e-cigarettes or electronic vapor products for +the Boston Public Schools. Task force members included +representatives from Health Services, Facilities, Health & Wellness +Department, School Safety, teachers, students, parents, and a +high school head of school. The policy was updated again in the +fall of 2019 to remain current with language around electronic +cigarettes and best practices for vaping prevention. +The Tobacco and Nicotine-Free Environment Policy is motivated +by the philosophy that every staff person, student, and visitor +should have the right to breathe clean air in their school and +work environment and that BPS is acutely aware of the serious +health risks associated with the use of tobacco or nicotine +products, both to users and non-users. The policy recognizes that +the use or promotion of tobacco or nicotine products on school + + +Page 2: +Superintendent’s Circular HWD-06 +Page 2 of 14 + + + +grounds and at off-campus school-sponsored events is +detrimental to the health and safety of students, staff, and +visitors. BPS acknowledges that adult staff and visitors serve as +role models for students and embraces its obligation to promote +positive role models in schools, and to provide an environment +for learning and working that is safe, healthy, and free from +unwanted smoke and tobacco or nicotine product use, including +vaping, for students, staff, and visitors. Therefore, a +comprehensive policy was adopted to prohibit the use of any +tobacco or nicotine products. The Boston Public Schools have +prohibited smoking on school property since 1987 when the +School Committee of the City of Boston first adopted a Smoking +Policy. +A Tobacco-Free Environment Policy has been developed to +comply with and extend beyond the Massachusetts Smoke-Free +Workplace Law (M.G.L. c. 270, § 22) and Boston’s Clean Air Works +Workplace Smoking Restrictions Regulation. Furthermore, this +policy has been reinforced by the Education Reform Act of 1993 +and M.G.L. c.71 § 2A. This policy is a part of the District Wellness +Policy (HWD-01) and Healthy School Environment Policy (HWD- +04) and is linked to the Drug and Alcohol Abuse Policy (SHS-01) +and the Boston Public Schools Code of Conduct. Substance use +intervention should be a part of a tiered approach that includes +substance use prevention education for all students as a part of +the comprehensive health education required in HWD-01. +DEFINITIONS +School property: Includes inside and outside both administrative +and school buildings, sidewalks/walkways, parking lots, +playgrounds, fields, school buses and other official vehicles, + + +Page 3: +Superintendent’s Circular HWD-06 +Page 3 of 14 + + + +loading docks, and any other facility under BPS jurisdiction. +Tobacco and nicotine products: Include but are not limited to +cigarettes, cigars, cigarillos (or little cigars), clove cigarettes, loose +tobacco, blunt wrappers, chewing tobacco (chew, dip), or any +other product not mentioned that contains tobacco of any kind. +It also includes any products containing nicotine such as +dissolvable nicotine, electronic cigarettes, nicotine gel, nicotine +water, or any other preparation of tobacco and any product or +formulation of matter containing biologically active amounts of +nicotine that is manufactured, sold, or offered for sale, or +otherwise distributed, with the expectation that the product or +matter will be introduced into the human body. +Tobacco or nicotine paraphernalia: Any device used to aid, +ingest, light, burn, or consume tobacco products, including but +not limited to pipes, rolling papers, lighters, and matches. This +also includes the use of all electronic nicotine delivery systems or +electronic smoking devices, such as e-cigarettes, e-cigars, e- +hookahs, e-pipes, vape pens, and advanced personal vaporizers. +Nicotine replacement products (NRP): Products containing +nicotine as an active ingredient that are intended to help a +person quit smoking and are regulated through the FDA’s Center +for Drug Evaluation and Research. Over-the-counter NRPs are +approved for sale to people 18 years and older. The US Public +Health Service Clinical Practice Guideline on Treating Tobacco +Use and Dependence does not recommend NRP as a component +of pediatric tobacco use interventions. NRPs include skin +patches, chewing gum, and lozenges. Prescription nicotine +replacement therapy is also available; the products are FDA- +approved only for use by adults. Electronic vapor products are + + +Page 4: +Superintendent’s Circular HWD-06 +Page 4 of 14 + + + +not considered FDA-approved nicotine replacement products. +POLICY +BPS students shall not possess, use, consume, display, distribute, +or sell any tobacco or nicotine products or tobacco or nicotine +paraphernalia at any time on school property, at off-campus, +school-sponsored events and extra-curricular activities, within +vehicles located on school property, and within 50 feet of school +property. +BPS staff, administrators, or visitors to BPS shall not use, +consume, display, or sell any tobacco or nicotine products or any +tobacco or nicotine paraphernalia at any time on school property, +at off-campus, school-sponsored events, and extra-curricular +activities, within vehicles located on school property, and within +50 feet of school property. + BPS staff and administrators shall not promote or allow the +promotion of tobacco or nicotine products, tobacco brands, +nicotine brands, or any tobacco or nicotine paraphernalia on +school property, at off-campus, school-sponsored events, and +extra-curricular activities, or within 50 feet of school property. +This includes promotion of any corporate name, trademark, logo, +symbol, motto, selling message, recognizable pattern of colors, or +any other indication of product identification identical or similar +to those used for any brand of tobacco or nicotine product +company, or manufacturer of tobacco or nicotine products +through the use of any gear, bags, clothing, any personal articles, +signs, structures, vehicles, flyers, or any other materials. +BPS will act to enforce this policy and to take appropriate action +against any students, staff, administrators, or visitors who are + + +Page 5: +Superintendent’s Circular HWD-06 +Page 5 of 14 + + + +found to have violated this policy. +BPS staff and administrators will not solicit or accept any +contributions, gifts, money, curricula, or materials from the +electronic cigarette industry, tobacco industry, and tobacco or +nicotine industry, or from any tobacco products shop. This +includes, but is not limited to, donations, monies for scholarships, +advertising, promotions, loans, or support for equipment, +uniforms, and sports and/or training facilities. It shall also be a +violation of this policy to participate in any type of service funded +by any of the industries listed above. +Exceptions/Exemptions: Tobacco and nicotine products, +paraphernalia, devices, or imitation tobacco or nicotine products +may be used for the following: +1. Instructional or work-related activities in Boston Public +Schools if the activity is conducted by a staff member or an +approved visitor and the activity does not include smoking, +vaping, chewing, or otherwise ingesting the product. +2. Use by an adult (18 years and older) of a nicotine +replacement product that has been approved by the US +Food & Drug Administration for sale as a tobacco or nicotine +cessation product, tobacco dependence product, or other +medical purposes and is being marketed and sold solely for +such an approved purpose. + +IIMPLEMENTATION GUIDELINES +A. Policy Owner: The Office of Health & Wellness (Policy +Owner) is responsible for the review and update of the + + +Page 6: +Superintendent’s Circular HWD-06 +Page 6 of 14 + + + +Tobacco Policy. The policy owner will provide policy +communication and implementation support and guidance, +including community resources for cessation and “Tobacco- +Free” signage. +B. Central Office Administration: School superintendents and +operational leaders are responsible for informing school +principals and heads of school about the Tobacco Policy. +[Central office leader] is responsible for informing all central +office department heads, supervisors, and building +administrators about the Tobacco Policy. +C. Building Administrators (i.e., School Principals and +Department Heads): It is the responsibility of building +administrators to ensure compliance with the Tobacco +Policy at all BPS schools and buildings: +1. Supervise the implementation and enforcement of the +policy at the school site. +2. Ensure that “Tobacco-Free” signs in accordance with +the Boston Public Health Commission are prominently +posted throughout the school property. Locations +must include all entrances/exits to buildings (including +basement and loading docks), athletic fields, +playgrounds, school buses/transportation vehicles, +bathrooms, and teacher lounges. If signs are needed, +please contact the Office of Health & Wellness. +3. Ensure that no marketing or promotion of tobacco or +nicotine products, tobacco brands, nicotine brands, or +any tobacco or nicotine paraphernalia occurs on +school property, at off-campus, school-sponsored +events and extra-curricular activities, or within 50 feet + + +Page 7: +Superintendent’s Circular HWD-06 +Page 7 of 14 + + + +of school property, including branding on gear, bags, +clothing, any personal articles, signs, structures, +vehicles, flyers, or any other materials. +4. Ensure that any contributions, gifts, money, curricula, +or materials from the electronic cigarette industry, +tobacco industry, and tobacco or nicotine industry or +from any tobacco products shop are neither solicited +nor accepted. +5. Inform all staff, students, parents, and visitors of their +obligations with respect to the policy. +a. This policy must appear in all student, family, and +staff handbooks. +b. Staff must sign that they have been informed of +the policy. +c. Inform students and employees how to +anonymously report a violation to the Boston +Public Health Commission: 617-534-4718. +d. Communicate this policy to all visitors, which +includes vendors and those contracted to do +work, and those permitted to use the building and +facilities before school, after school, and on the +weekends. +6. Make available information regarding tobacco +smoking and nicotine cessation options for students, +staff, and families. +7. Consider appointing a designee to support the +implementation and enforcement of this policy. +D. Boston Public Health Commission (BPHC): The BPHC is + + +Page 8: +Superintendent’s Circular HWD-06 +Page 8 of 14 + + + +responsible for the implementation of the Workplace +Smoking Restrictions Regulation. The authority to enforce +this regulation is held by the BPHC, its subsidiary programs +or designees; the City of Boston Inspectional Services +Department; the City of Boston Police Department; and the +City of Boston Fire Department. Anyone may anonymously +report a violation to the BPHC. As a result, a school or +department may receive: +1. In the case of a first violation a fine of two hundred +dollars ($200.00). +2. In the case of a second violation, within 24 months of +the first violation, a fine of seven hundred dollars +($700.00). +3. In the case of three or more violations within 24 +months of the second or current violation, a fine of one +thousand dollars ($1000.00) for each violation. +E. School Principals and Heads of School: In accordance with +the Comprehensive Health Education Policy (HWD-03), the +school administration must ensure students are receiving +the minimum health education course requirements and +receiving substance use prevention education in line with +BPS Health Education Frameworks and Student Learning +Outcomes. + +F. BPS Staff: In accordance with state law and local regulation, +all BPS staff are required to follow the Tobacco Policy. The +success of this policy will depend upon the thoughtfulness, +consideration, and cooperation of both tobacco or nicotine +users and non-users. All individuals on school properties + + +Page 9: +Superintendent’s Circular HWD-06 +Page 9 of 14 + + + +share in the responsibility to and enforcement of this policy. +1. Do not use, consume, display, or sell any tobacco or +nicotine products or any tobacco or nicotine +paraphernalia at any time on school property, at off- +campus, school-sponsored events, and extracurricular +activities, within vehicles located on school property, +and within 50 feet of school property. Exemptions are +made for only the following instances: +a. Instructional or work-related activities in Boston +Public Schools if the activity is conducted by a +staff member or an approved visitor and the +activity does not include smoking, vaping, +chewing, or otherwise ingesting the product. +b. Use by an adult (18 years and older) of a nicotine +replacement product that has been approved by +the US Food & Drug Administration for sale as a +tobacco or nicotine cessation product, tobacco +dependence product, or other medical purposes +and is being marketed and sold solely for such an +approved purpose. +2. No marketing or promotion of tobacco or nicotine +products, tobacco brands, nicotine brands, or any +tobacco or nicotine paraphernalia occurs on school +property, at off-campus, school-sponsored events and +extra-curricular activities, or within 50 feet of school +property, including branding on gear, bags, clothing, +any personal articles, signs, structures, vehicles, flyers, +or any other materials. +3. Do not solicit or accept any contributions, gifts, money, + + +Page 10: +Superintendent’s Circular HWD-06 +Page 10 of 14 + + + +curricula, or materials from the electronic cigarette +industry, the tobacco industry, and tobacco or nicotine +industry or from any tobacco products shop. +4. Complaints regarding Tobacco Policy violations should +be directed to building administrators who are +responsible for following recommended disciplinary +guidelines. +5. Anonymous complaints may also be directed to +Boston Public Health Commission (617-534-4718) +where school departments and schools may be +subject to a fine as listed above in section D. +6. Consult the building administrator, school nurse, or +the Boston Public Health Commission for information +regarding tobacco smoking and nicotine cessation. +7. Substance use prevention education to discourage the +use of tobacco and nicotine products shall be included +in comprehensive health education. Staff responsible +for teaching tobacco and nicotine-use prevention +must have adequate training and will participate in +ongoing professional development activities to +effectively deliver the education program as planned. +G. School Nurses are responsible for working with the Health +Services Department to provide local tobacco and nicotine- +use cessation resources at the school buildings. +H. Central Office: Since youth substance use prevention and +intervention must be a part of a multi-tiered approach, the +following central office departments are responsible for +supporting schools in these efforts: +1. Office of Health and Wellness is responsible for + + +Page 11: +Superintendent’s Circular HWD-06 +Page 11 of 14 + + + +providing training, instructional coaching, and +instructional materials for substance use prevention +education as a part of tier one comprehensive health +education. Additionally, the office is responsible for +maintaining health promotion materials and policy +implementation support. +2. The Health Services Department is responsible for +communicating cessation resource information to +school nurses and training on the referral process for +cessation services. +3. School Operations & Safety Division will communicate +alternatives to suspension for students found in +violation of the tobacco policy, including available +workshops and other intervention programs. +VIOLATIONS +Enforcement of this policy will be by school principals/heads of +school, building administrators, and department heads. Penalties +for violation of the Smoke-Free Workplace Law will be enforced +by school officials, the Boston Public Health Commission, and +their agents. It is recommended that building administrators, +principals, and supervisors implement disciplinary measures +consistent with the progressive measures section of the BPS +Code of Conduct: +A. Students found in violation +1. The first violation shall result in one or all of the +following: +a. Confiscation of tobacco or nicotine +products/paraphernalia + + +Page 12: +Superintendent’s Circular HWD-06 +Page 12 of 14 + + + +b. Notifying student’s family of the violation of policy +and state law and recommend that families +contact their primary care physician to discuss +prevention and cessation interventions +c. Meeting with appropriate school staff and the +student’s family +d. Providing student referrals to available cessation +programs +2. The second violation shall result in: +a. Confiscation of tobacco or nicotine +products/paraphernalia +b. Notifying student’s family of the violation of policy +and state law and recommend that families +contact their primary care physician to discuss +prevention and cessation interventions +c. Providing student referrals to available cessation +programs +d. One or more of the following: +i. Meeting with appropriate school staff and +the student’s family +ii. Participation in tobacco and nicotine +education program +3. The third violation shall result in: +a. Confiscation of tobacco or nicotine +products/paraphernalia +b. Meeting with appropriate school staff and the +student’s family +c. Participation in tobacco or nicotine education +program. Failure to participate in the education +program may result in a suspension. +d. One or more of the following: + + +Page 13: +Superintendent’s Circular HWD-06 +Page 13 of 14 + + + +i. Community service +ii. Suspension +B. Staff found in violation +1. Staff who are found to be in violation of this policy will +be subject to discipline up to and including +termination. +2. Department heads and building administrators (such +as principals) shall be responsible for any fines +administered by the Boston Public Health Commission +to the school or department, as outlined in section D. +C. Visitors found in violation +1. Visitors who are observed violating this policy shall be +asked to comply with the Tobacco and Nicotine-Free +Environment Policy. If the visitor fails to comply with +the request, they will be referred to the building +administrator or another district supervisory personnel +available. The supervisor shall decide on further action +that may include a directive to leave school property. +2. Repeated violations may result in a recommendation +to the school principal or building administrator to +prohibit the individual from entering school district +property for a specified time. If they refuse to leave, +school police may be called to have the individual +leave. + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & +Wellness + + +Page 14: +Superintendent’s Circular HWD-06 +Page 14 of 14 + + + +Department: +Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-9698 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HWD-01 +Version 01 + + + + +DISTRICT WELLNESS POLICY + +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +2 +I. POLICY +5 +A. Wellness Councils +6 +B. Cultural Proficiency +13 +C. School Food and Nutrition Promotion +16 +D. Comprehensive Physical Activity and Physical Education 20 +E. Comprehensive Health Education +25 +F. Healthy School Environment +26 +G. Safe and Supportive Schools +28 +H. Health Services +30 +I. Staff Wellness +33 +II. IMPLEMENTATION GUIDELINES +33 +A. District Wellness Council: +33 + + +Page 2: +Superintendent’s Circular HWD-01 +Page 2 of 102 + + + +B. School-based Wellness Councils: +34 +C. Implementation Guidelines for Monitoring and Evaluation 38 +III. DEFINITIONS +86 +IV. INDEX OF FEDERAL, STATE, AND BOSTON PUBLIC SCHOOL +WELLNESS-RELATED +POLICIES & GUIDELINES +91 + + +BACKGROUND + +Understanding that physical and mental health, emotional well- +being, and positive development are inextricably linked with +academic success, Boston Public Schools (BPS or the District) has +worked to transform the District’s capacity to meet the health +needs of Boston children. Improving overall student health is a +key factor in reaching the ambitious academic targets set forth in +the Superintendent’s Strategic Implementation Plan. Beyond the +academic imperative however, school, civic and community +leaders have a responsibility to help Boston’s children overcome +health barriers that may prevent them from successfully meeting +the challenges of reaching adulthood and assuming their roles as +the eventual leaders and stewards of our community. Our vision +for the BPS graduate challenges us to develop young people who +are more than scholars. It calls for graduates who are healthy in + + +Page 3: +Superintendent’s Circular HWD-01 +Page 3 of 102 + + + +both mind and body, prepared to make wise choices to ensure +their own physical, mental, and emotional well-being. + +To create a healthy school environment where the healthy choice +is the easy choice, we have developed this policy regarding +wellness initiatives in Boston Public Schools. This policy took +effect September 1, 2017. + +First passed on June 30, 2006, the District Wellness Policy was +implemented in September 2006. It was updated in June 2013, +and again in June 2017 taking into consideration the needs and +perspectives expressed by members of the Boston School +community, and responding to both the Healthy, Hunger-Free +Kids Act1 and Massachusetts Standards for School Wellness +Advisory Committees.2 This document is intended to assist +administrators and Wellness Council members in implementing +these guidelines in their schools. + +This District Wellness Policy reflects the comprehensive +approach stated in the District’s Strategic Plan for Health and +Wellness, Healthy Connections: Strengthening Coordination and + +1 P.L. 111–296—DEC. 13, 2010 +2 105 CMR 215 + + +Page 4: +Superintendent’s Circular HWD-01 +Page 4 of 102 + + + +Capacity in the Boston Public Schools to Advance Student +Health and Wellness and brings together content areas +recommended in the Centers for Disease Control and +Prevention’s Whole School Whole Community Whole Child +Approach. A subcommittee of the District Wellness Council +formed into seven work groups, representing these topic areas: +1. Cultural Proficiency +2. School Food and Nutrition Promotion +3. Comprehensive Physical Activity +4. Comprehensive Health Education +5. Healthy School Environment +6. Health Services +7. Safe and Supportive Schools +8. Staff Wellness + +These work groups consulted the perspectives of the Boston +School community as well as evidence-based national +recommendations and wrote specific policy language and +implementation guidelines that reference other relevant District +policies and further develop policy language regarding wellness +for all students. This comprehensive approach seeks to advance +Boston Public Schools’ strategic aims to: improve coordination +across programs and departments; improve and integrate data + + +Page 5: +Superintendent’s Circular HWD-01 +Page 5 of 102 + + + +collection; establish guidelines for accountability appropriate to +the group’s location within the organization; support building +noncompeting partnerships internally and externally; and build +sustainability. + +I. POLICY + +The Boston Public Schools (BPS or the District) aims to actively +promote the social, emotional and physical health and wellness +of all students to advance both their healthy development and +readiness to learn. Student and staff wellness is a core value of +the District and a key strategy to address health inequities and to +close opportunity and achievement gaps that impact BPS +students. Thus, BPS strives to be one of the healthiest school +districts in the country. BPS will ensure that the healthy choice is +the easy choice and that students learn the skills and knowledge +needed to make those choices. BPS is committed to +implementing a Whole School Whole Community Whole Child +(WSCC) approach to wellness, as recommended by the Centers +for Disease Control and Prevention (CDC) and ASCD (Association +of Supervisors and Curriculum Development). As a part of this +approach, BPS will meet the health and wellness needs of all +students through prevention, intervention and intensive +response. As a result, all BPS students will be challenged, +supported, engaged, safe and healthy. + + + +Page 6: +Superintendent’s Circular HWD-01 +Page 6 of 102 + + + +The District Wellness Policy is intended to link new and existing +wellness-related policies and convey a framework for creating +safe, healthy and welcoming school environments. BPS shall take +a comprehensive approach to reviewing and incorporating +changes in policy, curriculum, and operating procedures to +promote healthy lifestyles and sustainable wellness practices for +all students and staff. The work of implementing this policy relies +on the work and collaboration of instructional, operational, +clinical +and administrative staff at schools and central office +departments. BPS shall develop the capacity of schools to +implement the policy and improve the quality and equity of +programs, services, and supports. This policy is inclusive of all +students, staff, and families. + +A. WELLNESS COUNCILS + +1.) District Wellness Council +The BPS shall maintain a superintendent-appointed District +Wellness Council. This advisory group will develop, recommend, +review and advise on implementation of school District policies +that address student and staff wellness. The District Wellness +Policy shall be reviewed once yearly by the District Wellness +Council and considered for updates based on other model school +wellness policies and best practices, annual report findings and +recommendations, input from schools and the community, + + +Page 7: +Superintendent’s Circular HWD-01 +Page 7 of 102 + + + +research evidence, and regulations. The District Wellness Council +shall seek ongoing feedback from BPS community stakeholders. +Additionally, the District Wellness Council will develop an annual +Wellness Action Plan with goals and SMART objectives for the +coming school year. + +This council shall include at a minimum representatives from: +families, students, school and District instructional and +operational administrators, relevant central department heads, +school food and nutrition services staff, physical education and +health education teachers, school nurses and other school health +professionals (e.g. psychologists, guidance counselors, social +workers) a school committee member, community youth serving +agencies, Boston Public Health Commission representatives, +healthcare providers and the general public. Appointees to the +maximum extent possible shall reflect the cultural, linguistic, and +ethnic composition of BPS schools. General membership and +attendance at the District Wellness Council is open to all +stakeholders and the general public. The District Wellness +Council will implement a plan for involving and engaging all of +these stakeholders. + +2.) School-based Wellness Councils +All BPS schools shall establish and maintain a school-based +wellness council. School-based wellness councils shall act as a +shared leadership team to implement wellness-related District + + +Page 8: +Superintendent’s Circular HWD-01 +Page 8 of 102 + + + +policies. Councils must assess their school’s implementation of +the Wellness Policy and create and implement an annual +Wellness Action Plan as a part of the Quality School Plan. +Principals shall name a wellness council chair(s) to coordinate the +wellness council and act as a liaison to the District, community, +and families. Wellness council chairs will attend District training. +The council shall include at a minimum a school administrator, +family representatives, students (where feasible), representatives +of a wide range of school health and health-related disciplines, +including school nurses, school food service staff, health +education and physical education teachers and other school +health professionals, such as psychologists, guidance counselors, +and social workers. To the extent feasible, members will include +operations and custodial staff, community partners and the +general public. Appointees to the maximum extent possible shall +reflect the cultural, linguistic and ethnic composition of the +school community. + + +3.) Stakeholder Participation in Councils / Informing and +Updating the Public +The District will develop a district-level communication strategy +and communication guidance for schools to increase awareness +of the policy and its importance for creating a safe, healthy, and +welcoming school. a. The following are responsibilities for +informing stakeholders about policy: +1. BPS will post the District Wellness Policy on the BPS +website. + + +Page 9: +Superintendent’s Circular HWD-01 +Page 9 of 102 + + + +2. Schools must share a link to the District Wellness Policy on +their school’s website and send a message to families +notifying them of how they may obtain a copy or otherwise +access the policy. +3. School-based Wellness Councils shall annually +communicate wellness-related policies so that all staff, +families and students are aware of the policy requirements. +4. BPS and schools shall notify families and the public about +the content of the District Wellness Policy and any updates +to the policy on an annual basis. +5. BPS will ensure that the District Wellness Policy and any +public announcement related to the policy are available in +the languages that represent the school community. + +b. The following are responsibilities for informing stakeholders +about the District Wellness Council and school-based councils: +1. BPS will make available to the public and school +community, on the BPS website and through other regular +channels of communication that BPS utilizes, a list of names +and position titles (or relationship to the school) of +individuals who are a part of the District Wellness Council, +including the name, position title, and school- based contact +information of the council leadership and subcommittee co- +chairs. +2. BPS will post the District Wellness Action Plan on the BPS + + +Page 10: +Superintendent’s Circular HWD-01 +Page 10 of 102 + + + +website to share District goals and objectives for the school +year. +3. Schools must make available to the public and school +community on their website a list of names and position +titles (or relationship to the school) of individuals who are a +part of their school-based wellness councils and include the +name, position title, and school-based contact information +of the council chairs(s). +4. Schools must post their Wellness Action Plans on their +school’s website to share local school goals and activities to +implement the policy. +5. BPS shall make available to the public and the schools the +results of the annual assessment, which is detailed in the +next section, and actively notify families of the availability of +the assessment results. + +c. The following are responsibilities for engaging stakeholders: +1. The District Wellness Council and school-based councils will +encourage diverse membership on councils and +subcommittees, attendance at meetings, and participation +of all BPS stakeholders through public comment and +feedback. +2. BPS will share information on the District website about +how the public can get involved with the District and +school-based wellness councils. + + +Page 11: +Superintendent’s Circular HWD-01 +Page 11 of 102 + + + +3. Schools must share information on their school’s website +about how the public can get involved with the school +wellness councils. +4. BPS will develop methods to educate students about +wellness policies and ways they can be involved in the +wellness councils when developmentally appropriate. + + +4.) Monitoring, Assessment and Reporting +BPS shall develop and implement an evaluation plan designed to +measure school-level implementation and student level +outcomes of all policy components of the District Wellness Policy. +Where possible the metrics will align with other District +indicators and be measurable using existing evaluation tools and +systems and be sustainable over time. This plan will be made +available to the public as a part of the District Wellness Policy +circular. + +BPS shall annually assess compliance with the District Wellness +Policy, alternating between qualitative and quantitative annual +assessments. The annual assessment will measure the extent to +which schools are in compliance with the BPS policy and the +progress made in attaining the goals of the previous year’s +Wellness Action Plan. The District Wellness Council will write an +annual report that will include: the results of assessment, the +extent to which the Boston Public School District Wellness Policy +compares to model local school wellness policies, a summary of + + +Page 12: +Superintendent’s Circular HWD-01 +Page 12 of 102 + + + +the District activities and accomplishments related to wellness +policy implementation of the previous year, and goals and +objectives for the upcoming year. This annual report shall be +presented to the superintendent, the School Committee and the +Massachusetts Department of Education. The District will +develop a strategy for reporting on compliance of each school. + +BPS shall maintain records to document compliance with +Wellness Policy including: the written District Wellness Policy; +documentation demonstrating compliance with community +involvement requirements; documentation of the annual +assessment of the District Wellness Policy; and documentation to +demonstrate compliance with the annual public notification +requirements. + +5.) Wellness Policy Leadership +School principals are responsible for ensuring their school +complies with the Wellness Policy. At the District level, the +executive director of the Office of Health and Wellness is +responsible for overseeing monitoring, reporting, and +communication of the BPS Wellness Policy. The following District +departments are responsible for supporting implementation and +monitoring of specific components of the policy: +a. Behavioral Health Services +b. Facilities & Capital Management + + +Page 13: +Superintendent’s Circular HWD-01 +Page 13 of 102 + + + +c. Food and Nutrition Services +d. Health and Wellness +e. Health Services +f. Office of Engagement +g. Office of Equity +h. Office of Opportunity Gaps +i. Safe and Welcoming Schools +j. Transportation + +The compiled department information will be reported to +instructional superintendents and operational superintendents +who are granted the authority and responsibility by the +superintendent to ensure each school complies with the policy. +BPS will provide a means of contacting the District or school +official(s) responsible for oversight by designating District or +school-based phone(s) number and/or email address for this +purpose. + +B. CULTURAL PROFICIENCY + + +The Boston Public Schools is committed to creating a culturally + + +Page 14: +Superintendent’s Circular HWD-01 +Page 14 of 102 + + + +proficient District that embraces at its fundamental core the +culturally sustaining and affirming beliefs and practices that +honor differences while mitigating the effects of concentrated +poverty and institutional racism in the effort to eliminate gaps +and promote health and wellness for all. The District is +committed to providing authentic learning opportunities for +every child in every classroom in every school to ensure they +develop into healthy, engaged, self-determined, and +independent learners that are college and career ready. The +District recognizes that Culturally and Linguistically Sustaining +Practices (CLSP) helps to create a safe, healthy and welcoming +environment that supports all students’ social, emotional, +physical and academic learning as well as their health and +wellness. Cultural Proficiency is an approach that raises +awareness of individual and institutional culture and bias, +encourages cultural learning and relationship building, and +implements CLSP, to respect, celebrate and build on cultural +strengths and diversity. Cultural diversity includes but is not +limited to group and/or individual identities based on race, +ethnicity, nationality, immigration status, religion, language, +gender, sexual orientation, gender identity, ability, social class, +and home life or family structure. Cultural Proficiency should be +integrated into the implementation of other areas of the District +Wellness Policy and is called out here to establish specific actions +to be taken by the District and the schools. + +The District will support the development of staff and +administrators’ competencies to build cultural proficiency in + + +Page 15: +Superintendent’s Circular HWD-01 +Page 15 of 102 + + + +schools, classrooms and central office departments. Schools shall +collectively assess their organizational structure, policies and +school-wide practices for bias(es) as well as examine their +physical environment, classroom curricula, instructional materials +and wellness promotions. Schools will use this assessment to +inform their annual Wellness Action Plan. The District and the +schools shall include student, family and community +participation in decision-making bodies and create structures for +feedback from students, families and communities and increased +engagement of all families in wellness-related policies and +committees. This includes recognizing specific barriers faced by +families of ELL students and ELL students with disabilities by +targeting outreach to these groups and using the Translation and +Interpretation Unit to translate family-focused communications +and to provide interpretation as requested during meetings. + +Schools will follow other cultural proficiency-related policies, +including those regarding race, ethnicity, immigration status, +religion, language, gender, sexual orientation, gender identity, +and disabilities and policies that promote family and student +engagement. The work of creating a culturally proficient District +requires the participation of departments and staff across the +District and requires engagement in interdepartmental +collaboration. + + + + +Page 16: +Superintendent’s Circular HWD-01 +Page 16 of 102 + + + +C. SCHOOL FOOD AND NUTRITION PROMOTION + +The Boston Public Schools supports lifelong healthy eating habits +for all students and staff and is committed to addressing the +increasing rates of diet-related health consequences among +these groups by creating a healthy school food environment. +Serving healthy choices in the lunchroom, limiting availability +and marketing of unhealthful foods and sugary drinks, and +making water available to students throughout the day are some +of the ways to create a healthy school food environment. BPS is +committed to ensuring food sold or served outside of the +cafeteria meets high nutritional standards. + +Boston Public Schools believes the cafeteria is an essential +setting to educate and promote healthy eating habits. Boston +Public Schools is committed to serving students nutritious and +delicious food that is less processed, more locally sourced, and +culturally responsive to reflect the diverse student population. As +an effective way to improve the nutritional quality of both foods +served in schools and consumed by students, BPS will create and +implement School Meals Nutrition Standards, going beyond +federal requirements. BPS shall undertake a constant review of +school food and the food environment to ensure safety, quality, +menu equity, and innovation. Boston Public Schools shall be an +innovator with school food, serving foods that are new and +exciting for the students. We believe that students deserve meals +reflective of their culture and tastes. We believe eating well is not + + +Page 17: +Superintendent’s Circular HWD-01 +Page 17 of 102 + + + +a privilege; it is a right. Therefore, BPS is committed to ensuring +all students are food secure. + +Key requirements of creating a healthy school food environment +are: + +1.) School Meals Program +a. Ensure all menus meet USDA-mandated requirements, as +well as Massachusetts Department of Public Health +regulations and the latest scientific evidence on healthy +eating practices. At a minimum, schools must follow Bronze +status standards for the Alliance for a Healthier Generation, +and work toward Bronze status standards for the Healthier +US School Challenge. +b. Ensure all menus offer variety and are well presented in an +appealing way, and meals and menu items are labeled to +communicate deliciousness, as well as specific ingredients. +c. Encourage students to participate in breakfast, lunch, and +afterschool meals programs and avoid stigmatizing children +who participate. +d. Provide foods that are free of unwanted ingredients +including, trans fats, high fructose corn syrup, artificial +colors, artificial sweeteners, additives (azodicarbonamide, +bromated flour), and artificial preservatives (nitrates, nitrites, + + +Page 18: +Superintendent’s Circular HWD-01 +Page 18 of 102 + + + +sulfates, sulfites, MSG, BHA, BHT, TBHQ). Menus follow the +BPS Menu and Ingredient Guidelines. The guidelines are +updated annually. +e. Reduce material used for packaging, sourcing recyclable or +compostable materials when possible and working to +promote best practices around recycling and composting. +f. Water must be available at no cost during mealtimes +wherever meals are served. + +2.) Food Safety +a. Ensure kitchen facilities (both prep and satellite locations) +are inspected twice a year by the Inspectional Services +Division (ISD - Health Department). +b. Implement a stringent and detailed internal Hazard Analysis +and Control Points (HACCP) plan that provides regulations +in following safety procedures for food recalls, emergency +preparedness to avoid foodborne illnesses, and the spread +of infectious diseases. +c. Ensure all employees who work 5+ hours are certified in +food safety. +d. Ensure all lead employees are allergy awareness certified +and have American Heart Association HeartSaver First Aid +Program 2-year certification. + + + +Page 19: +Superintendent’s Circular HWD-01 +Page 19 of 102 + + + +3.) Nutrition Education, Promotion and Food & Beverage +Marketing +a. Promote health and nutrition messages that encourage the +consumption of fruits and vegetables, whole grains, healthy +fats, low-fat dairy products, and water and other messages +consistent with research-based findings that indicate a +positive impact on health. +b. Identify opportunities to teach healthy eating habits in +health education, physical education, and other subjects, +and through cafeteria and other school-wide promotions. +c. Identify opportunities to support teachers, school staff, and +parents around modeling healthy eating habits and +following appropriate nutritional standards at school +celebrations and staff meetings. +d. Allow only food and beverage marketing on school grounds, +including items shared with students, that promote foods +and/or beverages that meet the BPS nutritional standards. + +4.) Competitive Food & Beverages +a. All schools shall follow federal, state, and local laws and +regulations for competitive foods and beverages (i.e. foods +sold, provided, or served within school buildings or on +school grounds outside of the school meals program) as +outlined in this circular. + + +Page 20: +Superintendent’s Circular HWD-01 +Page 20 of 102 + + + +b. Prohibit food sold in competition with school meals, +including food-based fundraisers and vending machines +during the school day. +c. The Food and Nutrition Services Department is solely +responsible for food and beverages sold to children during +the school day; consequently, the sale of food and beverages +by others is expressly forbidden. +d. Encourage non-food alternatives for school fundraisers, +school parties, and classroom celebrations. +e. Prohibit the use of food and beverage as a reward or means +of discipline. + +All Boston Public Schools shall follow Food and Nutrition Services +policies and circulars. + +D. COMPREHENSIVE PHYSICAL ACTIVITY AND PHYSICAL +EDUCATION + +The Boston Public Schools is committed to a District-wide, +strategic effort to increase all students’ physical activity and +fitness by bringing more physical education and physical activity +to schools; improving the quality of physical education and +recess; and increasing the equity of physical activity programs +and resources across our schools. Activities will be inclusive to + + +Page 21: +Superintendent’s Circular HWD-01 +Page 21 of 102 + + + +meet the needs, interests, abilities and cultural diversity of all +students, including students of all gender identities, students +with disabilities, and students with special healthcare needs. + +Numerous studies indicate that regularly engaging in moderate- +to-vigorous exercise contributes to overall physical and mental +health and that nurturing an exercise habit among children lays +the foundation for lifelong fitness. Research also shows that +increased physical activity increases children’s cognitive function, +ability to concentrate in class, and academic performance. Thus, +as a part of a strategic effort to improve academic performance, +BPS recognizes and promotes the benefits of a Comprehensive +Physical Activity Program, where quality physical education is the +cornerstone and additional physical activity is integrated +throughout the school day and into before and after school +programs, staff wellness and family engagement activities. + +The Boston Public Schools is committed to a strong athletics +program that offers a variety of programs and is accessible to all +students. Athletics participation can contribute to student fitness, +wellness, character development and a lifelong commitment to a +physically active lifestyle. Additionally, by establishing a safe, +supportive and engaging school environment, athletic programs +encourage school connectedness and create a climate where +healthy competition and support fill the school with spirit and a +sense of community. Research shows that healthy children are +better learners and connected students are more likely to stay in + + +Page 22: +Superintendent’s Circular HWD-01 +Page 22 of 102 + + + +school. In this way, athletics contributes to the academic success +of students. + +In accordance with state law, all schools must provide all +students in all grades with opportunities for physical activity. +Schools must offer at least 150 minutes of in-school physical +activity weekly in grades PreK-8, including required physical +education, movement breaks, recess, or lessons involving +movement structured to support moderate-to-vigorous physical +activity (MVPA). In grades PreK-8, students are expected to have +at least 20 minutes of daily recess. + +Teachers and other school and community personnel shall not +use physical activity (e.g., running laps, pushups) as punishment +nor withhold opportunities for physical activity during the school +day (including but not limited to recess, classroom physical +activity breaks, or physical education) as punishment for any +reason other than illness or safety or as approved by the school +leader. This includes denying a student physical activity time in +order to make up work unless under unusual circumstances. The +district will provide teachers and other school staff with a list of +ideas for alternative ways to discipline students. + +All schools must offer standards-based physical education (PE) +for all students in all grades. Schools are required to offer at least +45 minutes of weekly PE in grades PreK-8 and at least one + + +Page 23: +Superintendent’s Circular HWD-01 +Page 23 of 102 + + + +semester (equivalent of a half school year) of PE each year in +grades 9-12. We recommend that schools provide at least 80 +minutes of weekly PE in grades PreK-8. In order to help schools +work toward this recommendation, Boston Public Schools will +develop an implementation plan with input from current +principals and headmasters. This implementation plan will be +shared with the School Committee. + +Teachers and other school and community personnel shall not +use physical activity (e.g., running laps, pushups) as punishment; +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity +breaks or physical education) as punishment for any reason; or +deny a student physical activity time in order to make up work +unless under unusual circumstances. + +Extended day programs and out of school time, which includes +before and after school programs, are expected to offer an array +of physical activity opportunities to ensure all students are able to +participate. Schools shall offer opportunities for students to +participate in physical activity before and after the school day, +including extended day time, through a variety of methods +including physical activity clubs, physical activity in before/after +school programs, intramurals and interscholastic sports, and in +their school commute. + + + +Page 24: +Superintendent’s Circular HWD-01 +Page 24 of 102 + + + +The District recognizes that students benefit from bicycle and +pedestrian safety education to help make the trip to and from +school safer and instill confidence in students, parents and +community members. The District will develop and maintain +policies and procedures for working together with city agencies, +schools, families, and students in efforts to promote a safer and +easier trip to and from school when students and staff are +walking, bicycling, using public transit or other means of +physically active transport. The District will encourage 7-12th +grade students to use public transportation when available and +appropriate for travel to school, and will work with the local +transit agency to provide transit passes for eligible 7-12th grade +students. The District will provide resources to schools, students +and families regarding walking, riding a bicycle, using public +transit or other forms of active transportation. The District will +encourage wellness councils, school administrators and students, +staff, families and community partners to assist the District in +promoting safe, physically active travel to and from school. +Schools are encouraged to designate a transportation liaison to +facilitate communication regarding District efforts to promote +safe, physically active travel to and from school. Schools shall +participate in student transportation surveys when requested to +help the District plan for strategies to promote a safer and easier +trip to and from school when walking, bicycling, using public +transit or other means of physically active transport. + + + +Page 25: +Superintendent’s Circular HWD-01 +Page 25 of 102 + + + +E. COMPREHENSIVE HEALTH EDUCATION + +The Boston Public Schools require comprehensive Pre-K through +grade 12 health education that is medically accurate, age and +developmentally appropriate, culturally and linguistically +sustaining, and implemented in a safe and supportive learning +environment where all students feel valued. All Boston Public +Schools must take a skills-based approach to teach +comprehensive health education that addresses a variety of +topics, such as tobacco, alcohol, and substance misuse and harm +reducation, nutritional health, mental and emotional health, +personal health and wellness, physical activity, safety and injury +prevention, violence prevention, and comprehensive sexual +health education that is LGBTQ+ affirming. + +Comprehensive health education curriculum shall be modified as +needed for students with disabilities and students who are +English learners. It shall promote healthy lifestyle habits, healthy +relationships and health literacy for all students. Health +education curricula will align with the BPS Health Education +Frameworks, which integrate the Massachusetts Comprehensive +Health Curriculum Framework and National Health Education +Standards, as well as the National Sexuality Education Standards. +Qualified and trained teachers will implement the curricula. + +All schools will follow relevant promotion and graduation + + +Page 26: +Superintendent’s Circular HWD-01 +Page 26 of 102 + + + +requirements that include: Health education that includes at +minimum the Healthy and Safe Body Unit in elementary school; +two semesters of health education in grades 6 to 8 taught by a +licensed health education teacher; and a one semester course of +health education in total in grades 9 to 12 taught by a licensed +health education teacher. In addition to these course +requirements, health education topics will be integrated into +other subject areas where possible, so as to reinforce their +importance, provide additional skill practice, and demonstrate +the connections of health concepts to many other content areas. + +F. HEALTHY SCHOOL ENVIRONMENT + +The Boston Public Schools recognizes that healthy physical +environments are critical to the prevention of asthma and other +chronic and infectious diseases that impact learning. The Boston +Public Schools is committed to providing high-performing school +buildings and grounds that are clean, in good repair, have +healthy indoor air quality and water quality, sanitary and +accessible bathrooms, and use resources efficiently. BPS strives +to provide adequate facilities for physical activity that are +accessible and culturally inclusive learning environments that +positively impact productivity, health, and wellness of all students +and staff. To address environmental risk factors for chronic and +infectious disease, each school will receive an Annual +Environmental Audit to evaluate health and safety conditions +such as leaks, mold, pests, chemical storage and cleanliness. The + + +Page 27: +Superintendent’s Circular HWD-01 +Page 27 of 102 + + + +District shall maintain a Healthy Schools Taskforce (HST) to +promote and raise awareness of the health of the built +environment and ensure continuous improvement of BPS +healthy school environment policies and programs. + +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, shall comply with +existing federal and state regulations, city ordinances and District +policies related to promoting and managing healthy school +environments, including but not limited to: +○ Green Cleaners +○ Integrated Pest Management +○ Trash and Recycling +○ Infection Prevention & Control +○ Tobacco Free Environmental Policy +○ Environmental Inspection/Audit +○ Student Safety/Health in School Shops +○ BPS Water Policy +○ Laboratories and Chemical Inventory “Right to Know” Law +○ Idling of buses and other motor vehicles on school property + + + +Page 28: +Superintendent’s Circular HWD-01 +Page 28 of 102 + + + +Schools shall regularly assess the quality and quantity of BPS +facilities for active transportation, physical activity, and physical +education, including schoolyards, and report maintenance needs +for these facilities. + +G. SAFE AND SUPPORTIVE SCHOOLS + +The Boston Public Schools shall create a safe and supportive +school environment for all students that is culturally proficient, +engaging, and inclusive and one that provides skills-based +education to promote healthy relationships and development +and provides access to support services. Prevention, promotion +and intervention-based work will address and integrate social +emotional health and behavioral health. BPS will continue to +foster a variety of integrated community partnerships to +maximize support to students, families and schools. Partnerships +in this area include allied city and state agencies, universities, +hospitals and other community-based organizations. Schools will +better meet the needs of students by creating safe and inclusive +climates that are responsive to all forms of bullying and violence, +including bias-based conduct, suicide, intimate partner violence, +and sexual harassment and assault, and using screening and +promotion efforts, including mental health and substance use +screening. Special attention will be given to vulnerable student +populations, including but not limited to LGBTQ students, +refugee, asylee, documented and undocumented immigrant +students, ELL students and ELL students with disabilities, + + +Page 29: +Superintendent’s Circular HWD-01 +Page 29 of 102 + + + +expectant and parenting students, court-involved students, +students experiencing homelessness, and students experiencing +trauma. These efforts will create a safe and supportive learning +environment that optimizes academic outcomes for all students. +Implementation of these efforts requires school psychologists, +social workers, guidance counselors, school nurses, community +partners and trained classroom teachers working together on an +effective student support team. Boston Public Schools shall +develop and implement a plan for K-12 SEL standards. + +Boston Public Schools shall put in place systems that align to the +district-accepted Multi-tiered System of Supports (MTSS) +framework to ensure that all students have access to key +resources and services in a safe and supportive environment. +Schools shall adopt a MTSS Framework to support the +development of a continuum of behavioral health supports and +interventions falling across three tiers: Tier 1: Prevention and +promotion, Tier 2: At-risk interventions and services and Tier 3: +Intensive interventions and services. Embedded into MTSS is the +use of positive behavioral interventions and supports and social +emotional learning instruction designed to create safe and +supportive school climates and build the skills of staff and +students. The Comprehensive Behavioral Health Model (CBHM) +is an example of an evidence-based MTSS-Behavioral framework +designed to meet the behavioral health needs of students and +includes evidence-based practices interventions and data to +determine effectiveness. CBHM is used in many BPS schools and +will be made available to all schools. CBHM has been proven to + + +Page 30: +Superintendent’s Circular HWD-01 +Page 30 of 102 + + + +promote positive behavioral health and reduce barriers to +learning for students in participating schools. MTSS framework, +including CBHM, incorporates the following key elements: +○ Assessment including universal behavioral health screening +○ Instruction including social emotional learning curriculum +and delivery of services +○ Data based decision making +○ Building staff leadership and capacity +○ Effective District and school structures and procedures (e.g. +student support teams) + +In addition, schools shall follow all BPS policies that address +specific areas of school safety and climate including the Code of +Conduct and other related policies such as those related to crisis +management, expectant and parenting students, sexual +harassment, discrimination, and assault. + +H. HEALTH SERVICES + +The Boston Public School Health Services support students to be +healthy, engaged, safe, and academically challenged by +providing high quality, cost-effective in-school health care. BPS +nurses are responsible for evaluating and managing the health + + +Page 31: +Superintendent’s Circular HWD-01 +Page 31 of 102 + + + +needs of all students. That includes the following: +○ Case management students with special health needs, +including chronic or acute illnesses +○ Monitoring and administering medications and medical +procedures as prescribed by a student’s primary care +provider or medical specialist +○ Providing first aid and emergency care +○ Screening students for height, weight, Body Mass Index, +vision, hearing, scoliosis, substance use (screening, brief +intervention and referral to treatment) +○ Managing student medical records and immunization +records +○ Managing the control of communicable diseases +○ Coordinating medical transportation for students +○ Coordinating special dietary accommodations for students +with food allergies +○ Working with other school-based groups to provide safe +and healthy environments + +In addition, school nurses engage in one-on-one education, small +group health counseling, wellness promotion, and preventive +services as part of the provision of care coordination services. BPS +school nurses ensure access and/or referrals to the medical home + + +Page 32: +Superintendent’s Circular HWD-01 +Page 32 of 102 + + + +or private health care provider. Where lawful, Boston Public +Schools encourages positive communication and involvement +with family regarding health services. Health Services actively +collaborates with school and community support services to +increase the ability of students and families to adapt to health +and social stressors, such as chronic health conditions, adverse +childhood experiences (ACE) and other social, emotional and +economic determinants of health. BPS Health Services is +committed to building partnerships with city agencies, medical +providers, and community partners to leverage additional +resources and health services. + +Under Massachusetts Adolescent Confidentiality laws, adolescent +students may receive confidential services for diagnosis, +treatment and/or referral for drug addiction, family planning +services, sexually transmitted diseases, and mental health. In +accordance with the BPS Condom Accessibility Circular, BPS +High Schools shall provide access to condoms, with appropriate +reproductive health counseling for students. Each high school +will have a Condom Accessibility Team (CAT) which will consist of +a minimum of at least three school staff members. Condoms will +be made available through the CAT at each school. Condoms will +also be accessible from community health service partners and +the Boston Public Health Commission (BPHC). Parents and legal +guardians may exempt their children from receiving condoms by +notifying the school when they complete the family information +forms at the beginning of the school year. This exemption to not +receive condoms does not apply to other confidential health + + +Page 33: +Superintendent’s Circular HWD-01 +Page 33 of 102 + + + +services. + +I. STAFF WELLNESS + +The Boston Public Schools cares about the well-being of staff +members and understands the influence that staff actions have +on all student health behaviors. All staff shall promote a school +environment supportive of healthy behaviors. Adults are +encouraged to model healthy behaviors, especially on school +property and at school-sponsored meetings and events. Schools +are encouraged to support staff wellness initiatives. + + +II. IMPLEMENTATION GUIDELINES + +The following guidelines will ensure the implementation of the +Boston Public Schools Wellness Policy: + +A. DISTRICT WELLNESS COUNCIL: + +The superintendent will appoint members to serve on the District + + +Page 34: +Superintendent’s Circular HWD-01 +Page 34 of 102 + + + +Wellness Council. The council will: + +a. Follow bylaws that are aligned with Massachusetts +Standards for School Wellness Advisory Committees.3 +b. Annually review, and if needed recommend, District-wide +policies to promote student wellness +c. Annually set Council goals and objectives +d. Annually report progress on Council goals, objectives, +policies, and monitoring & evaluation of Wellness Policy +implementation + +B. SCHOOL-BASED WELLNESS COUNCILS: + +Schools will establish and maintain a school-based wellness +council. Principals shall name a wellness council chair(s) to +coordinate the wellness council and act as a liaison to the District, +community, and families. Wellness council chairs will attend +District training. School-based Wellness Councils on an annual +basis shall: + +3 M.G.L. 105 CMR 215 + + +Page 35: +Superintendent’s Circular HWD-01 +Page 35 of 102 + + + + +a. Convene at least 4 times per school year. +b. The council shall include at a minimum a school +administrator, family representatives, students (where +feasible), representatives of a wide range of school health +and health-related disciplines, including school nurses, +school food service staff, health education and physical +education teachers and other school health professionals, +such as psychologists, guidance counselors, and social +workers. To the extent feasible, members will include +operations and custodial staff, community partners and the +general public. Appointees to the maximum extent possible +shall reflect the cultural, linguistic and ethnic composition of +the school community +c. Implement District-level policies related to wellness. School +Wellness Councils will annually review District policies +related to wellness. If applicable, the school wellness council +will apply strategies to implement these policies. See the +Index of Federal, State, and Boston Public School wellness- +related Policies & Guidelines section on page 17. +d. Assess the school’s wellness status. Schools will use the +following surveys and audits to assess the wellness status of +school: +○ Healthy Schools Program Inventory, Alliance for a +Healthier Generation. +○ Environmental Health Inspection Audit + + +Page 36: +Superintendent’s Circular HWD-01 +Page 36 of 102 + + + +○ School Health Profiles, Centers for Disease Control and +Prevention +○ District data, such as the Youth Risk Behavior Survey +○ Other District priorities +The Health and Wellness Department will determine on an +annual basis the exact timeline and process for completing +these assessments. +e. Create and Implement a Wellness Action Plan. Schools will +complete a BPS Wellness Action Plan template and include +a link to their plan in the Wellness section of their Quality +School Plan (QSP) by Fall due date. The Wellness Council +coordinator(s) name and contact information should also be +included on the QSP. Principals are ultimately responsible +for the implementation of the Wellness Action Plan. The +Health and Wellness Department, in collaboration with the +instructional and operational superintendents will +determine on an annual basis the exact timeline and +process. The school will complete this Plan as a Quality +School Plan, or other academic improvement plans. +Wellness Action Plans must include goals and school-based +activities designed to promote student wellness based on +the results of the school’s Healthy Schools Program +Inventory, Environmental Health Inspection/Audit, annual +District priorities, and other appropriate assessment tools. A +Roster of each school’s Wellness Council will be submitted +as a part of the Wellness Action Plan template. Instructions +and a template for the Wellness Action Plan can be found + + +Page 37: +Superintendent’s Circular HWD-01 +Page 37 of 102 + + + +online at: http://www.bostonpublicschools.org/hwd +f. Engaging stakeholders: +○ Schools must make available to the public and school +community on their website a list of names and +position titles (or relationship to the school) of +individuals who are a part of their school-based +wellness councils and include the name, position title, +and school-based contact information of the council +chairs(s). +○ Schools must share information on their school’s +website about how the public can get involved with +the school wellness councils. +○ Schools must post their Wellness Action Plans on their +school’s website to share local school goals and +activities to implement the policy. +○ Schools must share a link to the District Wellness +Policy on their school’s website and send a message to +families notifying them of how they may obtain a copy +or otherwise access the policy. +○ School-based Wellness Councils shall annually +communicate wellness-related policies so that all staff, +families and students are aware of the policy +requirements. + + + +Page 38: +Superintendent’s Circular HWD-01 +Page 38 of 102 + + + +Associated Boston Public Schools District departments will +provide professional development, toolkits, resources, and +technical assistance to support the implementation of District- +level policies related to wellness. Schools will be able to access +professional development using the District-supported My +Learning Plan. Wellness related trainings will be culturally +proficient by addressing race, ethnicity, and nationality; sexual +orientation and gender identity; special needs; language and +dialect; and practical skills in mediating intercultural conflict. + +C. IMPLEMENTATION GUIDELINES FOR MONITORING AND +EVALUATION + +The Boston Public Schools Health and Wellness Department, in +collaboration with appropriate District Departments, will be +designated to ensure that each school, including out of school +time programs, complies with this policy. Other wellness-related +policies will be monitored, evaluated, and supported by the +District departments that currently oversee these policies. The +District will collect additional data than listed in this section to +monitor compliance. + +To evaluate the effectiveness of policy implementation, the BPS +Health and Wellness Department and appropriate District +departments will facilitate school-based surveys and audits +measuring changes in school environments over time. Such + + +Page 39: +Superintendent’s Circular HWD-01 +Page 39 of 102 + + + +surveys include: +a. Healthy Schools Program Assessment, Alliance for a +Healthier Generation. +b. School Health Profiles, Centers for Disease Control and +Prevention +○ Principal Survey (all school levels) +○ Lead Health Ed. Teacher Survey (schools with grades 6- +12) +○ Lead Phys. Ed. Teacher Survey (all school levels) +c. District staffing reports from the Office of Human Capital +d. Essential School Health Services Monthly Activities Report +e. School Environmental Audit + +To evaluate the effectiveness of policy implementation, the BPS +Health and Wellness Department and appropriate District +departments will facilitate anonymous student surveys +measuring changes in student outcomes over time. Where +possible, data must be reported by vulnerable subgroups (e.g. +race/ethnicity, gender, sexual identity) Such surveys include, but +are not limited to: +a. Youth Risk Behavior Survey (YRBS): +○ Middle School YRBS (conducted biennially in + + +Page 40: +Superintendent’s Circular HWD-01 +Page 40 of 102 + + + +randomized sample of schools serving students in +grades 6-8 during the Fall semester of even numbered +school years, i.e., Fall 2013, 2015, 2017, etc.). +○ High School YRBS (conducted biennially in randomized +sample of schools serving students in grades 9-12 +during the Spring semester of odd numbered school +years, i.e., Spring 2015, 2017, 2019, etc.) +b. School Climate Survey (conducted annually by the Office of +Data & Accountability) +c. FITNESSGRAM (grades 3-12) +d. Health Services SNAPNurse system + +As stated above, the annual report shall be presented to the +DWC, superintendent, the School Committee, and the +Massachusetts Department of Education, and shared with BPS +stakeholders. + +District Wellness Policy Monitoring & Evaluation Plan + +Table Abbreviations: +PO = Process Outcome; IMO = Intermediate Outcome; LTO = + + +Page 41: +Superintendent’s Circular HWD-01 +Page 41 of 102 + + + +Long-term Outcomes +General Policy/Council (GEN) Metrics +GEN Process Outcomes (PO) + + +Page 42: +Superintendent’s Circular HWD-01 +Page 42 of 102 + + + +PO1: DWC and Subcommittee Meetings [DWC Records] +PO1.1: # of Meetings (DWC & by subcommittee) +PO1.2: # of attendees +PO1.3: Action Plan completion (yes/no) +PO1.4: Review Policy (yes/no) +PO1.5: Hear Stakeholder Feedback through public comment +(yes/no) +PO1.6: Update policy (yes/no/not applicable) +PO2: Policy Communication/Public Notification (yes/no) +[DWC Records] +PO2.1: Policy Translation +PO2.2: Post to BPS website: Policy, meeting times, action +plan, membership, contact information +PO2.3: Policy in Parent Guidebook +PO2.4: Policy update presentations to School Committee +PO2.5: Policy update presentations to: BSAC, CPC, DELAC, +SPEDPAC +PO3: Policy Evaluation [DWC Records/Profiles] +PO3.1: Evaluation Plan (in place) + + +Page 43: +Superintendent’s Circular HWD-01 +Page 43 of 102 + + + +PO3.2: Annual Report (yes/no) +PO3.2.1: Alternating Qualitative & Quantitative Reports +PO3.2.2: Post to website +PO3.2.3: Share with Superintendent, School Committee, +DESE +PO3.2.4: Sent to parent councils +PO3.3: Biennial School Wellness Reports [Profiles] +PO4: Policy Trainings +PO4.1: PDs for school wellness council and teachers [HWD +Records] +PO4.2: Training materials for Principals, Superintendents, +Central Office Leaders +PO5: School-based Wellness Councils +PO5.1: % of schools submitting WAPs [HWD Records] +GEN Short-term Outcome (STO) 1: Increase awareness and +knowledge of the District Wellness Policy among BPS +families, District staff, and school leadership and staff +STO1.1: % of schools that post WAP, council members, and +council chair(s) contact information to their website [Profiles +SY19-20] + + +Page 44: +Superintendent’s Circular HWD-01 +Page 44 of 102 + + + +STO1.2: % of schools that send a communication about the +policy home to parents [Profiles] +STO1.3: % of schools that communicate policy to school staff +[Profiles] +GEN STO 2: Improve diverse stakeholder involvement on the +District Wellness Council, the DWC subcommittees & +school-based wellness councils +STO2.1: DWC membership includes representatives from +families, students, school and District instructional and +operational administrators, relevant central department +heads, school food and nutrition services staff, physical +education and health education teachers, school nurses and +other school health professionals (e.g. psychologists, +guidance counselors, social workers) a school committee +member, community youth serving agencies, Boston Public +Health Commission representatives, healthcare providers +and the general public [DWC Records] +STO2.2: # of public comments made during DWC meetings +[DWC Records] +STO2.2: #(%) of school wellness councils with 2 or more +family reps on the wellness council [WAPs] +STO2.3: #(%) of school wellness councils with 2 or more +students on the wellness council [WAPs] + + +Page 45: +Superintendent’s Circular HWD-01 +Page 45 of 102 + + + +GEN STO 3: Improve policy to align with model school +wellness policies and best practices, annual report findings +and recommendations, input from schools and the +community, research evidence, and government +regulations. [DWC records] +STO3.1: Policy updates by area +GEN STO 4: Increase the number of schools with quality +wellness councils [HWD Records] +STO4.1: #(%) of schools with wellness councils that meet +quarterly +STO4.2: #(%) of schools with identified wellness council +chair(s) +GEN IMO 1: Improve the functionality of the school-based +wellness councils [WAPs] +IMO1.1: % of WAPs with SMART Goals +IMO1.2: % of WAPs goals in each policy area +IMO1.3: % of wellness council with +IMO1.3.1: Minimum representation of member roles +IMO1.3.2: Addition representation of member roles + + +Page 46: +Superintendent’s Circular HWD-01 +Page 46 of 102 + + + +IMO1.4: % of schools with trained wellness council co-chairs +Cultural Proficiency (CP) Metrics +CP Process Outcomes: +PO1: # of trainings on Equity policy and practices (e.g. Equity +Protocol, Welcoming Schools, EQT-4) [Equity Office] +PO2: # (%) of schools that have staff trained on CLSP +PO3: # (%) of central office departments that have at least +70% staff trained on CLSP +PO4: # (%) of staff by school trained on CLSP +CP STO 1: Increased # of schools assessing organizational +structure, policies, and school-wide practices for cultural +proficiency +STO1.1: # (%) of schools with CLSP goal on their WAP +CP STO 2: Increased # of schools engaging families, +students, and community members in decision-making +[WAPS] + + +Page 47: +Superintendent’s Circular HWD-01 +Page 47 of 102 + + + +STO2.1: # of family members on school-based wellness +council +STO2.2.: # of students on school-based wellness council +STO2.3: # of community orgs on school-based wellness +council +STO2.4: # (%) of schools that engage these groups in +wellness council +CP IMO 1: Positive perceived climate around cultural +proficiency +IMO1.1: District score on Community Involvement Scale +[Climate Survey/ODA] +IMO1.2: District score on Appreciation for Diversity Scale +[Climate Survey/ODA] +IMO1.3: District score on Family/School Relationship Scale +[Climate Survey/ODA] +IMO1.4: District score on Cultural Responsiveness Scale +[Climate Survey/ODA] +IMO1.5: District score on Student/Teacher Relationships Scale +[Climate Survey/ODA] +IMO1.6: Parent perception of school climate as safe and +welcoming [Climate Survey/ODA] + + +Page 48: +Superintendent’s Circular HWD-01 +Page 48 of 102 + + + +IMO1.7: % of middle and high school students that report +having an adult at school that they can talk about issues in +their life [2017 MS & HS YRBS] +School Food & Nutrition Promotion (SFNP) Metrics +SFNP Process Outcomes (PO) +PO1: # (%) of schools participating in the School Breakfast +Program [FNS Records] +PO1.1: # (%) of schools using different models of the School +Breakfast program +PO2: % (#) of schools participating in School Lunch Program +[FNS Records] +PO2.1: % (#) of school using different models of the School +Lunch Program +PO3: # (%) of schools with cafeteria staff trained on food +safety [FNS Records] +PO4: # (%) of schools with completed kitchen inspection +[FNS records] +PO5: # of Healthy Food Environment Wellness Champions +[HWD records] +PO6: # (%) of school leaders aware of the competitive sales + + +Page 49: +Superintendent’s Circular HWD-01 +Page 49 of 102 + + + +policy [HWD Records] +PO7: # of nutrition education PDs [HWD Records] +PO8: # of staff trained at nutrition education PDs [HWD +Records] +SFNP STO 1: Increase variety of foods that are local, culturally +influenced, and clean label [FNS Records] +STO1.1: % of food items procured by the District that are local +STO1.2: % of menu items that are culturally influenced to +reflect the student population +Cafeteria Schools +Vended Meals +SFNP STO 2: Increase support of BIC from school +administration +STO2.1: #(%) of schools implementing BIC [FNS Records] +SFNP STO 3: Increase awareness of competitive sales policy +STO3.1: #(%) of school leaders that inform their staff of the +competitive sales policy [Profiles] + + +Page 50: +Superintendent’s Circular HWD-01 +Page 50 of 102 + + + +SFNP STO 4: Maintain 100% of schools with cafeteria staff +with all required certifications, inspected kitchen, and a +Hazard Analysis and Control Points plan +STO4.1: % of schools with cafeteria staff with all required +certifications, compliant kitchen, and a Hazard Analysis and +Control Points plan [FNS Records] +SFNP STO 5: Increase in schools teaching healthy eating +habits in health education, physical education, and other +subjects +STO5.1: # (%) of schools teaching nutrition education through +Comprehensive Health Education [Profiles] +SFNP STO 6: Increase in the number of satellite schools able +to provide bulk, freshly prepared, on-site meal service [FNS +Records] +STO6.1: % of schools receiving vended meals +STO6.2: % of satellite schools that are converted to be able to +provide bulk, freshly prepared, on-site meal service (In three +years, all schools implementing My Way Cafe model) +SFNP IMO 1: Increased participation in all school meal +programs + + +Page 51: +Superintendent’s Circular HWD-01 +Page 51 of 102 + + + +IMO1.1: Number or percent of schools with at least XX% of +students participating in SBP, NSLP, CACFP, and Summer +Meals Program [FNS Records] +SFNP IMO 2: Reduced food waste +IMO2.1: Difference in weight between food served and food +uneaten (thrown away) [BOSfoodlove] +SFNP IMO 3: Increase in schools that do not sell, serve or +provide food and beverages outside of the school meal plan +that do not meet BPS nutritional guidelines [Profiles] +IMO3.1: #(%) of schools where students cannot purchase +snacks, meals or beverages from school vending machines +or at a school store, fundraisers, canteen, or snack bar during +lunch +IMO3.2: #(%) of schools that sell food and/or beverages from +school vending machines or at a school store, fundraisers, +canteen, or snack bar that met BPS nutritional guidelines +SFNP IMO 4: Increase in student practicing healthy eating +habits [FNS Records] +IMO4.1: # of breakfast provided +IMO4.2: # of milk provided + + +Page 52: +Superintendent’s Circular HWD-01 +Page 52 of 102 + + + +IMO4.3: # of students choosing/served a fruit +IMO4.4: # of students choosing/served a vegetable +Physical Activity & Physical Education (PE/PA) Metrics +PE/PA Process Outcomes [HWD Records] +PO1: # of PD opportunities for PE, PA and SRTS +PO2: # of teachers in attendance at PDs +PO3: # of IC sessions for PE, PA and SRTS +PO4: Tools developed for school-based staff (Qual) +PO5: # of TA sessions +PO6: # of active PA community partnerships +PO7: # of PE curricula distributed +PO8: # of PE equipment distributed +PO9: # of MS Athletic programs +PO10: # of HS Athletic programs +PE/PA STO1: Improve the staffing capacity of schools to +provide PE according to Policy +STO1.1: #(%) of schools with PE staff FTE to provide PE + + +Page 53: +Superintendent’s Circular HWD-01 +Page 53 of 102 + + + +according to policy. +PE/PA STO 2: Increase capacity of school-based staff to +deliver high quality PE/PA programs +School day: PE, Recess, Before/After school programming +(including sports), SRTS [HWD Records] +STO2.1: #(%) of schools with PE teachers completed IC during +last 2 years +STO2.2: #(%) of schools implementing standards-based PE +curricula +STO2.3: #(%) of schools with PE teachers that have +completed PD for PE +STO2.4: #(%) of schools with teachers that have completed +PD for PA +STO2.5: #(%) of schools with teachers that have completed +PD for SRTS +STO2.6: #(%) of schools receiving training on active recess +PE/PA STO 3: Increase % of schools offering any PE +STO3.1: # (%) of schools offering any amount of PE classes +[Profiles] + + +Page 54: +Superintendent’s Circular HWD-01 +Page 54 of 102 + + + +PE/PA STO 4: Increase % of schools offering recess to grades +PreK-8 [Profiles] +STO4.1: #(%) of schools offering at least 20 min of recess for +grades PreK-5 +STO4.2: #(%) of schools offering at least 20 min of recess for +grades 6-8 +PE/PA STO 5: Increase % of schools offering before- and +after-school physical activity opportunities +STO5.1: #(%) of schools in SRTS program [HWD Records] +STO5.2: #(%) of schools with MS Athletic programs [Athletics +Dept] +STO5.3: #(%) of schools with HS Athletic programs [Athletics +Dept] +STO5.5: #(%) of schools offering opportunities for students to +participate in intramural sports programs or physical activity +clubs [Profiles] +PE/PA STO 6: Increase % of schools not withholding physical +activity as punishment +STO6.1: # (%) of schools not withholding physical activity as +punishment [Profiles] + + +Page 55: +Superintendent’s Circular HWD-01 +Page 55 of 102 + + + +PE/PA STO 7: Increase number of schools that access +resources, partnerships and supports +STO7.1: #(%) of schools with partnerships by PA/PE type +[Partnership Portal] +STO7.2: #(%) of schools with resources/supports by PA/PE +type [HWD Records] +PE/PA STO 8: Improve collaborations between the District, +city agencies, schools, families and schools around safe, +active transportation +STO8.1: # (%) of schools with identified priority walking +routes [HWD records] +STO8.2: # (%) of schools participating in Walk to School Day +[HWD Records] +STO8.3: # (%) of schools that provide pedestrian safety +education programming [HWD Records] +STO8.4: # (%) of schools that provide support for families +related to walking, rolling or transit [2019 Profiles] +STO8.5: # (%) of schools represented in requested +transportation surveys +PE/PA IMO 1: Increase % of students reporting having PE + + +Page 56: +Superintendent’s Circular HWD-01 +Page 56 of 102 + + + +[YRBS] +IMO1.1: # (%) MS and HS students reporting PE one or more +times per week +IMO1.2: # of students who receive physical education classes +(enrollment in PE course; grade on their report card) +PE/PA IMO 2: Increase % of schools providing PE according +to BPS policy [Profiles] +IMO2.1: # (%) of schools (which contain grades PreK-8) that +are providing 45 minutes of weekly PE for students in grades +PreK-8 +IMO2.2: # (%) of schools (which contain grades PreK-8) that +are providing recommended 80 min of weekly PE for +students in grades PreK-8 +IMO2.3: # (%) of schools (which contain grades 9-12) that are +providing 1 semester of PE each year for students grades 9- +12 +PE/PA IMO 3: Increase % of students reporting active +transportation to and from school +IMO3.1: % of students that report walking or biking to school +[YRBS] + + +Page 57: +Superintendent’s Circular HWD-01 +Page 57 of 102 + + + +PE/PA IMO 4: Increase % of schools with grades PreK- 8 +meeting policy for 150 minutes of weekly PA +IMO4.1: # (%) of schools providing students (PreK-8) with 150 +minutes of physical activity, including at least 45 minutes of +PE per week and 20 minutes of recess daily [Profiles] +PE/PA IMO 5: Improve the equity of access to athletic +programming [Athletics] +IMO5.1: #(%) students participating in a school sports +program +IMO5.2: #(%) of schools offering access to Athletics Programs +according to the BPS Athletics Criteria for Equity +IMO5.3: # (%) of schools with equal number of boys’ and girls’ +athletic teams +Comprehensive Health Education (CHE) Metrics +CHE Process Outcomes: [HWD records] +PO1: # of HE PD opportunities +PO2: # of teachers/staff in attendance at PDs +PO4: Tools developed for school-based staff (Qual) + + +Page 58: +Superintendent’s Circular HWD-01 +Page 58 of 102 + + + +PO5: # of TA sessions +PO6: # of HE related community partnerships +PO7: # of resources provided to schools (curriculum, +instructional supplies) +CHE STO 1: Increase capacity of school-based staff to deliver +high-quality, skills-based comprehensive health education +[HWD Records] +STO1.1: #(%) of HE teachers trained on CHE curricula +STO1.2: #(%) of teachers/staff trained on CHE curricula +STO1.3: #(%) of teachers/staff trained on Sexual Health Ed +curriculum +STO1.4: #(%) of teachers/staff reporting an increase in +knowledge and skills post PD +#(%) of schools with teachers who received IC +CHE STO2: Increase number of qualified and trained +teachers in elementary school and licensed health education +teachers in middle and high schools +STO2.1: # of qualified and trained teachers delivering health +education in Elementary schools +STO2.3: # of Licensed health education teachers delivering + + +Page 59: +Superintendent’s Circular HWD-01 +Page 59 of 102 + + + +health education in Middle and High Schools +CHE STO 3: Increased number of schools implementing +comprehensive health education curricula for all grades +[HWD Records/Profiles] +STO3.1: # (%) of schools with PreK-3 grades that use +approved curriculum +STO3.2: # (%) of schools with 4-5 grades that use Healthy & +Safe Body Unit +STO3.3: # (%) of schools with 6-8 grades that use approved +curriculum +STO3.4: # (%) of schools with 9-12 grades that use approved +curriculum +CHE STO 4: Increase the number of schools providing Health +Education [HWD Records/Profiles] +STO4.1: # (%) of schools providing HE in 2+ elementary +grades +STO4.2: # (%) of schools offering 2 semesters of HE in MS +STO4.3: # (%) of schools offering 1 semester of HE in HS +CHE STO 5: Increase number of schools that leverage + + +Page 60: +Superintendent’s Circular HWD-01 +Page 60 of 102 + + + +resources, partnerships and supports to improve the quality +of HE [Profiles/HWD] +STO5.1: # (%) of schools with partnerships to support HE +teaching [Profiles] +STO5.2: # (%) of school with partnerships to promote health +literacy among student and families +STO5.3: # (%) of schools accessing District +resources/supports [Profiles] +CHE IMO 1: Increase in number of schools providing HE +according to BPS policy [Profiles, HWD records, OHC Staffing +Data] +IMO1.1: # (%) of schools with trained BPS teachers teaching +grades 4-5 Healthy and Safe Body Unit in all classes +IMO1.2: # (%) of schools with grades 6-8 offering at least two +semesters of skills-based health education for all students +taught by a licensed health education teacher +IM1.3: # (%) of schools with grades 9-12 offering at least one +semester of skills-based health education for all students +taught by a licensed health education teacher +CHE IMO 2: Increased number of students who received +dedicated health education time [ASPEN/SIS] + + +Page 61: +Superintendent’s Circular HWD-01 +Page 61 of 102 + + + +IMO2.1: # of students who receive dedicated health +education time +CHE IMO 3: Increase Comprehensiveness and Accessibility of +Health Education Content [Profiles] +Healthy School Environment (HSE) Metrics +HSE Process Outcomes: +PO1: School Environmental Audits [Environmental +Division/BPHC records] +PO1.1: #(%) of schools with SEA +PO2: Green Cleaner Policy +PO2.1: # of safer sanitizer bottles distributed [Facilities Mgmt] +PO2.2: #(%) of programs trained to properly use Oxivir +PO3: Rapid Response [Facilities Mgmt] +PO3.1: # of custodians trained to properly clean/treat +outbreaks +PO3.2: Updated/Improved system for tracking +illness/outbreak responses +PO4: Integrated Pest Management Program [Facilities +Mgmt/IPM contractors’ records] + + +Page 62: +Superintendent’s Circular HWD-01 +Page 62 of 102 + + + +PO4.1: #(%) of Schools assigned IPM Contractors +PO4.2: #(%) of Schools with IPM Plans +PO5: Decluttering Initiative [Facilities Mgmt/Profiles (SY19- +20)] +PO5.1: Creation of a BPS Declutter Guide +PO6: Water Policy [Facilities Mgmt] +PO6.1: # (%) online and offline schools +PO6.2: # of drinking water units by type +PO7: Zero Waste Policy [Facilities Mgmt] +PO7.1: #(%) of Schools with Zero Waste Coordinators +PO7.2: #(%) of schools with zero waste equipment/bins +present +PO7.3: #(%) of schools with book recycling bins +PO7.4: #(%) of schools with textile recycling bins +PO8: Communication of HSE Policies [Facilities +Mgmt/HWD/MassCOSH records] +PO8.1: Plan/strategy to communicate the Healthy School +Environment-related policies +PO8.2: #(%) of school leaders trained on the Healthy School + + +Page 63: +Superintendent’s Circular HWD-01 +Page 63 of 102 + + + +Environment-related policies +PO9: HSE Wellness Champion Program [Facilities +Mgmt/HWD/MassCOSH records] +PO9.1: # of training sessions +PO9.2: # of schools participating in the HSE Wellness +Champions Program +HSE STO 1: Increase in use of SEAs to identify and address +HSE improvements +STO1.1: Track requests generated from SEAs [Facilities Mgmt] +STO1.1.1: #(%) of repair requested as a result of SEA +STO1.1.2: #(%) of repair requests completed as a result of SEA +STO1.2: # of Principals reported reviewing results of SEA +[Profiles] +STO1.3: # (# of schools with) WAP goals identified using SEA + + +Page 64: +Superintendent’s Circular HWD-01 +Page 64 of 102 + + + +[Profiles/WAP] +HSE STO 2: Increase in the schools with staff using green +cleaners in classrooms and offices +STO2.1: #(%) of schools with staff aware of green cleaning +policy [Profiles] +STO2.2: % of schools with staff using green cleaners in +classrooms and offices [Profiles] +STO2.3: #(%) of BPS Early Ed Programs, after-school +programs that serve food, and YMCA school-based programs +receiving and using Oxivir [Facilities] +HSE STO 3: Increase school capacity to address IPM incidents +[Profiles] +STO3.1: #(%) of schools that identified an IPM Coordinator +STO3.2: #(%) of schools with staff that know how to use IPM +log +HSE STO 4: Increase schools implementing systems to +reduce, reuse, and recycle to decrease waste and clutter +[Facilities Mgmt] + + +Page 65: +Superintendent’s Circular HWD-01 +Page 65 of 102 + + + +STO4.1: # of schools who complete declutter initiatives +# of tons recycled +STO4.2: #(%) of schools with complete and functioning Zero +Waste Programs [Facilities Mgmt] +STO4.1.1: #(%) of schools properly disposing of waste by type +STO4.1.2: # of tons of waste removed from schools +STO4.1.3: # of OIIT e-waste requests submitted in one year +STO4.1.4: # of universal and hazardous waste pick-ups in one +year +HSE STO5: Decrease in bottled water needs [Facilities Mgmt] +STO5.1: #(%) of offline schools returning to online +STO5.2: #(%) of schools undergoing water infrastructure +improvements +HSE STO 6: Decrease in causes of poor outdoor air quality +around school buildings +STO6.1: #(%) of schools where staff are aware/promote +Tobacco Free Policy [Profiles] +STO6.2: #(%) of schools that limit busing idling to no more +than 5 minutes [Profiles] + + +Page 66: +Superintendent’s Circular HWD-01 +Page 66 of 102 + + + +HSE STO 7: Improved building infrastructure to support +active transportation and active play +STO7.1: # (%) of playground assessment issues addressed +[Profiles] +STO7.2: # (%) of schools that have bike racks or other storage +systems for students and staff [Facilities Mgmt] +HSE STO 8: Increase Wellness Champion projects and +initiatives at schools [HWD Records] +STO8.1: #(%) of HSE WAP goals +STO8.2: #(%) of HSE WAP goals completed +HSE IMO 1: Decrease in infection and illness outbreaks +[Facilities Mgmt/Health Services] +IMO1.1: # of infection and illness outbreaks +HSE IMO 2: Decrease in pest-related incidents +IMO2.1: #(%) of pest incidents logged, reported, and treated +[Facilities Mgmt/IPM contractors’ records] +HSE IMO 3: Ensure water quality, maintenance, and +promotion + + +Page 67: +Superintendent’s Circular HWD-01 +Page 67 of 102 + + + +IMO3.1: #(%) of schools getting annual water system testing +IMO3.2: #(%) schools with coolers cleaned +IMO3.4: #(%) of schools that reviewed water policy with staff +HSE LTO 1: Increase the number of high-performing school +buildings with grounds that are clean and in good repair +LTO1.1: SEA Trends [Facilities Mgmt] +Safe & Supportive Schools (SSS) Metrics +SSS Process Outcomes: +PO1: # of Behavioral Health community partnerships [BPS +Partnership Portal] +PO2: #(%) of schools using universal screening for mental +health [BHS Records] +PO3: # of PDs/ # of attendees +PO3.1: Bullying/Violence Prevention [Succeed Boston] +PO3.2: Restorative Justice [Succeed Boston] +PO3.3: K-12 SEL Standards [SEL-I & SAWS Records] +PO3.4: Targeted interventions for vulnerable populations + + +Page 68: +Superintendent’s Circular HWD-01 +Page 68 of 102 + + + +[BHS/Succeed Boston/Opportunity Youth Records] +PO3.5: MTSS/CBHM [BHS Records] +PO4: #(%) of schools with Student Support Team [Profiles] +PO5: #(%) of middle and high schools with EPS liaisons +[Profiles] +PO6: #(%) of schools with a Homelessness Liaison +[Opportunity Youth] +PO7: #(%) of schools with trained Bullying Prevention +Liaisons [Profiles] +SSS STO 1: Increased # of schools trained in BPS K-12 SEL +standards +STO1.1: # (%) of schools that have all staff trained in BPS K-12 +SEL standards [Profiles] +SSS STO 2: Increased implementation of Multi-tiered System +of Supports (MTSS-B) to improve school and classroom +climate [Profiles] +STO2.1: % (#) of schools that offer tier 1 supports +STO2.2: % (#) of schools that offer tier 2 supports +STO2.3: % (#) of schools that offer tier 3 supports + + +Page 69: +Superintendent’s Circular HWD-01 +Page 69 of 102 + + + +STO2.4: % (#) of schools that implement Restorative Justice +SSS STO 3: Increased targeted interventions for vulnerable +populations [Profiles] +STO3.1: #(%) of schools with gay straight alliances +STO3.2: #(%) of schools providing additional supports to +vulnerable populations +SSS STO 4: Increased CBHM implementation fidelity [BHS +Records] +STO4.1: Tiered fidelity inventory (measure normed) schools in +CBHM model use +STO4.2: # of students screened in CBHM schools, fall and +spring screening +SSS STO 5: Increased # of schools with all staff trained on +bullying prevention +STO5.1: #(%) of schools with staff trained on bullying +prevention [Profiles] +SSS STO 6: Increase in the number of schools with behavioral +health partner supports + + +Page 70: +Superintendent’s Circular HWD-01 +Page 70 of 102 + + + +STO6.1: #(%) of schools with a minimum of 3 behavioral +supports partners [BHS Records] +SSS STO 7: Increase in schools appropriately staffed to meet +the mental, emotional, and behavioral health needs of +students as determined by the BPS staffing criteria for +school psychologists, social workers, and guidance +counselors +STO7.1: #(%) school appropriately staffed according to BPS +criteria [BHS/OHC Records] +SSS STO 8: Increased quality of Student Support Teams +STO8.1: % of schools indicating a “yes” on the following +Profiles question: “Include the following positions on their +SST: school psychologists, social workers, guidance +counselors (for only HS), school nurses, community partners +and trained classroom teachers” [Profiles] +STO8.1: % of schools achieving Quality Index TBD +SSS STO 9: Increased awareness of EPS policy and resources +for students +STO9.1: % of schools with an Expectant & Parenting Student +liaison [Profiles] + + +Page 71: +Superintendent’s Circular HWD-01 +Page 71 of 102 + + + +SSS IMO 1: Improved system for handling bullying incidents +in schools +IMO1.1: TBD +IMO1.3: # of bullying incidents reported +SSS IMO 2: Increased # schools with all teachers +implementing explicit SEL instruction +IMO2.1: # (%) of CBHM schools with all teachers teaching +explicit SEL Instruction with fidelity. [BHS Records (SEL +Instruction tool: fidelity measure)] +IMO2.2: # (%) of all schools implementing [Profiles] +SSS IMO 3: Decrease incidents of violence at schools +IMO3.1: # of students with Code of Conduct Violations +(violence)/Suspensions [SIS] +IMO3.2: # of school referrals to Succeed Boston for violent +offenses [Succeed Boston] +SSS IMO 4: Increase number of schools with safe school +climate [School Climate Survey/ODA] + + +Page 72: +Superintendent’s Circular HWD-01 +Page 72 of 102 + + + +IMO4.1: District score on Sense of Belonging Scale +IMO4.2: District score on Student Emotional Safety Scale +IMO4.3: District score on Staff Support Scale +IMO4.4: District score on Student Physical Safety Scale +SSS IMO 5: Decrease in crisis/behavioral response requests +from schools [Health Services/BHS] +IMO5.1: # of incidents where ambulance or police has been +called for behavioral health needs +SSS IMO 6: Increase SEL Skills in students +IMO6.1: BIMAS adaptive scales (CBHM schools) +IMO6.2: TBD-District-wide +SSS IMO 7: Increase in expectant and parenting students +accessing resources +IMO7.1: # (%) of schools with EPS liaisons +using/communicating liaison supports [Profiles] +Health Services Metrics +HS Process Outcomes: + + +Page 73: +Superintendent’s Circular HWD-01 +Page 73 of 102 + + + +PO1: Quality Improvement [HS Records] +PO1.1: Electronic Medical Record Protocols written +PO1.2: Formula for staffing school nurses developed +PO1.3: System for creating a universal scorecard for nursing +practice +PO1.4: Nurse support system established +PO2: Professional Development for Nurses [HS Records] +PO2.1: #(%) of nurses trained +PO2.3: #(%) of schools with nurses trained +PO2.4: # of Nursing PD opportunities by type +PO3: Nurse Liaison Technical Assistance [HS records] +PO3.1: # of TA sessions +PO3.2: # of schools receiving TA +PO4: School Nurse Direct Services [SNAPNurse] +PO4.1: # of injury visits +PO4.2: # of acute disease management visits +PO4.3: # of chronic disease management visits +PO4.4: # of visit for treatments and medications + + +Page 74: +Superintendent’s Circular HWD-01 +Page 74 of 102 + + + +PO4.5: Case management (school nurse/PCP/parent) +PO4.6: # of screenings/referral/completed referrals +PO4.7: School Nurse Referrals +PO4.7.1: # of referrals to HRCs +PO4.7.2: # of referrals to SBHCs +PO4.7.3: # of referrals for acute medical management +PO4.7.4: # of referrals for chronic disease management +PO5: # of nurse-led school staff training sessions +PO6: # of Individual and group sessions with students +PO7: # of health promotions +PO8: Community partner services +PO8.1: HRCs +PO8.2: SBHCs +PO8.3: # of schools receiving community partnerships by +type +PO9: Condom Accessibility [HWD records] +PO9.1: % of high schools with CATs +PO9.3: % of CAT members trained on how to make referrals + + +Page 75: +Superintendent’s Circular HWD-01 +Page 75 of 102 + + + +and provide condoms +HS STO 1: Increase schools appropriately staffed to meet the +medical needs of students as determined by the BPS Health +Services staffing criteria +STO1.1: # (%) school appropriately staffed according to BPS +criteria [OHC] + + +Page 76: +Superintendent’s Circular HWD-01 +Page 76 of 102 + + + +HS STO 2: Increase capacity of school-based staff to deliver +high quality nursing services +STO2.1: #(%) of schools with nurses receiving required Health +Service Professional Develop (18 hour and/or monthly +exemplar practice) +STO2.2: # of nurses reviewed using the Health Services +Scorecard +STO2.3: # of schools with 90% or greater of immunization +compliance +STO2.4: % of Individual Health Care Plans (IHCP) +STO2.5: % of schools with 90% or greater compliance with +District physical exam policy +STO2.6: # One-on-one counseling +STO2.7: # of nurses receiving National Asthma Certification +HS STO 3: Improve school-wide awareness for students with +chronic disease +STO3.1: % of schools that have all Individual Health Care +Plans (IHCP) for students with Individual Education Plans +with required signatures [SNAPNurse] +HS STO 4: Increase the % of students receiving state- + + +Page 77: +Superintendent’s Circular HWD-01 +Page 77 of 102 + + + +mandated screenings [SNAPNurse] +STO4.1: # (%) of schools with XX% of students screened +STO4.1.1: Hearing screening +STO4.1.2: Vision screening +STO4.1.3: SBIRT screening +STO4.1.4: Height & Weight (Body Mass Index) +STO4.2: # (%) of students with referrals for failed screening +STO4.3: # (%) of students with completed referrals for failed +screenings +HS STO 5: Increase % of students visiting the nurse that are +able to return to the classroom for continued learning +STO5.1: % of students returning to their classroom +[SNAPNurse] +HS STO 6: Increase the schools with nurse-lead health +promotions campaigns +STO6.1: #(%) schools conducting nurse-lead health +promotions campaigns [ESHS Data] +HS STO 7: Increase in the % of CATs making referrals and + + +Page 78: +Superintendent’s Circular HWD-01 +Page 78 of 102 + + + +providing condoms [ESHS Data] +STO7.1: # of condoms distributed by CATs +STO7.2: # of sexual health referrals by CATs +STO7.3: % of schools with functioning CATs +HS STO 8: Increase the provision of sexual health referrals +[Profiles] +STO8.1: % of middle and high schools with nurses providing +sexual health referrals to students +HS STO 9: Increase in the provision sexual health services +[Profiles] +STO9.1: % of middle and high schools with nurses providing +sexual health referrals to students +HS IMO 1: Improved school-wide management for students +with chronic disease +IMO1.1: # of dismissals from school related to chronic disease +[SNAPNurse/TBD] +Staff Wellness (SW) Metrics + + +Page 79: +Superintendent’s Circular HWD-01 +Page 79 of 102 + + + +SW Process Outcomes: +PO1: # of District communications on staff wellness related +topics [External Affairs/TBD] +PO2: DWC Staff Wellness Subcommittee co-chairs identified +[DWC Records] +PO3: # Subcommittee meetings held [DWC Records] +SW STO 1: Increased staff physical activity +STO1.1: % of staff reporting at least 30 minutes of physical +activity a day [TBD] +SW STO 2: Increased staff healthy eating +STO2.1: % of staff reporting eating 5 servings of fruits and +vegetables in a day [TBD] +SW STO 3: Increased % of schools with staff wellness +activities and initiatives [Profiles] +STO3.1: % of schools with staff wellness as a goal on their +Wellness Action Plan +STO3.2: % of schools that answered yes to “In the past school +year, did your school offer any staff wellness initiatives?” + + +Page 80: +Superintendent’s Circular HWD-01 +Page 80 of 102 + + + +SW IMO 1: Increase in teachers’ school climate +IMO1.1: Improve professional community +IMO1.2: Improve support for teacher development and +growth +SW IMO 2: Increased % of schools with an institutionalized +Staff Wellness Program +IMO2.1: % of schools with a staff wellness promotion or +program that took place for an extended duration across the +year. [Profiles/WAP] +WELLNESS POLICY LONG-TERM STUDENT IMPACTS +1. Improve student physical fitness +a. % of students achieving health fitness levels (Source: +Fitnessgram) +i. Health Fitness Zone in ⅗ assessments +ii. Health Fitness Zone for aerobic capacity +2. Reduce prevalence of health-risk behaviors among +students (Source: YRBS) +a. % of students who have ever had sexual intercourse + + +Page 81: +Superintendent’s Circular HWD-01 +Page 81 of 102 + + + +b. % of students who had sexual intercourse in the last 3 +months (i.e sexually active) +c. % of students who had sexual intercourse with four or +more persons during their life +d. % of students who have ever been pregnant or gotten +someone pregnant +e. % of students who did not go to school because they +felt unsafe at school or on their way to or from school +(in the last 30 days) +f. % of students who carried a weapon on school +property (in the last 30 days) +g. % of students who were threatened or injured with a +weapon on school property (in the past 12 months) +h. % of students who were in a physical fight on school +property (in the past 12 months) +i. % of students who were bullied on school property (in +the past 12 months) +j. % of students who were electronically bullied (in the +past 12 months) +k. % of students who experienced physical dating +violence (in the past 12 months) +l. % of students who experienced sexual dating violence + + +Page 82: +Superintendent’s Circular HWD-01 +Page 82 of 102 + + + +(in the past 12 months) +m.% of students who were ever physically forced to have +sexual intercourse (when they did not want to) +3. Increase in protective health behaviors among students +(Source: YRBS) +a. % of students who used a condom during last sexual +intercourse (among students who were currently +sexually active) +b. % of students who used effective hormonal birth +control† to prevent pregnancy (during last sexual +intercourse among students who were currently +sexually active) +c. % of students who used a condom and effective +hormonal birth control during last sexual intercourse +(among students who were currently sexually active) +d. % of students who were ever tested for HIV (not +including tests done when donating blood) +e. % of students who were physically active at least 60 +minutes per day on all 7 days +f. % of students who did not watch 3+ hours of TV (on an +average school day) +g. % of students who did not play video or computer +games or used a computer for 3+ hours per day (for + + +Page 83: +Superintendent’s Circular HWD-01 +Page 83 of 102 + + + +something that was not school work, on an average +school day) +h. % of students who ate breakfast daily (in the past +week) +i. % of students who ate fruit or drank 100% fruit juices 2+ +times per day (in the past week) +j. % of students who ate vegetables 2+ times daily (in the +past week) +k. % of students who drank 3+ glasses of water daily (in +the past week) +l. % of students who drank 1+ glasses of milk daily (in the +past week) +m.% of students who did not drink a soda (in the past +week) +n. % of students who did not drink a sugar-sweetened +beverage† (in the past week) +4. Improve feeling of school connectedness among students +(Source: YRBS & Climate Survey) +a. % of students who have at least one teacher or other +adult in their school that they can talk to if they have a +problem + + +Page 84: +Superintendent’s Circular HWD-01 +Page 84 of 102 + + + +b. District score on student engagement in school scale +c. District score on appreciation for diversity scale +d. District score on student civic participation scale +5. Improve student social-emotional wellbeing +a. District score on student social emotional health scale +b. District score on student growth mindset scale +c. District score on student perseverance and +determination scale +6. Improve student mental health outcomes (Source: YRBS) +a. % of students who felt depressed (sad or hopeless +almost every day for two weeks or more in a row that +stopped them from doing some usual activities) +b. % of students who did something to purposely hurt +themselves without wanting to die +c. % of students who seriously considered attempting +suicide +d. % of students who attempted suicide +7. Reduce prevalence of substance use among students +a. % of students who currently used tobacco products +(cigarettes, cigars, smokeless tobacco, electronic vapor + + +Page 85: +Superintendent’s Circular HWD-01 +Page 85 of 102 + + + +products) +b. % of students who currently smoked cigarettes or +cigars +c. % of students who currently used electronic vapor +products +d. % of students who currently drank alcohol +e. % of students who currently binge drank (males 5+ +drinks; females 4+ drinks in a row) +f. % of students who currently used marijuana +g. % of students who ever took prescription pain +medication without a doctor’s prescription or +differently from how a doctor told them to use it +8. Increase prevalence of students with health weight status +a. % of students with health MI status (Source: +SNAPNurse) +9. Reduce in prevalence of asthma among students +a. % of students with asthma diagnosis +(Source:SNAPNurse) +10. Reduce the prevalence of sexually transmitted diseases, +HIV, and adolescent pregnancy among students (Source: + + +Page 86: +Superintendent’s Circular HWD-01 +Page 86 of 102 + + + +BPHC) +a. Incidence rate for chlamydia among Boston youth +b. Incidence rate for gonorrhea among Boston youth +c. Incidence rate for Incidence rate for gonorrhea among +Boston youth among Boston youth +d. Prevalence of Boston youth living with HIV +e. Birth rate among adolescent females +11. Decrease number of medically-related absences among +students (Source: ODA) +a. # of medically-related absences among students +12. Improve school climate for staff (Source: School Climate +Survey) + +III. DEFINITIONS + +All students attend a Boston Public School and include but are +not limited to students with identities that are related to culture, +race, ethnicity, sexual orientation, gender, gender identity, and +ability. + + + +Page 87: +Superintendent’s Circular HWD-01 +Page 87 of 102 + + + +Bullying is a form of emotional or physical abuse that has three +defining characteristics*: +● Deliberate: A bully’s intention is to hurt someone. +● Repeated: A bully often targets the same victim again and +again. +● Power imbalanced: A bully chooses victims he or she +perceives as vulnerable. +*Bullying is different from conflict, fights, or disagreements. It +must meet the above criteria. + +Boston Public Schools Property includes all properties where +students and Boston Public School staff work or attend class. + +Comprehensive Health Education is medically accurate, age and +developmentally appropriate, culturally inclusive, implemented +in safe and supportive learning environments where all students +feel valued, and includes nutrition education. + +Comprehensive School Physical Activity Program (CSPAP) is an +approach by which school Districts and schools utilize all +opportunities for school-based physical activity to develop +physically educated students who participate in physical activity +each day and develop the knowledge, skills, and confidence to be + + +Page 88: +Superintendent’s Circular HWD-01 +Page 88 of 102 + + + +physically active for a lifetime. Quality physical education is the +cornerstone of a CSPAP. CSPAP also includes school-based +physical activity opportunities; school employee wellness and +involvement; and family and community involvement. + +Comprehensive Sexual Health Education is a planned, +sequential, Pre-K – 12 curriculum that is part of a comprehensive +school health approach which addresses age-appropriate +physical, mental, emotional and social dimensions of human +sexuality. It should allow students to develop and demonstrate +developmentally appropriate sexual health-related knowledge, +attitudes, skills and practices. The curriculum should be designed +to motivate and assist students to maintain and improve their +sexual health by delaying sexual initiation, preventing disease +and too-early pregnancy and reducing sexual health-related risk +behaviors. It should be medically accurate, developmentally +appropriate, culturally, including LGBTQ inclusive, and be +provided by qualified, trained, and certified teachers (Future of +Sex Education). + +Cultural Proficiency: esteeming culture, interacting effectively in +a variety of cultural groups, using inclusive language, committing +to continuous learning. + +Cyber bullying is bullying that takes place using electronic +technology. Examples of cyber bullying include mean text + + +Page 89: +Superintendent’s Circular HWD-01 +Page 89 of 102 + + + +messages or emails, rumors sent by email or posted on social +networking sites, and embarrassing pictures, videos, websites, or +fake profiles. + +Federally Funded Child Nutrition Programs include the National +School Lunch Program, National School Breakfast Program, After +School Snack Program, and the Child & Adult Care Food Program. + +LGBTQ is an acronym for individuals who identify as Lesbian, Gay, +Bisexual, Transgender, Queer or Questioning. + +Health Literacy is the capacity of an individual to obtain, +interpret, and understand basic health information and services +and the competence to use such information and services in +ways that are health enhancing (National Health Education +Standards). + +Health Services represents the component of a comprehensive +school health program that directly services the individual child +and monitors health trends within the District. It includes both +the school nurse programs and the school-based health center +programs. The goal of health services is to remove the +educationally relevant health obstacles to learning by ensuring +access and/or referral to primary health care services, managing + + +Page 90: +Superintendent’s Circular HWD-01 +Page 90 of 102 + + + +chronic disease conditions during school hours, preventing and +controlling communicable disease and other health problems, +providing emergency care for illness or injury, promoting and +providing optimum sanitary conditions for a safe school facility +and school environment and providing educational and +counseling opportunities for promoting and maintaining +individual family and community health. + +Nutrition Promotions are strategies, social marketing, materials, +and oral & written communications that provide methods to shift +cultural norms toward healthier foods and beverages. + +Parent engagement occurs when schools are actively involving +parents in an authentic partnership with aims of improving +individual student’s outcomes and school wide initiatives. + +Physical Education (PE) is a planned, sequential program of +curricula and instruction that helps students develop the +knowledge, attitudes, motor skills, self-management skills and +confidence needed to adopt and maintain physically active +lifestyles. PE curricula must align with the BPS PE frameworks. +PE activities that focus on a single activity, such as swimming +and dance, count as PE only if it is part of a CSPAP and aligned +with BPS PE Frameworks. + + + +Page 91: +Superintendent’s Circular HWD-01 +Page 91 of 102 + + + +Physical Activity (PA) is a behavior consisting of bodily movement +that requires energy expenditure above the normal physiological +(muscular, cardiorespiratory) requirements of a typical school +day. Recess, movement breaks, promotional activities, and cross- +curricular incorporation are some examples of PA that should +NOT be counted as PE; PA is not PE and it cannot be allocated as +PE. + +Safe and Supportive Schools create a positive school climate that +actively teaches positive behavior and engaging in prevention +activities to promote feelings of security and connectedness for +students and adults. + +Wellness is a process by which individuals move toward optimal +physical and mental health, regardless of current health status or +disability, by practicing healthy choices within an enabling +environment that encourages healthy decision-making. + + + + IV. +INDEX OF FEDERAL, STATE, AND BOSTON +PUBLIC SCHOOL WELLNESS-RELATED POLICIES & +GUIDELINES + + +Relevant and existing school policies, for which school-based + + +Page 92: +Superintendent’s Circular HWD-01 +Page 92 of 102 + + + +Wellness Councils and school staff must comply, are referenced +below. + +A. School Food and Nutrition Promotion-related policies shall be +followed by all Boston Public Schools: +○ Meals served in Boston Public Schools are in accordance +with the National School Meals Programs. Federally funded +child nutrition programs must comply with the nutrition +standards for school meals, outlined in the Healthy Hunger- +Free Kids Act of 2010. +○ 105 CMR 225: Nutrition Standards for Competitive Foods and +Beverages in Public Schools +○ Mayor Menino’s Executive Order for Healthy Beverages +○ FNS-01: Food Nutrition Services +○ FNS-02: Emergency Meal Procedures +○ FNS-03: Nutrition Policy +○ FNS-04: Responsibilities Regarding School Food Services + +B. Comprehensive Physical Activity and Physical Education- +related policies shall be followed by all Boston Public Schools: +a. Massachusetts Legislation + + +Page 93: +Superintendent’s Circular HWD-01 +Page 93 of 102 + + + +○ MGL c. 71, s. 3: Physical Education +b. District Circulars +○ HWD-02: Physical Education and Physical Activity Policy +○ ATH-01: Prevention & Management of Sports-Related +Head Injuries + +C. Comprehensive Health Education-related policies shall be +followed by all Boston Public Schools: +○ HWD-03: Comprehensive Health Education Policy +○ HWD-05: Human Sexuality Education-Parental Notification + +D. Healthy School Environment-related policies shall be followed +by all Boston Public Schools: +a. Massachusetts Legislation +○ MGL c. 90, s. 16B Idling of a motor vehicle engine on +school property +b. District Circulars +○ BPS Water Access Policy +○ FMT-07: Chemical Inventory “Right to Know” Law +○ FMT-08: System-wide Zero Waste Policy + + +Page 94: +Superintendent’s Circular HWD-01 +Page 94 of 102 + + + +○ FMT-10: Integrated Pest Management (IPM) +○ FMT-11: Green Cleaners Policy +○ FMT-14 Hearing Conservation Program +○ FMT-15: BPS/Boston Public Health Commission +Environmental Inspection/Audit Program (City +Ordinance 7.12.1-4) +○ FSE-06: Student Safety / Health in School Shops, +Laboratories and Classrooms +○ HWD-04: Whole School Health & Wellness: Healthy +School Environment Policy +○ HWD-06: Tobacco Free Environment Policy +○ SHS-04: Infection Prevention and Control in School +Settings +○ SHS-20: Asthma in Schools + +E. Safe and Supportive Schools-related policies shall be followed +by all Boston Public Schools: +a. Federal Legislation +○ Elementary and Secondary Education Act of 1965, as +amended, Title IV, Part A, Subpart 2, Section 4121 - +FEDERAL ACTIVITIES; 20 U.S.C. 7131 + + +Page 95: +Superintendent’s Circular HWD-01 +Page 95 of 102 + + + +b. Federal Regulations +○ Education Department General Administrative +Regulations (EDGAR) - 34 CFR Parts 75, 77, 79, 80, 81, 82, +84, 85, 86, 97, 98, 99 (b) The regulation in 34 CFR part 299 +○ Title VI of the Civil Rights Act of 19641 (Title VI), which +prohibits discrimination on the basis of race, color, or +national origin; +○ Section 504 of the Rehabilitation Act of 19733 (Section +504); and Title II of the Americans with Disabilities Act of +19904 (Title II). Section 504 and Title II prohibit +discrimination on the basis of disability,5 as referenced +in the Office of the Assistant Secretary’s “Dear +Colleague” letter of October 2010. +○ Title IX, Education Amendments of 1972 which prohibits +discrimination on the basis of sex, including individuals +who are pregnant or parenting. +■ Title 20 U.S.C. Sections 1681-1688 +c. Massachusetts Legislation +○ SL 2010, c.92: Bullying in Schools +○ MGL c.12, s.11H: Violation of Constitutional Rights +○ MGL c.265 s.43: Stalking +○ MGL c.265, s.43A: Criminal Harassment +○ MGL c.266, s.37E: Identity Fraud + + +Page 96: +Superintendent’s Circular HWD-01 +Page 96 of 102 + + + +○ MGL c.269, s.17: Hazing +○ MGL c.269, s.18: Failure to Report Hazing +○ MGL c.269, s.19: Schools to provide copy of hazing law to +students +○ MGL c.119, s.21: Mandated Reporters defined. +○ MGL c.119, s.51A: Mandated Reporting explained +○ MGL c.76, s. 5 An Act Relative to Gender Identity +○ CHAPTER 188 An Act Improving the Public Schools of +the Commonwealth +d. Massachusetts Regulations +○ 610 CMR 5 Hazing Reporting- Secondary Schools +○ 603 CMR 33 Hazing Reporting- Higher Educations +○ 603 CMR 49 Notification of Bullying or Retaliation +e. District Circulars + +○ ACA-18: Attendance Policies +○ ACA18A: Attendance Procedures +○ ACA-18B: Procedures for Referral to Supervisors of +Attendance +○ EQT-07: Accommodating Employees with Disabilities + + +Page 97: +Superintendent’s Circular HWD-01 +Page 97 of 102 + + + +○ EQT-05: Employee Reports of Bias +○ EQT-02: Student, Family or Other Third Party Reports of +Bias +○ EQT-01: Non-Discrimination Policy and Statement +○ EQT-06: Sexual Misconduct Toward Employees +○ EQT-03: Sexual Misconduct Toward Students +○ EQT-04: Students and Gender Identity +○ LGL-11: Sexual Orientation – Protection of Students +Against Discrimination +○ FAM-01: School Site Councils +○ FAM-02: School Parent Council +○ FAM-03: Middle and High School Student Government +○ FAM-05: Title I Family Engagement Requirements +○ FSE-01: School Safety Contingency Plans +○ FSE-02 Fire Safety Practices +○ FSE-04 Bomb Threat Procedures +○ FSE-05 Medical Emergency Management +○ FSE-06 Student Safety / Health in School Shops, +Laboratories and Classrooms + + +Page 98: +Superintendent’s Circular HWD-01 +Page 98 of 102 + + + +○ FSE-07 Public Health and Workplace Safety +○ FSE-08 Teaching Students the Containment Protocol +Mini-Session +○ LGL-01 Hazing Law +○ LGL-04 School Visitors Guidelines +○ LGL-05 Racial or Ethnic Discrimination/Harassment of +Students +○ LGL-06 Religious Holy Days +○ LGL-13 Sexual Assault Policy +○ LGL-15 Student Surveys +○ LGL-17 Religious Expression in Public Schools +○ LGL-20 Corporal Punishment +○ SAF-01 Student Search Procedures +○ SAF-02 Weapons and Objects of No Reasonable Use +○ SAF-04 Incident Data Reporting and Release +○ SAF-07 Metal Detectors +○ SAF-09 Lost Children Procedures +○ SAF-11 Sexual Offender Registry Information (SORI) +○ SAF-12: School Access Control + + +Page 99: +Superintendent’s Circular HWD-01 +Page 99 of 102 + + + +○ SHS-01: Drug and Alcohol Abuse +○ SHS-16: Suicide Prevention and Intervention +○ SPE-03: Physical Restraint Policy +○ SPE-14: Counseling Guidelines +○ SPE-15: Discipline of Students with Disabilities +○ SSS-02: Homeless Students - Guidelines and Procedures +○ SSS-07: Persistently Dangerous Schools +○ SSS-18: Bullying Prevention and Intervention Plan +○ SUP-20: Child Abuse and Neglect +○ SUP-21: Expectant & Parenting Students +○ SUP-05: Code of Discipline + +F. Health Services-related policies shall be followed by all Boston +Public Schools +○ ATH-01: Prevention & Management of Sports-Related Head +Injuries +○ FSE-05 Medical Emergencies +○ SHS-23: Condom Accessibility +○ LGL-16: Student Health Information + + +Page 100: +Superintendent’s Circular HWD-01 +Page 100 of 102 + + + +○ SHS-04: Infection Prevention and Control in School Settings +○ SHS-05: Tuberculosis Program +○ SHS-06: Immunization Law +○ SHS-08: Medication Dispensation +○ SHS-11: Life Threatening Allergies (LTA or Anaphylaxis) Policy +and Implementation +○ SHS-12: HIV/AID Policy and Guidelines +○ SHS-13: Medical Transportation +○ SHS-20: Asthma in Schools +○ SHS-21: Diabetes Policy +○ SHS-22: Automatic External Defibrillator (AED) Use and +Access Policy + +G. Cultural Proficiency-related policies shall be followed by all +Boston Public Schools +○ CAO-05: Services to Limited English Proficient Students +○ ELL-04: Title I Expenditures for English Language Learners +○ EQT-01: Non-Discrimination Policy and Statement +○ EQT-02: Student, Family or Other Third Party Reports of Bias + + +Page 101: +Superintendent’s Circular HWD-01 +Page 101 of 102 + + + +○ EQT-03: Sexual Misconduct Toward Students +○ EQT-05: Employee Reports of Bias +○ EQT-06: Sexual Misconduct Toward Employees + +○ EQT-07: Accommodating Employees with Disabilities + +○ FAM-02: School Site Councils +○ FAM-01: School Parent Council +○ FAM-03: Middle and High School Student Government +○ FAM-05: Title I Family Engagement Requirements +○ FAM-06: Boston Student Advisory Council +○ LGL-05: Racial or Ethnic Discrimination/Harassment of +Students +○ LGL-11: Sexual Orientation - Protection of Students Against +Discrimination + + + + + + +Page 102: +Superintendent’s Circular HWD-01 +Page 102 of 102 + + + + +For more information about this circular, contact: + +Owner: +Senior Executive Director of Health & Wellness +Departmen +t: +Health & Wellness +Mailing +Address: +370 Columbia Rd, Dorchester, MA 02125 +Phone: +617-635-9698 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-03 +Version 01 + + + + +COMPREHENSIVE HEALTH EDUCATION POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Health education, as defined by the CDC, helps students “acquire +functional health knowledge, strengthen attitudes and beliefs, +and practice skills needed to adopt and maintain healthy +behaviors throughout their lives.” Health education curricula +should address the National Health Education Standards (NHES), +incorporate the characteristics of an effective health education +curriculum, and be taught by qualified, trained teachers. In +addition, the American Cancer Society, the American Diabetes +Association, and the American Heart Association believe that +school health education programs can reduce health risk +behaviors such as tobacco use, poor nutrition, lack of physical +activity, drug and alcohol use, as well as actions that increase +stress and risk of injury and violence. Because these behaviors are +amenable to change, quality school health education taught by +trained and licensed health educators provides the best +opportunity to promote positive health behavior among children +and adolescents.What Works in Schools (Facts: Learning for Life +Health Education in School) + + +Page 2: +Superintendent’s Circular HWD-03 +Page 2 of 11 + + + +Health education is an integral component of quality school +programming. Schools have direct contact with a significant +number of Boston’s youth and for the critical years of students’ +social, psychological, physical, and intellectual development. As a +result, schools play an important role in improving students’ +health and social outcomes as well as promoting academic +success (CDC Healthy Schools). Healthy students are more ready +and able to learn and are less likely to experience negative +academic impact (e.g., academic failure, lower test scores, +truancy, absenteeism) than students who engage in risky health +behaviors. According to the CDC, schools cannot achieve their +primary mission of education if students are not healthy, and +schools can address the health needs of students in part through +effective comprehensive health education. Research supports +that school health programs and policies may be one of the most +efficient ways to reduce risky behaviors in students, prevent +health problems, and address the achievement gap. +Boston Public Schools (BPS) believes, in accordance with the +NHES, health education should empower students to practice +behaviors that protect and promote their health while +minimizing risks. Therefore, health education in BPS includes +teaching health skills and essential concepts such as health +literacy, health promotion, and health equity, with a strong focus +on understanding the social determinants of health. +In line with the NHES, BPS emphasizes a holistic approach to +health by shifting the focus from specific health behaviors to +overall well-being. This approach leverages the strengths and +resources within students, their families, schools, and +communities. It prioritizes equipping students with the health +skills and essential knowledge needed to assist them in living + + +Page 3: +Superintendent’s Circular HWD-03 +Page 3 of 11 + + + +healthier lives and to enable them to actively support their own +health and the health of others within a broader societal context. +The policy and implementation guidelines presented here +explain how we, at Boston Public Schools, will create effective +health education programming. + +POLICY +The Boston Public Schools require comprehensive Pre-K through +grade 12 health education that is medically accurate, age and +developmentally appropriate, culturally and linguistically +sustaining, and implemented in a safe and supportive learning +environment where all students feel valued. All Boston Public +Schools must take a skills-based approach to teach +comprehensive health education that addresses a variety of +topics, such as tobacco, alcohol, substance misuse and harm +reduction, nutritional health, mental and emotional health, +personal health and wellness, physical activity, safety and injury +prevention, violence prevention, and comprehensive sexual +health education that is LGBTQ+ affirming. + +Comprehensive health education curriculum shall be modified as +needed for students with disabilities and students who are +English learners. It shall promote healthy lifestyle habits, healthy +relationships and health literacy for all students. Health +education curricula will align with the BPS Health Education +Frameworks, which integrate the Massachusetts Comprehensive +Health and Physical Education Framework and National Health + + +Page 4: +Superintendent’s Circular HWD-03 +Page 4 of 11 + + + +Education Standards, as well as the National Sexuality Education +Standards. Qualified and trained teachers will implement the +curricula. + +All schools will follow relevant promotion and graduation +requirements that include: Health education that includes at +minimum the Healthy and Safe Body Unit in elementary school; +two semesters of health education in grades 6 to 8 taught by a +licensed health education teacher; and a one-semester course of +health education in total in grades 9 to 12 taught by a licensed +health education teacher. In addition to these course +requirements, health education topics will be integrated into +other subject areas where possible, to reinforce their importance, +provide additional skill practice, and demonstrate the +connections of health concepts to many other content areas. + +IMPLEMENTATION GUIDELINES +Boston Public Schools are committed to addressing the health +and wellness of all students, in part, through effective health +education programming. Therefore, BPS will require +comprehensive pre-K-12 health education to be taught to all +students throughout the district. The Boston Public Schools take +a comprehensive approach to review and incorporate changes in +policy, curricula, and implementation. This effort will result in a +skills-based approach to teaching health education that +promotes healthy lifestyle habits, healthy relationships, and +health literacy for all students. + + + +Page 5: +Superintendent’s Circular HWD-03 +Page 5 of 11 + + + +Schools will adhere to the following implementation guidelines: +A. School leaders or their designees are responsible for +implementing and enforcing this policy. Grade-level teams, +lead health education teacher, or other instructional lead +will determine, in collaboration with the school leader, how +their school will meet the policy requirements relating to +time, staffing, and implementation. School leaders may +consult with the Director of Health Education in the Office of +Health and Wellness on how their school can meet the +policy requirements. + +B. BPS Policy requires that all students in PreK-12 should +receive health education in line with promotion and +graduation requirements that include a minimum of: +a. The BPS Healthy and Safe Body Unit in elementary +school +b. Two semesters of health education in total grades 6 to +8 +c. A one-semester course of health education in total in +grades 9 to 12. +C. + The National Health Education Standards recommend +i. +Pre-K to grade 2 receive a minimum of 40 hours of +HE each year. +ii. +Grades 3 to 12 receive a minimum of 80 hours of + + +Page 6: +Superintendent’s Circular HWD-03 +Page 6 of 11 + + + +HE each year. +D. Staffing requirements: +a. BPS supports a learning environment in which all +teachers are highly qualified in the subject areas they +teach. Therefore: +i. +In grades K-5, HE instruction must be +implemented by trained teachers who hold an +active and valid teaching license. +ii. +In grades 6-12, HE instruction must be +implemented by trained teachers with an active +and valid health education teaching license. +b. If a school is unable to provide students with HE +instruction from licensed teachers, they should contact +the Office of Health and Wellness for support with +identifying district-approved staffing alternatives. All +HE staffing alternatives should be approved by the +Office of Human Capital, the Office of Health and +Wellness, and the school’s respective instructional +superintendent. Staffing alternatives are only +considered in extenuating circumstances or in +situations that increase opportunities for students. +E. The BPS HE curriculum must meet the following criteria. +The district-endorsed curriculum is: +a. Aligned with the 2023 Massachusetts Comprehensive +Health and Physical Education Framework and 2024 +National Health Education Standards, as well as the +2020 National Sex Education Standards + + +Page 7: +Superintendent’s Circular HWD-03 +Page 7 of 11 + + + +b. Comprehensive, standards-based, and sequential; +teaching a variety of skills and topics in such a way that +student learning and skill development is built upon +with each unit and each year +c. Inclusive of a variety of topics, such as tobacco, alcohol, +and other drug misuse; healthy eating/nutrition; +mental and emotional health; personal health and +wellness; physical activity; safety and injury prevention; +violence and bullying prevention; and comprehensive +sexual health education that is LGBTQ-inclusive +d. Medically accurate and age and developmentally- +appropriate +e. Culturally and linguistically sustaining, including but +not limited to race, gender, sexual orientation, and +cultural identity +f. Modified as needed for students with disabilities and +students who are English Learners +g. +F. District endorsed high quality instructional materials +include the following curricula: CATCH K-8 HE Journeys, +Goodheart-Wilcox Grades 6-12 Essential Health Skills and the +PreK-Grade 12 Rights, Respect, Responsibility curriculum. +G. Student assessments in HE must include graded +competency (i.e. knowledge, skills, practice) and +participation assessments that are reflected on all students’ +report cards. + + +Page 8: +Superintendent’s Circular HWD-03 +Page 8 of 11 + + + +H. Implemented in safe and supportive learning environments +in which all students feel acknowledged, respected, and +valued. +I. Schools should include cross-curricular, interdepartmental +collaborations to enhance the value and meaning of health +education programming, including opportunities for +students to think critically, globally, and inclusively to +develop health literacy to enhance health equity. +a. For example, the school recognizes World Health Day +by organizing a student-led Wellness Day. In +preparation, health education classes explore the social +determinants of health and identify Boston-based +community health resources to enhance personal, +family, and community well-being. Meanwhile, in social +studies, students research global health issues and +create maps or infographics to illustrate how different +regions are impacted by various health challenges, as +well as the role of international organizations in +addressing these issues. In math, students analyze and +compare data from the National YRBS and the Boston +YRBS creating graphs, and interpreting trends using a +strengths-based approach. In computer science, +students design a simple app or website to promote +healthy habits, such as a sleep tracker, a nutrition diary, +or a mental health check-in tool. This interdisciplinary +approach encourages and motivates healthy behaviors +by focusing on positive outcomes. +J. Professional development is an essential component of +effective policy implementation. Therefore, HE teachers will + + +Page 9: +Superintendent’s Circular HWD-03 +Page 9 of 11 + + + +attend relevant professional development opportunities. +a. Schools will support and encourage school personnel +in their professional development. +b. Teachers are expected to stay current in the fields of +health and health education through the review, +analysis, and implementation (when appropriate) of +national, state, and local health policies, procedures +and standards, research in best practice, guidelines +from international, national, and state organizations, +etc. +K. Schools should monitor (or assign another individual to +monitor) relevant student and community information that +can assist in identifying priority areas for health education. +This should include, but not be limited to, district- level +Youth Risk Behavior Survey data, School Health Profiles +data, school-level Health Services Data, and community +public health trends. Data should be used to review and +modify health education programming in order to ensure +that it is meeting the needs of the students. +L. Schools are required by the state to notify +parents/guardians about any curriculum that primarily +involves human sexual education or human sexuality issues, +and permit parents/guardians to exempt their children +without penalty from any portion of that curriculum (see +Superintendent Circular HWD-05: Human Sexual Education +Education - Parent Notification). Schools will engage +families in their child’s health education by providing access +to curricular materials and health-related information. + + +Page 10: +Superintendent’s Circular HWD-03 +Page 10 of 11 + + + +Schools will also encourage students to actively engage +parents/caregivers and other family members in promoting +healthy behaviors. +M. Should schools decide to utilize community partners to +support their health education program, they will refer to +PartnerBPS and consult with the Office of Health and +Wellness to identify the most appropriate community +partners to meet their needs. Community partners can +provide an important aspect of quality health education and +can meaningfully support and enhance programming in +BPS. If a school is using a community partner and/or +supplementary materials and curriculum to teach sexual +health education, the school must consult the Office of +Health and Wellness for vetting and recommendations. +N. The Office of Health and Wellness leads health education for +the district and will support schools by: +a. Vetting health education curriculum, materials, and +resources +b. Providing curriculum training and materials, +professional development, instructional coaching, and +technical assistance +c. Maintaining and enhancing the BPS health education +digital learning library +d. Vetting and managing partnerships to ensure +equitable support of HE education across the district +e. Collaborating to offer family health education +informational workshops and events + + +Page 11: +Superintendent’s Circular HWD-03 +Page 11 of 11 + + + +f. Coordinate with other central office department to +develop health promotions and family events on +specific health topics when applicable and align with +tier II and tier III services and programs provided by +those departments + +We recognize that effectively implementing a comprehensive +skills-based health education program can be challenging. The +Office of Health and Wellness is committed to providing training, +support, and resources to schools and school personnel to help in +the implementation of this policy. + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & Wellness +Department: +Health & Wellness +Mailing +Address: +370 Columbia Rd, Dorchester, MA 02125 +Phone: +617-635-8709 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-04 +Version 01 + + + +HEALTHY SCHOOL ENVIRONMENT POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Approximately 20% of Americans go to school every day, with +many students, teachers, staff, faculty, and administrators in +aging facilities with deteriorating conditions. Meanwhile, studies +have shown that the condition and health of the school building +and grounds directly impacts the productivity and health of its +occupants. High-performance green schools with healthy indoor +air quality, acoustical controls, revitalized schoolyards, and +daylight produce healthier, higher-performing students. A robust +amount of literature is available for identifying best practices, +guidelines, and recommendations for achieving healthy school +environments. — from the Lawrence Berkeley National +Laboratory, to the Environmental Protection Agency, to the +American Federation of Teachers Union. +In addition, the Center for Disease Controls (CDC) Whole School, +Whole Community, Whole Child (WSCC) model states a healthy +and safe physical school environment promotes learning by +ensuring the health and safety of students and staff. +Asthma is one of the leading causes of school absenteeism, and + + +Page 2: +Superintendent’s Circular HWD-04 +Page 2 of 8 + + + +children with asthma are especially vulnerable in buildings that +have evidence of environmental hazards that affect indoor air +quality. The Federal National Heart, Lung, and Blood Institutes +evidence-based guidelines for effective asthma management +recommends reducing exposure to indoor environmental +asthma triggers such as mold, dust mites, pests, pesticides, +hazardous cleaners, and disinfectants, and exposure to +environmental tobacco smoke in indoor environments. +In partnership with the Boston Healthy Homes and Schools +Collaborative (BHHSC) and the Healthy School Environment +Taskforce, Boston Public Schools has implemented many of +these evidence-based guidelines through district policies and +programs (see below). As a result of the revised District Wellness +Policy, school-based Wellness Councils, which are focused on +improving health and wellness of students and staff, will be more +closely involved in maintaining the healthiest level of indoor air +quality and environmental health of their school and school +grounds by working with Facilities Management, outside +partners, and the school community. +Considering that Boston Public Schools is the oldest school +district in the country and home to existing buildings of all ages, +it is critical that sustained resources, innovative programs, and an +ongoing focus be dedicated to designing, upgrading, and +maintaining our school buildings and grounds to fulfill whole- +school health and wellness goals. +POLICY +The Boston Public Schools recognizes that healthy physical +environments are critical to the prevention of asthma and other + + +Page 3: +Superintendent’s Circular HWD-04 +Page 3 of 8 + + + +chronic and infectious diseases that impact learning. The Boston +Public Schools is committed to providing high-performing school +buildings and grounds that are clean, in good repair, have +healthy indoor air quality and water quality, sanitary and +accessible bathrooms, and use resources efficiently. BPS strives +to provide adequate facilities for physical activity that are +accessible and culturally inclusive learning environments that +positively impact the productivity, health, and wellness of all +students and staff. To address environmental risk factors for +chronic and infectious diseases, each school will receive an +Annual Environmental Audit to evaluate health and safety +conditions such as leaks, mold, pests, chemical storage, and +cleanliness. The district shall maintain a Healthy Schools +Taskforce (HST) to promote and raise awareness of the health of +the built environment and ensure continuous improvement of +BPS healthy school environment policies and programs. +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, will comply with +existing federal and state regulations, city ordinances, and +District policies related to promoting and managing healthy +school environments, including but not limited to: +• Indoor air quality +• Green cleaners +• Integrated pest management +• Trash and recycling +• Infection prevention & control +• Tobacco-free environmental policy +• Environmental inspection/audit +• Student safety/health in school shops + + +Page 4: +Superintendent’s Circular HWD-04 +Page 4 of 8 + + + +• BPS water policy +• Laboratories and chemical Inventory “Right to Know” law +• Idling of buses and other motor vehicles on school property +Schools will regularly assess the quality and quantity of BPS +facilities for active transportation, physical activity, and physical +education, including schoolyards, and report maintenance needs +for these facilities. +IMPLEMENTATION, MONITORING & EVALUATION GUIDELINES +The Boston Public Schools and the Boston Public Health +Commission must conduct annual Environmental +Inspection/Audits (audit) to evaluate the health and safety +conditions of each school building and school grounds. The +Facilities Management Department, in partnership with school +leadership, will take action to mitigate critical issues such as +unhealthy indoor air quality, signs of pests, leaks, clutter, mold, +unsatisfactory chemical management, and critical health and +safety repairs. In addition, the audit results, along with best +practices in the Healthy School Environment Resource Toolkit, +shall be used by school principals/heads of school and school- +based Wellness Councils to develop annual environmental health +priorities and goals as part of the school’s Wellness Action Plan. +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, shall comply with +existing city ordinances and District policies related to promoting +and managing healthy school environments. Examples of +relevant and existing healthy school environment policies, for +which school-based Wellness Councils and school staff must +comply, are referenced below: + + +Page 5: +Superintendent’s Circular HWD-04 +Page 5 of 8 + + + +Massachusetts Legislation +o MGL c. 90, s. 16B Idling of a motor vehicle engine on +school property +District Circulars +o BPS Water Access Policy and FMT- 20 Drinking Water +Access Circular +o FMT-07: Chemical Inventory “Right to Know” Law +o FMT-08: BPS Recycling & Zero Waste Policy +o FMT-10: Integrated Pest Management (IPM) +o FMT-11: Green Cleaners Policy +o FMT-13: Respiratory Protection Program +o FMT-14 Hearing Conservation Program +o FMT-15: Annual Environmental Inspection/Audit +Program Conducted by Boston Public Schools/Boston +Public Health Commission (City Ordinance 7.12.1-4) +o FMT-17 Volunteer Projects +o FMT-19 Cleaning and Disinfecting Body Fluid Spills +o FMT-18: Science Safety in Laboratories and Classrooms +o FSE-06: Student Safety / Health in School Shops, +Laboratories and Classrooms +o HWD-04: Healthy School Environments Policy +o HWD-06: Tobacco-Free Environment Policy +o SHS-04: Infection Prevention and Control in School +Settings +o SHS-20: Asthma in Schools +BPS Facilities Department & Boston Public Health +Commission +Boston Public Schools will ensure all schools comply + + +Page 6: +Superintendent’s Circular HWD-04 +Page 6 of 8 + + + +with healthy school environment policies. +The Facilities Management Department and the +Boston Public Health Commission will comply with City +Ordinance (Boston, MA Ordinances, ch. 10 §§ 7-14.1-14.4 +(1996)) by conducting annual environmental +inspection/audits of each school. They will +communicate a school’s results to each school leader, +and publish all results on the BPS website, available for +review by the public. +Upon completion of the audit, Facilities Management +will immediately address critical health and safety +deficiencies by filing a work order with the appropriate +division, and they will incorporate other needed work +at the school sites into the annual budgeting process. +On an ongoing basis, Facilities Management will +provide technical assistance to principals/heads of +school on environmental problems and other building- +related issues. +School leadership and school-based Wellness Councils +School administration and staff must actively +participate in ensuring the school is following district +policies and proactively manage environmental health +issues for the sake of their students and staff. +School principals/heads of school will be responsible for +reviewing their school’s annual Environmental +Audit/Inspection results and other related building +condition resources to develop environmental health +priorities for the school. + + +Page 7: +Superintendent’s Circular HWD-04 +Page 7 of 8 + + + +Administrators will engage in a collaborative planning effort +with their school-based Environmental Committee or +Wellness Council to finalize annual environmental health +priorities, goals, action steps, and evaluation efforts. +The Health and Wellness Department, in partnership with +the Facilities Management Department, will annually assess +all schools' Wellness Action Plans to ensure school leaders +and school-based Wellness Councils are taking active steps +to improve the health and cleanliness of their school +building environment. +Wellness Councils will track the progress of improved school +conditions and evaluate annually what efforts worked best. +Wellness Champions will participate in their school Wellness +Councils. + + + + +Page 8: +Superintendent’s Circular HWD-04 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & +Wellness +Department: +Office of Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-9698 +Fax: +617-635-1502 +Email: +healthandwellness@bostonpublicschools.or +g + + +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave., Dorchester, MA 02125 +Phone: +617-635-9576 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 1: + + + + Superintendent’s +Circular +NUMBER: +TRN-03 +Version 01 + +FIELD TRIP TRANSPORTATION +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +This circular outlines the steps that must be followed when +transporting students to field trips where BPS transportation or +an approved outside supplier is used. Additionally, this circular +outline general rules regarding transporting students in the +Boston Public Schools with other approved transportation +suppliers. +School buses or approved transportation suppliers’ +vehicles should be used to transport students to and +from field trips. Privately owned vehicles from non- +approved suppliers or leased vans are not to be +utilized to transport students to and from field trips, +except in the case of a genuine emergency. Staff who +utilize their own vehicles risk being legally liable if +students are injured while riding in their automobiles. + +Transdev is the supplier currently under contract with the Boston +Public Schools (BPS) to provide transportation services on BPS +yellow school buses, including field trips. All field trip +transportation must utilize BPS school buses, unless the request +cannot be accommodated based on capacity limitations, or an +approved transportation supplier. + + +Page 2: +Superintendent’s Circular TRN-03 +Page 2 of 12 + +Arrangements with other suppliers are subject to the designation +of that supplier as approved by Nate Kuder, the Chief Financial +Officer, and may be made by individual schools/departments +subject to purchasing regulations. The approved supplier list can +be found at the end of this circular. +Staff should be aware of their responsibility to consult with and +obtain the approval of their respective school leader or +department head, using school/BPS letterhead, to make +agreements or exchange money with parents, outside +transportation companies, travel agencies, etc. +When requesting buses for field trips, school leaders should be +aware that BPS has the greatest bus availability between 9:30 +a.m. and 12:30 p.m. However, we encourage and welcome schools +to submit all of their field trip requests as outlined in this circular. +In the event that a request cannot be met, school leaders should +explore the opportunity to order buses from approved suppliers +who are not restricted to the use of the BPS school bus fleet. A +list of approved suppliers is attached at the end of this circular. If +the Transportation Department is unable to provide service at +the time requested, Transportation will aim to provide notice to +the school leader via email at least one week in advance of the +requested trip date. The Transportation Department does not +recommend particular suppliers for field trips and does +recommend the use of our primary supplier, Transdev, whenever +possible. + +All field trips must be budgeted on account 52811, regardless of +the supplier. If you do not have a field trip account (account + + +Page 3: +Superintendent’s Circular TRN-03 +Page 3 of 12 + +52811), you must submit a budget transfer within your +organization code to create the appropriate budget line. +If students in 7th through 12th grade will be utilizing the MBTA +for a field trip, schools can email schooltrips@mbta.com and/or +submit a request through the School Field Trip Submission Form +should they need to acquire MBTA passes for students who do +not already have a pass because they live within the school’s walk +zone. + +Please refer to the following circulars for guidelines and +procedures for the planning and implementation of BPS field +trips: CAO-22 General Guidelines for All Field Trips, CAO-23 Day +Field Trip Guidelines, CAO-24 Overnight Field Trips Guidelines, +and CAO-25 International Field Trip Guidelines. + +I. +FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus +Fleet + +1. Obtain the necessary signatures from BPS authorities at +least four (4) weeks prior to any +planned field trip, as outlined in the field trips circulars +referenced above. + +2. Submit your request via the Supplemental Transportation +Request Form to arrange for booking yellow bus +transportation with Transdev at least two (2) weeks in +advance of the field trip. If you would prefer to use a +transportation supplier from the attached approved + + +Page 4: +Superintendent’s Circular TRN-03 +Page 4 of 12 + +transportation suppliers list, please use the requisition +process in the BAIS FN system. + +3. Once your field trip request through BPS has been +processed, you will receive an invoice from the BPS DOT +Supplemental Transportation Manager, Kyle Lewis. This +invoice will detail payment options. Please continue reading +for general payment information. + +4. Field trip transportation requests funded through external +grants must include the appropriate grant ID and program +codes. In the event that funds for an external grant have not +been activated in BAIS FN, you will need to use general +funds (fund 100) for the trip. After the grant funds are loaded +into BAIS FN, please email Kyle Lewis, the Supplemental +Transportation Manager, requesting that they submit an +expenditure transfer on your behalf to move field trip +expenses from fund 100 to your grant. +i. +As a reminder, all schools planning to have field +trips should budget for them using account code +52811 +b. Please note that in cases where a school has indicated +that they would like to use ESSER or Title I META, the +school will need to provide confirmation that this +spending has been approved by their ESSER Liaison or +the district’s Title I Coordinator, Imani Penn +(ipenn@bostonpublicschools.org). + +5. The Transportation Department will only order those field +trips utilizing the district’s yellow bus fleet, managed by + + +Page 5: +Superintendent’s Circular TRN-03 +Page 5 of 12 + +Transdev. If you will be using a different vendor for your field +trip, please see section II. +6. Payments should be made through a budget transfer or +check. Field trip transportation will not be scheduled unless +the transfer is submitted, or the check is mailed at least five +(5) school days prior to the date of the trip. +a. Fund 100/general funds: Transfers should be made to +the following chartfield in the BPS Transportation +budget: +i. +Org: 101081 +ii. +Fund: 100 +iii. +Account: 52805 +iv. +Program: 2695 +v. +Class: 0000 +vi. +Bud Ref/Year: 2024 +b. Fund 200/grants: BPS Transportation will submit an +expenditure transfer to the Grants Office on your +behalf. Please confirm the necessary approvals and the +budget line you would like to use to fund your field trip +via email to the Supplemental Transportation Manager, +Kyle Lewis, at least five (5) days before your scheduled +field trip +c. Check: Please confirm the check was mailed via email +to the Supplemental Transportation Manager, Kyle +Lewis, at least five (5) school days prior to the planned +trip. Checks should be made out to the Boston Public +Schools Transportation Department and mailed to: +Kyle Lewis, BPS Transportation Department +Bruce C. Bolling Building +2300 Washington Street +Roxbury, MA 02119 + + +Page 6: +Superintendent’s Circular TRN-03 +Page 6 of 12 + +Note: Full bus capacity for the BPS yellow bus fleet is +approximately seventy (70) elementary school students, sixty (60) +middle school students and forty-five (45) adults/high school +students. An adult MUST ride with students on any and all field +trips on BPS buses. + +7. Final confirmation for any transportation services provided +by Transdev should be made three (3) school days before +the scheduled trip by contacting Kyle Lewis, the +Supplemental Transportation Manager at Operations- +Department-Heads@bostonpublicschools.org or 617-635- +9418. Notice of any changes or canceled trips must be +provided to the Transportation Department at least three (3) +school days in advance, except in case of emergency. + +The bus price schedule for the BPS fleet (Transdev) is as follows: +Inside Route 128 +Discounted Rate: + +$132.50 each way if your trip is between 9:30 a.m. +and 12:30 p.m. (Buses must be back to your school +by 12:30 p.m., or the trip will be billed at the regular +rate). + +Regular Rate: + +$190.00 each way or $380.00 for a round trip +Outside Route 128 Regular Rate: +$540.00 (in-state), $1,050.00 (out-of-state) + + +Page 7: +Superintendent’s Circular TRN-03 +Page 7 of 12 + +Layover Charges +In some cases, if a school requires the bus to stay +on-site, it will cost $42.00 per hour for layover time. + + +II. FIELD TRIP TRANSPORTATION CHECKLIST - Approved Private +Transportation Supplier +1. Obtain the necessary signatures from BPS authorities at +least four (4) weeks prior to any planned field trip, as +outlined in the field trips circulars referenced above. A +Request for Waiver form (attached) must be used if +requesting the use of suppliers not under contract with the +Boston Public Schools; supplier options are limited to those +on the attached Approved Field Trip Transportation +Suppliers list. Assurances are required for the use of all non- +BPS carriers, as noted on the waiver form. This form must be +attached to the field trip request form appropriate for the +type of trip you are conducting (based on the Field Trips +circulars referred to above) and forwarded to the Office of +the Chief Financial Officer (do not send to theTransportation +Department). +2. All trips booked with approved private transportation +suppliers (this does not include Transdev) must be organized +utilizing the requisition procedures in PeopleSoft BAIS FN. +Please complete the requisition for an approved +transportation supplier at least ten (10) school days prior to +the date of the trip to ensure that a purchase order (PO) can +be dispatched to the bus company ahead of the field trip. +3. Please note that requisitions with incorrect account codes +cannot be processed, therefore you will need to confirm that +funds for your field trip are in account 52811. If you do not + + +Page 8: +Superintendent’s Circular TRN-03 +Page 8 of 12 + +have a field trip account in your budget (account 52811), you +must submit a budget transfer within your organization +code to create the appropriate budget line. Transportation +requests funded through external grants must include the +appropriate grant ID and expense codes. +4. The details of the requested field trip must be entered on +the requisition in the header details panel using the +comment section. The details must include the following +information: +a. Contact person +b. Phone number +c. Email +d. Pick-up location +e. Site to be visited +f. Address +g. Site telephone number +h. Site contact person +i. Purpose of trip +j. Date of trip +k. Departure time +l. Time back at school +m. Number of students +n. Number of buses needed +o. Adults riding along +5. For requisitions to post, a valid budget check must be done. +Requisitions that do not pass a budget check will not be +processed. It is the responsibility of the school ordering the +trip to ensure that all budget checks have passed and that a +purchase order has been dispatched. Refer to the BAIS FN +PeopleSoft training material titled “Creating a Requisition” if +you need assistance in this procedure. + + + +Page 9: +Superintendent’s Circular TRN-03 +Page 9 of 12 + +For more information about this circular, contact: +Owner: +Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular TRN-03 +Page 10 of 12 + +REQUEST FOR WAIVER FORM TO USE SCHOOL BUS SUPPLIERS +NOT CURRENTLY APPROVED AND UNDER CONTRACT + +This form must be used when utilizing suppliers that are not already under +contract with the Boston Public Schools. + + +I am hereby requesting a waiver to use non-Boston Public School +transportation for the field trip +requested on the attached Field Trip Request Form (based on the Field Trips +circulars referenced above). + +SCHOOL: + +DATE OF TRIP: + +DESTINATION: + +BUS COMPANY (CARRIER): + +RENTAL COMPANY CARRIER: + +The building administrator must check each of the following to indicate +documentation on file in the school providing assurances noted: + +● Three informal quotes received from potential non-BPS transportation +carriers. + + +Page 11: +Superintendent’s Circular TRN-03 +Page 11 of 12 + +● Carrier selected is licensed by the Commonwealth to provide charter +service. +● Carrier drivers are properly licensed to provide charter service. +● Carrier drivers are all CORI & SORI checked. +● Carrier maintains a minimum bodily liability insurance policy of $1 +million per occurrence. + + +APPROVALS: + + +___________________________________________ +________________________ +Signature of Principal/Head of School + + + +Date + + +___________________________________________ +________________________ +School Superintendent + + + Date + + +___________________________________________ +________________________ +Chief Financial Officer + +Date + +THIS FORM SHOULD BE SUBMITTED TO THE PARTIES LISTED ABOVE. +ALLOW AT LEAST TEN SCHOOL DAYS FOR APPROVAL + + +Page 12: +Superintendent’s Circular TRN-03 +Page 12 of 12 + +APPROVED FIELD TRIP TRANSPORTATION SUPPLIERS +Supplier Name +Supplier ID +Phone +Number +Address +Adams Motor +Transportation Inc. +0000003388 +617-296-1930 +631 Walk Hill Street, +Mattapan, MA 02126 +Chantals, Inc. +0000053323 +617-293-0754 35 Nikisch Avenue, Boston, +MA 02131 +Crystal Transport, +Inc. +0000001421 +617-787-1544 +1616 Hyde Park Ave, +Boston, MA 02136 +Dollar Ride ECO +Ride LLC/ ECO +Ride Group +Transportation +0000071239 + +62 Huntington Street, +Brockton, MA 02301 +Eastern Bus +Company +0000000396 +617-628-6868 PO Box 514, Somerville, MA +02143 +Local Motion, Inc. +0000022242 +781-535-6344 66B Rocsam Park Road, +Braintree, MA 02184 +People Care-iers, +Inc. +0000003949 +617-361-1515 +270 Islington Road, +Newton, MA 02466 +Tony’s +Transportation, +Inc. +0000055218 +617-719-3777 +66 Glendale Street, PO Box +220815, Boston, MA 02125 +Vocell Bus +Company, Inc. +0000000385 +781-393-0220 378 Commercial Street, +Malden, MA 02148 + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +TRN-02 +Version 01 + + + +STUDENT TRANSPORTATION SAFETY & DISCIPLINE +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +HEAD OF SCHOOL/PRINCIPAL EXPECTATIONS +The school bus is considered an "extension of the classroom" in +terms of expected student behavior. The school is responsible for +working with students and parents/guardians to address +behaviors of students and parents/guardians that take place on +or are related to bus service that are not consistent with school +and district policies. This policy reinforces the Standards of +Behavior for Boston Public School students. The head of +school/principal is responsible for implementing the Code of +Conduct and Standards of Behavior as they apply to students and +parents/guardians while utilizing school transportation and the +MBTA. The head of school/principal will also communicate +student/parent/guardian obligations at the start of the school +year via student presentations and notification to +parents/guardians through School-Based Rules. Please note that +the Code of Conduct includes procedures for the denial of +transportation. +The head of school/principal will apply all approved Boston Public +Schools policies and procedures to matters of regular +transportation service and field trips, athletics, and late bus runs. + + +Page 2: +Superintendent’s Circular TRN-02 +Page 2 of 10 + + + +INCIDENT REPORTING AND RESPONSE +The head of school/principal will report all incidents, maintain all +records, and take appropriate action as prescribed in applicable +Superintendent's Circulars, including but not limited to any state +or federal reporting (e.g., mandated reporting to DCF or the SSDR +report for DESE, etc.). In the event of a school transportation +incident resulting in student injury, the school administrator will +contact the parent(s)/guardian(s) and provide appropriate +information in accordance with Superintendent's Circular FSE-05, +Medical Emergency Management. The head of school/principal +will maintain copies of all incident reports filed by drivers and +utilize reports for remedial actions. +BPS school buses are equipped with two cameras. One camera +faces out from the bus forward to record oncoming traffic. The +second camera is focused inward on the bus from the front of the +bus. Cameras do not record sound. Only in emergency situations +(e.g. active missing student investigation) may camera footage +be accessed in real time and only by Department of +Transportation personnel. When an incident is reported, +depending on the nature of the incident, a review of video +footage of the reported incident may be requested by a school, a +parent/guardian, or a member of the district transportation team. +In most situations, student conduct investigations will rely on +incident reports from students and adults on board the bus, +rather than camera footage. Any requests for bus footage must +run through the BPS Transportation Department. Cameras have +limited video storage capacity that typically store 7 (seven) to 10 +(ten) days of footage, depending on bus usage. Cameras are not +actively monitored. Neither BPS DOT nor the bus vendor will use +cameras for any purpose other than investigating specific + + +Page 3: +Superintendent’s Circular TRN-02 +Page 3 of 10 + + + +allegations. +When incidents occur that are related to bus transportation, BPS +DOT can work with schools on implementing solutions to +support successful student transportation on BPS buses. Some +strategies that have been effective in the past include but are not +limited to school-led mediations with parents/guardians, +students, bus drivers, bus monitors, and school staff; school-led in +depth training for drivers and/or monitors; school assigned bus +seating plans; addition of a bus attendant by the school to the +bus. In very limited circumstances, requiring approval of the +Director of BPS DOT, a student, driver, or monitor may be +reassigned. Such reassignment will be a last resort only after +other strategies have been exhausted. This helps ensure that +students are fully supported in learning how to successfully +navigate yellow bus transportation. +RELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING +BUS ARRIVALS AND DISMISSALS +The head of school/principal or their designee is responsible for +monitoring transportation service and the performance of school +bus drivers and monitors. This includes daily one-on-one contact +by school staff with a driver upon their arrival and departure from +a school. Heads of school/principals are advised and encouraged +to make all efforts to maintain a positive relationship with all +drivers and bus monitors and to also endeavor to work +constructively with all BPS and Transdev staff with whom they +come in contact throughout the school year. +School administrative staff are responsible for managing safe and +efficient bus arrival and dismissal processes. All buses assigned to + + +Page 4: +Superintendent’s Circular TRN-02 +Page 4 of 10 + + + +a school are together scheduled to be fully loaded or unloaded +within a ten-minute window. To be on time for all subsequent +trips, in the morning all buses must be unloaded and depart the +school by the school’s bell time. In the afternoon, all buses +assigned to a school must load and depart the school by 10 +minutes after the bell time. +When arriving at schools, buses may not allow students to unload +until a member of the school staff is present to meet students. +This ensures that a school staff member is present to take +responsibility for students before students exit the bus. Schools +are responsible for maintaining up-to-date bus rosters and +ensuring students are placed on their assigned bus during bus +dismissal. BPS Transportation Department operations support is +available to review bus loading and unloading procedures upon +request. +Heads of school/principals are encouraged to make time +available to meet with drivers who wish to confer with them on a +voluntary basis throughout the school year for the purpose of +maintaining their transportation safety/discipline program. +Heads of school/principals may provide drivers with a seating +plan for each bus, but they should work constructively with +drivers and monitors in the implementation of such a plan. If a +seating plan is put in place, students should be instructed to +remain in their assigned seats throughout the trip. +The head of school/principal or their designee should regularly +interview students to make assessments of the quality of +transportation service and are also asked to monitor ridership +and notify BPS Transportation if any bus assignments are not +being utilized. Schools can provide student opt out information in + + +Page 5: +Superintendent’s Circular TRN-02 +Page 5 of 10 + + + +our Support Portal. This link provides a walkthrough. We ask +schools to utilize our Support Portal to ensure accountability +within our team and support our effort to reduce follow-up times. +The head of school/principal or their designee may occasionally +ride school buses for first-hand observation of operations, but +notification to the Transportation Department must be made in +advance to ensure that buses are within capacity requirements +for ridership. +Monitors assigned through the special education process are +essential members of a student’s support team. Schools are +responsible for training bus monitors on IEP required student +specific supports. Monitors must be included in students’ +support teams for training on an ongoing basis to be prepared to +best meet the needs of our students who ride the bus and to help +ensure students can succeed in the least restrictive environment. +Schools may contact the BPS DOT Monitors Unit to arrange +meetings with monitors throughout the school year. +Please remember that bus drivers and bus monitors are +important members of our school community. When they are at +your school, per district policy, they are permitted to use +restroom facilities. Bus drivers and bus monitors are expected to +present identification to enter any building. Just like for all other +members of our school and district staff, please ensure that these +team members have access to bathroom facilities in your +building as needed. +SAFETY EDUCATION AND EVACUATION DRILLS +The head of school/principal will support all safety education +efforts relative to transportation and initiate programs within the + + +Page 6: +Superintendent’s Circular TRN-02 +Page 6 of 10 + + + +first week of the school year and throughout the school year. +School bus evacuation drills are to be conducted in accordance +with M.G.L., Chapter 90, Section 9B, which mandates school bus +evacuation instruction and drills. Evidence of completed +instruction and drills must be kept on file by the head of +school/principal. BPS Transportation, Transdev Safety, and BPS +Safety Services personnel will assist school administrators in +conducting bus evacuation drills as required by M.G.L. Chapter +90, section 9B. +ROLE OF THE BPS TRANSPORTATION DEPARTMENT +• The Transportation Department acts as the liaison between +the bus company, school personnel, parents/guardians, BPS +Safety Services, and Boston Police Department. +• The Transportation Department monitors contractual +compliance by vendors relative to the employment of +drivers and driver conduct. +• The Transportation Department records all complaints +regarding driver behavior and forwards them to the +company for remedial action by the bus company. The +Director of Transportation may, in extreme circumstances, +order suspension or reassignment of drivers subject to +consultation with the bus vendor and the collective +bargaining agreement between drivers and bus company. +• The Transportation Department completes bus routing and +planning to create efficient bus schedules that minimize +ride time for students and optimize deployment of drivers, +monitors, and buses. Where necessary, the Transportation +Department will revise routes or pick-up points to reduce + + +Page 7: +Superintendent’s Circular TRN-02 +Page 7 of 10 + + + +potential safety problems. +• The Transportation Department provides parents/guardians +with advice relative to procedures to assist in the resolution +of transportation issues. +• The Transportation Department notifies the head of +school/principal of any school bus accident, including a list +of the students onboard the bus and any other relevant +information. In the event an accident occurs after school +hours, the Transportation Department will attempt to notify +the Head of School/Principal at home. +• In the event of a school transportation accident or incident +resulting in student injury, BPS Transportation implements +the following procedures: +o Ensures Transdev Safety staff has properly followed +procedures and notified police or emergency medical +services as necessary. +o Notifies the school building administrator, principal +leader, assistant superintendent of operations, and +operational leader, relaying all available information. +Building administrators are then responsible for +notifying parents/guardians. +• If the building administrator or other school-based staff is +not available, BPS Transportation Department staff will +notify parents/guardians or emergency contact person. +ROLE OF THE BUS COMPANY – TRANSDEV TRANSPORTATION +The bus company will comply with all requirements contained in +its contract with the School Committee, its collective bargaining +agreements with its staff, and all Massachusetts laws and + + +Page 8: +Superintendent’s Circular TRN-02 +Page 8 of 10 + + + +regulations as they pertain to school bus safety and reporting. +The bus company will adhere to the Incident Response & Report +Process as outlined below: +1. The Transdev Safety Desk will log all calls and deployment +requests sent into the Safety Desk by drivers or safety staff, +BPS Transportation, or others and will submit those along +with any incident reports generated after an incident. +2. In an emergency, Transdev Safety Desk will call BPS or EMS +and deploy Transdev road safety supervisors to all serious +incidents and accidents. Transdev Safety Desk will notify +BPS Transportation staff immediately upon learning of any +serious incident and will continue to supply timely details +from the scene as they become available. In the event of a +school transportation incident resulting in student injury +after normal operating hours, Transdev Safety Desk staff and +BPS Transportation Call Center staff will assist school +administrators in the parent/guardian notification process. +3. Transdev drivers will provide as much specific information +as possible over the radio to Safety Desk and in their written +reports, mainly the names and student numbers of involved +students. Drivers should also fill out incident reports and +give copies to school administrators and their branch +supervisors daily. All incident reports are logged on a +computer database at the bus company. +4. Transdev safety staff and BPS Transportation work together +to communicate with heads of school/principals and police +where necessary to assist in the resolution of incidents. +Heads of school/principals are required to contact +parents/guardians and discipline students when necessary. + + +Page 9: +Superintendent’s Circular TRN-02 +Page 9 of 10 + + + +The bus company will instruct drivers to meet with heads of +school/principals after the "dry runs" of bus routes before the +opening of school. Heads of school/principals should be prepared +to discuss their student transportation safety/discipline program +with drivers at that time and throughout the year. Drivers may +also be made available to meet with the head of school/principal +on an ongoing basis. Arrangements for meetings can be made by +contacting the BPS Transportation Department. +Transdev road safety supervisors and driver trainers will inspect +the safety and accessibility of pick-up and drop-off locations +throughout the city as requested. + + + + + +Page 10: +Superintendent’s Circular TRN-02 +Page 10 of 10 + + + +For more information about this circular, contact: +Owner: +Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Chief of Student Support +Department: +Student Support Office +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +TRN-01 +Version 01 + + +SCHEDULE OF SCHOOL HOURS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +Attached is an alphabetical listing of opening and closing hours +for each school for the school year. This listing includes an AM +bus drop-off time for each school when staff must be available to +accept students, an AM bell, a PM bell, and an early dismissal +time and day of week. +Please pay special attention to the AM and PM bell times for your +school. No changes may be made to these schedules — including +to early dismissals — without the written permission of the chief +operating officer. All requests for changes to bell times for the +subsequent school year must be made in writing to the chief +operating officer before the end of October. +Please note the following regarding any requested changes: +● Any requested bell time changes must be for either +7:30am, 8:30am, or 9:30am AM bell times in order to align +with the District’s 3-tier bell schedule +● No requested bell time changes for an 8:30am start can be +accommodated at this time, as the transportation +operation is at capacity during the 2nd tier. +IMPORTANT NOTES ON TRANSPORTATION: +● All BPS buses are scheduled to arrive at schools 15 minutes + + +Page 2: +Superintendent’s Circular TRN-01 +Page 2 of 3 + + +before the scheduled AM bell time to give students time +to settle in and have breakfast before instruction starts. +Adequate staff assistance is needed to make sure buses +are unloaded as they arrive, as efficiently and safely as +possible, so that these buses can get to the next +scheduled location on time. Buses are expected to depart +the school for their next trip no more than 10 minutes after +their arrival. In some cases, with agreement from the +school, buses are scheduled to arrive more than 15 +minutes before the scheduled AM bell time +● PM buses are scheduled to arrive at each schools’ PM bell +time. Adequate staff assistance and the appropriate +dismissal procedure are needed to make sure buses are +loaded as they arrive. Buses are expected to depart 10 +minutes after the PM bell to get to their next scheduled +location on time. +● On the day before Thanksgiving and the last two days of +school in June, all schools will dismiss pupils a uniform +two (2) hours and thirty (30) minutes earlier than their full- +day PM bell time, unless operationally there is a need to +modify dismissal. The uniform two hour and thirty-minute +early release will apply to all schools, regardless of any +regularly scheduled early release or past practice. +● Certain specialized programs/schools have hours that are +subject to determination by the superintendent or +designee. + + + + + +Page 3: +Superintendent’s Circular TRN-01 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Executive Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department-Heads@bostonpublicschools.org +Mary Skipper, Superintendent + +ATTACHMENT: + +BOSTON PUBLIC SCHOOLS SCHEDULE OF SCHOOL HOURS + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +SCP-01 +Version 01 + + +SCHOOL COMMUNITY PARTNERS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BPS deeply values the essential role that School-Community +Partners play in our collective efforts to eliminate opportunity +and achievement gaps. To advance our goals of providing BPS +students and families equitable access to high-quality partner +opportunities and create more coherence, alignment, and +understanding of the complex and extensive partnership +landscape, BPS requires the implementation of this PartnerBPS +(www.partnerbps.org) Policy for all BPS schools and for all BPS +School-Community Partners. +POLICY STATEMENT +Any School-Community Partner providing any services in any +BPS school must register and update their information annually +via the PartnerBPS Partnership Platform. BPS requires all School- +Community Partners to be fully registered and approved via the +PartnerBPS platform before providing any services within any +school. + +DEFINITION OF A SCHOOL-COMMUNITY PARTNER +A School-Community Partner is an organization, group, or + + +Page 2: +Superintendent’s Circular SCP-01 +Page 2 of 5 + + +coalition that intentionally collaborates with the Boston Public +Schools to provide ongoing, direct services to BPS students, staff, +families, and/or other members of the school community. This +broad definition encompasses a variety of groups, including +community-based organizations, colleges and universities, +businesses or corporations, hospitals, government agencies, +cultural institutions, nonprofit or non-governmental +organizations and faith-based organizations. + +IMPLEMENTATION PROCEDURES FOR SCHOOLS +A. School principals/school leaders/heads of school and/or a +school staff member designated by the principal/head of +school must identify all School-Community Partners +providing services within the school building at the start of +each school year within the www.partnerBPS.org website. +This can be an agreement, contract, or Scope of Work +outlining services provided and expectations on both sides. +If the partner is a paid partner, the school is responsible for +entering the requisition before the partner begins providing +services to the school and providing this requisition number +to the partner. No Boston Public School employee, other +than those listed below, is authorized to enter a contract +with any vendor. This includes, but is not limited to +contracts, agreements, memorandums of understanding, +grants, partnership agreements, or any other expenditure +that binds the district to payment for services/goods. This +includes purchases for services or goods for under $10,000. +B. If additional School-Community Partners begin work at the +school site during the school year, the designated school +staff must also ensure the partner is registered and all + + +Page 3: +Superintendent’s Circular SCP-01 +Page 3 of 5 + + +agreements entered www.partnerBPS.org before services +can begin. +C. The school designee must ensure that all current School- +Community Partners are registered on PartnerBPS by +August 31st of the upcoming academic school year. +D. School leader or designee will require all new partners +brokered throughout the school year to register in +PartnerBPS before beginning services at the school. +E. School leaders or designee must review their PartnerBPS +School Partnership profile annually to verify and rate the +partnerships listed on their profile. Review, verification, and +rating should be conducted by June 30, before the end of +the school year. +F. Schools should use PartnerBPS as a resource for accessing +and brokering partner opportunities and helping students +and families identify and access partner opportunities. + +IMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY +PARTNERS +All School-Community Partners must be fully registered and +approved on PartnerBPS.org before providing any type of service +in a BPS school. +In order for School-Community Partners to be considered fully +registered, they must complete three steps: organization +registration, program registration, and partnership registration. +Further instructions and tutorial information on registering for +PartnerBPS can be found at https://partnerbps.org/help-school- +community-partners/. +All registered School-Community Partners must update their + + +Page 4: +Superintendent’s Circular SCP-01 +Page 4 of 5 + + +PartnerBPS profile by September 30 before providing their +services in schools. Updates should include registration of all +school partnerships for the upcoming year, an update of current +information in organization and program profiles, and +completion of any questions that have been added by the +School-Community Partnerships team. +As part of this process, School-Community Partners should work +with partner schools to establish a school-based partnership +agreement which they should then upload onto PartnerBPS.org. +In addition to the annual updates, School-Community Partners +should regularly monitor their profiles and keep information up +to date. At minimum, review and necessary revisions should be +completed by November 1 and April 1 of each school year. +All School-Community Partners are required to be aware of and +follow the guidelines outlined within the Guide for School +Community Partners. +Appropriate and authorized BPS staff reserve the right to deny +approval of partners if they do not meet basic safety or quality +standards set forth by BPS, including those found within the +Guide for School Community Partners. +IMPLEMENTATION MONITORING & SUPPORT +A. The Office of Family and Community Advancement’s +Partnerships Team will approve and/or follow up with +registering partners after registration completion. If +additional information is required before registration +approval can be granted, the Team will contact the +administrator of the respective PartnerBPS account for +more information. + + +Page 5: +Superintendent’s Circular SCP-01 +Page 5 of 5 + + +B. The Partnerships Team will provide partners and schools +with ongoing PartnerBPS technical assistance and support +using the site. In addition, support resources are available +online at https://partnerbps.org/help-school-community- +partners/. + +For more information about this circular, contact: +Owner: +Director of Partnerships +Department: Office of Family and Community Advancement +Mailing +Address: +2300 Washington Street, Roxbury, MA 02119 +Email: +ofca-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular + NUMBER: +EQT-08 +Version 01 + + + +EXPECTANT AND PARENTING STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +Boston Public Schools aims to graduate all students from high +school and prepare them for college and career success. For +students who are expecting or raising children, it is especially +crucial to maintain high expectations and intensive support for +school completion, as pregnancy and parenthood are among the +primary reasons many students drop out of school. As a school +district, Boston Public Schools aims to prevent student +pregnancy through comprehensive health education and access +to sexual health services. Under the District Wellness Policy, +schools must provide students with access to key resources and +services that are developmentally appropriate, and support +sexual and reproductive health in a safe and supportive +environment. It is also essential to engage with students who are +currently expectant or parenting to ensure a safe and supportive +learning environment and to promote academic success. +Moreover, we must ensure compliance with district policies that +prohibit bias-based conduct consistent with federal Title IX law, +which prohibits discrimination against students who are +pregnant or parenting. + + + +Page 2: +Superintendent’s Circular EQT-08 +Page 2 of 28 + + + +DEFINITIONS +Expectant: an individual, regardless of gender identity, who +is either pregnant or the partner of someone who is +pregnant. +Parenting: an individual, regardless of gender identity, who +is the parent of a child. +Caregiver: an individual currently providing care for the +student who has completed the notarized “Caregiver +Authorization Affidavit” granting education decision-making +rights. +Emancipated minor: an individual under age 18 who is self- +supporting and independent of parental control, sometimes +as a result of a court order terminating the rights and duties +of the parent(s). Under Massachusetts law, a minor who is +pregnant or parenting is not automatically emancipated; +however, as provided for in the law, pregnant and parenting +students can give independent consent for medical or +dental care for themselves or their children, including for +school-based medical services (see M.G.L. Ch. 112 § 12F). +FERPA (Family Educational Rights and Privacy Act): a +federal law that affords parents the right to have access to +their children’s education records, the right to seek to have +the records amended, and the right to have some control +over the disclosure of personally identifiable information +from the education records. When a student turns 18 years +old or enters a postsecondary institution at any age, the +rights under FERPA transfer from the parents to the +student. + + +Page 3: +Superintendent’s Circular EQT-08 +Page 3 of 28 + + + +HIPAA (Health Insurance Portability and Accountability +Act): a federal law establishing national standards and +requirements for electronic health care transactions and +protecting the privacy and security of individually +identifiable health information. This law applies to health +care providers and ensures that they do not share medical +information about their patients without the patients’ +permission. +Gender identity: A person's internal sense of being male, +female, some combination of male and female, or neither +male nor female. A person’s gender identity can be the +same or different from their physiology or assigned sex at +birth. +Parent: a child’s mother or father or both or guardian, or a +person or agency legally authorized by a court order to act +on behalf of the child in place of or in conjunction with the +mother, father, or guardian. +POLICY +Maintaining Confidentiality +Expectant and parenting students have the right to choose how +and when they seek services and support from school staff. +School staff must adhere to all applicable laws and regulations on +confidentiality for students, including the requirements stated in +the Family Educational Rights and Privacy Act (FERPA). As +provided for by this law, expectant and parenting students have +the right to have their health and personal information kept +confidential, including from other students and school staff who + + +Page 4: +Superintendent’s Circular EQT-08 +Page 4 of 28 + + + +are not required to be kept informed, except in circumstances +involving their physical safety. +When a student informs a school staff member of their expectant +or parenting status, the staff member must inform their head of +school within a reasonable time period as appropriate. A +reasonable time period should be determined by the immediacy +of the student’s need for an adjusted attendance policy and +academic supports; for expectant students, sufficient time should +be allowed for medical and health decisions to be made before +sharing the student’s expectant status with the head of school. +The staff member who has been informed must make the +expectant or parenting student aware of the need to inform the +head of school. The staff member should discuss with the +student and determine a reasonable time period in which to +inform the head of school. Depending on the details of the +situation, the student’s preferences regarding confidentiality, and +the student’s needs, the head of school should then share this +information with other staff on a limited, need-to-know basis. +School staff must not force or coerce a student to inform their +parents, or any other individual, of any pregnancy or parenting- +related information. School staff must not disclose information +about a student’s expectant or parenting status to the student’s +parents without permission from the student. If information +about a student’s pregnancy is documented within the student +record of a student under the age of 18, and parents make a +request for the student record, FERPA would require the district +to present parents with an opportunity to view the student +record. Boston Public Schools encourages communication with +and involvement of parents/guardians/caregivers regarding +health services and student supports. School staff working with + + +Page 5: +Superintendent’s Circular EQT-08 +Page 5 of 28 + + + +expectant or parenting students should encourage students to +consider informing their parents/guardians/caregivers or other +trusted family members about the pregnancy and decisions +related to that pregnancy. +Nothing in this policy must prevent the disclosure of information +in certain limited circumstances: cases of suspected child abuse +or neglect (in accordance with laws on mandated reporting of +abuse), threats by a minor against themselves or others, or cases +where there is a serious risk to a minor’s life or health. A student’s +pregnancy does not in itself constitute a serious risk to a minor’s +life or health, and therefore does not compel a staff member to +file a 51A based solely on the student’s pregnancy, regardless of +the student’s age. +A student must give written consent to store data linking their +name with academic information and their expectant or +parenting status. Storing this data together will help to ensure +that the student is receiving coordinated academic support. +Before giving this written consent, students must be informed +that, if they consent, information about their expectant or +parenting status may be accessible to their parents as part of +their full academic records. Any aggregated or trend data on +expectant or parenting students should not include any +identifying information. Qualified medical professionals within a +school building may keep confidential medical records on +pregnant students who have sought treatment. +Ensuring a Safe and Supportive Learning Environment +BPS Equity circulars protect the rights of students, including +expectant and parenting students, to attend school in an +environment free of bias-based conduct. Regardless of their + + +Page 6: +Superintendent’s Circular EQT-08 +Page 6 of 28 + + + +sexual orientation, gender identity, relationship status, marital +status, race, ethnicity, immigration status, Special Education or +English learner status, or other identities, expectant and +parenting students have the same right as any other students to +attend district schools or programs. District staff must not +engage in bias-based conduct toward any expectant or +parenting student, or exclude expectant or parenting students +from any school, program, class, or extracurricular activity on the +basis of a student’s expectant or parenting status. School staff are +encouraged to bring an anti-racist lens to ensuring that +expectant and parenting students be respected, provided with all +needed supports, and actively encouraged to achieve their +academic goals. +School personnel may require an expectant or parenting student +to obtain the certification of a physician that the student is +physically and emotionally able to continue participation in such +programs or activities only if a certification is also required of all +other students with physical or emotional conditions requiring +the attention of a physician. +All school staff must maintain and communicate high academic +expectations for all students, regardless of expectant or +parenting status. Bias-based counseling and the use of materials +that treat students differently on the basis of sex, including +expectant or parenting status, are prohibited. +The Office of Equity and administrators at each school are +responsible for monitoring compliance with the provisions of this +circular. Individuals who feel that this circular may have been +violated or that they have been subject to bias-based conduct +may contact the BPS Office of Equity. Any school employee who + + +Page 7: +Superintendent’s Circular EQT-08 +Page 7 of 28 + + + +becomes aware of bias-based conduct against an expectant or +parenting student must report such conduct to the head of +school and/or to the Office of Equity. +Finally, to promote a safe and supportive school environment, +teachers and school staff must be sensitive to the health needs of +expectant and parenting students. For example, some pregnant +students may benefit from bringing snacks to class, taking extra +bathroom breaks, or leaving class shortly before dismissal to +allow more time to pass between classes. Schools must also +accommodate new mothers’ need to express breastmilk and +work with students in partnership with the Office of Equity to +identify a private, sanitary location for this purpose, along with +appropriate storage space for nursing equipment. +Promoting Academic Success +Expectant and parenting students have the right to remain in +their regular or current school program, subject to universal +participation requirements for those programs. School programs +include but are not limited to: honors programs; special +education placements; specialized language programs; +alternative programs; extracurricular, intramural, and +interscholastic activities; and graduation programs or activities. +Students may attend an alternative school or participate in an +alternative program or activity for expectant or parenting +students, but such enrollment or participation must be +completely voluntary and never coerced. The alternative school, +program, or activity must align with the Common Core State +Standards and the Massachusetts Curriculum Frameworks. + + +Page 8: +Superintendent’s Circular EQT-08 +Page 8 of 28 + + + +Implementing Attendance Policies +Absences for reasons of pregnancy and related medical +conditions, including pregnancy-related illness or health +conditions, the termination of pregnancy, childbirth, and +recovery therefrom, must be considered excused absences. +Students have the right to be reinstated at the same school with +the same status as before the leave began after any pregnancy- +related medical leave and/or parental leave. +Students who are parents are entitled to a fair and reasonable +parental leave following the birth of a new child. Students who +are parents are entitled to a minimum of eight weeks of parental +leave for the purpose of giving birth, although a school may not +require a student to remain out of school for a fixed period of +time post-childbirth. The amount of parental leave for each +expectant student shall be determined in consultation with the +student, school staff, the student’s health care providers, and any +other adults the student consents to include. School staff should +encourage students to consider including their +parents/guardians/caregivers in this conversation. +Documentation from students’ licensed healthcare providers +may be required for verification of pregnancy and related +medical conditions only if it is also required for absences due to +other medical conditions. +Absences due to the illness or medical appointment during +school hours of a student’s child shall also be considered excused +absences. Parenting students shall not be required to provide +documentation from a licensed healthcare provider to verify their +children’s illnesses unless such documentation is also required +for absences due to all students’ medical conditions. + + +Page 9: +Superintendent’s Circular EQT-08 +Page 9 of 28 + + + +Schools must support the continuation of learning during +excused absences and leave, as medically appropriate. Every +reasonable effort must be made to provide school and home- +based independent study activities for students who are or will +be absent for a significant period of time due to pregnancy- +related illnesses, childbirth, and recovery, and parental leave. +Students who are pregnant or parenting must have access to +homebound or hospital instructional services on the same basis +as any other student who misses school for a temporary medical +condition. +Students with excused absences due to their expectant or +parenting status must have the same opportunity to complete +assignments and tests missed, or an equivalent of the work +missed, that any other student would have after excused +absences. Students must be given full credit upon satisfactory +completion of that work. +Using Liaisons to Share Information +Heads of school that oversee any student in grades 6-12 must +identify a school liaison for the Expectant and Parenting Students +Policy to help share information among the school community. +Schools must submit the name of this liaison to the Health and +Wellness Office. The liaison may be a guidance counselor, school +nurse, social worker, or other school staff member. Should the +expectant and parenting student liaison step down, a +replacement must be identified and reported to the Health and +Wellness Office within 15 school days. +Liaisons will work with the school leadership and the School +Wellness Council to share this policy with staff, students, and +families. All schools within the district that include any grades 6- + + +Page 10: +Superintendent’s Circular EQT-08 +Page 10 of 28 + + + +12 must disseminate this policy among school staff and +administration. The policy must also be shared with students and +families within the first month of school, and it must be posted in +the school nurse’s office throughout the school year. The school +must make the policy publicly available in any school-based +health centers or health resource centers. The name of the +expectant and parenting student liaison as well as a copy of this +policy must also be posted on the school website. +Heads of school are ultimately responsible for the academic +success of their students. Therefore, school leaders must +intervene in cases where students’ needs are not being met, +especially when the action or inaction of school staff is a +contributing factor. +The Office of Health and Wellness will coordinate training for +liaisons. That office must supply district and community +resources to liaisons. Liaisons must make this information +available to students and staff as needed. + + + + +Page 11: +Superintendent’s Circular EQT-08 +Page 11 of 28 + + + +POLICY IMPLEMENTATION AND REVIEW +Central offices and departments (e.g., Opportunity Youth, Health +Services, Health & Wellness), in collaborations with school +superintendents, will work with schools where there are multiple +expectant and parenting students, where existing support +systems may not be adequate to support their needs, to help +establish a plan for providing more comprehensive systems of +support. For example, this could include creating a school-based +team to develop and implement individual student plans, hiring a +part-time student liaison to work with expectant and parenting +students, or bringing in external programs or resources to +support students. In all cases, the plan must be approved by the +head of school and must match available school resources +(particularly staff and budget). +This policy and its associated implementation procedures will be +reviewed annually by the Office of Equity and the Office of Health +and Wellness and updated as needed. +IMPLEMENTATION GUIDELINES & PROCEDURES +Rights of Expectant and Parenting Students +Expectant and parenting students have the right to: +1. Choose how and when they seek services and support from +school staff. +2. Choose when and how to inform +parents/guardians/caregivers or other trusted family +members of their pregnancy and decisions related to that +pregnancy. + + +Page 12: +Superintendent’s Circular EQT-08 +Page 12 of 28 + + + +3. Have information shared with school personnel on a need- +to-know basis only, unless the student provides written, +informed consent. +a. In particular, students must give written, informed +consent before information on their expectant or +parenting status is stored in school files alongside their +academic information. +4. Participate in school programs, activities, classes, or +extracurricular activities and remain in their regular or +current school program, subject to universal participation +requirements. +a. Enrollment by expectant or parenting students in any +alternative program or activity must be completely +voluntary. +5. Have their absences excused when due to the illness or +medical appointment of a child or their own pregnancy- +related reasons. +6. Complete assignments and tests missed, or an equivalent of +the work missed, after excused absences due to their +expectant or parenting status and receive full credit upon +satisfactory completion of that work. +7. Participate in a conference with school staff and health care +providers about the amount of parental leave they will take, +and to choose which other adults (including +parents/guardians/ caregivers or other trusted family +members), if any, to include in that conference. +a. Students are entitled to a minimum of eight weeks of +parental leave. + + +Page 13: +Superintendent’s Circular EQT-08 +Page 13 of 28 + + + +b. BPS employees may not require a student to remain +out of school for a fixed period of time post-childbirth. +8. Receive Home and Hospital Instruction services to continue +learning and obtain instruction during excused absences +and/or leave that total more than 14 days in a school year. +a. Students must provide a qualified physician's +statement to access Home and Hospital Instruction +services. +9. Be reinstated at the same school at the conclusion of +pregnancy and/or parental leave with the same status as +before the leave began. +Protecting Student Confidentiality +1. Boston Public Schools employees must adhere to all +applicable laws and regulations on confidentiality for +students, including the requirements stated in the Family +Educational Rights and Privacy Act (FERPA). +a. Obtain written, informed consent from expectant or +parenting students before storing data linking +students’ names with academic information and +expectant or parenting status. +b. Before giving written consent, students must be +informed that, if they consent, information about their +expectant or parenting status will be entered into their +educational records to ensure that students are +receiving necessary supports, and educational records +are accessible to their parents in accordance with +FERPA. + + +Page 14: +Superintendent’s Circular EQT-08 +Page 14 of 28 + + + +2. When a student informs a school staff member of their +expectant or parenting status, the staff member must +inform their head of school within a reasonable time period +as appropriate in order to provide coordinated academic +support and adjusted attendance policies. +a. A reasonable time period should be determined by the +immediacy of the student’s need for an adjusted +attendance policy and academic supports, balanced +with the time needed by an expectant student to make +personal health decisions before the head of school is +informed. +b. The staff member should explain to the student the +need to inform the head of school in order to make a +coordinated plan for academic success. The staff +member should discuss with the student what a +reasonable time period would be for them so there is a +shared understanding and accountability of the next +steps. +c. If the student is pregnant and needs more time and +support to consider their options and connect with a +medical provider, the staff and student should make a +plan to check in regularly to ensure the student +receives timely support. The staff member is not +required to inform the head of school if the pregnancy +is ended. +d. Depending on the details of the situation, the student’s +preferences regarding confidentiality, and the +student’s needs, the head of school should then share +this information with other staff on a limited, need-to- +know basis. The school nurse may be helpful if health + + +Page 15: +Superintendent’s Circular EQT-08 +Page 15 of 28 + + + +care coordination with the student’s medical provider +is needed. A school social worker may be helpful in +connecting the student to other support services. The +student should be consulted before sharing their +status with other staff; this is essential to building trust, +honoring student autonomy, and ensuring the student +feels safe and supported. +3. School staff members must not disclose a student’s +expectant or parenting status to that student’s parents +regardless of age without permission from the student. +Additionally, staff members must not force or coerce +students to inform their parents, or any other individual, of +any pregnancy or parenting-related information. +a. School staff working with expectant or parenting +students should encourage them to consider informing +their parents/guardians/caregivers or other trusted +family members of the pregnancy and decisions +related to that pregnancy. Having a support system +where they live is very important during pregnancy +and while parenting. However, to help the student +make a support plan, the trusted staff should ask if the +student believes that telling their family about the +pregnancy will put the student in danger and should +be aware of such dynamics in the student’s home life. +A school social worker, a trained reproductive health +counselor, or a similar support role may be best suited +to help counsel a student in this matter. +b. In accordance with Massachusetts General Law +(Chapter 119, Section 51A), school staff are expected to +disclose information on child abuse or neglect to the + + +Page 16: +Superintendent’s Circular EQT-08 +Page 16 of 28 + + + +appropriate authorities. Mandated reporters must +report if, when acting in their professional capacities, +they have reasonable cause to believe that a child is +suffering certain kinds of physical or emotional injury. +The kinds of physical or emotional injuries that must be +reported are those that are the result of (i) abuse +inflicted upon the child which causes harm or +substantial risk of harm to the child's health or welfare, +including sexual abuse; (ii) neglect, including +malnutrition; or (iii) physical dependence upon an +addictive drug at birth. A student’s pregnancy does not +in itself constitute a serious risk to a minor’s life or +health and does not automatically require submitting a +report. +4. School staff members should reach out to the school policy +liaison, a school administrator, or the Office of Equity to get +support in understanding confidentiality procedures as +needed. +Ensuring a Safe, Supportive Learning Environment +BPS employees must: +1. Treat all students, including expectant and parenting +students, with respect, recognizing that all students have +the potential to succeed. +2. Maintain and communicate high academic expectations for +all students, regardless of expectant or parenting status. +3. Recognize and address the ways multiple forms of bias, +inducing racial bias, may impact an expectant or parenting +student’s opportunities for academic success. + + +Page 17: +Superintendent’s Circular EQT-08 +Page 17 of 28 + + + +4. Ensure that expectant and parenting students are not +excluded from any school, program, class, or extracurricular +activity on the basis of the student’s expectant or parenting +status. +a. Teachers and school staff are encouraged to be +sensitive to the health needs of expectant and +parenting students. For example, some pregnant +students may benefit from bringing snacks to class, +taking extra bathroom breaks, or leaving class shortly +before dismissal to allow more time to pass between +classes. +b. Schools must also accommodate new mothers’ need to +express breast milk. Contact the Office of Equity for +assistance as needed. +5. Any BPS employee, student, or family member who +becomes aware of possible bias-based conduct against an +expectant or parenting student should report such conduct +to the head of school and/or to the BPS Office of Equity. +ROLES AND RESPONSIBILITIES +1. School administrators are responsible for: +a. Ensuring school staff’s compliance with the policy. +i. Intervene in cases where students’ needs are not +being met, especially when the action or inaction +of school staff is a contributing factor. +b. Identifying a school policy liaison: Schools with any +grades 6-12 must identify an Expectant and Parenting +Student Policy liaison to share information with school +staff, students, and families. + + +Page 18: +Superintendent’s Circular EQT-08 +Page 18 of 28 + + + +i. School leaders must submit the name of the +policy liaison to the assistant superintendent, +Office of Health & Wellness, by the first day of +school each year. See contact at the end of the +circular. +ii. If the school’s policy liaison steps down, the school +leader must identify a replacement and report +their name to the Assistant Superintendent, Office +of Health & Wellness, within 15 school days. +iii. Every school has a different structure for +providing student support services; therefore, the +school-based position of the liaison may differ +among schools. It is usually best if the liaison is in +regular contact with expectant and parenting +students as part of their job, such as a guidance +counselor or social worker. At the K-8 or middle +school level, where there are generally fewer +expectant or parenting students, it may be +appropriate for a health teacher or other +interested teacher to serve as liaison. School +nurses may not be the ideal choice as a liaison +since they may not be available to leave the +nurse’s office during school hours to share +information with other staff. +c. Overseeing the policy liaison to ensure communication +of the policy to all staff, students, and families. +d. Working with the Office of Equity to accommodate +new mothers’ need to express breast milk by +identifying a private, sanitary location for this purpose, +along with appropriate storage space for nursing + + +Page 19: +Superintendent’s Circular EQT-08 +Page 19 of 28 + + + +equipment. Bathrooms are not appropriate facilities, +even if private. To qualify, spaces should be “shielded +from view and free from any intrusion.” For more +guidelines, see the fact sheet on “Break Time for +Nursing Mothers Under the FLSA,” available at +http://www.dol.gov/whd/regs/compliance/whdfs73.htm +e. Reporting any instances of possible bias-based +conduct against an expectant or parenting student to +the Office of Equity (phone: 617-635-9650 or email: +bpsequity@bostonpublicschools.org) +i. It is considered bias-based conduct to exclude an +expectant or parenting student from any school, +program, class, or extracurricular activity on the +basis of a student’s expectant or parenting status. +ii. Enrollment by expectant or parenting students in +any alternative program or activity must be +completely voluntary. +2. School Expectant and Parenting Student Policy liaisons are +responsible for: +a. Completing the initial district training for policy liaisons +within the first few months of school, and any refresher +training as required. The training objectives are to +increase knowledge about the policy and related laws +and improve skills in supporting expectant and +parenting students and communicating with the +school community. +b. Ensuring that the policy is shared with students, +families, and school staff. + + +Page 20: +Superintendent’s Circular EQT-08 +Page 20 of 28 + + + +i. Work with the school leadership and the school +wellness council to share the policy with staff, +students, and families, ensuring translation for +students and families whose primary language is +not English. +ii. Make the policy and any appropriate resources +available in the school nurse’s office and any +school-based health centers or health resource +centers. +iii. Post the name of the policy liaison and a copy of +the policy on the school website so any member +of the school community can access it. +c. Disseminating information about district and +community resources. +i. Inform administrators, staff, and students about +the availability of resources for expectant and +parenting students; see Office of Health & +Wellness for resources. +ii. Disseminate information about support resources +to expectant and parenting students directly as +appropriate or through other school staff +members as needed; students are not required to +meet with the liaison if they do not wish. +d. Supporting all school staff in maintaining student +confidentiality as required by this policy and the law. +i. Liaisons do not need to be informed of the +identity of any expectant and parenting student +unless the student chooses to inform the liaison; +information and resources can be shared through + + +Page 21: +Superintendent’s Circular EQT-08 +Page 21 of 28 + + + +the school staff member with whom the student +has confided. +ii. Liaisons are not expected to be case managers or +counselors for expectant or parenting students +unless this is already part of their job +requirements. +3. School nurses are responsible for: +a. Offering regular check-ins with expectant students to +monitor their health and wellness during their +pregnancy. The type and frequency of check-ins should +be established based on the student’s wishes, needs, +and determined in consultation with the student. +i. Health services should be provided in a safe and +supportive environment free from bias-based +conduct towards expectant or parenting students. +b. Maintaining confidential medical records on pregnant +or parenting students who have sought treatment. +School nurses must be particularly aware of their +responsibilities under state and federal law and +regulations, especially the Health Insurance Portability +and Accountability Act (HIPAA). +c. Partnering with the head of school and the Office of +Equity to accommodate new mothers’ need to express +breast milk by identifying a private, sanitary location for +this purpose, along with appropriate storage space for +nursing equipment. Bathrooms are not appropriate +facilities, even if private. To qualify, spaces should be +“shielded from view and free from any intrusion.” For +more guidelines, see the fact sheet on “Break Time for + + +Page 22: +Superintendent’s Circular EQT-08 +Page 22 of 28 + + + +Nursing Mothers Under the FLSA,” available at +http://www.dol.gov/whd/regs/compliance/whdfs73.htm +d. Helping to determine the amount of parental leave a +student will take following the birth of a child in +consultation with the student, school staff who are +already aware of the student’s expectant status, the +student’s health care providers, and any other adults +the student consents to include. +i. Students are entitled to a minimum of eight +weeks of parental leave. +ii. BPS employees may not require a student to +remain out of school for a fixed period of time +post-childbirth. +e. Posting the policy in the school nurse’s office +throughout the school year and making the policy +publicly available in any school-based health centers or +health resource centers. + +4. Guidance counselors are responsible for: +a. Providing expectant and parenting students with +academic support and guidance when requested. +Students should be encouraged to seek support from +school guidance counselors to make an academic plan, +but students have a right to choose how and when +they seek services and support from school staff. +i. Work with expectant and parenting students to +determine a school schedule that promotes on- +time arrival and regular attendance. For some + + +Page 23: +Superintendent’s Circular EQT-08 +Page 23 of 28 + + + +students, this may include flexible scheduling, +independent study periods, or online courses +(provided that online courses include sufficient +opportunities for in-person interaction and +support as needed). +b. Obtaining written, informed consent from expectant or +parenting students before storing data linking +students’ names with academic information and +expectant or parenting status. Before giving written +consent, students must be informed that, if they +consent, information about their expectant or +parenting status will be entered to ensure that +students are receiving necessary support, and then +may be accessible to their parents as part of their full +academic records. +c. Ensure that any counseling or information provided to +students is unimpeded by bias. +d. Ensure that any student’s decision about whether to +participate in alternative schools, programs, or +activities for expectant or parenting students is +completely voluntary if sharing information with +students about those programs. +e. If a school does not have a guidance counselor on staff, +these responsibilities fall to the head of school. +5. The student’s school leader or their designee is responsible +to: +a. Bring together the student, other school staff already +aware of the student’s expectant or parenting status, +the student’s health care providers, and any other + + +Page 24: +Superintendent’s Circular EQT-08 +Page 24 of 28 + + + +adults the student consents to include to determine +the amount of parental leave for each expectant +student. Encourage students to consider including +their parents/guardians/caregivers in this conversation. +i. Students are entitled to a minimum of eight +weeks of parental leave. +ii. BPS employees may not require a student to +remain out of school for a fixed period of time +post-childbirth. +b. Ensure that students are reinstated at the conclusion +of a pregnancy and/or parental leave with the same +status as before the leave began. +c. Support the continuation of learning during excused +absences and leave, as medically appropriate, including +by working with the student to arrange a temporary +home or hospital instructional services through the +BPS Opportunity Youth Department. +d. Work with expectant and parenting students to +determine a school schedule that promotes on-time +arrival and regular attendance. Contact the Homeless +Education Resource Network (HERN) to arrange +transportation and promote school attendance among +expectant or parenting students experiencing +homelessness who are residing outside of the district. +e. Ensure that absences are excused when they arise +from pregnancy and related medical conditions, +including pregnancy-related illness or health +conditions, the termination of pregnancy, childbirth, +and recovery therefrom. Documentation from + + +Page 25: +Superintendent’s Circular EQT-08 +Page 25 of 28 + + + +students’ licensed healthcare providers may be +required for verification of pregnancy and related +medical conditions only if it is also required for +absences due to other medical conditions. +f. Ensure that absences are considered excused when +they are due to the illness or medical appointment +during school hours of a child of a student. +6. Central Office Staff +a. Office of Health and Wellness is responsible for: +i. Tracking names of school-based policy liaisons +ii. Coordinating initial and any needed refresher +training resources for policy liaisons. The training +will include best practices on disseminating +information about the expectant and parenting +students policy, on finding and distributing +resources to students in a culturally responsive +way, and on expectations for data collection and +confidentiality. +iii. Maintaining up-to-date district and community +resources for supporting expectant and parenting +students and sharing these resources with +liaisons. +b. Office of Equity is responsible for: +i. Monitoring compliance with this policy, including +responding to reports of possible bias-based +conduct. +ii. Ensuring communication of the policy at every +level of staff within the district and + + +Page 26: +Superintendent’s Circular EQT-08 +Page 26 of 28 + + + +communicating the policy yearly to families +through the BPS Guidebook. +iii. Reviewing the policy and its associated +implementation procedures annually and +updating as needed in collaboration with the +Office of Health and Wellness and other central +office stakeholders identified in this policy. +iv. Sharing the expectant and parenting students +policy and policy updates with the Boston +Student Advisory Council and other student +groups. +c. The Department of School Health Services is +responsible for: +i. Providing training and guidance to school nurses +on best practices for working with expectant and +parenting students, including how to ensure +confidentiality in accordance with this policy and +the law and providing culturally responsive +services. +d. Office of Opportunity Youth is responsible for: +i. Working with schools to help support the +continuation of learning during excused absences +and leave through the Home and Hospital +Instruction Program. +ii. Through supervisors of attendance, responding to +inquiries about attendance policies or reporting, +including policies on excused absences for +expectant and parenting students. + + +Page 27: +Superintendent’s Circular EQT-08 +Page 27 of 28 + + + +iii. Through the Homeless Education Resource +Network (HERN), working with schools to arrange +transportation and promote school attendance +among expectant or parenting students +experiencing homelessness who are residing +outside of the district. +e. Central office departments tasked with student +support services, such as Guidance and Social Work, +are responsible for: +i. Supporting the communication of this policy to +the school-based staff they support and +supporting professional development to ensure +staff is trained and have the resources to support +expectant and parenting students. +ii. Identifying schools with large numbers of +expectant and parenting students, such that +existing support systems may not be adequate to +support their needs and helping to establish a +plan for providing more comprehensive systems +of support. +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington Street, 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-9650 +Email: +bpsequity@bostonpublicschools.org + + +Page 28: +Superintendent’s Circular EQT-08 +Page 28 of 28 + + + +OR +Name: +Senior Executive Director +Department: +Office of Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-7926 +Email: +healthandwellness@bostonpublicschools. +org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-06 +Version 01 + + + +SEXUAL MISCONDUCT TOWARD EMPLOYEES AND +OTHER THIRD PARTIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Boston Public Schools is committed to ensuring a work +environment free of inappropriate sexual conduct. Inappropriate +sexual comments or behavior will not be tolerated. In addition, +any retaliation against an individual who reports inappropriate +sexual conduct or harassment, or has cooperated with a related +investigation, is unacceptable. The Boston Public Schools treats +reports of violations of this policy with the utmost seriousness. +We will respond promptly to any allegations of sexually +inappropriate conduct and intervene to cease any conduct that +violates this policy. Anyone who violates this policy will be subject +to corrective action up to and including termination. +DEFINITION OF SEXUAL HARASSMENT +In Massachusetts, sexual harassment means sexual advances, +requests for sexual favors, and verbal or physical conduct of a +sexual nature when: + + +Page 2: +Superintendent’s Circular EQT-06 +Page 2 of 7 + + + +a) Submission to or rejection of such advances, requests, or +conduct is made, either explicitly or implicitly, a term or +condition of employment or as a basis for employment +decisions; or +b) Such advances, requests, or conduct have the purpose or +effect of unreasonably interfering with an individual’s work +performance by creating an intimidating, hostile, +humiliating, or sexually offensive work environment. +Please note that while this policy sets forth the goal of promoting +a workplace that is free of harassment, the policy is not designed +or intended to limit the district’s authority to discipline or take +remedial action for workplace conduct that the district deems +unacceptable, regardless of whether the conduct satisfies the +definition of unlawful harassment. +The definition of inappropriate sexual communication and +behavior is broad. Conduct that is sexual or perceived as sexual, +and that is welcome or unwelcome, may constitute sexual +harassment. +CONDUCT PROHIBITED +Employees shall not engage in inappropriate sexual conduct +while employed, working for, attending, or participating in +district endeavors. Employees are protected from inappropriate +sexual conduct by anyone they interact with in the course of their +work. The same standard applies to partners or contractors +providing services in or under the auspices of the Boston Public +Schools. Behavior that occurs in a location other than a Boston +Public Schools building or outside of BPS school or work hours, + + +Page 3: +Superintendent’s Circular EQT-06 +Page 3 of 7 + + + +including when an employee is working remotely, may still +constitute sexual misconduct and a violation of this policy if that +behavior has the effect of disrupting an employee’s ability to do +their job. +While it is not possible to list all circumstances that may +constitute prohibited conduct, the following are some examples: +VERBAL: Using suggestive, derogatory, vulgar comments, or +sexual innuendos or slurs; making unwanted sexual advances, +invitations, and/or comments; repeatedly requesting dates; +spreading rumors about or rating others as to their sexual activity +or performance; making threats or pressuring others to submit to +sexual requests; inquiring into one’s sexual activities or +orientation. +VISUAL: Displaying sexually suggestive objects, pictures, posters, +written material, cartoons, or drawings; texting, emailing, or +sharing digital images or comments of a sexual nature; using +sexual gestures. +PHYSICAL: Sexual activity, whether or not it is consensual, in a +school or any building where BPS business is conducted. +Participating in unwanted touching, pinching, kissing, hugging; +blocking normal movement; stalking; engaging in unwanted +sexual acts or assault; physically interfering with an individual’s +work because of their actual or perceived sex, sexual orientation, +gender identity, or gender expression. + + +Page 4: +Superintendent’s Circular EQT-06 +Page 4 of 7 + + + +RESPONDING TO REPORTS OF SEXUAL MISCONDUCT +An employee who believes that they have been a target of +inappropriate sexual conduct may report the incident to any of +the following individuals: school principal/head of school, school +superintendent, or the Office of Equity. +1. If an employee believes that they have been subjected to +inappropriate sexual conduct or have witnessed +inappropriate sexual conduct, the employee has the right to +file a report with the Boston Police. +2. The aggrieved employee also has the right to file a report +with the Boston Public Schools Office of Equity, either orally +or in writing, at 617-635-9650 or +bpsequity@bostonpublicschools.org. +3. Employees in supervisory or managerial roles have an +obligation to report any employee complaint of sexual +misconduct to the Office of Equity within two (2) business +days of learning of the complaint. The person submitting +the report must ensure the integrity and confidentiality of +the report and shall not disclose the allegations or any +related information to either party or to any third party, +excepting the Office of Equity, unless required by law. +Employees in a supervisory capacity are required to report +possible sexual misconduct toward or involving employees, +vendors, or contractors to the Office of Equity as soon as +practicable, generally within the same school day. + + + +Page 5: +Superintendent’s Circular EQT-06 +Page 5 of 7 + + + +After a report is filed, the Office of Equity or the office’s designee +will promptly investigate the allegation in a fair and expeditious +manner. The investigation may include a private interview with +the person filing the report, the person alleged to have engaged +in sexually inappropriate conduct, and other witnesses. In some +circumstances, as determined by the Office of Equity, the person +alleged to have engaged in the conduct may be placed on +administrative leave pending the outcome of the investigation. +BPS employees are obliged to cooperate with the investigation, +including promptly participating in investigatory interviews, and +providing any requested information or documents. +If Boston Public Schools finds that there has been a violation of +this policy, the district will take action to eliminate the conduct. +Disciplinary action for employees may include warnings, +reprimands, required training, suspension or termination of +employment, or other discipline as appropriate. +When the investigation is completed, the Office of Equity will +inform the reporter and the person alleged to have engaged in +the conduct of the results of the investigation to the extent +appropriate under the circumstances. +PROHIBITION OF RETALIATION +Retaliation against an individual who reports inappropriate +sexual conduct, sexual harassment, or retaliation against +individuals for cooperating with an investigation of a sexual +harassment allegation is unlawful and will not be tolerated by the +Boston Public Schools. + + +Page 6: +Superintendent’s Circular EQT-06 +Page 6 of 7 + + + +STATE AND FEDERAL REMEDIES +If you believe you have been subjected to unlawful sexual +harassment, you may also file a formal complaint with either of +the government agencies set forth below. Using the district’s +internal reporting process does not preclude you from filing a +complaint with these agencies. Each agency has a short time +period for filing a claim (300 days). +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +(800) 660-4000 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 +For more information about this circular, contact: + + +Page 7: +Superintendent’s Circular EQT-06 +Page 7 of 7 + + + +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +E-mail: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +EQT-04 +Version 01 + + + +TRANSGENDER AND GENDER NONCONFORMING +STUDENTS — NONDISCRIMINATION ON THE BASIS OF +GENDER IDENTITY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +This circular sets out guidelines for schools and district staff to +create a culture where transgender and gender nonconforming +students feel safe, supported, and fully included, and to meet +each school’s obligation to provide educational opportunities for +all students. We aim to achieve inclusion of transgender and +gender nonconforming students, while maintaining students’ +right to privacy. +BIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT +Massachusetts law and the Boston Public Schools (BPS) require +that all classrooms, programs, activities, and employment +practices be free from bias and discrimination on the basis of sex, +sexual orientation, and gender identity. It is the responsibility of +each school and the district to ensure that transgender and +gender nonconforming students have a safe school environment. +For policies and procedures about BPS’s “Bullying Prevention +and Intervention Plan,” please see Superintendent’s Circular SSS- + + +Page 2: +Superintendent’s Circular EQT-04 +Page 2 of 8 + + + +18. For more information about safety transfers in the district, +please see Superintendent’s Circular AMT-07. +Reports of bias, discrimination or harassment based on a person’s +actual or perceived gender identity or gender nonconformity are +handled in the same manner as other reports of bias-based +conduct. Students, employees, and third parties alleged to have +violated this policy (EQT-04) will be investigated and addressed +according to the protocols detailed in Superintendent’s Circular +EQT-02, “Bias-Based Conduct Toward Students Families or Other +Third Parties.” +NAMES AND PRONOUNS +In Massachusetts, an individual may adopt a name that is +different from the name that appears on their birth certificate. No +additional legal or other documentation is required for school +staff to honor student requests to go by a chosen/affirming +name. If a student or their family is looking to update the name +that appears on official school records, they may do so either by +completing the Change of Student Information Form - Name and +Gender Change Request (if the update is related to gender +identity) or by contacting BPS Welcome Services (if the update is +not related to gender identity). Note: This process is not a legal +name change and does not affect any records other than those +kept by BPS. +After a student requests a name change, school personnel shall +make every effort to consistently use the student’s chosen name +and stated pronouns. For students who remain in the same +school following a gender transition, it is important to develop a +plan for ensuring the use of the chosen name and stated + + +Page 3: +Superintendent’s Circular EQT-04 +Page 3 of 8 + + + +pronouns. School-based staff are strongly encouraged to contact +the Office of Equity for additional support in this process. +PRIVACY, CONFIDENTIALITY, AND STUDENT RECORDS +Under Massachusetts law, information about a student’s +assigned birth sex, gender transition, name change associated +with transition, medical or mental health treatment related to +gender identity, or any other related information is part of the +individual’s student record (for more information, see the +Massachusetts Student Records Regulations, 603 CMR 23.00). +Student records are confidential and must be kept private and +secure except in limited circumstances, such as when authorized +school personnel require the information to provide +administrative, teaching, counseling, nursing, or other services to +the student in the performance of their official duties. Authorized +school personnel may include, but are not limited to, individuals +such as the principal, school nurse, classroom teacher(s), social +worker, and/or guidance counselor. +When a student new to a school is using a chosen or affirming +name, the birth name is considered private information and may +be disclosed only with authorization as provided under the +Massachusetts Student Records Regulations. If the student has +previously been known at school and/or in school records by their +birth name, school personnel must use the student’s chosen +name. School personnel should not disclose information that +may reveal a student’s transgender status or gender +nonconforming presentation to others, including parents and +other school personnel, unless legally required to do so, for safety +reasons, or if the student and/or guardian has authorized such +disclosure. + + +Page 4: +Superintendent’s Circular EQT-04 +Page 4 of 8 + + + +Transgender and gender nonconforming students have the right +to discuss and express their gender identity and expression +openly and to decide when, with whom, and how much +information to share. A student who is 14 years of age or older, or +who has entered the ninth grade, may consent to disclosure of +information from their student record. If a student is under 14 +and is not yet in the ninth grade, only the student’s parent has +the authority to decide on disclosures and other student record +matters. +To the extent that the school is not legally required to use a +student’s legal name and gender on other school records or +documents, every effort shall be made to update student records +with the student’s chosen name and not circulate records with +the student’s birth name. Records with the student’s birth name +shall be kept confidential. +For more information about Student Record Regulations, please +see Superintendent’s Circular LGL-07. +RESTROOMS, LOCKER ROOMS, AND CHANGING FACILITIES +In accordance with Massachusetts law, all students are entitled to +have access to restrooms, locker rooms, and changing facilities +consistent with the student’s gender identity. As part of the +transition process, the school leader (or their designee) and +student (and parent/guardian, when applicable) shall address the +student’s access to the restrooms, locker room, and changing +facilities. +Each situation needs to be addressed based on the particular +circumstances of the student and the school facilities. In all cases, +the school leader (or their designee) shall be clear with the + + +Page 5: +Superintendent’s Circular EQT-04 +Page 5 of 8 + + + +student (and parent/guardian when applicable) that the student +may access the restroom, locker room, and changing facility that +corresponds to the student’s gender identity. Transgender +students who prefer not to use a sex-segregated restroom should +be provided with a safe and adequate alternative, such as a single +stall restroom or nurse’s restroom if possible. The single-user +facility, however, may not be given as the only option for +transgender or gender nonconforming students. +School-based staff should be aware that there will be students +who do not identify along the gender binary (boy/girl or +man/woman). These students may use terms such as +“nonbinary,” “gender fluid,” or “gender queer” to describe their +gender identity. They should be given access to whichever facility +feels most comfortable to them. Students who prefer not to use a +sex-segregated restroom should be provided with a safe and +adequate alternative, such as a single stall restroom or nurse’s +restroom if possible. The single-user facility, however, may not be +given as the only option for transgender or gender +nonconforming students. If possible, schools should consider +designating one or more restrooms at their school as “all gender,” +meaning that anyone of any gender may use that restroom. +Student and/or school staff discomfort is not an acceptable +reason to deny restroom access to transgender and/or gender +nonconforming students. School administrators, educators, and +counseling staff should take a proactive approach to address any +discomfort, foster understanding, and create a school culture +that respects and values all students. School-based staff may +contact the Office of Equity for additional support in this area. + + +Page 6: +Superintendent’s Circular EQT-04 +Page 6 of 8 + + + +PHYSICAL EDUCATION CLASSES, INTRAMURAL SPORTS, AND +INTERSCHOLASTIC ATHLETIC ACTIVITIES +Where there are sex-segregated classes or athletic activities, +including intramural and interscholastic athletics, all students +must be allowed to participate in a manner consistent with their +gender identity. The Massachusetts Interscholastic Athletic +Association, as outlined in their Gender Identity Policy +Clarification, will defer to the determination made by the student +and their school regarding gender identity. +DRESS CODES +All students have the right to dress in a manner consistent with +their gender identity or expression. In general, schools should +eliminate dress codes that restrict students’ clothing or +appearance on the basis of gender.(1) School staff must not +enforce the dress code more strictly against transgender and +gender-nonconforming students than other students. +DIPLOMAS +Graduating students are entitled to use a chosen or affirming +name on their BPS diploma, this name may be different from the +name listed in student records. Students wanting a diploma +printed with a name other than or in addition to the name listed +in student records should speak to their school guidance +counselor or the LGBTQ+ student support manager. + +(1) The Office of Equity will provide schools with a sample dress +code upon request. + + +Page 7: +Superintendent’s Circular EQT-04 +Page 7 of 8 + + + +GENDER-BASED ACTIVITIES, RULES, POLICIES AND PRACTICES +Schools should evaluate all gender-based policies, rules, and +practices, and maintain only those with a clear and sound +pedagogical purpose and equivalent offerings for students of all +genders. Gender-based policies, rules, and practices may have +the effect of marginalizing, stigmatizing, and excluding students, +including gender nonconforming students. +Whenever students are separated by gender in school activities +or are subject to an otherwise lawful gender-specific rule, policy, +or practice, students must be permitted to participate in such +activities or conform to such rule, policy, or practice consistent +with their gender identity. +RELATED RESOURCES +• The Gay, Lesbian and Straight Education Network (GLSEN) +Gender Terminology Guide is available here: +https://www.glsen.org/activity/gender-terminology. +• For information about the Boston Public Schools policies on +bias-based conduct or bullying, see Superintendent’s +Circulars EQT-02, EQT-03, or SSS-18. +• For more information about the Massachusetts gender +identity law, see the Massachusetts Department of +Elementary and Secondary Education guidance document, +“Nondiscrimination on the Basis of Gender Identity” at +http://www.doe.mass.edu/ssce/GenderIdentity.pdf. +• Contact the Office of Equity at 617-635-9650 or +bpsequity@bostonpublicschools.org for information about +additional support. + + +Page 8: +Superintendent’s Circular EQT-04 +Page 8 of 8 + + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th floor, Roxbury, MA +02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-01 +Version 01 + + + +NONDISCRIMINATION POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to maintaining an +educational environment and workplace where individuals of all +backgrounds and experiences are welcomed, encouraged, +included, and can flourish. We aim to eliminate all forms of bias +and bigotry, including discrimination based on race, color, age, +criminal record (inquiries only), physical or mental disability, +pregnancy and pregnancy-related conditions, homelessness, +sex/gender, gender identity, religion, national origin, ancestry, +sexual orientation, genetics, natural or protective hairstyle, and +military status. The Boston Public Schools is resolved that +prejudice and disparate treatment will never impede our learners +or our educators. +The Boston Public Schools will not tolerate discriminatory +behavior, including intimidation, threats, or harassment of +employees, students, or anyone else who visits or is part of our +learning community. Retaliatory conduct toward persons who +have reported possible bias, discrimination, or inappropriate +behavior, who have assisted in an investigation, or who have +otherwise exercised their rights under this policy is also +prohibited. + + +Page 2: +Superintendent’s Circular EQT-01 +Page 2 of 4 + + + +Conduct in violation of this policy includes any action, including +verbal or nonverbal communication, that contributes to, +promotes, or is complicit in disrupting the district’s inclusive +learning and working environment. Derogatory or intimidating +statements, threats, acts of exclusion, or other mistreatment +regarding a student’s or employee’s membership in or +association with a member of a protected group, whether made +in person or by telephone, postal mail, e-mail, internet posting, or +any other means, will not be tolerated. This includes such +statements made toward students, members of students’ +families, employees, contractors, or other parties who support or +participate in district programming. +This policy extends to all employment and educational practices +and programs, including: +• Recruitment +• Selection and admission +• Compensation and benefits +• Access to learning +• Professional development, training, and extracurricular +activities +• Discipline, evaluation, and testing +• Reasonable accommodation for disabilities or religious +practices +• Promotion +• Transfer +• Termination +• Layoff +• Other terms and conditions of employment and education. + + + +Page 3: +Superintendent’s Circular EQT-01 +Page 3 of 4 + + + +The Boston Public Schools will vigorously implement and actively +enforce this policy to ensure that all its daily operations are +characterized by fairness, respect, and equity. Any violation of this +policy will be viewed as serious misconduct and may result in +discipline, up to and including termination of the offending +employee or expulsion of the responsible student. Retaliation +against any person who has testified, assisted, or participated in +any manner in an investigation, proceeding, or hearing of a +report of a violation of this policy, will similarly be viewed as +serious misconduct and may result in discipline, up to and +including termination or expulsion. +Information about the investigative procedures associated with +this policy is detailed in Superintendent’s Circulars EQT-02 and +EQT-05. +All Boston Public Schools newly printed publications (e.g., Code +of Conduct, Citywide Learning Standards and Curriculum +Frameworks, course selection booklets, student/parent/employee +handbooks, job postings, etc.) for students, parents, teachers, +non-academic employees, and the general public must contain +the following nondiscrimination notice: +The Boston Public Schools, in accordance with its +nondiscrimination policies, does not discriminate in its +programs, facilities, or employment or educational +opportunities on the basis of race, color, age, criminal +record (inquiries only), disability, pregnancy, homelessness, +sex/gender, gender identity, religion, national origin, +ancestry, sexual orientation, genetics, natural or protective +hairstyle, or military status, and does not tolerate any form +of retaliation, or bias-based intimidation, threat, or + + +Page 4: +Superintendent’s Circular EQT-01 +Page 4 of 4 + + + +harassment that demeans individuals’ dignity or interferes +with their ability to learn or work. + +For more information about this circular, contact: +Owner: +Assistant Superintendent of Equity +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-07 +Version 01 + + + +ACCOMMODATING EMPLOYEES WITH DISABILITIES, +PREGNANCY, AND PREGNANCY-RELATED CONDITIONS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Boston Public Schools is committed to providing equal +employment opportunity to all individuals, in accordance with +Chapter 151B of the Massachusetts General Laws and with the +Americans with Disabilities Act (ADA). This circular provides +information about the district procedures to address +accommodation requests for employees on the basis of disability, +pregnancy, and pregnancy-related conditions. +EMPLOYEES WITH DISABILITIES +Any current or prospective employee who is an individual with a +disability may request a reasonable accommodation to assist in +performing the essential functions of their assignment. +Chapter 151B and the ADA define a person with a disability as +someone who: (1) has a physical or mental impairment that +substantially limits one or more major life activities; (2) has a +record of such an impairment; or (3) is regarded as having such +an impairment. + + +Page 2: +Superintendent’s Circular EQT-07 +Page 2 of 6 + + + +Major life activities include, but are not limited to, caring for +oneself, performing manual tasks, seeing, hearing, eating, +sleeping, walking, standing, lifting, bending, speaking, breathing, +learning, reading, concentrating, thinking, communicating, and +working, and the operation of a major bodily function. Although +not exhaustive, examples of the range and variety of disabilities +included under these laws are provided below. +• Non-Ambulatory Disabilities – Physical impairments, +regardless of cause, that require an individual to use a +wheelchair, including individuals who are paraplegic, +quadriplegic, hemiplegic, or have had a limb or limbs +amputated. +• Semi-Ambulatory Disabilities – Physical impairments that +cause a person to walk with difficulty, perhaps with the +assistance of a cane, crutches, or walker. +• Coordination Disabilities – Impairments of muscle control of +the limbs. +• Sight Disabilities – Impairments affecting vision totally or +partially. +• Hearing Disabilities – Impairments affecting hearing totally +or partially. +• Speech Impairments – Impairments affecting totally or +partially the ability to communicate orally. +• Learning Disabilities – Impairments that impede learning +processes. +• Mental or Psychological Disorders – Impairments affecting +individuals’ neurological and/or psychological functioning, +behavior, and/or mood. + + +Page 3: +Superintendent’s Circular EQT-07 +Page 3 of 6 + + + +The district’s nondiscrimination policy prohibits bias-based +conduct or discrimination on the basis of disability in any aspect +of the employment relationship, including: +1. +Recruitment, advertising, and the processing of +applications +2. +Hiring, evaluation, upgrading, promotion, award of +permanent teacher status, demotion, transfer, layoff, +termination, right of return from layoff, and rehiring +3. +Rates of pay or any other form of compensation, and +changes in compensation +4. +Job assignments, job classifications, organizational +structures, position descriptions, lines of progression, +and seniority lists +5. +Leaves of absence, sick leave, or any other leave +6. +Fringe benefits available by virtue of employment, +whether or not administered by the Boston Public +Schools +7. +Selection and financial support for training, including +professional development, conferences, and other +related activities, and selection for leave of absence to +pursue training. +PREGNANCY AND PREGNANCY-RELATED CONDITIONS +As of April 1, 2018, any current or prospective employee who is +pregnant or has a pregnancy-related condition, such as lactation +or the need to express breast milk, may request a reasonable +accommodation to assist in performing the essential functions of +their assignment. + + +Page 4: +Superintendent’s Circular EQT-07 +Page 4 of 6 + + + +If an employee requests an accommodation for: (1) more frequent +restroom, food, or water breaks; (2) seating; (3) limits on lifting no +more than 20 pounds; and (4) private, non-bathroom space for +expressing breast milk, no medical documentation +accompanying such a written request is necessary. Other +accommodation requests may require supporting medical +documentation or information. +Employees who are pregnant or have pregnancy-related +conditions may contact the Office of Equity to begin the +accommodations process. +REASONABLE ACCOMMODATION PROCESS +A “reasonable accommodation” is any modification or +adjustment to a job or work environment that allows an +applicant or employee with a disability, pregnancy, and +pregnancy-related conditions to participate in the job application +process, perform the essential functions of a job, or enjoy benefits +and privileges of employment equal to those enjoyed by +employees. Upon receiving a request for a reasonable +accommodation, the Boston Public Schools will engage in an +interactive dialogue process. The district will attempt to provide +reasonable accommodations unless it would cause an undue +hardship or fundamentally alter the district’s programs. +Any applicant or employee seeking reasonable accommodations +on the basis of a disability, pregnancy, and pregnancy-related +conditions may contact the Office of Equity to begin the process. +Information an employee chooses to submit during the +accommodation process, such as relevant medical +documentation, will be kept confidential to the extent + + +Page 5: +Superintendent’s Circular EQT-07 +Page 5 of 6 + + + +practicable. Information collected in the reasonable +accommodation process will be kept in a confidential file with +the Office of Equity. +Your cooperation in implementing a policy of nondiscrimination +against persons with disabilities will assist the Boston Public +Schools in ensuring equal opportunity for all employees and +potential employees. +STATE AND FEDERAL REMEDIES +If you believe you have been subjected to unlawful discrimination +on the basis of disability, pregnancy, and pregnancy-related +conditions, you may file a formal complaint with either of the +government agencies set forth below. Using BPS' internal +reporting process does not prohibit you from also filing a +complaint with these agencies. These agencies have a short time +period for filing a claim (300 days from the most recent act of +alleged discrimination). +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +Phone: 1-800-660-4000 + + + + + +Page 6: +Superintendent’s Circular EQT-07 +Page 6 of 6 + + + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +For more information about this circular, contact: +Owner: +Director of Accommodations in the Office of +Equity +Department: +Office of Equity +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +E-mail: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-02 +Version 01 + + + +BIAS-BASED CONDUCT TOWARD STUDENTS, FAMILIES, +OR OTHER THIRD PARTIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +The Boston Public Schools is committed to maintaining an +environment free of bias and discrimination where all students +can flourish, and all families are welcome and able to engage fully +as partners in students’ education. +The Boston Public Schools utilizes the procedures outlined in this +circular to investigate and resolve reports of alleged violations of +the district’s nondiscrimination policy (see EQT-01) that are +targeted at students, families, or other third parties. These +procedures are designed to facilitate a prompt and effective +internal review and resolution of allegations of bias-based +conduct or discrimination based on race, color, age, disability, +sex/gender, gender identity, religion, national origin, ancestry, +retaliation, sexual orientation, genetics, natural or protective +hairstyle, military status, or homelessness. The intent of these +procedures is to ensure that, to the greatest extent possible, +reports of bias-based conduct are resolved in a constructive +manner. + + + +Page 2: +Superintendent’s Circular EQT-02 +Page 2 of 10 + + + +Employees of the Boston Public Schools who become aware of +any possible bias-based conduct toward or involving students +must report the incident or concern to their school leader, +supervisor, and/or the Office of Equity as soon as practicable, +generally within the same school day. The same standard applies +to partners or contractors providing services in or under the +auspices of the Boston Public Schools. +COVERAGE +The procedures pertain solely to reports explicitly alleging bias- +based conduct related to race, color, age, disability, sex/gender, +gender identity, pregnancy, religion, national origin, ancestry, +retaliation, sexual orientation, genetics, natural or protective +hairstyle, military status, or homelessness. This applies to +allegations of discrimination, harassment, or bias-based bullying +in any activity under the auspices of the Boston Public Schools, +including, but not limited to: +• Admission +• Provision and accessibility of programs and services +• Guidance practices +• Participation in sporting events or other extracurricular +activities. + +Examples of unacceptable conduct include treating students +differently because of their membership in a protected group, +such that the treatment interferes with or limits the student’s +ability to participate in or benefit from an educational +opportunity or extracurricular program. Bias-based conduct also +includes derogatory verbal, written, print, or digital + + +Page 3: +Superintendent’s Circular EQT-02 +Page 3 of 10 + + + +communication or conduct relating to a student’s membership in +a protected category. Any form of communication or physical +action that creates an intimidating, threatening, or abusive +educational environment will not be tolerated. +Such conduct may originate with students as well as employees +and may also be caused by other persons who participate, +observe, or otherwise engage in a district-sponsored activity. +Behavior that occurs in a location other than a Boston Public +Schools building or outside of BPS school or work hours may still +constitute bias-based conduct and a violation of this policy if that +behavior has the effect of disrupting a student's ability to learn. +Examples of inappropriate behavior toward students that may +violate this policy include: +• Speaking or otherwise communicating derisively to or about +a student or parent because of their membership in a +protected group, such as their race, including the use of +slurs +• Telling or digitally circulating jokes that are derisive toward +members of a particular group, such as a student of a +particular religious faith +• Using insulting nicknames for members of a protected +group, such as a female student +• Refusing to allow students to participate in any activity +because of their membership in a protected group, such as +their sexual orientation, and in the absence of a legitimate +nondiscriminatory reason for the refusal + + +Page 4: +Superintendent’s Circular EQT-02 +Page 4 of 10 + + + +• Disciplining a student more frequently or more harshly +because of their membership in a protected group, such as +their national origin +• Displaying pictures or taking any action that is derisive to +any student based on their membership in a +• Refusal to use the gender identity affirming name and/or +pronouns that a student has stated. +Students sometimes experience “microaggressions”: verbal or +nonverbal communication that is rooted in implicit bias but does +not rise to the level of a violation of this circular. Examples +include: +• Mistaking one student for another because they share the +same racial identity +• Complimenting a student for having a skill that is counter to +a stereotype regarding their gender or ethnicity +• Assuming a student observes a particular religious holiday +or has a particular sexual orientation +• Asking a student about their disability without their +consent. +When microaggressions are reported to the Office of Equity, the +Office will partner with the student, family, and appropriate +school staff to determine an effective intervention, such as +coaching, mediation, restorative justice, or individual, classroom, +or school-wide instruction or training. + + +Page 5: +Superintendent’s Circular EQT-02 +Page 5 of 10 + + + + +GENERAL POLICIES +1. Retaliation against any student, family member, or other +third party for reporting or participating in any way in the +reporting or investigative procedure is strictly prohibited. +2. Whenever possible, investigatory meetings will be +scheduled during a mutually convenient time that does +not conflict with regularly scheduled school programs. +3. Reporting a possible violation will not be construed as +reflecting unfavorably on a student, family member, or +other third party’s good standing, academic performance, +loyalty, or desirability to the Boston Public Schools. +4. Information regarding the allegations, including the +parties involved in the report and the investigation, will +be kept confidential to the extent practicable. +5. In determining whether the alleged conduct constitutes a +violation of the BPS nondiscriminatory policy, the +Superintendent or their designee will consider the +surrounding circumstances, the nature of the behavior, +the relationships between the parties involved, and the +context in which the alleged incidents occurred. A +determination whether a particular action or incident +constitutes a violation of the policy will be based on all +the facts. + + + + +Page 6: +Superintendent’s Circular EQT-02 +Page 6 of 10 + + + +PROCEDURES +I. Reports to School Leaders +Students, families, and other third parties are encouraged to +report concerns regarding bias-based incidents of any kind +to their school’s principal or headmaster. It is advised to file +this report as close to the time of the incident as possible, as +matters are generally more easily resolved the sooner they +are reported. +The principal or headmaster (or their designee) will attempt +to work with the individual(s) to resolve the matter. They will +contact the Office of Equity to ensure that any next steps +are carried out in partnership with the Office of Equity and +appropriately documented. +Students, families, or other third parties who do not wish to +seek assistance from their school’s principal or headmaster, +or who are dissatisfied with the principal’s or headmaster’s +attempt at resolution, may report their concerns directly to +the Office of Equity. Nothing in this policy shall prevent a +student, family member, or other third party from reporting +a concern directly to the Office of Equity. +II. Reports to the Office of Equity +1. A member of the Office of Equity staff will ask the +reporter for information regarding the incident(s) and +may request that the reporter submit a written +statement. The Office of Equity will ensure that assistance +is provided in preparing such a written statement, if +needed. + + +Page 7: +Superintendent’s Circular EQT-02 +Page 7 of 10 + + + +2. After a report is received, the Office of Equity will notify +the appropriate school leader(s) and/or the individual +about whom the report has been filed, as appropriate. +3. The Office of Equity will conduct a fair, impartial, +thorough, and prompt review of the reported incident(s) +and investigate as needed. Any investigation may include +interviews with individuals who have pertinent +information, and review of any documents or other +information relevant to the investigation. BPS employees +and students are obligated to cooperate with any Equity +investigation, including promptly providing any +requested information or documents. +4. The individual who reported alleged bias-based conduct +and any subjects of the investigation will generally be +informed when the investigation is complete and +whether prohibited conduct was found. Depending on +the facts gathered, the Office of Equity may resolve the +concerns by applying approaches such as alternative +dispute resolution, restorative justice, training, or +coaching. In other instances, the results of the +investigation may also be documented as written +findings. +5. The Office of Equity will maintain records of all reports of +bias-based conduct made to the Office of Equity, noting +the school or department in which the alleged incident(s) +occurred, the person accused, and the results of the +investigation. The Office of Equity may review its records +to identify any patterns and take appropriate action as +necessary. +The Office of Equity will: + + +Page 8: +Superintendent’s Circular EQT-02 +Page 8 of 10 + + + +1. Take seriously all concerns regarding possible bias-based +conduct. +2. Take necessary steps to end any conduct determined to +be in violation of the district’s nondiscrimination policy +and prevent this conduct from recurring in the future. +3. Refer individuals found to have violated the district’s +nondiscrimination policy for disciplinary action when +appropriate. +For employees, such action may include written warning, +suspension, termination, or another action deemed +appropriate under the circumstances. (For more +information about Employee Discipline Procedures, +please see Superintendent Circular HRS-PP10.) +For students, such action may include suspension, +expulsion, or another action deemed appropriate under +the circumstances. (For more information on student +discipline, please see the Code of Discipline for Students +and Students with Disabilities – Superintendent Circulars +SUP-05 and SPE-15.) +4. Require students, employees, or other third parties found +to violate the district’s nondiscrimination policy to attend +Equity protocols and/or bias prevention training, as +appropriate. + + + + +Page 9: +Superintendent’s Circular EQT-02 +Page 9 of 10 + + + +STATE AND FEDERAL REMEDIES +Using the BPS Equity reporting process does not prohibit you +from also filing a complaint with a state or federal agency. These +agencies have a short time period for filing a claim (OCR – 180 +days; DESE – within the same school year; MCAD – 300 days). + For incidents involving students’ civil rights: +United States Department of Education Office for Civil +Rights (OCR) +John W. McCormack Post Office and Courthouse +5 Post Office Square, 8th Floor, Suite 900, Boston, MA 02109 + +(617) 289-0111 + + + + + + + For concerns regarding students’ equitable access to +education: +Massachusetts Department of Elementary and Secondary +Education (DESE) +350 Main Street, Malden, MA 02108 +(781) 388-3300 + + For concerns regarding civil rights related to food and +nutrition (school-provided meals): +U.S. Department of Agriculture Office of the Assistant +Secretary for Civil Rights +1400 Independence Avenue, SW, Washington, DC 20250 + + + + + +Page 10: +Superintendent’s Circular EQT-02 +Page 10 of 10 + + + + For incidents regarding employees’ civil rights: +Massachusetts Commission Against Discrimination (MCAD) + +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +For more information about this circular, contact: +Owner: +Director of Compliance and Title IX +Coordinator +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-03 +Version 01 + + + +SEXUAL MISCONDUCT TOWARD STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +INTRODUCTION +The Boston Public Schools (BPS) is committed to ensuring that +students learn in an environment free of sexual misconduct. +Sexual misconduct committed against a BPS student will not be +tolerated. In addition, acts of retaliation against an individual who +reports an allegation of sexual misconduct or cooperates with a +related investigation are unacceptable and will not be tolerated. +Students participating in BPS academic, educational, +extracurricular, athletic, and school programs or activities are +protected from sexual misconduct by other students, parents, +BPS employees, and third parties (e.g., visitors). In addition, BPS +students may be protected from sexual misconduct that occurs +outside the context of a school’s education program, activity, or +school property, if the behavior was in connection with a school +program or activity which includes locations, events, or +circumstances over which the district exercised substantial +control over both the person accused of the conduct and the +context in which the sexual misconduct occurred. +The Boston Public Schools treats reports of sexual misconduct +with the utmost seriousness. We will address any sexually + + +Page 2: +Superintendent’s Circular EQT-03 +Page 2 of 14 + + + +inappropriate communication or behavior directed toward +students, regardless of whether that conduct is unlawful. This +policy is neither designed nor intended to limit the district’s +authority to discipline or take remedial action for conduct that +the Boston Public Schools deems unacceptable. +DEFINITION OF SEXUAL MISCONDUCT +For the purposes of this policy, sexual misconduct constitutes +sexually inappropriate comments and/or behaviors of any kind. +Below are examples of sexual misconduct: +Sexual Violence +Sexual violence is broadly defined as any sexual activity that is +forced, coerced, or unwanted. It also includes any sexual act +against another person who is incapable of giving consent, either +because of their temporary or permanent mental or physical +incapacity, or because they are a minor. +Consent is defined as clear, active agreement and permission to +engage in any form of verbal or nonverbal sexual communication +or activity with another person. The initiator of the sexual contact +is responsible for obtaining consent before engaging in any +sexual contact. Consent can be withdrawn by either party at any +point. Consent must be voluntary and may not be valid if a +person is being subjected to an emotional, psychological, +physical, reputational, or financial threat, intimidation, or +coercion. Consent to engage in one sexual activity, or past +agreement to engage in a particular sexual activity, cannot be +presumed to constitute consent to engage in a different sexual +activity or to engage again in a sexual activity. Consent cannot be + + +Page 3: +Superintendent’s Circular EQT-03 +Page 3 of 14 + + + +validly given by a person who is incapacitated or under the age of +sixteen. +Sexual violence may include criminal acts, such as indecent +assault and battery, rape, abuse, or assault with intent to rape. +Any acts that may be criminal will be referred to law +enforcement. +Examples of sexual violence may include, but are not limited to, +the following: +• Unwelcome sexual touching +• Non-consensual sexual contact that occurs during school or +non-school hours, on or off school grounds, including dating +violence +• Recruiting, transporting, obtaining, or providing a student of +any gender for the purpose of sex. +Other Forms Of Sexual Misconduct +Sexual misconduct includes unwelcome conduct of a sexual +nature that denies or limits, on the basis of sex, a student's ability +to participate in or to receive benefits, services, or opportunities +in the school's program or activities. +Examples of behavior that may constitute sexual misconduct +depending upon the totality of the circumstances, the ages of +the student or other individuals involved, and the severity and +pervasiveness of the conduct, include but are not limited to: +• Sexual advances, whether or not they involve touching +• Requests for sexual favors + + +Page 4: +Superintendent’s Circular EQT-03 +Page 4 of 14 + + + +• Making an educational decision or benefit contingent upon +a student’s submission to unwelcome sexual conduct +• Offensive public sexual display of affection, including +groping, fondling, gestures, or inappropriate touching of +oneself or others +• Consensual groping, fondling, sexual touching, or sex on +school property or at any school-sponsored activity +• Sexual jokes or references +• Comments regarding a student’s body or a student’s sexual +activity or orientation +• Offensive name calling or profanity that is sexually +suggestive, sexually degrading, or based on sexual +stereotypes or sexual orientation +• Different treatment because of pregnancy status +• Displaying or distributing sexually explicit drawings, +pictures, or other materials in any form (such as sexting) +• Trafficking of youth for sexual purposes, such as recruiting, +transporting, or otherwise exploiting a minor in exchange +for money, shelter, or food +• Sexual advances or contact, whether or not they are +consensual, between a student and employee, contractor, or +community partner +• Sexual activity between students in a school, or any building +where BPS business is conducted +• Other verbal, nonverbal, or physical conduct of a sexual +nature. + + +Page 5: +Superintendent’s Circular EQT-03 +Page 5 of 14 + + + +Any student, regardless of gender identity or sexual orientation, +can be a target of sexual misconduct, and the alleged targets and +the subject of the concern can be of the same or different +genders. +Employees of the Boston Public Schools who become aware of +any possible sexual misconduct toward or involving students +must report the incident or concern to their school leader, +supervisor, and/or the Office of Equity as soon as practicable, +generally within the same school day. The same reporting +requirement applies to partners or contractors providing services +to students in or under the auspices of the Boston Public Schools. +The above list of examples is not exhaustive. If you are unsure +whether a student may have been a target of sexual misconduct +or if you have knowledge of a possible incident of sexual +misconduct involving a student, immediately contact your school +principal/head of school, supervisor, or the Office of Equity at 617- +635-9650 or bpsequity@bostonpublicschools.org. +REPORTING AND INVESTIGATING SEXUAL MISCONDUCT +A student, parent, or other third party who believes that a +student has been subjected to inappropriate sexual conduct may +report the incident to the principal/head of school or the Office of +Equity. +The Boston Public Schools will promptly investigate allegations +of sexual misconduct even when the incident is being +investigated by law enforcement or another entity. Our +obligation is to determine if there has been a violation of a BPS +circular and/or the BPS Code of Conduct. The investigation will +be conducted in a manner maintaining confidentiality to the + + +Page 6: +Superintendent’s Circular EQT-03 +Page 6 of 14 + + + +extent practicable under the circumstances. Incidents that a BPS +employee becomes aware of directly or indirectly, such as from a +note or an overheard conversation, will also be investigated. +Interim measures for the safety of the students involved must be +taken upon receipt of the report to ensure equal access to +educational programs and activities. +If the investigation results in a finding of a violation of this policy, +Boston Public Schools will take steps to end the misconduct, +prevent any further misconduct, remedy its effects where +appropriate, and take disciplinary action, as deemed appropriate +under the circumstances. +REPORTING PROCEDURES +(see Appendix A checklist) +These instructions assume that the Office of Equity has already +been informed of an incident as required, and that a school +administrator has been instructed to follow this protocol. +After receiving a report of sexual misconduct, the building +administrator must immediately (within the same school day, +with rare exceptions): +1. Ensure that a student who discloses sexual misconduct is +not interviewed by any other BPS employee subsequent to +the initial disclosure, unless otherwise specifically directed +by law enforcement, the state Department of Children and +Families (DCF), or the Office of Equity. To minimize the +alleged target’s emotional distress and to preserve the +integrity and reliability of any investigation, the initial + + +Page 7: +Superintendent’s Circular EQT-03 +Page 7 of 14 + + + +disclosure conversation should be limited to the essential +facts. The BPS staff member who first receives the report +must document the conversation as thoroughly as possible. +2. Assess the need for emergency interim safety measures to +prevent any additional incidents and ensure that the target +is able to fully engage in the school’s programs and +activities. Implement any plan as appropriate. +3. Report the incident to your school’s Safety Specialist or +Safety Services at 617-635-8000 if the allegation involves +sexual assault or violence, such as physical contact or +threats. Call Safety Services even if you are not sure if the +alleged incident constitutes sexual violence. Inform the +school nurse if medical care is needed. +If Safety Services are not available, call 911. +Depending on the nature of the allegations, the Office of +Safety Services may work directly with the Boston Police +Department School Unit. Thereafter, the Boston Police +Crimes Against Children Unit may conduct the +investigation. A team investigation may include other +agency involvement. By law, the police cannot provide the +Boston Public Schools with a written report regarding an +incident of sexual violence. +4. Contact the Department of Children and Families (DCF) to +file a 51A report if the allegation warrants. As mandated +reporters, employees of the Boston Public Schools are +required to report situations when there is reasonable cause +to believe a student is suffering from physical or emotional +injury that causes harm or a substantial risk of harm to the +student’s health or welfare. + + +Page 8: +Superintendent’s Circular EQT-03 +Page 8 of 14 + + + +Questions related to school employees’ obligation to file a +51A report with DCF should be directed to the Office of Legal +Advisor. Please also refer to Superintendent’s Circular SSS-17 +on Child Abuse and Neglect. +If the alleged subject is over 18 years old, under 7 years old, +or has a disability that might manifest as inappropriate +sexual conduct, please call the Office of Equity prior to filing +a 51A. +5. Always alert the school’s operational leader. If you wish, +and/or upon request of the Office of Equity, also alert the +school’s elementary or secondary school superintendent. +Depending on the severity and complexity of the +allegations, the school superintendent and/or operational +leader will then partner with the designated school +administrator and/or the Office of Equity to complete the +investigation. +6. Notify the parent(s) or legal guardian(s) of the reporter or +alleged victim, if a minor, unless the parent/legal guardian is +the subject of the concern and/or such notification will +create a substantial risk to the student’s health, safety, or +welfare. +7. If the subject of the concern is a minor, the building +administrator (or other Office of Equity Designee) should +notify the subject’s parent(s) or legal guardian(s). For +reasons of confidentiality, do not inform the subject’s family +of the alleged target’s identity or gender. +8. Submit Section 1 of the Equity Student Incident & +Investigation Form within the same school day, if possible, +but always within 48 hours of the incident. This document + + +Page 9: +Superintendent’s Circular EQT-03 +Page 9 of 14 + + + +should be treated as confidential and sent to the Office of +Equity only. Only share this document or other related +documents as directed by the Office of Equity, Office of +Legal Advisor, or law enforcement authorities. The form can +be submitted digitally via this link. +9. Investigate and document the allegation. If it is determined +by a preponderance of the evidence that inappropriate +conduct occurred, the Boston Public Schools will take such +actions as it deems appropriate under the circumstances. +For students, such actions will be consistent with the Code +of Conduct, and may also include training, mediation, or +restorative practices. For employees, such actions will be +consistent with the district’s labor practices, and may +include training, restorative practices, and/or discipline. +10. Submit Section 2 of the Equity Student Incident & +Investigation Form within 10 days of the incident. When +completing the narrative, staff should document witness +statements and the subject’s response to the allegation(s). +Additionally, staff should document the investigatory +findings and remedial action taken, if any. The form can be +submitted digitally via this link. +During the investigation, the alleged target of the +misconduct should not discuss the incident with the subject +of the concern present under any circumstances. + +For detailed guidance on investigating and documenting +allegations of sexual misconduct, please follow the Boston +Public Schools Protocols for Sexual Misconduct + + +Page 10: +Superintendent’s Circular EQT-03 +Page 10 of 14 + + + +Investigations Conducted by School Leaders and Central +Office Managers. + +All reports submitted through the Equity Student Incident & +Investigation Form will be reviewed by the Office of Equity. +PROHIBITION OF RETALIATION +Retaliation against an individual who reports sexual misconduct +and retaliation against individuals for cooperating with a related +investigation is unlawful and will not be tolerated by the Boston +Public Schools. +Reports of retaliation should be brought to the building +administrator or the person who is conducting the investigation. +A student who feels there has been retaliation following a +complaint may also call the Office of Equity at 617-635-9650. +BPS TITLE IX COORDINATOR +The Boston Public Schools’ Title IX coordinator is responsible for +ensuring compliance with the investigatory process outlined in +EQT-3, and tracking incidents across the district. Any parent or +employee who raises concerns regarding the investigatory +process and/or outcomes may contact the district’s Title IX +coordinator: + +Director of Compliance and Title IX Coordinator +Boston Public Schools +2300 Washington Street, Roxbury, MA 02119 +Phone: 617-635-9650, Fax: 617-635-7940 + + +Page 11: +Superintendent’s Circular EQT-03 +Page 11 of 14 + + + +Email: bpsequity@bostonpublicschools.org +OTHER RESOURCES +United States Department of Education Office for Civil Rights +(OCR) +5 Post Office Square, 8th Floor, Boston, MA 02109 +(617) 289-0111 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +Massachusetts Department of Elementary and Secondary +Education +Program Quality Assurance +75 Pleasant Street, Malden, MA 02148-4906 +(781) 338-3700 + + + +Page 12: +Superintendent’s Circular EQT-03 +Page 12 of 14 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +For matters involving DCF, contact: +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 13: +Superintendent’s Circular EQT-03 +Page 13 of 14 + + + +APPENDIX A: CHECKLIST FOR SCHOOL ADMINISTRATORS +These instructions assume that the Office of Equity has already +been informed of an incident as required, and that a school +administrator has been instructed to follow this protocol. +After receiving a report of sexual misconduct, including sexual +harassment and sexual violence, the school or central office +administrator (or the elementary or secondary school +superintendent, elementary or secondary school assistant +superintendent, and/or operational leader if the complaint is +against the school or central office administrator) must +immediately: + Receive a disclosure of sexual misconduct. Whoever the +students report to first must document the following: +1. Who is the subject of the concern? +2. What did the subject say or do? +3. If physical contact was made, where did the subject +touch you (clarify if contact was made above clothing +or directly on the student’s skin)? +4. Is this the first time something like this happened? +5. Was anyone else there when it happened? +6. Did you tell anyone else what happened? +Students cannot be interviewed more than once by a BPS +employee and should only be interviewed with one adult in +the room. + Assess the need for emergency interim measures and +implement as appropriate. + + +Page 14: +Superintendent’s Circular EQT-03 +Page 14 of 14 + + + + Report the incident to your school’s Safety Specialist or +Safety Services at (617) 635-8000 if the allegation involves +sexual violence, such as physical contact or threats. Call +Safety Services even if you are not sure if the alleged +incident constitutes sexual violence. If Safety Services is not +available, call 911. + Contact the Department of Child and Family Services to file +a 51A report if the allegation warrants. + Alert the Operational Leader. In addition, upon request of +the Office of Equity, alert the school’s elementary or +secondary school superintendent. + Notify the parent(s) or legal guardian(s) of the alleged +target of the misconduct, unless the parent/legal guardian is +the subject of the investigation and/or such notification will +create a substantial risk to the student’s health, safety, or +welfare. + Notify the subject’s parent(s) or legal guardian(s) if that +individual is a minor. + Submit Section 1 of the Equity Student Incident & +Investigation Form within the same school day if possible, +but always within 48 hours of the incident. + Investigate and document the allegations consistent with +the Office of Equity Protocols to determine if a violation of +the circular has occurred. If a Code of Conduct violation is +found, conduct disciplinary proceedings. + Submit Section 2 of the Equity Student Incident & +Investigation Form within 10 days of the incident. + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +EQT-10 +Version 01 + + + +OPPORTUNITY AND ACHIEVEMENT GAPS (OAG) +POLICY IMPLEMENTATION +(For the 2016 Policy of the Boston Public Schools to Eliminate +Opportunity & Achievement Gaps for students of color, +multilingual learners, students with disabilities and students of +low socio-economic status) +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +CIRCULAR CONTENTS +I. +Opportunity & Achievement Gaps (OAG) Policy Goals +II. +OAG Policy Oversight and Implementation +III. +OAG Policy SMARTIE Goals / Aligned with Strategic Plan +Implementation Goals +a. Superintendent Goals +b. Central Office Department & Division Goals +c. School-based Goals +d. Cross Functional Team Goals +IV. +Transparency & Public Accountability +The Boston Public Schools is committed to ensuring that every +child in every classroom has unfettered access to all the +opportunities needed to be successful academically and social +emotionally. In order to meet this mission, it’s important that +every district employee reads, understands, embodies, and +implements the 2016 Opportunity & Achievement Gaps Policy. + + +Page 2: +Superintendent’s Circular EQT-10 +Page 2 of 10 + + + + +I. +OAG POLICY GOALS +The OAG Policy aspires to achieve the following goals: +• Goal 1: Districtwide Implementation and Oversight +• Goal 2: Districtwide Focus on Cultural Proficiency as +Central to the Work of the Boston Public Schools +o Objective 2.1: Develop a clear, shared vision for cultural +proficiency with Cultural Proficiency Standards, and +promote culturally and linguistically sustaining and +affirming practices districtwide. +o Objective 2.2: Continue and expand efforts aimed at +increasing dialogue and transparency around issues of +racism and inclusion and create a system for reporting +allegations of racial bias and discriminatory practices +through the Office of Equity. +• Goal 3: Diversity and Cultural Proficiency in Leadership +and Human Capital +o Objective 3.1: Increase the diversity of teachers, +administrators, and staff in schools and the Central +Office. +o Objective 3.2: Provide long-term, ongoing professional +development and coaching for staff at all levels of the +district on eliminating gaps, transforming and +improving instructional practices and beliefs, and +building a culture of high expectations and +achievement for all students. + + + + +Page 3: +Superintendent’s Circular EQT-10 +Page 3 of 10 + + + +• Goal 4: Holistic, Culturally Affirming Approach to School +and Teacher Quality +o Objective 4.1: Provide a culturally proficient and highly +effective teacher in every classroom and give cultural +proficiency standards greater weight on the Teacher +Evaluation Rubric. +o Objective 4.2: Demonstrate how curricula are vetted +for bias and cultural proficiency and ensure that the +curriculum and instructional strategies used in all +subjects at all levels are rigorous, highly engaging, +culturally affirming, and foster student identity and +voice. +o Objective 4.3: Demonstrate how Social and Emotional +Learning (SEL) is used to develop student identity and +an appreciation of race, ethnicity, culture, language, +gender, and social class among students and teachers; +and foster comfort in discussing these issues explicitly +in school. +o Objective 4.4: Demonstrate how assessments are used +to drive deeper learning, eliminate redundant testing, +and disaggregate data by ethnicity in addition to race +and gender to identify and address opportunity and +achievement gaps. +o Objective 4.5: Demonstrate how appropriate +identification, placement, and support services are +provided for students with disabilities and English +Language Learners. + + + + +Page 4: +Superintendent’s Circular EQT-10 +Page 4 of 10 + + + +• Goal 5: Dismantling Structural Barriers and Providing +Greater Access to Opportunities +o Objective 5.1: Demonstrate how equity is addressed +within the district’s operations. +o Objective 5.2: Demonstrate equity in student +assignment, enrollment, and school closings. +o Objective 5.3: Demonstrate equity, quality, and impact +in funding and resources. +o Objective 5.4: Demonstrate how opportunities such as +access to rigorous curriculum, early childhood +education, and extended learning time are being +expanded to all students of color and other +marginalized groups. +o Objective 5.5: Demonstrate how, in collaboration with +the City of Boston, BPS fosters strong parent +community-school ties to mitigate the effects of +concentrated poverty and institutional racism citywide +as a strategy to eliminate gaps. +• Goal 6: Students, Family, and Community as Authentic +Partners +o Objective 6.1: Demonstrate how students are engaged +as partners in eliminating opportunity and +achievement gaps, while promoting student +engagement and agency in active learning. +o Objective 6.2: Demonstrate how parents are engaged +as partners in eliminating opportunity and +achievement gaps. +o Objective 6.3: Demonstrate how community partners + + +Page 5: +Superintendent’s Circular EQT-10 +Page 5 of 10 + + + +are engaged with the District to eliminate opportunity +and achievement gaps. +II. +OAG POLICY OVERSIGHT AND IMPLEMENTATION +The Office of Opportunity Gaps of the Division of Equity, Strategy +and Opportunity Gaps (ESOG) has the authority to oversee the +implementation of the OAG policy as designated by the +superintendent of schools. +• To ensure that all “departments and schools +[demonstrate] equity in all facets of district operations,” +each department and school is expected to develop +annual goals that advance the goals of the OAG policy +under their purview. +• For central office departments, each OAG policy goal +should be developed in consultation with a designated +member of the Office of Opportunity Gaps before the +beginning of each school year. +• For schools, school leaders, in consultation with their +school superintendent, should develop goals advancing +the OAG policy as a part of their annual Quality School +Plan (QSP). The school superintendents should have the +goals reviewed by the Office of Opportunity Gaps for +consultation and feedback for finalization by November 1 +of each year. +• The Office of Opportunity Gaps and the Office of Strategy +& Innovation will work in partnership to ensure alignment +of strategy plan implementation goals and OAG policy +implementation goals across central office departments. +Each department's OAG goal(s) shall also serve as one or + + +Page 6: +Superintendent’s Circular EQT-10 +Page 6 of 10 + + + +more of its strategic plan implementation goals. + +III. +OAG POLICY SMARTIE GOALS / ALIGNED WITH STRATEGIC +PLAN IMPLEMENTATION GOALS +“Implementation and Evaluation: Within six months of the +Boston School Committee (BSC) adoption of this policy, Boston +Public Schools (BPS) will develop and present to BSC an +interdepartmental implementation plan for this policy. The +Implementation Plan must include SMART Goals which are +Specific, Measurable, Attainable, Realistic, and Time-Bound. +Each October, beginning in 2017, BPS will submit an annual +report on the Plan’s progress which will include SMART Goals for +the subsequent calendar year. BPS will develop an Opportunity +and Achievement Gaps (OAG) Dashboard, publicly available on +the BPS website, which monitors and assesses the District’s +progress towards meeting the goal of eliminating the +opportunity and achievement gaps facing students of color and +other marginalized groups.” +• Superintendent Goals: At the beginning of each school +year, the superintendent’s goals, objectives, and +implementation of activities will be aligned with the goals +and objectives of the Opportunity and Achievement Gap +Policy. +• Central Office Goals: At the beginning of each fiscal year, +each division-office must develop an Opportunity and +Achievement Gap Goal and Strategy(s) that elevates +student disproportionality within their workstreams. +Goals are reviewed quarterly to determine progress on +implementation for student achievement. + + +Page 7: +Superintendent’s Circular EQT-10 +Page 7 of 10 + + + +• School-Based Goals: At the beginning of each school year, +School Leaders and their teams must develop an +Opportunity and Achievement Gap Goals and +Strategy(ies) within their Quality School Plans that elevate +student disproportionalities within teaching, learning, +operational, and social emotional supports. Quality School +Plans are reviewed every 90 days to determine progress +on implementation for student achievement. +IV. +TRANSPARENCY & PUBLIC ACCOUNTABILITY +“The Boston School Committee must ensure that eliminating the +opportunity and achievement gaps facing students of color, +English Language Learners, students with disabilities, and +students of low socio-economic status is a primary and urgent +priority that will not change with new leadership, fluctuating +budgets, and shifting priorities. All District policies, budgets, +strategic plans, and school improvement plans shall advance +the goal of eliminating the opportunity and achievement gaps +facing students of color, English Language Learners, students +with disabilities, and students of low socio-economic status.” +RESPONSIBILITY OF DISTRICT LEADERSHIP +Equity Impact Statements: +All reports, policy recommendations, and budgets presented to +the Boston School Committee shall be accompanied by an Equity +Impact Statement that explicitly shows a comparison of the gaps +for students of color, multilingual learners, students with +disabilities, and students of low socio-economic status, +disaggregated by ethnicity, to the extent possible. This +Achievement Gap Impact Statement will give an explicit + + +Page 8: +Superintendent’s Circular EQT-10 +Page 8 of 10 + + + +examination of how the report, policy recommendation, and/or +budget will help or hinder eliminating gaps and increase or +decrease opportunities for students of color, Multilingual learners, +students with disabilities, and students of low socio-economic +status. +All new policies will be automatically reviewed in one year to +present disaggregated ethnic and program data to show that the +policy is having its intended impact, along with lessons learned +and future recommendations. +Other Provisions / Excerpts From the OAG Policy: +• Leadership and Oversight: The superintendent and their +designee (e.g., the assistant superintendent for the +Opportunity and Achievement Gap) will have the +responsibility, authority, and accountability to lead, +facilitate, and monitor the implementation of this policy +so that it is fully embedded in the operations and +practices of the district. +• Resource Allocation: BPS shall base resource allocation +decisions on the OAG Implementation Plan, and target +resources to meet the specific gap closing goals of the +plan, including fully funding the Office of the Opportunity +and Achievement Gap and the Office of Equity. As part of +the annual report, BPS will indicate the resources it has +allocated to implement the OAG plan. +• Monitoring: The Opportunity and Achievement Gaps Task +Force shall continue as a monitoring body, meeting no +less than quarterly, providing guidance and input, and +working in partnership with the Boston School + + +Page 9: +Superintendent’s Circular EQT-10 +Page 9 of 10 + + + +Committee, and BPS to help ensure that the +Implementation Plan is developed, and the policy is being +implemented with consistency and fidelity across the +district. The task force will give an annual State of the +Opportunity and Achievement Gaps Report to the Boston +School Committee and shall make recommendations as +needed to influence the budget process and planning for +each subsequent school year. +• Performance Reviews: Beginning in SY22-23, annual +performance reviews for the superintendent and all BPS +staff shall include goals related to cultural proficiency and +eliminating opportunity and achievement gaps. + + + + + +Page 10: +Superintendent’s Circular EQT-10 +Page 10 of 10 + + + +For more information about this circular, contact: +Name: +Assistant Superintendent, Office of +Opportunity Gaps +Department: +Office of Opportunity Gaps +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +ofca-staff@bostonpublicschools.org +OR +Owner: +Assistant Superintendent, Office of +Opportunity Gaps +Department: +Equity Strategy, Opportunity Gaps +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-05 +Version 01 + + + +BIAS-BASED CONDUCT TOWARD EMPLOYEES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. +The Boston Public Schools utilizes the procedures outlined in this +circular to investigate and resolve reports of alleged violations of +the district’s nondiscrimination policy (see EQT-01). These +procedures are designed to facilitate a prompt and effective +internal review and resolution of allegations of bias-based +conduct, discrimination or harassment based on race, color, age, +criminal record (inquiries only), disability, sex/gender, gender +identity, religion, national origin, ancestry, retaliation, sexual +orientation, genetics, natural or protective hairstyle, or military +status. The intent of these procedures is to ensure that, to the +greatest extent possible, such reports are addressed in a +constructive manner. +COVERAGE +The procedures pertain solely to reports explicitly alleging bias- +based conduct, discrimination, or harassment based on race, + + +Page 2: +Superintendent’s Circular EQT-05 +Page 2 of 8 + + + +color, age, criminal records (inquiries only), disability, +pregnancy/pregnancy related conditions, sex/gender, gender +identity, religion, national origin, ancestry, retaliation, sexual +orientation, genetics, natural or protective hairstyle, or military +status. Behavior that occurs in a location other than a Boston +Public Schools building or outside of BPS school or work hours, +including when an employee is working remotely, may still +constitute bias-based misconduct and a violation of this policy if +that behavior has the effect of disrupting an employee’s ability to +do their job. +Employees sometimes experience “microaggressions”: verbal or +nonverbal communication that is rooted in implicit bias, but does +not rise to the level of a violation of this circular. Examples +include: +• Mistaking one staff member for another because they share +the same racial identity +• Complimenting a staff member for having a skill that is +counter to a stereotype regarding their gender or ethnicity +• Assuming a staff member observes a particular religious +holiday or has a particular sexual orientation +• Asking a staff member about their disability without their +consent. +When microaggressions are reported to the Office of Equity, the +Office will partner with the reporter and/or other appropriate +staff to determine an effective intervention, such as coaching, +mediation, restorative justice, or an individual or school- or +department-wide training. + + +Page 3: +Superintendent’s Circular EQT-05 +Page 3 of 8 + + + +GENERAL POLICIES +1. Employees in supervisory or managerial roles have an +obligation to report possible violations of this circular. +2. Retaliation against any employee for reporting or +participating in any way in the reporting or investigative +procedures is strictly prohibited. +3. Whenever possible, investigatory meetings will be +scheduled during a mutually convenient time that does not +conflict with regularly scheduled school programs. +4. Reporting a possible violation will not be construed as +reflecting unfavorably on an employee’s or applicant’s good +standing, performance, loyalty, or desirability to the Boston +Public Schools. +5. Information regarding the allegations, including the parties +involved in the report and the investigation, will be kept +confidential to the extent practicable. +6. In determining whether the alleged conduct constitutes a +violation of the BPS nondiscrimination policy, the +Superintendent or their designee will consider the +surrounding circumstances, the nature of the behavior, the +relationships between the parties, and the context in which +the incidents occurred. A determination whether a +particular action or incident constitutes a violation of the +policy will be based on all the facts. +PROCEDURES +1. An employee or applicant who believes they may have +experienced, witnessed, or become aware of possible bias- +based conduct must contact the Office of Equity by phone, + + +Page 4: +Superintendent’s Circular EQT-05 +Page 4 of 8 + + + +email, or fax. Employees are strongly encouraged to contact +the Office of Equity as soon after the incident as possible, as +reports are more easily addressed the sooner they are +reported. A member of the Office of Equity staff will ask the +reporter for information regarding the incident(s) and may +request that the reporter submit a written statement. The +Office of Equity will ensure that assistance is provided in +preparing such a written statement, if needed. The Office of +Equity accepts all reports of possible bias-based conduct +but, depending on the circumstances, may decline to +investigate allegations regarding incidents that occurred +more than 300 calendar days prior to receipt of the report. +2. Employees in a supervisory capacity are required to report +possible bias-based conduct toward or involving employees, +vendors, or contractors to the Office of Equity as soon as +practicable, generally within the same school day. +3. After a report is received, the Office of Equity will notify the +appropriate department identified in the report and/or the +individual against whom the report has been filed. +4. The Office of Equity will make a fair, impartial, thorough, and +prompt investigation of the reported incident(s). The +investigation may include interviews with individuals who +have pertinent information and a review of any documents +or other information relevant to the investigation. BPS +employees are obligated to cooperate with any Equity +investigation, including promptly providing any requested +information or documents. +5. The individual who reported alleged bias-based conduct +and any subjects of the investigation will be informed when +the investigation is complete, and informed whether + + +Page 5: +Superintendent’s Circular EQT-05 +Page 5 of 8 + + + +prohibited conduct was found. Depending on the facts +gathered, the Office of Equity may resolve the concerns by +applying approaches such as alternative dispute resolution, +restorative justice, training, or coaching. In other instances, +the results of the investigation may also be documented as +written findings. Mediation will not be used in cases +involving sexual assault. +6. If the Office of Equity finds that there is a preponderance of +evidence to show that a violation of the district’s +nondiscrimination policy occurred, the office will determine +ways to address the matter and prevent recurrences. +7. The Office of Equity will maintain records of all reports of +bias-based conduct made to the Office of Equity, noting the +school or department in which the alleged incident(s) +occurred, the person accused, and the results of the +investigation. The Office of Equity may review its records to +identify any patterns and take appropriate action as +necessary. +The Office of Equity will: +1. Take seriously all concerns regarding possible bias-based +conduct. +2. Take necessary steps to end any conduct determined to be +in violation of the district’s nondiscrimination policy, prevent +this conduct from recurring in the future, and remedy its +effects, where appropriate. +3. Refer individuals found to have violated the district’s +nondiscrimination policy for disciplinary action when +appropriate. + + +Page 6: +Superintendent’s Circular EQT-05 +Page 6 of 8 + + + +For employees, such action may include written warning, +suspension, termination, or another action deemed +appropriate under the circumstances. (For more information +about Employee Discipline Procedures, please see +Superintendent Circular HRS-PP10.) +For students, such action may include suspension, +expulsion, or another action deemed appropriate under the +circumstances. (For more information on student discipline, +please see the Code of Discipline for Students and Students +with Disabilities – Superintendent Circulars SUP-05 and SPE- +15.) +4. Require students, employees, or other third parties found to +violate the district’s nondiscrimination policy to attend +discrimination prevention training, as appropriate. +STATE AND FEDERAL REMEDIES +In addition to the above, if you believe you have been subjected +to unlawful discrimination, you may file a formal complaint with +either of the government agencies set forth below. Reporting a +concern to the Office of Equity does not prohibit you from filing a +complaint with these agencies. Each of the agencies has a time +period of 300 days for filing a claim. + + + + +Page 7: +Superintendent’s Circular EQT-05 +Page 7 of 8 + + + +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +(800) 660-4000 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + + + + + +Page 8: +Superintendent’s Circular EQT-05 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th floor, Roxbury, MA +02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-09 +Version 01 + + + +TRANSGENDER AND GENDER NONCONFORMING +EMPLOYEE NONDISCRIMINATION ON THE BASIS OF +GENDER IDENTITY AND EXPRESSION +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. All Boston Public Schools are to be +free from bias and discrimination on the basis of sex, sexual +orientation, and/or gender identity. +This circular sets forth guidelines to address the needs of +transgender and gender non-conforming employees and clarifies +the Office of Equity’s investigatory process. This circular does not +anticipate every situation that might occur with respect to +transgender or gender non-conforming employees, and the +needs of each transgender or gender non-conforming employee +must be assessed on a case-by-case basis. +Reports of bias, discrimination or harassment based on a person’s +actual or perceived gender identity or gender nonconformity are +handled in the same manner as other reports of bias-based +conduct. Students, employees, and third parties alleged to have +violated this policy (EQT-09) will be investigated and addressed + + +Page 2: +Superintendent’s Circular EQT-09 +Page 2 of 8 + + + +according to the protocols detailed in Superintendent’s Circular +EQT-05, “Employee Reports of Bias-Based Conduct.” +DEFINITIONS +The definitions provided below are not intended to label or limit +employees’ individual identities or experiences, but rather to +assist in understanding this circular and the district’s legal +obligations. Although these are the most commonly used terms, +employees may or may not choose to use these terms to describe +their gender identity, appearance, or behavior. + + +• Gender Identity: Defined under Massachusetts law as “a +person’s gender-related identity, appearance, or behavior, +whether or not that gender-related identity, appearance, or +behavior is different from that traditionally associated with +the person’s physiology or assigned sex at birth.” +• Gender Expression: The way a person represents or +expresses gender to others, often through behavior, +clothing, hairstyles, activities, voice, or mannerisms. + + +• Transgender: A person whose gender identity or expression +is different from that traditionally associated with the +assigned sex at birth. + + + + + +• Gender Nonconforming: People whose gender identity +and/or gender expression do not conform to traditional +societal expectations or norms. The terms “gender +nonbinary,” “gender variant,” or “gender-atypical” may also +be used. + + + + +• Queer: While historically and sometimes currently +considered an offensive term, “queer” has been reclaimed +by many members of the lesbian, gay, bisexual, and + + +Page 3: +Superintendent’s Circular EQT-09 +Page 3 of 8 + + + +transgender (LGBT) community as a term of empowerment. +The term generally refers to a member of the LGBT and/or +gender nonconforming community. This term may be used +by someone who identifies as a member of the LGBT +community, but who does not specifically consider +themselves to be lesbian, gay, bisexual, or transgender. +Since this term has a negative history, it should only be used +to describe individuals who identify themselves as queer +and give permission for others to use that term to describe +them. + + + + + +• Transition: The process by which a person goes from living +and identifying as one gender to living and identifying as +another. Transitions may include physical, social, and/or +medical processes. Not all transgender or gender +nonconforming people transition or desire to transition in +the same way. Transitions are private, and personal +information about a transition should not be discussed +unless the conversation is initiated and led by the +transgender or gender-nonconforming employee. +RESPONSIBILITIES +The Boston Public Schools Office of Equity is responsible for +ensuring compliance with this circular and ensuring that all +school administrators and Central Office department heads are +trained and prepared to comply with their obligations under this +circular. +PRIVACY AND CONFIDENTIALITY +Transgender and gender nonconforming employees have the +right to discuss their gender identity or expression openly or + + +Page 4: +Superintendent’s Circular EQT-09 +Page 4 of 8 + + + +keep that information private. The employee has the right to +decide when, with whom, and how much to share when +speaking about their identity or expression. +BPS Central Office employees, school personnel, and other +parties employed, contracted by, or serving as volunteers in the +district should not disclose information that may reveal an +employee’s transgender status or gender nonconforming +presentation to others without their express permission. Private +and confidential information may only be shared with the +transgender employee’s consent, and with employees who truly +need to know to execute their job requirements. +DRESS AND APPEARANCE +Boston Public Schools does not have dress codes that restrict +employees’ clothing or appearance on the basis of gender. +Transgender and gender nonconforming employees have the +right to dress in a manner consistent with their gender identity +and/or gender expression. +NAMES AND PRONOUNS +An employee has the right to be addressed by the name and +pronoun that corresponds to the employee’s gender identity in +the workplace, including by their colleagues, and for school- +based employees, by their students. A court-ordered name or +gender change is not required. The intentional refusal to respect +an employee’s gender identity may constitute a violation of the +district’s circular, Bias-Based Conduct Toward Employees (EQT- +05) and/or state and federal anti-discrimination laws. If a district +employee is unsure what pronoun a staff member uses, they +should ask the employee how they would like to be addressed. + + +Page 5: +Superintendent’s Circular EQT-09 +Page 5 of 8 + + + +PUBLIC FACILITIES ACCESSIBILITY +Employees have a right to access safe and appropriate facilities, +including the right to use a restroom and/or locker room that +corresponds to the employee’s gender identity, regardless of the +employee’s sex assigned at birth. Any employee who has a need +or desire for increased privacy will be provided access to a single- +stall restroom and/or private area, if available. No employee +should be required to use a single-stall restroom or a private +changing area. +TRANSITIONING AT BPS +Employees who transition during their BPS employment can +expect the support of the Office of Human Capital and the Office +of Equity. These two offices will work with each transitioning +employee individually to ensure a successful workplace +transition. +BEFORE THE WORKPLACE TRANSITION BEGINS +Transitioning employees are encouraged to work in partnership +with the Office of Equity and Office of Human Capital to learn +more about the district’s transgender-related policies, and the +availability of transition-related health care benefits. + +All relevant parties should discuss a workplace transition plan, +including the employee, the employee’s supervisor, and others as +appropriate. A work plan should specify: +• The date selected by the employee for when the transition +will officially and formally take place. This date will + + +Page 6: +Superintendent’s Circular EQT-09 +Page 6 of 8 + + + +correspond to the date the employee changes their gender +expression, name, and pronouns. Employees may also +choose to start using the bathroom and other facilities that +correspond to their gender identity on this date. The +employee has the right to revise the start date and other +aspects of the plan based on their evolving needs and +preferences. +• How and in what format the transitioning employee will +notify co-workers or personnel who need to know. +• What, if any, training will be provided to co-workers, +students, or other appropriate personnel or families. +• What updates should be made to the transitioning +employee’s records, and when they will be made. +• The dates of any leaves that may be needed for pre- +scheduled medical procedures or treatment, if applicable. +BIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. + +Reports of bias, discrimination, or harassment based on a +person’s actual or perceived gender identity or gender +nonconformity are handled in the same manner as other reports +of bias-based conduct. The Boston Public Schools utilizes the +procedures outlined in EQT-05, Bias-Based Conduct Toward +Employees. These procedures are designed to facilitate a prompt +and effective internal review and resolution of allegations of bias- + + +Page 7: +Superintendent’s Circular EQT-09 +Page 7 of 8 + + + +based conduct, discrimination, or harassment based on +sex/gender, gender identity, gender expression, and sexual +orientation. +RELATED RESOURCES +• Links to laws, regulations, cases, and web sources on +gender identity or expression law can be found at +Massachusetts Law About Gender Identity or Expression. +• Contact the Office of Equity at 617-635-9650 or +bpsequity@bostonpublicschools.org for information about +additional training and support. + + + + + +Page 8: +Superintendent’s Circular EQT-09 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-9291 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +OIIT-03 +Version 01 + +TECHNOLOGY PURCHASING, DONATIONS & +RETURN GUIDE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +PURPOSE +This document is intended to provide guidance on the +technology purchasing process, acceptance of technology +donations, and the return of technology. +TECHNOLOGY PURCHASING +All requests to procure technology that must be added to the +BPS network should be submitted to BPSTechnology (OIIT) +through the Technology Purchasing Request (Form 40), +regardless of funding source. Please visit the BPSTechnology +Purchasing Menu for technology options, pricing, and the +request form. If you’re not sure if a request form should be +submitted, please feel free to reach out. +Technology listed on the menu has been evaluated by +BPSTechnology (OIIT) experts based on industry standards, +district priorities, and school needs. Most technologies come with +the standard BPS image, and we guarantee service and support +for the equipment. Competitive pricing has been negotiated with +vendors, contracts are already in place, and BPS purchasing +guidelines have been met. + + +Page 2: +Superintendent’s Circular OIIT-03 +Page 2 of 5 + + +If you do not find what you are looking for on the menu, please +reach out. While most technologies are standardized across the +district, we may be able to get them with different specifications +(i.e. memory, storage). If you are considering technology that +cannot be supported by BPSTechnology (OIIT), please: +• examine compatibility with existing systems and digital +applications, +• be conscious of any software licensing or subscriptions +needed, +• understand the warranty coverage and how repairs will be +handled, +• ensure training is available on use and integration of the +technology, +• arrange for shipment, delivery, assembly, and installation if +necessary, +• follow the procurement process (see Business Services +Guide), and +• plan ahead to meet implementation and procurement +timelines. +BPSTechnology (OIIT) reserves the right to decline requests for +the procurement of technology. +Before submitting your request, please be sure sufficient funding +is available in technology accounts (55903, 55905, and 55907). If +paying by check/BEDF, please wait to make payment. +BPSTechnology (OIIT) will provide you with payment instructions +once the request has been reviewed and approved. + + + +Page 3: +Superintendent’s Circular OIIT-03 +Page 3 of 5 + +Only school/department leaders who are authorized by the +superintendent to make budget decisions can submit requests +to purchase technology. However, we encourage staff to work +with leaders to make technology decisions that will benefit +schools/departments as a whole. +Public funds cannot be used to provide a prize or gift to an +individual. Under the Anti-Aid Amendment of our State +Constitution and by order of the Massachusetts Supreme Judicial +Court, money raised by taxation (i.e., public money) can be used +only for public purposes and not for the advantage of private +individuals. +DONATIONS +Schools receiving technology donations from outside vendors or +partners should contact BPSTechnology (OIIT) prior to receipt for +a comprehensive consultation. Donations can differ from +BPSTechnology (OIIT) standards but must meet the minimum +system requirements for the device. All donations of technology +are the property of the Boston Public Schools and, as such, must +adhere to the same policies regarding purchased equipment. +After consultation, BPSTechnology (OIIT) reserves the right to +decline donations if they do not meet the minimum system +requirements or require additional support or resources beyond +the means of the district. +There may be additional costs associated with software, re- +imaging, repair, and maintenance. All donated computers must +be re-imaged with the standard image before being used by +students or staff to ensure that existing data/information can be +removed, and the necessary security and management software + + +Page 4: +Superintendent’s Circular OIIT-03 +Page 4 of 5 + +can be installed. +Materials funded through DonorsChoose.org are the property of +the public school at which the teacher is employed when +resources are shipped. The teacher who created the project is the +sole steward of the donation while employed at the school, +carrying out the project for which the materials were donated. +For more information, go to DonorsChoose.Org Materials +Ownership Policy. +RETURNS +All technology (laptops, desktops, cell phones, tablets, desk +phones, etc.) must be returned to BPSTechnology (OIIT) for +reimaging or recycling. Any BPSTechnology (OIIT) staff member +at either the Bolling Building or Campbell Resource Center can +collect technology and provide an electronic receipt to the +employee and RC manager, if requested. If re-imaged, the device +is held until the purchasing school/department reassigns the unit +and/or provides us with further instruction. +Technology cannot be transferred from one employee to another. +All computers, phones, and tablets must be returned to +BPSTechnology (OIIT) so that data can be properly archived and +destroyed before it is redistributed to another employee. Hard +drive contents will be archived according to the City of Boston +Records Retention Schedule by the director of records +management. Once data is archived and destroyed, the RC +manager can direct BPSTechnology (OIIT) to redeploy the +technology to another employee in their RC. +For more information about this circular, contact: + + +Page 5: +Superintendent’s Circular OIIT-03 +Page 5 of 5 + +Name: +Director of Technology Business Operations +Department: +OIIT / BPS Technology +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9190 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +OIIT-02 +Version 01 + + + +PROCURING DIGITAL PRODUCTS GUIDANCE +DOCUMENT +This circular will remain in effect unless rescinded or superseded by a +subsequent version +PURPOSE +This document is intended to provide guidance to Boston Public +Schools (BPS) staff on the process to procure new digital learning +technologies that use student education records or staff +information. The overarching guidance is that schools and central +office departments should continue to use already-vetted digital +products that are included with the Google Enterprise suite of +tools or those that are included in Clever. +DEFINITIONS +Digital Tool - Any digital products or learning tools that are used +to enhance or improve workflows that do not store or maintain +data/information. Examples include applications like +Smartsheets, Chrome Extensions, or personal notation tools. +These tools are exempt from this circular. +System - Any digital platform that purposely built to store, +maintain, or transfer sensitive student or staff data/information. +Examples include Aspen or EdPlan. + + +Page 2: +Superintendent’s Circular OIIT-02 +Page 2 of 5 + + + +Platform - A suite of tools and programs that allow users to +create structures to maintain information. Examples include +Google Apps, Salesforce, or Wordpress. +Learning Application - Any digital tool used in a classroom +setting that may contain content and student +information/progress. Learning applications may fall into multiple +categories, depending on how they are used, but any tool that +contains content and tracks student learning should be +considered a learning app for the purpose of this document. +Examples include Imagine Learning. +CONTEXT +BPS staff seeking online learning products or receiving offers to +use online learning products to support instruction in a digital +space has resulted in the desire to use products that may not be +aligned to BPS instructional standards, do not comply with our +technical specifications, or do not adhere to data sharing +guidelines under FERPA. Our district is committed to ensuring +that appropriate educational supports and effective learning +opportunities are provided to students. As such, this document +will outline guidance for the appropriate review of digital +learning tools in BPS. The guidelines outlined below are created +to ensure that product confidentiality and security practices +meet or exceed industry standards and adhere to the +expectations contained in the federal Family Education Rights +and Privacy Act (FERPA), the Children’s Online Privacy Protection +Act (COPPA), the Protection of Pupil Rights Amendment (PPRA), +and HIPAA regulations. This document describes the +considerations schools and central office staff should employ + + +Page 3: +Superintendent’s Circular OIIT-02 +Page 3 of 5 + + + +around protecting student data and education records, when +selecting digital learning tools. +GUIDANCE FOR BPS STAFF PROCURING DIGITAL PRODUCTS +Any tools or products that are procured (paid for or free) by +schools or departments for schoolwide or districtwide use need +to comply with the FERPA school official exception criteria1 and +specifications for technical interoperability. Exceptions are made +for tools that do not track/store/maintain student or staff +information. For example, a Chrome Extension that magnifies the +screen does not fall under these guidelines since it will not be + +1 Performs an institutional service or function for which the +educational agency or institution would otherwise use its own +employees; +Has been determined to meet the criteria set forth in in the +educational agency’s or institution’s annual notification of +FERPA rights for being a school official with a legitimate +educational interest in the education records or PII; +Is under the direct control of the educational agency or +institution regarding the use and maintenance of the education +records or PII; and +Uses the education records or PII only for authorized purposes +and does not re-disclose the education records or PII to other +parties (unless the provider has specific authorization from the +educational agency or institution to do so and it is otherwise +permitted by FERPA). See 34 CFR §99.31(a)(1)(i). + + +Page 4: +Superintendent’s Circular OIIT-02 +Page 4 of 5 + + + +accessing any sensitive information. New requests for products +should: +1. Meet the district’s technical specifications +2. Have signed or sign a data privacy agreement +3. Aligned to the Essentials for Instructional Equity +4. Serve a purpose that is distinct from currently available tools +within the district. +PROCESS FOR SUBMITTING A SPENDING APPROVAL FOR THE +DIGITAL LEARNING PRODUCT +Before a new digital learning product will be integrated, the +following steps need to be completed: +1. Review the Essentials for Instructional Equity for alignment. +2. Have the vendor submit an NDA Request to receive and sign +the MA Student Data Privacy Agreement and Technology +Specifications Template. +3. Once fully executed, follow the procurement process as +outlined in the BUSINESS SERVICES GUIDE. +4. Once the product is procured, email the BPS Clever Admin +at cleveradmin@bostonpublicschools.org + + + + + + + +Page 5: +Superintendent’s Circular OIIT-02 +Page 5 of 5 + + + +For more information about this circular, contact: +Name: +Director of Technology +Department: +Office of Instructional and Information +Technology, Office of Data & Accountability +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9200 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + +Superintendent’s +Circular +NUMBER: +OIIT-01 +Version 01 + +ACCEPTABLE USE POLICY AND GUIDELINES +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Guidelines for Implementation of Acceptable Use Policy for +Digital Information, Communication, and Technology Resources +SCOPE OF POLICY +Boston Public Schools (BPS) provides access to technology +devices, Internet, and data systems to employees and students +for educational and business purposes. This Acceptable Use +Policy (AUP) governs all electronic activity of employees using +and accessing the district’s technology, internet, and data +systems regardless of the user’s physical location. +GUIDING PRINCIPLES +• Online tools, including social media, should be used in our +classrooms, schools, and central offices to increase +community engagement, staff and student learning, and +core operational efficiency. +• BPS has a legal and moral obligation to protect the personal +data of our students, families, and staff. +• BPS should provide a baseline set of policies and structures +to allow schools to implement technology in ways that meet +the needs of their students. All students, families, and staff + + +Page 2: +Superintendent’s Circular OIIT-01 +Page 2 of 13 + +must know their rights and responsibilities outlined in the +Acceptable Use Policy and government regulations. +• Nothing in this policy shall be read to limit an individual’s +constitutional rights to freedom of speech or expression or +to restrict an employee’s ability to engage in concerted, +protected activity with fellow employees regarding the +terms and conditions of their employment. +COMPLIANCE REQUIREMENT FOR EMPLOYEES +The Acceptable Use Policy is reviewed annually by the BPS Chief +Information Officer and is issued via the Superintendent’s +Circular. Technology users are required to verify that they have +read and will abide by the Acceptable Use Policy annually. +STUDENT AUP & CONTRACT +Copies of the Acceptable Use Policy and the student contract for +Internet use are included in the Guide to Boston Public Schools +for Families & Students, given to all students at the beginning of +the school year. The Student Contract for Internet Use must be +completed and signed by all students and their parent/guardian +after going over the AUP together. The signed contract must be +returned to the school before the student may begin using the +Internet. +CONSEQUENCES OF BREACH OF POLICY +Use of all BPS technology resources is a privilege, not a right. By +using BPS internet systems and devices, the user agrees to follow +all BPS regulations, policies, and guidelines. Students and staff +are encouraged to report misuse or breach of protocols to +appropriate personnel, including building administrators, direct + + +Page 3: +Superintendent’s Circular OIIT-01 +Page 3 of 13 + +supervisors, and the Office of Instructional and Information +Technology (OIIT). Abuse of these privileges may result in one or +more of the following consequences: +• Suspension or cancellation of use or access privileges. +• Payments for damages or repairs. +• Discipline under appropriate School Department policies, up +to and including termination of employment, subject to any +collective bargaining obligations. +• Liability under applicable civil or criminal laws. +DEFINITIONS +Freedom of Information Act (FOIA) - The FOIA is a law that allows +for the release of government documents at the request of an +individual. A FOIA request can be made to the Boston Public +Schools for electronic documents/communications stored or +transmitted through district systems unless that information +could be detrimental to governmental or personal interests. For +more information, visit http://www.foia.gov/ +Family Educational Rights and Privacy Act (FERPA) - The FERPA +law protects the privacy, accuracy, and release of information for +students and families of the Boston Public Schools. Personal +information stored or transmitted by agents of the Boston Public +Schools must abide by FERPA laws and the BPS is required to +protect the integrity and security of student and family +information. For more information, visit +http://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html +Children’s Internet Protection Act (CIPA) - Requires schools that +receive federal funding through the E-Rate program to protect + + +Page 4: +Superintendent’s Circular OIIT-01 +Page 4 of 13 + +students from content deemed harmful or inappropriate. The +Boston Public Schools is required to filter internet access for +inappropriate content, monitor the internet usage of minors, and +provide education to students and staff on safe and appropriate +online behavior. +COMMUNICATION & SOCIAL MEDIA +Employees and students are provided with district email +accounts and online tools to improve the efficiency and +effectiveness of communication, both within the organization +and with the broader community. Communication should be +consistent with professional practices used for all +correspondence. When using online tools, members of the BPS +community will use appropriate behavior: +a) when acting as a representative or employee of the Boston +Public Schools. +b) when the communication impacts or is likely to impact the +classroom or working environment in the Boston Public +Schools. +All communication sent by an employee using district property +or regarding district business could be subjected to public access +requests submitted through Freedom of Information Act (FOIA). +Users need to be aware that data and other material/files +maintained on the school district’s systems may be subject to +review, disclosure, or discovery. Use of personal email accounts +and communication tools to conduct school business is strongly +discouraged and may open an individual’s personal account to +be subject to FOIA inquiries. BPS will cooperate fully with local, +state, and federal authorities in any investigation concerning or + + +Page 5: +Superintendent’s Circular OIIT-01 +Page 5 of 13 + +related to any illegal activities or activities not in compliance with +school district policies or government regulations. +GUIDELINES FOR ONLINE COMMUNICATION +• Communication with students should not include content +of a personal nature. +• When communicating with parents/guardians of students, +employees should use email addresses and phone numbers +listed in the Student Information System (SIS) unless steps +have been taken to verify that the communication is +occurring with a parent/guardian that has educational +rights for the student. +• When communicating with a parent/guardian, refrain from +discussing any non-related students when possible. +• Employees who use internal or external social media (blogs, +X/Twitter, etc.) are expected to refrain from discussing +confidential information and/or discussing specific students. +Information that can be traced back to a specific student or +could allow a student to be publicly identified should not be +posted on any social media sites. +• When using social media, employees are expected to refrain +from posting any negative comments online about +students. +• Employees are required to notify their principal/headmaster +before setting up an online site to facilitate student learning. +Employees are encouraged to monitor/moderate online +communication to the best of their abilities. +• Employees are advised not to add any students/former +students or parents as ‘friends’ or contacts on social media + + +Page 6: +Superintendent’s Circular OIIT-01 +Page 6 of 13 + +unless the site is specifically set up to support classroom +instruction or school business. +• Employees may communicate with BPS graduates (+18 +years old) on social media but should be advised to maintain +professionalism and caution when communicating online. +• Employees are advised not to add parents/guardians of +students as ‘friends’ or contacts on social media to maintain +professionalism and to avoid any appearance of conflict of +interest. +• Avoid responding to spam or phishing attempts that require +a user to click on any links or to provide any account +information. Note: BPS will never ask for a user’s account +password for any purpose. Users are advised to report any +suspicious requests for account information directly to the +OIIT Help Desk (617-635-9200). +SOLICITATION +Web announcements and online communication promoting a +business are prohibited by the BPS Solicitation Policy. The +Superintendent’s Office may make exceptions if benefits are +judged sufficient to merit exception. + + + + +Page 7: +Superintendent’s Circular OIIT-01 +Page 7 of 13 + +USE OF COPYRIGHTED MATERIALS +Violations of copyright law that occur while using the BPS +network or other resources are prohibited and have the potential +to create liability for the district as well as for the individual. BPS +staff and students must comply with regulations on copyright +plagiarism that govern the use of material accessed through the +BPS network. +Users will refrain from using materials obtained online without +requesting permission from the owner if the use of the material +has the potential of being considered copyright infringement. +BPS will cooperate with copyright protection agencies +investigating copyright infringement by users of the computer +systems and network of the Boston Public Schools. +NETWORK USAGE +Network access and bandwidth are provided to schools for +academic and operational services. BPS reserves the right to +prioritize network bandwidth and limit certain network activities +that are negatively impacting academic and operational services. +Users are prohibited from using the BPS network to access +content that is inappropriate or illegal, including but not limited +to content that is pornographic, obscene, illegal, or promotes +violence. +NETWORK FILTERING & MONITORING +As required in the Children’s Internet Protection Act (CIPA), BPS +is required to protect students from online threats, block access +to inappropriate content, and monitor Internet use by minors on +school networks. OIIT is responsible for managing the district’s + + +Page 8: +Superintendent’s Circular OIIT-01 +Page 8 of 13 + +Internet filter and will work with the BPS community to ensure +the filter meets the academic and operational needs of each +school while protecting minors from inappropriate content. +By authorizing use of technology resources, BPS does not +relinquish control over materials on the systems or contained in +files on the systems. There is no expectation of privacy related to +information stored or transmitted over the BPS network or in +BPS systems. BPS reserves the right to access, review, copy, store, +or delete any files (unless other restrictions apply) stored on BPS +computers and all employee and student communications using +the BPS network. Electronic messages and files stored on BPS +computers or transmitted using BPS systems may be treated like +any other school property. District administrators and network +personnel may review files and messages to maintain system +integrity and, if necessary, to ensure that users are acting +responsibly. BPS may choose to deploy location tracking software +on devices for the sole purpose of locating devices identified as +lost or stolen. +PERSONAL USE +BPS recognizes that users may use BPS email, devices, and +network bandwidth for limited personal use; however, personal +use should not interfere with or impede district business and/or +cause additional financial burden on the district. Excessive use or +abuse of these privileges can be deemed in violation of the +Acceptable Use Policy. + + + + +Page 9: +Superintendent’s Circular OIIT-01 +Page 9 of 13 + +NETWORK SECURITY +The BPS Wide Area Network (WAN) infrastructure, as well as the +building-based Local Area Networks (LANs) are implemented +with performance planning and appropriate security measures in +mind. Modifications to an individual building network +infrastructure and/or use will affect LAN performance and will +reduce the efficiency of the WAN. For this reason, any additional +network electronics including, but not limited to, switches, +routers, and wireless access points must be approved, purchased, +installed, and configured solely by OIIT to ensure the safety and +efficiency of the network. Users are prohibited from altering or +bypassing security measures on electronic devices, network +equipment, and other software/online security measures without +the written consent of the chief information officer. +DATA & SYSTEMS +Access to view, edit, or share personal data on students and +employees maintained by BPS central offices, individual schools, +or by persons acting for the district must abide by local, state, +and federal regulations, including the Family Educational Rights +and Privacy Act. Student and staff information and data may only +be shared with individuals deemed eligible to have access by the +person(s) responsible for oversight of that data. Outside parties +and/or non-BPS individuals requesting protected data must +receive approval from the Office of the Legal Advisor and have a +non-disclosure agreement with the BPS. Individuals requesting +ongoing access to data through BPS systems are required to +have a designated BPS administrator who will act as a “sponsor” +to ensure the safety of the data. + + +Page 10: +Superintendent’s Circular OIIT-01 +Page 10 of 13 + +ELECTRONIC TRANSMISSION OF DATA +When educational records or private data are transmitted or +shared electronically, staff are expected to protect the privacy of +the data by password-protecting the record/file and only using +BPS systems to transmit data. Staff are also expected to ensure +records are sent only to individuals with a right to said records +and must take reasonable measures to ensure that only the +intended recipients are able to access the data. +PASSWORDS +Users are required to adhere to password requirements set forth +by the Boston Public Schools and the City of Boston when +logging into school computers, networks, and online systems. +Users are not authorized to share their password and must use +extra caution to avoid email scams that request passwords or +other personal information. +MEDIA & STORAGE +All local media (USB devices, hard drives, CDs, flash drives, etc.) +with sensitive data must be securely protected with a password +and/or encrypted to ensure the safety of the data contained. Use +of cloud-storage services for storage or transmission of files +containing sensitive information must be approved by the Office +of the Legal Advisor and OIIT. Users are encouraged to use BPS +approved data/information systems for the storage and +transmission of sensitive data whenever possible and avoid +storage on local hardware that cannot be secured. + + + + +Page 11: +Superintendent’s Circular OIIT-01 +Page 11 of 13 + +ELECTRONIC DEVICES +BPS defines electronic devices as, but not limited to, the +following: +• Laptop and desktop computers, including like-devices +• Tablets +• Wireless email and text-messaging devices, i.e., iPod +• Smartphones +• Donated devices +DEVICE SUPPORT +BPS provides basic installation, synchronization, and software +support for BPS-issued electronic devices. Devices must be +connected to the BPS network on a regular basis to receive up- +to-date software and antivirus updates and for inventory +purposes. Password protection is required on all BPS-issued +electronic devices to prevent unauthorized use in the event of +loss or theft. Users are responsible for making periodic backups +of data files stored locally on their devices. +LOSS/THEFT +Users must take reasonable measures to prevent a device from +being lost or stolen. In the event an electronic device is lost or +stolen, the user is required to immediately notify appropriate +school staff and/or their direct supervisor, local authorities, and +the OIIT Service Desk (617-635-9200). The BPS will take all +reasonable measures to recover the lost property and to ensure +the security of any information contained on the device. +RETURN OF ELECTRONIC DEVICES + + +Page 12: +Superintendent’s Circular OIIT-01 +Page 12 of 13 + +All technology purchased or donated to the BPS is considered +district property, and all equipment assigned to employees or +students must be returned prior to leaving their position or +school. All equipment containing sensitive information and data +must be returned directly to OIIT before it can be redeployed. +PERSONAL ELECTRONIC DEVICES +The use of personal electronic devices is permitted at the +discretion of the principal/head of school and chief information +officer. The BPS is not responsible for the maintenance and +security of personal electronic devices and assumes no +responsibility for loss or theft. The district reserves the right to +enforce security measures on personal devices when used to +access district tools and remove devices found to be in violation +of the AUP. +ENERGY MANAGEMENT +BPS strives to reduce our environmental footprint by pursuing +energy conservation efforts and practices. The district reserves +the right to adjust power-saving settings on electronics to reduce +the energy consumption. +TECHNOLOGY PURCHASING & DONATIONS +Technology hardware and software must be purchased or +donated through OIIT unless prior approval has been received by +OIIT and the Business Office. All technology purchases and +donations must abide by City procurement policies and are +subject to approval by OIIT. Technology pricing can include +additional expenses required to ensure proper maintenance and +security, including but not limited to warranties, + + +Page 13: +Superintendent’s Circular OIIT-01 +Page 13 of 13 + +hardware/software upgrades, virus protection, and +security/inventory software. Schools or departments applying for +technology grants, funding, or donations must budget for any +additional expenses associated with the requested technology +and can be held responsible for any additional expenses incurred. +For more information about this circular, contact: +Name: +Director of Technology +Department: +Office of Instructional and Information +Technology +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9199 +Fax: +617-635-9176 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +FIN-21 +Version 01 + +CREATING A BPS-RECOGNIZED INDEPENDENT 501C3 +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools encourages schools to seek and +receive external resources to supplement their instructional and +programmatic strategies. To this end, the Boston Public Schools +has partnered with the Boston Educational Development Fund +(BEDF) to serve as a 501c3 fiscal agent to receive financial +donations as charitable contributions, eligible for tax deductions +by the donor. Independently, as a fiscal partner to schools, BEDF +manages funds, creates financial reports, and offers technical +assistance to schools in their pursuits of private funds. BPS +schools are entitled to utilize BEDF as a fiscal agent in pursuit of +private funding. +In the case that a school wishes to pursue establishing and +managing an independent 501c3, formal approval is required. +SCHOOLS WITH EXISTING INDEPENDENT 501C3S +Schools with existing 501c3s, registered with the proper federal +and state authorizing agencies, must complete the BPS +Independent 501c3 Form to update BPS on current details +including board structure, status, and operating revenue. +Independent 501c3s with strong governance boards and rationale +will receive recognition from BPS. + + +Page 2: +Superintendent’s Circular FIN-21 +Page 2 of 3 + +SCHOOLS SEEKING TO ESTABLISH A BPS-RECOGNIZED +INDEPENDENT 501C3 +To request to establish a 501c3, all schools must have the +following: +• A strong rationale for the need for a separate, independent +501c3. +• A draft plan for the 501c3 including governance board. +• A track record of managing private investments +appropriately and on-time reporting OR someone on the +governing board with this experience. +• An estimate of anticipated annual revenue and revenue +sources. +For a school to establish a 501c3, the following outlined steps +must be completed, and approval given by the superintendent: +• All schools must complete a BPS Independent 501c3 . +• Submitted requests will be reviewed by the chief financial +officer and superintendent and approved if a strong +application is submitted. +COMPLIANCE AND ACCOUNTABILITY +BPS reserves the right to alert foundations/nonprofit partners to +the existence of 501c3 that are considered to be out of +compliance or that have been created without proper approval +from the Superintendent’s Office. +BPS believes in the ability to provide timely, accurate, and +thorough reports to our philanthropic partners and takes +seriously the significant commitment of time and expertise that +this places on a school community to run an independent 501c3. + + + +Page 3: +Superintendent’s Circular FIN-21 +Page 3 of 3 + +We encourage the use of our established partner, BEDF, to +responsibly manage funds. BPS has put these requirements in +place to ensure proper management of all funds and proper +reporting, to support schools in philanthropic pursuits, and to +provide a low-cost 501c3 to house private funding. + +For more information about this circular, contact: +Owner: +Chief of Finance +Department: +Finance +Mailing Address: +Bruce C. Bolling Building, +2300 Washington St., Boston, MA 02119 +Phone: +617-635-7962 +Email: (preferred) finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-03 +Version 01 + +EXPENDITURE REIMBURSEMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The purpose of this memorandum is to clarify those +circumstances under which reimbursement is appropriate and +those that are not. +The reimbursement process is intended to accommodate those +limited instances where the traditional purchasing system +cannot be utilized. It is not intended to replace, substitute for, +supplant, or otherwise institute an alternative purchasing system. + +Expenditures Allowable for Reimbursement +The reimbursement process is intended to allow for the +immediate purchase of incidental or emergency goods and +services that could not be contemplated in the normal course of +business. This process can be used when the aggregate +purchase value of goods or services is minimal. Make sure the +proper accounting codes are used and align with the expense. +Examples of these goods or services include reimbursement for +an emergency, unanticipated supply, or repair needs minimal in +cost. +The reimbursement process is intended to allow individuals to be +reimbursed for personal expenditures incurred in support of + + +Page 2: +Superintendent’s Circular FIN-03 +Page 2 of 7 + +authorized Boston Public Schools activities. This also applies to +travel expenses as defined and consistent with the Boston Public +Schools travel policy (refer to Superintendent’s Circular FIN-01 +Travel Policy - Procedures for Approval and Reimbursement). + +Expenditures Not Eligible for Reimbursement +Expenditures not eligible for reimbursement include those for +the purchase of goods and services that are not consistent with +the guidelines referenced above. A detailed description of +guidelines to be used for purchasing can be found in +Superintendent’s Circular FIN-07 – Purchasing Guidelines. +Certain expenditures, such as purchasing gifts for fellow +employees, constitute an inappropriate expenditure of resources +and are not eligible for reimbursement. + +Purchase Of Food +Food for staff events cannot be reimbursed from fund 100. Fund +100 can only be used for students, parents and community +events using the food account code 53204, be sure funds are +available prior to submitting for reimbursement. If you are using +fund 200, the rules of the grant must allow for food purchases, +prior to purchase always check with your grant liaison. +The practice of purchasing food products from supermarkets for +parents, school councils, or other meetings is an acceptable (and +more cost-effective) mechanism than procuring catered services. +These expenditures will be reimbursed, but only upon the +presentation of itemized invoices and cash register receipts. + + +Page 3: +Superintendent’s Circular FIN-03 +Page 3 of 7 + +Reimbursements will be made only for those items that can be +appropriately documented. + +Gift Cards/Certificates: A Specific Issue +The purchase of gift cards/certificates is not permitted. The use +of gift cards/certificates does not allow for appropriate controls +that document the nature and value of the items that are +ultimately purchased. Nor does this practice allow for the proper +reporting of expenditures. It is a practice that is highly +susceptible to abuse. + +Documentation Required for Reimbursement: +In order to secure prompt reimbursement, all requests must be +submitted to the Business Office within fifteen (15) business days +of purchase. Allowable expenditures for reimbursement must be +fully supported by appropriate documentation/receipts. Follow +the procedures below (Emails Accepted): +1. +Submit a completed “City of Boston Special Draft/Non +Order Form” - it MUST be filled out completely with: +● School/Department +● Date +● Full name of person being reimbursed +● Full address of person being reimbursed +● Vendor # +● Funding source +● Full “detailed” description + + +Page 4: +Superintendent’s Circular FIN-03 +Page 4 of 7 + +● Total amount requested +● Must be signed by the employee’s immediate +supervisor +2. +Submit the “Certification Form” attesting “under +penalty of perjury, that amounts stated are correct and +were incurred in the service of the City of Boston +3. +Itemized (not summary) of cash register receipts +4. +Itemized invoice produced by the vendor +5. +Copies of the front and back of cancelled personal +checks, or Credit card statement that details the item(s) +purchased by an individual. The name of the person being +reimbursed should be on the check and credit card +statement – for Proof of Purchase + +BPS does NOT reimburse taxes for expenditures unless the +Student Activity Account is being used for the purchase - BPS +will reimburse taxes and tips on FOOD ONLY. + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + + +Page 5: +Superintendent’s Circular FIN-03 +Page 5 of 7 + +If Submitting by Paper: +• ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +• DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 +starts the new Fiscal School Year - You cannot use current school +year funds to pay for prior school year expenses. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + + + + + +Page 6: +Superintendent’s Circular FIN-03 +Page 6 of 7 + +For more information about this circular, contact: +Owner: +Unit Leader of Business Services/Accounts +Payable +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9469 +E-mail: +finance-staff@bostonpublicschools.org +Mary Skipper, Superintendent + +Business Services Guide is available here. + + +Page 7: + + + + +Page 1: + + + + Superintendent’s +Circular + NUMBER: +FIN-01 +Version 01 + + +TRAVEL POLICY – PROCEDURES FOR APPROVAL AND +REIMBURSEMENT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Most Boston Public School business is conducted locally, on-line +or by telephone. Under some special and limited circumstances, +overnight or out-of-state travel may be required. These +circumstances usually arise if the Boston Public Schools is +obliged to send staff out-of-state if a strong case can be made +that such travel would substantially benefit the district. +In all cases, a request for subsidized travel requires justification, +prior notification, and prior approval. BPS is not obligated to +reimburse any employee for travel costs that were not approved +according to this policy. +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +TRAVEL APPROVAL +1. Applicants must secure approval using the online form; sign +in here. Directions for this process are in the BPS Travel +Request documentation document. It is the sole obligation +of the traveler to determine that sufficient funds are +available for reimbursement. + + +Page 2: +Superintendent’s Circular FIN-01 +Page 2 of 8 + +2. No travel should occur until the traveler receives a fully +APPROVED travel request. Any travel request that is +received AFTER the travel has occurred will NOT be +reimbursed. +3. All overnight and out of state travel requires prior approval +and must be submitted at least 20 days prior to departure +date. When you apply, the online form will go through the +following approvers for signatures: school leader, school +superintendent/division chief, financial analyst, chief +financial officer, and operations manager/superintendent. +The traveler will need to follow their travel approval +application online in case there is a question that an +approver may have or a denial which they will note on the +application. When the application is approved, you are then +eligible to travel and receive any reimbursements owed to +you. +4. Please note that only these two accounts must be used: +• 52802 for planes, trains, busses, taxis, Ubers/Lyfts etc. – +the cost associated with getting there. +• 52804 for conference fees, hotel, food etc. – the cost +associated with being there. +You should also use these two accounts when doing +requisitions for travel. +5. Supporting documentation describing the conference and +the purpose of your attendance must be attached to the +online travel request form with any other pertinent +information. +6. All staff planning to attend an overnight or out-of-town +conference are required upon their return to prepare a + + +Page 3: +Superintendent’s Circular FIN-01 +Page 3 of 8 + +report of the presentations/workshops, etc., attended and to +submit their report to their immediate supervisor, who shall +determine the format of this report. +7. If travel is being paid for by the conference host, the BPS +Employee Disclosure Form (3 pages) must be attached to +your “Travel Approval Form” application. +REIMBURSEMENT OF TRAVEL EXPENSES +To secure prompt reimbursement for travel, reimbursement +requests must be submitted to the Business Office within fifteen +(15) business days after the travel has occurred. The traveler must +submit the following forms, documentation/receipts to Accounts +Payable, Office of the Business Manager (emails accepted): +1. A completed City of Boston Special Draft/Non Order Form, +filled out completely with: +• School/department +• Date +• Full name of person being reimbursed +• Full address of person being reimbursed +• Vendor # (see NOTE below) +• Funding source +• Full detailed description: name of conference, dates, and +place/state where held +• Amount being reimbursed +• Signed by the employee’s immediate supervisor. +2. A copy of City of Boston and County of Suffolk Travel Expense +Voucher (attached). This form must be filled out completely +with each daily expense, then signed on the lower right by +the person taking the trip and on the lower left by the +department head. + + +Page 4: +Superintendent’s Circular FIN-01 +Page 4 of 8 + +3. The “Certification Form” attesting, under the pains and +penalties of perjury, that the requested reimbursement was +incurred as reasonable expenses in the service of the City of +Boston. +4. A copy of the approved Request for Travel Approval form +MUST be attached. +IMPORTANT NOTES: +BPS does not reimburse taxes for expenditures. BPS will +reimburse taxes and tips on FOOD ONLY. +Reimbursements cannot exceed the amount authorized by the +Superintendent. Only in extreme conditions can this original +amount be increased via an amended travel form which must be +submitted to the Finance Office prior to travel. +If travel substitution occurs, an amended form approved by the +Superintendent is required before travel. A copy of the “Travel +Approval” must be submitted with each request for +reimbursement. +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file to be reimbursed. Go to +www.boston.gov/procurement, click on "Go to Supplier Portal," +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. +If submitting by paper: +• ONLY submit single-sided reimbursements packet – not +double-sided. +• 12-point font or larger on 8.5 x 11 white paper. + + +Page 5: +Superintendent’s Circular FIN-01 +Page 5 of 8 + +• DO NOT highlight or put scotch tape on receipts because +it fades the receipts; use staples. Only legible receipts will +be reimbursed. Must submit copies of all cash register +receipts on 8.5 x 11 paper. +ALLOWABLE EXPENSES +1. Economy class commercial carrier charges (airlines, trains, +buses) are to be used at all times. The maximum +reimbursement will be limited to the lowest commercial +carrier fare to the destination. The maximum limitation +does not apply for in-state travel. +2. Hotel charges are limited to $200.00 per night. Exceptions +to this limit will only be approved if: +a) basic accommodations are unavailable, or +b) basic accommodations are too distant from the event, +or +c) the event is being held at a specific hotel. +3. The purchase of meals will be reimbursed when supported +by original receipts, not to exceed $50.00 per day. A +maximum of $25.00 per day will be allowed without +receipts. Each person traveling must pay for their own +meals (NOT other individuals or group meals) unless +otherwise noted on the Travel Approval Request; the name +of each individual must be listed on the Travel Approval +Request prior to travel. +a) Gratuities cannot exceed 20%. +b) Original receipts must include an itemized breakdown +of what was ordered. If an itemized breakdown is not +provided, the $25.00 per-diem allowance will be +reimbursed. +c) Reimbursement for room service also requires the +submission of an itemized breakdown. + + +Page 6: +Superintendent’s Circular FIN-01 +Page 6 of 8 + +4. Conference registration fees must be supported by original +documentation. +LOCAL TRANSPORTATION CHARGES +1. Car rentals/gas and airport parking must be listed on the +“Travel Approval” if reimbursement is to be requested. +2. Charges claimed for taxis/Lyfts/Ubers must be supported by +original receipts. +3. Travel by automobile is eligible for reimbursement at the +current IRS allowable rate per mile (see Superintendent’s +Circular FIN-02 – Mileage) +4. Tolls and parking charges must be supported by original +receipts. +MISCELLANEOUS TRAVEL ISSUES +1. Travel by City Contractors/Vendors. Some contracts and/or +service agreements may require the vendor to travel on +behalf of the Boston Public Schools. The City of Boston +Travel Policy must be incorporated by reference into the +contract/agreements prior to execution. +2. Conflicting Obligations. It is generally not permissible, +without the prior review and approval of the Office of Legal +Advisor, to engage in travel sponsored by a third party. +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year. You cannot use current school year +funds to pay for prior school year expenses. + + + +Page 7: +Superintendent’s Circular FIN-01 +Page 7 of 8 + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + +For more information about this circular, contact: +Owner: +Principal Account Clerk Accounts Payable +Business Services +Department: +Operations +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9472 +Email: +finance-staff@bostonpublicschools.org + + + + + + + + + + + + + + + + + + + + +Page 8: +Superintendent’s Circular FIN-01 +Page 8 of 8 + +CITY OF BOSTON AND COUNTY OF SUFFOLK +TRAVEL EXPENSE VOUCHER +THIS FORM IS SUBMITTED WITH REIMBURSEMENT RECEIPTS +TO THE AUDITING DEPARTMENT (Business Office). +ORIGINAL TO BE FILED IN AUDITOR'S OFFICE + + +Month of: + + + +Name of Official or Employee: +Department and Unit: Boston Public Schools + + + + + + + + + + + + + + +Day +Description +PRIVATE +AUTOMOBILE +Rail- +Road +Fares +Bus Taxi and +other fares + +Meals + +HOTEL +Tele- +phone +& Tele- +graph +All Other +TOTAL + + +Miles +Amount + + +Break +-fast +Lunch +Dinner + + +Item +Amount + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +TOTALS + + + + + + + + + + + + + + + + + + + + + + + + + + + +By signing this voucher you certify that each item of expenditure was incurred and was necessary in the service of the City or County +and complies with the regulations on the back of this voucher. + + + + + + + + + + + + + + + + +I hereby certify that I have personally examined this statement, that I approve of each item of +expense hereon, that each item conforms to the regulations printed on the back, the amounts +charged are reasonable and the expenditures necessary in the service of the City or County. + + + + + + + + + + + + + + + + + + + + +Signature + + + +Signature + + + +Department Head + + + + +Employee + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-19 +Version 01 + + + +BPS MAILROOM AND COPY CENTER GUIDELINES +BPS POSTAGE & PRINTING POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +We are responsible for directing the operational performance of +the mailroom and Copy Center to ensure an efficient, cost- +effective, and secure operation. Responsibilities include +managing the processing of high-volume daily mail, loading and +delivery of heavy shipments, scanning, copying, printing, and +sending and receiving all sorts of documents. +MAILROOM OPERATIONS +Adhering to the following guidelines will facilitate a smoother +operation of the mailroom at the Bolling Building: +• Only school-related items will be processed through the +mailroom for postage. +o These items need to be properly sealed and bundled. +o Items need to have a school return address. We need +to know who is sending each mailing to keep track and +to avoid missing undeliverable mail. +• Each school/department will be charged for postage used. + + +Page 2: +Superintendent’s Circular FIN-19 +Page 2 of 5 + + +o Each school / department should have a budget line +allocated for mailing purposes. +• Personal mail will not be processed through the mailroom +for postage (e.g., mortgage, utility, credit card payments, +birthday cards, mail returns, etc.). +o The mailroom is not responsible for receiving or storing +personal deliveries (e.g., personal packages from +Amazon, Walmart, Target, etc.). +• All interoffice mail should be addressed as follows: +o Name of person, school, and/or department where the +mail should be delivered +o Cluster number +o Return address (who is sending the mail?) +• Please do not put sticky notes on the outside of every +envelope (adhesive glue could damage the postage +machine). One per bundle is fine. +• Advance notice is required for mailings of over 2000 pieces +of mail. Please contact Mailroom & Copy Center by phone +617-635-9075 or email, finance- +staff@bostonpublicschools.org. +• Schools and departments will be charged for each mailing +over 100 pieces of mail. +• UPS, FEDEX, DHL: BPS does not have a business account +with any shipping carriers. +o All mail and packages intended to be shipped through +any of these carriers should be prepaid by the sender. + + + +Page 3: +Superintendent’s Circular FIN-19 +Page 3 of 5 + + +COURIER SERVICES +Also known as cluster mail, starting at the Bolling Building, our +courier delivers and picks up interoffice mail 2 times a week to +our cluster offices located throughout the district. Each school is +a part of a cluster (previously known as zones, networks, TLTs) +Adhering to the following guidelines will facilitate a smoother +operation of the courier services: +• The courier is an EXTERNAL vendor under contract, not BPS +operated. +• All mail should be clearly marked, including the sender and +receiver. +o Each school belongs to a cluster; if unsure, please +contact the mailroom for the latest information. +• The courier runs on Tuesday and Thursday of each week. +• The current contract requires the courier to pick up no more +than 3 bins of mail per cluster. +o If on a certain day a cluster office has more than 3 bins +of outgoing mail, the courier could pick up the excess +on the next run. +• The courier DOES NOT GO TO EACH SCHOOL. +o Special runs can be requested at an additional charge +paid to the vendor. + + + + +Page 4: +Superintendent’s Circular FIN-19 +Page 4 of 5 + + +COPY CENTER OPERATIONS +The BPS Copy Center provides various copy and printing +functions. With our copying and finishing, we can have your +manuals, student handbooks, presentations, letters to students, +and much more completed in-house, saving BPS and the city +money. +● Our printing services offer: +○ Mass production copying and printing. +■ Black & White +■ Color +○ Posters up to 24x36 inches +○ Three-hole punch +○ Staple finishing +● Printing services NOT offered by the BPS Copy Center: +○ Envelopes +○ Books +○ Lamination +○ Postcards +○ Banners, etc. +Adhering to the following guidelines will facilitate a smoother +operation of our in-house printing services: +● Printing services work on a first come-first served basis. +● Advanced notice is required for all jobs. +○ Please consider that there is a high volume of requests +during the beginning and end of the school year, as +well as during the summer as schools prepare for the +new school year. + + +Page 5: +Superintendent’s Circular FIN-19 +Page 5 of 5 + + +CHARGES FOR PRINTING SERVICES +Each job will be charged to the schools at lower than market +cost. Please contact the Copy Center for the latest quote. + +For more information about this circular, contact: +Owner: +Mailroom & Copy Center +Department: +Business Services +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9075 +E-mail: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + +● Essential Training Guide is available here. +● Business Services Guide is available here. + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FIN-10 +Version 01 + +GRANTS GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BOSTON PUBLIC SCHOOLS GRANTS +All grants going to the Boston Public Schools — to the district as +a whole, individual schools, or central offices — must adhere to +federal, state, city, and district policy. This circular contains the +grant management standards and procedures the district uses to +ensure all funds are lawfully expended. +Based on the funding source, grants will be housed in either the +Office of Grants and External Funding or the Boston Educational +Development Foundation (BEDF). All federal and state grants, as +well as some private grants, are housed in the Office of Grants +and External Funding and must adhere to the following +information. Private grants that are housed in the Boston +Educational Development Foundation (BEDF) 501c3 account +must adhere to the rules and regulations of BEDF. Information on +BEDF can be found in Superintendent’s Circular FIN-09. +ROLES AND RESPONSIBILITIES +All grants must adhere to federal, state, city, and Boston Public +Schools requirements for purchasing, accounting, auditing, civil + + +Page 2: +Superintendent’s Circular FIN-10 +Page 2 of 14 + +rights, access, and confidentiality, as well as established +guidelines set forth by the funder. Regulations for state and +federal grants are published in the Grants Management +Procedural Manual published by the Bureau of Grants +Management of the Massachusetts Department of Education. All +federal grants must comply with EDGAR 2 C.F.R.§ 200. All policies +and procedures, as well as internal controls and grant +management standards used by the BPS to ensure that all funds +are lawfully expended are outlined in the Fiscal Policies and +Procedures Manual. +Any individual who works under a grant, expends grant funds, or +oversees a department that utilizes grant funds is responsible for +lawfully expending grant funds. +GRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS +AND EXTERNAL FUNDING +The following documents are required when seeking grant +funding: +• Intent to Apply Form +• School Committee Approval Form +• Boston Fiscal Policies and Procedures +• Grants Subrecipient and Responsibilities +Program managers and grant applicants are responsible for +implementing the following rules for seeking and managing +grants: +1. Most federal and state grants follow the ‘supplement and +not supplant’ rule. This means grant money must not be +used to replace positions previously funded with local + + +Page 3: +Superintendent’s Circular FIN-10 +Page 3 of 14 + +money and should not be used to fund non-salary items +that are the responsibility of the local school district. For +example, grant funds may not be used to fund classroom +teachers or administrative personnel, as these positions are +considered core. A clear indication of supplanting is shifting +a position from GSP to a grant. +2. Grant-funded programs should be self-sufficient. Awarded +funds must cover all expenses of the program, including +wages, benefits, supplies, transportation, utilities, custodial +requirements, and fees. Please consult the Office of Grants +and External Funding and the Budget Office for approval of +any exceptions. If technology is involved, applicants should +consult with the Office of Information and Instructional +Technology (OIIT) to ensure that they are in support of the +proposal. +3. All BPS policies, procedures, rules, and regulations apply to +grant- funded programs. Regular personnel, budget, and +business procedures apply to grant funded programs in the +same way they apply to locally funded programs. Please +reference appropriate budget, business, and human capital +memoranda for rules and procedures. +4. No agreement to apply for or be a subrecipient of a grant is +to be entered into with an outside organization or entity on +behalf of the district without the approval of the Grants and +External Funds Office. +PRE-AWARD +All BPS staff, parents, and partners are encouraged to seek and +apply for grant opportunities from a variety of sources. Grant +development should be a team process within the + + +Page 4: +Superintendent’s Circular FIN-10 +Page 4 of 14 + +department/school to enable those individuals who will +ultimately be responsible for implementing the grant to be +involved. Heads of school, principals, and other administrative +heads must be aware and pre-approve grant proposals for +programs that will take place under their supervision. +INTENT TO APPLY +All BPS entities planning to pursue a grant opportunity must +submit an online Intent to Apply form for all federal and state +grants, as well as private grants over $10,000. The Intent to Apply +form should be submitted as soon as the funding opportunity +and applicant have been identified, but no less than 3 weeks +before the grant due date. This will ensure that potential grant +applications are consistent with BPS goals and policies and are +not in conflict with BPS solicitations for funds to the same +agencies and donors. +Your intent to apply will be reviewed on a weekly basis. Upon +approval, you will receive a completed Grant Cover Page with +your submitted information and details on next steps. +Superintendent Signature +The Office of Grants and External Funding will facilitate obtaining +the superintendent’s signature on your behalf. Please submit the +Intent to Apply form, and the Office of Grants and External +Funding will contact you within ten (10) days with next steps. All +documents requiring signature (including electronic signature) +must be submitted at least one week (7 days) before they are +due. All proposals must be submitted through the Intent to Apply +form and obtain approval to move forward from the Grants +Review Team before signatures will be obtained. + + +Page 5: +Superintendent’s Circular FIN-10 +Page 5 of 14 + +Letter of Support +The Office of Grants and External Funding will facilitate and +obtain all signatures on letters of support from the +superintendent and mayor (for federal grants). Once the Intent to +Apply has been reviewed and approved by the Grants Review +Team, please draft a letter of support for signature. All letters +requiring signature must be submitted at least one week (7 days) +before they are due. +If you are requesting a letter of support from BPS not tied to a +BPS grant application, please complete the online Letter of +Support Request Form. The Office of Grants and External +Funding will follow up with next steps. +BUDGET CREATION +The Office of Grants and External Funding can assist with +developing and reviewing your application’s budget. Once you +complete the online Intent to Apply Form, the Office of Federal +and Grants will contact you. Please reply to this communication +to schedule time to create and review your budget. All budgets +must adhere to BPS, state, and federal regulations and budgets +that do not adhere will need to be amended before BPS will +approve or allow spending. +SUPERINTENDENT SIGNATURE +All grant applications that will be submitted to external funders +(private, state, and federal) must have internal BPS approval prior +to submission. The Office of Grants and External Funding will +facilitate this process. +After completing the Intent to Apply form, the Office of Grants + + +Page 6: +Superintendent’s Circular FIN-10 +Page 6 of 14 + +and External Funding will contact you with next steps. All +documents requiring signature (including electronic signature) +must be submitted at least one week (7 days) before they are +due. The superintendent is the only authorized representative +who can sign grant proposals on behalf of BPS. +BPS can submit the grant to the funder on the requester’s behalf. +In some cases, grants can also be submitted directly from the +program manager, if so preferred, but only after all prior steps are +completed. +ONCE GRANT HAS BEEN AWARDED +School Committee Approval +All grants being managed through the Office of Grants and +External Funding must be approved by the School Committee +before they can be officially accepted by BPS. Similarly, the +School Committee’s approval is required before the Office of +Grants and External Funding can gain access to the grant funds +in conjunction with City Hall. Therefore, as soon as a grant +application has been submitted, the grant may be submitted for +School Committee approval. +To obtain School Committee approval, three steps must be +completed: +1. A packet of School Committee materials is submitted to the +Office of Federal and State Grants. This packet includes a +complete School Committee Acceptance Form, the full +grant budget, the grant narrative, the signed cover page (if +available), MOA/MOU (if available), and award letter (if +available). This must be submitted no later than 14 days prior + + +Page 7: +Superintendent’s Circular FIN-10 +Page 7 of 14 + +to any School Committee meeting. +2. A meeting is held between the program manager and the +Office of Grants and External Funding. +3. The program manager attends the School Committee +meeting, answering any questions that may arise +surrounding the grant. +Once the grant has been approved by the School Committee, +official confirmation of the School Committee acceptance will be +sent out to the requester via email approximately 2 days after the +School Committee vote. +Please contact Coordinator, Office of Grants and External +Funding at finance-staff@bostonpublicschools.org, with any +questions about or requests for School Committee approval. +Grant Set-up +Once a ‘notice of payment’ (official award letter from grantor), +funding wire or MOA/executed contract has been received by the +Office of Grants and External Funding and the grant has received +School Committee approval, the grant set-up process will begin. +During the set-up process, the Office of Grants and External +Funding will map the submitted budget to the BAIS +Financials/PeopleSoft system. The grant will be set up according +to the budget that was approved by the funder. Once the budget +is set up within BPS, it is set up in the City of Boston’s system. The +Office of Grants and External Funding will alert program +managers once this occurs and spending may then begin. This +process takes approximately eight days from the date the +payment notice is received. For questions on grant set up, please +contact the coordinator of Federal and State Grants, Carlos + + +Page 8: +Superintendent’s Circular FIN-10 +Page 8 of 14 + +Coordinator, Office of Grants and External Funding (finance- +staff@bostonpublicschools.org). +GRANT SPENDING +Grant Monitoring and Spending +It is the responsibility of the program manager to monitor the +spending of the grant. This includes: assuring that the grant +funds are being used for allowable expenses; spending according +to the grant timeline; working closely with the Business Office to +process any contracts and/or procurement needs; entering all +requisitions; monitoring purchase orders; entering receipt for +goods/services; and submitting invoices to Accounts Payable for +all work orders related to their budgeted grant funds. It is the +responsibility of the program manager’s supervisor to assure +these responsibilities are fully completed according to +requirements and to offer assistance, when necessary. +Throughout the life of a grant, the budget may need to be +adjusted. This is done through budget transfers in the BAIS +Financials system. Changes may be made among grant lines but +not into or out of a grant to make changes to the grand total. +Changes to the initial grant intent are NOT allowable. +Before any changes are made to the approved grant budget, +approval should be obtained from the funder. An amendment +may be required. If so, the Office of Grants and External Funding +will help with completing and filing the amendment. Please +contact Carlos Martinez, Coordinator of Federal and State Grants, +regarding amendments. + + +Page 9: +Superintendent’s Circular FIN-10 +Page 9 of 14 + +Subrecipient Monitoring and Spending +In accordance with the Uniform Grant Guidance, all sub awards +— where BPS is serving as the pass-through entity — must be +clearly identified and managed according to the standards set +forth by Federal Regulations, 2 CFR 200.331. The program +manager is responsible for communicating federal regulations +and assuring that subrecipients adhere to sub-award regulations. +Please contact the Office of Grants and External Funding for +more information about subrecipient monitoring. +Grant Spending Reports +Program managers will receive quarterly spend-down reports +from the Office of Grants and External Funding. The report is +designed to provide a high-level overview of spending, as well as +spending details. It is the responsibility of program managers to +look through the report, identify any errors in spending, and +report back any programmatic changes that may have affected +the budget timeline. +Amendments +An amendment is necessary when there is a modification to the +scope or finances of a previously approved grant application. +When the scope of a project changes significantly or the +expenditure of a budgeted category exceeds a variance of 10% or +$10,000, whichever is greater, an amendment is needed. +Amendments should be submitted at least 30 days prior to the +desired change. Most federal and state grants require a final +amendment to be filed no later than 30 days prior to the end of +the grant. The Office of Grants and External Funding will submit +any amendments necessary but will need justification from the + + +Page 10: +Superintendent’s Circular FIN-10 +Page 10 of 14 + +Program Manager on why the changes occurred. +GRANT CLEAN UP AND CLOSE OUT +Grant Clean-up +In the final weeks of the grant, clean-up must occur for most +grants. To close out a grant and file a final amendment, there +may not be any remaining requisitions, and all purchase orders +must be fully received. It is the responsibility of the program +manager to assure that the grant is clean for close and final +reports. +Prior to the grant end date, all requisitions must either be +canceled or converted to purchase orders. All purchase orders +must be fully received in BAIS financials by the grant end date. If +a purchase order will not be paid in full, the remainder must be +canceled prior the grant end date. It is the responsibility of the +program manager to monitor clean up, work with the Business +Office to convert requisitions, cancel POs, and enter receipts for +goods and services. +Stipend requests (PS08s) must be submitted and approved +before stipend work can be performed. Final stipend paperwork +(PS09s) must be submitted within two weeks of the stipend +period ending, hence no later than two weeks of the grant end +date. Failure to purchase items or submit stipend requests by the +above deadlines may result in forfeiting of funds. +Grant Outcomes Reporting +At the conclusion of each grant, program managers must report +the outcomes of their SMART goals presented to the School +Committee. The Office of Grants and External Funding will reach + + +Page 11: +Superintendent’s Circular FIN-10 +Page 11 of 14 + +out to program managers for this information. This report will be +shared with the School Committee and key stakeholders. +Grant Close +Grant funds must be spent prior to the grant end date. Funds not +utilized by this end date will be forfeited. For grant compliance +purposes, only funds that are encumbered — as defined by being +on a purchase order and fully received in BAIS financials — or +expended by the grant end date can be claimed under the grant. +The program manager is responsible for assuring that this occurs +by the grant end date. +FISCAL REPORTING +All fiscal reporting will be completed by, or must be reviewed by, +the Office of Grants and External Funding/Auditing Department. +No fiscal report may be submitted to the funder without review +by the Office of Grants and External Funding/Auditing +Department. +FINAL REPORTS +Final financial reports will be completed by the Auditing +Department. Final reports are due to the funder 60 days after the +grant closes. To assure that a final report is filed on time, all +requisitions and open purchase orders should be cleaned up as +soon as possible after the grant end date. Once the final report +has been completed and submitted, a copy will be sent to the +program manager for record-keeping purposes. +MULTI-YEAR GRANTS +Multi-year or continuing federal and state grant accounts must + + +Page 12: +Superintendent’s Circular FIN-10 +Page 12 of 14 + +be established at the start of each fiscal year. Accounts are not +automatically opened or carried forward from year to year. +Therefore, responsible administrative heads, department +managers, and relevant program managers should share, on an +annual basis, all award notification from their respective funders +with the Office of Grants and External Funding +PROGRAMMATIC REPORTING +Programmatic grant reports are the responsibility of the program +manager who is supervising the grant implementation. Please +share all such completed reports with the Office of Grants and +External Funding. Grant-related financial reports and requests for +revenue are managed by the BPS Business Office. However, +please share any relevant details for these well in advance, with +Director of State & Federal Grants (finance- +staff@bostonpublicschools.org) and/or Coordinator, Office of +Grants and External Funding (finance- +staff@bostonpublicschools.org), so they can be submitted to the +funder by the intended deadline. + + + +Page 13: +Superintendent’s Circular FIN-10 +Page 13 of 14 + +GRANTS MANAGEMENT RESOURCES +Grants Website +The Office of Grants and External Funding provides information +about grants at BPS, resources for finding grant opportunities, +contact information, process and policy information, the +quarterly newsletters, and constant updates that may impact +grants. +Internal Grants Management Library +This internal resource provides detailed information about +managing a grant in BPS. This searchable and constantly +updated document includes common grant application answers, +key application documents, how-to guides on running common +reports, and step-by-step instructions on how to manage a +budget, contact information, and information on how to perform +most grant activities in BPS. +CONTACT INFORMATION FOR OFFICE OF GRANTS AND +EXTERNAL FUNDING +Director of State & Federal Grants +617-635-9577 +Email: finance-staff@bostonpublicschools.org + +Senior Grants Manager +617-635-8582 +Email: finance-staff@bostonpublicschools.org + + + + + +Page 14: +Superintendent’s Circular FIN-10 +Page 14 of 14 + + +Coordinator, Office of Grants and External Funding 617-635-9084 +Email: finance-staff@bostonpublicschools.org + +Accounting Coordinator +617-635-9466 +Email: TBD + +External Funding Analyst - Please see Superintendent’s Circular +FIN-04, Student Activity Accounts. + +For more information about this circular, contact: +Owner: +Director of State & Federal Grants +Department: +Director of Grants and External Funding, Finance +Mailing +Address: +Bruce C. Bolling Building, 2300 Washington St., +Boston, MA 02119 +Phone: +617-635-9577 +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FIN-12 +Version 01 + + +TRUST FUNDS FOR SCHOOLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +This memorandum provides procedures for making awards from +centrally administered trusts that benefit schools. Heads of +schools and principals are responsible for knowing the eligibility +of their schools for trust funds, for ensuring that trust fund +purchases are appropriately selected, and for following +procedures for the awards. Please submit your requests to the +Finance Office as soon as possible and no later than May 31, 2024. +Late requests will not be processed. +1. +ELIGIBILITY FOR AWARDS +See Attachment 1 for awards by school. +See Attachment 2 for a description of the awards listed in +alphabetical order. +2. +PROCEDURES FOR REQUESTING FUNDS +Submit a detailed list of items including the item name, publisher +and/or vendor, and the cost, together with a cover memorandum +giving the name of the trust and the total requested. Separate +letterhead must be used for each award request. + + +Page 2: +Superintendent’s Circular FIN-12 +Page 2 of 14 + + +3. +PROCEDURES FOR RECEIVING FUNDS +Checks will be sent directly to the recipient at the address +provided by the school. Principals/heads of schools should retain +records of all requests, receipt of checks, and documentation of +purchases for five years. Documentation of purchases should be +available on request. + +ELEMENTARY SCHOOLS +AWARD +ALL ELEMENTARY SCHOOLS +Peter F. Degrand Award +Charlestown Schools +Devens Infant School +Dorchester Schools +Bowdoin +Dorchester Schools +Stoughton School +Dorchester/South Boston Schools Gibson School Fund +Condon Elementary School +Norcross School Library +Blackstone Elementary School +Webb Franklin +Eliot k-8 School +Abigail Smith +Harvard-Kent Elementary +Devens Infant School +Joseph J. Hurley K-8 School +Webb Franklin +Quincy Elementary School +Abigail Smith + +Martin Milmore Award +Warren-Prescott K-8 School +Devens Infant School +Winthrop Elementary School +Henry B. Hall Award + +MIDDLE SCHOOLS +AWARD +Timilty Middle School (closed) +Sherwin School Graduates +Washington Irving Middle School +Harrington Trust Fund +HIGH SCHOOLS + + +Page 3: +Superintendent’s Circular FIN-12 +Page 3 of 14 + + +Dorchester Academy +Bowdoin Dorchester + +Gibson School Fund + +Stoughton School +Boston Community Leadership +Academy +Anna & Alice Maguire +Boston Latin Academy +Bowdoin Dorchester + +Gibson School Fund + +Persis P. Drake + +Stoughton School +Roxbury Memorial +Scholarship +Brighton High School +Elvira B. Smith +Burke High School +Bowdoin Dorchester + +Gibson School Fund + +Stoughton School +English High School +William Stewart +Excel High School +Gibson School Fund +Horace Mann School +Susan E. Gavett + +Mrs. John A. Lewis + +Samuel E. Sawyer + +Adams/Osgood Fund +Madison Park High School +Costello C. Converse + + +CENTRAL OFFICE +Superintendent +Teachers Waterston + +TRUST FUNDS FOR SCHOOLS ADMINISTERED CENTRALLY +Bowdoin Dorchester +James Bowdoin + + +Page 4: +Superintendent’s Circular FIN-12 +Page 4 of 14 + + +Converse +Costello C. Converse +DeGrand +Peter F. DeGrand +Devens +Devens Infant School +Drake +Persis P. Drake +Eastburn +John Eastburn Fund +Gibson +Christopher Gibson +Hall +Henry B. Hall +Harrington +Francis E.; Alice S. +Horace Mann +Susan E. Gavett +Horace Mann +Mrs. John A. Lewis +Horace Mann +Samuel E. Sawyer +Horace Mann +Adams/Osgood Fund + + +Milmore +Martin Milmore + +Maguire +Alice and Anna Maguire +Norcross +Norcross School Library +Sherwin +Sherwin School Graduates +Smith, A. +Abiel Smith +Smith, E. +Elvira Bush Smith +Stewart +William Stewart +Stoughton +Stoughton School +Waterston +Teachers Waterston +Webb Franklin +Webb Franklin + + + + + + + +Page 5: +Superintendent’s Circular FIN-12 +Page 5 of 14 + + +BOWDOIN DORCHESTER bequest of James Bowdoin established +in 1889. +Eligibility: Schools located in Dorchester only (Dorchester +address). +Criteria: +To benefit the public schools +Award: +$750 total. A check divided to schools who apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +CONVERSE FUND in memory of Costello C. Converse, established +in 1931. +Eligibility: Madison Park Technical Vocational High School +Criteria: +General uses and purposes of the school. +Award: +$500 available; check payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +PETER F. DEGRAND to purchase books for kindergarten, first, and +second grades. +Eligibility: For the purchase of books for students attending +kindergarten, first and second grades in the City of +Boston. +Criteria: +Excellent attendance +Award: +$2,500 available. A check divided to the schools that +apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +DEVENS INFANT SCHOOL K1&2 - 2 grades. + + +Page 6: +Superintendent’s Circular FIN-12 +Page 6 of 14 + + +Eligibility: Schools located in Charlestown for kindergarten, +grades one and two. +Criteria: +Excellent attendance for the use and benefit of +children +Award: +$100 available. A check divided to the schools that +apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +DRAKE FUND gift of Persis P. Drake +Eligibility: Boston Latin Academy +Criteria: +To benefit the school +Award: +$200 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +JOHN EASTBURN SCHOOL FUND +Eligibility: High school seniors who are Boston residents (proof +of residence required) and are pursuing a teaching +curriculum at the University of Massachusetts. +Award: +$1,000 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + +Page 7: +Superintendent’s Circular FIN-12 +Page 7 of 14 + + +GIBSON SCHOOL FUND a bequest from Christopher Gibson +established in 1674. +Eligibility: Schools located in the Dorchester neighborhood, +which in 1674, included South Boston. +Criteria: +For library books and teaching equipment +Award: +$9,500 total available: A check payable (in proportion) +to the schools that apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +HENRY B. HALL for books and supplies. +Eligibility: John Winthrop School +Criteria: +Books and supplies +Award: +$17,000 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +FRANCIS E. & ALICE S. HARRINGTON TRUST FUND + Eligibility: Washington Irving Middle School +Criteria: +Two top students who obtain the highest combined +grade average in French or another foreign language +for two academic years. +Award: +$100 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + +Page 8: +Superintendent’s Circular FIN-12 +Page 8 of 14 + + +ANNA & ALICE MAGUIRE for the school located at 152 Arlington +Street. +Eligibility: Boston High School (now Boston Community +Leadership Academy) +Criteria +Purchase of books for students in attendance +Award: +$50 available; payable to school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +HORACE MANN SCHOOL FUNDS +Susan E. Gavett bequest, received in 1909. +Award: $450 check payable to school +Mrs. John A. Lewis legacy, received in 1903. +Award: $100 check payable to school +Samuel E. Sawyer, received in 1895. +Award: $150 check payable to school +Adams/Osgood Fund, received in 1936. +Award: $4,000 check payable to school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + +Page 9: +Superintendent’s Circular FIN-12 +Page 9 of 14 + + +MARTIN MILMORE +Eligibility: Josiah Quincy and others from the former Brimmer +School District +Criteria: +Equal distribution among eligible schools +Award: +$50 total available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +NORCROSS SCHOOL LIBRARY to assist school libraries within the +former Norcross School District. +Eligibility: Condon Elementary School +Criteria: +To assist the library +Award: +$100 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +ROXBURY MEMORIAL SCHOLARSHIP FUND +Eligibility: One male and one female in the graduating class at +Boston Latin Academy. +Criteria: +Strongest academic growth +Award: +$850 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + + +Page 10: +Superintendent’s Circular FIN-12 +Page 10 of 14 + + +SHERWIN SCHOOL GRADUATES for K-8 schools within the +former Sherwin School district. +Eligibility: Timilty Middle School (closed) +Criteria: +For the benefit of the school +Award: +$100 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +SMITH, ABIGAIL FUND for books in equal portions for Quincy and +Eliot Schools. +Eligibility: Quincy and Eliot Schools +Criteria: +Purchase of books +Award: +$800 available / $400 per school if both schools apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +SMITH, ELVIRA FUND in memory of Elvira B. Smith, established in +1940. +Eligibility: Brighton High School +Criteria: +Books, and/or other educational materials for the +history department as directed by the headmaster +with approval of the head of the History Dept. +Award: +$50 available. Check payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + + + +Page 11: +Superintendent’s Circular FIN-12 +Page 11 of 14 + + +STOUGHTON SCHOOL supplements the salaries of temporary +substitute teachers in high and grammar schools in Dorchester. +Eligibility: Schools with a Dorchester address +Criteria: +Substitute teachers, supplement to regular +compensation in the form of additional days’ work + +Award: +$300 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + +TEACHERS WATERSTON for lectures to teachers regarding +natural history or any of its various departments. +Eligibility: At the discretion of the superintendent +Criteria: +Lectures to teachers regarding natural history or any +of its various departments. +Award: +$500 available +Submit: +Submit a request to the Finance Office. Date and +lecture information required. + +WEBB FRANKLIN +Eligibility: Blackstone and Hurley Schools +Criteria: +Books for students +Award: +$275 available/$137.50 per school if both schools apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + + + +Page 12: +Superintendent’s Circular FIN-12 +Page 12 of 14 + + +WILLIAM STEWART +Eligibility: English High School +Criteria: +Best all-around scholar-athlete at English High School +Award: +$2,500 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + + +Page 13: +Superintendent’s Circular FIN-12 +Page 13 of 14 + + +APPLICATION FOR TRUST FUND +1. Submit this form for each student receiving a cash or savings +bond award, or submit a typewritten list with this +information. +2. No student can receive a check or savings bond without a +Social Security number. +Title of Award: +Student's Name: +Student’s Street Address and Apt.#: +City or Town: +Zip Code: +Student’s Date of Birth: +Student’s Social Security Number: +Student’s ID Number: +Name of School: +School Street Address: +City or Town: +Zip Code: + + + +Page 14: +Superintendent’s Circular FIN-12 +Page 14 of 14 + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES + +Date +Activity +May 31, 2024 +All requests must be submitted to the Finance +Office. + + +For more information about this circular, contact: + +Owner: +Special Assistant to the Chief of Finance +Department: +Finance Office +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9485 +Scan documents to: finance-staff@bostonpublicschools.org +Email: +finance-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-07 +Version 01 + + + +PURCHASING GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Procurement procedures at BPS follow state and federal laws +and City policies. Non-compliance with these laws could result in +invalid procurements and unenforceable contracts. The State +Procurement Law (M.G.L. c. 30B) mandates standard procedures +for local jurisdictions to ensure fairness and consistency when +purchasing supplies or services. The information below provides +the necessary procedures and requirements for purchasing +supplies or services following competitive and non-competitive +procurement regulations. +INDIVIDUALS AUTHORIZED TO SIGN CONTRACTS ON BEHALF +OF THE BOSTON PUBLIC SCHOOLS +No Boston Public School employee, other than those listed +below, may enter into a contract with any vendor. This includes +but is not limited to contracts, agreements, memorandums of +understanding, grants, partnership agreements, or any other +expenditure that binds the district to pay for services/goods. This +includes purchases of services or goods for under $10,000. +Only three (3) BPS employees are authorized to enter into +contracts on behalf of the Boston Public Schools: + + +Page 2: +Superintendent’s Circular FIN-07 +Page 2 of 10 + + +• The superintendent of schools +• The BPS chief financial officer +• The BPS deputy chief financial officer + +1. PURCHASES LESS THAN $10,000. +The standard for selection: Following M.G.L. c. 30B, § 2 "Sound +Business Practices,” the school or department must solicit three +quotes via telephone, email, catalog, or the City Certified +Business Directory. A record of these quotes should be recorded +on this form and kept on file at the school or department for +auditing purposes. +Required document: Requisition +Authorization: Purchase order +Turnaround time*: 1 -2 Weeks + +2. PURCHASES BETWEEN $10,000 - $100,000 +The standard for selection: When procuring supplies or services +that are not a sole source or exempt from Chapter 30B, schools +and departments must solicit written quotes from at least three +vendors via telephone, email, catalog, or the City Certified +Business Directory. A record of these quotes should be recorded +on this form and kept on file at the school or department for +auditing purposes. The contract should then be awarded to the +responsible and responsive supplier offering the needed quality +of supply or service at the lowest price quotation. In cases when +obtaining three quotes is impossible despite reasonable effort, +awarding the contract based on one or two quotes is acceptable. +Important Note: School districts may still opt to issue an IFB + + +Page 3: +Superintendent’s Circular FIN-07 +Page 3 of 10 + + +when procuring supplies or services estimated to cost $100,000 +or less. +Required documents: To ensure a timely and efficient +procurement process, all required documents should be +submitted to the Business Office/Procurement office at least four +weeks before the desired procurement date: requisition, Contract +Request Form, detailed specifications, and, if applicable, a sole- +source letter addressed to the Business Manager. Before +submitting, use the detailed checklist to verify that all required +information has been completed. +Authorization: Purchase order and written quote contract (WQC), +signed by the vendor and approved by the superintendent and +the City auditor. +Turnaround time*: 2 - 4 Weeks +3. PURCHASES OF MORE THAN $100,000 +The standard for selection: For supplies or services estimated to +cost more than $100,000, an invitation for bids (IFB) or a request +for proposals (RFP) can be used. In a bid process, IFB, you award +the contract to the qualified bidder who meets your +specifications and offers you the best price. Information for Bid +(IFB) Sealed bids (M.G.L. c. 30B, § 5. In a proposal process, RPF, you +award the contract to the offeror submitting the most +advantageous proposal, considering your specified evaluation +criteria and price. Request for Proposals (RFP) Sealed proposals +(M.G.L. c. 30B, § 6 + + + + +Page 4: +Superintendent’s Circular FIN-07 +Page 4 of 10 + + +Notice/Advertising Requirements: The Business Services and +Finance Procurement Unit will submit an ad for schools and +central departments to be posted at least two weeks before bids +or proposals are due in the City Records. If the procurement +exceeds $100,000, an advertisement will be published in the +Goods and Services Bulletin at least two weeks before bids or +proposals are due. +Required documents: Requisition and a completed Contract +Request Form with a detailed written description of the items or +services to be purchased. +Authorization: Purchase order and fully executed contract +Turnaround time*: 4 - 8 Weeks +*NOTE: These timelines may not apply to all procurement +requests. The turnaround times listed above are approximate and +do not apply to peak procurement periods, ranging from 08/15 to +09/30 and 04/15 to 06/30. +4. MOAS AND MOUS AGREEMENTS +The following types of agreements are exempt from Chapter 30B +and do not require a City of Boston standard contract to be +executed: an agreement between agencies, boards, +commissions, authorities, departments, or public +instrumentalities of one city or town (ch. 30B§1(7)); or an +agreement to purchase supplies or services from or to dispose of +supplies to an agency or instrumentality of the federal +government, the Commonwealth, or any of its political +subdivisions or any other state or political subdivision thereof (ch. +30B§1(9)) + + +Page 5: +Superintendent’s Circular FIN-07 +Page 5 of 10 + + +• Memoranda of Agreement (MOA), in addition to outlining +the terms and obligations of each government agency, +requires payment or exchange or transfer of funds between +the parties. There are only to be used between two or more +government agencies. If one or more of the parties to the +agreement is not a government agency, then the normal +rules related to standard contracts apply. There is no dollar +threshold for an MOA. +All MOAs must be initially reviewed by the BPS Law +Department, signed by the City Corporation Counsel and +City Auditing, and necessary signer(s) involved in the +agreement before it can be accepted as a valid contractual +agreement. +• Memoranda of Understanding (MOU) is an agreement of +terms and obligations that does not include funds transfer +between the parties. While parties to an MOA must all be +government agencies, parties to an MOU may, but are not +required to be, government agencies. +All MOUs must be initially reviewed by the BPS Law +Department, signed by the City Corporation Counsel, and +necessary signer(s) involved in the agreement before it can +be accepted as a valid contractual agreement. +NOTE: The Law Department reserves the right to require City +departments to execute a formal contract in any situation +involving agreements with non-government entities. +Authorization: Purchase order and fully executed and signed +MOA agreement + +Turnaround time*: 4 - 8 Weeks + + +Page 6: +Superintendent’s Circular FIN-07 +Page 6 of 10 + + +5. GRANT CONTRACTS +Under Massachusetts General Law, a “grant agreement” is +defined as “an agreement between a governmental body and an +individual or nonprofit entity, the purpose of which is to carry out +a public purpose of support or stimulation instead of procuring +supplies or services for the benefit or use of the governmental +body.” If a grant agreement properly fits within this definition, +then it is exempt from the requirements of Chapter 30B. +The first step in the analysis of whether a grant agreement can +be used is to determine the public purpose of the grant and how +grant funds are being directly linked back to the public delivery +of a program. Generally, supporting a non-profit organization, or +keeping it operational, is not a permissible public purpose. While +non-profits may operate for the public good, grant funds must be +directly linked back to the specific delivery of a program. Please +review this Law Department memo for further considerations +and guidance when determining whether a grant process is +applicable. If you plan to conduct a grant process because each +case is evaluated individually, please contact the BPS Office of +the Legal Advisor at 617-635-9320. +6. EMERGENCY PURCHASES +In the case of an unforeseen emergency, if complying with all of +Chapter 30B's requirements would put people or property at risk, +you are allowed to procure the necessary item or service without +full compliance. However, it is important to keep a record of the +emergency procurement, including the reason for deeming it an +emergency, the supplier's name, the contract amount and type, +and a list of the supplies or services purchased under each +contract. Additionally, document any procedures used to elicit + + +Page 7: +Superintendent’s Circular FIN-07 +Page 7 of 10 + + +competition. It is important to inform the Business Services +Procurement Unit of the emergency purchases as soon as +possible. Please refer to the Goods and Services Bulletin for +further guidance on processing and emergency procurement. +7. FOOD PURCHASES +Food purchases are allowed for events where parents, suppliers, +constituents, and community members attend — not just +students, teachers, or the superintendent. If it's a fund 100, it +must be purchased against the following food budget, 53204. If +using fund 200, please check with Yvonne Macrae, Director of +Grants and External Funds, ymacrae@bostonpublicschools.org, +to ensure that the grant rules allow food purchases. Please +review Superintendent's Circular FIN-03 and additional +guidelines on reimbursements for food purchases. +8. REAL PROPERTY – ACQUISITIONS AND DISPOSITIONS – +M.G.L. C. 30B +Real Property Acquisitions and Dispositions: After determining +the value of the acquisitions and disposing of the real property +valued over $35,000.00, an invitation for bids (IFB) or a request for +proposals (RFP) can be used. In a bid process, an IFB can select +the proposer who meets your quality requirements and offers the +lowest price. Information for Bid (IFB) Sealed bids (M.G.L. c. 30B, § +5. In a proposal process, an RPF will allow you to compare the +relative merits of the proposals you receive and the price. +Request for Proposals (RFP) Sealed proposals (M.G.L. c. 30B, § 6 . +Contact Business Services for further information on when to use +a license or a lease. +Notice/Advertising Requirements: The Business Services and + + +Page 8: +Superintendent’s Circular FIN-07 +Page 8 of 10 + + +Finance Procurement Unit will submit an ad to be published in +the Central Register at least 30 days before executing a binding +agreement to acquire the property. M.G.L. c. 30B, § 16(d) +Authorization: Purchase order and fully executed contract +Turnaround time*: 4 - 8 Weeks + +RESOURCES +BPS Legal Advisor +Legal Advisor legal@bostonpublicschools.org +617-635-1577 +Computer Equipment +OIIT: Director of Technology Business Operations Operations- +Department-Heads@bostonpublicschools.org +617-635-9190 +Educational and Administrative Applications +OIIT: Director of Technology Business Operations, Operations- +Department-Heads@bostonpublicschools.org +617-635-9190 +Purchasing, Textbook Adoptions +Business Services: Assistant Business Manager +finance-staff@bostonpublicschools.org 617-635-8207 +PeopleSoft/Financials Training +Business Services: Assistant Business Manager) +finance-staff@bostonpublicschools.org 617-635-8207 +Furniture and Rugs +Facilities Mgt.: + + +Page 9: +Superintendent’s Circular FIN-07 +Page 9 of 10 + + +Operations-Department-Heads@bostonpublicschools.org 617- +635-9119 +Playground Equipment +Facilities Mgt.: +Operations-Department-Heads@bostonpublicschools.org +617-635-9117 +Grants/External Funds +Director of State & Federal Grants finance- +staff@bostonpublicschools.org617-635-9577 +Field Trips +Transportation: Executive Director of Transportation +Operations-Department-Heads@bostonpublicschools.org 617- +635-9000 +Budget Management +Assistant Budget Director, finance- +staff@bostonpublicschools.org +617-635-6984 + + + + +Page 10: +Superintendent’s Circular FIN-07 +Page 10 of 10 + + +For more information about this circular, contact: +Owner: +Assistant Business Manager +Department: +Business Services +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-8207 +Email: +finance-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + +• Essential Training Guide is available here. +• Business Services Guide is available here. + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-20 +Version 01 + +MANAGING YOUR STIPENDS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Please use the Budget Office /Stipends reference document as +your guide to initiating online stipend requests. + +DEFINITION OF STIPEND WORK FOR UNION POSITIONS (BTU, +BASAS, GUILD) +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +○ Some examples of stipend work include staff training +beyond the contractual PD and Saturday or evening +schools for teachers. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● For BASAS staff, they must perform their school day hours +for the year prior to being eligible for a stipend. + +DEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS +— SCHOOLS + + +Page 2: +Superintendent’s Circular FIN-20 +Page 2 of 13 + + +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +School-based managerial employees cannot receive a +stipend unless their contractual school days (223) are +completed. Stipend work is not to be performed during the +period of time that constitutes the normal workday. +● These stipends must be for activities that are outside of the +job description of the managerial employee. +● Stipend opportunities for managerial employees in schools +must be posted in the school or on TalentEd. +● To authorize a stipend request for an individual in a +leadership position, Tiers D through F, the submitter will be +required to attach one of the following to their request: the +supervisor’s written approval, a signed superintendent’s +memo, or an email approving the work. +DEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS +— CENTRAL OFFICE +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● Managerial employees in central offices are only eligible to +receive stipends that have been posted through the Office +of Human Capital. These stipends must be for activities that +are outside of the job description of the managerial +employee. +● Central office managerial employees may not apply for +stipends unless they have been posted on TalentEd via the + + +Page 3: +Superintendent’s Circular FIN-20 +Page 3 of 13 + + +Office of Human Capital. Please connect with your OHC +staffing manager if you are interested in posting a stipend +opportunity on TalentEd. +● To authorize a stipend request for an individual in a +leadership position, Tiers D through F, the submitter will be +required to attach one of the following to their request: the +supervisor’s written approval, a signed superintendent’s +memo, or an email approving the work. +DEFINITION OF STIPEND WORK FOR SCHOOL LEADERS +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● School leader stipends must be for activities that are outside +of the job description of the school leader. +● In order for a school leader to receive a stipend, it must be +either posted on TalentEd or the stipend request must be +submitted along with a signed memo to the +superintendent. +DEFINITION OF STIPEND POSTING +Stipend work must be offered to individuals at schools in +accordance with the policies of the School Committee. +Specifically, the work must be distributed equitably and based on +demonstrated competence and qualifications. +In schools, stipend opportunities must be posted to the staff. +These postings may be internal to the school, so long as all non- + + +Page 4: +Superintendent’s Circular FIN-20 +Page 4 of 13 + + +managerial employees at the school have the opportunity to +apply. An email to all school staff is an appropriate method of +posting. OHC or Budget may ask for proof of posting at any time +after a stipend authorization request (formerly referred to as a +PS08) has been submitted. School-based managerial staff may +apply to their school’s internal posting if eligible. School-based +stipend opportunities can be posted on TalentEd as well. +In central office departments, stipend opportunities must also be +posted. These postings must be done through the Office of +Human Capital. Central office managerial employees may not +apply for stipends unless they have been posted on TalentEd via +the Office of Human Capital. +AUTHORIZATION TOOLS +Stipend Authorization Request (SAR) – request for authorization +before work starts (must be submitted at least two weeks prior to +the first day of work). SARs for summer work should be +submitted before the end of May. If an SAR is submitted after the +work has started, the submitter is required to provide an +explanation as part of the request. +Pay Certification Request (formerly referred to as a PS09) – +request for payment after work is completed (must be submitted +no later than two weeks after the work is completed). If an SPC is +submitted after the work has started, the submitter is required to +provide an explanation as part of the request. + + + + +Page 5: +Superintendent’s Circular FIN-20 +Page 5 of 13 + + +SCHEDULE FOR AUTHORIZATION +Department heads or principals should plan in advance and +request SARs on time. +● SARs must be submitted at least two weeks before work +starts, except in the case of summer work. If a stipend is +requested late, the submitter will have to write in an +explanation when prompted in the online system. +● SARs for summer work should be submitted before the end +of May. +● Pay certification requests should be submitted no later than +two weeks after the work has ended. +● Pay certification requests that need to be processed in the +last paycheck in June must be submitted by the Wednesday +prior to the pay period end date. + +In addition, due to the Budget Collaborative and Probable Org +schedule between December and February, please allow +additional time for SAR approvals and submit them at least three +weeks before work starts. +AUTHORIZATION PROCESS +All stipend work must be authorized in advance by the Office of +Human Capital and Budget Office. +Authorization from Budget and HC must be received via the +approved SAR before the work starts. A department head does +not have independent authority to authorize stipend work. +Departments or schools are responsible for informing employees +when a pay certification request has been submitted for + + +Page 6: +Superintendent’s Circular FIN-20 +Page 6 of 13 + + +payment. Please review the stipend guidance around submitting +SARs and pay certification requests. Additional guidance on the +stipend process can be found on the Budget Office +Resources/Stipends page. +WORKFLOW FOR STIPENDS +1. Stipend work opportunity is posted (internally for schools +and on TalentEd for central office) and individuals are +chosen to perform this work. +2. Secretary or department head’s designee originates stipend +authorization request (SAR). +a. Submitter cannot be one of the employees to receive a +stipend. +b. Submitter must complete the authorization process for +all individuals that are flagged. This could include the +following: +i. Tier C, D, E, or F Managerial employees (will +require approval by department head or division +lead to be submitted along with the SAR) +ii. School Leaders +iii. Employees outside of the submitter’s department +iv. Submitter must provide an explanation for any +late requests +3. Principal or department head gives first-level approval. +4. HC reviews to confirm the below items for approval (please +also see Process and Selection section for additional details +on the OHC approval process): + + +Page 7: +Superintendent’s Circular FIN-20 +Page 7 of 13 + + +a. That the submitter isn’t a recipient of the stipend +b. That the opportunity has been posted appropriately +c. That the employee is eligible to receive the stipend +d. That the Superintendent’s Memo has been submitted if +the stipend is for school leaders. +5. Payroll reviews to again confirm that the employee is +eligible to receive the stipend. +6. Budget reviews to confirm the below guidelines for +approval: +a. That there are enough funds available in the budget to +cover the expense +b. That the stipend funding information is correct, such as +the budget year +c. That the stipend is allowable under the grant if it is in +fund 200 +d. That the commitment letter (which includes a +description of the work, the staff member’s name, and +the amount of the stipend) is attached to the stipend +authorization request form (SAR) for Reimbursable +grant stipends. +e. That the hours worked are included if the stipend is +above $5,000 for an individual +f. That the budget director approves the stipend if it is +above $10,000 for an individual +7. Department or school should regularly monitor their +stipend request for approval status updates. + + +Page 8: +Superintendent’s Circular FIN-20 +Page 8 of 13 + + +8. Secretary or department head’s designee informs employee +that work can start. +9. Time sheets are maintained in the school or department +and may be subject to periodic audits. +10. Department head or principal monitors completion and +quality of work. +11. Work ends. +12. Secretary or department head’s designee submits pay +certification, due the Wednesday before the pay period end +date. +13. Payroll processes pay certification requests and checks for +the following (see Payroll Guidelines, below): +a. Confirm that the funds don’t go out prior to the end +date. +14. Stipend is paid to employee as a supplement to regular +paycheck. +NOTE: If an employee is listed on more than one eForm for +various stipends, they cannot be paid out in the same pay period. +A warning notice will appear when trying to add the additional +stipend. Will have to hold that payment until the employee has +been paid out by the other in-process pay certification request. + + + + +Page 9: +Superintendent’s Circular FIN-20 +Page 9 of 13 + + +BUDGET GUIDELINES +All stipends and overtime payments are paid out of account +51202. +Stipend Authorization Requests (SAR): +● Departments are responsible for tracking their original +budget in 51202 and the SAR approvals that have been +issued against this original budget. Contact your Financial +Analyst if you have questions about your available funds for +stipends. +● SAR approvals do not “encumber” funds in the All Funds +report. All 51202 funds will appear to be available until the +pay certifications are paid out. In your All Funds report, +please do not depend on the “Available” amount in account +51202 to track stipends. Stipend requests must be tracked +by the department; the Stipend Tracker template can be +found here. +● For all single stipend payments that amount to $5,000 or +more per individual, please fill out the hourly rate portion of +the SAR eForm. + +Stipend Pay Certification Requests: +● Processed Stipend Pay Certification Requests will move +funds from the Available budget to the Expense line. +● It is possible to issue partial payment on a Stipend Pay +Certification Requests if only some of the work was +completed, or if only some of the employees should be paid. + + +Page 10: +Superintendent’s Circular FIN-20 +Page 10 of 13 + + +● If the work ends early and you are paying out the full +stipend before the end date on the form, you must leave a +note to explain this on the Stipend Pay Certification +Request. + +Stipends paid from grants: +● Any stipend payments being made from a grant funding +source need to be for work done during the grant time +period. Stipends cannot be paid for work that may have +begun before the start date of the grant or continuing after +the grant end date. +● All stipends on grants must be allowable under the grant, +and it is the responsibility of the school or department to +ensure that they are complying with grant guidelines. +● For Reimbursable grant stipends, attach the commitment +letter (which includes a description of the work, the staff +member’s name, and the amount of the stipend) to the +stipend authorization request form (SAR). +PROCESS AND SELECTION +● Departments must ensure that the activities covered by +overtime and stipend requests meet and conform to the +definitions listed at the top of this circular. +● Departments are expected to internally post and advertise +opportunities to ensure that individuals do not receive a +disproportionate share of overtime and stipend +assignments. + + +Page 11: +Superintendent’s Circular FIN-20 +Page 11 of 13 + + +● For stipends that managerial employees in central offices +may receive, the posting must be done via the Office of +Human Capital. +● Departments are expected to select qualified individuals +and make selections in an equitable way. +● Departments must ensure that the work is done in a +complete and satisfactory way before issuing authorization +for payment. +● Timesheets are required for those working overtime or +stipended hours. +● Timesheets for all stipends and overtime must be retained +in a central location at the department for 7 years. +The Office of Human Capital may inquire with a department to +be sure that it is specifically conforming to these guidelines and +procedures. +SINGLE OR CUMULATIVE PAYMENT THRESHOLDS +In circumstances where the single payment to an individual or +the sum of payments in one fiscal year to an individual meets the +thresholds in the table below, there is an additional approval +requirement. + + + + +Page 12: +Superintendent’s Circular FIN-20 +Page 12 of 13 + + + +Single or +Cumulative +Stipend +Amount +Non-Autonomous School +Approval Process + Central Office + Approval Process +Greater than +or equal to +$5,000 +Depending on the situation, +stipend authorization may be +held at HC or Budget +approval step for further +questions. You will be +required to submit the hours +worked and hourly rate for +stipends amounting to $5,000 +or more for an individual. +Depending on the +situation, a stipend +authorization may be held +at the HC or Budget +approval step for further +questions. +Greater than +or equal to +$10,000 +Budget director approval +required. When submitting a +stipend authorization that +amounts to $10,000 or more +per individual, please fill out +the hourly rate portion of the +stipend authorization eForm. +Please send an email +explaining the reasons for +exceeding this threshold to +your financial analyst in the +Budget Office. +Budget director approval +is required. When +submitting a stipend +authorization, please send +an email explaining the +reasons for exceeding this +threshold to your financial +analyst in the Budget +Office. +There are no additional approvals necessary for autonomous +schools that submit single or cumulative stipends greater than or +equal to $5,000. + + +Page 13: +Superintendent’s Circular FIN-20 +Page 13 of 13 + + +The stipend thresholds for single or cumulative payments listed +above are not impacted by: +● Regular differential payments for employees in a formal +Extended Learning program +● Regular differentials for academic coaches or athletic +coaches +● Regular differentials for lead teachers +● Regular payments to instructors in formal Summer School +and Acceleration Academies +● Regular inclusion buyback payments for employees who +use more than one certification while teaching in the +classroom. + +Please use the Budget Office /Stipends reference document as +your guide to initiating online stipend requests. + +For more information about this circular, contact: +Owner: +Chief of Finance +Department: +Budget Office +Mailing Address: 2300 Washington Street. Roxbury, MA 02119 +Phone: +617-635-9000 +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-14 +Version 01 + + + + +RESOLUTION OF OVERPAYMENT OF SALARIES +FOR FORMER EMPLOYEES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +With the multitude of daily transactions, corrections on both the +financial and payroll component are warranted. The following +process must be strictly followed when an overpayment occurs. +1. When this transaction is identified, notification is +generated from the payroll unit to the accounting unit. +2. This notification states the name and the amount of +the salary overpayment. +3. Immediate request for payback is forwarded to the +individual through the United States Post Office and/or +email by the accounting unit. +4. To finalize this transaction, the employee is requested +to return the amount overpaid, payable to the City of +Boston – Boston Public Schools, Bank Check or Money +Order. +5. Upon receipt, the check is deposited with the City +Treasurer, and the adjustments of the employee’s +annual wages are activated. +6. If further resolution is warranted, the employee should + + +Page 2: +Superintendent’s Circular FIN-14 +Page 2 of 2 + + + +substantiate their claim with supporting +documentation. In the event of a financial hardship, the +accounting unit will review the circumstances and +make a payment plan recommendation to the +business manager. + +For more information about this circular, contact: +Owner: +Director of Payroll +Department: +Office of Human Capital +Mailing Address: +Bruce C. Bolling Building, 2300 +Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Additional +Questions +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can +be found on Access Boston (finance- +staff@bostonpublicschools.org). + + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-11 +Version 01 + +SCHOLARSHIPS, AWARDS, AND HONORS FOR +STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version.. + +This circular provides procedures for making awards from +centrally administered trusts that benefit individual students. +Superintendent’s Circular FIN-12 deals with trusts benefiting +schools. Fifteen trusts are listed in the attachment to this +memorandum. Those involving many schools are: + +ALICE F. CASEY AWARDS + +CHARLOTTE FELLMAN AWARDS MARY DOROTHEA +DEVEREAUX AWARDS +SAMUEL GROSS DAVIS AWARDS +MATHEMATICS AWARD +MARY C. MCLAUGHLIN AWARD +MARY GRASSA O'NEILL AWARD +All elementary schools +All elementary and middle +schools +List attached +List attached +All schools +All schools K-12 +All schools 1-12 + + + + + +Page 2: +Superintendent’s Circular FIN-11 +Page 2 of 17 + +Principals and heads of schools are responsible for knowing the +eligibility of their schools and students for scholarships and +awards, for ensuring that recipients of awards have been +appropriately selected, and for following procedures for the +disbursement of the awards. Please submit your requests to the +Chief Financial Office as soon as possible but no later than May 31, +2024. Late requests will not be processed. + + +ELIGIBILITY FOR AWARDS +See the following pages for a list of awards by level and school +and for a description of awards listed in alphabetical order. + +SELECTION PROCEDURES +In addition to criteria specific to each trust, equal opportunity +policies apply to selection procedures. +● Teachers, or a committee of teachers, recommend a +nominee. +● The head of school or principal approves nomination(s). + + + + + +Page 3: +Superintendent’s Circular FIN-11 +Page 3 of 17 + + +DISBURSEMENT PROCEDURES +● Provide the information required for the award on the +attached application form OR on the letterhead of the +school, signed by the principal/head of school. If schools +are eligible for more than one award, use separate +letterhead for each award. +● Submit the memorandum to the Chief Financial Office by +May 31, 2024; late submissions will not be funded. +● Checks will be sent directly to the recipients at the +address provided by the school. Checks cannot be issued +without a Social Security number. All monetary awards are +disbursed through the City of Boston Trust Office. +● Present the awards at a suitable ceremony developed +within each school. +● Maintain records of receipt of awards. Schools should +maintain records of receipts by students, and copies of all +submissions. If it is not possible to obtain a signature, +maintain a dated record of the name, address and method +of transmittal. Documentation of receipts should be +available upon request. + + + + + +Page 4: +Superintendent’s Circular FIN-11 +Page 4 of 17 + +TRUST AWARDS +Aznive +Grace N. Aznive +Casey +Alice F. Casey +Davis +Samuel Gross Davis +Devereaux +Mary Dorothea Devereaux +Fellman +Charlotte Fellman +Franklin +Benjamin Franklin +GeorgeAnna +Judson George +Goldberg +Jacob Goldberg +Goulston +Edward J. Goulston +Hoffman +Ensign David A. Hoffman +Latin +Latin School Prize +Lawrence +Lawrence High School +Lawrence Latin +Lawrence Latin School +Mathematics +Mathematics Award +McLaughlin +Mary McLaughlin +Morrison +Helen C. Morrison +Grassa O’Neill +Grassa O’Neill + + +TRUST AWARDS BY SCHOOL + +ELEMENTARY SCHOOLS +All Elementary Schools +Alice F. Casey + + +Page 5: +Superintendent’s Circular FIN-11 +Page 5 of 17 + + + + + +Charlotte Fellman +Mathematics Achievement +Mary McLaughlin Reading + +Mary Grassa O’Neill +Mason Elementary +Samuel Gross Davis +Tobin K-8 +Samuel Gross Davis +Eliot K-8 +Jacob Goldberg +Winship Elementary +Mary Dorothea Devereaux +Ellis Elementary +Samuel Gross Davis +Hale Elementary +Samuel Gross Davis +Hennigan Elementary +Samuel Gross Davis +Higginson/Lewis K-8 +Samuel Gross Davis +J. F. Kennedy Elementary +Samuel Gross Davis +Trotter Elementary +Samuel Gross Davis + + + + + +Page 6: +Superintendent’s Circular FIN-11 +Page 6 of 17 + + +MIDDLE SCHOOLS +All Middle Schools + + + + +Mary Dorothea Devereaux +Charlotte Fellman +Mathematics Achievement +Mary McLaughlin Reading + +Mary Grassa O’Neill +Dearborn Middle +Samuel Gross Davis +Higginson/Lewis K-8 +Samuel Gross Davis +Timilty Middle +Samuel Gross Davis + + +HIGH SCHOOLS +All High Schools + + + + + +Mary Dorothea Devereaux +Grace Aznive Art Scholarship +Franklin Medal +Mathematics Achievement +Mary McLaughlin Reading +Mary Grassa O’Neill +Boston Latin School +Samuel Gross Davis +Lawrence Latin School +Latin School Prize +Boston Latin Academy +Samuel Gross Davis +Brighton High +Anna Judson George + + +Page 7: +Superintendent’s Circular FIN-11 +Page 7 of 17 + +English High +Edward J. Goulston +Lawrence High School Fund +Madison Park High/Technical/ Vocational +High School +Samuel Gross Davis +O’Bryant School of Mathematics & Science +Samuel Gross Davis +Helen C. Morrison +Carter School +Samuel Gross Davis + + + + + + +Page 8: +Superintendent’s Circular FIN-11 +Page 8 of 17 + +TRUST AWARD DESCRIPTIONS + +AZNIVE ART SCHOLARSHIP FUND in memory of Grace Aznive, a +former BPS teacher, was established in 1955. The scholarship is for +outstanding seniors planning to attend art school. Please call 617- +635-6769 for more information. + +CASEY AWARD in honor of Alice F. Casey, a former associate +superintendent of the Boston Public Schools, was established +1977. +Eligibility: +All elementary schools, one student in each classroom, grades 1-5 +Criteria: +Elementary students who have demonstrated the highest degree of +social and academic growth during the school year and have shown +outstanding and positive attitudes toward classmates of all racial and +ethnic backgrounds while promoting a positive spirit of integration +within their classroom and school community. Current satisfactory +grades in conduct and effort and improved grades in class work or report +card; concern for students and staff; participation in school activities; +helpful and enthusiastic attitude; recognition of rights of others. +Award: +Alice F. Casey Certificate +Submit: +Submit request to Chief Financial Office on school letterhead, with +number of certificates needed. + + +DEVEREAUX AWARD is a gift of Mary Dorothea Devereaux, +formerly a Boston Public Schools teacher, established in 1965. +Eligibility: +One girl and one boy in the graduating class of the following schools: +● +All high schools +● +All middle schools +● +Winship Elementary School + + +Page 9: +Superintendent’s Circular FIN-11 +Page 9 of 17 + +Criteria: +For students who, as a result of the tutelage of their teachers, have +exhibited exemplary personal development and growth of character. +Under no circumstances shall scholastic achievement or athletic ability +be used as criteria. +Award: +$25 check, issued by the City of Boston Treasury Department. +Submit: +Submit request to Chief Financial Office on school letterhead with names, +addresses, dates of birth, student numbers and Social Security numbers +of recipients. + +FELLMAN AWARD is in honor of Charlotte Fellman, a former +associate director of music, established 1984. +Eligibility: +Two graduating eighth grade students from each middle school and each +K-8 school and one graduating fifth grade student from each elementary +school. +Criteria: +Outstanding talent and positive social attitude toward classmates of all +racial and ethnic backgrounds; participation in the musical life of the +school or community; interest in continuing in music; outstanding +musical talent and helpful and enthusiastic attitude toward classmates. +Award: +Certificate of Recognition +Submit: +Submit request to Chief Financial Office on school letterhead, with +number of certificates needed. + + +FRANKLIN CERTIFICATE is a gift of Benjamin Franklin. +Eligibility: +All high schools +Criteria: +High rank in scholarship and conduct +Award: +A certificate +Submit: +Nominating procedure, and name and address of recipients. +Nominations submitted to the Guidance Department. + + + +Page 10: +Superintendent’s Circular FIN-11 +Page 10 of 17 + + + + + + +GEORGE SCHOLARSHIP is in memory of Anna Judson George +and was established 1923. +Eligibility: +A graduating senior from Brighton High School +Criteria: +For excellence in English, to be used for their higher education +Award: +$225 check payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with names, +addresses, dates of birth, student numbers and Social Security numbers +of recipients. + +GOLDBERG TRUST is in honor of Jacob Goldberg upon the +occasion of completion of 50 years of outstanding service to his +employer, W. M. Filene & Sons Company. This trust was +established in 1962. +Eligibility: +A member of the graduating class of the Eliot School +Criteria: +For leadership qualities +Award: +$400 check payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + + +Page 11: +Superintendent’s Circular FIN-11 +Page 11 of 17 + + +GOULSTON AWARD is in memory of Edward S. Goulston and was +established in 1929. +Eligibility: +A member of the graduating class of English High School +Criteria: +Deserving pupil to be used for their higher education +Award: +$250 check; payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + +HOFFMAN SCHOLARSHIP is in memory of Ensign David A. +Hoffman and was established in 1920. + + +Eligibility: +A member of the graduating class of East Boston High School +Criteria: +A scholar who most nearly combines the highest attributes of an all +around student in studies, athletic ability and morality. +Award: +$175 check; payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + +Page 12: +Superintendent’s Circular FIN-11 +Page 12 of 17 + + + +LATIN SCHOOL PRIZE is for the encouragement of scholars at +Boston Latin School. +Eligibility: +Students from Boston Latin School +Criteria: +Excellence in scholarship +Award: +$250 total available, check payable to student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + +LAWRENCE HIGH SCHOOL FUND is from a gift of Abbott +Lawrence in 1844. +Eligibility: +Students from English High School +Criteria: +High rank in various subjects of the course of study +Award: +$525 total available, checks payable to the student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + + + +Page 13: +Superintendent’s Circular FIN-11 +Page 13 of 17 + + +LAWRENCE LATIN SCHOOL FUND is from a gift of Abbott +Lawrence in 1845. +Eligibility: +Students from Boston Latin School +Criteria: +High rank in various subjects of literature and science +Award: +$475 total available, checks payable to the student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + +MORRISON FUND is a legacy of Helen C. Morrison, established in +1972. +Eligibility: +Students from Technical High Schools +Criteria: +To assist worthy and needy students at technical high schools; funds can +be used either to assist students currently attending technical high +schools in Boston or as scholarships at an institution of higher learning. +Award: +$2,525 total available; check(s) payable to recipient(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + +MARY GRASSA O’NEILL WRITING AWARD: The Boston School +Committee and Superintendent Mary Skipper wish to award +certificates to selected students in recognition of achievement in +writing. Schools should make requests for certificates directly to +the Program Director/ELA, OPL@bostonpublicschools.org. These +certificates will be sent directly to your school, and the schools +will complete the certificates for distribution to selected +students. + + + +Page 14: +Superintendent’s Circular FIN-11 +Page 14 of 17 + +MATHEMATICS ACHIEVEMENT AWARD: The Boston School +Committee and +Superintendent Mary Skipper wish to award certificates to +selected students in recognition of achievement in mathematics. +Schools should make requests for certificates directly to the +Program Director, Mathematics, OPL@bostonpublicschools.org. +These certificates will be sent directly to your school, and the +schools will complete the certificates for distribution to selected +students. + +MARY C. MCLAUGHLIN READING AWARD: The Boston School +Committee and +Superintendent Mary Skipper wish to award certificates to +selected students in recognition of achievement in +reading/language arts. Schools should make requests for +certificates directly to the Program Director/ELA, +OPL@bostonpublicschools.org. These certificates will be sent +directly to your school, and the schools will complete the +certificates for distribution to selected students. + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +May 31, 2024 +All requests must be submitted to the CFO. + + + +For more information about this circular, contact: + + +Page 15: +Superintendent’s Circular FIN-11 +Page 15 of 17 + +Owner: +Special Assistant to the Chief of Finance +Department: +Chief Financial Office +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9485 +Scan Documents to +finance-staff@bostonpublicschools.org +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + +ATTACHMENT: +Application for Awards form + + + + +Page 16: +Superintendent’s Circular FIN-11 +Page 16 of 17 + +APPLICATION FOR AWARDS + +This form may be used for each student receiving a cash / savings +bond award; or submit a typewritten list on school letterhead +with all of this information. No student may receive a check or +savings bond without a Social Security number. + +TITLE OF AWARD: +_____________________________________________________ + + +STUDENT'S NAME: +____________________________________________________ + + +STUDENT’S STREET ADDRES +______________________________________________ APT.#:____ + + + + + + + + + +CITY OR TOWN: ___________________________ZIP CODE: _________ + + +STUDENT’S DATE OF BIRTH + + +Page 17: +Superintendent’s Circular FIN-11 +Page 17 of 17 + +____________________________________________ + + +STUDENT’S SSN: +______________________________________________ + + +STUDENT’S ID NUMBER: +______________________________________________ + + +SCHOOL: +______________________________________________________ + + +SCHOOL STREET ADDRESS: +__________________________________________ + + +CITY OR TOWN: ______________________ ZIP CODE: _____________ + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-09 +Version 01 + + +PRIVATE CONTRIBUTIONS MANAGEMENT GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +BOSTON PUBLIC SCHOOLS PRIVATE CONTRIBUTIONS +All external funding — to the district as a whole, individual +schools, central offices, or fiscal sponsorship — that is received +from private sources, such as foundation grants, contributions, +and individual donations other than public state and federal +grants, must adhere to the established rules and guidelines set +forth in this circular. +Schools may not receive cash grants directly into activity +accounts or any other accounts maintained by the school (see +Superintendent’s Circular FIN-04, Student Activity Accounts). +Schools and departments may solicit in-kind services and +contributions from private sources (businesses, non-profit +foundations, and individuals) to be made to the Boston Public +Schools via the Boston Educational Development Foundation, +Inc. (BEDF) in accordance with the guidelines set forth in State +Ethics Commission opinion EC-COI-12-1. Programs funded by +private philanthropy must further BPS goals. Funds will not be +accepted from sources specifically precluded by the School +Committee (there are no fund sources specifically precluded at +this time). + + +Page 2: +Superintendent’s Circular FIN-09 +Page 2 of 7 + + + +ROLES AND RESPONSIBILITIES +All private funds must comply with funders’ intentions and +guidelines established by BEDF regarding programming, +spending, accounting, and auditing, as well as related to civil +rights, access, and confidentiality as per the public use of these +funds. +The program supervisor is the individual who will be responsible +for overseeing the program(s) or initiative that private +contributions are funding. +The fund manager is the department head or the respective +principal/head of school and/or a designee and will be the +primary point of contact for all management issues for BEDF. The +fund manager will take fiscal responsibility for managing private +contributions and assure the submission of proper reporting to +funders. +BEDF has fiduciary and financial oversight responsibility for +private-funded programs, including compliance with all relevant +regulations and reporting. BEDF must sign contracts and other +legal documents that could raise a liability and oversee the full +execution of grant agreements and/or award letters. BEDF will +follow guidelines set by its Board of Directors and funders’ +restrictions and will collaborate to comply with other +requirements related to civil rights, access, and confidentiality. +ABOUT BEDF + + +Page 3: +Superintendent’s Circular FIN-09 +Page 3 of 7 + + +Mission +The Boston Educational Development Foundation, Inc. (BEDF) +was founded in 1984 by the superintendent and School +Committee for departments and schools to improve their ability +to raise money from private sources including foundations, +corporations, and individuals. +BEDF is a 501(c)(3) that exists to improve educational +opportunities for the students of BPS. BEDF provides fiscal +sponsorship and fundraising support for programs and +opportunities that may otherwise not be possible, such as: out of +school time; enrichment and health initiatives for students; +leadership and professional development for teachers; +engagement and learning programs for families; and multiple +academic initiatives. +Fiscal Sponsorship Services +BEDF provides general, financial, and administrative +management and staffing to private-funded programs that +further the educational aims and goals of BPS. BEDF also +provides fundraising support in the following areas: grant +seeking and administration; assistance in grants review and +submission; and the creation of online fundraising campaigns for +schools and programs. +Indirect Rate +BEDF charges an 8% indirect rate on all grants, donations, +sponsorships, and other charitable contributions for which BEDF +serves as the fiscal sponsor. This indirect rate does not apply to +any BPS student scholarships. The BEDF Board of Directors has +the authority to change the rate at any time by giving written +notice to Fund Managers. + + +Page 4: +Superintendent’s Circular FIN-09 +Page 4 of 7 + + + +PRE-AWARD +All BPS staff, parents, and partners are encouraged to seek and +apply for private funding opportunities from a variety of sources. +School fundraising is a team process within the +department/school to enable those individuals who will +ultimately be responsible for implementing the programs to be +involved. Heads of schools, principals, and other administrative +heads must be aware of and approve private solicitations for +programs that will take place under their supervision. +Intent to Apply +All BPS entities planning to pursue a private funding opportunity +must submit an online Intent to Apply Form (for asks above +$10,000) 1-3 months prior to the deadline for submission, if +possible. This will ensure that potential funding applications are +consistent with BPS goals and are not in conflict with other BPS +solicitations to the same agencies and funders. +The Intent to Apply Form will be revised on a weekly basis by the +cross-functional BPS Grants Review Team and will communicate +a recommendation to the applicant. Upon confirmation, you will +receive a completed grant cover page to be signed by your +department head/supervisor. For grant applications seeking +letters of support, a brief form will be attached as well. +POST AWARD +BEDF holds private funds through a set of strictly segregated +funds (previously called accounts). Either fund managers or +funders must forward the award letter and/or grant agreement +(that includes program and budget information) along with the + + +Page 5: +Superintendent’s Circular FIN-09 +Page 5 of 7 + + +deposit form to BEDF. If a new account is needed, the fund +manager should submit the proper form. BEDF will notify within +five business days upon receipt. +SPENDING, MONITORING, AND REPORTING +Spending +Funds held at BEDF will adhere to BEDF current spending, +financial, and administrative policies regarding accounts +receivable and payable, employee stipend documentation, and +any other administrative controls established. For privately +funded programs, BEDF only compensates individuals as +independent contractors (1099) or through the BPS approved +commitment letter process (if individuals are BPS employees). +Individuals are subject to applicable state and federal taxes. +Programs will keep their own records to comply with applicable +BPS regulations. Please contact BEDF at admin@bedf.org for +detailed information. +The BEDF executive director must co-sign all contracts and other +documents in which BEDF could incur liability, legal exposure, or +financial obligations, including purchase orders and grant +agreements, on behalf of the programs. +For internal controls, all expenses require signoff by the fund +managers or designee before any costs can be incurred or +payments released. +The fund manager is responsible for monitoring the spending of +the private funds. This includes assuring that the funds are being +used for allowable expenses; spending according to the +contribution timeline; entering receipt for goods/services; and +submitting invoices to BEDF for all matters related to their + + +Page 6: +Superintendent’s Circular FIN-09 +Page 6 of 7 + + +program budget. In case private-funded program budgets need +to be amended, they should get approval from the funder. BEDF +will ensure these responsibilities are fully completed in +accordance with the provisions of the funder and these +guidelines. +Monitoring +Fund managers are responsible for preparing and submitting +interim reports as requested by funders. BEDF will support +completions and take the appropriate steps to ensure timely +report submission. +Programmatic grant reports are the responsibility of the fund +manager who is overseeing the program being funded. Fund +managers must send a copy of completed reports to BEDF. +Final Reports +BEDF will produce a financial report to be finalized and +complemented with program outcomes by the fund manager in +order to complete and submit a final report as per the funder +guidelines. Please submit a copy of the final version to BEDF for +record keeping purposes. BEDF will take proper measures to +assure fiduciary responsibility to funders, including freezing the +activity of the fund until submission is complete. +AUDITING +The fund manager and program supervisor will collaborate with +auditors, consultants, and program advisors as requested by +BEDF to ensure compliance with tax regulations and impact +assessment of the partnership with BPS, including site visits and +data collection efforts. + + +Page 7: +Superintendent’s Circular FIN-09 +Page 7 of 7 + + +For general inquiries, please email admin@bedf.org. + +For more information about this circular, contact: +Owner +Email +Executive Director, BEDF + admin@bedf.org +Director of Finance and +Operations, BEDF + admin@bedf.org +Assistant Director of +Finance, BEDF + admin@bedf.org +Resource Development & +Communications Manager, +BEDF + admin@bedf.org +Finance Associate, BEDF + admin@bedf.org + +Mary Skipper, Superintendent + + + +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-02 +Version 01 + + +MILEAGE REIMBURSEMENT + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public School employees who are eligible for mileage +reimbursement are required by IRS regulation to document +those costs and provide specific information. Reimbursement +cannot be made unless all procedures detailed in this circular are +followed, and all necessary documentation is provided. + +All employees who use their own vehicle on authorized school +business are entitled to be reimbursed as listed below. Please +note that travel to and from home is not eligible for +reimbursement. + + +All Itinerant Service Providers +School Psychologists, District Social +Workers, Speech & Language +Pathologists, Occupational Therapists, +Physical Therapists, Adaptive Physical +Education Teachers, Vision Teachers + +$600.00 per “full” +school year (flat +rate) +or +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + +All other BTU members + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + +Page 2: +Superintendent’s Circular FIN-02 +Page 2 of 5 + + + + +Supervisors of Attendance + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + +BASAS + + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + +Management + + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + + +Planning & Engineering + + +$15.00 per day (flat +rate) + + + +For eligible mileage reimbursement, there must be a sufficient +appropriation in the respective responsibility center manager’s +budget (Account 52803 Mileage). + + + + + +Page 3: +Superintendent’s Circular FIN-02 +Page 3 of 5 + + + +IMPORTANT! +Parking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA +individual fares only (monthly passes are not reimbursable) etc., +will be reimbursed only when it is clearly stated that the trip +taken, which resulted in these fees, was for official school +business and the method of transport was the most +economical. Original receipts must be produced/provided for +reimbursement. + + +Follow the procedures below to submit for reimbursement +(Emails accepted): + +1. Submit a completed “City of Boston Special Draft/Non Order +Form” – it must be filled out completely with: +• School/Department +• Date +• Full name of the person being reimbursed +• Full address of the person being reimbursed +• Vendor # +• Funding source +• Full “detailed” description +• Amount to be reimbursed +• Must be signed by the employee’s immediate +supervisor + +2. Submit the “Certification Form” attesting “under penalty of +perjury that amounts stated are correct and were incurred +in the service of the City of Boston.” + + + +Page 4: +Superintendent’s Circular FIN-02 +Page 4 of 5 + + +3. Submit a completed “Mileage Detail Form” - List the total +number of miles traveled each day and total-up each page – +must sign and date each page. + +4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA +individual fares only, etc. + +5. Mileage Reimbursement requests “must be” submitted at +the end of each month or quarterly – 4 times per year, which +is September 30, December 31, March 31 and the last day of +school in June. + +6. Employee group (union) affiliation must be indicated to +insure eligibility for reimbursement. + + + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + +If Submitting by Paper: +● ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +● DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be + + +Page 5: +Superintendent’s Circular FIN-02 +Page 5 of 5 + + +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year - You cannot use current school year +funds to pay for prior school year expenses. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + + +For more information about this circular, contact: +Name: +Unit Leader of Business Services/Accounts +Payable +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston MA. 02119 +Phone: +617-635-9472 +E-mail: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-02 +Version 01 + + +MILEAGE REIMBURSEMENT + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public School employees who are eligible for mileage +reimbursement are required by IRS regulation to document +those costs and provide specific information. Reimbursement +cannot be made unless all procedures detailed in this circular are +followed and all necessary documentation is provided. + +All employees who use their own vehicle on authorized school +business are entitled to be reimbursed as listed below. Please +note that travel to and from your home is not eligible for +reimbursement. + + +All Itinerant Service Providers +School Psychologists, District Social +Workers, Speech & Language +Pathologists, Occupational Therapists, +Physical Therapists, Adaptive Physical +Education Teachers, Vision Teachers (ISP +will receive that $600 payment in +succeeding years provide the ISP’s direct +supervisor verifies that the ISP’s travel +schedule is substantially unchanged) + +$600.00 per “full” +school year (flat +rate) +or +67¢ per mile + + +Page 2: +Superintendent’s Circular FIN-02b +Page 2 of 5 + + + +All other BTU members + +67¢ per mile + +Supervisors of Attendance + + +67¢ per mile + + +BASAS + + + +67¢ per mile + +Management + + + +67¢ per mile + + + + +Planning & Engineering + + +$15.00 per day (flat +rate) + + + +For eligible mileage reimbursement, there must be a sufficient +appropriation in the respective responsibility center manager’s +budget (Account 52803 Mileage). + + + + +Page 3: +Superintendent’s Circular FIN-02b +Page 3 of 5 + + + +IMPORTANT! +Parking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA +individual fares only (monthly passes are not reimbursable) etc., +will be reimbursed only when it is clearly stated that the trip +taken, which resulted in these fees, was for official school +business and the method of transport was the most economical. +Original receipts must be produced/provided for reimbursement. + +Follow the procedures below to submit for reimbursement +(Emails accepted): + +1. Submit a completed “City of Boston Special Draft/Non Order +Form” – it must be filled out completely with: +• School/Department +• Date +• Full name of the person being reimbursed +• Full address of the person being reimbursed +• Vendor # +• Full funding source +• Full “detailed” description +• Amount to be reimbursed +• Must be signed by the employee’s immediate +supervisor + +2. Submit the “Certification Form” attesting “under penalty of +perjury that amounts stated are correct and were incurred +in the service of the City of Boston.” + + + +Page 4: +Superintendent’s Circular FIN-02b +Page 4 of 5 + + +3. Submit a completed “Mileage Detail Form” - List the total +number of miles traveled each day and total-up each page – +must sign and date each page. + +4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA +individual fares only, etc. + +5. Mileage Reimbursement requests “must be” submitted at +the end of each month or quarterly – 4 times per year, which +is September 30, December 31, March 31 and the last day of +school in June. + +6. Employee group (union) affiliation must be indicated to +insure eligibility for reimbursement. + + + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + +If Submitting by Paper: +● ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +● DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be + + +Page 5: +Superintendent’s Circular FIN-02b +Page 5 of 5 + + +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + +** You cannot use current school year funds to pay for prior +school year expenses. ** + + + +For more information about this circular, contact: +Name: +Business Manager +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston MA. 02119 +Phone: +617-635-9472 +E-mail: +ffinancestaff@bostonpublicschools.organceo.org + +Mary Skipper, Superintendent + + + + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +FIN-04 +Version 01 + + + +STUDENT ACTIVITY ACCOUNTS: +OPERATING PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +This Student Activity Accounts: Operating Procedures +Superintendent’s Circular was put together in accordance with +Massachusetts General Law Chapter 71 Section 47. The Student +Activity Account Policy was approved by the School Committee +in the fall of 2018. +All students should have an opportunity to take part in co- +curricular activities. As such, Boston Public Schools have +migrated to a new business process for managing student +activity accounts. Student activity funds are managed under an +“Agency Account,” housed under the City’s tax ID number. +DEFINITION AND CATEGORIES OF STUDENT ACTIVITY +ACCOUNTS +Student activity accounts may only be used for the express +purpose of conducting student activities, which are broadly +defined to be: +● Co-curricular in nature. +● Contingent on a fee or on fundraising. +● For the sole benefit of students. + + +Page 2: +Superintendent’s Circular FIN-04 +Page 2 of 13 + + +Boston Public Schools recognizes the following categories as +student activities: +● SOCAL = Socials, such as a dance or pizza party +● EVENT= Special events, such as a graduation or Science Fair +● FLDTR = Field trips, such as transportation costs or entrance +fees +● CLUBS = School leader-approved student clubs, such as a +Student Council or Debate Club +● STORE = Bookstore, only when bookstore is run by students +and proceeds will benefit students directly +● ATHLT = Athletics, only when funds are student-driven and +proceeds will benefit specific student activities directly +● SNDRY = Miscellaneous activities (this is NOT a catch-all, see +Student Activity Accounts on the BPS website for approved +list) +● BNKFE = Bank fees, such as fees for returned checks +ESTABLISHING A STUDENT ACTIVITY ACCOUNT +Student activity funds will be managed utilizing a Student +Activity Agency Account. The Agency Account is a master +account maintained by the City’s Collector-Treasurer and is +utilized to record deposits and expenses. All student activity +accounts must utilize the City of Boston’s tax ID number and be +authorized by the BPS chief financial officer and city treasurer. +Schools seeking to set up a new student activity account within +the Student Activity Agency Account must contact the BPS +Finance Office. + + + + +Page 3: +Superintendent’s Circular FIN-04 +Page 3 of 13 + +When a new school leader begins at a BPS school, they should +contact the BPS Finance Office. Accounts should be reconciled +prior to the account changing hands. +DEPOSIT PROCEDURE +To deposit funds into your school’s student activity account: +1. Deposit funds at a Boston Citizens Bank branch using the +unique deposit slips provided to your school. This is critical to +ensuring funds are deposited to your school’s subaccount +and simplifying the reconciliation process. +a. If depositing funds for use in multiple different student +activities, schools must use a separate deposit slip for +each pool of money. +2. Complete the revenue breakdown form within 2 business +days of the deposit date to designate the funds to a program +(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, +BNKFE) and class (grade level). This allows the deposited +funds to be applied to your school’s subaccount and +reflected in BAIS Financials. +a. If a deposit is for multiple grades or undefined, utilize +the “0000” for all grades. +3. Allow at least 5 business days for the deposit to be booked to +your school’s subaccount and reflected in BAIS Financials. +Schools must notify the BPS Finance Office when they are +running low on unique deposit slips, not when they’ve run out of +deposit slips, so additional deposit slips may be ordered and +delivered to the school. + + + + +Page 4: +Superintendent’s Circular FIN-04 +Page 4 of 13 + +TRANSFER PROCEDURE +To request a transfer within your school’s student activity +account: +1. Submit the transfer request form, which requires a +justification letter be attached documenting the request. +Transfer Request Justification Template +2. Allow at least 5 business days for the transfer to be reflected +in BAIS Financials. +EXPENDITURE PROCEDURE +Standard Purchasing +To make a purchase out of your school’s student activity account: +1. Confirm the company/venue is already an approved city +vendor by looking them up in BAIS Financials or determine if +the individual needs to be “hired” and paid through the city’s +payroll system. +a. If you have a question about whether a +company/venue is an approved city vendor or should +be hired, please email +Vendor.Questions@cityofboston.gov or call 617-635- +4564. +b. New vendors should register online (see step-by-step +guidelines for registering online). +2. After confirming the company/venue is an approved city +vendor, enter a requisition for student activities using the +following information: +Fund Number: 470 + + +Page 5: +Superintendent’s Circular FIN-04 +Page 5 of 13 + +Account: Should be appropriate to the requisition. An +example is account 52811 for a field trip. If unsure, review +the account code list or contact BPS Purchasing. +Program: An alpha entry matching the revenue breakdown +of SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, or +BNKFE. +Class: An alphanumeric entry matching the revenue +breakdown of: 0000 (all grades); BPSK0; BPSK1; BPSK2; +BPS01; BPS02; BPS03; BPS04; BPS05; BPS06; BPS07; BPS08; +BPS09; BPS10; BPS11; BPS12 +Bud Ref: 0000 +3. Follow the standard purchasing guidelines outlined in the +Business Services Manual to complete the requisition and +purchase process. +Reimbursement +To request a reimbursement out of your school’s student activity +account: +1. Confirm the person is already properly hired or an approved +city vendor by looking them up in BAIS Financials. +b. If you have a question about whether a +company/venue is an approved city vendor or should +be hired, please email +Vendor.Questions@cityofboston.gov or call 617-635- +4564. +c. New vendors should register online (see step-by-step +guidelines for registering online). + + +Page 6: +Superintendent’s Circular FIN-04 +Page 6 of 13 + +2. After confirming the person is an approved city vendor, +complete and submit a hard copy of the Non Order form +with details of the expense, funding source, and amount. +Reimbursement instructions can be found in +Superintendent’s Circular FIN-03. + +Staff seeking reimbursement out of the Student Activity Account +can receive reimbursement for tax on purchases; however, tax +can be saved by going through the standard purchasing process. +Reach out to Lisa Greaves or Bob Cass with any reimbursement +questions. +The Business Services Guide may be a helpful resource for further +inquiries on purchasing. +CHECKING STUDENT ACTIVITY ACCOUNT BALANCES +To check your school’s student activity account balance: +1. Log into BAIS Financials. +2. From the main menu drop-down options, select +REPORTING TOOLS. +3. From Reporting Tools, select QUERY. +4. Click on QUERY VIEWER. +5. Next to “Search by,” select QUERY NAME from the drop- +down options. +6. In the blank next to “begins with,” enter +Y_GL_QRY_SCH_ACT_BUDGET_BAL. +7. Select how you'd like to run the report: HTML, Excel, or XML. +8. In the blank next to “department,” enter your school’s 6- +digit RC code. +9. Click VIEW RESULTS: +a. Scroll through all the line items to find balances (there + + +Page 7: +Superintendent’s Circular FIN-04 +Page 7 of 13 + +will likely be several rows that show no balance) OR +b. Download the results and filter out all the rows without +a balance. +To check deposits and expenditures in your school’s student +activity account: +1. Log into BAIS Financials +2. From the main menu drop down options, select REPORTING +TOOLS. +3. From Reporting Tools, select QUERY. +4. Click on QUERY VIEWER. +5. Next to “Search by,” select QUERY NAME from the drop- +down options. +6. In the blank next to “begins with,” enter +Y_GL_QRY_EXP_PO_CN_DTL. +7. Select how you'd like to run the report: HTML, Excel, or XML. +8. Enter the following for the blanks: +a. Fund Code: 470 +b. Organization: Your school’s 6-digit RC Code +c. Program Code: % +d. Sub-Classification: % +e. Project/Grant: % +f. Account: % +g. Budget Reference: % +h. From Accounting Period: 1 +i. To Accounting Period: 12 +j. From Fiscal Year: Starting year (for example, if you just +want to look at this current school year, you’d enter +2024, but if you wanted to look at the account over +time, you’d enter 2018). +k. To Fiscal Year: Ending year. +9. Click VIEW RESULTS. + + +Page 8: +Superintendent’s Circular FIN-04 +Page 8 of 13 + +REPORTING +Monthly Reconciliation Reports +By the 5th of each month (September - July): +1. Complete the monthly reconciliation report for the previous +month, reconciling your school’s PeopleSoft balance with +submitted revenue breakdown forms and expenditure +requests. +2. Completed monthly reconciliations should be sent to school +leader, all student organization leadership (and/or parent +council leadership if elementary school), and Charlie Ng by +the 5th of each month for the previous month (example: for +the February reconciliation, submit by March 5). PDFs should +be uploaded to your school’s SAA reporting folder and saved +for 7 years. +Year End Reconciliation +By June 21: +1. Complete Form B for each additional bank account +associated with the school (Form B doesn’t need to be +completed for the student activity and before/after school +accounts) and record every transaction for each account. +Additional bank accounts include 501c3, BEDF, Parent +Council, and Sunshine Fund accounts. +2. A final monthly reconciliation report should be submitted by +July 5 to close out the student activity account for the school +year +3. Completed forms should be sent to Charlie Ng. + + +Page 9: +Superintendent’s Circular FIN-04 +Page 9 of 13 + +CASH POLICY AND RECORD-KEEPING +Internal Records And Ledgers +Schools must keep detailed records of their receipts and +expenses for the account. Records should contain, at minimum, +the level of detail provided in the example ledger by line. The +specific purpose/activity of all money should be tracked. It is +recommended that for individual activities, such as a specific +field trip or event, schools also track all receipts and expenses (i.e., +all revenue and expenses for prom). A copy of these records +should be housed in your school’s SAA folder. The purpose of +these records is to: +● Ensure bank deposits match the total receipts of fees and +fund-raised money. +● Ensure entirety of the money is spent on the intended +purpose, benefiting solely the students who the money was +raised for/by. +● Avoid large surpluses and deficit spending. +Cash Policy +Cash boxes may be used to receive cash and checks and make +change during fundraising activities. +As needed, the cash box may be signed out to staff and student +organizations as long as a cash box log is completed each time +the cash box is signed out. +Schools need to keep records of collected cash and checks. When +$10 or more is collected from an individual, a pre-printed carbon +receipt must be issued to that individual. Carbon copies of +receipts should be submitted to the school leader along with + + +Page 10: +Superintendent’s Circular FIN-04 +Page 10 of 13 + +collected cash and checks WITHIN 24 HOURS of receipt. In cases +of a large number of transactions in a short period of time, the +receipt log should be used to provide a record of individual +transactions and be submitted to the school leader along with +collected cash and checks WITHIN 24 HOURS of receipt. +When less than $10 is collected from an individual, a pre-printed +carbon receipt does not need to be issued. Rather, the person +handling the cash box needs to record the collected funds on the +receipt log. The receipt log should be submitted to the school +leader along with collected cash / checks WITHIN 24 HOURS of +receipt. +The cash box must be reconciled daily by two individuals. Once +the cash is counted, each individual should initial the cash box +reconciliation form. +Collected cash / checks totaling under $1,500 must be deposited +at a Boston Citizens Bank branch WITHIN A WEEK of receipt. +Total collected cash / checks exceeding $1,500 must be deposited +at a Boston Citizens Bank branch WITHIN 72 HOURS of receipt. + + + + +Page 11: +Superintendent’s Circular FIN-04 +Page 11 of 13 + +CLOSURE OF ACCOUNTS +Closure of Class Accounts at Graduation +The following procedures should be followed with respect to +class accounts at graduation: +1. Keep class accounts open and active for 90 days after +graduation to allow for outstanding bills to be received and +paid. +2. After 90 days, remaining funds must either be: +a. Transferred to a separate account established by class +members, not using the city’s tax ID number. +b. Transferred to the school’s SNDRY, 0000 (all grades) +line. +Closure of Inactive Accounts +The following procedures should be followed with respect to +inactive and undesignated accounts at the district level: +1. Accounts will be closed, and remaining balances will be +transferred to the Student Activity Agency Account. +2. Remaining balances will be distributed across all schools’ +SNDRY, 0000 (all grades) lines. +The following procedures should be followed with respect to +inactive accounts at the school level: +1. Provide written notification about the inactive account to +the BPS Finance Office. +2. If the account should be closed out and has a balance of +funds: +a. The balance of recognized student activity funds +should be moved into the appropriate program and + + +Page 12: +Superintendent’s Circular FIN-04 +Page 12 of 13 + +class subaccounts. +b. The balance of unrecognized student activity funds +should be moved into the school’s SNDRY, 0000 (all +grades) line. +RESOURCES +For additional information and resources on Student Activity +Accounts: +● Student Activity Account: Policies & Procedures Manual +Student Activity Account Website +● SAA Slide Deck +● 7-minute Overview Presentation +● Purchasing Manual +● Massachusetts General Law +Please contact the Finance Office if you have any student activity +account questions not addressed in this circular. +Questions related to deposits, fund balances, and account status +should be directed to: +Special Accounts Manager, finance- +staff@bostonpublicschools.org +Internal Controls Project Manager, finance- +staff@bostonpublicschools.org + + + + + +Page 13: +Superintendent’s Circular FIN-04 +Page 13 of 13 + +Questions related to purchases from this account should be +directed to: +Assistant Business Manager, finance- +staff@bostonpublicschools.org / 617-635-6758 +Questions related to reimbursements from this account should +be directed to: +Principal Account Clerk finance-staff@bostonpublicschools.org / +617-635-9472 + +Unit Leader of Business Services/Accounts Payable +finance-staff@bostonpublicschools.org / 617-635-9469 + + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-16 +Version 01 + + + +BUDGET TRANSFERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Please use the online reference document Budget Transfers as +your guide to initiating online budget transfer requests. + +INTRODUCTION +Each year, departments review their budgets and allocate money +for various goods and services for the next fiscal year. Funds are +allocated to budget lines reflective of their intended use. As +needs change, departments often want to reallocate money +between budget lines. This can be accomplished through a +budget transfer. Budget transfers are the mechanism by which +available budgeted resources are moved from one budget line +item to another in the Boston Public Schools financial system +(PeopleSoft). +All budget transfer requests are entered directly into the +PeopleSoft financial system by authorized users (principals, +heads of school, responsibility center managers, or their +designees). The Budget Office no longer accepts paper transfer +forms. A detailed “job aid” follows on how an online budget +transfer request is initiated. + + +Page 2: +Superintendent’s Circular FIN-16 +Page 2 of 5 + + + +The on-line budget transfer request process involves 6 basic +components: +1) Navigate to the transfer “form” (budget journal) in +PeopleSoft. +2) Enter data (explanation, budget codes, dollars, and/or FTEs). +3) Complete a budget error check. +4) Save the completed transfer. +5) Send to the Budget Office for approval. +6) Track the progress of your transfer online. +INCREMENTAL APPROACH +Budget transfers employ an “incremental” approach, meaning +that if dollars are being moved from a particular line item, a +negative dollar value will be associated with that line item. +Conversely, if resources are being moved to a line item, the dollar +value in the amount column will be a positive figure. Budget +transfers must sum to $0. For example, if a principal wished to +move $3,000.00 from a contracts line item to a stipends line item, +the transfer lines might look like this: +Account +Fund +RC +Program +Subclass +Amount +52907 +Contracted +Services +100 +General +Fund +101203 +Adams +School +2112 +Elem Ed. + + +0000 +- +$3,000.00 +51202 Prof. +OT/ Stipends +100 +General +Fund +101203 +Adams +School +2014 +Grade 4 + + +0000 +$3,000.00 + + + + + +Page 3: +Superintendent’s Circular FIN-16 +Page 3 of 5 + + + +Budget transfers involving additions, deletions, or changes to full- +time equivalent (FTE) positions also follow an incremental +approach. Therefore, a negative FTE would be associated with the +reduction or deletion of a position, and a positive FTE with the +creation or increase of a position. For example, if I wished to +reduce a position from a 0.8 FTE to a 0.6 FTE, I would type -0.2 in +the FTE column (“statistic amount” in the budget journal) for that +budget line. If I wished to delete that position entirely, I would +have put -0.8 in the FTE column. If I had wished to increase the +position to 1.0 FTE, I would have typed 0.2 in the FTE column. +Whenever a budget transfer involves a position, the position +number should be identified in the “reference” field in the +budget transfer. If requesting a new position, leave the reference +field blank, to be filled in by the Budget Office when the new +position is created. +REQUIREMENTS & RESTRICTIONS +1. The authorizer requesting the transfer must have BAIS FN +access. +2. No Responsibility Center will be allowed to transfer funds +arising from staff vacancies. These “lag funds” make up the +Boston Public Schools contingency fund and will be +reallocated at the sole discretion of the superintendent. +Exceptions to this policy will only be made upon written +request and written approval by the chief financial officer. +3. Funds should not be transferred out of personnel accounts +(starting with 51__) or substitute accounts. Under normal +circumstances, adjustments to budget line items associated +with positions will be rare and must be explicitly approved + + +Page 4: +Superintendent’s Circular FIN-16 +Page 4 of 5 + + + +by the Office of Human Capital prior to the budget transfer +request being approved. +4. Budget transfer requests that lack sufficient explanatory +detail in the “Long Description” text box on the budget +journal header will not be approved. +5. In concert with the annual requisition deadline, budget +transfers for any fiscal year will not be processed after the +April requisition deadline of that fiscal year. The only +exception to this policy may be transfers for grants which +extend beyond June 30. +6. Transfer requests which exceed the “available amount” left +in a particular line will not be processed (in other words, you +cannot transfer funds which you have already spent!). +7. Line-item budget transfers can only take place within a +funding source (i.e., General Fund to General Fund or Title 1 +to Title 1), but not between the General Fund and a grant, +nor between two separate grants. +8. Title I EL funds (programs that begin with 24__) cannot be +transferred to another program, as this funding can only be +used for ELLs. Likewise, partnership funds (program 2536), +and parent support services funds (Fund 200 program 2515) +should not be moved to another program. Homeless +services funds (program 2533) should be kept in the same +code where possible but are not fully restricted. +9. Authority to request budget transfers is reserved to +principals, heads of school, and RC managers, unless and +until they explicitly delegate that authority to a designee in +writing to the chief financial officer or the budget director. + + +Page 5: +Superintendent’s Circular FIN-16 +Page 5 of 5 + + + +10. While the on-line budget transfer protocol has made the +execution of budget transfers simple and efficient, there is +no substitute for thoughtful, forward-looking resource +planning. The Budget Office is glad to assist with such +planning. + +PLEASE USE THE ONLINE REFERENCE DOCUMENT BUDGET +TRANSFERS AS YOUR GUIDE TO INITIATING ONLINE BUDGET +TRANSFER REQUESTS. + +For more information about this circular, contact: +Owner: +Budget Director +Department: +Budget Office +Mailing Address: +2300 Washington Street. Roxbury, MA 02119 +Phone: +617-635-6772 +E-mail: +finance-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-05 +Version 01 + + + +TUBERCULOSIS PROGRAM +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY ON TUBERCULOSIS TESTING +All students must have an assessment of tuberculosis risk. Staff +are no longer required to show evidence of TB skin test screening +at time of employment. +PROTOCOL FOR TUBERCULOSIS PROGRAM +Students: +● At the time of registration for entry into the Boston Public +Schools, if parents present with information on TB +screening, the data will be entered along with the +immunization data into the student(s) electronic health +record. +● No child will have school registration delayed because of +lack of tuberculosis screening documentation. +● It is the responsibility of the primary care health provider, +and NOT the school system, to ensure that appropriate +screening for tuberculosis is occurring in the community. +● The school nurse may choose to check a child’s PPD +(Mantoux) or monitor preventive therapy at the request of +the primary care provider. The primary care provider must +submit a written physician order to the school nurse for +services. + + +Page 2: +Superintendent’s Circular SHS-05 +Page 2 of 2 + + + +● Written documentation of an in-school PPD test result or +the monitoring of preventive therapy will be provided to the +primary care provider by the school nurse. +● Students with active disease will be excluded from school +until placed on treatment and written documentation by +BPHC TB Control of non-contiguous state is presented. +Staff: +● Staff are no longer required to have TB screening as +candidates for hiring. The regulation of Communicable +Tuberculosis Periodic Examination of School Personnel has +been repealed in the Massachusetts General Laws. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-26 +Version 01 + + + +ADMINISTRATION OF NALOXONE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +To recognize and respond to potential life-threatening opioid +overdose as part of the MDPH opioid overdose prevention +program, the Boston Public Schools will maintain a systemwide +plan for addressing a potentially life-threatening opioid overdose +reaction. +Additionally: +• This plan will be supplemented by any building-based +medical emergency response plan. +• The director of Health Services will have the responsibility +for the development and management of the intranasal +Naloxone administration program in the school setting in +accordance with MDPH protocols. +• The school physician will provide oversight to monitor the +program and creation of the standing order for the district, +to be renewed annually. +• Training per MDPH protocols will be provided for all school +nurse responders. +Naloxone is the only Schedule IV controlled substance in +Massachusetts that can be prescribed to someone other than the +ultimate user. The Massachusetts Controlled Substances Act, + + +Page 2: +Superintendent’s Circular SHS-26 +Page 2 of 9 + + + +M.G.L. c.94C,§19(b), authorizes naloxone to be prescribed or +dispensed to a person for use on someone else. It is the policy of +the Boston Public Schools that all schools shall provide and +maintain naloxone on-site in each school facility. To treat a case +of suspected opioid overdose in a school setting, any school +nurse may administer naloxone during an emergency to any +student, staff, or visitor suspected of having an opioid-related +drug overdose, whether or not there is a previous history of +opioid abuse, per 105 CMR 210.000, The Administration of +Prescription Medications in Public and Private Schools. +Because naloxone is treated differently than any other +prescription medication, and because any person can possess +and administer naloxone, pursuant to the standing order, it is the +policy of the Massachusetts Department of Public Health School +Health Unit that individual possession and use of naloxone is not +covered by 105 CMR 210.000. This means that pursuant to M.G.L. +c.94c,§19(g) any staff member of the Boston Public Schools who, +in good faith, attempts to render emergency care by +administering naloxone to a person reasonably believed to be +experiencing an opiate related overdose, shall not be liable from +the attempt to render emergency care and may carry and +administer naloxone on school property and school events, as +permitted within M.G.L. c. 94C, §§ 19(d) and 34A9e). This immunity +does not apply to acts or omissions constituting gross +negligence. +BACKGROUND +Recognizing that fatal and non-fatal overdoses from opioids play +an increasing role in the mortality and morbidity of +Massachusetts residents, the Massachusetts Department of + + +Page 3: +Superintendent’s Circular SHS-26 +Page 3 of 9 + + + +Public Health launched the Overdose Education and Naloxone +Distribution (OEND) prevention program using intranasal +Naloxone in an attempt to reverse this trend. Naloxone is an +opioid antagonist which means it displaces the opioid from +receptors in the brain. An overdose occurs because the opioid is +on the same receptor site in the brain that is responsible for +breathing. Rapid administration of naloxone may be lifesaving in +patients with an overdose due to opioids. Naloxone usually acts +dramatically, allowing slowed or absent breathing to resume. It is +both safe and effective and has no potential for abuse. Naloxone +has been used by paramedics in ambulances and by emergency +room clinicians for decades. +SIGNS AND SYMPTOMS OF OPIOID OVERDOSE +School nurses may administer naloxone to a patient (student, +staff member or visitor) in the event of respiratory depression, +unresponsiveness, or respiratory arrest, when an opioid overdose +is suspected. +The following are signs of an opioid overdose: +• Blue skin tinge-usually lips and fingertips show first. +• Body is very limp. +• Face is very pale. +• Pulse is slow, erratic, or not present. +• Vomiting. +• Choking sounds, gurgling, snoring/gasping noise. +• Breathing is very slow, irregular or has stopped. +• Unresponsive. + + +Page 4: +Superintendent’s Circular SHS-26 +Page 4 of 9 + + + +ROLE OF SCHOOL HEALTH SERVICES +• Develops policy for administration of naloxone and presents +to BPS School Committee for approval; reviews policy +annually. +• Provides annual education and training for school nurses by +approved MDPH organizations. +• Secures and distributes naloxone kits to each school/school +nurse. +• Determines proper disposal of used +/or expired naloxone. +ROLE OF SCHOOL LEADER +• Supports and facilitates access to school nurse training on +administration of naloxone. +• Supports substance abuse prevention education as part of a +comprehensive health education program. +• The school leader and staff should be alert to those +symptoms in students which may indicate problems with +substance abuse so that they may initiate assistance to +students in need of early intervention. +ROLE OF SCHOOL NURSE +• Participates in a training program offered by Health +Services. +• Provides safe storage and easy access to naloxone. +• Is alert to symptoms in students which may indicate +problems with substance abuse in order to initiate +assistance to students in need of early intervention. + + +Page 5: +Superintendent’s Circular SHS-26 +Page 5 of 9 + + + +• Refers the student to the Student Support Team if the +student is struggling with substance use. +• Administers naloxone following the procedure as listed +below in the event of respiratory depression, +unresponsiveness, or respiratory arrest, when an opioid +overdose is suspected and activate EMS. +PROCEDURE: +1. Activate EMS via Medical Emergency Response Plan. The +nurse or designee must call 911 in all potential overdose +situations. +2. Assessment: ABC’s: Airway, Breathing, Circulation. When +an individual is suspected of an opioid overdose, the nurse +will conduct an initial assessment of the level of +consciousness and respiratory status. +a. For individuals with no pulse: initiate CPR per BLS +guidelines. +b. For individuals with a pulse but who are not breathing: +establish an airway and perform rescue breathing +using a face mask or shield. +c. Check for: foreign body in airway, level of +consciousness or unresponsiveness, very low +respiratory rate or not breathing, no response to sternal +rub, respiratory status, gasping for air while asleep or +odd snoring pattern, pale or bluish skin, slow heart rate, +low blood pressure. Pinpoint pupils and track marks +may be present, although absence of these findings +does not exclude opioid overdose. + + +Page 6: +Superintendent’s Circular SHS-26 +Page 6 of 9 + + + +d. For individuals who have a pulse and are breathing: +assess if there is depression of the respiratory status as +evidenced by: +i. a very low respiration rate. +ii. interpretation of pulse oximetry measurement, if +immediately available. +e. Assess for decrease in level of consciousness as +evidenced by: +i. difficult to arouse (responds to physical stimuli +but does not communicate or follow commands; +may move spontaneously) or +ii. unable to arouse (minimal or no response to +noxious stimuli, does not communicate or follow +commands). +f. Nurse determines need for naloxone administration. +3. Administration: Intranasal administration of naloxone +a. Assess person for contraindications or precaution, per +available information. +b. How to use naloxone nasal spray: +i. Follow manufacturer’s instructions for proper +administration. +ii. Step 1. Lay the person on their back to receive a +dose of naloxone nasal spray. +iii. Step 2. Remove naloxone nasal spray from the +box. Peel back the tab with the circle to open the +naloxone nasal spray. +iv. Step 3. Hold the naloxone nasal spray with your + + +Page 7: +Superintendent’s Circular SHS-26 +Page 7 of 9 + + + +thumb on the bottom of the red plunger and your +first and middle fingers on either side of the +nozzle. +v. Step 4. Tilt the person’s head back and provide +support under the neck with your hand. Gently +insert the tip of the nozzle into one nostril until +your fingers on either side of the nozzle are +against the bottom of the person’s nose. +vi. Step 5. Press the red plunger firmly to give the +dose of naloxone nasal spray. +vii. Step 6. Remove the naloxone nasal spray from the +nostril after giving the dose. +viii. If the person does not respond in 3 mins, repeat +the steps and give the second dose of naloxone +nasal spray in a box. +ix. Monitor until EMS arrives. +x. Place the victim in the recovery position and stay +with the victim. +4. Monitor the individual: Naloxone blocks the opioid from +acting so it can cause withdrawal symptoms with opioid +tolerance. +a. Remain with the victim until emergency support +arrives; The victim may breathe but not have full +arousal OR They may require continued rescue +breathing and support. +Following the incident, debrief with the school team and health +services. + + +Page 8: +Superintendent’s Circular SHS-26 +Page 8 of 9 + + + +Documentation: +1. Record the encounter in SNAP. +2. Complete an Incident report. +3. Complete a “911” report. +4. Include the individual’s presentation, route of +administration of naloxone, and dose administered. Also +include the individual’s response to the naloxone +administration. +Storage: Store at 59° to 86°, away from direct sunlight +Disposal: Empty, administered naloxone nasal spray should +be returned to the original packaging and disposed of in a +waste receptacle. +REFERENCES +• BPS SHS-01 Drug and Alcohol Abuse – Update On +Procedures +• BPS SHS-08 Medication Administration +• NASN Naloxone Toolkit for School Nurses +• MDPH Bureau of Substance Addiction Services + + + + + +Page 9: +Superintendent’s Circular SHS-26 +Page 9 of 9 + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-16 +Version 01 + + + +SUICIDE PREVENTION AND INTERVENTION +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +It is the policy of the Boston Public Schools (BPS) to provide an +array of services for students through the utilization of internal +and external support resources to promote their social and +emotional growth and well-being. In those cases where +individual students are at-risk or in-crisis, all staff will collaborate +in providing those supports needed to ensure the student’s +safety and well-being. When there is an acute crisis within the +school community, staff will collaborate, under the direction of +the building administrator and with support from the Behavioral +Health Services District Crisis Team (as needed/appropriate), in +addressing those problems and issues raised by that death +among students, staff, and parents. +POLICY GUIDELINES +The following policy guidelines have been established to address +the issue of suicide prevention and intervention and will be +followed in all schools: +1. All staff should be aware of suicide distress signals and +symptoms outlined herein. +2. All staff have an obligation to be knowledgeable about and + + +Page 2: +Superintendent’s Circular SHS-16 +Page 2 of 18 + + + +to cooperate fully in the implementation of the BPS Suicide +Prevention and Intervention Policy Statement and Policy +Guidelines. +3. Building administrators will provide leadership in +addressing the issue of suicide prevention and intervention +and will establish and maintain the following support +mechanisms required to address the issue within the wider +school community: +a. Implement prevention and intervention strategies +according to a multi-tiered system of support (MTSS) +framework. +b. Be sure that staff is knowledgeable about the purpose +of the Student Success Team (SST), its membership, +and the process for making referrals to the team. +c. Ensure the provision of in-service training for staff in +the fall of each school year concerning the issues of +suicide/crisis intervention and prevention, including +suicide risk assessment procedures. +d. Establish and maintain linkages with appropriate +community-based support agencies that will assist the +school in addressing this issue. +e. Provide information and services to students with a +view to implementing fully the letter and spirit of the +Boston Public Schools Suicide Prevention and +Intervention Policy. +Finally, it is paramount to highlight that racism undermines +mental health. Therefore, BPS is committed to culturally and +linguistically sustaining practices (CLSP) in all that is done in +supporting students and families. This means that we pledge to +work against individual racism, interpersonal racism, and +institutional racism in all their forms by creating systems that + + +Page 3: +Superintendent’s Circular SHS-16 +Page 3 of 18 + + + +work for our students and families. It is also well understood that +there is an increased risk of suicide amongst traditionally +marginalized groups, particularly in LGBTQ+ students. +KEY TERMS +It is essential that all Boston Public Schools staff understand the +following terms. +Suicide: Death caused by self-directed injurious behavior with +intent to die as a result of the behavior. +Suicide Attempt: A non-fatal, self-directed, potentially injurious +behavior with at least some intent to die as a result of the +behavior. +Suicidal Ideation: Thinking about, considering, or planning +suicide1. +Self-Injury: The act of deliberately harming one’s own body, +such as cutting or burning, as a way to cope with emotional +pain2. +TIERED PREVENTION & INTERVENTION STRATEGIES +It should be the goal of the school community to work together, +under the leadership of the building administrator, to establish +and maintain a program of suicide prevention. Schools are +important settings for suicide prevention for the following +reasons: school personnel interact regularly with students and +play an important role in keeping students safe; suicide has a + +1 NIMH » Home +2 Self-injury/cutting - Symptoms and causes + + +Page 4: +Superintendent’s Circular SHS-16 +Page 4 of 18 + + + +negative impact on an entire school community; and creating +and maintaining a safe and supportive learning environment is +part of the mission of BPS3. Prevention efforts should follow an +MTSS continuum, with low-intensity prevention efforts for all +students and more intensive prevention efforts for those with +higher risk. The following prevention and intervention strategies +are strongly recommended as part of a school-based suicide +prevention approach. + Tier 1 Prevention +School Climate +and Culture +Building a safe and supportive school +climate is a vital step in suicide prevention. +Schools should consider how they are +teaching kids to ask for help and how they +are creating safe spaces for relationship- +building. +School-Wide +Psychoeducation +Break Free From Depression (grades 9-12) +Signs of Suicide (grades 6-12) +Social Emotional Learning curriculum +(grades pre-K to 12) + +3 Schools + + +Page 5: +Superintendent’s Circular SHS-16 +Page 5 of 18 + + + +Universal +Behavioral Health +Screening +Using a universal behavioral health +screening tool (e.g. BIMAS-2) at least twice +per year helps schools assess students’ +level of risk and identify appropriate +prevention strategies. +The Trevor Project — Saving Young LGBTQ +Lives +Samaritans 24-hour Hotline +Samaritans IM Here Online Chat Program +Knowing Risk +Factors & Warning +Signs +Ensure that all staff are familiar with +suicide symptoms and report student +concerns to the building administrator in a +timely fashion. (See page 9-10 for a list of +warning signs along with common risk and +protective factors.) + + + + + +Page 6: +Superintendent’s Circular SHS-16 +Page 6 of 18 + + + + Tier 2 Prevention & Intervention Strategies +Structures and protocols to address and provide support to +students presenting at risk. +Person(s) +Responsible +Response Protocol +Student Success +Team (SST) +The SST should provide a systematic +process for identifying and addressing the +needs of students in need of support +services and emphasize suicide prevention +strategies. This can consist of guardian +contact regarding concerns, referral to a +partner or other agency for provision of +services, such as group counseling, etc. + + Tier 3 Intervention Strategies +All school staff should be familiar with intervention strategies and +protocols and be trained once per year. Different levels of +intervention (suicide risk assessment, safety planning, +emergency response, and postvention) are required, depending +on the nature and seriousness of the situation. +1. Student has made suicidal gestures or statements. +The BPS Suicide Risk Assessment (SRA) should be initiated +immediately if there is concern that a student has thoughts +about suicide. The SRA will guide the process for (1) gathering +information about the concern, (2) developing an appropriate +intervention plan, and (3) documenting both. + + +Page 7: +Superintendent’s Circular SHS-16 +Page 7 of 18 + + + +Person +Responsible +Response Protocol +Staff Person on +Scene +1. Keep the student safe. +a. Supervise the student by ensuring +they are in the presence of a staff +member. +b. Call 911 if there is a concern about +imminent danger. The BEST team +and / or a safety check may be +appropriate. +2. Notify the school administrator. +3. Report the situation to the designated +school leader(s). +Head of +School/Principal +or Designee +1. Continue the support initiated by the +staff person. +2. Contact the parent/guardian and request +their immediate presence. +3. Consult with the appropriate members of +the school’s student success team (SST), +such as the nurse, school psychologist, +social worker, student support +coordinator, etc. +4. Identify the professionals completing the +SRA. The SRA must be conducted: +a. In the student’s preferred language +b. By at least TWO people, one of +which must be a BPS employed +professional and a licensed mental +health professional. If these + + +Page 8: +Superintendent’s Circular SHS-16 +Page 8 of 18 + + + +individuals are not available at the +school, please call the Office of +Social Work at 617-971-8292. +5. Use of the Boston Emergency Services +Team (BEST) should be considered (1-800- +981-4357). The parent/guardian may also +opt to take the student to a nearby BEST +community clinic. +6. Submit reports as required. +BPS employed +professional and +a licensed mental +health +professional +1. Complete the BPS Suicide Risk +Assessment and determine the level of +risk. +2. Work with the student to create a +Student Safety Plan +3. Identify appropriate supportive services +and list them in the intervention plan at +the end of the SRA document. +a. Possible High-Risk Interventions: +i. +Guardian takes their student for +immediate intervention with a +health care provider. +ii. +Guardian and/or school to +contact BEST team at 1-800- +981-4357. +iii. +Contact BPS School Police at +617-635-8000. +iv. +Call 911 if necessary. +b. Possible Low Risk Interventions: + + +Page 9: +Superintendent’s Circular SHS-16 +Page 9 of 18 + + + +i. +Guardian to speak with the +student about this incident or +concern. +ii. +Teacher to monitor student’s +behavior and report any +changes or concerns. +iii. +Referral to outside agencies +for support +iv. +Referral to Student Success +Team or other school-based +supports +4. Scan and upload a copy of the completed +intervention plan and signature page, +along with the student safety plan to +Aspen. Retain SRA interview pages in a +clinical file in an agreed upon location in +your school. +5. Share the Student Safety Plan with +parents/caregivers and all appropriate +school-based personnel and community- +based partners. +6. Create a re-entry plan for students when +they return to school. + + + + + + + +Page 10: +Superintendent’s Circular SHS-16 +Page 10 of 18 + + + +Parent / Family +Collaboration +Notify the Student’s Legal Guardian(s) or +Emergency Contact(s). These may include: + Legal Guardian(s) listed in ASPEN. + Emergency Contact(s) listed in ASPEN. + Legal Guardian(s) has been asked to +come to school to discuss the student’s +needs. + Record if the Legal Guardian(s) have +NOT been notified and why they have +not been notified. + Share the SRA interview and plan for +any interventions and collaborate +around follow-up. + +2. Suicide Attempt Has Occurred +Person +Responsible +Response Protocol +Staff Person on +Scene +1. Initiate first aid, if appropriate. +2. Contact the head of school/principal or +designee (e.g., nurse, social worker, +school psychologist). +3. Contact the school nurse. +4. Do not leave the person alone. +5. Remove anything that may enable the +person to hurt themself. + + +Page 11: +Superintendent’s Circular SHS-16 +Page 11 of 18 + + + +School Nurse +1. Initiate required medical procedures. +2. Accompany (or ensure that a staff +member accompanies) the student to +the hospital. +3. Remain with the student until the +parent / caregiver arrives or for as long +as possible. +4. Inform the building administrator of the +student’s condition. This includes +informing the administrator when the +staff member is leaving the hospital. +Head of +School/Principal +or Designee +1. Initiate the procedures in +Superintendent’s Circular, FSE-05 +Medical Emergency Management +2. Contact the legal guardian and inform +them of the situation and the hospital to +which the student is being taken, if +applicable. +3. Accompany the student to the hospital, +if applicable +4. Contact the Superintendent’s Office +(617-635-9055) to report the incident. +5. Complete required reports. + + + + + +Page 12: +Superintendent’s Circular SHS-16 +Page 12 of 18 + + + +3. Postvention +Structures and protocols to address school need after a +completed suicide. +Postvention should be tailored to a specific situation, handled +case by case by your school's mental health staff and the crisis +team. Call your assigned District Social Worker or the Director of +Social Work, Jenna Parafincczuk at 617-971-8292 +Person Responsible +Response Protocol +Head of +school/Principal or +Designee +Call and notify your assigned District +Social Worker for assistance in +planning and carrying out Postvention +steps for ensuring safety and +addressing the psychological needs of +students and staff. +RELEASING STUDENTS TO PARENT/CAREGIVER +The head of school/principal or designee should release the +student to the parent after: +• Providing the parent/caregiver with the name of a medical +person, a mental health worker, or a resource agency +• Urging the parent to immediately bring the student to that +person or agency +• Urging the parent to provide the school with any follow-up +information that may be forthcoming from medical or +mental health personnel in order for the school to better +provide for the student +If a parent/caregiver or emergency contact cannot be contacted + + +Page 13: +Superintendent’s Circular SHS-16 +Page 13 of 18 + + + +after two hours, Department of Children and Families should be +contacted at the hot line (1-800-792-5200) and/or emergency +medical procedures should be implemented. Under no +circumstances should a child be allowed to go home without a +parent/guardian. The student should be kept at the school until a +DCF worker arrives. In these cases, schools should initiate the +procedures in Supertintendent’s Circular SUP-20, Child Abuse +and Neglect Procedures. +REFERRAL TO EXTERNAL SUPPORT AGENCIES +It is recommended that all students, both those “in-crisis” and +those who have exhibited or expressed any symptoms of suicide, +be referred for support by external agencies with staff trained +and experienced in providing suicide intervention. +RETURNING TO SCHOOL +All students returning to school after a period of absence are +required to bring notes of explanation/excuse for the absence, +signed by the parent/guardian. For students returning to school +after emergency treatment for suicide intervention, schools +should make all reasonable efforts to obtain documentation from +a medical/mental health provider indicating that the student is +able and safe to return to school. Failure of the school to receive +such documentation, however, will not be grounds for excluding +the student from school. Those students unable to return for +medical or mental health reasons after a crisis situation may +qualify for services under the provisions of Superintendent’s +Circular SSS-19 Home and Hospital Instruction. +All returning students should report first to the school nurse (or +other trained student support staff, such as the school + + +Page 14: +Superintendent’s Circular SHS-16 +Page 14 of 18 + + + +psychologist or social worker), who will take the following +actions: +1. Review and file the letter from the medical/mental health +provider as part of a confidential health record. +2. Accompany the student to the homeroom for re-admission. +Every effort should be made to do this with sensitivity and to +maintain as great a degree of confidentiality as possible. +3. Inform the head of school/principal of the student’s return. +4. Bring the case to the school’s SST for review and assignment +of an internal liaison person. +This liaison person will monitor the student’s re-entry and serve +as the person to whom staff should report recurring warning +signs. The liaison might be a homeroom or subject area teacher, +a school psychologist, a guidance counselor, the nurse, or other +member of the faculty who is trusted by the student. The liaison +might also serve as the link with the parent/guardian concerning +the student’s status and, with written permission of the +parent/guardian, serve as a liaison with any external agency staff +providing special support to the student. + + + + + +Page 15: +Superintendent’s Circular SHS-16 +Page 15 of 18 + + + +APPENDEUM: +SUICIDE WARNING SIGNS +Warning signs are indicators that a student may be in danger of +committing suicide and may need urgent help. +Verbal +Behavioral +• Talking about and/or +making suicide plans +• Talking about and/or +gathering suicide +methods/information +• Statements that family +and friends would not +miss them +• Expressions of +hopelessness and/or +anger at self and the +world +• Talking about seeking +revenge +• Talking about feeling +trapped or being in +unbearable pain +• Talking about being a +burden to others + +• Looking for a way to kill +oneself +• Increasing the use of +alcohol or drugs +• Acting anxious, agitated, +or restless +• Sleeping too little or too +much +• Withdrawing or feeling +isolated +• Scratching, cutting, +marking body, or other +self-injurious behaviors +• Writing of suicidal notes +or posting on social media +• Making final +arrangements +• Giving away prized +possessions + + +Page 16: +Superintendent’s Circular SHS-16 +Page 16 of 18 + + + +• Reading, writing, and/or +art about death +• Sudden positive behavior +change following a period +of depression +ENVIRONMENTAL WARNING SIGNS +• Recent loss through death +• Recent loss through suicide +• Anniversary of a significant loss +• Recent experiences of violence +• Justice system involvement +• Anniversary of a significant loss + + + + +Page 17: +Superintendent’s Circular SHS-16 +Page 17 of 18 + + + +SUICIDE RISK FACTORS +Risk factors are characteristics that make it more likely a student +might consider, attempt, or die by suicide. +Individual +Environmental +• LGBTQ+ Identity +• Substance Abuse +• Medication use +• History of mental disorders, +particularly clinical depression +(that has not been dx or +treated properly) +• Prior suicide attempts +• Hopelessness / A Burden +• Hallucinations +• Delusions +• Impulsive or aggressive +tendencies +• Cultural and religious beliefs +(e.g., belief that suicide is noble +resolution of a personal +dilemma) +• Physical Illness +• Unwillingness to seek help +because of the stigma +attached to mental health and +substance abuse disorders or +to suicidal thoughts +• Interpersonal conflict +• Isolation / aloneness +• Parent suicide +attempts / family +history +• Early loss / +separation from +family +• Cultural sanctions for +suicide +• Loss (relational, +social, work or +financial) +• Local epidemics of +suicide +• Barriers to accessing +mental health +treatment +• Easy to access lethal +methods + + + +Page 18: +Superintendent’s Circular SHS-16 +Page 18 of 18 + + + +SUICIDE PROTECTIVE FACTORS +Protective factors are characteristics that make it less likely that a +student will engage in suicidal behavior. +• Effective clinical care for mental, physical, and substance +abuse disorders +• Easy access to a variety of clinical interventions and support +for help seeking +• Family and community support (connectedness) +• Support from ongoing medical and mental health care +relationships +• Skills in problem solving, conflict resolution, and nonviolent +ways of handling disputes +• Cultural and religious beliefs that discourage suicide and +support instincts for self-preservation +For more information about this circular, contact: +Owner: +Director of Social Work, Division of Student +Support +Department: +Social Work +Mailing Address: +205 Roxbury Street, Roxbury, MA 02119 +Phone: +617-971-8292 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + + Superintendent’s +Circular + NUMBER: +SHS-24 +Version 01 + +DIAPERING AND TOILETING ACCIDENTS POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BACKGROUND +Toilet training typically occurs between 18 months and 3½ years +of a child’s developmental stage. +Individuals with disabilities may face more significant obstacles +with toilet training than persons without diagnosed disabilities. +This may be partly due to the individual’s challenges with +communication, medicines, social interaction, sensory sensitivity, +or making changes in their routine. +Even for individuals without disabilities, toilet training can +present both the caregiver and child with obstacles to immediate +success, and most children will continue to have toileting +accidents well beyond the time they stop wearing diapers. +POLICY STATEMENT +The Boston Public Schools acknowledges that toileting +procedures should be planned based on individual children’s +needs and be culturally appropriate according to the children’s +families’ needs and beliefs. The Boston Public Schools staff will be +aware of the diverse styles of toileting students due to cultural or +religious practices. Program staff will use a variety of formal and +informal strategies (including conversations) to become + + +Page 2: + + +Superintendent’s Circular SHS-24 +Page 2 of 6 +acquainted with and learn from families about their preferred +child-rearing practices, including toilet training. +The Boston Public Schools will be aware of and accommodate +the need to maintain privacy for toileting and dressing. +Boston Public Schools staff will interact in a positive manner +during toileting procedures and support students in developing +their self-help in this area. +DIAPERING PROCEDURES +Toileting accidents and diaper changing will ONLY be handled by +a classroom teacher, classroom paraprofessional, and/or other +adult designated by the school principal. Parents will not be +required to change diapers and volunteers will not change +diapers and/or assist with toileting at the school site during +school hours. +Each school year, the principal will complete and sign off on a +form that states in writing who is designated to help students +with toileting and changing diapers and who will help children +with toileting accidents (see attached form). +It is not the responsibility of the school nurse to assist with +toileting and diaper changes, except for caring for students who +have an ostomy/colostomy, require urinary catheterization, or +have other genito-urinary diagnosis. + + + + +Page 3: + + +Superintendent’s Circular SHS-24 +Page 3 of 6 +Staff will follow these diapering procedures: +● Staff to assess children for signs that diapers or pull-ups are +wet or contain feces at least every two hours when children +are awake and when children awaken from a rest period. +● Diapers are changed when wet or soiled. +● Children wearing cloth or disposable training pants and +children who have accidents. +● Changing should be initiated within 5 minutes of discovery +that they are wet or soiled unless circumstances clearly +make it unreasonably difficult to do so. +● Staff will change children’s diapers or soiled underwear in +the designated changing areas and not elsewhere in the +facility. +In the changing area, staff post and follow these procedures for +changing diapers or pull-ups: +● At all times, caregivers have a hand on the child to ensure +safety is maintained when the child is being changed on an +elevated surface. +● Bring supplies (e.g., clean diaper, wipes, diaper cream, +gloves, plastic or waterproof bag for soiled clothing, extra +clothes) to the diapering/changing area. +● Diaper cream (provided by the family): if used, dispense it +onto a tissue and/or cotton ball and cover the diaper +changing surface with disposable liner (paper or chuck). +● Put on gloves. + + + + +Page 4: + + +Superintendent’s Circular SHS-24 +Page 4 of 6 +● Changing table, if used: place the child on a diapering +surface and unfasten diaper. Keep one hand on the child at +all times. +● Clean the child with disposable wipes. Always wipe front to +back. +● Keep soiled diapers/clothing away from any surfaces that +cannot be easily cleaned. +● Securely bag soiled clothing. +● Place used wipes in the soiled diaper or pull-up. +● Put the soiled diaper/pull-up into two plastic bags and tie up +the bags. +● Discard the bags with the soiled diaper/pull-up and wipes in +the covered trash can. +● Remove and discard gloves. +● Apply diaper cream, if needed, with a tissue and/or cotton +ball or a freshly gloved finger. +● Put on a fresh diaper or help the child put on a fresh pull-up +or clean clothes. +● Help the child to get dressed. Wash the child’s hands with +soap and water and place them in a safe, supervised area. +● When a diaper changing table is used: +o Remove liner from the changing surface and discard in +the trash can. +o Wipe up any visible soil with damp paper towels or a +baby wipe. +o Clean the entire surface with disinfectant. +o Wash your hands with soap and water. + + +Page 5: + + +Superintendent’s Circular SHS-24 +Page 5 of 6 +RESOURCES +● BPS Department of Early Childhood +● BPS Department of Special Education +● NAEYC Early Learning Program Accreditation Standards + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 6: + + +Superintendent’s Circular SHS-24 +Page 6 of 6 + +Adults Designated to Change Diapers, Assist Students with +Toileting, and/or Assist Children with Toileting Accidents +School: + +School Year: + +Name 1: + +Position: + +Name 2: + +Position: + + +Name 3: + +Position: + +Name 4: + +Position: + + +Principal Signature: + +Date: + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-21 +Version 01 + + + +DIABETES POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BACKGROUND +Diabetes is a chronic disease in which the body does not make or +properly use insulin. Insulin is a hormone produced by the +pancreas that is needed to convert sugar and starches into +energy for the body. People with diabetes have increased blood +glucose (sugar) levels because they lack or have insufficient +insulin or are resistant to insulin’s effects. High levels of glucose +build up in the blood and spill into the urine; as a result the body +loses its main source of fuel. +There are many types of diabetes that affect children. The most +common types seen in school settings include: +• Type 1 (formerly called “Insulin-Dependent” or “Juvenile- +Onset”) Diabetes Mellitus: This type of diabetes is considered +a disease of the immune system because the immune +system destroys the cells in the pancreas that produce the +hormone insulin. People with type 1 diabetes must inject +insulin every day because their bodies cannot produce +insulin. It needs to be injected under the skin to be +absorbed; it cannot be taken by mouth because it would not +be effective. +• Type 2 (formerly called “Non-Insulin Dependent” or “Adult- + + +Page 2: +Superintendent’s Circular SHS-21 +Page 2 of 13 + + + +Onset”) Diabetes Mellitus: People with type 2 diabetes +produce insulin, but the cells of the body do not respond +normally to the insulin. This is referred to as insulin +resistance. Type 2 diabetes can often be managed with diet +and exercise, but some students also need medications +taken by mouth (oral hypoglycemic agents), insulin +injections, or both to help glucose enter their cells. +• Pre-Diabetes: Pre-diabetes is a condition in which blood +glucose levels are higher than normal, but not yet high +enough to be classified as diabetes. Before people develop +type 2 diabetes, they almost always have pre-diabetes. +• Gestational Diabetes (may affect teens who are pregnant): +Gestational diabetes results from pregnancy hormones that +cause the body to become resistant to its own insulin. +Diabetes is the third most common chronic health disease +affecting an estimated 2.22/1,000 children and adolescents +according to The Search for Diabetes in Youth (SEARCH) Study +(Pettitt et al., 2014). Children and adolescents are defined as +youth under the age of 20 years. In 2009, approximately 191,986 or +one in 433 youth with diabetes lived in the U.S. From these, 87% +have type 1 diabetes and 11% have type 2 diabetes (Pettitt et al., +2014). In the years 2008 to 2009, 18,436 youth were newly +diagnosed with type 1 diabetes and 5,089 youth were newly +diagnosed with type 2 diabetes (Centers for Disease Control and +Prevention [CDC], 2014). As the sixth leading cause of death by +disease in the United States, long-term complications of diabetes +include heart disease, stroke, blindness, kidney failure, nerve +disease, gum disease, and amputation of the foot or leg. +Although there is no cure, diabetes can be managed, and +complications can be delayed or prevented. + + +Page 3: +Superintendent’s Circular SHS-21 +Page 3 of 13 + + + +Advances in diabetes technology continue to enhance students' +ability to manage diabetes at school, thus improving their quality +of life. Children and adolescents monitor blood glucose levels +several times a day via blood glucose meters and continuous +glucose monitors, conduct carbohydrate calculations, and inject +insulin via syringe, pen, and pump to attain blood glucose control +(Brown, 2016). Intensive resources and consistent evidenced- +based interventions will achieve the long-term health benefits of +optimal diabetes control, according to the landmark study from +the Diabetes Control and Complications Trial Research Group +(DCCT, 1993). +Coordination and collaboration among members of the school +health team and the student’s personal diabetes health care +team are essential for helping students manage their diabetes in +the school setting. Members of the school health team include +the student with diabetes, parents/guardians, school nurse, +teacher(s), school leader, COSES, social worker, coach, physical +education teacher, food service staff, and other school staff +members. In addition, it is essential for team members to +understand the federal and state laws that may apply to students +with diabetes, including Section 504 of the Rehabilitation Act of +1973, the Americans with Disabilities Act, and the Individuals with +Disabilities Education Act. +The purpose of these Administrative Procedures and Guidelines +is to: +• Provide a safe and healthy learning environment for all +students +• Protect the rights of students with diabetes to participate in +all school activities + + +Page 4: +Superintendent’s Circular SHS-21 +Page 4 of 13 + + + +• Ensure proper medical management and safety of the +student, minimizing the possibility that diabetes related +emergencies might disrupt their educational and classroom +activities +• Facilitate self-management so that the student may +gradually assume responsibility for their care +• Reduce the likelihood of severe or potentially life- +threatening diabetic emergencies during school +• Ensure a rapid and effective response in the case of a severe +or potentially life threatening diabetic emergency +EDUCATION AND TRAINING +Staff to be trained includes, but are not limited to, teachers, +paraprofessionals, food service staff, school leaders, support staff, +and student interns/teachers. Coordination and collaboration +among members of the school health team and the student’s +personal diabetes health care team are essential for helping +students manage their diabetes in the school setting. +Education and training for key personnel by the school nurse will +include: +• an overview of diabetes +• signs and symptoms of diabetes, including +hyper/hypoglycemia +• role and responsibilities in prevention and reducing risks +• recognizing and responding to a diabetic emergency +• review of the student’s Individual Health Plan (IHP) and +Diabetes Emergency Action plan + + +Page 5: +Superintendent’s Circular SHS-21 +Page 5 of 13 + + + +ROLES AND RESPONSIBILITIES +Role of the Parent/Guardian +• At the time of registration, inform the Welcome Center staff +of any health concerns of their child, including Type 1 +Diabetes. The Health Services Department remains +available to support any student or parent/guardian wishing +to discuss this information privately. +• Provide the school nurse with a current diabetes medical +management plan and emergency management plan from +the student’s endocrinologist. It is recommended that the +parent/guardian meet with the school nurse in person to +discuss their child’s plan. +• Actively participate with the school nurse in creating an +individualized healthcare plan for school that supports the +student’s medical, educational, and developmental needs +• Provide the school nurse with the necessary supplies +needed to care for the student during the school day: +insulin, glucometer, glucagon, syringes, etc. In the case of an +insulin pump: extra insulin delivery catheter, insulin, insulin +receptacle. +• Provide the school nurse with the carbohydrate count for +each item when lunch or snack is brought from home. +• Provide current contact information including cell phone +numbers (if available), emergency numbers, and at least two +back up numbers to call if parents/guardians are not +reachable. +• Educate after-school activities personnel about the diabetic +management plan and provide a plan as necessary. + + +Page 6: +Superintendent’s Circular SHS-21 +Page 6 of 13 + + + +Role of the School Administrator +• Facilitate diabetes management training for school +personnel. +• Support faculty, staff, and parents in implementing all +aspects of the Diabetes Management Plan. +• Identify all staff members who have responsibility for the +student with diabetes throughout the school day and +during school-sponsored extracurricular activities and field +trips. +• Ensure there is a contingency plan in the case of a +substitute nurse, teacher, or food service personnel. +• Ensure that the classroom staff have been trained in an +overview of diabetes, how to recognize and respond to +hypoglycemia and hyperglycemia and the steps to take in +the event of an emergency. +• Make certain that emergency communication devices (e.g., +walkie-talkie, intercom, cell phone, etc.) are always present +and functional. +• Promote a supportive learning environment for students +with diabetes to manage their diabetes safely and +effectively at school. +• Inform the school nurse 4-6 weeks in advance of field trips +to thoroughly support a student's participation in a field trip +and ensure adequate planning time (e.g. necessity for +nursing support during the field trip). +• Understand the federal and state laws that may apply to +students with diabetes, including Section 504 of the +Rehabilitation Act of 1973, the Americans with Disabilities + + +Page 7: +Superintendent’s Circular SHS-21 +Page 7 of 13 + + + +Act, and the Individuals with Disabilities Education Act. +Role of the School Nurse: +• Obtain and review the student’s current Diabetes Medical +Management Plan (DMMP) along with other pertinent +information from the student’s parents/guardians and +health care providers. +• Obtain releases for nurse/health care provider +communication and physician authorization for medication. +• Develop an Individualized Health Care Plan (IHP). Promote +and encourage independence and self-care consistent with +the student’s ability, skill, maturity, and development as +indicated in the DMMP. After reviewing the IHP with the +parents/guardians and student, implement, review, and +update the plan throughout the school year as needed. +• Develop a plan for student management in the classroom, +lunchroom, playground, athletics, and field trips that +provides for routine and emergency care. These would +include blood glucose monitoring; urine/blood ketone +testing; insulin administration; glucagon administration; and +assistance with carbohydrate counting. +• Perform or assist the student with routine and emergency +diabetes care tasks, including blood glucose monitoring, +urine or blood ketone testing, insulin and other medication +administration, carbohydrate counting, and glucagon +administration. +• Maintain accurate documentation in the electronic health +record of all diabetes care provided at school. Document +communications with the student, the parents/guardians, + + +Page 8: +Superintendent’s Circular SHS-21 +Page 8 of 13 + + + +and the student’s personal diabetes health care team, and +document communications related to the training and +supervision of trained diabetes personnel. +• Ensure that all other staff members who have contact with +students with diabetes are familiar with their Individual +Health Care Plans (IHPs) on a need-to-know basis. +• Provide a list of students with diabetes (if consent given by +parent) to all staff on a need-to-know basis, including bus +drivers. +• Conduct in-service training and education for appropriate +staff regarding a student’s symptoms; risk reduction +procedures; emergency procedures; and appropriate +responses to symptoms of diabetic emergencies. This +includes PE instructors and coaches. This training should be +repeated annually or when a student transfers classrooms or +schools. +• Ensure that there is a contingency plan in place for all +school-related venues where substitutes are utilized. +• Encourage the students to eat all meals and snacks fully and +on time. Be flexible with time requirements for eating and +provide the parent or guardian with the carbohydrate +menu. +• Make certain that emergency communication devices (e.g., +walkie-talkie, intercom, cell phone, etc.) are always present +and functional. +• Participate in the teams that develop and implement the +student’s Section 504 Plan, other education plan, or +individualized education program. Contribute to IEP, and +504 implementation of diabetes related issues, where + + +Page 9: +Superintendent’s Circular SHS-21 +Page 9 of 13 + + + +appropriate. +• Communicate with the student’s parents/guardians and— +with their permission—communicate with the student’s +personal diabetes health care team about progress as well +as any concerns about the student’s diabetes management +or health status, such as hypoglycemia episodes, +hyperglycemia, general attitude, emotional issues, and self- +management. +Role of the Coordinator of Special Education (COSE): +• If a student is referred for consideration for a 504 +accommodation plan and/or special education, the COSE +will process as appropriate. The parent/guardian, school +nurse and other school staff must be involved in the plan +development and implementation. +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +will discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team will consider transportation needs (team will include +school nurse). If special transportation is found to be +necessary, it can be added to the IEP. + +Role of the Teacher +• Have a list of all students in the classroom with chronic +diseases, including diabetes. + + +Page 10: +Superintendent’s Circular SHS-21 +Page 10 of 13 + + + +• Participate in team meetings for students with diabetes and +participate in in-service training provided by the school +nurse. +• Be prepared to respond immediately to the signs and +symptoms of hypoglycemia (low blood glucose) and +hyperglycemia (high blood glucose), in accordance with the +student’s Emergency Care Plans for Hypoglycemia and +Hyperglycemia. +• Keep accessible the student’s emergency plan with a photo +(where possible) in the classroom (with parent's permission) +or keep with the lesson plan. +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the student’s condition both +through verbal communication and in an organized, +prominent, and accessible written format. +• Recognize that eating meals and snacks on time is a critical +component of diabetes management. +• Coordinate with parent/guardian to provide lesson plans to +accommodate any learning needs. +• Support the student in participating in all school-sponsored +activities. +• Inform the school nurse 4-6 weeks in advance of field trips +to ensure adequate planning time for supports. +• Notify the school nurse and parents/guardians in advance of +changes in the school schedule, such as class parties, field +trips, and other special events. + + +Page 11: +Superintendent’s Circular SHS-21 +Page 11 of 13 + + + +Role of Physical Education Teacher and Coaches +• Have a list of all students in their charge who have diabetes. +• Coaches will be told of any students on their teams who +have diabetes through review in ASPEN/Sports Clearance, +and will be trained in identification of symptoms of diabetes +emergencies. +• Participate in in-service training about diabetes as needed. +• Keep accessible the student's emergency plan with a photo +(where possible) in the specific venue (with parent's +permission). +• Allow students with diabetes to wear their insulin pump +and/or sensor and medical ID during physical activity. +• Designate a safe place for students to keep their diabetes +supplies, including their insulin pump, if they remove it +during physical activity. +• Make sure blood glucose monitoring equipment and a +quick-acting form of glucose are available at all activity sites. +• Include the student’s Emergency Care Plans for +Hypoglycemia and Hyperglycemia and diabetes supplies in +the first aid pack that goes out to physical education +activities, practices, and games. +• Allow the student to monitor blood glucose levels and/or +administer insulin, as outlined in the student’s health care +plans and education plans. +• Recognize that a change in the student’s behavior could be +a symptom of blood glucose changes. +• Understand and be aware that hypoglycemia (low blood +glucose) can occur during and after physical activity. + + +Page 12: +Superintendent’s Circular SHS-21 +Page 12 of 13 + + + +• Inform substitutes about the student’s diagnosis and the +signs and symptoms of hyper or hypoglycemia. +Role of Food Services +• Work with health services to provide access to carbohydrate +menus to parents and school nurses and assist in +carbohydrate counting activities. +• Make available and maintain current food labels for all meal +plans. Provide nutrition information on all menu items and a +la carte items to the school staff and parents/guardians. +Role of the Office of Transportation +• Provide training for all bus monitors for medical +emergencies, including but not limited to Heartsaver +CPR/AED, Heartsaver First Aid. +• Know local EMS (Emergency Medical Services) procedures. +• Have functioning communication equipment to access EMS +• Understand that a student with diabetes may need to have +a snack to regulate their blood sugar, despite the policy of +no food eating allowed on the bus. +• Encourage 1:1 communication between bus monitors and +school-based staff as well as between bus monitors and +parents/guardians. +Role of the School Bus Company +• Provide training for all bus drivers for medical emergencies, +including but not limited to Heartsaver CPR/AED and +Heartsaver First Aid. + + +Page 13: +Superintendent’s Circular SHS-21 +Page 13 of 13 + + + +• Know local EMS (Emergency Medical Services) procedures. +• Have functioning communication equipment to access EMS. +• Understand that a student with diabetes may need to have +a snack to regulate their blood sugar, despite the policy of +no food eating allowed on the bus. +REFERENCES +• Massachusetts | ADA +• Diabetes Management in the School Setting +• Diabetes | Healthy Schools | CDC +• Diabetes Care Tasks at School | ADA +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-11 +Version 01 + + + + LIFE-THREATENING ALLERGIES (LTA OR ANAPHYLAXIS) +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY +The Massachusetts Department of Education recommends that +all school districts have policies and protocols regarding the care +of students with life-threatening food allergies. This is in addition +to 2012, c.77, An Act Relative to Medical Emergency Response +Plans for Schools, requiring local school districts to develop +efficient written medical response plans for responding to life- +threatening emergencies. + +Massachusetts Department of Public Health Regulations +governing the Administration of Prescription Medications in +Public and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) +authorize school personnel who are trained and tested for +competency to administer epinephrine by auto-injector to +individuals with previously diagnosed life-threatening allergies +who are experiencing an anaphylactic event. School districts +must be registered with the Massachusetts Department of Public +Health for this purpose. + + + +Page 2: +Superintendent’s Circular SHS-11 +Page 2 of 10 + + + +BACKGROUND ON ANAPHYLAXIS +Anaphylaxis is a sudden, severe, potentially fatal, systemic allergic +reaction that can involve various areas of the body (such as the +skin, respiratory tract, gastrointestinal tract, and cardiovascular +system). Symptoms occur within minutes to two hours after +contact with the allergy-causing substance, but in rare instances +may occur up to four hours later. Anaphylactic reactions can be +mild to life-threatening. The annual incidence of anaphylactic +reactions is about 30 per 100,000 persons, and individuals with +asthma, eczema, or hay fever are at a greater relative risk of +experiencing anaphylaxis. The most common allergens in +children are food and bee-sting. +Because of the life-threatening nature of this condition, it is +important for schools to develop and implement care plans for all +children identified with life-threatening allergic reactions. +The Massachusetts Department of Public Health regulations +provides for the administration of epinephrine by auto-injector by +non-medical personnel who have been trained by the school +nurse in the administration of epinephrine by auto-injector +delivery. In consultation with the school physician, the school +nurse leader has the final decision-making authority about the +program, which must be in accordance with MA DPH standards. +This includes school-sponsored programs as well as before and +after school when a nurse is not immediately available. +The Boston School Committee, as part of the Superintendent's +Circular SHS-08 Medication Administration, has approved the +training of administration of epinephrine by auto-injector for +students with identified allergies under the supervision of the + + +Page 3: +Superintendent’s Circular SHS-11 +Page 3 of 10 + + + +school nurse. +The purpose of these Administrative Procedures and Guidelines +is to: +• Provide a safe and healthy learning environment for all +students +• Protect the rights of students with food allergies to +participate in all school activities +• Reduce the likelihood of severe or potentially life- +threatening allergic reactions during school +• Ensure a rapid and effective response in the case of a +severe or potentially life-threatening allergic reaction. + +EDUCATION AND TRAINING +Staff to be trained includes, but are not limited to, teachers, +paraprofessionals, food service staff, school leaders, support staff, +and student interns/teachers. +Education and training by the school nurse will include: +• Identification of potential food allergens +• Role and responsibilities in the prevention and reducing +risks +• Recognizing allergic reactions +• Responding to an allergic reaction +• How to administer an epinephrine auto-injector +(EpiPen®). + + + +Page 4: +Superintendent’s Circular SHS-11 +Page 4 of 10 + + + +ROLES AND RESPONSIBILITIES +Role of the Parent: +• Inform the school nurse if their child has a Life- +Threatening Allergy (with specific information regarding +the allergen (i.e. food types, insect, medication)) +• Provide the school with a list of allergens, the Individual +Health Plan (IHP) (preferably with a Food Allergy action +plan, where appropriate), and a physician order for +epinephrine auto-injector administration +• Provide physician/provider documentation regarding +allergy, diagnosis and treatment +• Work with the school nurse, school leader, and classroom +teacher to develop and implement the Allergy Action Plan ++/or IHP for ensuring that their child is safe from potential +allergens +• Provide an epinephrine auto-injector(s) and other +physician-ordered emergency medication if indicated to +the school nurse +• Sign release of information/permission for identified +school staff to have information about their child’s allergy +• Provide current contact information, including emergency +contacts +• Ensure that the pre-school and after-school staff have the +appropriate information. + + + + + +Page 5: +Superintendent’s Circular SHS-11 +Page 5 of 10 + + + +Role of the School Administrator: +• Support training for school staff, provided by the school +nurse at the beginning of every school year and as needed +• Support faculty, staff, and parents in implementing all +aspects of the LTA (Life-Threatening Allergy) program +• Consider a school-wide policy, with input from the School +Site Council, for avoiding LTA's wherever possible (i.e., +peanut-free zones, no food at functions, etc.) +• Provide emergency communication devices (two-way +radio, intercom, walkie-talkie, cell phone) for all school +activities, including transportation, that involve a student +with life-threatening allergies +• Ensure there is a contingency plan in the case of a +substitute nurse, teacher, or food service personnel +• Ensure that 911/EMS is activated (in the event of an +exposure). +Role of the School Nurse: +• Provide training at least annually (beginning of school +year) for school staff that will include information on food +allergies, risk reduction procedures, how to recognize an +allergic reaction, and how to respond in the event of an +allergic reaction, including the use of an epinephrine auto- +injector. Training will include a return demonstration by +school staff on the administration of an epinephrine auto- +injector. +• Obtain an Individual Health Plan (IHP) from the +family/primary care provider (this should include the +specifics about a food allergy action plan) +• Develop a plan for child management in the classroom, + + +Page 6: +Superintendent’s Circular SHS-11 +Page 6 of 10 + + + +lunchroom, playground, field trips, and emergency +situations +• Ensure that all other staff members who have contact +with students with life-threatening allergies (LTAs) are +familiar with their IHPs on a need-to-know basis +• Provide a list of students with life-threatening allergies (if +consent is given by parent) to all staff on a need-to-know +basis (including transportation staff) +• Conduct in-service training and education for appropriate +staff regarding a child's life-threatening allergens, +symptoms, risk reduction procedures, emergency +procedures, and how to administer an epinephrine auto- +injector +• Post general emergency protocol and location of an +epinephrine auto-injector; Epinephrine should not be +locked away but should be available to school staff in a +secure location and must be readily available for use in an +emergency situation +• Ensure that all IHPs for children with LTAs are readily +available for transport with EMS +• Ensure that there is a contingency plan in place in all +school-related venues where substitutes are utilized +• Communicate with parents on a regular basis to discuss +issues relating to the plan +• In the event of epinephrine auto-injector administration, +complete the Massachusetts Department of Public +Health’s epinephrine auto-injector administration form +and alert Health Services + +Role of the Teacher: + + +Page 7: +Superintendent’s Circular SHS-11 +Page 7 of 10 + + + +• Receive training at least annually to recognize symptoms +of allergic reaction and to understand their role as a +responder in the event of an allergic reaction; including +the use of an epinephrine auto-injector (i.e.EpiPen®) +• Collaborate with the school nurse and parent/guardian to +develop and implement a plan for ensuring that their child +is safe from potential allergens, including field trips, +classroom festivities, arts & crafts activities, and cafeteria +management +• Maintain a list of all students in the classroom with LTA; +include the list in the substitute teacher folder +• Participate in a team meeting for a child with life- +threatening allergies and in-service training about LTAs +• Keep accessible the child's emergency plan with a photo +(where possible) in the classroom (with parent's +permission) or keep with the lesson plan +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the child's food/other allergies +and necessary safeguards by both verbal communication +and in an organized, prominent, and accessible written +format +• Coordinate with the parent on providing a lesson plan +about food allergies for the class and discuss anaphylaxis +in age-appropriate terms, with the child's permission +• Remind students never to share or trade food +• Inform parents about events involving food +• Provide the school nurse 4-6 weeks in advance with dates +for field trips & school-sponsored off-site activities +• Discuss with the parent the process for ensuring before +and after school continuity of access to epinephrine auto- +injector administration and allergen reduction. + + +Page 8: +Superintendent’s Circular SHS-11 +Page 8 of 10 + + + +Role of Off-site Staff (Athletics): +• Maintain a list of all students in their charge who have LTA +• Athletic coaches will be informed via review of sports +clearances in ASPEN of any students on their teams who +have LTAs +• Coaches will participate in training at the school level that +will include information on Life-Threatening Allergies, risk +reduction procedures, how to recognize an allergic +reaction, and how to respond in the event of an allergic +reaction, including the use of an epinephrine auto-injector +and return demonstration +• Encourage these students to carry the epinephrine auto- +injectors to all practices and events +• Ensure the off-site staff has knowledge of the child with +the allergy, their specific allergy, and symptoms that they +may suffer during a reaction: +o Ensure that the off-site staff knows to call 911 or +other emergency numbers and request an +Advanced Life Support unit if a reaction occurs. +o Allow a responsible child to carry their own +epinephrine auto-injector in their backpack. +• Keep accessible the child's emergency plan in the specific +venue (with parent's permission) +• Inform substitutes about the child's food/other allergies +and necessary safeguards by both verbal communication +and in an organized, prominent, and accessible written +format. +Role of Food Services: +• Provide a food preparation environment that follows + + +Page 9: +Superintendent’s Circular SHS-11 +Page 9 of 10 + + + +sound food handling to avoid cross-contamination and +procedures to address food-allergic students +• Ensure all food service staff are able to recognize +symptoms of allergic reaction and to understand their +roles as a responder in the event of an allergic reaction; +including the use of an epinephrine auto-injector. +Role of the School Transportation Company: +• Provide training for all bus drivers on managing life- +threatening allergies +• Be familiar with local EMS procedures +• Have functioning communication equipment to access +EMS +• Maintain a policy of “No food/drink consumed on the bus”. + +Details of management and all necessary forms are available in +the Nurses’ Protocol and Procedure Manual (available to BPS +School Nurses) +• Managing Food Allergies in Schools The Role of School +Teachers and Paraeducators +• FAACT Education for School Personnel + +REFERENCES +Mass.gov Report epi-pen administration +Mass.gov School Health Services: Medication Administration + + + +Page 10: +Superintendent’s Circular SHS-11 +Page 10 of 10 + + + +Summary of significant dates and deadlines: +Date +Activity +September 2024 +All staff should have a Life-Threatening Allergy +review & epinephrine auto-injector demonstration +by the school nurse + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-06 +Version 01 + + + +IMMUNIZATION LAW +This circular will remain in effect unless rescinded or superseded by a +subsequent version +THE IMMUNIZATION REGULATIONS +It is the policy of the Boston Public Schools to enforce the School +Immunization Law, Chapter 76, Section 15, of the Massachusetts +General Laws: +“No child shall, except as hereinafter provided, be admitted to +school except upon presentation of a physician's certificate that +the child has been successfully immunized against diphtheria, +pertussis, tetanus, measles and poliomyelitis and such other +communicable diseases as may be specified from time to time by +the department of public health. A child shall be admitted to +school upon certification by a physician that he has personally +examined such child and that in his opinion, the physical +condition of the child is such that his health would be +endangered by such vaccination or by any of such +immunizations. Such certification shall be submitted at the +beginning of each school year to the physician in charge of the +school health program. If the physician in charge of the school +health program does not agree with the opinion of the child's +physician, the matter shall be referred to the department of +public health, whose decision will be final. In the absence of an +emergency or epidemic of disease declared by the department of +public health, no child whose parent or guardian states in writing + + +Page 2: +Superintendent’s Circular SHS-06 +Page 2 of 6 + + + +that vaccination or immunization conflicts with his sincere +religious beliefs shall be required to present said physician's +certificate in order to be admitted to school.” + +MCKINNEY-VENTO HOMELESS ASSISTANCE ACT +Under the McKinney-Vento Homeless Assistance Act, state and +local educational agencies must ensure that homeless children +and youths have equal access to the same free, appropriate +public education, including a public preschool education, as +provided to other children and youths. Children and youth who +are homeless are to be enrolled in school, even if the child or +youth is unable to produce records normally required for +enrollment, such as previous academic records, medical records, +proof of residency, or other documentation. If the child or youth +needs to obtain immunizations, or immunization or medical +records, the enrolling school shall immediately refer the parent or +guardian of the child or youth to the local educational agency +liaison who shall assist in obtaining necessary immunizations or +medical records. + +PROTOCOL FOR ENFORCING IMMUNIZATION REQUIREMENTS +New students, during the priority registration period: +● Parents must bring proof of immunizations upon registering +for school at all Welcome Center locations. +● It is preferred that all students be up to date with all state- +required immunizations at the time of registration for the +upcoming school year. If the child’s medical appointment + + +Page 3: +Superintendent’s Circular SHS-06 +Page 3 of 6 + + + +falls between the priority registration period and September +of the upcoming school year, the parent must provide a +valid appointment card with all the following information on +it: +o registering student’s full name +o registering student’s date of birth +o name of the clinic/hospital where the appointment is +scheduled. +o date of the registering student’s appointment for +vaccination and/or physical exam +• If the student does not have the appropriate immunizations +during the priority registration period, the student will be +registered but will not be allowed to attend until the +immunization documents are submitted to either the +Welcome Center or the student’s assigned school prior to +the start of school. +• The type and number of immunizations vary with age and +whether the student-initiated the immunization process +after the age of 7 years or before. See attached state +guidelines. + +New students, current rolling registration: +• Parents must bring proof of immunizations upon registering +for school at all Welcome Center locations. +• All students must have all state-required immunizations at +the time of registration in order to attend school during the +current school year. In the event the child’s physical +examination appointment falls after the date of registration, +the parent must provide a valid appointment card with all +the following information on it: + + +Page 4: +Superintendent’s Circular SHS-06 +Page 4 of 6 + + + +o registering student’s full name +o registering student’s date of birth +o name of the clinic/hospital where the appointment is +scheduled. +o date of the registering student’s appointment for +vaccination and/or physical exam +● If the student is not up to date with immunizations prior to +starting the current school year, the student will be +registered but will not be allowed to attend until the +immunization documents are submitted to either the +Welcome Center, the Health Services Department, or the +student’s assigned school. +● The type and number of immunizations vary with age and +whether the student-initiated the immunization process +after the age of 7 years or before. See attached state +guidelines. + +Continuing students: +• All continuing students who are identified as being behind +on immunizations will be notified that they will be excluded +from school if there is no compliance with immunization +updating. This is a necessary action because if there is a +vaccine-preventable disease outbreak at the school (i.e., +measles), all susceptible students and staff (i.e., those with +no record of vaccination, disease, or blood test for immunity) +MUST be excluded from school for the duration of the +disease outbreak per the MA Department of Public Health +and Boston Public Health Commission. +• It is important to note that students whose immunization + + +Page 5: +Superintendent’s Circular SHS-06 +Page 5 of 6 + + + +schedule has been interrupted and are in the process of +being immunized (i.e., awaiting the next DPT/TD or polio +dose and in the specified time interval between doses) may +remain in school until the next dose is given. + +EXCEPTIONS +ALL EXEMPTIONS RELIGIOUS/MEDICAL EXEMPTIONS MUST BE +RENEWED ANNUALLY BY PARENT/GUARDIAN. +• Students at any level whose parent or guardian provides a +statement in writing that all immunizations or a specific +immunization conflict with their sincere religious beliefs. +• Students at any level who present a physician's certificate +exempting a child from an immunization(s) due to a medical +contraindication: the reason why an individual cannot +medically receive the vaccine(s). + +The Massachusetts Department of Public Health has +immunization recommendations based on grade. Please refer to +the MDPH website for the current schedule and detailed +immunization guidelines. +Department +Contact Information +Health +Services +Office: 617-635-6788 Fax: 617-635-7937 +Welcome +Services +Office: 617-635-9085 Fax: 617-635-9703 + + + +Page 6: +Superintendent’s Circular SHS-06 +Page 6 of 6 + + + + +Date +Activity +September +All new students and students entering grades, +K2, 1, 4, 6, 10, 11 will be asked to provide an updated +immunization record prior to the start of the +school year in compliance with current +Massachusetts Department of Public Health +requirements. +Monthly +Letters will be sent to parents/guardians +requesting immunization records for students +with missing immunizations. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-22 +Version 01 + +RESPONSE TO CARDIAC ARREST IN SCHOOLS AND +SCHOOL PROPERTY: AUTOMATIC EXTERNAL +DEFIBRILLATOR (AED) USE AND ACCESS POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +The Boston Public Schools recognizes that an Emergency +Medical Response Plan is multifaceted and is designed to +respond to life-threatening medical emergencies in the first +minutes before emergency medical services arrive. The elements +of the policy include: effective communication throughout the +individual school and the district, a coordinated and practiced +response plan, risk reduction, training and equipment for first aid +and CPR, and a lay rescuer AED program. +This policy addresses the Cardiac Arrest Plan and focuses on CPR +and AED use. It interfaces with Superintendent’s Circulars FSE- +05 Medical Emergencies; FSE-01 School Safety and Contingency +Plans; and SHS-11 Life-Threatening Allergies. It is also coordinated +with the City of Boston Public Access Defibrillator Program +(PAD). Detailed procedures and protocols, including a +Memorandum of Agreement between BPS and Boston EMS, are +available through Facilities Management. + + + + +Page 2: +Superintendent’s Circular SHS-22 +Page 2 of 22 + +BACKGROUND +Sudden cardiac arrest (SCA) presents a potential life-threatening +situation to students, staff, and visitors, and quick response +actions and interventions like cardio-pulmonary resuscitation +(CPR) and proper use of an automatic external defibrillator (AED) +within the first two (2) minutes significantly increases the chance +of SCA survival. +PROTOCOL FOR DISTRICTWIDE RESPONSIBILITIES +The City of Boston’s Public Access Defibrillator Program (PAD) +requires that a systemwide policy be established that interfaces +with the district's School Safety and Contingency Plans. These +plans are submitted each year. +In BPS, the AED/CPR policy is directed by an AED/CPR +Committee. This systemwide AED Committee includes but is not +limited to representation from Health Services, Facilities +Management (Environmental and Safety), BPS Operations, and +City of Boston’s Emergency Management Services (BEMS). The +responsibility of this team is to oversee the AED and CPR +program, including quality assurance, data review of critical +incidents, equipment maintenance, inventory management, +coordinated and practiced response exercises, and lay CPR and +AED training. +• All school buildings have been provided with AEDs. All BPS +school buildings with an AED will need to register their +individual plans along with their annual safety contingency +plans. Staff who have been trained in CPR will be added to + + +Page 3: +Superintendent’s Circular SHS-22 +Page 3 of 22 + +the school safety contingency plan and reviewed/updated +annually. +• AEDs have been provided to the BPS Athletics Program for +selected coaches to have in their possession during any +athletic event or practice. The BPS Athletic Program shall +meet the same requirements and intent of the AED/CPR +program for school buildings, including providing an +inventory of the AEDs and their designated coaches (those +coaches who are responsible for the AED during their sport’s +season). +PROTOCOL FOR INDIVIDUAL SCHOOL RESPONSIBILITIES +Principal/Head of School: +• Ensures that there is an appropriately trained AED/CPR +coordinator at their school.* +• Ensures that there is the required number of CPR trained +personnel in the school. +• Includes the AED/CPR plan in the annual safety and +contingency plan submission to the director of Fire Safety +and Emergency Preparedness. +• Reviews and submits the annual AED/CPR plan to Safety +Services (safety and contingency plan). +• Oversees the placement of AEDs. +• Ensures that the required staff are appropriately trained in +CPR and AED use. + + +Page 4: +Superintendent’s Circular SHS-22 +Page 4 of 22 + +• Ensures periodic checks are done to better ensure safe and +continuous operability and access to the AED. These checks +shall include but not be limited to the following: +o Daily check of AED indicator light: Check the active +status indicator light on your AED. It varies depending +on the brand. If any problems contact Richard Deraney, +Director of Safety/Emergency Preparedness. +o Weekly check: Check the condition of the AED and +accessories (including but not limited to the AED, the +pads (infant and adult), and the AED alarmed metal +cabinet. +o Monthly check: Check pads and battery pack for +expiration dates and AED signage throughout the +building. +o Quarterly submission of logs to the AED/CPR +committee. +* A member of your school site safety team is strongly +recommended. +School Nurse: +• Reviews plans with the AED/CPR coordinator. +• Is up to date in CPR/AED training as required by +employment. +• Includes plan in substitute school nurse folder. + +Athletic Coaches: +• Participate in training in CPR/AED. + + +Page 5: +Superintendent’s Circular SHS-22 +Page 5 of 22 + +• Ensure that protocols are in place. +• Review plans with the school nurse. +BPS Athletics: +• Ensures that all coaches are in compliance with AED/CPR +guidelines. +• Ensures that all athletic trainers providing services to BPS +Athletics are in compliance with AED/CPR guidelines. +Trained Staff: +• Reviews CPR/AED plan for individual school. +• Reviews Safety and contingency plans for school. +• Participates in training. + +Detailed information on protocols and training is available in +Health Services & Safety Services, when available. + + + + +Page 6: +Superintendent’s Circular SHS-22 +Page 6 of 22 + +Date +Activity +October 1 +Annual Review of AED Program. This will be part of +the school’s Building Safety and Fire Safety Plans. If +there are any changes, you will submit a copy to +BPS Safety/Emergency Preparedness. +October 1 +BPS Athletics shall provide a list of coaches with +AEDS and training verifications to +Safety/Emergency Preparedness +November 1 +School leaders and building administrators shall +contact Office of Health and Wellness: Physical +Education to receive Anytime (Hands Only) CPR +training and equipment for their physical +education teachers. +May 1 +9th grade Physical Education teachers shall receive +Anytime CPR training as needed and implement +the lesson with their students. +June 1 +Annual Review of AED Policy by AED Committee + + + + + +Page 7: +Superintendent’s Circular SHS-22 +Page 7 of 22 + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Contact: +Director of Safety & Emergency Management +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(617) 635-9122 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 8: +Superintendent’s Circular SHS-22 +Page 8 of 22 + +BOSTON PUBLIC SCHOOLS +MEMORANDUM OF AGREEMENT +AUTOMATIC EXTERNAL DEFIBRILLATION PROGRAM + +THIS AGREEMENT is made and entered into on ________________ +and is between the Boston Public Schools (BPS) and Boston +Emergency Medical Services (EMS). +The purpose of this agreement is to establish training and quality +assurance programs for the utilization of automatic external +defibrillators (AED) by volunteer, trained Boston Public Schools +personnel. Those trained personnel will function under the +medical supervision of the BPS medical director and the assistant +director of Health Services in collaboration with EMS medical +director. +The Parties now mutually agree to the following: +The Boston Public Schools (BPS) agrees: +1. To identify an AED/CPR coordinator from Safety Services to +assume responsibility for coordinating the AED/CPR +committee and monthly meetings. This committee will +include representation from EMS and oversee aspects of the +Public Access Defibrillation program in BPS. +2. To conduct CPR/AED training programs that are approved +by the American Heart Association, American Red Cross, +American Safety and Health Institute, or BPS approved +equivalent. + + +Page 9: +Superintendent’s Circular SHS-22 +Page 9 of 22 + +3. To establish a quality assurance program that reviews all +AED response events with the EMS medical director, BPS +medical director, assistant director of Health Services, EMS +liaison, and BPS responders. +4. To maintain a database for AED training programs and +share trained personnel information rosters with the EMS. +5. To notify EMS annually of the types of AEDs and location of +units in each building. +6. To maintain database information regarding the AED daily +checks and maintenance information for each unit. +7. To follow the protocols approved by Boston Public Schools +for AED use in BPS. +8. To notify EMS of any changes in program, location, or +equipment. +9. In case of an incident, provide EMS with cardiac event data +cards for evaluation and feedback. +10. Work collaboratively with the EMS on student CPR training +programs +Boston EMS agrees to: +1. Identify the medical director of EMS as the overall medical +director of the BPS AED program. +2. Identify an EMS liaison that will collaborate with BPS on AED +implementation in the schools. +3. Maintain records of location/types of machines, trained +personnel sent by BPS program coordinator. + + +Page 10: +Superintendent’s Circular SHS-22 +Page 10 of 22 + +4. Provide feedback, after a response incident, from the +cardiac event data card to BPS CPR/AED coordinator and +BPS medical director and other members of the AED/CPR +committee for review. +5. Provide “Train the Trainer” CPR/AED programs to BPS +designated volunteer employees. + +This memorandum will be reviewed on an annual basis. + __________________________________________________________________ + +In witness whereof, the parties hereto execute this Agreement +through their duly authorized representatives as of ________ day +of ________________, 20____. +BOSTON EMERGENCY MEDICAL SERVICES +By: ______________________________________ Date: _________________ + +Its: _______________________________________________________________ + +BOSTON PUBLIC SCHOOLS + +___________________________________________Date: _______________ + +Mary Skipper, Superintendent + + + + + +Page 11: +Superintendent’s Circular SHS-22 +Page 11 of 22 + +BOSTON PUBLIC SCHOOLS +PUBLIC ACCESS DEFIBRILLATION PROGRAM AND +CPR GUIDELINES + +PURPOSE: The purpose of the Boston Public Schools Public +Access Defibrillation (PAD) Program guidelines is to assist +employees of the Boston Public Schools who are trained and +willing to do CPR, including use of an Automatic External +Defibrillator (AED) in the event such use is necessary. These +guidelines do not create an obligation to do CPR and use the +AEDs, nor to create any expectation that either an AED or trained +employee will be present at every event. The guidelines should +make clear that by increasing the availability of AEDs and +increasing the number of persons trained to use them, that both +the school and larger community may be aided. Evidence shows +that time is a significant factor in victim survival rate, and on-site +responders are more likely to arrive faster than EMS to begin aid +to incidents of “sudden death”. By equipping and training +voluntary employees in the use of AEDs, we will increase the +potential to save lives through AED intervention. +DEFINITION: The condition “sudden death” occurs when the +electrical impulses of the human heart malfunction, causing a +disturbance in the heart’s electrical rhythm called “ventricular +fibrillation (VF)”. This erratic and ineffective electrical heart +rhythm causes complete cessation of the heart’s normal function +of pumping oxygenated blood, resulting in “sudden death”. The +most effective treatment for this condition is the administration +of an electrical current to the heart by a defibrillator, within the + + +Page 12: +Superintendent’s Circular SHS-22 +Page 12 of 22 + +shortest time possible of VF onset. Each minute of delay in +defibrillator use decreases the survival rate by 10%. +PROGRAM PROCEDURES: The Boston Public Schools anticipates +that where reasonably possible, employees who have been +trained and who are present when an incident occurs will react +by activating the EMS system (calling 9-1-1 or 9-9-1-1), begin CPR, +and utilize the AED available to them according to the guidelines +of the American Heart Association. +PROGRAM OVERSIGHT: The City of Boston’s Public Access +Defibrillator Program (PAD) requires that a systemwide policy be +established. This system-wide AED committee includes but is +not limited to representation from Health Services (Health +Services), Facilities Management (Environmental and Safety), BPS +Operations, and City of Boston’s Emergency Management +Services (BEMS). This committee meets monthly and guides the +program implementation and quality assurance. +The EMS medical director agrees to act as the medical director +for the BPS PAD Program, ensuring its consistency with the +Community AED Public Access program and reviewing each +deployment of the AED with the BPS team. +The Boston Public Schools physician / medical director is +responsible for: writing prescriptions for purchase of AEDs; +reviewing and approving guidelines for emergency procedures +related to the use of AEDs; reviewing all AED deployments; and +coordination with the local EMS medical director for consistency +of operation. +The BPS assistant director of Health Services (nursing director) +will be the overall AED coordinator of the program, chairing the + + +Page 13: +Superintendent’s Circular SHS-22 +Page 13 of 22 + +CPR/AED committee. This systemwide AED committee includes +but is not limited to representation from Health Services (Health +Services), Facilities Management (Environmental and Safety), BPS +Operations, and City of Boston’s Emergency Management +Services (BEMS). The responsibility of this team is to oversee the +AED and CPR program, including quality assurance, data review +of critical incidents, equipment maintenance and inventory +management, coordinated procurement of funding, practiced +response exercises, and lay CPR and AED training. +PRE-PROGRAM EVALUATION AND AED SELECTION +Only US FDA approved AEDs will be provided for this program. +The program manager and Facilities Management Department +will maintain the specification/technical information sheet for +each approved AED on file assigned and/or donated to the PAD +program. +All BPS schools have at least one AED. +AEDs have been provided to the BPS Athletics Program for +selected coaches to have in their possession during any athletic +event or practice. The BPS Athletics Program shall meet the +same requirements and intent of the AED program for school +buildings. + + + + +Page 14: +Superintendent’s Circular SHS-22 +Page 14 of 22 + +TRAINING +All volunteer employees and coaches will participate in a +recognized CPR/AED initial training course which will include the +following content: +• Proper use, maintenance, and periodic inspection of AED. +• Assessment of an unconscious person to determine if a +cardiac arrest has occurred and the appropriateness of +applying the AED. +• Defibrillator safety precaution to enable the user to +administer a shock without jeopardizing the safety of the +victim, the user, or other persons on the scene. +• Rapid accurate assessment of the victim’s post-shock status +to determine if further activation of AED is necessary. +• The role of the initial rescuer in the coordination of care for +the cardiac arrest victim on arrival of EMS personnel. +• Scenario based practice consistent with common scenarios +that rescuers may face. +• Routine AED maintenance, troubleshooting options, and +special situations that initial rescuers may encounter. +Employees will only be held to the standards of “Good Samaritan” +status and shall only be expected to use an AED if they have +successfully completed the CPR/AED training and feel confident +using the device. + + + + +Page 15: +Superintendent’s Circular SHS-22 +Page 15 of 22 + +SKILLS REVIEW AND PROFICIENCY DEMONSTRATION +The AED team candidate will need to demonstrate proficiency in +adult CPR and the following: +• Safe and effective use of the AED training device that +conforms to the unit assigned to that location or building. +• Perform a single or multi-shock practical exam conducted +by a qualified AHA or ARC instructor. +• Demonstrate common trouble-shooting techniques used +with the AED. +• All AED team members will participate in a CPR/AED skills +proficiency review annually. The PAD program manager will +maintain the proper training and review documentation. +LOCATION OF AEDS +All BPS school buildings with an AED must register their plan +with BPS Safety Services. All school buildings have been provided +with AEDs. If additional AEDs are to be purchased, it must be +done through BPS HS or with the approval of BPS HS. AED will be +numbered for internal identification and inventory. These records +shall be kept and maintained under BPS HS. +All AEDs shall be located immediately outside the main +administrative office unless a written exemption with stated +reasons for another location is provided. All AEDs are placed in an +alarmed metal cabinet with an identifying AED location sign +above it. Other signs identifying AED location will be placed in +common areas throughout the school building. For additional +signage or if there are any missing or broken signs, please + + +Page 16: +Superintendent’s Circular SHS-22 +Page 16 of 22 + +contact Facilities Management – Environmental Section at 617- +635-8300. +AEDs are located outside the main administrative office because +it is a well-identified location with continued access during +school occupancy and operating hours. In cases of BPS school +buildings sharing the building complex with another BPS school +program or DYFS Community School or Center, if possible, a +location may be chosen that would allow access to both +programs’ operating hours. All AEDs shall be kept in the alarmed +metal cabinet, with the exception of AEDs provided specifically +for BPS Athletics Department. +MAINTENANCE AND TESTING +Maintenance and testing will be conducted according to the +requirements of the FDA and the AED manufacturer. +Documentation of maintenance and testing will be maintained in +the PAD program manager’s office (nursing coordinator) for a +period of two years. Documentation will record the date of +testing and the signature of the person performing the testing. If +a problem with the AED is identified, the AED coordinator must +be notified immediately. +Responsibility for overall maintenance check assignments in +each location will be with the BPS AED/CPR coordinator in +coordination with a designated person in each building. A +person in each building will be responsible for: +• Daily visual checks and documentation during the actual +contracted school year. (Summer locations and checks will + + +Page 17: +Superintendent’s Circular SHS-22 +Page 17 of 22 + +be determined by summer program use of the buildings, +and Boston EMS will be notified of the Summer Plan.) +• Prompt notification of PAD program manager for any +equipment or supply needs. The designated building +coordinator will be responsible for scheduling AED training +courses in their building. Authorized AHA instructors will +assist with training on AED use. +USE OF THE AED +General +• Scene safety is vital. Rescuers are volunteers and are not +expected to place themselves at risk to provide aid to +others. To assess for scene safety: +o Verify that the victim is not in contact with any live +electrical connections. +o Remove the victim from any exposure to water to a dry +surface. +o Refrain from use of any portable radios near the victim +while AED is analyzing. +• During school hours, the building program coordinator will +be notified of any event occurring that may require the use +of an AED. +• During afterschool hours, a trained athletic coach or their +designee may move the AED from its current location to +support Athletic Department activities. A visible notice +must be clearly stating the location of the AED as well as the +location of the nearest AED, if another one exists. + + +Page 18: +Superintendent’s Circular SHS-22 +Page 18 of 22 + +• Contracted and community activities are not guaranteed +access to the AED or a trained AED operator as part of +standard school facility rental contracts. +Actual Use of AED in a Cardiac Event +• Determine unresponsiveness of the victim and activate the +Emergency Response Plan (Call 9-1-1). +o If a victim is unresponsive, call 9-1-1 (or 9-9-1-1) and get +AED. +o Assess victim (airway, breathing circulation). +o Initiate CPR, if required, while AED is brought to the +victim's side. +o Designate a person to wait for a facility entry to direct +EMS to location. +o Notify nursing coordinator of use to assign backup AED +unit, if available +• Upon arrival of AED, place AED next to the head of the +victim, close to the AED operator. +• Prepare to use the AED: +o Turn power ON. +o Bare and prepare chest for AED use. +o Attach AED to victim (picture guides on each pad for +proper placement location). +o Stop CPR while the AED device analyzes the heart +rhythm. + + +Page 19: +Superintendent’s Circular SHS-22 +Page 19 of 22 + +o Follow the machine prompts for further action. If a +shock is indicated, be sure all rescuers are “clear” +before shock is administered. +• Upon arrival, EMS shall take charge of the victim. +o Provide victim information (name, age, known medical +history, time of incident). +o Provide information as to current condition and +number of shocks delivered. +o Defibrillator pads and electrodes shall remain in place +on the victim. EMS will utilize BPS AED through +transport of victims to hospital to maintain continuity +of event recording. +AFTER USE OF AED +• First responders will notify the program coordinator by +phone of the incident, complete an incident report, and fax +to the program coordinator. +• A Critical Incident debriefing session will be held or +scheduled within 24 hours for initial responders. (Boston +EMS may not be immediately available.) +• The health services director and program coordinator will be +notified of AED use and: +o Complete follow-up report for medical directors. +o Arrange for a quality improvement meeting of AED +responders. +o The AED will be checked and put back in readiness +state. + + +Page 20: +Superintendent’s Circular SHS-22 +Page 20 of 22 + +o Restock AED inventory. +o Clean AED if needed according to manufacturer +recommendations. +o Document AED return readiness. + + + + +Page 21: +Superintendent’s Circular SHS-22 +Page 21 of 22 + +BOSTON PUBLIC SCHOOLS +AUTOMATED EXTERNAL DEFIBRILLATOR PROGRAM +PARTICIPATION REQUEST FORM + +_________________________________________________ (Name of person +requesting) requests implementation of the AED Program for + _________________________________________________________________ . + +(Name of school / site) +I understand that to be eligible for the AED Program, the +following requirements must be met: +Funding / resources have been identified for the purchase and +maintenance of an “APPROVED” AED. (Please consult program +manager for list of qualifications for approved AEDs.) +Funding source: _________________________________________________ + +At least 2 staff have been identified to be trained in CPR and AED. +Staff member: ___________________________________________________ +Staff member: ___________________________________________________ +At least 1 primary staff member and 1 back-up (in case of +absence) have been identified to be the building coordinator. + +List staff member and back-up: + + +Page 22: +Superintendent’s Circular SHS-22 +Page 22 of 22 + +Primary: __________________________________________________________ +Back-up: _________________________________________________________ +Planned location of the AED in the building: + __________________________________________________________________ + + + +Page 1: + + + + Superintendent’s +Circular +NUMBER: +SHS-23 +Version 01 + + + +CONDOM ACCESSIBILITY +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +BACKGROUND +In June 2017, the School Committee voted to revise the district +Wellness Policy, which includes provisions on sexual health +education and condom accessibility in high schools. The goal of +this policy is to support the sexual and reproductive health of +students and to prevent negative sexual health outcomes and +their impact on student learning. This policy establishes access to +information and resources for students in order to reduce the +spread of HIV and other sexually transmitted infections (STIs) as +well as decrease the number of unintended pregnancies. This +policy increases the access and agency of BPS students to care +for their personal health and well-being. The revised policy states: +Under Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) +adolescents may seek and consent to confidential family +planning services without parental notification. Family Planning +services include testing and treatment for sexually transmitted +infections and HIV, all birth control options, pregnancy testing, +and emergency contraception. + + +Page 2: +Superintendent’s Circular SHS-23 +Page 2 of 10 + + + +BPS High Schools shall provide access to free condoms with +appropriate reproductive health counseling for students. Each +high school (grades 9-12) will have a Condom Accessibility Team +(CAT) which will consist of a minimum of at least three school +staff members. Condoms will be made available through the +CAT at each high school. Condoms will also be accessible at +some schools from school-based health centers and the Boston +Public Health Commission’s (BPHC) Health Resource Centers +(HRCs). Parents and caregivers may exempt their students from +receiving condoms from the BPS CAT by notifying the school +when they complete the family information forms at the +beginning of the school year. This condom opt-out does not +apply to other confidential health services. + +Under this policy, the Office of Health Services, along with the +Office of Health and Wellness, is charged with enacting systems +and practices to ensure that all students have access to key +resources and services that are developmentally appropriate and +support sexual and reproductive health in a safe and supportive +environment. +BPS high schools have three possible venues for the delivery of +sexual health services: 1) through BPS CAT members; 2) school- +based health centers run by BPHC or neighborhood health +centers that provide medical, reproductive, and mental health +services, including STI/pregnancy testing, options counseling, +access to contraceptives/condoms, treatment for STIs, and +comprehensive routine health care; and 3) school-based health +resource centers (HRCs) overseen by the Boston Public Health + + +Page 3: +Superintendent’s Circular SHS-23 +Page 3 of 10 + + + +Commission, which provide individual counseling, condom +access, and STI testing and treatment for gonorrhea and +chlamydia, where available. Annually, all BPS CAT members must +participate in appropriate training related to the condom +accessibility program. +The following chart summarizes the services available and +staffing model for each location. + +Please note: +Under Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) +adolescents may seek and consent to confidential family planning +services without parental notification. Family planning services include +testing and treatment for sexually transmitted infections and HIV, all +birth control options, pregnancy testing, and emergency +contraception. + + + + + +Page 4: +Superintendent’s Circular SHS-23 +Page 4 of 10 + + + + +Location +School-based +Health Centers +Run by BPHC +School-based Health +Centers Run by +Community Health +Centers +Health Resource +Centers * +BPS High School +CAT + + +Services + +A clinical setting +offering routine +health care and +acute care +services, +including mental +health +counseling and +sexual & +reproductive +health care. +A clinical setting +offering routine +health care and +acute care services, +including mental +health counseling +and sexual +reproductive health +care. +Classroom sexual +health +education; 1:1 +education; +condom +availability; + +STI screening, +treatment and +referral, where +available. +Free internal and +external condoms, +oral dams, lubricant, +and educational +materials to +students not opted +out of the program +as these products +are available. + +Confidential sexual +health referrals +made available to +any students in need +of sexual health care. + +*a barrier method +that reduces the risk +of STIs +**lubricants increase +the effectiveness of +condoms, reducing +breakage. + + +Page 5: +Superintendent’s Circular SHS-23 +Page 5 of 10 + + + + + +Staffing +Staffed by: +● +Nurse +Practitioner +● +Mental +Health +Clinician +● +Health +Educator +● +Health +Coordinator +● +Admin +Assistant +Staffed by: +Nurse Practitioners +or Physician +Assistants +A team of two +Health Educators +assigned to 2 +high schools +A minimum of +three* trained school +staff members. + +*Schools are +encouraged to add +more CAT members +to increase access +points within the +school. Each +additional member +must complete CAT +training. It is +important that +students receive +supplies from +trusted, caring +adults. This may +include the school +nurse, health +teachers, trained +teachers of sexual +health, social +workers, school +counselors, family +liaisons, and/or other +staff able to +complete the +training. + + + + + + +Page 6: +Superintendent’s Circular SHS-23 +Page 6 of 10 + + + +IMPLEMENTATION +The implementation of condom accessibility will be directed by +the Office of Health & Wellness (OHW), with support from and +integration with the Office of Health Services at both the central +and individual school levels. + +SCHOOL-BASED IMPLEMENTATION +Each high school serving students in grades 9-12 will have a +Condom Accessibility Team (CAT) which will consist of at least +three school staff members. Schools are encouraged to add +additional interested staff to the CAT. The CAT shall meet at least +biannually to oversee its responsibilities and report back to the +Wellness Council. + + Condom Accessibility Team responsibilities: +● Participate in CAT training organized and led by the Office of +Health and Wellness +● All parents and caregivers will be notified of the policy in the +Guide to the BPS for Students & Families and have the option +to opt their student out of the condom accessibility program +by informing the student’s school. Additional communications +to notify parents and caregivers through the school’s +preferred communication channels is also recommended. + + +Page 7: +Superintendent’s Circular SHS-23 +Page 7 of 10 + + + +● Distribute communication information provided by the Office +of Health and Wellness, such as brochures, posters, stickers, +etc. that outline the Condom Accessibility program +● Post information advertising who the CAT members are so +that students are aware of this program and know who and +where to locate CAT members in the school +● Store condoms in secure, appropriate storage that does not +experience extreme low or high temperatures to preserve +effectiveness +● Ensure that the school wellness council is updated on CAT +functionality in the school +● Advocate for all students to receive the BPS Comprehensive +Sexual Health Education Program +● Provide CAT team member names to the Office of Health and +Wellness annually and add any new team members +throughout the year +● Document referrals and provide tracking as outlined in the +training +● Ensure that student confidentiality is maintained as per +Massachusetts State Law +● Ensure that parental/caregiver opt-out is clearly and +confidently documented in the nurse electronic health record +(SNAP) and communicated to all CAT members and other +appropriate staff, including HRC staff involved in condom +accessibility + + +Page 8: +Superintendent’s Circular SHS-23 +Page 8 of 10 + + + +● Please note: CAT members are required to file a 51a only when +there is reasonable suspicion of physical or emotional harm by +abuse, not based solely on the age of the student. + +DISTRICT-BASED IMPLEMENTATION +Office of Health Services responsibilities: +● Align the condom accessibility process with the overall Health +Services action plan +● In partnership with OHW, monitor referral tracking data +within SNAP and assess district capacity to implement the +condom accessibility program +● Promote and complete CAT training +● Partner with OHW instructional coaches to review +questions/concerns brought forward during the CAT training +● Promote the sexual health services referral resource 211 Help +Steps at https://www.helpsteps.com/#/ +● Coordinate and communicate with adolescent community +sexual health programming, including school-based health +centers + +Office of Health and Wellness responsibilities: +● Include the condom accessibility process in overall wellness +action planning. + + +Page 9: +Superintendent’s Circular SHS-23 +Page 9 of 10 + + + +● Review and approve all reproductive health materials that are +to be distributed in the schools by CAT members, including +materials donated by community partners. All community +organizations interested in donating condoms and other +materials should contact the Office of Health and Wellness +before delivering materials to the schools. +● Oversee ordering and storing of condoms for the district and +distribution to schools. +● Coordinate and communicate with adolescent community +sexual health programming including school-based health +centers and Health Resource Centers. +● Collaborate with the Office of Health Services to provide +training, marketing materials, and implementation tools to +schools and technical assistance. +● Provide updates and promotions for the BPS sexual health +services referral guide (Y2Connect). +● In partnership with Health Services, monitor referral tracking +data, providing all high schools a system for tracking and +reporting, and assess the district capacity to implement the +condom accessibility program. + + + + + +Page 10: +Superintendent’s Circular SHS-23 +Page 10 of 10 + + + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Month +Activity +August +● Parental and Caregiver Opt-out information +included in Family Handbook +● Parents and caregivers who do not want their +student to receive condoms at school should +email or submit in writing their intentions to the +school principal and include the school nurse(s) +in this communication. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-04 +Version 01 + + + +INFECTION PREVENTION AND CONTROL IN +SCHOOL SETTINGS +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Schools can minimize the risk of disease transmission through +student and staff awareness and simple infection control +practices at the school and classroom level. +MODES OF TRANSMISSION +Diseases have different modes of transmission. Diseases can be +spread through direct contact, indirect contact, droplet, or +airborne transmission. The following guidelines minimize the +risks for all modes of transmission. +The single most important step in preventing exposure to and +transmission of any infection is anticipating contact with +infectious materials in routine as well as emergency situations. +Based on the type of possible contact, the responder should be +prepared to use the appropriate precautions and techniques +prior to providing care. Diligent and proper hand washing, the +use of barriers, appropriate disposal of waste products and +needles, and proper decontamination measures will enhance +protection of students and staff. + + + + +Page 2: +Superintendent’s Circular SHS-04 +Page 2 of 14 + + + +UNIVERSAL (STANDARD) PRECAUTIONS +The Centers for Disease Control (CDC) have long recommended +"universal blood and body-fluid precautions" to prevent +transmission of hepatitis B, human immunodeficiency virus (HIV), +and other infections, as well as to decrease the risk for exposure +to responders and students. As it is not possible to identify all +infected individuals, these precautions must be used with every +student. Universal precautions pertain to all blood and body +fluids. For bloodborne infections, these precautions do not apply +to other body fluids and material, such as saliva, sputum, feces, +tears, nasal secretions, vomitus, and urine, unless blood is visible +in the materials. However, these other fluids and body wastes can +be sources of other infections and should be handled as if they +are infectious, utilizing the same precautions. This is the basis of +standard precautions to be used with all body fluids, blood, and +other potentially infectious material. +TRANSMISSION BASED PRECAUTIONS +The CDC has recommended “transmission-based precautions” as +the second tier of basic infection control, to be used in addition to +standard precautions for individuals who may be infected or +colonized with certain infectious agents for which additional +precautions are needed to prevent infection transmission. +Contact Precautions +Use contact precautions for those with known or suspected +infections that represent an increased risk for contact +transmission. Proper personal protective equipment (PPE) + + +Page 3: +Superintendent’s Circular SHS-04 +Page 3 of 14 + + + +includes the use of gloves and gown for all interactions that may +involve contact with the student or the student’s environment. +Droplet Precautions +Use droplet precautions for students known or suspected to be +infected with pathogens transmitted by respiratory droplets +generated by coughing, sneezing, or talking. Proper personal +protective equipment (PPE) includes the use of masks, both for +the patient and school nurse, during all interactions. +Airborne Precautions +Use airborne precautions for those individuals known or +suspected to be infected with pathogens transmitted by the +airborne route (e.g., COVID-19, tuberculosis, measles, chickenpox, +disseminated herpes zoster). Proper PPE includes a fit-tested, +NIOSH-approved N95 or higher level of respiratory protection for +healthcare personnel and a mask on the patient. +RESPIRATORY HYGIENE +In addition to spread by bodily fluids, infections can be spread by +respiratory droplets that are generated when people sneeze, +cough, laugh, or exhale. Respiratory hygiene is a term adopted by +the CDC and Massachusetts Department of Public Health +(MDPH) to describe measures that can be taken to decrease the +risk for spreading respiratory illnesses by droplet and airborne +transmission. A universal “respiratory hygiene/cough etiquette” +policy includes: +• Covering the mouth and nose with a tissue when coughing +or sneezing + + +Page 4: +Superintendent’s Circular SHS-04 +Page 4 of 14 + + + +• Disposing of used tissues in a wastebasket +• Practicing hand hygiene (washing) often +• Coughing or sneezing into elbow +HAND WASHING +Proper hand washing is crucial to preventing the spread of +infection. Use of running water, lathering with soap, and using +friction to clean all surfaces of the hands are key. Rinse well with +running water and dry hands with paper towels. If soap and +water are unavailable, hand sanitizer may be used. +• Hands should be washed before physical contact with +students and after the contact is completed. +• Hands should be washed after contact with any used +equipment. If hands (or other skin) become soiled with +blood or body fluids, they should be washed immediately +before touching anything else. +• Hands should be washed whether gloves are worn or not +and after gloves are removed. +• Textured jewelry on the hands or wrists (such as rings and +stones) should be removed prior to washing and kept off +until completion of the care procedure and hands are +rewashed. + + + + +Page 5: +Superintendent’s Circular SHS-04 +Page 5 of 14 + + + +BARRIER PROTECTION +Barriers include disposable gloves, protective eyewear, and gown. +The use of a barrier is intended to reduce the risk for contact with +blood and body fluids for the caregiver, as well as to control the +spread of infectious agents from student to student. It is essential +that appropriate barriers be used when contact with potentially +infectious material is possible. Gloves should be worn when direct +care of the student may involve contact with blood and body +fluids, as well for contact with urine, feces, and respiratory +secretions. Gloves should be disposed of after each use and not +reused. +Gloves should be worn: +• When changing a diaper or catheterizing a student +• When changing dressings or sanitary napkins +• When providing mouth, nose, or tracheal care +• If the caregiver has broken skin on the hands (even around +the nails) +• When cleaning up spills of blood (e.g., nosebleeds), body +fluids and wastes, and soiled supplies +Gowns or aprons may be worn to protect the caregiver's clothing +if spattering of body fluids is possible. The apron or gown should +be laundered or disposed of after each care session and should +not be reused. +In addition, protective eye wear and masks should be worn if +splashing of body fluids is likely to occur (such as mouth +suctioning or care of a student who is coughing). + + + +Page 6: +Superintendent’s Circular SHS-04 +Page 6 of 14 + + + +Chux or other waterproof barriers should be used to cover any +work surface if drainage or splashing with blood or body fluids +are possible. The barrier should be disposed of after each care +session and should not be reused. +DISPOSAL OF WASTE +All used or contaminated supplies (including gloves and other +barriers) except for syringes, needles, and other sharp +implements should be placed in a plastic bag which is then +sealed. This bag should be placed in a second plastic bag, which +is also sealed. The double-bagged waste can then be thrown in +the garbage, out of the reach of children or animals. Bodily +wastes such as urine, vomitus, or feces should be disposed of in +the toilet. +Needles, syringes, and other sharp objects should be immediately +placed in FDA-cleared sharps disposal containers. To reduce the +risk of an accidental needle stick or cut, needles should not be +recapped, bent, or removed from the syringe before disposal. +Once it is full, the container should be sealed and brought to +Health Services central administration for disposal in a large +biohazard container. Health Services will arrange for pickup by a +biohazard waste disposal company for proper disposal at least +annually. +CLEANUP PROCEDURES +Spills of blood and body fluids that are covered under standard +precautions should be cleaned up immediately. + + + +Page 7: +Superintendent’s Circular SHS-04 +Page 7 of 14 + + + +The CDC method of clean-up is as follows: +• Wear gloves. +• Mop up the spill with paper towels or other absorbent +material. +• Using a solution of one-part household bleach (sodium +hypochlorite) in ten parts of water; wash the area well. +• Dispose of gloves, soiled towels, and other waste in a sealed +double plastic bag in the garbage as outlined above. +Routine environmental clean-up procedures for facilities (such as +the health room and bathrooms) does not require any +modification unless contamination with blood or body fluids +should occur. If so, the area should be decontaminated using the +procedure outlined above. Regular cleaning of surfaces which are +not visibly contaminated with potentially infectious material, +such as toilet seats and tabletops, can be done with the standard +cleaning and removal of obvious soil. +LAUNDRY PROCEDURES +Whenever possible, disposable barriers should be used if +contamination with body fluids or blood is possible. If sheets, +towels, or clothing become soiled, they should be handled as +little as possible. Wash with hot water and detergent for at least +25 minutes. Cool water washing is also acceptable if an +appropriate detergent is used for the water temperature. + + + + +Page 8: +Superintendent’s Circular SHS-04 +Page 8 of 14 + + + +PREGNANT WOMEN +Pregnant women are at no higher risk for infection than other +care-providers as long as appropriate precautions are observed. +However, due to the possibility of in-utero transmission of viral +infections such as cytomegalovirus (CMV) or HIV, as well as the +potential for adverse outcomes with certain infections, pregnant +women should be especially careful to observe standard +precautions. +GENERAL INFECTION CONTROL PROCEDURES +The purpose of the procedures outlined herein is to establish +basic guidelines to address the role of staff in all incidents +requiring concern about infection control. Such incidents may +include, but not be limited to, a bleeding nose, sneezing, +coughing, uncontrollable urinating, and sudden bowel +movement. +Head of school/principal shall: +• Ensure that all staff are familiar with this policy and that the +provisions of this policy are implemented. +Classroom teacher shall: +• Encourage the use of class wide respiratory hygiene, +especially during flu season and other respiratory illness +upticks. +• Reassure and calm students involved in hygiene +emergencies. +• Notify the school nurse of any infectious disease concerns. + + +Page 9: +Superintendent’s Circular SHS-04 +Page 9 of 14 + + + +• Notify custodians of infection control needs +School nurse shall: +• Review infection control procedures annually at the +beginning of the school year with classroom staff. +• Assist the classroom staff in developing hygiene plans +appropriate for the classroom as well as individual students. +• Notify Health Services of cases and possible clusters. +School custodian shall: +• Refer to and follow the steps identified in Superintendent +Circular FMT-19 for cleaning related to possible infectious +bodily fluids. + BITE EMERGENCY PROCEDURES +The purpose of the procedures outlined herein is to establish +basic guidelines intended to assist students and staff who have +encountered a human or animal bite that breaks the skin. +Background information for human bites: +Biting is very common among young children but usually does +not lead to any serious infectious disease concerns. If the skin is +punctured or broken, bacteria may be introduced into the wound +that can lead to blood-borne infection which needs to be treated +by a healthcare professional. Blood-borne infection could be of +concern if the biter breaks the skin and blood is drawn into the +biter’s mouth or if the biter has bleeding gums or mouth sores. +Hepatitis B, Hepatitis C and HIV are some pathogens of concern +although the risk of transmission of these viruses is very low in + + +Page 10: +Superintendent’s Circular SHS-04 +Page 10 of 14 + + + +school settings. For HIV, there have not been any reported cases +of transmission in school settings. +The “biter” might be considered at higher risk than the “bitee” +due to the exposure to the blood from the wound if the skin is +broken. Each human bite represents a unique set of +circumstances and requires an individualized response. In most +biting episodes there are no communicable disease extenuating +circumstances, and the episodes are treated with standard +precautions. There is a heightened sense of urgency when one of +the children has a communicable disease. The school nurse is +responsible for guiding the response, working with the +headmaster/principal, and ensuring that confidentiality is +maintained. +Background information for animal bites: +Animal bites are common since children can behave +unpredictably and animals have normal protective instincts. An +animal bite that breaks or punctures the skin will require +immediate medical attention due to the risk of bacterial and viral +infection. The longer the animal’s mouth germs stay in the +wound, the greater the risk of potential infection that will require +antibiotics. +Animals can also transmit rabies, a very serious viral infection +that infects the nervous system. Although any mammal bite can +transmit rabies, the bites of some wild animals (e.g., bats, +raccoons, skunks, foxes, coyotes) and some stray and +unvaccinated pet dogs and cats are of greatest concern. Wild +animals should not be kept or allowed to visit schools. All + + +Page 11: +Superintendent’s Circular SHS-04 +Page 11 of 14 + + + +suspected animal bites should be promptly reported to public +health authorities by Health Services. +In the event of an animal or human bite that breaks the skin: +Principal/head of school shall: +• Ensure that all staff are familiar with this policy and that the +provisions of this policy are implemented. +Classroom teacher shall: +• Reassure and calm the students. +• Employ standard precautions in evaluating the bite. +• Notify the school nurse immediately. +• Have the student wash the area with soap and water +immediately. +• Report action taken to the headmaster/principal. +For human bites, school nurse shall: +• Provide first aid to the child who was bitten by washing any +broken skin and applying a cold compress to any bruise. +• Review known medical information of both the “biter” and +the “bitee.” If there is a known communicable disease issue, +the nurse must consult with Health Services administration +for more specific guidance. Confidentiality must be +respected throughout the consultation. +• Contact the student's parent/guardian to report the incident +and recommend next steps. +• Refer both the “biter” and “bitee” to their primary care +provider for further guidance. This may include any or all the +following: risk counseling; hepatitis and HIV testing; + + +Page 12: +Superintendent’s Circular SHS-04 +Page 12 of 14 + + + +prophylaxis. The treatment approach is at the discretion of +the primary care provider and the family. +• Notify Health Services prior to calling the families if there is a +known communicable disease issue with one or both +students. +• Be a liaison to the primary care provider as requested by the +parent and within the boundaries of confidentiality. +• Document the incident in SNAP for students. If a staff +member was involved, the staff member must file a Report +of Injury Form [see Superintendent’s Circular HRS-PP07, +Worker’s Compensation Procedures] within 7 days. +For animal bites, school nurse shall: +• Immediately provide first aid to the child who was bitten by +washing any broken skin and applying a cold compress to +any bruise. +• Notify Health Services prior to calling parent/guardian. An +animal bite that breaks or punctures the skin needs +immediate wound care to reduce the risk of infection. All +animal bites should be reported within 24 hours. +• Contact the student's parent/guardian to report the incident +and recommend next steps. +• Refer the student to their primary care provider for further +guidance. The treatment approach is at the discretion of the +primary care provider and the family. +• Be a liaison to the primary care provider as requested by the +parent and within the boundaries of confidentiality. + + +Page 13: +Superintendent’s Circular SHS-04 +Page 13 of 14 + + + +EMPLOYEE NEEDLESTICK MANAGEMENT +When a needlestick occurs: +• Gently bleed the area, wash, and immediately flush with +soap and water. +• The employee who has had the needle stick should call their +primary care provider. +• If the risk assessment of the primary care provider and/or +school nurse is that the needle stick represents an exposure +to blood or body fluids, it is advisable that the employee +seek management at an emergency department that can +provide the latest in prophylactic management; the +employee’s primary care provider will be able to assist with +this. +• Health Services should be notified for further guidance. +• The employee should complete an incident report and +Worker’s Compensation form after the situation has been +stabilized. +LIST OF TERMS USED ABOVE +Blood-borne infection: infectious germs present in blood that can +cause disease in humans. +Communicable disease: an illness caused by an infectious agent +or its toxins that occurs through the direct or indirect +transmission of the infectious agent or its products from an +infected individual or via an animal to a susceptible animal or +human host. + + +Page 14: +Superintendent’s Circular SHS-04 +Page 14 of 14 + + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September 2024 +All staff should have universal precaution +review by school nurse + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Health Services +Mailing Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Fax: +617-635-7937 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-13 +Version 01 + + + +TRANSPORTATION, MEDICAL ACCOMMODATION +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +Some students may be eligible for transportation +accommodation based on medical needs. The following +guidelines and processes refer to transportation for student +medical indications only. Transportation accommodations for +medical needs do not include transportation accommodations +written into an Individualized Education Program (IEP). +BACKGROUND +Medical transportation is warranted when a student’s illness, +managed by a health care professional, requires the assistance of +transportation as an accommodation to enable the student to +attend school. Transportation accommodations for medical +needs should not substitute for treatment of specific medical +conditions. The school, through the Student Support Team, is +encouraged to explore creative solutions to assist these families +with extraordinary needs. Children with chronic medical +conditions that cannot be remediated by medication or therapy +may be granted renewal each year. Renewal is collaboratively +determined by the school nurse and central office staff. Schools +will be notified in the spring to begin the transportation renewal +process. No student should be considered “renewed” until + + +Page 2: +Superintendent’s Circular SHS-13 +Page 2 of 11 + + + +receiving written notification that will be sent according to the +Transportation Office policy. +POLICY IMPLEMENTATION GUIDELINES +Parent/Guardian Role: +• Inform the school nurse of medical diagnosis and provide +supporting medical documentation that may require +transportation as an accommodation. +• Communicate with the school nurse and their child’s health +care provider regarding the need for medical transportation. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Principal/Head of School Role: +• Review, discuss, and approve each case with the Student +Support Team and/or school nurse. +• Designate a member of the Student Support Team to +collaborate with the school nurse to inform +parents/guardians of eligibility determination. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Nurse Role: +• Provide parents/guardians with a release of medical +information form to be signed to obtain consent to speak +with the student’s licensed health care provider. + + +Page 3: +Superintendent’s Circular SHS-13 +Page 3 of 11 + + + +• Contact the licensed healthcare provider to inform them of +the BPS transportation accommodation policy, discuss the +request submitted by the parent/guardian, and share +clinical observations related to the child’s medical condition. +• Present the case to the Student Support Team, including +notes taken during discussions with the parent/guardian +and licensed health care provider to determine the +appropriate accommodations, if any. +• Document all relevant and objective information related to +transportation in the student’s electronic health record. +• If the school nurse does not believe transportation is +warranted based on the above criteria, but any other +participant in the process disagrees, the case is referred to +School Health Services for further clarification and +resolution. +Student Support Team Role: +• Discuss medical transportation request cases as referred by +the school nurse. +• Each request should be considered individually, and other +options must be reviewed prior to authorization of medical +transportation. If additional support is needed, the Student +Support Team may make referrals for 504 or special +education concerns. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. + + +Page 4: +Superintendent’s Circular SHS-13 +Page 4 of 11 + + + +Coordinator of Special Education (COSE) Role: +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +shall discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team shall consider transportation needs. As part of this +consideration, the team shall include the school nurse. If +special transportation is found to be necessary for the +student to benefit from special education services and make +meaningful educational progress, it can be added to the IEP. +• If a student is referred for consideration for a 504 +accommodation plan and/or special education and related +services, the COSE will process the request for +transportation as appropriate. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Health Services Role: +• A member of the Health Services administrative team will +be available to discuss any request for transportation as an +accommodation for medical needs. +• School Health Services will consult with any party involved +in the transportation as an accommodation for the medical +needs process regarding the eligibility determination. +• In some cases, School Health Services may overturn the + + +Page 5: +Superintendent’s Circular SHS-13 +Page 5 of 11 + + + +initial determination or provide recommendations for +alternative accommodations to support the student’s needs. +Department of Transportation Role: +• After approval, the parent/guardian of the student will be +notified by mail of transportation specifics (time of pick- +up/drop-off/bus numbers/effective date). School staff may +access route information via Aspen. +• Collaborate with School Health Services regarding the +medical transportation renewal process. +• Transportation requests for students who are healthy, but +whose parents or guardians are ill, will not be approved. + +ELIGIBILITY DETERMINATION +A student determined to be eligible: +• The school nurse will fill out the Request for Medical +Transportation form provided below and submit it to +school-based leadership for final approval; the signed form +will be sent via email to the school’s Transportation Officer +within the Department of Transportation by the school +leader and/or school transportation coordinator. +• Once approved, the parent/guardian of the student will be +notified by mail of transportation specifics (time of pick- +up/drop-off/bus numbers/effective date). School staff may +access route information via Aspen. + + +Page 6: +Superintendent’s Circular SHS-13 +Page 6 of 11 + + + +A student determined NOT eligible: +• The parent/guardian will be notified by the principal +designee in collaboration with the school nurse. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. + +SPECIFIC GUIDELINES +Asthma: Transportation as an accommodation for asthma is +reserved for severe asthmatics that are adhering to a treatment +plan, have a rescue inhaler at school, and have an Asthma Action +Plan on file with the school nurse. If asthma impacts a student’s +ability to walk to a school bus or MBTA stop, further medical +evaluation and treatment may be necessary and should be +discussed with the child’s health care provider. Even the most +compliant students with asthma may need medical +transportation during the cold winter months. Mild, episodic +asthmatic students on intermittent medications do not qualify +for medical transportation. +Sickle Cell: Please refer to Superintendent’s Circular SHS-25. +Ambulation: Students with conditions that significantly affect +ambulation, such as leg braces, crutches, lower extremity +fractures, or amputations may be eligible for transportation as an +accommodation. Students who can ambulate and fully +participate in the school program should not be authorized for +medical transportation. +Seizure Disorder: Students experiencing current, intermittent + + +Page 7: +Superintendent’s Circular SHS-13 +Page 7 of 11 + + + +seizure activity are eligible for transportation accommodation +until stabilized. In general, if seizures are well controlled, medical +transportation will not be provided. +Emotional/Behavioral Problems: Children with emotional and/or +behavioral issues which impact their transportation to or from +school should be discussed at the Student Support Team +meeting before any referral is made for this type of +transportation accommodation. ADHD, depression/anxiety, +impulsivity, and other behavioral issues have an impact on +teaching and learning as well as school access. Behavioral +modification and other modalities may be more beneficial to the +child’s overall functioning than just transportation alone. The +school nurse will gather the medically relevant information for +the team. +Other: Neuromuscular disorders, cardiac disease, and other +medical conditions should be reviewed on an individual basis; +consult with School Health Services as needed. + + + + +Page 8: +Superintendent’s Circular SHS-13 +Page 8 of 11 + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 9: +Superintendent’s Circular SHS-13 +Page 9 of 11 + + + +REQUEST FOR TRANSPORTATION ACCOMMODATION, +MEDICAL NEEDS +(For school system use only) +Student Name _________________________Student ID # ____________ +School_ _________________________________________________________ +Hours: _____________________________ +Transportation will only be provided for the official hours of the +school. +School Nurse (please print) ______________________________________ +Principal/Head of School (please print) __________________________ +Does the student currently receive any kind of transportation +from Boston Public Schools? Yes No +If yes, please describe why the additional accommodation is +being requested. ________________________________________________ + _________________________________________________________________ +Does the student currently receive services related to a 504 or +IEP? Yes No +If yes, please discuss adding this accommodation to the student’s +current educational plan, instead of submitting the request in +this manner. Call Health Services for additional information and +support. + + +Page 10: +Superintendent’s Circular SHS-13 +Page 10 of 11 + + + +MEDICAL CERTIFICATION: +Reason for request: ______________________________________________ + _________________________________________________________________ +Healthcare Provider/ Clinic Name: _______________________________ +Is all relevant data documented in the student’s electronic health +record?  Yes  No + +DURATION OF MEDICAL TRANSPORTATION: Any +accommodation lasting longer than 6-8 weeks will be reviewed +by School Health Services in collaboration with the BPS +Department of Transportation. + Wheelchair van #weeks _________ + Cold winter months  School year + +AUTHORIZATION: +Date the request was submitted to school nurse: ________________ +Date the request was discussed at SST meeting: ________________ +Principal/head of school signature ______________________________ +Date: _______________________________ +School nurse signature __________________________________________ + + +Page 11: +Superintendent’s Circular SHS-13 +Page 11 of 11 + + + +Date: _______________________________ +Name of Transportation Officer: _________________________________ +Date faxed/emailed to Transportation Officer: ___________________ + +***************** +DEPARTMENT OF TRANSPORTATION ONLY +Date processed by Transportation Unit: _________________________ + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-01 +Version 01 + +DRUG AND ALCOHOL MISUSE AND HARM REDUCTION – +UPDATE ON PROCEDURES + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +EDUCATION OF STUDENTS IN THE PREVENTION OF ALCOHOL, +MARIJUANA, TOBACCO AND OTHER DRUG DEPENDENCY + +While substance misuse prevention and harm reduction should +be a part of a comprehensive health education program, certain +curricula should be used to complement and supplement health +education curriculum materials for grades K-12. Substance +misuse prevention and harm reduction may also be integrated +into reading/language arts, social studies, and science classes. +The National Health Education Standards and performance +expectations provide the functional health knowledge, beliefs, +and skills necessary for students to adopt and maintain healthy +behaviors, reduce risk behaviors associated with substance +misuse, achieve health literacy, and enhance health outcomes. + + + +The Boston Public Schools scope and sequence for Health +Education recommends the following substance prevention +curriculum, including: + + +Page 2: +Superintendent’s Circular SHS-01 +Page 2 of 9 + +• CATCH Curriculum Grades K-6: Tobacco, Alcohol and Other +Drug Prevention (contact the Office of Health and Wellness +for access); +• Essential Health Skills for Middle Schools & High Schools, G- +W Publisher: Tobacco, Alcohol and Other Drug Prevention +(contact the Office of Health and Wellness for access); +• Stanford University K-12, Tobacco Prevention Toolkit, which +includes e-cigarette use of any type, including nicotine, +cannabis/THC, and/or non-nicotine products; +• Stanford University Grades 6-12, Cannabis Awareness and +Prevention Toolkit. + + +EARLY IDENTIFICATION AND INTERVENTION +Even though a student may not possess or use substances at +school, they may still have serious problems involving alcohol or +drugs that demand the attention and assistance of school +personnel. School nurses, school counselors and social +workersphave been trainedin identification and the medical +effects of substance use or addiction. The District will continue to +provide in-service programs and workshops, to craise staff +awareness, understand the protocols and procedures in place +when dealing with a student who is suspected of using or has +been identified as needing support regarding substance abuse. +School staff should be alert to those symptoms in students which +may indicate problems with substance abuse and follow the +protocols outlined in this circular. +These symptoms may include one or more of the following: +abrupt change in mood or attitude; sudden decline in attendance + + +Page 3: +Superintendent’s Circular SHS-01 +Page 3 of 9 + +or performance in school; sudden resistance to discipline; +impaired relationships with family or friends; drowsiness or +inattention to discussion or surroundings; weight loss; inattention +to dress; unusual flare-ups of temper; stealing; heightened +secrecy about actions or possessions; and association with new +friends, especially with individuals known to be substance users. + +SCREENING +Screening, Brief Intervention, and Referral to Treatment (SBIRT) +focuses on prevention, early detection, risk assessment, brief +counseling and referral for assessment that can be utilized in the +school setting. This tool is frequently used by the school nurse to +assess the acuity of the problem and to develop next steps. Use +of a validated screening tool will enable BPS school teams to +detect risk for substance use related problems and brief +intervention strategies will help to address these concerns at an +early stage in adolescents. +In March 2016, the Massachusetts Legislature enacted an Act +relative to Substance Use, Treatment, Education and Prevention +(STEP Act), which outlines the requirements for public schools in +the Commonwealth to engage in substance use screening and +education. Legislation can be found at +https://malegislature.gov/Laws/SessionLaws/Acts/2016/Chapter52 +(see Sections 15, 63, 64, 66). +BPS has implemented the use of the approved and validated +CRAFFT-II screening tool that is approved by the Massachusetts +Department of Public Health (DPH) and Department of +Elementary and Secondary Education (DESE). Per legislation, +SBIRT screening will be provided annually to students in grades 7 + + +Page 4: +Superintendent’s Circular SHS-01 +Page 4 of 9 + +and 9. Parents/guardians must be notified about the screening +prior to the start of the year and must be given the option to opt +out in writing. Please Refer to SBIRT in Schools. Staff conducting +the SBIRT screening must complete a mandatory training +through the MA Department of Public Health/BU Shield. +SBIRT in Schools Resource Toolkit + +COUNSELING/REFERRAL +When it is suspected that a student is either using or abusing +marijuana, alcohol or other drugs, or there are strong indications +that such is the case, the student should be referred to the school +nurse for a wellness check, the school social worker and the +parent/guardian/caregiver shall be notified. The student may be +referred to the Student Support Team(SST) and/or the school +administrator for a referral to the voluntary Substance Use +Program (SUP) at Succeed Boston. The Substance Use Program +(SUP) is a voluntary program for students whose use of drugs or +alcohol is of concern. The program provides education and +counseling about the effects of drugs, alcohol, and vaping and +provides students with alternative ways to deal with stress. +Referral for outside services will be provided as needed. The +student may participate in the voluntary intensive program for +up to five days and upon discharge will be referred to appropriate +outside services. Students may be referred to the Student +Support Team (SST) by teachers or by any other school staff +member. Students may self-refer because of a problem with +substance abuse. The team should be prepared to assist the +student by providing them with a source of early intervention in + + +Page 5: +Superintendent’s Circular SHS-01 +Page 5 of 9 + +the form of individual or group counseling by a provider agency +which serves the school or is available in the community. + +RE-ENTRY +Follow-up is a crucial phase of a student's recovery after +returning from treatment for substance abuse. An after-care +program should be devised by school staff in collaboration with +the facility which has provided treatment services. The plan +should include a review of the student's school program with +parents, guidance counselor, and case manager; placements in +an appropriate class schedule; and follow-up meetings. + +REPORTING OF INCIDENTS RELATED TO DRUG/ALCOHOL USE +1. +All School Department personnel are under obligation to +report to the principal, head of school, or other designated +administrator any and all incidents or suspected incidents +involving the use, possession, or distribution of any drug, +alcoholic beverage, while they are under the authority of the +Boston School Department. + +2. +All School Department personnel are to understand that in +the event they are subpoenaed to testify in a court of law or +other proceeding, they are obligated to reveal any +information pertaining to drug, alcohol, and weapons +incidents, even if such information was given to them in +confidence. + + + +Page 6: +Superintendent’s Circular SHS-01 +Page 6 of 9 + +3. +All School personnel are to understand that they are +prohibited from "making deals" with students whereby they +agree not to notify law enforcement agencies of known or +suspected illegal activities involving drug, alcohol, + +4. +Each and every incident or suspected incident is to be +reported immediately to the appropriate principal, head of +school or designated administrator, in accordance with +School Department policy and procedure. + +5. +Students are considered to be under the authority of the +Boston School Department when they are on School +Department property, on School Department buses, at or +near school bus stops, while on their way to or from school, +or participating in school sponsored activities conducted off +school grounds. + +6. +Any student who is suspected of or who has admitted to +being under the influence of drugs or alcohol must be +immediately escorted to the office of the principal, head of +school, or designated administrator. + +7. +Students involved in incidents described in items 1, 5, and 6 +shall be considered in Massachusetts General Laws, Chapter +94C (Controlled Substances Act), Chapter 138 (Alcoholic +Liquors), Chapter 119 (Protection and Care of Children and +Proceedings against Them), and Chapter 169-10 (Dangerous +Weapons, Unlawfully Carrying). + + + +Page 7: +Superintendent’s Circular SHS-01 +Page 7 of 9 + +8. +Use of drugs and/or alcohol is prohibited.Students deemed +to be in violation of school rules after an investigation by the +principal, head of school or designated administrator will be +appropriately disciplined, but law enforcement and EMS +assistance may be requested in cases where it is apparent +that the student is engaging in disorderly or dangerous +behavior. + +9. +In some cases, if a student is found to be in possession of +drugs, alcohol or weapons or to be under the influence of +drugs or alcohol is to be considered in violation of +Massachusetts General Law. In such cases the principal, +head of school, or designated administrator is obligated to +summon the Boston Police Department, which will assume +responsibility for criminal prosecution in the event that such +prosecution is warranted. + +10. +In all such cases where students are found or suspected to +be involved in any incident involving substance abuse, a +safety specialist will take custody of any and all evidence +including drugs and alcohol. + +11. +The Department of Safety Services will coordinate record- +keeping functions. + + + + + + + +Page 8: +Superintendent’s Circular SHS-01 +Page 8 of 9 + +DISCIPLINARY PROCEDURES RELATING TO DRUG/ALCOHOL +ABUSE + +1. +Sections 7.7 .1 of the Code of Conduct requires that sale, +distribution, or possession with intent to sell or distribute of +any prescribed or non-prescribed controlled substances in +school, on school grounds, or while under school jurisdiction +may result in expulsion. + +2. +Section 7.4.2 of the Code of Conduct allows for suspension, +long term suspension, alternative program placement, or +expulsion if a student is found in possession of any non- +prescribed controlled substance, narcotic drug, +hallucinogenic drug, amphetamine, barbiturate, marijuana, +alcoholic beverage, or intoxicant of any kind. + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular SHS-01 +Page 9 of 9 + + + + + +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-25 +Version 01 + + + +SICKLE CELL DISEASE POLICY AND IMPLEMENTATION + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY BACKGROUND +BPS recognizes that a clear, comprehensive policy on Sickle Cell +Disease (SCD) management in school can have an impact on +academic achievement and support the general wellbeing of +students with SCD. + +POLICY STATEMENT +BPS acknowledges that SCD is a disability that substantially +limits a major life activity, and qualifies students with SCD for a +comprehensive evaluation and consideration of eligibility under +Section 504 of the Rehabilitation Act of 1973 (Section 504) to +determine the services and accommodations they may need to +attain a free appropriate public education. As part of BPS’s +commitment to maintaining an educational environment that is +welcoming, inclusive, and encouraging, such that all students are +able to flourish, all schools must follow established protocols and +procedures for addressing the needs of children with SCD and +regularly evaluate the implementation of these plans. + + + +Page 2: +Superintendent’s Circular SHS-25 +Page 2 of 12 + + + + +BPS acknowledges that the successful implementation of this +policy at the district and school levels relies on fostering and +maintaining a culture of awareness and acceptance regarding +SCD through acknowledging the history of SCD and the unique +challenges students with SCD face. With this in mind, BPS +recognizes that: +● People with SCD have long faced harmful stigmas, many +with racially charged origins. +● People with SCD are often challenged about the seriousness +of their disease or even its existence. +● Students with SCD have long experienced barriers to their +health and success at school. + +IMPLEMENTATION IN BOSTON PUBLIC SCHOOLS +Sickle Cell Disease Basics +SCD refers to a group of genetic blood disorders. It affects +individuals of all races and ethnicities, but in the United States it +is especially prevalent among African Americans and Hispanics. +Complications include but are not limited to severe anemia, +susceptibility to infections, insomnia, jaundice, frequent +urination, dehydration, chronic pain, and episodes of extreme, +debilitating pain. Pain episodes (also known as “crises”) can cause +tissue and organ damage, lead to hospitalizations, and have life- +threatening consequences. People with SCD are also at +heightened risk for anxiety, depression, post-traumatic stress + + +Page 3: +Superintendent’s Circular SHS-25 +Page 3 of 12 + + + + +disorder, social isolation, delayed social development, visible +strokes, and “silent strokes” that may go unnoticed but can affect +learning abilities in the short and long terms. Pain episodes and +other complications may be triggered by a wide variety of +physical and psychological stressors. +As a result of these complications and the side effects of +medications, many children with SCD experience frequent +absences and difficulty focusing or engaging as they usually do +at school, particularly with regard to physical activities. On days +free from harsher symptoms and side effects, many students +with SCD still experience baseline symptoms and health +vulnerabilities that require modifications to standard +participation requirements. +Additionally, the biology and history of SCD create the following +unique challenges: +● SCD pain is often “invisible.” People with SCD learn coping +mechanisms (such as staying still and quiet) that may seem +counterintuitive. SCD pain therefore often goes undetected +by others, leading to challenges about the seriousness or +existence of the pain. +● Symptoms such as jaundice, short stature, and delayed +social development, along with repeated absences, can +make students with SCD targets of bullying and +harassment. +● Medications used to treat people with SCD, such as opioid +pain medications and hydroxyurea (a chemotherapy drug + + +Page 4: +Superintendent’s Circular SHS-25 +Page 4 of 12 + + + + +that can also help some people with SCD), can cause serious +and disruptive side effects and carry stigmas of their own. +● Individuals with SCD have historically been stigmatized in +the community, hospitals, schools, the armed services, and +places of employment. Labeled a “Black disease,” SCD has +historically been associated with claims of racial weakness +and genetic inferiority. + +OVERVIEW – ADDRESSING NEEDS OF BPS STUDENTS WITH SCD +A. +CHILD FIND: Identification, Location, Immediate +Accommodations & Evaluation + +1. Identification and Location +BPS acknowledges that, due to the stigmas noted above, many +parents choose not to identify their child with SCD instead of +seeking supportive services and accommodations for their +children. To overcome this challenge, BPS utilizes multiple +strategies as part of an outreach and public awareness campaign +to raise awareness of SCD and its effects on learning to assure +families that BPS is a willing partner to create a community of +support, collaboration, and understanding around students with +SCD. These strategies include but are not limited to: +● Collaboration with local medical centers that treat +children with SCD and leveraging these to develop +strategies for identification and location (e.g., sharing + + +Page 5: +Superintendent’s Circular SHS-25 +Page 5 of 12 + + + + +outreach materials with clinics, providing “know your +rights” materials for families in clinics that see students +with SCD, meeting with medical providers to develop +additional strategies etc.) +● Ensuring that all communications are available in +multiple languages and/or modes in order to be +accessible to all families +● Ensuring that the outreach and public awareness +campaign includes outreach to preschools, early +intervention providers and community support +providers, who are likely to have students that are or +will enroll in BPS (i.e. located in Greater Boston) +● Additional strategies developed with input from the +SCD Advisory Group + +Specific considerations regarding enrollment: +Upon identifying a child with SCD at enrollment, BPS ensures +proper placement in a school with appropriate health and related +services. Given stigmas related to SCD, BPS gives special +attention to ensuring the privacy of students with SCD. This +includes appropriately limiting the scope of releases parents sign +regarding disclosures of their child’s SCD status. Further, BPS +ensures appropriate efforts are made to initiate and maintain +connections between school health staff and students with SCD, +their parents, and their medical teams upon enrollment of the +student (or upon identification if after enrollment). This includes + + +Page 6: +Superintendent’s Circular SHS-25 +Page 6 of 12 + + + + +providing information to parents and school health staff and +ensuring privacy rights are maintained. + +2. Interim Services/Supports Pursuant to Section 504 +BPS acknowledges that, because SCD is a physical disability that +substantially limits major life activities, students with SCD are +entitled to certain accommodations upon identification and +location to ensure their health, safety, and equal educational +opportunities, pending the completion of a comprehensive +evaluation. All rights and protections pursuant to Section 504, +including procedural safeguards, are ensured upon identifying +and locating students with SCD. BPS ensures that the interim +accommodations implemented pursuant to Section 504 include +the following: +● Two sets of textbooks, one for school and the other for +home +● Unlimited bathroom access as needed +● Unlimited access as needed to the school nurse or +school health official +● Unlimited access as needed to communicate with +parent and/or physician if they are experiencing +symptoms that are unfamiliar or are ones their +physicians told them to contact them about if +experienced + + +Page 7: +Superintendent’s Circular SHS-25 +Page 7 of 12 + + + + +● Unlimited water access as needed through access to a +water bottle and water fountains +● Time/permission to access medication (including +prescribed opioids), as needed +● Permission to wear a coat indoors whenever feeling +cold and to stay indoors or be exempt from outdoor +activities whenever it is too hot, too cold, or when air +quality is poor +● Permission to move away from indoor AC or heating +units +● Consideration for door-to-door transportation, except +in the very limited circumstances where it would be +impractical (e.g., student resides next door or across +the street from the school building they attends) +● Permission to access an elevator, if relevant, and to +leave class early to get to the next one (or alternatively, +extra time between classes) +● Modified participation in gym class, based on student +needs +● Proactive plans to address academic and +social/emotional supports upon return to school from +absences including supplemental instruction provided +by qualified subject-area teachers and service +providers in order to scaffold missed and ongoing +instruction in the classroom and to enable students to +catch up with and stay on pace with classmates + + +Page 8: +Superintendent’s Circular SHS-25 +Page 8 of 12 + + + + +3. Comprehensive Evaluation +BPS ensures that all students with SCD receive a timely, +comprehensive evaluation of all areas of suspected disability to +determine the nature and extent of a student’s need, if any, for +specialized instruction or related aids and services. BPS ensures +that a neuropsychological evaluation is considered as part of a +comprehensive evaluation for any student with SCD. + +B. +FREE APPROPRIATE PUBLIC EDUCATION +To address needs for students with SCD, BPS ensures that—as +part of special education and related services that may be +identified through comprehensive evaluations—any 504 plans +and/or IEPs specifically address challenges students with SCD +face related to health and safety needs, academic needs, social- +emotional needs, resuming school after absences, and +stagnations and/or declines in academic progress or +performance. BPS therefore ensures the utilization of a checklist +of potential accommodations at each Section 504/IEP Team +meeting for a student with SCD. The checklist is considered in +addition to all other appropriate services and supports +determined necessary for an individual student with SCD to +receive a free appropriate public education. BPS ensures that +documentation of each item’s consideration by the 504 or IEP +team is included in meeting minutes and provided to parents. + + + +Page 9: +Superintendent’s Circular SHS-25 +Page 9 of 12 + + + + +BPS ensures that neither Individual Health Plans (IHPs) nor +Individual Collaborative Health Plans (ICHPs) are used in lieu of a +504 Plan, IEP or interim accommodation plan. +Additional points requiring particular attention: +1. Continually Updating Health and Safety Services/Supports +BPS ensures that the 504 Plans and/or IEPs of children with SCD +reflect the up-to-date health and safety needs of the child, +recognizing that these needs may change during the course of +the year. BPS ensures that any new information received +regarding changed needs for a student with SCD will be +addressed in light of the student’s 504 Plan or IEP. + +2. Tracking Effects of Absences and Sudden Changes in +Needs +BPS ensures that, when a child with SCD has had absences and +there has been a lack of expected progress toward annual goals +in an IEP and/or in the general curriculum, discussions are +promptly held regarding how the absences are interfering with +academic progress and how this interference can be overcome, +including consideration of instruction in the summer. BPS also +ensures that sudden drops in academic performance and sudden +increases in social-emotional needs that are experienced by +students with SCD are detected and responded to appropriately. + +3. Designation Director of Constituent Services If and When +Services or Supports Are Not Provided + + +Page 10: +Superintendent’s Circular SHS-25 +Page 10 of 12 + + + + +BPS ensures that students with SCD, their parents, and (with +proper consent/privacy precautions) their medical team have +access to the Boston Public Schools Director of Constituent +Services to escalate concerns they have about a child with SCD +not receiving a free appropriate public education. This process is +separate from and does not preclude due process and grievance +rights available under Section 504 and IDEA. These mechanisms +are necessary given the severity and swiftness of the health, +academic, and social-emotional consequences that can occur for +children with SCD. + +C. +ENSURING APPROPRIATE CULTURE WITHIN BPS +REGARDING SCD +BPS ensures that the culture regarding SCD with BPS includes: +● believing students with SCD when they communicate that +they: are in pain, are having some other complication, or are +unable to perform a certain task due to their symptoms +● not blaming or shaming students with SCD or their parents +for their challenges +● identifying challenges quickly and working collaboratively +to find appropriate solutions +● facilitating awareness that children with SCD are members +of school communities +● facilitating an understanding of what SCD is and its +implications for health and safety + + +Page 11: +Superintendent’s Circular SHS-25 +Page 11 of 12 + + + + +● facilitating an understanding of the services/supports that +students with SCD may need to ensure their health and +safety, as well as an understanding of the importance of +adhering to these accommodations +● facilitating an understanding of the special education and +related services a student with SCD may need to ensure +their access to a free appropriate public education + +1. Awareness and Trainings +As part of ensuring an appropriate culture regarding SCD, BPS +conducts ongoing outreach and public awareness campaigns +that address each aspect of an appropriate culture described +above. BPS also conducts ongoing training for all teachers, +administrators, nurses, and other relevant staff. Training covers all +necessary topics to ensure that all BPS staff coming into contact +with students with SCD have the necessary knowledge and +awareness to properly implement all policies, protocols, and +procedures regarding SCD and to appropriately support the +student with SCD. School nurses receive additional periodic +training in managing the medical needs of students with SCD. + +2. Scope and Frequency of Awareness and Training Activities +BPS ensures that awareness and training efforts are wide enough +in scope to reach all appropriate personnel and repeat with +enough frequency to reach any new or temporary personnel who +may enter over the course of a school year. + + +Page 12: +Superintendent’s Circular SHS-25 +Page 12 of 12 + + + + +D. +DATA MONITORING +BPS conducts sufficient data monitoring to track successes and +failures in the implementation of its policies, protocols, and +procedures regarding SCD. This monitoring includes +documenting instances where students with SCD, their parents, +and/or their medical team had to escalate concerns about health +and safety services/supports being provided or followed and/or a +free appropriate public education being properly provided. The +data produced is regularly reported through summary statistics +without personally identifiable information to the SCD Advisory +Group and publicly via BPS website postings and press releases. + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + + Superintendent’s +Circular +NUMBER: +SHS-08 +Version 01 + +MEDICATION ADMINISTRATION +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY FOR ADMINISTRATION OF MEDICATIONS +The school nurse is the supervisor of the medication +administration program in the school. The school nurse is the +only staff authorized to administer medication except in two +situations: (1) during field trips and (2) in the event of a life- +threatening allergic reaction requiring administration of +Epinephrine via an autoinjector. The school nurse is responsible +for training designated staff in the administration of medication +in these two situations. This policy is in accordance with +Massachusetts state regulations for administration of medication +in public schools (105 CMR 210.000). The protocol has been +approved by the Massachusetts Department of Public Health. For +more detailed information, please refer to the 105 CMR 210: +DEPARTMENT OF PUBLIC HEALTH +PROTOCOL FOR ADMINISTRATION OF MEDICATION +This section is a summary of the medication protocol. The full +protocol is in the Nurses’ Protocol and Procedure Manual and +contains the referenced forms. + + +Page 2: +Superintendent’s Circular SHS-08 +Page 2 of 14 + +General: +● The school nurse shall be the supervisor of the medication +administration program in the school. +● All school nurses will have read the complete Medication +Policy and 105 CMR 210.000- THE ADMINISTRATION OF +PRESCRIPTION MEDICATIONS IN PUBLIC AND PRIVATE +SCHOOLS annually. +● The school nurse, in collaboration with the parent or guardian, +shall establish a medication administration plan for each +student receiving medication, in accordance with the details of +the full medication policy. +● In accordance with standard nursing practice, the school nurse +may refuse to administer, or allow to be administered, any +medication which, based on their individual assessment and +professional judgment, has the potential to be harmful, +dangerous, or inappropriate. In these cases, the +parent/guardian and licensed prescriber shall be notified +immediately by the school nurse and the reason for refusal +explained. The school nurse will document the above in the +electronic medical record (EMR). +● Health Services administration is accountable for reviewing all +aspects of medication administration and ensuring that the +Massachusetts Standards of Nursing Practice are upheld. +When inconsistencies are discovered, the school nurse will be +counseled, and the head of school/principal informed. When +inadequacies continue (despite appropriate counseling and +support), the issue and the measures taken will be +documented in the nurse’s performance evaluation. Auditing + + +Page 3: +Superintendent’s Circular SHS-08 +Page 3 of 14 + +will occur as part of routine site visit or as incidents deem +necessary. +Handling, Storage, and Disposal of Medications +● All prescription medications shall lie stored in their original +pharmacy or manufacturer labeled containers and, in such +manner, as to render them safe and effective. +● All prescription medications to be administered by school +personnel shall be kept in a securely locked cabinet used +exclusively for medications, which is kept locked except when +opened to obtain medications. The medication cabinet is to be +accessed solely by the school nurse. The cabinet shall be +substantially constructed and anchored securely to a solid +surface. Prescription medications requiring refrigeration shall +be stored in either a locked box in a refrigerator or in a locked +refrigerator maintained at temperatures of 38F to 42F. +● Access to stored prescription medications shall be limited to +persons authorized to administer prescription medications and +to self-medicating students, to the extent permitted by school +policy developed pursuant to 105 CMR 210.006(B)(8). Access to +keys and knowledge of the location of keys shall be restricted +to the maximum extent possible. Students who are self- +medicating shall not have access to other students’ +medications. +● Parents or guardians may retrieve the prescription +medications from the school at any time. +● No more than a 30 school-day supply of the prescription +medication for a student shall be stored at the school. + + +Page 4: +Superintendent’s Circular SHS-08 +Page 4 of 14 + +● Where possible, all unused, discontinued, or outdated +prescription medications shall be returned to the parent or +guardian and the return appropriately documented. In +extenuating circumstances, with parental consent, when +possible, such prescription medications may be destroyed by +the school nurse in accordance with any applicable policies of +the Massachusetts Department of Public Health, Division of +Food and Drugs. +● The school nurse is responsible for maintaining the +confidentiality of a students’ health record, including +medications. Do not discuss or share information about +students or medications with other school staff or people +outside school unless directed to do so by the school nurse. +Refer all questions or comments about students or +medications to the school nurse. +Medication Orders/Parental Consent +● The school nurse shall ensure that there is a proper medication +order from a licensed prescriber which is renewed annually +and when changes are made to the orders. The +parent/guardian must sign a consent for the administration of +the medication every time a change is made. +● A new order must be obtained at the beginning of the +academic year for all daily medications/treatments and any +PRN medications. +● All students with medication orders should have a medication +administration plan and an IHP. +● Medication orders will be transcribed into the Electronic +Medical Record (EMR) using the date the order was written by + + +Page 5: +Superintendent’s Circular SHS-08 +Page 5 of 14 + +the prescriber until the end of the school year. (The official end +of the school year is the last day of the Extended School Year +(ESY) program. +● A telephone order or an order for any change in medication +shall be received only by the school nurse. Any such verbal +order must be followed by a written order within three school +days. +● The prescriber Medication Order form should be used. It is +recommended that the Boston Public Schools Medication +Order Form be completed by the prescriber, as the form +contains the necessary information about the medication. +Orders may be accepted from a prescriber that has not used +the BPS Medication Order form as long as all necessary +information is on the letter or form. The parent/guardian must +consent to the administration of medication in school. +Reporting and Documentation of Medication Errors +● A medication error includes any failure to administer +medication as prescribed for a particular student, including +failure to administer the medication: +● within appropriate time frames (the appropriate time frame +should be addressed in the medication administration plan) +● in the correct dosage +● in accordance with accepted practice +● to the correct student +In the event of a medication error, the school nurse shall notify +the parent or guardian immediately. (The school nurse shall +document the effort to reach the parent or guardian.) If there is a + + +Page 6: +Superintendent’s Circular SHS-08 +Page 6 of 14 + +question of potential harm to the student, the nurse shall also +notify the student's licensed prescriber or school physician. +Medication errors shall be reported to the Health Services +nursing leadership and documented by the school nurse utilizing +the medication error report form. These reports shall be retained +by Health Services leadership and within the student electronic +health record where applicable. They shall be made available to +the Department of Public Health upon request. +All medication errors resulting in serious illness/injury requiring +medical care shall be immediately reported to the Health +Services leadership who will make the decision, as necessary, to +further report to the Department of Public Health, Drug Control +Program utilizing the Drug Incident Report. +All suspected diversion or tampering of drugs shall be reported to +the Health Services nursing leadership and to the Department of +Public Health, Division of Food and Drugs. +The school nurse shall review reports of medication errors and +take necessary steps to ensure appropriate medication +administration in the future. +Over The Counter (OTC) Medications, i.e., Non-Prescription +Medications +● The school nurse shall follow the Board of Registration in +Nursing protocols listed in their Advisory Ruling (AR) +Medication Administration of Over-the-Counter Drugs (AR 92- +05) regarding required provider orders and safety steps in the +administration of OTC medications in schools. (Board of +Registration in Nursing Advisory Ruling 92-05 + + +Page 7: +Superintendent’s Circular SHS-08 +Page 7 of 14 + +● The school physician is responsible for the OTC Standing +Orders policy, in consultation with the Office of Health Services +nursing leadership and feedback from the school nurse body +and will sign off on a standing order for administration of OTC +medications (Appendix). +● OTC medications may only be administered once during any +school day (except as noted). If requested more than two times +in any given week, or a pattern of regular usage develops, the +school nurse will contact the parent/guardian for provider +guidance per Standing Order protocol. +● OTC medication may NOT be administered without parental +permission. +● A one-time dose of an OTC medication may be administered +with verbal parental/guardian consent in the event that a +paper consent form has not been signed, the parent/guardian +must return a signed consent form within two school days +following the administration for future administration. +Herbal Preparations +● Herbal preparations/medications are to be considered over- +the-counter medications and are subject to the same +regulations and require parental permission. +● Herbal preparations/medications must be listed in the U.S. +Pharmacopeia (USP.org) in order to be given in school. +● The OTC standing orders do not cover herbal +preparations/medications and require a prescription from an +appropriate and duly licensed prescriber. + + +Page 8: +Superintendent’s Circular SHS-08 +Page 8 of 14 + +Special Medication Situations +● For short-term medications, i.e., those requiring administration +for ten school days or fewer, the pharmacy-labeled container +may be used in lieu of a licensed prescriber’s order. +● Investigational new drugs may be administered in the schools +with (a) a written order by a licensed prescriber, (b) written +consent of the parent or guardian, and (c) a pharmacy-labeled +container for dispensing. If there is a question, the school +nurse may seek consultation and/or approval from the school +physician to administer the medication in the school setting. +Controlled Substances +● Students may require medications that fall under the category +of “controlled substances.” +● The detailed protocol for administration of controlled +substances is in the BPS Nurses Protocol and Procedure +Manual. +Medications During Transport +● Asthma exacerbations may occur while in transport. A self- +medication plan would address this issue and allow for the +child to carry and self-administer the medication without the +supervision of the school nurse. The student should be advised +to report to the school nurse if they require treatment en route +to or from school. +● Emergency medications, other than Epinephrine, cannot be +administered by the bus driver/transportation monitor. The +driver is expected to pull over and call 911 EMS if there is an + + +Page 9: +Superintendent’s Circular SHS-08 +Page 9 of 14 + +emergent need and there are no licensed personnel +accompanying the child. +Anaphylaxis +● Nurses, in conjunction with building administrators, MUST +have a plan in place to ensure the safety of those children with +life threatening allergies requiring the administration of +Epinephrine. +● In the event of a life-threatening, previously undiagnosed +anaphylactic reaction, the school nurse may administer +epinephrine in the protocol dosages. +● The school physician is responsible for reviewing and renewing +the anaphylaxis protocol on an annual basis. +● Refer to Superintendent Circular SHS-11 “Life Threatening +Allergies (LTA or Anaphylaxis)” for specifics. +Asthma +● If a child with known asthma has a severe exacerbation while +at school and there is no order for medications administered +via nebulizer from the child’s primary care provider, the nurse +may administer a nebulizer or Metered Dose Inhaler (MDI) +treatment, under the school physician’s order and according to +the asthma protocol (BPS protocol and procedure manual). +● The emergent use of nebulizer should occur within the context +of the child’s primary or specialty care management. After the +first episode of medication administered via nebulizer or MDI +utilizing standing orders, every effort should be made to +secure a treatment plan which includes use of PRN nebulizer +with feedback to the family and/or the primary care provider. + + +Page 10: +Superintendent’s Circular SHS-08 +Page 10 of 14 + +● If there are no subsequent medication treatment orders from +the patient’s primary care provider, the parent will be notified +and 911 will be accessed in the event of an asthma +exacerbation. +Delegation/Supervision for Field Trips and Life-Threatening +Allergic Reactions +● The school nurse shall have final decision-making authority +with respect to delegating administration of medications to +unlicensed personnel in the school system. Boston Public +Schools is registered with the Department of Public Health +and has chosen to limit delegation to field trips only. +● When medication administration is delegated by the school +nurse to unlicensed school personnel, such personnel shall be +under the supervision of the school nurse for the purposes of +medication administration. +● After consultation with the principal or administrator +responsible for a given school, the school nurse shall be +responsible to select, train, and supervise the school personnel +approved by the school nurse to administer medications on +field trips. When necessary to protect student health and +safety, the school nurse may rescind such selection. +● A school nurse shall be on duty in the school system while +medications are being administered by designated unlicensed +school personnel, and available by telephone should +consultation be required. +● The administration of parenteral medications may not be +delegated. + + +Page 11: +Superintendent’s Circular SHS-08 +Page 11 of 14 + +● Medications to be administered pursuant to PRN (“as needed”) +orders may be delegated to be administered by authorized +school personnel while on a field trip after an assessment by or +consultation with the school nurse for each dose. +Note: any medications that require a nursing assessment +may not be delegated with the exception of asthma +medications. +● For each school, an updated list of unlicensed school +personnel who have been trained in the administration of +Epinephrine shall be maintained by the school nurse. Upon +request, a parent shall be provided with a list of school +personnel trained to administer medications on field trips and +in life threatening cases. Note: It is the expectation that all +school staff are trained by the school nurse in Epinephrine via +an autoinjector administration twice a year and complete a +return-demonstration to the nurse. +● Designated, trained medication delegation school personnel +shall be listed on the specific student’s medication +administration plan. +● Principals/head of school or the district department +sponsoring the trips have the primary responsibility to ensure +that all procedures pertaining to field trips are followed by +their school and establish clear and transparts internal +protocols for field trip requests and approvals at the school +level. +● Before approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place + + +Page 12: +Superintendent’s Circular SHS-08 +Page 12 of 14 + +before the field trip is secured. For additional questions, please +consult the Health Services Department. Additionally, to +thoroughly support a student's participation in a field trip, at +least six weeks before departure (much longer for international +and overnight field trip programs), consult with, and when +necessary, receive training from the school nurse regarding +any students who have medical needs. +● Refer to Superintendent’s Circular CAO-22 General Guidelines +and Procedures for All Field Trips for additional information. +Self-Administration of Medications +Consistent with school policy, students may self-administer +prescription medication provided that certain conditions are met. +For the purposes of 105 CMR 210.000, “self-administration” shall +mean that the student is able to consume or apply prescription +medication in the manner directed by the licensed prescriber, +without additional assistance or direction. +For a child to self-administer, the following must be in place: +● Parent/guardian approval. +● An assessment by the school nurse that the student is capable +of self-medication administration. +● The school nurse develops an individualized medication +administration plan (105 CMR 210.005(E) for that student which +is agreed to by the parent/guardian and contains: +○ Documentation by a designated school personnel or by +the student, when the student is assessed as capable by +the school nurse, that medication was self-administered. +○ Periodic review of process by school nurse + + +Page 13: +Superintendent’s Circular SHS-08 +Page 13 of 14 + +○ Determines a safe place for storing the medication for the +individual student, while providing for accessibility if the +student’s health needs require it. +○ Documentation of teacher’s and student’s knowledge of +the medication dose, frequency, and side effects, the +disease process for which the medication is being +administered, the safety of the plan and the student’s +ability to self-administer the medication, and the student’s +compliance with the identified plan. +● A medication order from a licensed prescriber for this student’s +medication. +● In the absence of a school nurse, the school administrator will +contact a health services administrator to assist with the +development of an appropriate plan of care which includes all +the above. +● All self-medication administration plans must be renewed +annually. +Health Services administration is accountable for reviewing all +aspects of medication administration and ensuring that the +Massachusetts Standards of Nursing Practice are upheld. When +inconsistencies are discovered, the school nurse will be +counseled, and the head of school/principal informed. +Summary of significant dates and deadlines: +Month +Activity +January +Send an updated list of nurses/schools +to MA DPH. + + + +Page 14: +Superintendent’s Circular SHS-08 +Page 14 of 14 + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-20 +Version 01 + +ASTHMA IN SCHOOLS +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +The Boston Public Schools recognizes that a clear, concise policy +on asthma management in school can impact academic +achievement. All schools must have protocols and procedures for +children with asthma and evaluate the implementation of these +plans regularly. This document outlines the comprehensive and +collaborative nature of managing a child’s asthma within a school +setting. +BACKGROUND ON ASTHMA +Because asthma is one of the most common chronic childhood +illnesses and a major cause of student absences, it is important +for schools to adopt a comprehensive, coordinated approach to +addressing asthma. +While asthma affects people of all ages, races, genders, and +segments of society, the burden is not equally shared across +racial and ethnic groups. It is most often a disease of the young +and of the poor. In 2020, 25.3 million Americans reported a +diagnosis of asthma. Of those, 21 million were adults, and 4.2 +million were children.1 Nearly half of children (52.7%) and adults +with asthma living below the poverty level reported an asthma + + +Page 2: +Superintendent’s Circular SHS-20 +Page 2 of 9 + +attack in the past year2, which is an indication of poor asthma +control. Children and people living below the poverty level are +among the groups most likely to have asthma, and to suffer from +severe asthma attacks, hospitalization, and even death. Asthma +morbidity and mortality are disproportionately burdensome for +African Americans and Hispanics, who are least likely to have +access to health education and adequate healthcare. +A comprehensive plan includes management and support +systems, appropriate health and mental health services, +educational programs for staff and students, appropriate and +reasonable environmental remediation, and communication +systems with home and child clinicians. +These components need to be integrated with community efforts +that include the medical and mental health fields, housing and +community air quality improvements, and active engagement of +families. +This document links with the Medication Administration Policy +and Management of Life-Threatening Allergic Reaction policies. +PROTOCOL FOR IMPLEMENTATION +Role of the Parent +• At the time of registration, the parent/guardian should +inform the Welcome Center staff of any health concerns of +their child, including asthma. The Health Services +Department remains available to support any student or +parent/guardian wishing to discuss this information +privately. +• Complete emergency forms indicating that their child has + + +Page 3: +Superintendent’s Circular SHS-20 +Page 3 of 9 + +asthma and include emergency numbers. +• Provide the school nurse with a current Asthma Action Plan +and emergency management plan from the student’s +physician and/or pulmonologist. It is recommended that the +parent/guardian meet with the school nurse in person to +discuss their child’s plan. +• Review with your child’s primary care provider/specialist and +sign all asthma forms presented by the school nurse. These +may include a combination of the following: +o Permission for a school nurse to communicate with the +family and the primary care provider/specialist +o Authorization to dispense medication +o Consent for child’s self-administration of asthma +medicine (when developmentally appropriate) +o The Parent/Guardian Asthma Questionnaire +o The Asthma Action Plan +• Provide the school with a pharmacy-labeled supply of +medications (oral and inhalers), including nebulizer +medications, masks, and tubing. Most health rooms have +nebulizers but are not equipped with extra masks and +tubing. +• Participate in the Asthma Action Plan for their child with the +child’s health practitioner and deliver the completed asthma +action plan to the school nurse. +• Provide a cell phone number or other emergency number/s +• Assure that the pre-school and after-school staff has the +appropriate information and training. + + +Page 4: +Superintendent’s Circular SHS-20 +Page 4 of 9 + +Role of the School Administrator +• Support faculty, staff, and parents in implementing all +aspects of the asthma management program, including +self-management. +• Support the development of a schoolwide policy, with input +from the School Site Council, for management of the school +environment, which includes, but is not limited to: +o Maintaining an active Integrated Pest Management +Program +o Review of and action on annual school inspections +o Use of green cleaners +o Enforcement of the tobacco-free policy +• Ensure there is a contingency plan for a substitute nurse, +teacher, or food service personnel who is not familiar with +the child. +• Ensure that the classroom staff is informed about asthma +prevention, management, and emergency response. +• Support program development, especially in schools with +higher than the state average of students diagnosed with +asthma or with large numbers of absenteeism related to +asthma. +• Review environmental inspections and ensure that all work +orders occur in a timely fashion. +• Support the student support team, the school nurse, and +the classroom teacher in identifying children with increased +absenteeism in relation to asthma. +• Inform the school nurse 4-6 weeks in advance of field trips + + +Page 5: +Superintendent’s Circular SHS-20 +Page 5 of 9 + +to thoroughly support a student's participation in a field trip +and ensure adequate planning time (e.g., staff training, +preparation of medications) +Role of the Student (where it is developmentally appropriate) +• Sign off on self-administration plan guidelines. +• Participate in self-management program(s) such as Open +Airways or Kickn’ Asthma to help better identify triggers +that may cause asthma symptoms and response. +• Complete the “Student Breathing/Asthma Questionnaire.” +Role of the School Nurse +• Obtain and review the student’s current Asthma Action Plan +(AAP) and other pertinent information from the student’s +parents/guardians and health care providers, including +medication administration permission form. +• Obtain releases for nurse/health care provider +communication and physician authorization for medication. +• Administer medication per provider order, monitor asthma +control, coordinate care, and maintain records. +• Provide safe storage and easy access to prescribed +medication when needed. +• Promote and encourage independence and self-care +consistent with the student’s ability, skill, maturity, and +development as indicated in the AAP. After reviewing the +AAP with the parents/guardians and student, implement, +review, and update the plan throughout the school year as +needed. + + +Page 6: +Superintendent’s Circular SHS-20 +Page 6 of 9 + +• Develop a plan for student management in the classroom, +lunchroom, playground, and athletic field that provides +routine and emergency care. +• Complete with the student (where developmentally +appropriate) the Student Breathing/Asthma questionnaire. +• Ensure that all other staff members (including coaches) who +have contact with children with asthma are familiar with +their Asthma Action Plan on a need-to-know basis. Teachers +should be contacted individually rather than with lists +posted. +• Provide a list of students with life-threatening allergies as a +component to their asthma (if consent is given by parent) to +all staff on a need-to-know basis; lists must be maintained in +a confidential manner to protect students’ privacy. +• Conduct in-service training and education for appropriate +staff regarding asthma symptoms, risk reduction +procedures, and emergency procedures. This information +should be reviewed annually, preferably at the beginning of +the school year. +• Ensure that there is a contingency plan in place in all school- +related venues where substitutes are utilized. +• Communicate with parents regularly to discuss issues +relating to the plan. +Role of the Teacher +• Maintain a discrete list of all students in the classroom with +asthma; lists must be maintained in a confidential manner +to protect students’ privacy. + + +Page 7: +Superintendent’s Circular SHS-20 +Page 7 of 9 + +• Participate in asthma awareness professional development +opportunities, as needed. +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the child's asthma needs on a +need-to-know basis, while maintaining student +confidentiality. +• Provide the school nurse with an adequate warning (4-6 +weeks for field trips) about school-sponsored off-site +activities. +• Notify the school nurse of any concerns. +Role of Off-site Staff +• Maintain a list of all students with severe persistent asthma; +lists must be maintained in a confidential manner to protect +students’ privacy. +• Coaches will be informed of any students on their teams +who have asthma (through review in ASPEN/Sports +Clearance form) and trained in asthma awareness and +maximizing athletic performance. +• Allow responsible students to self-medicate during practices +and sports events; students must have a self-medication +plan on file with the school nurse. + Role of the Coordinator of Special Education (COSE): +• If a student is referred for consideration for a 504 +accommodation plan and/or special education, the COSE +will process as appropriate; the parent/guardian, school +nurse, and other school staff must be involved in the plan + + +Page 8: +Superintendent’s Circular SHS-20 +Page 8 of 9 + +development and implementation. +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +will discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team shall consider transportation needs (team shall include +school nurse). If special transportation is necessary, it can be +added to the IEP. + +REFERENCES +Managing Asthma: A Guide for Schools +Asthma Self-Management Skills, American Lung Association +CDC Strategies for Managing Asthma in Schools +1CDC Most Recent National Asthma Data +2American Lung Association Controlling Childhood Asthma +and Reducing Emergencies Initiative + + + + +Page 9: +Superintendent’s Circular SHS-20 +Page 9 of 9 + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-06 +Version 01 + + + +1 +FOOD AND NUTRITION SERVICES MENU AND +INGREDIENT GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools (BPS) Food and Nutrition Services +(FNS) Menu and Ingredient Guidelines are the benchmarks for +food quality, food safety, nutrition, and variety. They are applied +primarily to menu development and procurement and support +the Nutrition Standard of Food and Nutrition Services. They +pertain to all USDA programs administered by FNS. +FNS continuously monitors its work related to these guidelines +and updates them annually between school years. The guidelines +are informed by sources of evidence-based research, and ad hoc +related to ingredients and standards for operation. +FNS Menu and Ingredient Guidelines align with the Good Food +Purchasing Program and continuously strive to meet the Menus +of Change Principles of the Culinary Institute of America. These +values and principles, respectively, are embedded within the FNS +Menu and Ingredient Guidelines. +The Menu and Ingredient Guidelines are grouped below under +the following headings: + + +Page 2: +Superintendent’s Circular FNS-06 +Page 2 of 17 + + + + +A. Provide nourishing and culturally diverse food choices +according to regulations +B. Offer variety of whole, fresh, local foods +C. Establish levels for some fats, sugar, sodium +D. Eliminate additives +E. Define animal welfare standards +F. Other + +A. Provide nourishing and culturally diverse food choices that +meet or exceed USDA National School Lunch and School +Breakfast Program guidelines as well as guidelines of +Massachusetts Department of Public Health, City of Boston, +and Boston Public Schools Wellness Policy. +FNS strictly follows or exceeds the USDA National School +Lunch and School Breakfast Programs Meal Pattern for the +healthy meal choices that it offers and the frequency that +choices are served. +For Boston schools: +• Menus follow at least a four-week cycle and continuously +evolve for diversity, updates, variety, and trends, reflecting +student preferences. +• Menus for all BPS food service models are as much like +each other as possible. +• Lunch menus have at least one vegetarian entrée daily +and feature at least one vegan protein option per menu +cycle during in-person meal service. + + + +Page 3: +Superintendent’s Circular FNS-06 +Page 3 of 17 + + + +B. Offer a variety of whole foods that are fresh, high quality, +emphasize local, and foods, as purchased, that retain most +of their inherent physical, chemical, sensory and nutritional +properties. These foods should meet the food quality +requirement as noted throughout these Guidelines. +• Menus favor local, seasonal ingredients. Local items are +featured based on availability, primarily on salad bars, as +well as one or more additional local meal components +during the week, to include whole grains, fish, and dairy, +within budget parameters. Local, defined as New +England, is intended to increase in volume over time for +all service models. +• Menus offer a variety of fruits and vegetables. +o FNS offers at least two fruits (minimum one fresh; may +also serve unsweetened canned/frozen, packed in its +own juice, and dried fruit at breakfast and lunch) +o FNS offers at least three fresh vegetables and one fresh +fruit daily at schools (MWCs) with salad bars. Schools +without salad bars offer a minimum of one or more +fresh fruit and/or vegetables daily. +o Frozen and canned vegetables (salt-free or low- +sodium) may be served, as appropriate. +o Legumes/beans are offered at a minimum of once per +week at all sites for lunch. +• Menus offer legumes and beans as a plant-based protein +option to meet the meat alternate component +requirements of meal pattern. +• Menus will provide all the weekly grains as whole grain- +rich and offered in salad bars, sides, and entrees. Local + + +Page 4: +Superintendent’s Circular FNS-06 +Page 4 of 17 + + + +whole grain-rich items will be featured. +• Menus offer a variety of lean proteins, including animal +and plant-based options (i.e.., chicken, turkey, beef, fish, +tofu, beans). Menus offer commercially purchased whole +muscle meat or entrees made from whole muscle meat, +with no fillers. +• Beef is lean, USDA Grade Choice or better, and contains +100% beef only. +• Eggs are USDA Grade A or equivalent and USDA +inspected; frozen eggs are USDA inspected. +• Seafood must be U.S. Department of Commerce- +inspected. +• FNS offers foods that have as little packaging as possible, +with the goal of eliminating all but reasonable, necessary +packaging. Packaged foods include those served +selectively, at the discretion of FNS and primarily in +settings that have no cooking equipment, for Breakfast in +the Classroom, field trips, and occasionally for grab-and- +go carts. Where possible, meals offered in the classroom, +for field trips and on carts align with meals offered in +dining rooms. +• FNS is moving away from unitized/packaged meals +toward on-site meal preparation. +C. Decrease the amount of saturated fat, monitor added +sugar and excess sodium. +• Menu choices favor entrees that are low in saturated fat +(less than 10% based on the average for a 5-day menu +week). + + +Page 5: +Superintendent’s Circular FNS-06 +Page 5 of 17 + + + +• Healthy oil(s) are used in most food preparation. Butter is +used sparingly. +• All liquid milk is rBGH-free. +• All dairy is low fat (1%) or non-fat (skim), excluding butter. +• FNS currently observes USDA Target 1 sodium limits: +o In line with the federal rules, on or before school year +2024-2025, FNS intends to decrease average daily +sodium levels to reach Target 2 standards established +by the USDA Final Rule “Nutrition Standards in the +National School Lunch and School Breakfast Programs +(1/26/12)”. +• Added sugar content is monitored by following the below +guidelines, with the aim to decrease daily added sugar +intake: +o Cereal may contain no more than 6 gm added sugar +(1.5 teaspoons) (for 1 grain equivalent) and must be +identical nutritional/ingredients with retail product. +o Breakfast grain/grain components may contain up to 8 +gm (2 teaspoons) added sugar. +o For two grain equivalents, there will be no more than +14 gm (4.5 teaspoons) added sugar. +o Yogurt may have 15 gm of added sugar (4.5+ +teaspoons) or less per serving. +• Beverages may include fruit-infused water at hydration +stations in school dining rooms. +D. Eliminate additives and ingredients that aren’t needed for +product integrity. + + +Page 6: +Superintendent’s Circular FNS-06 +Page 6 of 17 + + + +• The following unnecessary or unnatural ingredients are +prohibited from menu items. +• Additives and ingredients will be monitored and adjusted +according to evidence-based research. +• Coloring: +o Artificial colors (including synthetic food dyes) +o Annatto and Cochineal extract/carmine +o Caramel color class III and IV avoided in beverages, +food, and sauces. Caramel color class IV may be +featured in gravies, which are used sparingly. +• Artificial flavors: artificial synthetic flavors +• Artificial preservatives: Benzoates & benzoic acid, +BHA/BHT/TBHQ; nitrates/nitrites; propyl gallate, sulfites +• Artificial sweeteners & other sugar free non-nutritive, low +calorie and reduced calorie sweeteners: Sucralose, +aspartame, saccharine, Neotame, acesulfame k +[acesulfame potassium] +• Flavor enhancers: GMP, MSG +• Binders and Fillers: isolate vegetable proteins and +hydrolyzed vegetable protein as filler +• Thickening agents: Carrageenan +• Caffeine +• Sugary syrups: High fructose corn syrup (HFCS), high +maltose corn syrup, high dextrose corn syrup, tapioca +syrup +• Partially hydrogenated oils; trans fats +• Emulsifiers: + + +Page 7: +Superintendent’s Circular FNS-06 +Page 7 of 17 + + + +o Brominated Vegetable Oil (BVO) +o Carboxymethylcellulose (CMC) and Polysorbates +• Flour treatment agents: (azodicarbonamide, bleached +flour, bromated flour [potassium bromate], potassium +iodate) +• Nitrites/Nitrates and Processed Meat: Meat that has been +transformed through salting., curing, fermentation, +smoking, or other processes to enhance flavor or improve +preservation. Examples of processed meat include hot +dogs (frankfurters), deli meat, ham, sausage, corned beef, +beef jerky and canned meat. +• Rendered meat, irradiated meat, meat with latent Tgf- +beta binding protein (LTBP)* +• Ammonium hydroxide, vegetable protein analogues, or +extenders +E. Work toward procurement of animals untreated with +hormones, steroids, or antibiotics that serve no vital +function. +• Due to growing concerns of animal husbandry practices, +FNS supports responsible use of antibiotics in animals. +o Menu features chickens raised without the use of +antibiotics ever. +▪ Menu features entrees utilizing chicken products +following One Health Certified (OHC) standards.37 +OHC addresses several important areas of animal +agriculture within a sustainable continuous +improvement process. +o Menu features turkey products produced under a + + +Page 8: +Superintendent’s Circular FNS-06 +Page 8 of 17 + + + +USDA process verified program that includes +compliance with the following Certified Responsible +Antibiotic Use (CRAU) criteria: +i. No administration of antibiotics pre-hatch +ii. Antibiotics with analogues in human medicine are +not allowed for: +▪ Disease prevention +▪ Growth promotion +▪ Feed efficiency, or +▪ Weight gain +iii. Antibiotics with human analogs can only be used +therapeutically to: +• Treat disease in poultry with bacterial disease +• Control disease in poultry exposed to infectious +bacteria +• FNS is opposed to the use of hormones and steroid +growth promoters in beef and dairy cattle production. +FNS continues to research food products from beef or +dairy cattle produced without hormone growth +promoters and grass-fed products as options become +available. FNS acknowledges some USDA commodity +products (beef, dairy and poultry) are purchased without +the transparency of animal practices, and therefore, FNS +limits how often these products are served. USDA +commodity proteins may be made from whole muscle +meat or restructured meat*. +F. Other guidelines are observed as follows: + + +Page 9: +Superintendent’s Circular FNS-06 +Page 9 of 17 + + + +• All school dining areas are peanut aware. No school +kitchens will serve peanuts or tree nuts. +• FNS accommodates students with medically prescribed +dietary requirements. + +For more information about this circular, contact: +Owner: +Nutrition Manager +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9144 +Email: +Operations-Department- +Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular FNS-06 +Page 10 of 17 + + + +REFERENCES +1 Center for Good Food Purchasing. +https://goodfoodpurchasing.org. Last reviewed 2020. Accessed +January 26, 2020. +2 Menus of Change. https://www.menusofchange.org. Last +reviewed 2021. Accessed May 14, 2021. +3 Michigan State University. What is a processed food? +https://www.canr.msu.edu/news/what_is_a_processed_food +4 American Heart Association. Healthy Cooking Oils. +https://www.heart.org/en/healthy-living/healthy-eating/eat- +smart/fats/healthy-cooking-oils. Last reviewed April 24, 2018. +Accessed January 14, 2020. +5 American Heart Association. Children should eat less than 25 +grams of added sugars daily. +https://newsroom.heart.org/news/children-should-eat-less-than- +25-grams-of-added-sugars-daily +6 Center for Science in the Public Interest. Chemical Cuisine, +Learn About Food Additives. https://cspinet.org/eating- +healthy/chemical-cuisine. Published 2014. Accessed June 26, 2019. +7 Kobylewski S, Jacobson MF. Food dyes: A Rainbow of Risks. +Washington D.C.; 2010. https://cspinet.org/new/pdf/food-dyes- +rainbow-of-risks.pdf. +8 Lefferts LY, Jacobson MF, MacCleery L. Seeing Red: Time for +Action in Food Dyes. Washington D.C.; 2016. +http://cspinet.org/reports/seeing-red-report.pdf. + + +Page 11: +Superintendent’s Circular FNS-06 +Page 11 of 17 + + + +9 Conners CK, Goyette CH, Southwick DA, Lees JM, Andrulonis PA. +Food additives and hyperkinesis: a controlled double-blind +experiment. Pediatrics. 1976;58(2):154-166. +10 Stevenson J, Buitelaar J, Cortese S, et al. Research review: the +role of diet in the treatment of attention deficit/hyperactivity +disorder—an appraisal of the evidence on efficacy and +recommendations on the design of future studies. J Child +Psychol Psychiatry. 2014;55(5):416-427. doi:10.1111/jcpp.12215. +11 Bateman B, Warner JO, Hutchinson E, et al. The effects of a +double blind, placebo controlled, artificial food colourings and +benzoate preservative challenge on hyperactivity in a general +population sample of preschool children. Arch Dis Child. 2004; +89:506-511. doi:10.1136/adc.2003.031435. +12 McCann D, Barrett A, Cooper A, et al. Food additives and +hyperactive behavior in 3-year-old and 8/9-year-old children in +the community: a randomized, double-blinded, placebo- +controlled trial. Lancet. 2007;370(9598):1560-1567. doi:10.1016/ +S0140-6736(07)61306-3. +13 Saeed MG, Sayeed SA, Ashraf S, et al. Investigations of In vitro +Digestibility of Proteins Bound to Food Colors. Journal of +Pharmacy and Nutrition Sciences. 2011, 1, 34-40. +14 USDA Food and Drug Administration D of H and HS. Specific +Food Labeling Requirements. Code of Federal Regulations. +https://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/CFRSea +rch.cfm?CFRPart=101. +15 Piper, P. Potential safety issues surrounding the use of +benzoate preservatives. Beverages. 2018;4(2):33. doi: + + +Page 12: +Superintendent’s Circular FNS-06 +Page 12 of 17 + + + +10.3390/beverages4020033. +16 NTP (National Toxicology Program). 2016. Report on +Carcinogens, Fourteenth Edition.; Research Triangle Park, NC: U.S. +Department of Health and Human Services, Public Health +Service. https://ntp.niehs.nih.gov/go/roc14. +17 Jakszyn P, Gonzalez C-A. Nitrosamine and related food intake +and gastric and esophageal cancer risk: a systematic review of +the epidemiological evidence. World J Gastroenterol. +2006;12(27):4296-4303. +http://www.ncbi.nlm.nih.gov/pubmed/16865769. +18 Alhoff J, Grandjean C. In vivo studies in Syrian golden hamsters: +a transplacental bioassay of ten nitrosamines. Natl Cancer Inst +Monogr. 1979;(51):251-255. +http://www.ncbi.nlm.nih.gov/pubmed/481578. +19 International Agency for Research on Cancer (IARC). IARC +Monographs evaluate consumption of red meat and processed +meat. 2015. doi: https://www.iarc.fr/en/media- +centre/pr/2015/pdfs/pr240_E.pdf. +20 National Toxicology Program. Carcinogenesis Bioassay of +Propyl Gallate in F344 Rats and B6C3F1 Mice. Bethesda; 1982. +https://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf. +21 Ham J, Lim W, Park S, et al. Synthetic phenolic antioxidant +propyl gallate induces male infertility through disruption of +calcium homeostasis and mitochondrial function. Environ +Pollut.2019 May; 248:845-856. Doi: 10.1016/j.envpol.2019.02.087. +22 Abdo KM, Kari FW. The sensitivity of the NTP bioassay for +carcinogen hazard evaluation can be modulated by dietary + + +Page 13: +Superintendent’s Circular FNS-06 +Page 13 of 17 + + + +restriction. Exp Toxicol Pathol. 1996;48(2-3):129-137. doi: +10.1016/S0940-2993(96)80033-9. +23 Soffritti M, Belpoggi F, Degli Esposti D, Lambertini L, Tibaldi E, +Rigano A. First experimental demonstration of the multipotential +carcinogenic effects of aspartame administered in the feed to +Sprague-Dawley rats. Environ Health Perspect. 2006;114(3):379- +385. http://www.ncbi.nlm.nih.gov/pubmed/16507461. +24 Schernhammer ES, Bertrand KA, Birmann BM, Sampson L, +Willett WC, Feskanich D. Consumption of artificial sweetener-and +sugar-containing soda and risk of lymphoma and leukemia in +men and women. Am J Clin Nutr. 2012;96(6):1419-1428. +doi:10.3945/ajcn.111.030833. +25 M. S, M. P, E. T, et al. Sucralose administrated in feed, beginning +prenatally through lifespan, induces hematopoietic neoplasias in +male swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: +10.1080/10773525.2015.1106075. + +26 Liauchonak I, Qorri B, Dawoud F, Riat Y, Szewczuk MR. Non- +Nutritive Sweeteners and Their Implications on the Development +of Metabolic Syndrome. Nutrients. 2019; 11(3):644. +27 Raiten DJ, Talbot JM, Fisher KD. Executive summary from the +report: analysis of adverse reactions to monosodium glutamate +(MSG). J Nutr. 1995;125(11):2891S-2906S. +http://www.ncbi.nlm.nih.gov/pubmed/7472671. +28 Bray GA, Nielsen SJ, Popkin BM. Consumption of high-fructose +corn syrup in beverages may play July 2019 a role in the epidemic +of obesity. Am J Clin Nutr. 2004; 79(4):537-543. + + +Page 14: +Superintendent’s Circular FNS-06 +Page 14 of 17 + + + +http://www.ncbi.nlm.nih.gov/pubmed/15051594. +29 American Heart Association. Trans Fats. +http://www.heart.org/HEARTORG/HealthyLiving/HealthEating/Nu +trition/TransFats_UCM_301120_Article.jsp#.V2HUpvkrJhE. +30 US Food and Drug Administration. Frequently Asked Questions +on Azodicarbonamide (ADA). +http://www.fda.gov/Food/IngredientsPackagingLabeling/FoodAd +ditivesIngredients/ucm387497.htm. +31 Bukhari SSI, Azam I, Abbasi MH, Daud M, Sheikh N, Batool A, +Mahmood R, and Mukhtar M. Effect of Alloxan on IL-6 Gene +Expression in Mus musulus. Biologia (Pakistan). 2018; 64(1):69-73. +https://www.gcu.edu.pk/Publications/Biologia/Vol64_No1_2018.pd +f#page=65. +32 International Agency for Research on Cancer (IARC). +Summaries & Evaluations Potassium Bromate (Group 2B). 1999. +http://www.inchem.org/documents/iarc/vol73/73-17.html +33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments. +https://cfpub.epa.gov/ncea/iris2/chemicalLanding.cfm?substance +_nmbr=1002. Published 2001. Accessed July 24, 2019. +34 Cornucopia Institute. Behind the Bean: The Heroes and +Charlatans of the Natural and Organic Soy Foods Industry.; 2009. +https://www.cornucopia.org/wp- +content/uploads/2017/09/behindthebean_color_final.pdf. +35 Berkeley Wellness. Ask the Experts, Hexane in Soy Food. +Berkeley Wellness, Univ Calif. May 2012. +https://www.berkeleywellness.com/healthy-eating/food- +safety/article/hexane-soy-food. + + +Page 15: +Superintendent’s Circular FNS-06 +Page 15 of 17 + + + +36 Women’s Health. ‘Soy Protein Isolate’ Is in So Many Things—But +Is It Healthy?; 2019. +https://www.womenshealthmag.com/food/a27559289/soy- +isolate-protein/. +37 One Health Certification Foundation. Five Core Principles. +https://onehealthcertified.org/about/core-principles/ +38 U.S. Department of Agriculture. Certified Responsible Antibiotic +Use. https://www.ams.usda.gov/services/auditing/crau +Minneapolis Public Schools Culinary and Wellness Services True +Food Nutrition Philosophy 2019-2020 +(https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd +f) and Culinary & Wellness Services Ingredient Guide +(https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p +df) served as models for the Boston Public Schools Food and +Nutrition Services Menu and Ingredient Guidelines. +Healthy School Campaign Ingredient Guidelines +https://www.google.com/url?q=https://healthyschoolscampaign.o +rg/dev/wp-content/uploads/2020/01/Ingredient-Guide- +2021.pdf&sa=D&source=docs&ust=1689510987098278&usg=AOvVa +w2a5uRgrXBkhb6Xz9zJ6ESc + + + + +Page 16: +Superintendent’s Circular FNS-06 +Page 16 of 17 + + + +NOTES: +*Sugar calculation + +Yogurt: +12 grams of sugar in 4 oz. of “Sweetened Yogurt” +15 grams of sugar in 4 oz. vanilla-flavored yogurt + +Breakfast Condiment: +6 grams of sugar in 1 oz. “Yogurt Dipping Sauce” +8 grams of sugar in .4 oz. of table syrup individual +package + + +Page 17: +Superintendent’s Circular FNS-06 +Page 17 of 17 + + + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-03 +Version 01 + +FOOD AND NUTRITION POLICY ON COMPETITIVE FOOD +AND BEVERAGES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +These guidelines will cover food and beverages that are sold, +provided, or served to students within school buildings or on +school grounds, in the student stores, cafeterias, classrooms, +hallways, and vending machines, all of which are sold outside of +(i.e., in competition with) the federally funded School Meal +Program. These guidelines also apply to fundraisers, classroom +activities, and school events. This includes food and beverages +supplied by schools during official transportation to and from +school and district-sponsored activities, including but not limited +to field trips and interscholastic sporting events where the school +is the visiting team. See the Implementation Guidelines section +for details. +INTRODUCTION +In response to continuing concerns regarding childhood +overweight and obesity as well as other diet-related diseases in +our city’s school-aged children, the Boston School Committee +has approved the following policy language regarding beverages +and food in schools. + + +Page 2: +Superintendent’s Circular FNS-03 +Page 2 of 21 + +These guidelines were first adopted on July 1, 2004, and were +implemented with the start of school in September 2004. They +were updated in April 2011 and June 2015 to take into +consideration new federal and state nutrition guidelines that +impact the overall health and wellness of our students and staff, +specifically the Healthy Hunger-Free Kids Act, 2010. Most recently, +they were updated in August 2017 to reflect changes in the +District Wellness Policy. This document is intended to assist +school administrators in implementing these guidelines in their +schools. +All such competitive foods shall meet the criteria outlined in the +implementation guidelines that follow. This includes food and +beverages sold, provided, or served to students in: +● School cafeterias, specifically “a la carte” entrees and +snacks +● Vending machines +● School stores +● School snack bars +● Concession stands +● Classrooms and hallways +● Booster sales +● Fundraising activities +● School-sponsored or school-related events, including +those with school-sponsored transportation occurring off +school grounds, such as sporting events and field days +● Food trucks on school grounds + +These guidelines apply to entrees, snacks, side items, and +desserts offered or sold outside of the school meals program. + + +Page 3: +Superintendent’s Circular FNS-03 +Page 3 of 21 + +Items that would be considered entrées if sold in the +reimbursable meal program, but are sold a la carte as +Competitive Foods, are not subject to these guidelines. This +policy will be reviewed once yearly by a sub-committee of the +Boston Public Schools (BPS) District Wellness Council. +BACKGROUND +Schools across the city, state, and nation have been grappling +with developing meaningful and applicable guidelines on this +issue of obesity for the past decade. Earlier “Competitive Food +Guidelines,” set forth by USDA and individual state departments +of education, prohibited only the sale of foods of minimal +nutritional value (Federal Register: 7 CFR Part 210.11). These +standards attempted to address types of foods and beverages +sold, provided, or served to students within school buildings. +While some state standards may have been useful thirty years +ago, most are outdated, as they do not address the growing +availability of vending machines, foods, candy, and soda sold +inside and outside of the cafeteria at fundraisers or in student +stores. Competitive foods are relatively low in nutrient density +and high in fat, added sugar, and calories. Neither a la carte nor +competitive foods are bound by dietary guidelines that the +National School Lunch (NSLP), National School Breakfast, and +After School Snack Programs must adhere to. +National and state departments of education, school boards, food +policy advocacy organizations, the American Academy of +Pediatrics, the Center for Science in the Public Interest, state +dietetic and school food service associations, and other +representative groups have met over the past several years to +establish or recommend nutrition standards to promote healthy + + +Page 4: +Superintendent’s Circular FNS-03 +Page 4 of 21 + +eating habits among children. Massachusetts A La Carte Food +Standards to Promote a Healthier School Environment is a +guideline that has been established by the Massachusetts Action +for Healthy Kids, first adopted in January 2004 and updated in +December 2009. These guidelines, along with the Institute of +Medicine, the Alliance for a Healthier Generation Competitive +Foods and School Beverage Guidelines, nutrition standards from +the School Nutrition Bill (H4459, S2322), and the HealthierUS +School Challenge informed the latest revision to our policy. In +accordance with Mayor Menino’s Executive Order Relative to +Healthy Beverage Options1, all beverages sold on school grounds +shall meet the city’s Healthy Options Beverage Standards. +POLICY +The Boston Public Schools supports lifelong healthy eating habits +for all students and staff and is committed to addressing the +increasing rates of diet-related health consequences among +these groups by creating a healthy school food environment. +Serving healthy choices in the lunchroom, limiting availability +and marketing of unhealthy foods and sugary drinks, and making +water available to students throughout the day are some of the +ways to create a healthy school food environment. BPS is +committed to ensuring food sold or served outside of the +cafeteria meets high nutritional standards. +BPS believes the cafeteria is an essential setting to educate and +promote healthy eating habits. BPS is committed to serving +students nutritious and delicious food that is less processed, +more locally sourced, and culturally responsive to reflect the +diverse student population. As an effective way to improve the +nutritional quality of foods served in schools and consumed by + + +Page 5: +Superintendent’s Circular FNS-03 +Page 5 of 21 + +students, the district created and implemented menu and +ingredient guidelines exceeding federal requirements. BPS will +continue a constant review of school food and the food +environment to ensure safety, quality, menu equity, and +innovation. The district will be an innovator with school food, +serving foods that are new and exciting for the students. We +believe that students deserve meals reflective of their culture and +tastes. We believe eating well is not a privilege; it is a right. +Key requirements of creating a healthy school food environment +are: +School Meals Program +● Ensure all menus meet USDA-mandated requirements, as +well as Massachusetts Department of Public Health +regulations and the latest scientific evidence on healthy +eating practices. At a minimum, schools must follow +Bronze status standards for the Alliance for a Healthier +Generation2, and work toward Bronze status standards +for the HealthierUS School Challenge3. +● Ensure all menus offer variety and are well presented in +an appealing way, and meals and menu items are labeled +to communicate deliciousness, as well as specific +ingredients. +● Encourage students to participate in breakfast, lunch, and +afterschool meals programs and avoid stigmatizing +children who participate. +● Provide food with “clean” labels that are free of unwanted +ingredients, including trans fats, high fructose corn syrup, +artificial colors, artificial sweeteners, additives + + +Page 6: +Superintendent’s Circular FNS-03 +Page 6 of 21 + +(azodicarbonamide, bromated flour), and artificial +preservatives (nitrates, nitrites, sulfates, sulfites, MSG, +BHA, BHT, TBHQ). +● Reduce material used for packaging, sourcing recyclable +or compostable materials when possible, and working to +promote best practices around recycling and +composting. +● Make water available at no cost during mealtimes +wherever meals are served. +Food Safety +● Ensure kitchen facilities (both prep and satellite locations) +are inspected twice a year by the Inspectional Services +Division (ISD - Health Department). +● Implement a stringent and detailed internal Hazard +Analysis and Control Points (HACCP) plan that provides +regulations in following safety procedures for food recalls, +emergency preparedness to avoid foodborne illnesses, +and the spread of infectious diseases. +● Ensure all employees who work 5+ hours are Food Safety. +● Ensure all lead employees are allergy awareness certified +and have American Heart Association HeartSaver First Aid +Program 2-year certification. +Nutrition Education, Promotion and Food & Beverage Marketing +● Promote health and nutrition messages that encourage +the consumption of fruits and vegetables, whole grains, +healthy fats, low-fat dairy products, and water; and other + + +Page 7: +Superintendent’s Circular FNS-03 +Page 7 of 21 + +messages consistent with research-based findings that +indicate a positive impact on health. +● Identify opportunities to teach healthy eating habits in +health education, physical education, and other subjects, +and through cafeteria and other school-wide promotions. +● Identify opportunities to support teachers, school staff, +and parents around modeling healthy eating habits and +following appropriate nutritional standards at school +celebrations and staff meetings. +● Only allow food and beverage marketing on school +grounds, including items shared with students, that +promote foods and/or beverages that meet the BPS +nutritional standards. +Competitive Food & Beverages +● Follow federal, state, and local laws and Forbid the sale of +food and beverages by anyone other than the Food and +Nutrition Services Department, which is solely responsible +for food and beverages sold to children during the school +day. regulations for competitive foods and beverages (i.e., +foods sold, provided, or served within school buildings or +on school grounds outside of the school meals program) +in all schools, as outlined in this circular. +● Prohibit food sold in competition with school meals, +including food-based fundraisers and vending machines +during the school day. +● Encourage non-food alternatives for school fundraisers, +school parties, and classroom celebrations. + + +Page 8: +Superintendent’s Circular FNS-03 +Page 8 of 21 + +● Prohibit the use of food and beverage as a reward or +means of discipline. +All BPS schools shall follow Food and Nutrition Services policies +and circulars. +IMPLEMENTATION GUIDELINES +Competitive Food and Beverages +Regulations on competitive food sales in schools and vending +machines are contained in regulations established by the + + +Page 9: +Superintendent’s Circular FNS-03 +Page 9 of 21 + +Massachusetts Board of Education. Failure to follow these +regulations may result in loss of federal funding.1,2,3,4,5,6,7 +The Food and Nutrition Services Department is solely responsible +for food and beverages sold to children during the school day; + +1 Regulatory Authority M.G.L. C.15, § 1G +2 Federal Register, 2013, 7 CFR Parts 210 and 220, National School +Lunch Program and School Breakfast Program: Nutrition +Standards for All Foods Sold in Schools as Required by the +Healthy, Hunger-Free Kids Act of 2010; Interim Final Rule, U.S. +Department of Agriculture, 78 (125) (June 28, 2013). +3 Federal Register, 2014, 7 CFR Parts 210 and 220, Local School +Wellness Policy Implementation under the Healthy, Hunger-Free +Kids Act of 2010: Proposed Rule, U.S. Department of Agriculture, +79 (38) (February 26, 2014). +4 Massachusetts General Laws (2010). Chapter 111, Section 223, +5 State of Massachusetts, Chapter 96 of the Acts of 2012 +(amendment to 2010 law),. +6 Massachusetts Department of Public Health (2010), Nutrition +Standards for Competitive Foods and Beverages in Public +Schools, 105 CMR 225.000 +7 Massachusetts Department of Public Health (2012). “Students, +Healthy Schools: Revised Guidance for Implementing the +Massachusetts School Nutrition Standards for Competitive Foods +and Beverages” + + +Page 10: +Superintendent’s Circular FNS-03 +Page 10 of 21 + +consequently, the sale of food and beverages by others is +expressly forbidden. +The income for the total food and beverage service regularly +maintained on school premises shall accrue to the school food +services program to be used solely for the operation or +improvement of such service. This shall include the income from +the sale of a la carte foods and beverages. Food sales operated for +profit (this includes bake and candy sales) shall not operate +during the regular school day. +The sale of a la carte foods shall be restricted to those items +recognized as contributing to or permitted to be served as part of +the breakfast or lunch. This restriction automatically eliminates +the sale of candy, carbonated beverages, etc. Fundraising +activities can only operate after school hours. +Canteen Services at School Site Locations +7 CFR 210, 220 Competitive Foods: Federal regulations prevent +the sale of candy, gum, and carbonated beverages to students on +school premises from the beginning of the school day to the end +of the last lunch period. +The sale of food items from canteen trucks (with the exception of +an open campus), school stores, or other areas that compete with +school meals, time, and money is in violation of federal +regulations. These sales further divert income essential to the +financial well-being of the Food and Nutrition Services program. +Use of canteen services on school premises by students should +be prohibited. + + +Page 11: +Superintendent’s Circular FNS-03 +Page 11 of 21 + +Preparation of all competitive foods and beverages must meet +state and federal food safety guidelines. +In accordance with 105 CMR 225.100, nutrition information must +be made available to students for non-prepackaged competitive +foods and beverages as of August 1, 2013. This requirement shall +not apply to the sale or provision of fresh fruits or fresh +vegetables, and foods or beverages sold during the school day at +booster sales, concession stands and other school-sponsored or +school-related fundraisers and events. +No competitive food and beverages shall be sold, served, or +provided during school mealtimes. +Implementation guidelines must comply with or exceed nutrition +standards delineated by 105 CMR 225.000: Nutrition Standards +for Competitive Foods and Beverages in Public Schools. +All foods sold, served, or provided at schools should meet the +guidelines given in FNS-06. +Beverages +The total beverage product line must meet the following criteria: +● Schools may sell, provide, or serve only plain water and +juice. All milk is unflavored. No flavored milk will be +offered to students. Beverages such as soft drinks, fruit +drinks with the minimal nutritional value, and sports +drinks cannot be sold, provided, or served to students +anywhere in school buildings or on the school campus. +● Plain drinking water must be readily available during the +school day at no cost. + + +Page 12: +Superintendent’s Circular FNS-03 +Page 12 of 21 + +● Drinking water must be caffeine-free, have 0 mg of +sodium, and have no nutritive or non-nutritive +sweeteners. Natural flavorings and carbonation are +acceptable. +● Beverages shall not contain added sugars, including high +fructose corn syrup and non-nutritive sweeteners. +● No beverages shall contain artificial sweeteners. +● Competitive juice beverages will not be offered in +elementary schools (i.e., grades PreK-5). Fruit and/or +vegetable based drinks sold in middle and high schools +(i.e., grades 6-12) must be composed of no less than 100% +fruit/vegetable juices with no added sweeteners, not to +exceed 4 ounces in middle schools (i.e. grades 6-8), and +not to exceed 8 ounces in high school (i.e., grades 9-12), +with 120 calories/8 oz. plus 10% Daily Value of 3 vitamins +and nutrients, such as Vitamin A, C, D and calcium +● All milk and milk substitute products shall be pasteurized +fluid types of low fat (1%) or skim (fat free) milk which +meet USDA, state, and local standards for milk. All milk +shall contain Vitamins A and D at levels specified by the +Food and Drug Administration and shall be consistent +with the state and local standards for such milk. All milk, +flavored milk, and milk substitute container sizes shall not +exceed 8 ounces. +● Soy, rice, and other milk-substitute drinks shall be +calcium and vitamin-fortified and shall contain no more +than 22 grams total sugars per 8 ounces. +● No beverages shall contain more than trace amounts of +caffeine. + + +Page 13: +Superintendent’s Circular FNS-03 +Page 13 of 21 + +● City of Boston agencies in BPS buildings may offer 8 oz. of +100% juice or low-fat and nonfat milk products in vending +machines available only outside of the school day. +Foods +Fresh fruits and/or non-fried vegetables must be offered +wherever competitive foods are sold, provided, or served to +students except in non-refrigerated vending machines and +vending machines offering only beverages. Use of fryolators in +preparing competitive foods is prohibited. +In addition, competitive foods must meet the following +nutritional criteria per item: +• Any other food that meets all the following criteria: +a. ≤ 35% of total calories from fat. +i. Nuts, nut butters, and seeds are exempt from +above limitation and are permitted if served in 1 oz +portions. +ii. Fruit and nut combination products are exempt +from the above limitation. +iii. If products are dairy, they must be non-fat or low +fat dairy. + + + +Page 14: +Superintendent’s Circular FNS-03 +Page 14 of 21 + +b. ≤ 10% of calories from saturated fat OR ≤1g saturated +fat +i. Nuts, nut butters, and seeds are exempt from +above limitation and are permitted if served in 1 oz +portions. +c. 0g trans fat +d. ≤ 35% of weight from total sugars in foods +i. Non-fat or low-fat yogurt with a maximum of 30g +sugar per 8 ounces. +e. ≤ 200 mg sodium +i. A la carte entrees like cheese sandwiches, +vegetables with sauce, and soups must be less +than 480 mg sodium if they contain one or more +of the following: +1. ≥2g fiber +2. ≥5g protein +3. ≥10% DV of Vitamin A, C, E, folate, calcium, +magnesium, potassium, or iron +f. Meet 1 of the following calorie requirements: +i. +≤100 calories +ii. +Vegetables with sauce and soups can have 150 +calories if they contain two or more of the +following: ≥2g fiber; or ≥5g protein; or ≥10% DV of +Vitamin A, C, E, folate, calcium, magnesium, +potassium, or iron; or ≥½ serving (¼ cup) of fruit +or vegetables. +iii. +Other foods can have calorie limits per below if +they contain one or more of the following: + + +Page 15: +Superintendent’s Circular FNS-03 +Page 15 of 21 + +1. ≥ 2g fiber +2. ≥ 5g protein +3. ≥ 10% DV of Vitamin A, C, E, folate, calcium, +magnesium, potassium, or iron +4. ≥ ½ serving (1/4 cup) of fruit or vegetables: +a. +≤ 150 calories for elementary schools +b. +≤ 180 calories for middle and +c. +≤ 200 calories for high schools +• Bread and other whole grain-based products shall have a +whole grain (such as whole wheat) listed as the first +ingredient or contain grains that are at least 51% whole +grains. +• No more than trace amounts of caffeine are allowed in +foods. +• Foods must contain no artificial sweeteners. +• Foods must have limited added sweeteners as much as +possible. +• Fruits shall have no added sweeteners and have 0g total fat. +Since fresh fruits and vegetables vary in size and calories +naturally, they have no calorie limit. +• Fruits packaged in their own juices or dried will not exceed +the following calorie limits: 150 calories for elementary +schools, 180 calories for middle schools and 200 calories for +high schools. +• Dried fruit and nut combination products (commonly +known as trail mix) can be included within these guidelines +if they meet the following standards: +a. The items found in the combination product include +only unsweetened dried fruit, nuts, and/or seeds. + + +Page 16: +Superintendent’s Circular FNS-03 +Page 16 of 21 + +b. The product contains no added sweeteners. +c. The combination product is exempt from the ≤ 35% of +total calories from fat requirement, but must meet all +requirements around calories, saturated fat, trans fat, +sodium, sugar, and positive nutrients. +• Any one egg or equal amount of egg equivalent is allowable +if it contains no added fat. +• Any reduced-fat or part-skim cheese ≤1 oz. +Time Of Day +The guidelines apply to all food and beverages (outside the USDA +School Meals and After School Snack Program) provided to +students on school grounds during the regular and extended +school day when events are primarily under the control of the +school or third parties on behalf of the school. +The extended school day is the time before or after the official +school day that includes activities such as clubs, yearbook, band +and choir practice, student government, drama, sports practices, +intramural sports, and childcare/latchkey programs. +Vending machines, including those controlled by other entities in +BPS buildings and grounds, shall comply with these guidelines at +all times. Automatic timers will be used to limit access to +competitive foods and beverages in vending machines during +the school day, including during school mealtimes. +Fundraisers, Classroom Parties, Food Rewards, and Meetings +All fundraisers must meet Boston Public Schools’ +implementation guidelines for competitive food. No food-based + + +Page 17: +Superintendent’s Circular FNS-03 +Page 17 of 21 + +fundraisers are permitted during school meals. The building +administrator or designee is responsible for approving all +fundraisers. Classroom parties must also comply with Boston +Public School’s competitive food guidelines and notification of +the cafeteria manager is requested to help the cafeteria plan +appropriately. Principals and staff will promote a school +environment supportive of healthy eating. Adults are encouraged +to model healthy eating by serving nutritious food and beverages +at school meetings and events. +Teachers and staff should refrain from providing candy and +snacks of minimal nutritional value as rewards for students and +instead integrate practices of non-food rewards. Food and +beverage cannot be used as a reward means of discipline. +If schools participate in fundraising involving food and beverages, +the fundraiser should support a healthy school environment and +be free from solicitation of foods that do not meet the +specifications of the Dietary Guidelines for Americans. +Fundraisers should not include the sale of candy, beverages, and +snacks that do not meet the Boston Public Schools’ +implementation guidelines for competitive foods. + +Schools should develop communication and tools to provide to +PTA and other groups who are conducting fundraising, +celebrations, meetings, and rewards for the school so that non- +food activities are used. +Allergies +Schools should consider all students with food allergies and +make appropriate plans and accommodations in any food-based + + +Page 18: +Superintendent’s Circular FNS-03 +Page 18 of 21 + +fundraiser, celebration, and/or reward according to the guidance +provided in Superintendent’s Circular SHS-11, which provides +more information on student allergies. +Support For Implementation +This is a citywide initiative, with the Boston Public Schools taking +the lead to implement healthy snack and beverage guidelines. +The Mayor’s Office, the Boston Public Health Commission (BPHC), +and the Boston Centers for Youth and Families (BCYF) are all in +full support of these policies. +To assist with this transition, Food and Nutrition Services will +continue meeting with vendors and manufacturers to discuss +product specifications that meet these guidelines. Language +referencing new policies is included in the Request for Bids for +beverages, dairy and ice cream, and snack food products. +Vendors who are awarded single-year or multiple-year contracts +must comply with the stated guidelines. +With assistance from the School Wellness Council, students, +teachers, parents, and administrators will be informed and +educated about the new guidelines. Technical support will be +provided to help schools and agency partners adjust to the +revised standards, including providing resources on healthful +forms of fundraising and meeting guidelines. The +Commonwealth of Massachusetts passed a School Nutrition Bill +(H4459, S2322). The BPS implementation guidelines have been +revised to include state nutritional standards. +MONITORING AND COMPLIANCE +Schools will monitor compliance in the following ways: + + +Page 19: +Superintendent’s Circular FNS-03 +Page 19 of 21 + +● School wellness councils should assess and track their +school’s compliance with this policy and include +implementing goals on their Wellness Action Plan to +ensure compliance with the policy. +● All schools will biennially complete the School Health +Profiles Surveys (Profiles), including questions on +competitive foods and beverages. Individual school +reports will be shared back with schools after completing +Profiles, stating whether the school is complying with the +policy. +The principal and relevant operational leaders will be notified by +FNS and the Office of Health & Wellness if a school is found to not +be compliant. School administration, families, students, and +Wellness Council will be provided information about the policy to +engage and support monitoring, enforcement, and compliance. + + + + +Page 20: +Superintendent’s Circular FNS-03 +Page 20 of 21 + +DEFINITIONS +Food of Minimal Nutritional Value: Food that provides less than +five percent of the Reference Daily Intakes (RDI) for each of eight +specified nutrients per serving. +A La Carte Foods: Sold typically in the cafeteria by the school +food service department. They are separately and individually +priced and are not usually part of the NSLP. +Competitive Foods: Competitive foods or beverages means all +foods or beverages sold or provided in public schools, other than +non-sweetened carbonated water and those items sold or +provided as part of federal nutrition programs such as the School +Breakfast Program, School Lunch Program, and the Child and +Adult Care including those offered in: School cafeterias; school +stores; school snack bars; concession stands, booster sales, +vending machines; fundraising activities; school-sponsored or +school-related events; food trucks, and any other location in +public schools. +REFERENCES +Alliance for a Healthier Generation Standards +Healthier US School Challenge Standards + + + + + + + +Page 21: +Superintendent’s Circular FNS-03 +Page 21 of 21 + +For more information about this circular, contact: + +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: 370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9143 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Executive Director +Department: +Office of Health and Wellness +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-6643 +Fax: +617-635-1502 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-02 +Version 01 + +1 +EMERGENCY MEAL PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + In the event of an unforeseen emergency, school staff must +adhere to the following procedures to ensure meals are made +available to students in a safe and timely manner. “Emergency” is +defined as equipment breakdown, weather, facility issues, etc. or +a situation that prevents staff from serving safe meals during the +allotted mealtimes scheduled. The procedures are: +1. Principal or custodian should inform onsite food service +personnel that there is an emergency preventing the service +of meals and approximately how long the emergency will +last. Often this is difficult to assess. However, if the +emergency is anticipated to be longer than 60 to 90 +minutes after the start of the school day, alternative meal +service plans need to be made to ensure students receive +meals in a safe and timely manner. +2. The Food and Nutrition Services Department should be +informed immediately. The phone number is 617-635-9144. +The onsite Food Services Staff should also contact their +respective field coordinator. +3. Once the Food and Nutrition Services Department is +notified about the emergency, a contingency plan that + + +Page 2: +Superintendent’s Circular FNS-02 +Page 2 of 9 + +includes an alternate menu, mealtimes, or location will be +jointly decided upon. A substitute emergency meal (shelf- +stable) which meets regulations may be provided if the +emergency prevents access to the kitchen. +4. If there is an emergency just before lunch, the onsite Food +Services staff should be notified immediately. If needed, +appropriate arrangements will be made to ensure students +are fed quickly and efficiently. Food and Nutrition Services +may need to provide an alternative meal, depending on the +emergency. Delays may be expected. All staff should be +flexible and patient. +5. When and if the administration makes the decision to send +the student body to another school or alternative location, +the Food and Nutrition Services Department needs to be +notified immediately to ensure food is available at the new +location. +6. This plan of action is dependent on cooperation from +everyone. +7. During a declared state of emergency, the attached +instructions will be followed to issue USDA commodities. + + + + +Page 3: +Superintendent’s Circular FNS-02 +Page 3 of 9 + +For more information about this circular, contact: +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9158 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 4: +Superintendent’s Circular FNS-02 +Page 4 of 9 + +MASSACHUSETTS PLAN FOR UTILIZATION OF USDA DONATED +FOODS FOR DISASTER RELIEF +1. Purpose: The purpose of this plan is to establish the +procedure for obtaining the United States Department of +Agriculture (USDA) donated commodities in Massachusetts +during a presidential disaster. +2. Background: The Secretary of Agriculture is responsible for +ensuring that adequate stocks of food are available for +group feeding or household distribution in any area +suffering from a major disaster or emergency. During a +disaster, food that has been purchased by the USDA for use +in the state's food programs is made available to disaster +organizations in that state. Food that is stored in school or +state warehouses can be used immediately. The USDA will +replace this food. +3. General: +• USDA donated foods will not be distributed to +individual families except when the Secretary of +Agriculture determines that the commercial channels +of trade have been disrupted because of the +emergency caused by a disaster. +• In Massachusetts, USDA foods (which become the +property of the Commonwealth) are distributed by the +Massachusetts Department of Elementary and +Secondary Education, Nutrition Programs and Services, +75 Pleasant Street, Malden, MA 02148-4906. +• Contact should be made with the local authorities to +establish a plan to procure these items. All foods are +free of charge to the Red Cross. There may be a small + + +Page 5: +Superintendent’s Circular FNS-02 +Page 5 of 9 + +service charge for handling. +• Food items are also stored in bulk in four warehouses +throughout the Commonwealth. In the event sufficient +foods are not available in the schools, they may be +requested by the school lunch personnel through their +channels or through the American Red Cross Mass Bay +Chapter office. +• Transportation needed to move the food to the disaster +area is not available from the Department of +Elementary and Secondary Education. It is +recommended that chapters develop local +contingency plans. The key to prompt and efficient +transportation of these foods is prior planning by the +chapter. +• Food will be released when the President has declared +a disaster area, or when the Commonwealth has +requested a declaration. They will also be released +upon request of Red Cross or governmental authorities +when a disaster appears to be imminent, people being +evacuated, or mass feeding is needed for a substantial +number of dislocated families and individuals. +4. Procedure for obtaining USDA donated foods for Red Cross +mass feeding: +• When the feeding is being done by school lunch +personnel: +o They will make food available from their supply. +o When additional foods are required, they will +request them. + + +Page 6: +Superintendent’s Circular FNS-02 +Page 6 of 9 + +• When the feeding is being done by other than school +lunch personnel, the Red Cross will make its request +through the Mass Bay office of the Red Cross. It will +include a synopsis of the disaster situation and the +estimated amounts and kinds of food commodities +required. +• The nearest warehouse or other facility will be +instructed to release the food. +• The Red Cross will dispatch the necessary +transportation to pick up the foods. +• In all instances, temporary receipts will be signed, +followed by more formal procedures. +5. Procedures for returning used foods: +• If a large amount of food is to be returned, the +Department of Elementary and Secondary Education +will send an agent to the Red Cross to arrange the +details of the return. If only a small amount is to be +returned, the Red Cross will be instructed to turn it +over to the designated school in the area. In either +case, the Red Cross should obtain and file a receipt for +the returned food. +6. Procedure for reporting on USDA donated foods: +• After mass feeding is completed, the Red Cross will be +advised on the information necessary to enable the +Department of Elementary and Secondary Education +to report on commodities distributed for disaster relief, +including certification that all food products were used +in accordance with existing regulations and used for +mass feeding. + + +Page 7: +Superintendent’s Circular FNS-02 +Page 7 of 9 + +• The program for use of USDA donated foods in the +disaster will be considered completed when all unused +food has been returned and the above report has been +submitted. +American Red Cross: +Liberty Black +Director of Disaster Services +Mass. DESE: +Robert M. Leshin +Director, Office for Food and Nutrition Programs + + + + + +Page 8: +Superintendent’s Circular FNS-02 +Page 8 of 9 + +MASSACHUSETTS DEPARTMENT OF ELEMENTARY AND +SECONDARY EDUCATION +75 Pleasant Street, Malden, Massachusetts 02148-4906 + +Telephone: (781) 338-3000 +TTY: N.E.T. Relay 1-800-439-2370 +MEMORANDUM +To: +All School and Child and Adult Care Food Program +Sponsors +From: + Kathleen C. Millett +Former Executive Director, Office for Nutrition, Health +and Safety Programs +Date: + January 26, 2015 +Subject: Procedures for Using USDA Foods During an +Emergency +In the case where a school or childcare setting is officially +designated as an emergency shelter, USDA Foods may be +replaced. This memorandum serves to identify the process to use +the USDA Foods and request replacement. After approval from +this office, USDA donated foods will be made available to the +American Red Cross or public schools for feeding in a congregate +setting. The following steps are to be used to receive food +assistance for food services during an emergency declaration. +First, contact Marion Browning of the food distribution section at +mbrowning@doe.mass.edu or 781-338-6460, email is preferred, +with your immediate food needs, along with the estimated +number of meals to be served. If you are unable to reach Ms. + + +Page 9: +Superintendent’s Circular FNS-02 +Page 9 of 9 + +Browning, please email me at kmillett@doe.mass.edu or 781-338- +6479. Include the following information to the extent possible: +• Description of major disaster or emergency situation. +• Number of people requiring meals and congregate meal +service period. +• Quantity and types of food needed for congregate meal +service. +• Number and location of sites providing congregate meal +service. +Once the request for donated foods is approved, you may use any +USDA donated foods available at your school. After the crisis has +passed, please report the following information to the +commodity distribution section: +• Amount of USDA commodities actually utilized. +• Number of days of the meal service and number of meals +actually served (i.e., 2,000 persons, three meals per day for +five days). +We will make every effort to replace the value of USDA donated +foods used with inventory from our warehouse. + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-04 +Version 01 + +1 +RESPONSIBILITIES REGARDING SCHOOL +FOOD SERVICES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Food and Nutrition services is a federally funded program. The +program’s operating revenue is supported by reimbursement +from meals served to students. The department is audited +annually, consisting of a review of the Community Eligibility +Program which includes point of service, accountability, fiscal +accountability, and overall procedures. +School leaders share responsibility with the executive director of +Food and Nutrition Services in ensuring that all federal, state, and +local regulations applicable to the school’s food services are +implemented and administered daily. There are area field +coordinators who are assigned to oversee school-site foodservice +operations. +SCHOOL LUNCH AND BREAKFAST PROGRAMS +Breakfast and Lunch Periods: +● The state mandates sufficient time must be allocated for +the students to eat lunch. At least a 30-minute lunch +period is recommended, whenever possible. No less than +20 minutes can be designated for a lunch period. + + +Page 2: +Superintendent’s Circular FNS-04 +Page 2 of 10 + +● If there is a change to the meal service time, the school +leader must notify the Food Services staff immediately. +Any changes to service impacts staffing and must be +reviewed and discussed before finalizing. +● Breakfast programs should be scheduled at least 15 to 30 +minutes before the start of school. This time is needed for +Food Services staff to have the necessary capability for +accurate meal counting and reporting. +● Supervision is required at breakfast as well as lunch +service. The school leader can make an administrative +assignment or arrange for volunteers to provide student +supervision. Food Service employees will not assume +responsibility for supervising students. +Breakfast After the Bell: +As a continuation from SY2018-2019, the Massachusetts State +Budget mandates public schools with at least 60 percent of their +student population eligible for free or reduced-price meals to +serve breakfast after the instructional day begins. All BPS schools +must comply with this regulation. +FNS understands implementing a change in breakfast service +style has its challenges and has several resources available +including marketing, equipment, and programs to ensure proper +implementation of a comprehensive breakfast after the bell +program that provides access to meals. FNS will keep cafeterias +open 30 minutes past the bell time to continue provision of +breakfast to all students. + + + + + +Page 3: +Superintendent’s Circular FNS-04 +Page 3 of 10 + +Lunch Menu: +Federal regulations mandate lunch to consist of the following: +● Meat or meat alternates +● Whole grains +● Vegetables +● Fruits +● Milk +Breakfast Menu: +Federal regulations mandate breakfast to consist of the +following: +● Meat or meat alternates +● Whole grains +● Fruits +● Vegetables +● Milk +The menu as printed must be followed by FNS staff unless onsite +food service staff receive approval from Food Services supervisory +staff to make adjustments. Menu planning is the sole +responsibility of the Department of Food and Nutrition Services. +School administrators are encouraged to discuss their menu +interest with the executive director of food services, 617-635-9144. +COMMUNITY ELIGIBILITY PROGRAM +This school year (2023-2024), in conjunction with the United +States Department of Agriculture (USDA) and the Massachusetts +Department of Elementary and Secondary Education, Boston +Public Schools (BPS) will continue to participate in the + + +Page 4: +Superintendent’s Circular FNS-04 +Page 4 of 10 + +Community Eligibility Provision (CEP), created by the Healthy, +Hunger-Free Kids Act of 2010. This is available for schools with +high percentages of low-income children to provide breakfast +and lunch to all students at no cost to them. The program +increases participation in school meals, reduces labor costs for +schools, and brings additional revenue to the school district from +the USDA. In short, it allows for a healthier student body and a +healthier school meal budget. +All students in a Community Eligibility Provision (CEP) school are +deemed as economically disadvantaged, and students are +provided all meals — breakfast, lunch, after-school meals, and +summer meals — at no cost. In the event a student requests a +second meal, the cost is $4.00 . Students must pay at the time of +the meal request. There are no credits or charges allowed. +School administrators may establish a revolving fund to cover the +cost of second meals for students without means. Second meals +will not be provided without a source of payment. +AFTER SCHOOL MEAL PROGRAM +Supper meals are available at no charge to schools that have +after school enrichment programs. Program directors must +contact this office to arrange for student meals. There is a brief +application process that should be completed at least 2 weeks +prior to program start-up. All program directors are required to +attend one mandatory annual training session. Program +administrators are responsible for completing the daily tally +sheets to document meals served. Tardy submission of these +reports could result in the discontinuance of the program. + + +Page 5: +Superintendent’s Circular FNS-04 +Page 5 of 10 + +SUMMER MEAL PROGRAM +Meals are provided throughout the City of Boston to all children. +Meals consist of breakfast and lunch and are free to all children +through age 18. +FRESH FRUIT AND VEGETABLE PROGRAM (FFVP) +The goal of the FFVP is to introduce children to fresh fruits and +vegetables, to include new and different varieties, and to increase +overall acceptance and consumption of fresh, unprocessed +produce among children. The FFVP also encourages healthier +school environments by promoting nutrition education. +USE OF SCHOOL LUNCH FOR DISCIPLINARY ACTION +● The National School Lunch Act and the State Department +of Elementary and Secondary Education prohibit the +denial of meals and milk as disciplinary action against +school children. +● Students may not be denied any part of the meal. +● Students may not have a portion of the breakfast or lunch +period taken away. +● Any action that interferes with the student’s right to +access meals or that discriminates against students in +any way in the provision of meals is prohibited. +COMPLIANCE WITH PROGRAM REGULATIONS +We ask that school administrators assist with the enforcement of +program regulations (e.g., federal regulations do not permit free +or reduced reimbursement to ineligible children. There is no +reimbursement for adult meals.) School administration will be +charged for meals in which payment has not been received for + + +Page 6: +Superintendent’s Circular FNS-04 +Page 6 of 10 + +student second meals and adult meals. Outstanding charges will +be posted against individual school instructional supply +accounts. +MEAL SERVICE ACCOUNTABILITY OF SCHOOL +ADMINISTRATORS +To participate in the school lunch and breakfast programs, it is +necessary for a contract to be in effect between the +Commonwealth of Massachusetts and the superintendent of +schools. This agreement stipulates that state-approved controls +are maintained to account for meals served. +● School administrators are required to comply with the +approved system in operation at the particular school site. +● To assist with decreasing meal waste and improving +accountability, it is recommended that elementary +teachers ask students beforehand who will be eating +lunch in the cafeteria or classroom and give that +information to the food service staff one hour before +lunch so they can have more accurate counts. +● School leaders are to ensure that all students know their +student ID numbers, required to be entered at the point +of sale for accountability of each meal. +● Milk cannot be served without payment. +● Meal counts must be taken at the “point of service” (end +of the line) when a student has received a reimbursable +meal. Five food components must be offered for lunch +and three components for breakfast. +● In schools with classroom meal service, it is necessary to +account for the meal served at the time of service. + + +Page 7: +Superintendent’s Circular FNS-04 +Page 7 of 10 + +COMPETITIVE FOOD SALES AND VENDING MACHINES +Regulations on competitive food sales in schools and vending +machines are contained in regulations established by the +Massachusetts Board of Education. Failure to follow these +regulations may result in loss of federal funding (see FNS 03 +Nutrition Policy). +Regulatory Authority: +● M.G.L. C.15, § 1G +● Federal Register, 2013, 7 CFR Parts 210 and 220, National +School Lunch Program and School Breakfast Program: +Nutrition Standards for All Foods Sold in Schools as +Required by the Healthy, Hunger-Free Kids Act of 2010; +Interim Final Rule, U.S. Department of Agriculture, 78 (125) +(June 28, 2013). +● Federal Register, 2014, 7 CFR Parts 210 and 220, Local +School Wellness Policy Implementation under the +Healthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. +Department of Agriculture, 79 (38) (February 26, 2014). +● Massachusetts General Laws (2010). Chapter 111, Section +223. +● General Law - Part I, Title XVI, Chapter 111, Section 223. +● State of Massachusetts, Chapter 96 of the Acts of 2012 +(amendment to 2010 law), Acts of 2012 Chapter 96 - +Session Laws. +● Massachusetts Department of Public Health (2010), +Nutrition Standards for Competitive Foods and Beverages +in Public Schools,105 CMR 225.000 +● Massachusetts Department of Public Health (2012). +“Students, Healthy Schools: Revised Guidance for + + +Page 8: +Superintendent’s Circular FNS-04 +Page 8 of 10 + +Implementing the Massachusetts School Nutrition +Standards for Competitive Foods and Beverages” Healthy +Students, Healthy Schools: Revised GuIdance for +Implementing the Massachusetts School Nutrition +Standards for Competitive Foods and Beverages +Only Food Services is permitted to sell to students. +The Food and Nutrition Services Department is solely responsible +for food and beverages sold to children during the school day; +consequently, the sale of food and beverages by others is +expressly forbidden. +All income must accrue to Food Services. +The income for the total food and beverage service regularly +maintained on school premises shall accrue to the school food +services program to be used solely for the operation or +improvement of such service. This shall include the income from +the sale of a la carte foods and beverages and vending machines, +managed by the Food and Nutrition Services Department. Food +sales operated for profit (this includes bake and candy sales) shall +not operate during the regular school day. + + + + +Page 9: +Superintendent’s Circular FNS-04 +Page 9 of 10 + +Food items allowed for sale: +The sale of a la carte foods shall be restricted to those items +recognized as contributing to or permitted to be served as part of +the breakfast or lunch. This restriction automatically eliminates +the sale of candy, carbonated beverages, etc. Fundraising +activities can only operate after school hours. +Vending machines: +603 CMR 29.01 Non-Profit Lunch Program/Use of Vending +Machines: Vending machines are not to be in use during school +hours. +Canteen services at school site locations: +603 CMR 29.05 Competitive Foods: +Federal regulations prevent the sale of candy, gum, and +carbonated beverages to students on school premises from the +beginning of the school day to the end of the last lunch period. +The sale of food items from canteen trucks, school stores or other +areas that compete with school meals, time, and money is in +violation of federal regulations. These sales further divert income +essential to the financial wellbeing of the Food and Nutrition +Services program. +► Use of canteen services on school premises by students +should be prohibited. + + + + +Page 10: +Superintendent’s Circular FNS-04 +Page 10 of 10 + +CATERING SPECIAL FUNCTIONS AND FIELD TRIPS +Special function considerations: +● Schools planning special activities should contact the +cafeteria manager/satellite attendant AND Office of Food +and Nutrition Services with advance notice of the event. A +written request for use of the cafeteria facility or hiring of +personnel must be made in writing at least 7 days before +the event. +● Food and supplies or cooking utensils will not be +provided free of charge. Schools requesting such services +will be charged a fee to cover costs. +● All evening and weekend functions will require hiring +Food Services staff at an overtime rate. All costs must be +paid prior to the date of the event. Credit will be given if +the event is canceled with 48 hours’ notice. + +For more information about this circular, contact: +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9158 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS02 +Version 01 + + + +JOB SHARING FOR PERMANENT TEACHERS AND +PARAPROFESSIONALS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Office of Human Resources accepts job-sharing applications +through the online forms included in this circular. Please note +that employees will be required to sign in with their Boston +Public Schools Gmail account. These links will also be made +available through BTU and paraprofessional representatives, the +Boston Public Schools website, and the Superintendent’s +Bulletin. +Boston Public Schools has agreed to provide job-sharing +opportunities to permanent educators (1) and paraprofessionals +who desire to split a position with another staff member in their +building. +CONDITIONS FOR JOB SHARING +The following are the conditions under which employees are +permitted to share jobs: + +1() This includes nurses, COSE, and other BTU educators with +permanent status. + + +Page 2: +Superintendent’s Circular HRS-HS02 +Page 2 of 5 + + + +1. Participation in job sharing requires approval by the +principal//head of school. The principal/head of school +should submit their approval to the Office of Human +Resources via the online form below. +2. All participants in the job-sharing program will be required +to jointly plan their program so as to provide programmatic +integrity and continuity. The principal/head of school must +approve such plans. +With the approval of the principal/head of school, teachers +or paraprofessionals may structure their program in the +following two options: +a. Both teach for one-half day +b. Both teach for one-half week +► Job share participants may not split the school year +with their job share partner in order to work for only +half of the school year. Job share participants also +may not split the teaching bimonthly or biweekly. +3. All participants in the job-sharing program will be required +to attend all "Early Release Time" in-service meetings, all +professional days, and parent conferences. If the job share +takes place in a designated Extended Learning Time school, +both teachers/paraprofessionals are expected to participate +in ELT. +4. The two teachers participating in a joint assignment/job +sharing will meet with one another once each marking +period, at the discretion of the principal/head of school, to +assess and improve the job sharing program. These + + +Page 3: +Superintendent’s Circular HRS-HS02 +Page 3 of 5 + + + +meetings may be held on early release or professional +development days. +All parties recognize that at times it may be necessary for +the two teachers and the principal/head of school to meet +for the purpose of addressing problems which may arise in +the implementation of job sharing at an individual school. +Such meetings, if necessary, shall be scheduled at a time +that is mutually agreeable to all parties. +5. Teachers and paraprofessionals participating in the job- +sharing program will receive the following compensation +and benefits: +a. Compensation shall be one-half of salary entitlement. +b. Sick leave shall be one-half of annual entitlement. +c. Personal days shall be one-half of annual entitlement. +d. Health insurance premium and health and welfare fund: +full contribution +e. Seniority accrual: full credit +f. Attachment rights for one-year to former position +6. Teachers participating in job-sharing must hold a valid DESE +license for the position. No exceptions will be made. +7. Each participant in the job-sharing program will be asked to +enter into a binding agreement committing to the year-long +assignment. +8. Participants must submit new job-sharing applications each +year. Continuation of a job-sharing pairing for the next +academic school year will be subject to a favorable review +by all parties. + + +Page 4: +Superintendent’s Circular HRS-HS02 +Page 4 of 5 + + + +TO INDICATE INTEREST IN JOB SHARING +Permanent teachers or paraprofessionals who wish to indicate +their interest in job sharing should submit a request using the +online form shown below. The submission of an application only +serves an indication of interest and is not binding. The application +must be submitted via the online form no later than 5:00 p.m. on +March 25, 2025. +Please note: Applicants are responsible for making all job-sharing +arrangements, including finding a colleague with whom to job- +share. The Office of Human Resources does not assist with +making job-sharing arrangements. If you are unable to find a +partner, your request to job share will be denied. +2024-25 ONLINE FORMS +The Office of Human Resources now accepts job-sharing +applications online. Candidate applications for job share as well +as principal/head of school approval can be submitted through +the links below. Please note that employees will be required to +sign in with their Boston Public Schools Gmail account. These +links will also be made available through BTU and +paraprofessional representatives, the Boston Public Schools +website, and the Superintendent’s Bulletin. +Job Sharing Request: +Applicant Form +Each applicant interested in Job Sharing +must submit their own form by March +25, 2025. Principals/heads of schools +must submit the form below for +approval. + + +Page 5: +Superintendent’s Circular HRS-HS02 +Page 5 of 5 + + + +Job Sharing Request: +Principal Approval +Form +Principals/heads of schools must submit +this form to approve a job share request +by April 15, 2025. + +FOR MORE INFORMATION ABOUT JOB SHARING +There will be an informal meeting at the Boston Teachers Union +in Winter 2025 for teachers and paraprofessionals who are +interested in obtaining more information about job sharing. +For more information about this circular, contact: +Owner: +School-Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9600 +Additional +Questions: +Please submit an HR Inquiry Ticket via +the Beacon. This can be found on Access +Boston. + +Mary Skipper, Superintendent + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +FSE-07 +Version 01 + + + +PUBLIC HEALTH AND WORKPLACE SAFETY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +In the past, concerns have been raised over the potential use of +the U.S. Postal Service to conduct bioterrorist activity. In both +New York and in Washington D.C., contents of three or four +envelopes were tested positive for anthrax. In those cases where +positive results were recorded, public health authorities dealt +with this issue. +The purpose of this memorandum is to provide guidelines for the +handling of mail in the Boston Public Schools. In providing these +guidelines, it is important to note that we have been informed by +the Boston Public Health Commission that there have been no +confirmed anthrax cases reported in either the Boston Public +Schools or in the City of Boston. +Your School Emergency Operations Guide (flip chart) will serve as +an action reference on this subject. +GUIDELINES +The following guidelines are effective immediately and shall + + +Page 2: +Superintendent’s Circular FSE-07 +Page 2 of 9 + + +remain in place until otherwise ordered: +1. Every responsibility center should assign one person and a +backup person to sort and distribute mail. That person shall +be supplied with rubber gloves and plastic bags to be used +at their discretion. Training in the safe handling of mail will +be provided. +2. Techniques for safe handling of routine mail include the +following: +a. Examine all mail before opening to determine if it is +suspicious. +b. Isolate suspicious mail in a plastic bag. +c. Open mail with a letter opener over a hard cleanable +surface, holding the envelope upright so that the +contents will not spill out. +d. Examine the inside contents prior to removal. +e. Never shake or wave any mail or contents of +letters/packages. +f. Ensure that food or drinks are not in the area while +mail is handled. +3. All mail and packages sent to internal offices/departments +through the courier service should be sealed by the sender +and the name and return address of the sending office +clearly marked on the envelope/package. +4. Characteristics of suspicious letters and packages include +the following: +a. No return address. +b. Return address not matching city/state on the +postmark. +c. Stained, discolored mail or mail with an odor. +d. Excessive postage/excessive weight. +e. Lopsided or uneven envelope/packaging. + + +Page 3: +Superintendent’s Circular FSE-07 +Page 3 of 9 + + +f. Improper address, illegible or poorly written address. +g. Mail with visual threats on packaging materials. +h. Unexpected mail with an international postmark. +i. Ticking sound. +j. Any combination of the aforementioned +characteristics. +5. Suspicious mail or packages should NOT be opened or +jostled. It should be placed in a plastic bag and isolated for +inspection by the responsibility center manager. +6. If suspicious mail is already opened, it should be left on the +desk/table and should NOT be handled further. It is +suggested that it be covered with a plastic trash bag and +the immediate area closed off. Refer to items 8 and 9 and +follow the procedures outlined. +7. If any powder or suspicious substance spills out of the +envelope, cover it, close off and leave the immediate area, +wash your hands with soap and water and notify your +responsibility center manager. +8. When suspicious mail has been received, the responsibility +center manager should call 911 and notify the +Superintendent's Office. Our protocol does not call for +evacuation of the building unless so directed by public +safety officials. +9. All persons who handled suspicious letters/packages should +wash their hands with soap and water. +Attached for informational and review purposes are public health +fact sheets prepared by the Boston Public Health Commission. +Please keep this memorandum available for reference. + + +Page 4: +Superintendent’s Circular FSE-07 +Page 4 of 9 + + +ATTACHMENT A + +PUBLIC HEALTH FACT SHEET +Communicable Disease Control +1010 Massachusetts Ave, Boston MA 02118 +617-534-5611 +ANTHRAX +What is anthrax? +Anthrax is a disease caused by a bacterium called Bacillus +anthracis. Anthrax most commonly occurs in animals, but it can +also infect people. Anthrax has the potential to be used as a +biological weapon. In late 2001, terrorism related Anthrax cases +were found in Connecticut, New York City, New Jersey, Florida, +and Washington DC. +How is anthrax spread? +Anthrax can be spread by touching it (when there’s a cut on the +skin), breathing it in, or eating meat contaminated with Anthrax. +It is not contagious. An infected person cannot give it to others. +What are the symptoms of anthrax? +Symptoms of the disease vary depending on how the disease +was contracted, and usually occur within 7 days, but can take up +to 60 days to appear. + + +Page 5: +Superintendent’s Circular FSE-07 +Page 5 of 9 + + +• Cutaneous (skin form): Most anthrax infections occur when +bacteria enter the skin. The infection begins as a raised itchy +bump that resembles an insect bite, but within several days +develops into a blister. The blister ulcerates and forms a +black area in the center. With prompt treatment, the vast +majority of people recover fully. +• Inhalation: Initial symptoms may resemble the flu with +fever, chills, and muscle aches. After several days, the +symptoms progress to severe breathing problems and +shock. In the past, death occurred 1-2 days after the onset of +symptoms. However, during the recent outbreak of anthrax +in the United States, with prompt treatment more than half +of the people who developed inhalation anthrax survived. +• Intestinal: This form of anthrax occurs from eating +contaminated meat. Symptoms include nausea, loss of +appetite, vomiting, fever, and are followed by abdominal +pain, vomiting of blood, and severe diarrhea. +Can I acquire anthrax from another person? +Person-to-person spread of anthrax is not known to occur. Only +people directly exposed to anthrax spores could develop disease. +Is there an anthrax vaccine? +There is a limited amount of anthrax vaccine available in the +United States; however, most people are not routinely vaccinated +against anthrax unless they fall into a high-risk group such as +military personnel. The anthrax vaccine requires 6 shots over a +period of 18 months with follow-up shots. Anthrax vaccines +intended for animals should not be used in humans. + + +Page 6: +Superintendent’s Circular FSE-07 +Page 6 of 9 + + +Is there a treatment for anthrax? +Doctors can prescribe antibiotics that work against anthrax. To +be effective, treatment should be initiated early. If left untreated, +the disease can be fatal. In Massachusetts, all cases of suspected +anthrax are required to be reported immediately to local health +departments. In Boston, suspected cases should be reported to +Boston Public Health Commission at 617-534-5611. +For more information call the BPHC Bioterrorism Information +Line at 617-534-2362 or visit http://www.bphc.org + + + + +Page 7: +Superintendent’s Circular FSE-07 +Page 7 of 9 + + +ATTACHMENT B + +PUBLIC HEALTH FACT SHEET +Communicable Disease Control +1010 Massachusetts Ave, Boston MA 02118 +617-534-5611 + +BIOTERRORISM +What is Bioterrorism? +Bioterrorism is a form of terrorism in which infectious biological +agents, such as bacteria, viruses, or toxins are used (or are +threatened to be used) against another person to create fear and +disrupt normal daily activities. Use or threatened use of such +agents is a Federal crime and is thoroughly investigated by the +Boston Police Department, FBI, and other agencies. +What is the Boston Public Health Commission doing to prepare +for a possible bioterrorist event? +The Boston Public Health Commission (BPHC) has been +preparing for potential bioterrorism for several years. BPHC has +been working with health care providers and others in the city to +develop an early warning system for possible bioterrorist attacks. +This system will allow city officials time to implement steps to +prevent further illness. + + +Page 8: +Superintendent’s Circular FSE-07 +Page 8 of 9 + + +How will I know if I have been exposed to an infectious +biological agent? +Most bioterrorist threats to date have been hoaxes, so often +people only think they have been exposed to a bioterrorist agent. +If you suspect you have been exposed to a biological agent, notify +emergency personnel immediately by calling 911. Boston Police, +Fire, Emergency Medical Services, and Public Health Commission +will work together to collect and identify the suspect material. +If I actually were exposed to an infectious biological agent, what +symptoms should I look for? +Different viruses, bacteria, and toxins may be used as +bioterrorism agents, and each may cause different symptoms. +Often however, they resemble either the flu or food poisoning. +People who are exposed may experience fever, chills, headache, +body aches, and muscle weakness. Others may experience +coughing, diarrhea, abdominal cramping, nausea, and vomiting. +It is important to remember that these symptoms are common +of many illnesses and are not usually the result of bioterrorist +events. +How long would it take for symptoms to appear? +The length of time it takes for symptoms to appear can vary +greatly depending on the type of agent used. Symptoms can +appear between several hours to several weeks after exposure. + + + + +Page 9: +Superintendent’s Circular FSE-07 +Page 9 of 9 + + +What can be done if I am exposed to a biological agent? +For many of these agents, treatment is available. However, it is +very important for treatment to begin early. Therefore, if you +suspect you may have been exposed to one of these agents, see a +health care provider as soon as possible. + For more information call the BPHC Bioterrorism Information +Line at 617-534-2362 or visit the Boston Public Health +Commission, http://www.bphc.org. + +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-08 +Version 01 + + + +SAFE MODE AND INTERNAL THREAT PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Mandatory SAFE MODE drills are to be planned, conducted and +reviewed during September and January of each school year. Each +school should conduct two SAFE MODE drills every year. These +exercises are to be coordinated through your school superintendents. +A report on each safe mode drill must be documented on the Google +form, which can be found at the BPS Fire & Safety Drill Report. If you +have any questions, please contact the BPS Office of Emergency +Management. + +These drills will help prepare the school community for any real life +situation that may occur. + +During any real-life situation: +● Call 911 as soon as you can do so safely. +● Call the Department of Safety Services at 617-635-8000, after +calling 911, if you can do so safely. + +Objectives of SAFE MODE drills: +● Staff will be able to describe what SAFE MODE is and their +responsibilities during a SAFE MODE event. +● Staff will have the opportunity to have their questions +concerning SAFE MODE heard and answered. + + +Page 2: + +Superintendent’s Circular FSE-08 +Page 2 of 13 + +● Staff will have the opportunity to raise potential concerns that +have not yet been addressed to assist in better anticipating +issues during SAFE MODE situations. + +DEFINITIONS AND PROTOCOL FOR ACTUAL EVENTS + +SAFE MODE (External Threat) +SAFE MODE is a protective action used to safeguard faculty, staff, +and students from an external threat as a result of law enforcement +activity near the school or a potentially dangerous situation near the +school. Schools will typically be placed into SAFE MODE by the +Boston Police Department or BPS Safety Services, but each school +can enter SAFE MODE on its own. + +Examples of reasons why schools go into SAFE MODE: +● Police activity around or near your building +● Shooting outside your building +● Fire or accident near your building + +How will you know when you are in SAFE MODE? +The Principal/Head of School, Site Coordinator or designee will +announce the following via intercom and/or using the school safety +team: + +"Attention faculty and students: We are now in SAFE MODE. +Remain in your classroom. If you are in the hallway, stairs, or +lavatory, move into the nearest classroom. Do not leave the room +until told to do so, even if an alarm sounds." + + + +Page 3: + +Superintendent’s Circular FSE-08 +Page 3 of 13 + +NOTE: The Principal/Head of School, Site Coordinator or designee +will also be alerting Safety Services and calling 911 to alert them +that they are in SAFE MODE if not a drill, as mentioned above. + +What should faculty and staff do upon notification of SAFE MODE? +1. If you see, hear, or observe a potential threat outside your +building, bring all students and staff back into the building +immediately and initiate SAFE MODE and notifications. +2. Depending on the circumstances and the direction of the +Principal/Head of School, Site Coordinator or their designee, +learning activities may continue during a SAFE MODE. If +continuing learning activities, be sure the volume in the room +is low enough to hear further announcements. +3. Check the hallways for people nearby and bring them into the +classroom. +4. Check adjacent classrooms through interior doors for +unsupervised students. +5. Lock the classroom door. +6. Be prepared to barricade your doors, cover large door windows +using any available resources (e.g., large paper or felt), and close +the windows and shades (if you have them). Turn the lights off +and silence cell phones, radios, Tv and any other source of noise +as necessary. +7. Be prepared to move students away from windows and doors +and stay in your safe location. +8. Take attendance. Verify the missing and extra people in your +room. Write the names on a sheet of paper and wait for +someone to contact you for that list (may be by intercom or in +person). + + +Page 4: + +Superintendent’s Circular FSE-08 +Page 4 of 13 + +9. Ramain with your students in the classroom until further +instructions are given. +10. Only use the intercom to notify the main office of emergencies +or special needs. +11. SAFE MODE ends only when the principal/head of school, site +coordinator or designee announces it via intercom or through +door to door notifications. + +What will the safety team be doing during SAFE MODE? +1. Administration will make sure exterior doors are locked. +2. Floor captains will check classrooms and lock bathrooms. +3. Administration will notify all staff via the public address system +of the situation. +4. Administration will notify Safety Services and their school +superintendent if they are in an actual SAFE MODE. They will +notify their school superintendent if they will be conducting a +SAFE MODE drill. +5. Administration or police will monitor cameras. +6. Administration or police will monitor the entire school to make +sure no one is in the hallways or leaving or entering the +building. +7. Administration will work with BPS Communications to send a +notice to all families within a short time after the incident when +the situation is clear. + +Preventative Safe Mode: This version of SAFE MODE can be used to +stop motion in the building under certain circumstances to resolve +an internal issue (e.g., lost children, student/adult behavior, K9 +search, etc.). + + + +Page 5: + +Superintendent’s Circular FSE-08 +Page 5 of 13 + +How will you know when you are in PREVENTATIVE SAFE MODE? +The Principal/Head of School, Site Coordinator or designee will +announce the following via intercom and/or using the school safety +team: + +"Attention faculty and students: We are now in PREVENTATIVE SAFE +MODE. Remain in your classroom. If you are in the hallway, stairs, or +lavatory, move into the nearest classroom. Do not leave the room +until told to do so, even if an alarm sounds." + +If schools want to conduct internal threats drills, they should only do +so with staff. No students should be involved in an internal threat +drill. If there are concerns about these drills or procedures, they +should only be discussed with staff. + +INTERNAL THREAT (Interior) +INTERNAL THREAT will be announced if there is any person in the +building who is looking to cause harm to people. If an internal threat +is in the building, all occupants should use the AVOID, DENY, +DEFEND (formerly RUN, HIDE, FIGHT) model to protect themselves +and anyone in their care. During this situation, occupants should use +their own judgment to determine what they will do. + +Examples of an INTERNAL THREAT are: +● Unknown or unidentified people in your building wandering +around +● Out of control parent/family member +● Person with a weapon in the building +● Person shooting in your building + + + +Page 6: + +Superintendent’s Circular FSE-08 +Page 6 of 13 + + +How will I know when we have an INTERNAL THREAT? +The Principal/Head of School, Site Coordinator or designee will +announce the following via the school intercom (and call 911 if not a +drill): + +“Attention faculty and students: there is an INTERNAL THREAT +(AVOID, DENY, DEFEND).” + +What will be happening on campus during an INTERNAL THREAT +situation? +1. No one will be in hallways. +2. Anyone with information on the threat should be calling 911 to +alert police of the situation. +3. Occupants will be using the AVOID, DENY, DEFEND protocol +to decide their actions: +● AVOID (RUN) pay attention to your surroundings, know +your exits if you know it is safe to do so: get as far away +from the building or source of threat as you can (you should +not be able to see the building/threat from where you have +run to). If it is safe to do, call 911, call the School Leader and +Safety Services at 617-635-8000. Cautiously alert people +around you if possible. +● DENY (HIDE) if you cannot run: barricade where you are (if +you can) and stay out of sight of the threat,lock the door, +turn off the light. Silence your phone, radios, tv and/or any +other source of noise. +● DEFEND (FIGHT) If you cannot Avoid or Deny be prepared +to defend yourself. If fighting is your last resort and the +threat is in your space and is going to hurt you or people + + +Page 7: + +Superintendent’s Circular FSE-08 +Page 7 of 13 + +you are with, find something to fight (laptop, chair, fire +extinguisher or any other available resources). +All staff should consider what to do during an internal threat on a +regular basis. HAVE A PLAN! + +HELPFUL HINTS: “KNOW YOUR SPACE” +● Know all available egress (EXIT) points if you ever need to +AVOID (RUN). +● Know what you can use to barricade your door(s) and conceal +yourself from sight if you ever need to DENY (HIDE). +● Know what you can use to DEFEND (FIGHT) if fighting is your +only option (fire extinguisher, chair, laptop, etc.). +● The goal of both SAFE MODE and INTERNAL THREAT is to take +cover and conceal yourself and your students from the active +assailant. Covering glass (with large paper, shades, etc), +shutting off lights, staying quiet (silence your phone, radios, +TV or any other source of noise) and moving into a position of +concealment is key. + + +POLICE RESPONSE: “KNOW WHAT TO EXPECT” +● Law enforcement priorities: +1. Neutralize the shooter +2. Stop the bleed of the first critical victim they encounter +(only if the shooter is not in the immediate location. This is +a new protocol.) +● When police arrive, follow their commands, show the palms of +your hands, don’t move quickly. +● BPD policy is that plainclothes officers can respond to an active +assailant, help may not be in uniform. + + +Page 8: + +Superintendent’s Circular FSE-08 +Page 8 of 13 + + + +DEFINITIONS AND PROTOCOL FOR SAFE MODE DRILLS + +How to conduct a Safe Mode Drill at your school? + +Identify a Safety Team if you have not already done so (Refer to +Safety Contingency Plan FSE-01). This Safety Team should include +the School Leader, Assistant School Leader, Site Coordinator, +Secretary, Custodian or designees. Please review FSE-01 page 24 +for guidance. + +The Principal/School Leader, Site Coordinator or designee must +ensure that staff receive and understand proper instructions on +the safe mode drill procedure. Students should also be informed +of the procedure in order to align expectations prior to the drill. +The drill must be recorded on this form. + +Prior to the Drill: +Confirm the Plan: School Leader/Site Coordinators or designee +will review the Safe Mode and Internal Threat Procedures, +including the various situations and levels of Safe Mode (ie +external threat/ medical issue/ internal threat) with staff. Select +the date of the drill and coordinate roles and responsibilities +during and after the drill. + +Day of the drill: +Just in Time Training: School Leaders/Site Coordinators or +designee will instruct staff to review Safe Mode and Internal +Threat Procedures ensuring everyone knows their roles + + +Page 9: + +Superintendent’s Circular FSE-08 +Page 9 of 13 + +(Students/Staff). Also staff should confirm window covers are +available (shades/blinds/paper/boards, etc) and classroom doors +can lock properly from the exterior. Familiarize yourself with the +system used to warn you to go into Safe Mode, this may be the +public address system, if available, an intercom system, phones +or radios. If the only method to communicate within the school +is the bell system, note the warning bell system used to warn +everyone to Safe Mode. +*Listen carefully for instructions* +Conducting Safe Mode Drill: +1. Inject: Safe Mode ANNOUNCEMENT is made via the PA, with +the support of radios to areas where the PA does not reach. +2. Staff and students go inside the building into the nearest +classroom immediately if they are not already. +3. Staff check the hallways for other staff/students nearby and +bring them into the classroom. +4. Staff check adjacent classrooms through interior doors for +unsupervised students. +5. Lock the classroom doors. +6. Close and lock the windows. +7. Be prepared to barricade your doors, cover large door windows +using any available resources (e.g., large paper or felt), and +close the windows and shades (if you have them). +8. Move students away from windows and doors and stay in your +current location. +9. CONDUCT AN ACCOUNTABILITY SURVEY Verify the missing +and extra people in your room. Write the names on a sheet of +paper and wait for someone to contact you for that list (may +be by intercom or in person). + + +Page 10: + +Superintendent’s Circular FSE-08 +Page 10 of 13 + +10. Stay with your students in the classroom until further +instructions are given. +11. Only use the intercom to notify the main office of emergencies +or special needs. +12. Silence all cellular devices. +13. Shut off the lights. + +IF THE FIRE ALARM SYSTEM SOUNDS: +● Evacuate if there are visible signs of fire. +● Await instructions if there are no signs of fire. + +14. ALL CLEAR/ RETURN TO SCHOOL +School Leader, Assistant School Leader, Site Coordinator, +Secretary, Custodian or designee announces ALL CLEAR via +intercom or through door to door notifications. +Action: Staff return to normal classroom activities. +15. School Leader, Site Coordinator or designee reports the drill +on this form. If you have any problem with this link, please +contact the OEM Team for assistance. + +Note: Learning activities may continue during a SAFE MODE drill, +unless you are instructed otherwise by the Principal/School Leader, +Site Coordinator or designee. If continuing learning activities, be +sure the volume in the room is low enough to hear further +announcements. + +IMPORTANT REMINDER: The BPS Office of Emergency +Management is available to support schools drills as well as +facilitating tabletop exercises or functional tests of school buildings +plans and protocol. Please contact us for more information. + + + +Page 11: + +Superintendent’s Circular FSE-08 +Page 11 of 13 + +All staff should view the following video from the Ohio State +University, to obtain important additional information that will be +helpful in the event that an incident occurs at the school or another +location. +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + + + + + + + + + + + + +(Updated 7.29.2024) + + +Page 12: + +Superintendent’s Circular FSE-08 +Page 12 of 13 + +BPS Safe Mode Announcement Scripts (English) +Safe Mode (External Threat/ Danger Outside of the School) +Announcement: +"Attention faculty and students: We are now in SAFE MODE. Remain in your classroom. +If you are in the hallway, stairs, or lavatory, move into the nearest classroom. +Do not leave the room until told to do so, even if an alarm sounds." + +Preventative Safe Mode (ex. Missing Student/ Medical Emergency) +Announcement: +"Attention faculty and students: We are now in PREVENTATIVE SAFE MODE. +Remain in your classroom. If you are in the hallway, stairs, or lavatory, move into the nearest classroom. +Do not leave the room until told to do so, even if an alarm sounds." + +Internal Threat (Active Shooter/ Armed Intruder Inside) +Announcement: +“Attention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).” + +Know Your Space. Get Safe Before You Call 911. +Cover versus Concealment. +Silence is Golden. +BPS Office of Emergency Management updated 7/2024 + + +Page 13: + +Superintendent’s Circular FSE-08 +Page 13 of 13 + +BPS Guía para anunciar el “modo seguro”(Spanish) +Modo seguro (amenaza externa/peligro fuera de la escuela) +Anuncio: +"Atención profesores y estudiantes: ahora estamos en MODO SEGURO. Permanezcan en su salón de +clases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más cercano. No salga +del salón hasta que se le indique, incluso si suena una alarma". + +Modo seguro preventivo (por ejemplo, estudiante desaparecido/emergencia médica) +Anuncio: +"Atención profesores y estudiantes: Ahora estamos en MODO SEGURO PREVENTIVO. Permanezca +en su salón de clases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más +cercano. No salga del salón hasta que se le indique, incluso si suena una alarma". + +Amenaza interna (tirador activo/intruso armado en el interior) +Anuncio: +“Atención profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).” +Conozca su espacio. +Antes de llamar al 911, asegúrese de no estar en peligro (busque un lugar seguro con precaución) +El silencio es oro. + +Oficina de Manejo de Emergencia de BPS 7/2024 + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-01 +Version 01 + + + +SCHOOL SAFETY CONTINGENCY PLANS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Emergencies happen randomly in time and place, but they can be +handled efficiently if you have an adequate school action plan and +an informed staff. A plan without a crisis is better than a crisis +without a plan. School administrators and staff routinely manage +crises efficiently, and a well thought out plan will ensure guidance +in a major emergency. +Boston Public Schools is a NIMS (National Incident Management +System) compliance district. NIMS uses a core set of concepts, +principals, procedures, processes, standards, and terminology that +may all be integrated with school emergency management +practices. This in part means that we use straight language and +not codes when emergencies happen. +When developing safety plans, school administrators must +consider mitigation/prevention, response and aftermath, and +components which apply to all emergency preparedness. +Prevention/mitigation +strategies +are +delineated +in +related +Superintendent’s Circulars. Appropriate response will be detailed +in your School Safety Contingency Plan. Dealing with recovery will +be addressed via Special Education and Student Services policies +and procedures and support from other BPS departments. + + +Page 2: +Superintendent’s Circular FSE-01 +Page 2 of 42 + + +It is essential that there be a consistent approach to school safety +planning throughout the district. This will ensure that each school +implements standard procedures in the event of an incident. A +defined course of action will also complement the efforts of +responding public safety agencies. +The issue of school safety planning is regularly assessed. Ongoing +risk analyses are conducted, and lessons learned from actual and +most probable school incidents are integrated with BPS safety +protocols. Although every possible contingency may not be +identified in BPS School Safety contingency plan guidelines, your +plan should serve as a multi-hazard approach for handling school +incidents. +It is the responsibility of each school administrative head to +update, review with staff and submit their School Safety +Contingency Plan no later than the last week of August each +school year. +The names of those schools which fail to comply with this directive +are forwarded to the Superintendent’s Office for appropriate +action. +Your School Safety Contingency Plan is to be completed in the +Google doc shared with the school principal/head of school. Please +use the original doc to complete your plan. Do not copy and +share. It will be automatically saved. You are allowed continuous +access to maintain its currency. It is also accessible to the +Superintendent’s Office staff and other appropriate BPS central +departments. Boston public safety agencies — police, fire, EMS +and BOEM — have access to these plans in an emergency. The +Office of Emergency Management and Preparedness is available +as a resource to assist principals/schools leaders, heads of school +and other administrative heads with access information and + + +Page 3: +Superintendent’s Circular FSE-01 +Page 3 of 42 + + +technical advice in order to complete their plans. +INSTRUCTIONS FOR UPDATING AND EDITING SCHOOL SAFETY +CONTINGENCY PLANS AND FIRE SAFETY PLANS +The following is information on how to access and edit your +building’s School Safety Contingency Plan and the building’s Fire +Safety Plan. The actual School Safety Contingency Plan for your +building was shared with you by the Director of the Office of +Emergency Management and Preparedness or Director of +Technology in a Google Doc. Use this Google Doc for all changes +and updates. Please make all changes in the original doc. Do not +save and make changes. +► If you cannot locate your plan, please contact The Office of +Emergency Management and Preparedness Operations- +Department-Heads@bostonpublicschools.org. + +Summary of significant dates and deadlines: +Date +Activity +Last Week in August +Deadline for completion and submission on Google +Doc to The Director of the Office of Emergency +Management and Preparedness of revised School +Safety Contingency Plan and review same with +staff for this school year. + +SECTION I: INTRODUCTION +The Boston Public Schools continues efforts to simplify and + + +Page 4: +Superintendent’s Circular FSE-01 +Page 4 of 42 + + +standardize school safety plans throughout the system. It is +understood that each school has its own “safety personality” based +on its construction design, location, number of staff, number and +grade level of students, as well as many other characteristics. +However, there are common elements, policies, and procedures +for all schools to follow in the event of an incident/crisis. +There are five phases of emergency management for school +administrators to consider when developing safety plans: +● Mitigation +● Prevention +● Preparedness +● Response +● Recovery +Although special emphasis is placed on spectacular and unusual +incidents by the media, there are many routine types of school +related occurrences that can also be extremely disruptive to a +school. +School administrators are called upon to deal with these +emergencies on a regular basis. In every type of school incident, +the first responders and decision makers are school-based staff. +When the scope of an incident escalates beyond the resources +available at the school, initial actions taken or not taken by those +closest to the event can help or hinder those who will arrive later +and assume responsibility for resolving the situation. +The intent of these guidelines is to assist school administrators in +creating an appropriate working plan that will direct them +through a crisis and expedite the return of their school to its +normal operation following that crisis. It is a multi-hazard +approach to school incident management. + + +Page 5: +Superintendent’s Circular FSE-01 +Page 5 of 42 + + +BPS guidelines are based on concepts utilized in an Incident +Command System developed by public safety agencies across the +nation. The following is a brief overview of the Incident Command +System. +INCIDENT COMMAND SYSTEM +ICS has been modified for our application on the school level to +manage any incident/crisis within our capacity and maintain +compatibility +with +supplementary +public +safety +agency’s +emergency plans. +In managing any incident/crisis, the paramount objectives for all +school staff are to: +● Ensure safety of all occupants +● Follow BPS Safety Plan, Safe Mode and/or Fire protocol +● Stabilize and resolve the incident when possible +● Provide support for responding public safety agencies (911 +and BPS Dispatch 617-635-8000) +● Protect school property +The Incident Command System (ICS) is based on a team concept, +where each team member has specific responsibilities. BPS will +utilize an on-site team and an off-site team that will focus on +securing the necessary support from internal departments and +external agencies. The information flow is illustrated on the next +page. +The on-site BPS Incident Control team (ICT) team model calls for +the following positions: +Site Incident Control Team +● Site Incident Control manager (SICM) +● Risk analyst + + +Page 6: +Superintendent’s Circular FSE-01 +Page 6 of 42 + + +● Safety coordinator +● Building coordinator +● Incident scribe +The roles, responsibilities and required skills for a successful Site +Incident Control Team follow: +Site Incident Control Manager +Generally, the site incident control manager (SICM) should be the +head of school/principal/director, the individual who has ultimate +responsibility for his/her school’s operation. The SICM must have +a clear understanding of the school system’s policies and +procedures. The SICM must also be able to make quality +assessments, communicate well and command others. These are +normal functions for a school’s administrator to perform. +Depending on the severity and tier level of the incident, the SICM +will establish a command post at a designated location and +activate the school’s internal team. The nature of the incident +determines the configuration of the team. In a large-scale +incident, the team can be expanded or collapsed as conditions +warrant. In a smaller school, one person may perform several tasks. +It must be understood that, initially, the SICM may be any member +of your staff who discovers or is alerted to an incident prior to +notification of the head of school/principal/director. +Risk Analyst +The risk analyst will be relied on to assess incurred injuries and +evaluate medical risks associated with developing and occurring +incidents. Recommended personnel for this role include the +school +nurse, +school +psychologist, +and +student +support +coordinator. Consideration of a school’s language requirements + + +Page 7: +Superintendent’s Circular FSE-01 +Page 7 of 42 + + +should also be included in selection of the risk analyst. +Safety Coordinator +The safety coordinator will be called upon to gather occupancy +information and to support efforts to establish control at the +incident site. Recommended personnel for this role include +School Registrar, School Police Officer, Safety Paraprofessional, +Dean of Discipline, and Transportation Coordinator. Since schools +vary in size and range of staff, Principals and Headmasters are +urged to explore their building’s total resources to assist in +identifying this team member. +Building Coordinator +The building coordinator will meet and direct responding +agencies to appropriate locations. The building coordinator will +also assess building security. Due to familiarity and knowledge of +the assigned school and its systems, the senior building custodian +is the suggested primary designee for this role. +Incident Scribe +The incident scribe will be responsible for documenting the +chronology +of +events. + +This +position +will +require +good +organizational skills and willingness to support the rest of the on- +site Incident Control Team members. Suggested staff includes the +school secretary or the person in your building responsible for +organizing student arrival and dismissal. +Smaller schools with limited numbers of administrators or support +staff may find it necessary to have team members perform more +than one role. +Classroom teachers are not recommended as potential members + + +Page 8: +Superintendent’s Circular FSE-01 +Page 8 of 42 + + +of the on-site team. Experience indicates it is best for classroom +teachers to remain with their assigned classes during critical +events. A resource guide for classroom teachers is included in the +Emergency Response Guidelines. +CENTRAL INCIDENT MANAGEMENT +The BPS adaptation of the Incident Command Structure will +include the establishment of an off-site team that will support the +efforts of the on-site team. The components of this off-site Crisis +Command Team will include Facilities Management, Emergency +Management, Transportation, Superintendent’s Office, Student +Support Services, Safety Services, and other areas that might be +required as incidents evolve. The external team will provide liaison +support to any agency required by a situation. + + + + +Page 9: +Superintendent’s Circular FSE-01 +Page 9 of 42 + + +Central Incident Management Team +Group +Primary +Phone +Facilities Management Executive Director of +Facilities +(617) 635-9126 +BPS Emergency +Management +Director of +Emergency +Management +(857) 701-9404 +(617) 635-6082 +Transportation +Chief of +Transportation +(617) 635-9520 +Behavioral Health +Services (BHS) +Chief of Student +Services +(617) 635-9676 +Safety Services +Chief of Safety +Services +(617) 635-8000 + +Superintendent’s +Office +Deputy Supt of +Operations +(617) 635-9643 + +Office of Technology +CIO/Director +(617) 635-9200 +Communications +Department +Chief of +Communications +(617) 635-9265 + +In many instances, this sophisticated level of staffing may not be +required. However, considering identified functions requiring +performance in a crisis, the model ICS structure can be modified +for a specific application to ensure completion of critical +communications and data sharing tasks. It is important to +understand that the incident command system is driven by +functions being performed and not simply staffing positions. + + +Page 10: +Superintendent’s Circular FSE-01 +Page 10 of 42 + + +PUBLIC SAFETY RESPONSE +Should an incident necessitate a response by non-school +department public safety resources based on the assessment of +the school SICM, they will be met by the building coordinator and +informed of the nature of the incident and location of the school +command post. +Should conditions warrant, public safety personnel might assume +primary responsibility and command. The responding public +safety officials may activate their own command post, at which +time an official from the impacted school may be requested to +take a position at that location. +INCIDENT TYPE AND RESPONSE +The BPS adaptation of the Incident Command System calls for +classification of an event or developing situations to be +categorized by the following tier level concepts. The initial +assessment must quickly determine if the best response is safe +mode or evacuation. +School related incidents will be classified according to a level of +seriousness (Tiers I, II, III). Appropriate school response to these +tiers would be to initiate emergency procedures, standby or +monitor the situation, or introduce proactive measures with +careful monitoring of developing situations. The appropriate +response or modes required by the SICM’s evaluation are defined +as follows: +Tier I – Any Situation That Requires Immediate 911 Response +Tier II – Stand By and Response Planning Mode +Tier III – Proactive Prevention and Monitoring Mode + + + +Page 11: +Superintendent’s Circular FSE-01 +Page 11 of 42 + + +DEFINING INCIDENT RESPONSES BY TIER LEVEL +Situations will be categorized by the Site Incident Control +manager (SICM) as a Tier I, Tier II, or Tier III issue. +Tier I – Presents Imminent Danger to Students, Staff, and +Property beyond the School’s Ability to Control +● Bomb threat +● Fire alarm +● Armed person on or near +site +● Hostage situation +● School bus accidents +● Medical emergencies +● Hazardous materials +incident +● Gas leak +● Suicide threats +● Fire +● Explosion +● Kidnapping +● Sexual assault +● Lost or missing children +● Violent behavior +● Psychiatric emergency +● Chemical spills +● Natural disasters +Tier II – Presents Potential Danger to Students, Staff and +Property +● Suicide warnings / signs of depression +● Weather warnings +● Environmental issues +● Facilities failures +● Increased gang activities +● Communicable diseases +● Custody issues +Tier III – Conditions Indicate a Threatening Situation is in +Formative Stage +● Sexual harassment +● Intimidating behavior + + +Page 12: +Superintendent’s Circular FSE-01 +Page 12 of 42 + + +● Increasing levels of vandalism +● Inappropriate communications +● Inappropriate internet use +● Rumors +● Other incidents that warrant further monitoring +CRITERIA FOR DEFINING TIER LEVELS +Tier I +Tier I situations present imminent danger to students, staff, +and property beyond the school’s ability to control and +typically involve a 911 emergency response. +Tier I situations require an immediate SICM assessment to +determine the scope of response required, i.e., some +situations requiring 911 response may be contained by the +arrival of the appropriate responding 911 unit. For example, a +relatively small laceration requiring sutures by EMS would +not require the same scope of response as a bomb scare that +requires evacuation of the building. +The traditional response to emergencies that have school- +wide impact is often limited to school evacuation. These +guidelines, in response to new dimensions in school safety, +call for a determination by the SICM to identify if evacuation +or safe mode is a component of the response for the situation +at hand. +In the Emergency Guidelines portion of this document, the +terms Tier I – Red (Safe Mode) and Tier I – Green (Evacuation) +are introduced to signal the SICM’s assessment to the specific +situation at hand. +Tier I – (Safe Mode): students and staff staying in place within + + +Page 13: +Superintendent’s Circular FSE-01 +Page 13 of 42 + + +the building is appropriate. The safe mode may entail locking +in place or relocation to another part of the building. +Tier I – (Evacuation): evacuation from the building has been +determined as the appropriate response. +The use of the terms Tier I – Safe Mode and Tier I – Evacuation +is limited to Tier I events. +Please note that some Tier I (911) situations will not require +use of the Red or Green designations; the laceration versus +bomb scare example illustrates the distinctions that must be +made regarding the scope of required response. The location +of an armed person outside versus inside a building, or a +hazardous material release near or in the school, illustrates +the need for evaluating whether evacuation or a safe mode +process should be implemented. +The range of response required must be determined by the +SICM. The SICM determines if additional resources need to +be activated. The SICM also indicates if a Tier I – Evacuation +or Tier I – Safe Mode situation exists. + + + + +Page 14: +Superintendent’s Circular FSE-01 +Page 14 of 42 + + +Tier II +Tier II situations present potential danger to students, staff, +and property. +Tier II situations indicate that a standby and response- +planning +mode +is +required. This +entails +gathering +information, developing plans, and notifying appropriate +agencies. +Tier II major situations could include neighborhood fires that +potentially threaten nearby schools, or transportation +accidents involving the transport of hazardous materials. A +less dramatic situation would be a power failure that might +eventually require early dismissal or relocation of students. +As in Tier I, the SICM determines the scope of response +required. +Tier III +Tier III conditions indicate a threatening situation is +developing. Collaboration and communication within and +beyond the BPS support structure is required to ensure +appropriate resources are engaged early to minimize further +development of the threat. +Preventative measures, including proactive engagement by +required support functions or intervention by appropriate +agencies during formative phases, will decrease the +occurrence of critical incidents within our schools. +Tier III situations are occurring daily throughout BPS schools. +Tier III conditions encompass a broad spectrum of behavioral +issues and involve both individuals and groups. Many serious + + +Page 15: +Superintendent’s Circular FSE-01 +Page 15 of 42 + + +safety incidents are preceded by actions that should raise +flags. For example, the appearance of gang related clothing +among students indicates the need for conversations with +gang intervention personnel. Suspicion of abuse or neglect, +or the observance of depression warning signs in individuals, +requires follow up by Student Support staff and possibly the +engagement of external support providers. +Tier III conditions are likely to be first observed by classroom +teachers who become aware of behavior that warrants +further monitoring. +Observation and communication of Tier III situations, which +receive prompt application of Safety Services and Student +Support Services prevention practices and our expanded +support resources, offer the greatest area for positive impact +to our school safety environment. +When members of the onsite Incident Control Team are +informed or observe a Tier III situation, the SICM will identify +and contact the appropriate resources. +SECTION II: GUIDELINES +Initial School Actions +An individual discovering or receiving information about an +incident will make a quick assessment and determine if an +immediate 911 contact is required. If the assessment indicates that +911 supports are required, that individual should contact 911 and +then proceed to notify the Site Incident Control manager (SICM). +For all other situations, the SICM will make the initial assessment +and then notify the onsite Incident Control Team (ICT) of the +situation. The SICM will also initiate contact with other required + + +Page 16: +Superintendent’s Circular FSE-01 +Page 16 of 42 + + +support groups as required. While awaiting the arrival of +requested support, the SICM and ICT will use those critical minutes +to initiate the following eight steps: +1. Classify the tier level and determine the appropriate response +mode: +a. Contact 911 +b. Stand-by and response planning +c. Proactive prevention and monitoring +2. Implement evacuation or safe mode decision +3. Establish communications +4. Identify the danger zone +5. Identify and request needed resources +6. Open a command post +7. Activate staging areas +8. Compile occupancy data +Further details for Steps 1-8 above are as follows: +1. Classify the Tier level. +● Tier I: +Any situation that requires a 911- assistance mode +also requires that the need for an evacuation or +containment response be assessed. +● Tier II: Standby and appropriate response planning mode. +● Tier III: Proactive / prevention and monitoring mode. +Examples of specific tier incidents are included in the +introduction section. +2. Implement Evacuation or Safe Mode Procedures. +Evacuation — Based upon assessment and policy, the SICM +will determine the need for evacuation. If evacuation is +warranted, it will begin upon the communication of a +predetermined signal (fire alarm, intercom, bell, buzzer, + + +Page 17: +Superintendent’s Circular FSE-01 +Page 17 of 42 + + +other). All building occupants will respond to this signal and +immediately evacuate according to prescribed routes. +Notification procedures for Tier I – (Evacuation) should be +entered in the computerized School Submittal Section of +your (Step I, section d) school safety plan. +Each school must have established primary and secondary +evacuation routes +to +be followed +during +drills +and +emergencies. Evacuation routes, which are also an element +of your Fire Safety Plan, should be inspected prior to +utilization and the appropriate one determined during +assessment of the situation. +Assembly areas must also be predetermined for all school- +building occupants upon their exiting the school. This is a +critical time during an emergency, and student / staff +accountability measures must be accomplished at this +point. Evacuation may be to a primary, secondary, or to your +off-site (alternate) location(s). These locations require +assessment during plan development, and at the time of the +incident, to ensure adequacy. This information will be +entered in the computerized School Submittal Section (Step +I, Section B) of your school safety plan. +Safe Mode — Safe Mode is an alternative response to +evacuation procedures. Notification procedures (Safe Mode) +should be entered in the computerized School Submittal +Section (Step I, Section D) of your school’s safety plan. +Generally, evacuation to the outside has been our immediate +response to an emergency signal. Post incident analyses of +serious incidents that have occurred across the country +indicate that evacuation is not always the safest response to +a situation. Again, based upon assessment and policy the + + +Page 18: +Superintendent’s Circular FSE-01 +Page 18 of 42 + + +SICM will determine the need for safe mode. +Safe Mode would commence upon a predetermined +notification procedure. Those contained or relocated will be +directed to that identified site (a room number, common +area, floor, other) and securing the location where you find +yourself (and those for whom you are responsible) or securing +the place to which you may be relocated in an emergency. +This may simply require locking a door. Again, these are +critical +times +in +an +emergency +and +student/staff +accountability measures must be accomplished at this point +by SICM in accordance with school safety plans. +3. Establish communications. Each school will have in place a +means and procedures for communicating in an emergency +within their school and to outside public safety agencies. All +components of this process are required as part of your +school submission. This would also identify those assigned +telephones or radios and individuals tasked with making +necessary notifications. +The individual discovering or receiving initial information +about an incident is responsible to make a quick assessment +and take the following steps: +a. Life threatening situation(s) require immediate 911 +notification. To notify public safety (police, fire, EMS) call +911 via any available telephone. A Fire Alarm pull station +is to be used in the event of a fire related incident with a +back-up telephone call to 911 or (617) 343-2880. +Remember that activating a pull station will summon +emergency +assistance +but +will +also +initiate +an +evacuation that may not be appropriate for the +situation. + + +Page 19: +Superintendent’s Circular FSE-01 +Page 19 of 42 + + +b. The discoverer will then inform the SICM or an on-site +Incident Control Team member of the situation. +c. The SICM or available ICT member will classify the +incident Tier level and assume management of the +situation. +4. Identify the danger zone. In the assessment phase the best +means of separating students/staff from any threat must be +determined. This may be accomplished by building +evacuation +or +implementing +containment/lockdown +procedures. A perimeter should be established and secured +to keep students/staff away from the danger zone and in a +safe area. Moving people away from the threat, isolating and +securing the affected area, and restricting access to non- +emergency personnel are techniques to separate the threat +from students and staff. +5. Identify and request needed resources. As early as possible, +the SICM must try to assess what resources are needed to +mitigate the crisis and request those resources be made +available. Support may come from the Central Incident +Management Team or from outside sources. The extent of +required resources will be initially identified during the +incident tier classification phase. Supplementary resources +may be requested by follow-on agencies. +6. Open command post. The SICM should open a command +post as soon as possible in the event of an incident. It should +be in a spot outside the danger zone from which the SICM +can effectively manage the incident. The command post +must have communications capability in order that the SICM +has access to internal team members as well as public safety +officials and the Central Incident Management Team. There +should be a level of security for the command post to prevent + + +Page 20: +Superintendent’s Circular FSE-01 +Page 20 of 42 + + +unnecessary interruptions by people not involved in the +response, such as the media, parents, and onlookers. Safety +plans and school records must be available at this location. +Locating primary and secondary command posts ahead of +time allows you to quickly open a command post whenever +it is needed. You can predetermine sites because generally it +is not important that you have a view of the danger zone. +Many managers want to manage what they can see, but in a +major critical incident the SICM must manage the entire +scene, not just the source of the event. It is suggested that +primary and secondary sites be at opposite ends of the +building. Just because you have predetermined sites does +not mean you are locked into using them. As the SICM, you +may be dealing directly on location at the source of the issue. +7. Activate staging areas. As with the command post, the +staging areas should be predetermined and located outside +the danger zone in an area that can be secured. In the event +of a major school incident, separate staging areas should be +available for injured and ill persons, parents, and media +representatives. Directing members of these groups will be +a function of the Incident Control Team building coordinator. +8. Compile occupancy data. As stated throughout these +guidelines, student/staff accountability is essential in an +emergency. The following can be used to compile occupancy +data in an emergency: +● Daily class/student rosters +● Daily staff/ employee/visitor sign-in sheets +● Absentee list (students, staff, employee) +● Field trip rosters +● Current emergency information cards +● Locker assignment list + + +Page 21: +Superintendent’s Circular FSE-01 +Page 21 of 42 + + +● Known restraining orders +● Photo identification +● Schedules +● School bus assignments +Any roster should be completed, as early as possible each day, +in a form that can be readily taken from the building during an +emergency. Special attention should be given to document +names of any student/staff member who is transported from +the school or released to a parent. Particular attention should +be paid to ensure the location(s) of any student(s) or staff +member that is (are) physically or visually impaired is known. +SECTION II: OVERVIEW +The above 8 steps are tailored to directly address Tier I situations. +However, several of the steps are relevant to Tier II and Tier III +incidents when applied to longer timelines. Tier II, requiring +standby and response planning, might utilize steps 3, 4 and 5 +initially, and depending on the situation may entail use of the +remaining steps. +Tier III events that occur over longer time periods would still +require that communication and identification of appropriate +proactive preventative measures be developed. +Common sense prevails throughout these guidelines. Those of us +in the schools understand that it is better to have a plan and no +crisis than to have a crisis and no plan. +These basic guidelines are not expected to cover every +contingency. However, application of these simple steps will +provide a consistent approach to handling any school incident. As +previously stated, the severity and your professional assessment of +the incident will determine the scope of response. + + +Page 22: +Superintendent’s Circular FSE-01 +Page 22 of 42 + + +School administrators and staff routinely implement some form of +crisis response management during the discharge of their duties. +The intent of the guidelines is to provide a flexible structure that +will assist you in managing your response. +The following pages contain an Emergency Response Guide to +assist your handling of various situations. It is designed for use as +a handout for your Site Incident Control Team. Included in the +Guide is a section designed specifically for classroom teachers. +The final section of this booklet is a hardcopy of information that +you will be asked to compile. The actual method of collection will +utilize a Google document developed by the Office of Information +Services. The information submitted by your school will be stored +in a consolidated database that will be reviewed and updated on +an annual basis. +SECTION III: EMERGENCY RESPONSE GUIDE +1. ASSESSING THE EMERGENCY RESPONSE +The site incident control manager must identify and +implement appropriate response. + + + + + +Page 23: +Superintendent’s Circular FSE-01 +Page 23 of 42 + + +SAFE MODE IF: +EVACUATION IF: +The situation presents a threat of +illness, injury or death to persons +moving in, around, or about the campus +and it is determined that Safe Mode +will provide a greater level of safety for +those persons. +● Riot +● Shooting +● Hazardous Material Spill +(Outside) +● Hostage Situation +● Suicide +The situation presents a threat of +illness, injury or death to persons +remaining inside a building and it is +determined that evacuation will provide +a greater level of safety for those +persons. +● Fire +● Explosion +● Hazardous Material Spill (Inside) +● Hostage Situation +● Bomb Threat +● Gas Leak + +2. SAFE MODE — PERSONNEL ASSIGNMENTS +All students are to remain contained until emergency +responders advise otherwise. +The following is a list of recommended assignments for +faculty/staff members during a crisis requiring containment. +* Asterisks denote Site Incident Control Team members. * + +* Principal/Assistant Principal (Site Incident Control Manager +- SICM): Initiate safe mode. Safely monitor situations with +available resources. Identify and contact appropriate +emergency responders and BPS support staff. + + +Page 24: +Superintendent’s Circular FSE-01 +Page 24 of 42 + + +* Nurse (Risk Analyst): Set up staging area for ill and injured +persons and administer initial first aid. Keep ill people +(overcome with stress and excitement) separate from the +injured. +* Registrar +(Safety +Coordinator): +Gather +occupancy +information, present occupancy information to Emergency +Responders. Use an alternative if school does not have a +registrar. +* Secretary (Incident Scribe): Continue 911 contact and remain +on the telephone. It is imperative that emergency +responders maintain communication with someone inside +the school. Use an alternative if necessary. +* Custodian (Building Coordinator): Close and lock all +entry/exit points. Stand by to assist emergency responders +with accessibility to mechanical rooms. +Classroom Teachers: Contain students. Keep classroom +rosters. Teachers in possession of cell phones should activate +their phones. Teachers should prepare students to follow +further instructions. +Assistants: Teachers on administrative duty or P&D periods +should assist Incident Control Team (ICT) by checking the +building for unattended students and moving them to +supervised locations. Assistants should be posted at +entry/exit points to ensure that no one leaves the building +and that only Emergency Responders enter the building. +Volunteers: Report to office and be available to follow +instruction. +Cafeteria Staff: Close and contain cafeteria and kitchen. Shut +off appliances and remain in kitchen. + + +Page 25: +Superintendent’s Circular FSE-01 +Page 25 of 42 + + +3. SAFE MODE PROCEDURES +Incident Control Team: +1. Call 911 – Advise reason for safe mode and stay on the line. Do +not hang up. 911 dispatchers will route the call to the +appropriate agencies. +2. Communicate to all staff that a Safe Mode situation exists and +begin safe mode process. + +3. All school personnel will assume their specific assignments +listed herein, exercising flexibility where needed to promote +the safety of all persons. +4. Staging areas should be set up separately for 1.) injured and +2.) ill persons. +5. During safe mode, no one except emergency responders or +their designees will be permitted to enter, exit, or move about +the campus. +6. As additional emergency responders become available, they +will assume some of the posted assignments to relieve school +personnel. +7. Ending the Safe Mode Status: When it has been determined +by the emergency responders and the principal that +conditions are safe to resume normal activities, the principal +shall make an announcement via the P.A. system or send a +messenger to advise each classroom. +4. EVACUATION PROCEDURES +1. Call 911. +a. Advise reasons for evacuation and stay on the line if safe +to do so. Do not hang up. +b. 911 dispatchers will route the call to the appropriate +agencies. +2. Start evacuation procedures according to normal fire drill + + +Page 26: +Superintendent’s Circular FSE-01 +Page 26 of 42 + + +procedures. Communicate to staff that a TIER I – GREEN +situation exists and begin the evacuation process. +3. If the threat of an explosion is present, or a hazardous +material spill has occurred, it may be necessary to move +the students farther than a normal evacuation distance. + +4. Teachers: Bring roll book. It will be necessary to keep a +roster of all students moved. Each teacher will be +responsible for his/her class. The ICT safety coordinator will +organize any dismissal of students. The release of each +student must be documented. +5. Staging areas should be setup separately for: +a. injured +b. ill persons +c. parents +d. media + +6. Students and employees with special needs may require +assistance. Paraprofessionals assigned to students and +staff will remain with their assignments throughout the +duration of the incident. +7. Ending the Evacuation Status: When it has been +determined by the emergency responders and the SICM +that conditions are safe to resume normal activities, the +SICM shall inform staff that it is safe to reenter the building. +SECTION IV: SCHOOL SUBMITTAL SECTION +This is a mockup of the information you will submit via the BPS +Intranet. Please note the Intranet version will have a different +appearance. +STEP I: +Please input the following information. +▪ School Name: +▪ Building Name: + + + +Page 27: +Superintendent’s Circular FSE-01 +Page 27 of 42 + + +▪ Address: + +▪ Principal/Head of School: +▪ Telephone Number: +▪ Fax Number: + + +a. Identify primary and secondary command post locations: + +Primary Location +Secondary Location +Room Name + + +Room Number + + +Phone Number + + + +b. Identify primary and secondary external assembly areas: +Primary Location +Secondary Location + + + +c. Identify primary and secondary alternate school-site +locations: +Primary +Phone +Secondary +Phone + + + + +d. Identify your internal communications method(s) that your +site will use to alert staff to the implementation of a Tier I +(Evacuation) and a Tier I (Safe Mode) response: + + +Page 28: +Superintendent’s Circular FSE-01 +Page 28 of 42 + + +Tier I – Evacuation + +Tier I – Safe Mode + +STEP II: Identify members of your on-site incident control team. +Title +Primary +Alternate +Responsibility +Suggested +Staff +Site Incident +Control +Manager +(SICM) + +Enter Private +Phone Line, +Cell Phone #, +Other Phones +Name: + + +Phone #s: +Name: + + +Phone #s: +Determine Tier level +of event and contact +resources required to +address the situation, +overall management +of school students +and staff, and +ensures that +superseding agencies +directives are +followed +Principal as +Primary; +AP or other +designee as +Alternate +Risk Analyst +Name: + + +Phone #s: +Name: + + +Phone #s: +Assess injuries and +medical risk analysis +Nurse – Primary; +Student Support +Coordinator or +Language +Appropriate +Individual – +Alternate + + +Page 29: +Superintendent’s Circular FSE-01 +Page 29 of 42 + + +Title +Primary +Alternate +Responsibility +Suggested +Staff +Safety +Coordinator +Name: + + +Phone #s: +Name: + + +Phone #s: +Gather occupancy +information, support +efforts to establish +control + +Building Registrar +or equivalent +Building +Coordinator(s) +Name: + + +Phone #s: +Name: + + +Phone #s: +Assess building +security, meet +responding agencies, +and direct them to +appropriate +location(s) +School Custodian +and School Police +Officer (if +available) +Incident +Scribe +Name: + + +Phone #s: +Name: + + +Phone #s: +Log chronology of +incident +School Secretary – +Primary +Transportation +Coordinator + +STEP III: +Building Characteristics +Please indicate if your site includes any of the areas listed below + + +Page 30: +Superintendent’s Circular FSE-01 +Page 30 of 42 + + +in the second column. The third column should identify the +location of the respective areas, as well as any other information +requested in the third column. +Common Areas +Description +Yes/No +If Yes, List Location +Auditorium + + +Boiler Room + +Also identify if gas or oil is used. +Cafeteria + + +Computer Lab(s) + + +Fire Escapes + + +Gymnasium + + +Hazardous Materials + + +Health Center + + +Library + + +Loading Dock + + +Nurses Office + + +Out Buildings + + +Playground + + +Ramps + + +Utility room + + +List Others + + + + + +Page 31: +Superintendent’s Circular FSE-01 +Page 31 of 42 + + + + + + +Page 32: +Superintendent’s Circular FSE-01 +Page 32 of 42 + + +Does your building have the following? +Description +Yes/No +If Yes, List Location +Attic/Penthouse + +Indicate entry points on floor plans +Basement or crawlspace access + +Indicate entry points on floor plans +Community Center + + +Elevators + + +Fire Safety Systems + + +Grounds Maintenance + +Identify chemical storage area(s) +Kitchen Area + +Describe type of kitchen facility: +satellite, full service, other +Motion Detectors + + +Pull Stations + + +Security Systems + + +Swimming Pool + + +Vocational Shop Area +Compressed gasses present? (1) +Liquid fuels present? (2) +(1) List +here + + +(2) List +here + + + +If the school has a vocational area, please +indicate location on floor plans. + + + +Page 33: +Superintendent’s Circular FSE-01 +Page 33 of 42 + + +STEP IV: +Occupancy Information +The purpose of this section is to assist authorities in determining +if a building evacuation is complete or to provide information +regarding numbers of persons within the building. +Description +Numbers +Additional Information / Comments +Total Enrollment + + +Total Staff + + +For students/staff with disabilities (visual, hearing, mobility, +medical, other) please provide all pertinent information required +for assistance in an emergency. (Please use the space below.) + +PLEASE NOTE: Information in the blocks below should be +supplied to authorities when emergency events occur. Please +develop appropriate measures to ensure that accurate and +timely headcount information is available. +Description +Number +Visitors + +Students off site (field trips, etc.) + +Staff off site (training, etc.) + +Other (list) + + + +Page 34: +Superintendent’s Circular FSE-01 +Page 34 of 42 + + +STEP V: + +List Communications Equipment +Please fill in categories as appropriate. +1. Mobile Communication Devices +Description +Yes / +No +Quantity +Assignee +List Appropriate +Numbers +Status: +O=Operational +N=Non-operational +Nextel +Cell Phone +2 Way Radio + + + + + +AT & T Ericsson +Cell Phone + + + + + +Other Cell Phones + + + + + +Beepers/Pagers + + + + + +2. Portable Radios +Description +Yes / +No +Quantity +Assignee +List +Appropriate +Numbers +Status +O=Operational +N =Non-operational +Safety Staff Two- +Way Radios + + + + + +In-House +Two Way Radios + + + + + + +3. Stationary Communications + + +Page 35: +Superintendent’s Circular FSE-01 +Page 35 of 42 + + +Description +Yes / +No +Quantity +Assignee +List +Appropriate +Numbers +Status +O=Operational +N =Non- +operational +Intercom System + + + + + +PA System + + + + +House Phones + + + + + +List Others + + + + + + +4. Telephone Information +Description +Assignee +Room +Number +Phone # +Main Phone + + + +Principal’s Office + + + +Guidance Office + + + +Custodian’s Office + + + +Nurse’s Office + + + +ETF’s Office + + + +Student Support +Coordinator’s Office + + + +Swimming Pool + + + +Safety Officer/Para + + + + + +Page 36: +Superintendent’s Circular FSE-01 +Page 36 of 42 + + +Description +Assignee +Room +Number +Phone # +Pay Phone(s) + + + +Phone System - Extension + + +Phone System - Extension + + +E-Mail Address + + + +Fax Machine(s) + + + +List All Direct Lines + + + + +STEP VI: Floor Plans / Specific Site Information +The following areas should be indicated on floor plans. Facilities +Management personnel will complete this section as noted in +Superintendent’s Circular FSE-01 School Safety Contingency Plan. +● Electrical Control Rooms And Panels +● Utility Access/Controls +● Classrooms/Labs +● Interior Maintenance Areas +● Engineering And Boiler Room Areas +● Vocational Shop Areas +● Swimming Pools +● Grounds Maintenance Storage Areas +● Kitchens And Food Storage Areas +● Fire Standpipes And Sprinkler Connections +● Roof Access, Include Skylights And Indicate Whether Or Not +Operable +● Domestic Water Controls +● Basement Or Crawlspace Access + + +Page 37: +Superintendent’s Circular FSE-01 +Page 37 of 42 + + +● Indicate Which Walls Are Solid Masonry +● Indicate Which Walls Are Framed Drywall + +For building systems, assess and indicate on the floor plans, the +following: +● Heating, ventilation, and air conditioning (HVAC) systems +● Location and accessibility of air intakes +● Filtration media location and accessibility +● Shutdown procedures +● Plumbing drainage +● Fire sprinkler systems – emergency chemical +decontamination use +● Natural gas – use locations and shutoff(s) +● Potable water – access to water supply +● Electrical access/shutoff +SCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST +The following is a list of items which should serve as a guide and +checklist as you review and revise your School Safety / +Contingency Plan. These steps are essential to finalize your plan +as complete, current, and ready in the event of an emergency. +Please insert this checklist in your School Safety Plan book for +reference. +● Command Post Locations: Are they located too close +together as opposed to being appropriately separate for +independent operations? +● Assembly Areas: Are they separate and distinct with your +secondary location at a further distance away from the +school? +● Alternate Sites: Are they realistic with accommodations to + + +Page 38: +Superintendent’s Circular FSE-01 +Page 38 of 42 + + +house all students expected to be relocated? Have prior +agreements been made with the Alternate Site host if these +locations are not BPS properties? Will transportation be +required to relocate? Will dismissal of students in +accordance with School Department policy be a more +practical option on the high school level? +● Internal Communications: Has consideration been given to +the use of a system (examples: public address, intercom, +bell, messenger, school phones, portable radios), rather than +the fire alarm for evacuation? Keep in mind that sounding +the fire alarm without other instructions will initiate a +routine evacuation. This may take building occupants +through or to an unsafe area. Safe Mode notification would +be made via one of the examples given above. +● Incident Control Team: Have responsible members of your +school-based staff been identified for all +positions/functions? Have these designated staff members +been briefed on their duties? +● Facility Components: There may be a need for a more +detailed explanation rather than simply some specifics (e.g., +liquid fuel – gasoline for snow blowers is kept in an +approved cabinet in the custodian's office, and security +system – motion detectors in corridors and stairwells. +● Disability Information: Have all persons in your building +needing assistance during an evacuation been identified? +Have accommodations been made for safe refuge/ +evacuation of students/staff requiring assistance in your +school’s evacuation plan? +● Communications Equipment and Telephone Information: +Have all available means of communication between +identified and portable telephones and radios been + + +Page 39: +Superintendent’s Circular FSE-01 +Page 39 of 42 + + +assigned to staff in accordance with your plan? Has school +email address been included? Have you included Nextel +direct radio numbers? +FIRE SAFETY PLAN SECTION +● Primary Entry for Fire Department: Is this the location of +your fire alarm control panel (annunciator)? Is this your +street address? +● Egress: Are exit doors unlocked from the inside during +operating hours? +● Records/Documentation: Suppression system test +certification applies to kitchen hood extinguishing system. +● Evacuation Matrix: Is there an exit identified for each +classroom, office, and common area? Do you have a “hard +copy” of your evacuation plan included with your school +plan? Are prescribed evacuation routes posted for all +building occupants? +● Primary/Secondary Refuge: These are approved locations +inside the building where mobility impaired occupants +could safely await evacuation. Are they identified for each +floor? +● Training/Orientation: Are all members of the school staff +familiar with details and operation of your school plan? Has +the school plan been practiced? Is the plan updated as +needed? Have staff signed off on their training? Is this +documentation maintained with your plan? +ACKNOWLEDGEMENTS +The following is a list of publications and agencies that assisted in +the development of the Boston Public Schools Safety + + +Page 40: +Superintendent’s Circular FSE-01 +Page 40 of 42 + + +Contingency Plans: +● Emergency Response Guides, San Antonio Independent +School District +● Massachusetts Emergency Management Agency (MEMA) +● Bristol County Sheriff’s Office, “Safe To Learn” +● Federal Emergency Management Agency (FEMA) +● Massachusetts Executive Office of Public Safety, School +Emergencies; Community Pre-Planning Guide +● Laboratory at Brown University, Crisis Planning +Management +● Massachusetts Office of the Attorney General, Guidelines for +a Crisis Management Plan +● U.S. Department of Education + + + + + + + + + + + + +For more information about this circular, contact: + + +Page 41: +Superintendent’s Circular FSE-01 +Page 41 of 42 + + +Owner: +Director of Emergency Management & Preparedness +Department: +Office of Emergency Management, Safety Services +Mailing Address: +205 Townsend Street Boston, MA 02121 +Phone: + (617) 635-6082 or (857) 701-9404 +Email: +Operations-Department-Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + +See template below to be used in classrooms to post evacuation routes + +(Updated 7.16.2024) + + +Page 42: +Superintendent’s Circular FSE-01 +Page 42 of 42 + + +EMERGENCY EVACUATION + +ROOM ______ +LEAVE ROOM, GO ______ +USE STAIRWAY ______ +EXIT # ______ + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-04 +Version 01 + + + +BOMB THREAT PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +A bomb threat falsely reporting the existence of an incendiary or +explosive device (simulated or real) is an offense punishable by +imprisonment for up to twenty (20) years and/or a fine of not +more than $10,000. In the event of a bomb threat, a building +administrator must exercise responsible judgment and authority, +keeping in mind their responsibility for the safety and well-being +of the students and staff. To do this, one must (1) get all the facts +and (2) follow the procedures outlined herein, developed in +accordance with the policies of the Boston Public Schools and +the Boston Police Department. +BOMB THREAT PROCEDURES +Upon the receipt of a bomb threat, principals/heads of school and +building administrators are instructed to act in accordance with +the following procedures: +Telephoned Bomb Threats: +1. When taking the call, use the attached Bomb Threat Report +Form (Attachment A) to record all information. This form +must be available at the main telephone(s) in the school and +should be completed immediately after reporting the threat + + +Page 2: +Superintendent’s Circular FSE-04 +Page 2 of 11 + + + +to the building administrator. A copy of the Bomb Threat +Report Form is also to be submitted with the incident +report. +2. Call the Boston Police Department at 911 and report the +incident. If the bomb threat is a 2nd or 3rd call, please note +this in your conversation with the 911 operator. +3. Call the Department of Safety Services/Boston School Police +at (617) 635-8000. +4. Call your operational superintendent. +5. Alert staff via the school’s internal communication method +(ref. Superintendent’s Circular FSE-1 School +Safety/Contingency Plans, Tier I, Containment Procedures) +to visually survey their room/office for suspicious packages. +If anything unusual is observed, immediately report this +information to the building administrator and update +Boston Police via 911 that something unusual has actually +been found. +Designated members of the School’s Safety Team will be +responsible to survey unsupervised common areas, both +internal and external. During this survey, all bells/classes will +be held until the search is completed. +6. In the event a suspicious package or device is found: +a. Report the sighting to the building administrator +immediately. +b. Do not move, touch, or handle objects. +c. Do not use two-way radios. +d. Do not turn off lights or touch switches. +e. Keep loud noise to a minimum. + + +Page 3: +Superintendent’s Circular FSE-04 +Page 3 of 11 + + + +f. Restrict use of telephone to urgent business only. +g. Move people from the area. +h. EVACUATE the school building. +The Police Department will be fully in charge. This action +is to be preceded by an announcement which provides +specific evacuation routes to be followed for the incident +and manner in which the evacuation signal will be given +(fire alarm, bell, intercom, and runner). +7. If no suspicious package or device is found, appropriate safe +mode procedures are to be followed. However, classes +should not be changed until the BPD Bomb Squad has +arrived and evaluated the situation. IF YOU HAVE ANY +DOUBTS, EVACUATE. +8. The Police Department will assist the person in charge of +the building when searching for bombs or other incendiary +devices. Appropriate school personnel should assist, as +necessary. +9. The Police Department will assist and advise the person in +charge of the building regarding resumption of regular +school schedule and activities. The operational leader and +Safety Office must be notified once a decision is made. +10. Send a complete incident report within 24 hours of the +incident to the Department of Safety Services. Attach a copy +of the Bomb Threat Report Form noted above to the +Incident Reporting Form (attached for your reference). + + + + +Page 4: +Superintendent’s Circular FSE-04 +Page 4 of 11 + + + +ELECTRONIC (RECEIVED VIA EMAIL AND WEBSITE): +The person accessing the threat shall: +1. +Save the message on the system. DO NOT DELETE THE +MESSAGE. +2. +Call 911. +3. +Notify the Department of Safety Services/Boston School +Police at (617) 635-8000. +4. +Notify your operational superintendent. +5. +Print copies of the message to turn over to the police and +any others who may require them. +EVACUATION AND RE-ENTRY PROCEDURES +The principal/head of school or building administrator must +develop specific evacuation and re-entry plans for their individual +buildings (c.f. Superintendent’s Circular FSE-01 School +Safety/Contingency Plan). A copy of these plans should be +included in each school’s Contingency Plans. Such procedural +plans should include the following: +1. +Instruction of office staff regarding proper procedures for +answering, documenting, and reporting of such +telephone calls. +2. +Method of notifying staff and students of emergency +conditions. +3. +Method of leaving the building (fire drill procedures may +be followed). Special attention should be given to identify +assembly points, which are recommended to be located +300 yards from the building when evacuating for a + + +Page 5: +Superintendent’s Circular FSE-04 +Page 5 of 11 + + + +suspected bomb. Any area that is being used as a +staging or assembly area must be searched by a +designated staff member prior to sending people to that +area. +4. +Specific plans for special needs and physically impaired +students. +5. +Supervision of students by classroom teachers at all times +while outside the building (prior planning should be done +with local police authorities in schools that would require +extra police surveillance and supervision outside that +school). +6. +Controlled re-entry of the building to include supervision +of students re-entering to insure that no potentially +dangerous objects are brought into the building. +These procedures should be utilized in conjunction with your +School Safety / Contingency Plans. + + + + + +Page 6: +Superintendent’s Circular FSE-04 +Page 6 of 11 + + + +For more information about this circular, contact: +Owner: +Director +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(617) 635-9122 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent +ATTACHMENTS: +A. Bomb Threat Report Form +B. Bomb Threat Procedures +C. Suspicious Package/Device +D. Warning Notice: Please Post + + + + + +Page 7: +Superintendent’s Circular FSE-04 +Page 7 of 11 + + + +ATTACHMENT A +BOMB THREAT REPORT FORM + +Describe caller’s voice: + Male + Female + Angry + Excited + + Calm + Well spoken +(educated) + Stutter + Lisp + Rapid + + Slow + Raspy + + Deep + Soft + Loud + Incoherent + Irrational + Foul + Crying + Disguised + Nasal + Distinct + Slurred + + Accent + Taped + Familiar + Message +read by caller +If the voice is familiar, who did it sound like? +Exact wording of threat: + + +Questions to ask: + + + + + + +1. When is the bomb going to explode? + +2. Where is it right now? + + +3. What does it look like? + +4. What kind of bomb is it? + + +Page 8: +Superintendent’s Circular FSE-04 +Page 8 of 11 + + + +5. What will cause it to explode? +6. Did you place the bomb? +7. Why did you put it in the building? +8. What is your address? + +9. What is your name? + +Background sounds: + + + + Street + Animal +sounds + + PA system + Static + + + Voices + + Music + + Motor + House +Noises + + Local + + Long distance + Office +machinery + Phone booth + +Time: ____________Date: ___________Length of Call: _________________ +Number at which call was received: ______________________________ +REMARKS: _______________________________________________________ + __________________________________________________________________ +Receiver of Call: + __________________________________________________________________ +(Name and Title) +ATTACHMENT B +BOMB THREAT PROCEDURES + + +Page 9: +Superintendent’s Circular FSE-04 +Page 9 of 11 + + + + +1. STAY CALM. +2. Obtain information from the caller and record on Bomb +Threat Form. +3. Call Boston Police at 911. Provide the police dispatcher with +all available information. +4. Activate your school’s Site Incident Control Team. +5. Call the Superintendent's Office at 617-635-9057. +6. Administrator will determine if evacuation or containment is +appropriate. +7. If evacuating, determine appropriate evacuation routes and +advise staff in accordance with your School +Safety/Contingency Plan (internal communication method). +8. Do not announce Bomb Scare; use a known code to +communicate the situation to staff. +9. Take the Bomb Threat Report Form with you if you +evacuate. +10. It is recommended that students and staff assembly point(s) +be at least 300 yards from the building when evacuating for +a bomb threat. +11. WHEN IN DOUBT, EVACUATE. + +(Ref. Suspicious Package/Device) +ATTACHMENT C +SUSPICIOUS PACKAGE/DEVICE + + + +Page 10: +Superintendent’s Circular FSE-04 +Page 10 of 11 + + + +1. STAY CALM. +2. Call Boston Police at 911. Provide the police dispatcher with +all available information. +3. Do not move, touch, or handle the object. +4. Do not use two-way radios. +5. Do not turn off lights or touch switches. +6. Keep loud noise to a minimum. +7. Restrict use of telephone to only urgent business. +8. Secure the location. +9. Activate school’s Site Incident Control Team. +10. Evacuate after determining the safest routes for all building +occupants. +11. Communicate the situation and procedures to be followed +for evacuation to staff in accordance with your School +Safety/Contingency Plan (internal communications +method). + +(Ref. Bomb Threat Procedures) + + + +ATTACHMENT D + + +Page 11: +Superintendent’s Circular FSE-04 +Page 11 of 11 + + + +PLEASE POST +BOSTON PUBLIC SCHOOLS +• WARNING • +It is a crime, as well as disruptive to the +educational process, to pull a false fire alarm or to +make a bomb threat. In addition, accidental injury +or death of a firefighter, student, or staff member +could result. +PENALTY FOR FALSE ALARM +Imprisonment for up to one year or a fine of not +less than $100 but not more than $500. +(M.G.L., C. 269, S. 13) +PENALTY FOR BOMB THREAT +Imprisonment for up to twenty years and/or a fine +of up to $10,000. (M.G.L., C. 269, S. 14) + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-05 +Version 01 + + + +MEDICAL EMERGENCY MANAGEMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The following guidelines relate to a medical emergency of an +individual student, which is different from episodes where the +entire School Safety Contingency Plan (please refer to +Superintendent’s Circular FSE-01 School Safety Contingency +Plans) is activated. However, the guidelines are complementary. +The school nurse assigned to each school should assist in the +development and implementation of medical emergency +protocols. The elements to be included in the protocol are +described below. +EMERGENCY INFORMATION +Prevention of medical emergencies begins with knowledge of +underlying medical issues. Therefore, Emergency Information +Cards (Form 460 or electronic equivalent), containing the basic +pertinent data to activate an emergency medical plan for the +student, must be on file at each school. This information should +be completed upon the opening of school in September and +updated by January 1 and again by April 1 each school year. +In addition to parental contact phone numbers, alternate +emergency contacts, primary language spoken at home and + + +Page 2: +Superintendent’s Circular FSE-05 +Page 2 of 12 + + + +custody issue documentation, the card or electronic equivalent +should contain: +● Insurance company +● Policy number +● Clinician name and phone +● Hospital where the child is taken in an emergency +● Listing of health problems +● Listing of medications taken at home as well as in school +● Allergies +● Vision or hearing problems +● History of surgery or serious illness in the last year +Each building administrator may practice the most expeditious +means of securing necessary information. +ROUTINE ILLNESS / MINOR INJURY +It is the responsibility of the principal/head of school, in +consultation with the school nurse, to decide whether routinely ill +or slightly injured students should remain in school or be +released to their home. When it is necessary for a student to +leave the school for home, the following procedures must be +followed. +● The parent/guardian, or in those cases where they cannot +be contacted, the individual designated on the Emergency +Information Card, should make necessary arrangements for +the student to be picked up at school by a responsible adult. +(Please refer to Superintendent’s Circular SAF-08 Release of +Students to Authorized Persons.) + + +Page 3: +Superintendent’s Circular FSE-05 +Page 3 of 12 + + + +● The parent/guardian should be informed of any emergency +aid administered at the school and advised to seek further +medical attention, if necessary. +● If the parent/guardian of a student who has sustained a +minor injury or illness cannot be located, the child must +remain in school until the regular dismissal time. +● Under no circumstances should a student be released +without adequate adult supervision. All instances where a +student is released should be properly documented in a log +in the office of the principal/head of school. The log must +indicate all pertinent information, including the time the +child arrived home. +● No child is to be released to anyone other than a +parent/guardian without the parent/guardian’s consent +and proper identification as the parent/guardian’s +designee. +MEDICAL EMERGENCIES +The principal/head of school has administrative and +programmatic responsibility for all activities that occur in their +school. However, in those cases where a medical emergency +exists, principals/heads of school should consult with and follow +the advice of the assigned nursing staff. +● A medical emergency is defined generally as a potentially +life-limiting or life-threatening situation requiring +immediate medical attention, as well as cases of indecent +assault/rape. Protocols for the management of specific +medical emergencies are available to nurses and are to be +kept on file in the nurse's office. + + +Page 4: +Superintendent’s Circular FSE-05 +Page 4 of 12 + + + +● In the beginning of each school year, school nurses should +communicate to relevant staff the known potential health +emergencies of individual students. This meeting should be +documented on the student’s Individual Health Plan. +● The principal/head of school is responsible for responding to +medical emergencies when a school nurse is not available. +● Principals/heads of school should compile a list of staff with +CPR, AED, first aid, and first responder training who can +provide immediate lifesaving measures until EMS arrives. +These staff members should be members of the School +Safety Team. +● Immediate phone support is also available through the +Health Services office at 617-635-6788. +● Each school nurse should complete a list of staff trained in +the administration of Epinephrine in the event of a life- +threatening allergic reaction. This list must remain on the +file with the school administrator. Epinephrine should not +be locked away but should be available to school staff in a +secure location. +● It is recommended that the school nurse, school leader, and +other staff involved in a medical emergency hold a debrief +meeting following the incident. +SERIOUS INJURY / ILLNESS PROTOCOL +● Stabilize the student using the most qualified school staff. +● Activate the Emergency Medical System (EMS) by calling 911. +Cases of indecent assault/rape require Boston Police +notification via 911.* + + +Page 5: +Superintendent’s Circular FSE-05 +Page 5 of 12 + + + +● Call the Superintendent’s Office at 617-635-9057. +● Notify School Safety Services at 617-635-8000. +● The responding ambulance crew of emergency medical +technicians (EMTs) or paramedics will consult with the +qualified school officials and assess the need for +transportation to a medical facility. EMS assumes medical +management of the child. +● School personnel designated by the principal/head of school +must accompany the student in the ambulance and remain +with the child until a) the parent/guardian arrives or, b) the +child is attended to by appropriate and qualified medical +personnel who have taken over the custody of the child, +whichever occurs first. +● Accompanying staff are not required to have medical +experience and are present solely for the comfort of the +child. It is not recommended that the school nurse +accompany the student as the school will be without +nursing support for other students requiring nursing care +during the school day and other first aid/emergency care. +● The school’s representative should bring the student’s +Emergency Information Card, the Individual Collaborative +Health Plan (if the student has identified chronic health +needs), emergency action plan (if available), and all other +pertinent medical information to the hospital. +● If the emergency occurs on the school bus, the driver +(and/or monitor, if present) will provide for the safety of the +child and call the dispatcher, who notifies 911. When EMS +arrives, the dispatcher will be called with the name of the +child and the hospital that the child will be transported to. + + +Page 6: +Superintendent’s Circular FSE-05 +Page 6 of 12 + + + +The dispatcher then calls the Department of Safety Services +at 617-635- 8000, who will notify the family. A safety officer +will proceed to the emergency room to meet with the +student and family. +➢ Release of a student who is a victim of indecent +assault/rape must comply with procedures outlined in +both this memorandum and Superintendent’s Circular +SAF-08 Release of Students to Authorized Persons. +COMMUNICABLE DISEASES +Massachusetts General Law and public health regulations govern +the reporting and control of communicable diseases in public +schools. All suspected cases of a communicable disease require +confirmation from local health authorities before a plan of action +is developed. When a student is suspected of having a reportable +communicable disease: +● The principal/head of school or designee will contact the +school nurse. +● The nurse or principal/head of school will contact the Health +Services administration. +● Health Services will contact and collaborate with the Public +Health Commission to confirm the diagnosis. +● The school nurse, in conjunction with principal/head of +school or designee, Health Services, and local health +authorities, will assess the health risks and develop a plan of +action to address the issues. +Questions or concerns may be directed to Health Services at 617- +635-6788. + + +Page 7: +Superintendent’s Circular FSE-05 +Page 7 of 12 + + + +DEPARTMENT OF SAFETY SERVICES +The Department of Safety Services/Boston School Police is +located at 213 Townsend Street (rear of Boston Latin Academy), +Dorchester, MA 02121, phone 617-635-8000. +● A school administrator must notify the Dept. of Safety +Services by telephone of any serious illness or injury after +notifying Emergency Medical Services via 911. +● Dept. of Safety Services personnel have received various +levels of first aid training and may initiate assistance +appropriate to their level of training. +● A Dept. of Safety Services administrator will respond to the +scene if practical. +● The Dept. of Safety Services may be used as a resource to +assist in making parent/guardian notification. +NOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS +INCIDENTS +● The principal/head of school should follow the guidelines +established in the Superintendent's Circular FSE-01 School +Safety Contingency Plans, providing feedback to staff. +● Should an incident become generally known and be a +matter of concern to parents, the administrator should meet +with the School Parent Council to advise them of the +precautionary measures taken to prevent the recurrence of +such an incident. +● In the event of a serious illness/injury involving a student, +the parent/guardian must be notified as soon as possible. +This notification should include all available information, + + +Page 8: +Superintendent’s Circular FSE-05 +Page 8 of 12 + + + +including hospital destination if the child is transported to a +medical facility. +● If a student is a witness to a medical emergency, their +parent/guardian should be notified prior to that student +being removed from the school for interviewing by police or +any other member of an emergency response agency. +Summary of significant dates and deadlines: +Date +Activity +September Complete Emergency Information Cards (Form 460) +January +Update Form 460 +April +Update Form 460 + +EMERGENCY PLAN +If an emergency occurs: +1. Stay with the student. +2. Call or designate an adult to call the nurse or designee. +a. State who you are. +b. State where you are. +c. State the problem. +3. An administrator or designee is responsible to institute the +Emergency Plan. +Emergency Telephone Procedure: +1. Dial 911. + + +Page 9: +Superintendent’s Circular FSE-05 +Page 9 of 12 + + + +2. State who you are. "I am _______________, a +teacher/paraprofessional in the Boston Public Schools." +3. State where you are. "I am at the ________________School, +address __________________. The telephone number is +______________________." [NOTE: a number that is not the +office number should also be provided to EMS.] +4. State the problem. "There is a _______ year old child here that +is _____________. We need an ambulance now." +5. Give specific directions. "_________________ will meet you at +________________ to direct you." (address) +6. Don't hang up. Ask for the information to be repeated back +to you and answer any questions the dispatcher may have. +Hang up the telephone when all information is correct and +verified. +Emergency Procedures: +1. Notify the principal/head of school or administrator and +inform them of the nature of the emergency and the +location of the student. +2. The administrator or designee will: +a. Meet and direct the EMTs +b. Call parent/guardian +c. Call the Superintendent’s Office at 617-635-9057 +d. Call School Safety at 617-635-8000 +3. The school nurse or designee will accompany the student to +the hospital. +4. Paramedics will decide which hospital is appropriate. + + +Page 10: +Superintendent’s Circular FSE-05 +Page 10 of 12 + + + +5. Copy emergency and health care information. +6. School personnel (not necessarily the nurse) designated by +the principal/head of school must accompany the student in +the ambulance and remain with the student until the +parent/guardian arrives or the child is being taken care of by +appropriate and qualified medical personnel who have +taken over the responsibility of the child’s care, whichever +occurs first. Paramedics will take over care of the student +when they arrive. +7. The school representative should bring copies of the +student's emergency information card, health card, and all +available information pertinent to the student and the +incident/illness to the hospital. + + + +8. The Department of Safety Services may be used as a +resource to assist in notification to the parent/guardian. +Telephone 617-635-8000. +9. School Department personnel must not in any case +transport a sick or injured child in a privately owned motor +vehicle. +10. Under no circumstances should a student be sent to any +location via taxi based solely on notification received by +telephone. +11. It is strongly recommended that the student emergency +information card (Form 460) be regularly updated. +For more information about this circular, contact: +Owner: +Djenny Lobo Lopes + + +Page 11: +Superintendent’s Circular FSE-05 +Page 11 of 12 + + + +Department: +Health Services +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR +Owner: +Director of Emergency Management and +Preparedness +Department: +Safety & Emergency Management +Mailing Address: 205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR + +Owner: +Chief of Safety Services +Department: +Safety Services +Mailing Address: 213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 + + +Page 12: +Superintendent’s Circular FSE-05 +Page 12 of 12 + + + +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-02 +Version 01 + +FIRE SAFETY PRACTICES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +As we begin another school year, it is essential that we review and +update +fire +prevention, +life +safety, +and +evacuation +plans/procedures in all our schools. Accordingly, appropriate +communications +and +cooperation +with +Fire +Department +authorities is imperative. The Boston Fire Department and The +Office of Emergency Management and Preparedness cite specific +areas of concern and responsibility in this directive, which must be +brought to your attention. +The following fire safety practices should be incorporated into +the fire safety section of your school safety/contingency plan: +A fire safety checklist (Attachment A) must be completed and +readily available in the main office along with appropriate +documents including: fire drill reports, fire alarm tests, * fire +sprinkler system test, fire extinguisher location document, * fire +pump test, AED location, a copy of most recent BFD quarterly +inspection report, and Certificate of Occupancy. +NOTE (*) if applicable: +The Boston Fire Department has directed that school officials +designate a member of their school safety team to report to the + + +Page 2: +Superintendent’s Circular FSE-02 +Page 2 of 15 + +main entrance of the school to meet and direct arriving fire +department and other public safety personnel in an emergency. +This individual is identified as the building coordinator position in +your school safety plan and is usually the school custodian. +The building coordinator should be familiar with this circular, your +building and fire safety reports, and your fire safety checklist; know +the location of fire notification and extinguishing systems; and +have access to all areas. Your plan must also identify an alternate +person to perform this role in the event your custodian is not +available. +FIRE ALARMS +All fire alarm systems must be maintained in working order at all +times. It is important to remember that the sounding of any fire +alarm box automatically transmits a signal to the Fire Alarm Office, +which simultaneously dispatches fire apparatus to the school. +Fire Department regulations and Mass. General Law Chapter 268, +Section 32 prohibits the shutting off or tampering with any fire +alarm system unless directed to do so by the Fire Department. Any +deficiency or trouble noted with the fire alarm system must be +reported immediately to Facilities Management/Fire Alarm +Division at 617-635-8300. +Upon the evacuation of a school building because of an alarm, no +person or persons shall re-enter the building without the +authorization of the fire officer in charge. The principal/head of +school, site coordinator or designee must, as a part of their fire drill +procedures, establish a command procedure for such evacuations. +Upon the sounding of a fire alarm, approved evacuation + + +Page 3: +Superintendent’s Circular FSE-02 +Page 3 of 15 + +procedures for all building occupants are to be followed +immediately, as well as a verification call made to the Fire +Department at 911 or 617-343-2880. +Upon arrival, the Boston Fire Department will exercise its authority +to order all measures that are deemed necessary for the protection +of persons and property. This authority includes building +evacuation and reentry. +DOOR LABELS, NUMBERS OR LETTERING SHALL NOT BE +REMOVED OR CHANGED +The interior and exterior doors that are numbered within Boston +Public Schools should not be removed or changed by anyone +except for members of the BPS Facilities Management Team. The +numbers and letterings are crucial to Boston Police, Boston Fire +and Boston EMS that will need to respond to your school building +for an emergency. +Any changes to the numbering or lettering within your school +building could disrupt any evacuation or safety plans that already +exist within the school. +The existing room numbers are also associated with the school’s +Asbestos Hazard Emergency Response Act (AHERA) Management +Plan and the Indoor Air Quality (IAQ) sensors. +If your school is missing any room numbers or lettering, please +submit a work order to the Facilities Management Team to ensure +any issues are resolved before the start of the school year. + +MEANS OF EGRESS +Designated exits in every school must be maintained as means of + + +Page 4: +Superintendent’s Circular FSE-02 +Page 4 of 15 + +egress. +a. Means of egress must be kept free and clear at all times. +b. The use of chains, ropes, bars, so-called "dutch locks," or any +other unauthorized device that would impede egress is +prohibited during times when school buildings are occupied. +c. No exit door which is intended to be kept closed shall be +blocked open, and no device or arrangement shall be used to +prevent a door designed to be self-closing or automatic- +closing from functioning as intended. Use of wedges to hold +corridor and stairwell doors open is prohibited. +d. Interconnecting doors between rooms must be clear and free +of any locks. Fire and smoke doors are not to be propped +open with wooden wedges or any other means. This is an +illegal practice and prohibited in all schools. +FIRE DRILLS +All schools shall conform to the following fire drill regulations: +a. The responsible school administrator in charge of the school +shall formulate a plan for the protection and evacuation of all +persons in the event of fire or other emergency and shall +include alternate means of egress for all persons involved. +Such a plan is to be developed in consultation with +appropriate representatives of the Boston Fire Department +and +BPS +Director +of +Emergency +Management +and +Preparedness. +b. The principal/head of school, site coordinator or designee +shall see that each staff member receives and understands +proper instructions on the fire drill procedure specified for +the room or area in which that person carries out their duties + + +Page 5: +Superintendent’s Circular FSE-02 +Page 5 of 15 + +before they assume such duties. A log or sign-off list must be +maintained at the school which documents staff receipt of +procedures and familiarization with fire safety practices. +c. A fire drill must be conducted quarterly (September/first +week of school, December, March, and June) involving all +students and staff and in accordance with Mass Fire Code, +527 CMR 1.00: 20.2.4.2. A record of each drill is to be +documented on the google form available in the BPS Fire & +Safety Drill Report under Central Office Support with The BPS +Office of Emergency Management and Preparedness (Safety +Services). If you have any questions, please contact The BPS +Office of Emergency Management and Preparedness. +d. Every student in all schools shall be advised of the fire drill +procedure and shall take part in a fire drill within three days +after school begins in September. Fire drill procedures for +particular rooms shall be posted within those rooms. +Alternate and obstructed drills shall be exercised; and every +other quarter, alternate routes shall be used. +e. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.4, +the head of the Fire Department, or person designated by +them, shall visit each school four times each year for the +purpose of quarterly inspections, reviewing Building Fire +Safety Plans and questioning the administrators. The Fire +Department may also conduct a fire drill for your building if +they feel your building is not in compliance with this law. +Drills may be conducted without advance warning to the +school personnel other than the person in charge of the +school at the time. +f. Fire drill plans must ensure adequate procedures for the +emergency evacuation of students and staff with disabilities. + + +Page 6: +Superintendent’s Circular FSE-02 +Page 6 of 15 + +These procedures must also be incorporated in the School +Safety/Contingency Plan for your school building. Fire drill +procedures must address student and staff accountability in +an evacuation. This element of the plan should identify the +person(s) in charge, ensure accurate class attendance rosters +are available, and identify specific locations for evacuees to +assemble. +g. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.6 +Evacuation: Fire exit drills shall include the complete +evacuation of all persons from the building. +STORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS +Flammables shall be stored in an approved locked metal cabinet +suitably vented. If the amount being stored warrants, a locked +storage vault should be provided. The storage facility must be +under the control of a school official, with only the authorized +personnel allowed access. +Faculty members should not allow students to fuel individual +devices or transport any fuel container from one location to +another. +All school personnel should be thoroughly instructed as to the +hazard involved in a particular flammable liquid, chemical, or gas; +and in its safe and proper handling prior to intended use. Material +Safety Data sheets should be on file in the main office. No fuel +container should be allowed to remain in any classroom but +should be immediately returned to its permanent storage facility. +The above procedures should be incorporated in the School +Safety/Contingency Plan for each school building. Materials used +in school science laboratory experiments are to be stored in + + +Page 7: +Superintendent’s Circular FSE-02 +Page 7 of 15 + +compliance with related laws, codes, and ordinances. Quarterly +school fire inspections are complemented by specialized +inspections conducted by Boston Fire Department Special +Occupancies’ Officers. +*Hazardous storage areas must be secured and identified with the +appropriate warning label. The appropriate chemical storage +room +door +identification is +the +National Fire +Protection +Association’s 704 Diamond. +*Reference Superintendent’s Circular FSE-06 Student Safety / +Health in School Shops, and / or Laboratories and Classrooms; +and the chemical inventory sheet in Superintendent’s Circular +FMT-7 Right to Know Law. +REPORTING OF FIRE INCIDENTS +The Boston Fire Prevention Code requires the following: +a. Upon any person's discovery of a fire or smoke in a building +or premises, they shall immediately notify the Fire Alarm +Office of the Boston Fire Department of the location of the +discovery and of the circumstances they have observed. The +Boston Fire Department must be notified both by sounding +the nearest fire alarm box (pull station) and by telephone (911 +or 617-343-2880) in the event of a fire. +b. Any discovery or evidence of a fire or attempt to burn shall be +reported to the Boston Fire Department by calling either 911 +or 617-343-2880 and the BPS Director of Emergency +Management and Preparedness (857) 701-9404 to begin an +arson investigation. BFD considers any fire started by a +student as a potentially serious mental health issue that, if +addressed early enough, may prevent more serious problems + + +Page 8: +Superintendent’s Circular FSE-02 +Page 8 of 15 + +in the future. +c. This section shall not be construed to forbid any person who +discovers a fire, or the owner, lessee, person in charge of the +building or premises, any occupant, or any of their agents, +after notifying the Fire Department, from using all means +necessary to extinguish or control the fire prior to the arrival +of the Fire Department. +d. No person shall require, make, issue, post, or maintain any +order, direction, or regulation, written or verbal, that would +require or direct anyone to delay reporting a fire to the Fire +Department. +e. All personnel must be familiar with fire reporting procedures. +f. The Boston Fire Department and then Facilities +Management, The Office of Emergency Management and +Preparedness are to be notified of all fire-related incidents. +These include but are not limited to following: +Fire or explosion +Good intent calls +Overpressure rupture +False alarm/false call +Medical emergency + + +Hazardous materials (i.e. fuel +spills or chemical leaks) +Hazardous conditions +Service calls + + + + +Fire extinguished by occupant +g. Any fire (including paper towels or tissues, even if +extinguished), must be reported to the Boston Fire +Department in accordance with procedure delineated in +sections a. and b. above. +h. The principal shall submit a written report available with +this_link: +https://www.mass.gov/doc/fp-200-school-fire- + + +Page 9: +Superintendent’s Circular FSE-02 +Page 9 of 15 + +reporting-form/download of any fire within the school +building or on the school grounds to BPS Director of +Emergency Management and Preparedness, (857) 701-9404 +who will then forward it to the Boston Fire Department +within 24 hours. This is in compliance with Mass General Law, +Chapter 148, Sec. 2A, which went into effect September 2006. +This information is also essential for arson prevention action. +FIRE EXTINGUISHERS/KITCHEN SYSTEMS +a. Portable fire extinguishers must be serviced annually and +located in accordance with the building’s Fire Safety Plan. +b. Kitchen extinguishing systems must be serviced twice a year. +c. It is the responsibility of senior custodians to ensure +extinguishers +are +visually +inspected +weekly +and +recharged/inspected annually to ensure they are ready for +emergency use. +d. Requests for fire extinguisher servicing should be made to +Facilities Management at 617-635-9122. +e. If extinguishers are not hanging in corridors, they must be +readily accessible. A list of fire extinguisher locations shall be +posted in the office and maintained in the Fire Safety section +of your building’s School Safety/Contingency Plan. +FLAMMABLE DECORATIONS +a. Flammable decorations, including examples of students' +work, must not be displayed in paths of egress, including +doorways and stairwells. +b. The Boston Fire Department expects us to display reasonable +amounts of student work. This is to be in accordance with the + + +Page 10: +Superintendent’s Circular FSE-02 +Page 10 of 15 + +National Fire Protection Association, Life Safety Code and 527 +CMR 20.2.4.4.3: +“Paper materials displayed in educational use occupancies +shall be permitted on walls only in accordance with the +following: (1) In classrooms, paper materials displayed shall +not exceed 20% of the total wall area. (2) Paper materials +displayed shall be attached directly to the walls and shall not +be permitted to cover an egress door or be placed within five +feet of an egress door, unless approved by the AHJ. When +determining wall areas, the door and window openings shall +be included unless: (a) Paper materials are displayed in fully +enclosed viewing cabinets with glass or polycarbonate +viewing panels or covered with glass or polycarbonate sheet +material in accordance with the Building Code; (b) Flame +retardant paper material is used for display. (3) Paper +material displays shall be permitted to cover up to 50% of the +total wall area in classrooms that are fully sprinklered in +accordance with Chapter 13. +Corridor displays and decorations are limited to bulletin +boards and must not cover more than 10% of the total +corridor wall space. + +c. Certain buildings have more fire protection features than +others. This may be considered when displaying student +work. +d. Please refer to Superintendent’s Circular FSE-03 Building +Codes and Fire Regulations. + + +Page 11: +Superintendent’s Circular FSE-02 +Page 11 of 15 + +RIGHT TO KNOW – CHEMICAL INVENTORY +Each school / facility must maintain an accurate inventory of toxic +and hazardous substances stored and used in the building. Please +refer to Superintendent‘s Circular FMT-07 “Right to Know” Law – +Chemical Inventory. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September (First +Week of School) +Quarterly Fire Drill Report Due +December +Quarterly Fire Drill Report Due +March +Quarterly Fire Drill Report Due +June +Quarterly Fire Drill Report Due + +For more information about this circular, contact: +Owner: +Director of Emergency Management & +Preparedness +Department: +Office of Emergency Management, Safety +Services +Mailing Address: +205 Townsend Street Boston, MA 02121 +Phone: + (617) 635-6082 or (857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + + +Page 12: +Superintendent’s Circular FSE-02 +Page 12 of 15 + +Mary Skipper, Superintendent + + + + + + + + + + + +(Updated 7.31.2024) + + +Page 13: +Superintendent’s Circular FSE-02 +Page 13 of 15 + +ATTACHMENT A +SCHOOL BUILDING FIRE SAFETY PLANS +School: +Principal/Head of School: + + +1. Does school have a Fire Safety Plan as part of School Safety/Contingency +Plan? +Y +N +2. Is the plan readily available in the main office? +Y +N +3. (School Safety/Contingency Plan, Section 6) +4. Is the plan current for this school year? +Y +N +5. Does plan include following elements: +a. Description of building (type, height, occupancy) +Y +N +b. Types of fire protection systems (sprinkler system, standpipes) +Y N +c. Fire alarms (locations of pull stations, smoke detectors, heat +detectors) +Y +N +d. Location of exits (primary and alternate) +Y +N +e. Evacuation routes (primary and alternate) +Y +N +f. Stairwell designations +Y +N +g. Smoke control (are corridor doors closed or held open by magnetic +devices that release when an alarm is activated?) +Y +N +h. Location of extinguishers +Y +N +i. Identity and location of any occupants with disabilities +Y +N +j. Floor plans +Y +N +k. Record of staff training +Y +N +l. Fire drill reports +Y +N +m. Fire alarm system test records +Y +N +n. Copy of building occupancy permit +Y +N +o. Incident Control Team members identified by name and title with +defined responsibilities in an emergency (including back-ups)Y +N +A follow-up phone call must always be made to the Fire Alarm Office +(911 or 617-343-2880) by a designated staff member. +p. AED device location: +Y +N + + +Date: ________________________________________ + + + + +Page 14: +Superintendent’s Circular FSE-02 +Page 14 of 15 + +ATTACHMENT B +BOSTON FIRE DEPARTMENT — FIRE PREVENTION DIVISION +SCHOOL DISPLAY MATERIALS: 527 CMR 1.05 +AREA +WITH NO SPRINKLERS +WITH SPRINKLERS + + + + + +Classroom +20% wall coverage with +combustible materials allowed. + +Nothing within 5ft. of the +egress door. + +No limit if in viewing cabinet, +covered with polycarbonate, or +materials are flame retardant* +50% wall coverage with +combustible materials allowed. + +Nothing within 5ft. of the egress +door. + +No limit if in the viewing +cabinet, covered with +polycarbonate, or materials are +flame retardant.* + + + + + + + +Exit passageway, +corridors, and +assembly area. +10% wall coverage with +combustible materials allowed. + +Each grouping to be maximum +of 6 ft. high and 12 ft. wide. + +Groups to be separated by at +least the width of the largest +adjacent group. + +No limit if in the viewing +cabinet, covered with +Polycarbonate, or materials are +flame retardant. + +No materials within 5ft. of +egress door. +50% wall coverage with +combustible materials allowed. + +Each grouping to be maximum +of 6 ft. high and 12 ft. wide. + +Groups to be separated by at +least ½ the width of the largest +adjacent group. + +No limit if in the viewing +cabinet, covered with +Polycarbonate, or materials are +flame retardant. + +No materials within 5ft. of +egress door. +Exits and enclosed +stairs +Nothing permitted. +Nothing permitted. + + + + + + +Page 15: +Superintendent’s Circular FSE-02 +Page 15 of 15 + +NOTES: + +(1) +Door and window openings are to be included when +calculating wall areas. +(2) +Documentation must show compliance with NFPA 701 or +CA 13115 to be flame retardant. +(3) +Plexiglas is not allowed; the covering must be glass or +polycarbonate. +(4) +The posting of exit signage or evacuation plans shall not +be prohibited by this regulation. +(5) +527 CMR 1.05 shall not be applicable to any election +materials required by law to be posted during any local, +state, or federal election. + +This regulation is effective September 19, 2003. + + + + +Page 1: + + + Superintendent’s +Circular + NUMBER: +FSE-03 +Version 01 + + + +BUILDING CODES AND FIRE REGULATIONS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +All school buildings are required to comply with Massachusetts +State Building Codes and Fire Regulations. Adherence to these +regulations helps to ensure a safe, secure, and accessible learning +and work environment for students and staff. +As the person responsible for the school building, the head of +school/principal/program director shall have responsibility for +monitoring and maintaining compliance with building codes and +fire regulations at all times. Staff assigned to the Department of +Facilities Management and the fire safety director are available +and should be called upon to assist and support the school +building administrator in this effort. +The Inspectional Services Department (ISD) of the City of Boston +will conduct annual egress inspections, and the Boston Fire +Department (BFD) will conduct quarterly inspections to assure +compliance with the state codes and fire regulations. ISD shall +issue certificates of inspection for occupancy annually to schools +which comply. Schools in noncompliance will not be allowed to +open until the deficiencies are corrected and a certificate +granted. During every school year, ISD building inspections will +be conducted annually. However, special inspections can be + + +Page 2: +Superintendent’s Circular FSE-03 +Page 2 of 5 + + + +made at any time to assure continued compliance. +The following guidelines have been mutually agreed upon by the +ISD and the Boston Public Schools and should assist your efforts +and those of your staff in maintaining compliance. They must be +adhered to throughout the year, not just at the time of +inspection. They are as follows: +1. All paths of egress must be clear of any furniture and +materials. +2. Materials or equipment cannot be stored under/near +stairwells or in corridors. +3. Broken furniture must be discarded and not abandoned in +the corridor. +4. Teaching and learning is NOT permitted in hallways and +stairwells. +5. All doors must be clear of artwork/decorations and +functional in case of an emergency. +6. All fire doors must be kept closed at all times, except when +students are passing between classes or when they have +been modified as part of a new fire alarm system. +7. NO CHAINS OR PADLOCKS ON ANY DOORS IN ANY +BUILDING. +8. Bars, chains, or other restricted operations of doors are not +authorized at any time. +9. Deadbolts or locks may not be used on connecting +classroom doors. +10. Classroom connecting doors can not be blocked (essential +egress). + + +Page 3: +Superintendent’s Circular FSE-03 +Page 3 of 5 + + + +11. Papers and art work hanging from light fixtures must be +removed. +12. Using auditorium stages as classrooms is prohibited. +13. Covering classroom heating systems with combustibles +(books and papers) is a fire hazard and is NOT permitted. +14. All electrical and boiler rooms must be locked at all times +and must not be used for storage. +15. All fire extinguishers must be charged and have a current +inspectional tag attached. +16. All gasoline and flammable liquids must be stored in +fireproof cabinets. +17. Corridor displays and decorations are limited to bulletin +boards and must not cover more than 10% of the total +corridor wall space and 20% of classroom wall space. +18. Stairwells and exit doors shall be clear of all flammable +materials. +19. Paper materials displayed shall be attached directly to the +walls and shall not be permitted to cover an egress door or +be placed within five feet of an egress door, unless approved +by the AHJ. The ONLY things permitted to be posted on or +within 5 feet of a door are (1) evacuation routes and (2) the +classroom’s emergency folder/kit (3) the SafeMode window +cover the classroom utilizes. +20. All rugs, curtains, and furniture must be certified as fire +retardant and code compliant. +21. Only electrical appliances authorized by Facilities +Management are permitted. + + +Page 4: +Superintendent’s Circular FSE-03 +Page 4 of 5 + + + +22. Snow blowers and lawn mowers are to be run dry of fuel +after each use and before being brought into the building. +23. Classrooms must be kept clean and orderly. +Your cooperation in maintaining the standards outlined above +will ensure a quick and successful certification process. + + + + +Page 5: +Superintendent’s Circular FSE-03 +Page 5 of 5 + + + +For more information about this circular, contact: +Owner: +Director of Emergency Management & +Preparedness +Department: +Office of Emergency Management, Safety +Services +Mailing Address: +21 Deckard St - Room B28, Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR +Name: +Executive Director of Facilities Management +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9135 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 1: + + +Superintendent’s +Circular + NUMBER: +FSE-06 +Version 01 + + + +STUDENT SAFETY / HEALTH IN SCHOOL SHOPS, +LABORATORIES, AND CLASSROOMS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Each day, thousands of Boston Public School students perform a +variety of activities within shops and laboratories. To ensure that +all students and their teachers work in an environment which is +safe, it is necessary to formulate standard procedures and +requirements for all schools and their personnel. +Your performance of these procedures will ensure that you and +your students are safe. +RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL +1. Inform the staff and students in writing of the safety +standards and procedures, including the need to wear eye +protection devices. +2. Ensure that workable fire extinguishers, blankets, and eye +wash equipment are readily available (custodians are +responsible for recharging fire extinguishers). +3. Make sure that appropriate personnel receive training in use +of portable fire extinguishers and blankets. +4. Ensure that staff has instructed all students in safety +standards and procedures, including School Safety Plan. + + +Page 2: +Superintendent’s Circular FSE-06 +Page 2 of 23 + + + +5. Post building evacuation procedures in classrooms, offices, +and corridors. +6. Review and evaluate safety procedures in shops and +laboratories (refer to Safety Check List attached). +7. Conduct quarterly fire drills (refer to Superintendent's +Circular FSE-2 Fire Safety Practices). +8. Develop emergency procedures in case of a serious accident +(refer to Superintendent's Circular FSE-05 Medical +Emergency Management). +9. Maintain adequate lighting and proper ventilation in shops, +laboratories, and classrooms. Report problems to Facilities +Management. +10. Ensure that food service training programs and/or student- +run restaurants comply with current sanitation code +regulations. +11. Be sure that teacher evaluations reflect the implementation +of safety standards and procedures. +12. Ensure that a "Right to Know" workplace notice is posted in +the school's shops/laboratories. +13. Ensure that all instructors working with toxic or hazardous +substances receive training as specified in Chapter 111F of +the Massachusetts General Laws. +14. State safety regulations within your school-based rules. +15. Make Material Safety Data Sheets available. +RESPONSIBILITIES OF TEACHERS +1. Practice safety procedures; the teacher serves as the +model for the students). +2. Set up and maintain shop or laboratory to permit free, +unobstructed movement of students at benches, around +equipment and machines, and to allow egress from the + + +Page 3: +Superintendent’s Circular FSE-06 +Page 3 of 23 + + + +area. +3. Report all lighting and ventilation problems to the head +of school/principal. +4. Develop emergency procedures to follow in case of an +accident (refer to Superintendent’s Circular FSE-5 Medical +Emergency Management). +5. Post safety rules and safety hazards conspicuously in +appropriate areas; contact the Department of Vocational +Technical Education for translation of safety rules into +appropriate language(s). + +6. ENFORCE SCHOOL-BASED RULES WHICH ADDRESS +SAFETY. +7. Supervise students at all times. Under no circumstances +shall a teacher leave students unsupervised in a +laboratory or shop area. If an instructor must leave the +shop in an emergency, they must: +a. Arrange for a qualified teacher as replacement OR +b. Relocate students to a properly supervised area. +c. Lock laboratory/shop area. +d. Shut off equipment. +8. Check fire protection equipment weekly. +9. Know the location of the closest fire extinguisher. +10. Maintain a first aid kit in an easily accessible area. +11. Check machinery/equipment weekly to make sure safety +guards are in place and working properly. +12. Check any gas-burning equipment daily for gas leaks. +13. If anyone detects the smell of gas, shut off the gas source +before reporting the problem to your supervisor. +14. Maintain a dated, self-evaluation safety inspection +checklist. Safety program checklist forms are available +from the Department of Career and Technical Education. + + +Page 4: +Superintendent’s Circular FSE-06 +Page 4 of 23 + + + +15. Use the building safety committee as a resource for +student safety plans. +16. Present each student with a copy of the shop's safety +rules and procedures. +17. Teach safety as an integral part of each job or lesson by: +a. Testing students on their knowledge of safety rules +and procedures. +b. Using objective tests to emphasize shop safety. +c. Checking student mastery of safe methods and safe +practices. +d. Testing students’ handling of tools, operation of +machines, use of equipment, and trade practices, all +with a focus on safety. +e. Having a student sign their written test as indication +they understand safety rules and procedures. +f. Filing signed written tests in the student's folder as a +permanent record. +18. Know location of AED and qualified operations. +19. Avoid shop accidents by insisting that students dress +properly for the laboratory/shop. Each student shall: +a. Wear shoes with low or flat heels and substantial +soles, or wear work shoes where mandated. +b. Wear head covering, pin up hair, or tie hair back. +c. Wear eye protection devices as per M.G.L. c.71, s.55C. +d. NOT wear loose-fitting clothes which could get +caught in moving equipment. +e. NOT wear rings, bracelets, or necklaces which could +get caught in moving machinery parts. +20. Supervise students at all times. Under no circumstances +should an unsafe piece of equipment be operated. +Disconnect or remove the fuse to ensure that an + + +Page 5: +Superintendent’s Circular FSE-06 +Page 5 of 23 + + + +accident will not occur. +21. Insist that visitors to your area wear safety equipment +(eye protection, etc.). +22. Shut off all machines, store all equipment, and shut off +lights before closing the laboratory/shop for the day. +23. Make sure that soap and towels are replenished as +needed. +24. Establish a foolproof system for dispensing and securing +tools. +25. Designate storage for tools to prevent accidents. +26. Lock up hazardous materials and equipment in +approved containers when not in use. +27. Keep machinery and equipment in good condition; +conduct monthly inspections. +28. Submit appropriate requisition(s) to paint hazardous +machinery parts and safety switches in conspicuous +colors. +29. Submit appropriate requisition(s) to secure safety mats +to the floor around machines to prevent slipping. +30. Check the emergency disconnect switch (PANIC +BUTTON) to ensure proper operation. +31. Dispose of oily waste and rags in designated containers. +32. Ensure that food service training programs and/or +student-run restaurants comply with current sanitation +code regulations. +RESPONSIBILITIES OF NURSES +1. Help students and teachers obtain necessary health +screening, where required, for admission to occupational +programs (e.g., food service/restaurant programs). +2. Administer first aid. + + +Page 6: +Superintendent’s Circular FSE-06 +Page 6 of 23 + + + +3. Evaluate the injury. +4. Notify student's parent/guardian. +5. Complete nurse's section of accident report. +6. If an accident is serious, in addition to above, implement +procedures documented in Superintendent's Circular +FSE-5 Medical Emergency Management. +ACCIDENT REPORTS +1. The instructor, nurse, and/or witness will fill out or assist in +filling out two separate accident reports: Occupational +Education Accident Report Form EE 111 (attached) and Pupil +Accident Report Form 201 (attached). +2. The principal/head of school will retain original Form EE 111 +in the school file and send a copy to the director of Career +and Technical Education, 75 Malcolm X Blvd., Boston, MA +02119. +3. The principal/head of school will retain Form 201 in the +school file and send a copy to the Department of Safety +Services, 213 Townsend Street, Dorchester, MA 02121. + +TECHNICAL ASSISTANCE +The Department of Career and Technical Education will provide +all schools with technical assistance in improving and +maintaining safety procedures. Facilities Management and Safety +personnel are available to coordinate fire prevention activities +and building inspections. Career and Technical Education staff +will perform continual safety inspections for +shops/laboratories/classrooms. +Contact: + + +Page 7: +Superintendent’s Circular FSE-06 +Page 7 of 23 + + + +Director of Career and Technical Education, 617-635-8970 +Director Safety / Emergency Preparedness, 617-635-8300 + +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + +ATTACHMENTS: +Form EEE 111 – Occupational Education Accident Report +Form 201 – Pupil Accident Report +Occupational Safety and Health: Safety Inspection Checklist + + + + + +Page 8: +Superintendent’s Circular FSE-06 +Page 8 of 23 + + + +FORM EE 111 +OCCUPATIONAL EDUCATION ACCIDENT REPORT + +Name of injured: _________________________________________________ +Grade: ________ Age: ________ +Parent's/guardian's name: ________________________________________ +Address: __________________________________________________________ + __________________________________________________________________ +Date of accident: ______________Time of accident: _________________ +Location of accident: _____________________________________________ +Description of accident: __________________________________________ + __________________________________________________________________ +State exact part of person injured and extent of injury: ___________ + __________________________________________________________________ +Emergency care was given by: ___________________________________ +Follow-up (check statements which apply): +☐ Pupil remained in school +☐ Parent/guardian notified +☐ Taken to nurse's office by _____________________________________ . + + +Page 9: +Superintendent’s Circular FSE-06 +Page 9 of 23 + + + +☐ Taken to hospital by ___________________________________________ +Name of doctor, if any ___________________________________________ +Witness to accident: ______________________________________________ +Person reporting accident: _______________________________________ +Signatures: +Person making this report: _______________________________________ +Person supervising activity/program _____________________________ +School nurse _____________________________________________________ +Principal/head of school _________________________________________ + +Report #: ___________________________ (to be filled in by the +building principal/headmaster) + +Reviewed by: _____________________________________________________ + +Director of Career and Technical Education + +NOTE: Retain original in principal’s/head of school’s office. Send +copy to the director of Career and Technical Education, 75 +Malcolm X Blvd., Boston, MA 02120. + + +Page 10: +Superintendent’s Circular FSE-06 +Page 10 of 23 + + + +FORM 201 +PUPIL ACCIDENT REPORT +(Section 225 of the Rules and Regulations) +All accidents involving injury to pupils on school premises or +while going to or from school must be reported on Form 201 to +the Department of School Safety Services, 213 Townsend Street, +Dorchester, MA 02121 no later than the day following the day of +the accident. This report is to be filled out in its entirety. A +duplicate copy of the Pupil Accident Report is to be retained by +the school principal. If possible, this report should be typewritten. +1. Student’s Last Name ___________________________________________ +First Name ____________________________Middle Initial ___________ +2. Address _______________________________________________________ + __________________________________________________________________ +3. School ________________________________________________________ +4. Student’s Age _________Sex ________Grade_____Room___________ +5. Name of Parent or Guardian (in full) ___________________________ + __________________________________________________________________ +6. Date of accident _________Time _______ A.M. ______ P.M. ________ + +7. Nature and extent of injury ____________________________________ + + + + +Page 11: +Superintendent’s Circular FSE-06 +Page 11 of 23 + + + +8. In case of dog bite, has a report been made to the Boston +Health Department? ☐ Yes ☐ No +8. Specific location of accident ___________________________________ +9. Teacher(s) in charge of location when accident occurred + __________________________________________________________________ +9. Teacher(s) in charge present at scene of accident? ☐ Yes ☐ No +10. Description of accident, including cause ______________________ + __________________________________________________________________ + __________________________________________________________________ +11. In the case of a shop accident, were all guards required by law +in use? ________________________________________________________ + If not, why not? _______________________________________________ + ________________________________________________________________ +12. In case of shop or laboratory accident, is the statement +required by Section 225 of the Rules and Regulations +attached? ☐ Yes ☐ No +If answer is no, state reason: ___________________________________ +13. To whom was the accident first reported? _____________________ +What action was taken by this person? ________________________ + ________________________________________________________________ +14. Were first aid supplies available? ☐ Yes ☐ No +15. Was any treatment administered? ☐ Yes ☐ No + + +Page 12: +Superintendent’s Circular FSE-06 +Page 12 of 23 + + + +Where? _______________________________________________________ +16. Did the pupil leave school (or place of accident)? ☐ Yes ☐ No +If so, to what destination? _____________________________________ +17. If transported by ambulance, attendant names, and unit #: + __________________________________________________________________ +18. Escorted to destination by whom? (An injured pupil should be +escorted by a responsible person) _____________________________ + __________________________________________________________________ +19. Names and addresses of witnesses: ___________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +The accident report has been investigated and will be carefully +followed up. + __________________________________________________________________ +Signature of Safety Counselor + __________________________________________________________________ +Signature of Principal +Date of Report ___________________________________________________ +School ___________________________________________________________ +BOSTON PUBLIC SCHOOLS — VOCATIONAL, ADULT, + + +Page 13: +Superintendent’s Circular FSE-06 +Page 13 of 23 + + + +AND ALTERNATIVE EDUCATION +OCCUPATIONAL SAFETY AND HEALTH: SAFETY INSPECTION +CHECKLIST +School ______________________________________Level _______________ +Department ___________________Area __________Date _____________ +Inspection by __________________________Position _________________ +STUDENTS +YES NO N/A +1. Are they wearing proper eye protection? +☐ +☐ +☐ + +Comment: +2. Are they wearing proper footwear? + ☐ +☐ +☐ + +Comment: + +3. Are they properly dressed? + ☐ +☐ +☐ + +Comment: +4. Are they trained in safety procedures? +☐ +☐ +☐ + +Comment: +5. Do they have safe work habits? +☐ +☐ +☐ + +Comment: + + + + +Page 14: +Superintendent’s Circular FSE-06 +Page 14 of 23 + + + +STUDENTS (continued) +YES NO N/A +6. Are they wearing proper hearing protection? +☐ +☐ +☐ + +Comment: +7. Are hard hats provided and worn where any + +danger of falling objects? + +☐ +☐ +☐ +Comment: +8. Do they know how to properly and safely +use the tools? + +☐ +☐ +☐ + +Comment: +9. Are they trained in safety procedures? + ☐ +☐ +☐ +Comment: +10. Do students know what to do in emergencies? +☐ +☐ +☐ + +Comment: +WORK AREA +YES NO N/A +1. Is it clean and orderly? +☐ +☐ +☐ + +Comment: +2. Are exit lanes clear and marked? +☐ +☐ +☐ + +Comment: + + + + +Page 15: +Superintendent’s Circular FSE-06 +Page 15 of 23 + + + +3. Are materials neatly stored? +☐ +☐ +☐ + +Comment: +WORK AREA +YES NO N/A +1. Are tools safely stored? + ☐ +☐ +☐ + +Comment: +2. Are floors clean and dry? +☐ +☐ +☐ + +Comment: +3. Are hazard signs properly posted? +☐ +☐ +☐ + +Comment: + +4. Are floors non-skid? +☐ +☐ +☐ + +Comment: +5. Are compressed gas cylinders properly + +secured? +☐ +☐ +☐ + +Comment: + +DOORS +YES NO N/A +1. Are there an adequate number of exits? +☐ +☐ +☐ + +Comment: +2. Are exits properly marked with signs? +☐ +☐ +☐ + +Comment: + + + + +Page 16: +Superintendent’s Circular FSE-06 +Page 16 of 23 + + + +3. Is there an unobstructed and clear way to + +all doors? +☐ +☐ +☐ + +Comment: +Are fire doors (automatic/self-closing) in + +operable condition? +☐ +☐ +☐ + +Comment: + +EYEWASH - EMERGENCY SHOWERS + YES NO N/A +1. Are there washing facilities available where +students are exposed to corrosive materials, + +flying chips, or dust? +☐ +☐ +☐ + +Comment: +ELECTRIC DEVICES +YES NO N/A +1. Are all outlets and switches in good condition? +☐ +☐ +☐ + +Comment: +2. Are there any loose wires? +☐ +☐ +☐ + +Comment: +3. Are all outlets properly grounded? +☐ +☐ +☐ + +Comment: + + + + + +Page 17: +Superintendent’s Circular FSE-06 +Page 17 of 23 + + + +FIRE DRILLS +YES NO N/A +1. Are fire drill instructions (exit routes) posted? +☐ +☐ +☐ + +Comment: +2. Do alarms work properly? +☐ +☐ +☐ +Comment: +3. Are fire drill practices held frequently? +☐ +☐ +☐ +Comment: +4. Are staff members instructed in the use of + + +extinguishers and fire protection procedures? +☐ +☐ +☐ + +Comment: +FIRE EXTINGUISHERS +YES NO N/A +1. Are extinguishers mounted in a readily +accessible/visible location? +☐ +☐ +☐ + +Comment: +2. Was the extinguisher inspected during the + +past year (check inspection tag)? +☐ +☐ +☐ + +Comment: + + + + + +Page 18: +Superintendent’s Circular FSE-06 +Page 18 of 23 + + + +FLAMMABLE ITEMS +YES NO N/A +1. Is there more than one (1) shift or a one (1) day + + +supply of flammable liquid in the school shop + +area? + ☐ +☐ +☐ +Comment: +2. Are all flammable liquids (one day's supply +of oil, previously opened paint, gasoline, etc.) +sealed in fireproof containers away from +possible sources of ignition? +☐ +☐ +☐ +Comment: + +4. Is there an excess of flammables kept on the +premises? +☐ +☐ +☐ +Comment: +4. Are rags and other flammable items stored in a + +safe location? +☐ +☐ +☐ + +Comment: + +5. Are waste receptacles provided and are they +emptied regularly? +☐ +☐ +☐ +Comment: + + + + + +Page 19: +Superintendent’s Circular FSE-06 +Page 19 of 23 + + + +FIRST AID +YES NO N/A +1. Is a fire blanket and container mounted in a +readily accessible/visible location? + ☐ +☐ +☐ +Comment: + +2. Are first aid boxes in an accessible location? +☐ +☐ +☐ +Comment: + + +3. Are the supplies adequate for the type of +potential injuries in the shop? +☐ +☐ +☐ +Comment: + +4. Are all items sterile? +☐ +☐ +☐ +Comment: + + +5. Is there a staff member trained in first aid? +☐ +☐ +☐ +Comment: + +6. Are emergency numbers posted? + +☐ +☐ +☐ +Comment: + + + + + +Page 20: +Superintendent’s Circular FSE-06 +Page 20 of 23 + + + +HEATING +YES NO N/A +1. Are all heat dispersing units free from +obstruction and flammable materials? +☐ +☐ +☐ +Comment: + + +2. Is the heat in the shop adequate? +☐ +☐ +☐ +Comment: + +LIGHTS +YES NO N/A +1. Is lighting suitable for work being done? + +☐ +☐ +☐ +Comment: + + +2. Is there a back-up light in case of emergency +(battery-operated)? + + +☐ +☐ +☐ +Comment: + + + +MACHINERY AND TOOLS + + +YES NO N/A +1. Are safety guards in place? + + +☐ +☐ +☐ +Comment: + + +2. Are they properly cleaned and lubricated? +☐ +☐ +☐ +Comment: + + +3. Are there any dangerously worn parts? + +☐ +☐ +☐ +Comment: + + +4. Is there adequate space between machines for + + +Page 21: +Superintendent’s Circular FSE-06 +Page 21 of 23 + + + +working safely? + + +☐ +☐ +☐ +Comment: + + +5. Are there any electrical hazards? + +☐ +☐ +☐ +Comment: + + +6. Are hand tools and other equipment regularly +inspected for safe conditions? +☐ +☐ +☐ +Comment: + + + +POWER SHUT-OFFS + YES NO N/A +1. Are there emergency shut-offs? + + +☐ +☐ +☐ +Comment: + + +2. Do they work? + + +☐ +☐ +☐ +Comment: + + + +3. Are they checked each month? + + +☐ +☐ +☐ +Comment: + + + + + + +Page 22: +Superintendent’s Circular FSE-06 +Page 22 of 23 + + + +VENTILATION +YES NO N/A +1. Do all exhaust ducts terminate outside the +building? +☐ +☐ +☐ +Comment: + + + +2. Does tailpipe exhaust exit outside the building? +☐ +☐ +☐ +Comment: + + +3. Does this shop (welding, auto body, etc.) +require exhaust fans? + + +☐ +☐ +☐ +Comment: + + +4. Does this shop have exhaust fans, and do they +exhaust to the outside? +☐ +☐ +☐ +Comment: + + +5. Is the system sufficient with shop at full capacity? ☐ +☐ +☐ +Comment: + + + +RIGHT TO KNOW LAW + + +YES NO N/A +1. Is a workplace notice posted? + + +☐ +☐ +☐ +Comment: + + +2. Are containers labeled that contain toxic or +hazardous substances? + + +☐ +☐ +☐ +Comment: + + +3. Have the instructors been taught about the + + + +Page 23: +Superintendent’s Circular FSE-06 +Page 23 of 23 + + + +nature and effects of the MSL substances to +which they may be exposed in the workplace? +☐ +☐ +☐ +Comment: + + +4. Other: + + + +☐ +☐ +☐ +Comment: + + + + + + + + + +Page 1: + +Superintendent’s +Circular +NUMBER: +AMT-05 +Version 01 + + +REVISED MAXIMUM AGE ASSIGNMENT AND +ENROLLMENT POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +In July 1999, the Boston School Committee adopted a new policy +of the Boston Public Schools (BPS) covering the maximum age +for school attendance. In 2019, the School Committee updated +the maximum age assignment and enrollment policy to include +the current options available within the network of BPS +alternative education schools and new opportunities for students +to continue their education in the district. The revision to the +original maximum assignment policy clarifies the process and +streamlines the enrollment and placement of overage students, +minimizes the risk of students transitioning to adult school +programming in the middle of a semester when they turn 22 +years old, and expands the range of program options in Boston +Central Adult High School (BCAHS) to meet the needs of overage +students in an adult education setting. +ENROLLMENT OF OVERAGE STUDENTS (19 YEARS OLD OR +OLDER) +• Requires the Re-Engagement Center to assess needs and +make recommendations for the school/program +assignments of students new to BPS who are age 19 or +older. +• For students 19 years old or older who are more than a year +from graduation (based on the Re-Engagement Center + + +Page 2: +Superintendent’s Circular AMT-05 +Page 2 of 6 + +transcript review), enrollment options will be presented for +BPS alternative education programs designed to support +overage, under-credited students. +• For students 19 years old or older who are less than a year +from graduation (based on the Re-Engagement Center +transcript review), enrollment options will be presented for +traditional high school programs and/or BPS alternative +education programs designed to support overage students, +based on availability and student needs. +EXISTING OVERAGE BPS STUDENTS (19 YEARS OLD OR OLDER) +• Establishes a systematic proactive review process through +the Re-Engagement Center whereby the district will +monitor the progress and counsel currently enrolled +overage students on an annual basis. +• Establishes that if a student without special needs (without +an Individualized Education Plan) will turn 21 years old on or +before August 31st they will be ineligible for enrollment in a +BPS traditional or alternative education school for the +upcoming school year, and will be referred to BCAHS (day +program, evening program, or a satellite adult education +program authorized by BCAHS) or an external adult +education program by the Re-Engagement Center. +• Establishes that students turning 21 years of age on or after +September 1st are eligible for enrollment for that school +year. +• Clarifies that services for eligible students with disabilities +will continue to be governed by the Individuals with +Disabilities Education Act (IDEA) and Massachusetts General +Law c. 71B up to and through that student’s 22nd birthday, + + +Page 3: +Superintendent’s Circular AMT-05 +Page 3 of 6 + +when deemed appropriate by an IEP team. +• Provides guidelines for how the district will support +students who turn 21 years old on September 1st or later +through the Re-Engagement Center as they transition into +programs including: BCAHS (day program, evening +program, or a satellite adult education program authorized +by BCAHS) if space is available, or an external adult +education program. +THE MAXIMUM AGE ASSIGNMENT POLICY +All students who are seeking a BPS school assignment, including +new students, re-enrolling students, and students already +enrolled in the BPS will be provided enrollment options that will +best meet their needs in providing a path forward to meeting the +requirements of a BPS high school diploma. The revised +maximum age assignment and enrollment policy acknowledges +that some students may benefit from the alternative education +setting to ensure they can earn the credits required for +graduation prior to the end of the school year in which they turn +21 years old. Students transitioning to alternative education +schools and programs designed to serve the overage population +will retain any and all rights and privileges accrued change +“accrued” to “afforded to students…” to students admitted to or +enrolled in traditional day school programs as required by +Massachusetts law. +New BPS students and re-enrolling students who are age 19 and +older will be directly referred to the Re-Engagement Center by +registration specialists at the Welcome Center to determine the +most appropriate placement. As with all enrollment applications, +if applicable, the Office of Special Education will review each +student’s Individualized Education Plan (IEP) and any reports + + +Page 4: +Superintendent’s Circular AMT-05 +Page 4 of 6 + +presented by the student and/or family to determine how to +move forward with options for the student. +Once referred to the Re-Engagement Center, specialists will +review each overage student’s transcript, enrollment history, +state assessment results, and Early Warning Indicators to +determine the most appropriate placement for the student to +attain a high school diploma prior to turning 21 years old. +Enrollment options at traditional high school programs and/or +alternative education programs will be presented based on +availability and student need. BPS Welcome Services will +manage the technical aspects of the enrollment and assignment +process after the Re-Engagement Center assesses student needs +and makes recommendations for placement. Current alternative +schools and programs for SY23 that meet the criteria to serve +overage students include Boston Adult Technical Academy +(BATA), Accelerated Diploma Program (ADP), LogOn Academy at +Boston Collaborative High School, and ABCD’s University High +School. This list of options for overage students will be updated +annually as needed. +Currently enrolled BPS students who will reach the age of 19 +before September 1st of the following school year will be +provided an option to enroll at an alternative education school or +program designed for overage and/or under-credited students. In +the revised policy, the responsibility of these recommendations +will be designated to Re-Engagement Center specialists. The Re- +Engagement Center will notify headmasters of students who are +eligible for a transfer based on age during the spring semester. +Re-Engagement Center specialists will recommend the most +appropriate placement in an alternative education setting or +continued enrollment at their current school after a review of +each overage student’s transcript, state assessment results, + + +Page 5: +Superintendent’s Circular AMT-05 +Page 5 of 6 + +enrollment history, and assessment of Early Warning Indicators. +Additionally, if determined that a transfer is in the student’s best +interest, the Re-Engagement Center will meet with students and +their parents, provide multiple alternative education options that +are appropriate for overage students, and work with students +and parents through the process of the transfer to the alternative +education program selected prior to the start of the school year. +BPS Welcome Services will continue to manage the technical +aspects of enrollment and assignment process based on these +recommendations. +The revised maximum age assignment and enrollment policy +clarifies that if a student will turn 21 years old on or before August +31st, the school based-administration team will meet with the +student, and the student will be required to transition to a +program designed for adults (e.g. Boston Central Adult High +School, Department of Developmental Services, or other adult +school program). Students who will turn 21 years old during the +school year will be allowed to remain enrolled through the end of +the school year in June and, if necessary, through the end of +summer session in August. Once referred to the adult school +program, the process of this transition will be managed by the +Re-Engagement Center. +Students who are unable to earn a high school diploma by the +end of the school year in which they turn 21 years old will be +referred to BCAHS (day program, evening program, or a satellite +adult education program authorized by BCAHS) or an external +adult education program by Re-Engagement Center specialists +and the headmaster. The referral will be made prior to the start of +the final spring semester in which a student is 21 years old to +support an appropriately timed transition. Prior to the student +exiting their school and transitioning to an adult school option, + + +Page 6: +Superintendent’s Circular AMT-05 +Page 6 of 6 + +the headmaster and/or academic counselor will provide an exit +survey and counseling opportunity to share potential placement +in the Boston area. Upon exiting a BPS traditional or alternative +high school, the student will be presented with options to +continue their education toward a high school diploma or HiSET +certificate (graduation equivalent) through the exit survey and +meeting offered by the headmaster and/or academic counselor. +Services for eligible students with disabilities will continue to be +governed by the Individuals with Disabilities Education Act +(IDEA) and Massachusetts General Law c. 71B up to and through +their 22nd birthday, when deemed appropriate by an IEP team. +For more information about this circular, contact: +Owner: +Director of the Re-Engagement Center +Department: +Office of Secondary Schools, Re- +Engagement Center +Mailing Address: +2300 Washington Street, 4th Floor, Roxbury +MA 02119 +Phone: +617-635-2273 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 1: + +Superintendent’s +Circular +NUMBER: +AMT-04 +Version 01 + +GRADE LEVEL PLACEMENT REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The Boston Public Schools has established grade level placement +requirements for Grades K-12, which are detailed herein. +GRADES K0 - 1 +The Boston Public Schools has established the following age +requirements for entrance to kindergarten programs and grade 1: +Grade Level +Age as of +September 1 +K0 +3 +K1 +4 +K2 +5 +1 +6 + +Students who will be 6 years old by September 1, but after June 30, +may, if they believe appropriate, request a waiver to register for K2 +instead of grade 1. This request must take place prior to registration +and must be accompanied by an early education provider’s +recommendation. Requests should be made to the interim executive +director of Early Childhood at tdias@bostonpublicschools.org, 617- +635-9701. +There are no other exceptions to this policy. + + +Page 2: +Superintendent’s Circular AMT-04 +Page 2 of 8 + +GRADES 2 - 8 +The following requirements will be in effect for grades 2-8 at all +schools, including Early Education Centers and Early Learning +Centers: +Grade +Age as of +September 1 +2 +7 +3 +8 +4 +9 +5 +10 +6 +11 +7 +12 +8 +13 + +In cases where a student is registering into Boston Public Schools +with documented proof of successful completion of the current +grade, the student must also present documentation to their +assigned school within 30 days of reporting. If the school +recommends a change in the student’s grade placement, the school +leader must submit a “Grade Level Change” request form (below) to +their school superintendent or operational leader for approval and +processing by Welcome Services. +Grade-age assignment in the Boston Public Schools is structured to +provide a supportive environment in which each student is able to +grow both academically and socially. BPS understands students may +learn differently and need appropriate adjustments to their +curriculum to ensure they are learning at a pace that fosters success. +Therefore, teachers are trained to adjust + + +Page 3: +Superintendent’s Circular AMT-04 +Page 3 of 8 + +curriculum and make additional recommendations for students +within their classrooms. +GRADES 9 - 12 +Students who are new to BPS will be assigned to a grade based on +their age. Students should be aware that schools may shift their +grade level upon enrollment in their assigned school after a +transcript review with their school counselor. +Students with disabilities will be placed in accordance with the grade +level indicated by their IEP. +If the student has not recently attended school in the U.S., a U.S. +territory, or does not have a current transcript, Welcome Services will +assign students as indicated below: +Age as of +September 1* +General Education, Never LEP, or +ELD 1-5 +14-16 +Grade 9 +15-17 +Grade 10 +16-18 +Grade 11 +17-18 +Grade 12** +19-21 + Referred to Re-Engagement +Center +22 + Students will be recommended +to Adult Education +* +The age range is dependent on minimum age and takes into +account consideration of students who may have been retained +or started their academic journey at an older age from their home +country. +** Students with sufficient documentation, clearly displaying the +completion of grade 11, will be placed in grade 12. + + +Page 4: +Superintendent’s Circular AMT-04 +Page 4 of 8 + +Students who are entering high school are to present prior school +records to their assigned school within 30 days of reporting. +For more information regarding the Maximum Age Policy, see the +Revised Maximum Age Assignment And Enrollment Policy. +GRADE LEVEL ADVANCEMENT OR REGRESSION +If a family/emancipated student is contesting their grade level +placement due to the grade-age assignment process followed while +in a Welcome Center or the Newcomers Assessment & Counseling +Center (NACC), the student must be assessed by the school. If the +school recommends a change in the student’s grade placement, the +school leader must submit a “Grade Level Change” request form to +their school superintendent or operational leader for approval and +processing by Welcome Services within 30 days of student reporting +to school. +If after a period of at least one academic term/semester, a school +team1 determines that a particular student may benefit from a grade +level change due to exceptional advancement or regression based +on other conditions not present during the registration period, a +school leader may request a grade level change by completing the +“Grade Level Change” request form and submitting to their school +superintendent or operational leader for approval and processing by +Welcome Services. All changes must be completed by the end of the +first marking period. + + +1 School-based teams must be composed of content teachers, +English Learner, and Special Education faculty based on the +student’s instructional program. + + +Page 5: +Superintendent’s Circular AMT-04 +Page 5 of 8 + +For more information about this circular, contact: +Owner: +Director of Student Assignment and Special +Admissions +Department: +Welcome Services +Mailing Address: +2300 Washington Street, 2nd Floor, Boston, MA +02119 +Phone: +617-635-9010 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 6: +Superintendent’s Circular AMT-04 +Page 6 of 8 + +GRADE LEVEL CHANGE REQUEST FORM - DIRECTIONS +Find below the description of criteria and evidences that you will +need to fill out the form on page 8. +Criteria for Grade Level Change: Documentation and rationale are +required for all recommendations. +1. A grade level placement is contested due to a grade-age +assignment process followed during registration. This form +must be completed within 30 days of student reporting to +school. +2. A school recommends a grade level change for a student due +to exceptional advancement or regression based on other +conditions not present during the registration period. This +form must be completed by the end of the first marking +period. +3. A Grade Level Change Request Form must be approved by a +school superintendent or operational leader. After approval, +Welcome Services will process the request. +4. Students may not be retained more than once at any level +(elementary, middle, or high school). +5. In a grade level change that requires a new school +assignment, the sending administrator must contact and +update the receiving administrator. +6. If an English Learner is being recommended for a grade level +change, evidence must be provided that this is not due to +language proficiency, and student/family have been informed +and are in agreement with the change. + + + + + +Page 7: +Superintendent’s Circular AMT-04 +Page 7 of 8 + +Evidence’s Options +1. The request meets BPS district guidance in terms of +attendance, academic achievements, OR interventions +demonstrated through student work, grades, and +assessments. A school narrative must be attached. +2. If the student is in a Special Education program: The student +has an IEP that specifically and in writing exempts them from +certain provisions of the promotion policy. IEP attached. +3. If the student is an English Learner: There is evidence of a +transcript review and parent communication that shows an +agreement with the recommendation. All documents must +be filed in the student’s ELD Folder. + + + +Page 8: +Superintendent’s Circular AMT-04 +Page 8 of 8 + +GRADE LEVEL CHANGE REQUEST FORM (*) + +Name of Student: ________________________________________________ +School: ___________________________________________________________ +Student ID: __________________Current Program: __________________ +ELD Level: __________________ SN Code: ___________________________ +Purpose of Request: + Grade Progression: ______________ to ______________ + Grade Regression: _______________ to ______________ +When/how was the parent/guardian informed of this request? + __________________________________________________________________ + __________________________________________________________________ + +OPTIONS (**) +Evidence meets requested change +YES +NO +Option 1 + + +Option 2 + + +Option 3 + + + +Signature of sending school leader: +___________________________________________ Date _________________ +Signature of school superintendent/operational leader: +___________________________________________ Date: ________________ +Review/Approval, Welcome Services: Space available? YES ☐ NO ☐ +(*) Directions on pages 6 & 7; (**) Options descriptions are listed on page 7 + + + + +Page 1: + + Superintendent’s +Circular + NUMBER: +AMT-06 +Version 01 + + + +VOLUNTARY TRANSFER POLICY. +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +This updated policy provides clear guidance regarding the +allowances and restrictions on school transfers, including an +explanation of the types of transfers that would be considered +voluntary or involuntary and the restrictions on the numbers of +transfers allowed for different grade levels. This policy has +evolved over time beginning with the 1992 Operating Guidelines +for Implementing Changes in the Controlled Choice Student +Assignment Plan and the1999 Interim Report on Streamlining the +Boston Controlled Choice Student Assignment Plan. This circular +does not appreciably shift policy or practice, but rather clarifies +and updates language to reflect the current Home-Based +Assignment Plan. +In June 1999, the School Committee amended the policy of the +Boston Public Schools covering voluntary transfers of students. +The amendments provide for the following: +Elementary school students (PK-6) may receive ONE (1) school +transfer during an academic year. +Middle school level students (grades 7 & 8) may receive ONE (1) +school transfer during their middle school careers. +High school students (9-12) may receive ONE (1) school transfer +during their high school careers. + + +Page 2: +Superintendent’s Circular #AMT-6 +Page 2 of 2 + +Change to school assignments due to change of address, safety, +programmatic, moving off a waitlist, and disciplinary reasons are +not considered voluntary transfers with respect to the number of +transfers allowed. +Students who permanently move out of their original home base +are required to attend a school in their new home base; however, +they may be allowed to continue in their current schools if their +parent(s) request(s) continuation in the current schools in writing +with Welcome Services and agrees to arrange and provide +transportation. Students who move after April 1 will not be +required to change schools until the following school year. + +For more information about this circular, contact: + +Owner: +Director of Student Assignment and Selective +Admissions +Department: +Welcome Services +Mailing +Address: +2300 Washington Street, 2nd Floor, Roxbury, MA +02119 +Phone: +617-635-6058 +Email: +ofca-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +AMT-07 +Version 01 + + +SAFETY TRANSFER REQUEST PROCEDURES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +From time to time, it becomes necessary to make a change in a +student’s school assignment. One reason for such an assignment +change may be motivated by the need to ensure a safe and +secure learning environment for that student. For this reason, a +safety transfer process has been established. +CRITERIA +1. All students who are victims or intended victims of a serious +physical, emotional, and/or electronically transmitted assault +or who are victims of a violent criminal offense, as determined +by state law, while in or on school grounds, or out of school +that impacts school climate, shall be eligible for a safety +transfer. All such request forms must have attached BPS +Incident Reports and/or BPD Reports to document the +incident. The transfer should be processed by the building +administrator within ten (10) school days of the receipt of the +Safety Transfer Request Form. +Students who are perpetrators are subject to the Code of +Conduct and not eligible for a safety transfer. +2. Students attending a school designated as “unsafe or +persistently dangerous” in accordance with Massachusetts + + +Page 2: +Superintendent’s Circular AMT-07 +Page 2 of 12 + + +Department of Education criteria, upon receipt of a parent +request, shall be transferred to a safe school in compliance +with the Every Student Succeeds Act (“ESSA”). The purpose of +the ESSA is to provide all children a significant opportunity to +receive a fair, equitable, and high-quality education, and to +close educational achievement gaps." +3. Students with an Individualized Education Program (IEP) are +subject to this transfer procedure provided the building +administrator has consulted with the OSESS coordinator. +Resource Room students shall be dealt with in the same +manner as regular education students. Students with IEPs +providing a specialized program and/or requiring a restrictive +setting shall be reassigned after consultation between the +coordinator and OSESS assistant program director (APD). +4. Court orders requiring a transfer of a student shall be honored +and coded as a safety transfer. A copy of the court order +should be forwarded to the operational leader as a part of the +documentation packet in all cases. +5. In all cases, student assignments shall be made by Welcome +Services. Requests for specific school assignments will not be +honored, but rather they shall be based on criteria established +by Welcome Services, as well as on the need to ensure a safe +learning environment and on the needs of the student. +PROCEDURES +The following procedures must be followed in all safety transfer +cases: +1. All safety transfer requests must be initiated by the +parent/guardian/caregiver of the impacted student. + + +Page 3: +Superintendent’s Circular AMT-07 +Page 3 of 12 + + +2. The parent/guardian/caregiver should schedule a meeting +with the head of school/principal/program director of the +school to which the student is assigned in order to discuss the +circumstances surrounding the need for a safety transfer. +3. The parent/guardian/caregiver must complete and sign the +“Safety Transfer Request Form” (attached). All requests for +safety transfers must be referred to the head of +school/principal/program director for review and +recommendation. +4. The head of school/principal/program director shall conduct a +thorough investigation in response to the +parent/guardian/caregiver’s request and must gather all +pertinent information and documentation. If the student has +an IEP, the building administrator shall consult with the +coordinator. The building administrator will provide a rationale +for support or rejection of the transfer request on the reverse +side of the Safety Transfer Form. The form must be signed by +the principal/head of school. Please note: this responsibility +may not be delegated. If the problem is gang-related, the +names of the gangs involved should be noted. If the incident +has occurred off school grounds, a copy of the Boston Police +Department report should be obtained; if the incident +occurred on school grounds, a copy of the Boston Public +School Incident Report should be attached to the +documentation packet. + +5. If the head of school/principal supports the safety transfer +request, they must indicate and sign the Safety Transfer Form. +The completed transfer packet should be sent to the +operational leader for approval and processing. + + +Page 4: +Superintendent’s Circular AMT-07 +Page 4 of 12 + + +The complete safety transfer packet must include: +a. Completed and signed English version as well as a copy of +the parent’s safety transfer request form, including the +building administrator’s rationale for support or rejection +of request on page 2. If the language of the home is other +than English, the parent/guardian/caregiver should +complete the appropriate language form which should +be attached to the English version in the packet. +b. All pertinent supporting documentation (i.e., court orders, +restraining orders, police reports, reports of investigation +by school staff or safety services, etc.) If the student has +been the victim of an assault. +c. If attending an “unsafe or persistently dangerous school,” +documentation supporting the school designation as +such. +6. If the building administrator does not support the safety +transfer, a rationale indicating specific reasons for rejecting the +transfer, including appropriate documentation, must be +forwarded with the safety transfer packet to the operational +leader. +7. The packet must be submitted as soon as possible to the +operational leader for review of completeness and +appropriateness. The operational leader is authorized to +approve or reject the request. +8. Before forwarding a copy of the approved packet to Welcome +Services, the operational leader shall consult with the +Department of Safety Services to discuss potential restrictions +to school assignments (e.g., gang-related issues, “persistently +dangerous” schools, etc.). If the student is assigned to a + + +Page 5: +Superintendent’s Circular AMT-07 +Page 5 of 12 + + +substantially separate class, the operational leader shall +consult with the OSE coordinator and the OSE assistant +director. +9. The operational leader will forward the complete safety +transfer packet of the approved safety transfer request to +Welcome Services for processing an assignment. If safety +issues were raised in discussions with Safety Services (c.f. item +8 above), the operational leader shall call these issues to the +attention of Welcome Services. Requests which are not +approved will be returned to the citing the reasons for +rejection. If the student requires a substantially separate +assignment, Welcome Services and appropriate APD shall +consult. +10. Welcome Services shall assign the student to the new school +and notify the receiving and sending schools and the +appropriate operational leader by email. The head of +school/principal/program director of the sending school shall +notify the parent/guardian/caretaker of the student’s new +school assignment. If the safety transfer is not approved, the +“sending” building administrator shall notify the parent that +the request has been rejected. +11. If the transfer is approved, the operational leader shall send a +copy of the Transfer Form with copies of all attached +documentation to the new school principal/head of school. If +the new building administrator has any further questions, the +sending school building administrator shall respond to those +questions. The sending school shall forward a copy of the +student record to the new school. +12. Any appeal of a decision at the school level may be made to +the District Safety Transfer Appeal Committee. An appeal + + +Page 6: +Superintendent’s Circular AMT-07 +Page 6 of 12 + + +must be made by the parent/guardian/caregiver, in writing, +within ten (10) days of the receipt of the decision. An appeal +can either be submitted in writing and mailed to the attention +of the Superintendent’s Office, Attn: Ombudsperson, Bruce C. +Bolling Municipal Building, 2300 Washington Street, Roxbury +MA 02119 or electronically by submitting the Safety Transfer +Appeal Form. +Please Note: +1. During the summer months, no safety transfers will be +processed. Any family seeking a change in school assignment +due to safety concerns must follow the voluntary transfer +process by visiting a BPS Welcome Center. +2. The family has the right to refuse the new school assignment. +If so, the parent/guardian/caretaker should contact the +principal/head of school and operational leader that they are +rescinding the safety transfer request. In this case, the student +will be returned to their original school and will not be +permitted to submit an additional safety transfer request +regarding the incident that initiated the original safety transfer +request. +Translations of the required documentation are available here. + + + + +Page 7: +Superintendent’s Circular AMT-07 +Page 7 of 12 + + +For more information about this circular, contact: +Owner: +Chief of Operations +Department: +Operations +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9057 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Safety Transfer Request form on following page. + + + + + + + + + + +Page 8: +Superintendent’s Circular AMT-07 +Page 8 of 12 + + +SAFETY TRANSFER REQUEST +Principal/Head of School Page + +Student’s Name: _______________________________________________________________ +Student ID #: _________________________ +Grade: ____________ +Current School: __________________________________________________ +Special Education Program (if applicable): _______________________ +English Learner Program (if applicable): _________________________ +Parent/Guardian/Caregiver Conference: +Date:_____________________________ Time: __________________________ +I  support  reject (check one) this Safety Transfer Request +for the following reason(s): + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + +Page 9: +Superintendent’s Circular AMT-07 +Page 9 of 12 + + +If approved, please list the names and ID numbers of the other +students involved that led to this request. +Name 1 _____________________________ ID _________________________ +Name 2 ______________________________ ID _________________________ +Name 3 ______________________________ ID ______________________ +Name 4 ______________________________ ID ______________________ +If you know of other students that this student should not be +placed with, please note their names and ID numbers. +Name 1 _____________________________ ID _________________________ +Name 2 ______________________________ ID _________________________ +Name 3 ______________________________ ID ______________________ +Name 4 ______________________________ ID ______________________ +Please check: + I have explained to the parent that, if approved, the student +can be assigned to any school where there is an available seat, +and that requests for specific school assignments will not be +honored. + __________________________________________________ _______________ + +Head of School/Principal +Date +Attach documentation. +cc: School File + + +Page 10: +Superintendent’s Circular AMT-07 +Page 10 of 12 + + +SAFETY TRANSFER REQUEST +Family Page + +Student’s Name: _________________________________________________ +I request a Safety Transfer for my son/daughter for the following +reasons: +*Please be specific. If there have been incidents at the school, +describe who was involved, when they occurred, what happened +and other details (including the names of any gangs involved). +Attach additional documentation (e.g., copy of incident report, +copy of Boston Police Report, report of medical provider, etc.) as +necessary. If there is any school that your child cannot attend +due to similar safety concerns, then you must list them here. + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + +Translated versions of this form can be found here. + + +Page 11: +Superintendent’s Circular AMT-07 +Page 11 of 12 + + +SAFETY TRANSFER REQUEST COVER PAGE +Completed by Operational Leader + +Operational Leader: __________________________Date: ______________ +Student Name: ________________________________ID: _______________ +The safety transfer has been: +☐ Approved +☐ Not Approved +Please check: +☐ The school has informed me that they explained to the parent +that the child will be placed wherever there is an available, +appropriate seat, and that requests for specific school +assignments will not be honored. +Please check one: +☐ The child can be placed into any school with an available seat. +☐ The child should not be placed at the following school(s) +(please explain why): +School: ___________________________________________________________ + + _______________________________________________________________ +School: ___________________________________________________________ + + _______________________________________________________________ + + + + +Page 12: +Superintendent’s Circular AMT-07 +Page 12 of 12 + + +School: ___________________________________________________________ + + _______________________________________________________________ +School: ___________________________________________________________ + + _______________________________________________________________ +Additional notes for consideration prior to assignment: + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + + __________________________________________________ _______________ + +Operational Leader Signature +Date + + +Page 1: + + +Superintendent’s +Circular +NUMBER: +AMT-03 +Version 01 + + +ASSIGNMENT OF DEPARTMENT OF YOUTH SERVICES +(DYS) COMMITTED STUDENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The attached procedures for the assignment of Department of +Youth Services (DYS) committed students new to the Boston +Public Schools or re-entering the Boston Public Schools after +previous discharges have been developed to ensure the efficient +and appropriate assignment of DYS committed students to the +Boston Public Schools. +These procedures are the result of a collaborative effort between +staff of the Boston Public Schools and the Department of Youth +Services and should be adhered to in all cases pertaining to DYS +students. +I. +PROCEDURES FOR ASSIGNMENT OF DYS-COMMITTED +STUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR +RE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER +PREVIOUS DISCHARGES +To initiate and successfully implement the assignment of DYS +committed students to the Boston Public Schools, the +procedures listed below shall apply: +(Please refer to Section II below for additional requirements for +students recommended for special education.) + + +Page 2: +Superintendent’s Circular AMT-03 +Page 2 of 10 + + +1. Prior to the student's re-entering BPS, DYS shall write a +letter on its stationery including the following: +a. Verification of parent's address +b. Verification of the student’s address if different from +the address the student will live at once in a BPS +program +c. Purpose of re-enrollment, i.e., to start school or +request an evaluation by special education +d. Name, address, and telephone number of DYS +education liaison and caseworker +e. Reason, if any, why the student should not be re- +assigned to the previous school. +2. This letter shall be attached to the application and +forwarded by a DYS caseworker, educational liaison, or +representative to the student assignment specialist in the +appropriate Welcome Center at the time of application for +a school assignment, along with any other documents +needed to enroll the student in a Boston Public Schools +program. Documents should be provided if a student has +been in an educational setting that would change the +previous grade. +3. A DYS caseworker or educational liaison or representative +shall assist the student in the entry/re-entry process and +contact the school administrator in order to prepare +everyone for a successful return. +4. The returning student must be accompanied by a DYS +caseworker or educational liaison or representative when +returning to a Boston public school. + + + + + +Page 3: +Superintendent’s Circular AMT-03 +Page 3 of 10 + + +Upon application, Welcome Center staff shall: +1. Provide the parent/guardian/student and DYS +caseworker/liaison with a student registration form. +2. Explain and assist the parent/guardian/student and DYS +caseworker/liaison in the completion of the student +registration form. +3. Complete the appropriate information on the student +registration form. +4. Provide the parent/guardian/student and DYS +caseworker/liaison with a Home Language Survey form in +the language of their preference and assist them in the +completion of the form. +Attach to the student registration form: +a. The completed Home Language Survey form. +b. The DYS letter cited on page 2, (a) and (b). If no +address is stated in the letter, attach the proof of +residency required by Welcome Services (i.e., social +service agency ID or letter, preprinted, most recent +utility bills, bank statement, mortgage with address). +c. Proof of grade if available (i.e., a transcript +documenting courses and credits earned while in +DYS facilities or private placement). If proof of grade +is not available, the question of appropriate grade +level placement shall be addressed in the same way +it is done with non-DYS committed students. +d. Copies of immunization records for new enrollees. +5. Sign and specify the date on the bottom of the student +registration and Home Language Survey forms. +6. Provide the DYS caseworker/liaison with a copy of the + + +Page 4: +Superintendent’s Circular AMT-03 +Page 4 of 10 + + +assignment form given to the parent/guardian or student. +NOTES: +1. DYS is responsible for notifying the school of assignment +when a student is committed to DYS. Please note the +distinction between DYS detained and DYS committed +students. Notification for committed students will come in +the form of a request for records. +2. The Office of Welcome Services is responsible for +contacting the appropriate special education assistant +program director in those cases where the DYS student +re-entering the BPS has a current/signed IEP to determine +the status of the student. +II. +PROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED +STUDENTS RECOMMENDED FOR SPECIAL EDUCATION +PROGRAM +If a DYS committed student is in a detention center, secure +facility, or private special education school and is recommended +for a BPS special education program, a special education +evaluation shall take place. The private school coordinator or +supervisor for contracted services is responsible for the +evaluation procedures as follows: +1. If the DYS student is in a secure facility or detention center, +the private school coordinator assigned to DYS is responsible +for the evaluation. +2. If the DYS student is in a Chapter 766-approved private +school, the private school coordinator assigned to that +private school is responsible for the evaluation. +3. If the DYS student is out of school but last attended a +Chapter 766-approved private school with Regional + + +Page 5: +Superintendent’s Circular AMT-03 +Page 5 of 10 + + +Review Board approval within the previous school year, +the private school coordinator assigned to the previously +attended private school is responsible for the evaluation. +If greater than one school year, or a private program is not +766-approved, the assigned school’s coordinator is +responsible for the evaluation. +4. If the DYS student is out of school and has no current +school assignment, the private school coordinator is +responsible for the evaluation. The DYS caseworker/liaison +is responsible for submitting all current assessments of +the student. +The DYS caseworker/educational liaison or representative shall +determine the student's assigned school by calling the Office of +Enrollment Services at 617-635-7750. +DYS shall refer the student to the special education program +director or SESS coordinator at the assigned school for an +evaluation. For a reevaluation, a request letter will be sufficient +containing the student's current address, telephone number and +contact person if other than parent. Special education program +directors or SESS coordinators are responsible for providing these +forms and assisting in their coding, and for the evaluation +procedures. +The supervisor of contracted services, special education program +director, SESS coordinator, or private school coordinator and the +DYS caseworker/liaison shall work jointly to obtain +parent/guardian signature on a Consent for Evaluation or +Reevaluation and Release of Information forms. The supervisor, +program director, or coordinator shall complete the evaluation or +reevaluation within the prescribed timelines and, based on the +TEAM findings and the recommendation written on the + + +Page 6: +Superintendent’s Circular AMT-03 +Page 6 of 10 + + +Individualized Education Program (IEP), request placement in a +special education setting, as follows: +1. If the TEAM recommends that the student be assigned to +a full or partial inclusion setting other than a sub-separate +setting, the supervisor, program director, or coordinator +and the DYS caseworker/liaison shall work jointly to obtain +written parental approval of the IEP. +2. Upon receipt of the signed first page of the IEP, the +supervisor, program director, or coordinator shall give a +copy of the signed approved IEP to the DYS. +3. If the TEAM recommends that the student be assigned to +a substantially separate setting, the supervisor, program +director, or coordinator shall submit copies of the required +assessments and IEP to the assignment coordinator for a +decision regarding the student's placement in +collaboration with the level assistant director prior to +requesting or recommending a specific school +assignment. +4. The supervisor, program director, or coordinator shall +present DYS and the parent/guardian/student over 18 +years of age the recommended placement option. +5. The supervisor, program director, or coordinator and DYS +shall work jointly to obtain written approval of the IEP. +6. Upon receipt of the signed IEP, the supervisor, program +director, or coordinator shall forward a copy of it to the +appropriate level assistant director and give a copy to the +DYS caseworker/liaison, who will then attach such copy to +the DYS letter referred to in Section I.A. and present both +documents at the time of application for a school +assignment, along with any other documents needed. + + +Page 7: +Superintendent’s Circular AMT-03 +Page 7 of 10 + + +7. The level assistant director shall complete the DI5 form +and forward it to the Enrollment Planning and Support +Unit to finalize the assignment. +It is important to note that the TEAM may also determine that +the student needs no special education services. In these cases, +the program director or coordinator will provide a letter +indicating the TEAM decision of no eligibility and provide it to the +DYS caseworker. +III. +PROCEDURES FOR MAINTAINING COMMUNICATION +BETWEEN DYS AND BPS AFTER A DYS COMMITTED +STUDENT IS ASSIGNED TO A BOSTON PUBLIC SCHOOL +Contact Person in School of Assignment +For students who have entered/re-entered the Boston Public +Schools from a DYS placement, DYS staff shall contact the head +of school or principal, who may delegate the ongoing liaison +function to any of the following school-based staff: +1. For regular education students, the guidance +counselor/advisor designated by the head of school or +principal (for secondary schools) or the principal or +designee (for elementary schools). +2. For special education students, the special education +program director or SESS coordinator. At the middle +and high school levels, the program director or SESS +coordinator shall keep the guidance staff informed of +all DYS contacts made. + + + + +Page 8: +Superintendent’s Circular AMT-03 +Page 8 of 10 + + +NOTE: In the case of both regular and special education DYS +students, the school's contact person(s) is responsible for keeping +the building administrator fully informed relative to the status of +DYS students assigned to the building. +Contact Persons at DYS +For students who have entered/re-entered the Boston Public +Schools from a DYS placement, school-based staff may contact +the following DYS personnel. (Because names may change, only +titles are given; school staff may need to ask for specific names.) +1. Director of caseworker services, 617-727-7575 +2. Educational liaisons, 617-727-7575 +The following steps should be taken in case of emergency: +1. The head of school/principal who is having an emergency +with a DYS student should contact the director of casework +services, 617-727-7575, who will refer the case to the +appropriate DYS staff. +2. In non-emergency situations, the head of school/principal or +designee should maintain the usual ongoing +communication with the assigned caseworker or other DYS +staff. When in doubt, the director of casework services, 617- +727-7575, may be contacted. +• If a student committed to a DYS facility enrolls in the Boston +Public Schools at any time during the school year or in the +summer, DYS shall advise the respective head of +school/principal that the student was assigned and provide +the name of the DYS contact person. +• If a DYS student who enrolled in a designated BPS school +transfers to another BPS school during the year, the head of + + +Page 9: +Superintendent’s Circular AMT-03 +Page 9 of 10 + + +school/principal or designee of the sending school shall +contact the head of school/ principal of the receiving school +and inform them about the transfer. +• By September 1st of each year, DYS shall generate a list of +DYS students assigned to Boston Public Schools, indicating +the school to which the student is assigned and the DYS +contact person for each student. This list should be updated +bi-weekly until December and monthly thereafter and sent +to the Office of Welcome Services for verification. +• DYS shall designate a liaison to meet periodically with staff +from the Office of Welcome Services or designee to follow up +on the status of DYS students who have been assigned to +BPS schools. +Principals/heads of school interested in annual in-service sessions +for their staff with participation of DYS staff should contact the +director of casework services, 617-727-7575. +For more information about this circular, contact: +Owner: +Director of Student Assignment and Selective +Admissions +Department: +Office of Family and Community +Advancement +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-7698 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular AMT-03 +Page 10 of 10 + + + + + +Page 1: + + + + Superintendent’s +Circular +NUMBER: +AMT-01 +Version 01 + + +EXAM SCHOOL ADMISSIONS: APPLICATION AND +ADMISSIONS PROCESS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools has three exam schools: Boston Latin +Academy, Boston Latin School, and the John D. O'Bryant School +of Mathematics and Science. All three schools accept new +students for grades 7 and 9. John D. O’Bryant School accepts a +small number of new students in grade 10. This circular outlines +operational details regarding the application process, GPA +calculation, test administration, and invitations. + +ELIGIBILITY +Students currently enrolled in grades 6, 8, or 9 and residing in the +City of Boston are eligible to apply to one of our exam schools for +the 2025-2026 school year. The application process to the three +exam schools includes an admissions test, student GPA, and +Boston residency. The GPA will account for 70% and the test score +will account for 30% of the application. Students may be eligible +for additional points if they meet specific criteria. +Students enrolled in a program for limited or interrupted formal +education (SLIFE) or enrolled in non-credit bearing courses, and +students that are not completing grade-level curriculum are not +eligible to apply for exam school admissions. + + + +Page 2: +Superintendent’s Circular ATM-01 +Page 2 of 14 + +RESIDENCY REQUIREMENTS +Students seeking admission to an exam school must be enrolled +in grades 6, 8, or 9 and live in the City of Boston to be eligible to +apply for admission for the 2025-2026 school year. The residence +of a minor child is presumed to be the legal, primary residence of +the parent(s) or guardian(s) who have physical custody of the child. + Students actively enrolled in a BPS school have previously +established residency during their initial registration process, and +do not need to resubmit documentation. Non-BPS families are +required to verify their residency in the City of Boston with a BPS +Welcome Center between October 15, 2024, and November 15, +2024. Families planning to participate in the Fall 2024 test +administration, must complete the residency verification process +and register for the test by November 8, 2024. +Students who must complete the residency verification process +include: +● Students attending a private school +● Students attending a parochial school +● Students attending METCO program schools +● Students attending Commonwealth Charter schools +(excludes UP Academy, Boston Green Academy, and +other “in-district” BPS charter schools) +● Students attending schools outside the City of Boston +● Students being home-schooled +The residency verification must be completed even if a family has +other children enrolled in the Boston Public Schools; the student is +receiving special education services from BPS; the parent/guardian +is a current City of Boston employee; or if the student was +previously enrolled in the BPS. + + + + +Page 3: +Superintendent’s Circular ATM-01 +Page 3 of 14 + +As part of the verification process, parents are required to provide +two approved proofs of residency that list the Boston home +address, the child’s original birth certificate, the child’s +immunization record, and the parent’s photo identification. In +addition, an authorization form for the release of student +information will be provided during the appointment. Refer to +the BPS Registration Document Checklist for details. +There are two ways to apply: +1. In-person: Schedule an appointment on this form and visit +one of the four BPS Welcome Centers to work directly with +a registration specialist. +2. By computer: Pre-register here and schedule an +appointment on this form to complete the application with +a registration specialist. A follow-up appointment either in- +person or over the phone is required. Please select ’Pre- +Register for BPS’ from the side menu. Click the first option if +you have never registered any child for Boston Public +Schools. Select the second option if you already have an +Aspen account. +A list of required and approved documents for the registration +application can be found in the BPS Registration Document +Checklist. + +GRADE POINT AVERAGE +The Exam Schools policy establishes baseline criteria for eligibility +beyond residency. Students must have a grade point average of B +or higher to be eligible to apply. The GPA will include prior year +marks in English Language Arts (ELA) and Math and the current +year marks in ELA, Math, Science, and Social Studies. + + +Page 4: +Superintendent’s Circular ATM-01 +Page 4 of 14 + +School leaders are expected to ensure that all marks and course +numbers are processed before grade point averages are calculated +by the Boston Public Schools. All applicants’ course marks must be +submitted along with school certification that they represent +performance against the Massachusetts curriculum framework +grade-level standards by February 7, 2025. Changes in the +transcription or computation of grade point averages will not be +accepted thereafter. +The table below outlines which subject areas and grading terms +are included for the next admission cycle. +Applying for: SY25-26 Entrance Year +7th Grade +• 5th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 6th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, +Math, Science, and Social Studies +9th Grade +• 7th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 8th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, Math, +Science, and Social Studies +10th Grade +• 8th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 9th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, +Math, Science, and Social Studies + + + +Page 5: +Superintendent’s Circular ATM-01 +Page 5 of 14 + +For SY25-26 admissions, both prior year and current year marks will +be considered to calculate the GPA. Prior year marks will be +weighted 50%, and current year marks will be weighted 50%. For +students with previous year international school records, only +current-year marks will be considered. Students must have marks +in each subject for the GPA to be calculated. Applications with +missing course marks, Incomplete (INC), or Pass (P) marks cannot +be processed and will be classified as ineligible. +The July 2021 update to the Exam School Admission Policy +stipulates that the district “develop and publish a coherent +district equitable grading policy using an A-F scale wherein an A+ +is treated like an A.” To address this requirement, the 12-point +grade scale will be rescaled from 0-12 to 0-11, where 0 points +represent an F and 11 points represent both A+ and A. This will +result in the following crosswalk from letter marks to point values +used in the GPA calculation. + +Letter +Mark +A+ A +A- B+ B +B- C+ C +C- D+ D +D- F +Point +Value +11 +11 +10 +9 +8 +7 +6 +5 +4 +3 +2 +1 +0 + +Students with grade 5 transcripts from Boston Public Schools +receive marks on multiple standards for each subject area using a +1-4 grading scale. The marks in Reading, Writing, and Math will be +converted to a 12-point scale for the purpose of calculating an +“overall” mark in the subject area (ELA and Math). If the “overall” +mark in either subject is above 11, the number will be rounded +down to 11 to align with the 1–11 point scale. + + + +Page 6: +Superintendent’s Circular ATM-01 +Page 6 of 14 + +Standard-Base Marks 4 +3 +2 +1 +Point Value +12 +9 +6 +3 +* Students participating in advanced courses (honors, AWC, AP, etc.) do not +receive additional points. +For more information regarding the conversion of marks and +calculating composite scores, please review the fact sheet. All non- +BPS schools are responsible for determining their own practices for +grade conversions. +TEST ADMINISTRATION +For SY25-26 admissions, completion of the NWEA MAP Growth +assessment will be required for admissions. Students will have +two opportunities to take the assessment, with the first in the +spring of 2024. For students who would like to improve their +score, or those who do not take the test in the spring, there will +be a second opportunity in the fall of 2024. Students are not +required to take the MAP assessment two times, but in the case +where there are two complete testing events (twice in Reading, +twice in Math), BPS will use the highest Math Score and the +highest Reading score, from either test event, for the invitation +process. + + + + +Page 7: +Superintendent’s Circular ATM-01 +Page 7 of 14 + +For 6th and 8th grade students currently attending a BPS school, +the test will be offered during the school day at their school. No +registration or action is necessary. However, for students in grade +9 at a BPS school; and students in grade 8 already attending a BPS +exam school, the test will be offered on the weekend. Registration +is required and is detailed below. +For students not currently attending a BPS school, the test will +also be offered on the weekend. Registration for the weekend +test is required and can be completed online or via a paper form. +Both will be posted on the exam schools BPS website. +ADDITIONAL POINTS +In addition to GPA and test scores, students may be eligible to +receive additional points towards their application. Students living +in housing owned by the Boston Housing Authority, are in the +care of the Department of Children and Families, or are +experiencing homelessness at any time during the time period in +which BPS collects grades (March 2024-February 2025) will +receive an additional fifteen (15) points. +Students attending a school in the spring of grade 5 (if applying +for 7th grade at an exam school), grade 7 (if applying for 9th +grade at an exam school), or grade 8 (if applying for 10th grade at +the O’Bryant) where 40% or more of the students enrolled come +from economically disadvantaged families over a 5-year average +will receive between two (2) and ten (10) additional points, +depending on the student's socioeconomic tier. (See below for +more information about the socioeconomic tiers). +The district will determine the list of schools eligible for these +additional points, as defined by the Department of Elementary +and Secondary Education (DESE). + To learn more about how the additional points are calculated, +you can view the Superintendent’s memorandum. + + +Page 8: +Superintendent’s Circular ATM-01 +Page 8 of 14 + +In the situation where a student has attended more than one +school in the spring of the 2023-2024 school year, the school that +submits the student's final marking period course marks will be +used to determine eligibility for the additional points. +In the situation where the student is a new resident of the City of +Boston, the school that submits course marks for the first +marking period of the 2024-2025 school year will be used to +determine eligibility for the additional points. +Additional points are not additive, so students receiving fifteen +points will not receive any additional points, even if they also +attend a school where 40% or more of the students enrolled +come from economically disadvantaged families. + +COMPOSITE SCORE CALCULATION +Admissions to exam schools will use a composite score +calculation that combines GPA, test scores, and additional points +(if eligible) into one number. The GPA and test score component +will be on a 0-100 scale. Students receiving additional points (as +described below) may receive a maximum score of 110 or 115. +For SY25-26 admissions and beyond, grades will make up 70% of +the composite score, and the test score will make up 30% of the +composite score. The GPA will be divided by 11 (based on the 11- +point scale explained above) and multiplied by 70. Similarly, the +test score will be scaled to a possible total of 30. The GPA +component and the test score component will be added together. +Any additional points that the student receives will be added to +the total score. For more detail on how BPS calculates students’ +composite scores, please review the Composite Score Calculation +Fact Sheet. + + +Page 9: +Superintendent’s Circular ATM-01 +Page 9 of 14 + +TIERS +Applicants will be placed into one of eight socioeconomic status +(SES) tiers based on their home address. Families can visit +bostonpublicschools.org/exam and use the interactive SES Tier +map to learn what SES tier their child will be considered within. +The socioeconomic status tiers are based on a socioeconomic +score for each census tract in the city and are updated each year +as annual data becomes available, typically in late winter of each +year. The socioeconomic score is a composite of five measures +from the American Community Survey and indicates economic +need relative to the other census tracts in the city. +• Percentage of persons below poverty +• Percent of households not occupied by the owner +• Percent of families headed by a single parent +• Percent of households where limited English is spoken +• Educational attainment +The tiers are proportionally sized based on the number of school- +aged children in grades 5-8 living in each census tract. Each tier +will have approximately the same number of seats available. +Within each tier, students will be ranked from the highest to the +lowest based on their composite score. If students have the same +composite score, a random number will be used to determine their +rank order. The student with the higher random number will be +ranked higher than the other(s). + + + + +Page 10: +Superintendent’s Circular ATM-01 +Page 10 of 14 + + +INVITATIONS +Invitations will be awarded through ten (10) invitation cycles, with +10% of seats available to each tier distributed in each cycle. Tier 1, +which is the tier with the lowest SES score will go first in each +cycle, and Tier 8, which is the tier with the highest SES score will go +last in each cycle. +Students will be invited to their highest-ranked exam school with +an available seat. If all the seats at a student’s first-choice school +are already allocated, the student will receive an invitation to +their second-choice school. If all those seats are already allocated, +the student will receive an invitation to their third-choice school +until all seats are filled. +SCHOOL CHOICE + Students must rank at least one exam school to be considered for +an invitation. However, a student may list up to three exam +schools and rank those choices by preference. Students will not +be considered for a school they did not list. For example, if a +student only ranks Boston Latin School and O’Bryant, they will +only be considered for invitations to those two schools. If a +student does not submit choice rankings for any exam schools, +they will not be considered for any exam school for an invitation. +BPS grade 6 and 8 students (during the fall of 2024) will receive a +continuous choice form in January 2025, through email and their +BPS school, where they will be asked to submit their school +preferences for the 2025-2026 school year. The continuous choice +form for BPS students is due by February 7, 2025. +BPS grade 9 students, and BPS grade 8 students already enrolled +in an exam school (during the fall of 2024), will be required to visit +a BPS Welcome Center to submit ranked school choices through + + +Page 11: +Superintendent’s Circular ATM-01 +Page 11 of 14 + +a transfer request in January 2025. This group of students will not +receive a continuous choice form automatically through their BPS +school. +Non-BPS students will rank schools during the residency +verification process, which ends on the third Friday of November +or November 15, 2024. +All submitted applications with ranked schools will be processed +at the same time. + +WAITLISTS +Boston Public Schools will create waitlists for the three exam +schools for all entry grade levels. +Students invited to an exam school for SY 2025-2026 will have +eight days from the first day of school to accept or decline their +invitation with the BPS Office of Welcome Services. We +encourage all families to respond to the invitation by the end of +May to ensure all students are assigned in a timely manner. +Students who met the minimum eligibility criteria but did not +receive an invitation to their top-ranked exam school will be +eligible to be placed on a waitlist for any exam school to which +they did not get invited. For all three exam schools, admissions +will only be open for students entering grade 7 and grade 9, as +well as grade 10 only for the O’Bryant school, and waitlists will +only be created for those grades. +Students must have ranked the exam school in order to be +considered for an invitation and be eligible to be placed on the +waitlist. Students who receive an exam school invitation to their +first-choice school will not be eligible to be placed on any waitlist. +Please note that BPS builds in some expected attrition into the +number of students invited to each exam school every year by + + +Page 12: +Superintendent’s Circular ATM-01 +Page 12 of 14 + +assigning more students than seats. As a result, students may +not be called from the waitlist until that expected attrition is +accounted for. +Waitlists will be capped at 100 students for each school and +grade. The ordering of the waitlist will function as a continuation +of the exam school invitation policy. Students will be ordered by +their composite score and random number within their SES Tier. +For students with the same composite score, the random +number will be used as the tiebreaker. +During the invitation process, students are invited to exam +schools through 10 invitation cycles, with approximately the +same number of seats being given out to students from each SES +Tier in each cycle. Once all the invitations have been distributed +for a given school and grade, we will continue to follow the same +process for the purpose of adding students to the waitlist. +The exam school waitlists will be handled separately from the +waitlist process for open-enrollment BPS schools. In other words, +a student can be on an exam school waitlist as well as other BPS +schools. Accepting a seat off a waitlist at a different school will +not affect a student’s place on the exam school waitlist. +BPS will contact families via phone and email as seats become +available at the three exam schools. Families will have up to 24 +hours to accept or decline the exam school waitlist. Please +ensure your contact information is up to date by visiting a BPS +Welcome Center. No exceptions to the 24-hour acceptance +deadline will be made. +The SY25-26 waitlists will remain in effect until November 30, +2025. After that date, the waitlists will expire. Waitlists do not roll +over to future years. + + + +Page 13: +Superintendent’s Circular ATM-01 +Page 13 of 14 + +TRANSFERS +Transfers between the three exam schools are no longer permitted. +Students are not allowed to change their invitation to a different +exam school, or transfer between the exam schools after +matriculation. If a student is interested in moving to a different +exam school for grades 9 or 10, they must reapply through the +formal application process. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES: +October 15 - +November 8, 2024 +Priority residency verification period for non- +BPS families & registration period for the +MAP Growth weekend test +November 11- +November 15, 2024 +Final week of residency verification for non- +BPS families registered for the MAP Growth +weekend test administration +December 2-13 +In-school test administration period +December 7, 2024 +Weekend test administration of MAP +Growth +January 2 - +February 7, 2025 +Marks submitted and certified by sending +school +March 2025 +Application status update sent to all +applicants +April or May 2025 +Admission decision notifications sent to all +applicants + + + + + +Page 14: +Superintendent’s Circular ATM-01 +Page 14 of 14 + + +For more information about this circular, contact: +Owner: +Director of Student Assignment and +Selective Admissions +Department: +Welcome Services +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9085 +Email: +exam@bostonpublicschools.org +Mary Skipper, Superintendent + + diff --git a/data/data_txt/_tokenized_data/_tokenized_text.txt b/data/data_txt/_tokenized_data/_tokenized_text.txt new file mode 100644 index 0000000..e19b6a0 --- /dev/null +++ b/data/data_txt/_tokenized_data/_tokenized_text.txt @@ -0,0 +1 @@ +page 1 superintendent circular number hrs pm09 version 01 cluster substitute performance evaluation cluster substitute teachers teacher assign school year rotate teacher absence position school need daily basis cluster substitute teacher shall give 2 overall performance evaluation academic year appropriate building administrator designee outside bargaining unit evaluation instrument use cluster substitutes attach circular evaluation criteria rating option yes n 1 teach ability convey clear concise instruction focus student achievement content meaningful student accommodate varied need student 2 classroom management accountable classroom environment culture ability effectively deal negative student behavior focused productive face challenge willingness adapt classroom instruction meet need culture school 3 school fit respect opinion create positive relationship administrator teacher school staff student demonstrate interest skill match page 2 superintendent circular hrs pm09 page 2 5 school culture need interact appropriately supervisor colleague parent student 4 summary question use substitute teacher school go forward yes constitute rating meets expectations evaluator provide write comment addition rating date activity january 15 recommend meet cluster substitute teacher discuss performance completion evaluation form 15 complete submit final evaluation form cluster substitutes school june 1 deadline sign original copy evaluation form attach submit bruce c. bolling municipal building office human resources attn performance management team 2300 washington street 4th floor roxbury ma 02119 page 3 superintendent circular hrs pm09 page 3 5 information circular contact director evaluation performance management department office human resources email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent page 4 superintendent circular hrs pm09 page 4 5 boston public schools substitute management department evaluation form substitute bps id school date evaluator title summary question use substitute teacher school go forward ◻ yes ◻ yes constitute rating meets expectations teaching ability demonstrate appropriate knowledge content convey idea information clearly yes na make content meaningful student yes na address multiple varied need classroom student yes na focus achieve result student yes na page 5 superintendent circular hrs pm09 page 5 5 classroom management demonstrate ability deal effectively negative student behavior assume accountability classroom environment culture yes na demonstrate ability deal effectively negative student behavior yes na remain productive focus face challenge yes na display willingness adapt classroom management style meet particular need/ culture school yes na school fit demonstrate skill need development good fit school respect opinion yes na create positive relationship administrator teacher school staff student yes na demonstrate interest skill match school culture need yes na interact appropriately supervisor colleague parent student yes na comment page 1 superintendent circular number eqt-01 version 01 nondiscrimination policy circular remain effect rescind supersede subsequent version boston public schools commit maintain educational environment workplace individual background experience welcome encouraged include flourish aim eliminate form bias bigotry include discrimination base race color age criminal record inquiry physical mental disability pregnancy pregnancy relate condition homelessness sex gender gender identity religion national origin ancestry sexual orientation genetic natural protective hairstyle military status boston public schools resolve prejudice disparate treatment impede learner educator boston public schools tolerate discriminatory behavior include intimidation threat harassment employee student visit learn community retaliatory conduct person report possible bias discrimination inappropriate behavior assist investigation exercise right policy prohibit page 2 superintendent circular eqt-01 page 2 4 conduct violation policy include action include verbal nonverbal communication contribute promote complicit disrupt district inclusive learning working environment derogatory intimidate statement threat act exclusion mistreatment student employee membership association member protect group person telephone postal mail e mail internet posting mean tolerate include statement student member student family employee contractor party support participate district programming policy extend employment educational practice program include recruitment selection admission compensation benefit access learn professional development training extracurricular activity discipline evaluation test reasonable accommodation disability religious practice promotion transfer termination layoff term condition employment education page 3 superintendent circular eqt-01 page 3 4 boston public schools vigorously implement actively enforce policy ensure daily operation characterize fairness respect equity violation policy view misconduct result discipline include termination offending employee expulsion responsible student retaliation person testify assist participate manner investigation proceeding hearing report violation policy similarly view misconduct result discipline include termination expulsion information investigative procedure associate policy detail superintendent circular eqt-02 eqt-05 boston public schools newly print publication e.g. code conduct citywide learning standards curriculum frameworks course selection booklet student parent employee handbook job posting etc student parent teacher non academic employee general public contain follow nondiscrimination notice boston public schools accordance nondiscrimination policy discriminate program facility employment educational opportunity basis race color age criminal record inquiry disability pregnancy homelessness sex gender gender identity religion national origin ancestry sexual orientation genetic natural protective hairstyle military status tolerate form retaliation bias base intimidation threat page 4 superintendent circular eqt-01 page 4 4 harassment demean individual dignity interfere ability learn work information circular contact owner assistant superintendent equity department office equity mailing address 2300 washington st. roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 email bpsequity@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-09 version 01 material distribution procedures circular remain effect rescind supersede subsequent version individual special purchase order delivery material distribution center individual special order deliver user request department head copy purchase order forward distribution center material arrive refuse accept confuse individual order send wrong department freight carrier require schedule delivery distribution center failure notify distribution center make delivery result order refuse especially period august 1 november 15 storage space minimum order ship distribution center attention block indicate person department material ship important stipulate attention address original requisition enter peoplesoft custodial orders custodial requisition submit form develop distribution facilities management department form annual order form list custodial item page 2 superintendent circular fmt-09 page 2 3 authorize delivery school form deliver school annual basis june july second form bi- monthly 2 month short form deliver school bi monthly month large annual form custodian require complete form return distribution center form email warehouse@bostonpublicschools.org fax distribution center 617 635 8581 order regular bi monthly cycle submit approve facilities department custodial area manager required data department head signature shipping location attention require request item miss request delay ship wrong department distribution center 617 635 8745 special requirement problem fax 617 635 8581 email warehouse@bostonpublicschools.org page 3 superintendent circular fmt-09 page 3 3 information circular contact owner executive director facilities department facilities management mailing address 1216 dorchester avenue dorchester ma 02125 phone 617 635 9170 fax 617 635 9252 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-19 version 01 conflict interest law city employee circular remain effect rescind supersede subsequent version attach find copy summary conflict interest law municipal employees outline standard ethic conduct city employee summary prepare issue state ethics commission state entity charge enforce massachusetts conflict interest law m.g.l. c. 268a. copy summary distribute staff school site council member annual basis find link summary conflict interest law staff encourage read familiar law carry obligation honestly fairly action reproach use attachment circular copy staff school site council annually city employee require law sign acknowledgment receipt attach summary hub alternatively employee return sign acknowledgement supervisor submission office human resources page 2 superintendent circular lgl-19 page 2 21 furthermore year current state county municipal employee complete online ethic train state ethics commission new public employee complete training 30 day begin public service year complete program employee print completion certificate copy provide copy completion certificate human resources online training find complete online training program municipal employees | mass.gov specific question employment and/or individual activity conflict interest law direct office legal advisor information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 3 superintendent circular lgl-19 page 3 21 summary conflict interest law municipal employees municipal employee provide summary conflict interest law annually city town employee provide summary conflict interest law municipal employees 30 day hire election annually city town employee require acknowledge writing receive summary summary conflict interest law general laws chapter 268a intend help municipal employee understand law apply summary substitute legal advice mention aspect law apply particular situation municipal employee obtain free confidential advice conflict interest law commission legal division website phone number address municipal counsel provide advice conflict interest law seek prevent conflict private interest public duty foster integrity public service promote public trust confidence service place restriction municipal employee job hour leave public service describe section reference section g.l. c. 268a. commission determine conflict interest law violate impose civil penalty page 4 superintendent circular lgl-19 page 4 21 $ 10,000 $ 25,000 bribery case violation addition commission order violator repay economic advantage gain violation restitution injure party violation conflict interest law prosecute criminally 1 municipal employee conflict interest law purpose time pay municipal employee consider municipal employee conflict interest purpose perform service city town hold municipal position pay unpaid include full- time municipal employee elect official volunteer consultant municipal employee conflict interest law employee private firm municipal employee private firm contract city town employee key employee contract mean town specifically contract service law cover private party engage impermissible dealing municipal employee offer bribe illegal gift town meeting member charter commission member municipal employee conflict interest law page 5 superintendent circular lgl-19 page 5 21 2 job restriction a. bribes ask take bribe prohibit section 2 bribe value corruptly receive municipal employee exchange employee influence official action give offering receive ask bribe illegal bribe illegal gift involve corrupt intent word municipal employee intend sell office agree official act giver intend influence bribe value illegal b. gift gratuity ask accept gift official position official position prohibit section 3 23(b)(2 26 municipal employee accept gift gratuity value $ 50 give influence official action official position accept gift intend reward past official action bring future official action illegal give gift accept gift give municipal position hold illegal meal entertainment event ticket golf gift basket payment travel expense illegal gift give connection official action position worth $ 50 number small gift worth $ 50 violate section page 6 superintendent circular lgl-19 page 6 21 example violation town administrator accept reduce rental payment developer example violation developer offer ski trip school district employee oversee developer work school district regulatory exemption situation municipal employee receipt gift present genuine risk conflict interest fact advance public interest commission create exemption permit giving receive gift situation commonly exemption permit municipal employee accept payment travel relate expense advance public purpose commonly exemption permit municipal employee accept payment cost involve attendance educational training program exemption list commission website example violation fire truck manufacturer offer pay travel expense fire chief trade chief examine kind fire fight equipment town purchase chief fill disclosure form obtain prior approval appoint authority example violation town treasurer attend day annual school feature multiple substantive seminar issue relevant treasurer annual school pay bank business town treasurer treasurer require disclosure sponsor bank official business month page 7 superintendent circular lgl-19 page 7 21 annual school c. misuse position official position entitle entitle prohibit cause thing prohibit section 23(b)(2 26 municipal employee use official position worth $ 50 properly available similarly situate individual similarly municipal employee use official position worth $ 50 properly available similarly situate individual cause thing prohibit example violation time town employee write novel work time office computer direct secretary proofread draft example violation city councilor direct subordinate drive councilor wife grocery store example violation mayor avoid speed ticket ask police officer stop know show municipal i.d. d. self dealing nepotism participate municipal employee matter immediate family business organization future employer financial interest prohibit section 19 page 8 superintendent circular lgl-19 page 8 21 municipal employee participate particular matter member immediate family parent child sibling spouse spouse parent child sibling financial interest participate particular matter prospective employer business organization director officer trustee employee financial interest participation include discuss vote matter delegate matter financial interest create conflict interest large small positive negative word matter lot money involve little matter put money pocket take immediate family business employer financial interest matter participate financial interest direct immediate reasonably foreseeable create conflict financial interest remote speculative sufficiently identifiable create conflict example violation school committee member wife teacher town public school school committee member vote budget line item teacher salary example violation member town affordable housing committee director non profit housing development corporation non profit make application committee page 9 superintendent circular lgl-19 page 9 21 member director participate discussion example planning board member live door property developer plan construct new building planning board member own abut property presume financial interest matter participate provide state ethics commission opinion qualified independent appraiser new construction affect financial interest case require participate municipal employee comply law simply participate particular matter financial interest need reason participate exemption section law appoint municipal employee file write disclosure financial interest appoint authority seek permission participate notwithstanding conflict appoint authority grant write permission determine financial interest question substantial likely affect integrity service municipality participate disclose financial interest violation elect employee use disclosure procedure appoint authority example violation appoint member town zone advisory committee page 10 superintendent circular lgl-19 page 10 21 review recommend change town by- law regard commercial district partner company own commercial property district prior participate committee discussion member file disclosure zone board appeal appoint position board give write determination authorize participation despite company financial interest violation exemption appoint elect employee employee task address matter general policy employee financial interest share substantial portion generally 10 town population instance financial interest real estate tax rate municipal utility rate regulatory exemption addition statutory exemption mention commission create regulatory exemption permit municipal employee participate particular matter notwithstanding presence financial interest certain specific situation permit advance public purpose exemption permit school committee member participate set school fee affect child prior write disclosure exemption permit town clerk perform election- relate function immediate family member ballot clerk election relate function extensively regulate page 11 superintendent circular lgl-19 page 11 21 law exemption permit person serve member municipal board pursuant legal requirement board member specify affiliation participate fully determination general policy board entity affiliate financial interest matter exemption list commission regulation available commission website example violation municipal shellfish advisory board create provide advice board selectmen policy issue relate shellfishe advisory board require member currently commercial fisherman board member commercial fisherman participate determination general policy financial interest common commercial fisherman participate determination financial interest extension individual permit lease e. false claim present false claim employer payment benefit prohibit cause prohibit section 23(b)(4 26 municipal employee present false fraudulent claim employer payment benefit worth $ 50 cause person page 12 superintendent circular lgl-19 page 12 21 example violation public work director direct secretary fill time sheet present work day ski f. appearance conflict act manner reasonable person think improperly influence prohibit section 23(b)(3 municipal employee act manner cause reasonable person think favor improperly influence section 23(b)(3 require municipal employee consider relationship affiliation prevent act fairly objectively perform duty city town fair objective relationship affiliation perform duty municipal employee elect appoint avoid violate provision make public disclosure fact appoint employee disclosure write appoint official example violation developer cousin chair conservation commission file application commission reasonable person conclude chair favor cousin chair file write disclosure appoint authority explain relationship cousin prior meeting application consider violation sec 23(b)(3 g. confidential information improperly disclose page 13 superintendent circular lgl-19 page 13 21 personally confidential information obtain job prohibit section 23(c municipal employee improperly disclose confidential information personal use non- public information acquire course official duty personal interest 3 hour restriction a. take second pay job conflict duty municipal job prohibit section 23(b)(1 municipal employee accept pay employment responsibility second job incompatible municipal job example police officer work pay private security guard town serve demand private employment conflict duty police officer divided loyalty receive pay city town work matter involve city town prohibit act agent attorney city town matter involve city town prohibit pay sec 17 city town entitle undivided loyalty employee municipal employee pay people organization relation matter city town interest matter addition municipal employee act behalf page 14 superintendent circular lgl-19 page 14 21 people organization act attorney people organization town interest act agent include contact municipality person phone writing act liaison provide document city town serve spokesman municipal employee represent personal interest municipal agency board term condition similarly situate member public allow municipal employee apply building related permit behalf pay work permitting agency agency regulate permit agency example violation time health agent submit septic system plan prepare private client town board health example violation planning board member represent private client board selectman request town meeting consider rezone client property municipal employee earn livelihood municipal job municipal employee volunteer time provide service town receive small stipend private attorney provide legal service town need serve position personal private page 15 superintendent circular lgl-19 page 15 21 employment normal work hour recognition need unduly restrict ability town volunteer time employee earn living law restrictive special municipal employee municipal employee status special municipal employee assign municipal position vote board selectman city council similar body position eligible designate special unpaid time employee allow job normal working hour employee pay work 800 hour precede 365 day position designate special person person hold position selectman town 10,000 few automatically special selectman large town special municipal position designate special employee hold position pay act behalf act attorney respect matter municipal board provide officially participate matter matter past year official responsibility example school committee member designate special municipal employee appear board health behalf client private law practice matter participate responsibility school page 16 superintendent circular lgl-19 page 16 21 committee member conflict appear school committee school department behalf client official responsibility matter come school committee case recuse participate matter official capacity example member sit alternate conservation commission special municipal employee town law official responsibility matter assign represent resident want file application conservation commission long matter assign participate b. inside track pay city town directly indirectly second arrangement addition job prohibit exemption apply section 20 municipal employee generally financial interest municipal contract include second municipal job municipal employee generally prohibit have indirect financial interest contract city town provision intend prevent municipal employee have inside track financial opportunity example violation legal counsel town housing authority act executive director page 17 superintendent circular lgl-19 page 17 21 authority pay position example violation selectman buy surplus truck town dpw example violation time secretary board health want second pay job work part- time town library violate section 20 meet requirement exemption example violation city councilor want work non profit receive funding contract city satisfy requirement exemption section 20 job numerous exemption municipal employee hold multiple unpaid elect position exemption apply special municipal employee specific exemption cover serve unpaid volunteer second town position housing relate benefit public safety position certain elect position small town specific situation ethics commission legal division advice specific situation 4 leave municipal employment section 18 a. forever ban leave municipal job work municipality matter work municipal employee participate matter municipal employee pay work matter municipality act page 18 superintendent circular lgl-19 page 18 21 pay purpose restriction bar employee sell private interest familiarity fact particular matter continue concern municipal employer restriction prohibit municipal employee expertise acquire government service subsequent private activity example violation school department employee work contractor contract help draft oversee school department b. year cool period year leave municipal job participate matter official responsibility year public service municipal employee bar year leave municipal employment personally appear agency municipality connection matter authority prior municipal position year leave example assistant town manager negotiate three- year contract company town manager supervise assistant official responsibility contract participate negotiate leave job work company contract award manager page 19 superintendent circular lgl-19 page 19 21 write town connection company work contract year leave town municipal employee participate general legislation expand gaming related matter officer employee acquire financial interest applicant gaming license gaming licensee year public employment cease c. partners partner subject restriction serve municipal employee municipal service end partner municipal employee municipal employee subject restriction conflict interest law municipal employee participate matter official responsibility matter partner act behalf municipality provide service attorney city town relation matter example serve city historic district commission architect review application landmark status building partner architecture firm prepare sign plan owner building act owner behalf relation application landmark status addition architect official responsibility commissioner matter come commission partner page 20 superintendent circular lgl-19 page 20 21 communicate commission act behalf client matter come commission time architect serve commission example town counsel join law firm partner litigate lawsuit town new partner represent private client lawsuit year job town end summary intend legal advice summary mention provision conflict law apply particular situation website http://www.mass.gov/ethic contain information law apply situation contact commission legal division website telephone letter contact information document version 7 revise 20 2022 page 21 superintendent circular lgl-19 page 21 21 acknowledgement receipt summary conflict interest law municipal employees print employee municipal agency department acknowledge receive copy summary conflict interest law municipal employee revise 20 2022 signature_____________________________________date municipal employee complete acknowledgment receipt return individual provide copy summary alternatively municipal employee send email acknowledge receipt summary individual provide copy page 1 superintendent circular number lgl-08 version 01 adherence court order circular remain effect rescind supersede subsequent version purpose memorandum remind boston public schools staff need continue adhere court order enter district court federal state local jurisdiction order force law bind district responsibility administrator staff boston public schools comply term order additionally order arbitrator state agency require compliance head school principal administrator contact office legal advisor question adherence court order provision order information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org page 2 superintendent circular lgl-08 2019 2020 date page 2 2 mary skipper superintendent page 1 superintendent circular number el-04 version 01 title expenditures english learner amended order latino parent et al boston public schools circular remain effect rescind supersede subsequent version table content 1 general information 2 english learner equity requirement 3 general guidelines 4 sample acceptable uses 5 annual reporting title services 1 general information 1992 boston public schools bps parent english learner student els represent attorney multicultural education training advocacy inc. meta enter bind consent decree enforceable use federal court power hold violator contempt court page 2 superintendent circular el-04 page 2 19 compel compliance copy consent decree find office english learners website superintendent circular outline basic component consent decree appropriate title expenditure els provide guideline comply edict consent decree define requirement bps include equitable allocation title fund service need els federal consent decree enforce meta commit bps improve provide equal access program el student refrain discriminate el student relative non els provision title service ensure proportionality provision service percentage title eligible unserve el student exceed percentage non els benefit title fund adjust title school budget staff service annually periodically light change student need provide literacy hilt program el student age 8 22 limited interrupt formal education slife consult involve el parent school additional guidance document consultation follow report annually status title service el student page 3 superintendent circular el-04 page 3 19 note district purchase guideline apply general information purchasing refer superintendent circular fin-07 state guidance use title fund general specific additional requirement pursuant consent decree visit https://www.doe.mass.edu/federalgrants/titlei-a/ contact bps grants department 2 english learner equity requirement portion title 1 resource el student base percentage el population school el equity example school receive $ 100,000 title fund school population consist 25 els $ 25,000 spend benefit els example $ 25,000 el equity spend supplemental service directly solely benefit els bps annual budget collaborative process finance department provide school title allocation identifie school el equity subject spending guideline outline circular school title allocation determine base school percentage direct certify student project enrollment multiply pupil direct certification compliance dese include datum supplemental nutrition assistance page 4 superintendent circular el-04 page 4 19 program snap temporary assistance needy families tanf medicaid enrollment school title allocation el equity separately identify calculate base project enrollment english learner student percentage overall enrollment project student school 3 general guidelines meta consent decree require following 1 individual school determine additional service el student supplement instruction academic language english and/or native language support 2 determination conduct prior spend title fund els school 3 service supplemental solely benefit els tailor meet specific need el student 4 district office english learners monitoring duty meta consent decree oblige ensure compliance legal requirement include work school appropriate revision budget reflect compliance title meta consent decree requirement 5 school annually submit plan spend prior expenditure annual checklist report use title els fund services tailor meet specific need els page 5 superintendent circular el-04 page 5 19 service provide use title el fund need tailor meet specific linguistic cultural socio emotional academic need els need identify need assessment process require consent decree services solely benefitting els title expenditure els require solely benefit els mean instance school desire fund position responsibility position solely dedicated els expectation service provide staff focus el student high need english language development eld level 1 2 vulnerable group student require supplemental service 4 sample acceptable use supplement supplant rule title els fund supplement supplant local state federal resource available require state federal law meet educational need els word title fund place supplant public education service provide law english learner student instead fund supplement requisite education service provide service require example page 6 superintendent circular el-04 page 6 19 funding lunch monitor inappropriate use bps previously cite maintain order lunchroom basic function district title dollar function solely benefit els general classroom supply need everyday classroom instruction e.g. paper notebook white board constitute allowable use fund esl el program classroom supply supplemental nature allowable use fund purchase core curriculum material include core esl material english learner student equally important expenditure supplemental nature violation supplement supplant rule fund service activity els title els fund fund service activity general fund student school example school purchase technology general fund general education classroom generally allowable use title el fund purchase technology english learner program classroom potential allowance technology provide 1:1 basis els student note consent decree allow important exception supplement supplant rule generally expenditure relate high intensity literacy training students page 7 superintendent circular el-04 page 7 19 limited interrupted formal education hilt slife program constitute allowable use title el fund follow table provide list sample acceptable use title els fund important note list exhaustive supplement supplant provision apply additional example post office english learners title els website school leader advise discuss idea use fund title el coordinator title1el@bostonpublicschools.org ensure compliance sample acceptable uses title funds english learners high intensive literacy training student limited interrupted formal education hilt slife program strongly recommend fund title els fund extra learning time outside school day material stipend school summer saturday program tailor specifically meet need els supplementary enrichment accelerate curriculum material els supplementary material include native language resource strengthen core academic program els school supplementary counseling pupil service mentor service els offer student school page 8 superintendent circular el-04 page 8 19 college career awareness program solely els offer student school method assess efficacy implement strategy stipend school monitoring planning meeting els high quality ongoing professional development teacher administrator paraprofessional parent and/or pupil service personnel require gear specifically meet need els increase el parental involvement literacy service consulting strengthen core academic standard school improvement plan meet specific need els assessment fee associate el student obtain seal biliteracy supplemental bilingual paraprofessional class size reason assist slife student exit slife sei content class need continue native language support previous findings non compliance following example inappropriate usage title count el equity percentage esl instruction consider core funding sole esl teacher provide esl els school consider supplanting acceptable page 9 superintendent circular el-04 page 9 19 purpose supplement core esl requirement provide additional esl support provide small group instruction student target els eld level 1 2 funding instructional basic supply copy paper classroom supply notebook chart paper printer cartridge etc basic classroom supply need classroom clear example supplanting similarly title el monie satisfy district minimum $ 1,000 supply budget school minimum supply budget student funding lunch monitor illegal use bps previously cite maintain order lunchroom basic function district title dollar title el fund apply salary general administrative personnel shift position general fund core position title clear indication supplanting appropriate title el expenditure funding position serve school family community outreach coordinator physical education computer music art teacher school wide counselor school wide literacy coordinator school wide paraprofessional parent coordinator liaison consider supplant allowable use fund page 10 superintendent circular el-04 page 10 19 5 annual reporting title service title fund els report annually meta office english learners oel school leader submit title el budget plan 1 budget collaborative january title els budget monitoring checklist june current school year oel title checklist school leader ask verify report service title fund staff provide number student service additional resource supply purchase year title el budget plan future year budget school receive title el budget plan pre populated school title el allocation upcoming fiscal year title el budget plan require school leader identify need assessment undergird planned spending identify category plan spending e.g. staffing supplemental instructional supply contractual service stipend etc school budget collaborative school leader submit el budget plan school budget collaborative consider approve school title el budget plan finalize budget line structure accordingly futureforce school leader encourage schedule appointment el school support liaison support 1 template update feedback stakeholder page 11 superintendent circular el-04 page 11 19 following represent general consideration school leader aid prepare sufficient plan need assessment meta consent decree specifie prior spend title els fund school determination service need school els conduct ensure fund support language development need english learner student schools review multiple datum point identify need english learner student population keep mind english learners constitute monolithic group minimum english learner student access performance progress datum review additional datum review include mcas interim formative assessment datum attendance datum student parent survey school equity roundtable note student individual learning plan slife els meet access benchmark etc ○ schools disaggregate datum different el subgroup e.g. el student disability student limited interrupted formal education newcomer long term english learners etc school leader consult latf el teacher english learner parent develop title el budget plan school leader consider consult english learner student page 12 superintendent circular el-04 page 12 19 consider type good service include title el budget plan school leader consider effectiveness purchase prior title el fund improve el student achievement budgeting fte request esl fte sure minimum esl fte requirement meet general fund submit additional request el title 1 allocation supplemental position fte deliver core esl instruction meet minimum esl instructional compliance identify position primarily serve eld 1 2 student applicable salary benefit need account school leader responsibility ensure fte perform job responsibility approve use title el fund page 13 superintendent circular el-04 page 13 19 budgeting stipend request stipend supplemental el instructional support outside school hour sure staff appropriately qualified e.g. esl license sei endorsement bilingual endorsement instruct els specify nature service provide demonstrate core esl instruction deliver stipend additionally latf duty permit compensate stipend ensure stipend request adhere district policy budgeting contractual services request contractual service professional development sure demonstrate pd provider appropriately qualified provide training english learner instruction pd specific english learner instruction support schools review oel website identify approve professional development target student parent integrate native language cultural learning opportunity school pd offering budgeting supplies materials technology request technology sure technology school non els mandate assessment e.g. access mcas request book instructional material sure indicate supplement requisite core page 14 superintendent circular el-04 page 14 19 curriculum specifically design english learners following provide sample exemplar type rationale need include title el budget plan question supplemental weak rationale text supplemental addition core work strong rationale text provide brief accessible guide textbook content comprehensible els especially el 1 2 student supplement traditional textbook primary source material teach class newcomer student teach curriculum important communicate essential work general education student learn ○ difference differ weak example include detail text classroom demonstrate supplemental use question solely benefit els weak els eld 1 3 strong text allow content accessible especially els eld level 1 3 newcomer student teach curriculum important communicate essential work general education student learn ○ difference differ weak example show non el student benefit page 15 superintendent circular el-04 page 15 19 book els need book help access content narrative question tailor meet need el student weak text esl specific classroom strong visual short chunk text provide comprehensible input student master concept traditional reading topic especially important time period newcomer student consistently express interest learn event event time period supplemental text help student follow narrative ○ difference differ weak example demonstrate text tailor meet language need el student state visual short text title el budget monitoring checklist current year actual spending title el budget plan identify intend use fund title el budget monitoring checklist identify fund actually spend provide rationale demonstrate identify goal title el budget plan previous year meet district spending deadline pass title el coordinator provide school leader checklist document pre populated line item requisition stipend prior close school year school leader review rationale provide time purchase request sign document return title el coordinator page 16 superintendent circular el-04 page 16 19 monitoring compliance district submit school title el budget plan title el budget monitoring checklist meta attorney note event school leader fail comply submission deadline district process purchase request fall school title el budget line compliance meet title el fund denote school department fund 200 budget program code 24xx instance fy23 budget line include bps23150 title program code 24xx e.g. 2401 use fund subject term meta consent decree circular school year title el coordinator title1el@bostonpublicschools.org review requisition purchase e.g. requisition stipend eaes fte budget transfer etc ensure give request meet title el spend guideline align school approve title el budget plan title el coordinator track purchase rationale annual reporting purpose give request include school title el budget plan title el coordinator request additional information school ensure compliance budget finance department process request prior write approval title el coordinator title el coordinator request additional information school year necessary ensure spending remain compliance district reserve right page 17 superintendent circular el-04 page 17 19 implement additional monitoring requirement school year timely spending responsibility centers receive monthly bai financial output report identify balance available title el fund responsibility school leader department head ensure fund spend appropriately timely manner support unique need english learner student effectively ensure appropriate spending unspent title el fund school level allocate office english learners close fiscal year appropriate spend- meta visit request information meta monitor compliance way review title el budget plan end year title el budget monitoring checklists conduct school visit visit meta meet school team review school current project budget title checklist staff qualification information deem necessary comply consent decree schools support office english learners grants department prior visit school personnel receive direct contact meta attorney request information outside context schedule visit direct contact bps office legal advisor legal@bostonpublicschools.org guidance page 18 superintendent circular el-04 page 18 19 key date responsible activity date school leader submit fy25 title el budget plan plan expenditure follow school year title el coordinator approval dec. 2023 jan. 2024 prior budget collaborative oel review approve submit fy25 title el budget plan plan expenditure follow school year dec. 2023 jan. 2024 prior budget collaborative office legal advisor submit annual title report meta january 2024 school leader submit fy24 title el checklist oel grants accounting expenditure current school year june 2024 spend deadline september 2024 applicable 2024 summer spending oel review analyze submit fy24 title el checklist oel grants july 2024 page 19 superintendent circular el-04 page 19 19 resource title english learners website https://www.bostonpublicschools.org/title1el guidance include annually district budget collaborative probable organization guidance document school leader information circular contact owner executive director director grants external funds department office english learners finance department mailing address 2300 washington street boston ma 02119 phone 617 635 9435 617 635 6995 email all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-23 version 01 condom accessibility circular remain effect rescind supersede subsequent version background june 2017 school committee vote revise district wellness policy include provision sexual health education condom accessibility high school goal policy support sexual reproductive health student prevent negative sexual health outcome impact student learning policy establish access information resource student order reduce spread hiv sexually transmit infection sti decrease number unintended pregnancy policy increase access agency bps student care personal health revise policy state massachusetts law mass. gen. laws ch.111 section 24e adolescent seek consent confidential family planning service parental notification family planning service include testing treatment sexually transmit infection hiv birth control option pregnancy testing emergency contraception page 2 superintendent circular shs-23 page 2 10 bps high schools shall provide access free condom appropriate reproductive health counseling student high school grade 9 12 condom accessibility team cat consist minimum school staff member condom available cat high school condom accessible school school base health center boston public health commission bphc health resource centers hrcs parent caregiver exempt student receive condom bps cat notify school complete family information form beginning school year condom opt apply confidential health service policy office health services office health wellness charge enact system practice ensure student access key resource service developmentally appropriate support sexual reproductive health safe supportive environment bps high school possible venue delivery sexual health service 1 bps cat member 2 school- base health center run bphc neighborhood health center provide medical reproductive mental health service include sti pregnancy testing option counseling access contraceptive condom treatment sti comprehensive routine health care 3 school base health resource center hrcs oversee boston public health page 3 superintendent circular shs-23 page 3 10 commission provide individual counseling condom access sti testing treatment gonorrhea chlamydia available annually bps cat member participate appropriate training relate condom accessibility program follow chart summarize service available staffing model location note massachusetts law mass. gen. laws ch.111 section 24e adolescent seek consent confidential family planning service parental notification family planning service include testing treatment sexually transmit infection hiv birth control option pregnancy testing emergency contraception page 4 superintendent circular shs-23 page 4 10 location school base health centers run bphc school base health centers run community health centers health resource centers bps high school cat services clinical setting offer routine health care acute care service include mental health counseling sexual reproductive health care clinical setting offer routine health care acute care service include mental health counseling sexual reproductive health care classroom sexual health education 1:1 education condom availability sti screening treatment referral available free internal external condom oral dam lubricant educational material student opt program product available confidential sexual health referral available student need sexual health care barrier method reduce risk stis lubricant increase effectiveness condom reduce breakage page 5 superintendent circular shs-23 page 5 10 staffing staffed nurse practitioner mental health clinician health educator health coordinator admin assistant staffed nurse practitioners physician assistant team health educators assign 2 high school minimum train school staff member school encourage add cat member increase access point school additional member complete cat training important student receive supply trust care adult include school nurse health teacher train teacher sexual health social worker school counselor family liaison and/or staff able complete training page 6 superintendent circular shs-23 page 6 10 implementation implementation condom accessibility direct office health wellness ohw support integration office health services central individual school level school base implementation high school serve student grade 9 12 condom accessibility team cat consist school staff member school encourage add additional interested staff cat cat shall meet biannually oversee responsibility report wellness council condom accessibility team responsibility participate cat training organize lead office health wellness parent caregiver notify policy guide bps students families option opt student condom accessibility program inform student school additional communication notify parent caregiver school prefer communication channel recommend page 7 superintendent circular shs-23 page 7 10 distribute communication information provide office health wellness brochure poster sticker etc outline condom accessibility program post information advertising cat member student aware program know locate cat member school store condom secure appropriate storage experience extreme low high temperature preserve effectiveness ensure school wellness council update cat functionality school advocate student receive bps comprehensive sexual health education program provide cat team member name office health wellness annually add new team member year document referral provide tracking outline training ensure student confidentiality maintain massachusetts state law ensure parental caregiver opt clearly confidently document nurse electronic health record snap communicate cat member appropriate staff include hrc staff involve condom accessibility page 8 superintendent circular shs-23 page 8 10 note cat member require file 51a reasonable suspicion physical emotional harm abuse base solely age student district base implementation office health services responsibility align condom accessibility process overall health services action plan partnership ohw monitor referral tracking datum snap assess district capacity implement condom accessibility program promote complete cat training partner ohw instructional coach review question concern bring forward cat training promote sexual health service referral resource 211 help step https://www.helpsteps.com/#/ coordinate communicate adolescent community sexual health programming include school base health center office health wellness responsibility include condom accessibility process overall wellness action planning page 9 superintendent circular shs-23 page 9 10 review approve reproductive health material distribute school cat member include material donate community partner community organization interested donate condom material contact office health wellness deliver material school oversee ordering store condom district distribution school coordinate communicate adolescent community sexual health programming include school base health center health resource centers collaborate office health services provide training marketing material implementation tool school technical assistance provide update promotion bps sexual health service referral guide y2connect partnership health services monitor referral tracking datum provide high school system tracking reporting assess district capacity implement condom accessibility program page 10 superintendent circular shs-23 page 10 10 summary significant date deadlines month activity august parental caregiver opt information include family handbook parents caregiver want student receive condom school email submit write intention school principal include school nurse(s communication information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp08 version 01 incentive early notification termination boston teachers union teachers unit circular remain effect rescind supersede subsequent version assist hire 2024 2025 school year boston public schools offer time incentive early notification termination member btu teachers union 1 individual permanent btu teacher minimum 10 year continuous service boston public schools meet minimum age requirement 55 year 2 eligible employee presently pay unpaid leave absence apply complete online application incentive early notification termination submit office human resources application link locate 3 separation agreement complete order office human resources accept application application accept bind party irrevocable 4 applicant understand termination effective june 30 2025 august 31 2025 page 2 superintendent circular hrs pp08 page 2 3 5 applicant ineligible hire time position boston public schools school year 2024 2025 6 applicant understand a. eligible unemployment compensation b. acceptance incentive shall affect right member teacher retirement law 7 application file office human resources close business friday january 10 2025 accept time payment $ 1,500 friday february 28 2025 8 individual plan retire file intent retire form city boston retirement board incentive application replace process note pursuant retirement board policy individual file intent retire 45 day retirement date 9 btu teachers unit employee wish apply incentive early notification termination submit follow google form office human resource application incentive early notification termination summary significant date deadlines application deadline payment friday january 10 friday february 28 page 3 superintendent circular hrs pp08 page 3 3 information circular contact owner employee information department office human resources mailing address 2300 washington street roxbury ma 02119 fax 617 635 7957 email employeeinformation@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-14 version 01 resolution overpayment salaries employee circular remain effect rescind supersede subsequent version multitude daily transaction correction financial payroll component warrant follow process strictly follow overpayment occur 1 transaction identify notification generate payroll unit accounting unit 2 notification state salary overpayment 3 immediate request payback forward individual united states post office and/or email accounting unit 4 finalize transaction employee request return overpay payable city boston boston public schools bank check money order 5 receipt check deposit city treasurer adjustment employee annual wage activate 6 resolution warrant employee page 2 superintendent circular fin-14 page 2 2 substantiate claim support documentation event financial hardship accounting unit review circumstance payment plan recommendation business manager information circular contact owner director payroll department office human capital mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9600 additional question additional question submit hr inquiry ticket beacon find access boston finance- staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-04 version 01 infection prevention control school setting circular remain effect rescind supersede subsequent version schools minimize risk disease transmission student staff awareness simple infection control practice school classroom level modes transmission disease different mode transmission disease spread direct contact indirect contact droplet airborne transmission follow guideline minimize risk mode transmission single important step prevent exposure transmission infection anticipate contact infectious material routine emergency situation base type possible contact responder prepared use appropriate precaution technique prior provide care diligent proper hand washing use barrier appropriate disposal waste product needle proper decontamination measure enhance protection student staff page 2 superintendent circular shs-04 page 2 14 universal standard precaution centers disease control cdc long recommend universal blood body fluid precaution prevent transmission hepatitis b human immunodeficiency virus hiv infection decrease risk exposure responder student possible identify infect individual precaution student universal precaution pertain blood body fluid bloodborne infection precaution apply body fluid material saliva sputum fece tear nasal secretion vomitus urine blood visible material fluid body waste source infection handle infectious utilize precaution basis standard precaution body fluid blood potentially infectious material transmission based precaution cdc recommend transmission base precaution second tier basic infection control addition standard precaution individual infect colonize certain infectious agent additional precaution need prevent infection transmission contact precautions use contact precaution know suspect infection represent increase risk contact transmission proper personal protective equipment ppe page 3 superintendent circular shs-04 page 3 14 include use glove gown interaction involve contact student student environment droplet precautions use droplet precaution student know suspect infect pathogen transmit respiratory droplet generate cough sneeze talk proper personal protective equipment ppe include use mask patient school nurse interaction airborne precautions use airborne precaution individual know suspect infect pathogen transmit airborne route e.g. covid-19 tuberculosis measle chickenpox disseminate herpe zoster proper ppe include fit test niosh approve n95 high level respiratory protection healthcare personnel mask patient respiratory hygiene addition spread bodily fluid infection spread respiratory droplet generate people sneeze cough laugh exhale respiratory hygiene term adopt cdc massachusetts department public health mdph describe measure take decrease risk spread respiratory illness droplet airborne transmission universal respiratory hygiene cough etiquette policy include cover mouth nose tissue cough sneeze page 4 superintendent circular shs-04 page 4 14 disposing tissue wastebasket practice hand hygiene washing cough sneeze elbow hand washing proper hand washing crucial prevent spread infection use run water lather soap friction clean surface hand key rinse run water dry hand paper towel soap water unavailable hand sanitizer hands wash physical contact student contact complete hands wash contact equipment hand skin soil blood body fluid wash immediately touch hands wash glove wear glove remove textured jewelry hand wrist ring stone remove prior washing keep completion care procedure hand rewashe page 5 superintendent circular shs-04 page 5 14 barrier protection barrier include disposable glove protective eyewear gown use barrier intend reduce risk contact blood body fluid caregiver control spread infectious agent student student essential appropriate barrier contact potentially infectious material possible glove wear direct care student involve contact blood body fluid contact urine fece respiratory secretion glove dispose use reuse glove wear change diaper catheterize student change dressing sanitary napkin provide mouth nose tracheal care caregiver break skin hand nail clean spill blood e.g. nosebleed body fluid waste soil supply gown apron wear protect caregiver clothing spatter body fluid possible apron gown launder dispose care session reuse addition protective eye wear mask wear splash body fluid likely occur mouth suctioning care student cough page 6 superintendent circular shs-04 page 6 14 chux waterproof barrier cover work surface drainage splash blood body fluid possible barrier dispose care session reuse disposal waste contaminate supply include glove barrier syrinx needle sharp implement place plastic bag seal bag place second plastic bag seal double bag waste throw garbage reach child animal bodily waste urine vomitus fece dispose toilet needles syrinx sharp object immediately place fda clear sharps disposal container reduce risk accidental needle stick cut needle recap bent remove syringe disposal container seal bring health services central administration disposal large biohazard container health services arrange pickup biohazard waste disposal company proper disposal annually cleanup procedures spill blood body fluid cover standard precaution clean immediately page 7 superintendent circular shs-04 page 7 14 cdc method clean follow wear glove mop spill paper towel absorbent material solution household bleach sodium hypochlorite part water wash area dispose glove soil towel waste sealed double plastic bag garbage outline routine environmental clean procedure facility health room bathroom require modification contamination blood body fluid occur area decontaminate procedure outline regular cleaning surface visibly contaminate potentially infectious material toilet seat tabletop standard cleaning removal obvious soil laundry procedures possible disposable barrier contamination body fluid blood possible sheet towel clothing soil handle little possible wash hot water detergent 25 minute cool water washing acceptable appropriate detergent water temperature page 8 superintendent circular shs-04 page 8 14 pregnant women pregnant woman high risk infection care provider long appropriate precaution observe possibility utero transmission viral infection cytomegalovirus cmv hiv potential adverse outcome certain infection pregnant woman especially careful observe standard precaution general infection control procedures purpose procedure outline establish basic guideline address role staff incident require concern infection control incident include limit bleeding nose sneeze cough uncontrollable urinating sudden bowel movement head school principal shall ensure staff familiar policy provision policy implement classroom teacher shall encourage use class wide respiratory hygiene especially flu season respiratory illness uptick reassure calm student involve hygiene emergency notify school nurse infectious disease concern page 9 superintendent circular shs-04 page 9 14 notify custodian infection control need school nurse shall review infection control procedure annually beginning school year classroom staff assist classroom staff develop hygiene plan appropriate classroom individual student notify health services case possible cluster school custodian shall refer follow step identify superintendent circular fmt-19 clean relate possible infectious bodily fluid bite emergency procedures purpose procedure outline establish basic guideline intend assist student staff encounter human animal bite break skin background information human bite bite common young child usually lead infectious disease concern skin puncture break bacteria introduce wound lead blood bear infection need treat healthcare professional blood bear infection concern biter break skin blood draw biter mouth biter bleed gum mouth sore hepatitis b hepatitis c hiv pathogen concern risk transmission virus low page 10 superintendent circular shs-04 page 10 14 school setting hiv report case transmission school setting biter consider high risk bitee exposure blood wound skin break human bite represent unique set circumstance require individualized response bite episode communicable disease extenuate circumstance episode treat standard precaution heightened sense urgency child communicable disease school nurse responsible guide response work headmaster principal ensure confidentiality maintain background information animal bite animal bite common child behave unpredictably animal normal protective instinct animal bite break puncture skin require immediate medical attention risk bacterial viral infection long animal mouth germ stay wound great risk potential infection require antibiotic animal transmit rabie viral infection infect nervous system mammal bite transmit rabie bite wild animal e.g. bat raccoon skunk fox coyote stray unvaccinate pet dog cat great concern wild animal keep allow visit school page 11 superintendent circular shs-04 page 11 14 suspect animal bite promptly report public health authority health services event animal human bite break skin principal head school shall ensure staff familiar policy provision policy implement classroom teacher shall reassure calm student employ standard precaution evaluate bite notify school nurse immediately student wash area soap water immediately report action take headmaster principal human bite school nurse shall provide aid child bite wash broken skin apply cold compress bruise review know medical information biter bitee know communicable disease issue nurse consult health services administration specific guidance confidentiality respect consultation contact student parent guardian report incident recommend step refer biter bitee primary care provider guidance include follow risk counseling hepatitis hiv testing page 12 superintendent circular shs-04 page 12 14 prophylaxis treatment approach discretion primary care provider family notify health services prior call family know communicable disease issue student liaison primary care provider request parent boundary confidentiality document incident snap student staff member involve staff member file report injury form superintendent circular hrs pp07 worker compensation procedures 7 day animal bite school nurse shall immediately provide aid child bite wash broken skin apply cold compress bruise notify health services prior call parent guardian animal bite break puncture skin need immediate wound care reduce risk infection animal bite report 24 hour contact student parent guardian report incident recommend step refer student primary care provider guidance treatment approach discretion primary care provider family liaison primary care provider request parent boundary confidentiality page 13 superintendent circular shs-04 page 13 14 employee needlestick management needlestick occur gently bleed area wash immediately flush soap water employee needle stick primary care provider risk assessment primary care provider and/or school nurse needle stick represent exposure blood body fluid advisable employee seek management emergency department provide late prophylactic management employee primary care provider able assist health services notify guidance employee complete incident report worker compensation form situation stabilize list terms blood bear infection infectious germ present blood cause disease human communicable disease illness cause infectious agent toxin occur direct indirect transmission infectious agent product infect individual animal susceptible animal human host page 14 superintendent circular shs-04 page 14 14 summary significant date deadlines date activity september 2024 staff universal precaution review school nurse information circular contact owner director office health services department health services mailing address 443 warren street dorchester ma 02121 phone 617 635 6788 fax 617 635 7937 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-11 version 01 scholarships awards honors student circular remain effect rescind supersede subsequent version circular provide procedure make award centrally administer trust benefit individual student superintendent circular fin-12 deal trust benefit school trust list attachment memorandum involve school alice f. casey awards charlotte fellman awards mary dorothea devereaux awards samuel gross davis awards mathematics award mary c. mclaughlin award mary grassa o'neill award elementary school elementary middle school list attach list attach school school k-12 school 1 12 page 2 superintendent circular fin-11 page 2 17 principal head school responsible know eligibility school student scholarship award ensure recipient award appropriately select follow procedure disbursement award submit request chief financial office soon possible later 31 2024 late request process eligibility awards follow page list award level school description award list alphabetical order selection procedures addition criterion specific trust equal opportunity policy apply selection procedure teachers committee teacher recommend nominee head school principal approve nomination(s page 3 superintendent circular fin-11 page 3 17 disbursement procedures provide information require award attach application form letterhead school sign principal head school school eligible award use separate letterhead award submit memorandum chief financial office 31 2024 late submission fund checks send directly recipient address provide school check issue social security number monetary award disburse city boston trust office present award suitable ceremony develop school maintain record receipt award school maintain record receipt student copy submission possible obtain signature maintain date record address method transmittal documentation receipt available request page 4 superintendent circular fin-11 page 4 17 trust awards aznive grace n. aznive casey alice f. casey davis samuel gross davis devereaux mary dorothea devereaux fellman charlotte fellman franklin benjamin franklin georgeanna judson george goldberg jacob goldberg goulston edward j. goulston hoffman ensign david a. hoffman latin latin school prize lawrence lawrence high school lawrence latin lawrence latin school mathematics mathematics award mclaughlin mary mclaughlin morrison helen c. morrison grassa o’neill grassa o’neill trust awards school elementary schools elementary schools alice f. casey page 5 superintendent circular fin-11 page 5 17 charlotte fellman mathematics achievement mary mclaughlin reading mary grassa o’neill mason elementary samuel gross davis tobin k-8 samuel gross davis eliot k-8 jacob goldberg winship elementary mary dorothea devereaux ellis elementary samuel gross davis hale elementary samuel gross davis hennigan elementary samuel gross davis higginson lewis k-8 samuel gross davis j. f. kennedy elementary samuel gross davis trotter elementary samuel gross davis page 6 superintendent circular fin-11 page 6 17 middle schools middle schools mary dorothea devereaux charlotte fellman mathematics achievement mary mclaughlin reading mary grassa o’neill dearborn middle samuel gross davis higginson lewis k-8 samuel gross davis timilty middle samuel gross davis high schools high schools mary dorothea devereaux grace aznive art scholarship franklin medal mathematics achievement mary mclaughlin reading mary grassa o’neill boston latin school samuel gross davis lawrence latin school latin school prize boston latin academy samuel gross davis brighton high anna judson george page 7 superintendent circular fin-11 page 7 17 english high edward j. goulston lawrence high school fund madison park high technical/ vocational high school samuel gross davis o’bryant school mathematics science samuel gross davis helen c. morrison carter school samuel gross davis page 8 superintendent circular fin-11 page 8 17 trust award description aznive art scholarship fund memory grace aznive bps teacher establish 1955 scholarship outstanding senior plan attend art school 617- 635 6769 information casey award honor alice f. casey associate superintendent boston public schools establish 1977 eligibility elementary school student classroom grade 1 5 criterion elementary student demonstrate high degree social academic growth school year show outstanding positive attitude classmate racial ethnic background promote positive spirit integration classroom school community current satisfactory grade conduct effort improved grade class work report card concern student staff participation school activity helpful enthusiastic attitude recognition right award alice f. casey certificate submit submit request chief financial office school letterhead number certificate need devereaux award gift mary dorothea devereaux boston public schools teacher establish 1965 eligibility girl boy graduating class following school high school middle school winship elementary school page 9 superintendent circular fin-11 page 9 17 criterion student result tutelage teacher exhibit exemplary personal development growth character circumstance shall scholastic achievement athletic ability criterion award $ 25 check issue city boston treasury department submit submit request chief financial office school letterhead name address date birth student number social security number recipient fellman award honor charlotte fellman associate director music establish 1984 eligibility graduate eighth grade student middle school k-8 school graduate fifth grade student elementary school criterion outstanding talent positive social attitude classmate racial ethnic background participation musical life school community interest continue music outstanding musical talent helpful enthusiastic attitude classmate award certificate recognition submit submit request chief financial office school letterhead number certificate need franklin certificate gift benjamin franklin eligibility high school criteria high rank scholarship conduct award certificate submit nominating procedure address recipient nomination submit guidance department page 10 superintendent circular fin-11 page 10 17 george scholarship memory anna judson george establish 1923 eligibility graduating senior brighton high school criteria excellence english high education award $ 225 check payable recipient submit submit request chief financial office school letterhead name address date birth student number social security number recipient goldberg trust honor jacob goldberg occasion completion 50 year outstanding service employer w. m. filene sons company trust establish 1962 eligibility member graduate class eliot school criteria leadership quality award $ 400 check payable recipient submit submit request chief financial office school letterhead address date birth student number social security number recipient page 11 superintendent circular fin-11 page 11 17 goulston award memory edward s. goulston establish 1929 eligibility member graduating class english high school criteria deserve pupil high education award $ 250 check payable recipient submit submit request chief financial office school letterhead address date birth student number social security number recipient hoffman scholarship memory ensign david a. hoffman establish 1920 eligibility member graduating class east boston high school criteria scholar nearly combine high attribute student study athletic ability morality award $ 175 check payable recipient submit submit request chief financial office school letterhead address date birth student number social security number recipient page 12 superintendent circular fin-11 page 12 17 latin school prize encouragement scholar boston latin school eligibility student boston latin school criteria excellence scholarship award $ 250 total available check payable student(s submit submit request chief financial office school letterhead address date birth student number social security number recipient lawrence high school fund gift abbott lawrence 1844 eligibility student english high school criteria high rank subject course study award $ 525 total available check payable student(s submit submit request chief financial office school letterhead address date birth student number social security number recipient page 13 superintendent circular fin-11 page 13 17 lawrence latin school fund gift abbott lawrence 1845 eligibility student boston latin school criteria high rank subject literature science award $ 475 total available check payable student(s submit submit request chief financial office school letterhead address date birth student number social security number recipient morrison fund legacy helen c. morrison establish 1972 eligibility student technical high schools criteria assist worthy needy student technical high school fund assist student currently attend technical high school boston scholarship institution high learning award $ 2,525 total available check(s payable recipient(s submit submit request chief financial office school letterhead address date birth student number social security number recipient mary grassa o’neill writing award boston school committee superintendent mary skipper wish award certificate select student recognition achievement writing school request certificate directly program director ela opl@bostonpublicschools.org certificate send directly school school complete certificate distribution select student page 14 superintendent circular fin-11 page 14 17 mathematics achievement award boston school committee superintendent mary skipper wish award certificate select student recognition achievement mathematic school request certificate directly program director mathematics opl@bostonpublicschools.org certificate send directly school school complete certificate distribution select student mary c. mclaughlin read award boston school committee superintendent mary skipper wish award certificate select student recognition achievement reading language art school request certificate directly program director ela opl@bostonpublicschools.org certificate send directly school school complete certificate distribution select student summary significant date deadlines date activity 31 2024 request submit cfo information circular contact page 15 superintendent circular fin-11 page 15 17 owner special assistant chief finance department chief financial office mailing address 2300 washington street roxbury ma 02119 phone 617 635 9485 scan documents finance-staff@bostonpublicschools.org email finance-staff@bostonpublicschools.org mary skipper superintendent attachment application awards form page 16 superintendent circular fin-11 page 16 17 application awards form student receive cash saving bond award submit typewritten list school letterhead information student receive check saving bond social security number title award student student street addres apt city town zip code student date birth page 17 superintendent circular fin-11 page 17 17 student ssn student id number school school street address city town zip code page 1 superintendent circular number oda-03 version 01 guidelines procedures accessing student datum circular remain effect rescind supersede subsequent version overview boston public schools recognize value planning research evaluation work partner organization policymaker great education community improve education office data accountability establish follow guideline processing datum request improve quality timeliness security appropriateness request request handling additionally office data accountability charge protect student privacy confidentiality student datum request evaluate federal state local datum regulation ensure student confidentiality follow data source consider directory information federal state local law give external party explicit consent parent guardian student datum consider directory share member public express consent parent guardian disclosure expressly permit exemption federal state law school share non directory student datum external party page 2 superintendent circular oda-03 page 2 11 member public media outlet common example non directory information share include limit date birth bpsid school request non directory student information direct office data accountability directory information 1 student 2 age 3 grade level 4 date enrollment guidelines procedure accessing student datum publicly available data boston public schools bps massachusetts department elementary secondary education ma dese number dataset report publicly available online submit datum request review appendix datum request include publicly available datum additionally bps department regularly presentation boston school committee appendix link material school committee meeting appendix include follow type datum available public use general datum profile bps student attendance discipline standardized test result school climate student enrollment demographics high school postsecondary page 3 superintendent circular oda-03 page 3 11 school personnel additional report available aspen panorama legal guidelines requesting student data data need meet publicly available report provide bps ma dese appendix able request certain additional datum family educational rights privacy act ferpa massachusetts department elementary secondary education ma dese boston public schools establish regulation maintain family student datum privacy right regulation restrict bps school govern bps provide personally identifiable information family student consent1 additionally individual organization intend use bps student datum research and/or evaluation purpose submit research proposal district research activity include administrative datum sharing place receipt grant fund guarantee approval conduct research bps office data accountability guideline conduct research bps research application find bps website datum request include identifiable de identify 1 exception apply general datum request requirement common exception include 1 district sponsor study improve instruction study 2 evaluation audits federally mandate program audit 3 provision datum appropriate school central office staff school official page 4 superintendent circular oda-03 page 4 11 student level datum write sign agreement require depend scope request office data accountability communicate requester execute appropriate agreement prior share datum request individual student record bps superintendent circular lgl-7 privacy student information student record procedure respond student record requests compliance ferpa state law page 5 superintendent circular oda-03 page 5 11 order determine step datum need category data request level data data request requirements aggregate data de identify aggregate level datum generally available requester explicit parent guardian consent aggregate group contain few 10 student suppress protect privacy gain access datum section process request datum student level administrative data de identify student level administrative datum require current sign non disclosure agreement nda office data accountability student level roster data identifiable student level roster datum require current family consent current sign nda office data accountability page 6 superintendent circular oda-03 page 6 11 request data requester notes bps officials school personnel school leader access identifiable individual student datum student school academic year enrol school teacher access identifiable individual student datum student teach academic year researcher research request research proposal process bps school- community partners bps deeply value recognize school community partnership key strategy collective effort ensure student achieve success college career life datum important tool partner effectively collaborate school strengthen service student partner collect access datum student school community partner fully register partnerbps complete registration partnerbps include registration program partner run bps partnership bps school information partnerbps registration process find partner active parental consent obtain individual identifiable datum student request fall ferpa exception furthermore partner sign non disclosure agreement district receive datum school community partner agreement school include memoranda understanding page 7 superintendent circular oda-03 page 7 11 contract service and/or school base partnership agreement provide submit data request typical school community partner datum request include student demographic quarterly attendance course grade consented enrol student medium medium request bps communications office agency outside bps agencies receive aggregate level de identify datum aggregate group few 10 student suppress protect student privacy process request datum receive datum accord guideline list request submit office data accountability data request form preparation complete form following information available purpose use request datum intended audience share datum analysis note depend nature datum request datum appropriate share public summary datum request describe detail datum request include school year student population student attribute datum scope note request datum specific group page 8 superintendent circular oda-03 page 8 11 student bps student id number state assign student id number provide request id number fulfil submit form requester receive automatic confirmation email analyst clarify question reach requester 3 5 business day oda endeavor fulfill non research request 15 business day high volume complex request dictate long turnaround time attempt fulfill partner datum request execute nda 15 business day attempt fulfill research request fully execute nda 25 business day plan accordingly submit data request office data accountability reserve right deny certain datum request ► request medium bps communications office communication reach 617 635 9265 communications@bostonpublicschools.org ► public record request submit city boston online public records center fees datum request datum request incur fee dependent size time require scope request receipt data request office data accountability communicate requester provide fee estimate applicable additional information circular contact page 9 superintendent circular oda-03 page 9 11 owner senior executive director department office data accountability mailing address 2300 washington street boston ma 02119 phone 617 635 9450 email rc069@bostonpublicschools.org mary skipper superintendent page 10 superintendent circular oda-03 page 10 11 appendix publicly available datum overview boston public schools bps glance facts figure boston district profile ma dese bps school profiles ma dese data reports produce office data accountability school committee meetings materials standardized test result mcas result school district option disaggregate subgroup grade level parcc result school district option disaggregate subgroup naep result access result student enrollment indicators attrition enrollment grade number student grade enrollment kindergarten enrollment kindergarten enrollment race gender percent public school student race gender enrollment selected population number percent public school student subgroup language english flne english language learners ell student disabilities high need low income enrollment student disabilities cvte mobility rate report student transfer public school district state page 11 superintendent circular oda-03 page 11 11 student attendance report student retention report student discipline student discipline datum report student safety discipline report ssdr student discipline days missed report student discipline days missed report school climate reports find bps website high school postsecondary data advanced placement participation number student take advanced placement exam subject advanced placement performance number student receive possible score advanced placement exam subject dropout report report provide percentage massachusetts public high school graduate drop high school graduate attend high ed graduates attend high ed graduation rates percent student graduate regular high school diploma 4 5 year student group masscore massachusetts high school program studies masscore intend help state high school graduate arrive college workplace prepare reduce number student take remedial course college plan high school grad sat performance page 1 superintendent circular number lgl-20 version 01 corporal punishment circular remain effect rescind supersede subsequent version principal head school remind staff use corporal punishment school strictly forbid boston school committee policy massachusetts state law g.l. c. 71 37 g provide power school committee teacher employee agent school committee maintain discipline school property shall include right inflict corporal punishment pupil b provision section shall preclude member school committee teacher employee agent school committee reasonable force necessary protect pupil person assault pupil assault occur principal shall file detailed report school committee c board education shall promulgate regulation use physical restraint student regulation shall preclude teacher employee agent school reasonable force protect pupil person assault pupil set forth section b page 2 superintendent circular lgl-20 page 2 2 regulation shall require training personnel authorize administer form restraint regulation shall provide procedure notification department parent corporal punishment include limit following slapping hit student pull student arm shoulder etc push student location forcibly cause student sit grasping student body staff restrain student protect student person assault use force reasonably necessary repel attack violation policy law result disciplinary measure result filing abuse and/or criminal charge information circular contact owner office legal advisor director department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number scp-01 version 01 school community partner circular remain effect rescind supersede subsequent version bps deeply value essential role school community partners play collective effort eliminate opportunity achievement gap advance goal provide bps student family equitable access high quality partner opportunity create coherence alignment understanding complex extensive partnership landscape bps require implementation partnerbps www.partnerbps.org policy bps school bps school community partners policy statement school community partner provide service bps school register update information annually partnerbps partnership platform bps require school- community partners fully register approve partnerbps platform provide service school definition school community partner school community partner organization group page 2 superintendent circular scp-01 page 2 5 coalition intentionally collaborate boston public schools provide ongoing direct service bps student staff family and/or member school community broad definition encompass variety group include community base organization college university business corporation hospital government agency cultural institution nonprofit non governmental organization faith base organization implementation procedures schools a. school principal school leader head school and/or school staff member designate principal head school identify school community partners provide service school building start school year www.partnerbps.org website agreement contract scope work outline service provide expectation side partner pay partner school responsible enter requisition partner begin provide service school provide requisition number partner boston public school employee list authorize enter contract vendor include limit contract agreement memorandum understanding grant partnership agreement expenditure bind district payment service good include purchase service good $ 10,000 b. additional school community partners begin work school site school year designate school staff ensure partner register page 3 superintendent circular scp-01 page 3 5 agreement enter www.partnerbps.org service begin c. school designee ensure current school- community partners register partnerbps august 31st upcoming academic school year d. school leader designee require new partner broker school year register partnerbps begin service school e. school leader designee review partnerbps school partnership profile annually verify rate partnership list profile review verification rating conduct june 30 end school year f. schools use partnerbps resource access broker partner opportunity help student family identify access partner opportunity implementation procedures school community partner school community partners fully register approve partnerbps.org provide type service bps school order school community partners consider fully register complete step organization registration program registration partnership registration instruction tutorial information register partnerbps find https://partnerbps.org/help-school- community partners/. register school community partners update page 4 superintendent circular scp-01 page 4 5 partnerbps profile september 30 provide service school update include registration school partnership upcoming year update current information organization program profile completion question add school community partnerships team process school community partners work partner school establish school base partnership agreement upload partnerbps.org addition annual update school community partners regularly monitor profile information date minimum review necessary revision complete november 1 april 1 school year school community partners require aware follow guideline outline guide school community partners appropriate authorize bps staff reserve right deny approval partner meet basic safety quality standard set forth bps include find guide school community partners implementation monitoring support a. office family community advancement partnerships team approve and/or follow register partner registration completion additional information require registration approval grant team contact administrator respective partnerbps account information page 5 superintendent circular scp-01 page 5 5 b. partnerships team provide partner school ongoing partnerbps technical assistance support site addition support resource available online https://partnerbps.org/help-school-community- partners/. information circular contact owner director partnerships department office family community advancement mailing address 2300 washington street roxbury ma 02119 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-24 version 01 overnight field trip guidelines circular remain effect rescind supersede subsequent version important note guideline impact covid-19 restriction subject change base public health international security emergent issue impact travel date information guidance contact opl@bostonpublicschools.org assistance guidance superintendent circular provide instruction implement field trip policy pass boston school committee november 20 2019 circular read superintendent circular cao-22 general guidelines procedure field trips additional guideline outline principal head school and/or district department sponsor trip responsible ensure field trip policy procedure outline circular adhere principal head school and/or district department lead sponsor trip program leader page 2 superintendent circular cao-24 page 2 80 review complete checklist circular sign checklist keep file school district department overnight field trip domestic trip school ground involve student participation overnight overnight field trip form submit principal head school 12 week advance approve principal head school form include sign cao-24 checklist form file school overnight field trip request form list student name emergency contact number grade d.o.b list chaperone name role school community itinerary applicable train flight information send district notify district trip plan 4 week advance scan email overnight field trip request form information appropriate principal/ leader department global education follow ensure documentation receive overnight field trip checklist  review superintendent circular cao-22 general guidelines procedure field trips  field trip idea preliminarily approve writing principal head school district department sponsor trip prior distribution informational material propose trip student page 3 superintendent circular cao-24 page 3 80 parent guardian prior fundraising detailed preparation consult principal head school potential chaperone student recruitment  review superintendent circular fse-05 medical emergency management saf-04 incident data reporting release important safety protocol department global education resource question risk management overnight field trip  select site investigate appropriateness site relation category field trip  select date alternate date note check principal head school teacher staff ensure trip schedule date interfere important test religious holiday class work planning process thorough planning maximize affordability fundraising effort recommend overnight trip plan month advance role program leader lead chaperone program leader description program leader bps employee lead chaperone organizing lead trip program leader lead chaperone bps employee organizing lead trip chaperone approve principal head school district department sponsor trip program leader responsible page 4 superintendent circular cao-24 page 4 80 ensure guideline cao-22 cao-24 follow keep principal head school district inform trip development program leader responsible complete overnight field trip request form accompany document submit principal head school approval program leader responsible organize chaperone team student team pre departure meeting  school nurse guidance counselor consultation approval field trip program leader consult school leader determine type medical assistance need participate student ensure accessibility step crucial place field trip secure additional question consult health services department additionally thoroughly support student participation field trip consult necessary receive training school nurse student medical need week departure long international overnight field trip program consult school counselor mental behavioral health need student medical mental health condition sure doctor aware essential participation criterion location trip write letter indicate child safely attend participate trip activity document file key permission slip medical form  overnight field trip form complete submit overnight field trip request form accompany document obtain official consent page 5 superintendent circular cao-24 page 5 80 principal head school execute trip principal head school approve trip send copy request itinerary support document department global education  mindset planning organization preparation critical successful experience participant trip planning itinerary development ensure major aspect health safety student inclusion security address diligence program leader able articulate informed manner decision source inform decision making question appropriateness activity consult principal head school department global education  school file create school file house important document overnight field trip request form attachment student roster student permission slip medical form sign document include incident report incident log fire safety plan document keep file current fiscal year plus additional year trip occur  communication share trip detail list teacher nurse staff member plan accordingly o trip overview purpose o destination o date trip o student name page 6 superintendent circular cao-24 page 6 80 o chaperones name role school community  documentation prepare distribute parental authorization overnight field trip form medical information form student traveler behavior contract student support overnight programs medication administration form participate student chaperone preparedness safety medical form chaperone applicable prepare distribute notarized parent guardian airline travel consent form airline travel company require research particular trip apply  meeting conduct pre departure student meeting discuss trip educational purpose goal conduct expectation itinerary healthy travel logistic program lengthy overnight program cao-25 additional student meeting topic conduct parent guardian meeting family family review purpose trip itinerary review sign permission form review logistic travel share medical safety information note plan family need translation service meeting student serve parent guardian translator meeting parent guardian unable attend meeting chaperone bps employee sure speak parent guardian telephone person trip prior take student overnight trip document personal contact record page 7 superintendent circular cao-24 page 7 80 safety preparedness  travel advisories warnings head school superintendent reserve right cancel field trip include day departure manage risk  insurance international insurance district provide medical coverage international domestic bps sponsor trip domestic 100 drive mile away home place study employment bps student bps staff participant chaperone serve primary source medical insurance case hospital visit require student require pay pocket reimburse later family want budget case expense insurance policy include cancellation trip interruption insurance trip cancel interrupt reason medical cancellation interruption traveler get sick injure traveler immediate family sick injure death student family need proof sickness injury sickness injury disable cause cancel interrupt trip sickness death family member need proof save receipt flight lodge reimbursement purpose claim form need fill family need know advance trip cancellation $ 2,000 limit trip interruption $ 2,500 limit superintendent reserve right cancel trip reason time safety purpose cancel reason insurance cfar page 8 superintendent circular cao-24 page 8 80 provide district trip participant purchase cfar insurance protect trip investment  training recommend chaperone include program leader hold valid cpr aid certification aid ensure availability aid kit verify emergency medical information contact detail  chaperone ratios overnight trip student to- chaperone ratio 7:1 chaperone minimum recommend chaperone reserve backup identify event chaperone long able participate minute leave field tour guide employee party vendor contract help operate trip consider chaperone factor student chaperone ratio  transportation school bus bps approve transportation vendor vehicle transport student field trip athletic event regardless trip pay privately own vehicle vehicle non approve vendor ride share transportation service uber lyft lease van utilize transport student field trip athletic event case bona fide emergency refer trn-03 cao-22 information regulation field trip transportation  water activity trip involve activity water contact department global education approval 16 week advance page 9 superintendent circular cao-24 page 9 80 separate mandatory procedure trip involve water review cao-27 contact department global education immediately  healthy traveler sure student recent current school year doctor visit physical exam prior departure student staff current immunization vaccination include relate location travel traveler consult primary care doctor visit center disease control website information stay healthy travel http://wwwnc.cdc.gov/travel/. student medical condition sure doctor write letter indicate child safely attend participate trip activity chaperone criteria  chaperone recruitment program leader consult principal head school potential chaperone student recruitment program leader lead chaperone bps employee authorize chaperone include parent guardian require 21 year age old parent trip operate role chaperone chaperone approve head school principal effort student access field trip experience chaperone representative student group chaperone include male female selection approval chaperone page 10 superintendent circular cao-24 page 10 80 principal head school base individual thorough knowledge rapport student participant choose chaperone team purposefully wisely consider strength adult trip chaperone clear role  non bps chaperones authorized chaperone include parent volunteer require 21 year age old non bps employee chaperone submit yearly cori sori authorization form office human capital complete ecori form online contact bps office human capital ohc cori check confirmation support principal head school lead chaperone responsible submit authorization form ohc allow chaperone activity cori sori clear non bps employee chaperone field trip cover liability boston public schools program leader sure chaperone include non bps chaperone familiar bps code conduct district school- base rule  bps parent chaperones chaperones parent guardians bps student trip provide level care attention student participant bps chaperone child attend participate school attend program child bps student grade age range participate student case bps parent page 11 superintendent circular cao-24 page 11 80 chaperone responsible incur cost associate child participation chaperone complete chaperone agreement form non bps employee chaperone field trip cover liability boston public schools refer cao-22 additional chaperone criterion student accessibility participation  essential criteria program leader principal head school shall work establish essential participation criterion trip inform student parent activity risk associate itinerary activity trip location determine accommodation modification need student successfully safely participate portion trip  recruitment student enrol boston public schools participate field trip student participant permit leave group visit friend relative etc rejoin group student remain group time field trip advertise student school particular grade class subject club program associate trip regardless financial situation school shall reasonable effort instructional field trip affordable student student ability pay criterion field trip participation trip advertise student school page 12 superintendent circular cao-24 page 12 80 particular grade class program associate trip regardless financial situation  accommodation student english learner status 504 plan and/or ieps deny access field trip status ability responsibility school ensure accommodation normally provide student indicate educational plan available field trip include medication superintendent circular shs-8 information medical dispensation field trip participate student iep 504 plan shall available staff coordinate and/or participate field trip student medical mental health condition sure doctor aware essential participation criterion location trip write letter indicate child safely attend participate trip activity document file key permission slip medical form  inclusivity program leader consider student demographic select field trip location site activity specifically determine impact location site activity diverse population student color el student student identify lgbtq community student disability minority field trip experience student belong group experience marginalization location visit program leader 1 work prepare student sensitive experience 2 ensure program safe page 13 superintendent circular cao-24 page 13 80 inclusive student consult department global education resource need  inclusive rooming program leader principal head school shall work transgender gender nonconforme student provide accommodation include room affirm student gender identity ensure safety program leader work student family sure travel document airline ticket passport reflect legal name list government issue identification unofficial document material reflect student preferred view additional rooming guideline office equity bps student parent require sign bps student traveler family agreement form student conduct participate bps sponsor field trip participation field trip deny student demonstrate disregard policy rule bps school prior field trip parent guardians student aware policy advance communicate process involve child participate field trip  student dismissal follow investigation program leader consultation principal head school central office staff determine student conduct overnight trip pose risk safety group long manageable bps staff field district reserve right request arrangement page 14 superintendent circular cao-24 page 14 80 student return home district reserve right request family assume responsibility portion cost associate child return student subject disciplinary action provide opportunity formal hearing school level return school document parent guardian consent policy prior trip student dismiss overnight field trip student parent guardian notify advance agree meet student airport agree destination parent guardian reachable student principal appropriate school- base point contact notify agree meet student airport agree destination student age 16 accompany flight chaperone student age 16 fly unaccompanied chaperone accompany student airport ensure student check flight age requirement subject specific airline train bus guideline cost assume regard responsibility parent guardian  attendance provision advance student attend trip stay school applicable provide alternative arrangement and/or comparable activity student attend trip unable participate portion trip student family elect child attend field trip reason child penalize grade attendance form indicate page 15 superintendent circular cao-24 page 15 80 student physically absent school building field trip participate school sponsor program conduct school ground note important know document student time pre departure confirmation check week prior trip  develop transportation plan mode transportation travel time cost etc applicable sure note child travel field trip departure pick location  review student medical form school nurse school counselor ensure document complete support student health trip note nurse counselor clear student travel provide chaperone guidance support student travel consult necessary receive training obtain write comment school nurse counselor student express medical need e.g. medication asthma allergy etc  trip 100 drive mile distance ensure student valid medical insurance cover program record detail insurance medical information form page 16 superintendent circular cao-24 page 16 80 week prior field trip  contact field trip site ensure necessary arrangement place  collect complete sign parental authorization overnight trip medical information medication administration form participate student chaperone ensure copy form itinerary submit principal head school contact department global education informed consent template tailor trip share family  necessary collect notarized parent guardian airline travel consent form  hold chaperone team meeting distribute trip responsibility review student team  review student permission slip medical form prepare question follow family school nurse  lead chaperone record name chaperone chaperone supervise chaperone carry list  chaperones organize buddy system pair student safety purpose page 17 superintendent circular cao-24 page 17 80  lead chaperone prepare trip binder chaperone trip section list binder content  notify appropriate principal leader department global education overnight travel plan scan email overnight field trip request form week advance weeks prior field trip  applicable inform food service manager attendant name student go trip date time field trip  verify arrangement include transportation reception site  contact parent guardians telephone person review final detail travel verify emergency medical safety information contact detail sure family copy child permission medical form trip itinerary contact detail  notify consult principal head school department global education trip plan change original field trip request communication plan  domestic overnight trip principal head school designee emergency contact program leader notify event medical page 18 superintendent circular cao-24 page 18 80 emergency emergency event department global education resource question safety trip support insurance support claim prior departure program leader receive emergency contact information  phone service coverage program leader cell phone coverage duration trip communication bps family event emergency cell phone time contact case emergency possible location arrange communication plan department global education program leader carry phone number principal head school sponsor district department department global education require anytime emergency  district communication codify clear communication plan principal head school sponsor district department prior departure check phone text email arrival 48 hour itinerary significantly change expect lose cell email coverage departure safe return check phone incident page 19 superintendent circular cao-24 page 19 80 definition communication type expectation green communication immediate concern program leader notifie principal arrival departure change itinerary loss connectivity highlight program photo check daily text phone email yellow communication yellow reportable situation event threat life limb eyesight potential severe emotional trauma incident manage effectively field program leader devolve critical incident require attention bps staff program leader 1 notifie principal 2 document incident soap report 3 monitor 4 update bps staff red communication critical violent time sensitive incident illness injury event result loss potential loss life limb eyesight require immediate response program leader 1 notifie principal 2 alert local medical assistance and/or law enforcement 3 document incident soap report 4 monitor 5 update bps staff  communication family student night travel ensure transportation departure location set remind student bring travel document answer minute student family question set expectation communication travel chaperones student traveler page 20 superintendent circular cao-24 page 20 80 principal family family know 24/7 case emergency field trip program  day trip attendance leave current list student attend trip principal head school applicable record specific bus number driver leave information principal head school share chaperone age appropriate student  team safety believe condition unsafe unhealthy point trip program leader responsibility adjustment interest group individual safety consult principal head school department global education trip question trip safety  conduct safety reviews student field follow topic review student  program leader conduct fire safety assessment fire drill fire prevention safety instructions arrive new accommodation share chaperone team assessment prepare orientation fire drill  share evacuation plan emergency plan discuss student emergency discuss student separate group activity page 21 superintendent circular cao-24 page 21 80  ensure student list key address hotel chaperone information emergency information copy travel document share stay room number applicable reach trip  conduct country orientation conduct cultural expectation set expectation phone usage social medium especially critical emergency  conduct safety orientation service learn project team work construct alter and/or repair structure include paint decorating agricultural project chaperone support program provider conduct safety orientation beginning activity student debriefs reflections  conduct morning briefing review day itinerary key information ask answer question  conduct afternoon and/or evening debriefing review day itinerary gather feedback process day learning necessary adjustment engage student conversation help process experience help break stereotype return deep understanding culture country visit draw connection page 22 superintendent circular cao-24 page 22 80 experience home lesson learn translate home check ins student supervision  conduct frequent check in chaperone team assess programming student dynamic adjustment  conduct frequent check ins student behavioral physical health ability process trip experience  conduct nightly bed check sure student room designate time stay hotel hostel sure request advance student place near chaperone  establish curfew clear guideline ensure door open student congregate evening adult stay close conduct frequent expect unexpected room check mindful romantic relationship student  conduct regular frequent headcount buddy check day leave student student accompany chaperone schedule activity age appropriate approve parent guardian advance unaccompanied scheduled structured activity student page 23 superintendent circular cao-24 page 23 80 group know reach adult chaperone document chaperone carry trip binder time close hand include follow document program leader carry original form chaperone carry copy permissions slip update base contact verification family medical information form medical administration form student family conduct agreement form parental waiver applicable notarized airline consent form applicable copies passport visa resident card travel relate document emergency action plan eap insurance information bps field guide protocol emergency phone number fire prevention safety information incident report blank and/or complete witness report form blank and/or complete incident investigation log blank and/or complete page 24 superintendent circular cao-24 page 24 80 soap note blank and/or complete list address emergency contact country traveler water activity form applicable program leader carry original permission slip medical form chaperone carry copy document leave principal head school cao-24 circular checklist permissions slip update base contact verification family student family conduct agreement form parental waiver applicable medical information form medical administration form notarized airline consent form applicable copies passport visa resident card travel relate document emergency action plan eap insurance information fire prevention safety information international program incident report blank reference water activities forms applicable page 25 superintendent circular cao-24 page 25 80 field trip mandatory ensure student safely return parent family arrive destination follow expectation set prior trip student pick arrival location  medical follow depend travel location prescribe travel medication student family trip remind student continue prescribed travel medication additionally remind student inform parent guardians doctor immediately feel trip inform doctor recent travel  incident report applicable file follow incident report field trip suggested  write thank note  present school family community experience  conduct relate creative and/or analytical project showcase student learning  write news article trip local newspaper website  email story journal picture trip department global education page 26 superintendent circular cao-24 page 26 80 information circular contact owner chief teaching learning department department global education mailing address 2300 washington st. roxbury ma 02119 phone 315 601 0292 email opl@bostonpublicschools.org mary skipper superintendent attachment 1 overnight field trip request form 2 emergency action plan 3 parental authorization overnight field trip 4 medical information form 5 medication administration form 6 notarized parent guardian airline consent form 7 overnight programs incident report 8 overnight programs witness report 9 overnight programs incident log 10 fire prevention safety instructions 11 bps student traveler family agreement form 12 bps chaperone agreement form page 27 superintendent circular cao-24 page 27 80 overnight field trip checklist sign checklist retain copy file submit original school office filing signature indicate read understand policy circular follow checklist trip planning trip implementation process complete school program leader date signature principal head school date sponsor district department page 28 superintendent circular cao-24 page 28 80 cao- 24 acknowledgement form sign checklist retain copy file submit original school office filing attach complete request package signature indicate read understand policy circular follow checklist trip planning trip implementation process complete school signature program leader date signature principal head school date sponsor district department page 29 superintendent circular cao-24 page 29 80 overnight field trip request form form submit principal head school keep file school office addition notify appropriate network superintendent department global education plan week advance fax email pdf follow document 1 overnight field trip request form sign principal head school 2 day- day trip itinerary 3 student roster d.o.b grade emergency contact number 4 applicable flight train itinerary email ensure document receive party school information school date submit trip overview number student number chaperones supervision maximum ratio 10:1 chaperone minimum student disability ratio staff student ratio mandate iep class page 30 superintendent circular cao-24 page 30 80 field trip category destination date trip overview trip educational purpose accommodation lodging information accommodation address phone number page 31 superintendent circular cao-24 page 31 80 program provider information work company organization partner program provider program provider contact person program provider telephone number program email itinerary attach detailed day day itinerary page 32 superintendent circular cao-24 page 32 80 program leader program leader lead chaperone role school program leader phone prior trip program leader phone trip program leader email chaperones roles school/ phone numbers field trip attach separate sheet necessary role phone email page 33 superintendent circular cao-24 page 33 80 staff permit drive student privately own vehicle vehicle non approve vendor lease vehicle transport student field trip case bona fide emergency staff use vehicle risk legally liable refer trn-03 regulation field trip transportation student participant attach student roster include legal d.o.b grade emergency contact phone transportation information method transportation transportation company bus transportation bps approve vendor regardless trip pay trn-3 list contact information phone address departure location time return location time applicable attach detailed train flight information page 34 superintendent circular cao-24 page 34 80 funding source total cost $ funding source grant number bedf account code description approve principal head school sponsor district department date signature indicate policy outline cao-22 cao-24 overnight field trip follow page 35 superintendent circular cao-24 page 35 80 emergency action plan eap procedures call 911 field trip leave injured person adult present 1 remain calm help operator receive information 2 dial 911 remember need access outside line 3 role boston public schools 4 need paramedic 5 exact address 6 person state type location injury injury 7 person year old 8 person locate north south east west facility 9 call telephone number 10.(name meet ambulance 11 hang ask information repeat answer question dispatcher hang phone information correct verify page 36 superintendent circular cao-24 page 36 80 12 wait person ems arrive 13 paramedic care person arrive chaperone accompany injure student ambulance remain student parent guardian arrive 14 head school appointee department global education assist contact necessary district personnel insurance provider file overnight program incident report overnight incident log principal head school phone number principal leader department safety services 617 635 8000 department global education additional phone numbers page 37 superintendent circular cao-24 page 37 80 parental authorization domestic overnight field trip assumption risk waiver release indemnity hold harmless agreement program leader access require assumption risk waiver release indemnity hold harmless agreement template copy template document edit text red share director global education document review director global education bps legal share parent guardians signature document requirement bind legal document question contact department global education page 38 superintendent circular cao-24 page 38 80 medical form overnight trips general information important note student new unfamiliar situation travel critical form complete thoroughly accurately good position possible support child indicate x like schedule meeting program leader trip discuss child medical mental health participate domestic overnight trip copy student current school year physical examination record file school order participate overnight field trip travel internationally student visit primary care doctor prior travel current immunization vaccination u.s. addition recommend immunization vaccination location country(s visit complete parent guardian bps student page 39 superintendent circular cao-24 page 39 80 student information student date birth country origin parent guardian cell home work email home address parent guardian cell home work email home address page 40 superintendent circular cao-24 page 40 80 emergency contact 1 relationship student address cell work email emergency contact 2 relationship student address cell work email page 41 superintendent circular cao-24 page 41 80 medical form overnight trips student health question important note complete parent guardian bps student month advance trip 1 primary care physician contact information case emergency 2 health insurance provider policy contact information case emergency 3 insurance provider claim instruction procedure case emergency 4 student follow health condition and/or allergy bps aware 5 physical health condition 6 behavioral mental health condition e.g. depression anxiety etc 7 allergy food medication insect plant animal etc page 42 superintendent circular cao-24 page 42 80 8 student take follow medication include counter herbal and/or prescription bps aware sure complete medical administration form 9 medication take need basis specify symptom condition medication take time give 10 factor make advisable child follow limited program physical activity i.e. asthma recent surgery heart condition fear etc yes specify way wish program limit student asthma attach asthma action plan medical form 11 activity itinerary child 12 yearly physical student currently physician medical professional care e.g. social worker therapist etc yes detail reason page 43 superintendent circular cao-24 page 43 80 13 yearly physical student physician medical professional e.g. social worker therapist etc care anytime year yes detail reason date treatment 14 list hospital treatment center surgical psychiatric urgent care visit year specify date reason physician professional see length stay 15 additional information bps aware concern student health page 44 superintendent circular cao-24 page 44 80 authorize release information give chaperone school staff order coordinate service understand chaperone consult school nurse student health strong position support child program student signature 18 year age date parent guardian signature student date 18 year age ▪ necessary attach doctor letter form ▪ necessary attach asthma action plan form ▪ necessary attach diabetes action plan form ▪ necessary attach copy document student shot immunization form page 45 superintendent circular cao-24 page 45 80 medical form overnight trips medication administration send essential medication student trip student 1 medication time(s take reason medication effect aware information 2 medication time(s take reason medication effect aware information page 46 superintendent circular cao-24 page 46 80 3 medication time(s take reason medication effect aware information 4 medication time(s take reason medication effect aware information additional information special instruction page 47 superintendent circular cao-24 page 47 80 authorize child medication trip student signature 18 year age date parent guardian signature student date 18 year age page 48 superintendent circular cao-24 page 48 80 travel consent form page 1 party agreement parent/ legal guardian hereinafter refer parent guardian physical address contact detail child hereinafter refer child birthdate travel guardian(s contact detail hereinafter refer traveling guardians address contact detail page 49 superintendent circular cao-24 page 49 80 notarized parent guardian airline travel consent form page 2 1 authorize child travel travel guardian following destination 2 period travel shall 3 prove impossible notify parent/ guardian change travel plan emergency unforeseen circumstance arise authorize travel guardian authorize travel plan 4 travel guardian sole discretion discretion shall unreasonably exercised deem advisable special travel arrangement child return home unforeseen circumstance arise accept responsibility additional cost shall incur 5 indemnify travel guardian claim whatsoever howsoever arising save claim arise negligence gross negligence willful intent specify period travel consent 6 declare legal custodian child legal authority grant travel consent travel guardian child 7 inconsistent context word signify singular shall include plural vice versa page 50 superintendent circular cao-24 page 50 80 notarized parent guardian airline travel consent form page 3 sign day 20 signature parent/ guardian signature witness 1 signature witness 2 witness signature independent person list travel consent form day 20 undersigned authority personally appear prove satisfactory evidence identity wit person(s name(s sign attached document sign presence official notary signature notary typed printed stamp commission expire page 51 superintendent circular cao-24 page 51 80 student support domestic overnight programs form recommended note form complete student intend participate overnight program information confidential program leader well understand support need student program foreign country student prepare international program think follow question respond honestly possible order support 1 nervous 2 excited 3 scare trip location activity itinerary page 52 superintendent circular cao-24 page 52 80 4 new environment anxious 5 new environment upset 6 order learning benefit experience need page 53 superintendent circular cao-24 page 53 80 domestic overnight programs incident report incident report yellow red incident fully describe investigate soap note a. complete field school s date report country incident date time report chaperone b. complete applicable field victim(s name(s contact information suspect(s name(s contact information witness(s name(s contact information location event address page 54 superintendent circular cao-24 page 54 80 domestic overnight programs incident report page 2 c. nature incident check apply  injury  equipment fail  behavioral/ psychological  illness  miss separa- te person  natural disaster  physical assault  sexual assault  theft  property damage  sexual harassment  fatality  crime  political upheaval  disease outbreak  bps code conduct violation  d. narrative fact describe happen page 55 superintendent circular cao-24 page 55 80 domestic overnight programs incident report page 3 e. activity time incident check apply  class time  service  homestay  travel  fieldtrip  camping  hike jog walk  swimming  water activity  f. contributing factor check apply  disclose medical form  sports recreation  animal insect plant  pre existing condition  alcohol drugs/ medication  motor vehicle  weather terrain  pre course info  orientation/ training  political/ cultural/ language  page 56 superintendent circular cao-24 page 56 80 domestic overnight programs incident report page 3 g. action take details aid type i.e. medication cpr etc emergency evacuation visit medical facility facility doctor pa nurse reported diagnosis medication prescribed emergency contact person notify ☐ yes ☐ date time contact note page 57 superintendent circular cao-24 page 57 80 g. action take details department global education dge contact ☐ yes ☐ date time dge contacted note insurance contact ☐ yes ☐ date time contact claim note local authorities notify ☐ yes ☐ date time notified organization authority name(s note page 58 superintendent circular cao-24 page 58 80 g. action take details follow plan detail signature reporting chaperone date file overnight incident programs report accompany report document local law enforcement medical professional and/or international programs witness report email possible soon circumstance permit turn original report dge soon return boston incident report require witness signature possible signature impact participant page 59 superintendent circular cao-24 page 59 80 domestic overnight programs incident report page 6 witness signature date signature impact 1 date 2 date 3 date 4 date page 60 superintendent circular cao-24 page 60 80 domestic overnight programs witness report witness shall use form provide statement observation accompany incident report form witness statement phone number address description incident believe content statement true signature date page 61 superintendent circular cao-24 page 61 80 domestic overnight programs investigation log template running note investigation event time location party involve source information page 62 superintendent circular cao-24 page 62 80 event time location party involve source information signature investigator date page 63 superintendent circular cao-24 page 63 80 soap note soap note live documentation health relate incident require monitoring and/or evacuation soap note attach corresponding incident report subjective patient tell note chief complaint(s objective vital sign general survey patient assessment think go diagnosis present medical professional anticipated problem page 64 superintendent circular cao-24 page 64 80 plan test order medication prescribe follow need report chaperone date file soap note accompany report document local law enforcement medical professional and/or international programs witness report email possible soon circumstance permit turn original report dge soon return boston page 65 superintendent circular cao-24 page 65 80 fire prevention safety practice overnight programs fire safety plan overnight international program differ procedure set school law regulate fire prevention differ exist massachusetts step follow overnight international program 1 conduct fire prevention assessment program leader conduct fire safety prevention assessment fire prevention safety form attachment 24 hour arrival fire prevention safety form program leader shall formulate plan evacuation person trip event fire emergency plan shall include alternate mean egress create consultation accommodation staff person applicable party provider 2 prepare chaperone team fire prevention strategy base result fire prevention safety form program leader ensure staff member receive understand fire prevention landscape instruction fire drill procedure create accommodation question review include a. good mean egress case fire consider room student staff stay page 66 superintendent circular cao-24 page 66 80 place group congregate use hotel post evacuation route applicable b. designate meeting point meeting point safe distance building easy group identify locate c. responsible student attendance take chaperone ratio permit lead chaperone assign group serve contact person emergency personnel d. hazard student chaperone aware e. happen case miss person 3 review prevention strategy student conduct fire drill lead chaperone chaperone team review fire prevention strategy conduct fire drill walkthrough student 24 hour trip conduct fire drill walkthrough important participant unfamiliar building instruction fire drill accommodation different plan drill vary regardless accommodation critical procedure place evacuate building chaperone know responsibility student participate fire drill page 67 superintendent circular cao-24 page 67 80 walkthrough person know meeting location evacuate building note fire drill define walkthrough route group exit premise event emergency general instruction evacuate immediately use elevator fire evacuation student walk designate meeting location outside building quiet orderly manner sure student know possible exit area student know meeting location outside building fire drill plan ensure adequate procedure emergency evacuation student staff disability staging location student staff disability sure hotel hostel personnel aware chaperones responsible student supervision attendance page 68 superintendent circular cao-24 page 68 80 evacuation building person person shall enter building authorization lead chaperone lead chaperone fire drill procedure establish command procedure evacuation 4 conduct post fire drill debrief fire drill chaperone team set aside time debrief record response attachment a. page 69 superintendent circular cao-24 page 69 80 fire prevention safety assessment form accommodation complete return file form document mandate legally document keep file current fiscal year plus additional year field trip occur building program leader date safety prevention assessment s titles staff consult assessment accommodation staff/ program provider staff outside building list possible hazard area accommodation access fire department emergency team  yes  page 70 superintendent circular cao-24 page 70 80 inside building equipment building fire alarm ☐ yes ☐ fire sprinkler ☐ yes ☐ yes locate adequate lighting corridor ☐ yes ☐ clear exit sign ☐ yes ☐ fire alarm pull station ☐ yes ☐ fire alarm pull station visible accessible ☐ yes ☐ fire extinguisher ☐ yes ☐ yes smoke detector corridor room participant stay ☐ yes ☐ hazard list potential fire hazard site notable fire hazard open fire door accumulate trash block corridor lock exit door block page 71 superintendent circular cao-24 page 71 80 stairway burn exit light miss break fire equipment ☐ yes ☐ means evacuation egress facility evacuation plan room sure conduct fire drill walkthrough develop plan leave room ☐ yes ☐ means egress primary exit alternate exit ☐ yes ☐ note location fire drill walkthrough plan record note page 72 superintendent circular cao-24 page 72 80 post drill debrief date time fire drill student chaperone follow procedure fire drill ☐ yes ☐ base debrief inform student finding adjustment necessary conduct fire drill safety review drill complete sign signature program leader page 73 superintendent circular cao-24 page 73 80 bps student traveler family agreement domestic overnight travel overview positive behavior key expectation student participate domestic international travel opportunity positive behavior reflect trustworthiness respect responsibility ambassadorship service participant expect fully participate follow program guideline behave appropriately ensure high quality learning experience parent guardians read contract carefully student sign student signature contract seal commitment follow behavior expectation lead school trip student trip understand acceptance trip prior departure guarantee allow attend access school handbook include bps school rule bps code conduct know responsibility follow bps rule guideline set administrator chaperone attend mandatory pre departure meeting complete mandatory paperwork violate bps code conduct page 74 superintendent circular cao-24 page 74 80 distribute consume alcohol drug include edible and/or encourage action bps code conduct law pack illegal inappropriate item i.e. item violation bps code conduct include limit weapon alcohol edible drug paraphernalia compliant guideline set school administrator chaperone program expectation require material complete project journal service hour know act appropriately violate rule consequence action consequence include limit allow participate international trip program trip violate bps code conduct ask help adult need treat peer adult people utmost level respect purchase distribute consume illegal inappropriate item i.e. item violation bps code conduct include limit weapon alcohol edible drug paraphernalia substance legal state foreign country legal age foreign country page 75 superintendent circular cao-24 page 75 80 use social medium responsibly trip post communicate information student emergency abide establish curfew sleep assign bed sleep location night vandalize property venue visit hotel tour bus tourist site homestay location obey bps dress code suggest attire foreign country specific site location foreign country visit share medication trip medication prescribe doctor require recommend medical use abroad e.g. malaria pill asthma inhaler prescription anxiety depression leave group time specifically authorize practice good common sense respect consideration property understand responsible keep passport important belonging travel document safe understand partake illegal activity abroad result arrest understand issue kind arise chaperone address issue decision final page 76 superintendent circular cao-24 page 76 80 know act appropriately violate rule consequence action consequence include limit send home parent guardian expense parent guardians/ student age 18 old fully understand follow condition student international travel bps 1 bps code conduct apply field trip follow investigation program leader consultation principal head school central office staff determine student conduct overnight trip pose risk safety group long manageable bps staff field district reserve right request arrange student return home district reserve right request family assume responsibility portion cost associate child return student subject disciplinary action provide opportunity formal hearing school level return 2 student dismiss overnight field trip behavior violate bps code conduct participate domestic overnight trip student parent guardian notify advance agree meet student airport agreed- destination parent guardian reachable student principal appropriate school base point contact notify agree meet student airport agree destination student age 16 accompany flight page 77 superintendent circular cao-24 page 77 80 chaperone student age 16 fly unaccompanied chaperone accompany student airport ensure student check flight age requirement subject specific airline train bus guideline cost assume regard responsibility parent guardian 3 parent student sign contract and/or agreement party company vendor acknowledge outside company protocol procedure differ bps policy procedure family especially aware cancellation refund policy bps responsible money pay party vendor 4 bps reserve right cancel trip time trip destination impose immediate risk student cancel instance family notify immediately family page page 78 superintendent circular cao-24 page 78 80 program leader page student guardian statement understanding read understand bps student traveler family agreement form understand expect prospective student traveler feel parent guardian student commit expectation parent guardian print parent guardian signature date phone number student print student signature date phone number student return page program leader page 79 superintendent circular cao-24 page 79 80 bps chaperone agreement form form complete chaperone bps sponsor field trip submit program leader lead chaperone school destination departure date return date chaperone agree abide follow code conduct order participate bps sponsor field trip safety responsibility understand safety safety participant extremely important field trip agree safety priority agree conduct manner promote safety safety time understand maintain student safety require student supervise and/or chaperone time student engage field trip activity overnight international field trip understand nighttime curfew room check student morning wake call student responsibility agree follow bps policy protocol guidance bps staff field page 80 superintendent circular cao-24 page 80 80 drug alcohol policy understand bps code conduct prohibit student possess selling and/or distribute following domestic international field trip alcohol marijuana non prescribed control substance imitation control substance inhalant intoxicant control drug paraphernalia unauthorized possession use distribution counter medication selling prescription drug code prohibit use tobacco product include e cigarette hookah paraphernalia vapor cigarette understand prohibition apply student regardless age understand forbid use visibly possession tobacco presence student understand use drug include alcohol weapon strictly prohibit field trip chaperone printed chaperone signature date page 1 superintendent circular number fse-04 version 01 bomb threat procedures circular remain effect rescind supersede subsequent version bomb threat falsely report existence incendiary explosive device simulated real offense punishable imprisonment 20 year and/or fine $ 10,000 event bomb threat building administrator exercise responsible judgment authority keep mind responsibility safety student staff 1 fact 2 follow procedure outline develop accordance policy boston public schools boston police department bomb threat procedures receipt bomb threat principal head school building administrator instruct act accordance follow procedure telephone bomb threat 1 take use attached bomb threat report form attachment record information form available main telephone(s school complete immediately report threat page 2 superintendent circular fse-04 page 2 11 building administrator copy bomb threat report form submit incident report 2 boston police department 911 report incident bomb threat 2nd 3rd note conversation 911 operator 3 department safety services boston school police 617 635 8000 4 operational superintendent 5 alert staff school internal communication method ref superintendent circular fse-1 school safety contingency plan tier containment procedures visually survey room office suspicious package unusual observe immediately report information building administrator update boston police 911 unusual actually find designate member school safety team responsible survey unsupervise common area internal external survey bell class hold search complete 6 event suspicious package device find a. report sighting building administrator immediately b. touch handle object c. use way radio d. turn light touch switch e. loud noise minimum page 3 superintendent circular fse-04 page 3 11 f. restrict use telephone urgent business g. people area h. evacuate school building police department fully charge action precede announcement provide specific evacuation route follow incident manner evacuation signal give fire alarm bell intercom runner 7 suspicious package device find appropriate safe mode procedure follow class change bpd bomb squad arrive evaluate situation doubts evacuate 8 police department assist person charge building search bomb incendiary device appropriate school personnel assist necessary 9 police department assist advise person charge building resumption regular school schedule activity operational leader safety office notify decision 10 send complete incident report 24 hour incident department safety services attach copy bomb threat report form note incident reporting form attach reference page 4 superintendent circular fse-04 page 4 11 electronic received email website person access threat shall 1 save message system delete message 2 911 3 notify department safety services boston school police 617 635 8000 4 notify operational superintendent 5 print copy message turn police require evacuation entry procedures principal head school building administrator develop specific evacuation entry plan individual building c.f superintendent circular fse-01 school safety contingency plan copy plan include school contingency plan procedural plan include following 1 instruction office staff proper procedure answering documenting reporting telephone call 2 method notify staff student emergency condition 3 method leave building fire drill procedure follow special attention give identify assembly point recommend locate 300 yard building evacuate page 5 superintendent circular fse-04 page 5 11 suspect bomb area staging assembly area search designate staff member prior send people area 4 specific plan special need physically impair student 5 supervision student classroom teacher time outside building prior planning local police authority school require extra police surveillance supervision outside school 6 control entry building include supervision student enter insure potentially dangerous object bring building procedure utilize conjunction school safety contingency plan page 6 superintendent circular fse-04 page 6 11 information circular contact owner director department safety emergency management mailing address 205 townsend street boston ma 02121 phone 617 635 9122 email operations department- heads@bostonpublicschools.org mary skipper superintendent attachment a. bomb threat report form b. bomb threat procedures c. suspicious package device d. warning notice post page 7 superintendent circular fse-04 page 7 11 attachment bomb threat report form describe caller voice  male  female  angry  excite  calm  speak educate  stutter  lisp  rapid  slow  raspy  deep  soft  loud  incoherent  irrational  foul  cry  disguise  nasal  distinct  slur  accent  tape  familiar  message read caller voice familiar sound like exact wording threat question ask 1 bomb go explode 2 right 3 look like 4 kind bomb page 8 superintendent circular fse-04 page 8 11 5 cause explode 6 place bomb 7 building 8 address 9 background sound  street  animal sound  pa system  static  voices  music  motor  house noises  local  long distance  office machinery  phone booth time date length number receive remarks receiver title attachment b bomb threat procedures page 9 superintendent circular fse-04 page 9 11 1 stay calm 2 obtain information caller record bomb threat form 3 boston police 911 provide police dispatcher available information 4 activate school site incident control team 5 superintendent office 617 635 9057 6 administrator determine evacuation containment appropriate 7 evacuate determine appropriate evacuation route advise staff accordance school safety contingency plan internal communication method 8 announce bomb scare use know code communicate situation staff 9 bomb threat report form evacuate 10 recommend student staff assembly point(s 300 yard building evacuate bomb threat 11 doubt evacuate ref suspicious package device attachment c suspicious package device page 10 superintendent circular fse-04 page 10 11 1 stay calm 2 boston police 911 provide police dispatcher available information 3 touch handle object 4 use way radio 5 turn light touch switch 6 loud noise minimum 7 restrict use telephone urgent business 8 secure location 9 activate school site incident control team 10 evacuate determine safe route building occupant 11 communicate situation procedure follow evacuation staff accordance school safety contingency plan internal communication method ref bomb threat procedures attachment d page 11 superintendent circular fse-04 page 11 11 post boston public schools warning crime disruptive educational process pull false fire alarm bomb threat addition accidental injury death firefighter student staff member result penalty false alarm imprisonment year fine $ 100 $ 500 m.g.l. c. 269 s. 13 penalty bomb threat imprisonment year and/or fine $ 10,000 m.g.l. c. 269 s. 14 page 1 superintendent circular number amt-04 version 01 grade level placement requirement circular remain effect rescind supersede subsequent version boston public schools establish grade level placement requirement grades k-12 detailed grades k0 1 boston public schools establish follow age requirement entrance kindergarten program grade 1 grade level age september 1 k0 3 k1 4 k2 5 1 6 student 6 year old september 1 june 30 believe appropriate request waiver register k2 instead grade 1 request place prior registration accompany early education provider recommendation request interim executive director early childhood tdias@bostonpublicschools.org 617- 635 9701 exception policy page 2 superintendent circular amt-04 page 2 8 grades 2 8 follow requirement effect grade 2 8 school include early education centers early learning center grade age september 1 2 7 3 8 4 9 5 10 6 11 7 12 8 13 case student register boston public schools document proof successful completion current grade student present documentation assign school 30 day reporting school recommend change student grade placement school leader submit grade level change request form school superintendent operational leader approval processing welcome services grade age assignment boston public schools structure provide supportive environment student able grow academically socially bps understand student learn differently need appropriate adjustment curriculum ensure learn pace foster success teacher train adjust page 3 superintendent circular amt-04 page 3 8 curriculum additional recommendation student classroom grades 9 12 student new bps assign grade base age student aware school shift grade level enrollment assign school transcript review school counselor student disability place accordance grade level indicate iep student recently attend school u.s. u.s. territory current transcript welcome services assign student indicate age september 1 general education lep eld 1 5 14 16 grade 9 15 17 grade 10 16 18 grade 11 17 18 grade 12 19 21 refer engagement center 22 student recommend adult education age range dependent minimum age take account consideration student retain start academic journey old age home country student sufficient documentation clearly display completion grade 11 place grade 12 page 4 superintendent circular amt-04 page 4 8 student enter high school present prior school record assign school 30 day reporting information maximum age policy revised maximum age assignment enrollment policy grade level advancement regression family emancipate student contest grade level placement grade age assignment process follow welcome center newcomers assessment counseling center nacc student assess school school recommend change student grade placement school leader submit grade level change request form school superintendent operational leader approval processing welcome services 30 day student report school period academic term semester school team1 determine particular student benefit grade level change exceptional advancement regression base condition present registration period school leader request grade level change complete grade level change request form submit school superintendent operational leader approval processing welcome services change complete end mark period 1 school base team compose content teacher english learner special education faculty base student instructional program page 5 superintendent circular amt-04 page 5 8 information circular contact owner director student assignment special admissions department welcome services mailing address 2300 washington street 2nd floor boston ma 02119 phone 617 635 9010 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 6 superintendent circular amt-04 page 6 8 grade level change request form directions find description criterion evidence need fill form page 8 criteria grade level change documentation rationale require recommendation 1 grade level placement contest grade age assignment process follow registration form complete 30 day student report school 2 school recommend grade level change student exceptional advancement regression base condition present registration period form complete end mark period 3 grade level change request form approve school superintendent operational leader approval welcome services process request 4 student retain level elementary middle high school 5 grade level change require new school assignment send administrator contact update receive administrator 6 english learner recommend grade level change evidence provide language proficiency student family inform agreement change page 7 superintendent circular amt-04 page 7 8 evidence options 1 request meet bps district guidance term attendance academic achievement intervention demonstrate student work grade assessment school narrative attach 2 student special education program student iep specifically writing exempt certain provision promotion policy iep attach 3 student english learner evidence transcript review parent communication show agreement recommendation document file student eld folder page 8 superintendent circular amt-04 page 8 8 grade level change request form student school student id current program eld level sn code purpose request  grade progression  grade regression parent guardian inform request options evidence meet request change yes option 1 option 2 option 3 signature send school leader date signature school superintendent operational leader date review approval welcome services space available yes ☐ ☐ direction page 6 7 option description list page 7 page 1 superintendent circular number fin-20 version 01 manage stipend circular remain effect rescind supersede subsequent version use budget office /stipends reference document guide initiate online stipend request definition stipend work union position btu basas guild stipend work consist activity distinct separate individual job extension ○ example stipend work include staff training contractual pd saturday evening school teacher stipend work perform period time constitute normal workday basas staff perform school day hour year prior eligible stipend definition stipend work managerial positions schools page 2 superintendent circular fin-20 page 2 13 stipend work consist activity distinct separate individual job extension school base managerial employee receive stipend contractual school day 223 complete stipend work perform period time constitute normal workday stipend activity outside job description managerial employee stipend opportunity managerial employee school post school talented authorize stipend request individual leadership position tiers d f submitter require attach following request supervisor write approval sign superintendent memo email approve work definition stipend work managerial positions central office stipend work consist activity distinct separate individual job extension stipend work perform period time constitute normal workday managerial employee central office eligible receive stipend post office human capital stipend activity outside job description managerial employee central office managerial employee apply stipend post talented page 3 superintendent circular fin-20 page 3 13 office human capital connect ohc staffing manager interested post stipend opportunity talented authorize stipend request individual leadership position tiers d f submitter require attach following request supervisor write approval sign superintendent memo email approve work definition stipend work school leader stipend work consist activity distinct separate individual job extension stipend work perform period time constitute normal workday school leader stipend activity outside job description school leader order school leader receive stipend post talented stipend request submit sign memo superintendent definition stipend post stipend work offer individual school accordance policy school committee specifically work distribute equitably base demonstrate competence qualification school stipend opportunity post staff posting internal school long non- page 4 superintendent circular fin-20 page 4 13 managerial employee school opportunity apply email school staff appropriate method post ohc budget ask proof post time stipend authorization request refer ps08 submit school base managerial staff apply school internal posting eligible school base stipend opportunity post talented central office department stipend opportunity post posting office human capital central office managerial employee apply stipend post talented office human capital authorization tools stipend authorization request sar request authorization work start submit week prior day work sar summer work submit end sar submit work start submitter require provide explanation request pay certification request refer ps09 request payment work complete submit later week work complete spc submit work start submitter require provide explanation request page 5 superintendent circular fin-20 page 5 13 schedule authorization department head principal plan advance request sar time sar submit week work start case summer work stipend request late submitter write explanation prompt online system sar summer work submit end pay certification request submit later week work end pay certification request need process paycheck june submit wednesday prior pay period end date addition budget collaborative probable org schedule december february allow additional time sar approval submit week work start authorization process stipend work authorize advance office human capital budget office authorization budget hc receive approve sar work start department head independent authority authorize stipend work department school responsible inform employee pay certification request submit page 6 superintendent circular fin-20 page 6 13 payment review stipend guidance submit sar pay certification request additional guidance stipend process find budget office resources stipend page workflow stipend 1 stipend work opportunity post internally school talented central office individual choose perform work 2 secretary department head designee originate stipend authorization request sar a. submitter employee receive stipend b. submitter complete authorization process individual flag include follow i. tier c d e f managerial employee require approval department head division lead submit sar ii school leaders iii employee outside submitter department iv submitter provide explanation late request 3 principal department head give level approval 4 hc review confirm item approval process selection section additional detail ohc approval process page 7 superintendent circular fin-20 page 7 13 a. submitter recipient stipend b. opportunity post appropriately c. employee eligible receive stipend d. superintendent memo submit stipend school leader 5 payroll review confirm employee eligible receive stipend 6 budget review confirm guideline approval a. fund available budget cover expense b. stipend funding information correct budget year c. stipend allowable grant fund 200 d. commitment letter include description work staff member stipend attach stipend authorization request form sar reimbursable grant stipend e. hour work include stipend $ 5,000 individual f. budget director approve stipend $ 10,000 individual 7 department school regularly monitor stipend request approval status update page 8 superintendent circular fin-20 page 8 13 8 secretary department head designee inform employee work start 9 time sheet maintain school department subject periodic audit 10 department head principal monitor completion quality work 11 work end 12 secretary department head designee submit pay certification wednesday pay period end date 13 payroll process pay certification request check follow payroll guidelines a. confirm fund prior end date 14 stipend pay employee supplement regular paycheck note employee list eform stipend pay pay period warning notice appear try add additional stipend hold payment employee pay process pay certification request page 9 superintendent circular fin-20 page 9 13 budget guidelines stipend overtime payment pay account 51202 stipend authorization requests sar departments responsible track original budget 51202 sar approval issue original budget contact financial analyst question available fund stipend sar approval encumber fund funds report 51202 fund appear available pay certification pay funds report depend available account 51202 track stipend stipend request track department stipend tracker template find single stipend payment $ 5,000 individual fill hourly rate portion sar eform stipend pay certification requests process stipend pay certification requests fund available budget expense line possible issue partial payment stipend pay certification requests work complete employee pay page 10 superintendent circular fin-20 page 10 13 work end early pay stipend end date form leave note explain stipend pay certification request stipend pay grant stipend payment grant funding source need work grant time period stipend pay work begin start date grant continue grant end date stipend grant allowable grant responsibility school department ensure comply grant guideline reimbursable grant stipend attach commitment letter include description work staff member stipend stipend authorization request form sar process selection departments ensure activity cover overtime stipend request meet conform definition list circular departments expect internally post advertise opportunity ensure individual receive disproportionate share overtime stipend assignment page 11 superintendent circular fin-20 page 11 13 stipend managerial employee central office receive posting office human capital departments expect select qualified individual selection equitable way departments ensure work complete satisfactory way issue authorization payment timesheet require work overtime stipende hour timesheet stipend overtime retain central location department 7 year office human capital inquire department sure specifically conform guideline procedure single cumulative payment thresholds circumstance single payment individual sum payment fiscal year individual meet threshold table additional approval requirement page 12 superintendent circular fin-20 page 12 13 single cumulative stipend non autonomous school approval process central office approval process great equal $ 5,000 depend situation stipend authorization hold hc budget approval step question require submit hour work hourly rate stipend amount $ 5,000 individual depend situation stipend authorization hold hc budget approval step question great equal $ 10,000 budget director approval require submit stipend authorization amount $ 10,000 individual fill hourly rate portion stipend authorization eform send email explain reason exceed threshold financial analyst budget office budget director approval require submit stipend authorization send email explain reason exceed threshold financial analyst budget office additional approval necessary autonomous school submit single cumulative stipend great equal $ 5,000 page 13 superintendent circular fin-20 page 13 13 stipend threshold single cumulative payment list impact regular differential payment employee formal extended learning program regular differential academic coach athletic coach regular differential lead teacher regular payment instructor formal summer school acceleration academies regular inclusion buyback payment employee use certification teach classroom use budget office /stipends reference document guide initiate online stipend request information circular contact owner chief finance department budget office mailing address 2300 washington street roxbury ma 02119 phone 617 635 9000 email finance-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number eqt-04 version 01 transgender gender nonconforming student nondiscrimination basis gender identity circular remain effect rescind supersede subsequent version circular set guideline school district staff create culture transgender gender nonconforme student feel safe support fully include meet school obligation provide educational opportunity student aim achieve inclusion transgender gender nonconforme student maintain student right privacy bias based conduct discrimination harassment massachusetts law boston public schools bps require classroom program activity employment practice free bias discrimination basis sex sexual orientation gender identity responsibility school district ensure transgender gender nonconforme student safe school environment policy procedure bps bullying prevention intervention plan superintendent circular sss- page 2 superintendent circular eqt-04 page 2 8 18 information safety transfer district superintendent circular amt-07 report bias discrimination harassment base person actual perceive gender identity gender nonconformity handle manner report bias base conduct student employee party allege violate policy eqt-04 investigate address accord protocol detail superintendent circular eqt-02 bias base conduct students families parties names pronouns massachusetts individual adopt different appear birth certificate additional legal documentation require school staff honor student request choose affirm student family look update appear official school record complete change student information form gender change request update relate gender identity contact bps welcome services update relate gender identity note process legal change affect record keep bps student request change school personnel shall effort consistently use student choose state pronoun student remain school follow gender transition important develop plan ensure use choose state page 3 superintendent circular eqt-04 page 3 8 pronoun school base staff strongly encouraged contact office equity additional support process privacy confidentiality student record massachusetts law information student assign birth sex gender transition change associate transition medical mental health treatment relate gender identity relate information individual student record information massachusetts student records regulations 603 cmr 23.00 student record confidential keep private secure limited circumstance authorize school personnel require information provide administrative teaching counseling nursing service student performance official duty authorize school personnel include limit individual principal school nurse classroom teacher(s social worker and/or guidance counselor student new school choose affirm birth consider private information disclose authorization provide massachusetts student records regulations student previously know school and/or school record birth school personnel use student choose school personnel disclose information reveal student transgender status gender nonconforming presentation include parent school personnel legally require safety reason student and/or guardian authorize disclosure page 4 superintendent circular eqt-04 page 4 8 transgender gender nonconforme student right discuss express gender identity expression openly decide information share student 14 year age old enter ninth grade consent disclosure information student record student 14 ninth grade student parent authority decide disclosure student record matter extent school legally require use student legal gender school record document effort shall update student record student choose circulate record student birth record student birth shall keep confidential information student record regulations superintendent circular lgl-07 restrooms locker rooms change facility accordance massachusetts law student entitle access restroom locker room change facility consistent student gender identity transition process school leader designee student parent guardian applicable shall address student access restroom locker room change facility situation need address base particular circumstance student school facility case school leader designee shall clear page 5 superintendent circular eqt-04 page 5 8 student parent guardian applicable student access restroom locker room change facility correspond student gender identity transgender student prefer use sex segregated restroom provide safe adequate alternative single stall restroom nurse restroom possible single user facility give option transgender gender nonconforme student school base staff aware student identify gender binary boy girl man woman student use term nonbinary gender fluid gender queer describe gender identity give access whichever facility feel comfortable student prefer use sex segregate restroom provide safe adequate alternative single stall restroom nurse restroom possible single user facility give option transgender gender nonconforme student possible school consider designate restroom school gender mean gender use restroom student and/or school staff discomfort acceptable reason deny restroom access transgender and/or gender nonconforme student school administrator educator counseling staff proactive approach address discomfort foster understanding create school culture respect value student school base staff contact office equity additional support area page 6 superintendent circular eqt-04 page 6 8 physical education class intramural sports interscholastic athletic activity sex segregated class athletic activity include intramural interscholastic athletic student allow participate manner consistent gender identity massachusetts interscholastic athletic association outline gender identity policy clarification defer determination student school gender identity dress codes student right dress manner consistent gender identity expression general school eliminate dress code restrict student clothing appearance basis gender.(1 school staff enforce dress code strictly transgender gender nonconforme student student diplomas graduating student entitle use choose affirm bps diploma different list student record student want diploma print addition list student record speak school guidance counselor lgbtq+ student support manager 1 office equity provide school sample dress code request page 7 superintendent circular eqt-04 page 7 8 gender based activity rules policy practices schools evaluate gender base policy rule practice maintain clear sound pedagogical purpose equivalent offering student gender gender base policy rule practice effect marginalize stigmatize exclude student include gender nonconforme student student separate gender school activity subject lawful gender specific rule policy practice student permit participate activity conform rule policy practice consistent gender identity related resource gay lesbian straight education network glsen gender terminology guide available https://www.glsen.org/activity/gender-terminology information boston public schools policy bias base conduct bullying superintendent circulars eqt-02 eqt-03 sss-18 information massachusetts gender identity law massachusetts department elementary secondary education guidance document nondiscrimination basis gender identity http://www.doe.mass.edu/ssce/genderidentity.pdf contact office equity 617 635 9650 bpsequity@bostonpublicschools.org information additional support page 8 superintendent circular eqt-04 page 8 8 information circular contact owner director training school support department office equity mailing address 2300 washington st. 5th floor roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 email bpsequity@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number amt-06 version 01 voluntary transfer policy circular remain effect rescind supersede subsequent version update policy provide clear guidance allowance restriction school transfer include explanation type transfer consider voluntary involuntary restriction number transfer allow different grade level policy evolve time begin 1992 operate guidelines implement changes controlled choice student assignment plan the1999 interim report streamline boston controlled choice student assignment plan circular appreciably shift policy practice clarifie update language reflect current home base assignment plan june 1999 school committee amend policy boston public schools cover voluntary transfer student amendment provide following elementary school student pk-6 receive 1 school transfer academic year middle school level student grade 7 8) receive 1 school transfer middle school career high school student 9 12 receive 1 school transfer high school career page 2 superintendent circular amt-6 page 2 2 change school assignment change address safety programmatic move waitlist disciplinary reason consider voluntary transfer respect number transfer allow student permanently original home base require attend school new home base allow continue current school parent(s request(s continuation current school write welcome services agree arrange provide transportation student april 1 require change school follow school year information circular contact owner director student assignment selective admissions department welcome services mailing address 2300 washington street 2nd floor roxbury ma 02119 phone 617 635 6058 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-04 version 01 school visitor guidelines circular remain effect rescind supersede subsequent version school committee policy welcome parent visitor school encourage active support involvement school consider challenge covid-19 comply current cdc dese district guideline ask member school community support effort limit traffic building assign student bps staff bps facility contractor approve partner describe notice superintendent circular saf-12 school access control permit visitor include school department personnel expect report school main office go building require sign note affiliation reason visit leave sign building visitor require park certain designate space certain designate time school parking lot visitor inform procedure mean determine school occasionally visitor disrupt school activity behave inappropriately harass staff shout insist visit inappropriate time effort page 2 superintendent circular lgl-04 page 2 13 work visitor inform establish procedure effort eliminate future disruption disruption occur building administrator issue offender trespass warning pursuant m.g.l. c. 266 120 attachment provide example letter appropriate field fill building administrator warning require offend party contact building administrator designee prior appear school school relate matter additionally depend nature inappropriate behavior building administrator choose substitute follow restriction paragraph attachment 1 visitor require telephone prior visit building inform building administrator intent visit building 2 visitor require accompany building administrator designee classroom 3 advance scheduling consultation teacher provider require 4 parent deliver student[s school require leave student[s door permit accompany classroom warning expire end academic year note trespass warning appealable operational leader additionally issue trespass warning building administrator place disruptive visitor notice inappropriate behavior result issuance trespass notice inappropriate behavior continue attachment page 3 superintendent circular lgl-04 page 3 13 b provide example trespass notice field complete building administrator trespass notice shall issue approval superintendent designee seek operational leader contact superintendent office trespass notice effective year date issue reasonable exercise building administrator discretion approval superintendent designee renew failure comply restriction impose trespass notice result visitor arrest prosecution criminal trespass like trespass warning appealable visitor election operational leader instance extreme behavior assault battery administrator faculty member staff member student building administrator approval superintendent designee issue trespass notice prior issuance trespass warning attachment c example notice trespass notice contain attachment c reserve particularly egregious behavior particularized apprehension safety member member school community issue time vacate name visitor prohibit penalty law enter school ground reason trespass notice effective immediately duration indefinite copy notice provide boston police department safety office office legal advisor maintain school file visitor failure comply notice result immediate arrest prosecution trespassing violate notice likewise appealable operational leader page 4 superintendent circular lgl-04 page 4 13 information circular contact owner office legal advisor director department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 5 superintendent circular lgl-04 page 5 13 attachment trespass warning pursuant g. l. c. 266 120 warning notice unacceptable conduct incite physical confrontation dear visitor letter issue trespass warning pursuant g. l. c. 266 120 result description incident date necessary school issue warning ensure safety student school staff immediate community foster ensure effective teaching learning necessary maintain environment positive free disruption business school appropriately complete determine presence date seriously disturb mental health numerous student school conduct tolerate reflect type behavior model student ask effort avoid come area school arrival dismissal school incident[ disrupt mental health student incite physical confrontation remainder academic year result issuance formal trespass notice g. l. c. 266 120 failure comply trespass notice subject immediate arrest prosecution violation trespass notice action take behalf good interest page 6 superintendent circular lgl-04 page 6 13 student staff community contact school school phone number wish discuss warning notice seek assistance contact operational leader phone number discuss issuance trespass warning include dispute reason issuance thank cooperation matter sincerely principal responsibility official title school cc boston police department superintendent office legal advisor safety services school files page 7 superintendent circular lgl-04 page 7 13 attachment b trespass notice pursuant g. l. c. 266 120 require enter use school property dear visitor result description incident unacceptable behavior prompt previous warning current notice school date original incident necessary issue trespass notice pursuant m.g.l. c. 266 120 date notice time vacate calendar year whichever allow present premise school despite warning issue date copy enclose behavior continue disrupt teaching learning process place student staff faculty risk harm determine behavior date incident warning notice issue current incident prompt trespass notice describe behavior seriously disturb school environment conduct school activity related school business tolerate contrary mission school future need address particular school relate matter contact designee telephone concern address letter formally notify trespass notice page 8 superintendent circular lgl-04 page 8 13 copy notice provide boston police department department safety services office legal advisor school file send regular certify mail trespass notice prohibit penalty law enter school set foot school property reason failure comply trespass notice shall subject immediate arrest prosecution violation trespass notice notice effective year date issue reasonable exercise discretion renew renew notify write prior renewal renew effect end year issuance look forward work cooperative manner contact contact telephone email wish discuss trespass notice seek assistance contact operational leader number contact person discuss issuance trespass notice contact operational leader dispute reason issue notice duration notice wish seek vacate modify provision notice likewise appealable operational leader page 9 superintendent circular lgl-04 page 9 13 thank cooperation matter sincerely principal responsibility official title school cc boston police department superintendent office legal advisor safety services school files page 10 superintendent circular lgl-04 page 10 13 attachment c trespass notice pursuant g. l. c. 266 120 require enter use school property dear visitor result insert detailed description incident unacceptable behavior school date incident necessary issue trespass notice pursuant g.l. c. 266 120 date notice allow present premise school determine behavior date incident place student staff faculty risk harm furthermore action seriously disturb school environment conduct school activity school relate business tolerate contrary mission school future need address particular school relate matter contact designee telephone concern address letter serve formally notify trespass notice copy notice provide boston police department superintendent office office legal advisor office safety services school file regular certify mail trespass notice prohibit penalty law enter school set foot school property page 11 superintendent circular lgl-04 page 11 13 reason failure comply trespass notice shall subject immediate arrest prosecution violation trespass notice notice effective immediately duration indefinite look forward work cooperative manner contact telephone wish discuss trespass notice seek assistance contact operational leader number contact person discuss issuance trespass notice include dispute reason thank cooperation matter sincerely principal responsibility official title school cc boston police department superintendent office legal advisor safety services school files enclosure attach copy incident report available guidelines visit boston public schools 1 notice parent guardians staff page 12 superintendent circular lgl-04 page 12 13 partner agency bps facility service contractor approve partner agency describe allow school building parents guardian ask drop pick student exterior school building area[s designate school leader staff 2 visitor report school main office sign go building sign leave school desk near main entrance visitor sign sit desk visitor main office 3 visitor receive visitor pass sign return office sign desk leave sure visitor pass visible school schoolyard visitor pass require open houses parent nights school- sponsor event open public extent event hold 4 safety student staff consider visitor sign visitor pass trespass school staff member ask leave building schoolyard 5 visitor want meet teacher administrator contact school phone email schedule discussion virtual appointment like 6 teacher staff expect visitor notify office expect visitor provide reason prior visitor arrival case staff page 13 superintendent circular lgl-04 page 13 13 member escort visitor meeting place 7 student sick injure need pick school staff contact parent guardian arrangement escort student meet authorize adult 8 disruptive classroom parent pick child regular dismissal time necessary parent school office advance pick child location designate school parent directly classroom pick child school release student custodial parent parent consent proper identification 9 occasionally visitor disrupt school activity insist visit classroom unannounced harass staff shout inappropriate language disruptive behavior continue school administrator restrict individual visit deny future access building schoolyard virtual learning environment 10 thank cooperation observe guideline assure goal create safe secure positive learning experience student family page 1 superintendent circular number fmt-01 version 01 performance evaluation custodian circular remain effect rescind supersede subsequent version purpose circular set forth individual responsible custodian evaluation outline philosophy objective guideline procedure applicable process contract school committee custodians union provide annual evaluation performance custodian principal head school assist implementation performance evaluation process department facilities management building services develop handbook custodian principal head school evaluation process relate job duty responsibility position contain handbook supervisor responsibility clearly communicate specific duty associate position writing custodial employee principal head school step familiar content handbook ensure custodian understand content manual head school principal administrative head responsible evaluation performance custodial page 2 superintendent circular fmt-01 page 2 14 employee supervision actual evaluation immediate supervisor i.e. principal head school responsible evaluation senior junior custodian school year custodial employee input senior custodian facilities management evaluate diagnostic prescriptive approach procedure form develop implementation thereof training performance evaluation process provide school year principal head school encourage consult department facilities management building services performance issue affect custodial employee evaluation process model teacher evaluation procedure philosophy boston public schools recognize quality educational service provide depend professional performance total job effectiveness employee system custodial employee hold accountable quality performance effective process evaluate performance essential true performance evaluation involve analysis individual strength weakness result diagnosis prescription turn lead desire improvement skill improved performance custodial employee effective performance evaluation program continuous periodic organize page 3 superintendent circular fmt-01 page 3 14 develop support staff clear understanding goal department school assist employee address effectively need school department encourage cooperative staff relation mutual trust respect employee individual role contract custodians association provide principal head school senior custodian establish mutually supportive relationship cooperate resolution plant maintenance operation problem contract clearly provide principal head school school building oversee staff responsibility ensure cleanliness maintenance school building time custodian school manage principal head school building diagnostic prescriptive evaluation program positively direct encourage staff maximize unique strength skill evaluation program encourage staff participate evaluation performance help set objective self improvement performance evaluation process intend substitute day- day communication supervision employee role responsibility head school principal administrative head primary responsibility evaluation staff responsibility center evaluation present employee evaluation form sign page 4 superintendent circular fmt-01 page 4 14 employee refer evaluation instrument prior submission office human capital office facilities management building services performance evaluation activity include limit 1 preliminary planning conference 2 daily observation 3 notation 4 formal interim evaluation 5 follow conference 6 recommendation staff member evaluator principal head school evaluate senior junior custodian writing sign complete write evaluation procedural steps preliminary procedures prior implementation process principal head school prepare work schedule cooperation senior custodian(s meet senior custodian provide orientation performance evaluation process specific role responsibility process upcoming year contain work schedule principal head school seek technical assistance area manager department facilities management building services evaluator shall meet staff member purpose explain diagnostic prescriptive evaluation process include description component evaluation process page 5 superintendent circular fmt-01 page 5 14 diagnosis prescription performance evaluation process provide custodial staff member appraisal individual strength identify area need improvement employee evaluate standard category u unsatisfactory employee fail meet job description performance need improvement s satisfactory employee meet job description performance measure standard satisfactory g good employee meet and/or generally exceed standard performance measure standard good e excellent employee exceed standard performance measure standard excellent formal evaluation result mark appropriate item performance evaluation form area supervisor indicate need improvement provide employee write prescription diagnosis subsequent prescription fully descriptive instructive suggest specific remedy recommendation adoption employee entire evaluation process continuous administrative assistance support encouragement extend assist employee meeting establish objective employee suggest additional alternative prescription page 6 superintendent circular fmt-01 page 6 14 evaluation conference employee supervisor shall meet staff member purpose discuss evaluation conference staff member show write evaluation sign indicate see indicate agreement disagreement content staff member allow attach comment evaluation copy write evaluation give employee second sign copy retain file assistant director facilities management building services area identify unsatisfactory principal head school consult appropriate operational leader interim reports unsatisfactory evaluation issue item immediate supervisor evaluate staff member month individual performance judge satisfactory section v principal head school submit copy write evaluation employee receive mark unsatisfactory item indicate form assistant director facilities management building services administrator submit evaluation directly assistant director facilities management building services subsequent unsatisfactory evaluation forward ➤ evaluation complete august 31 year page 7 superintendent circular fmt-01 page 7 14 summative reports end evaluation period principal head school administrator retain copy evaluation send copy team leader human resources assistant director facilities management building services conclusion prescriptive period normally end evaluation period event month evaluation supervisor judge employee overall performance unsatisfactory supervisor shall submit superintendent designee assistant director facilities management building services write report base series evaluation continue failure employee meet standard result possible disciplinary action procedures discipline principal head school determine employee commit infraction work rule excessive tardiness absence etc supervisor follow procedure outline superintendent circular procedure relate discipline employees additionally supervisor consider infraction evaluate employee overall performance principal head school issue discipline include letter reprimand director facilities management designee superintendent issue discipline level failure address job performance problem assign staff performance evaluation process represent unacceptable performance supervisor problem compound problem staff give satisfactory rating supervisor encourage transfer school department failure supervisor represent unsatisfactory administrative page 8 superintendent circular fmt-01 page 8 14 performance person hold accountable appropriate supervisor refer advance superintendent circular procedure relate discipline employees forms performance evaluation report obtain office facilities management summary significant date deadline date activity august 31 deadline complete custodian evaluation information circular contact owner assistant director building services department facilities management mailing address 1216 dorchester ave dorchester ma 02125 phone 617 635 9162 fax 617 635 9306 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 9 superintendent circular fmt-01 page 9 14 custodian association contract language article xxiii performance evaluation section 1 diagnostic prescriptive evaluation procedure shall maintain reasonably related custodian job performance procedure form currently use evaluation shall june 1 31 custodian section 1a interim performance evaluation perform discretion principal head school and/or senior custodian annual bid section 2 custodian association member shall evaluate immediate supervisor follow evaluatee evaluator junior custodian principal head school input senior custodian facilities management senior custodian principal head school input facilities management section 3 later thirty 30 day start rating year evaluator meet evaluatee purpose explain diagnostic prescriptive evaluation program answer question determine additional job- relate responsibility cover evaluation page 10 superintendent circular fmt-01 page 10 14 5 day meeting evaluatee receive copy list job relate function responsible performance evaluate section 4 10 day follow completion evaluation evaluator meet evaluatee purpose discuss evaluation meeting evaluatee show write evaluation sign indicate having see indicate agreement disagreement copy evaluation provide evaluatee evaluatee shall allow attach comment evaluation evaluatee overall performance judge unsatisfactory notify writing meet directly evaluator space principal head school sign evaluation attach comment section 5 area evaluator indicate need professional improvement provide evaluatee specific write prescription section 6 continued failure meet standard result warning additional evaluation action section 7 overall evaluation unsatisfactory shall subject grievance arbitration procedure section 8 committee comply state federal law concern confidentiality privacy evaluation page 11 superintendent circular fmt-01 page 11 14 boston public schools performance evaluation custodial date school building staff accord formula yes senior junior day night grade e excellent g good s satisfactory u unsatisfactory quality 1 work perform acceptable nature level e ☐ g ☐ s ☐ u ☐ quantity 2 complete work reasonable time e ☐ g ☐ s ☐ u ☐ page 12 superintendent circular fmt-01 page 12 14 attitudes 3 know task complete organize e ☐ g ☐ s ☐ u ☐ 4 learn apply new idea technique e ☐ g ☐ s ☐ u ☐ 5 show interest work e ☐ g ☐ s ☐ u ☐ 6 accepts responsibility relate work perform e ☐ g ☐ s ☐ u ☐ dependability 7 continue work absence supervision e ☐ g ☐ s ☐ u ☐ 8 complie reasonable written oral instruction e ☐ g ☐ s ☐ u ☐ attendance 9 maintain good attendance e ☐ g ☐ s ☐ u ☐ 10 maintain contract hour work e ☐ g ☐ s ☐ u ☐ page 13 superintendent circular fmt-01 page 13 14 supervisory skills apply seniors 11 plan direct work e ☐ g ☐ s ☐ u ☐ 12 guide group reasonable effectiveness e ☐ g ☐ s ☐ u ☐ 13 provide evaluation report e ☐ g ☐ s ☐ u ☐ 14 train subordinate e ☐ g ☐ s ☐ u ☐ 15 attempt settle dispute low level e ☐ g ☐ s ☐ u ☐ signature principal head school admin date comments senior custodian date comments junior custodian date comments page 14 superintendent circular fmt-01 page 14 14 boston public schools performance evaluation custodial diagnosis prescription page 1 superintendent circular number trn-03 version 01 field trip transportation circular remain effect rescind supersede subsequent version circular outline step follow transport student field trip bps transportation approve outside supplier additionally circular outline general rule transport student boston public schools approve transportation supplier school bus approve transportation supplier vehicle transport student field trip privately own vehicle non- approve supplier lease van utilize transport student field trip case genuine emergency staff utilize vehicle risk legally liable student injure ride automobile transdev supplier currently contract boston public schools bps provide transportation service bps yellow school bus include field trip field trip transportation utilize bps school bus request accommodate base capacity limitation approve transportation supplier page 2 superintendent circular trn-03 page 2 12 arrangements supplier subject designation supplier approve nate kuder chief financial officer individual school department subject purchase regulation approve supplier list find end circular staff aware responsibility consult obtain approval respective school leader department head school bps letterhead agreement exchange money parent outside transportation company travel agency etc request bus field trip school leader aware bps great bus availability 9:30 a.m. 12:30 p.m. encourage welcome school submit field trip request outline circular event request meet school leader explore opportunity order bus approve supplier restrict use bps school bus fleet list approve supplier attach end circular transportation department unable provide service time request transportation aim provide notice school leader email week advance request trip date transportation department recommend particular supplier field trip recommend use primary supplier transdev possible field trip budget account 52811 regardless supplier field trip account account page 3 superintendent circular trn-03 page 3 12 52811 submit budget transfer organization code create appropriate budget line student 7th 12th grade utilize mbta field trip school email schooltrips@mbta.com and/or submit request school field trip submission form need acquire mbta pass student pass live school walk zone refer follow circular guideline procedure planning implementation bps field trip cao-22 general guidelines field trips cao-23 day field trip guidelines cao-24 overnight field trips guidelines cao-25 international field trip guidelines i. field trip transportation checklist bps yellow bus fleet 1 obtain necessary signature bps authority 4 week prior plan field trip outline field trip circular reference 2 submit request supplemental transportation request form arrange book yellow bus transportation transdev 2 week advance field trip prefer use transportation supplier attached approve page 4 superintendent circular trn-03 page 4 12 transportation supplier list use requisition process bais fn system 3 field trip request bps process receive invoice bps dot supplemental transportation manager kyle lewis invoice detail payment option continue read general payment information 4 field trip transportation request fund external grant include appropriate grant id program code event fund external grant activate bais fn need use general fund fund 100 trip grant fund load bais fn email kyle lewis supplemental transportation manager request submit expenditure transfer behalf field trip expense fund 100 grant i. reminder school plan field trip budget account code 52811 b. note case school indicate like use esser title meta school need provide confirmation spending approve esser liaison district title coordinator imani penn ipenn@bostonpublicschools.org 5 transportation department order field trip utilize district yellow bus fleet manage page 5 superintendent circular trn-03 page 5 12 transdev different vendor field trip section ii 6 payment budget transfer check field trip transportation schedule transfer submit check mail 5 school day prior date trip a. fund 100 general fund transfer follow chartfield bps transportation budget i. org 101081 ii fund 100 iii account 52805 iv program 2695 v. class 0000 vi bud ref year 2024 b. fund 200 grant bps transportation submit expenditure transfer grants office behalf confirm necessary approval budget line like use fund field trip email supplemental transportation manager kyle lewis 5 day schedule field trip c. check confirm check mail email supplemental transportation manager kyle lewis 5 school day prior plan trip check boston public schools transportation department mail kyle lewis bps transportation department bruce c. bolling building 2300 washington street roxbury ma 02119 page 6 superintendent circular trn-03 page 6 12 note bus capacity bps yellow bus fleet approximately seventy 70 elementary school student 60 middle school student 45 adult high school student adult ride student field trip bps bus 7 final confirmation transportation service provide transdev 3 school day schedule trip contact kyle lewis supplemental transportation manager operations- department-heads@bostonpublicschools.org 617 635- 9418 notice change cancel trip provide transportation department 3 school day advance case emergency bus price schedule bps fleet transdev follow inside route 128 discount rate $ 132.50 way trip 9:30 a.m. 12:30 p.m. bus school 12:30 p.m. trip bill regular rate regular rate $ 190.00 way $ 380.00 round trip outside route 128 regular rate $ 540.00 state $ 1,050.00 state page 7 superintendent circular trn-03 page 7 12 layover charge case school require bus stay site cost $ 42.00 hour layover time ii field trip transportation checklist approve private transportation supplier 1 obtain necessary signature bps authority 4 week prior planned field trip outline field trip circular reference request waiver form attach request use supplier contract boston public schools supplier option limit attached approved field trip transportation suppliers list assurance require use non- bps carrier note waiver form form attach field trip request form appropriate type trip conduct base field trips circular refer forward office chief financial officer send thetransportation department 2 trip book approve private transportation supplier include transdev organize utilize requisition procedure peoplesoft bais fn complete requisition approve transportation supplier 10 school day prior date trip ensure purchase order po dispatch bus company ahead field trip 3 note requisition incorrect account code process need confirm fund field trip account 52811 page 8 superintendent circular trn-03 page 8 12 field trip account budget account 52811 submit budget transfer organization code create appropriate budget line transportation request fund external grant include appropriate grant id expense code 4 detail requested field trip enter requisition header detail panel comment section detail include following information a. contact person b. phone number c. email d. pick location e. site visit f. address g. site telephone number h. site contact person i. purpose trip j. date trip k. departure time l. time school m. number student n. number bus need o. adult ride 5 requisition post valid budget check requisition pass budget check process responsibility school order trip ensure budget check pass purchase order dispatch refer bais fn peoplesoft training material title create requisition need assistance procedure page 9 superintendent circular trn-03 page 9 12 information circular contact owner director transportation department transportation mailing address 2300 washington street roxbury ma 02119 phone 617 635 9643 fax 617 635 9541 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 10 superintendent circular trn-03 page 10 12 request waiver form use school bus suppliers currently approved contract form utilize supplier contract boston public schools request waiver use non boston public school transportation field trip request attached field trip request form base field trips circular reference school date trip destination bus company carrier rental company carrier building administrator check following indicate documentation file school provide assurance note informal quote receive potential non bps transportation carrier page 11 superintendent circular trn-03 page 11 12 carrier select license commonwealth provide charter service carrier driver properly license provide charter service carrier driver cori sori check carrier maintain minimum bodily liability insurance policy $ 1 million occurrence approval signature principal head school date school superintendent date chief financial officer date form submit party list allow school day approval page 12 superintendent circular trn-03 page 12 12 approved field trip transportation suppliers supplier supplier id phone number address adams motor transportation inc. 0000003388 617 296 1930 631 walk hill street mattapan ma 02126 chantals inc. 0000053323 617 293 0754 35 nikisch avenue boston ma 02131 crystal transport inc. 0000001421 617 787 1544 1616 hyde park ave boston ma 02136 dollar ride eco ride llc/ eco ride group transportation 0000071239 62 huntington street brockton ma 02301 eastern bus company 0000000396 617 628 6868 po box 514 somerville ma 02143 local motion inc. 0000022242 781 535 6344 66b rocsam park road braintree ma 02184 people care ier inc. 0000003949 617 361 1515 270 islington road newton ma 02466 tony transportation inc. 0000055218 617 719 3777 66 glendale street po box 220815 boston ma 02125 vocell bus company inc. 0000000385 781 393 0220 378 commercial street malden ma 02148 page 1 superintendent circular number fam-08 version 01 translation interpretation service circular remain effect rescind supersede subsequent version historical context parent communications section successor settlement agreement boston public schools bps department justice doj outline service provide ensure meaningful language access bps family office language access translation interpretation unit t&i establish implement coordinate interpretation translation service bps centralize standardize language access district office language access strive provide meaningful language access limited non english proficient constituent qualified train professional interpreter translator request parameter office language access handle translation interpretation service essential information follow list provide example essential information require translation interpretation page 2 superintendent circular fam-08 page 2 7 iep/504 meeting report card student academic progress report student enrollment registration document disciplinary process information permission slip form district school activity program applications activity require parental consent parent teacher conference open house parent handbook public health safety information document academic planning option screening procedure need students’/parents language background process refuse ell service write information parents’/student right responsibility write information service benefit available parent student request office language access determine service seek appropriate fulfill specific language access need tailor request accordingly fulfil request translation interpretation non essential information discretion office language access contingent availability page 3 superintendent circular fam-08 page 3 7 service provide qualified bilingual staff district charge provide qualified train translator interpreter ensure family meaningful access information office language access discourage use non approve professional bi multilingual skill save exceptional circumstance addition use computer machine translate strongly discouraged request translation interpretation service service request manage district online translation interpretation request platform aware office language access support boston public schools request place office language access online platform comply city boston procurement regulation process end language access work perform outside district establish translation interpretation protocol requester expense school designate primary alternate point contact submit translation interpretation request addition point contact 1 responsible answer logistic question event 2 serve contact interpreter 3 provide informational material interpreter schedule event 4 clarify write content receive write translation lastly person promptly fill post service survey district staff designate central office employee request translation interpretation service similarly page 4 superintendent circular fam-08 page 4 7 central office requester serve point contact service entail 1 answer logistic question event 2 contact site virtual interpreter 3 provide informational material interpreter prior event 4 clarify write content material 5 receive write translation person promptly fill post- service survey fulfil requests translation interpretations translation requester allow minimum 2 week bear mind large job correspondingly long complete rush short notice job occur specify request form translation need expedite expedite discretion office language access person interpretation advance notice give easy secure interpreter service submit request minimum 2 week service date american sign language asl minimum 3 week recommend secure service rush short notice job occur specify request form service need expedite interpreter assignment base availability guarantee emergent request outside superintendent communications office need expedite complete timeframe discretion office language access page 5 superintendent circular fam-08 page 5 7 cancellation services office language access notify immediately appointment cancellation interpreter i.e. oral asl schedule 48 hour notice cancellation require asl oral interpreter service require 24- hour notice notice cancellation aware fail cancel designate timeframe district charge service request lead inefficient utilization limited fund resource strive avoid cancel interpreter service submit interpretations@bostonpublicschools.org cancel translation request early possible translations@bostonpublicschools.org telephonic interpretation services schools option utilize demand lionbridge telephonic interpretation service available 24 hour day 7 day week 365 day year 350 language telephonic interpretation oral transmission message language telephone typically conduct consecutive mode mean interpreter translate message speaker stop speak service instance parent communication pre schedule e.g. parent stop school school contact parent sick injure student etc essential information discuss ensure interpreter translation relevant document request advance office language access monitor call usage page 6 superintendent circular fam-08 page 6 7 ensure adherence district protocol school and/or central office department notify usage restriction non adherence discretion office language access talk point school access talkingpoints way multilingual family engagement platform allow educator administrator opportunity communicate family native language include english speaker web mobile text message talkingpoints equip educator administrator platform collaborative communication analytic family engagement student progress increase student potential long term success service available 24 hour day 7 day week 365 day year 100 languages.1 remove need educator provide parent personal cell phone number assistance information include limit detailed 1 present platform support caboverdiano simplified version currently pilot orchard gardens elementary school simplified version support outgoing way messaging announcement family additional functionality consider base pilot result page 7 superintendent circular fam-08 page 7 7 translation interpretation policy procedure tutorial i.e. submit request request platform user guide school base administrator training webinar school parent resource material support school specific language access effort refer office language access website https://www.bostonpublicschools.org/translation-interpretation information circular contact owner director language access services department family community advancement office language access mailing address 2300 washington street roxbury ma 02119 phone 617 635 7967 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number oiit-03 version 01 technology purchasing donations return guide circular remain effect rescind supersede subsequent version purpose document intend provide guidance technology purchasing process acceptance technology donation return technology technology purchasing request procure technology add bps network submit bpstechnology oiit technology purchasing request form 40 regardless funding source visit bpstechnology purchasing menu technology option pricing request form sure request form submit feel free reach technology list menu evaluate bpstechnology oiit expert base industry standard district priority school need technology come standard bps image guarantee service support equipment competitive pricing negotiate vendor contract place bps purchase guideline meet page 2 superintendent circular oiit-03 page 2 5 find look menu reach technology standardize district able different specification i.e. memory storage consider technology support bpstechnology oiit examine compatibility exist system digital application conscious software licensing subscription need understand warranty coverage repair handle ensure training available use integration technology arrange shipment delivery assembly installation necessary follow procurement process business services guide plan ahead meet implementation procurement timeline bpstechnology oiit reserve right decline request procurement technology submit request sure sufficient funding available technology account 55903 55905 55907 pay check bedf wait payment bpstechnology oiit provide payment instruction request review approve page 3 superintendent circular oiit-03 page 3 5 school department leader authorize superintendent budget decision submit request purchase technology encourage staff work leader technology decision benefit school department public fund provide prize gift individual anti aid amendment state constitution order massachusetts supreme judicial court money raise taxation i.e. public money public purpose advantage private individual donation school receive technology donation outside vendor partner contact bpstechnology oiit prior receipt comprehensive consultation donation differ bpstechnology oiit standard meet minimum system requirement device donation technology property boston public schools adhere policy purchase equipment consultation bpstechnology oiit reserve right decline donation meet minimum system requirement require additional support resource mean district additional cost associate software re- imaging repair maintenance donate computer image standard image student staff ensure exist datum information remove necessary security management software page 4 superintendent circular oiit-03 page 4 5 instal material fund donorschoose.org property public school teacher employ resource ship teacher create project sole steward donation employ school carry project material donate information donorschoose org materials ownership policy returns technology laptop desktop cell phone tablet desk phone etc return bpstechnology oiit reimage recycling bpstechnology oiit staff member bolling building campbell resource center collect technology provide electronic receipt employee rc manager request image device hold purchase school department reassign unit and/or provide instruction technology transfer employee computer phone tablet return bpstechnology oiit datum properly archive destroy redistribute employee hard drive content archive accord city boston records retention schedule director record management datum archive destroy rc manager direct bpstechnology oiit redeploy technology employee rc information circular contact page 5 superintendent circular oiit-03 page 5 5 director technology business operations department oiit bps technology mailing address 2300 washington street boston ma 02119 phone 617 635 9190 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number sss-19 version 01 home hospital instruction service circular remain effect rescind supersede subsequent version policy intent boston public schools bps home hospital instruction provide student receive publicly fund education opportunity educational progress physician determine student medically unable attend school compliance massachusetts regulation 603 cmr 28.03(3 bps home hospital instruction collaborate school parent agency hospital ensure alignment educational goal curriculum accurate service delivery provide minimum instruction necessary enable student maintain progress course study minimize educational loss occur period student confine home hospital service provide sufficient frequency allow student continue educational program long service interfere medical need student page 2 superintendent circular sss-19 page 2 13 intent massachusetts regulation educational services home hospital home hospital instruction confuse special education service student determine eligible service service include service student iep home hospital instruction special type service provide americans disabilities act ada state law purpose ensure medically involve student receive publicly fund education equal access education counterpart publicly fund education include boston public schools charter school boston resident student enrol district school include metco private placement student private tuition attachment b student private tuition eligible individualized education program iep fall special education umbrella eligibility guideline home hospital instruction physician determine student physically unable attend school student school 14 consecutive day anticipate accumulate 14 absence school year home hospital i.e. sickle cell disease cancer treatment etc deem student attend physician pediatrician confine home hospital set 60 day student evaluate special education department state guideline regulation 603 cmr 28.04(4 page 3 superintendent circular sss-19 page 3 13 know student 60 day recommend physician complete 60 day physician statement student mark constructively present cp period student receive home hospital- base service receive pass grade work satisfactorily complete home hospital base instruction provide summer break designate iep child unable attend extended school year implementation home hospital instruction role parent provide consent exchange information student physician district ensure open line communication service provider maintain communication school ensure grade occur accord classroom guideline inform school student medical need require home hospital instruction provide school nurse medical information ensure student school medication procedure protocol place ensure medical safety optimal learning include complete physician record individual collaborative health plan ichp form physician indicate student health period affect provision educational service form previously page 4 superintendent circular sss-19 page 4 13 complete ensure student physician record complete home hospital physician statement form ichp participate action plan child base ichp physician statement provide appropriate learning environment home ensure age 18 home tutoring occur arrange neutral meeting place library notify central office tutor appointment sign instructor sheet session role physician submit complete physician statement attachment verify medical psychological illness school nurse verification know student 60 day recommend physician complete 60 day physician statement physician statement include date student confine medical diagnosis expect return date medical information prevent student access provision education physician identify physician statement student health period affect provision educational service physician need complete ichp conjunction parent physician expect remain aware time frame page 5 superintendent circular sss-19 page 5 13 child school participate entry plan ensure child return school environment impediment role school administrator identify person school contact i.e. guidance counselor student support staff nurse administrator serve liaison student home hospital bind submit designate point contact home hospital instruction program department opportunity youth oy need refer school base teacher home hospital instruction serve home tutor ensure appropriate school level communication prompt timely n1 team meet special education student 60 day oversee coordination key school staff ensure student home hospital instruction school- base support area academic curriculum attendance test appropriate necessary role school nurse school nurse review submit complete physician statement form non bps student form home hospital instruction 617 635 6633 coordination service communicate home hospital instruction team page 6 superintendent circular sss-19 page 6 13 need ensure student appropriate access service tutoring coordinate physician medical provider need confirm verify request update information physician statement collaborate school base special education team ensure appropriate support student academic goal home hospital instruction request medical update physician 2 month student need home tutoring know student 60 day recommend school nurse coordinate family and/or medical provider ensure physician complete 60 day physician statement role teacher ensure student follow classroom syllabus rubric non medically involve student modify home hospital assignment need student continue academic progress correct work assign appropriate grade student notify parent student progress role identify school base contact home hospital instruction determine online curriculum appropriate post online page 7 superintendent circular sss-19 page 7 13 collect material assignment student teacher home hospital instructor student hospitalize school contact provide material assignment parent work fax email hospital instructor student homebound school contact provide material assignment home instructor communicate frequently home hospital instruction program home base instructor student parent assure continuity service student need meet receive complete work home hospital instructor deliver work student teacher ensure student mark absent constructively present cp student attendance reflect home tutoring reason code avoid report dnr automatic withdrawal school ensure grade enter report card generate sign home instructor timesheet monthly retain copy scholastic attendance record work office special education assure qualified student evaluate iep 504 plan role home hospital instruction oversee home hospital instruction program include tutor recruitment application assignment payment training page 8 superintendent circular sss-19 page 8 13 identify tutoring vendor conjunction hospital identify home instructor eligibility confirm maintain tracking system student receive home hospital instruction provide training protocol procedure home hospital instructor perform quality assurance monitoring include random visit tutoring site assist school academic advising determine conjunction school family medical need length frequency tutoring session general length exceed 3 hour sit frequency generally 3 time week range 2- 10 hour role home hospital instructor participate home hospital instruction training program review implement protocol procedure manual home instructors confirm tutoring assignment school 24 hour receipt maintain communication school designate school base contact person complete scholastic record individual student maintain timesheet daily parental sign provide direct tutorial service individualized basis assign student page 9 superintendent circular sss-19 page 9 13 arrange designate material pick time school contact schedule tutoring session parent information circular contact owner senior director office health services department office health services mailing address 443 warren street dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 10 superintendent circular sss-19 page 10 13 page 11 superintendent circular sss-19 page 11 13 page 12 superintendent circular sss-19 page 12 13 attachment b form complete school non bps student private charter district private placement metco student currently receive hospital home tutorial service boston public schools addition physician statement form 603 cmr 28.3(3)c submit following information refer student student address parent guardian telephone home______________________cell date birth race m f grade school school address school phone school contact email address fax page 13 superintendent circular sss-19 page 13 13 student receive special education service yes unknown return form home hospital program coordinator boston public school home hospital instruction 443 warren street dorchester ma 02121 suite 2 email operations department heads@bostonpublicschools.org contact information office 617 635 6633 fax 617 635 6635 page 1 superintendent circular number hrs pm04 version 01 performance evaluation non dese- licensed btu specialist btu central office administrators btu professional evaluation instrument btu employee role require licensure massachusetts department elementary secondary education accordance 603 cmr 35.00 et seq agree bps btu summary significant date deadline date activity june 1 deadline completion annual evaluation june 15 deadline sign original copy evaluation form attach submit bruce c. bolling municipal building office human resources attn ohc desk 2300 washington street 4th floor roxbury ma 02119 july 1 june 30 evaluation year non dese- license btu employee page 2 superintendent circular hrs pm04 page 2 8 information circular contact director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent page 3 superintendent circular hrs pm04 page 3 8 boston public schools performance evaluation form non dese licensed btu specialist btu central office administrators btu professional employee empl position dept./level evaluator prior rating check interim year end administrator professional rate standard category possible rating satisfactory s performance administrator/ professional meet standard expectation school department unsatisfactory u administrator professional fail meet standard performance measure standard unsatisfactory evaluator place check x box rating describe administrator professional performance standard rating unsatisfactory accompany description problem prescription improvement attached sheet event particular standard apply record na applicable overall evaluation unsatisfactory satisfactory give record page 4 superintendent circular hrs pm04 page 4 8 overall rating satisfactory unsatisfactory signature evaluator_______________________date signature employee date employee signature indicate receive evaluation acknowledge place personnel file denote agreement content 1 instructional leadership role s u develop plan effective delivery service monitor quality and/or quantity service provide assesse operation recommend make change necessary complete require report thoroughly clearly accurately time work cooperatively central office cluster office school personnel collaborate external agency necessary communicates implement monitor compliance policy procedure school department external agency appropriate demonstrate sound fiscal judgment budgetary decision provide staff leadership orientation training require act accordance prescribe organizational structure organizes coordinate activity staff ensures compliance area responsibility policy procedure contractual obligation school page 5 superintendent circular hrs pm04 page 5 8 department legal mandate demonstrate ability analyze use information decision make process explain performance standard duty responsibility evaluate staff accordance school department policy maintain appropriate record require operation unit exercises sound judgment performance duty exercises sound judgment performance duty communicate accurately effectively 2 professional role s u carry responsibility professional manner maintain regular attendance punctuality attend conference seminar workshop activity contribute professional growth development attend conference seminar workshop activity contribute professional growth development attend conference seminar workshop activity contribute professional growth development utilize appropriate resource effectively carry professional responsibility demonstrate receptivity constructive suggestion relate professional role respond appropriately maintain professional demeanor perform additional job relate task function assign page 6 superintendent circular hrs pm04 page 6 8 list additional mutually agree standard objective page 7 superintendent circular hrs pm04 page 7 8 note observation use additional page necessary description problem prescription improvement use additional page necessary 1 description problem prescription 2 description problem prescription 3 description problem page 8 superintendent circular hrs pm04 page 8 8 prescription general comments use additional page necessary employee comment use additional page necessary page 1 superintendent circular number shs-13 version 01 transportation medical accommodation circular remain effect rescind supersede subsequent version student eligible transportation accommodation base medical need follow guideline process refer transportation student medical indication transportation accommodation medical need include transportation accommodation write individualized education program iep background medical transportation warrant student illness manage health care professional require assistance transportation accommodation enable student attend school transportation accommodation medical need substitute treatment specific medical condition school student support team encourage explore creative solution assist family extraordinary need child chronic medical condition remediate medication therapy grant renewal year renewal collaboratively determine school nurse central office staff school notify spring begin transportation renewal process student consider renew page 2 superintendent circular shs-13 page 2 11 receive write notification send accord transportation office policy policy implementation guidelines parent guardian role inform school nurse medical diagnosis provide support medical documentation require transportation accommodation communicate school nurse child health care provider need medical transportation participant process seek assistance contact health services 617 635 6788 department transportation 617 635 9520 school principal head school role review discuss approve case student support team and/or school nurse designate member student support team collaborate school nurse inform parent guardians eligibility determination participant process seek assistance contact health services 617 635 6788 department transportation 617 635 9520 school nurse role provide parent guardians release medical information form sign obtain consent speak student license health care provider page 3 superintendent circular shs-13 page 3 11 contact licensed healthcare provider inform bps transportation accommodation policy discuss request submit parent guardian share clinical observation relate child medical condition present case student support team include note take discussion parent guardian license health care provider determine appropriate accommodation document relevant objective information relate transportation student electronic health record school nurse believe transportation warrant base criterion participant process disagree case refer school health services clarification resolution student support team role discuss medical transportation request case refer school nurse request consider individually option review prior authorization medical transportation additional support need student support team referral 504 special education concern participant process seek assistance contact health services 617 635 6788 department transportation 617 635 9520 page 4 superintendent circular shs-13 page 4 11 coordinator special education cose role student eligible 504 accommodation plan evaluate 504 accommodation plan team shall discuss eligibility transportation student iep evaluate transportation necessary medical condition necessarily area educational disability team shall consider transportation need consideration team shall include school nurse special transportation find necessary student benefit special education service meaningful educational progress add iep student refer consideration 504 accommodation plan and/or special education relate service cose process request transportation appropriate participant process seek assistance contact health services 617 635 6788 department transportation 617 635 9520 school health services role member health services administrative team available discuss request transportation accommodation medical need school health services consult party involve transportation accommodation medical need process eligibility determination case school health services overturn page 5 superintendent circular shs-13 page 5 11 initial determination provide recommendation alternative accommodation support student need department transportation role approval parent guardian student notify mail transportation specific time pick- drop bus number effective date school staff access route information aspen collaborate school health services medical transportation renewal process transportation request student healthy parent guardian ill approve eligibility determination student determine eligible school nurse fill request medical transportation form provide submit school base leadership final approval sign form send email school transportation officer department transportation school leader and/or school transportation coordinator approve parent guardian student notify mail transportation specific time pick- drop bus number effective date school staff access route information aspen page 6 superintendent circular shs-13 page 6 11 student determine eligible parent guardian notify principal designee collaboration school nurse participant process seek assistance contact health services 617 635 6788 department transportation 617 635 9520 specific guidelines asthma transportation accommodation asthma reserve severe asthmatic adhere treatment plan rescue inhaler school asthma action plan file school nurse asthma impact student ability walk school bus mbta stop medical evaluation treatment necessary discuss child health care provider compliant student asthma need medical transportation cold winter month mild episodic asthmatic student intermittent medication qualify medical transportation sickle cell refer superintendent circular shs-25 ambulation student condition significantly affect ambulation leg brace crutch low extremity fracture amputation eligible transportation accommodation student ambulate fully participate school program authorize medical transportation seizure disorder student experience current intermittent page 7 superintendent circular shs-13 page 7 11 seizure activity eligible transportation accommodation stabilize general seizure control medical transportation provide emotional behavioral problem child emotional and/or behavioral issue impact transportation school discuss student support team meeting referral type transportation accommodation adhd depression anxiety impulsivity behavioral issue impact teaching learn school access behavioral modification modality beneficial child overall functioning transportation school nurse gather medically relevant information team neuromuscular disorder cardiac disease medical condition review individual basis consult school health services need page 8 superintendent circular shs-13 page 8 11 information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 9 superintendent circular shs-13 page 9 11 request transportation accommodation medical needs school system use student student id school hour transportation provide official hour school school nurse print principal head school print student currently receive kind transportation boston public schools yes no yes describe additional accommodation request student currently receive service relate 504 iep yes no yes discuss add accommodation student current educational plan instead submit request manner health services additional information support page 10 superintendent circular shs-13 page 10 11 medical certification reason request healthcare provider/ clinic relevant datum document student electronic health record  yes  duration medical transportation accommodation last long 6 8 week review school health services collaboration bps department transportation  wheelchair van week  cold winter month  school year authorization date request submit school nurse date request discuss sst meeting principal head school signature date school nurse signature page 11 superintendent circular shs-13 page 11 11 date transportation officer date fax email transportation officer department transportation date process transportation unit page 1 superintendent circular number ath-01 version 01 prevention management sports relate head injury circular remain effect rescind supersede subsequent version background concussion type traumatic brain injury cause bump blow jolt head affect brain functioning concussions occur blow body cause head rapidly forth mild bump blow head concussions occur sport recreational activity child return play experience symptom concussion likely concussion last effect symptom circular outline responsibility involve athletic participation include follow component pre participation examination include history previous concussion protocols assess manage child concussion field protocols return child concussion participation academic assessment accommodation child continue symptom interfere cognitive function academic progress page 2 superintendent circular ath-01 page 2 7 prevention head injury health promotion activity contribute safe sport participation heads school principals shall responsible support enforce utilization appropriate protocol require documentation training reporting outline procedure supervise review documentation place ○ active coach complete annual concussion certification require commonwealth massachusetts coaches certified athletic trainers athletic coordinators school nurses volunteer ems sports physicians shall responsible complete annual educational training identification management head trauma ensuring document student family submit ○ update physical examination consistent commonwealth massachusetts massachusetts interscholastic athletic association miaa sport participation guideline ○ consents participation athletic emergency on- field care non emergent injury illness evaluation associate follow treatment relate athletic documentation travel medication page 3 superintendent circular ath-01 page 3 7 ○ completed department pre participation form bps sports medical questionnaire participate practice extracurricular athletic activity ○ commonwealth massachusetts head injury form ○ indication family review educational material concussion ensuring medical history questionnaire pre- participation sport physical form(s deliver school nurse certify athletic trainer atc time frame consistent sport school nurse athletic trainer discuss student concussion history indicate athlete primary care physician pre participation sport physical parent history coach athlete clear school nurse athletic trainer order play teach technique aim minimize sport relate head injury ○ discouraging prohibit student athlete engage unreasonably dangerous athletic technique endanger health safety student include helmet sport equipment weapon ○ identify student head injury suspect concussion occur play practice remove play ■ coach volunteer recognition potential head injury ■ sideline assessment concussion evaluation md atc page 4 superintendent circular ath-01 page 4 7 result evaluation screening tool available school nurse parent guardian forward pcp designate physician coach athletic trainer physician observe evaluate concussion shall complete dph commonwealth massachusetts report head injury sports season form department report head injury form transmit athletic director parent guardian school nurse athletic trainer communicating promptly parent guardian student remove play provide documentation bring student athlete pcp designate physician documentation include dpt commonwealth massachusetts post sports relate head injury medical clearance authorization form form complete physician return school nurse athletic trainer form review school nurse athletic trainer require student athlete allow begin return play protocol student return play clearance school nurse athletic trainer consultation physician 105 cmr 201 student athlete sustain concussive event complete graduate return play protocol stipulate treat physician assure documentation place conduct annual compliance audit include documentation student page 5 superintendent circular ath-01 page 5 7 ○ pre participation pe consent form parent athlete sign concussion information review ○ list student concussion ○ documentation follow student concussion documentation athlete clear play school nurse athletic trainer responsible complete require annual educational training concussion ○ school nurse complete concussion management massachusetts schools course provide boston university school health institute annually review question raise athletic director and/or coach review medical questionnaire physical exam athletic trainer follow parent guardians need prior student participation extracurricular athletic activity school nurse follow parent guardians need prior student participation classroom activity maintain documentation medical questionnaire physical snap electronic medical record maintain documentation head injury assessment student health record electronic medical record page 6 superintendent circular ath-01 page 6 7 ensuring student experience concussion head injury sport activity provide documentation medical care proper clearance return sport activity commonwealth massachusetts post concussion clearance form participate graduate reentry planning meeting student diagnose concussion discuss necessary accommodation modification respect academic course requirement homework testing scheduling aspect school activity consistent graduate reentry plan return academic extracurricular activity head injury revise health care plan need present appropriate relevant medical information service team need know basis maintain student privacy monitor recuperate student head injury collaborate teacher coach ensure graduate reentry plan return academic extracurricular activity provide beginning school year review concussion ongoing educational material head injury concussion teacher staff student parent student shall responsible ensuring child a. valid date pre participation physical page 7 superintendent circular ath-01 page 7 7 b. complete sport medical questionnaire c. complete commonwealth massachusetts pre- participation head injury concussion reporting form extracurricular activity review concussion material include sign documentation review athletic permission form ensuring child concussion evaluate pcp appropriate physician emergent transport deem necessary ems evaluation work school nurse athletic trainer service team safely implement return play guideline information circular contact owner senior director athletics department athletics department mailing address white stadium p.o. box 302205 jamaica plain ma 02130 phone 617 635 8143 fax 617 635 8147 email bpsathletictrainer@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp13 version 01 employee sick leave policy circular remain effect rescind supersede subsequent version boston school committee permit abuse sick leave privilege sick leave benefit absence cause illness injury exposure contagious disease employee use sick leave purpose disservice student co worker taxpayer public perception school department employee abuse sick leave undermine confidence support public education boston accordingly shall policy boston school committee monitor sick leave practice employee detect sick leave abuse discipline employee find abuse sick leave privilege legitimate sick leave deny abuse tolerate superintendent shall develop promulgate appropriate rule procedure implement sick leave policy copy policy shall prominently post work location attach find document entitle employee sick leave policy guidelines document provide specific detail 1 responsibility manager regard sick leave 2 managerial intervention require 3 page 2 superintendent circular hrs pp13 page 2 10 procedure mandate ensure effective implementation employee sick leave policy copy guideline post school office copy available teacher room review staff school committee employee sick leave policy guideline cover employee boston public schools accordance guideline employee absent 6 consecutive working day apply leave absence online application provide wh-380 e f form medical certification documentation official letterhead health care provider determine collective bargaining agreement fitness duty report return work medical certification physician letterhead include 1 statement physician understand nature employee duty employee incapable perform duty responsibility position 2 statement anticipate duration absence expect date return work duration unknown letter indicate employee see physician update letter require visit ► failure provide proper physician certificate require lead loss pay absence interrupt weekend and/or holiday consider consecutive manager direct discuss guideline staff member beginning school year ensure mutual page 3 superintendent circular hrs pp13 page 3 10 understanding note guideline consistent btu basas contract office human resources information readily available employee accumulate benefit vacation sick leave personal day able monitor attendance entire school department workforce principal head school administrative head provide periodic attendance datum employee jurisdiction report expect assist manager provide appropriate supervision individual exhibit problematic attendance pattern information circular contact owner leave absence team department human resources mailing address 2300 washington street roxbury ma 02119 phone 617 635 9255 fax 617 635 7957 email ohrleaves@bostonpublicschools.org mary skipper superintendent page 4 superintendent circular hrs pp13 page 4 10 employee sick leave policy guidelines statement term manager guideline refer position academic superintendent senior officer head school principal program director director expect manager case delegate authority carry procedure supervisory personnel reporting purpose purpose guideline improve employee attendance eliminate abuse sick leave benefit consistent application manager compliance employee substantial contribution ultimate goal provide effective high quality education student boston public schools manager primary responsibility effectively implement guideline 1 managerial responsibility absenteeism primary reason manager inability accomplish expect result result optimal student progress miss deadline low quality work inexperienced replacement scheduling coverage problem low morale employee assume absentee workload employee motivation attendance key factor affect productivity page 5 superintendent circular hrs pp13 page 5 10 unit school system good attendance practice school department indicative well- motivated supervised workforce manager realize good interest develop maintain good attendance practice effectiveness measure accomplishment school department 2 managerial judgment manager expect implement procedure counsel employee remedial action pattern abuse occur supervisor analyze situation base merit consider factor length service total sick leave accumulation number occurrence frequency pattern absenteeism weekend holiday vacation severity rate duration absence employee medical history previously know manager and/or information require file school department major attendance problem face manager a. pre retirement illness attempt long time employee exhaust sick leave benefit retirement b. pre layoff illness attempt employee receive notice layoff exhaust sick leave benefit layoff effective c. post contract non renewal illness attempt employee contract renew prior exhaust sick leave page 6 superintendent circular hrs pp13 page 6 10 3 managerial intervention important manager intervene soon absence pattern detectable manager discuss reason pattern absence prevent pattern absence bad manager review attendance record employee organization quarterly basis monitor attendance practice determine pattern sick leave abuse employee number day number occurrence exceed consecutive day absent reasonable cause believe absence appropriate use sick leave interview manager purpose interview determine possibility sick leave abuse write record keep concern nature supervisory discussion interview page 7 superintendent circular hrs pp13 page 7 10 procedural requirement ensure effective implementation employee sick leave policy employee adhere following procedure 1 notification a. employee serve school employee entitle sick leave loss pay notify head school principal accordance schedule establish appropriate head school principal employee indicate nature illness period anticipated absence expiration anticipate period employee recover employee notify head school principal reason additional period anticipated absence accordance establish practice school school maintain post appropriate location standard policy notice absence b. employee serve school employee entitle sick leave loss pay notify manager absence cause anticipate duration expiration 15 minute normal reporting time soon practical expiration anticipate duration employee recover employee notify manager reason additional period page 8 superintendent circular hrs pp13 page 8 10 anticipate absence day employee expect return work c. illness work hour employee ill regular work hour employee notify manager manager record length absence d. failure notify employee fail proper notice absence extenuate circumstance shall consider authorization subject progressive disciplinary action e. reporting time manager ensure time reporting enter system consistent establish procedure order employee absence correctly charge leave balance maintain usual department time summary reports submit bps payroll office accordance payroll schedule 2 physician certificate absence 6 consecutive working day duration physician certificate require return work prior return request record repeat absence reflect clear pattern abuse consistent 3 day present 2 day absent manager request physician certificate require relevant collective bargaining contract circumstance employee advise physician certificate adequate refutation page 9 superintendent circular hrs pp13 page 9 10 charge sick leave abuse physician certificate include following a. statement physician understand nature employee duty employee incapable perform duty responsibility position b. statement anticipate duration absence expect date return work duration unknown letter indicate employee see physician update letter require visit physician certificate include statement manager notify employee obtain omit information authorize sick leave medical information shall maintain confidential basis interview supervisor learn employee chronic disable condition qualify person consideration handicapped individual 1 contact office equity 617 635 9650 1 1a handicapped individual include think have physical mental condition substantially limit major life activity include work condition permanent temporary page 10 superintendent circular hrs pp13 page 10 10 handicapped individual define person physical mental impairment substantially limit major life activity care oneself perform manual task see hearing speak breathing learn office human resources office legal advisor available advice counsel manager central figure manage attendance office human resources office legal advisor prepared provide follow technical support 1 advise manager effort change unacceptable absence pattern 2 provide early referral system health emotional alcoholic drug relate matter 3 provide effective mechanism centralized sick leave vacation reporting system 4 interpret policy procedure assist resolution operating problem 5 provide advice concern implementation progressive disciplinary action page 1 superintendent circular number hrs pp17 version 01 employee resignation retirement separation procedure circular remain effect rescind supersede subsequent version resignation voluntary action take employee wish terminate employment boston public schools resignation separation employee shall notify immediate supervisor termination employment boston public schools notice writing state employee day work sign employee sample resignation letter find page 7 provide write notice submit resignation letter 1 complete resignation termination form click link termination retirement resignation notification form complete form upload sign letter resignation enter personal email address resignation termination form receive final email notification acknowledge resignation office human resources page 2 superintendent circular hrs pp17 page 2 7 2 resignation form send email notification supervisor 3 supervisor approve process notification send office human resources process 4 email notification finalize process email personal email address provide resignation termination form 5 unable access link supervisor secretary complete form behalf supervisor submit online process enter resignation retirement termination provide personal email address receive final email notification acknowledge resignation office human resources retirement 1 employee plan retire file intent retire city boston retirement board note pursuant retirement board policy employee file intent retire 4 month prior intend retirement date 2 submit sign intent retire form boston state retirement board complete resignation retirement form click link termination retirement resignation notification form 3 upload sign letter resign purpose retire sign intent retire form submit retirement board enter personal email address retirement resignation form receive page 3 superintendent circular hrs pp17 page 3 7 email notification acknowledge retirement resignation finalize office human resources 4 resignation retirement form send email notification supervisor sign notification resignation retirement submit notification office human resources finalize retirement termination process 5 unable access link supervisor secretary complete form behalf supervisor submit online process enter resignation retirement termination provide personal email address receive final email notification acknowledge retirement resignation information retirement process employee contact boston retirement board appointment telephone 617 635 4311 email retirementboard@boston.gov retirement board locate 1 city hall square room 816 boston ma 02201 2038 cancellation resignation retirement resignation retirement cancel employee effective date termination sign letter receive office human resources retirement board cancel retirement prior close business original resignation retirement date resignation effective date pass employee return boston public schools page 4 superintendent circular hrs pp17 page 4 7 reemployment process apply position employee separation checklist employee portion terminate employee advise complete follow prior exit boston public schools 1 complete resignation retirement termination notification form upload sign letter resignation school dept ohc summer month click link termination retirement resignation notification form sample resignation letter page 4 circular 2 return boston public schools property possession e.g. key cell phone laptop etc day employment key school building material contact school leader arrange return item 3 l4l laptop laptops learning oiit service desk 617 635 9200 schedule appointment return laptop bag peripheral 4 enter absence requests employee self service ess 5 cancel meeting district activity schedule prior day employment work supervisor achieve smooth transfer duty 6 update home address future correspondence i.e. final paycheck w2 benefit information severance etc remove mailing address home address mail address 7 remove personal file district server page 5 superintendent circular hrs pp17 page 5 7 computer 8 inform supervisor location job relate file file accessible supervisor employee separation checklist supervisor portion employee supervisor responsible collect follow applicable item and/or address following issue 1 employee enter resignation retirement letter electronic termination form link termination retirement resignation notification form secretary complete form upload employee sign letter resignation employee behalf sample letter locate page 4 circular 2 process absence employee self service timely manner 3 obtain follow item apply a. keys office building cabinet desk vehicle b. badge id office building c. department issue equipment computer laptop l4l laptop printer modem etc l4l laptop return oiit d. cell phone accessory pager radio e. department issue uniform f. department issue property page 6 superintendent circular hrs pp17 page 6 7 benefit employee eligible continue purchase certain benefit leave loss coverage employee and/or eligible dependent(s cobra notification packet mail employee and/or eligible dependent(s law require packet send mail know address employee and/or employee eligible dependent(s additional information cobra cobra questions answers contact city boston health benefits office 617- 635 4570 information office human resources provide faq retirements resign non renewal lay information circular contact owner employee services department office human resources mailing address 2300 washington street roxbury ma 02119 fax 617 635 7957 email employeeservices@bostonpublicschools.org mary skipper superintendent page 7 superintendent circular hrs pp17 page 7 7 sample employee resignation letter employee employee address date dear principal head school supervisor letter inform resign position position school department effective date optional include reason resign body form certify resignation execute voluntarily free employee employee signature date page 1 superintendent circular number sup-20 version 01 child abuse neglect circular remain effect rescinded superseded subsequent version general information massachusetts general law chapter 119 section 51a require certain person professional capacity reasonable cause believe child age eighteen 18 year suffer physical emotional injury result abuse include sexual abuse neglect include malnutrition inflict shall immediately telephone report abuse neglect department child families attach area offices telephone directory 24 hour reporting hotline 1 800 792 5200 48 hour initial oral report professional require massachusetts law notify department children families dcf write attach report form report form send register mail return receipt request appropriate dcf area office new report form complete new injury injury page 2 superintendent circular sup-20 page 2 15 report law follow professional mandate reporter report case child abuse neglect dcf physician medical intern medical examiner dentist nurse teacher educational administrator guidance counselor family counselor probation officer school attendance officer social worker psychologist police officer professional employ school notify dcf directly alternatively notify person charge school person designate agent abundance caution school professional staff boston public schools require report dcf instance neglect abuse observe bring attention note employee require report suspect allege bias base conduct student sexual misconduct student circular eqt- 02 eqt-03 report school administrator and/or directly office equity determination meet standard report department children families sup-20 attachment 1 procedure report suspected child abuse neglect cases policy prohibit school professional notify dcf directly school professional reasonable cause believe abuse neglect occur event school professional notifie building administrator charge incident suspect abuse page 3 superintendent circular sup-20 page 3 15 neglect build administrator report dcf follow procedure outline circular person report case child abuse neglect reasonable cause believe child health welfare harm substantial risk harm result abuse neglect report incident reasonable cause believe child physical mental health welfare harm threaten substantial risk harm abuse neglect report truancy reportable matter mean child miss school reason report abuse abuse include physical mental emotional injury accidental mean i.e. beating cutting burn break bone multiple bruise physical dependency addictive drug birth sexual act person force threat force bodily injury person include sexual act person incapable give consent temporary permanent mental physical incapacity s minor crime indecent assault battery rape rape force rape abuse assault intent rape unnatural lascivious act constitute sexual assault page 4 superintendent circular sup-20 page 4 15 indecent assault battery include limit inappropriate unwanted touching private body part person age 14 legally unable consent type sexual activity neglect neglect deem exist person person responsible child care financially able fail provide child adequate food clothing shelter education medical care proper supervision and/or guardianship attach procedure report suspected child abuse neglect detail relevant reporting procedure follow boston public school employee immunity report hold strict confidence person require report fact report include report abuse neglect personnel public school system shall hold liable civil criminal action reason report addition person require statute voluntarily make report shall liable civil criminal action reason report good faith person perpetuate inflict cause report abuse neglect accordance massachusetts law massachusetts general laws chapter 119 section 51b person mandatory reporter child abuse shall share relevant information request department children families investigation specific 51a child abuse report person require share information protect page 5 superintendent circular sup-20 page 5 15 civil criminal liability provide information parental consent consequences violation reporting requirement massachusetts law person require oral write report suspect child abuse neglect fail person knowingly file frivolous report subject penalty prescribe law boston public school employee require law report suspect child abuse neglect fail accordance attach procedure subject discipline prohibition retaliation retaliation boston public school student employee file complaint abuse neglect include report abuse neglect personnel public school system strictly prohibit accordance massachusetts law attached procedure boston public school employee perpetuate inflict cause abuse child subject discipline outline attach procedure attachment procedure report suspected child abuse neglect case area offices telephone directory guide report purposes dcf 51a report form page 6 superintendent circular sup-20 page 6 15 information circular contact owner chief student support mailing address 2300 washington street boston ma 02119 phone 617 635 9000 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 7 superintendent circular sup-20 page 7 15 attachment 1 p. 1 6 procedures reporting suspected child abuse neglect case 1 pursuant massachusetts general law chapter 119 section 51a mandate reporter require report reasonable cause believe child age eighteen 18 year suffer abuse neglect abundance caution school professional staff boston public schools require report dcf instance neglect abuse observe bring attention 2 suspicion abuse neglect child 18 year age teacher mandated reporter immediately report concern building administrator confer school nurse abuse include limit physical mental emotional injury accidental mean e.g. beating cutting burn broken bone multiple bruise event suspect physical abuse school nurse contact immediately examine document child physical condition appropriate special education support services staff notify situation concern suspect abuse neglect page 8 superintendent circular sup-20 page 8 15 attachment 1 p. 2 6 3 suspicion sexual assault refer immediately equity circular sexual misconduct students eqt-03 follow reporting procedure outline circular school personnel respond sexual assault concern obtain basic minimal fact allege incident basic fact include 1 incident occur 2 incident occur 3 assault student know 4 nature incident 5 know witness and/or victim attempt minimize emotional stress victim abuse experience preserve integrity reliability require dcf law enforcement investigation additional interview detailed probe questioning conduct school official student report victim sexual assault ask submit write report detail incident ask discuss incident allege perpetrator present time circumstance school personnel mandate reporter investigate allegation prepare probing and/or detailed incident report 4 building administrator designee shall compile relevant information school professional knowledge incident student shall compile relevant information school record report case appropriate dcf page 9 superintendent circular sup-20 page 9 15 area office information record available dcf 5 building administrator report dcf believe teacher nurse mandate reporter mistaken suspecting abuse neglect building administrator substitute judgment mandate reporter school failure file report mandate law subject building administrator mandate reporter fail meet statutory obligation discipline accordance bps employee discipline procedure 6 building administrator designee immediately dcf screening area office report case report 5:00 pm building administrator designee immediately dcf hotline number 1 800 792 5200 7 child send home school verbal 51a report file dcf write report forward 48 hour 8 48 hour initial oral report building administrator designee send write notification dcf area office fax virtual gateway portal mass.gov confidential copy write notification form copy attach retain office principal headmaster page 10 superintendent circular sup-20 page 10 15 attachment 1 p. 4 6 9 allege abuser employee boston school department copy notification forward bps office labor relations investigation confirm allegation offend employee subject discipline accordance bps employee discipline procedure 10 building administrator consultation necessary decide family include child suspect abuse neglect notify report school require law notify family notification recommend decide notify building administrator consider notification create substantial risk student health safety welfare dcf police department social work provide consultation make determination ensure child safety 11 dcf investigator report school order conduct phase investigation require identify verify assignment case school base staff encourage interview child home presence parent caregiver 51a file parent case interview child conduct school presence building administrator designee page 11 superintendent circular sup-20 page 11 15 attachment 1 p. 5 6 12 60 day file report building administrator receive feedback report dcf detail department finding specify social service department intend offer child feedback report plan collaboration professional assist family 13 certain case school report dcf sexual abuse exploitation physical abuse refer dcf local police district attorney office investigation circumstance agency typically conduct multidisciplinary team investigation investigation typically include interview allege victim(s allege perpetrators(s witness(es relevant investigative information provide school appropriate permit law 14 reporting investigation follow process school documentation way ensure confidentiality accordingly report suspect abuse neglect child educational record instead keep separately school maintain file 51a report suspect abuse neglect year page 12 superintendent circular sup-20 page 12 15 attachment 1 p. 6 6 15 building administrator seek remove child school example disciplinary emergency removal illness parent available pick child childcare eldercare school work responsibility lack transportation delay prevent parent able immediately pick child school reportable matter maintain child safety school ensure child safe way return home building administrator responsibility 16 importantly special education dispute reportable matter parent disagree school staff opinion child need particular special education placement service evaluation reportable matter situation school staff contact assign special education district assistant program director 17 school building designate representative ensure event building administrator absence reporting procedure follow require law school health arrangement emergency nursing staff coverage require investigation discuss begin end day page 13 superintendent circular sup-20 page 13 15 emergency protocol event clear emergency life safety child imminent danger building administrator designee mandate reporter immediately notify appropriate dcf area office file require 51a report 5:00 pm school official use massachusetts child abuse emergency hotline 1 800 792 5200 write report file hour massachusetts general laws chapter 119 section 51b(3 authorize department children families child immediate temporary custody parental permission prior notice department reasonable cause believe action necessary protect child abuse neglect emergency response department children families include law enforcement depend nature incident report dcf seek exercise authority school setting building administrator shall 1 verify dcf representative identification retain copy identification student record 2 contact dcf representative immediate supervisor verify need dcf action 3 maintain log file office copy 51a report action dcf employee(s involve dcf area office involve provide pertinent information relate suspect abuse neglect page 14 superintendent circular sup-20 page 14 15 attachment 2 department child families boston brookline region area directory boston regional office 1785 columbus ave fifth floor roxbury ma 02119 1041local number 617 989 9200 fax number 617 989 9250 hyde park area office 1530 river street hyde park ma 02136 local number 617 363 5000 fax number 617 363 5175 dimock street area office 30 dimock street roxbury ma 02119 local number 617 989 2800 fax number 617 445 9147 park street area office 50 park street dorchester ma 02122 local number 617 822 4700 fax number 617 282 1019 page 15 superintendent circular sup-20 page 15 15 harbor area office 80 everett avenue suite 100chelsea ma 01250 local number 617 660 3400 fax number 617 884 0215 boston police department family justice center sexual assault unit main number 617 343 4400 suffolk county district attorney office main number 617 619 4000 child abuse unit 617 619 4300 attachment 3 dcf 51a report form page 1 superintendent circular number eqt-02 version 01 bias base conduct student families party circular remain effect rescind supersede subsequent version purpose boston public schools commit maintain environment free bias discrimination student flourish family welcome able engage fully partner student education boston public schools utilize procedure outline circular investigate resolve report allege violation district nondiscrimination policy eqt-01 target student family party procedure design facilitate prompt effective internal review resolution allegation bias base conduct discrimination base race color age disability sex gender gender identity religion national origin ancestry retaliation sexual orientation genetic natural protective hairstyle military status homelessness intent procedure ensure great extent possible report bias base conduct resolve constructive manner page 2 superintendent circular eqt-02 page 2 10 employee boston public schools aware possible bias base conduct involve student report incident concern school leader supervisor and/or office equity soon practicable generally school day standard apply partner contractor provide service auspex boston public schools coverage procedure pertain solely report explicitly allege bias- base conduct relate race color age disability sex gender gender identity pregnancy religion national origin ancestry retaliation sexual orientation genetic natural protective hairstyle military status homelessness apply allegation discrimination harassment bias base bullying activity auspex boston public schools include limit admission provision accessibility program service guidance practice participation sporting event extracurricular activity example unacceptable conduct include treat student differently membership protect group treatment interfere limit student ability participate benefit educational opportunity extracurricular program bias base conduct include derogatory verbal write print digital page 3 superintendent circular eqt-02 page 3 10 communication conduct relate student membership protect category form communication physical action create intimidating threatening abusive educational environment tolerate conduct originate student employee cause person participate observe engage district sponsor activity behavior occur location boston public schools building outside bps school work hour constitute bias base conduct violation policy behavior effect disrupt student ability learn example inappropriate behavior student violate policy include speak communicate derisively student parent membership protect group race include use slur tell digitally circulate joke derisive member particular group student particular religious faith insulting nickname member protect group female student refuse allow student participate activity membership protect group sexual orientation absence legitimate nondiscriminatory reason refusal page 4 superintendent circular eqt-02 page 4 10 disciplining student frequently harshly membership protect group national origin display picture take action derisive student base membership refusal use gender identity affirm and/or pronoun student state student experience microaggression verbal nonverbal communication root implicit bias rise level violation circular example include mistake student share racial identity compliment student have skill counter stereotype gender ethnicity assume student observe particular religious holiday particular sexual orientation ask student disability consent microaggression report office equity office partner student family appropriate school staff determine effective intervention coach mediation restorative justice individual classroom school wide instruction training page 5 superintendent circular eqt-02 page 5 10 general policy 1 retaliation student family member party report participate way reporting investigative procedure strictly prohibit 2 possible investigatory meeting schedule mutually convenient time conflict regularly schedule school program 3 report possible violation construe reflect unfavorably student family member party good standing academic performance loyalty desirability boston public schools 4 information allegation include party involve report investigation keep confidential extent practicable 5 determine allege conduct constitute violation bps nondiscriminatory policy superintendent designee consider surround circumstance nature behavior relationship party involve context alleged incident occur determination particular action incident constitute violation policy base fact page 6 superintendent circular eqt-02 page 6 10 procedures i. reports school leaders students family party encourage report concern bias base incident kind school principal headmaster advise file report close time incident possible matter generally easily resolve soon report principal headmaster designee attempt work individual(s resolve matter contact office equity ensure step carry partnership office equity appropriately document student family party wish seek assistance school principal headmaster dissatisfied principal headmaster attempt resolution report concern directly office equity policy shall prevent student family member party report concern directly office equity ii report office equity 1 member office equity staff ask reporter information incident(s request reporter submit write statement office equity ensure assistance provide prepare write statement need page 7 superintendent circular eqt-02 page 7 10 2 report receive office equity notify appropriate school leader(s and/or individual report file appropriate 3 office equity conduct fair impartial thorough prompt review report incident(s investigate need investigation include interview individual pertinent information review document information relevant investigation bps employee student obligate cooperate equity investigation include promptly provide request information document 4 individual report alleged bias base conduct subject investigation generally inform investigation complete prohibit conduct find depend fact gather office equity resolve concern apply approach alternative dispute resolution restorative justice training coach instance result investigation document write finding 5 office equity maintain record report bias base conduct office equity note school department allege incident(s occur person accuse result investigation office equity review record identify pattern appropriate action necessary office equity page 8 superintendent circular eqt-02 page 8 10 1 seriously concern possible bias base conduct 2 necessary step end conduct determine violation district nondiscrimination policy prevent conduct recur future 3 refer individual find violate district nondiscrimination policy disciplinary action appropriate employee action include write warning suspension termination action deem appropriate circumstance information employee discipline procedures superintendent circular hrs pp10 student action include suspension expulsion action deem appropriate circumstance information student discipline code discipline student students disabilities superintendent circulars sup-05 spe-15 4 require student employee party find violate district nondiscrimination policy attend equity protocol and/or bias prevention training appropriate page 9 superintendent circular eqt-02 page 9 10 state federal remedy bps equity reporting process prohibit file complaint state federal agency agency short time period file claim ocr 180 day dese school year mcad 300 day  incident involve student civil right united states department education office civil rights ocr john w. mccormack post office courthouse 5 post office square 8th floor suite 900 boston ma 02109 617 289 0111  concern student equitable access education massachusetts department elementary secondary education dese 350 main street malden ma 02108 781 388 3300  concern civil right relate food nutrition school provide meal u.s. department agriculture office assistant secretary civil rights 1400 independence avenue sw washington dc 20250 page 10 superintendent circular eqt-02 page 10 10  incident employee civil right massachusetts commission discrimination mcad office location address boston ashburton place room 601 boston ma 02108 617 994 6000 springfield 436 dwight street suite 220 springfield ma 01103 413 739 2145 new bedford 800 purchase street room 501 new bedford ma 02740 508 990 2390 worcester 484 main street room 320 worcester ma 01608 508 453 9630 information circular contact owner director compliance title ix coordinator department office equity mailing address 2300 washington st. roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 email bpsequity@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-01 version 01 promotion policy circular remain effect rescind supersede subsequent version boston public schools student leader scholar entrepreneur advocate innovator tomorrow bps ensure 100 student ready college career life ensure graduate proficient reader communicator problem solver critical thinker demonstrate habit mind work require success school world work know acquire knowledge connect familiar concept prior knowledge apply sophisticated technology master key skill understand important concept english language arts mathematics science technology history social science world language arts health physical education apply concept real life context value contribution school community page 2 superintendent circular cao-01 page 2 10 expectation frame teaching learn assessment process critical lifelong learning essential gain student commitment learning process responsibility accountability teacher administrator parent adult involve life student share responsibility ensure student meet expectation boston public schools schools adult work accountable ensure student learn environment safe welcoming sustaining receive quality instruction responsive strength need receive timely information progress families student family responsible ensure child come school day time ready learn student responsible come school class prepared time work hard contribute school environment positive responsible manner page 3 superintendent circular cao-01 page 3 10 bps promotion policy promotion policy develop alignment bps opportunity achievement gap policy state preamble child classroom school boston public school system opportunity achieve greatness anybody child unfettered access conceivable tool unlock greatness bps promotion policy outline expectation school team ensure student access conceivable tool support meet grade level learn expectation consider possibility retention bps school team individual educator provide student access high quality differentiate relevant tier 1 instruction align grade level standard implement high quality material school team individual educator monitor student progress grade level expectation formal informal datum collection ongoing adjustment instruction respond evidence student learning school team individual educator ensure student access tiere support provide appropriate scaffold instruction student able develop grade level knowledge skill case determined student available support provide develop necessary grade level knowledge skill end school year school team include student family teacher school page 4 superintendent circular cao-01 page 4 10 leader collectively decision student promotion team unable come decision member like dispute decision chief teaching learning bring support decision make process principal head school final authority promotion decision school team decision base follow principle ensure promotion earn base academic achievement diminish grade retention great extent possible ensure student enter classroom skill knowledge necessary grade level work necessary support accelerate learn ensure student prepared demonstrate proficiency massachusetts comprehensive assessment establish process support student demand hard work recognize student learn different rate organizational structure respond student difference define input outcome teacher administrator parent student accountable page 5 superintendent circular cao-01 page 5 10 promotion requirement grades student fulfill requirement promote grade student earn pass grade core academic course maintain good attendance school establish promotion requirement exceed list school site council approve additional requirement high school student pass course align bps graduation policy cao-07 order earn credit necessary graduate english learner student program english learner meet promotion graduation requirement el student retain grade reason pass require test lack language knowledge student disabilities student disability expect meet promotion graduation requirement student individualized education program iep section 504 plan describe condition student standardized test subject schedule assessment student require alternate assessment alternate assessment intend minimal number student significant disability unable standard mcas test accommodation page 6 superintendent circular cao-01 page 6 10 student 504 plan describe test accommodation need required process principals head school responsible effectively implement following process 1 parent notify end september phone number school staff member addition child teacher concern relate child academic progress parent inform concern child academic progress notify appropriate teacher principal head school designate administrative liaison parent 2 mid october teacher consider student risk meet subject grade level standard teacher notify parent immediately writing refer student appropriate administrator guidance counselor student support service personnel 3 student identify risk meet subject grade level standard principal head school teacher(s designate staff work parent student resolve problem consider variety option include page 7 superintendent circular cao-01 page 7 10 tiere academic social emotional support examine alter current instructional strategy material tutoring school change schedule change teacher referral support social service health relate service problem solving student individual impact student achievement 4 close mark term problem persist student remain risk retention additional option consider include referral school student success team sst referral safety net alternative program intensive service access additional instructional time day extended day summer school referral special education necessary appropriate determine evidence disability pre- referral documentation provide evidence intervention attempt page 8 superintendent circular cao-01 page 8 10 parent engage consideration additional intervention strategy inform writing decision result parent request referral special education service case final determination appropriate service rest appropriate iep section 504 team 5 intervention unsuccessful student sufficient academic progress course school year student consider retention potential retention review promotion review team include principal head school designee guidance counselor student support team member student teacher child parent 6 review team include liaison teacher student iep bilingual teacher counselor administrator student enrol transitional bilingual program 7 end january formal write notice send parent student remain risk retain promotion review team meet february end year review decision student risk retain principal head school final authority promotion decision page 9 superintendent circular cao-01 page 9 10 8 period february june school maintain write bimonthly contact parent send formal write notice apprise child progress copy notification keep file 9 student retain remain risk promote provide additional support include tutoring subsequent school year home school partnership success student receive transition support depend engagement parent(s education schools implement variety strategy help parent successful partner child development effort coordinate school guidance support staff connection community resource schools collaborate community agency community school high education institution support student overall literacy math development increase volunteer involvement school diminish health social emotional problem undermine success school effort support school guidance support staff page 10 superintendent circular cao-01 page 10 10 information circular contact owner chief teaching learning department office teaching learning mailing address 2300 washington st. boston ma 02119 phone 617 635 9000 email opl@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-10 version 01 military recruiters circular remain effect rescind supersede subsequent version purpose circular provide clarification law require release student information access student high school level military recruiter federal legislation require local educational agency lea receive federal fund release name address telephone listing secondary student grade 9 military recruiter institution high education student succeeds act essa contain similar language concern obligation release student name address telephone listing military recruiter institution high education require lea provide parent guardian prior notification notification provide boston public schools guide boston public schools students families policy handbook note parent guardian request information release give parent guardian prior notification accordingly copy request parent guardians writing file school office copy sign request master list student name student number page 2 superintendent circular lgl-10 page 2 3 forward october 15 head school office data accountability military recruiter contact high school request master list student name address recruiter ask request directly office data accountability second provision law authorize direct access high school student military recruiter usually access form request space available school military recruiter distribute literature speak address interested student act require recruiter give access student provide generally post secondary educational institution prospective employer review practice assure henceforth i.e. business high education military recruiter access summary significant date deadlines date activity october 15 head school forward office data accountability list student name give military recruiter page 3 superintendent circular lgl-10 page 3 3 information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-03 version 01 renovations school building yards external funding circular remain effect rescind supersede subsequent version guarantee work perform school department property conform district standard building life safety code requirement follow procedure establish external funding source particularly process peoplesoft financial system i.e. boston educational development foundation bedf renovations vs repairs follow table list project fall category renovation repair maintenance sequence follow page 2 superintendent circular fmt-03 page 2 9 renovations repairs maintenance type process type process major renovation improvement alterations require programmatic change alterations exist space wall wall toilet room renovation submit request space modifi- cations general repair i.e. break glass break lock hardw graffiti leak plumbing roof submit work request properly plan resource budget request renovation come school year initiate requester later december 1 previous school year request receive deadline approve page 3 superintendent circular fmt-03 page 3 9 request renovation alteration school building yard follow sequence outline 1 complete form 2 submit request asset essentials choose modification space work type attach form work order 3 confirmation receipt send person submit request 4 form asset essentials request review cross- functional team determine step a. planning analysis verifie request alignment current future space requirement b. finance determine financial issue challenge request c. facilities management determine feasibility request step 1 2 complete 5 request review determine work complete 6 follow email send school leader requester school superintendent provide status timeline request note project approve 7 approve facilities management engage establish plan timeline identify project request comply process consider page 4 superintendent circular fmt-03 page 4 9 office facilities management planning engineering review approve plan improvement school building yard external funding strongly recommend school communicate director facilities management prior submit grant funding application seek material support require alteration and/or addition school facility applicant receive acceptance director facilities management facilities management willingness participate implementation contingent school successful grant application funding etc principals head school community school director include director facilities management drafting plan require form alteration addition repair and/or connection building service location property school director facilities management submit plan specification and/or product datum appropriate planning engineering staff review approval propose plan specification product datum warranty and/or maintenance agreement process ensure thorough review propose renovation alteration addition repair and/or connection exist building system include material quality workmanship fairness pricing contractor ability complete propose project contractor perform work proper insurance coverage include limit worker compensation general liability property damage page 5 superintendent circular fmt-03 page 5 9 request facilities improvement form attachment fill forward planning engineering 1216 dorchester avenue boston ma 02125 work proceed final approval office facilities management planning engineering division request space modification form information circular contact owner executive director facilities department facilities management mailing address 1216 dorchester avenue dorchester ma 02125 phone 617 635 9170 fax 617 635 9252 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 6 superintendent circular fmt-03 page 6 9 attachment office facilities management request facilities improvement date school address contact telephone project title funding source budget year org fund code program account sub class proj./grant expense object propose implementation date project description justification attach sketch page 7 superintendent circular fmt-03 page 7 9 return form brian forde executive director office facilities management 1216 dorchester avenue dorchester ma 02125 page 8 superintendent circular fmt-03 page 8 9 planning engineering use project cost estimate a. opm fee project $ 1,500,000 b. design fee need c. construction cost d. contingency a+b+c x 15 total cost a+b+c+d estimated project timeline owner project manager selection submit cb-04 advertise rfp rfp interview award designer selection submit cb-04 advertise rfp rfp interview award page 9 superintendent circular fmt-03 page 9 9 bidding construction advertise file sub bid advertise general bids file sub bid general bids award contract construction start completion date maintenance plan require annual maintenance cost maintenance schedule prepare date approve date page 1 superintendent circular number fmt-15 version 01 annual environmental inspection audit program conduct boston public schools boston public health commission circular remain effect rescind supersede subsequent version policy fully meet intent requirement city boston indoor air quality ordinance 7.12.1 4 boston public schools bps boston public health commission bphc designate indoor air quality unit shall ensure minimum facility inspection occupy school building complete annual basis report assessment condition site develop bps bphc present school principal head school publish bps website annually implementation plan indoor air quality iaq unit responsible complete annual bps environmental inspection audit inspection page 2 superintendent circular fmt-15 page 2 3 comprise representative bps facilities management environmental division bphc office environmental health iaq unit conduct inspection occupy bps own operate building academic school year inspection begin beginning academic school year complete end academic year following year environmental audit bps bphc inspection report investigate note environmental condition report inspector test look health safety condition interior exterior building include limit general sanitation housekeeping water staining leak mold general building repair sign p infestation activity general life safety unobstructed mean egress bathroom sanitation hygiene operability general ventilation etc completion annual environmental inspection facilities management immediately address critical health safety deficiency file work order appropriate division incorporate needed work school site annual budgeting process ongoing basis facilities management provide technical assistance principal head school environmental problem building relate issue page 3 superintendent circular fmt-15 page 3 3 significant date deadlines date activity september environmental inspection begin beginning academic school year ongoing principals head school receive detailed inspection report follow completion building inspection june environmental inspection school building complete end academic year august 31 environmental inspection report post bps website link https://www.bostonpublicschools.org/domain/175 information circular contact owner sr environmental supervisor department facilities management mailing address 1216 dorchester avenue dorchester ma 02125 phone 617 635 8300 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number ath-02 version 01 athletic eligibility circular remain effect rescind supersede subsequent version aspen/ eligibility management aspen manage student interested ultimately participate athletic season student sport participate accurate aspen start season key personnel athletic coordinator nurse school admin school level ability seasonal list participate student current eligibility status athletic coordinator athletic trainer school nurse coach communicate regularly ensure aspen accurately reflect participate team aspen sign period open 8 week prior start season sign period aspen close 14 day start season athlete start 14 day window minimum 5 day practice prior allow participate game competition label provide student aspen identify follow aspen athletic eligibility status definitions interest define student identify interest complete sign aspen page 2 superintendent circular ath-02 page 2 12 active define wait student i.e. turn require documentation know bps athletic participation forms copy valid 13 month physical exam athletic trainer school nurse athletic trainer available tryout status action required define action school athletic department submit miaa waiver form applicable ineligible define meet baseline eligibility requirement i.e. valid 13 month physical exam file document aspen meet academic enrollment attendance gpa requirement pending define await decision high authority i.e. miaa waiver approval bps athletic department school principal head school designee review student academic eligibility eligible define meet eligibility requirement participation miaa approval record bps athletic department inactive define participate team tryout responsibilitie athletic coordinator serve athletic liaison primary contact school athletics department coach support athletic athletic coordinator responsible student- athlete eligibility collaboration coach athletic trainer school nurse school leadership page 3 superintendent circular ath-02 page 3 12 head coach assistant coaches knowledgeable miaa eligibility rule regulation interest list team organize coach communicate eligibility concern athletic coordinator resolve prior start season practice athletic department staff support school eligibility waiver process serve liaison school miaa athletics department staff schedule meeting prior start season athletic coordinator athletic trainer school nurse necessary indicate support staff review student athlete eligibility athletic department staff maintain aspen functionality advise teach athletic training staff necessary operation aspen system need athletic trainers athletic trainer responsible primary review athletic physical determine date(s valid pre participation physical examination ppe athlete eligibility base have date ppe file athletic trainer route ppe obtain student athlete school nurse place student athlete file athletic trainer provide coach list athlete valid date ppe deem eligible play head school principal aware officially sign eligibility roster page 4 superintendent circular ath-02 page 4 12 team season need school leader support sign miaa bps eligibility waiver request new head school require attend miaa rule workshop summary high school interscholastic eligibility 1.67 high gpa school choose high gpa athletic participation pass 4 core class school attendance rate 90 high align current bps attendance policy physical examination complete 13 month state student athlete clear athletic expire end season sport clearance r athletic trainer and/or school nurse students turn 19 september 1 current academic year ineligible age waiver grant miaa summary middle level eligibility 2.0 high gpa school choose high gpa athletic participation school attendance rate 90 high align current bps attendance policy physical examination complete 13 month state student athlete clear athletic expire end season verification school nurse athletic trainer and/or school nurse students turn 15 september 1 current page 5 superintendent circular ath-02 page 5 12 academic year ineligible compete yearly sign parental consent form transferable season season detailed overview high school interscholastic/ miaa athletics season start date fall sports 3rd friday august football aug 18 winter sports 1st monday thanksgiving november 27 spring sports monday march march 18 2024 participate student athlete meet follow criterion eligibility season 1 age rule 60 student shall 19 year age compete remainder school year provide birthday occur september 1 year 2 transfer student rule 57 student transfer school miaa member hs ineligible participate interscholastic athletic contest level period page 6 superintendent circular ath-02 page 6 12 year sport student participate varsity level equivalent year period immediately precede transfer note miaa form 200 execute receiving send school principal miaa member school ii form 200s submit athletics department miaa office record b reason transfer exemption transfer rule student school transfer necessitate i.e. require change residence parent(s area serve school transfer ii exception apply change custody guardianship student change residence parent apply student continue attend school 3 date enter school miaa rule 51 student athlete enrol school start season eligible participate athletic b appeal miaa waiver 4 student eligibility membership school miaa rule 55 student shall member miaa member secondary school minimum month exclusive summer vacation page 7 superintendent circular ath-02 page 7 12 5 year eligibility student enter 9th grade eligible year b student shall eligible interscholastic competition 12 consecutive athletic season enter grade 9 c waiver request additional year eligibility extenuate circumstance involve 6 grade point average gpa transcripts miaa rule 58 bps require student cumulative gpa 1.67 high eligible participate interscholastic athletic b mark period precede contest e.g. second quarter mark semester grade determine quarter eligibility pass grade equivalent major subject c satisfy requirement student pass sufficient course mark period carry carnegie unit total equivalent traditional 1 year major english course d time student student time represent school student take course provide carnegie units equivalent traditional 1 year major english course e eligible fall mark period student require pass previous academic year equivalent traditional 1 year major english course page 8 superintendent circular ath-02 page 8 12 incomplete grade count eligibility follow school policy ii student repeat work receive credit count subject second time eligibility iii student count eligibility subject take summer vacation subject pursue fail precede academic year 7 boston public schools athletic programs consent participation form bps athletic programs consent participation form complete file prior student- athlete allow participate play bps athletic team b bps athletic programs consent participation forms send parent guardian student athlete completion aspen registration form distribute docusign distribute atc review school athletic coordinator form need complete school year bps athletic programs consent participation forms consist follow require form parent guardian consent form ii acknowledgment miaa 1 miaa rule 57 student eligibility transfer page 9 superintendent circular ath-02 page 9 12 student 2 miaa rule 59 student eligibility time allow participation post 9th grade enrollment 3 miaa diversity equity inclusion pledge new nov 2022 iii commonwealth massachusetts chapter 269 section 17 anti hazing law iv hold harmless agreement v concussion awareness vi upload current physical examination review atc vii media appearances viii dph head injury form ix mgb athletic training services agreement 8) physical exam miaa rule 56 participate student valid physical pre participation examination ppe complete 13 month b physical ppe form statement clear student athletic sport c physical ppe complete file bps athletics aspen prior student athlete allow practice play bps athletic team d physical ppes valid file page 10 superintendent circular ath-02 page 10 12 entire athletic season e physical ppes include date examination physician signature electronic actual word state student- athlete clear athletic sport competition 9 enrollment/ attendance attendance term prior season 90 high b student ineligible practice compete school half school day c student practice represent miaa member school athletic competition student duly enrol school 51 student shall member miaa member secondary school minimum month exclusive summer vacation issue report card precede contest enter elementary junior high school start school year transfer school miaa rule 55.1 10 miaa waiver request process form 200s send miaa office transfer file b student waiver athletic eligibility waiver include following letter support principal ad school page 11 superintendent circular ath-02 page 11 12 administrator address standard rule 87.5 ii transcript year enter grade 9 include current grade iii current school year attendance record iv comprehensive athletic resume include application v league district advisory vote vi form 200 applicable c standard address waiver application change address waiver impact home school student body new language capture overall impact waiver home school student body d new section add rule 87 title accountability detail process event inaccurate incomplete information present waiver process 11 miaa appeals process fall 2021 level appeal appeal hear board consist member miac erb decision final b deadline submit waiver follow fall september 21 2023 ii winter december 14 2023 iii spring march 31 2024 page 12 superintendent circular ath-02 page 12 12 c waiver submit date appeal hearing grant information circular contact owner senior director athletics department athletics department mailing address white stadium p.o. box 302205 jamaica plain ma 02130 phone 617 635 8143 fax 617 635 8147 email bpsathletictrainer@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-21 version 01 policy use bps buildings facilities political purpose circular remain effect rescind supersede subsequent version build administrator manager facility boston public school department aware boston public schools policy use facility political purpose boston public school facility predominantly political activity activity support political candidate ballot question use boston public school facility predominantly governmental activity incidental political activity overlap activity relate education law funding policy relate specific teaching learn particular school occur prior notification specific approval superintendent designee example activity include signing education legislation announcement educational policy result announcement receipt grant fund example demonstrate activity furtherance purpose governmental fund appropriate boston public schools incidental political activity page 2 superintendent circular lg-21 page 2 2 associate therewith use boston public school facility political activity obtain prior approval superintendent designee unauthorized use consider unwarranted privilege purpose massachusetts conflict interest law additional information political activity generally superintendent circular lgl-09 political activity public employee information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fse-05 version 01 medical emergency management circular remain effect rescind supersede subsequent version follow guideline relate medical emergency individual student different episode entire school safety contingency plan refer superintendent circular fse-01 school safety contingency plan activate guideline complementary school nurse assign school assist development implementation medical emergency protocol element include protocol describe emergency information prevention medical emergency begin knowledge underlying medical issue emergency information cards form 460 electronic equivalent contain basic pertinent datum activate emergency medical plan student file school information complete opening school september update january 1 april 1 school year addition parental contact phone number alternate emergency contact primary language speak home page 2 superintendent circular fse-05 page 2 12 custody issue documentation card electronic equivalent contain insurance company policy number clinician phone hospital child take emergency listing health problem listing medication take home school allergies vision hear problem history surgery illness year building administrator practice expeditious mean secure necessary information routine illness minor injury responsibility principal head school consultation school nurse decide routinely ill slightly injure student remain school release home necessary student leave school home follow procedure follow parent guardian case contact individual designate emergency information card necessary arrangement student pick school responsible adult refer superintendent circular saf-08 release students authorized persons page 3 superintendent circular fse-05 page 3 12 parent guardian inform emergency aid administer school advise seek medical attention necessary parent guardian student sustain minor injury illness locate child remain school regular dismissal time circumstance student release adequate adult supervision instance student release properly document log office principal head school log indicate pertinent information include time child arrive home child release parent guardian parent guardian consent proper identification parent guardian designee medical emergencie principal head school administrative programmatic responsibility activity occur school case medical emergency exist principal head school consult follow advice assign nursing staff medical emergency define generally potentially life limit life threaten situation require immediate medical attention case indecent assault rape protocol management specific medical emergency available nurse keep file nurse office page 4 superintendent circular fse-05 page 4 12 beginning school year school nurse communicate relevant staff know potential health emergency individual student meeting document student individual health plan principal head school responsible respond medical emergency school nurse available principals head school compile list staff cpr aed aid responder training provide immediate lifesaving measure ems arrive staff member member school safety team immediate phone support available health services office 617 635 6788 school nurse complete list staff train administration epinephrine event life- threaten allergic reaction list remain file school administrator epinephrine lock away available school staff secure location recommend school nurse school leader staff involve medical emergency hold debrief meeting follow incident injury illness protocol stabilize student qualified school staff activate emergency medical system ems call 911 case indecent assault rape require boston police notification 911 page 5 superintendent circular fse-05 page 5 12 superintendent office 617 635 9057 notify school safety services 617 635 8000 respond ambulance crew emergency medical technician emt paramedic consult qualified school official assess need transportation medical facility ems assume medical management child school personnel designate principal head school accompany student ambulance remain child parent guardian arrive b child attend appropriate qualified medical personnel take custody child whichever occur accompany staff require medical experience present solely comfort child recommend school nurse accompany student school nursing support student require nursing care school day aid emergency care school representative bring student emergency information card individual collaborative health plan student identify chronic health need emergency action plan available pertinent medical information hospital emergency occur school bus driver and/or monitor present provide safety child dispatcher notify 911 ems arrive dispatcher call child hospital child transport page 6 superintendent circular fse-05 page 6 12 dispatcher call department safety services 617 635- 8000 notify family safety officer proceed emergency room meet student family ➢ release student victim indecent assault rape comply procedure outline memorandum superintendent circular saf-08 release students authorized persons communicable disease massachusetts general law public health regulation govern reporting control communicable disease public school suspect case communicable disease require confirmation local health authority plan action develop student suspect have reportable communicable disease principal head school designee contact school nurse nurse principal head school contact health services administration health services contact collaborate public health commission confirm diagnosis school nurse conjunction principal head school designee health services local health authority assess health risk develop plan action address issue question concern direct health services 617- 635 6788 page 7 superintendent circular fse-05 page 7 12 department safety services department safety services boston school police locate 213 townsend street rear boston latin academy dorchester ma 02121 phone 617 635 8000 school administrator notify dept safety services telephone illness injury notify emergency medical services 911 dept safety services personnel receive level aid training initiate assistance appropriate level training dept safety services administrator respond scene practical dept safety services resource assist make parent guardian notification notification school staff parent incident principal head school follow guideline establish superintendent circular fse-01 school safety contingency plan provide feedback staff incident generally know matter concern parent administrator meet school parent council advise precautionary measure take prevent recurrence incident event illness injury involve student parent guardian notify soon possible notification include available information page 8 superintendent circular fse-05 page 8 12 include hospital destination child transport medical facility student witness medical emergency parent guardian notify prior student remove school interview police member emergency response agency summary significant date deadline date activity september complete emergency information cards form 460 january update form 460 april update form 460 emergency plan emergency occur 1 stay student 2 designate adult nurse designee a. state b. state c. state problem 3 administrator designee responsible institute emergency plan emergency telephone procedure 1 dial 911 page 9 superintendent circular fse-05 page 9 12 2 state teacher paraprofessional boston public schools 3 state school address telephone number note number office number provide ems 4 state problem year old child need ambulance 5 specific direction meet direct address 6 hang ask information repeat answer question dispatcher hang telephone information correct verify emergency procedure 1 notify principal head school administrator inform nature emergency location student 2 administrator designee a. meet direct emt b. parent guardian c. superintendent office 617 635 9057 d. school safety 617 635 8000 3 school nurse designee accompany student hospital 4 paramedic decide hospital appropriate page 10 superintendent circular fse-05 page 10 12 5 copy emergency health care information 6 school personnel necessarily nurse designate principal head school accompany student ambulance remain student parent guardian arrive child take care appropriate qualified medical personnel take responsibility child care whichever occur paramedic care student arrive 7 school representative bring copy student emergency information card health card available information pertinent student incident illness hospital 8 department safety services resource assist notification parent guardian telephone 617 635 8000 9 school department personnel case transport sick injure child privately own motor vehicle 10 circumstance student send location taxi base solely notification receive telephone 11 strongly recommend student emergency information card form 460 regularly update information circular contact owner djenny lobo lopes page 11 superintendent circular fse-05 page 11 12 department health services mailing address 443 warren street dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org owner director emergency management preparedness department safety emergency management mailing address 205 townsend street boston ma 02121 phone 857 701 9404 email operations department- heads@bostonpublicschools.org owner chief safety services department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 page 12 superintendent circular fse-05 page 12 12 e mail operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs- l03 version 01 licensure requirement principals heads school basas employees circular remain effect rescind supersede subsequent version principal head school basas employee require hold administrative license issue state massachusetts department elementary secondary education dese type administrator license dese issue follow administrator license superintendent assistant superintendent principal assistant principal supervisor director special education administrator school business administrator requirement administrator position bps position title require follow license appropriate grade level(s page 2 superintendent circular hrs l03 page 2 7 bps position title required license principal head school principal assistant principal assistant principal head school principal assistant principal academy director supervisor director principal assistant principal academy leader supervisor director principal assistant principal director instruction supervisor director principal assistant principal director alternative education supervisor director principal assistant principal small learning community leader supervisor director principal assistant principal director curriculum assessment placement supervisor director principal assistant principal senior curriculum access specialist special education administrator license moderate severe disabilities teaching license combination principal/ assistant principal license senior curriculum manager principal assistant principal supervisor director special education administrator license senior program director principal assistant principal supervisor director special education administrator license program director principal assistant principal supervisor director special education administrator license basas classification require licensure depend page 3 superintendent circular hrs l03 page 3 7 type duty perform basas member responsible planning implementing developing curriculum instruction 50 time hold administrator license additionally basas administrator responsible evaluation employee hold administrator license responsible planning implement develop curriculum instruction evaluation employee follow bps employee hold license bps position title required license senior coordinator principal assistant principal supervisor director special education administrator license coordinator junior coordinator director assistant director bilingual program specialist senior program coordinator meeting massachusetts state licensure requirement follow information outline general guideline principal head school relevant basas employee follow meet massachusetts state licensure requirement dese determine individual licensure requirement review administrator application 1 pass massachusetts test educator licensure mtel page 4 superintendent circular hrs l03 page 4 7 communication literacy skills register mtel http://www.doe.mass.edu/mtel/. 2 complete licensure requirement administrator role seek available route a. complete approved program study dese approve educator preparation program sponsor high education professional association collaborative school district charter school organization approve program design meet requirement specific administrator license dese website http://www.doe.mass.edu/edprep contain list approve administrator preparation program b. complete administrative apprenticeship internship route licensure primarily field base experience require minimum 300 500 hour depend license pursue role license seek candidate complete route guide train mentor hold professional license role year participate seminar workshop opportunity assist candidate adequately address professional standards administrators c. recommend licensure panel review process route available administrator licensure candidate specific prerequisite experience superintendent candidate 3 apply licensure payment online page 5 superintendent circular hrs l03 page 5 7 process https://www.doe.mass.edu/licensure/apply-check- status-license.html 4 submit follow support documentation information dese a. following i. approve program endorsement ii administrative apprenticeship internship endorsement form form accessible guidelines administrator routes initial licensure http://www.mass.gov/edu/docs/ese/educator- effectiveness licensing panel review- administrator-routes.pdf b. letter write official letterhead superintendent designee principal previous employer document candidate complete year employment role current license required experience c. successful completion performance assessment initial license applicant principal assistant principal license require successfully complete performance assessment initial licensure ma_pal requirement currently development administrative license licensure grant satisfy licensure requirement prior requirement available d. official transcript undergraduate graduate study require specific license page 6 superintendent circular hrs l03 page 6 7 information requirement administrator license available guidelines administrator routes initial licensure http://www.mass.gov/edu/docs/ese/educator- effectiveness licensing panel review administrator- routes.pdf process report licensure office human resource responsibility principal head school relevant basas employee supervisor ensure proper licensure place record bps licenses section peoplesoft find workforce development maintain office human resources electronic download department elementary secondary education process licensure related verifications educator employee seek licensure relate verification and/or loan forgiveness complete bps educator licensure relate verification requests form page 7 superintendent circular hrs l03 page 7 7 information circular contact department office human resources mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9600 fax 617 635 7956 email employeeservices@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp13a version 01 family medical leave act small necessities leave act circular remain effect rescind supersede subsequent version eligible employee entitle 12 week leave family medical leave federal law 24 hour leave family obligation state law fiscal year july 1 june 30 school base employee report principal head school custodian cafeteria worker itinerant submit leave request hub federal family medical leave act 1 eligibility employee employ boston public schools 12 month bps work 1,250 hour prior 12 month period eligible 2 purpose incapacity pregnancy prenatal medical care childbirth page 2 superintendent circular hrs pp13a page 2 11 care son daughter 12 month birth adoption placement adoption foster care employee need care spouse son daughter parent health condition ○ son daughter mean biological adopt foster child stepchild legal ward child person stand loco parentis age 18 age 18 old incapable self care mental physical disability parent include law employee health condition make employee unable perform job health condition mean illness injury impairment physical mental condition involve ○ period incapacity treatment connect inpatient care ○ period incapacity require absence 3 calendar day work daily activity involve continue treatment health care provider ○ period incapacity pregnancy prenatal care ○ period incapacity chronic health condition e.g. asthma diabete epilepsy ○ period incapacity permanent long term condition treatment effective e.g. alzheimer stroke terminal disease ○ period absence receive multiple treatment injury condition result incapacity page 3 superintendent circular hrs pp13a page 3 11 day treat e.g. chemotherapy physical therapy dialysis 3 length leave subject fmla qualification 12 week leave take fiscal year qualify exigency arise fact employee spouse son daughter parent active duty active duty status member national guard reserves support contingency operation permit spouse son daughter parent kin 26 work week leave care member armed forces include member national guard reserves undergo medical treatment recuperation therapy outpatient status temporary disability retire list injury illness qualifying exigency include issue arise cover military member short notice deployment i.e. deployment seven day notice period seven day date notification military event relate activity official ceremony program event sponsor military family support assistance program informational briefing sponsor promote military military service organization american red cross relate active duty active duty status cover military member page 4 superintendent circular hrs pp13a page 4 11 certain childcare related activity arise active duty active duty status cover military member arrange alternative childcare provide childcare non routine urgent immediate need basis enrolling transfer child new school day care facility attend certain meeting school day care facility necessary circumstance arise active duty active duty cover military member making update financial legal arrangement address cover military member absence attend counseling provide health care provider oneself cover military member child cover military member need arise active duty active duty status cover military member take day leave spend time cover military member short term temporary rest recuperation leave deployment attend certain post deployment activity include attend arrival ceremony reintegration briefing event official ceremony program sponsor military period 90 day follow termination cover military member active duty status address issue arise death cover military member event employee employer agree qualify exigency page 5 superintendent circular hrs pp13a page 5 11 special restriction apply teacher request leave depend length timing leave(s office human resources advice special rule apply teacher situation 4 request leave absence notice requirement need leave foreseeable employee provide bps 30 day notice 30 day notice practicable notice give soon possible generally business day employee submit leave request online request leave absence application instruction information section 8) employee request absence 5 day fulfill national guard military reserve responsibility submit request ess.boston.gov provide support documentation responsibility center manager absence 6 day submit online application 5 certification(s)/documentation wh-380 e f form medical certification documentation official letterhead health care provider require leave health condition second opinion require fitness duty report return work 6 pay unpaid leave benefit leave unpaid extent accrue sick leave personal leave vacation leave apply provide page 6 superintendent circular hrs pp13a page 6 11 applicable collective bargaining agreement school department policy employee take leave health condition require use accrue pay sick leave vacation leave fmla leave pay leave exhaust employee take fmla leave care spouse child parent require use accrue pay vacation leave fmla leave pay leave exhaust employee accrue pay leave exhaust remain fmla leave unpaid medical insurance group health plan maintain benefit accrue unpaid leave provide term applicable collective bargaining agreement 7 relationship leave provide collective bargaining agreements policy leave diminishe augment great leave purpose provide collective bargaining agreement law policy page 7 superintendent circular hrs pp13a page 7 11 8 request leave absence employee submit request leave electronically online application leave request submit electronically automatically send principal head school employee school notification office human resources review employee supervisor automatically notify leave approve deny pende documentation bps email request leave access office human resources workspace ○ click office human resources workspace ○ click forms tab ○ drop menu select leave request ○ read instruction complete application access application request leave absence online small necessities leave act snla employee leave family obligation state law 24 hour annual leave 1 eligibility employee employ 12 month bps work 1,250 hour prior 12 month period eligible federal family medical leave page 8 superintendent circular hrs pp13a page 8 11 2 purpose participate school activity directly relate advancement employee son daughter parent teacher conference interview new school ○ son daughter include foster child legal ward child person stand loco parentis 18 year age old incapable self care ○ school include head start licensed day care facility accompany son daughter routine medical dental appointment routine check vaccination accompany elderly relative 60 year routine medical dental appointment professional service interview nursing home 3 length leave increments leave take increment hour 24 hour fiscal year leave augment leave take federal family medical leave act different purpose diminish great leave provide collective bargaining agreement school policy request leave notice requirement page 9 superintendent circular hrs pp13a page 9 11 need leave foreseeable employee office human resources seven 7 day prior notice need foreseeable employee notify responsibility center manager soon practicable give circumstance case extent possible employee provide write notice need leave 1 certification documentation employee use attach certification page 7 request snla leave apply leave hub original copy submit responsibility center manager forward office human resources 2 pay unpaid leave leave family obligation unpaid employee choose substitute accrue vacation personal time unpaid leave provide applicable collective bargaining agreement school department policy provide state law city ordinance page 10 superintendent circular hrs pp13a page 10 11 information circular contact owner leave absence team department office human resources mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9255 fax 617 635 7957 email ohrleaves@bostonpublicschools.org mary skipper superintendent page 11 superintendent circular hrs pp13a page 11 11 small necessities leave act employee leave family obligation 24 hours employee certification certify hour leave following purpose  participate school activity directly relate educational advancement son daughter  accompany son daughter routine medical dental appointment check up vaccination  accompany elderly relative routine medical dental appointment appointment professional service relate elder care furthermore understand absence record use select  sick time  comp time  floating holiday  vacation time  personal time employee signature employee print employee id number date submit original copy responsibility center manager page 1 superintendent circular number hrs pm02a version 01 performance evaluation non instructional basas administrators circular remain effect rescind supersede subsequent version table content document purpose purpose performance management evaluation process overview step process step 1 self assessment step 2 analysis goal setting analysis step 3 implementation plan step 4 formative assessment step 5 summative evaluation june 15 upward feedback evaluation platform documentation timeline tools page 2 superintendent circular hrs pm02a page 2 11 appendix core competencies appendix b rating levels appendix c goal status scale document purpose document describe performance management evaluation process non instructional basas administrators assign school central office department purpose document provide clarity employee supervisor template tool use process refer circular hrs pm02 performance evaluation instructional basas administrators instructional basas staff evaluation procedure purpose performance management boston public schools bps student citizen leader scholar entrepreneur advocate innovator tomorrow city district ensure 100 percent student prepare college career life 21st century model district central office classroom want establish system performance management affirm ideal student superintendent sufficient resource information support achieve efficacy endeavor page 3 superintendent circular hrs pm02a page 3 11 fundamental purpose performance management bps school central office maximize productivity impact employee enable perform full potential approach design provide high- quality support school student family bps ensure graduate college career life ready performance management system 1 establish consistent set competency clearly set communicate expectation employee performance 2 align employee effort department organizational goal 3 create system structure gather monitor performance support employee feedback growth development 4 identify area strength leverage increase impact area growth provide targeted support 5 provide accountability individual enable contribution progress organizational goal 6 connect employee performance incentive recognition professional growth retention effort evaluation process overview non instructional basas member evaluate team leader responsibility center manager supervisor page 4 superintendent circular hrs pm02a page 4 11 designee criterion effective practice non instructional basas administrator identify core competencies define category list appendix great detail core competencies 1 results orientation 2 collaboration communication 3 job knowledge skills 4 cultural competency equitable practices 5 responsiveness service focus 6 leadership staff member supervise people project evaluation result goal rating competency rating overall performance rating base supervisor judgment evidence performance standard progress goal progress goal rate goal achieve goal significantly met active goal goal met goal defer greater detail rating level find appendix b end document page 5 superintendent circular hrs pm02a page 5 11 level performance apply performance competency overall performance rating shall highly effective effective develop minimally effective ineffective greater detail rating level find appendix b end document step process base good practice performance evaluation bps adopt step process evaluation process follow year employee supervisor step 1 self assessment september 1 employee review available evidence work performance prior feedback evaluation core competencies determine area strength area growth self assessment inform employee goal action plan upcoming year step 2 analysis goal setting analysis october 1 base employee self assessment job description individual aspiration school department goal employee supervisor establish 2 4 goal relate professional practice performance professional practice goal relate identify skill set knowledge employee want develop improve develop professional practice goal page 6 superintendent circular hrs pm02a page 6 11 employee supervisor look past performance feedback employee professional career aspiration professional practice goal align core competencies performance goal measurable target outcome relate employee work goal align employee team and/or departmental goal(s step 3 implementation plan ongoing employee perform job duty responsibility implement action step goal submit evidence support proficiency meet supervisor receive discuss feedback supervisor collect review evidence provide ongoing timely clear actionable feedback meet employee discuss feedback include recommendation improvement applicable step 4 formative assessment optional february 1 employee receive formative assessment provide employee formal feedback performance core competencies progress goal typically formative occur midway assessment year place early individual need additional support page 7 superintendent circular hrs pm02a page 7 11 step 5 summative evaluation june 15 employee shall receive summative evaluation provide employee formal feedback rating performance progress goal upward feedback process upward feedback direct report school leader applicable peer feedback incorporate employee performance evaluation evaluation platform documentation begin september 2023 non instructional basas administrator evaluation related documentation generate store bps online performance management platform vectorevals employee supervisor receive training accessing navigate platform prior start evaluation cycle training module available online demand format employee supervisor reference page 8 superintendent circular hrs pm02a page 8 11 timeline date activity july august office team individual goal setting begin supervisor review standard expectation employee september 1 employee self assessment employee goal action plan draft october 1 finalize employee goal action plan ongoing employee check in discretion individual provide feedback verbal written employee progress goal observed performance work product artifact implementation include peer feedback january 1 february 1 formative assessment meeting employee february 1 formative assessment optional finalize submit june 1 day submit artifact review prior summative evaluation june 15 summative evaluation finalize submit appendix core competencies link separate document page 9 superintendent circular hrs pm02a page 9 11 appendix b rating levels effectiveness level description highly effective performance far exceed expectation exceptionally high quality work perform essential area responsibility result overall quality work superior include completion major goal project exceptional unique contribution support team department district objective level achievable employee give infrequently < 10 employee effective performance meet expectation essential area responsibility quality work overall excellent annual goal meet develop performance consistently meet expectation essential area responsibility time possibly exceed expectation quality work overall good critical annual goal meet level expect individual new organization role page 10 superintendent circular hrs pm02a page 10 11 minimally effective performance consistently meet expectation performance fail meet expectation essential area responsibility and/or critical goal meet professional development plan improve performance attach include timeline monitor measure progress ineffective performance consistently expectation essential area responsibility and/or reasonable progress critical goal significant improvement need important area plan correct performance include timeline outline monitor measure progress appendix c goal status scale goal status description goal achieve goal milestone success measure achieve 100 goal goal significantly met goal milestone success measure achieve 85 goal active goal goal progress milestone achieve page 11 superintendent circular hrs pm02a page 11 11 goal met goal milestone success measure meet goal defer timing organizational reason goal defer information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 phone 617 635 9627 e mail eval@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number sss-18 version 01 bullying prevention intervention plan circular remain effect rescind supersede subsequent version boston public schools statement student bullying boston public schools tolerate unlawful disruptive behavior include bullying harassment cyberbullye discrimination retaliation hate crime form type school school relate activity boston public schools promptly investigate report complaint bully prompt effective action end behavior prevent recurrence action include appropriate referral law enforcement agency boston public schools support bullying prevention intervention plan plan aspect activity include curricula instructional program staff development family meeting training extracurricular activity student staff family caregiver concerned want report bullying confidently talk trust staff member safe space bullying prevention hotline 617 592 2378 additional resource support find succeed boston succeed boston lead districtwide initiative page 2 superintendent circular sss-18 page 2 44 student handbook aup acceptable use policy boston public schools code conduct update annually assure alignment include language prohibit bullying cyberbullye clearly define consequence connect district principal head school level boston public schools play critical role ongoing development implementation bullying prevention intervention plan context school community effort promote positive school climate principals school leader primary role teach student civil promote understanding respect diversity difference principal school leader responsibility set priority stay date policy current research way prevent effectively respond bullying boston public schools tolerate unlawful disruptive behavior include form bullying cyberbullying retaliation school building school ground school bus school bus stop school bus vehicle own lease school district use technology electronic device own lease school district school relate activity school promptly investigate report complaint bullying cyberbullying retaliation prompt action end behavior restore target sense safety boston public schools support commitment aspect school community include curricula instructional program staff development extracurricular activity family caregiver involvement student knowingly make false accusation bullying page 3 superintendent circular sss-18 page 3 44 subject disciplinary action define bps code conduct plan approve massachusetts department elementary secondary education post bps anti bulling web page copy plan shall post readily accessible school area visible family caregiver staff plan review update biennially mandate m.g.l. c. 71 37o. public involvement require m.g.l. c. 71 37o plan develop consultation constituency 3 2010 boston public schools meet biennially family caregiver teacher school administrator student central administrator community stakeholder develop plan effective sy 2024 2025 advisory group teacher administrator family caregiver community member develop review recommendation relate curriculum professional development community family engagement plan consultation include minimum notice public comment period prior adoption statement purpose boston public schools believe school community serve network support diverse student family staff committed provide student equal educational opportunity safe welcome learn environment student community member treat respect appreciate rich diversity school page 4 superintendent circular sss-18 page 4 44 boston public schools recognize certain student vulnerable target bullying harassment teasing base actual perceived characteristic include race color religion ancestry national origin sex socioeconomic status homelessness academic status gender identity expression physical appearance sensory disability association person perceive characteristic boston public schools continuously work identify specific step create safe supportive environment vulnerable population school community provide student skill knowledge strategy prevent respond bullying harassment teasing m.g.l. ch 71 37o beginning school year school provide community include student administrator external provider family caregiver staff write notice policy reporting act bully retaliation description reporting procedure resource include contact information principal school leader designee copy bullying incident reporting form information electronic reporting shall provide post available resource include number safe space bullying hotline information electronic reporting school main office school website counseling office space school nurse office location determine page 5 superintendent circular sss-18 page 5 44 principal school leader designee boston public schools bullying prevention intervention plan shall incorporate student staff handbook school district website available family caregiver definition m.g.l. ch 71 37o note follow definition contain term and/or phrase different language statute language definition circular draft align definition boston public schools code conduct bps rely definition review student conduct code bullying bps replace word victim statute word target cyberbullying bps add iv definition contain statute retaliation definition provide statute operative code conduct school community bps add staff definition contain statute perpetrator definition provide statute operative code conduct aggressor student engage bully cyberbullye bullying repeat use student member school staff include limit educator page 6 superintendent circular sss-18 page 6 44 administrator school nurse cafeteria worker custodian bus driver athletic coach advisor extracurricular activity paraprofessional write verbal electronic expression physical act gesture combination thereof direct target i. cause physical emotional harm target damage target property ii place target reasonable fear harm damage property iii create hostile environment school target iv infringe right target school v. materially substantially disrupt education process orderly operation school cyberbullying bully use technology electronic communication shall include shall limit transfer sign signal writing image sound datum intelligence nature transmit wire radio electromagnetic photoelectric photo optical system include limit electronic mail internet communication instant message facsimile communication cyber bullying shall include i. creation web page blog creator assume identity person ii know impersonation person author post content message creation impersonation create condition enumerate page 7 superintendent circular sss-18 page 7 44 clause iv v inclusive definition bully iii distribution electronic mean communication person posting material electronic medium access person distribution posting create condition enumerate clause v inclusive definition bully iv use internet and/or social medium bully outside school disrupt normal functioning school day page 8 superintendent circular sss-18 page 8 44 hostile environment situation bullying cause school environment permeate intimidation ridicule insult sufficiently severe pervasive alter condition student education retaliation form intimidation reprisal harassment direct student report bullying provide information investigation bullying witness reliable information bully school community consist student staff family caregiver staff include limit educator administrator counselor school nurse cafeteria worker custodian bus driver athletic coach advisor extracurricular activity support staff paraprofessional target student bullying cyberbullying retaliation perpetrate policies procedures reporting respond bullying retaliation support effort respond promptly effectively bully retaliation boston public schools policy procedure place receive respond report bullying retaliation policy procedure ensure member school community student family caregiver staff know happen incident bullying report occur attachment 1 boston public schools accordance ma law m.g.l. c. page 9 superintendent circular sss-18 page 9 44 71 37o designate principal school leader designee person responsible receive report record incident investigate incident principal head school designee responsible respond resolve case bully allegation matter report e.g. safe space bullying report form directly school leader directly staff school shall submit succeed boston safe schools bullying investigation form finding include support information include witness statement target aggressor relevant person finding conclusion shall submit succeed boston school day finding bullying shall document bps student information system sis a. report bullying retaliation report bullying retaliation staff student family caregiver submit safe space bullying prevention hotline 617 592 2378 directly online safe schools bullying prevention incident reporting form report native language hotline ask translation service allegation submit email text bullying incident reporting form attachment 3 employee require report immediately principal school leader designee instance bully retaliation staff member aware witness report anonymously attachment 3 boston public schools safe schools bullying prevention intervention reporting form attachment 4 boston page 10 superintendent circular sss-18 page 10 44 public schools safe schools bullying prevention intervention anonymous reporting form use boston public schools safe schools bullying prevention intervention reporting form require condition make report 1 report staff staff member shall report immediately principal school leader designee witness aware conduct bully retaliation requirement report principal school leader designee limit authority staff member respond behavioral disciplinary incident consistent school policy procedure behavior management discipline 2 report students families caregivers boston public schools expect student family caregiver witness aware instance bully retaliation involve student report principal school leader designee report anonymously call safe schools bullying prevention hotline 617 592 2378 file report online safe space bullying prevention reporting form disciplinary action take allege aggressor solely base anonymous report student family caregiver request assistance staff member complete write report student provide practical safe private age appropriate way report discuss incident bully staff member principal school leader page 11 superintendent circular sss-18 page 11 44 3 respond report bullying retaliation fully investigate allegation bullying retaliation principal school leader designee step assess need restore sense safety alleged target and/or protect allege target possible incident principal school leader designee shall contact family caregiver prior investigation notice consistent state regulation 603 cmr 49.00 m.g.l. c. 71 37o child special need principal head school review child iep determine child disability impact impact ability comply code conduct and/or policy appropriate convene team meeting discuss decide appropriate determination include behavioral support service specialized service principal head school designee shall inform parent guardian target department elementary secondary education problem resolution system prs process access system regardless outcome bullying determination response promote safety include limit create personal safety support plan pre determining seat arrangement target and/or aggressor classroom lunch bus identify staff member act safe person target alter aggressor schedule access target page 12 superintendent circular sss-18 page 12 44 principal school leader designee additional step promote safety investigation necessary implement appropriate strategy protect student bullying retaliation result witness provide information investigation report bullying retaliation provide reliable information report act bullying retaliation confidentiality student witness report allege act bullying maintain extent possible give school obligation investigate matter b. obligations notify 1 notice families caregivers 24 hour receipt bullying complaint interview student principal school leader designee notify family caregiver target aggressor allegation intent interview child family student witness interview notify intent interview child choose family right present interview child completion investigation school day receipt complaint principal school leader notify family caregiver target aggressor finding investigation procedure respond complaint ensure safety student compliance bps mandate state law repeat allegation family caregiver and/or response head school page 13 superintendent circular sss-18 page 13 44 forward operational leader school superintendent follow assistance 2 notice school district report incident involve student school district charter school nonpublic school approve private special education day residential school collaborative school principal school leader designee inform incident promptly notify telephone principal school leader designee school(s incident school appropriate action communication accordance state federal privacy law regulation 603 cmr 23.00 3 notice law enforcement point receive report bullying retaliation include investigation principal school leader designee reasonable basis believe criminal charge pursue aggressor principal school leader shall consult operational leader school superintendent office safety services and/or boston police department school unit individual principal school leader designee deem appropriate note pursuant 603 cmr 49.06(2 notification law enforcement require situation school leader determine bullying retaliation handle appropriately school district school incident occur school ground involve student age 21 long enrol school principal head school designee shall contact operational leader school superintendent office safety services and/or boston police department school unit notification law enforcement page 14 superintendent circular sss-18 page 14 44 reasonable basis believe criminal charge pursue aggressor make determination principal school leader consistent plan applicable school district policy procedure consult operational leader school superintendent office safety services and/or boston police department school unit individual principal school leader designee deem appropriate superintendent office shall notify page 15 superintendent circular sss-18 page 15 44 c. investigation attachment 1 principal school leader designee promptly investigate report bullying retaliation consider available information know include nature allegation(s age student involve report staff student bullying shall investigate office labor relations shall notify investigation school leader designee shall notify family caregiver intent interview child proceed presence family caregiver request gather information interview student staff witness necessary principal school leader designee remind allege aggressor target witness retaliation strictly prohibit result disciplinary action section 7.6.3 boston public schools code conduct interview conduct principal school leader designee consultation school counselor appropriate extent practicable give obligation investigate address matter principal school leader designee maintain confidentiality investigative process principal school leader designee maintain write record investigation completion file forward safe schools bullying prevention investigation form additional material saws@bostonpublicschools.org procedure investigate report bullying retaliation consistent district policy procedure investigation possible disciplinary action necessary page 16 superintendent circular sss-18 page 16 44 principal school leader designee consult succeed boston consultation appeal family caregiver office superintendent shall notify legal counsel pertain investigation allege report necessary attachment 1 specific d. determinations principal school leader designee determination bully base definition bullying interview student staff family caregiver investigation bullying retaliation substantiate principal school leader designee step reasonably calculate prevent recurrence ensure target restrict participate school benefit school activity 5 day receipt allegation principal school leader designee 1 determine remedial action require e.g. safety support plan seat plan 2 determine responsive action and/or disciplinary action necessary 3 notify family caregiver target aggressor result investigation bullying retaliation find action take prevent act bullying retaliation 4 submit investigation finding safe schools bullying prevention investigation form bullying find document finding bps sis depend circumstance principal school leader designee choose consult student teacher(s and/or school counselor target aggressor page 17 superintendent circular sss-18 page 17 44 family caregiver identify underlying social emotional issue(s contribute bullying behavior assess level need additional social skill development notice family caregiver comply applicable state federal privacy law regulation legal requirement confidentiality student record principal head school designee report specific information target family caregiver disciplinary action take involve stay away order directive target aware order report violation student disability principal school leader review child iep determine child disability impact impact ability comply code conduct and/or policy appropriate convene team meeting discuss decide appropriate determination include behavioral support service specialized service new right appeal decision relate bullying investigation finding and/or response submit link page 18 superintendent circular sss-18 page 18 44 e. planning oversight follow school district leader responsible follow task plan task responsible party 1 receive report bully succeed boston school administrators school staff 2 collecting analyze building- and/or school wide datum bully assess present problem measure improve outcome succeed boston superintendent office office data accountability rp saws 3 create process record track incident report access information relate target aggressor succeed boston office data accountability 4 planning ongoing professional development require law succeed boston 5 planning support respond need target aggressor succeed boston rp saws regional liaison teams 6 choose implement curricula school district use succeed boston office equity bullying prevention intervention advisory group page 19 superintendent circular sss-18 page 19 44 7 develop new revise current policy protocol plan include internet safety plan designate key staff charge implementation principals school leader succeed boston office legal advisor office equity bullying prevention intervention advisory group 8) amend district wide school base student staff handbook code conduct succeed boston operational leaders bps code conduct team office legal advisor 9 lead family caregiver family engagement effort draft information material succeed boston office family community advancement parent university 10 reviewing update plan biennially frequently need superintendent office succeed boston bullying prevention intervention advisory group office legal advisor office equity require chapter 86 act 2014 amend g.l. c. 71 37o boston public schools administer department develop student survey year assess school climate prevalence nature severity bully school g.l. c. 71 37o(k include result student staff family climate succeed boston office data accountability operational team page 20 superintendent circular sss-18 page 20 44 survey school community member responsible 1 comply plan applicable 2 ensure harass discriminate commit crime person school ground school relate activity person race color religion national origin ethnicity sex sexual orientation age disability 3 ensure bully person school ground school relate activity 4 ensure retaliate person reporting file complaint aid encourage filing report complaint cooperate investigation harassment bullying discrimination hate crime 5 cooperate investigation report complaint harassment bully discrimination retaliation hate crime training professional development require m. g. l. c. 71 37o boston public schools require annual bullying prevention intervention training available person asynchronously school staff include lunch monitor school police officer secretary bus page 21 superintendent circular sss-18 page 21 44 driver teacher administrator itinerant staff training post vector information contact succeed boston counseling intervention center 617 635 8123 annual staff training plan boston public schools offer professional development administrator teacher paraprofessional ancillary staff member employment boston public schools include identify bullying behavior types bullying roles aggressors target bystanders rights responsibility law m. g. l. c. 71 37o information risk population include lgbtq+ student student disability english language learners internet safety reporting responsibility adult bias address student bias base speech behavior advanced training provide effective bullying prevention intervention service build capacity school shall 2 staff train bullying intervention specialists bis specialist serve resource school community bully relate matter lead relevant training school community coordinate reporting and/or investigate incident designate school leader regional rp saws provide semi annual training regional bis team develop good practice page 22 superintendent circular sss-18 page 22 44 resource boston public schools provide 2 day bullying intervention specialist professional development quarterly year advanced bullying intervention specialist training attachment 2 post vector training include i. developmentally appropriate strategy prevent intervene bully incident ii information complex interaction power differential place aggressor target witness bullying iii research finding bullying resource development program school iv information incidence nature cyberbullying internet safety issue v. bias base bullying sexual harassment vi issue specific lgbtq+ student viii student disability legal right idea fape ix adult bias impact bully intervention prevention regional rp saws continue share literature cover late information bully prevention intervention literature include strategy page 23 superintendent circular sss-18 page 23 44 create culture environment prevent bullying professional development opportunity identify strategy student disability accuse target bullying bps code conduct annual update electronic link bullying prevention intervention protocols page 24 superintendent circular sss-18 page 24 44 access resources services key aspect promote positive school climate provide student feeling belong safety ensure underlie emotional need student address student include target aggressor bystander bullying cyberbullying boston public schools address emotional need student family anti bullying resources information identify resource school school staff building administrator work identify school capacity provide counseling case management service student target aggressor bystander family curricula resource access boston public school succeed boston website succeedboston.org schools conduct annual review staffing program support creation positive school environment focus early intervention intensive service develop recommendation action step fill resource service gap boston public schools continue work collaboration local state agency adopt evidence base curricula provide additional preventive service student family caregiver school staff page 25 superintendent circular sss-18 page 25 44 counseling service succeed boston student support prevention workshop provide alternative suspension increase student understanding impact bullying build empathy social emotional skill stop prevent bullying school counselor nurse school psychologist special educator provide variety skill base service student educational setting include ongoing emotional support risk assessment crisis intervention help community base counseling referral appropriate school staff meet family caregiver teacher need help address student academic social emotional behavioral concern collaboratively possible regional liaison especially rp saws work school team administrator develop need co facilitate culturally linguistically appropriate resource identify family school counselor maintain date information community base mental health referral community service agencies csas local area provide service student family regional liaison especially rp saws work collaboratively support bis school counselor school psychologist intensive special need educator page 26 superintendent circular sss-18 page 26 44 1 develop behavior plan group student build social emotional skill 2 educate support family caregiver 3 conduct workshop family caregiver 4 connect family caregiver outside resource build skill student disabilities require m. g. l. c. 71b 3 amend chapter 92 act 2010 iep team determine student disability affect social skill development student participate vulnerable bullying harassment tease disability team consider include iep develop student skill proficiency avoid respond bullying harassment teasing referral outside services boston public schools school counselor specialist help student family access appropriate timely service necessary address student need result bullying referral shall comply relevant law policy academic non academic activity boston public schools provide age appropriate instruction bully prevention grade incorporate school district curriculum succeed boston provide online student support prevention workshops student page 27 superintendent circular sss-18 page 27 44 grade 1 12 learn impact bully develop skill stop prevent bullying effective instruction include classroom approach school initiative focus strategy bully prevention social skill development specific bullying prevention approach script role play develop skill empower student action know witness student engage act bullying retaliation include seek adult assistance help student understand dynamic bully cyberbullye include underlie power imbalance build reinforce student empathy reinforce elevate student model helpful bystander emphasize cyber safety include safe appropriate use electronic communication technology enhance student skill engage healthy relationship resolve conflict respectful communication engage student safe supportive school environment respectful diversity difference page 28 superintendent circular sss-18 page 28 44 general teaching approach support bully prevention effort create strong anti bullying plan enforce foremost adult build learn embe bully curriculum e.g. ela social study history health class empower bystander witness bully activity skill support intervene appropriately promote acceptance respect order improve school climate include student meaningful way help student staff understand definition bully e.g. conflict fighting teasing recognize dynamic complexity involve aggressor target relationship develop intervention program reduce prevalence bully behavior create safe school climate foster positive learning experience student creative develop strategy promote social competence child aggressor target bullying bystander develop way help student aggressor find prosocial way experience positive reward build effective support system protect target bullying page 29 superintendent circular sss-18 page 29 44 boston public schools incorporate range individualized strategy intervention response remediate student skill prevent incident bullying and/or retaliation combine incorporate multi tiered system support mtss social emotional skill building school wide positive behavior intervention support pbis focus prevention service school wide create level change classroom school district change improve outcome address improve academic non academic need student include student disability teach appropriate behavior skill building principal school leader designee determining bullying retaliation occur law require school district use range response balance need accountability need teach appropriate behavior m.g.l. c. 71 37o. skill building approach principal school leader designee consider include refer student succeed boston online student support prevention workshops student grade 1- 12 learn impact bully develop skill stop prevent bullying provide relevant push support co facilitation educational social emotional skill building activity individual student group student consultation school counselor appropriate school personnel implement range academic nonacademic page 30 superintendent circular sss-18 page 30 44 positive behavioral support help student understand prosocial way achieve goal meet family caregiver support reinforce anti bullying curriculum social skill building activity home adopt support plan include focus develop specific social skill make referral evaluation take disciplinary action principal school leader designee decide disciplinary action appropriate disciplinary action determine base fact find principal school leader designee include nature conduct age student(s involve child iep appropriate need balance accountability teaching appropriate behavior discipline consistent boston public schools bullying prevention intervention plan boston public schools code conduct school base student handbook discipline procedure student disability govern federal individuals disabilities education act idea read cooperation state law student discipline principal school leader designee determine student knowingly false allegation bully retaliation student subject disciplinary action consistent bps code conduct page 31 superintendent circular sss-18 page 31 44 promote safety target principal school leader designee(s consider adjustment include safety support action plan need school environment assure target sense safety reasonable period follow determination ordering remedial and/or disciplinary action principal school leader designee contact target family caregiver determine recurrence prohibit conduct additional supportive measure need principal school leader designee work appropriate school staff implement immediately collaboration families caregiver boston public schools bullying prevention intervention plan include strategy engage collaborate student family caregiver increase capacity school district prevent respond bullying resource family caregiver communication essential aspect effective collaboration bullying prevention intervention curricula school shall available family caregiver include 1 family caregiver reinforce curricula home support school district plan 2 dynamic bully 3 online safety cyberbullye page 32 superintendent circular sss-18 page 32 44 family caregiver notify write year student relate section boston public schools bullying prevention intervention plan boston public schools internet acceptable use policy school collaborate school site councils parent organization create family caregiver resource information network school join family caregiver group offer education program focus component anti bullying curricula social competency curricula school(s school annually inform family caregiver enrol student anti bullying curriculum notice include information dynamic bullying include cyberbullying online safety notice information available family caregiver hard copy electronic format available language(s prevalent bps school post boston public schools bullying prevention intervention plan related information website relationship law consistent state federal law policy school district person shall discriminate admission public school town obtain advantage privilege course study public school account race color sex religion national origin sexual orientation boston public schools bullying prevention intervention plan prevent school district take action remediate discrimination harassment base person membership perceive membership legally protect category local state federal law page 33 superintendent circular sss-18 page 33 44 school district policy addition plan design intend limit authority school district disciplinary action action m.g.l. c. 71 37h 37h½ applicable law local school district policy response violent harmful disruptive behavior regardless plan cover behavior information circular contact owner senior director succeed boston counseling intervention center department succeed boston counseling intervention center mailing address 515 hyde park ave roslindale ma 02131 phone 617 635 8123 email operations department- heads@bostonpublicschools.org saws@bostonpublicschools.org mary skipper superintendent page 34 superintendent circular sss-18 page 34 44 attachment 1 conduct bullying investigation 2 professional development bully intervention specialist training 3 safe schools bullying prevention intervention reporting form page 35 superintendent circular sss-18 page 35 44 attachment 1 complete bullying investigation step 1 contact family caregiver set meeting alleged target student target safety concern yes develop safety plan input target family caregiver a. consider class seating bus lunch recess special b. help targeted student identify trusted adult student assistance notify trusted adult plan notify teacher(s allegation trust adult c. consider inconspicuous way target signal real time happen and/or target need leave room prior agree class office person d. statement target name witness step 2 contact family caregiver allege aggressor set meeting student safety concern yes develop safety action plan input aggressor family caregiver a. consider class seating bus lunch recess special page 36 superintendent circular sss-18 page 36 44 b. help aggressor identify trusted adult student assistance c. notify trusted adult plan d. notify teacher(s allegation trust adult e. consider inconspicuous way target signal real time happen and/or target need leave room prior agree class office person safety concern aggressor develop action plan keep target aggressor separate a. consider class seating arrangement lunch bus special recess b. notify teacher(s allegation action plan develop c. statement allege aggressor step 3 document statement witness step 4 assess situation meet standard bullying 1 power imbalance 2 repeat 3 intentional page 37 superintendent circular sss-18 page 37 44 step 5 allegation involve target base perceive membership protect class race color national origin ethnicity religion pregnancy homelessness criminal record sex sexual orientation gender identity disability age genetic active military status yes contact boston public schools office equity proceed step 6 step 6 allegation bullying investigate file succeed boston complete safe space bullying prevention investigation reporting form document bps sis 1 document date meeting call family caregiver 2 document interview 3 determine allegation bullying retaliation simple conflict code conduct violation 4 document action take 5 schedule date follow party 6 document incident sis conduct module section 7.1 code conduct note receipt bullying complaint principal school leader designee confirm receipt complaint family caregiver 24 hour page 38 superintendent circular sss-18 page 38 44 investigation complete 5 school day principal school leader designee notify family caregiver target aggressor finding procedure respond ensure safety student compliance bps mandate state law repeat allegation family caregiver and/or response principal school leader forward operational leader school superintendent follow page 39 superintendent circular sss-18 page 39 44 attachment 2 boston public schools 12 hour professional development bully intervention specialist training build capacity district effectively deal allegation bullying school staff complete 12 hour training lead certification bullying intervention specialist certify specialist lead annual bullying prevention intervention training school spearhead creation maintenance caring communities bully free schools succeed boston offer quarterly training session school year register teach point training staff learn state district regulation procedure protocol familiar bps reporting investigation protocol develop safety plan target action plan aggressor learn different type bully differentiate bullying conflict respond understand role school staff play prevent bully learn culturally linguistically sustain practice page 40 superintendent circular sss-18 page 40 44 lead space feel safe welcoming inclusive understand adult bias micro aggression impact staff ability effectively develop relationship student involve bully develop awareness suicide suicide prevention resource understand unique way bully impact lgbtq+ ell student student disability ○ familiar fape idea relate bully develop strategy empower bystander learn differentiate bullying bias base speech behavior learn good practice address bully listening talk family empathy familiar resource develop implement school base program develop plan family workshop page 41 superintendent circular sss-18 page 41 44 attachment 3 safe space bullying prevention reporting form boston public schools 1 person report bullying allegation write na want report anonymously note disciplinary action take solely basis anonymous report 2 phone number person report bully allegation write na remain anonymous 3 report bully allegation ○ student report ○ student report student ○ family member caregiver report behalf child ○ school staff member admin educator support staff etc report student 4 email person complete form different write na relevant 5 role person complete form different ○ bullying hotline staff succeed boston staff ○ bps help line staff ○ school staff member page 42 superintendent circular sss-18 page 42 44 ○ na 6 report incident school leader ○ yes ○ 7 alleged target 8 student id alleged target 0 unknown 9 school alleged target 10 grade alleged target 11 alleged target receive special education service ○ yes ○ ○ unsure 12 grade allege aggressor(s allege aggressor adult indicate 13 allege aggressor(s attend different school yes type school(s write na 14 date time location incident(s know write na page 43 superintendent circular sss-18 page 43 44 15 incident occur school bus list bus number bus write na 16 describe incident include name detail happen specific word send additional evidence i.e. video screenshot email saws@bostonpublicschools.org 17 witness list name people see incident information write na 18 bullying allegation involve bias base speech behavior bias base bullying include cyberbullying harassment person bully membership perceive membership protect class protect class race color age physical mental disability pregnancy pregnancy relate condition criminal record homelessness sex gender gender identity religion national origin ancestry sexual orientation genetic natural protective hairstyle socioeconomic retaliation note investigation involve bias base speech behavior forward office equity succeed boston ○ yes ○ page 44 superintendent circular sss-18 page 44 44 19 concerned student safety ○ yes ○ page 1 superintendent circular number trn-02 version 01 student transportation safety discipline circular remain effect rescind supersede subsequent version head school principal expectation school bus consider extension classroom term expect student behavior school responsible work student parent guardians address behavior student parent guardians place relate bus service consistent school district policy policy reinforce standards behavior boston public school student head school principal responsible implement code conduct standards behavior apply student parent guardians utilize school transportation mbta head school principal communicate student parent guardian obligation start school year student presentation notification parent guardians school base rules note code conduct include procedure denial transportation head school principal apply approve boston public schools policy procedure matter regular transportation service field trip athletic late bus run page 2 superintendent circular trn-02 page 2 10 incident reporting response head school principal report incident maintain record appropriate action prescribe applicable superintendent circular include limit state federal reporting e.g. mandate reporting dcf ssdr report dese etc event school transportation incident result student injury school administrator contact parent(s)/guardian( provide appropriate information accordance superintendent circular fse-05 medical emergency management head school principal maintain copy incident report file driver utilize report remedial action bps school bus equip camera camera face bus forward record oncoming traffic second camera focus inward bus bus camera record sound emergency situation e.g. active miss student investigation camera footage access real time department transportation personnel incident report depend nature incident review video footage report incident request school parent guardian member district transportation team situation student conduct investigation rely incident report student adult board bus camera footage request bus footage run bps transportation department camera limit video storage capacity typically store 7 seven 10 day footage depend bus usage camera actively monitor bps dot bus vendor use camera purpose investigate specific page 3 superintendent circular trn-02 page 3 10 allegation incident occur relate bus transportation bps dot work school implement solution support successful student transportation bps bus strategy effective past include limit school lead mediation parent guardians student bus driver bus monitor school staff school lead depth training driver and/or monitor school assign bus seating plan addition bus attendant school bus limited circumstance require approval director bps dot student driver monitor reassign reassignment resort strategy exhaust help ensure student fully support learn successfully navigate yellow bus transportation relationship driver monitors managing bus arrival dismissals head school principal designee responsible monitor transportation service performance school bus driver monitor include daily contact school staff driver arrival departure school head school principal advise encourage effort maintain positive relationship driver bus monitor endeavor work constructively bps transdev staff come contact school year school administrative staff responsible manage safe efficient bus arrival dismissal process bus assign page 4 superintendent circular trn-02 page 4 10 school schedule fully load unload minute window time subsequent trip morning bus unload depart school school bell time afternoon bus assign school load depart school 10 minute bell time arrive school bus allow student unload member school staff present meet student ensure school staff member present responsibility student student exit bus school responsible maintain date bus roster ensure student place assign bus bus dismissal bps transportation department operation support available review bus loading unload procedure request head school principal encourage time available meet driver wish confer voluntary basis school year purpose maintain transportation safety discipline program head school principal provide driver seat plan bus work constructively driver monitor implementation plan seating plan place student instruct remain assign seat trip head school principal designee regularly interview student assessment quality transportation service ask monitor ridership notify bps transportation bus assignment utilize school provide student opt information page 5 superintendent circular trn-02 page 5 10 support portal link provide walkthrough ask school utilize support portal ensure accountability team support effort reduce follow time head school principal designee occasionally ride school bus hand observation operation notification transportation department advance ensure bus capacity requirement ridership monitor assign special education process essential member student support team school responsible training bus monitor iep require student specific support monitor include student support team training ongoing basis prepare well meet need student ride bus help ensure student succeed restrictive environment school contact bps dot monitors unit arrange meeting monitor school year remember bus driver bus monitor important member school community school district policy permit use restroom facility bus driver bus monitor expect present identification enter building like member school district staff ensure team member access bathroom facility building need safety education evacuation drill head school principal support safety education effort relative transportation initiate program page 6 superintendent circular trn-02 page 6 10 week school year school year school bus evacuation drill conduct accordance m.g.l. chapter 90 section 9b mandate school bus evacuation instruction drill evidence complete instruction drill keep file head school principal bps transportation transdev safety bps safety services personnel assist school administrator conduct bus evacuation drill require m.g.l. chapter 90 section 9b. role bps transportation department transportation department act liaison bus company school personnel parent guardians bps safety services boston police department transportation department monitor contractual compliance vendor relative employment driver driver conduct transportation department record complaint driver behavior forwards company remedial action bus company director transportation extreme circumstance order suspension reassignment driver subject consultation bus vendor collective bargaining agreement driver bus company transportation department complete bus routing plan create efficient bus schedule minimize ride time student optimize deployment driver monitor bus necessary transportation department revise route pick point reduce page 7 superintendent circular trn-02 page 7 10 potential safety problem transportation department provide parent guardians advice relative procedure assist resolution transportation issue transportation department notify head school principal school bus accident include list student onboard bus relevant information event accident occur school hour transportation department attempt notify head school principal home event school transportation accident incident result student injury bps transportation implement follow procedure o ensures transdev safety staff properly follow procedure notify police emergency medical service necessary o notifie school building administrator principal leader assistant superintendent operation operational leader relay available information build administrator responsible notify parent guardian building administrator school base staff available bps transportation department staff notify parent guardian emergency contact person role bus company transdev transportation bus company comply requirement contain contract school committee collective bargaining agreement staff massachusetts law page 8 superintendent circular trn-02 page 8 10 regulation pertain school bus safety reporting bus company adhere incident response report process outline 1 transdev safety desk log call deployment request send safety desk driver safety staff bps transportation submit incident report generate incident 2 emergency transdev safety desk bps ems deploy transdev road safety supervisor incident accident transdev safety desk notify bps transportation staff immediately learn incident continue supply timely detail scene available event school transportation incident result student injury normal operating hour transdev safety desk staff bps transportation center staff assist school administrator parent guardian notification process 3 transdev driver provide specific information possible radio safety desk write report mainly name student number involved student driver fill incident report copy school administrator branch supervisor daily incident report log computer database bus company 4 transdev safety staff bps transportation work communicate head school principal police necessary assist resolution incident head school principal require contact parent guardian discipline student necessary page 9 superintendent circular trn-02 page 9 10 bus company instruct driver meet head school principal dry run bus route opening school head school principal prepare discuss student transportation safety discipline program driver time year driver available meet head school principal ongoing basis arrangement meeting contact bps transportation department transdev road safety supervisor driver trainer inspect safety accessibility pick drop location city request page 10 superintendent circular trn-02 page 10 10 information circular contact owner director transportation department transportation mailing address 2300 washington street roxbury ma 02119 phone 617 635 9643 fax 617 635 9541 email operations department- heads@bostonpublicschools.org owner chief student support department student support office mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pm07a version 01 performance evaluation non classroom paraprofessional include employees circular community field coordinator cfc health para library para physical ed para security para sign language interpreter swim para cota para family liaison formal evaluation staff shall formally evaluate standard indicator reasonably relate paraprofessional performance mark standard overall rating overall rating shall exemplary proficient need improvement unsatisfactory shall transmit paraprofessional business day prior 15 vectoreval platform para access bps issue computer sign digitally para form print vectorevals sign upload pdf attachment digital form paraprofessional generally evaluate formally page 2 superintendent circular hrs pm07a page 2 8 year set forth section 7 school year principal head school director identify approximately half staff administrator responsible evaluate year process identify evaluee determine responsible administrator administrator evaluate staff member originally identify assistance supervision intervention deem appropriate base informal observation evaluators 1 supervisor shall supervise evaluate relative 2 head school principal administrative head outside bargaining unit responsible evaluation assist qualified person member bargaining unit designate school department schedule meetings procedures 1 beginning school year responsible administrator designee shall meet paraprofessional purpose explain evaluation program instrument answer question building administrator assist qualified person designate school department classroom visit combination announce unannounced visit classroom visit result write feedback indicate deficiency paraprofessional practice responsible supervisor shall provide write feedback page 3 superintendent circular hrs pm07a page 3 8 paraprofessional release formative summative evaluation 2 10 school day paraprofessional present follow observation basis evaluation regardless rating mark responsible administrator designee shall meet paraprofessional purpose discuss evaluation meeting paraprofessional give 2 copy write evaluation sign date responsible administrator paraprofessional shall sign return 1 copy indicate having receive indicate agreement disagreement paraprofessional shall ask sign incomplete evaluation form paraprofessional shall allow attach write comment evaluation form paraprofessional overall performance judge proficient point school year shall notify writing shall meet directly responsible administrator 3 area responsible administrator designee indicate need improvement provide paraprofessional write prescription paraprofessional attach comment prescription paraprofessional performance result overall formative evaluation summative evaluation rating need improvement unsatisfactory evaluation prescription contain requirement paraprofessional take advantage additional professional page 4 superintendent circular hrs pm07a page 4 8 development training opportunity offer school department correct weakness deficiency cause proficient rating purpose contract formative mean evaluation minimum 20 school day apart allow adequate time improve paraprofessional continue need improvement responsible administrator include evaluation prescription paraprofessional voluntarily advantage training service training correct deficiency 4 responsible administrator adjudge paraprofessional practice overall rating unsatisfactory 4 formative evaluation 12 month period paraprofessional report work 2 formative evaluation plus summative evaluation responsible administrator initiate termination recommend superintendent paraprofessional terminate superintendent approve principal recommendation principal shall notify paraprofessional writing intent dismiss paraprofessional paraprofessional request meeting principal discuss intent dismiss request writing 10 day paraprofessional receipt intent dismiss notice overall unsatisfactory evaluation rating need occur consecutive month overall rating unsatisfactory summative page 5 superintendent circular hrs pm07a page 5 8 evaluation rating precede formative overall unsatisfactory rating school year paraprofessional remove classroom dismiss suspend cause prior completion prescriptive period specify paragraph 5 3 formative evaluation overall unsatisfactory rating base observe performance responsible administrator shall conduct follow evaluation evaluation shall include observation performance place soon 20 school day later 50 school day previous unsatisfactory evaluation overall formative evaluation unsatisfactory rating base performance responsible administrator clearly convey reason write paraprofessional follow prescribed procedure progressive discipline 6 formative summative evaluation overall unsatisfactory rating shall maintain permanent employee personnel record grieve arbitrate employee grieve summative evaluation overall rating unsatisfactory level step 2 hearing officer shall authority rectify grievance grievance shall deal expeditiously event concurrent dismissal grievance shall merge treat single grievance page 6 superintendent circular hrs pm07a page 6 8 notwithstanding dispute concern paraprofessional rating individual standard find formative summative evaluation result overall unsatisfactory rating grievable arbitrable similarly dispute concern comment responsible administrator observation formative summative evaluation grievable arbitrable 7 follow individual shall evaluate annually prior november 15 possible a. paraprofessional evaluate previous school year unsatisfactory overall particular area b. paraprofessional new building page 7 superintendent circular hrs pm07a page 7 8 summary significant date deadline date activity business day prior november 15 evaluation paraprofessionals receive unsatisfactory evaluation prior school year evaluation paraprofessionals new school building business day prior 15 deadline submit evaluation vectoreval platform para access bps issue computer sign digitally para form print vectorevals sign upload pdf attachment digital form evaluation paraprofessional 2 year paraprofessional new building receive meet standards rating previous school year page 8 superintendent circular hrs pm07a page 8 8 information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent ► click view sample non classroom paraprofessional evaluation form pdf evaluator use vectorevals submit evaluation page 1 superintendent circular number eqt-07 version 01 accommodate employee disabilities pregnancy pregnancy relate condition circular remain effect rescind supersede subsequent version boston public schools commit provide equal employment opportunity individual accordance chapter 151b massachusetts general laws americans disabilities act ada circular provide information district procedure address accommodation request employee basis disability pregnancy pregnancy relate condition employees disabilities current prospective employee individual disability request reasonable accommodation assist perform essential function assignment chapter 151b ada define person disability 1 physical mental impairment substantially limit major life activity 2 record impairment 3 regard have impairment page 2 superintendent circular eqt-07 page 2 6 major life activity include limit care oneself perform manual task see hearing eating sleep walk standing lifting bend speak breathing learning reading concentrate thinking communicating work operation major bodily function exhaustive example range variety disability include law provide non ambulatory disabilities physical impairment regardless cause require individual use wheelchair include individual paraplegic quadriplegic hemiplegic limb limb amputate semi ambulatory disabilities physical impairment cause person walk difficulty assistance cane crutch walker coordination disabilities impairment muscle control limb sight disabilities impairment affect vision totally partially hearing disabilities impairment affect hear totally partially speech impairments impairment affect totally partially ability communicate orally learning disabilities impairment impede learn process mental psychological disorders impairment affect individual neurological and/or psychological functioning behavior and/or mood page 3 superintendent circular eqt-07 page 3 6 district nondiscrimination policy prohibit bias base conduct discrimination basis disability aspect employment relationship include 1 recruitment advertising processing application 2 hiring evaluation upgrading promotion award permanent teacher status demotion transfer layoff termination right return layoff rehire 3 rate pay form compensation change compensation 4 job assignment job classification organizational structure position description line progression seniority list 5 leave absence sick leave leave 6 fringe benefit available virtue employment administer boston public schools 7 selection financial support training include professional development conference related activity selection leave absence pursue training pregnancy pregnancy relate condition april 1 2018 current prospective employee pregnant pregnancy relate condition lactation need express breast milk request reasonable accommodation assist perform essential function assignment page 4 superintendent circular eqt-07 page 4 6 employee request accommodation 1 frequent restroom food water break 2 seating 3 limit lift 20 pound 4 private non bathroom space express breast milk medical documentation accompany write request necessary accommodation request require support medical documentation information employee pregnant pregnancy relate condition contact office equity begin accommodation process reasonable accommodation process reasonable accommodation modification adjustment job work environment allow applicant employee disability pregnancy pregnancy relate condition participate job application process perform essential function job enjoy benefit privilege employment equal enjoy employee receive request reasonable accommodation boston public schools engage interactive dialogue process district attempt provide reasonable accommodation cause undue hardship fundamentally alter district program applicant employee seek reasonable accommodation basis disability pregnancy pregnancy relate condition contact office equity begin process information employee choose submit accommodation process relevant medical documentation keep confidential extent page 5 superintendent circular eqt-07 page 5 6 practicable information collect reasonable accommodation process keep confidential file office equity cooperation implement policy nondiscrimination person disability assist boston public schools ensure equal opportunity employee potential employee state federal remedy believe subject unlawful discrimination basis disability pregnancy pregnancy relate condition file formal complaint government agency set forth bps internal reporting process prohibit file complaint agency agency short time period file claim 300 day recent act allege discrimination equal employment opportunity commission eeoc john f. kennedy federal building 475 government center boston ma 02203 phone 1 800 660 4000 page 6 superintendent circular eqt-07 page 6 6 massachusetts commission discrimination mcad office location address boston ashburton place room 601 boston ma 02108 617 994 6000 springfield 436 dwight street suite 220 springfield ma 01103 413 739 2145 new bedford 800 purchase street room 501 new bedford ma 02740 508 990 2390 worcester 484 main street room 320 worcester ma 01608 508 453 9630 information circular contact owner director accommodations office equity department office equity mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 e mail bpsequity@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number sss-07 version 01 persistently dangerous schools standards determination circular remain effect rescind supersede subsequent version background section 9532 elementary secondary education act esea amend student succeed act 2015 essa state state receive fund chapter shall establish implement statewide policy require student attend persistently dangerous public elementary school secondary school determine state consultation representative sample local educational agency victim violent criminal offense determine state law ground public elementary school secondary school student attend allow attend safe public elementary school secondary school local educational agency include public charter school 20 u.s.c. 7912 page 2 superintendent circular sss-07 page 2 6 standard massachusetts department elementary secondary education meeting state board education march 25 2003 establish standard determine unsafe persistently dangerous school school deem unsafe entity individual student victim violent criminal offense standard implement july 1 2003 follow standard 1 individual student 2 school determination individual student option begin 2003/2004 school year student school hour victim violent criminal offense define massachusetts general laws chapter 140 section 121 take place ground public elementary secondary school student attend allow extent feasible transfer immediately public school school district purpose policy ground school include school premise school bus attendance school sponsor school relate event include athletic game field trip page 3 superintendent circular sss-07 page 3 6 school option designate persistently dangerous school meet follow criterion consecutive year begin recent enrollment datum available department prior year student expel violation federal gun free schools act v.z section 7.3.1 bps code discipline october 2006 ed number student expel school period great 45 day mass. general laws chapter 71 section 37h weapon physical assault violent crime define mass. general laws chapter 140 section 121 exceed 1.5 student enrollment rate base individual school enrollment datum submit department i.e. october report student qualify safety transfer aforementione option transfer safety transfer process superintendent circular amt-07 safety transfer request procedures documentation violent criminal offense attach safety transfer request form case single student option request anticipate department elementary secondary education dese designate school persistently dangerous base aforementioned criterion prior page 4 superintendent circular sss-07 page 4 6 start school year designation forward directly superintendent massachusetts department elementary secondary education remedial action school meet standard persistently dangerous school designation consecutive year dese request school district evaluate need adopt revise corrective action plan ensure safe school environment student staff school district shall maintain corrective action plan public record extent feasible dese provide technical assistance school district school meet standard persistently dangerous school designation consecutive year dese designate school persistently dangerous parent exercise right child attend safe public elementary secondary school local educational agency school district school require submit corrective action plan dese extent feasible dese collaborate state local agency provide support technical assistance school district dese notify school district school designate persistently dangerous school official work day present information dese bearing designation local official response page 5 superintendent circular sss-07 page 5 6 include following 1 clarification disciplinary incident datum submit 2 school safety plan 3 local effort address school safety concern 4 school safety datum report state consistent requirement esea title iva 5 safe drug free schools communities act section 4112 c 3 6 current datum school available 7 extenuate circumstance 8 information school official believe relevant massachusetts department elementary secondary education review information provide school official make final determination important note failure transfer student timely manner require law massachusetts department elementary secondary education result loss federal fund page 6 superintendent circular sss-07 page 6 6 information circular contact owner deputy superintendent operations department deputy superintendent operations mailing address 2300 washington street boston ma 02119 phone 617 635 9643 e mail operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-09 version 01 private contribution management guidelines circular remain effect rescind supersede subsequent version boston public schools private contribution external funding district individual school central office fiscal sponsorship receive private source foundation grant contribution individual donation public state federal grant adhere establish rule guideline set forth circular school receive cash grant directly activity account account maintain school superintendent circular fin-04 student activity accounts school department solicit kind service contribution private source business non profit foundation individual boston public schools boston educational development foundation inc. bedf accordance guideline set forth state ethics commission opinion ec coi-12 1 program fund private philanthropy bps goal fund accept source specifically preclude school committee fund source specifically preclude time page 2 superintendent circular fin-09 page 2 7 role responsibility private fund comply funder intention guideline establish bedf programming spending accounting auditing relate civil right access confidentiality public use fund program supervisor individual responsible oversee program(s initiative private contribution fund fund manager department head respective principal head school and/or designee primary point contact management issue bedf fund manager fiscal responsibility manage private contribution assure submission proper reporting funder bedf fiduciary financial oversight responsibility private fund program include compliance relevant regulation reporting bedf sign contract legal document raise liability oversee execution grant agreement and/or award letter bedf follow guideline set board directors funder restriction collaborate comply requirement relate civil right access confidentiality bedf page 3 superintendent circular fin-09 page 3 7 mission boston educational development foundation inc. bedf found 1984 superintendent school committee department school improve ability raise money private source include foundation corporation individual bedf 501(c)(3 exist improve educational opportunity student bps bedf provide fiscal sponsorship fundraising support program opportunity possible school time enrichment health initiative student leadership professional development teacher engagement learn program family multiple academic initiative fiscal sponsorship services bedf provide general financial administrative management staffing private fund program educational aim goal bps bedf provide fundraising support follow area grant seeking administration assistance grant review submission creation online fundraising campaign school program indirect rate bedf charge 8 indirect rate grant donation sponsorship charitable contribution bedf serve fiscal sponsor indirect rate apply bps student scholarship bedf board directors authority change rate time give write notice fund managers page 4 superintendent circular fin-09 page 4 7 pre award bps staff parent partner encourage seek apply private funding opportunity variety source school fundraising team process department school enable individual ultimately responsible implement program involved head school principal administrative head aware approve private solicitation program place supervision intent apply bps entity plan pursue private funding opportunity submit online intent apply form ask $ 10,000 1 3 month prior deadline submission possible ensure potential funding application consistent bps goal conflict bps solicitation agency funder intent apply form revise weekly basis cross functional bps grants review team communicate recommendation applicant confirmation receive complete grant cover page sign department head supervisor grant application seek letter support brief form attach post award bedf hold private fund set strictly segregate fund previously call account fund manager funder forward award letter and/or grant agreement include program budget information page 5 superintendent circular fin-09 page 5 7 deposit form bedf new account need fund manager submit proper form bedf notify business day receipt spending monitoring report spending fund hold bedf adhere bedf current spending financial administrative policy account receivable payable employee stipend documentation administrative control establish privately fund program bedf compensate individual independent contractor 1099 bps approve commitment letter process individual bps employee individual subject applicable state federal taxis program record comply applicable bps regulation contact bedf admin@bedf.org detailed information bedf executive director co sign contract document bedf incur liability legal exposure financial obligation include purchase order grant agreement behalf program internal control expense require signoff fund manager designee cost incur payment release fund manager responsible monitor spending private fund include assure fund allowable expense spend accord contribution timeline enter receipt good service submit invoice bedf matter relate page 6 superintendent circular fin-09 page 6 7 program budget case private fund program budget need amend approval funder bedf ensure responsibility fully complete accordance provision funder guideline monitoring fund manager responsible prepare submit interim report request funder bedf support completion appropriate step ensure timely report submission programmatic grant report responsibility fund manager oversee program fund fund manager send copy complete report bedf final reports bedf produce financial report finalize complement program outcome fund manager order complete submit final report funder guideline submit copy final version bedf record keeping purpose bedf proper measure assure fiduciary responsibility funder include freeze activity fund submission complete auditing fund manager program supervisor collaborate auditor consultant program advisor request bedf ensure compliance tax regulation impact assessment partnership bps include site visit datum collection effort page 7 superintendent circular fin-09 page 7 7 general inquiry email admin@bedf.org information circular contact owner email executive director bedf admin@bedf.org director finance operation bedf admin@bedf.org assistant director finance bedf admin@bedf.org resource development communications manager bedf admin@bedf.org finance associate bedf admin@bedf.org mary skipper superintendent page 1 superintendent circular number hrs hs07.1 version 01 qualifications additional program area circular remain effect rescind subsequent version permanent teacher boston public schools choose apply additional program area non primary subject area(s teacher currently hold license(s qualifications additional program area deem qualified program area primary subject area teacher currently teach teacher hold valid license subject area office human resources verify licensure massachusetts department education licensure meet criterion addition hold valid license subject area employee satisfy criterion 1 massachusetts state license 5 year old 2 mean score praxis exam 10 year old 3 15 course credit graduate undergraduate approve relevant program area qualification page 2 superintendent circular hrs hs07.1 page 2 4 coursework complete past 5 year original transcript require claim area provision submit transcript indicate 15 course credit relevant program area qualification transcript submit deadline application deny 4 2 year teach experience boston public schools subject area 10 year creditable year 50 weekly schedule subject area letter head school principal state teach 50 weekly schedule area designation specific year(s require area claim provision letter submit deadline application deny permanent teacher wish apply additional program area submit request additional program area request form supplemental material submit office human resources mail person  applications complete documentation submit office human resources january 15 2024 application receive date review office human resources transition online form link additional program area request form find employee require sign boston public schools gmail account supplemental material page 3 superintendent circular hrs hs07.1 page 3 4 transcript submit mail person office human resources link apply additional program area request form copy url https://docs.google.com/forms/d/e/1faipqlsdd7ua5nlzh ueke5pp4ud gytf74rctzecyzrgeauvwmnbb- g viewform supplemental documentation application approval contingent submission follow document official transcript(s indicate completion 15 graduate undergraduate course credit relevant program area qualification sign letter head school principal confirm following information ○ subject area teach relevant application ○ specific year 2 teach subject 10 year ○ confirmation teach 50 weekly schedule area submit supplemental document contact list information circular contact page 4 superintendent circular hrs hs07.1 page 4 4 owner school based staffing department office human resources mailing address 2300 washington street roxbury ma 02119 phone 617 635 9600 fax 617 635 7956 email additional question submit hr inquiry ticket beacon find access boston access.boston.gov mary skipper superintendent page 1 superintendent circular number hrs pp11 version 01 drug free workplace policy procedure circular remain effect rescind supersede subsequent version policy boston public schools maintain workplace free unlawful drug substance insist staff student contract provider work attend and/or visit facility jurisdiction school department avoid unlawful drug substance use abuse time compliance federal drug free workplace act 1988 p.l. 100 690 implement regulation employee boston public schools contract provider student visitor facility jurisdiction school committee notify unlawful manufacture distribution dispensation possession use control substance list schedule v section 202 controlled substances act prohibit violation policy shall subject provision federal state law procedure relative discipline employee provision code conduct boston public schools employee abide policy condition employment employee notify immediate supervisor 48 hour conviction include plea nolo contendre violation federal state criminal drug law action commit workplace employee immediate supervisor notify office human capital page 2 superintendent circular hrs pp11 page 2 2 10 day receive notice conviction responsibility superintendent designee notify funding agency case employee directly engage performance work pay direct federal grant development office prepare annually office human capital list employee cover provision regulation thirty 30 day receive notice conviction investigation initiate responsibility superintendent recommend disciplinary action include limit suspension dismissal boston public schools staff aware service available city boston employee assistance program b.e.a.p. responsibility center manager director urge refer b.e.a.p. employee demonstrate symptom drug alcohol abuse 617 635- 2200 eap@boston.gov program locate 43 hawkins st. boston information circular contact owner employee services department office human capital mailing address 2300 washington street roxbury ma 02119 fax 617 635 7956 phone 617 635 9600 email employeeservices@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs l01 version 01 state licensure requirement teacher circular remain effect rescind supersede subsequent version accord massachusetts general law teacher hold valid license issue massachusetts department elementary secondary education dese appropriate subject grade level correspond teaching assignment(s teacher hire bps qualify appropriate license license waiver waiver permit district employ unlicensed teacher school year count license waiver request bps office human resources rare circumstance licensed candidate available fill position superintendent circular provide guidance meet massachusetts state licensure requirement i. data collection tracking procedures collect track datum licensure bps teacher paraprofessional bps office human resources require online reporting critical information include massachusetts tests educator licensure mtel result licensure status page 2 superintendent circular hrs l01 page 2 8 coursework degree information teacher teacher administrator comply datum collection procedure furthermore educator professional responsibility know personal licensure status necessary step maintain license validity ii massachusetts state licensure requirement a. know license require teaching position o license require position clear hire doubt ask principal head school human resources coordinator human resources manager o fundamental requirement teacher possess license afford appropriate fit teaching assignment example acceptable teacher 6th grade math science work elementary 1 6 license ma dese offer middle school math science 5 8) license appropriate license teaching assignment o information currently offer license specific requirement visit www.doe.mass.edu/licensurehelp o individual official state licensure record history access securely ma dese elar portal https://www.doe.mass.edu/licensure/elar/. know username and/or password click forgot username password walk step retrieve username reset page 3 superintendent circular hrs l01 page 3 8 password difficulty dese licensure help desk 781 338 6600 able reset o attachment guidance type license provisional initial professional temporary suit level preparation and/or experience b. apply appropriate license o interested obtain new license advance non professional license good step apply license plan pursue meet requirement dese opportunity evaluate standing regard current requirement write instruction remain leave application open grant license o online application submit ma dese elar portal https://www.doe.mass.edu/licensure/elar/ indicate license interested obtain pay application fee application cost $ 100 submission $ 25 additional o submit official transcript undergraduate graduate ma dese mail person address office educator licensure mass. dept education 75 pleasant street page 4 superintendent circular hrs l01 page 4 8 malden ma 02148 o additional documentation state teaching license letter verify applicable teaching experience preparation need submit o review application transcript ma dese notify write additional documentation clarification necessary additional requirement complete call evaluation letter instruction step o sure social security number appear document send ma dese c. pass relevant mtel o test(s require dictate dese base application submit general information test require license find online www.doe.mass.edu/licensurehelp certain test need time wait dese evaluation letter office human resources 617 635 9600 d. advance renew license o teachers hold temporary provisional initial license require work advance professional license attachment guidance progression license page 5 superintendent circular hrs l01 page 5 8 o teachers hold professional license renew calendar year expiration date associate individual professional license indicate need renew o renewal professional license require completion 150 professional development points pdps year renewal period 15 point content license i.e. teach 15 point pedagogy i.e. teach point sheltered english immersion english second language sei esl 15 point relate training schooling method student disability and/or diverse learn style remain 90 point elective activity address educational issue improve student learning content knowledge pedagogy o activity teacher participate earn pdp dictate individualized professional development plan ipdp review sign approval principal head school year sign copy approve ipdp maintain school building o visit https://www.doe.mass.edu/pd/ipdp.docx view print ipdp template o online application renewal submit ma dese elar portal https://www.doe.mass.edu/licensure/elar/ pdp requirement complete page 6 superintendent circular hrs l01 page 6 8 o educator employee seek licensure relate verification complete form information circular contact owner licensure manager department office human resources mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9212 email ohc@bostonpublicschools.org mary skipper superintendent page 7 superintendent circular hrs l01 page 7 8 attachment massachusetts teacher licensure glance massachusetts educator licensure license grant massachusetts department elementary secondary education 75 pleasant street malden ma 02148 781 338 6600 www.doe.mass.edu/licensurehelp start provisional license temporary license valid 5 year employment people complete approve educator preparation program require bachelor degree passing score(s mtel www.mtel.nesinc.com additional coursework require elementary early childhood moderate disability severe disability library and/or instructional technology valid 1 calendar year experienced teacher state require possession valid educator license certificate state comparable initial license massachusetts 3 year teach valid state license certificate page 8 superintendent circular hrs l01 page 8 8 start initial license professional license valid 5 year employment extend time 5 additional year employment require bachelor degree passing score(s mtel www.mtel.nesinc.com completion approve educator preparation program valid 5 calendar year require 3 year employment initial license completion begin teacher induction program capstone option professional license i.e. master degree include addition 12 graduate credit content continue professional development require renew professional license 5 calendar year page 1 superintendent circular number fin-03 version 01 expenditure reimbursement circular remain effect rescind supersede subsequent version purpose memorandum clarify circumstance reimbursement appropriate reimbursement process intend accommodate limited instance traditional purchasing system utilize intend replace substitute supplant institute alternative purchasing system expenditure allowable reimbursement reimbursement process intend allow immediate purchase incidental emergency good service contemplate normal course business process aggregate purchase value good service minimal sure proper accounting code align expense example good service include reimbursement emergency unanticipated supply repair need minimal cost reimbursement process intend allow individual reimburse personal expenditure incur support page 2 superintendent circular fin-03 page 2 7 authorize boston public schools activity apply travel expense define consistent boston public schools travel policy refer superintendent circular fin-01 travel policy procedures approval reimbursement expenditure eligible reimbursement expenditure eligible reimbursement include purchase good service consistent guideline reference detailed description guideline purchasing find superintendent circular fin-07 purchasing guideline certain expenditure purchase gift fellow employee constitute inappropriate expenditure resource eligible reimbursement purchase food food staff event reimburse fund 100 fund 100 student parent community event food account code 53204 sure fund available prior submit reimbursement fund 200 rule grant allow food purchase prior purchase check grant liaison practice purchase food product supermarket parent school council meeting acceptable cost effective mechanism procure catered service expenditure reimburse presentation itemized invoice cash register receipt page 3 superintendent circular fin-03 page 3 7 reimbursement item appropriately document gift cards certificates specific issue purchase gift card certificate permit use gift card certificate allow appropriate control document nature value item ultimately purchase practice allow proper reporting expenditure practice highly susceptible abuse documentation required reimbursement order secure prompt reimbursement request submit business office 15 business day purchase allowable expenditure reimbursement fully support appropriate documentation receipt follow procedure emails accepted 1 submit complete city boston special draft non order form fill completely school department date person reimburse address person reimburse vendor funding source detailed description page 4 superintendent circular fin-03 page 4 7 total request sign employee immediate supervisor 2 submit certification form attest penalty perjury amount state correct incur service city boston 3 itemized summary cash register receipt 4 itemized invoice produce vendor 5 copy cancel personal check credit card statement detail item(s purchase individual person reimburse check credit card statement proof purchase bps reimburse taxis expenditure student activity account purchase bps reimburse taxis tip food reminder register city boston vendor supplier portal file order reimburse www.boston.gov/procurement click supplier portal follow instruction wait approve vendor acquire vendor number submit reimbursement page 5 superintendent circular fin-03 page 5 7 submit paper submit single sided reimbursement packet double sided small 12 font 8x11 white paper highlight scotch tape receipt fade receipt use staple legible receipt reimburse submit copy 8x11 paper cash register receipt important reminder fiscal school year end june 30 year july 1 start new fiscal school year use current school year fund pay prior school year expense reimbursement submit school fiscal year jeopardy non payment page 6 superintendent circular fin-03 page 6 7 information circular contact owner unit leader business services accounts payable department business services mailing address 2300 washington street boston ma 02119 phone 617 635 9469 e mail finance-staff@bostonpublicschools.org mary skipper superintendent business services guide available page 7 page 1 superintendent circular number shs-16 version 01 suicide prevention intervention circular remain effect rescind supersede subsequent version policy statement policy boston public schools bps provide array service student utilization internal external support resource promote social emotional growth case individual student risk crisis staff collaborate provide support need ensure student safety acute crisis school community staff collaborate direction building administrator support behavioral health services district crisis team need appropriate address problem issue raise death student staff parent policy guidelines follow policy guideline establish address issue suicide prevention intervention follow school 1 staff aware suicide distress signal symptom outline 2 staff obligation knowledgeable page 2 superintendent circular shs-16 page 2 18 cooperate fully implementation bps suicide prevention intervention policy statement policy guidelines 3 build administrator provide leadership address issue suicide prevention intervention establish maintain following support mechanism require address issue wide school community a. implement prevention intervention strategy accord multi tiered system support mtss framework b. sure staff knowledgeable purpose student success team sst membership process make referral team c. ensure provision service training staff fall school year concern issue suicide crisis intervention prevention include suicide risk assessment procedure d. establish maintain linkage appropriate community base support agency assist school address issue e. provide information service student view implement fully letter spirit boston public schools suicide prevention intervention policy finally paramount highlight racism undermine mental health bps commit culturally linguistically sustain practice clsp support student family mean pledge work individual racism interpersonal racism institutional racism form create system page 3 superintendent circular shs-16 page 3 18 work student family understand increase risk suicide traditionally marginalize group particularly lgbtq+ student key terms essential boston public schools staff understand follow term suicide death cause self direct injurious behavior intent die result behavior suicide attempt non fatal self direct potentially injurious behavior intent die result behavior suicidal ideation think consider planning suicide1 self injury act deliberately harm body cut burning way cope emotional pain2 tiered prevention intervention strategy goal school community work leadership building administrator establish maintain program suicide prevention school important setting suicide prevention follow reason school personnel interact regularly student play important role keep student safe suicide 1 nimh home 2 self injury cutting symptom cause page 4 superintendent circular shs-16 page 4 18 negative impact entire school community create maintain safe supportive learning environment mission bps3 prevention effort follow mtss continuum low intensity prevention effort student intensive prevention effort high risk follow prevention intervention strategy strongly recommend school base suicide prevention approach  tier 1 prevention school climate culture build safe supportive school climate vital step suicide prevention school consider teach kid ask help create safe space relationship- building school wide psychoeducation break free depression grade 9 12 sign suicide grade 6 12 social emotional learning curriculum grade pre k 12 3 schools page 5 superintendent circular shs-16 page 5 18 universal behavioral health screening universal behavioral health screening tool e.g. bimas-2 twice year help school assess student level risk identify appropriate prevention strategy trevor project saving young lgbtq live samaritans 24 hour hotline samaritans im online chat program knowing risk factors warning signs ensure staff familiar suicide symptom report student concern building administrator timely fashion page 9 10 list warn sign common risk protective factor page 6 superintendent circular shs-16 page 6 18  tier 2 prevention intervention strategies structures protocol address provide support student present risk person(s responsible response protocol student success team sst sst provide systematic process identify address need student need support service emphasize suicide prevention strategy consist guardian contact concern referral partner agency provision service group counseling etc  tier 3 intervention strategy school staff familiar intervention strategy protocol train year different level intervention suicide risk assessment safety planning emergency response postvention require depend nature seriousness situation 1 student suicidal gesture statement bps suicide risk assessment sra initiate immediately concern student thought suicide sra guide process 1 gather information concern 2 develop appropriate intervention plan 3 document page 7 superintendent circular shs-16 page 7 18 person responsible response protocol staff person scene 1 student safe a. supervise student ensure presence staff member b. 911 concern imminent danger best team safety check appropriate 2 notify school administrator 3 report situation designate school leader(s head school principal designee 1 continue support initiate staff person 2 contact parent guardian request immediate presence 3 consult appropriate member school student success team sst nurse school psychologist social worker student support coordinator etc 4 identify professional complete sra sra conduct a. student preferred language b. people bps employ professional licensed mental health professional page 8 superintendent circular shs-16 page 8 18 individual available school office social work 617 971 8292 5 use boston emergency services team best consider 1 800- 981 4357 parent guardian opt student nearby best community clinic 6 submit report require bps employ professional licensed mental health professional 1 complete bps suicide risk assessment determine level risk 2 work student create student safety plan 3 identify appropriate supportive service list intervention plan end sra document a. possible high risk interventions i. guardian take student immediate intervention health care provider ii guardian and/or school contact best team 1 800- 981 4357 iii contact bps school police 617 635 8000 iv 911 necessary b. possible low risk interventions page 9 superintendent circular shs-16 page 9 18 i. guardian speak student incident concern ii teacher monitor student behavior report change concern iii referral outside agency support iv referral student success team school base support 4 scan upload copy complete intervention plan signature page student safety plan aspen retain sra interview page clinical file agree location school 5 share student safety plan parent caregiver appropriate school base personnel community- base partner 6 create entry plan student return school page 10 superintendent circular shs-16 page 10 18 parent family collaboration notify student legal guardian(s emergency contact(s include  legal guardian(s list aspen  emergency contact(s list aspen  legal guardian(s ask come school discuss student need  record legal guardian(s notify notify  share sra interview plan intervention collaborate follow 2 suicide attempt occur person responsible response protocol staff person scene 1 initiate aid appropriate 2 contact head school principal designee e.g. nurse social worker school psychologist 3 contact school nurse 4 leave person 5 remove enable person hurt themself page 11 superintendent circular shs-16 page 11 18 school nurse 1 initiate require medical procedure 2 accompany ensure staff member accompanie student hospital 3 remain student parent caregiver arrive long possible 4 inform building administrator student condition include inform administrator staff member leave hospital head school principal designee 1 initiate procedure superintendent circular fse-05 medical emergency management 2 contact legal guardian inform situation hospital student take applicable 3 accompany student hospital applicable 4 contact superintendent office 617 635 9055 report incident 5 complete require report page 12 superintendent circular shs-16 page 12 18 3 postvention structures protocol address school need complete suicide postvention tailor specific situation handle case case school mental health staff crisis team assign district social worker director social work jenna parafincczuk 617 971 8292 person responsible response protocol head school principal designee notify assign district social worker assistance planning carry postvention step ensure safety address psychological need student staff release student parent caregiver head school principal designee release student parent provide parent caregiver medical person mental health worker resource agency urge parent immediately bring student person agency urge parent provide school follow information forthcoming medical mental health personnel order school well provide student parent caregiver emergency contact contact page 13 superintendent circular shs-16 page 13 18 hour department children families contact hot line 1 800 792 5200 and/or emergency medical procedure implement circumstance child allow home parent guardian student keep school dcf worker arrive case school initiate procedure supertintendent circular sup-20 child abuse neglect procedures referral external support agencies recommend student crisis exhibit express symptom suicide refer support external agency staff train experience provide suicide intervention return school student return school period absence require bring note explanation excuse absence sign parent guardian student return school emergency treatment suicide intervention school reasonable effort obtain documentation medical mental health provider indicate student able safe return school failure school receive documentation ground exclude student school student unable return medical mental health reason crisis situation qualify service provision superintendent circular sss-19 home hospital instruction return student report school nurse train student support staff school page 14 superintendent circular shs-16 page 14 18 psychologist social worker following action 1 review file letter medical mental health provider confidential health record 2 accompany student homeroom admission effort sensitivity maintain great degree confidentiality possible 3 inform head school principal student return 4 bring case school sst review assignment internal liaison person liaison person monitor student entry serve person staff report recur warning sign liaison homeroom subject area teacher school psychologist guidance counselor nurse member faculty trust student liaison serve link parent guardian concern student status write permission parent guardian serve liaison external agency staff provide special support student page 15 superintendent circular shs-16 page 15 18 appendeum suicide warning signs warning sign indicator student danger commit suicide need urgent help verbal behavioral talk and/or make suicide plan talk and/or gather suicide method information statement family friend miss expression hopelessness and/or anger self world talk seek revenge talk feel trap unbearable pain talk burden look way kill oneself increase use alcohol drug act anxious agitated restless sleep little withdrawing feel isolate scratching cutting mark body self injurious behavior writing suicidal note post social medium make final arrangement give away prize possession page 16 superintendent circular shs-16 page 16 18 reading writing and/or art death sudden positive behavior change follow period depression environmental warning signs recent loss death recent loss suicide anniversary significant loss recent experience violence justice system involvement anniversary significant loss page 17 superintendent circular shs-16 page 17 18 suicide risk factors risk factor characteristic likely student consider attempt die suicide individual environmental lgbtq+ identity substance abuse medication use history mental disorder particularly clinical depression dx treat properly prior suicide attempt hopelessness burden hallucinations delusion impulsive aggressive tendency cultural religious belief e.g. belief suicide noble resolution personal dilemma physical illness unwillingness seek help stigma attach mental health substance abuse disorder suicidal thought interpersonal conflict isolation aloneness parent suicide attempt family history early loss separation family cultural sanction suicide loss relational social work financial local epidemic suicide barrier access mental health treatment easy access lethal method page 18 superintendent circular shs-16 page 18 18 suicide protective factor protective factor characteristic likely student engage suicidal behavior effective clinical care mental physical substance abuse disorder easy access variety clinical intervention support help seek family community support connectedness support ongoing medical mental health care relationship skills problem solving conflict resolution nonviolent way handle dispute cultural religious belief discourage suicide support instinct self preservation information circular contact owner director social work division student support department social work mailing address 205 roxbury street roxbury ma 02119 phone 617 971 8292 e mail operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number eqt-08 version 01 expectant parenting student circular remain effect rescind supersede subsequent version background boston public schools aim graduate student high school prepare college career success student expect raise child especially crucial maintain high expectation intensive support school completion pregnancy parenthood primary reason student drop school school district boston public schools aim prevent student pregnancy comprehensive health education access sexual health service district wellness policy school provide student access key resource service developmentally appropriate support sexual reproductive health safe supportive environment essential engage student currently expectant parent ensure safe supportive learning environment promote academic success ensure compliance district policy prohibit bias base conduct consistent federal title ix law prohibit discrimination student pregnant parenting page 2 superintendent circular eqt-08 page 2 28 definition expectant individual regardless gender identity pregnant partner pregnant parenting individual regardless gender identity parent child caregiver individual currently provide care student complete notarized caregiver authorization affidavit grant education decision make right emancipate minor individual age 18 self- support independent parental control result court order terminate right duty parent(s massachusetts law minor pregnant parenting automatically emancipate provide law pregnant parenting student independent consent medical dental care child include school base medical service m.g.l. ch 112 12f ferpa family educational rights privacy act federal law afford parent right access child education record right seek record amend right control disclosure personally identifiable information education record student turn 18 year old enter postsecondary institution age right ferpa transfer parent student page 3 superintendent circular eqt-08 page 3 28 hipaa health insurance portability accountability act federal law establish national standard requirement electronic health care transaction protect privacy security individually identifiable health information law apply health care provider ensure share medical information patient patient permission gender identity person internal sense male female combination male female male female person gender identity different physiology assign sex birth parent child mother father guardian person agency legally authorize court order act behalf child place conjunction mother father guardian policy maintain confidentiality expectant parenting student right choose seek service support school staff school staff adhere applicable law regulation confidentiality student include requirement state family educational rights privacy act ferpa provide law expectant parenting student right health personal information keep confidential include student school staff page 4 superintendent circular eqt-08 page 4 28 require keep inform circumstance involve physical safety student inform school staff member expectant parenting status staff member inform head school reasonable time period appropriate reasonable time period determine immediacy student need adjust attendance policy academic support expectant student sufficient time allow medical health decision share student expectant status head school staff member inform expectant parenting student aware need inform head school staff member discuss student determine reasonable time period inform head school depend detail situation student preference confidentiality student need head school share information staff limited need know basis school staff force coerce student inform parent individual pregnancy parenting- related information school staff disclose information student expectant parenting status student parent permission student information student pregnancy document student record student age 18 parent request student record ferpa require district present parent opportunity view student record boston public schools encourage communication involvement parent guardians caregiver health service student support school staff work page 5 superintendent circular eqt-08 page 5 28 expectant parenting student encourage student consider inform parent guardians caregiver trust family member pregnancy decision relate pregnancy policy prevent disclosure information certain limited circumstance case suspect child abuse neglect accordance law mandate reporting abuse threat minor case risk minor life health student pregnancy constitute risk minor life health compel staff member file 51a base solely student pregnancy regardless student age student write consent store datum link academic information expectant parenting status store datum help ensure student receive coordinated academic support give write consent student inform consent information expectant parenting status accessible parent academic record aggregated trend datum expectant parenting student include identify information qualified medical professional school building confidential medical record pregnant student seek treatment ensure safe supportive learning environment bps equity circular protect right student include expectant parenting student attend school environment free bias base conduct regardless page 6 superintendent circular eqt-08 page 6 28 sexual orientation gender identity relationship status marital status race ethnicity immigration status special education english learner status identity expectant parenting student right student attend district school program district staff engage bias base conduct expectant parenting student exclude expectant parenting student school program class extracurricular activity basis student expectant parenting status school staff encourage bring anti racist lens ensure expectant parenting student respect provide need support actively encourage achieve academic goal school personnel require expectant parenting student obtain certification physician student physically emotionally able continue participation program activity certification require student physical emotional condition require attention physician school staff maintain communicate high academic expectation student regardless expectant parenting status bias base counseling use material treat student differently basis sex include expectant parenting status prohibit office equity administrator school responsible monitor compliance provision circular individual feel circular violate subject bias base conduct contact bps office equity school employee page 7 superintendent circular eqt-08 page 7 28 aware bias base conduct expectant parenting student report conduct head school and/or office equity finally promote safe supportive school environment teacher school staff sensitive health need expectant parenting student example pregnant student benefit bring snack class take extra bathroom break leave class shortly dismissal allow time pass class school accommodate new mother need express breastmilk work student partnership office equity identify private sanitary location purpose appropriate storage space nursing equipment promote academic success expectant parenting student right remain regular current school program subject universal participation requirement program school program include limit honor program special education placement specialized language program alternative program extracurricular intramural interscholastic activity graduation program activity student attend alternative school participate alternative program activity expectant parenting student enrollment participation completely voluntary coerce alternative school program activity align common core state standards massachusetts curriculum frameworks page 8 superintendent circular eqt-08 page 8 28 implementing attendance policies absences reason pregnancy related medical condition include pregnancy relate illness health condition termination pregnancy childbirth recovery therefrom consider excused absence student right reinstate school status leave begin pregnancy- relate medical leave and/or parental leave student parent entitle fair reasonable parental leave follow birth new child student parent entitle minimum week parental leave purpose give birth school require student remain school fix period time post childbirth parental leave expectant student shall determine consultation student school staff student health care provider adult student consent include school staff encourage student consider include parent guardians caregiver conversation documentation student license healthcare provider require verification pregnancy relate medical condition require absence medical condition absence illness medical appointment school hour student child shall consider excuse absence parenting student shall require provide documentation licensed healthcare provider verify child illness documentation require absence student medical condition page 9 superintendent circular eqt-08 page 9 28 school support continuation learn excuse absence leave medically appropriate reasonable effort provide school home- base independent study activity student absent significant period time pregnancy- relate illness childbirth recovery parental leave student pregnant parenting access homebound hospital instructional service basis student miss school temporary medical condition student excuse absence expectant parenting status opportunity complete assignment test miss equivalent work miss student excuse absence student give credit satisfactory completion work liaison share information heads school oversee student grade 6 12 identify school liaison expectant parenting students policy help share information school community school submit liaison health wellness office liaison guidance counselor school nurse social worker school staff member expectant parenting student liaison step replacement identify report health wellness office 15 school day liaison work school leadership school wellness council share policy staff student family school district include grade 6- page 10 superintendent circular eqt-08 page 10 28 12 disseminate policy school staff administration policy share student family month school post school nurse office school year school policy publicly available school base health center health resource center expectant parenting student liaison copy policy post school website head school ultimately responsible academic success student school leader intervene case student need meet especially action inaction school staff contribute factor office health wellness coordinate training liaison office supply district community resource liaison liaison information available student staff need page 11 superintendent circular eqt-08 page 11 28 policy implementation review central office department e.g. opportunity youth health services health wellness collaboration school superintendent work school multiple expectant parenting student exist support system adequate support need help establish plan provide comprehensive system support example include create school base team develop implement individual student plan hire time student liaison work expectant parenting student bring external program resource support student case plan approve head school match available school resource particularly staff budget policy associated implementation procedure review annually office equity office health wellness update need implementation guidelines procedures rights expectant parenting students expectant parenting student right 1 choose seek service support school staff 2 choose inform parent guardians caregiver trusted family member pregnancy decision relate pregnancy page 12 superintendent circular eqt-08 page 12 28 3 information share school personnel need- know basis student provide write inform consent a. particular student write informed consent information expectant parenting status store school file alongside academic information 4 participate school program activity class extracurricular activity remain regular current school program subject universal participation requirement a. enrollment expectant parenting student alternative program activity completely voluntary 5 absence excuse illness medical appointment child pregnancy- relate reason 6 complete assignment test miss equivalent work miss excuse absence expectant parenting status receive credit satisfactory completion work 7 participate conference school staff health care provider parental leave choose adult include parent guardians/ caregiver trusted family member include conference a. student entitle minimum week parental leave page 13 superintendent circular eqt-08 page 13 28 b. bps employee require student remain school fix period time post childbirth 8 receive home hospital instruction service continue learning obtain instruction excuse absence and/or leave total 14 day school year a. student provide qualified physician statement access home hospital instruction service 9 reinstate school conclusion pregnancy and/or parental leave status leave begin protect student confidentiality 1 boston public schools employee adhere applicable law regulation confidentiality student include requirement state family educational rights privacy act ferpa a. obtain write informed consent expectant parenting student store datum link student name academic information expectant parenting status b. give write consent student inform consent information expectant parenting status enter educational record ensure student receive necessary support educational record accessible parent accordance ferpa page 14 superintendent circular eqt-08 page 14 28 2 student inform school staff member expectant parenting status staff member inform head school reasonable time period appropriate order provide coordinate academic support adjust attendance policy a. reasonable time period determine immediacy student need adjusted attendance policy academic support balance time need expectant student personal health decision head school inform b. staff member explain student need inform head school order coordinate plan academic success staff member discuss student reasonable time period share understanding accountability step c. student pregnant need time support consider option connect medical provider staff student plan check regularly ensure student receive timely support staff member require inform head school pregnancy end d. depend detail situation student preference confidentiality student need head school share information staff limited need to- know basis school nurse helpful health page 15 superintendent circular eqt-08 page 15 28 care coordination student medical provider need school social worker helpful connect student support service student consult share status staff essential build trust honor student autonomy ensure student feel safe support 3 school staff member disclose student expectant parenting status student parent regardless age permission student additionally staff member force coerce student inform parent individual pregnancy parenting relate information a. school staff work expectant parenting student encourage consider inform parent guardians caregiver trust family member pregnancy decision relate pregnancy have support system live important pregnancy parenting help student support plan trust staff ask student believe tell family pregnancy student danger aware dynamic student home life school social worker train reproductive health counselor similar support role well suit help counsel student matter b. accordance massachusetts general law chapter 119 section 51a school staff expect disclose information child abuse neglect page 16 superintendent circular eqt-08 page 16 28 appropriate authority mandated reporter report act professional capacity reasonable cause believe child suffer certain kind physical emotional injury kind physical emotional injury report result abuse inflict child cause harm substantial risk harm child health welfare include sexual abuse ii neglect include malnutrition iii physical dependence addictive drug birth student pregnancy constitute risk minor life health automatically require submit report 4 school staff member reach school policy liaison school administrator office equity support understand confidentiality procedure need ensure safe supportive learning environment bps employee 1 treat student include expectant parenting student respect recognize student potential succeed 2 maintain communicate high academic expectation student regardless expectant parenting status 3 recognize address way multiple form bias induce racial bias impact expectant parenting student opportunity academic success page 17 superintendent circular eqt-08 page 17 28 4 ensure expectant parenting student exclude school program class extracurricular activity basis student expectant parenting status a. teachers school staff encourage sensitive health need expectant parenting student example pregnant student benefit bring snack class take extra bathroom break leave class shortly dismissal allow time pass class b. schools accommodate new mother need express breast milk contact office equity assistance need 5 bps employee student family member aware possible bias base conduct expectant parenting student report conduct head school and/or bps office equity role responsibility 1 school administrator responsible a. ensuring school staff compliance policy i. intervene case student need meet especially action inaction school staff contribute factor b. identify school policy liaison school grade 6 12 identify expectant parenting student policy liaison share information school staff student family page 18 superintendent circular eqt-08 page 18 28 i. school leader submit policy liaison assistant superintendent office health wellness day school year contact end circular ii school policy liaison step school leader identify replacement report assistant superintendent office health wellness 15 school day iii school different structure provide student support service school base position liaison differ school usually good liaison regular contact expectant parenting student job guidance counselor social worker k-8 middle school level generally few expectant parenting student appropriate health teacher interested teacher serve liaison school nurse ideal choice liaison available leave nurse office school hour share information staff c. oversee policy liaison ensure communication policy staff student family d. work office equity accommodate new mother need express breast milk identify private sanitary location purpose appropriate storage space nursing page 19 superintendent circular eqt-08 page 19 28 equipment bathroom appropriate facility private qualify space shield view free intrusion guideline fact sheet break time nursing mother flsa available http://www.dol.gov/whd/regs/compliance/whdfs73.htm e. report instance possible bias base conduct expectant parenting student office equity phone 617 635 9650 email bpsequity@bostonpublicschools.org i. consider bias base conduct exclude expectant parenting student school program class extracurricular activity basis student expectant parenting status ii enrollment expectant parenting student alternative program activity completely voluntary 2 school expectant parenting student policy liaison responsible a. complete initial district training policy liaison month school refresher training require training objective increase knowledge policy related law improve skill support expectant parenting student communicate school community b. ensuring policy share student family school staff page 20 superintendent circular eqt-08 page 20 28 i. work school leadership school wellness council share policy staff student family ensure translation student family primary language english ii policy appropriate resource available school nurse office school base health center health resource center iii post policy liaison copy policy school website member school community access c. disseminating information district community resource i. inform administrator staff student availability resource expectant parenting student office health wellness resource ii disseminate information support resource expectant parenting student directly appropriate school staff member need student require meet liaison wish d. support school staff maintain student confidentiality require policy law i. liaison need inform identity expectant parenting student student choose inform liaison information resource share page 21 superintendent circular eqt-08 page 21 28 school staff member student confide ii liaison expect case manager counselor expectant parenting student job requirement 3 school nurse responsible a. offer regular check in expectant student monitor health wellness pregnancy type frequency check in establish base student wish need determine consultation student i. health service provide safe supportive environment free bias base conduct expectant parenting student b. maintain confidential medical record pregnant parenting student seek treatment school nurse particularly aware responsibility state federal law regulation especially health insurance portability accountability act hipaa c. partnering head school office equity accommodate new mother need express breast milk identify private sanitary location purpose appropriate storage space nursing equipment bathroom appropriate facility private qualify space shield view free intrusion guideline fact sheet break time page 22 superintendent circular eqt-08 page 22 28 nursing mother flsa available http://www.dol.gov/whd/regs/compliance/whdfs73.htm d. help determine parental leave student follow birth child consultation student school staff aware student expectant status student health care provider adult student consent include i. student entitle minimum week parental leave ii bps employee require student remain school fix period time post childbirth e. post policy school nurse office school year make policy publicly available school base health center health resource center 4 guidance counselor responsible a. provide expectant parenting student academic support guidance request student encourage seek support school guidance counselor academic plan student right choose seek service support school staff i. work expectant parenting student determine school schedule promote on- time arrival regular attendance page 23 superintendent circular eqt-08 page 23 28 student include flexible scheduling independent study period online course provide online course include sufficient opportunity person interaction support need b. obtaining write informed consent expectant parenting student store datum link student name academic information expectant parenting status give write consent student inform consent information expectant parenting status enter ensure student receive necessary support accessible parent academic record c. ensure counseling information provide student unimpede bias d. ensure student decision participate alternative school program activity expectant parenting student completely voluntary share information student program e. school guidance counselor staff responsibility fall head school 5 student school leader designee responsible a. bring student school staff aware student expectant parenting status student health care provider page 24 superintendent circular eqt-08 page 24 28 adult student consent include determine parental leave expectant student encourage student consider include parent guardians caregiver conversation i. student entitle minimum week parental leave ii bps employee require student remain school fix period time post childbirth b. ensure student reinstate conclusion pregnancy and/or parental leave status leave begin c. support continuation learn excuse absence leave medically appropriate include work student arrange temporary home hospital instructional service bps opportunity youth department d. work expectant parenting student determine school schedule promote time arrival regular attendance contact homeless education resource network hern arrange transportation promote school attendance expectant parenting student experience homelessness reside outside district e. ensure absence excuse arise pregnancy related medical condition include pregnancy relate illness health condition termination pregnancy childbirth recovery therefrom documentation page 25 superintendent circular eqt-08 page 25 28 student license healthcare provider require verification pregnancy relate medical condition require absence medical condition f. ensure absence consider excuse illness medical appointment school hour child student 6 central office staff a. office health wellness responsible i. track name school base policy liaison ii coordinate initial need refresher training resource policy liaison training include good practice disseminate information expectant parenting student policy find distribute resource student culturally responsive way expectation datum collection confidentiality iii maintain date district community resource support expectant parenting student share resource liaison b. office equity responsible i. monitoring compliance policy include respond report possible bias base conduct ii ensure communication policy level staff district page 26 superintendent circular eqt-08 page 26 28 communicate policy yearly family bps guidebook iii review policy associated implementation procedure annually update need collaboration office health wellness central office stakeholder identify policy iv share expectant parenting student policy policy update boston student advisory council student group c. department school health services responsible i. provide training guidance school nurse good practice work expectant parenting student include ensure confidentiality accordance policy law provide culturally responsive service d. office opportunity youth responsible i. working school help support continuation learn excuse absence leave home hospital instruction program ii supervisor attendance respond inquiry attendance policy reporting include policy excuse absence expectant parenting student page 27 superintendent circular eqt-08 page 27 28 iii homeless education resource network hern work school arrange transportation promote school attendance expectant parenting student experience homelessness reside outside district e. central office department task student support service guidance social work responsible i. support communication policy school base staff support support professional development ensure staff train resource support expectant parenting student ii identify school large number expectant parenting student exist support system adequate support need help establish plan provide comprehensive system support information circular contact owner director training school support department office equity mailing address 2300 washington street 5th floor roxbury ma 02119 phone 617 635 9650 email bpsequity@bostonpublicschools.org page 28 superintendent circular eqt-08 page 28 28 senior executive director department office health wellness mailing address 370 columbia rd dorchester ma 02125 phone 617 635 7926 email healthandwellness@bostonpublicschools org mary skipper superintendent page 1 superintendent circular number fns-06 version 01 1 food nutrition services menu ingredient guidelines circular remain effect rescind supersede subsequent version boston public schools bps food nutrition services fns menu ingredient guidelines benchmark food quality food safety nutrition variety apply primarily menu development procurement support nutrition standard food nutrition services pertain usda program administer fns fns continuously monitor work relate guideline update annually school year guideline inform source evidence base research ad hoc relate ingredient standard operation fns menu ingredient guidelines align good food purchasing program continuously strive meet menus change principles culinary institute america value principle respectively embed fns menu ingredient guidelines menu ingredient guidelines group follow heading page 2 superintendent circular fns-06 page 2 17 a. provide nourishing culturally diverse food choice accord regulation b. offer variety fresh local food c. establish level fat sugar sodium d. eliminate additive e. define animal welfare standard f. a. provide nourishing culturally diverse food choice meet exceed usda national school lunch school breakfast program guideline guideline massachusetts department public health city boston boston public schools wellness policy fns strictly follow exceed usda national school lunch school breakfast programs meal pattern healthy meal choice offer frequency choice serve boston school menus follow week cycle continuously evolve diversity update variety trend reflect student preference menus bps food service model like possible lunch menu vegetarian entrée daily feature vegan protein option menu cycle person meal service page 3 superintendent circular fns-06 page 3 17 b. offer variety food fresh high quality emphasize local food purchase retain inherent physical chemical sensory nutritional property food meet food quality requirement note guideline menus favor local seasonal ingredient local item feature base availability primarily salad bar additional local meal component week include grain fish dairy budget parameter local define new england intend increase volume time service model menus offer variety fruit vegetable o fns offer fruit minimum fresh serve unsweetened can frozen pack juice dry fruit breakfast lunch o fns offer fresh vegetable fresh fruit daily school mwcs salad bar school salad bar offer minimum fresh fruit and/or vegetable daily o frozen can vegetable salt free low- sodium serve appropriate o legumes bean offer minimum week site lunch menus offer legume bean plant base protein option meet meat alternate component requirement meal pattern menus provide weekly grain grain- rich offer salad bar side entree local page 4 superintendent circular fns-06 page 4 17 grain rich item feature menus offer variety lean protein include animal plant base option i.e chicken turkey beef fish tofu bean menus offer commercially purchase muscle meat entree muscle meat filler beef lean usda grade choice well contain 100 beef egg usda grade equivalent usda inspect frozen egg usda inspect seafood u.s. department commerce- inspect fns offer food little packaging possible goal eliminate reasonable necessary packaging package food include serve selectively discretion fns primarily setting cooking equipment breakfast classroom field trip occasionally grab and- cart possible meal offer classroom field trip cart align meal offer dining room fns move away unitized package meal site meal preparation c. decrease saturate fat monitor add sugar excess sodium menu choice favor entree low saturate fat 10 base average 5 day menu week page 5 superintendent circular fns-06 page 5 17 healthy oil(s food preparation butter sparingly liquid milk rbgh free dairy low fat 1 non fat skim exclude butter fns currently observe usda target 1 sodium limit o line federal rule school year 2024 2025 fns intend decrease average daily sodium level reach target 2 standard establish usda final rule nutrition standards national school lunch school breakfast programs 1/26/12 add sugar content monitor follow guideline aim decrease daily add sugar intake o cereal contain 6 gm add sugar 1.5 teaspoon 1 grain equivalent identical nutritional ingredient retail product o breakfast grain grain component contain 8 gm 2 teaspoon add sugar o grain equivalent 14 gm 4.5 teaspoon add sugar o yogurt 15 gm add sugar 4.5 + teaspoon serve beverage include fruit infuse water hydration station school dining room d. eliminate additive ingredient need product integrity page 6 superintendent circular fns-06 page 6 17 follow unnecessary unnatural ingredient prohibit menu item additives ingredient monitor adjust accord evidence base research color o artificial color include synthetic food dye o annatto cochineal extract carmine o caramel color class iii iv avoid beverage food sauce caramel color class iv feature gravy sparingly artificial flavor artificial synthetic flavor artificial preservative benzoates benzoic acid bha bht tbhq nitrate nitrite propyl gallate sulfite artificial sweetener sugar free non nutritive low calorie reduced calorie sweetener sucralose aspartame saccharine neotame acesulfame k acesulfame potassium flavor enhancer gmp msg binders fillers isolate vegetable protein hydrolyze vegetable protein filler thickening agent carrageenan caffeine sugary syrup high fructose corn syrup hfcs high maltose corn syrup high dextrose corn syrup tapioca syrup partially hydrogenate oil trans fat emulsifier page 7 superintendent circular fns-06 page 7 17 o brominated vegetable oil bvo o carboxymethylcellulose cmc polysorbates flour treatment agent azodicarbonamide bleach flour bromated flour potassium bromate potassium iodate nitrites nitrates processed meat meat transform salting cure fermentation smoking process enhance flavor improve preservation example process meat include hot dog frankfurter deli meat ham sausage corned beef beef jerky canned meat render meat irradiate meat meat latent tgf- beta bind protein ltbp ammonium hydroxide vegetable protein analogue extender e. work procurement animal untreated hormone steroid antibiotic serve vital function grow concern animal husbandry practice fns support responsible use antibiotic animal o menu feature chicken raise use antibiotic ▪ menu feature entree utilize chicken product follow health certified ohc standards.37 ohc address important area animal agriculture sustainable continuous improvement process o menu feature turkey product produce page 8 superintendent circular fns-06 page 8 17 usda process verify program include compliance follow certified responsible antibiotic use crau criterion i. administration antibiotic pre hatch ii antibiotic analogue human medicine allow ▪ disease prevention ▪ growth promotion ▪ feed efficiency ▪ weight gain iii antibiotic human analog therapeutically treat disease poultry bacterial disease control disease poultry expose infectious bacteria fns oppose use hormone steroid growth promoter beef dairy cattle production fns continue research food product beef dairy cattle produce hormone growth promoter grass feed product option available fns acknowledge usda commodity product beef dairy poultry purchase transparency animal practice fns limit product serve usda commodity protein muscle meat restructure meat f. guideline observe follow page 9 superintendent circular fns-06 page 9 17 school dining area peanut aware school kitchen serve peanut tree nut fns accommodate student medically prescribe dietary requirement information circular contact owner nutrition manager department food nutrition services mailing address 370 columbia road dorchester ma 02125 phone 617 635 9144 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 10 superintendent circular fns-06 page 10 17 reference 1 center good food purchasing https://goodfoodpurchasing.org review 2020 access january 26 2020 2 menus change https://www.menusofchange.org review 2021 access 14 2021 3 michigan state university process food https://www.canr.msu.edu/news/what_is_a_processed_food 4 american heart association healthy cooking oils https://www.heart.org/en/healthy-living/healthy-eating/eat- smart fat healthy cooking oil review april 24 2018 access january 14 2020 5 american heart association child eat 25 gram add sugar daily https://newsroom.heart.org/news/children-should-eat-less-than- 25 gram add sugar daily 6 center science public interest chemical cuisine learn food additives https://cspinet.org/eating- healthy chemical cuisine publish 2014 access june 26 2019 7 kobylewski s jacobson mf food dye rainbow risks washington d.c. 2010 https://cspinet.org/new/pdf/food-dyes- rainbow-of-risks.pdf 8 lefferts ly jacobson mf maccleery l. see red time action food dyes washington d.c. 2016 http://cspinet.org/reports/seeing-red-report.pdf page 11 superintendent circular fns-06 page 11 17 9 conners ck goyette ch southwick da lees jm andrulonis pa food additive hyperkinesis control double blind experiment pediatric 1976;58(2):154 166 10 stevenson j buitelaar j cortese s et al research review role diet treatment attention deficit hyperactivity disorder appraisal evidence efficacy recommendation design future study j child psychol psychiatry 2014;55(5):416 427 doi:10.1111 jcpp.12215 11 bateman b warner jo hutchinson e et al effect double blind placebo control artificial food colouring benzoate preservative challenge hyperactivity general population sample preschool child arch dis child 2004 89:506 511 doi:10.1136 adc.2003.031435 12 mccann d barrett cooper et al food additive hyperactive behavior 3 year old 8/9 year old child community randomize double blind placebo- control trial lancet 2007;370(9598):1560 1567 doi:10.1016/ s0140 6736(07)61306 3 13 saeed mg sayeed sa ashraf s et al investigation vitro digestibility proteins bind food colors journal pharmacy nutrition sciences 2011 1 34 40 14 usda food drug administration d h hs specific food labeling requirements code federal regulations https://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/cfrsea rch.cfm?cfrpart=101 15 piper p. potential safety issue surround use benzoate preservative beverage 2018;4(2):33 doi page 12 superintendent circular fns-06 page 12 17 10.3390 beverages4020033 16 ntp national toxicology program 2016 report carcinogen fourteenth edition research triangle park nc u.s. department health human services public health service https://ntp.niehs.nih.gov/go/roc14 17 jakszyn p gonzalez c a. nitrosamine related food intake gastric esophageal cancer risk systematic review epidemiological evidence world j gastroenterol 2006;12(27):4296 4303 http://www.ncbi.nlm.nih.gov/pubmed/16865769 18 alhoff j grandjean c. vivo study syrian golden hamster transplacental bioassay nitrosamine natl cancer inst monogr 1979;(51):251 255 http://www.ncbi.nlm.nih.gov/pubmed/481578 19 international agency research cancer iarc iarc monographs evaluate consumption red meat process meat 2015 doi https://www.iarc.fr/en/media- centre pr/2015 pdfs pr240_e.pdf 20 national toxicology program carcinogenesis bioassay propyl gallate f344 rats b6c3f1 mice bethesda 1982 https://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf 21 ham j lim w park s et al synthetic phenolic antioxidant propyl gallate induce male infertility disruption calcium homeostasis mitochondrial function environ pollut.2019 248:845 856 doi 10.1016 j.envpol.2019.02.087 22 abdo km kari fw sensitivity ntp bioassay carcinogen hazard evaluation modulate dietary page 13 superintendent circular fns-06 page 13 17 restriction exp toxicol pathol 1996;48(2 3):129 137 doi 10.1016 s0940 2993(96)80033 9 23 soffritti m belpoggi f degli esposti d lambertini l tibaldi e rigano a. experimental demonstration multipotential carcinogenic effect aspartame administer feed sprague dawley rat environ health perspect 2006;114(3):379- 385 http://www.ncbi.nlm.nih.gov/pubmed/16507461 24 schernhammer es bertrand ka birmann bm sampson l willett wc feskanich d. consumption artificial sweetener sugar contain soda risk lymphoma leukemia man woman j clin nutr 2012;96(6):1419 1428 doi:10.3945 ajcn.111.030833 25 m. s m. p e. t et al sucralose administrate feed begin prenatally lifespan induce hematopoietic neoplasia male swiss mouse int j occup environ health 2016;22(1):7 17 doi 10.1080/10773525.2015.1106075 26 liauchonak qorri b dawoud f riat y szewczuk mr non- nutritive sweeteners implication development metabolic syndrome nutrients 2019 11(3):644 27 raiten dj talbot jm fisher kd executive summary report analysis adverse reaction monosodium glutamate msg j nutr 1995;125(11):2891s-2906s. http://www.ncbi.nlm.nih.gov/pubmed/7472671 28 bray ga nielsen sj popkin bm consumption high fructose corn syrup beverage play july 2019 role epidemic obesity j clin nutr 2004 79(4):537 543 page 14 superintendent circular fns-06 page 14 17 http://www.ncbi.nlm.nih.gov/pubmed/15051594 29 american heart association trans fats http://www.heart.org/heartorg/healthyliving/healtheating/nu trition transfats_ucm_301120_article.jsp#.v2hupvkrjhe. 30 food drug administration frequently asked questions azodicarbonamide ada http://www.fda.gov/food/ingredientspackaginglabeling/foodad ditivesingredient ucm387497.htm 31 bukhari ssi azam abbasi mh daud m sheikh n batool mahmood r mukhtar m. effect alloxan il-6 gene expression mus musulus biologia pakistan 2018 64(1):69 73 https://www.gcu.edu.pk/publications/biologia/vol64_no1_2018.pd f#page=65 32 international agency research cancer iarc summaries evaluations potassium bromate group 2b 1999 http://www.inchem.org/documents/iarc/vol73/73-17.html 33 epa irisd bromate casrn 15541 45 4 iris assessment https://cfpub.epa.gov/ncea/iris2/chemicallanding.cfm?substance nmbr=1002 publish 2001 access july 24 2019 34 cornucopia institute bean heroes charlatans natural organic soy foods industry 2009 https://www.cornucopia.org/wp- content uploads/2017/09 behindthebean_color_final.pdf 35 berkeley wellness ask experts hexane soy food berkeley wellness univ calif. 2012 https://www.berkeleywellness.com/healthy-eating/food- safety article hexane soy food page 15 superintendent circular fns-06 page 15 17 36 women health soy protein isolate thing healthy 2019 https://www.womenshealthmag.com/food/a27559289/soy- isolate protein/. 37 health certification foundation core principles https://onehealthcertified.org/about/core-principles/ 38 u.s. department agriculture certify responsible antibiotic use https://www.ams.usda.gov/services/auditing/crau minneapolis public schools culinary wellness services true food nutrition philosophy 2019 2020 https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd f culinary wellness services ingredient guide https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p df serve model boston public schools food nutrition services menu ingredient guidelines healthy school campaign ingredient guidelines https://www.google.com/url?q=https://healthyschoolscampaign.o rg dev wp content uploads/2020/01 ingredient guide- 2021.pdf&sa = d&source = docs&ust=1689510987098278&usg = aovva w2a5urgrxbkhb6xz9zj6esc page 16 superintendent circular fns-06 page 16 17 note sugar calculation yogurt 12 gram sugar 4 oz sweetened yogurt 15 gram sugar 4 oz vanilla flavor yogurt breakfast condiment 6 gram sugar 1 oz yogurt dipping sauce 8 gram sugar .4 oz table syrup individual package page 17 superintendent circular fns-06 page 17 17 page 1 superintendent circular number hrs pp03 version 01 tuition reimbursement btu administrative guild member circular remain effect rescind supersede subsequent version boston school committee bsc agree program allow reimbursement tuition cost eligible collective bargaining unit member exchange commitment continued employment boston teachers union member eligibility permanent teacher eligible career award commit year continuous employment boston public schools reimburse tuition expense accrue give school year payment exceed $ 1,000 teacher school year agreement bsc btu provisional teacher complete year service boston public schools eligible tuition reimbursement payment exceed $ 500 school year definition eligibility explicitly mean include employee job title compensate base group group ii btu salary schedule page 2 superintendent circular hrs pp03 page 2 11 aba specialists eligibility agreement bsc btu aba specialist complete year service shall eligible tuition reimbursement $ 500 year approve college graduate credit year successful employment aba specialist eligible tuition reimbursement $ 1,000 approve college course eligible receive career award paraprofessional eligibility agreement bsc btu paraprofessional complete year time service end prior school year entitle tuition reimbursement $ 1,000 year approve college course agreement bsc btu paraprofessional complete year time service end prior school year entitle tuition reimbursement $ 500 year approve college course administrative guild member eligibility eligible receive tuition reimbursement member administrative guild serve school year commence september 1 prior year tuition reimbursement application file tuition reimbursement member administrative guild page 3 superintendent circular hrs pp03 page 3 11 cap $ 1,000 member year eligible course coursework approve assistant superintendent human capital designee consistent current policy eligible course school year 2023- 2024 course begin anytime september 1 2023 august 31 2024 course meet criterion establish salary lane advancement articulate superintendent circular hrs pp01 consider eligible tuition reimbursement boston public schools reimburse employee cost class include consultant facilitator fee send receipt pocket payment directly institution transcript issue guild course certificate program job relate training approve assistant superintendent human capital consistent current policy page 4 superintendent circular hrs pp03 page 4 11 application process receive tuition reimbursement payment eligible employee submit sign form ps-03 personnel action request form pay adjustment category place check mark tuition reimbursement block ○ ps03 form download https://drive.google.com/file/d/0b9pn1k0- qb_fwtrjv2jasddnbeu view?resourcekey=0- y7e5qnx7b_hmlefhkljauq ○ employee sign date form originator signature date block btu sign affidavit agree continuous year employment boston public schools copy affidavit attach circular affidavit require paraprofessional member administrative guild official original transcript clearly indicate pass grade graduate credit award accredit institution undergraduate course work accept paraprofessional administrative guild member electronic transcript send directly office human capital send employeeservices@bostonpublicschools.org guild member eligible completion certificate program page 5 superintendent circular hrs pp03 page 5 11 documentation tuition payment documentation form receipt pocket payment credit card statement indicate payment institution course take credit grant submit material employee services department boston public schools 2300 washington street roxbury ma 02119 payment tuition reimbursement office human capital effort issue tuition reimbursement 60 day receipt require application documentation list summary significant date deadline date activity september 1 start reimbursement year august 31 deadline submit tuition reimbursement documentation process previous academic year august 31 end reimbursement year page 6 superintendent circular hrs pp03 page 6 11 information circular contact owner employee services department office human capital mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 fax 617 635 7957 email employeeservices@bostonpublicschools.org mary skipper superintendent page 7 superintendent circular hrs pp03 page 7 11 affidavit btu teacher member agree continue employment boston public schools continuous year date receipt tuition reimbursement payment qualifying $ 500 $ 1,000.00 course work approve assistant superintendent human capital consistent current policy prior reimbursement monie fail continue employment continuous year agree reimburse boston public schools entire $ 500 $ 1,000.00 month discontinuance service boston public schools failure result initiation legal action boston public schools receive say monie check permanent teacher entitle $ 1,000 provisional teacher entitle $ 500 sign pain penalty perjury signature print date witness signature bps btu dual license reimbursement btu page 8 superintendent circular hrs pp03 page 8 11 teacher recent collective bargaining agreement effective september 1 2022 august 31 2024 cba position require license incumbent possess educator require obtain second license teacher reimburse $ 3,000 expense incur obtain require second license boston teacher union member eligibility teacher require bps obtain license teach exist position currently hold require license cba bps reimburse teacher $ 3,000 employment bps cost obtain license require bps teacher position include limit work waiver emergency license eligible course teachers shall reimburse follow expense incur obtain require license mtel prep course provider list establish office human capital mtel test graduate coursework1 1 credit equivalency consider graduate course work page 9 superintendent circular hrs pp03 page 9 11 license fees bps pathway programs reimbursements consider provide teacher submit receipt office human capital fiscal year expense incur definition eligibility explicitly mean include employee job title compensate base group group ii btu salary schedule application process receive dual license reimbursement payment eligible employee submit google form response ○ google form find https://docs.google.com/forms/d/e/1faipqlsf35h7btyp o0rlpzkgzrgkti3lqfbyrycfy0sgfani5ivhlfa viewform ○ submission include proof payment copy dual licensure notice inform incumbent position require license go forward documentation expense payment documentation form receipt pocket payment credit card statement indicate payment institution course take credit grant documentation clearly date submit material google form page 10 superintendent circular hrs pp03 page 10 11 payment dual license reimbursement office human capital effort issue dual license reimbursement 60 day receipt require application documentation list summary significant date deadline date activity september 1 start reimbursement year august 31 deadline submit dual license reimbursement documentation process previous academic year august 31 end reimbursement year page 11 superintendent circular hrs pp03 page 11 11 information circular contact owner school based staffing department office human capital mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 fax 617 635 9600 email additional question submit hr inquiry ticket beacon find access boston mary skipper superintendent page 1 superintendent circular number shs-24 version 01 diapering toileting accident policy circular remain effect rescind supersede subsequent version background toilet training typically occur 18 month 3½ year child developmental stage individual disability face significant obstacle toilet training person diagnose disability partly individual challenge communication medicine social interaction sensory sensitivity make change routine individual disability toilet training present caregiver child obstacle immediate success child continue toilete accident time stop wear diaper policy statement boston public schools acknowledge toilete procedure plan base individual child need culturally appropriate accord child family need belief boston public schools staff aware diverse style toilete student cultural religious practice program staff use variety formal informal strategy include conversation page 2 superintendent circular shs-24 page 2 6 acquaint learn family prefer child rear practice include toilet training boston public schools aware accommodate need maintain privacy toileting dressing boston public schools staff interact positive manner toileting procedure support student develop self help area diapere procedures toilete accident diaper changing handle classroom teacher classroom paraprofessional and/or adult designate school principal parent require change diaper volunteer change diaper and/or assist toilete school site school hour school year principal complete sign form state writing designate help student toileting change diaper help child toileting accident attached form responsibility school nurse assist toileting diaper change care student ostomy colostomy require urinary catheterization genito urinary diagnosis page 3 superintendent circular shs-24 page 3 6 staff follow diapere procedure staff assess child sign diaper pull up wet contain fece hour child awake child awaken rest period diaper change wet soil child wear cloth disposable training pant child accident change initiate 5 minute discovery wet soil circumstance clearly unreasonably difficult staff change child diaper soil underwear designate change area facility change area staff post follow procedure change diaper pull up time caregiver hand child ensure safety maintain child change elevated surface bring supply e.g. clean diaper wipe diaper cream glove plastic waterproof bag soiled clothing extra clothe diapering change area diaper cream provide family dispense tissue and/or cotton ball cover diaper change surface disposable liner paper chuck glove page 4 superintendent circular shs-24 page 4 6 change table place child diapering surface unfasten diaper hand child time clean child disposable wipe wipe soiled diaper clothing away surface easily clean securely bag soil clothing place wipe soiled diaper pull soiled diaper pull plastic bag tie bag discard bag soiled diaper pull wipe cover trash remove discard glove apply diaper cream need tissue and/or cotton ball freshly gloved finger fresh diaper help child fresh pull clean clothe help child dress wash child hand soap water place safe supervised area diaper change table o remove liner change surface discard trash o wipe visible soil damp paper towel baby wipe o clean entire surface disinfectant o wash hand soap water page 5 superintendent circular shs-24 page 5 6 resource bps department early childhood bps department special education naeyc early learning program accreditation standards information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 6 superintendent circular shs-24 page 6 6 adult designate change diapers assist student toileting and/or assist children toileting accidents school school year 1 position 2 position 3 position 4 position principal signature date page 1 superintendent circular number fin-01 version 01 travel policy procedures approval reimbursement circular remain effect rescind supersede subsequent version boston public school business conduct locally line telephone special limited circumstance overnight state travel require circumstance usually arise boston public schools oblige send staff state strong case travel substantially benefit district case request subsidized travel require justification prior notification prior approval bps obligate reimburse employee travel cost approve accord policy circular remain effect rescind supersede subsequent version travel approval 1 applicant secure approval online form sign direction process bps travel request documentation document sole obligation traveler determine sufficient fund available reimbursement page 2 superintendent circular fin-01 page 2 8 2 travel occur traveler receive fully approved travel request travel request receive travel occur reimburse 3 overnight state travel require prior approval submit 20 day prior departure date apply online form follow approver signature school leader school superintendent division chief financial analyst chief financial officer operation manager superintendent traveler need follow travel approval application online case question approver denial note application application approve eligible travel receive reimbursement owe 4 note account 52802 plane train bus taxis ubers lyfts etc cost associate get 52804 conference fee hotel food etc cost associate use account requisition travel 5 support documentation describe conference purpose attendance attach online travel request form pertinent information 6 staff plan attend overnight town conference require return prepare page 3 superintendent circular fin-01 page 3 8 report presentation workshop etc attend submit report immediate supervisor shall determine format report 7 travel pay conference host bps employee disclosure form 3 page attach travel approval form application reimbursement travel expense secure prompt reimbursement travel reimbursement request submit business office 15 business day travel occur traveler submit follow form documentation receipt accounts payable office business manager email accept 1 complete city boston special draft non order form fill completely school department date person reimburse address person reimburse vendor note funding source detailed description conference date place state hold reimburse sign employee immediate supervisor 2 copy city boston county suffolk travel expense voucher attach form fill completely daily expense sign low right person take trip low leave department head page 4 superintendent circular fin-01 page 4 8 3 certification form attesting pain penalty perjury request reimbursement incur reasonable expense service city boston 4 copy approve request travel approval form attach important note bps reimburse taxis expenditure bps reimburse taxis tip food reimbursement exceed authorize superintendent extreme condition original increase amend travel form submit finance office prior travel travel substitution occur amend form approve superintendent require travel copy travel approval submit request reimbursement reminder register city boston vendor supplier portal file reimburse www.boston.gov/procurement click supplier portal follow instruction wait approve vendor acquire vendor number submit reimbursement submit paper submit single sided reimbursement packet double sided 12 point font large 8.5 x 11 white paper page 5 superintendent circular fin-01 page 5 8 highlight scotch tape receipt fade receipt use staple legible receipt reimburse submit copy cash register receipt 8.5 x 11 paper allowable expense 1 economy class commercial carrier charge airline train bus time maximum reimbursement limit low commercial carrier fare destination maximum limitation apply state travel 2 hotel charge limit $ 200.00 night exception limit approve basic accommodation unavailable b basic accommodation distant event c event hold specific hotel 3 purchase meal reimburse support original receipt exceed $ 50.00 day maximum $ 25.00 day allow receipt person travel pay meal individual group meal note travel approval request individual list travel approval request prior travel gratuity exceed 20 b original receipt include itemized breakdown order itemized breakdown provide $ 25.00 diem allowance reimburse c reimbursement room service require submission itemized breakdown page 6 superintendent circular fin-01 page 6 8 4 conference registration fee support original documentation local transportation charge 1 car rental gas airport parking list travel approval reimbursement request 2 charge claim taxis lyfts ubers support original receipt 3 travel automobile eligible reimbursement current irs allowable rate mile superintendent circular fin-02 mileage 4 toll parking charge support original receipt miscellaneous travel issues 1 travel city contractors vendors contract and/or service agreement require vendor travel behalf boston public schools city boston travel policy incorporate reference contract agreement prior execution 2 conflicting obligations generally permissible prior review approval office legal advisor engage travel sponsor party important reminder fiscal school year end june 30 year july 1 start new fiscal school year use current school year fund pay prior school year expense page 7 superintendent circular fin-01 page 7 8 reimbursement submit school fiscal year jeopardy non payment information circular contact owner principal account clerk account payable business services department operations mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9472 email finance-staff@bostonpublicschools.org page 8 superintendent circular fin-01 page 8 8 city boston county suffolk travel expense voucher form submit reimbursement receipts auditing department business office original file auditor office month official employee department unit boston public schools day description private automobile rail- road fare bus taxi fare meals hotel tele- phone tele- graph total miles break -fast lunch dinner item totals sign voucher certify item expenditure incur necessary service city county complie regulation voucher certify personally examine statement approve item expense hereon item conform regulation print amount charge reasonable expenditure necessary service city county signature signature department head employee page 1 superintendent circular number oda-05 version 01 bps survey administration guideline circular remain effect rescind supersede subsequent version overview federal statute protection pupil rights amendment ppra 20 u.s.c. 1232h afford protection student parent certain student survey conduct student survey come scope statute assess student survey carefully administer determine policy apply student survey anonymous voluntary need comply follow policy additionally student survey develop administer fund receive united states department education need comply policy student survey develop administer federal education fund student require participate follow policy apply policy apply survey ask student reveal follow information political affiliation mental illness psychological problem sexual behavior and/or attitude illegal self- incriminating demean behavior critical appraisal close family member relationship privilege recognize clergy medical doctor attorney religious affiliation belief income page 2 superintendent circular oda-05 page 2 10 eligibility participation program prior administer survey student parent guardian consent writing student participation survey copy survey available parent guardian survey bring attention office legal advisor perception surveys student teacher family survey effective tool support success inside outside classroom survey require district wide school program choose administer additional survey guidance administer additional survey responsibility boston public schools use datum emerge survey ensure student receive need day purpose boston public schools climate culture feedback survey support district strategic goal eliminate opportunity gap accelerate learn survey provide teacher administrator student parent district community information climate culture engagement student learning utilize assess criterion inclusion family friendly school page 3 superintendent circular oda-05 page 3 10 include measure calculate school score school quality framework assignment tier home base student assignment system robust survey system include survey provide information classroom school district level responsive need level classroom level student feedback survey provide teacher datum student perception instruction classroom climate teacher create formative goal well meet learning need student school level survey provide school leader leadership team datum help measure school success relation school district goal assess engagement creation safe welcome environment work teacher develop strategy attend priority area district level survey provide district leader information allow determine system individual school central department make progress district long term strategic goal information need assess effectiveness specific initiative implement achieve goal implement effective practice eliminate practice unsuccessful quality information allow comparison program school classroom data- drive equitable page 4 superintendent circular oda-05 page 4 10 administration expectations perception survey administration require student staff teacher family boston public schools sy24 25 bps administer student family teacher staff surveys panorama communication send centrally school base outreach make difference family school leader coordinator access response rate tracking completion list panorama platform addition survey coordinator school leader offer training resource administration prior survey window follow table outline survey require student staff teacher family boston public schools sy24 25 include purpose grade level administration window specific date include annual assessment calendar release summer 2024 page 5 superintendent circular oda-05 page 5 10 bps districtwide surveys survey purpose grade adminis- tration window student climate feedback surveys assesses perception pedagogical effectiveness rigorous expectation relationship engagement classroom climate school culture community belong mindset school safety 3 12 mid year december spring april- senior exit survey collect information student postsecondary plan overall experience high school gradua- te seniors april june teacher climate survey assesses perception school climate culture relationship peer victimization school leadership professional learning etc mid year december spring april- staff climate survey assesses perception school climate culture relationship peer victimization school leadership spring april- family climate survey assesses perception school climate culture school communication school fit school safety engagement etc spring april- page 6 superintendent circular oda-05 page 6 10 accessing result teachers school staff access result panorama secure.panoramaed.com select sign google choose bps email log result review consider respect impact planning adjustment alignment school improvement 90 day action plan specifically student culture adult culture goal resource support available panorama academy ensure datum reasonable representation student population school level result show 1 response rate great 10 2 7 response ensure student confidentiality support available panorama support+bps@panoramaed.com administering surveys multiple school communities central office guideline recommendation support administration survey student family school staff remainder circular describe process create administer survey central office staff multiple school community reduce number survey staff require respond office data accountability review survey prior administration refer bps survey calendar exist survey timeline available process describe office review survey creation administration step 1 survey request process page 7 superintendent circular oda-05 page 7 10 office interested administer survey staff outside department need submit survey request form office data accountability form collect information goal objective survey decision survey mean inform tabulation analytic result inform decision confirmation information collect survey audience user especially intend outside agency research approval requirement sensitivity datum collect necessary security protection ideal timeline survey form administer relate instructional priority ideal method distribution depend targeted survey population survey schedule coordination stand district survey mitigate overlap department team share reason collect information information respond collection information mandatory voluntary team consideration timeline request response relation district require training survey event page 8 superintendent circular oda-05 page 8 10 step 2 consultation submit survey request form office data accountability meet review request determine appropriate distinct survey collection tool use district survey approve administer office data accountability able recommend level support create administer survey example oda support include limit item domain creation review sample strategy survey administration timing communication design hosting analysis collect datum page 9 superintendent circular oda-05 page 9 10 step 3 data analysis dissemination information plan analysis survey datum provide prior initiate collection datum team expect detailed documentation activity decision inform datum collect department plan identify portion evaluation share participant high visibility datum result share public school committee and/or school committee task force work group share offices superintendent data accountability interpret result analysis inform process future recur survey best practices surveys datum collection 1 short survey lead increase response rate limit number question survey increase response rate improve overall ability collect feedback survey design minimize respondent time ideally design complete mobile device 3 5 minute 2 minimize open response answer open response answer short paragraph increase time take complete survey lead degraded response quality drop- checkbox option possible improve survey response rate allow easy datum analysis 3 collect datum page 10 superintendent circular oda-05 page 10 10 common practice design survey ask datum data system name grade level school etc increase time complete survey increase risk data leak response safeguard collect respondent email address emp student id number sufficient identify person additional identify information contain bps datum system analysis information circular contact owner senior executive director department office data accountability mailing address 2300 washington street roxbury ma 02119 phone 617 635 9450 email all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp01 version 01 contractual benefit career awards salary lanes salary steps academic ladder credit circular remain effect rescind supersede subsequent version boston public schools offer numerous contractual benefit career award salary lane increase base completion accredited coursework degree academic ladder credit continue education unit receive benefit employee submit appropriate documentation describe office human capital documentation submit employee receive confirmation email 4 6 week peak season 1 career awards career award issue monthly anniversary date base monthly reporting cycle office human capital vary union affiliation ps03s long need initiate process basas member require submit request ps03 award receive employee submit ps03 office human capital address issue pay adjustment category place checkmark career award block specify career award request indicate initial date employment sign date originator signature date block page 2 superintendent circular hrs pp01 page 2 12 career award effective employee anniversary date employee career award reflect 2 3 pay period deny applicant receive email office human capital employee bostonpublicschools.org email address provide reason denial paraprofessional career award award number work day complete wholly academic year complete schedule award follow step length service 2 3 year 3 6 year 4 9 year 5 12 year career award 1,800 paraprofessional seniority day career award 2,800 paraprofessional seniority day career award 3,800 paraprofessional seniority day career award 4,800 paraprofessional seniority day career award 5,800 paraprofessional seniority days btu career awards award completion threshold year start academic year collective bargaining unit career award award employee anniversary date base monthly reporting cycle 2 salary lanes employee qualify contract change salary lane page 3 superintendent circular hrs pp01 page 3 12 result completion accredit course work degree submit ps-03 receive benefit lane change automatically pay adjustment category place checkmark salary lane block specify salary lane request attach official original transcript document accredit course and/or degree completion transcript accredit graduate coursework include pass grade and/or degree confer date acceptance electronic transcript send directly institution employeeservices@bostonpublicschools.org boston public schools service academic ladder certificate(s print service academic ladder transcript summary acceptable sign date originator signature date block ➢ employee submit credit degree apply salary lane advancement employee submit single multiple credit threshold lane advancement approve applicant expect change salary 3 4 pay period follow submission salary lane application deny applicant receive email office human capital employee bostonpublicschools.org email address provide reason denial note process long summer month june september salary lane change process retroactively september 1 application receive office human capital close business september 30 change effective day month follow complete page 4 superintendent circular hrs pp01 page 4 12 submission documentation school year submissions 31 effective start follow school year note boston public schools reserve right approve salary lane advancement course relate field education enhance advancement educational career ladder request pre approval course shall respond office human capital promptly course meet following criterion accredited college university courses 1 course grant accredit college university list accredited institutions post- secondary education registry deem acceptable american council education 2 course award graduate credit transcript clearly state course graduate level applicant supply letter institution verify course offer graduate credit note paraprofessional undergraduate credit service credit acceptable salary lane advancement bachelor degree 3 course evaluate semester hour course take quarter credit hour convert metric specify respective institution conversion rate specify boston public schools use .75 1.0 ratio 4 course clearly relate field education boston public schools page 5 superintendent circular hrs pp01 page 5 12 academic ladder credit academic ladder credit know alc new credit academic lane advancement alc equal value service credit cap earn alc course clearly articulate target competency range option demonstrate competency artifact reflection alc require approximately 12 hour seat time credit credit award educator submit final product demonstrate successful implementation specific instructional practice option demonstrating include lesson unit plan video student work analysis reflection combination employee submit alc credit degree apply salary lane advancement employee submit actual alc completion certificate vector alcs approve boston public schools award credit salary available alc course find vector additionally list frequently ask question find appendix a. service courses course credit grant course previously offer boston public schools course approve boston public schools award credit salary purpose employee submit actual service completion certificate available vector transcript summary accept note 30 service credit lane advancement employee lifetime career boston public schools page 6 superintendent circular hrs pp01 page 6 12 continuing education units ceus ceu know contact hour accept rate 15 contact hour 1 graduate credit exceed 30 graduate credit note .1 ceu equivalent 1 contact hour apply nurse speech language pathologist school psychologist social worker adjustment counselor guidance counselor occupational physical therapist vision teacher lead sign language interpreter ceu accept approve ceu provider boston public schools approve ceu provider professional development points pdps professional development point award completion service course applicable salary lane advancement pdp evidence maintain professional licensure 3 salary steps salary step increase automatically award base date specify applicable collective bargaining agreement employee believe compensate incorrect step salary schedule submit ps-03 office human capital follow page 7 superintendent circular hrs pp01 page 7 12 pay adjustment category place checkmark salary step block specify salary step request include brief explanation request additional explanation section sign date originator signature date block salary step relate inside outside service long cap inside service credit available salary step adjustment placement instead credit base prior eligible year service qualify employee work minimum 120 day qualifying academic year maximum year award outside service salary step adjustment qualify employee provide original documentation previous employer specifically certify name employee complete minimum 160 day appropriate licensed capacity year individual knowingly falsify information understand application sign pain penalty perjury salary lane salary step advancement contractual entitlement employee forward ps-03 request directly office human capital signature necessary page 8 superintendent circular hrs pp01 page 8 12 summary significant date deadlines date activity 31 academic year deadline salary lane change process effective year june july august submissions effective start school year september 30 deadline submit salary lane change process retroactively september 1 4 national board certified teacher achieve renew national board certification submit official notification letter ps03 form office human capital review verify candidate successful completion board certification inception expiration date nbpts website national board differential effective 1st month follow eligible submission recertifications effective renewal date long request receive prior expiration date recertification receive original expiration date renewal date month follow receipt page 9 superintendent circular hrs pp01 page 9 12 information circular contact owner employee services department office human capital mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 fax 617 635 7957 email employeeservices@bostonpublicschools.org mary skipper superintendent page 10 superintendent circular hrs pp01 page 10 12 appendix academic ladder credit frequently asked questions academic ladder credit alc differ service credit academic ladder credit know alc new credit academic lane advancement alc equal value service credit cap earn alc require approximately 12 hour seat time credit credit award educator submit final product demonstrate successful implementation specific instructional practice need earn alc alc earn demonstrate competence practice learn course course approximately 12 hour instruction person online credit award simply attendance participation alc course clearly articulate target competency range option demonstrate artifact reflection kind option available demonstrating competency course different option include lesson unit plan video student work analysis reflection combination determine demonstrate competency team btu educator central office administrator page 11 superintendent circular hrs pp01 page 11 12 review product submission award credit rubric available course participant earn credit submission receive feedback opportunity resubmit eligible alc course want educator technically able apply alc course earn alc require demonstrate competence skill difficult complete course relevant context ohc apl reserve right refuse admittance educator content relevant limit number alc receive year career alc subject cap service credit use alc combination graduate credit etc advancement yes employee use combination graduate credit service credit alc lane advancement teacher possess master degree advance master lane possess doctorate degree advance doctorate lane submit alc credit office human capital credit lane advancement employee submit alc credit degree apply salary lane advancement employee submit actual alc completion page 12 superintendent circular hrs pp01 page 12 12 certificate teachpoint graduate service credit complete ps03 office human capital 4th floor bolling building alc approve boston public schools award credit salary alc course portable outside bps non btu member eligible earn alc non btu member participate alc course btu member eligible receive credit paraprofessional eligible receive alc yes note earn alc require demonstrating competence skill difficult complete course relevant role context ohc apl reserve right refuse admittance educator content relevant idea alc course happen contact office academics professional learning page 1 superintendent circular number oda-02 version 01 test security ethics circular remain effect rescind supersede subsequent version purpose circular ensure bps staff understand follow appropriate procedure test administration security state local test content deem secure content give access unauthorized person include limit paper digital information circular outline reporting requirement case security breach test irregularity requirement testing option parent guardian school student require test base certain condition specify specific testing requirement appropriate testing accommodation provide eligible student test day document student current individualized education programs ieps section 504 plan english learner el plan school leader test administrator read adhere test procedure instruction issue massachusetts department elementary secondary education ma dese and/or boston public schools visitor page 2 superintendent circular oda-02 page 2 4 permit school designate testing area ma dese and/or bps staff announce unannounced visit school testing day ensure compliance testing procedure school enforce strict electronic device policy testing maintain test security term electronic device include personal non educational device switch exception medical equipment commonly cell phone smart phone ipods ipads iwatch tablet laptop pager school clearly inform student bring electronic device testing area violate district state policy violation policy ground confiscation bring school testing electronic device store secure location away student acceptable storage include bag backpack locker central location classroom school office consistent district acceptable use policy aup school leader authority enforce security measure electronic device access testing material remove device find violation aup electronic device access testing student test compromise invalidate prohibit behavior student use device suspect student cheating electronic device violation school conduct investigation incident report test violation follow school disciplinary procedure impose sanction page 3 superintendent circular oda-02 page 3 4 penalty failure bps staff adhere test security ethics requirements result sanction consequence impose state outline specific assessment policy disciplinary action superintendent procedures test irregularities occur suspect security violation person directly involve secure test administration responsible immediately report violation suspect violation test security question arise concern test security situation occur compromise test administration process procedure state test ma dese 781 338 3625 immediately and/or report incident require form advise immediate supervisor office data accountability suspect bps district assessment test violation irregularity contact office data accountability 617 635 9450 page 4 superintendent circular oda-02 page 4 4 additional information circular contact owner senior executive director department office data accountability mailing address 2300 washington street roxbury ma 02119 phone 617 635 9450 email all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-15 version 01 student surveys circular remain effect rescind supersede subsequent version federal statute protection pupil rights amendment ppra 20 u.s.c. 1232h afford protection student parent certain student survey conduct student survey come scope statute assess student survey carefully administer determine policy apply student survey anonymous voluntary need comply follow policy additionally student survey develop administer use fund receive united states department education need comply policy student survey develop administer use federal education fund student require participate follow policy apply policy apply survey ask student reveal following information political affiliation mental illness psychological problem sexual behavior and/or attitude illegal self incriminate demean behavior critical appraisal close family member relationship privilege recognize clergy medical doctor page 2 superintendent circular lgl-15 2023 2024 september 1 2023 page 2 2 attorney religious affiliation belief income eligibility participation program prior administer survey student parent guardian consent writing student participation survey copy survey available parent guardian survey bring attention office legal advisor information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-19 version 01 bps mailroom copy center guidelines bps postage printing policy circular remain effect rescind supersede subsequent version overview responsible direct operational performance mailroom copy center ensure efficient cost- effective secure operation responsibility include manage processing high volume daily mail loading delivery heavy shipment scan copying printing send receive sort document mailroom operations adhere follow guideline facilitate smoother operation mailroom bolling building school relate item process mailroom postage o item need properly seal bundle o item need school return address need know send mailing track avoid miss undeliverable mail school department charge postage page 2 superintendent circular fin-19 page 2 5 o school department budget line allocate mail purpose personal mail process mailroom postage e.g. mortgage utility credit card payment birthday card mail return etc o mailroom responsible receive store personal delivery e.g. personal package amazon walmart target etc interoffice mail address follow o person school and/or department mail deliver o cluster number o return address send mail sticky note outside envelope adhesive glue damage postage machine bundle fine advance notice require mailing 2000 piece mail contact mailroom copy center phone 617 635 9075 email finance- staff@bostonpublicschools.org schools department charge mailing 100 piece mail ups fedex dhl bps business account shipping carrier o mail package intend ship carrier prepay sender page 3 superintendent circular fin-19 page 3 5 courier services know cluster mail start bolling building courier deliver pick interoffice mail 2 time week cluster office locate district school cluster previously know zone network tlt adhere follow guideline facilitate smoother operation courier service courier external vendor contract bps operate mail clearly mark include sender receiver o school belong cluster unsure contact mailroom late information courier run tuesday thursday week current contract require courier pick 3 bin mail cluster o certain day cluster office 3 bin outgoing mail courier pick excess run courier school o special run request additional charge pay vendor page 4 superintendent circular fin-19 page 4 5 copy center operations bps copy center provide copy print function copying finishing manual student handbook presentation letter student complete house save bps city money printing service offer ○ mass production copying printing ■ black white ■ color ○ poster 24x36 inch ○ hole punch ○ staple finish printing service offer bps copy center ○ envelope ○ books ○ lamination ○ postcards ○ banners etc adhere follow guideline facilitate smoother operation house printing service printing service work come serve basis advanced notice require job ○ consider high volume request beginning end school year summer school prepare new school year page 5 superintendent circular fin-19 page 5 5 charge printing service job charge school low market cost contact copy center late quote information circular contact owner mailroom copy center department business services mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9075 e mail finance-staff@bostonpublicschools.org mary skipper superintendent essential training guide available business services guide available page 1 superintendent circular number fse-07 version 01 public health workplace safety circular remain effect rescind supersede subsequent version background past concern raise potential use u.s. postal service conduct bioterrorist activity new york washington d.c. content envelope test positive anthrax case positive result record public health authority deal issue purpose memorandum provide guideline handling mail boston public schools provide guideline important note inform boston public health commission confirm anthrax case report boston public schools city boston school emergency operations guide flip chart serve action reference subject guidelines follow guideline effective immediately shall page 2 superintendent circular fse-07 page 2 9 remain place order 1 responsibility center assign person backup person sort distribute mail person shall supply rubber glove plastic bag discretion training safe handling mail provide 2 technique safe handling routine mail include follow a. examine mail open determine suspicious b. isolate suspicious mail plastic bag c. open mail letter opener hard cleanable surface hold envelope upright content spill d. examine inside content prior removal e. shake wave mail content letter package f. ensure food drink area mail handle 3 mail package send internal office department courier service seal sender return address send office clearly mark envelope package 4 characteristic suspicious letter package include following a. return address b. return address match city state postmark c. stained discolor mail mail odor d. excessive postage excessive weight e. lopsided uneven envelope packaging page 3 superintendent circular fse-07 page 3 9 f. improper address illegible poorly write address g. mail visual threat packaging material h. unexpected mail international postmark i. ticking sound j. combination aforementioned characteristic 5 suspicious mail package open jostle place plastic bag isolate inspection responsibility center manager 6 suspicious mail open leave desk table handle suggest cover plastic trash bag immediate area close refer item 8 9 follow procedure outline 7 powder suspicious substance spill envelope cover close leave immediate area wash hand soap water notify responsibility center manager 8 suspicious mail receive responsibility center manager 911 notify superintendent office protocol evacuation building direct public safety official 9 person handle suspicious letter package wash hand soap water attach informational review purpose public health fact sheet prepare boston public health commission memorandum available reference page 4 superintendent circular fse-07 page 4 9 attachment public health fact sheet communicable disease control 1010 massachusetts ave boston ma 02118 617 534 5611 anthrax anthrax anthrax disease cause bacterium call bacillus anthracis anthrax commonly occur animal infect people anthrax potential biological weapon late 2001 terrorism relate anthrax case find connecticut new york city new jersey florida washington dc anthrax spread anthrax spread touch cut skin breathe eat meat contaminate anthrax contagious infected person symptom anthrax symptom disease vary depend disease contract usually occur 7 day 60 day appear page 5 superintendent circular fse-07 page 5 9 cutaneous skin form anthrax infection occur bacteria enter skin infection begin raise itchy bump resemble insect bite day develop blister blister ulcerate form black area center prompt treatment vast majority people recover fully inhalation initial symptom resemble flu fever chill muscle ache day symptom progress severe breathing problem shock past death occur 1 2 day onset symptom recent outbreak anthrax united states prompt treatment half people develop inhalation anthrax survive intestinal form anthrax occur eat contaminate meat symptom include nausea loss appetite vomiting fever follow abdominal pain vomiting blood severe diarrhea acquire anthrax person person person spread anthrax know occur people directly expose anthrax spore develop disease anthrax vaccine limited anthrax vaccine available united states people routinely vaccinate anthrax fall high risk group military personnel anthrax vaccine require 6 shot period 18 month follow shot anthrax vaccine intend animal human page 6 superintendent circular fse-07 page 6 9 treatment anthrax doctor prescribe antibiotic work anthrax effective treatment initiate early leave untreated disease fatal massachusetts case suspect anthrax require report immediately local health department boston suspect case report boston public health commission 617 534 5611 information bphc bioterrorism information line 617 534 2362 visit http://www.bphc.org page 7 superintendent circular fse-07 page 7 9 attachment b public health fact sheet communicable disease control 1010 massachusetts ave boston ma 02118 617 534 5611 bioterrorism bioterrorism bioterrorism form terrorism infectious biological agent bacteria virus toxin threaten person create fear disrupt normal daily activity use threaten use agent federal crime thoroughly investigate boston police department fbi agency boston public health commission prepare possible bioterrorist event boston public health commission bphc prepare potential bioterrorism year bphc work health care provider city develop early warning system possible bioterrorist attack system allow city official time implement step prevent illness page 8 superintendent circular fse-07 page 8 9 know expose infectious biological agent bioterrorist threat date hoax people think expose bioterrorist agent suspect expose biological agent notify emergency personnel immediately call 911 boston police fire emergency medical services public health commission work collect identify suspect material actually expose infectious biological agent symptom look different virus bacteria toxin bioterrorism agent cause different symptom resemble flu food poisoning people expose experience fever chill headache body ache muscle weakness experience coughing diarrhea abdominal cramping nausea vomit important remember symptom common illness usually result bioterrorist event long symptom appear length time take symptom appear vary greatly depend type agent symptom appear hour week exposure page 9 superintendent circular fse-07 page 9 9 expose biological agent agent treatment available important treatment begin early suspect expose agent health care provider soon possible information bphc bioterrorism information line 617 534 2362 visit boston public health commission http://www.bphc.org information circular contact owner director emergency management preparedness department safety emergency management mailing address 205 townsend street boston ma 02121 phone 857 701 9404 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number aca-18 version 01 attendance punctuality policy procedures circular remain effect rescind supersede subsequent version circular reflect school committee approve policy procedure attendance punctuality contain detailed guideline policy background chronic absenteeism attendance policy covid-19 attendance protocol punctuality policy tardiness recording maintain student attendance recording follow dnr report discharge withdrawal protocol notification parent caregiver student absence notify parent caregiver miss child safety concern relate attendance approve home hospital tutoring procedures referral supervisor attendance background general principles essential priority boston public schools encourage student maintain consistently high attendance rate school year student advantage academic extracurricular opportunity page 2 superintendent circular aca-18 page 2 41 school consistently bps school school site councils expect implement comprehensive prevention intervention strategy improve student attendance school year bps student attendance policy approve school committee 1998 1999 revise 2006 june 2007 include system wide prohibition cutoff time refuse student entry building additional flexibility school promote ensure consistently high time attendance revise 2018 include cultural religious holiday eligible excuse absence category 2021 revise discontinue policy convert tardie absence issue grade credit nc base attendance elevate importance focus chronic absenteeism absence miss instructional time consider detrimental impact student outcome december 10 2015 student succeed act essa sign law reauthorize federal elementary secondary education act 1965 esea law include provision help ensure improved outcome student receive elementary secondary education include follow states establish high academic content standard school teach student standard help prepare college career states district school share information family student community annual statewide assessment measure student progress high standard page 3 superintendent circular aca-18 page 3 41 states district establish system support accountability school provide particular support lowest perform school school low- perform subgroup school low graduation rate essa state develop consolidated state plan document comprehensive approach improve outcome student massachusetts consolidated state plan student succeeds act approve september 2017 indicate state include chronic absenteeism accountability index indicator core measure adopt school school district policy school give target goal reduce chronic absenteeism school year bps attendance policy describe document aca-18 update reflect change core measure relate attendance chronic absenteeism chronic absenteeism research recognize address chronic absenteeism important priority equitable approach attendance chronically absent student likely successful academically disproportionately student color chronic absenteeism define miss 10 percent school year give period absence include relate chronic absenteeism regardless absence excuse unexcused entire school year student miss 18 school day day month consider chronically absent student school regularly miss fundamental learning skill chance build habit consistent page 4 superintendent circular aca-18 page 4 41 attendance maintain post secondary education career life chronic absenteeism significantly increase likelihood student fall track academically struggle pace peer chronic absenteeism early grade influence student read proficiently end grade sixth grade lead indicator student drop high school consistent attendance policy need maintain accurate timely appropriate record include information attendance student documentation reason absence accordingly staff accurate record maintain documentation communicate parent caregiver timely effective manner ensure sound school attendance practice addition boston public schools commit address chronic absenteeism prevention intervention strategy school district level well support student family maintain consistently high time attendance school prioritize prevention intervention strategy reduce chronic student absenteeism follow general principle apply schools require law maintain accurate record student attendance school level require concerted effort contact parent caregiver time student absent page 5 superintendent circular aca-18 page 5 41 school leader bear final responsibility attendance school comply attendance punctuality policy procedure external agency support seek case school base meeting achieve positive continuum parental attitude and/or student attendance pattern boston public schools attendance policy attendance department elementary secondary education dese attendance policy student school school relate activity receive academic instruction half school day count present student physically present school receive academic instruction district half school day count present example academic instruction include tutoring online learning distance learning provide district guidance limited circumstance student mark constructively present allowable circumstance mark student constructively present participation home hospital instruction special education school visit district special education placement student department youth services dys custody succeed boston alternative suspension college tour college interview sponsor school approve school leader page 6 superintendent circular aca-18 page 6 41 length time student attend school half- day mark present check school leader determine constitute half day school 3 hour elementary school 3 hour 5 minute middle school 3 hour 10 minute high school credit recovery credit policy discontinue facilitate competency base grade district credit nc policy student have unexcused absence mark term unexcused absence school mark term discontinue result school long assign grade credit nc student follow guidance provide credit recovery student pass grade competency base impact attendance miss assignment schoolwork tie exclusively attendance participation essential school reach early student risk fail grade alternative school mark student incomplete grade enable equitable learn recovery case student earn pass grade give opportunity responsibility equitably recover learning loss work miss mark period earn pass grade excuse unexcused absence certain absence excuse mean absence consider relate page 7 superintendent circular aca-18 page 7 41 referral truancy court supervisor attendance massachusetts law massachusetts general law c.119 miss instructional time potential negatively impact student outcome addition absence include relate chronic absenteeism regardless absence excuse unexcused absence excuse student bring note day absent note include date absent reason absence phone number parent caregiver reach parent caregiver signature return school note provide later seven 7 school day absence excuse absence include a. illness injury prevent student attend school illness hospitalization result absence consecutive day note health care provider document health problem hospitalization attach parent caregiver note parent caregiver expect letter health care provider illness few day requirement letter health care provider supersede specific public health determination guidance school nurse consult question change policy base specific circumstance covid-19 health safety protocol student exhibit symptom covid-19 page 8 superintendent circular aca-18 page 8 41 b. death immediate family parent caregiver sibling grandparent aunt uncle cousin significant personal family crisis c. suspension student mark suspend case suspension school provide opportunity student maintain academic standing school provide list assignment service enable student use time school productively d. student assign succeed boston shall assign work school assignment mark constructively present e. court appearance student present evidence requirement court appearance f. medical psychological test school day parent caregiver evidence note health center test schedule school g. visit special education school case student disability h. situation time time situation school parent caregiver student little control cause absence example transportation operate inclement weather absence excusable school leader determine student impact shall mark excuse absence i. extraordinary situation family emergency approve school leader page 9 superintendent circular aca-18 page 9 41 j. cultural holiday religious holy day accommodate student cultural religious observance day school session absence mark excuse reason code religious holiday submit valid note sign parent guardian superintendent circular lgl-06 guidance contact designate supervisor attendance following list example holiday eligible excuse diwali eid al adha edit al fitr lunar new year orthodox good friday rosh hashanah king day yom kippur exhaustive list student request absence excuse cultural holiday religious holy day school provide opportunity student excuse observe cultural holiday religious holy day submit miss assignment makeup work absence contact office equity 617 635 9650 bpsequity@bostonpublicschools.org concern relate student absence consecutive day include list include participation cultural ceremony bereavement funeral pilgrimage trip etc require student absent day instance student require meet follow criterion eligible give excuse absence day observance cultural religious holiday bereavement attend funeral day student chronically absent mean student attend 90 school day date student earn pass grade course page 10 superintendent circular aca-18 page 10 41 absence meet criterion consider unexcused instance student absence student give opportunity equitably recover miss work learn loss mark period covid-19 health safety protocol student family school observe late guidance center disease control cdc bps health services boston public health commission relate covid-19 health safety protocol absence appropriate date covid-19 protocol consider excuse medical illness record keeping attendance improvement school leader bear final responsibility improve attendance school balance accountability positive engagement approach ensure performance evaluation reflect staff member effort comply policy achieve goal improved attendance school base governance school attendance team serve critical role prevention intervention step student high absenteeism good practice school attendance team work conjunction sst refer student available attendance intervention strategy unsuccessful good practice school initiate prevention step student early day school year mark period school review student past attendance history initiate prevention step student history high absenteeism refer student school student unexcused absence refer teacher school leader school ongoing basis review case work page 11 superintendent circular aca-18 page 11 41 family develop success plan help student improve attendance school base rule amend include attendance relate guideline establish quality school plan qsp attendance team overview additional guidance attendance improvement plan develop qsp school attendance improvement plan provide roadmap critical prevention intervention activity school conduct school year ensure consistently high time attendance student school require update attendance strategy qsp 90 day school link document attendance prevention intervention step tier qsp assess implementation progress request intensive assistance complete qsp attendance implementation progress tool q3pt 30- 60 day mark qsp cycle attendance fundamentals tier serve additional resource program start warm welcome school climate include phone call home student meeting parent caregiver meeting development attendance plan contract attendance coaching referral student success team meeting and/or attendance meeting consistent follow outreach student family struggle chronic absenteeism fundamental good practice school expect use panorama student success platform monitor student attendance progress page 12 superintendent circular aca-18 page 12 41 document intervention success plan school connect community base program organization support truancy issue differentiate use aspen sis panorama student success platform aspen student information system sis system capture critical information student record maintain compliance regulatory requirement relate attendance school attendance aspen school expect use panorama student success platform document attendance prevention intervention activity support notes feature tier 2 3 attendance success plan student attendance datum enter aspen transmit nightly panorama attendance monitoring student success planning purpose staff use aspen panorama follow aspen input daily student attendance house master student schedule course enter course grade house individual teacher schedule record teacher attendance record confidential student journal entry recommend suffolk county juvenile court record documentation attendance intervention plan aip panorama student success display student datum house attendance success plan tier 2 tier 3 page 13 superintendent circular aca-18 page 13 41 assign team member communication collaboration record support note relate student intervention student success plan help track information place include assessment illuminate note soa responsible copy attendance success plan documentation panorama case recommend court case necessary compliance attendance success plan record tier 2 tier 3 plan panorama panorama allow planning recording intervention note monitor effectiveness intervention set improvement goal student success planning process attendance team school level ensure attendance success plan create monitor panorama student high chronic absenteeism minimum student attendance 80 appear attendance critical red attendance success plan panorama good practice school coordinate communicate student success plan family good practice school establish attendance success plan beginning school year student chronically absent previous school year effective student success planning require share responsibility plan creation monitoring intervention strategy school staff include teacher collaboration family attendance success plan staff create plan base datum panorama page 14 superintendent circular aca-18 page 14 41 tier 2 plan good practice student attendance 90 display chronically absent panorama yellow tier 3 plan require students attendance 80 appear attendance critical red additional quality check identify student aip tag aspen tag indicate student high absenteeism current mark period eligible truancy court referral essential steps create attendance success plan create attendance success plan panorama remember key detail log attendance log tier 2 tier 3 monitor plan collaborative keep update essential successful outcome panorama house student success plan tier 2 tier 3 academic attendance behavior find help panorama office data accountability oda platform help site question mtssdata@bostonpublicschools.org boston public schools punctuality policy student arrive beginning school day tardy follow establish tardy procedure consider present day student expect report school time day policy boston school committee approve 24 page 15 superintendent circular aca-18 page 15 41 2006 tardy student permit school building exclude school leader direct review current school tardy policy conjunction school site councils b develop reasonable non exclusionary practice deal student tardie positive incentive encourage punctuality c closely monitor compliance policy important remember requirement tardy student admit school equal relaxation rule cover attendance tardie school effort encourage punctuality discourage tardie school encourage distinguish time instance repeat tardiness accord school committee policy approve june 6 2007 high school direct work school site councils student representative establish fair reasonable procedure decrease student tardiness procedure adhere follow guideline 1 family notify telephone writing email student tardie school follow prevention intervention step conduct student absence 2 high school tardy procedure explicitly detail plan involve family work student exhibit excessive tardiness rule thumb excessive tardiness define tardy 10 school day page 16 superintendent circular aca-18 page 16 41 3 high school tardy procedure link quality school plan qsp development responsibility school site council 4 good practice school establish attendance success plan panorama student exhibit excessive tardiness high school include pilot horace mann charter school require complete tardy procedure guideline incentive support deem necessary school site council later october school maintain copy tardy procedure file 1 teacher attendance beginning class period middle high school comparison period attendance school daily attendance student cut note address follow appropriate prevention intervention step 2 middle high school student tardy mark absent class(es miss 3 student attendance half school day consider present notation early dismissal record time dismissal documentation indicate reason keep file accordance school protocol attendance record accounting reporting attendance absence student assign school school leader critical responsibility attendance record keeping precise ensure accurate accounting student timely reporting student attendance daily aspen sis school leader require account attendance page 17 superintendent circular aca-18 page 17 41 and/or absence student require investigate appropriate action absence general attendance requirement 1 attendance procedure review school staff school leader teacher professional development training program school year teacher sign document maintain school verify receive procedure training 2 week school homeroom teacher level personal call parent guardians/ caregiver student introduce invite parent guardians caregiver visit school time check attendance progress child message reinforce need consistent attendance procedure parent caregiver follow child absent event student report start school year teacher inquire student failure attend teacher document communication update aspen sis attendance reason code include student return school update panorama success plan and/or support note applicable student expect report 8) day day school initial assignment eighth day student automatically dnr report discharge school school responsibility contact parent caregiver student report parent caregiver page 18 superintendent circular aca-18 page 18 41 aware procedure call child report note school leader refer dnr procedure memo release annually office welcome services late information dnr process memo outline procedure dnr exception dnr exception form dnr procedure student report school dnr follow procedure effect i. student hold nas newly assign student code maximum 5 day day school initial assignment sixth day student automatically dnr report ii student hold dnr code maximum 3 day end day dnr student automatically lose seat assign school occur close business eighth 8th day school iii day dnr status eighth day day school initial assignment student seat eliminate allow office welcome services assign student seat iv student remain dnr list school important detail page 19 superintendent circular aca-18 page 19 41 school leader responsibility investigate situation necessary ultimately discharge student remove dnr list discharge happen school conduct exit interview collect appropriate documentation family documentation upload aspen dnr aspen guide know student plan enroll bps current school year collect appropriate documentation family withdraw bps wait withdraw dnr end day period sure maintain record appropriate documentation upload aspen use appropriate discharge code discharge student link bps discharge codes student iep special education department conduct exit interview inform student caregiver right assign supervisor attendance soa notify provide additional assistance school locate student note dnr process automatically discharge high need special education student inclusion substantially separate program .3 .4 student 3 school attendance teams level direct monitor student attendance panorama student success platform case require referral student success team sst and/or page 20 superintendent circular aca-18 page 20 41 appropriate health human social service agency district service initial responsibility collaboration sst shall address issue 1 dnr student 2 student chronically absent previous school year status student report dnr start school year investigate determine discharge student primary focus develop school base absence prevention intervention strategy three- tiered attendance system establish define prevention intervention practice promote consistent attendance student attendance fundamentals tier resource bps tiere attendance system tas available school framework help establish improve attendance practice tier 4 complex case student extensive pattern chronic absenteeism refer supervisor attendance and/or sst appropriate extensive prevention intervention step try document withdraw student school year begin withdrawal student long enrol school school level central office staff imperative school staff verify student enrol prior withdraw student remember documentation page 21 superintendent circular aca-18 page 21 41 student enrol write email documentation prefer family text suggest send screenshot email sure save documentation upload aspen sis sure use appropriate discharge code withdraw student bps bps discharge codes acceptable documentation withdraw student include 1 write request student record receive public private high school educational program culminate regular high school diploma include request receive school come district scrib order 2 write record response official receiving school program acknowledge student enrollment 3 write confirmation student move country continue education example parent inform school administrator family leave country school administrator document conversation writing 4 letter parent guardian update school enrollment status child include indication continue education 5 letter bps office expanded learning time indicate approve educational plan homeschooling 6 record state datum system edwin dese security portal central office process documentation time withdrawal student withdraw dropout page 22 superintendent circular aca-18 page 22 41 aspen helpdoc bps withdrawal codes table withdrawal code acceptable matching documentation note assign supervisor attendance notify provide additional assistance school locate student discharge procedures student 16 year age old october 1st school year mgl ch 76 sec 18 1 week october school leader shall access list student designation nas dnr 2 5 day tenth consecutive absence school leader contact writing primary language speak home parent caregiver student 16 year age old inform requirement mgl c.76 s.18 request meeting discuss educational implication student return school benefit earn diploma student reason(s want leave school consider alternative education placement notice shall offer date time exit interview party agree date meeting place 10 day sending notice school leader reproduce use sample form letter link submit copy director bps engagement center week student iep special education department conduct exit interview inform student caregiver additional process right page 23 superintendent circular aca-18 page 23 41 3 school leader conduct meeting convenience parent caregiver 10 day sending notice parent caregiver request extension exceed 14 day grant 4 student report school exit interview parent caregiver school leader ensure student mark p attendance record 5 student shall return school exit interview parent caregiver school leader request statement parent caregiver sample form letter link submit copy letter bps engagement center operational leader discharge student protocol describe circular form student assignment boston public schools terminate i.e. student go private public school outside city boston unknown student absence investigate thoroughly student drop school process require following a. retain copy documentation school discharge initiate b. upload documentation aspen sis c. issue copy parent caregiver student go private school public school system d. issue copy superintendent new school system student transfer private school charter school copy send principal new school page 24 superintendent circular aca-18 page 24 41 6 good faith effort include parent caregiver exit interview student place presence parent caregiver 7 school leader maintain detailed readily accessible record student justify activation discharge upload aspen sis student 6 year age october 1st school year 1 week receipt nas dnr printout school leader contact write parent caregiver student inform place student reserve educational program school parent caregiver encourage ensure student attendance student report week student shall discharge use attached form letter 2 student report week school leader discharge student accord procedure describe circular additional communication parent caregiver require note school leader shall discharge student age sixteen year procedure note circular complete write notice receive supervisor attendance discharge code important use appropriate discharge code withdraw student bps copy bps discharge codes page 25 superintendent circular aca-18 page 25 41 general attendance punctuality procedures 1 school leader designate member staff responsible coordinate monitor school attendance plan person shall report directly building administrator concern effort school good practice person lead co facilitate appropriate plan school approach fully engage staff implement tiered attendance system school leader ensure staff assign monitor attendance datum trend ongoing basis require additional training office instructional information technology office data accountability department opportunity youth soas 2 student mark absent student information system sis day school mark present begin official enrollment enter p day attendance student appear day school enter date appearance p. 3 official attendance take report sis system teacher central office automate student code absent 11:00 day 4 student arrive beginning day tardy follow establish tardy procedure consider present day page 26 superintendent circular aca-18 page 26 41 suggest strategy address tardiness absenteeism develop attendance improvement plan school focus positive approach attendance consistent prevention intervention step implement specific strategy address tardiness absenteeism district develop tiered attendance system tas support school ensure consistency effectiveness attendance practice school panorama student success platform provide framework track monitor individual student attendance intervention success planning attendance fundamentals tier example strategy address tardiness absenteeism include tiered intervention prevention program tier 1 reliable attendance report classroom positive school climate initiative maintain positive relationship school staff student family consistent intervention prevention activity documentation panorama school attendance committee school attendance culture tier 2 target attendance letter attendance contract student family conference attendance success plan attendance coaching mentorship programming tier 3 intensive case management mentorship specialized programming assign staff intentional student check in connection and/or referral specific support service community resource use restorative justice practice page 27 superintendent circular aca-18 page 27 41 parent caregiver and/or student center conference contracting student and/or parent caregiver learning recovery attendance buy time repeat tardiness unexcused absence note school prohibit exclude student physical activity school day recess physical education disciplinary consequence student prohibit participate athletic extracurricular activity school day unexcused absence cause student miss 50 school day suggest step mbta schedule available school post rule tardiness punctuality visible location hold conference student family repeat tardiness phone call family student tardy work attendance team and/or sst and/or investigate root cause student tardiness establish student planning centers bps code conduct additional guidance suggest strategy notification parents caregiver student absent school leader inform student parent caregiver mean write bulletin newsletter schoolmessenger beginning school year attendance policy basic school attendance procedure adopt school page 28 superintendent circular aca-18 page 28 41 site council information send language home parent caregiver advise sign note explanation shall require time student absent note state date(s absence reason parent caregiver contact information parent caregiver signature note send day student return school note receive seven 7 school day follow absence sample parent caregiver note excused absence school expect use panorama document monitor attendance intervention activity include documentation step describe 1 absence building administrator responsible ensure school staff notifie parent caregiver telephone student absence well accomplish homeroom teacher conversation parent caregiver remind 1 need submit note explanation document reason time student absent 2 importance consistent time attendance student successful school 3 unexcused absence result student fall academically 2 second absence parents caregiver notify write later student absence absence excuse regular basis notification include attendance requirement number page 29 superintendent circular aca-18 page 29 41 day miss compare number school day mark period impact continued absence student success note absence need consecutive letter write language home sample absence letter place school letterhead 3 unexcused absence unexcused absence student refer sst homeroom teacher team review case meet develop recommendation assist student improve attendance team invite parent caregiver secondary level student meeting parent caregiver attend meeting effort school contact discuss case parent caregiver recommend sst develop attendance success plan panorama step page 30 superintendent circular aca-18 page 30 41 4 fourth unexcused absence fourth unexcused absence term meeting shall convene school leader parent caregiver shall invite school unable contact parent caregiver home visit conduct implication student absence school current academic status student discuss meeting success plan develop sst unexcused absence review 5 fifth seventh unexcused absence fifth unexcused absence student family refer family resource center assign supervisor attendance 6 eighth unexcused absence eighth unexcused absence student young 16 year age school designate attendance representative shall coordinate assign supervisor attendance determine necessary appropriate file truancy case suffolk county juvenile court instruction recommend attendance intervention plan court describe necessary step recommend case court addition school coordinate school social worker additional support notification parents caregivers student absent condense process describe serve reference document staff page 31 superintendent circular aca-18 page 31 41 absence tardy early dismissal notation record aspen sis daily official system record school wide attendance monitoring panorama student success platform conduct school leader designee regular basis frequently monthly excused absences student attendance record update reflect excuse absence excused absence define absence cause sickness injury hospitalization court appearance religious holy day death immediate family member school accept reason excuse absence approve school leader note explanation receive absence shall deem unexcused important remember absence include relate chronic absenteeism regardless absence excuse unexcused prevention intervention step conduct school minimize miss instructional time regardless absence excuse unexcused addition parent caregiver inform definition chronic absenteeism impact student outcome chronic absenteeism define miss 10 percent school year give period absence include relate chronic absenteeism regardless absence excuse unexcused entire school year student miss 18 school day day month consider chronically absent parents guardians caregiver inform school base rules reason accept page 32 superintendent circular aca-18 page 32 41 excuse acceptable excuse absence notification parents caregiver child leave school 1 student supervise responsible adult time school day 2 child note miss school leader notify immediately 3 initial search school immediate neighborhood parent caregiver notify telephone promptly possible appropriate department notify superintendent circular saf-09 lost children procedures safety concerns related attendance maximize protection safety student school follow measure 1 emphasize parent caregiver arrange sure child reach bus stop time morning board bus stress newsletter send home start school year 2 inform parent caregiver notify school telephone day child absent illness etc 3 inform parent caregiver soon possible include schoolmessenger system child absence page 33 superintendent circular aca-18 page 33 41 4 ensure parent caregiver supply school accurate date home emergency telephone number indicate place child miss bus e.g. home relative friend neighbor etc emergency number update necessary home hospital tutoring physician determine student physically unable attend school 14 consecutive day anticipate accumulate 14 absence school year student offer tutoring home hospital referral home hospital instruction program school nurse receive physician statement attendance student participate home hospital instruction program mark constructively present cp school document write offer home tutoring acceptance rejection parent caregiver parent caregiver reject home tutoring appropriate academic service child absent extended period record rejection retain student file 51a file department children families dcf deem student attend physician pediatrician confine home hospital setting 60 day student consider evaluation student iep student iep student consider possible iep amendment new iep office special education state regulation 603 cmr 28.04(4 page 34 superintendent circular aca-18 page 34 41 procedures referral supervisors attendance soa build school capacity reduce chronic absenteeism soa overview detail support school iteration attendance policy call school ownership attendance supportive intervention use referral supervisor attendance measure resort context circular reflect boston public school procedure refer student supervisor attendance soa m.g.l. c.119 section 21 section 39e section 39f section 39 g boston juvenile court hear petition determine child need service boston public schools soa file child requiring assistance cra petition behalf district attendance behavior- relate matter contain guideline procedure referral attendance intervention plan aip child requiring assistance cra filing adult failure cause adf background m.g.l. c.119 1 title xii chapter 69 section 10 state department elementary secondary education shall adopt regulation establish truancy prevention program certification process consistent behavioral health public school framework develop pursuant section 19 chapter 321 act 2008 shall require truancy prevention program evaluate level school support student family address condition student likely truant include limit page 35 superintendent circular aca-18 page 35 41 previously unidentified inadequately address special need bullying harassment truancy prevention program establish section school district shall meet requirement certification adopt department supervisor attendance work collaboration school staff external agency file court referral base investigative finding prior attendance pattern present problematic attendance filing cra resort intervention school external agency and/or attendance staff fail bring improvement soa file follow cra petition mandatory parent caregiver date birth habitually truant civil charge file student miss school 8 day quarter student repeatedly fail obey regulation school civil charge file student repeatedly fail obey lawful reasonable regulation student school adult failure cause petition file student absence control caretaker action inaction e.g. child young school attendance intervention plan aip attendance intervention activity document panorama student success platform attendance intervention plan aip available student have unexcused absence aspen sis aip aspen sis serve follow purpose page 36 superintendent circular aca-18 page 36 41 identify student eligible court referral unexcused absence mark period school leader recommend case court resort attendance prevention intervention strategy exhaust document compliance relate attendance intervention activity particularly case recommend court supervisor attendance soas ensure compliance relate documentation panorama enter aspen case move court soa responsible copy intervention plan panorama aspen quality check school attendance staff verify student aip generate aspen sis unexcused absence mark period attendance success plan create panorama good practice chronically absent student attendance success plan panorama student unexcused absence mark period school leader recommend aip court sis supervisor attendance soas ensure compliance relate documentation enter aspen include attendance success plan attendance intervention step conduct student document panorama parent caregiver date birth dob require judicial process aip require submission parent caregiver date birth documentation intervention page 37 superintendent circular aca-18 page 37 41 step attendance success plan panorama information aip recommend court soa investigate report recommendation soa comment section comment view sender school leader sender school leader view comment instruction recommend attendance intervention plan court school steps child require assistance cra process cra truancy 1 4th unexcused absence school leader designate staff homeroom teacher receive email notification sis inform attendance intervention plan aip initiate term student 2 8th unexcused absence term school leader designate staff homeroom teacher recommend student aip send court excessive absence non compliance student attendance success plan document panorama aip recommend court student attendance success plan document panorama time appropriate soa investigate case refer action take school date result report investigation include phone call home parent caregiver work site visit school visit telephone call letter parent caregiver necessary case contact referral involved agency page 38 superintendent circular aca-18 page 38 41 3 soa report result investigation school sis system supervisor ask school informed attendance problem 4 attendance improve school send additional aip attendance office open cra close alert soa follow additional intervention document panorama update soa school subsequent action result 5 subsequent investigation follow occur response sis system email attendance meeting 6 supervisor attendance work school staff decision future action base investigative finding prior attendance pattern correspondence parent caregiver school option court referral decision file cra soa base finding result step 1 4 exhaust possible course action cra file student accumulate unexcused absence single quarter school document intervention step attendance success plan feature panorama 7 aip recommend court soa notify school action attendance supervisor information form personal telephone contact probation officer assign child court cra file 8 attendance improve follow cra filing communication assign probation officer and/or soa require page 39 superintendent circular aca-18 page 39 41 cra student repeatedly fail obey regulation school decision file child requiring assistance cra student repeatedly fail obey regulation school suffolk county juvenile court follow prevention intervention step good practice bps code conduct include philosophy guiding principles note cra student repeatedly fail obey regulation school file student grade 6 1 violation school rule school request cra repeatedly fail obey school regulation sis system attendance office follow investigation fill request follow document accompany fax copy letter sign school official letterhead prevention intervention step take improve student behavior school provide documentation violation 2 soa investigate case determine filing warrant report decision school 3 cra petition file soa notify school action attendance supervisor sis card personal telephone contact probation officer assign child court 4 student behavior improve follow cra filing communication assign probation officer and/or soa require school continue proceed appropriate action code conduct page 40 superintendent circular aca-18 page 40 41 cra adult failure cause process adf case criminal complaint file parent caregiver willfully prevent child attend school charge require swear testimony soa school behalf court fine parent caregiver extreme case consequence result non compliance step describe cra case file parent caregiver investigation conduct soa find evidence justify filing information parent caregiver require case obtain school staff example complaint file parent caregiver date birth physical description document evidence attendance intervention attendance success plan feature panorama important school staff capture information advance recommend case court page 41 superintendent circular aca-18 page 41 41 information circular contact owner director opportunity youth department department opportunity youth mailing address 443 warren street dorchester ma 02121 phone 617 635 9620 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp05 version 01 employee attendance circular remain effect rescind supersede subsequent version poor attendance adversely affect work accomplish morale boston public schools employee attendance monitor year level excessive absence tardiness perceive abuse time leave benefit investigate subject employee discipline procedure describe occur superintendent exercise statutory authority dismiss demote suspend attendance monitoring process 1 sign managers1 establish supervise paper sign procedure provide accurate record date time arrival departure employee 1 term manager refer position academic superintendent senior officer headmaster principal senior program director director manager case delegate authority carry procedure supervisory personnel reporting page 2 superintendent circular hrs pp05 page 2 5 assign employee comply sign process employee fail comply procedure falsifie record and/or fraudulently report time subject discipline include termination 2 report absence early departure manager establish process report absence early departure illness employee follow process create implement manager absence early departure employee fail follow protocol establish manager employee absence early departure unexcused employee pay day(s)/hour( absence(s employee subject discipline include termination a. employee serve school follow protocol set manager case early departure employee notify manager leave building b. employee absence 5 consecutive day refer absence leaves circular regardless duration time illness manager time request medical documentation employee substantiate absence 3 reasonable accommodation employee seek reasonable accommodation disability contact office equity 617 635 9650 begin interactive dialogue process employee inform manager disability refer office equity manager district attempt provide reasonable page 3 superintendent circular hrs pp05 page 3 5 accommodation cause undue hardship fundamentally alter district program medical information concern employee maintain strict confidence chapter 151b ada define person disability 1 physical mental impairment substantially limit major life activity 2 record impairment 3 regard have impairment major life activity include limit care self perform manual task see hearing speak breathing learn person qualify extended intermittent leave absence refer absence leave policy circular collective bargaining agreement condition employment information information reasonable accommodation process superintendent circular eqt-07 patterns abuse manager determine employee absence and/or tardiness exhibit pattern abuse and/or raise concern manager address directly employee way manager deem appropriate i.e. informal meeting versus investigatory meeting employee right union representation type meeting past follow scenario deem pattern abuse list exhaustive exclusive page 4 superintendent circular hrs pp05 page 4 5 1 4 separate absence weekend holiday vacation 2 sick absence last 6 consecutive day physician certificate 3 scatter sick day leave school year exceed project exceed 15 day 4 2 absence consecutive closely pattern follow layoff notification 5 2 absence consecutive closely pattern follow contract non renewal notification 6 2 absence immediately follow poor performance evaluation 7 absence previously schedule investigatory meeting 8 absence receive notice investigatory meeting 9 absence day release schedule release poor performance evaluation 10 pattern 2 day etc 11 tardiness 2 day week period 12 tardiness 2 day week period consequences abuse excessive absenteeism tardiness follow consequence employee face deem engage pattern abuse and/or excessive absenteeism tardiness consequence apply individually conjunction 1 discipline include termination page 5 superintendent circular hrs pp05 page 5 5 2 requirement provide medical documentation substantiate absence past present future 3 pay time work employee fail provide request medical documentation absence absence unexcused 4 issuance unsatisfactory meet standard rating employee performance evaluation attendance punctuality standard information circular contact owner employee services department human resource mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 fax 617 635 7957 e mail ohcleaves@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs hs02 version 01 job sharing permanent teacher paraprofessional circular remain effect rescind supersede subsequent version office human resources accept job share application online form include circular note employee require sign boston public schools gmail account link available btu paraprofessional representative boston public schools website superintendent bulletin boston public schools agree provide job share opportunity permanent educator 1 paraprofessional desire split position staff member building condition job sharing follow condition employee permit share job 1 include nurse cose btu educator permanent status page 2 superintendent circular hrs hs02 page 2 5 1 participation job sharing require approval principal//head school principal head school submit approval office human resources online form 2 participant job sharing program require jointly plan program provide programmatic integrity continuity principal head school approve plan approval principal head school teacher paraprofessional structure program follow option a. teach half day b. teach half week ► job share participant split school year job share partner order work half school year job share participant split teaching bimonthly biweekly 3 participant job sharing program require attend early release time service meeting professional day parent conference job share take place designate extended learning time school teacher paraprofessional expect participate elt 4 teacher participate joint assignment job sharing meet mark period discretion principal head school assess improve job sharing program page 3 superintendent circular hrs hs02 page 3 5 meeting hold early release professional development day party recognize time necessary teacher principal head school meet purpose address problem arise implementation job sharing individual school meeting necessary shall schedule time mutually agreeable party 5 teacher paraprofessional participate job- sharing program receive follow compensation benefit a. compensation shall half salary entitlement b. sick leave shall half annual entitlement c. personal day shall half annual entitlement d. health insurance premium health welfare fund contribution e. seniority accrual credit f. attachment right year position 6 teacher participate job sharing hold valid dese license position exception 7 participant job sharing program ask enter bind agreement commit year long assignment 8 participant submit new job share application year continuation job sharing pair academic school year subject favorable review party page 4 superintendent circular hrs hs02 page 4 5 indicate interest job sharing permanent teacher paraprofessional wish indicate interest job sharing submit request online form show submission application serve indication interest bind application submit online form later 5:00 p.m. march 25 2025 note applicant responsible make job share arrangement include find colleague job- share office human resources assist make job share arrangement unable find partner request job share deny 2024 25 online forms office human resources accept job sharing application online candidate application job share principal head school approval submit link note employee require sign boston public schools gmail account link available btu paraprofessional representative boston public schools website superintendent bulletin job sharing request applicant form applicant interested job sharing submit form march 25 2025 principal head school submit form approval page 5 superintendent circular hrs hs02 page 5 5 job sharing request principal approval form principal head school submit form approve job share request april 15 2025 information job sharing informal meeting boston teachers union winter 2025 teacher paraprofessional interested obtain information job sharing information circular contact owner school base staffing department office human resources mailing address 2300 washington st. roxbury ma 02119 phone 617 635 9600 additional question submit hr inquiry ticket beacon find access boston mary skipper superintendent page 1 superintendent circular number hrs pp19 version 01 performance relate dismissal process teacher circular remain effect rescind supersede subsequent version event performance evaluation teacher result recommendation dismissal principal head school follow procedure follow 1 superintendent shall review process recommendation dismissal 2 superintendent approve recommendation dismiss teacher principal head school institute dismissal proceeding set forth m.g.l. c. 71 section 42 note teacher remove classroom dismiss suspend cause prior completion evaluation relate process specify circular termination requirement minimum requirement proceed teacher termination meet way case teacher place improvement plan evaluator determine educator make substantial progress proficiency evaluator shall recommend superintendent educator dismiss page 2 superintendent circular hrs pp19 page 2 2 evaluator determine educator practice remain level unsatisfactory evaluator shall recommend superintendent educator dismiss copy follow information submit superintendent office labor relations order forward recommendation termination 1 proficient performance evaluation rely potential termination 2 performance evaluation year 3 write feedback teacher follow observation see need improvement 4 correspondence pre evaluation post- evaluation meeting 5 write note pre evaluation post evaluation meeting 6 log document artifact e.g. syllabus lesson plan evidence planning etc submit teacher 7 note correspondence teacher concern evaluation classroom observation matter relate performance 8 correspondence teacher parent individual teacher performance complimentary critical 9 attendance tardiness record correspondence attendance and/or tardiness issue teacher absence affect contractually require timeline page 3 superintendent circular hrs pp19 page 2 2 10 log document allegation discrimination bring teacher bps office equity massachusetts commission discrimination mcad e.g. race age gender disability 11 documentation disciplinary action take teacher relevant performance issue 12 draft letter principal notify teacher bps intent dismiss base unsatisfactory performance step termination procedure 1 principal head school recommend superintendent teacher terminate 2 superintendent approve recommendation teacher receive letter principal head school notify bps intent dismiss 3 teacher 10 school day receive notice intent dismiss meet principal head school review decision 4 meeting termination decision remain unchanged principal head school send teacher letter communicate termination decision 5 teacher professional teacher status seek review termination decision 30 day file petition arbitration commissioner education information circular contact page 4 superintendent circular hrs pp19 page 2 2 owner director labor relations department office labor relations mailing address 2300 washington street 4th floor boston ma 02119 phone 617 635 1576 fax 617 635 7959 e mail ohc@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fam-03 version 01 middle high school student government circular remain effect rescind supersede subsequent version continue work improve quality education student important voice student hear local state national level massachusetts dept elementary secondary education boston public middle high school include district school exam school alternative pilot district charter school write student engagement policy document opportunity student assume leadership role classroom broad school community alignment 2016 bps opportunity achievement gaps policy policy high school function engaged student government middle school encourage student government student leader body represent peer serve advisor researcher participant decision make process school district level student government serve engage student learn democracy leadership student government body essential ensure equity aspect schooling faculty administrative support student government member ensure student voice hear incorporate school page 2 superintendent circular fam-03 page 2 7 decision make school site council ssc)/governing board meeting administration develop grow body student leader work closely faculty advisor(s head school organize student body advocate policy practice opportunity close opportunity gap school district level student government ssc student assist fulfil school mission design improve culture climate school student government composition schools strive form student government reflect diversity student population term race ethnicity gender grade level educational program e.g. general special bilingual education factor number participant depend size school manageable advisor recommendation 10 15 student serve student government recommend student government member connect school base group school- based wellness council student club position dual role position student government stand faculty advisor help student think time commitment mean dual role student government role faculty advisor principal head school student input appoint page 3 superintendent circular fam-03 page 3 7 faculty advisor support oversee student government principal head school include student selection process student government consider school club principal head school strongly encourage pay stipend faculty advisor(s faculty advisor(s facilitate youth leadership aspect student governance meet student government twice month provide support organize quarterly meeting school year assist student government leader development action plan school obtain appropriate approval plan implement assist student government leader planning manage event activity support logistic approval act liaison student government school site council governing board instructional leadership team ilt ensure tracking datum support member complete reporting activity provide principal head school regular update action plan carry advise student government leader leadership scholar activism monitor record student work approval proposal date develop student leader provide facilitate training support necessary page 4 superintendent circular fam-03 page 4 7 alignment principal head school evaluation refer massachusetts department elementary secondary education educator evaluation appendix b school- level administrator rubric indicator iii a1 family engagement o engage sg activity event opportunity create welcoming environment o student contribute design share knowledge family culture o student evaluate problem solve staff leadership challenge barrier include family school community indicator iv b1 policy practices o student participate activity identify makeup school o cultural sharing day o student participate ssc and/or group develop culturally sensitive policy indicator iv e-1 shared vision development o student visioning process focus group survey community meeting etc o student share develop messaging student body indicator iv f-3 consensus building o conflict resolution o restorative justice practice o student involvement ssc decision make body page 5 superintendent circular fam-03 page 5 7 election responsibility principal head school ensure election hold student government establish later october 15 recommendation student election hold process april 15 current school year roll follow school year student election toolkit guidance facilitate student election necessary reporting form report student government establish school send student government roster office youth leadership include 1 student information elect position 2 student information 2 student elect serve ssc governing board student shall serve personnel subcommittee 3 student information bsac representative superintendent circular fam-06 4 student information greater boston regional student advisory council gbrsac representative note department elementary secondary education require secondary school host student election gbrsac representative name submit later mid april representative serve follow school year page 6 superintendent circular fam-03 page 6 7 middle school level overview middle school student government serve function high school student government middle school student build self advocacy skill develop voice identity agency school community learn leadership key activity middle school student government student government member learn research plan organize execute program activity student student government advisor lead student government member develop leadership skill practice democracy govern democratically skill student learn student government student government give student hand experience working democracy teach work cooperatively meeting run promote student working common good learn leadership action planning implementing school spirit activity building school spirit culture linguistically sustain affirm project student government school event talent show fundraiser assembly student teacher faculty member parent come help plan activity school year appoint people run function addressing cares concerns restorative justice student raise school concern well address student government nutritious food serve cafeteria issue school spirit day student government meeting student forum share grievance analyze possible solution problem support office restorative justice student page 7 superintendent circular fam-03 page 7 7 train circle keeper implement restorative justice build community repair harm promote collective healing summary significant date deadlines date activity october 15 deadline student government election hold october 15 deadline report student government roster include student faculty information list office youth leadership bsac@bostonpublicschools.org october 31 deadline student government meeting hold information circular contact owner senior director opportunity youth department department opportunity youth mailing address 443 warren street dorchester ma 02121 phone 617 635 9620 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number oda-06 version 01 participation guidelines testing english learner statewide assessment circular remain effect rescind supersede subsequent version purpose circular provide school massachusetts department elementary secondary education ma dese guideline test english learner el)1 student statewide assessment definition accord ma dese el student student native language english currently unable perform ordinary classroom task english el student score proficient english language proficiency assessment student identify el accord ma dese u.s. department justice requirement student retain designation regardless program setting meet 1 english learner el refer specific subset multilingual learners mls classify english learner term federal state law regulation policy information ma dese guidance english learner education services programming page 5 available https://www.doe.mass.edu/ele/guidance/. page 2 superintendent circular oda-06 page 2 13 state exit criteria2 student meet exit criterion reclassify english learners fels participation requirement el student federal state law require el student participate statewide assessment massachusetts student meet requirement law participate mcas access ell test el participation requirements statewide assessment access grade k2 12 mcas ela math science tech eng year el students3 require k2 12 grade student enter optional4 required required 2 student score 4.2 + overall 3.9 + literacy access ell reclassify english learner fels ma dese release alternate access exit criterion fall 2024 3 result year el student include mcas school district summary result state accountability reporting 4 optional provide student participate access ell testing year exemption shall apply time page 3 superintendent circular oda-06 page 3 13 access ell testing complete el students required required required required page 4 superintendent circular oda-06 page 4 13 access ells alternate access ells el student assess annually measure english language proficiency progress learn english domain reading writing listen speak student grade k2 12 identify el participate access ell testing alternate access ell grade requirement apply regardless number year student enrol u.s. school parent guardian approve request opt esl service follow student participate student report el october 2024 sims student enroll school october 2024 sims submission prior february 7 2025 report el march 2025 sims foreign exchange student code 11 doe013 reason enrollment sims participate access ell test report english learner require participate mcas test specify grade report alternate access ells state alternate english language proficiency assessment el student grade k2 12 assessment design specifically el student page 5 superintendent circular oda-06 page 5 13 significant cognitive disabilities5 unable meaningfully participate access ell indicate student iep paper base assessment uniquely design monitor student progress acquire academic english mcas el student participate mcas test schedule grade regardless language program service receive time united states exception apply year el student enrol u.s. school march 1 2025 report march 2024 sims report mcas ela testing spring 2025 optional note el student high school need pass mcas test state requirement graduation opportunity reteste student pass mcas time 5 information https://www.doe.mass.edu/mcas/access/participation- guidelines.html page 6 superintendent circular oda-06 page 6 13 assessment testing windows testing window administer sy2024 2025 annual assessment boston public schools list sy 2024 25 date state assessment nov. 6- 7 november 2024 mcas hs ela retest nov. 12 13 november 2024 mcas hs mathematics retest jan. 6- feb. 14 2025 access ell feb. 4- 5 february 2025 mcas hs biology introductory physics tests mar. 6 7 march 2025 mcas hs ela retest mar. 11- 12 march 2025 mcas hs mathematics retests mar. 24 apr. 18 spring 2025 mcas grade 3 8 ela test mar. 25 26 spring 20254 mcas grade 10 ela test mar. 28 2025 mcas alternate assessment mcas alt submission deadline apr. 28 23 spring 2025 mcas grade 3 8 mathematics grades 5&8 ste tests apr. 28- june 6 spring 2025 mcas grade 8 civics test 20 21 spring 2025 mcas grade 10 mathematics test june 4 5 spring 2025 mcas high school ste tests note date base state initial release 2024–25 mcas access ells testing schedule 5/15/2024 date consider final confirm dese page 7 superintendent circular oda-06 page 7 13 guidelines assess el student 12 month enrollment u.s. schools recently arrive els enrol u.s. school time march 1 2024 report march 2024 sims report following apply 1 participation access ells alternate access ell testing require provide student enroll school february 7 2025 2 participation spring 2025 mcas ela assessment6 require recommend student diagnostic purpose test mcas ela strongly encouraged consider opportunity student high school grade earn pass score graduation requirement 3 student expect participate statewide assessment non participation access mcas testing negatively impact school district accountability 6 ela testing optional el student puerto rico year enrollment massachusetts school page 8 superintendent circular oda-06 page 8 13 school district reporting el student report measure year els 1st year u.s. school els regardless number year enrol bps student report district october 2024 sims enrol february 7 2025 student enrol february 7 2025 assessment participation rate mcas ela base access student expect access test count school mcas participation rate ela regardless student participation mcas ela test optional student participate access testing student count non participant mcas student count participant regardless participation mcas ela testing access require student enrol end testing window student expect access test count school mcas participation rate ela student count school mcas participation rate ela mcas ela testing optional page 9 superintendent circular oda-06 page 9 13 reporting measure year els 1st year u.s. school els regardless number year enrol bps student report district october 2024 sims enrol february 7 2025 student enrol february 7 2025 school mcas ela participation rate accounta- bility determina- tion student mcas results7 include accountability calculation year els participate ela testing result provide school level competency determination purpose high school student student mcas result include accountability calculation 7 year el student participate mcas mathematics science technology engineering test result report diagnostic purpose student result include school district summary result state accountability reporting page 10 superintendent circular oda-06 page 10 13 provide appropriate testing accommodation els testing accommodation involve change testing procedure testing material testing situation allow student meaningfully participate assessment test accommodation alter test construct test content measure testing accommodation els design address unique linguistic need normal process english language acquisition appropriately assign test accommodation offer el opportunity demonstrate knowledge subject regardless english language proficiency level provide school division accurate picture el content area achievement el student eligible testing accommodation mcas assessment certain testing accommodation appropriate els particular language proficiency certain mcas assessment decision accommodation el student language acquisition team educator familiar student decision document describe ma dese mcas accessibility accommodations manual follow accommodation available els disability mcas test page 11 superintendent circular oda-06 page 11 13 accommodation applicability paper base edition el1 administer year el student low level english proficiency el student little familiarity technology student use computer routinely authorize bilingual word word dictionary glossary available el2)8 list authorize english native language dictionary available els bilingual dictionary use mcas test strictly limited provide word word translation dictionary include definition synonyms antonyms phrase information prohibit electronic dictionary allow text speech tts el3.1 generation computer base mathematics grade 5 8 science technology/ engineering ste and/or high school biology introductory physics test human read aloud el3.2 generation computer base paper base mathematics and/or science technology/ 8 use dese approve word word bilingual dictionary strongly encouraged student demonstrate usage need access native language definition student limited academic proficiency native language find dictionary usage deterrent barrier access definition translation school team advise use professional judgment assess need base individual learner page 12 superintendent circular oda-06 page 12 13 accommodation applicability engineering test legacy mathematics ela composition retest scribe include human scribe speech text el4.1 el4.2 mathematics and/or ste test legacy ela reading comprehension retest english spanish test version math biology physics el7 intend spanish speak el student u.s. 3 year available computer- paper base format student introduce accessibility feature accommodation early possible school year prior assessment accessibility feature accommodation intend remove barrier allow el student demonstrate knowledge skill effectively provide time statewide assessment consider follow resource available ma dese mcas access participation requirements ma dese authorize bilingual word word dictionary glossaries use els fels mcas ma dese mcas accessibility accommodations site identifying year el students page 13 superintendent circular oda-06 page 13 13 list identify year els student u.s. 12 month actively enrol school retrieve sis aspen student tab field set menu filter year u.s. schools lep student report generate base school enrollment date retrieval january 2025 office data accountability flag student sr pnp file upload spring 2025 testing platform school later export file identify year el student new year el student enrol january 2025 code file school identify aspen information circular contact owner senior executive director department office data accountability mailing address 2300 washington street roxbury ma 02119 phone 617 635 9450 email all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-21 version 01 create bps recognized independent 501c3 circular remain effect rescind supersede subsequent version boston public schools encourage school seek receive external resource supplement instructional programmatic strategy end boston public schools partner boston educational development fund bedf serve 501c3 fiscal agent receive financial donation charitable contribution eligible tax deduction donor independently fiscal partner school bedf manage fund create financial report offer technical assistance school pursuit private fund bps school entitle utilize bedf fiscal agent pursuit private funding case school wish pursue establish manage independent 501c3 formal approval require schools exist independent 501c3s schools exist 501c3s register proper federal state authorize agency complete bps independent 501c3 form update bps current detail include board structure status operate revenue independent 501c3s strong governance board rationale receive recognition bps page 2 superintendent circular fin-21 page 2 3 schools seeking establish bps recognized independent 501c3 request establish 501c3 school follow strong rationale need separate independent 501c3 draft plan 501c3 include governance board track record manage private investment appropriately time reporting govern board experience estimate anticipate annual revenue revenue source school establish 501c3 follow outline step complete approval give superintendent school complete bps independent 501c3 submit request review chief financial officer superintendent approve strong application submit compliance accountability bps reserve right alert foundation nonprofit partner existence 501c3 consider compliance create proper approval superintendent office bps believe ability provide timely accurate thorough report philanthropic partner take seriously significant commitment time expertise place school community run independent 501c3 page 3 superintendent circular fin-21 page 3 3 encourage use establish partner bedf responsibly manage fund bps requirement place ensure proper management fund proper reporting support school philanthropic pursuit provide low cost 501c3 house private funding information circular contact owner chief finance department finance mailing address bruce c. bolling building 2300 washington st. boston ma 02119 phone 617 635 7962 email preferred finance-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-05 version 01 service multilingual learner student circular remain effect rescind supersede subsequent version office multilingual multicultural education generate circular provide overview operational instructional expectation effectively service need multilingual learners ml english learners fel subgroup student population bps staff expect familiar information contain circular meaningfully incorporate day day work district work respect right student family comply relate federal state regulatory requirement follow action recommend school leader team review circular 1 schedule dialogue member school instructional leadership team ilt language assessment team latf item share document ensure key stakeholder aware responsibility 2 latf calendar identify relevant information review monthly school leader leader school support work page 2 superintendent circular cao-05 page 2 36 3 work latf audit school scheduling datum aspen sis assure el appropriately schedule english learner education ele service special education service ml disability note use term multilingual learner describe student enter bps process learn language continue use term english learner el english learner refer state federally define legal right service table content 1 overview policies legal responsibility 2 ele service compliance reporting 3 english learner education ele program models 3a. district wide ele program requirements 3b.bps formally designated program els descriptions 3c. special notices ele programs bps 4 esl services teacher qualifications compliance information 4a. esl instructional time elementary k2 5/6 secondary grades 6 12 4b. esl instructional types requirement recommendation 4c. esl instructional grouping requirements 4d. educator licensure endorsement requirements 5 sy23 24 esl service delivery determination guidance page 3 superintendent circular cao-05 page 3 36 1 overview policy legal responsibility massachusetts general laws chapter 71a boston public schools english learner student assign enrol obligate offer english learner education ele program massachusetts department elementary secondary education guidance ele program consist shelter english immersion sei core content explicit esl instruction appropriate student english language development eld level note section 6 chapter school district employee hold personally liable provide student access el programming follow additional legal regulation guideline pertain multilingual learner education offer bps ele service requirement student attend bps ► resource doj successor settlement agreement ► resource meta consent decree ► resource look act ► resource bps systemic improvement plan sip 2 ele service compliance reporting office multilingual multicultural education submit series report year compliance multilingual learner education offer bps ele service requirement student attend bps accordance doj successor settlement agreement describe reporting cycle paragraph 54 key report school accountable school year page 4 superintendent circular cao-05 page 4 36 cycle report october december march bps review follow quality indicator ele service accordance paragraph 54 successor agreement 1 teacher qualification teacher qualified provide service ml student esl sei bilingual core content class 2 esl instruction type ml student assign right course program code receive daily esl service appropriate esl instructional model type e.g. push pull embed esl grade level english language arts els etc 3 esl minutes ml student receive right esl instructional time eld level 4 esl grouping ml eld 1 5 student appropriately group esl support district compliance ele service requirement ensure accuracy reporting datum school expect review update ele service datum aspen sis beginning school year regularly preparation reporting cycle deadline october december march need change student enrollment staffing change ► resource consult aspen sis guide recording esl minutes instruction type teacher updated nov 2023 detailed direction enter ele compliance datum aspen page 5 superintendent circular cao-05 page 5 36 ► resource consult doj reporting schedule description list require doj report ► resource consult cao-5 cheat sheet quick simple outline esl compliance ► resource consult k-12 shelter english immersion sei scheduling service delivery detailed esl scheduling suggestion guidance come soon ► 3 english learner education ele program models 3a. district wide ele program requirements regardless el student place formally designate program els bps school comply follow requirement ele service 1 castañeda pronged test educationally sound ele programs 2 provide equitable curricular educational experience ml 3 access sheltered english immersion program requirement describe detail castañeda pronged test educationally sound ele programs ele program model implement bps require dese meet castañeda pronged test define follow component 1 program base sound educational theory research 2 program implement adequate appropriate resource page 6 superintendent circular cao-05 page 6 36 3 program result demonstrable academic outcome els ► resource dese guidance integration castañeda pronged test ele program development review process provide equitable curricular educational experience ml ele program implement bps require provide ml sdd 1 4 comparable access standard curriculum reasonable period time range level extracurricular activity additional service non ml student additionally ele program provide opportunity ml sdd 1 4 class participate school activity english proficient peer non ml additionally bps classroom serve ml non ml provide shelter content instruction historically code general education code state sei classroom alignment state regulation finding 2023 dese tiere focus monitoring report student regardless receive foundational level scores1 access wida screener assessment equal access enroll classroom expose english proficient peer access sheltered english immersion program dese 2019 sei guidance offer helpful framework sei ele program model implement massachusetts 1 foundational level score score 1 2.5 access test score 1 2 wida screener page 7 superintendent circular cao-05 page 7 36 sheltered english immersion sei program 2 component program model sheltered content instruction sci english second language esl teach content area license sei endorse teacher bee endorse official bps dual language program access grade level content development discipline- specific academic language occurs day design optimum el engagement content teach esl license teacher additional linguistic support els need deliver systematic explicit sustained focus language literacy context massachusetts curriculum frameworks occur specific time day accordance doj requirement specify circular 2massachusetts law g.l. c. 71a define sei english language acquisition process young child nearly classroom instruction english curriculum presentation design child learn language book instruction material english reading writing subject matter teach english teacher use minimal child native language necessary subject matter shall teach language english child program learn read write solely english page 8 superintendent circular cao-05 page 8 36 mean ml eld 1 5 student general education vocational inclusion substantially separate awc ib montessori alternative education program seat assignment consider serve sei ele model entitle shelter core content instruction esl.2 3b. bps formally designated program ml descriptions state section 3a school require comply offer ml student requirement ele program regardless student placement bps offer ml student enrollment opportunity bps formally designate program ml program model 1 shelter english immersion sei program a. state sei shelter english immersion sei program grade level english proficient peers b. bps sei shelter english immersion sei program language specific multilingual c. sheltered english immersion sei program substantially separate setting d. sheltered english immersion sei program high intensity literacy training hilt slife multilingual 2 high intensity literacy training hilt slife language specific 3 dual language education dle way immersion program 4 newcomer program note school expect implement ele program model designate school deviation model outline section approve office multilingual multicultural education omme constitute violation student parent right specific program model describe page 9 superintendent circular cao-05 page 9 36 shelter english immersion sei program3 describe section 3a sheltered english immersion program component program incorporate strategy content area instruction understandable ml promote english language development core content class day teach sei bee appropriate endorse teacher content area instruction integrate shelter strategy content comprehensive develop content area academic language mathematic english language art ela social study and/or science second component sheltered english immersion program english learner student receive explicit english second language class boston public schools offer way english learner student access sheltered english immersion program outline state sei shelter english immersion sei program grade level english proficient peers sei grade level english proficient peer offer ml sheltered content instruction sei endorse teacher explicit english second language class ml sei program type group accord el status language level english proficiency way core content class 3 massachusetts law g.l. c. 71a 2 define sei english language acquisition process young child nearly classroom instruction english curriculum presentation design child learn language book instruction material english reading writing subject matter teach english teacher use minimal child native language necessary subject matter shall teach language english child program learn read write solely english page 10 superintendent circular cao-05 page 10 36 receive core content instruction english proficient peer ml english second language class ml sei program type separate grade level english proficient peer group accord esl service delivery determination sdd bps sei shelter english immersion sei program language specific multilingual bps ele program incorporate english language development day strategy core academic content instruction comprehensible ml eld 1 2.5 score 1 2.5 wida access overall score bps sei language specific program serve student speak language bps sei multilingual program variety language speak student instruction conduct english native language clarification student available ml student sei language specific sei multilingual classroom grades k2 5/6 receive esl instruction classroom sheltered content instruction schedule english proficient peers portion day student sei language specific multilingual classroom receive instruction small class size comparison general education classroom bps sei language specific multilingual program elementary level english learner student receive english second language instruction embed content instruction class homeroom teacher possess esl license bps sei language specific multilingual program secondary level english learner student receive english second language instruction standalone setting appropriately license teacher page 11 superintendent circular cao-05 page 11 36 shelter english immersion sei program substantially separate setting individualized education plan iep and/or 504 plan ml sei program type receive core content instruction esl service self contain special education classroom specialized instruction day small group structure setting research base practice specific disability utilize specialized classroom ml continue receive shelter content instruction sei endorse content license educator shelter instruction meaningfully engage grade level content develop discipline specific academic language depend nature mls disability program modification esl service specify iep and/or 504 plan shelter english immersion sei program high intensity literacy training hilt slife multilingual slife multilingual classroom language instruction english teacher provide native language support feasible student classroom el student enter bps limited interrupted formal education slife student classroom speak different native language student slife classroom receive instruction esl teacher content literacy teacher(s qualified provide shelter content instruction general hilt slife requirement high intensity literacy training hilt slife language specific language specific hilt slife program ml receive high intensity literacy training hilt native language program enroll el student enter bps limited interrupted formal education slife speak language core academic content teach native page 12 superintendent circular cao-05 page 12 36 language student increasingly teach english student develop english fluency student slife classroom receive instruction esl teacher content literacy native literacy content teacher(s qualified provide shelter content instruction slife native literacy classroom small class size state sei bps sei dual language program general hilt slife program requirements bps recommend program ml age 8 old newcomer united states little literacy native language formal schooling limited interrupt native country student hilt slife program group grade span 3 4 3 5 5 6 6 8 7 8 9 12 receive intensive academic english language literacy development native language instruction design help learn reading writing math science history social study available additional class technology art physical education accordance meta consent decree hilt slife program comply following requirement 1 class size exceed 15 student 2 related art special elective course lunch recess allot intervention time slife student integrate ml student english proficient student els els serve peer language model 3 daily common planning time allocate esl teacher native language teachers age grade appropriate lesson design material development 4 language specific program spanish haitian creole cabo verdean creole student page 13 superintendent circular cao-05 page 13 36 receive native language high intensity literacy training hilt develop literacy native language english 5 slife multilingual classroom teacher provide native language support feasible 6 slife student beginning year assignment program hilt slife individual learning plan ilp generate qualify individual learning target academic year hilt slife ilp complete document progress determine student eligibility exit program 7 student recommend exit hilt slife program meet exit criterion meta consent decree dual language way immersion programs program classroom native language english dominant student student learn read write speak understand language core academic content instruction explicit language instruction teach qualified teacher language goal program student bilingual biliterate bps seek increase dual language opportunity way immersion program heritage language program ethnic study course student native language program currently offer spanish haitian creole asl vietnamese cape verdean creole newcomer program program available secondary ml early stage english language development ml eld 1 2.5 score 1 2.5 wida access overall score eligible program instruction conduct english native language clarification student available english learner student program receive esl instruction page 14 superintendent circular cao-05 page 14 36 standalone period shelter content instruction core- content teacher o 3c. special notices ele programs bps multilingual learners disabilities multilingual learners disabilities mlwd multilingual learners receive disability relate specialized instruction inclusion setting resource room setting substantially separate special education classroom regardless placement bps obligate provide multilingual learners disabilities mlwd equal access opportunity student education specialized instruction related service appropriate effective esl content instruction access grade level curriculum provide accommodation modification goal individual education plan iep school require monitor student progress ensure appropriate progress meet english language proficiency benchmark iep goal mlwd eld1 5 entitle receive special education sped ele service manner appropriate student individual need appropriately qualified staff district require provide service ml shall deny ele service solely nature severity student disability ml shall deny sped service ml status mean example modification esl service requirement implement modification determine necessary student iep section 504 team document team process accordance page 15 superintendent circular cao-05 page 15 36 narrow exception contain paragraph 67 successor settlement agreement approve modification esl minute group and/or instruction reflect el grid internal monitoring section edplan review bps office special education office multilingual multicultural education supervisor(s multilingual learners disabilities esl place student special education service instance student take speech therapy counseling order esl core content instruction esl service provide accommodation outline student 504 plan iep parent right opt ele program parents guardians right opt child component district ele program pursuant paragraph 33 35 successor agreement district shall approve parent request opt ele service follow relevant safeguard set place 1 decision opt voluntary informed product district practice influence result inadequate inaccurate information inadequate district resource 2 parent guardian el communicate refusal child enrol el program and/or refuse specific ele service e.g. el sei class language specific sei class hilt class welcome center nacc school meeting page 16 superintendent circular cao-05 page 16 36 convene representative omme school leader representative lat typically lat f parent(s)/guardian( explain benefit service address parent concern encourage parent allow child receive ele service 30 day decide refuse service 3 parent continue refuse ele service explanation benefit service opt form document 1 evidence parent meeting 2 parent request submit omme review approval documentation subsequently submit omme doj ocr 4 student approve opt out require remain code english learner require participate access schedule sei endorse teacher(s core content english language development monitor school 5 parent legal guardian revisit decision opt year submit new request current academic year parent request restore ele service point english learners exit reclassification el status school regularly monitor student academic progress 4 school year reclassification require dese federal regulation recommend school continue schedule els sei endorse content teacher(s monitoring period monitoring period determine student el status restore ele service provide latf seek write permission student parent guardian page 17 superintendent circular cao-05 page 17 36 o section 5 circular additional information exit criterion els 4 esl services teacher qualifications compliance information term department justice successor agreement policy department elementary secondary education bps multilingual learner education programs comply specific guideline esl instructional minutes instructional type instructional grouping educator licensure endorsement follow section outline specific compliance measure applicable multilingual english learner education program describe section 3 note school advise create schedule ele service ensure necessary qualified staff schedule meet ml service need ml student include multilingual learners disabilities mlwd student limited interrupted formal education slife schedule requisite daily esl instruction accord sdd receive esl esl licensed teacher mlwd severe disability compliant esl instruction describe successor agreement appropriate service adjust reflect record appropriately iep team process page 18 superintendent circular cao-05 page 18 36 4a. esl instructional time elementary k2 5/6 secondary grades 6 12 elementary k2 5/6 consistent dese guidance table provide doj approve esl instructional time eld level district shall provide extent practicable table 2 minimum requisite esl instructional time mls k2 5/6 eld level daily esl instructional time weekly esl instructional time eld 1 135 minute 2 hour 15 minute 675 minute 11 hour 15 minute eld 2 90 minute 1 hour 30 minute 450 minute 7 hour 30 minute eld 3 60 minute 1 hour 300 minute 5 hour eld 4 45 minute 225 minute 3 hour 45 minute eld 5 45 minute 225 minute 3 hour 45 minute secondary grades 6 12 order address variety scheduling secondary schools ensure student equitably access esl masscore graduation requirement specialty course e.g advanced placement course dual enrollment early college vocational technical page 19 superintendent circular cao-05 page 19 36 training course omme shift minute framework secondary level block require framework table 3 secondary school esl scheduling school daily course block length minutes daily esl blocks required eld 1 eld 2 eld 3 eld 4/5 45 59 minute 3 2 1 1 60 74 minute 2 2 1 1 75 + minute 2 1 1 1 esl eld 4 5 embed ela block esl- license teacher allowable eld level 4 5 note schools leverage framework opt schedule esl instruction base daily minute specify table 2 omme recommend school consider scheduling ml additional support esl license teacher targeted advisory intervention win sel block available base need student balance opportunity student access grade- level core content advanced learning special alongside english proficient peer refer resource sample recommend schedule page 20 superintendent circular cao-05 page 20 36 time student i.e. attend 1 2 remain credit requirement fulfil masscore ela graduation requirement enrol bps credit recovery online education i.e. physically school building require schedule esl student typically age student balance work adult responsibility omme highly recommend student direct connection engagement center dedicated counselor assist create educational pathway work well home family work obligation note schools schedule student esl well support student meet graduation requirement individual need regardless school schedule student core content class appropriately endorse sei and/or bilingual endorsement esl certified teacher page 21 superintendent circular cao-05 page 21 36 4b. esl instructional types requirement recommendation requisite esl instruction occur esl eligible course designate bps course catalog e.g. reading writing ela literacy humanity ensure els equitable access grade level core content specialty course refer follow table allowable type esl instructional model table 4 esl instructional model mls k2 5/6 instructional model require esl license teacher literacy humanity block standalone esl els gen ed standalone section schedule class esl student esl licensed teacher student pull classroom attend class student schedule e.g. esl course title esl license teacher teacher record classroom standalone esl recommend instructional model ml student eld 1 3 grade k2 5 assign sei language specific sei multilingual program eld 4 5 standalone allowable option refer embed ela model alternative ela homeroom teacher esl license page 22 superintendent circular cao-05 page 22 36 push esl push esl provide ml student elementary grade k2 5 esl teacher come ela humanities course co teacher classroom provide esl service specific small group student classroom student continue receive content instruction school adhere esl grouping requirement utilize instructional method minimum weekly common planning time esl classroom teacher provide pull esl pull esl provide ml student elementary grade k2 5 student take ela humanities course receive esl instruction school adhere esl grouping requirement utilize instructional method embed homeroom esl formal sei program instructional type allowable ml student eld 1 3 sei language specific sei multilingual program elementary grade level k2 5/6 section 5 circular additional information criterion bps sei eligible eld 3 model student receive esl instruction embed literacy time course title reading writing teacher provide embed esl instruction esl license require complete omme designate pd differentiation lesson planning page 23 superintendent circular cao-05 page 23 36 embed ela esl ml student eld level 4 5 recommend instructional model esl esl embed core ela literacy course esl license teacher student eld level group inclusion teacher esl stipend btu cba special education inclusion classroom utilize 1.0 teacher model teacher 3 license special education esl esl license teacher record agree stipende 45 minute day btu contractual hourly rate provide esl instruction eld 4- 5 student embed ela literacy block esl embed ela alternatively teacher agree stipend esl instruction eld 4 5 student provide separate esl licensed teacher ml eld 1 5 student entitle receive esl service regardless teacher stipend model page 24 superintendent circular cao-05 page 24 36 table 5 type esl instructional model mls grades 6 12 esl instruction type description instructional model require esl licensed teacher standalone esl eld level 1 3 compliant instructional model esl service delivery student standalone allowable option eld 4 5 student group refer embed ela mode recommend instructional type ela teacher esl license embed ela esl english language arts ml student eld level 4 5 recommend instructional model esl esl embed core ela literacy course esl license teacher student eld level group page 25 superintendent circular cao-05 page 25 36 4c. esl instructional grouping requirement follow table represent allowable grouping student esl instruction table 6 elementary secondary esl group eld grade levels eld levels elementary grades k2 5/6 secondary grade 6/7 12 eld 1 fellow eld 1 consecutive grade eld 2 grade level fellow eld 1 multiple grade eld 2 grade level eld 2 eld 1 grade level fellow eld 2 grade level consecutive grade eld 3 grade level fellow eld 2 multiple grade eld 1 grade level eld 3 grade level eld 3 eld 2 grade level preferably eld 2.5- 2.9 fellow eld 3 grade level consecutive grade eld 2 grade level preferably eld 2.5- 2.9 fellow eld 3 multiple grade preferably consecutive grade level e.g. grade 9 10 page 26 superintendent circular cao-05 page 26 36 eld levels elementary grades k2 5/6 secondary grade 6/7 12 eld 4 grade level eld 4 grade level standalone set eld 4 eld 3 grade level eld 5 grade level fellow eld 4 consecutive grade eld 3 grade level standalone setting eld 5 grade level fellow eld 4 multiple grade eld 5 eld 4 grade level fellow eld 5 consecutive grade eld 4 grade level fellow eld 5 multiple grade allowable exception sei language specific multilingual program eld 1 3 eld 1 3 sei program homeroom group esl instruction grouping allowable secondary level hilt slife els regardless eld level grade level hilt slife els regardless eld level grade level hilt slife page 27 superintendent circular cao-05 page 27 36 eld levels elementary grades k2 5/6 secondary grade 6/7 12 programs 4 program homeroom group esl instruction program homeroom group esl instruction mlwd approve esl modification refer elswd esl modifications section guidance refer elswd esl modifications section guidance subject term doj paragraph 39e 4 meta consent decree define bps hilt slife program self contain ungraded elementary format classroom teacher native literacy content teacher esl teacher responsible instruction student program typically eld 1 eld 2 level progress english language acquisition meet exit criterion require consent decree student program model receive esl group manner page 28 superintendent circular cao-05 page 28 36 4d. educator licensure endorsement requirements note dese 603 cmr 14.07 3 el student place classroom teacher lack sei endorsement consecutive year 5 school leader detailed electronic record teacher process obtain sei bilingual education endorsement pathway pursue meet obligation ml eld 1 5 assign core content vocational applicable classroom teacher endorse confirmed pathway create schedule school consideration teacher newly hire return lack sei endorsement recommend student reclassify english learner status schedule sei- endorse teacher core content course especially start 4 year monitoring period sei language specific multilingual elementary teacher provide embed hr esl student eld 1 3 esl license complete omme approve training differentiation esl lesson planning qualification program ensure unique need student eld level 1 3 meet doj paragraph 39e reference 2018 2021 btu collective bargaining 5the teacher instance require sei endorsement page 29 superintendent circular cao-05 page 29 36 agreement p. 49 section 11 pertain requirement teacher expect complete training end school year teacher satisfy requirement school ensure esl license teacher schedule deliver appropriate english language development instruction ml student literacy portion day follow table outline dese educator licensure endorsement requirement order instruct ml eld 1 5 student job type page 30 superintendent circular cao-05 page 30 36 table 7 teacher qualification job type job type required qualification additional information esl teacher esl license individual complete pass requisite coursework requirement wait state administratively grant esl license assign teach esl core content vocational teacher english sei endorsement teacher core content teachers teacher student moderate severe disability subject area teacher english reading language art mathematic science civic government economic history geography early childhood elementary teacher teach content vocational cvte teacher purpose sei cvte define program approve m.g.l. c. 74 program meet definition career technical education list carl d. perkins career technical education improvement act 2006 20 u.s.c. 2302(5 program designate dese commissioner automotive technology carpentry culinary art engineering exploratory masonry information technology subject list dese page 31 superintendent circular cao-05 page 31 36 core content vocational teacher native partner language bee endorsement core content cvte teachers define instruct partner language formal bps dual language program instruct partner language formal language specific hilt slife program evaluator ml teacher english sei endorsement administrator teacher principal assistant principal supervisor director administrator supervise evaluate core academic teacher ml eld 1 5 student evaluator ml teacher native partner language bee endorsement sei endorsement administrator teacher evaluator define supervise core academic teacher assign provide instruction english learner bilingual ele program substitute teachers n esl core content class teacher available meet qualification instruct ml eld 1 5 student school leader shall extent practicable assign substitute teacher esl license esl instruction sei bilingual education endorse core content class follow table outline dese educator licensure endorsement requirement order instruct ml eld 1 5 student bps ele program model page 32 superintendent circular cao-05 page 32 36 table 8 examples licensure requirement position serve el students program bps teacher title position description required licensure preferred bps sei sei multi- lingual general ed position classroom include student eld level 1- 3 vary native language content area license sei endorsement esl license sei pd sei + specific language e.g. sei spanish general ed position classroom include student eld level 1- 3 native language content area license sei endorsement esl license sei pd oral fluency student primary language esl esl teacher incl slife esl provide esl instruction regardless ele program model esl license bilingual way + specific language e.g. bilingual serve multiple classroom provide period instruction language english content area license bilingual education endorsement teach native language page 33 superintendent circular cao-05 page 33 36 dual lang- uage/ way way spanish complementary position note teacher provide esl teacher esl license bilingual way english serve multiple classroom provide period english instruction student complementary position content area license sei endorsement bilingual education endorsement note teacher provide esl teacher esl license slife slife native literacy tbe teacher provide core content instruction slife student student native language language english core content area license bilingual education endorsement 5 sy23 24 eld elp leveling guidance 2023 2024 school year office multilingual multicultural education continue transition multilingual learner student english language development level eld level multilingual learner student english language proficiency level elp level shift align page 34 superintendent circular cao-05 page 34 36 student elp level wida access 2.0 score align guidance policy multilingual learner student multilingual learner education guidance policy department elementary secondary education follow table show update access alt access score elp level crosswalk table 9 access score crosswalk 2022 access alt access score range sy 23 24 english language development eld english language proficiency elp levels access 1.0 1.9 access alt a1 p1 level 1 foundational access 2.0 2.9 access alt p2 level 2 foundational access 3.0 3.4 access alt p3 level 3 foundational access 3.5 3.9 access alt p3 level 3 transitional access 4.0 4.9 level 4 transitional access 5.0 5.9 level 5 transitional access 4.2 3.9 literacy i.e. meet state exit criterion el note annual program placement recommendation base student elp level omme assume responsibility annual program notification form notify parent program placement page 35 superintendent circular cao-05 page 35 36 consecutive year eld 3 student automatically exit bps sei language specific multilingual program placement currently occupy seat ○ doj consecutive year eld 3 student group eld 1 2 student esl instruction transitional eld 3 student student receive access overall score 3.5 3.9 automatically exit bps sei language specific multilingual program placement currently occupy seat student score low access test previous eld level hold harmless student access complete access absence circumstance retain previous eld level student domain access spd code receive appropriate level program placement accord policy list release access overall score state early fall ► resource end year leveling guidance 22 23 page 36 superintendent circular cao-05 page 36 36 information circular contact owner linda chen senior deputy superintendent academics interim assistant superintendent omme department office multilingual multicultural education omme mailing address bolling building 2300 washington street 6th floor roxbury ma 02119 phone 617 635 9435 email ommeequityteam@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hwd-02 version 01 physical education physical activity policy circular remain effect rescind supersede subsequent version background regular physical activity important factor affect health help control weight reduce risk develop cardiovascular disease diabete improve mental health mood increase longevity boston public school bps student physically active 60 minute day recommend center disease control 16 bps high school student report physically active recommend time 40 report have weekly physical education accord 2015 boston high school youth risk behavior survey yrbs percent middle school student report physically active recommend time 80 report have weekly physical education accord 2013 boston middle school yrbs lack physical activity contribute epidemic overweight obesity bps student measurement student body mass index 1st 4th 7th 10th grade reveal 39 bps student unhealthy weight 2015 page 2 superintendent circular hwd-02 page 2 18 recent national cumulative evidence show clear link school base physical activity include physical education academic success study report physical activity positively relate academic performance include academic achievement grade standardized test score academic behavior task behavior attendance factor positively influence academic achievement concentration attention improved classroom behavior importantly add time school day physical activity appear away academic performance give finding bps recommend school increase time spend physical education and/or increase quality physical education program provide recess physical activity break classroom promote walk/ bike school program offer non competitive intramural interscholastic sport improve health academic outcome bps implement strategy increase frequency quality physical education pe physical activity pa bps student pe pa task force form november 2010 align district pe relate policy bring district compliance ma general laws chapter 71 section 3 state physical education shall teach require subject grade student public school purpose promote physical student input bps principal physical education teacher bps wellness council member bps department head academic superintendent labor relations district leader page 3 superintendent circular hwd-02 page 3 18 pe pa taskforce create pe pa policy align bps policy definition comprehensive school physical activity program cspap approach school district school utilize opportunity school base physical activity develop physically educate student participate physical activity day develop knowledge skill confidence physically active lifetime quality physical education cornerstone cspap cspap include school base physical activity opportunity school employee wellness involvement family community involvement physical education pe plan sequential program curriculum instruction help student develop knowledge attitude motor skill self management skill confidence need adopt maintain physically active lifestyle pe curricula align bps pe frameworks pe comprehensive include student learning competency cross strand bps pe frameworks 1 movement 2 health relate fitness 3 personal social 4 lifelong physical activity pe activity focus single activity swimming dance count pe cspap align bps pe frameworks physical activity pa behavior consist bodily movement require energy expenditure normal physiological muscular cardiorespiratory requirement typical school day page 4 superintendent circular hwd-02 page 4 18 recess movement break promotional activity cross- curricular incorporation example pa count pe pa pe allocate pe moderate vigorous physical activity mvpa measure increase heart rate breathing body temperature moderate physical activity refer activity equivalent intensity brisk walking bicycling vigorous physical activity produce large increase breathing heart rate jogging aerobic dance bicycling uphill physical education physical activity policy boston public schools commit district wide strategic effort increase student physical activity fitness bring physical education physical activity school improve quality physical education recess increase equity physical activity program resource school activity inclusive meet need interest ability cultural diversity student include student gender identity student disability student special healthcare need numerous study indicate regularly engage moderate- vigorous exercise contribute overall physical mental health nurture exercise habit child lay foundation lifelong fitness research show increase physical activity increase child cognitive function ability concentrate class academic performance strategic effort improve academic performance bps recognize promote benefit comprehensive page 5 superintendent circular hwd-02 page 5 18 physical activity program quality physical education cornerstone additional physical activity integrate school day school program staff wellness family engagement activity boston public schools commit strong athletic program offer variety program accessible student athletic participation contribute student fitness wellness character development lifelong commitment physically active lifestyle additionally establish safe supportive engage school environment athletic program encourage school connectedness create climate healthy competition support fill school spirit sense community research show healthy child well learner connected student likely stay school way athletic contribute academic success student accordance state law school provide student grade opportunity physical activity school offer 150 minute school physical activity weekly grade prek-8 include require physical education movement break recess lesson involve movement structure support moderate vigorous physical activity mvpa grade prek-8 student expect 20 minute daily recess teacher school community personnel shall use physical activity e.g. run lap pushup punishment withhold opportunity physical activity school day include limit recess classroom physical activity page 6 superintendent circular hwd-02 page 6 18 break physical education punishment reason illness safety approve school leader include deny student physical activity time order work unusual circumstance district provide teacher school staff list idea alternative way discipline student school offer standard base physical education pe student grade school require offer 45 minute weekly pe grade prek-8 semester equivalent half school year pe year grade 9 12 recommend school provide 80 minute weekly pe grade prek-8 order help school work recommendation boston public schools develop implementation plan input current principal headmaster implementation plan share school committee teachers school community personnel shall use physical activity e.g. run lap pushup punishment withhold opportunity physical activity school day include limit recess classroom physical activity break physical education punishment reason deny student physical activity time order work unusual circumstance extend day program school time include school program expect offer array physical activity opportunity ensure student able participate school shall offer opportunity student participate physical activity school day page 7 superintendent circular hwd-02 page 7 18 include extend day time variety method include physical activity club physical activity school program intramural interscholastic sport school commute district recognize student benefit bicycle pedestrian safety education help trip school safe instill confidence student parent community member district develop maintain policy procedure work city agency school family student effort promote safe easy trip school student staff walk bicycling public transit mean physically active transport district encourage 7 12th grade student use public transportation available appropriate travel school work local transit agency provide transit pass eligible 7 12th grade student district provide resource school student family walk ride bicycle public transit form active transportation district encourage wellness council school administrator student staff family community partner assist district promote safe physically active travel school school encourage designate transportation liaison facilitate communication district effort promote safe physically active travel school school shall participate student transportation survey request help district plan strategy promote safe easy trip school walk bicycling public transit mean physically active transport page 8 superintendent circular hwd-02 page 8 18 implementation guidelines a. state law require student grade k-12 receive physical education 1 bps pe curriculum meet following criterion a. curriculum standard base align bps pe curriculum frameworks b. curriculum provide moderate vigorous physical activity mvpa 50 pe class time c. pe scope sequence grade level include district sponsor pe curriculum spark k-12th grade project adventure k-12th grade 2 student assessment pe include following a. grade competency i.e. knowledge skill practice participation i.e. effort proper attire teamwork assessment reflect student report card 3 bps pe class follow requirement scheduling a. reflect school master schedule student report card page 9 superintendent circular hwd-02 page 9 18 4 staffing requirement include a. bps support learning environment teacher highly qualified subject area teach pe class teach teacher hold active valid pe teaching license ma department elementary secondary education b. school unable provide student grade pe instruction licensed pe teacher contact office health wellness support identify district approve staffing alternative pe staffing alternative approve hr office health wellness school respective instructional superintendent staffing alternative consider extenuate circumstance situation increase opportunity student 5 school wellness councils require develop school- base comprehensive school physical activity plan cspap wellness action plan include a. school base cspap policy document cspap implementation guidelines b. cspap implementation guidelines outline student grade k-8 receive 45 minute pe week student grade 9 12 receive 1 semester pe grade c. cspap implementation guidelines include plan outline school aim provide 150 minute school physical activity grade k-8 include page 10 superintendent circular hwd-02 page 10 18 require physical education movement break recess lesson involve movement grade prek-8 student expect minimum 20 minute daily recess include cspap d. school staff shall provide resource integrate physical activity academic lesson contact office health wellness resource e. school wellness council work build principal facilities management/ planning identify safe appropriate indoor outdoor space group physical activity physical education lack identify single use physical activity space i.e. gymnasium hinder school offer environment conducive physical activity implementation cspap plan example include ○ shared classroom space mobile physical education class conduct classroom ○ schoolyard ○ creative use hallway space share space building ○ repurpose classroom building space physical activity ○ co teaching content area b. schools shall offer daily physical activity opportunity school day end principal head school a. integrate daily physical activity classroom page 11 superintendent circular hwd-02 page 11 18 setting kinesthetic learning cross curricular lesson team teach b. encourage short physical activity break lesson class appropriate c. encourage school wide physical activity promotion like pedometer challenge field day dance thon walk a- thon active transport etc d. provide opportunity daily recess 20 minute day supervised recess preferably outdoors time staff encourage moderate vigorous activity provide appropriate space equipment grade k-8 daily recess require e. schedule recess lunch student come lunch distracted ready eat c. schools shall offer daily physical activity opportunity extended day program school time include school program end principal headmaster a. allow school space facility available school- sponsor activity promote fitness student extended non school hour circumstance permit b. remain alignment good practice requirement licensed school age care program partnering school 606 cmr 7 specifically ○ provide daily indoor outdoor time period weather permitting include small page 12 superintendent circular hwd-02 page 12 18 large muscle activity ○ school shall dedicate 30 60 minute morning afterschool program time physical activity student c. partner local government community base agency support active transport school reduce eliminate hazard increase accessibility i.e. bicycle parking d. safe routes school boston district encourage student physically active school promote walking/ biking roll school comprehensive safe routes school boston program include encouragement education evaluation engineering environment enforcement equity strategy school include safe routes school annual wellness action plan a. equity strategy consider barrier concern opportunity face family ensure equitable opportunity strategy initiative b. encouragement strategy ○ walking promotions e.g. walk school day walking challenges school wide promotions ○ establish school park walk site ○ walking school buses c. education strategy page 13 superintendent circular hwd-02 page 13 18 ○ implement active transportation safety curriculum health physical education ○ develop disseminate prefer walking route maps provide student parent additional tool travel safely school ○ disseminating walk tip simple pedestrian safety information promotional material d. evaluation need strategy ○ conduct walk audit identify concern physical environmental condition surround school ○ conduct travel hand tally understand impact number student benefit e. engineering environment strategy ○ alert proper authority environmental safety concern engineering environmental issue report bos 311 press concern report bps transportation ○ increase accessibility support choose ride instal secure bicycle storage designate facility store wheeled device like scooter f. enforcement strategy share preferred walking routes local police station proper crossing guard assignment heighten awareness popular route page 14 superintendent circular hwd-02 page 14 18 e. community partnerships provide student family access safe affordable convenient place physically active important strategy promote health reduce risk obesity community partner vital valuable aspect quality physical activity program meaningfully support pe pa bps school official encourage work partner develop write joint use agreement delineate term condition joint use responsibility party community partner follow bps community partner policy end principal head school work community partner a. secure mini grant funding b. use facility campus c. training professional development d. assist program implementation e. work community partner create additional opportunity meet unique need school f. physical activity punishment teachers school community personnel shall a. use physical activity e.g. run lap pushup punishment b. withhold opportunity physical activity school day include limit recess classroom physical activity break physical education punishment reason page 15 superintendent circular hwd-02 page 15 18 c. deny student physical activity time order work unusual circumstance district provide teacher school staff list idea alternative way discipline student monitoring compliance support 1 monitor curriculum a. scope sequence school annually submit pe scope sequence grade level school wellness councils scope sequence align bps pe curriculum frameworks office health wellness support school align pe scope sequence bps pe curriculum frameworks necessary school wellness councils ask submit school pe scope sequence 2 monitor assessment a. report card student report card include grade take pe class 3 monitor school base comprehensive school physical activity plan cspap a. wellness actions plan school wellness councils page 16 superintendent circular hwd-02 page 16 18 cspap include school base cspap policy outline student grade receive weekly physical activity b. office health wellness monitor school wellness councils cspap c. office health wellness monitor community partner compliance bps community partner policy 4 monitoring scheduling graduation requirements a. master schedules school reflect adequate pe master schedule b. student report card student report card include pe determine compliance pe pa policy determine student graduation eligibility 5 monitor staffing a. staffing report office human capital annually conduct pe staffing report school pe staffing report monitor determine compliance pe staffing policy bps 6 office health wellness support school effort provide a. yearly professional development opportunity physical education teacher school base personnel page 17 superintendent circular hwd-02 page 17 18 b. professional development opportunity recess- base personnel c. schools shall provide resource integrate physical activity academic lesson d. resources available school staff include ○ field day guide ○ physical activity curriculum ○ physical activity breaks ○ recess temperature recommendation ○ active recess material ○ guide school activity ○ list physical activity community partner contact information 7 schools non compliant pe pa policy principal relevant school superintendent notify office health wellness school find compliant office health wellness work directly school support development cspap improvement plan put school track compliance pe pa policy school administration teacher family student community- base organization wellness council provide information policy engage support implementation monitoring compliance bps office health wellness provide implementation guide include strategy support professional development curriculum partnership development instructional material school base pa strategy resource page 18 superintendent circular hwd-02 page 18 18 information circular contact owner senior executive director health wellness department health wellness mailing address 370 columbia road dorchester ma 02125 phone 617 635 6643 email healthandwellness@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number saf-03 version 01 locker policy circular remain effect rescind supersede subsequent version consistent policy outline superintendent circular saf-02 weapons objects reasonable use memorandum explain boston public schools policy student locker search student parent understand locker property boston school department available student use convenience locker remain property boston school department student school administrator school department personnel include limit teacher custodian school police authority search student locker personal effect find locker place concealment personal effect student hold accountable content locker content personal effect contraband evidence crime find locker search turn appropriate authority information paragraph include school base rule student handbook student parent inform information serve prior ample notice school department student locker policy phrase prior ample notice include page 2 superintendent circular saf-03 page 2 4 school base rule student handbook implement locker policy school adhere follow guideline 1 school determine procedure assign locker issue padlock locker key procedure include school base rule student handbook student adhere school base rule pertain locker use 2 school issue padlock locker key unauthorized padlock remove immediately detection locker content immediately search school leader principal designee 3 locker assignment document document contain student appropriate master key information padlock combination document keep secure readily available place main office school 4 student share locker authorize school leader principal building administrator 5 unused locker clean lock seal prevent unauthorized use 6 school leader principal arrange periodic inspection locker school personnel include general cleanup school year personal effect remove locker inventoried reasonable effort return property owner contraband evidence crime inventorie turn appropriate public safety agency page 3 superintendent circular saf-03 page 3 4 7 school leader principal school department personnel conduct inspection student locker reasonably determine safety security problem exist reasonable suspicion student evidence locker tend violation law violation school rule personal effect inventoried reasonable effort return property owner contraband evidence crime inventorie turn appropriate public safety agency 8 student locker contain contraband evidence crime subject provision code conduct applicable criminal statute contraband evidence crime confiscate student locker procedure detail superintendent circular saf-02 weapons objects reasonable use cite follow page 4 superintendent circular saf-03 page 4 4 information circular contact deputy chief safety department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-05 version 01 tuberculosis program circular remain effect rescind supersede subsequent version policy tuberculosis test student assessment tuberculosis risk staff long require evidence tb skin test screen time employment protocol tuberculosis program student time registration entry boston public schools parent present information tb screening datum enter immunization datum student(s electronic health record child school registration delay lack tuberculosis screen documentation responsibility primary care health provider school system ensure appropriate screening tuberculosis occur community school nurse choose check child ppd mantoux monitor preventive therapy request primary care provider primary care provider submit write physician order school nurse service page 2 superintendent circular shs-05 page 2 2 write documentation school ppd test result monitoring preventive therapy provide primary care provider school nurse student active disease exclude school place treatment write documentation bphc tb control non contiguous state present staff staff long require tb screen candidate hire regulation communicable tuberculosis periodic examination school personnel repeal massachusetts general laws information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-26 version 01 administration naloxone circular remain effect rescind supersede subsequent version recognize respond potential life threaten opioid overdose mdph opioid overdose prevention program boston public schools maintain systemwide plan address potentially life threaten opioid overdose reaction additionally plan supplement building base medical emergency response plan director health services responsibility development management intranasal naloxone administration program school setting accordance mdph protocol school physician provide oversight monitor program creation stand order district renew annually training mdph protocol provide school nurse responder naloxone schedule iv control substance massachusetts prescribe ultimate user massachusetts controlled substances act page 2 superintendent circular shs-26 page 2 9 m.g.l. c.94c,§19(b authorize naloxone prescribe dispense person use policy boston public schools school shall provide maintain naloxone site school facility treat case suspect opioid overdose school setting school nurse administer naloxone emergency student staff visitor suspect have opioid relate drug overdose previous history opioid abuse 105 cmr 210.000 administration prescription medications public private schools naloxone treat differently prescription medication person possess administer naloxone pursuant standing order policy massachusetts department public health school health unit individual possession use naloxone cover 105 cmr 210.000 mean pursuant m.g.l. c.94c,§19(g staff member boston public schools good faith attempt render emergency care administer naloxone person reasonably believe experience opiate relate overdose shall liable attempt render emergency care carry administer naloxone school property school event permit m.g.l. c. 94c 19(d 34a9e immunity apply act omission constitute gross negligence background recognize fatal non fatal overdose opioid play increase role mortality morbidity massachusetts resident massachusetts department page 3 superintendent circular shs-26 page 3 9 public health launch overdose education naloxone distribution oend prevention program intranasal naloxone attempt reverse trend naloxone opioid antagonist mean displace opioid receptor brain overdose occur opioid receptor site brain responsible breathing rapid administration naloxone lifesave patient overdose opioid naloxone usually act dramatically allow slow absent breathing resume safe effective potential abuse naloxone paramedic ambulance emergency room clinician decade signs symptoms opioid overdose school nurse administer naloxone patient student staff member visitor event respiratory depression unresponsiveness respiratory arrest opioid overdose suspect follow sign opioid overdose blue skin tinge usually lip fingertip body limp face pale pulse slow erratic present vomiting choking sound gurgling snore gasp noise breathing slow irregular stop unresponsive page 4 superintendent circular shs-26 page 4 9 role school health services develop policy administration naloxone present bps school committee approval review policy annually provide annual education training school nurse approve mdph organization secures distribute naloxone kit school school nurse determine proper disposal + /or expire naloxone role school leader support facilitate access school nurse training administration naloxone support substance abuse prevention education comprehensive health education program school leader staff alert symptom student indicate problem substance abuse initiate assistance student need early intervention role school nurse participates training program offer health services provide safe storage easy access naloxone alert symptom student indicate problem substance abuse order initiate assistance student need early intervention page 5 superintendent circular shs-26 page 5 9 refer student student support team student struggle substance use administer naloxone follow procedure list event respiratory depression unresponsiveness respiratory arrest opioid overdose suspect activate ems procedure 1 activate ems medical emergency response plan nurse designee 911 potential overdose situation 2 assessment abc airway breathing circulation individual suspect opioid overdose nurse conduct initial assessment level consciousness respiratory status a. individual pulse initiate cpr bls guideline b. individual pulse breathe establish airway perform rescue breathing face mask shield c. check foreign body airway level consciousness unresponsiveness low respiratory rate breathe response sternal rub respiratory status gasp air asleep odd snore pattern pale bluish skin slow heart rate low blood pressure pinpoint pupil track mark present absence finding exclude opioid overdose page 6 superintendent circular shs-26 page 6 9 d. individual pulse breathe assess depression respiratory status evidence i. low respiration rate ii interpretation pulse oximetry measurement immediately available e. assess decrease level consciousness evidence i. difficult arouse respond physical stimulus communicate follow command spontaneously ii unable arouse minimal response noxious stimulus communicate follow command f. nurse determine need naloxone administration 3 administration intranasal administration naloxone a. assess person contraindication precaution available information b. use naloxone nasal spray i. follow manufacturer instruction proper administration ii step 1 lay person receive dose naloxone nasal spray iii step 2 remove naloxone nasal spray box peel tab circle open naloxone nasal spray iv step 3 hold naloxone nasal spray page 7 superintendent circular shs-26 page 7 9 thumb red plunger middle finger nozzle v. step 4 tilt person head provide support neck hand gently insert tip nozzle nostril finger nozzle person nose vi step 5 press red plunger firmly dose naloxone nasal spray vii step 6 remove naloxone nasal spray nostril give dose viii person respond 3 min repeat step second dose naloxone nasal spray box ix monitor ems arrive x. place victim recovery position stay victim 4 monitor individual naloxone block opioid act cause withdrawal symptom opioid tolerance a. remain victim emergency support arrive victim breathe arousal require continued rescue breathing support follow incident debrief school team health service page 8 superintendent circular shs-26 page 8 9 documentation 1 record encounter snap 2 complete incident report 3 complete 911 report 4 include individual presentation route administration naloxone dose administer include individual response naloxone administration storage store 59 ° 86 ° away direct sunlight disposal administer naloxone nasal spray return original packaging dispose waste receptacle reference bps shs-01 drug alcohol abuse update procedure bps shs-08 medication administration nasn naloxone toolkit school nurses mdph bureau substance addiction services page 9 superintendent circular shs-26 page 9 9 information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number sss-02 version 01 homeless student guidelines procedures circular remain effect rescind supersede subsequent version introduction mckinney vento homeless assistance act reauthorize december 2015 federal student succeed act essa ensure educational right protection child youth experience homelessness definition homelessness federal government define child youth homeless lack fix regular adequate residence primary nighttime residence design ordinarily regular sleeping accommodation human being mckinney vento homeless assistance act section 103 1 2 federal definition follow child consider homeless child youth share housing person loss housing economic hardship similar reason live motel hotel trailer park camping ground lack alternative adequate page 2 superintendent circular sss-02 page 2 10 accommodation live emergency transitional shelter abandon hospital await foster care placement child youth primary nighttime residence public private place design ordinarily regular sleeping accommodation human being child youth live car park public space abandon building substandard housing bus train station similar setting unaccompanied youth youth physical custody parent guardian boston public schools bps responsible ensure identification enrollment attendance academic success student homeless personnel aware unique need child adolescent family homeless grow population risk transitional nature status life child adolescent school represent stability consistency unstable situation commit support student experience homelessness strive student home school statement purpose scope circular intend provide school staff guidance right student homeless provide education service need ensure equal opportunity meet academic standard student hold procedure page 3 superintendent circular sss-02 page 3 10 differ standard procedure include choice school registration transportation record transfer confidentiality school selection student experience homelessness right continue attend school origin i.e. school attend permanently house school enrol school new community temporarily house right guarantee mckinney vento homeless assistance act school assignment transportation student attend boston public schools homeless need transportation family visit bps welcome centers https://www.bostonpublicschools.org/welcomecenters family request reassignment visit welcome centers location roslindale 515 hyde park ave roslindale 617 635 8040 dorchester 1216 dorchester ave dorchester 617 635 8015 roxbury 2300 washington st. roxbury 617 635 9010 east boston 312 border street boston ma 02128 617 635 9597 family experience homelessness boston right enroll child boston public schools welcome center site register individual consider homeless person double term refer situation individual page 4 superintendent circular sss-02 page 4 10 unable maintain housing situation force stay series friend and/or extend family member student homeless shelter facility outside school district continue attend school origin transportation available reside hour school contact homeless education resource network hern 617 6359620 discuss difficulty child temporarily home experience dispute resolution dispute arise enrollment and/or transportation local school district immediately enroll homeless student school enrollment seek pende resolution dispute provide parent guardian unaccompanied youth write statement school placement decision notice right appeal decision school district refer unaccompanied youth parent guardian homeless education liaison expeditiously carry dispute resolution process final decision situation reside massachusetts commissioner education reimbursement available city boston mileage rate parent shelter outside boston transport child school district attendance waivers student experience homelessness absence excuse assess case case basis page 5 superintendent circular sss-02 page 5 10 absence excuse follow reason student homeless district await transportation student tardy placement issue contact assistant director opportunity youth information operations department- heads@bostonpublicschools.org school enrollment record transfer principals head school follow current procedure transfer academic health record student experience homelessness mandate helpful student temporarily home provide follow documentation time registration birth certificate immunization medical record special education individual educational plan iep service student homeless live shelter student live shelter double identify homeless access service outline memorandum a. curriculum homeless issues professional development important teach staff student homelessness cause condition ensure student understand homelessness cause lack affordable housing page 6 superintendent circular sss-02 page 6 10 fault child temporarily home parent bps homeless education resource network hern massachusetts department elementary secondary education video homelessness available expertise workshop curriculum planning addition training seminar homelessness available hern free boston public schools faculty staff arrange school enroll upcoming professional development opportunity contact assistant director opportunity youth operations department- heads@bostonpublicschools.org identification school base homeless liaison school district identify staff member serve main contact point homeless service exist e.g. school base homeless liaison work concert hern connect school student family experience homelessness risk homelessness city state resource school- base homeless liaison work collaboratively hern ensure student experience homelessness necessary individualized resource support learn hern provide multiple opportunity school base homeless liaison receive target professional development school year school base homeless liaison serve essential role ensure staff student school understand available service process request assistance october 1 school leader submit contact information title designate school base homeless page 7 superintendent circular sss-02 page 7 10 liaison senior director opportunity youth operations- department-heads@bostonpublicschools.org identification referrals students experience homelessness students family experience homelessness risk homelessness request assistance hern referral form available electronically aspen student information system sis student family member request bps staff member aspen access submit referral form behalf process increase access assistance allow referral submit bps staff member student family member trusting relationship process increase identification student experience homelessness make easy student family member request school level school base homeless liaison expect inform staff member school availability form aspen role able submit referral student behalf form submit hern proceed normal process verify information information verify student service need identify hern contact designate school base liaison work collaboratively institute service plan student and/or family hard copy version hern referral form accept submit directly hern office bps welcome centers page 8 superintendent circular sss-02 page 8 10 confidentiality reason homeless family want reveal live status change shelter encourage parent notify school change residence mandate state federal law regulate confidentiality restrictive child temporarily home present characteristic risk child good practice strengthen communication parent school personnel procedure place reach family student transition educationally risk mean minimum school communicate frequently parent stress necessity update student emergency information schools school base homeless liaison particular encourage maintain date record student experience homelessness aspen sis communicate hern regularly ensure adequate assistance provision service student family experience homelessness serve student homeless mindful follow student parent temporarily home prefer current living situation private student family feel threaten and/or embarrassed approach school staff respect privacy confidentiality school staff approach student family directly discuss temporary lack permanent residence student page 9 superintendent circular sss-02 page 9 10 family give opportunity raise issue choose necessary staff member know student homeless school staff tell information need basis event emergency service information lack child believe homeless contact assistant director opportunity youth 617 6359620 operations- department-heads@bostonpublicschools.org senior director health services 617 635 6788 notify family present current immunization record time registration home hospital instruction provide service student homeless impair physically and/or mentally additional information contact home hospital program coordinator 617 635 6633 page 10 superintendent circular sss-02 page 10 10 information circular contact owner senior director department department opportunity youth mailing address 443 warren street dorchester ma 02121 phone 617 635 9620 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-05 version 01 subpoenas circular remain effect rescind suspend subsequent version subpoena receive subpoena student record personnel record medical record document copy subpoena email deliver immediately office legal advisor review subsequent forward responsive record original subpoena office legal advisor subpoena email deliver address individual keeper record witness subpoena i.e. subpoena seek testimony document email deliver office legal advisor appropriate consultation send email email legal@bostonpublicschools.org information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org page 2 superintendent circular lgl-05 2023 2024 september 1 2023 page 2 2 mary skipper superintendent page 1 superintendent circular number hrs pp20 version 01 change pay frequency paraprofessional community field coordinators circular remain effect rescind supersede subsequent version pursuant memorandum agreement school committee city boston boston teachers union local 66 aft afl cio union article iii compensation benefits section add 200 paraprofessional choose option paraprofessional shall option pay biweekly 26 paycheck 1 paraprofessional community field coordinator elect pay biweekly 26 paycheck 2 employee active pay leave beginning school year 3 application submit payroll unit fax 617 635 9003 google form https://docs.google.com/forms/d/e/1faipqlsfg_od8pq- i9vujs2priv-2bazjefxouxrgxox7nzhcyxguow viewform postal service 2300 washington street roxbury ma 02119 attn payroll open enrollment period begin april 1 end june 1 4 applicant wish change pay frequency 10 page 2 superintendent circular hrs pp20 september 1 2023 page 2 3 month 12 month 12 month 10 month notify payroll submit para pay frequency application complete google form prior june 1 deadline effective september school year summary significant date deadlines date activity april 1 para pay frequency open enrollment period begin june 1 para pay frequency open enrollment period close information circular contact department office human capital mailing address 2300 washington street roxbury ma 02119 phone 617 635 9600 fax 617 635 9003 mary skipper superintendent page 3 superintendent circular hrs pp20 september 1 2023 page 3 3 application change pay frequency paraprofessional community field coordinators  change 21 26 payment pay 12 month elect change paycheck frequency 26 payment understand request reverse school year  change 26 21 payment pay 10 month elect change paycheck frequency 21 payment understand request reverse school year employee i.d. school department signature date submit complete form june 1 change effective september new school year question matter contact office human capital 617 635 9600 page 1 superintendent circular number lgl-17 version 01 religious expression public schools circular remain effect rescind supersede subsequent version massachusetts general laws chapter 71 section 82 set forth law right student freedom expression public school freedom expression balance disruption disorder cause school issue relate specifically religious expression public school involve constantly develop concept question constitutional law staff member strongly encouraged bring specific question religious expression office legal advisor 617 635 9320 general principle include freedom expression individual group student include right express view speech symbol peaceable planned assembly write publication amendment forbid religious activity sponsor government protect religious activity initiate private individual non- disruptive include student prayer meal non instructional time non disruptive religious activity include speaker student assembly extracurricular event graduation page 2 superintendent circular lgl-17 page 2 2 ceremony select basis genuinely neutral evenhanded criterion retain control content expression circumstance school official neutral disclaimer speech speaker view school teachers administrator school employee act official capacity act agent state encourage discourage participate prayer religious expression note include pledge allegiance consider religious expression supt circular lgl-18 school official compel student participate prayer religious activity information circular contact owner lisa maki department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-11 version 01 life threatening allergy lta anaphylaxis circular remain effect rescind supersede subsequent version policy massachusetts department education recommend school district policy protocol care student life threaten food allergy addition 2012 c.77 act relative medical emergency response plan schools require local school district develop efficient write medical response plan respond life- threaten emergency massachusetts department public health regulations govern administration prescription medications public private schools 105 c.m.r. 210.100(a)(4 a)(4)(c)(iv authorize school personnel train test competency administer epinephrine auto injector individual previously diagnose life threaten allergy experience anaphylactic event school district register massachusetts department public health purpose page 2 superintendent circular shs-11 page 2 10 background anaphylaxis anaphylaxis sudden severe potentially fatal systemic allergic reaction involve area body skin respiratory tract gastrointestinal tract cardiovascular system symptom occur minute hour contact allergy cause substance rare instance occur hour later anaphylactic reaction mild life threatening annual incidence anaphylactic reaction 30 100,000 person individual asthma eczema hay fever great relative risk experience anaphylaxis common allergen child food bee sting life threaten nature condition important school develop implement care plan child identify life threaten allergic reaction massachusetts department public health regulation provide administration epinephrine auto injector non medical personnel train school nurse administration epinephrine auto injector delivery consultation school physician school nurse leader final decision make authority program accordance ma dph standard include school sponsor program school nurse immediately available boston school committee superintendent circular shs-08 medication administration approve training administration epinephrine auto injector student identify allergy supervision page 3 superintendent circular shs-11 page 3 10 school nurse purpose administrative procedures guidelines provide safe healthy learning environment student protect right student food allergy participate school activity reduce likelihood severe potentially life- threaten allergic reaction school ensure rapid effective response case severe potentially life threaten allergic reaction education training staff train include limit teacher paraprofessional food service staff school leader support staff student intern teacher education training school nurse include identification potential food allergen role responsibility prevention reduce risk recognize allergic reaction respond allergic reaction administer epinephrine auto injector epipen ® page 4 superintendent circular shs-11 page 4 10 role responsibility role parent inform school nurse child life- threatening allergy specific information allergen i.e. food type insect medication provide school list allergen individual health plan ihp preferably food allergy action plan appropriate physician order epinephrine auto injector administration provide physician provider documentation allergy diagnosis treatment work school nurse school leader classroom teacher develop implement allergy action plan + /or ihp ensure child safe potential allergen provide epinephrine auto injector(s physician order emergency medication indicate school nurse sign release information permission identify school staff information child allergy provide current contact information include emergency contact ensure pre school school staff appropriate information page 5 superintendent circular shs-11 page 5 10 role school administrator support training school staff provide school nurse beginning school year need support faculty staff parent implement aspect lta life threatening allergy program consider school wide policy input school site council avoid lta possible i.e. peanut free zone food function etc provide emergency communication device way radio intercom walkie talkie cell phone school activity include transportation involve student life threaten allergy ensure contingency plan case substitute nurse teacher food service personnel ensure 911 ems activate event exposure role school nurse provide training annually beginning school year school staff include information food allergy risk reduction procedure recognize allergic reaction respond event allergic reaction include use epinephrine auto- injector training include return demonstration school staff administration epinephrine auto- injector obtain individual health plan ihp family primary care provider include specific food allergy action plan develop plan child management classroom page 6 superintendent circular shs-11 page 6 10 lunchroom playground field trip emergency situation ensure staff member contact student life threaten allergy lta familiar ihp need know basis provide list student life threaten allergy consent give parent staff need know basis include transportation staff conduct service training education appropriate staff child life threaten allergen symptom risk reduction procedure emergency procedure administer epinephrine auto- injector post general emergency protocol location epinephrine auto injector epinephrine lock away available school staff secure location readily available use emergency situation ensure ihp child lta readily available transport ems ensure contingency plan place school relate venue substitute utilize communicate parent regular basis discuss issue relate plan event epinephrine auto injector administration complete massachusetts department public health epinephrine auto injector administration form alert health services role teacher page 7 superintendent circular shs-11 page 7 10 receive training annually recognize symptom allergic reaction understand role responder event allergic reaction include use epinephrine auto injector i.e. epipen ® collaborate school nurse parent guardian develop implement plan ensure child safe potential allergen include field trip classroom festivity art craft activity cafeteria management maintain list student classroom lta include list substitute teacher folder participate team meeting child life- threaten allergy service training lta accessible child emergency plan photo possible classroom parent permission lesson plan inform volunteer student teacher aide specialist substitute teacher child food allergy necessary safeguard verbal communication organize prominent accessible write format coordinate parent provide lesson plan food allergy class discuss anaphylaxis age appropriate term child permission remind student share trade food inform parent event involve food provide school nurse 4 6 week advance date field trip school sponsor site activity discuss parent process ensure school continuity access epinephrine auto- injector administration allergen reduction page 8 superintendent circular shs-11 page 8 10 role site staff athletics maintain list student charge lta athletic coach inform review sport clearance aspen student team lta coaches participate training school level include information life threaten allergies risk reduction procedure recognize allergic reaction respond event allergic reaction include use epinephrine auto injector return demonstration encourage student carry epinephrine auto- injector practice event ensure site staff knowledge child allergy specific allergy symptom suffer reaction o ensure site staff know 911 emergency number request advanced life support unit reaction occur o allow responsible child carry epinephrine auto injector backpack accessible child emergency plan specific venue parent permission inform substitute child food allergy necessary safeguard verbal communication organize prominent accessible write format role food services provide food preparation environment follow page 9 superintendent circular shs-11 page 9 10 sound food handling avoid cross contamination procedure address food allergic student ensure food service staff able recognize symptom allergic reaction understand role responder event allergic reaction include use epinephrine auto injector role school transportation company provide training bus driver manage life- threaten allergy familiar local ems procedure function communication equipment access ems maintain policy food drink consume bus detail management necessary form available nurses protocol procedure manual available bps school nurses managing food allergies schools role school teachers paraeducators faact education school personnel reference mass.gov report epi pen administration mass.gov school health services medication administration page 10 superintendent circular shs-11 page 10 10 summary significant date deadline date activity september 2024 staff life threaten allergy review epinephrine auto injector demonstration school nurse information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-10 version 01 grant guidelines circular remain effect rescind supersede subsequent version boston public schools grant grant go boston public schools district individual school central office adhere federal state city district policy circular contain grant management standard procedure district use ensure fund lawfully expend base funding source grant house office grants external funding boston educational development foundation bedf federal state grant private grant house office grants external funding adhere following information private grant house boston educational development foundation bedf 501c3 account adhere rule regulation bedf information bedf find superintendent circular fin-09 role responsibility grant adhere federal state city boston public schools requirement purchasing accounting auditing civil page 2 superintendent circular fin-10 page 2 14 right access confidentiality establish guideline set forth funder regulation state federal grant publish grants management procedural manual publish bureau grants management massachusetts department education federal grant comply edgar 2 c.f.r.§ 200 policy procedure internal control grant management standard bps ensure fund lawfully expend outline fiscal policies procedures manual individual work grant expend grant fund oversee department utilize grant fund responsible lawfully expend grant fund grant guidelines grant office grant external funding follow document require seek grant funding intent apply form school committee approval form boston fiscal policies procedure grants subrecipient responsibilities program manager grant applicant responsible implement follow rule seek manage grant 1 federal state grant follow supplement supplant rule mean grant money replace position previously fund local page 3 superintendent circular fin-10 page 3 14 money fund non salary item responsibility local school district example grant fund fund classroom teacher administrative personnel position consider core clear indication supplanting shift position gsp grant 2 grant fund program self sufficient award fund cover expense program include wage benefit supply transportation utility custodial requirement fee consult office grants external funding budget office approval exception technology involve applicant consult office information instructional technology oiit ensure support proposal 3 bps policy procedure rule regulation apply grant- fund program regular personnel budget business procedure apply grant fund program way apply locally fund program reference appropriate budget business human capital memorandum rule procedure 4 agreement apply subrecipient grant enter outside organization entity behalf district approval grants external funds office pre award bps staff parent partner encourage seek apply grant opportunity variety source grant development team process page 4 superintendent circular fin-10 page 4 14 department school enable individual ultimately responsible implement grant involved head school principal administrative head aware pre approve grant proposal program place supervision intent apply bps entity plan pursue grant opportunity submit online intent apply form federal state grant private grant $ 10,000 intent apply form submit soon funding opportunity applicant identify 3 week grant date ensure potential grant application consistent bps goal policy conflict bps solicitation fund agency donor intent apply review weekly basis approval receive complete grant cover page submit information detail step superintendent signature office grants external funding facilitate obtain superintendent signature behalf submit intent apply form office grants external funding contact 10 day step document require signature include electronic signature submit week 7 day proposal submit intent apply form obtain approval forward grants review team signature obtain page 5 superintendent circular fin-10 page 5 14 letter support office grants external funding facilitate obtain signature letter support superintendent mayor federal grant intent apply review approve grants review team draft letter support signature letter require signature submit week 7 day request letter support bps tie bps grant application complete online letter support request form office grants external funding follow step budget creation office grants external funding assist develop review application budget complete online intent apply form office federal grants contact reply communication schedule time create review budget budget adhere bps state federal regulation budget adhere need amend bps approve allow spending superintendent signature grant application submit external funder private state federal internal bps approval prior submission office grants external funding facilitate process complete intent apply form office grants page 6 superintendent circular fin-10 page 6 14 external funding contact step document require signature include electronic signature submit week 7 day superintendent authorize representative sign grant proposal behalf bps bps submit grant funder requester behalf case grant submit directly program manager preferred prior step complete grant awarded school committee approval grant manage office grants external funding approve school committee officially accept bps similarly school committee approval require office grants external funding gain access grant fund conjunction city hall soon grant application submit grant submit school committee approval obtain school committee approval step complete 1 packet school committee material submit office federal state grants packet include complete school committee acceptance form grant budget grant narrative sign cover page available moa mou available award letter available submit later 14 day prior page 7 superintendent circular fin-10 page 7 14 school committee meeting 2 meeting hold program manager office grants external funding 3 program manager attend school committee meeting answer question arise surround grant grant approve school committee official confirmation school committee acceptance send requester email approximately 2 day school committee vote contact coordinator office grants external funding finance-staff@bostonpublicschools.org question request school committee approval grant set notice payment official award letter grantor funding wire moa execute contract receive office grants external funding grant receive school committee approval grant set process begin set process office grants external funding map submit budget bais financials peoplesoft system grant set accord budget approve funder budget set bps set city boston system office grants external funding alert program manager occur spending begin process take approximately day date payment notice receive question grant set contact coordinator federal state grants carlos page 8 superintendent circular fin-10 page 8 14 coordinator office grants external funding finance- staff@bostonpublicschools.org grant spending grant monitoring spending responsibility program manager monitor spending grant include assure grant fund allowable expense spend accord grant timeline work closely business office process contract and/or procurement need enter requisition monitor purchase order enter receipt good service submit invoice account payable work order relate budget grant fund responsibility program manager supervisor assure responsibility fully complete accord requirement offer assistance necessary life grant budget need adjust budget transfer bais financial system change grant line grant change grand total change initial grant intent allowable change approve grant budget approval obtain funder amendment require office grants external funding help complete file amendment contact carlos martinez coordinator federal state grants amendment page 9 superintendent circular fin-10 page 9 14 subrecipient monitoring spending accordance uniform grant guidance sub award bps serve pass entity clearly identify manage accord standard set forth federal regulations 2 cfr 200.331 program manager responsible communicate federal regulation assure subrecipient adhere sub award regulation contact office grants external funding information subrecipient monitoring grant spending reports program manager receive quarterly spend report office grants external funding report design provide high level overview spending spend detail responsibility program manager look report identify error spending report programmatic change affect budget timeline amendment amendment necessary modification scope finance previously approve grant application scope project change significantly expenditure budget category exceed variance 10 $ 10,000 whichever great amendment need amendment submit 30 day prior desire change federal state grant require final amendment file later 30 day prior end grant office grants external funding submit amendment necessary need justification page 10 superintendent circular fin-10 page 10 14 program manager change occur grant clean close grant clean final week grant clean occur grant close grant file final amendment remain requisition purchase order fully receive responsibility program manager assure grant clean close final report prior grant end date requisition cancel convert purchase order purchase order fully receive bais financial grant end date purchase order pay remainder cancel prior grant end date responsibility program manager monitor clean work business office convert requisition cancel pos enter receipt good service stipend request ps08s submit approve stipend work perform final stipend paperwork ps09s submit week stipend period end later week grant end date failure purchase item submit stipend request deadline result forfeit fund grant outcomes report conclusion grant program manager report outcome smart goal present school committee office grants external funding reach page 11 superintendent circular fin-10 page 11 14 program manager information report share school committee key stakeholder grant close grant fund spend prior grant end date fund utilize end date forfeit grant compliance purpose fund encumber define purchase order fully receive bais financial expend grant end date claim grant program manager responsible assure occur grant end date fiscal reporting fiscal reporting complete review office grants external funding auditing department fiscal report submit funder review office grants external funding auditing department final reports final financial report complete auditing department final report funder 60 day grant close assure final report file time requisition open purchase order clean soon possible grant end date final report complete submit copy send program manager record keep purpose multi year grant multi year continue federal state grant account page 12 superintendent circular fin-10 page 12 14 establish start fiscal year account automatically open carry forward year year responsible administrative head department manager relevant program manager share annual basis award notification respective funder office grants external funding programmatic report programmatic grant report responsibility program manager supervise grant implementation share complete report office grants external funding grant relate financial report request revenue manage bps business office share relevant detail advance director state federal grants finance- staff@bostonpublicschools.org and/or coordinator office grants external funding finance- staff@bostonpublicschools.org submit funder intend deadline page 13 superintendent circular fin-10 page 13 14 grant management resource grants website office grants external funding provide information grant bps resource find grant opportunity contact information process policy information quarterly newsletter constant update impact grant internal grants management library internal resource provide detailed information manage grant bps searchable constantly update document include common grant application answer key application document guide run common report step step instruction manage budget contact information information perform grant activity bps contact information office grant external funding director state federal grants 617 635 9577 email finance-staff@bostonpublicschools.org senior grants manager 617 635 8582 email finance-staff@bostonpublicschools.org page 14 superintendent circular fin-10 page 14 14 coordinator office grants external funding 617 635 9084 email finance-staff@bostonpublicschools.org accounting coordinator 617 635 9466 email tbd external funding analyst superintendent circular fin-04 student activity accounts information circular contact owner director state federal grants department director grants external funding finance mailing address bruce c. bolling building 2300 washington st. boston ma 02119 phone 617 635 9577 email finance-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-12 version 01 loss damage result fire theft vandalism unlawful acts circular remain effect rescind supersede subsequent version case loss damage boston school department building ground property head school principal responsibility center manager complete form attach follow prescribe procedure discovery incident form report act fire theft vandalism destruction property graffiti break enter attempt break enter vandalism consider willful act cause damage school department property head school principal responsibility center manager contact boston police safety services request official police department incident report commonly refer 1 1 prepare report serve documentation incident report log police department head school principal responsibility center manager copy form official police report record original form copy police report send department safety services 213 townsend street dorchester ma 02121 page 2 superintendent circular fmt-12 page 2 4 additional copy forward following department facilities management academic superintendent necessary  event emergency hazardous condition notify facilities management immediately refer superintendent circular fse-01 school safety contingency plan additional information information circular contact owner sr supervisor electrical security department facilities management mailing address 1216 dorchester ave boston ma 02125 phone 617 635 8300 fax 617 635 7855 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 3 superintendent circular fmt-12 page 3 4 form report loss damage result fire theft vandalism unlawful acts form report act fire theft vandalism destruction property graffiti break entering attempt break enter vandalism shall consider willful act cause damage school property school facility date report specific location incident point entry person discover incident date time incident description damage loss identify property manufacturer model serial number school department identification number page 4 superintendent circular fmt-12 page 4 4 complete follow information report result loss theft damage laptop desktop complete forward copy technical support teacher tst product model serial asset tag ☐ laptop ☐ laptop case ☐ cables ☐ lock ☐ desktop monitor ☐ desktop cpu respond police officer cc number facilities mgt personnel notify date time signature title cc ☐ facilities management copy ☐ safety services copy ☐ office instructional information technology page 1 superintendent circular number fam-01 version 01 school parent council circular remain effect rescind supersede subsequent version boston public schools value voice family seek engage family school governance advisory capacity level district school parent councils spc serve advocate advisor principal head school school superintendent superintendent school committee spc provide opportunity family deeply engage school level partner principal head school improve school culture outcome student addition school base spc districtwide parent advisory council bring parent school serve advisor district leadership citywide parent council cpc serve districtwide voice parent compose representative school special education parent advisory council sped pac represent family student disability receive special education service district english learner advisory committee delac work ensure parent inform aspect bps affect english learner provide recommendation office english learners group serve empower parent partner bps improve page 2 superintendent circular fam-01 page 2 10 outcome student circular focus role function spc school parent councils spc independently establish voice parent school community spc advocate student school meet frequently consistently elect representative sit school site council ssc promote environment understanding common purpose parent student school staff focus student learning school improvement purpose circular term parent include legal guardian person stand loco parentis grandparent stepparent child live person legally responsible child welfare sect 9101(31 esea role responsibility spc follow role collaborate school staff create welcome school climate student family coordinate school wide activity event engage family student learning raise fund support school base initiative activity event responsibility provide safe forum family express concern contribute school base initiative relate school improvement school climate student learning parent legal guardian child attend particular page 3 superintendent circular fam-01 page 3 10 school automatically member school spc spc executive committee elect leadership spc school adhere follow guideline election executive committee ofca recommend school family liaison facilitator co facilitator observer election election ssc spc parent rep happen fall new school year spring election long accept help opportunity engagement council equitable election 2024 2025 school year conduct person virtually hybrid system provide equitable access voting parents legal guardian wish member executive committee child enrol school run co chair officer representative school community parent legal guardian present spc election hold person virtually nominate spc executive committee parent nominate themself school elect member serve role insufficient number candidate fill role parents legal guardian present person virtually time election nominate parents legal guardian work child school elect spc executive committee extenuate circumstance family allow vote family page 4 superintendent circular fam-01 page 4 10 candidate allow minute introduce themself election carry secret ballot approve majority vote present group nominations election hold meeting voter present virtually person participate election spc executive committee role spc executive committee provide leadership organize work spc maintain ongoing communication parent ensure connect happen school maintain ongoing communication collaborative work relationship principal head school teacher school staff community partner create inclusive environment spc school community welcome active participation parent set schedule format meeting invite maximum participation family composition spc executive committee reflect racial ethnic diversity student body include parent student english learners include parent student receive special education service include parent student range grade level include mix newly elect experienced parent leader page 5 superintendent circular fam-01 page 5 10 parent serve spc executive committee role simultaneously school candidate come forward spc encourage elect parent possible role purpose share responsibility building leadership capacity spc executive committee consist follow role co chair number elect 2 schedule facilitate spc meeting create agenda maintain ongoing way communication principal head school treasurer number elect 1 2 maintain clear accurate financial record spc provide monthly expense report lead manage spc fundraising effort secretary number elect 1 2 conduct outreach parent community record share meeting note school community school site council reps number elect 5 8 base number staff btu bargaining unit represent parent community member spc participate school base decision making page 6 superintendent circular fam-01 page 6 10 attend spc meeting report ssc business receive information bring ssc facilitate communication spc ssc citywide parent council rep number elect 1 2 participate districtwide parent group design advocate bps family student influence bps policy special education parent advisory council rep number elect 1 2 participate citywide parent organization design provide information resource family student disability receive special education service district english learners advisory committee number elect 1 2 participate citywide committee task provide recommendation school district official program service provide el student total parents elect spc executive committee 12 20 vacant position revisit school year family remind opportunity benefit representation citywide council page 7 superintendent circular fam-01 page 7 10 relationship school parent council school site council school parent council spc elect parent member represent parent voice school site council ssc ssc representative member spc executive committee attend spc meeting provide regular update ssc proceeding ensure opportunity parent input feedback ssc meeting open public parent staff person community member attend elect representative vote ssc decision school parent council law spc develop law council provide structure guidance spc operation spc annually review approve law meeting follow election law public document available parent member school community request spc law submit office family community advancement ofca approval spc school parent council meeting spc meet monthly meeting year include presentation principal head school school goal year election representative executive committee school site council superintendent circular fam-02 detail follow meeting focus share work spc provide opportunity feedback parent spc encourage meet monthly keep ssc frequency ensure parent body keep page 8 superintendent circular fam-01 page 8 10 abreast ssc activity meeting frequency purpose detail spc law spc guidelines principals heads school administrators principal head school work spc host annual title meet share family 1 school invest title allocation 2 right responsibility title parent 3 seek feedback and/or input parent home school compact family engagement plan principal head school meet spc regular basis provide update school policy instructional focus school datum pertinent information address school wide parent concern principal head school provide family periodic update overall student school progress share datum spc meeting principal head school meet spc co- chair ongoing communication family student engagement practice student learning school improvement principal head school work spc co- chair information translate home language represent school ensure arrangement translation interpretation negotiate agree spc school staff include election night principal head school designee assist spc notify family spc and/or executive page 9 superintendent circular fam-01 page 9 10 committee meeting provide access computer paper copy machine postage work spc timely dissemination notice entire community range communication method include school messenger email school website school medium spc work collaboratively principal head school school staff solve problem develop plan improve engagement family student commitment partnering family reflect value bps place engagement family ground decade family engagement research alignment principal head school evaluation effective implementation authentic engagement parent teacher student voice align follow standard massachusetts administrator evaluation rubric indicator iii a1 family engagement o engage parent student teacher create welcome school environment foster share responsibility engagement indicator iv b1 policies practices o create opportunity authentic parent student teacher voice school base decision making indicator iv e-1 shared vision development o parents student teacher opportunity shape vision school pertain instruction school climate indicator iv f-3 consensus building page 10 superintendent circular fam-01 page 10 10 o decision consensus model member ssc include spc member equal voice o resolve conflict member school community important date date activity september 15 election date submit ofca october 31 deadline complete spc election parent rep include ssc representative submit roster ofca information circular contact owner director family school engagement practices department office family community advancement mailing address 2300 washington street roxbury ma 02119 phone 617 635 7750 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-22 version 01 response cardiac arrest schools school property automatic external defibrillator aed use access policy circular remain effect rescind supersede subsequent version policy statement boston public schools recognize emergency medical response plan multifacete design respond life threaten medical emergency minute emergency medical service arrive element policy include effective communication individual school district coordinated practice response plan risk reduction training equipment aid cpr lay rescuer aed program policy address cardiac arrest plan focus cpr aed use interface superintendent circular fse- 05 medical emergencies fse-01 school safety contingency plan shs-11 life threaten allergies coordinate city boston public access defibrillator program pad detailed procedure protocol include memorandum agreement bps boston ems available facilities management page 2 superintendent circular shs-22 page 2 22 background sudden cardiac arrest sca present potential life threaten situation student staff visitor quick response action intervention like cardio pulmonary resuscitation cpr proper use automatic external defibrillator aed 2 minute significantly increase chance sca survival protocol districtwide responsibility city boston public access defibrillator program pad require systemwide policy establish interface district school safety contingency plan plan submit year bps aed cpr policy direct aed cpr committee systemwide aed committee include limit representation health services facilities management environmental safety bps operations city boston emergency management services bems responsibility team oversee aed cpr program include quality assurance datum review critical incident equipment maintenance inventory management coordinated practice response exercise lie cpr aed training school building provide aed bps school building aed need register individual plan annual safety contingency plan staff train cpr add page 3 superintendent circular shs-22 page 3 22 school safety contingency plan review update annually aed provide bps athletics program select coach possession athletic event practice bps athletic program shall meet requirement intent aed cpr program school building include provide inventory aed designate coach coach responsible aed sport season protocol individual school responsibility principal head school ensure appropriately train aed cpr coordinator school ensure require number cpr train personnel school include aed cpr plan annual safety contingency plan submission director fire safety emergency preparedness reviews submit annual aed cpr plan safety services safety contingency plan oversee placement aeds ensure required staff appropriately train cpr aed use page 4 superintendent circular shs-22 page 4 22 ensure periodic check well ensure safe continuous operability access aed check shall include limit following o daily check aed indicator light check active status indicator light aed vary depend brand problem contact richard deraney director safety emergency preparedness o weekly check check condition aed accessory include limit aed pad infant adult aed alarm metal cabinet o monthly check check pad battery pack expiration date aed signage building o quarterly submission log aed cpr committee member school site safety team strongly recommend school nurse reviews plan aed cpr coordinator date cpr aed training require employment include plan substitute school nurse folder athletic coaches participate training cpr aed page 5 superintendent circular shs-22 page 5 22 ensure protocol place review plan school nurse bps athletics ensure coach compliance aed cpr guideline ensure athletic trainer provide service bps athletics compliance aed cpr guideline train staff reviews cpr aed plan individual school reviews safety contingency plan school participates training detail information protocol training available health services safety services available page 6 superintendent circular shs-22 page 6 22 date activity october 1 annual review aed program school building safety fire safety plan change submit copy bps safety emergency preparedness october 1 bps athletics shall provide list coach aeds training verification safety emergency preparedness november 1 school leader build administrator shall contact office health wellness physical education receive anytime hands cpr training equipment physical education teacher 1 9th grade physical education teacher shall receive anytime cpr training need implement lesson student june 1 annual review aed policy aed committee page 7 superintendent circular shs-22 page 7 22 information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org contact director safety emergency management department safety emergency management mailing address 205 townsend street boston ma 02121 phone 617 635 9122 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 8 superintendent circular shs-22 page 8 22 boston public schools memorandum agreement automatic external defibrillation program agreement enter boston public schools bps boston emergency medical services ems purpose agreement establish training quality assurance program utilization automatic external defibrillator aed volunteer train boston public schools personnel train personnel function medical supervision bps medical director assistant director health services collaboration ems medical director party mutually agree following boston public schools bps agree 1 identify aed cpr coordinator safety services assume responsibility coordinate aed cpr committee monthly meeting committee include representation ems oversee aspect public access defibrillation program bps 2 conduct cpr aed training program approve american heart association american red cross american safety health institute bps approve equivalent page 9 superintendent circular shs-22 page 9 22 3 establish quality assurance program review aed response event ems medical director bps medical director assistant director health services ems liaison bps responder 4 maintain database aed training program share train personnel information roster ems 5 notify ems annually type aed location unit building 6 maintain database information aed daily check maintenance information unit 7 follow protocol approve boston public schools aed use bps 8 notify ems change program location equipment 9 case incident provide ems cardiac event datum card evaluation feedback 10 work collaboratively ems student cpr train program boston ems agree 1 identify medical director ems overall medical director bps aed program 2 identify ems liaison collaborate bps aed implementation school 3 maintain record location type machine train personnel send bps program coordinator page 10 superintendent circular shs-22 page 10 22 4 provide feedback response incident cardiac event datum card bps cpr aed coordinator bps medical director member aed cpr committee review 5 provide train trainer cpr aed program bps designate volunteer employee memorandum review annual basis witness whereof party hereto execute agreement duly authorize representative day 20 boston emergency medical services date boston public schools date mary skipper superintendent page 11 superintendent circular shs-22 page 11 22 boston public schools public access defibrillation program cpr guidelines purpose purpose boston public schools public access defibrillation pad program guideline assist employee boston public schools train willing cpr include use automatic external defibrillator aed event use necessary guideline create obligation cpr use aed create expectation aed train employee present event guideline clear increase availability aed increase number person train use school large community aid evidence show time significant factor victim survival rate site responder likely arrive fast ems begin aid incident sudden death equip train voluntary employee use aed increase potential save life aed intervention definition condition sudden death occur electrical impulse human heart malfunction cause disturbance heart electrical rhythm call ventricular fibrillation vf erratic ineffective electrical heart rhythm cause complete cessation heart normal function pump oxygenate blood result sudden death effective treatment condition administration electrical current heart defibrillator page 12 superintendent circular shs-22 page 12 22 short time possible vf onset minute delay defibrillator use decrease survival rate 10 program procedures boston public schools anticipate reasonably possible employee train present incident occur react activate ems system call 9 1 1 9 9 1 1 begin cpr utilize aed available accord guideline american heart association program oversight city boston public access defibrillator program pad require systemwide policy establish system wide aed committee include limit representation health services health services facilities management environmental safety bps operations city boston emergency management services bems committee meet monthly guide program implementation quality assurance ems medical director agree act medical director bps pad program ensure consistency community aed public access program review deployment aed bps team boston public schools physician medical director responsible write prescription purchase aed review approve guideline emergency procedure relate use aed review aed deployment coordination local ems medical director consistency operation bps assistant director health services nursing director overall aed coordinator program chair page 13 superintendent circular shs-22 page 13 22 cpr aed committee systemwide aed committee include limit representation health services health services facilities management environmental safety bps operations city boston emergency management services bems responsibility team oversee aed cpr program include quality assurance datum review critical incident equipment maintenance inventory management coordinated procurement funding practice response exercise lie cpr aed training pre program evaluation aed selection fda approve aed provide program program manager facilities management department maintain specification technical information sheet approve aed file assign and/or donate pad program bps school aed aed provide bps athletics program select coach possession athletic event practice bps athletics program shall meet requirement intent aed program school building page 14 superintendent circular shs-22 page 14 22 training volunteer employee coach participate recognize cpr aed initial training course include follow content proper use maintenance periodic inspection aed assessment unconscious person determine cardiac arrest occur appropriateness apply aed defibrillator safety precaution enable user administer shock jeopardize safety victim user person scene rapid accurate assessment victim post shock status determine activation aed necessary role initial rescuer coordination care cardiac arrest victim arrival ems personnel scenario base practice consistent common scenario rescuer face routine aed maintenance troubleshooting option special situation initial rescuer encounter employee hold standard good samaritan status shall expect use aed successfully complete cpr aed training feel confident device page 15 superintendent circular shs-22 page 15 22 skills review proficiency demonstration aed team candidate need demonstrate proficiency adult cpr following safe effective use aed training device conform unit assign location building perform single multi shock practical exam conduct qualified aha arc instructor demonstrate common trouble shoot technique aed aed team member participate cpr aed skill proficiency review annually pad program manager maintain proper training review documentation location aeds bps school building aed register plan bps safety services school building provide aed additional aed purchase bps hs approval bps hs aed number internal identification inventory record shall keep maintain bps hs aed shall locate immediately outside main administrative office write exemption state reason location provide aed place alarm metal cabinet identify aed location sign sign identify aed location place common area school building additional signage missing broken sign page 16 superintendent circular shs-22 page 16 22 contact facilities management environmental section 617- 635 8300 aed locate outside main administrative office identify location continue access school occupancy operating hour case bps school building share building complex bps school program dyfs community school center possible location choose allow access program operating hour aed shall keep alarmed metal cabinet exception aed provide specifically bps athletics department maintenance testing maintenance testing conduct accord requirement fda aed manufacturer documentation maintenance testing maintain pad program manager office nursing coordinator period year documentation record date testing signature person perform testing problem aed identify aed coordinator notify immediately responsibility overall maintenance check assignment location bps aed cpr coordinator coordination designate person building person building responsible daily visual check documentation actual contract school year summer location check page 17 superintendent circular shs-22 page 17 22 determine summer program use building boston ems notify summer plan prompt notification pad program manager equipment supply need designate building coordinator responsible schedule aed training course building authorized aha instructor assist training aed use use aed general scene safety vital rescuer volunteer expect place risk provide aid assess scene safety o verify victim contact live electrical connection o remove victim exposure water dry surface o refrain use portable radio near victim aed analyze school hour building program coordinator notify event occur require use aed afterschool hour train athletic coach designee aed current location support athletic department activity visible notice clearly state location aed location near aed exist page 18 superintendent circular shs-22 page 18 22 contract community activity guarantee access aed train aed operator standard school facility rental contract actual use aed cardiac event determine unresponsiveness victim activate emergency response plan 9 1 1 o victim unresponsive 9 1 1 9 9 1 1 aed o assess victim airway breathing circulation o initiate cpr require aed bring victim o designate person wait facility entry direct ems location o notify nursing coordinator use assign backup aed unit available arrival aed place aed head victim close aed operator prepare use aed o turn power o bare prepare chest aed use o attach aed victim picture guide pad proper placement location o stop cpr aed device analyze heart rhythm page 19 superintendent circular shs-22 page 19 22 o follow machine prompt action shock indicate sure rescuer clear shock administer arrival ems shall charge victim o provide victim information age know medical history time incident o provide information current condition number shock deliver o defibrillator pad electrode shall remain place victim ems utilize bps aed transport victim hospital maintain continuity event recording use aed responder notify program coordinator phone incident complete incident report fax program coordinator critical incident debriefing session hold schedule 24 hour initial responder boston ems immediately available health service director program coordinator notify aed use o complete follow report medical director o arrange quality improvement meeting aed responder o aed check readiness state page 20 superintendent circular shs-22 page 20 22 o restock aed inventory o clean aed need accord manufacturer recommendation o document aed return readiness page 21 superintendent circular shs-22 page 21 22 boston public schools automated external defibrillator program participation request form person request request implementation aed program school site understand eligible aed program follow requirement meet funding resource identify purchase maintenance approved aed consult program manager list qualification approve aed funding source 2 staff identify train cpr aed staff member staff member 1 primary staff member 1 case absence identify building coordinator list staff member page 22 superintendent circular shs-22 page 22 22 primary plan location aed building page 1 superintendent circular number shs-06 version 01 immunization law circular remain effect rescind supersede subsequent version immunization regulation policy boston public schools enforce school immunization law chapter 76 section 15 massachusetts general laws child shall hereinafter provide admit school presentation physician certificate child successfully immunize diphtheria pertussis tetanus measle poliomyelitis communicable disease specify time time department public health child shall admit school certification physician personally examine child opinion physical condition child health endanger vaccination immunization certification shall submit beginning school year physician charge school health program physician charge school health program agree opinion child physician matter shall refer department public health decision final absence emergency epidemic disease declare department public health child parent guardian state write page 2 superintendent circular shs-06 page 2 6 vaccination immunization conflict sincere religious belief shall require present say physician certificate order admit school mckinney vento homeless assistance act mckinney vento homeless assistance act state local educational agency ensure homeless child youth equal access free appropriate public education include public preschool education provide child youth child youth homeless enrol school child youth unable produce record normally require enrollment previous academic record medical record proof residency documentation child youth need obtain immunization immunization medical record enrol school shall immediately refer parent guardian child youth local educational agency liaison shall assist obtain necessary immunization medical record protocol enforcing immunization requirement new student priority registration period parents bring proof immunization register school welcome center location prefer student date state- require immunization time registration upcoming school year child medical appointment page 3 superintendent circular shs-06 page 3 6 fall priority registration period september upcoming school year parent provide valid appointment card follow information o register student o register student date birth o clinic hospital appointment schedule o date registering student appointment vaccination and/or physical exam student appropriate immunization priority registration period student register allow attend immunization document submit welcome center student assign school prior start school type number immunization vary age student initiate immunization process age 7 year attach state guideline new student current rolling registration parents bring proof immunization register school welcome center location student state require immunization time registration order attend school current school year event child physical examination appointment fall date registration parent provide valid appointment card follow information page 4 superintendent circular shs-06 page 4 6 o register student o register student date birth o clinic hospital appointment schedule o date registering student appointment vaccination and/or physical exam student date immunization prior start current school year student register allow attend immunization document submit welcome center health services department student assign school type number immunization vary age student initiate immunization process age 7 year attach state guideline continue student continue student identify immunization notify exclude school compliance immunization updating necessary action vaccine preventable disease outbreak school i.e. measle susceptible student staff i.e. record vaccination disease blood test immunity exclude school duration disease outbreak ma department public health boston public health commission important note student immunization page 5 superintendent circular shs-06 page 5 6 schedule interrupt process immunize i.e. await dpt td polio dose specify time interval dose remain school dose give exception exemptions religious medical exemptions renewed annually parent guardian student level parent guardian provide statement write immunization specific immunization conflict sincere religious belief student level present physician certificate exempt child immunization(s medical contraindication reason individual medically receive vaccine(s massachusetts department public health immunization recommendation base grade refer mdph website current schedule detailed immunization guideline department contact information health services office 617 635 6788 fax 617 635 7937 welcome services office 617 635 9085 fax 617 635 9703 page 6 superintendent circular shs-06 page 6 6 date activity september new student student enter grade k2 1 4 6 10 11 ask provide update immunization record prior start school year compliance current massachusetts department public health requirement monthly letter send parent guardians request immunization record student miss immunization information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number com-02 version 01 media relations policy circular remain effect rescind supersede subsequent version boston public schools commit cultivate maintain open productive relationship news medium district recognize medium provide public service view reliable source news boston public schools seek provide timely accurate information end district maintain priority school educate student ensure safety privacy student staff family balance responsibility school need provide information medium press inquiry boston public schools individual school student staff member program initiative direct communications office staff member contact directly member news medium refer reporter communications office work staff medium outlet respond appropriately inquiry district official school staff cooperate news medium extent require appropriate law ensure medium coverage interfere teaching learn page 2 superintendent circular com-02 page 2 2 critically important protect privacy student staff fulfil requirement public record law communications office work closely legal advisor determine information matter public record remain confidential student parent guardian sign return media appearances form record film photographed interview student consent file school office participate medium relate activity image release medium outside school information guide boston public schools families students information circular contact owner chief communications department chief communications mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9265 email communications@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-12 version 01 trust fund schools circular remain effect rescind supersede subsequent version memorandum provide procedure make award centrally administer trust benefit school head school principal responsible know eligibility school trust fund ensure trust fund purchase appropriately select follow procedure award submit request finance office soon possible later 31 2024 late request process 1 eligibility awards attachment 1 award school attachment 2 description award list alphabetical order 2 procedures request fund submit detailed list item include item publisher and/or vendor cost cover memorandum give trust total request separate letterhead award request page 2 superintendent circular fin-12 page 2 14 3 procedures receive fund check send directly recipient address provide school principal head school retain record request receipt check documentation purchase year documentation purchase available request elementary schools award elementary schools peter f. degrand award charlestown schools devens infant school dorchester schools bowdoin dorchester schools stoughton school dorchester south boston schools gibson school fund condon elementary school norcross school library blackstone elementary school webb franklin eliot k-8 school abigail smith harvard kent elementary devens infant school joseph j. hurley k-8 school webb franklin quincy elementary school abigail smith martin milmore award warren prescott k-8 school devens infant school winthrop elementary school henry b. hall award middle schools award timilty middle school closed sherwin school graduates washington irving middle school harrington trust fund high schools page 3 superintendent circular fin-12 page 3 14 dorchester academy bowdoin dorchester gibson school fund stoughton school boston community leadership academy anna alice maguire boston latin academy bowdoin dorchester gibson school fund persis p. drake stoughton school roxbury memorial scholarship brighton high school elvira b. smith burke high school bowdoin dorchester gibson school fund stoughton school english high school william stewart excel high school gibson school fund horace mann school susan e. gavett mrs. john a. lewis samuel e. sawyer adams osgood fund madison park high school costello c. converse central office superintendent teachers waterston trust fund schools administered centrally bowdoin dorchester james bowdoin page 4 superintendent circular fin-12 page 4 14 converse costello c. converse degrand peter f. degrand devens devens infant school drake persis p. drake eastburn john eastburn fund gibson christopher gibson hall henry b. hall harrington francis e. alice s. horace mann susan e. gavett horace mann mrs. john a. lewis horace mann samuel e. sawyer horace mann adams osgood fund milmore martin milmore maguire alice anna maguire norcross norcross school library sherwin sherwin school graduates smith a. abiel smith smith e. elvira bush smith stewart william stewart stoughton stoughton school waterston teachers waterston webb franklin webb franklin page 5 superintendent circular fin-12 page 5 14 bowdoin dorchester bequest james bowdoin establish 1889 eligibility school locate dorchester dorchester address criterion benefit public school award $ 750 total check divide school apply submit submit request finance office detailed list item purchase request submit school office letterhead converse fund memory costello c. converse establish 1931 eligibility madison park technical vocational high school criteria general use purpose school award $ 500 available check payable school submit submit request finance office detailed list item purchase request submit school office letterhead peter f. degrand purchase book kindergarten second grade eligibility purchase book student attend kindergarten second grade city boston criterion excellent attendance award $ 2,500 available check divide school apply submit submit request finance office detailed list item purchase request submit school office letterhead devens infant school k1&2 2 grade page 6 superintendent circular fin-12 page 6 14 eligibility school locate charlestown kindergarten grade criterion excellent attendance use benefit child award $ 100 available check divide school apply submit submit request finance office detailed list item purchase request submit school office letterhead drake fund gift persis p. drake eligibility boston latin academy criteria benefit school award $ 200 available payable school submit submit request finance office detailed list item purchase request submit school office letterhead john eastburn school fund eligibility high school senior boston resident proof residence require pursue teaching curriculum university massachusetts award $ 1,000 available submit submit request finance office nominating procedure address date birth student number social security number recipient request school office letterhead page 7 superintendent circular fin-12 page 7 14 gibson school fund bequest christopher gibson establish 1674 eligibility school locate dorchester neighborhood 1674 include south boston criterion library book teaching equipment award $ 9,500 total available check payable proportion school apply submit submit request finance office detailed list item purchase request submit school office letterhead henry b. hall book supply eligibility john winthrop school criteria book supply award $ 17,000 available payable school submit submit request finance office detailed list item purchase request submit school office letterhead francis e. alice s. harrington trust fund eligibility washington irving middle school criteria student obtain high combine grade average french foreign language academic year award $ 100 available submit submit request finance office nominating procedure address date birth student number social security number recipient request school office letterhead page 8 superintendent circular fin-12 page 8 14 anna alice maguire school locate 152 arlington street eligibility boston high school boston community leadership academy criteria purchase book student attendance award $ 50 available payable school submit submit request finance office detailed list item purchase request submit school office letterhead horace mann school fund susan e. gavett bequest receive 1909 award $ 450 check payable school mrs. john a. lewis legacy receive 1903 award $ 100 check payable school samuel e. sawyer receive 1895 award $ 150 check payable school adams osgood fund receive 1936 award $ 4,000 check payable school submit submit request finance office detailed list item purchase request submit school office letterhead page 9 superintendent circular fin-12 page 9 14 martin milmore eligibility josiah quincy brimmer school district criteria equal distribution eligible school award $ 50 total available payable school submit submit request finance office detailed list item purchase request submit school office letterhead norcross school library assist school library norcross school district eligibility condon elementary school criteria assist library award $ 100 available payable school submit submit request finance office detailed list item purchase request submit school office letterhead roxbury memorial scholarship fund eligibility male female graduate class boston latin academy criterion strong academic growth award $ 850 available submit submit request finance office nominating procedure address date birth student number social security number recipient request school office letterhead page 10 superintendent circular fin-12 page 10 14 sherwin school graduate k-8 school sherwin school district eligibility timilty middle school closed criterion benefit school award $ 100 available payable school submit submit request finance office detailed list item purchase request submit school office letterhead smith abigail fund book equal portion quincy eliot schools eligibility quincy eliot schools criteria purchase book award $ 800 available $ 400 school school apply submit submit request finance office detailed list item purchase request submit school office letterhead smith elvira fund memory elvira b. smith establish 1940 eligibility brighton high school criteria book and/or educational material history department direct headmaster approval head history dept award $ 50 available check payable school submit submit request finance office detailed list item purchase request submit school office letterhead page 11 superintendent circular fin-12 page 11 14 stoughton school supplement salary temporary substitute teacher high grammar school dorchester eligibility school dorchester address criterion substitute teacher supplement regular compensation form additional day work award $ 300 available submit submit request finance office nominating procedure address date birth student number social security number recipient request school office letterhead teachers waterston lecture teacher natural history department eligibility discretion superintendent criteria lecture teacher natural history department award $ 500 available submit submit request finance office date lecture information require webb franklin eligibility blackstone hurley schools criteria book student award $ 275 available/$137.50 school school apply submit submit request finance office detailed list item purchase request submit school office letterhead page 12 superintendent circular fin-12 page 12 14 william stewart eligibility english high school criteria best scholar athlete english high school award $ 2,500 available submit submit request finance office nominating procedure address date birth student number social security number recipient request school office letterhead page 13 superintendent circular fin-12 page 13 14 application trust fund 1 submit form student receive cash saving bond award submit typewritten list information 2 student receive check saving bond social security number title award student student street address apt city town zip code student date birth student social security number student id number school school street address city town zip code page 14 superintendent circular fin-12 page 14 14 summary significant date deadlines date activity 31 2024 request submit finance office information circular contact owner special assistant chief finance department finance office mailing address 2300 washington street roxbury ma 02119 phone 617 635 9485 scan document finance-staff@bostonpublicschools.org email finance-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-08 version 01 grading requirement circular remain effect rescind supersede subsequent version spirit policy away practice grade non academic behavior timely provision meaningful feedback family student academic progress policy critical propel student strategic plan school committee goal center college career life readiness ensure grade practice accurate bias resistant motivational coherent district turn ensure ability stakeholder trust district commitment equity policy provide accurate dignify feedback student academically need successful vehicle close opportunity achievement gap grade policy provide clear comprehensive guidance align teaching practice family engagement student experience ground equity research school committee approval policy academics schools division work collaboration stakeholder spring finalize enact implementation plan focus adaptive work ahead boston public schools time maintain superintendent circular 1 outline procedure page 2 superintendent circular cao-08 page 2 6 maintenance grade ensure accurate timely align dese standard 2 outline common report card structure timeline school grade span program 3 outline allowable flexibility separately companion policy district develop maintain detailed implementation process form superintendent circular ensure 1 implementation masscore graduation requirement waiver 2 common gpa calculation transcription process 3 common process promotion grade level 4 common process retention current grade level 5 common public course catalog detail student family course study option secondary school course description credit governance 6 update process calendar course creation adoption common grading policy boston public schools school committee boston public schools responsible create policy practice support preparation student college career life ready remove barrier interfere student graduate bps ready succeed stage life support bps educator effectively use culturally responsive practice provide high level support adopt coherent grade practice mathematically accurate bias- resistant motivational student page 3 superintendent circular cao-08 page 3 6 increase student engagement grade reflect student learning bps adopt follow policy student district specifically follow practice require educator district proposed grading practice equitable accuracy timeliness educator ensure term grade follow practice lay bps grading policy post aspen closing date accord district grade calendar credit grade long give alternative school mark student incomplete enable equitable learn recovery case student earn pass grade give opportunity responsibility equitably recover learn loss work miss mark period penalty give late work deadline give work expect student meet expectation deadline explain student student turn assignment grade grade aspen sms reflect student mastery tardiness work page 4 superintendent circular cao-08 page 4 6 grading practice equitable minimum grading 50 assignment 0 100 scale teacher determine minimum grade assignment low possible grade balanced value high grade good practice include implementation consistent numerical grade scale 0 4 1 7 etc align gpa scale demonstration competency summative task 80 term grade grade assignment representative student demonstrate term learning non academic behavior student receive consistent feedback assignment student formally assess teacher intentional take time student clear actionable feedback student understand criterion success give assignment clear action step get understand importance coherence way provide feedback commit make instructional focus upcoming school year well support staff page 5 superintendent circular cao-08 page 5 6 grading practice equitable middle high school consistent agree number assignment grade consistent interval grade update aspen sms teacher expect post visible grade aspen sms week middle high school student elementary school consistent approach content area include speciality class provide student family formative feedback routinely school serve elementary grade require consistent approach provide student family formative feedback weekly student require receive term grade language arts math history social studies science specialty class offer grade level student receive composite grade humanities stem equivalent course offer equivalent double block student receive formative summative feedback grade level language art history social study math science concept meet requirement page 6 superintendent circular cao-08 page 6 6 information circular contact owner elementary superintendent department academics professional learning mailing address 2300 washington st. roxbury ma 02119 phone 617 635 6053 email opl@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number saf-09 version 01 lose child procedures circular remain effect rescind supersede subsequent version time time student lose student leave home morning arrive school student arrive school miss later day student leave school dismissal arrive home following standard procedure follow scenario happen standard procedures receiver information gather information possible person report lose child include student number school address phone number bus stop bus number name friend classmate know clothing description phone number caller notify safety service inform safety specialist assign present building inform bsp dispatch safety specialist school designate school staff safety services dispatch 617 635- 8000 initiate immediate support notify appropriate official operational leader school superintendent notify principal head school and/or program director page 2 superintendent circular saf-09 page 2 9 principal head school program director contact student parent guardian contact teacher(s student(s other(s information lost student operational leader school superintendent effort assist locate student child locate arrange child home bps transportation need subject availability notify receiver information principal head school child school child locate safety services notify boston police assist coordinate search process lose child transport student bus company turn bus driver check student travel bus notify superintendent office page 3 superintendent circular saf-09 page 3 9 late situation safety services coordinate search process lose child update parent guardian situation assure continue effort provide parent guardians telephone number central transportation safety services additional resource student transport bus company turn bus driver check student travel bus notify superintendent office notify boston police department notify receiver information principal head school transportation superintendent office child locate boston police department find child wander inform bps safety services locate child boston police arrange child home important telephone number boston police department 911 bps department safety services 617 635 8000 assistant superintendent 617 293 7048 central transportation 617 635 9520 transdev bus company 617 603 7800 superintendent office 617 635 9050 page 4 superintendent circular saf-09 page 4 9 information circular contact owner chief safety department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 5 superintendent circular saf-09 page 5 9 page 6 superintendent circular saf-09 page 6 9 boston public schools incident report obtain follow information possible receive date time child student speak english ☐ yes ☐ language spec need ☐ yes ☐ parent guardian school grade dismissal time address phone home emergency place incident bus description incident need medical help ☐ yes ☐ type help request medical transportation student send hospital parent contact time name child friends classmates witness use page additional information page 7 superintendent circular saf-09 page 7 9 notified parties parent guardian parent guardian signature school leader school leader signature safety notify time contact person school supt office notify time contact person end incident report page 8 superintendent circular saf-09 page 8 9 boston public schools lose child report obtain follow information possible receive date time child student speak english ☐ yes ☐ language spec need ☐ yes ☐ parent guardian school grade dismissal time address phone home emergency place incident bus description incident need medical help ☐ yes ☐ type help request medical transportation student send hospital parent contact time name child friends classmates witness use page additional information caller information page 9 superintendent circular saf-09 page 9 9 caller phone relationship child ☐ parent ☐ specify relative aunt grandfather etc friend teacher etc notify follow party ☐ principal head school notify time ☐ safety 635 8000 notified time ☐ operational leader notified time ☐ boston police 911 notify time child find 1 hour drop 4:30 p.m. warrant circumstance important telephone numbers welcome center dorchester 635 8015 east boston 635 9597 roxbury 635 9010 roslindale 635 8040 transdev bus company readville yard 532 2580 washington st. yard 532 2560 charlestown yard 532 2550 freeport st. yard 532 2570 ☐ resolve date time end lost child report page 1 superintendent circular number fin-07 version 01 purchasing guidelines circular remain effect rescind supersede subsequent version procurement procedure bps follow state federal law city policy non compliance law result invalid procurement unenforceable contract state procurement law m.g.l. c. 30b mandate standard procedure local jurisdiction ensure fairness consistency purchase supply service information provide necessary procedure requirement purchase supply service follow competitive non competitive procurement regulation individual authorized sign contracts behalf boston public schools boston public school employee list enter contract vendor include limit contract agreement memorandum understanding grant partnership agreement expenditure bind district pay service good include purchase service good $ 10,000 3 bps employee authorize enter contract behalf boston public schools page 2 superintendent circular fin-07 page 2 10 superintendent school bps chief financial officer bps deputy chief financial officer 1 purchase $ 10,000 standard selection follow m.g.l. c. 30b 2 sound business practices school department solicit quote telephone email catalog city certified business directory record quote record form keep file school department auditing purpose require document requisition authorization purchase order turnaround time 1 -2 week 2 purchase $ 10,000 $ 100,000 standard selection procure supply service sole source exempt chapter 30b school department solicit write quote vendor telephone email catalog city certified business directory record quote record form keep file school department auditing purpose contract award responsible responsive supplier offer need quality supply service low price quotation case obtain quote impossible despite reasonable effort award contract base quote acceptable important note school district opt issue ifb page 3 superintendent circular fin-07 page 3 10 procure supply service estimate cost $ 100,000 require document ensure timely efficient procurement process require document submit business office procurement office week desire procurement date requisition contract request form detailed specification applicable sole- source letter address business manager submitting use detailed checklist verify require information complete authorization purchase order write quote contract wqc sign vendor approve superintendent city auditor turnaround time 2 4 week 3 purchase $ 100,000 standard selection supply service estimate cost $ 100,000 invitation bid ifb request proposal rfp bid process ifb award contract qualified bidder meet specification offer good price information bid ifb seal bid m.g.l. c. 30b 5 proposal process rpf award contract offeror submit advantageous proposal consider specify evaluation criterion price request proposals rfp seal proposal m.g.l. c. 30b 6 page 4 superintendent circular fin-07 page 4 10 notice advertising requirement business services finance procurement unit submit ad school central department post week bid proposal city records procurement exceed $ 100,000 advertisement publish goods services bulletin week bid proposal require document requisition complete contract request form detailed write description item service purchase authorization purchase order fully execute contract turnaround time 4 8 week note timeline apply procurement request turnaround time list approximate apply peak procurement period range 08/15 09/30 04/15 06/30 4 moas mous agreement follow type agreement exempt chapter 30b require city boston standard contract execute agreement agency board commission authority department public instrumentality city town ch 30b§1(7 agreement purchase supply service dispose supply agency instrumentality federal government commonwealth political subdivision state political subdivision thereof ch 30b§1(9 page 5 superintendent circular fin-07 page 5 10 memoranda agreement moa addition outline term obligation government agency require payment exchange transfer fund party government agency party agreement government agency normal rule relate standard contract apply dollar threshold moa moa initially review bps law department sign city corporation counsel city auditing necessary signer(s involve agreement accept valid contractual agreement memoranda understanding mou agreement term obligation include fund transfer party party moa government agency party mou require government agency mou initially review bps law department sign city corporation counsel necessary signer(s involve agreement accept valid contractual agreement note law department reserve right require city department execute formal contract situation involve agreement non government entity authorization purchase order fully execute sign moa agreement turnaround time 4 8 week page 6 superintendent circular fin-07 page 6 10 5 grant contracts massachusetts general law grant agreement define agreement governmental body individual nonprofit entity purpose carry public purpose support stimulation instead procure supply service benefit use governmental body grant agreement properly fit definition exempt requirement chapter 30b. step analysis grant agreement determine public purpose grant grant fund directly link public delivery program generally support non profit organization keep operational permissible public purpose non profit operate public good grant fund directly link specific delivery program review law department memo consideration guidance determine grant process applicable plan conduct grant process case evaluate individually contact bps office legal advisor 617 635 9320 6 emergency purchase case unforeseen emergency comply chapter 30b requirement people property risk allow procure necessary item service compliance important record emergency procurement include reason deem emergency supplier contract type list supply service purchase contract additionally document procedure elicit page 7 superintendent circular fin-07 page 7 10 competition important inform business services procurement unit emergency purchase soon possible refer goods services bulletin guidance processing emergency procurement 7 food purchases food purchase allow event parent supplier constituent community member attend student teacher superintendent fund 100 purchase follow food budget 53204 fund 200 check yvonne macrae director grants external funds ymacrae@bostonpublicschools.org ensure grant rule allow food purchase review superintendent circular fin-03 additional guideline reimbursement food purchase 8 real property acquisition disposition m.g.l. c. 30b real property acquisitions disposition determine value acquisition dispose real property value $ 35,000.00 invitation bid ifb request proposal rfp bid process ifb select proposer meet quality requirement offer low price information bid ifb sealed bid m.g.l. c. 30b 5 proposal process rpf allow compare relative merit proposal receive price request proposals rfp sealed proposal m.g.l. c. 30b 6 contact business services information use license lease notice advertising requirement business services page 8 superintendent circular fin-07 page 8 10 finance procurement unit submit ad publish central register 30 day execute bind agreement acquire property m.g.l. c. 30b 16(d authorization purchase order fully execute contract turnaround time 4 8 week resources bps legal advisor legal advisor legal@bostonpublicschools.org 617 635 1577 computer equipment oiit director technology business operations operations- department-heads@bostonpublicschools.org 617 635 9190 educational administrative applications oiit director technology business operations operations- department-heads@bostonpublicschools.org 617 635 9190 purchasing textbook adoptions business services assistant business manager finance-staff@bostonpublicschools.org 617 635 8207 peoplesoft financial training business services assistant business manager finance-staff@bostonpublicschools.org 617 635 8207 furniture rugs facilities mgt page 9 superintendent circular fin-07 page 9 10 operations-department-heads@bostonpublicschools.org 617- 635 9119 playground equipment facilities mgt operations-department-heads@bostonpublicschools.org 617 635 9117 grants external funds director state federal grants finance- staff@bostonpublicschools.org617 635 9577 field trips transportation executive director transportation operations-department-heads@bostonpublicschools.org 617- 635 9000 budget management assistant budget director finance- staff@bostonpublicschools.org 617 635 6984 page 10 superintendent circular fin-07 page 10 10 information circular contact owner assistant business manager department business services mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 8207 email finance-staff@bostonpublicschools.org mary skipper superintendent essential training guide available business services guide available page 1 superintendent circular number amt-05 version 01 revised maximum age assignment enrollment policy circular remain effect rescind supersede subsequent version july 1999 boston school committee adopt new policy boston public schools bps cover maximum age school attendance 2019 school committee update maximum age assignment enrollment policy include current option available network bps alternative education school new opportunity student continue education district revision original maximum assignment policy clarify process streamline enrollment placement overage student minimize risk student transition adult school programming middle semester turn 22 year old expand range program option boston central adult high school bcahs meet need overage student adult education setting enrollment overage student 19 year old older require engagement center assess need recommendation school program assignment student new bps age 19 old student 19 year old old year graduation base engagement center page 2 superintendent circular amt-05 page 2 6 transcript review enrollment option present bps alternative education program design support overage credit student student 19 year old old year graduation base engagement center transcript review enrollment option present traditional high school program and/or bps alternative education program design support overage student base availability student need exist overage bps student 19 year old older establish systematic proactive review process engagement center district monitor progress counsel currently enrol overage student annual basis establish student special need individualized education plan turn 21 year old august 31st ineligible enrollment bps traditional alternative education school upcoming school year refer bcahs day program evening program satellite adult education program authorize bcahs external adult education program engagement center establishe student turn 21 year age september 1st eligible enrollment school year clarifie service eligible student disability continue govern individuals disabilities education act idea massachusetts general law c. 71b student 22nd birthday page 3 superintendent circular amt-05 page 3 6 deem appropriate iep team provide guideline district support student turn 21 year old september 1st later engagement center transition program include bcahs day program evening program satellite adult education program authorize bcahs space available external adult education program maximum age assignment policy student seek bps school assignment include new student enrol student student enrol bps provide enrollment option well meet need provide path forward meet requirement bps high school diploma revise maximum age assignment enrollment policy acknowledge student benefit alternative education set ensure earn credit require graduation prior end school year turn 21 year old student transition alternative education school program design serve overage population retain right privilege accrue change accrue afford student student admit enrol traditional day school program require massachusetts law new bps student enrol student age 19 old directly refer engagement center registration specialist welcome center determine appropriate placement enrollment application applicable office special education review student individualized education plan iep report page 4 superintendent circular amt-05 page 4 6 present student and/or family determine forward option student refer engagement center specialist review overage student transcript enrollment history state assessment result early warning indicators determine appropriate placement student attain high school diploma prior turn 21 year old enrollment option traditional high school program and/or alternative education program present base availability student need bps welcome services manage technical aspect enrollment assignment process engagement center assess student need make recommendation placement current alternative school program sy23 meet criterion serve overage student include boston adult technical academy bata accelerated diploma program adp logon academy boston collaborative high school abcd university high school list option overage student update annually need currently enrol bps student reach age 19 september 1st follow school year provide option enroll alternative education school program design overage and/or credit student revise policy responsibility recommendation designate engagement center specialist re- engagement center notify headmaster student eligible transfer base age spring semester engagement center specialist recommend appropriate placement alternative education setting continue enrollment current school review overage student transcript state assessment result page 5 superintendent circular amt-05 page 5 6 enrollment history assessment early warning indicators additionally determine transfer student good interest engagement center meet student parent provide multiple alternative education option appropriate overage student work student parent process transfer alternative education program select prior start school year bps welcome services continue manage technical aspect enrollment assignment process base recommendation revise maximum age assignment enrollment policy clarifie student turn 21 year old august 31st school base administration team meet student student require transition program design adult e.g. boston central adult high school department developmental services adult school program student turn 21 year old school year allow remain enrol end school year june necessary end summer session august refer adult school program process transition manage engagement center student unable earn high school diploma end school year turn 21 year old refer bcahs day program evening program satellite adult education program authorize bcahs external adult education program engagement center specialist headmaster referral prior start final spring semester student 21 year old support appropriately time transition prior student exit school transition adult school option page 6 superintendent circular amt-05 page 6 6 headmaster and/or academic counselor provide exit survey counsel opportunity share potential placement boston area exit bps traditional alternative high school student present option continue education high school diploma hiset certificate graduation equivalent exit survey meeting offer headmaster and/or academic counselor service eligible student disability continue govern individuals disabilities education act idea massachusetts general law c. 71b 22nd birthday deem appropriate iep team information circular contact owner director engagement center department office secondary schools re- engagement center mailing address 2300 washington street 4th floor roxbury ma 02119 phone 617 635 2273 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number eqt-06 version 01 sexual misconduct employees party circular remain effect rescind supersede subsequent version boston public schools commit ensure work environment free inappropriate sexual conduct inappropriate sexual comment behavior tolerate addition retaliation individual report inappropriate sexual conduct harassment cooperate relate investigation unacceptable boston public schools treat report violation policy utmost seriousness respond promptly allegation sexually inappropriate conduct intervene cease conduct violate policy violate policy subject corrective action include termination definition sexual harassment massachusetts sexual harassment mean sexual advance request sexual favor verbal physical conduct sexual nature page 2 superintendent circular eqt-06 page 2 7 submission rejection advance request conduct explicitly implicitly term condition employment basis employment decision b advance request conduct purpose effect unreasonably interfere individual work performance create intimidating hostile humiliating sexually offensive work environment note policy set forth goal promote workplace free harassment policy design intend limit district authority discipline remedial action workplace conduct district deem unacceptable regardless conduct satisfy definition unlawful harassment definition inappropriate sexual communication behavior broad conduct sexual perceive sexual welcome unwelcome constitute sexual harassment conduct prohibit employee shall engage inappropriate sexual conduct employ work attend participate district endeavor employee protect inappropriate sexual conduct interact course work standard apply partner contractor provide service auspex boston public schools behavior occur location boston public schools building outside bps school work hour page 3 superintendent circular eqt-06 page 3 7 include employee work remotely constitute sexual misconduct violation policy behavior effect disrupt employee ability job possible list circumstance constitute prohibit conduct follow example verbal suggestive derogatory vulgar comment sexual innuendo slur make unwanted sexual advance invitation and/or comment repeatedly request date spread rumor rate sexual activity performance make threat pressure submit sexual request inquire sexual activity orientation visual display sexually suggestive object picture poster write material cartoon drawing texting emailing share digital image comment sexual nature sexual gesture physical sexual activity consensual school building bps business conduct participate unwanted touching pinching kissing hugging block normal movement stalk engage unwanted sexual act assault physically interfere individual work actual perceived sex sexual orientation gender identity gender expression page 4 superintendent circular eqt-06 page 4 7 respond reports sexual misconduct employee believe target inappropriate sexual conduct report incident follow individual school principal head school school superintendent office equity 1 employee believe subject inappropriate sexual conduct witness inappropriate sexual conduct employee right file report boston police 2 aggrieved employee right file report boston public schools office equity orally writing 617 635 9650 bpsequity@bostonpublicschools.org 3 employee supervisory managerial role obligation report employee complaint sexual misconduct office equity 2 business day learning complaint person submit report ensure integrity confidentiality report shall disclose allegation relate information party party except office equity require law employee supervisory capacity require report possible sexual misconduct involve employee vendor contractor office equity soon practicable generally school day page 5 superintendent circular eqt-06 page 5 7 report file office equity office designee promptly investigate allegation fair expeditious manner investigation include private interview person file report person allege engage sexually inappropriate conduct witness circumstance determine office equity person allege engage conduct place administrative leave pende outcome investigation bps employee oblige cooperate investigation include promptly participate investigatory interview provide request information document boston public schools find violation policy district action eliminate conduct disciplinary action employee include warning reprimand require training suspension termination employment discipline appropriate investigation complete office equity inform reporter person allege engage conduct result investigation extent appropriate circumstance prohibition retaliation retaliation individual report inappropriate sexual conduct sexual harassment retaliation individual cooperate investigation sexual harassment allegation unlawful tolerate boston public schools page 6 superintendent circular eqt-06 page 6 7 state federal remedy believe subject unlawful sexual harassment file formal complaint government agency set forth district internal reporting process preclude file complaint agency agency short time period file claim 300 day equal employment opportunity commission eeoc john f. kennedy federal building 475 government center boston ma 02203 800 660 4000 massachusetts commission discrimination mcad office location address boston ashburton place room 601 boston ma 02108 617 994 6000 springfield 436 dwight street suite 220 springfield ma 01103 413 739 2145 new bedford 800 purchase street room 501 new bedford ma 02740 508 990 2390 worcester 484 main street room 320 worcester ma 01608 508 453 9630 information circular contact page 7 superintendent circular eqt-06 page 7 7 owner director training school support department office equity mailing address 2300 washington st. roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 e mail bpsequity@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-02 version 01 work order request circular remain effect rescind supersede subsequent version work request submit asset essentials follow procedure follow originate work request asset essential able login google app launcher icon gmail 3 3 box scroll schooldude asset essentials icon request format request begin select school drop menu provide detailed description work need include floor room number room note system automatically collect email address return message emergencies emergency planning engineering office immediately 617 635 8300 617 635 9135 appropriate planning engineering supervisor report page 2 superintendent circular fmt-02 page 2 6 emergency call emergency enter emergency work order request system end day indicate emergency request confirm order external fund cost charge external funding source indicate request account cost charge refer superintendent circular external funding renovations school buildings yards status work order requests work order request submit initial review able view status action take planning engineering staff initial request status code follow progress decide forward obtain estimate contractor obtain estimate contractor assess final decision hold decision hold right able view status action take planning engineering staff initial request detailed note explain decision deny decision proceed work order able view status action take planning engineering staff page 3 superintendent circular fmt-02 page 3 6 initial request detailed note explain decision capital project deem capital project forward capital project team complete supervisor provide estimate cost contractor complete work estimate completion date final decision render able review status action take planning engineering staff ► note approve work order generally receive note request hold denied capital project generally receive note explain reason decision subdivision classrooms change occupancy request subdivision classrooms office space requests subdivision expand classroom space submit attach request space modification form attachment location purpose approve director student assignment director facilities management meet building code safety partitioning non educational space cafeterias gymnasium corridor prohibit page 4 superintendent circular fmt-02 page 4 6 ► note approval subject availability funding information circular contact owner executive director facilities department facilities management mailing address 1216 dorchester avenue boston ma 02125 phone 617 635 9170 fax 617 635 9252 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 5 superintendent circular fmt-02 page 5 6 attachment request space modification request programmatic plan change exist space school building writing complete request form submit director student assignment unit a. request school date detail space modification rationale modification source funding ☐ request facilities management ☐ school funds available ☐ grant funds available principal head school signature page 6 superintendent circular fmt-02 page 6 6 b. approval non approval director student assignment □ approve support enrollment capacity need □ approve negatively impact enrollment capacity need □ impact enrollment capacity need facilities management decision signature date director facilities management □ approve support enrollment capacity need funding allocate □ approve impact enrollment funding identify principal head school □ approve funding available □ approve build code violation signature date final decision approval non approval copy forward principal head school initiate request space modification page 1 superintendent circular number fse-08 version 01 safe mode internal threat procedures circular remain effect rescind supersede subsequent version mandatory safe mode drill plan conduct review september january school year school conduct safe mode drill year exercise coordinate school superintendent report safe mode drill document google form find bps fire safety drill report question contact bps office emergency management drill help prepare school community real life situation occur real life situation 911 soon safely department safety services 617 635 8000 call 911 safely objective safe mode drill staff able describe safe mode responsibility safe mode event staff opportunity question concern safe mode hear answer page 2 superintendent circular fse-08 page 2 13 staff opportunity raise potential concern address assist well anticipate issue safe mode situation definition protocol actual event safe mode external threat safe mode protective action safeguard faculty staff student external threat result law enforcement activity near school potentially dangerous situation near school school typically place safe mode boston police department bps safety services school enter safe mode example reason school safe mode police activity near building shoot outside building fire accident near building know safe mode principal head school site coordinator designee announce following intercom and/or school safety team attention faculty student safe mode remain classroom hallway stair lavatory near classroom leave room tell alarm sound page 3 superintendent circular fse-08 page 3 13 note principal head school site coordinator designee alert safety services call 911 alert safe mode drill mention faculty staff notification safe mode 1 hear observe potential threat outside building bring student staff building immediately initiate safe mode notification 2 depend circumstance direction principal head school site coordinator designee learn activity continue safe mode continue learn activity sure volume room low hear announcement 3 check hallway people nearby bring classroom 4 check adjacent classroom interior door unsupervised student 5 lock classroom door 6 prepared barricade door cover large door window available resource e.g. large paper feel close window shade turn light silence cell phone radio tv source noise necessary 7 prepared student away window door stay safe location 8 attendance verify missing extra people room write name sheet paper wait contact list intercom person page 4 superintendent circular fse-08 page 4 13 9 ramain student classroom instruction give 10 use intercom notify main office emergency special need 11 safe mode end principal head school site coordinator designee announce intercom door door notification safety team safe mode 1 administration sure exterior door lock 2 floor captain check classroom lock bathroom 3 administration notify staff public address system situation 4 administration notify safety services school superintendent actual safe mode notify school superintendent conduct safe mode drill 5 administration police monitor camera 6 administration police monitor entire school sure hallway leave enter building 7 administration work bps communications send notice family short time incident situation clear preventative safe mode version safe mode stop motion building certain circumstance resolve internal issue e.g. lose child student adult behavior k9 search etc page 5 superintendent circular fse-08 page 5 13 know preventative safe mode principal head school site coordinator designee announce following intercom and/or school safety team attention faculty student preventative safe mode remain classroom hallway stair lavatory near classroom leave room tell alarm sound school want conduct internal threat drill staff student involve internal threat drill concern drill procedure discuss staff internal threat interior internal threat announce person building look cause harm people internal threat building occupant use avoid deny defend run hide fight model protect care situation occupant use judgment determine example internal threat unknown unidentified people building wander control parent family member person weapon building person shoot building page 6 superintendent circular fse-08 page 6 13 know internal threat principal head school site coordinator designee announce following school intercom 911 drill attention faculty student internal threat avoid deny defend happen campus internal threat situation 1 hallway 2 information threat call 911 alert police situation 3 occupant avoid deny defend protocol decide action avoid run pay attention surrounding know exit know safe far away building source threat able building threat run safe 911 school leader safety services 617 635 8000 cautiously alert people possible deny hide run barricade stay sight threat lock door turn light silence phone radio tv and/or source noise defend fight avoid deny prepare defend fighting resort threat space go hurt people page 7 superintendent circular fse-08 page 7 13 find fight laptop chair fire extinguisher available resource staff consider internal threat regular basis plan helpful hint know space know available egress exit point need avoid run know use barricade door(s conceal sight need deny hide know use defend fight fighting option fire extinguisher chair laptop etc goal safe mode internal threat cover conceal student active assailant cover glass large paper shade etc shut light stay quiet silence phone radio tv source noise move position concealment key police response know expect law enforcement priority 1 neutralize shooter 2 stop bleed critical victim encounter shooter immediate location new protocol police arrive follow command palm hand quickly bpd policy plainclothe officer respond active assailant help uniform page 8 superintendent circular fse-08 page 8 13 definition protocol safe mode drill conduct safe mode drill school identify safety team refer safety contingency plan fse-01 safety team include school leader assistant school leader site coordinator secretary custodian designee review fse-01 page 24 guidance principal school leader site coordinator designee ensure staff receive understand proper instruction safe mode drill procedure student inform procedure order align expectation prior drill drill record form prior drill confirm plan school leader site coordinators designee review safe mode internal threat procedures include situation level safe mode ie external threat/ medical issue/ internal threat staff select date drill coordinate role responsibility drill day drill time training school leaders site coordinators designee instruct staff review safe mode internal threat procedure ensure know role page 9 superintendent circular fse-08 page 9 13 students staff staff confirm window cover available shade blind paper board etc classroom door lock properly exterior familiarize system warn safe mode public address system available intercom system phone radio method communicate school bell system note warn bell system warn safe mode listen carefully instruction conducting safe mode drill 1 inject safe mode announcement pa support radio area pa reach 2 staff student inside building near classroom immediately 3 staff check hallway staff student nearby bring classroom 4 staff check adjacent classroom interior door unsupervised student 5 lock classroom door 6 close lock window 7 prepared barricade door cover large door window available resource e.g. large paper feel close window shade 8 student away window door stay current location 9 conduct accountability survey verify missing extra people room write name sheet paper wait contact list intercom person page 10 superintendent circular fse-08 page 10 13 10 stay student classroom instruction give 11 use intercom notify main office emergency special need 12 silence cellular device 13 shut light fire alarm system sound evacuate visible sign fire await instruction sign fire 14 clear/ return school school leader assistant school leader site coordinator secretary custodian designee announce clear intercom door door notification action staff return normal classroom activity 15 school leader site coordinator designee report drill form problem link contact oem team assistance note learning activity continue safe mode drill instruct principal school leader site coordinator designee continue learn activity sure volume room low hear announcement important reminder bps office emergency management available support school drill facilitate tabletop exercise functional test school building plan protocol contact information page 11 superintendent circular fse-08 page 11 13 staff view follow video ohio state university obtain important additional information helpful event incident occur school location information circular contact owner director emergency management preparedness department safety emergency management mailing address 205 townsend street boston ma 02121 phone 857 701 9404 email operations department- heads@bostonpublicschools.org mary skipper superintendent update 7.29.2024 page 12 superintendent circular fse-08 page 12 13 bps safe mode announcement scripts english safe mode external threat/ danger outside school announcement attention faculty student safe mode remain classroom hallway stair lavatory near classroom leave room tell alarm sound preventative safe mode ex miss student/ medical emergency announcement attention faculty student preventative safe mode remain classroom hallway stair lavatory near classroom leave room tell alarm sound internal threat active shooter/ armed intruder inside announcement attention faculty student internal threat avoid deny defend know space safe 911 cover versus concealment silence golden bps office emergency management update 7/2024 page 13 superintendent circular fse-08 page 13 13 bps guía para anunciar el modo seguro”(spanish modo seguro amenaza externa peligro fuera de la escuela anuncio atención profesore y estudiante ahora estamos en modo seguro permanezcan en su salón de clase si está en el pasillo las escaleras o el baño diríjase al salón de clases más cercano salga del salón hasta que se le indique incluso si suena una alarma modo seguro preventivo por ejemplo estudiante desaparecido emergencia médica anuncio atención profesore y estudiante ahora estamo en modo seguro preventivo permanezca en su salón de clase si está en el pasillo las escaleras o el baño diríjase al salón de clases más cercano salga del salón hasta que se le indique incluso si suena una alarma amenaza interna tirador activo intruso armado en el interior anuncio atención profesore y estudiante hay una amenaza interna evita deniega defiendete conozca su espacio antes de llamar al 911 asegúrese de estar en peligro busque un lugar seguro con precaución el silencio es oro oficina de manejo de emergencia de bps 7/2024 page 1 superintendent circular number fmt-11 version 01 green cleaner policy circular remain effect rescind supersede subsequent version background high performance school superior indoor air quality healthy maintain show reduce absenteeism improve student performance boston school child suffer allergy asthma trigger poor air quality chemical biological particulate contaminant long short term exposure toxic chemical harmful particle gas vapor consequence especially child asthma allergy depression hormonal change cancer ensure good quality learning environment student working environment staff responsibility boston public schools bps minimize negative impact cleaning product occupant health environment policy bps commit provide maintain high- perform building ground environmentally friendly sustainable manner green cleaners policy accordance city boston executive order relative page 2 superintendent circular fmt-11 page 2 5 greening city building maintenance operation executive order relative climate action policy apply bps building ground include office classroom restroom cafeteria gymnasium hallway pathway kitchenette stairwell etc green cleaning policy bps department school site partner program take place school comply following purchase provide use environmentally friendly cleaning product comply green seal environmental standard gs-37 include limit glass bathroom carpet general purpose cleaner industrial institutional purpose non approve cleaning product prohibit bps building ground staff volunteer vendor partner use disinfectant cleaning shall limit food service area clean biological bodily waste high touch area direct disinfectant premixed register u.s. environmental protection agency hazardous materials identification system hmis rating 2 pre approve toxic asthma friendly sanitizer disinfectant early learning center accordance national association education young children accreditation standard page 3 superintendent circular fmt-11 page 3 5 implementation plan bps facilities management custodial staff maintain policy implementation step ensure vendor provide proof product meet criterion green seal environmental standard cleaning products industrial institutional use gs-37 green seal program north american multi attribute lifecycle environmental standard certification burnish floor surface applicable reduce use potentially irritate cleaning strip compound necessary floor strip waxing perform non occupied hour automatic mixing station instal custodial use dispense pre mixed product ensure active ingredient concentration require epa limit employee contact chemical enhanced safety minimize waste request school custodian provide teacher bps staff osha compliant pre label spray bottle mixed green cleaning compound desktop glass cleaner meet green cleaning policy standard train update bps custodial staff use chemical green cleaners policy include limit hazard communication right know law msds etc worker safety personal protective equipment use safe proper product equipment use etc page 4 superintendent circular fmt-11 page 4 5 custodians participate school wellness council ensure compliance policy healthy school environment policy initiative recycling integrate pest management etc great extent possible clean material associate packaging reuse and/or recycle minimize waste protocol govern safe handling storage clean chemical shall adopt quality control check ensure adoption responsible party policy oversee bps facilities management department update annually help ensure cleaning practice product technology specify policy meet industry standard good practice bps staff contractor vendor shall review policy request additional information training require page 5 superintendent circular fmt-11 page 5 5 information circular contact owner assistant director building services department facilities management mailing address 1216 dorchester ave dorchester ma 02125 phone 617 635 9576 fax 617 635 9306 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fse-01 version 01 school safety contingency plan circular remain effect rescind supersede subsequent version emergency happen randomly time place handle efficiently adequate school action plan informed staff plan crisis well crisis plan school administrator staff routinely manage crisis efficiently think plan ensure guidance major emergency boston public schools nims national incident management system compliance district nims use core set concept principal procedure process standard terminology integrate school emergency management practice mean use straight language code emergency happen develop safety plan school administrator consider mitigation prevention response aftermath component apply emergency preparedness prevention mitigation strategy delineate relate superintendent circular appropriate response detail school safety contingency plan deal recovery address special education student services policy procedure support bps department page 2 superintendent circular fse-01 page 2 42 essential consistent approach school safety planning district ensure school implement standard procedure event incident define course action complement effort respond public safety agency issue school safety planning regularly assess ongoing risk analysis conduct lesson learn actual probable school incident integrate bps safety protocol possible contingency identify bps school safety contingency plan guideline plan serve multi hazard approach handle school incident responsibility school administrative head update review staff submit school safety contingency plan later week august school year name school fail comply directive forward superintendent office appropriate action school safety contingency plan complete google doc share school principal head school use original doc complete plan copy share automatically save allow continuous access maintain currency accessible superintendent office staff appropriate bps central department boston public safety agency police fire ems boem access plan emergency office emergency management preparedness available resource assist principal school leader head school administrative head access information page 3 superintendent circular fse-01 page 3 42 technical advice order complete plan instruction update edit school safety contingency plan fire safety plan following information access edit building school safety contingency plan building fire safety plan actual school safety contingency plan building share director office emergency management preparedness director technology google doc use google doc change update change original doc save change ► locate plan contact office emergency management preparedness operations- department-heads@bostonpublicschools.org summary significant date deadline date activity week august deadline completion submission google doc director office emergency management preparedness revise school safety contingency plan review staff school year section introduction boston public schools continue effort simplify page 4 superintendent circular fse-01 page 4 42 standardize school safety plan system understand school safety personality base construction design location number staff number grade level student characteristic common element policy procedure school follow event incident crisis phase emergency management school administrator consider develop safety plan mitigation prevention preparedness response recovery special emphasis place spectacular unusual incident medium routine type school relate occurrence extremely disruptive school school administrator call deal emergency regular basis type school incident responder decision maker school base staff scope incident escalate resource available school initial action take take close event help hinder arrive later assume responsibility resolve situation intent guideline assist school administrator create appropriate working plan direct crisis expedite return school normal operation follow crisis multi hazard approach school incident management page 5 superintendent circular fse-01 page 5 42 bps guideline base concept utilize incident command system develop public safety agency nation following brief overview incident command system incident command system ics modify application school level manage incident crisis capacity maintain compatibility supplementary public safety agency emergency plan manage incident crisis paramount objective school staff ensure safety occupant follow bps safety plan safe mode and/or fire protocol stabilize resolve incident possible provide support respond public safety agency 911 bps dispatch 617 635 8000 protect school property incident command system ics base team concept team member specific responsibility bps utilize site team site team focus secure necessary support internal department external agency information flow illustrate page site bps incident control team ict team model call follow position site incident control team site incident control manager sicm risk analyst page 6 superintendent circular fse-01 page 6 42 safety coordinator building coordinator incident scribe role responsibility require skill successful site incident control team follow site incident control manager generally site incident control manager sicm head school principal director individual ultimate responsibility school operation sicm clear understanding school system policy procedure sicm able quality assessment communicate command normal function school administrator perform depend severity tier level incident sicm establish command post designate location activate school internal team nature incident determine configuration team large scale incident team expand collapse condition warrant small school person perform task understand initially sicm member staff discover alert incident prior notification head school principal director risk analyst risk analyst rely assess incur injury evaluate medical risk associate develop occur incident recommend personnel role include school nurse school psychologist student support coordinator consideration school language requirement page 7 superintendent circular fse-01 page 7 42 include selection risk analyst safety coordinator safety coordinator call gather occupancy information support effort establish control incident site recommend personnel role include school registrar school police officer safety paraprofessional dean discipline transportation coordinator school vary size range staff principals headmasters urge explore building total resource assist identify team member building coordinator building coordinator meet direct respond agency appropriate location building coordinator assess building security familiarity knowledge assign school system senior building custodian suggest primary designee role incident scribe incident scribe responsible document chronology event position require good organizational skill willingness support rest on- site incident control team member suggest staff include school secretary person building responsible organize student arrival dismissal small school limited number administrator support staff find necessary team member perform role classroom teacher recommend potential member page 8 superintendent circular fse-01 page 8 42 site team experience indicate good classroom teacher remain assign class critical event resource guide classroom teacher include emergency response guidelines central incident management bps adaptation incident command structure include establishment site team support effort site team component site crisis command team include facilities management emergency management transportation superintendent office student support services safety services area require incident evolve external team provide liaison support agency require situation page 9 superintendent circular fse-01 page 9 42 central incident management team group primary phone facilities management executive director facilities 617 635 9126 bps emergency management director emergency management 857 701 9404 617 635 6082 transportation chief transportation 617 635 9520 behavioral health services bhs chief student services 617 635 9676 safety services chief safety services 617 635 8000 superintendent office deputy supt operations 617 635 9643 office technology cio director 617 635 9200 communications department chief communications 617 635 9265 instance sophisticated level staffing require consider identify function require performance crisis model ics structure modify specific application ensure completion critical communication datum sharing task important understand incident command system drive function perform simply staff position page 10 superintendent circular fse-01 page 10 42 public safety response incident necessitate response non school department public safety resource base assessment school sicm meet building coordinator inform nature incident location school command post condition warrant public safety personnel assume primary responsibility command respond public safety official activate command post time official impact school request position location incident type response bps adaptation incident command system call classification event develop situation categorize follow tier level concept initial assessment quickly determine good response safe mode evacuation school relate incident classify accord level seriousness tier ii iii appropriate school response tier initiate emergency procedure standby monitor situation introduce proactive measure careful monitoring develop situation appropriate response mode require sicm evaluation define follow tier situation require immediate 911 response tier ii stand response planning mode tier iii proactive prevention monitoring mode page 11 superintendent circular fse-01 page 11 42 defining incident response tier level situation categorize site incident control manager sicm tier tier ii tier iii issue tier presents imminent danger students staff property school ability control bomb threat fire alarm armed person near site hostage situation school bus accident medical emergency hazardous material incident gas leak suicide threat fire explosion kidnapping sexual assault lost miss child violent behavior psychiatric emergency chemical spill natural disaster tier ii presents potential danger students staff property suicide warning sign depression weather warning environmental issue facilities failure increase gang activity communicable disease custody issue tier iii condition indicate threatening situation formative stage sexual harassment intimidate behavior page 12 superintendent circular fse-01 page 12 42 increase level vandalism inappropriate communication inappropriate internet use rumors incident warrant monitor criteria define tier levels tier tier situation present imminent danger student staff property school ability control typically involve 911 emergency response tier situation require immediate sicm assessment determine scope response require i.e. situation require 911 response contain arrival appropriate respond 911 unit example relatively small laceration require suture ems require scope response bomb scare require evacuation building traditional response emergency school- wide impact limit school evacuation guideline response new dimension school safety determination sicm identify evacuation safe mode component response situation hand emergency guidelines portion document term tier red safe mode tier green evacuation introduce signal sicm assessment specific situation hand tier safe mode student staff stay place page 13 superintendent circular fse-01 page 13 42 building appropriate safe mode entail lock place relocation building tier evacuation evacuation building determine appropriate response use term tier safe mode tier evacuation limit tier event note tier 911 situation require use red green designation laceration versus bomb scare example illustrate distinction scope require response location armed person outside versus inside building hazardous material release near school illustrate need evaluate evacuation safe mode process implement range response require determine sicm sicm determine additional resource need activate sicm indicate tier evacuation tier safe mode situation exist page 14 superintendent circular fse-01 page 14 42 tier ii tier ii situation present potential danger student staff property tier ii situation indicate standby response- planning mode require entail gather information develop plan notify appropriate agency tier ii major situation include neighborhood fire potentially threaten nearby school transportation accident involve transport hazardous material dramatic situation power failure eventually require early dismissal relocation student tier sicm determine scope response require tier iii tier iii condition indicate threatening situation develop collaboration communication bps support structure require ensure appropriate resource engage early minimize development threat preventative measure include proactive engagement require support function intervention appropriate agency formative phase decrease occurrence critical incident school tier iii situation occur daily bps school tier iii condition encompass broad spectrum behavioral issue involve individual group page 15 superintendent circular fse-01 page 15 42 safety incident precede action raise flag example appearance gang relate clothing student indicate need conversation gang intervention personnel suspicion abuse neglect observance depression warning sign individual require follow student support staff possibly engagement external support provider tier iii condition likely observe classroom teacher aware behavior warrant monitoring observation communication tier iii situation receive prompt application safety services student support services prevention practice expand support resource offer great area positive impact school safety environment member onsite incident control team inform observe tier iii situation sicm identify contact appropriate resource section ii guidelines initial school actions individual discover receive information incident quick assessment determine immediate 911 contact require assessment indicate 911 support require individual contact 911 proceed notify site incident control manager sicm situation sicm initial assessment notify onsite incident control team ict situation sicm initiate contact require page 16 superintendent circular fse-01 page 16 42 support group require await arrival request support sicm ict use critical minute initiate follow step 1 classify tier level determine appropriate response mode a. contact 911 b. stand response planning c. proactive prevention monitoring 2 implement evacuation safe mode decision 3 establish communication 4 identify danger zone 5 identify request need resource 6 open command post 7 activate staging area 8 compile occupancy datum detail steps 1 8 follow 1 classify tier level tier situation require 911- assistance mode require need evacuation containment response assess tier ii standby appropriate response planning mode tier iii proactive prevention monitoring mode example specific tier incident include introduction section 2 implement evacuation safe mode procedures evacuation base assessment policy sicm determine need evacuation evacuation warrant begin communication predetermine signal fire alarm intercom bell buzzer page 17 superintendent circular fse-01 page 17 42 building occupant respond signal immediately evacuate accord prescribe route notification procedure tier evacuation enter computerized school submittal section step section d school safety plan school establish primary secondary evacuation route follow drill emergency evacuation route element fire safety plan inspect prior utilization appropriate determine assessment situation assembly area predetermine school- building occupant exit school critical time emergency student staff accountability measure accomplish point evacuation primary secondary site alternate location(s location require assessment plan development time incident ensure adequacy information enter computerized school submittal section step section b school safety plan safe mode safe mode alternative response evacuation procedure notification procedure safe mode enter computerized school submittal section step section d school safety plan generally evacuation outside immediate response emergency signal post incident analysis incident occur country indicate evacuation safe response situation base assessment policy page 18 superintendent circular fse-01 page 18 42 sicm determine need safe mode safe mode commence predetermined notification procedure contain relocate direct identify site room number common area floor secure location find responsible secure place relocate emergency simply require lock door critical time emergency student staff accountability measure accomplish point sicm accordance school safety plan 3 establish communication school place mean procedure communicate emergency school outside public safety agency component process require school submission identify assign telephone radio individual task make necessary notification individual discover receive initial information incident responsible quick assessment following step a. life threaten situation(s require immediate 911 notification notify public safety police fire ems 911 available telephone fire alarm pull station event fire relate incident telephone 911 617 343 2880 remember activate pull station summon emergency assistance initiate evacuation appropriate situation page 19 superintendent circular fse-01 page 19 42 b. discoverer inform sicm site incident control team member situation c. sicm available ict member classify incident tier level assume management situation 4 identify danger zone assessment phase good mean separate student staff threat determine accomplish build evacuation implement containment lockdown procedure perimeter establish secure student staff away danger zone safe area move people away threat isolating secure affected area restrict access non- emergency personnel technique separate threat student staff 5 identify request need resource early possible sicm try assess resource need mitigate crisis request resource available support come central incident management team outside source extent require resource initially identify incident tier classification phase supplementary resource request follow agency 6 open command post sicm open command post soon possible event incident spot outside danger zone sicm effectively manage incident command post communication capability order sicm access internal team member public safety official central incident management team level security command post prevent page 20 superintendent circular fse-01 page 20 42 unnecessary interruption people involve response medium parent onlooker safety plan school record available location locate primary secondary command post ahead time allow quickly open command post need predetermine site generally important view danger zone manager want manage major critical incident sicm manage entire scene source event suggest primary secondary site opposite end building predetermine site mean lock sicm deal directly location source issue 7 activate staging area command post staging area predetermine locate outside danger zone area secure event major school incident separate staging area available injured ill person parent medium representative direct member group function incident control team building coordinator 8 compile occupancy datum state guideline student staff accountability essential emergency following compile occupancy datum emergency daily class student roster daily staff/ employee visitor sign sheet absentee list student staff employee field trip roster current emergency information card locker assignment list page 21 superintendent circular fse-01 page 21 42 know restrain order photo identification schedules school bus assignment roster complete early possible day form readily take building emergency special attention give document name student staff member transport school release parent particular attention pay ensure location(s student(s staff member physically visually impair know section ii overview 8 step tailor directly address tier situation step relevant tier ii tier iii incident apply long timeline tier ii require standby response planning utilize step 3 4 5 initially depend situation entail use remain step tier iii event occur long time period require communication identification appropriate proactive preventative measure develop common sense prevail guideline school understand well plan crisis crisis plan basic guideline expect cover contingency application simple step provide consistent approach handle school incident previously state severity professional assessment incident determine scope response page 22 superintendent circular fse-01 page 22 42 school administrator staff routinely implement form crisis response management discharge duty intent guideline provide flexible structure assist manage response follow page contain emergency response guide assist handling situation design use handout site incident control team include guide section design specifically classroom teacher final section booklet hardcopy information ask compile actual method collection utilize google document develop office information services information submit school store consolidated database review update annual basis section iii emergency response guide 1 assess emergency response site incident control manager identify implement appropriate response page 23 superintendent circular fse-01 page 23 42 safe mode evacuation situation present threat illness injury death person move campus determined safe mode provide great level safety person riot shooting hazardous material spill outside hostage situation suicide situation present threat illness injury death person remain inside building determined evacuation provide great level safety person fire explosion hazardous material spill inside hostage situation bomb threat gas leak 2 safe mode personnel assignment student remain contain emergency responder advise following list recommend assignment faculty staff member crisis require containment asterisks denote site incident control team member principal assistant principal site incident control manager sicm initiate safe mode safely monitor situation available resource identify contact appropriate emergency responder bps support staff page 24 superintendent circular fse-01 page 24 42 nurse risk analyst set staging area ill injure person administer initial aid ill people overcome stress excitement separate injure registrar safety coordinator gather occupancy information present occupancy information emergency responders use alternative school registrar secretary incident scribe continue 911 contact remain telephone imperative emergency responder maintain communication inside school use alternative necessary custodian building coordinator close lock entry exit point stand assist emergency responder accessibility mechanical room classroom teachers contain student classroom roster teacher possession cell phone activate phone teacher prepare student follow instruction assistant teacher administrative duty p&d period assist incident control team ict check building unattended student move supervise location assistant post entry exit point ensure leave building emergency responders enter building volunteer report office available follow instruction cafeteria staff close contain cafeteria kitchen shut appliance remain kitchen page 25 superintendent circular fse-01 page 25 42 3 safe mode procedures incident control team 1 911 advise reason safe mode stay line hang 911 dispatcher route appropriate agency 2 communicate staff safe mode situation exist begin safe mode process 3 school personnel assume specific assignment list exercise flexibility need promote safety person 4 staging area set separately 1 injure 2 ill person 5 safe mode emergency responder designee permit enter exit campus 6 additional emergency responder available assume post assignment relieve school personnel 7 end safe mode status determine emergency responder principal condition safe resume normal activity principal shall announcement p.a. system send messenger advise classroom 4 evacuation procedures 1 911 a. advise reason evacuation stay line safe hang b. 911 dispatcher route appropriate agency 2 start evacuation procedure accord normal fire drill page 26 superintendent circular fse-01 page 26 42 procedure communicate staff tier green situation exist begin evacuation process 3 threat explosion present hazardous material spill occur necessary student far normal evacuation distance 4 teacher bring roll book necessary roster student move teacher responsible class ict safety coordinator organize dismissal student release student document 5 staging area setup separately a. injure b. ill person c. parents d. medium 6 student employee special need require assistance paraprofessional assign student staff remain assignment duration incident 7 end evacuation status determine emergency responder sicm condition safe resume normal activity sicm shall inform staff safe reenter building section iv school submittal section mockup information submit bps intranet note intranet version different appearance step input follow information ▪ school ▪ building page 27 superintendent circular fse-01 page 27 42 ▪ address ▪ principal head school ▪ telephone number ▪ fax number a. identify primary secondary command post location primary location secondary location room room number phone number b. identify primary secondary external assembly area primary location secondary location c. identify primary secondary alternate school site location primary phone secondary phone d. identify internal communication method(s site use alert staff implementation tier evacuation tier safe mode response page 28 superintendent circular fse-01 page 28 42 tier evacuation tier safe mode step ii identify member site incident control team title primary alternate responsibility suggest staff site incident control manager sicm enter private phone line cell phone phones phone s phone s determine tier level event contact resource require address situation overall management school student staff ensure supersede agency directive follow principal primary ap designee alternate risk analyst phone s phone s assess injury medical risk analysis nurse primary student support coordinator language appropriate individual alternate page 29 superintendent circular fse-01 page 29 42 title primary alternate responsibility suggest staff safety coordinator phone s phone s gather occupancy information support effort establish control building registrar equivalent building coordinator(s phone s phone s assess building security meet respond agency direct appropriate location(s school custodian school police officer available incident scribe phone s phone s log chronology incident school secretary primary transportation coordinator step iii building characteristics indicate site include area list page 30 superintendent circular fse-01 page 30 42 second column column identify location respective area information request column common areas description yes yes list location auditorium boiler room identify gas oil cafeteria computer lab( fire escapes gymnasium hazardous materials health center library loading dock nurses office buildings playground ramps utility room list page 31 superintendent circular fse-01 page 31 42 page 32 superintendent circular fse-01 page 32 42 building following description yes yes list location attic penthouse indicate entry point floor plan basement crawlspace access indicate entry point floor plan community center elevators fire safety systems grounds maintenance identify chemical storage area(s kitchen area describe type kitchen facility satellite service motion detectors pull stations security systems swimming pool vocational shop area compressed gas present 1 liquid fuel present 2 1 list 2 list school vocational area indicate location floor plan page 33 superintendent circular fse-01 page 33 42 step iv occupancy information purpose section assist authority determine building evacuation complete provide information number person building description numbers additional information comments total enrollment total staff student staff disability visual hearing mobility medical provide pertinent information require assistance emergency use space note information block supply authority emergency event occur develop appropriate measure ensure accurate timely headcount information available description number visitors students site field trip etc staff site training etc list page 34 superintendent circular fse-01 page 34 42 step v list communications equipment fill category appropriate 1 mobile communication devices description yes quantity assignee list appropriate numbers status o = operational n = non operational nextel cell phone 2 way radio t ericsson cell phone cell phones beepers pagers 2 portable radios description yes quantity assignee list appropriate numbers status o = operational n = non operational safety staff two- way radios house way radios 3 stationary communications page 35 superintendent circular fse-01 page 35 42 description yes quantity assignee list appropriate numbers status o = operational n = non- operational intercom system pa system house phones list 4 telephone information description assignee room number phone main phone principal office guidance office custodian office nurse office etf office student support coordinator office swimming pool safety officer para page 36 superintendent circular fse-01 page 36 42 description assignee room number phone pay phone(s phone system extension phone system extension e mail address fax machine(s list direct lines step vi floor plans specific site information follow area indicate floor plan facilities management personnel complete section note superintendent circular fse-01 school safety contingency plan electrical control rooms panels utility access controls classrooms labs interior maintenance areas engineering boiler room areas vocational shop areas swimming pools grounds maintenance storage areas kitchens food storage areas fire standpipes sprinkler connections roof access include skylights indicate operable domestic water control basement crawlspace access page 37 superintendent circular fse-01 page 37 42 indicate walls solid masonry indicate walls framed drywall building system assess indicate floor plan follow heating ventilation air conditioning hvac system location accessibility air intake filtration medium location accessibility shutdown procedure plumbing drainage fire sprinkler system emergency chemical decontamination use natural gas use location shutoff(s potable water access water supply electrical access shutoff school safety contingency plan checklist following list item serve guide checklist review revise school safety contingency plan step essential finalize plan complete current ready event emergency insert checklist school safety plan book reference command post locations locate close oppose appropriately separate independent operation assembly areas separate distinct secondary location distance away school alternate site realistic accommodation page 38 superintendent circular fse-01 page 38 42 house student expect relocate prior agreement alternate site host location bps property transportation require relocate dismissal student accordance school department policy practical option high school level internal communications consideration give use system example public address intercom bell messenger school phone portable radio fire alarm evacuation mind sound fire alarm instruction initiate routine evacuation building occupant unsafe area safe mode notification example give incident control team responsible member school base staff identify position function designate staff member brief duty facility components need detailed explanation simply specific e.g. liquid fuel gasoline snow blower keep approve cabinet custodian office security system motion detector corridor stairwell disability information person building need assistance evacuation identify accommodation safe refuge/ evacuation student staff require assistance school evacuation plan communications equipment telephone information available mean communication identify portable telephone radio page 39 superintendent circular fse-01 page 39 42 assign staff accordance plan school email address include include nextel direct radio number fire safety plan section primary entry fire department location fire alarm control panel annunciator street address egress exit door unlock inside operate hour records documentation suppression system test certification apply kitchen hood extinguishing system evacuation matrix exit identify classroom office common area hard copy evacuation plan include school plan prescribe evacuation route post building occupant primary secondary refuge approve location inside building mobility impair occupant safely await evacuation identify floor training orientation member school staff familiar detail operation school plan school plan practice plan update need staff sign training documentation maintain plan acknowledgement following list publication agency assist development boston public schools safety page 40 superintendent circular fse-01 page 40 42 contingency plan emergency response guides san antonio independent school district massachusetts emergency management agency mema bristol county sheriff office safe learn federal emergency management agency fema massachusetts executive office public safety school emergencies community pre planning guide laboratory brown university crisis planning management massachusetts office attorney general guidelines crisis management plan u.s. department education information circular contact page 41 superintendent circular fse-01 page 41 42 owner director emergency management preparedness department office emergency management safety services mailing address 205 townsend street boston ma 02121 phone 617 635 6082 857 701 9404 email operations-department-heads@bostonpublicschools.org mary skipper superintendent template classroom post evacuation route update 7.16.2024 page 42 superintendent circular fse-01 page 42 42 emergency evacuation room leave room use stairway exit page 1 superintendent circular number hrs pm03 version 01 performance evaluation member administrative guild follow set forth philosophy role responsibility procedure applicable evaluation process member administrative guild i. coverage contract school committee administrative guild provide annual interim evaluation performance employee represent guild evaluation process relate duty responsibility employee position set forth employee job description job description general nature intend change employee exist responsibility format job description allow supervisor determine specific job duty associate position classification supervisor obtain copy appropriate job description provide employee jurisdiction supervisor communicate clearly employee specific duty associate position additional information pertain position member administrative guild contact ohc staffing manager access job description page 2 superintendent circular hrs pm03 page 2 21 ii philosophy boston public schools recognize quality educational service depend professional performance total job effectiveness employee clerical technical employee hold accountable quality performance effective process evaluate performance essential true performance evaluation involve analysis employee strength weakness result diagnosis prescription lead desire improvement skill performance clerical technical employee evaluate diagnostic prescriptive approach procedure form develop implementation approach diagnostic prescriptive evaluation program positively direct encourage employee maximize unique strength skill encourage employee participate evaluation performance help set objective self improvement performance evaluation process intend substitute day- day communication supervision employee effective performance evaluation program continuous periodic organize develop clear understanding goal department school assist employee address effectively need school department encourage cooperative staff relation mutual trust respect employee role page 3 superintendent circular hrs pm03 page 3 21 iii role responsibility head school principal administrative head chief responsibility evaluation staff responsibility center performance evaluation conduct employee immediate supervisor member guild bargaining unit supervisor failure address job performance problem staff performance evaluation process represent unacceptable performance supervisor hold accountable supervisor perform unsatisfactorily underperform staff member give satisfactory rating encourage transfer school department supervisor hold accountable performance evaluation iv diagnosis recommendation performance evaluation process provide employee appraisal strength identify area need improvement employee evaluate standard category possible rating e exemplary employee performance duty responsibility position exceed expectation p proficient employee performance duty responsibility position meet expectation page 4 superintendent circular hrs pm03 page 4 21 n needs improvement employee performance duty responsibility position need improvement u unsatisfactory employee fail meet expectation performance duty responsibility position need improvement interim annual evaluation result mark appropriate item evaluation form area supervisor indicate need improvement provide employee write prescription evaluation document diagnosis subsequent prescription fully descriptive instructive suggest specific remedy recommendation adoption employee employee suggest additional alternative prescription v. performance management process performance employee represent guild bargaining unit evaluate annually evaluation year july 1 june 30 employee performance evaluation activity include limit preliminary planning conference daily observation notation formal interim evaluation follow conference recommendation employee evaluator entire evaluation process continuous administrative assistance support encouragement extend assist employee meeting establish objective page 5 superintendent circular hrs pm03 page 5 21 step 1 preliminary procedures beginning evaluation year head school principal administrative head meet supervisory staff orient performance evaluation process role responsibility process upcoming year guild member evaluate direct supervisor designee member guild bargaining unit new employee change supervision evaluator meet employee later 30 day start evaluation year discuss explain evaluation process evaluation instrument clarify responsibility objective position evaluator guild member sign evaluation instrument indicate date meeting step 2 prepare diagnosis recommendation needed time include interim evaluation meeting step 3 supervisor find employee need major improvement job performance accomplish goal supervisor prepare write diagnosis situation recommendation improvement share feedback employee reasonable time step 3 interim evaluation procedures new employee employee new supervision receive interim evaluation later november 15 reasonably possible employee evaluate minimum time school year receive rating unsatisfactory category annual page 6 superintendent circular hrs pm03 page 6 21 evaluation interim evaluation previously conduct interim evaluation include rating(s unsatisfactory and/or need improvement category supervisor communicate write reason rating(s unsatisfactory and/or need improvement evaluation form provide prescription improvement follow evaluation evaluation interim overall unsatisfactory evaluation minimum 20 school day later 50 school day evaluation member present initial unsatisfactory interim evaluation follow evaluation 20 school day employee present form interim annual evaluation step 4 post interim meeting evaluation conference 10 work day employee present follow completion interim evaluation document evaluator meet employee discuss evaluation conference evaluation copy provide employee sign original copy indicate see acknowledge indicate agreement disagreement content supervisor retain sign copy employee right attach write response evaluation employee receive mark needs improvement unsatisfactory item performance evaluation form principal head school administrative head immediately submit evaluation form office human resources page 7 superintendent circular hrs pm03 page 7 21 interim evaluation place employee permanent file step 5 annual evaluation procedures annual evaluation complete later june 1 year evaluation include rating(s unsatisfactory and/or need improvement category supervisor communicate write reason rating(s unsatisfactory and/or need improvement evaluation form provide prescription improvement receive rating unsatisfactory category annual evaluation interim evaluation previously conduct employee receive needs improvement unsatisfactory rating item form principal head school administrative head immediately submit evaluation form office human resources step 6 post annual evaluation conference 10 work day employee present follow completion evaluation document evaluator meet employee discuss evaluation conference evaluation copy provide employee sign original copy indicate see acknowledge indicate agreement disagreement content employee right attach write response evaluation form employee receive annual overall unsatisfactory evaluation supervisor initiate termination recommend superintendent employee page 8 superintendent circular hrs pm03 page 8 21 terminate step 7 submit performance evaluation forms office human resource end evaluation year principal head school administrative head retain copy evaluation send deliver original evaluation office human resources desk performance evaluation overall unsatisfactory copy send director evaluation performance management office human resources note employee unsatisfactory performance evaluation bidding right employee receive subsequent satisfactory performance evaluation purpose section unsatisfactory evaluation mean unsatisfactory rating area interim annual evaluation vi procedures discipline principal head school administrative head determine employee commit infraction work rule excessive tardiness absence etc supervisor follow procedure outline superintendent circular employee discipline procedures additionally supervisor consider infraction evaluate employee overall performance page 9 superintendent circular hrs pm03 page 9 21 vii forms performance evaluation form member administrative guild attach summary significant date deadline date activity 30 day evaluation year new employee employee new supervision review job description evaluation instrument sign cover page acknowledge meeting later november 15 new employee employee new supervision complete interim evaluation june 15 deadline send sign original copy evaluation bruce c. bolling municipal building office human resources attn ohc desk 2300 washington street 4th floor roxbury massachusetts 02119 july 1 june 30 evaluation year administrative guild employee page 10 superintendent circular hrs pm03 page 10 21 information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent page 11 superintendent circular hrs pm03 page 11 21 boston public schools administrative guild performance evaluation form employee id current position grade date permanent position grade department school evaluator check interim evaluation ☐ annual evaluation ☐ evaluator signature date employee signature date employee signature indicate see discuss evaluation denote agreement evaluator supervisor signature date initial pre evaluation conference evaluator signature:__________________________date employee signature___________________________date page 12 superintendent circular hrs pm03 page 12 21 review employee job description complete form follow scale rank performance e exemplary employee performance duty responsibility position exceed expectation p proficient employee performance duty responsibility position meet expectation n needs improvement employee performance duty responsibility position need improvement u unsatisfactory employee fail meet expectation performance duty responsibility position need improvement evaluator circle letter apply form complete electronically evaluator underline bold letter apply rating u n accompany support diagnosis prescription evaluator add comment rating p e discretion page 13 superintendent circular hrs pm03 page 13 21 performance ratings performance standards description place x appropriate box standard overall e p n u standard job functions standard ii collaboration initiative standard iii communication standard iv professionalism growth overall rating supervisor comments 1 long employee supervision 2 general comment significant achievement appraisal potentiality page 14 superintendent circular hrs pm03 page 14 21 3 diagnosis prescription section complete category evaluate u unsatisfactory identify item number observable need improvement recommendation target date improvement employee comments page 15 superintendent circular hrs pm03 page 15 21 administrative guild performance standards standard job functions employee effectively support district department school mission demonstrate job specific skill knowledge quality work proper instruction indicators unsatisfactory need improvement proficient exemplary a. skills knowledge demonstrate critical lack necessary skill knowledge perform job include ability effectively use relevant position specific technology demonstrate necessary skill knowledge perform employee job include ability effectively use relevant position specific technology necessary technical skill knowledge perform employee job include ability effectively use relevant position specific technology demonstrate proficiency serve resource employee similar related position page 16 superintendent circular hrs pm03 page 16 21 b. quality work demonstrate effectiveness responsibility define employee job description demonstrate effectiveness responsibility define employee job description accurately competently timely manner perform assign task set forth job description demonstrate proficiency make significant noteworthy contribution help accomplish school department goal page 17 superintendent circular hrs pm03 page 17 21 standard ii collaboration initiative employee support district department school mission goal cultivate share vision model responsibility accountability cooperation indicator unsatisfactory need improvement proficient exemplary ii a. teamwork demonstrate pattern refusal support supervisor identify job description demonstrate limited accuracy support supervisor identify job description ask establishes maintain relationship promote advancement common goal provide accurate reliable support demonstrate proficiency take initiative identify act new opportunity support school department mission ii b. motivation initiative require direct intervention continual oversight supervisor requires increase oversight reminder routine duty despite receive accomplishes work proper instruction seek clarification need perform demonstrate proficiency recommend solution take initiative page 18 superintendent circular hrs pm03 page 18 21 perform duty outline job description standard support task anticipation extraneous normal responsibility effectively cope unexpected start new task project appropriate support district school department goal standard iii communication communicate effectively professionally customer focus approach speak writing originate guild member cultural proficiency actively create maintain environment student staff diverse background identity strength challenge respect indicators unsatisfactory need improvement proficient exemplary iii a. effective written oral communicatio n demonstrate pattern ineffectual write oral interpersonal communication written oral interpersonal communication occasionally lack clarity timeliness courtesy write oral interpersonal communication produce accurate clear concise courteous timely demonstrate proficiency model effective public demeanor and/or participation skill page 19 superintendent circular hrs pm03 page 19 21 precision iii b. culturally proficient communicatio n demonstrate pattern failure ensure communication respectful demonstrate understanding sensitivity cultural difference demonstrate inconsistency ensure communication respectful demonstrate understanding sensitivity cultural difference ensure communication consistently respectful demonstrate understanding sensitivity different language culture value represent demonstrate proficiency serve model resource staff culturally proficient communication page 20 superintendent circular hrs pm03 page 20 21 standard iv professionalism growth employee conduct reflect good judgment high standard performance behavior willingness grow ongoing professional learning indicators unsatisfactory need improvement proficient exemplary iv a. professional judgment demonstrate poor judgment and/or disclose confidential information inappropriately occasionally demonstrate questionable judgment sharing confidential information demonstrate sound judgment reflect integrity honesty fairness trustworthiness protect confidentiality appropriately demonstrate proficiency serve model professional judgment iv b. attendance punctuality demonstrate pattern problematic behavior punctuality exhibit notable challenge punctuality attendance give notice time punctual follow attendance policy notice requirement demonstrate proficiency ensure vacation personal leave take time minimally impact page 21 superintendent circular hrs pm03 page 21 21 attendance give notice time functioning department and/or school iv c. feedback growth demonstrate resistance feedback relate performance and/or fail use feedback improve performance notable difficulty receive feedback relate performance and/or feedback improve performance respond receptively constructively feedback relate performance use feedback improve performance demonstrate proficiency model use feedback personally improve page 1 superintendent circular number shs-21 version 01 diabete policy circular remain effect rescind supersede subsequent version background diabetes chronic disease body properly use insulin insulin hormone produce pancrea need convert sugar starch energy body people diabete increase blood glucose sugar level lack insufficient insulin resistant insulin effect high level glucose build blood spill urine result body lose main source fuel type diabete affect child common type see school setting include type 1 call insulin dependent juvenile- onset diabete mellitus type diabetes consider disease immune system immune system destroy cell pancrea produce hormone insulin people type 1 diabete inject insulin day body produce insulin need inject skin absorb take mouth effective type 2 call non insulin dependent adult- page 2 superintendent circular shs-21 page 2 13 onset diabete mellitus people type 2 diabetes produce insulin cell body respond normally insulin refer insulin resistance type 2 diabetes manage diet exercise student need medication take mouth oral hypoglycemic agent insulin injection help glucose enter cell pre diabetes pre diabetes condition blood glucose level high normal high classifie diabetes people develop type 2 diabetes pre diabetes gestational diabetes affect teen pregnant gestational diabetes result pregnancy hormone cause body resistant insulin diabetes common chronic health disease affect estimate 2.22/1,000 child adolescent accord search diabetes youth search study pettitt et al 2014 child adolescent define youth age 20 year 2009 approximately 191,986 433 youth diabete live u.s. 87 type 1 diabete 11 type 2 diabetes pettitt et al 2014 year 2008 2009 18,436 youth newly diagnose type 1 diabete 5,089 youth newly diagnose type 2 diabetes center disease control prevention cdc 2014 sixth lead cause death disease united states long term complication diabetes include heart disease stroke blindness kidney failure nerve disease gum disease amputation foot leg cure diabete manage complication delay prevent page 3 superintendent circular shs-21 page 3 13 advance diabetes technology continue enhance student ability manage diabete school improve quality life child adolescent monitor blood glucose level time day blood glucose meter continuous glucose monitor conduct carbohydrate calculation inject insulin syringe pen pump attain blood glucose control brown 2016 intensive resource consistent evidenced- base intervention achieve long term health benefit optimal diabetes control accord landmark study diabetes control complications trial research group dcct 1993 coordination collaboration member school health team student personal diabetes health care team essential help student manage diabete school setting member school health team include student diabete parent guardians school nurse teacher(s school leader coses social worker coach physical education teacher food service staff school staff member addition essential team member understand federal state law apply student diabete include section 504 rehabilitation act 1973 americans disabilities act individuals disabilities education act purpose administrative procedures guidelines provide safe healthy learning environment student protect right student diabete participate school activity page 4 superintendent circular shs-21 page 4 13 ensure proper medical management safety student minimize possibility diabete relate emergency disrupt educational classroom activity facilitate self management student gradually assume responsibility care reduce likelihood severe potentially life- threaten diabetic emergency school ensure rapid effective response case severe potentially life threaten diabetic emergency education training staff train include limit teacher paraprofessional food service staff school leader support staff student intern teacher coordination collaboration member school health team student personal diabetes health care team essential help student manage diabete school setting education training key personnel school nurse include overview diabetes sign symptom diabetes include hyper hypoglycemia role responsibility prevention reduce risk recognize respond diabetic emergency review student individual health plan ihp diabete emergency action plan page 5 superintendent circular shs-21 page 5 13 role responsibility role parent guardian time registration inform welcome center staff health concern child include type 1 diabetes health services department remain available support student parent guardian wish discuss information privately provide school nurse current diabetes medical management plan emergency management plan student endocrinologist recommend parent guardian meet school nurse person discuss child plan actively participate school nurse create individualized healthcare plan school support student medical educational developmental need provide school nurse necessary supply need care student school day insulin glucometer glucagon syrinx etc case insulin pump extra insulin delivery catheter insulin insulin receptacle provide school nurse carbohydrate count item lunch snack bring home provide current contact information include cell phone number available emergency number number parent guardian reachable educate school activity personnel diabetic management plan provide plan necessary page 6 superintendent circular shs-21 page 6 13 role school administrator facilitate diabete management training school personnel support faculty staff parent implement aspect diabetes management plan identify staff member responsibility student diabete school day school sponsor extracurricular activity field trip ensure contingency plan case substitute nurse teacher food service personnel ensure classroom staff train overview diabetes recognize respond hypoglycemia hyperglycemia step event emergency certain emergency communication device e.g. walkie talkie intercom cell phone etc present functional promote supportive learning environment student diabete manage diabete safely effectively school inform school nurse 4 6 week advance field trip thoroughly support student participation field trip ensure adequate planning time e.g. necessity nursing support field trip understand federal state law apply student diabete include section 504 rehabilitation act 1973 americans disabilities page 7 superintendent circular shs-21 page 7 13 act individuals disabilities education act role school nurse obtain review student current diabetes medical management plan dmmp pertinent information student parent guardians health care provider obtain release nurse health care provider communication physician authorization medication develop individualized health care plan ihp promote encourage independence self care consistent student ability skill maturity development indicate dmmp review ihp parent guardian student implement review update plan school year need develop plan student management classroom lunchroom playground athletic field trip provide routine emergency care include blood glucose monitoring urine blood ketone testing insulin administration glucagon administration assistance carbohydrate counting perform assist student routine emergency diabete care task include blood glucose monitoring urine blood ketone testing insulin medication administration carbohydrate counting glucagon administration maintain accurate documentation electronic health record diabete care provide school document communication student parent guardians page 8 superintendent circular shs-21 page 8 13 student personal diabetes health care team document communication relate training supervision train diabetes personnel ensure staff member contact student diabete familiar individual health care plan ihps need know basis provide list student diabete consent give parent staff need know basis include bus driver conduct service training education appropriate staff student symptom risk reduction procedure emergency procedure appropriate response symptom diabetic emergency include pe instructor coach training repeat annually student transfer classroom school ensure contingency plan place school relate venue substitute utilize encourage student eat meal snack fully time flexible time requirement eat provide parent guardian carbohydrate menu certain emergency communication device e.g. walkie talkie intercom cell phone etc present functional participate team develop implement student section 504 plan education plan individualized education program contribute iep 504 implementation diabetes relate issue page 9 superintendent circular shs-21 page 9 13 appropriate communicate student parent guardians permission communicate student personal diabetes health care team progress concern student diabetes management health status hypoglycemia episode hyperglycemia general attitude emotional issue self- management role coordinator special education cose student refer consideration 504 accommodation plan and/or special education cose process appropriate parent guardian school nurse school staff involve plan development implementation student eligible 504 accommodation plan evaluate 504 accommodation plan team discuss eligibility transportation student iep evaluate transportation necessary medical condition necessarily area educational disability team consider transportation need team include school nurse special transportation find necessary add iep role teacher list student classroom chronic disease include diabetes page 10 superintendent circular shs-21 page 10 13 participate team meeting student diabetes participate service training provide school nurse prepared respond immediately sign symptom hypoglycemia low blood glucose hyperglycemia high blood glucose accordance student emergency care plan hypoglycemia hyperglycemia accessible student emergency plan photo possible classroom parent permission lesson plan inform volunteer student teacher aide specialist substitute teacher student condition verbal communication organize prominent accessible write format recognize eat meal snack time critical component diabetes management coordinate parent guardian provide lesson plan accommodate learning need support student participate school sponsor activity inform school nurse 4 6 week advance field trip ensure adequate planning time support notify school nurse parent guardians advance change school schedule class party field trip special event page 11 superintendent circular shs-21 page 11 13 role physical education teacher coaches list student charge diabete coaches tell student team diabete review aspen sport clearance train identification symptom diabetes emergency participate service training diabetes need accessible student emergency plan photo possible specific venue parent permission allow student diabete wear insulin pump and/or sensor medical id physical activity designate safe place student diabetes supply include insulin pump remove physical activity sure blood glucose monitoring equipment quick act form glucose available activity site include student emergency care plan hypoglycemia hyperglycemia diabete supply aid pack go physical education activity practice game allow student monitor blood glucose level and/or administer insulin outline student health care plan education plan recognize change student behavior symptom blood glucose change understand aware hypoglycemia low blood glucose occur physical activity page 12 superintendent circular shs-21 page 12 13 inform substitute student diagnosis sign symptom hyper hypoglycemia role food services work health service provide access carbohydrate menu parent school nurse assist carbohydrate counting activity available maintain current food label meal plan provide nutrition information menu item la carte item school staff parent guardian role office transportation provide training bus monitor medical emergency include limit heartsaver cpr aed heartsaver aid know local ems emergency medical services procedure function communication equipment access ems understand student diabetes need snack regulate blood sugar despite policy food eat allow bus encourage 1:1 communication bus monitor school base staff bus monitor parent guardian role school bus company provide training bus driver medical emergency include limit heartsaver cpr aed heartsaver aid page 13 superintendent circular shs-21 page 13 13 know local ems emergency medical services procedure function communication equipment access ems understand student diabetes need snack regulate blood sugar despite policy food eat allow bus reference massachusetts | ada diabetes management school set diabetes | healthy schools | cdc diabete care tasks school | ada information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-25 date version 01 guidelines international field trips circular remain effect rescind supersede subsequent version important note guideline impact covid-19 restriction subject change base public health international security emergent issue impact travel date information guidance contact department global education kdorseytwumasi2@bostonpublicschools.org assistance guidance superintendent circular provide instruction implement field trip policy pass boston school committee november 20 2019 circular read superintendent circular cao-22 general guidelines procedure field trips additional guideline outline principal head school and/or district department lead sponsor trip responsible ensure field trip policy procedure outline circular adhere soon trip opportunity know contact department global education support planning process principal head school and/or page 2 superintendent circular cao-25 page 2 104 district department sponsor trip program leader lead chaperone review complete checklist circular planning process sign checklist keep file school planning process international field trip program international field trip program trip school ground involve travel location outside united states international field trip plan year advance maximize affordability fundraising effort possible schedule non school time i.e. school vacation summer new bps international field trip program require execution reputable travel vendor require vet process department global education bps legal travel u. s. territories include puerto rico united states virgin islands guam american samoa northern mariana islands cover international travel insurance travel territory subject form requirement cao-25 international field trip guideline require principal head school approval consult department global education required form destination approval process step 1 interest form consultation soon trip opportunity know interest international travel program teacher complete interest form department global education inform principal head school page 3 superintendent circular cao-25 page 3 104 contact department global education support guidance cao-25 application planning process arrangement meeting hold payment deposit consultation department global education formal application approval superintendent step 2 cao-25 application consult department global education head school cao-25 application shall submit director global education 10 12 month departure proposal official application complete review principal head school endorse official letter application require approval department global education seek approval appropriate district leader obtain final approval superintendent arrangement payment deposit place approval superintendent gauge student interest engage family program approval district leadership and/or superintendent question application ask aspect proposal change remove step 3 approval cao-25 application approve superintendent consult principal head school begin promote international program student family school community itinerary roster aspect approve application package change notify page 4 superintendent circular cao-25 page 4 104 department global education write soon possible safety preparedness travel advisories warnings travel country cite level 3 4 united states department state travel warning listing center disease control cdc prohibit country list level 2 consult department global education advance boston public health commission department global education continue monitor country destination safety program leader principal head school responsible check state department cdc trip planning process level change note superintendent reserve right cancel field trip include day departure manage risk insurance international insurance district provide medical coverage international bps sponsor trip bps student bps staff participant chaperone serve primary source medical insurance abroad case hospital visit require student require pay pocket reimburse later family want budget case expense insurance policy include cancellation trip interruption insurance trip cancel interrupt reason medical cancellation interruption traveler get sick injure traveler immediate page 5 superintendent circular cao-25 page 5 104 family sick injure death student families need proof sickness injury sickness injury disable cause cancel interrupt trip sickness death family member need proof save receipt flight lodge reimbursement purpose claim form need fill family need know advance trip cancellation $ 2,000 limit trip interruption $ 2,500 limit superintendent reserve right cancel trip reason time safety purpose cancel reason insurance cfar provide district trip participant strongly encourage purchase cfar insurance protect trip investment international provide overseas evacuation insurance enable student seriously ill kind emergency return united states international coordinate approve perform evacuation emergency family travel arrangement cover limit traveler hospitalize 2 day informed parental consent associated risks indemnity family sign customize informed parental consent associated risks indemnity form explicitly develop travel program director global education bps legal collaboration program leader program leader responsible initiate form base template provide department global education page 6 superintendent circular cao-25 page 6 104 district training program leader attend training effective field risk management response practice training offer district year email department global education detail miss training schedule meeting dge supplement o training mandatory program leader recommend additional chaperone team attend training program leader case chaperone non- program leader able attend person training budget space scheduling expect receive training information pre travel meeting virtual webinar guidance department global education program leader preparation role chaperone require review document participate pre travel meeting department global education o cpr aid chaperone include program leader hold valid cpr aid certification district offer training year program leader email department global education detail ensure availability aid kit supply department global education verify emergency medical information contact detail step program program leader parent register student chaperone u.s. state department step smart traveler enrollment program program non u.s. citizen travel page 7 superintendent circular cao-25 page 7 104 group contact respective embassy service provide individual event emergency u.s. embassy abroad necessarily assist non u.s. citizen emergency overseas transportation school bus bps approve transportation vendor vehicle transport student field trip athletic event regardless trip pay privately own vehicle vehicle non approve vendor ride share transportation service uber lyft lease van utilize transport student field trip athletic event case bona fide medical emergency refer trn-03 cao-22 information regulation field trip transportation itinerary advance review itinerary bps reserve right deny school participate field trip activity itinerary risk activity outweigh intend learn outcome program program leader collaboration chaperone team require submit risk analysis program identify 5 risk concern associate program government resource support preparation u.s. state dept travel www.travel.state.gov overseas security council https://www.osac.gov/pages/home.aspx u.s. state dept passport application http://travel.state.gov/passport/ page 8 superintendent circular cao-25 page 8 104 u.s. state dept medical http://travel.state.gov/content/passports/english/go/checklis t.html#checklist_parentitem_1 u.s. embassies abroad www.usembassy.state.gov visa req u.s. citizens abroad http://travel.state.gov/content/visas/english/general/america ns-traveling-abroad.html center disease control traveler health http://wwwnc.cdc.gov/travel/destinations/list.aspx u.s. customs border protection http://www.cbp.gov/ 877- 227 5512 medical preparation safe travel doctor visit prior trip student chaperone inform primary care doctor travel clinic doctor trip location recent doctor visit physical exam prior departure student medical mental health condition sure doctor write letter indicate child safely attend participate trip activity certain location world entry require specific vaccination immunization medication necessary healthy travel case participant require obtain vaccination immunization medication medical documentation chaperones document carry student medical information include specialize immunization medication require doctor travel participant require list page 9 superintendent circular cao-25 page 9 104 medication prescribe particular program mind medication regularly program leader send final email participant check additional medication add departure school nurse counselor review program leader consult school leader determine type medical assistance need participate student ensure accessibility step crucial place field trip secure additional question consult health services department additionally thoroughly support student participation field trip week departure long international overnight field trip program consult necessary receive training school nurse student medical need consult school counselor mental behavioral health need student medical mental health condition sure doctor aware essential participation criterion location trip write letter indicate child safely attend participate trip activity document file key permission slip medical form nurse verification form review student medical form school nurse guidance counselor ensure document complete sure strong position support student health abroad school nurse counselor clear student travel provide chaperone guidance support student travel consult page 10 superintendent circular cao-25 page 10 104 necessary receive training obtain write comment school nurse student express medical need complete submit nurse verification form department global education chaperone criteria role program leader lead chaperone selection approval chaperone conduct principal head school program leader bps employee lead chaperone organizing lead trip program leader require experience lead co leading bps student student district abroad previously support approval principal head school program leader lead entire school team main representative group district abroad program leader responsible ensure guideline cao-22 cao-25 follow keep principal head school district inform trip development program leader responsible complete international field trip request form accompany document submit principal head school department global education approval program leader responsible organize chaperone team student team pre departure meeting chaperone selection adult trip chaperone clear role page 11 superintendent circular cao-25 page 11 104 o diverse strengths choose chaperone team purposefully wisely consider strength chaperone contribute overall experience goal rounded team chaperone different area recommend member chaperone team program leader speak local language country visit example consider chaperone visit country speak local language additionally consider chaperone subject matter expert topic explore professional medical social emotional health experience effort chaperone representative student group include male female relevant o knowledge student selection approval chaperone principal head school base individual knowledge rapport student participant chaperone ratio international program student- chaperone ratio 7:1 chaperone minimum recommend chaperone reserve backup identify event chaperone long able participate minute leave field reserve chaperone valid passport visa travel destination tour guide employee party vendor contract help operate trip consider chaperone factor student chaperone ratio bps non bps chaperone require sign chaperone agreement form refer cao-22 additional chaperone criterion page 12 superintendent circular cao-25 page 12 104 non bps chaperones authorized chaperone include parent volunteer 21 year age old non bps employee chaperone submit yearly cori sori authorization form office human capital complete ecori form online contact bps office human capital ohc cori check confirmation support principal head school lead chaperone responsible submit authorization form ohc allow chaperone activity cori sori clear non bps employee chaperone field trip cover liability boston public schools bps employee parent chaperones chaperones parent guardians bps student trip provide level care attention student participant bps chaperone child attend participate school attend program child bps student grade age range participate student case bps employee responsible incur cost associate child participation passports visas check student chaperone passports recruitment process physically check student passport travel date ensure valid travel valid month return date student renew apply time passport soon possible process lengthy page 13 superintendent circular cao-25 page 13 104 non u.s. passports determine hold non u.s. passport country require u.s. passport holder visa require non- u.s. passport holder country require americans obtain visa require non u.s. passport holder identify country traveler hold passport question custom contact consulate lose passport abroad plan delay border control airport non passport holder visa requirement research destination require visa country different application timeline obtain visa parent passports encourage parent obtain valid passport visa need travel country child emergency copy passport copy student chaperone passport visa leave family principal head school page 14 superintendent circular cao-25 page 14 104 student accessibility participation conduct student participation student enrol boston public schools participate field trip student participant permit leave group visit friend relative etc rejoin group student remain group time essential participation criteria student recruitment begin program leader principal head school shall work establish essential participation criterion trip inform student parent program objective activity risk associate itinerary activity trip location determine accommodation modification need student successfully safely participation portion trip student recruitment default program open student program specific certain student i.e. class club team grade level specific trip consultation program leader head school keep mind financial accessibility diversity equity recruitment process transparent fair chaperone team create environment structure support student trip advertise student school particular grade class program associate trip regardless financial situation formal process enrol trip application approve head school clear rubric demonstrate essential criterion applicant student ability pay criterion page 15 superintendent circular cao-25 page 15 104 field trip participation student deny admission trip prepared speak student administration family question selection process record application decision accessibility field trip location selection program leader consider student demographic select field trip location site activity location trip tie directly objective learn outcome program specifically determine impact location site activity diverse population student color ell student student identify lgbtqia+ community student disability minority field trip experience student belong group experience marginalization location visit program leader work prepare student sensitive experience ensure program safe inclusive student consult department global education resource need access inclusion student english language learner status 504 plan and/or ieps deny access field trip ability responsibility school ensure accommodation normally provide student indicate educational plan available field trip include medication superintendent circular shs-08 medication administration information medical dispensation field trip participate student iep 504 plan shall page 16 superintendent circular cao-25 page 16 104 available staff coordinate and/or participate field trip meet child need student health student medical mental health condition sure doctor inform essential participation criterion location trip write sign letter letterhead indicate child safely attend participate trip activity program leader document file key permission slip medical form consult school nurse 6 week advance inclusive accommodations collaboration student family program leader principal head school shall work transgender gender nonconforme student provide accommodation include room affirm student gender identity ensure safety program leader work student family sure travel document e.g. airline ticket passport reflect legal name list government issue identification unofficial document material reflect student preferred view additional room guideline office equity conduct bps code conduct apply field trip bps student parent require sign bps student traveler family agreement form student conduct participate bps sponsor field trip follow investigation program leader consult principal head school page 17 superintendent circular cao-25 page 17 104 central office staff determine student conduct overnight trip pose risk safety group long manageable bps staff field district reserve right request arrange student return home district reserve right request family assume responsibility portion cost associate child return student subject disciplinary action provide opportunity formal hearing school level return school document parent guardian consent policy prior trip dismissal transportation protocol student dismiss overnight field trip student parent guardian notify advance agree meet student airport agree destination parent guardian reachable student principal head school appropriate school- base point contact notify agree meet student airport agree destination student age 16 accompany flight chaperone student age 16 fly unaccompanied chaperone accompany student airport ensure student check flight age requirement subject specific airline train bus guideline cost assume regard responsibility parent guardian program leader inform family protocol initial promotional meeting pre departure program dismissal event student dismiss international field trip program departure pre departure incident report page 18 superintendent circular cao-25 page 18 104 submit department global education dge chaperone dismiss student trip approval principal head school principal head school approve recommendation dismissal sign pre departure incident report report file dge review file report loss fee deposit associate early dismissal absorb family communicate deposit family program leader inform family protocol initial promotional meeting pre departure meeting student meeting program leader conduct recommend student meeting departure include mandatory parent meeting student encourage attend parent meeting meeting review logistic prepare student mindful healthy responsible safe traveler program hold meeting prepare student challenge reward travel experience parent meeting program leader conduct recommend parent guardian meeting family family include initial meeting promote trip note travel level 2 destination issue center disease control cdc state department program leader require inform parent medical safety concern precautionary plan consult department global education meeting page 19 superintendent circular cao-25 page 19 104 information stay healthy travel cdc page traveler health medical tourism entire group family attend mandatory information session chaperone present play role meeting meeting topic pre departure meeting follow topic review discuss lead chaperone discretion ○ trip educational purpose ○ behavior expectation ○ detailed itinerary ○ review country landscape health cultural norm safety security ○ insurance coverage ○ require travel document ○ packing list ○ communication plan emergency contact information ○ transportation plan logistic ○ review collect permission form ○ meals accommodation ○ country transport specific mode transport vary country country ○ expectations country expense procedure exchange money applicable ○ passport visa requirement applicable ○ program provider document contact department global education sample meeting agenda template support meeting agenda important meeting note page 20 superintendent circular cao-25 page 20 104 document parent family attendance utilize zoom meeting necessary develop plan family need translation service meeting student serve parent guardian translator parent guardian unable attend meeting trip chaperone bps employee physically meet parent guardian trip take student abroad document private meeting record chaperone team meeting program leader conduct pre departure chaperone team meeting meet topic include ○ assign chaperone role pre post trip ○ review emergency action plan eap insurance coverage ○ student paperwork binders ○ participants ○ student code conduct agreement ○ pre departure incident report incident report form trip ○ non bps employee chaperone review knowledge bps policy chaperone expectation ○ review detailed itinerary ○ distribute responsibility ○ map plan include movement place program transition ○ determine student require extra support physical medical accommodation page 21 superintendent circular cao-25 page 21 104 ○ review team recommendation advice instruction receive school nurse guidance counselor parent primary care doctor non bps chaperones cori sori clearance schedule consult department global education 8 week prior departure attend pre trip parent meeting student meeting non bps chaperone know detail trip emergency action plan eap bps code conduct district school base rule program leader sure non bps chaperone understand bps rule schedule consult department global education communication plan international phone service coverage program leader international cell phone coverage duration trip communication bps family event emergency cell phone time contact case emergency possible location arrange communication plan principal head school department global education international coverage require purchase international plan accrue additional cost trip submit receipt bps finance office reimbursement program leader carry phone number principal head school page 22 superintendent circular cao-25 page 22 104 sponsor district department department global education require head school department global education anytime emergency district communication codify clear communication plan principal head school sponsor district department director global education prior departure director global education initiate group chat program leader head school whatsapp check director global education phone text download whatsapp free messaging email arrival 48 hour itinerary significantly change expect lose cell email coverage departure safe return check phone head school department global education incident definition communication type expectation page 23 superintendent circular cao-25 page 23 104 green communication immediate concern program leader notifie head school bps staff arrival departure change itinerary loss connectivity highlight program photo check daily text phone email yellow communication yellow reportable situation event threat life limb eyesight potential severe emotional trauma incident manage effectively field program leader devolve critical incident require attention bps staff program leader 1 notifies head school bps staff 2 documents incident soap report 3 monitor 4 updates bps staff red communication critical violent time sensitive incident illness injury event result loss potential loss life limb eyesight student disciplinary violation require immediate response program leader 1 alerts appropriate local medical care local law enforcement and/or shelter trigger insurance support able 2 notifies head school bps staff 3 documents incident soap report 4 monitor 5 updates head school bps staff refer bps international field trip communication plan information communication family set expectation communication travel chaperones student page 24 superintendent circular cao-25 page 24 104 traveler principal family family know 24/7 case emergency need support family communication trip contact department global education communication student set remind student family expectation social medium usage abroad discuss acceptable post recording share social medium clear boundary confidentiality privacy student staff member visit community pertain social medium footage expectation discuss time pre departure meeting field remember bps code conduct applicable documentation forms documents students families prepare distribute collect participate student chaperone following ○ parental authorization international field trip form ○ medical information form ○ medication administration form ○ chaperone agreement form ○ student family conduct agreement form ○ student support field trip travel form ○ parental waivers associate program ○ applicable prepare distribute collect notarized parent guardian airline travel consent form country airline travel company page 25 superintendent circular cao-25 page 25 104 require research particular trip apply ○ program include homestay refer cao-26 homestay guidelines required form document submit central office approval follow document submit 10 12 month advance trip department global education program review necessary signature obtain approval send complete application department global education review feedback prior final submission overview require document detailed list include application section circular ○ cao-25 international field trip request form original signature headmaster principal sponsor district department program leader ○ sign cover letter school letterhead address superintendent department education principal head school district department lead state support propose trip ○ international trip narrative ■ student recruitment selection process ■ student learn outcome program ■ program build student global competence investigate world communicate idea weigh perspective action identify apply address program page 26 superintendent circular cao-25 page 26 104 ■ specific standard address program address ■ student reflect learn experience ○ itinerary detail day day hour hour morning afternoon evening format provide detailed information program i.e. hotel accommodation site visit activity plan meeting hold curfew set meal schedule morning afternoon evening ○ emergency action plan ○ nurse verification form ○ cao-25 acknowledgment form ○ tentative student traveler roster prior departure program leader submit final roster confirm student traveler include bps id grade age d.o.b country passport issue emergency contact number new student travel abroad time important note submit document water activities cao-27 applicable need submit central office copy parental authorization international field trip permission form file school trip request submit district office document leave principal head school ○ cao-25 circular checklist ○ permissions slips update base contact verification family page 27 superintendent circular cao-25 page 27 104 ○ student family conduct agreement form ○ parental waivers ○ medical information form medical administration form ○ notarized airline consent form applicable ○ copies passport visa resident card travel relate document ○ emergency action plan eap ○ insurance information ○ fire prevention safety information ○ international program incident report blank reference ○ finalize homestay list homestay document applicable ○ water activities forms applicable document abroad ○ permissions slips update base contact verification family ○ medical information form medical administration form ○ student family conduct agreement form ○ parental waivers ○ notarized airline consent form applicable ○ copies passport visa resident card travel relate document ○ emergency action plan eap ○ insurance information ○ bps field guide protocols emergency phone numbers ○ fire prevention safety information page 28 superintendent circular cao-25 page 28 104 ○ international programs incident report blank and/or complete ○ international witness report form blank and/or complete ○ incident investigation log blank and/or complete ○ soap note blank and/or complete ○ list address emergency contact country traveler ○ homestay document applicable ○ water activity form applicable ○ program leader carry original permission slip medical form chaperone carry copy field trip program team safety believe condition unsafe unhealthy point trip program leader responsibility adjustment interest group individual safety consult department global education trip question trip safety conduct safety reviews student field follow topic review student ○ program leader conduct fire safety assessment fire drill fire prevention safety instructions arrive new accommodation share assessment chaperone team prepare orientation fire drill ○ share evacuation plan emergency plan discuss student emergency page 29 superintendent circular cao-25 page 29 104 discuss student separate group activity ○ ensure student list key address hotel chaperone host family contact information emergency information international destination copy travel document share stay room number applicable reach trip ○ conduct country orientation conduct cultural expectation set expectation social medium especially critical emergency ○ conduct safety orientation service learn project team work construct alter and/or repair structure include paint decorate agricultural project chaperones support program provider conduct safety orientation beginning activity student debriefs reflections ○ conduct morning briefing review day itinerary key information ask answer question ○ conduct afternoon and/or evening debriefing review day itinerary gather feedback process day learning necessary adjustment engage student conversation help process experience help reflect break stereotype return deep understanding culture country visit draw connection experience home lesson learn translate home page 30 superintendent circular cao-25 page 30 104 check ins student supervision ○ conduct frequent check in chaperone team assess programming student dynamic adjustment ○ conduct frequent check ins student behavioral physical health ability process trip experience ○ conduct nightly bed check ensure student room designate time stay hotel hostel sure request advance student place near chaperone student host family share bps policy nightly bed check ensure student safely room night student know exactly touch chaperone case emergency room number phone number stay host family ○ establish curfew clear guideline ensure door open student congregate evening adult stay close conduct frequent expect unexpected room check mindful romantic relationship student ○ leave student student accompany chaperone applicable host family student schedule activity age appropriate approve parent guardian advance unaccompanie schedule structured activity student group know reach adult chaperone ○ conduct regular frequent headcount buddy check day page 31 superintendent circular cao-25 page 31 104 international program incident reporting support contact head school department global education emergency result admittance student chaperone hospital clinic fear safety trip time doubt emergency medical environmental political behavioral legal logistical nature check phone department global education incident refer bps international field trip communication plan information new example incident exhaustive list green examples positive group gain dynamic culture medium coverage yellow examples fever loss passport diarrhea constipation vomit prescription medication administer bps staff lose damage insufficient prescription medication tooth loss/ crack chip animal insect encounter potentially result injury time insurance consult insect bite sting ordinary lost steal luggage challenge customs red example sexual assault terrorism miss person crime theft head injury loss consciousness contraction parasite and/or infestation animal bite transportation accident severe allergic reaction exposure communicable disease eye injury heat exhaustion stroke hyperthermia significant violation student chaperone conduct contract fighting alcohol drug use possession page 32 superintendent circular cao-25 page 32 104 weapon bullying harassment persistent behavior participant disruptive pose risk team success program severe weather exposure toxic potentially toxic chemical irritant ➤ note list exhaustive additional incident list deem unusual potentially harmful program leader report yellow incident potential quickly progress red incident yellow incident monitor closely bps staff keep abreast update change status file international program incident report email possible soon circumstance permit utilize soap note witness report incident investigation log necessary turn original report department global education soon return boston incident occur critical document field trip mandatory medical follow depend travel location prescribe travel medication student family trip remind student continue prescribed travel medication additionally remind student inform parent guardians doctor immediately feel trip inform doctor recent travel incident report applicable file follow international programs incident report international programs witness report international programs incident log page 33 superintendent circular cao-25 page 33 104 district survey complete bps post international program survey provide feedback experience field trip suggested write thank note present school family community experience conduct relate creative and/or analytical project showcase student learning write news article trip local newspaper website email story journal picture trip department global education page 34 superintendent circular cao-25 page 34 104 information question support circular contact owner chief teaching learning department department global education mailing address 2300 washington st. roxbury ma 02119 phone 315 601 0292 email opl@bostonpublicschools.org mary skipper superintendent page 35 superintendent circular cao-25 page 35 104 international field trip checklist field trip category(s category cao-22 site date alternate date item complete review superintendent circular cao-22 general guidelines procedure field trips review superintendent circular medical emergency management fse-05 incident data reporting release saf-04 important safety protocol trip department global education notify event incident emergency resource question safety international field trip select site investigate appropriateness site relation category field trip cao-25 acknowledgement form page 36 superintendent circular cao-25 page 36 104 sign checklist retain copy file submit original school office filing attach complete request package signature indicate read understand policy circular follow checklist trip planning trip implementation process complete school signature program leader date signature principal head school date sponsor district department page 37 superintendent circular cao-25 page 37 104 international field trip request document checklist follow document submit 10 12 month advance trip department global education trip review necessary signature obtain complete application information detail available additional final detail available later update department global education soon possible recommend send draft document department global education review feedback prior final submission type document retain copy document submit document submit department global education approval 1 international field trip request form original signature principal head school sponsor district department program leader 2 sign cover letter school letterhead address superintendent department education principal head school district department lead state support propose trip 3 international trip narrative educational goals detail a. purpose international program necessary specific location relevant b. student learn outcome program page 38 superintendent circular cao-25 page 38 104 c. program build student global competence investigate world communicate idea weigh perspective action identify apply address program d. specific standard address program address e. describe student recruitment selection process ensure process equitable inclusive f. student reflect learn experience 4 itinerary a. day day hour hour morning afternoon/ evening format provide detailed information program i.e. site visit activity plan meeting hold curfew set meal schedule morning afternoon evening 5 emergency action plan 6 nurse verification form 7 cao-25 acknowledgment form 8 tentative student traveler roster prior departure program leader submit final roster confirm student traveler include bps id grade age d.o.b country passport issue emergency contact number student travel abroad time important note submit document water activities cao-27 and/or homestays cao-26 applicable page 39 superintendent circular cao-25 page 39 104 page 40 superintendent circular cao-25 page 40 104 international field trip request form form accompany document list circular complete lead chaperone consultation principal head school submit department global education month prior trip school district department head school /principal information cell phone email select field trip category cao-22 description instructional cultural community building service learning personal growth development program destination(s include exact city region page 41 superintendent circular cao-25 page 41 104 date trip departure date return date student data send complete student roster dept global education travel roster include d.o.b grade country passport issuance emergency contact number number student number time student international travelers chaperone data chaperones 7:1 ratio minimum 2 chaperone information program leader chaperone chaperone cell phone number bps employee y n y n y n page 42 superintendent circular cao-25 page 42 104 information chaperone chaperone chaperone number bps employee y n y n y n information chaperone chaperone chaperone number bps employee y n y n y n funding note criterion participation student family ability pay 100 school fund international trip cost person total cost $ page 43 superintendent circular cao-25 page 43 104 funding source(s list funding source detail trip pay student access trip regardless trip cost grant grant number applicable fundraise private grants bedf account code description applicable country site information country(s visit country(s list united states department state travel warning list country(s list center disease control cdc warning list country site contact person title role country site telephone country site email address page 44 superintendent circular cao-25 page 44 104 native language in- country site contact person country site contact person speak english travel vendor partner vet department global education bps legal  yes  vendor vendor contact vendor contact number email airline transportation international destination note include flight reservation attachment follow section complete depart flight boston departure date departure time departure location departure airlines flight number departing flight arrival date page 45 superintendent circular cao-25 page 45 104 arrival time arrival location return flight boston return date return time return location return airlines flight number return flight arrival date arrival time arrival location additional transportation u.s. i.e. airport provide transportation student airport ▢ yes ▢ student u.s. airport yes complete chart page 46 superintendent circular cao-25 page 46 104 mode transportation transportation co. bps vendor company number pickup location pickup time transportation international destination airplane mode transportation transportation co. bps vendor company number pickup location pickup time transport address hotel drop site transportation foreign country mode transportation arrange foreign country page 47 superintendent circular cao-25 page 47 104 country lodging information primary lodging contact information student stay hotel hostel itinerary provide detailed information lodge night site address number dates site address number dates page 48 superintendent circular cao-25 page 48 104 site address number date trip include water activity yes ▢ ▢ yes review cao-27 complete necessary form yes ▢ ▢ home stay note permissibility home stay program currently review program include home stay yes ▢ ▢ yes home stay facilitate party vendor yes provide company site contact info page 49 superintendent circular cao-25 page 49 104 safety high priority boston public schools follow home stay guidelines cao-26 complete necessary form yes ▢ ▢ n parent guardians sign home stay waiver form yes ▢ ▢ n water activity program include water activity yes ▢ ▢ n yes review cao-27 complete necessary form yes ▢ ▢ n travel logistics hold hold prior departure pre departure student meeting prepare student team responsibility participate international trip outline cao-25 yes ▢ ▢ meeting date meeting date meeting date hold hold prior departure chaperone meeting prepare adult team responsibility lead student international trip outline cao-25 yes ▢ ▢ meeting date meeting date meeting date page 50 superintendent circular cao-25 page 50 104 conduct conduct prior departure parent meeting addition promotional meeting review require topic outline cao-25 yes ▢ ▢ meeting date travel destination alert cdc state department level 2 country provide family respective informed parental consent associated risk indemnity form yes ▢ ▢ trip cancellation insurance yes ▢ ▢ describe contingency plan departure and/or return travel delay travel safety risk management traveler receive receive prior departure travel immunization vaccination relevant medication recommend cdc primary care doctor yes ▢ ▢ comment chaperone team speak local language page 51 superintendent circular cao-25 page 51 104 program leader chaperone review bps insurance policy yes ▢ ▢ traveler health insurance coverage abroad include medical political evacuation coverage bps insurance bps student bps chaperone yes ▢ ▢ program leader chaperone review bps code conduct yes ▢ ▢ non bps employ chaperone schedule meeting dge yes ▢ ▢ n ▢ program leader attend attend prior departure bps risk management training abroad yes ▢ ▢ training date training valid school calendar year page 52 superintendent circular cao-25 page 52 104 program leader lead bps student abroad yes ▢ ▢ provide recent date experience(s prepare lead bps student abroad chaperone hold valid duration trip cpr aid certification yes ▢ ▢ names certify chaperone chaperone complete emergency action plan eap country visit yes ▢ ▢ prior departure set pre departure risk management meeting department global education yes ▢ ▢ n ▢ prior departure submit emergency contact list traveler department global education yes ▢ ▢ complete nurse verification form yes ▢ ▢ page 53 superintendent circular cao-25 page 53 104 cao-25 checklists follow program leader chaperone principal head school district department sponsor trip trip complete checklists trip consult principal head school district department yes ▢ ▢ school district department approval program leader lead chaperone date head school principal sponsor dept date signature indicate approval trip attest cao-25 checklist complete trip district approvals international field trip require district approval director global education date chief teaching learning date chief financial officer date superintendent date page 54 superintendent circular cao-25 page 54 104 emergency action plan eap international field trips direction lead chaperone complete form prior departure chaperone carry form trip leave copy form principal head school submit form package district register trip student participant safe traveler enrollment program step program general guidelines event emergency remain calm leave injured person adult present local ems accompany injure student near medical facility adult chaperone adult designee present injure student emergency page 55 superintendent circular cao-25 page 55 104 emergency contacts local ems insurance insurance card appropriate destination head school designee cell director global education 315 601 0292 emergency emergency communication protocols packet parents guardian inform give update medical emergency head school dge help coordinate communication parent family u.s. state department center disease control reputable source complete information address contact information near u.s. embassy(s abroad address contact information near embassy(s non u.s. citizen traveler abroad address near medical hospital facility s page 56 superintendent circular cao-25 page 56 104 parental authorization international field trip direction bps staff use form trip complete school portion form duplicate form student send copy home parent student signature field trip sign original form carry program leader copy chaperone photocopy leave file school office student school destination s purpose trip list activity parent inform activity page 57 superintendent circular cao-25 page 57 104 supervision check  student directly supervise adult chaperone trip time  student directly supervise adult chaperone trip follow exception mode transportation check apply  walk  school bus  mbta  student leave where)_________________________at time student return time program leader chaperone(s charge chaperone student ratio maximum ratio 7:1 page 58 superintendent circular cao-25 page 58 104 student agreement participate field trip understand representative bps community understand appropriate standard observe accept responsibility maintain good conduct abide school base rule boston public schools code conduct student signature date page 59 superintendent circular cao-25 page 59 104 parental authorization international field trip assumption risk waiver release indemnity hold harmless agreement program leader access require assumption risk waiver release indemnity hold harmless agreement template copy template document edit text red share director global education document review director global education bps legal share parent guardians signature document requirement bind legal document question contact department global education page 60 superintendent circular cao-25 page 60 104 medical information form important note student new unfamiliar situation travel critical form complete thoroughly accurately good position possible support child indicate x like schedule meeting program leader trip discuss child medical mental health student visit primary care doctor prior travel bps trip current immunization vaccination u.s. addition recommend immunization vaccination country(s visit page 61 superintendent circular cao-25 page 61 104 student information student date birth country origin parent/ guardian name(s parent guardian address parent guardian contact cell home work page 62 superintendent circular cao-25 page 62 104 emergency contact 1 emergency contact 2 relationship student address cell work email relationship student address cell work email student health question primary care physician contact information case emergency health insurance provider policy contact information case emergency insurance provider claim instruction procedure case emergency page 63 superintendent circular cao-25 page 63 104 student follow health condition and/or allergy bps aware physical health condition behavioral mental health condition e.g. depression anxiety etc allergies food medication insect plant animal etc student take follow medication include the- counter/ herbal and/or prescription bps aware sure complete medical administration form medication take need basis specify symptom condition medication take time give page 64 superintendent circular cao-25 page 64 104 factor make advisable child follow limited program physical activity i.e. asthma recent surgery heart condition fear etc yes specify way wish program limit student asthma attach asthma action plan medical form activity itinerary child yearly physical student currently physician medical professional care e.g. social worker therapist etc yes detail reason page 65 superintendent circular cao-25 page 65 104 yearly physical student physician medical professional e.g. social worker therapist etc care anytime year yes detail reason date treatment list hospital treatment center surgical psychiatric urgent care visit year specify date reason physician professional see length stay additional information bps aware concern student health page 66 superintendent circular cao-25 page 66 104 authorize release information give chaperone school staff order coordinate service understand chaperone consult school nurse student health strong position support child program student signature 18 year age date parent guardian signature student date 18 year age ▪ necessary attach doctor letter form ▪ necessary attach asthma action plan form ▪ necessary attach copy document student shot immunization form page 67 superintendent circular cao-25 page 67 104 medical form overnight trips medication administration send essential medication student trip include counter herbal medication list student medication time(s take reason medication effect aware information medication time(s take reason medication effect aware information medication page 68 superintendent circular cao-25 page 68 104 time(s take reason medication effect aware information additional information special instruction authorize child medication trip student signature 18 year age date parent guardian signature student date 18 year age page 69 superintendent circular cao-25 page 69 104 notarized parent guardian airline travel consent form party agreement parent/ legal guardian surname hereinafter refer parent/ guardian physical address contact detail child hereinafter refer child surname birth date travel guardian(s contact detail hereinafter refer traveling guardians address page 70 superintendent circular cao-25 page 70 104 authorize child travel traveling guardians following destination period travel shall prove impossible notify parent/ guardian change travel plan emergency unforeseen circumstance arise authorize traveling guardian authorize travel plan traveling guardian sole discretion discretion shall unreasonably exercised deem advisable special travel arrangement child return home unforeseen circumstance arise accept responsibility additional cost shall incur indemnify traveling guardian claim whatsoever howsoever arising save claim arise negligence gross negligence willful intent specify period travel consent declare legal custodian child legal authority grant travel consent traveling guardian child inconsistent context word signify singular shall include plural vice versa page 71 superintendent circular cao-25 page 71 104 sign day 20 signature parent/ guardian signature witness 1 signature witness 2 witness signature independent person list travel consent form day 20 undersigned authority personally appear prove satisfactory evidence identity wit person(s name(s sign attach document sign presence official notary signature notary typed printed stamp commission expire page 72 superintendent circular cao-25 page 72 104 student support international programs form note form complete student intend participate international program information confidential program leaders well understand support need student program foreign country student prepare international program think follow question respond honestly possible order support nervous excited scare trip location activity itinerary page 73 superintendent circular cao-25 page 73 104 new environment anxious new environment upset order learning benefit experience need give law custom culture country visit concern prefer speak person member chaperone team discuss form share additional information  yes  page 74 superintendent circular cao-25 page 74 104 international programs incident report incident report yellow red incident fully describe investigate soap note a. complete field school s date report country incident date time report chaperone page 75 superintendent circular cao-25 page 75 104 b. complete applicable fields victim(s name(s contact information suspect(s name(s contact information witness(s name(s contact information location event address c. nature incident check apply ☐ injury ☐ equipment failure ☐ behavioral/ psychological ☐ illness ☐ missing separated person ☐ natural disaster ☐ physical assault ☐ sexual assault ☐ theft ☐ property damage ☐ sexual harassment ☐ fatality ☐ crime ☐ political upheaval ☐ disease outbreak ☐ ☐ bps code conduct violation international programs incident report continue page 76 superintendent circular cao-25 page 76 104 d. narrative fact describe happen e. activity time incident check apply ☐ class time ☐ service ☐ homestay ☐ traveling ☐ fieldtrip ☐ camping ☐ hike jog walk ☐ swimming ☐ water activity ☐ f. contributing factor check apply ☐ disclose medical form ☐ animal insect plant ☐ pre existing condition ☐ alcohol drugs medication ☐ weather terrain ☐ motor vehicle ☐ political cultural language ☐ pre course info ☐ sports recreation ☐ orientation training ☐ page 77 superintendent circular cao-25 page 77 104 g. action take details aid type ie medication cpr etc emergency evacuation visit medical facility facility doctor pa nurse report diagnosis medication prescribed emergency contact person notify ☐ yes ☐ date time contact note page 78 superintendent circular cao-25 page 78 104 department global education dge contact ☐ yes ☐ date time dge contacted note insurance contact ☐ yes ☐ date time contact claim note local authorities notified ☐ yes ☐ date time notified organization authority name(s note follow plan detail page 79 superintendent circular cao-25 page 79 104 signature report chaperone date file international incident programs report accompany report document local law enforcement medical professional and/or international programs witness report email possible soon circumstance permit turn original report dge soon return boston incident report require witness signature possible signature impact participant signature witness date signature impact date date date page 80 superintendent circular cao-25 page 80 104 soap note soap note live documentation health- relate incident require monitoring and/or evacuation soap note attach corresponding incident report subjective patient tell note chief complaint(s objective vital sign general survey patient page 81 superintendent circular cao-25 page 81 104 assessment think go diagnosis present medical professional anticipated problem plan test order medication prescribe follow need signature report chaperone date file soap note accompany report document local law enforcement medical professional and/or international programs witness report email possible soon circumstance permit turn original report dge soon return boston page 82 superintendent circular cao-25 page 82 104 international programs witness report witness shall use form provide statement observation accompany incident report form witness statement phone number address description incident believe content statement true witness signature date page 83 superintendent circular cao-25 page 83 104 international programs incident investigation log template running note investigation event time location parties involve source information page 84 superintendent circular cao-25 page 84 104 event time location parties involve source information signature investigator date page 85 superintendent circular cao-25 page 85 104 fire prevention safety practices international overnight programs fire safety plan overnight international program differ procedure set school law regulate fire prevention differ exist massachusetts step follow overnight international program 1 conduct fire prevention assessment program leader conduct fire safety prevention assessment fire prevention safety form attachment 24 hour arrival fire prevention safety form program leader shall formulate plan evacuation person trip event fire emergency plan shall include alternate mean egress create consultation accommodation staff person applicable party provider 2 prepare chaperone team fire prevention strategy base result fire prevention safety form program leader ensure staff member receive understand fire prevention landscape page 86 superintendent circular cao-25 page 86 104 instruction fire drill procedure create accommodation question review include a. good mean egress case fire consider room student staff stay place group congregate use hotel post evacuation route applicable b. designate meeting point meeting point safe distance building easy group identify locate c. responsible student attendance take chaperone ratio permit lead chaperone assign group serve contact person emergency personnel d. hazard student chaperone aware e. happen case miss person 3 review prevention strategy students conduct fire drill lead chaperone chaperone team review fire prevention strategy conduct fire drill walkthrough student 24 hour trip conduct fire drill walkthrough important participant unfamiliar building page 87 superintendent circular cao-25 page 87 104 instruction fire drill accommodation different plan drill vary regardless accommodation critical procedure place evacuate building chaperone know responsibility student participate fire drill walkthrough person know meeting location evacuate building note fire drill define walkthrough route group exit premise event emergency general instruction evacuate immediately use elevator fire evacuation student walk designate meeting location outside building quiet orderly manner sure student know possible exit area student know meeting location outside building fire drill plan ensure adequate procedure emergency evacuation student staff disability staging location student staff disability sure hotel hostel personnel aware chaperones responsible student supervision attendance evacuation building person person shall enter building authorization lead chaperone lead chaperone fire page 88 superintendent circular cao-25 page 88 104 drill procedure establish command procedure evacuation 4 conduct post fire drill debrief fire drill chaperone team set aside time debrief record response attachment a. page 89 superintendent circular cao-25 page 89 104 fire prevention safety assessment form direction accommodation complete return file form document mandate legally document keep file current fiscal year plus additional year field trip occur building program leader date safety prevention assessment s staff titles consult assessment accommodation staff/ program provider staff outside building list possible hazard area accommodation access fire department emergency team ▢ yes ▢ page 90 superintendent circular cao-25 page 90 104 inside building equipment building fire alarm ▢ yes ▢ fire sprinkler ▢ yes ▢ yes locate adequate lighting corridor ▢ yes ▢ clear exit sign ▢ yes ▢ fire alarm pull station ▢ yes ▢ fire alarm pull station visible accessible ▢ yes ▢ fire extinguisher ▢ yes ▢ yes smoke detector corridor room participant stay ▢ yes ▢ page 91 superintendent circular cao-25 page 91 104 hazard list potential fire hazard site notable fire hazard open fire door accumulate trash block corridor lock exit door block stairway burn exit light miss break fire equipment ▢ yes ▢ means evacuation egress facility evacuation plan room sure conduct fire drill walkthrough develop plan leave room ▢ yes ▢ mean egress primary exit alternate exit ▢ yes ▢ note location page 92 superintendent circular cao-25 page 92 104 fire drill walkthrough plan record note post drill debrief date time fire drill student chaperone follow procedure fire drill ▢ yes ▢ base debrief inform student finding adjustment necessary conduct fire drill safety review drill complete sign signature program leader date page 93 superintendent circular cao-25 page 93 104 bps student traveler family agreement form overview positive behavior key expectation student participate domestic international travel opportunity positive behavior reflect trustworthiness respect responsibility ambassadorship service participant expect fully participate follow program guideline behave appropriately ensure high quality learning experience parent guardians read contract carefully student sign student signature contract seal commitment follow behavior expectation lead school trip trip student understand acceptance trip prior departure guarantee allow attend access school handbook include bps school rule bps code conduct know responsibility follow bps rule guideline set administrator chaperone attend mandatory pre departure meeting complete mandatory paperwork violate bps code conduct page 94 superintendent circular cao-25 page 94 104 distribute consume alcohol drug include edible and/or encourage action bps code conduct law pack illegal inappropriate item i.e. item violation bps code conduct include limit weapon alcohol edible drug paraphernalia compliant guideline set school administrator chaperone program expectation require material complete project journal service hour know act appropriately violate rule consequence action consequence include limit allow participate international trip program trip student violate bps code conduct ask help adult need treat peer adult people utmost level respect purchase distribute consume illegal inappropriate item i.e. item violation bps code conduct include limit weapon pepper spray alcohol edible drug paraphernalia substance legal state foreign country legal age foreign country page 95 superintendent circular cao-25 page 95 104 use social medium responsibly trip post communicate information student emergency situation abide establish curfew sleep assign bed sleep location night vandalize property venue visit hotel tour bus tourist site homestay location obey bps dress code suggest attire foreign country specific site location foreign country visit share medication trip medication prescribe doctor require recommend medical use abroad i.e. malaria pill asthma inhaler prescription anxiety depression leave group time specifically authorize practice good common sense respect consideration property understand responsible keep passport important belonging travel document safe understand partake illegal activity abroad result arrest understand issue kind arise chaperone address issue decision final know act appropriately violate rule consequence action page 96 superintendent circular cao-25 page 96 104 consequence include limit send home parent guardian expense parent guardians/ student age 18 old fully understand follow condition student international travel bps bps code conduct apply field trip follow investigation program leader consult principal head school central office staff determine student conduct overnight trip pose risk safety group long manageable bps staff field district reserve right request arrange student return home district reserve right request family assume responsibility portion cost associate child return student subject disciplinary action provide opportunity formal hearing school level return student dismiss international overnight field trip behavior violate bps code conduct participate domestic overnight international trip student parent guardian notify advance agree meet student airport agree destination parent guardian reachable student principal appropriate school base point contact notify agree meet student page 97 superintendent circular cao-25 page 97 104 airport agree destination student age 16 accompany flight chaperone student age 16 fly unaccompanied chaperone accompany student airport ensure student check flight age requirement subject specific airline train bus guideline cost assume regard responsibility parent guardian parent student sign contract agreement party company vendor acknowledge outside company protocol procedure differ bps policy procedure family especially aware cancellation refund policy bps responsible money pay party vendor bps reserve right cancel trip time trip destination impose immediate risk student cancel instance family notify immediately family page program leader page page 98 superintendent circular cao-25 page 98 104 student guardian statement understanding read understand bps student traveler family agreement form understand expect prospective student traveler feel parent guardian student commit expectation parent guardian print parent guardian signature date phone number student print student signature date phone number student return page program leader page 99 superintendent circular cao-25 page 99 104 bps chaperone agreement form form complete chaperone bps sponsored field trip submit program leader lead chaperone school destination departure date return date chaperone agree abide follow code conduct participate bps sponsor field trip safety responsibility understand safety safety participant extremely important field trip agree safety priority agree conduct manner promote safety safety time understand maintain student safety require student supervise and/or chaperone time student engage field trip activity overnight international field trip understand nighttime curfew room check student morning wake call student responsibility page 100 superintendent circular cao-25 page 100 104 agree follow bps policy protocol guidance bps staff field drug alcohol policy understand bps code conduct prohibit student possess sell and/or distribute follow domestic international field trip alcohol marijuana non prescribed control substance imitation control substance inhalant intoxicant control drug paraphernalia unauthorized possession use distribution counter medication selling prescription drug code prohibit use tobacco product include e cigarette hookah paraphernalia vapor cigarette understand prohibition apply student regardless age understand forbid use visibly possession tobacco presence student understand use drug include alcohol weapon strictly prohibit field trip chaperone printed chaperone signature date cao-25 international trip request page 101 superintendent circular cao-25 page 101 104 attachment nurse verification form overview instruction mandatory risk management procedure complete form 10 week prior departure bps goal strong position support student health abroad program leader review student medical form consult school nurse ensure document accurately complete note school nurse clear student travel provide trip leader chaperone guidance support student medically travel program leader shall consult necessary receive training obtain write comment school nurse student express medical need e.g. medication asthma allergy etc important program leader chaperone know student family omit medical information permission slip variety reason case program leader discover medical condition nurse aware collective duty ensure date medical information student traveler program leader actively discuss importance honesty medical disclosure student family pre departure meeting school nurse assist follow list limit page 102 superintendent circular cao-25 page 102 104 student current medical status current immunization record background information particular medical condition specific medication instruction training medication application necessary epi pen instruction help determine appropriate trip accommodation consideration student traveler consult outside medical professional involve student medical need i.e. social worker occupational therapist child primary care physician program leader provide nurse following information student traveler roster trip destination date draft itinerary nurse verification form follow submit 10 week prior departure mail scan dge additional question contact kayla dorsey twumasi director global educcation page 103 superintendent circular cao-25 page 103 104 cao-25 international trip request attachment nurse verification form school trip trip destination date travel trip leader school nurse school nurse phone number school nurse email @bostonpublicshools.org program leader sign form verify consult school nurse student traveler roster retain copy file submit original department global education signature indicate read understand policy circular follow additionally signature indicate read understand nurse verification protocol signature trip leader date page 104 superintendent circular cao-25 page 104 104 school nurse signature indicate trip leader share propose international trip student traveler roster medical form complete mandatory step sign verify signature school nurse date page 1 superintendent circular number fmt-18 version 01 science safety school laboratory classrooms circular remain effect rescind supersede subsequent version boston public schools bps develop science safety plan promote safe effective learning environment student healthy workplace teacher employee science classroom laboratory boston public schools science safety plan comprehensive effort address chemical use storage disposal procedure prevention and/or minimization response chemical spill accident districtwide plan address need bps science class consistent requirement u.s. department labor occupational safety health administration osha 29 cfr 1910.1450 occupational exposure hazardous chemicals laboratories protection student employee guidance material national fire protection association nfpa national institute occupational safety health niosh boston fire department science safety plan promote culture safety science safe operation science laboratory student faculty staff ensure student teacher work environment safe necessary formulate standard procedure requirement school personnel page 2 superintendent circular fmt-18 page 2 8 science safety plan circular review annually performance procedure require responsibility principals heads schools 1 ensure science class laboratory assign conduct appropriately equip science rooms 2 provide list science teacher teacher science science department october 1st year form provide appendix r bps science safety plan 3 appoint science safety coordinator ssc ensure attend mandatory chemical safety training session co host science department flinn scientific b conduct annual chemical inventory c complete require safety check state sections j o bps science safety plan 4 inform staff student writing safety standard procedure include need wear eye protection device 5 ensure workable fire extinguisher blanket safety shower eyewash equipment readily available appropriate personnel receive training use 6 ensure staff review implement bps science safety plan page 3 superintendent circular fmt-18 page 3 8 7 ensure staff instruct student safety standard procedure include bps science safety plan school safety plan 8 post building evacuation procedure classroom laboratory chemical storage room 9 conduct quarterly fire drill 10 maintain adequate lighting proper ventilation laboratory classroom report problem facilities management immediately 11 sure teacher evaluation reflect implementation safety standard procedure 12 ensure right know workplace notice post school science rooms pursuant mass. gen. laws c. 111f. 13 ensure copy safety datum sheet sdss maintain main office chemical storage area 14 ensure instructor work toxic hazardous substance receive training specify chapter 111f massachusetts general laws science department 15 notify science department accident injury science area 16 submit annual hazardous material permit application boston fire department post current permit main office page 4 superintendent circular fmt-18 page 4 8 responsibility teacher 1 review implement science safety plan include sop general laboratory chemical use storage chemistry laboratory biology laboratory physics laboratory waste management 2 attend annual safety training(s include science safety aid 3 practice safety procedure serve model good safety conduct student 4 establish student safety contract student prior laboratory activity 5 require use appropriate personal protective equipment 6 avoid accident insist student dress properly laboratory 7 supervise student time circumstance shall teacher leave student unsupervise laboratory chemical storage room instructor leave laboratory emergency arrange qualified teacher replacement b relocate student properly supervised area c lock laboratory d shut equipment 8 inspect fire extinguisher monthly safety shower eyewash station weekly ssc science teacher charge 9 maintain aid kit easily accessible area ssc science teacher charge page 5 superintendent circular fmt-18 page 5 8 10 maintain chemical inventory online chemventory system update annually submit electronic copy science department facilities management october 1st year ssc science teacher charge 11 ensure sds chemical accessible copy keep chemical storage room school science department administrative main office ssc science teacher charge 12 store chemical compatible chemical family 13 chemical storage room cabinet lock time use 14 label chemical storage room cabinet laboratory door appropriate nfpa diamond ssc science teacher charge 15 ensure chemical waste container label appropriately store safely remove contact facilities management removal 16 implement appropriate emergency procedure waste disposal spill cleanup evacuation route fire emergency notification need 17 consult science and/or facilities management department staff appropriate use class 1a flammable compress gas donate chemical implementation laboratory experiment hazardous contain district identify curriculum 18 report accident injury principal head school direct supervisor page 6 superintendent circular fmt-18 page 6 8 19 report lighting ventilation safety equipment laboratory disrepair principal head ofschool direct supervisor facilities management responsibility student 1 practice good chemical hygiene habit 2 maintain awareness health safety hazard report unsafe practice condition teacher 3 report accident injury teacher immediately 4 know follow emergency procedure 5 notify teacher sensitivity allergy chemical 6 wear appropriate apparel personal protective equipment include goggle laboratory activity 7 conduct activity accord teacher instruction ensure science safety plan follow technical assistance facilities management bps district science department provide school technical assistance improve maintain safety procedure facilities management safety personnel available coordinate fire prevention activity building safety equipment inspection page 7 superintendent circular fmt-18 page 7 8 contact chief environmental technician facilities management 617 635 8300 assistant superintendent office teaching learning 617 635 8079 information circular contact owner sr environmental supervisor department facilities management mailing address 1216 dorchester ave boston ma 02108 phone 617 635 8300 email operations department- heads@bostonpublicschools.org owner science technology engineering department department office teaching learning mailing address campbell resource center 1216 dorchester ave boston ma 02125 phone 617 635 8750 email bpssciencematerials@bostonpublicschools.org page 8 superintendent circular fmt-18 page 8 8 additional contact office teaching learning chief teaching learning opl@bostonpublicschools.org executive director stem opl@bostonpublicschools.org program director high school science opl@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-10 version 01 integrated pest management ipm circular remain effect rescind supersede subsequent version mission statement ensure healthy safe learning work environment boston public school bps building bps implement systemwide ipm program ipm holistic approach control pest activity reduce pesticide usage building surround landscape implementation plan key component effective ipm plan selection ipm coordinator ipm coordinator administrative authority adequately enforce implement program ipm coordinator act representative principal ipm coordinator require establish ipm committee include interested stockholder e.g. custodian(s school program community school applicable food service manager teacher etc state law regulation require school building license daycare register indoor outdoor ipm plan massachusetts department agricultural resources mdar law require ipm plan update register annually p control contractor pcc responsible annually update indoor outdoor plan page 2 superintendent circular fmt-10 page 2 7 ipm plan update annually p control contractor december 1 pcc meet principal head school designee update plan update include limit technical component p treatment product device ipm plan principal head school designate representative i.e. ipm coordinator provide pcc school information include limit school address principal head school ipm coordinator ipm committee member etc logbook contain follow section copy mdar approve indoor outdoor ipm plan complaint sight form pest control contractor inspection treatment report treatment product health safety information similar material safety datum sheet pest control contractor pcc information address company contact person telephone number etc note important pest problem issue enter logbook ensure problem area treat monthly inspection monthly inspection 1 pcc work bps facility familiar bps ipm protocol 2 prior start service pcc report main office review ipm logbook recent page 3 superintendent circular fmt-10 page 3 7 entry 3 pcc conduct monthly inspection school building minimum inspection include physical inspection assessment following area note ipm relate deficiency a. food prep storage area b. dumpster waste storage area c. loading receive area d. building ground e. teacher lounge f. entry point connection mechanical space crawl space g. boiler room area mechanical room moveable storage area h. storage room sink custodial storeroom i. note room recent complaint area room mark complaint service j. suspect area 4 temporarily seal potential rodent access hole void < 3 diameter include voids pipe duct penetration penetration pcc use approve sealant pcc provide product specification sealant prior use bps facility alterations repairs supervisor contact permanently seal penetration 5 pcc vacuum rodent dropping area trap glue board monitor station etc place 6 pcc inspect note area recommendation enhanced treatment page 4 superintendent circular fmt-10 page 4 7 necessary 7 pcc provide electronic copy ipm inspection treatment service email school email address environmental supervisor specialist bps food services p control contractor school notify seek approval bps environmental division additional ipm treatment service call inspection monthly treatment request verify email confirmation quality ipm program effectively control following condition rodent entry point access harborage clutter food source sanitation moisture ipm coordinator review ipm logbook immediately follow inspection coordinator create work order request address environmental supervisor treatment necessary repair page 5 superintendent circular fmt-10 page 5 7 clutter major issue need address effective ipm program clutter create harborage pest limit treatment clutter define storage 1 impede egress 2 limit safe movement area 3 block limit access essential mechanical utility emergency equipment 4 stagnant box material leave floor sign deterioration water damage pest activity unnecessary unwanted contaminated material remove bed bug protocol boston public schools bed bug common pest problem impact general quality life know transmit disease bed bug small ¼ inch diameter brownish flatten insect know bite people asleep bite feel cause itchiness swelling unlike insect e.g. head lice bed bug live people hitchhike personal item backpack clothing book etc school building bed bug infestation uncommon school mean school need proactive school response actions 1 school ipm coordinator principal head school notify 2 write complaint school ipm logbook page 6 superintendent circular fmt-10 page 6 7 keep main office provide detail complaint divulge personal information complaint log suspect bed bug 3 contact facilities management environmental division 617 635 8300 4 capture insect place sealed clear plastic bag ziploc identification p control contractor pcc come identify insect soon possible 5 student identify bed bug personal belonging student room bag seal tightly 6 student suspect bite mark school nurse soon possible 7 school nurse contact student parent guardian provide contact information boston public health commission arrange bed bug inspection information visit link https://bphc.org/whatwedo/healthy-homes- environment documents bedbug_fact_sheet page 7 superintendent circular fmt-10 page 7 7 summary significant date deadlines activity timeline copy year superintendent circular include ipm book annually october 1 p control contractor annually review update indoor outdoor ipm plan register massachusetts department agricultural resources submit facilities management annually december 1 information circular contact owner sr environmental supervisor department facilities management mailing address 1216 dorchester avenue dorchester ma 02125 phone 617 635 8300 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp14 version 01 pay leave cancer screening living organ donation circular remain effect rescind supersede subsequent version additional pay leave benefit available city boston employee annual cancer screening living organ donation annual cancer screen mayor sign executive order allow city boston employee use 4 hour leave calendar year type cancer screening types cancer screening fall hour year policy follow breast prostate colon skin thyroid oral cavity lymph nodes reproductive organ lung following procedure effect boston public schools employee allow 4 hour leave calendar year intermittently 1 hour period employee request responsibility center manager page 2 superintendent circular hrs pp14 page 2 4 sign copy medical document verify date employee give cancer screening file responsibility center manager time charge accumulate sick leave time position creditable service pay leave health benefit protect type leave report time annual cancer screening add absence event timesheet absence pre- cancer screening living organ donation effective october 3 2006 mayor issue executive order adopt act relative living organ donation grant leave absence loss pay live organ donation apply leave take employee provide live organ donation transplant individual live organ donation include donation kidney liver pancrea lung intestine heart domino transplant city boston employee eligible leave include time time seasonal temporary employee eligible pay leave benefit include independent contractor substitute cab monitor transportation attendant intermittent employee eligible pay leave benefit following procedure effect boston public schools employee allow maximum total 30 day pay leave calendar year donate organ time cover day take medical procedure page 3 superintendent circular hrs pp14 page 3 4 recovery time employee receive prorate portion 30 day base time schedule leave intermittently employee obtain letter physician letterhead disclose employee approve live organ donor type organ donate sign copy medical document verify date living organ donation procedure employee undergone submit human resources responsibility center manager e.g. principal department head time charge accumulate sick leave time position creditable service pay leave health benefit protect type leave report time live organ donation add absence event timesheet absence organ donation question specific health insurance coverage direct health benefits insurance 617 635 4570 health insurance provider information live organ donation find following link https://optn.transplant.hrsa.gov/resources/living-donation page 4 superintendent circular hrs pp14 page 4 4 information circular contact owner employee services department human resources mailing address 2300 washington street roxbury ma 02119 phone 617 635 9255 fax 617 635 7957 email ohrleaves@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hwd-03 version 01 comprehensive health education policy circular remain effect rescind supersede subsequent version background health education define cdc help student acquire functional health knowledge strengthen attitude belief practice skill need adopt maintain healthy behavior life health education curricula address national health education standards nhes incorporate characteristic effective health education curriculum teach qualified train teacher addition american cancer society american diabetes association american heart association believe school health education program reduce health risk behavior tobacco use poor nutrition lack physical activity drug alcohol use action increase stress risk injury violence behavior amenable change quality school health education teach train licensed health educator provide good opportunity promote positive health behavior child adolescent work schools fact learn life health education school page 2 superintendent circular hwd-03 page 2 11 health education integral component quality school programming school direct contact significant number boston youth critical year student social psychological physical intellectual development result school play important role improve student health social outcome promote academic success cdc healthy schools healthy student ready able learn likely experience negative academic impact e.g. academic failure low test score truancy absenteeism student engage risky health behavior accord cdc school achieve primary mission education student healthy school address health need student effective comprehensive health education research support school health program policy efficient way reduce risky behavior student prevent health problem address achievement gap boston public schools bps believe accordance nhes health education empower student practice behavior protect promote health minimize risk health education bps include teach health skill essential concept health literacy health promotion health equity strong focus understand social determinant health line nhes bps emphasize holistic approach health shift focus specific health behavior overall approach leverage strength resource student family school community prioritize equip student health skill essential knowledge need assist live page 3 superintendent circular hwd-03 page 3 11 healthy life enable actively support health health broad societal context policy implementation guideline present explain boston public schools create effective health education programming policy boston public schools require comprehensive pre k grade 12 health education medically accurate age developmentally appropriate culturally linguistically sustain implement safe supportive learning environment student feel value boston public schools skill base approach teach comprehensive health education address variety topic tobacco alcohol substance misuse harm reduction nutritional health mental emotional health personal health wellness physical activity safety injury prevention violence prevention comprehensive sexual health education lgbtq+ affirm comprehensive health education curriculum shall modify need student disability student english learner shall promote healthy lifestyle habit healthy relationship health literacy student health education curricula align bps health education frameworks integrate massachusetts comprehensive health physical education framework national health page 4 superintendent circular hwd-03 page 4 11 education standards national sexuality education standards qualified train teacher implement curriculum school follow relevant promotion graduation requirement include health education include minimum healthy safe body unit elementary school semester health education grade 6 8 teach license health education teacher semester course health education total grade 9 12 teach licensed health education teacher addition course requirement health education topic integrate subject area possible reinforce importance provide additional skill practice demonstrate connection health concept content area implementation guidelines boston public schools committed address health wellness student effective health education programming bps require comprehensive pre k-12 health education teach student district boston public schools comprehensive approach review incorporate change policy curriculum implementation effort result skill base approach teach health education promote healthy lifestyle habit healthy relationship health literacy student page 5 superintendent circular hwd-03 page 5 11 school adhere follow implementation guideline a. school leader designee responsible implement enforce policy grade level team lead health education teacher instructional lead determine collaboration school leader school meet policy requirement relate time staffing implementation school leader consult director health education office health wellness school meet policy requirement b. bps policy require student prek-12 receive health education line promotion graduation requirement include minimum a. bps healthy safe body unit elementary school b. semester health education total grade 6 8 c. semester course health education total grade 9 12 c. national health education standards recommend i. pre k grade 2 receive minimum 40 hour year ii grade 3 12 receive minimum 80 hour page 6 superintendent circular hwd-03 page 6 11 year d. staffing requirement a. bps support learning environment teacher highly qualified subject area teach i. grade k-5 instruction implement train teacher hold active valid teaching license ii grade 6 12 instruction implement train teacher active valid health education teaching license b. school unable provide student instruction licensed teacher contact office health wellness support identify district approve staffing alternative staff alternative approve office human capital office health wellness school respective instructional superintendent staffing alternative consider extenuate circumstance situation increase opportunity student e. bps curriculum meet following criterion district endorse curriculum a. align 2023 massachusetts comprehensive health physical education framework 2024 national health education standards 2020 national sex education standards page 7 superintendent circular hwd-03 page 7 11 b. comprehensive standard base sequential teach variety skill topic way student learning skill development build unit year c. inclusive variety topic tobacco alcohol drug misuse healthy eating nutrition mental emotional health personal health wellness physical activity safety injury prevention violence bullying prevention comprehensive sexual health education lgbtq inclusive d. medically accurate age developmentally- appropriate e. culturally linguistically sustain include limit race gender sexual orientation cultural identity f. modified need student disability student english learners g. f. district endorse high quality instructional material include following curriculum catch k-8 journeys goodheart wilcox grades 6 12 essential health skills prek grade 12 rights respect responsibility curriculum g. student assessment include grade competency i.e. knowledge skill practice participation assessment reflect student report card page 8 superintendent circular hwd-03 page 8 11 h. implement safe supportive learn environment student feel acknowledge respected value i. schools include cross curricular interdepartmental collaboration enhance value meaning health education programming include opportunity student think critically globally inclusively develop health literacy enhance health equity a. example school recognize world health day organize student lead wellness day preparation health education class explore social determinant health identify boston base community health resource enhance personal family community social study student research global health issue create map infographic illustrate different region impact health challenge role international organization address issue math student analyze compare datum national yrbs boston yrbs create graph interpret trend strength base approach computer science student design simple app website promote healthy habit sleep tracker nutrition diary mental health check tool interdisciplinary approach encourage motivate healthy behavior focus positive outcome j. professional development essential component effective policy implementation teacher page 9 superintendent circular hwd-03 page 9 11 attend relevant professional development opportunity a. schools support encourage school personnel professional development b. teacher expect stay current field health health education review analysis implementation appropriate national state local health policy procedure standard research good practice guideline international national state organization etc k. schools monitor assign individual monitor relevant student community information assist identify priority area health education include limit district- level youth risk behavior survey datum school health profiles datum school level health services data community public health trend datum review modify health education programming order ensure meet need student l. schools require state notify parent guardians curriculum primarily involve human sexual education human sexuality issue permit parent guardians exempt child penalty portion curriculum superintendent circular hwd-05 human sexual education education parent notification school engage family child health education provide access curricular material health relate information page 10 superintendent circular hwd-03 page 10 11 school encourage student actively engage parent caregiver family member promote healthy behavior m. school decide utilize community partner support health education program refer partnerbps consult office health wellness identify appropriate community partner meet need community partner provide important aspect quality health education meaningfully support enhance programming bps school community partner and/or supplementary material curriculum teach sexual health education school consult office health wellness vetting recommendation n. office health wellness lead health education district support school a. vet health education curriculum material resource b. provide curriculum training material professional development instructional coaching technical assistance c. maintaining enhance bps health education digital learning library d. vetting manage partnership ensure equitable support education district e. collaborating offer family health education informational workshop event page 11 superintendent circular hwd-03 page 11 11 f. coordinate central office department develop health promotion family event specific health topic applicable align tier ii tier iii service program provide department recognize effectively implement comprehensive skill base health education program challenge office health wellness committed provide training support resource school school personnel help implementation policy information circular contact owner senior executive director health wellness department health wellness mailing address 370 columbia rd dorchester ma 02125 phone 617 635 8709 email healthandwellness@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number amt-03 version 01 assignment department youth service dys commit student circular remain effect rescind supersede subsequent version attach procedure assignment department youth services dys commit student new boston public schools enter boston public schools previous discharge develop ensure efficient appropriate assignment dys commit student boston public schools procedure result collaborative effort staff boston public schools department youth services adhere case pertain dys student i. procedures assignment dys committed student new boston public schools enter boston public schools previous discharges initiate successfully implement assignment dys commit student boston public schools procedure list shall apply refer section ii additional requirement student recommend special education page 2 superintendent circular amt-03 page 2 10 1 prior student enter bps dys shall write letter stationery include following a. verification parent address b. verification student address different address student live bps program c. purpose enrollment i.e. start school request evaluation special education d. address telephone number dys education liaison caseworker e. reason student re- assign previous school 2 letter shall attach application forward dys caseworker educational liaison representative student assignment specialist appropriate welcome center time application school assignment document need enroll student boston public schools program document provide student educational setting change previous grade 3 dys caseworker educational liaison representative shall assist student entry entry process contact school administrator order prepare successful return 4 return student accompany dys caseworker educational liaison representative return boston public school page 3 superintendent circular amt-03 page 3 10 application welcome center staff shall 1 provide parent guardian student dys caseworker liaison student registration form 2 explain assist parent guardian student dys caseworker liaison completion student registration form 3 complete appropriate information student registration form 4 provide parent guardian student dys caseworker liaison home language survey form language preference assist completion form attach student registration form a. complete home language survey form b. dys letter cite page 2 b address state letter attach proof residency require welcome services i.e. social service agency id letter preprinte recent utility bill bank statement mortgage address c. proof grade available i.e. transcript document course credit earn dys facility private placement proof grade available question appropriate grade level placement shall address way non dys committed student d. copies immunization record new enrollee 5 sign specify date student registration home language survey form 6 provide dys caseworker liaison copy page 4 superintendent circular amt-03 page 4 10 assignment form give parent guardian student note 1 dys responsible notify school assignment student commit dys note distinction dys detain dys commit student notification commit student come form request record 2 office welcome services responsible contact appropriate special education assistant program director case dys student enter bps current sign iep determine status student ii procedures followed dys committed student recommended special education program dys commit student detention center secure facility private special education school recommend bps special education program special education evaluation shall place private school coordinator supervisor contract service responsible evaluation procedure follow 1 dys student secure facility detention center private school coordinator assign dys responsible evaluation 2 dys student chapter 766 approve private school private school coordinator assign private school responsible evaluation 3 dys student school attend chapter 766 approve private school regional page 5 superintendent circular amt-03 page 5 10 review board approval previous school year private school coordinator assign previously attend private school responsible evaluation great school year private program 766 approve assign school coordinator responsible evaluation 4 dys student school current school assignment private school coordinator responsible evaluation dys caseworker liaison responsible submit current assessment student dys caseworker educational liaison representative shall determine student assign school call office enrollment services 617 635 7750 dys shall refer student special education program director sess coordinator assign school evaluation reevaluation request letter sufficient contain student current address telephone number contact person parent special education program director sess coordinator responsible provide form assist coding evaluation procedure supervisor contract service special education program director sess coordinator private school coordinator dys caseworker liaison shall work jointly obtain parent guardian signature consent evaluation reevaluation release information form supervisor program director coordinator shall complete evaluation reevaluation prescribed timeline base team finding recommendation write page 6 superintendent circular amt-03 page 6 10 individualized education program iep request placement special education setting follow 1 team recommend student assign partial inclusion set sub separate setting supervisor program director coordinator dys caseworker liaison shall work jointly obtain write parental approval iep 2 receipt sign page iep supervisor program director coordinator shall copy sign approve iep dys 3 team recommend student assign substantially separate setting supervisor program director coordinator shall submit copy require assessment iep assignment coordinator decision student placement collaboration level assistant director prior request recommend specific school assignment 4 supervisor program director coordinator shall present dys parent guardian student 18 year age recommend placement option 5 supervisor program director coordinator dys shall work jointly obtain write approval iep 6 receipt sign iep supervisor program director coordinator shall forward copy appropriate level assistant director copy dys caseworker liaison attach copy dys letter refer section i.a. present document time application school assignment document need page 7 superintendent circular amt-03 page 7 10 7 level assistant director shall complete di5 form forward enrollment planning support unit finalize assignment important note team determine student need special education service case program director coordinator provide letter indicate team decision eligibility provide dys caseworker iii procedures maintain communication dys bps dys commit student assign boston public school contact person school assignment student enter enter boston public schools dys placement dys staff shall contact head school principal delegate ongoing liaison function follow school base staff 1 regular education student guidance counselor advisor designate head school principal secondary school principal designee elementary school 2 special education student special education program director sess coordinator middle high school level program director sess coordinator shall guidance staff inform dys contact page 8 superintendent circular amt-03 page 8 10 note case regular special education dy student school contact person(s responsible keep building administrator fully inform relative status dys student assign building contact persons dys student enter enter boston public schools dys placement school base staff contact follow dys personnel name change title give school staff need ask specific name 1 director caseworker service 617 727 7575 2 educational liaison 617 727 7575 follow step take case emergency 1 head school principal have emergency dys student contact director casework service 617 727 7575 refer case appropriate dys staff 2 non emergency situation head school principal designee maintain usual ongoing communication assign caseworker dys staff doubt director casework service 617- 727 7575 contact student commit dys facility enroll boston public schools time school year summer dys shall advise respective head school principal student assign provide dys contact person dys student enrol designate bps school transfer bps school year head page 9 superintendent circular amt-03 page 9 10 school principal designee send school shall contact head school/ principal receive school inform transfer september 1st year dys shall generate list dys student assign boston public schools indicate school student assign dys contact person student list update bi weekly december monthly send office welcome services verification dys shall designate liaison meet periodically staff office welcome services designee follow status dys student assign bps school principal head school interested annual service session staff participation dys staff contact director casework service 617 727 7575 information circular contact owner director student assignment selective admissions department office family community advancement mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 7698 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 10 superintendent circular amt-03 page 10 10 page 1 superintendent circular number fmt-04 version 01 custodial pay adjustment procedure circular remain effect rescind supersede subsequent version office facilities management building services properly adjust custodian pay timely manner essential follow payroll procedure outline senior custodian absent notify facilities management building services telephone 617 635 9162 e- mail emalone2@bostonpublicschools.org absent senior custodian custodian covering reason absence date absence know absent senior custodian return work facilities management building services notify ensure person cover pay correct number day custodial pay period begin saturday end friday weekly payroll absentee long term basis facilities management building services notify current act senior carry forward pay period page 2 superintendent circular fmt-04 page 2 3  custodian dock day notify beth malone ensure dock properly record notify facility reason dock i.e. late leave early custodian 0 balance sick personal vacation leave code select absence leave pay select absence reason additional information enter comment panel dock act senior coverage report timely manner ensure coverage single person building prior notice give office facilities management building services possible 48 hour notice require personal compensatory day week notice require vacation call act senior coverage school session take head school principal secretary principal designee custodian act senior coverage school vacation summer month page 3 superintendent circular fmt-04 page 3 3 information circular contact owner assistant director building services department facilities management mailing address 1216 dorchester ave dorchester ma 02125 phone 617 635 9162 fax 617 635 9306 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-01 version 01 hazing law massachusetts law make crime engage haze activity hazing mean conduct method initiation student organization public private property willfully recklessly endanger physical mental health student person copy commissioner elementary secondary education advisory attach hereto attachment 1 middle school principal head school principal k-8 school treat hazing violation section 7.2.5 code conduct attendant sanction require state law following step 1 distribute copy amend law attachment 1 school base student organization september 15 2 obtain student organization statement sign designate officer organization indicate a. organization receive copy law b. member plebe pledge applicant receive copy law c. organization understand agree comply law page 2 superintendent circular lgl-01 page 2 11 designate officer signature witness adult i.e. faculty advisor sign statement statement retain main office sample acknowledgment attach memorandum attachment 2 convenience 3 distribute copy law student grade 7 12 annually middle school principal head school principal k-8 school certify school complie anti hazing law massachusetts department elementary secondary education october 1 log anti hazing application accessible massedu gateway 4 law require know person victim haze report incident appropriate law enforcement official soon possible provide criminal penalty failure summary significant date deadlines date activity september 15 building administrator distribute attachment 1 school base student organization october 1 middle school principal head school principal k-8 school certify compliance anti hazing law dese page 3 superintendent circular lgl-01 page 3 11 information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 4 superintendent circular lgl-01 page 4 11 attachment 1 reminder massachusetts law prohibit practice hazing school year 2023 2024 anti hazing data collection anti hazing law enact 1985 apply secondary school massachusetts note middle school designate secondary school school committee comply anti hazing law regulation massachusetts general laws chapter 269 section 17 19 603 cmr 33.00 secondary school public private adopt anti hazing policy disciplinary policy distribute copy anti hazing law student enrol time student group team organization recognize school permit school use facility know unaffiliated student group team organization year secondary school principal head school certify read understand anti hazing policy school comply law log new anti hazing application accessible page 5 superintendent circular lgl-01 page 5 11 massedu gateway https://gateway.edu.state.ma.us/ high school principal head school designee need access assign school anti hazing user role district directory administrator question contact directory administrator school directory administrator need help user id password contact nermina peric nperic@doe.ma.us school certify department october 1 november 1 department notify attorney general school file report collect sign acknowledgement contact person student organization distribution information agreement comply law school require submit student group anti- hazing form form record guidance memorandum intend ensure public private secondary school meet obligation important law student know rule expectation consequence hazing need additional information anti hazing law secondary school responsibility contact nermina peric 781 338- 3708 page 6 superintendent circular lgl-01 page 6 11 massachusetts general law chapter 269 c. 269 s.17 crime hazing definition penalty principal organizer participant crime hazing define shall punish fine thousand dollar imprisonment house correction year fine imprisonment term hazing section section eighteen nineteen shall mean conduct method initiation student organization public private property willfully recklessly endanger physical mental health student person conduct shall include whip beating branding force calisthenic exposure weather force consumption food liquor beverage drug substance brutal treatment force physical activity likely adversely affect physical health safety student person subject student person extreme mental stress include extend deprivation sleep rest extend isolation notwithstanding provision section contrary consent shall available defense prosecution action add st.1985 c.536 amend st.1987 c.665 page 7 superintendent circular lgl-01 page 7 11 c. 269 s.18 duty report hazing know person victim hazing define section seventeen scene crime shall extent person danger peril report crime appropriate law enforcement official soon reasonably practicable fail report crime shall punish fine thousand dollar add st.1985 c.536 amend st.1987 c.665 c. 269 s.19 haze statute provide statement compliance discipline policy required institution secondary education public private institution post secondary education shall issue student group student team student organization institution recognize institution permit institution use facility know institution exist unaffiliated student group student team student organization copy section section seventeen eighteen provide institution compliance section requirement institution issue copy section section seventeen eighteen unaffiliated student group team organization shall constitute evidence institution recognition endorsement say unaffiliated student group team organization group team organization shall distribute copy section section seventeen eighteen member plebe pledge applicant membership shall page 8 superintendent circular lgl-01 page 8 11 duty group team organization act designate officer deliver annually institution attested acknowledgement state group team organization receive copy section say section seventeen eighteen member plebe pledge applicant receive copy section seventeen eighteen group team organization understand agree comply provision section section seventeen eighteen institution secondary education public private institution post secondary education shall annually start enrollment deliver person enroll time student institution copy section section seventeen eighteen institution secondary education public private institution post secondary education shall file annually report board high education case secondary school board education certify institution comply responsibility inform student group team organization notify time student enrol provision section section seventeen eighteen certify say institution adopt disciplinary policy regard organizer participant hazing policy set forth appropriate emphasis student handbook similar mean communicate institution policy student board high education case secondary institution board education shall promulgate regulation govern content frequency report shall forthwith report attorney general page 9 superintendent circular lgl-01 page 9 11 institution fail report add st.1985 c.536 amend st.1987 c.665 st.1998 c. 161 557 558 page 10 superintendent circular lgl-01 page 10 11 attachment 2 sample annual statement acknowledgement student groups teams organizations anti hazing law m.g.l. c. 269 17 19 secondary school principal head school behalf student group team organization certify student group team organization member plebe pledge applicant membership receive copy act prohibit practice hazing m.g.l. c. 269 17 19 student group team organization understand agree comply law page 11 superintendent circular lgl-01 page 11 11 date sign designated officer printed faculty advisor leader school affiliate group team organization date receive principal designee c school files central office files page 1 superintendent circular number saf-02 version 01 weapon object reasonable use circular remain effect rescind supersede subsequent version code conduct list ground suspension expulsion possession dangerous weapon include limit firearm knife razor blade club explosive taser stun gun mace pepper spray tear gas brass knuckle stud bracelet dangerous weapon dangerous object reasonable use student school code conduct sections 7.4 14.13 head school principal note january 1999 boston city council enact ordinance restrict sale possession use laser pointer device ord 1999 c. 2 4 result ordinance person year age prohibit possess laser pointer device school property city boston laser pen laser pointer device consider object reasonable use meaning code conduct student find possession device subject provision section 7.4 code student subject non criminal court proceeding mgl c.40 s.21d. heads school principal communicate student possession weapon object reasonable use school way school school relate activity page 2 superintendent circular saf-02 page 2 4 strictly forbid violation rule deal appropriately student advise certain circumstance evidence exist misconduct outside school example student charge convict felony student continue presence school substantial detrimental effect general welfare school shall consider school relate offense shall deal accordance section 7.0 code conduct head school principal incorporate salient pertinent information paragraph school base rule student handbook student parent inform information serve prior ample notice school department policy weapon object reasonable use phrase prior ample notice include school base rule student handbook educational reform act 1993 require student handbook include following information information incorporate school base rule 1 student find possession dangerous weapon include limit firearm knife find possession control substance include limit marijuana cocaine heroin school premise school sponsor school relate event include athletic game subject expulsion page 3 superintendent circular saf-02 page 3 4 2 student assault staff member school ground school sponsor school relate event include athletic game subject expulsion massachusetts law require school staff personnel report write immediate supervisor incident involve student possession use dangerous weapon school premise mgl c.71 s.31 l refer mgl c.269 s.10 code conduct definition dangerous weapon dangerous weapon object reasonable use confiscate follow step take 1 item keep possession administrator notify department safety services immediately confiscation item firearm boston police immediately notify telephone 911 emergency line school department personnel comply subsequent instruction issue police 2 safety services hold item firearm make available hearing conference court proceeding reasonable period 3 follow parental conference court proceeding item classify dangerous weapon mgl c. 269 s.10 mgl c. 140 s.131 j shall turn boston police department safety services 4 instance dangerous weapon object reasonable use return student department safety services responsible return page 4 superintendent circular saf-02 page 4 4 property classify dangerous weapon parent legal guardian write request 5 object reasonable use claim parent guardian reasonable period turn boston police department destruction staff member expect meet standard hold student employee boston public school prohibit bring firearm dangerous weapon school property time law enforcement official violation federal state law bring firearm load unload elementary school secondary school college university person license carry firearm information circular contact owner deputy chief safety department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number com-01 version 01 communications policy circular remain effect rescind supersede subsequent version boston public schools bps boston school committee superintendent central school base staff responsible communicate accurately effectively family student colleague partner community ongoing communication stakeholder essential develop sustain effective home school community partnership improve student achievement boston school committee affirm follow principle family citizen right know occur public school bps employee obligation ensure public keep systematically adequately inform boston public schools staff family benefit improve sharing information positive negative write verbal communication school employee reflect bps commitment support child family focus student achievement high quality teaching learning effective communication require ongoing way exchange school constituent include page 2 superintendent circular com-01 page 2 4 thoughtful mechanism school district level seek family student community perspective critical issue decision language communicate family community free educational jargon acronym terminology unfamiliar non educator communication reflect sensitive diversity bps family staff free bias respect race ethnicity language education income gender religion sexual orientation disability keep principle superintendent shall issue district wide procedure guideline foster effective communication crucial area medium relation emergency communication customer service publication presentation photography event translation interpretation ensure brand consistency help family identify official bps publication property school department display bps logo website publication school department stationery signage incorporate bps logo boston city seal bps logo alter reproduce correct aspect ratio logo digital printable file available bps logo folder responsibility school office program boston public schools adhere procedure execute additional effective communication strategy bps communications office shall provide leadership resource guidance technical assistance support district school effort page 3 superintendent circular com-01 page 3 4 page 4 superintendent circular com-01 page 4 4 information circular contact owner chief communications department chief communications mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9265 email communications@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pm10 version 01 performance evaluation aba specialists circular remain effect rescind supersede subsequent version follow set forth coverage philosophy role responsibility procedure applicable evaluation process applied behavior analysis aba specialist i. coverage performance management process cover aba specialist evaluation process relate duty responsibility employee position set forth employee job description ii philosophy performance management key process drive comprehensive reform boston public schools performance management process aba specialist design align work aba specialist superintendent district wide priority team goal b improve work performance aba specialist iii role responsibility performance management process aba specialist lead assistant superintendent special education page 2 superintendent circular hrs pm10 page 2 25 assistant director aba program director aba aba specialist evaluate immediate supervisor assistant director designate person conduct evaluation supervisor failure address job performance problem staff performance evaluation process represent unacceptable performance supervisor hold accountable supervisor perform unsatisfactorily underperforming staff member give proficient rating staff member encourage transfer school department supervisor hold accountable performance evaluation iv diagnosis recommendation performance evaluation process provide employee appraisal strength identify area need improvement employee evaluate standard category possible rating 1 unsatisfactory 2 need improvement 3 proficient 4 exemplary v. performance management process supervisors conduct evaluation aba specialist year period performance evaluation aba specialist cover september 1 august 30 school year employee evaluate supervisor evaluate staff member frequently choose complete few 5 direct observation page 3 superintendent circular hrs pm10 page 3 25 course school year supervisor expect provide timely write feedback staff member especially employee observation meet expectation supervisor employee meet supervisor expectation inform supervisor concern provide recommendation improvement write feedback performance evaluation meeting give reasonable time address observed deficient performance step 1 review goal professional development plan coming school year september october supervisors meet individually aba specialist jointly review employee goal professional development plan september 1 august 30 period possible goal development prior year performance evaluation meeting meeting employee supervisor review employee job description ensure employee goal professional development plan alignment job description change employee goal professional development plan prior year performance evaluation meeting revise goal professional development plan document page 4 superintendent circular hrs pm10 page 4 25 step 2 prepare diagnosis recommendation need time include interim evaluation meeting step 3 supervisor find employee need major improvement job performance accomplish goal supervisor prepare write diagnosis situation recommendation improvement supervisor share write feedback employee reasonable time meet monthly employee discuss job performance meeting hold employee job performance meet supervisor expectation employee job performance improve sufficiently employee separate employment step 3 complete staff observation data checks september outline aba specialist evaluation 5 observation complete prior final performance evaluation observation include direct observation aba specialist perform essential job function work student observation announce occur time year follow observation session program director aba provide write vocal feedback aba specialist outline strength area growth see observation observation datum check programming analysis conduct data check assess page 5 superintendent circular hrs pm10 page 5 25 performance programming data entry portion time observation step 4 hold interim evaluation meeting february- march aba specialist submit formative self assessment later february 10 self assessment include aba specialist assessment work performance feedback previous observation incorporate interim evaluation supervisor hold interim evaluation meeting aba specialist later march 1 meeting supervisor oral feedback 1 employee progress achieve goal 2 employee overall job performance especially reference employee job description customer focus addition write interim evaluation provide timely manner interim evaluation meeting step 5 complete performance evaluation forms supervisor prepare performance evaluation aba specialist school year fill performance evaluation form aba specialists attach end circular page 6 superintendent circular hrs pm10 page 6 25 step 6 conduct performance evaluation meeting june supervisor meet employee discuss performance evaluation meeting cover employee job performance progress annual goal overall performance meeting base employee performance evaluation supervisor employee establish employee goal come school year goal tentative department team goal set similarly supervisor employee discuss employee professional development plan come school year particular reference area growth challenge identify performance evaluation step 7 employee acknowledgement response employee signature evaluation instrument acknowledge receipt necessarily agreement content evaluation employee provide write response evaluation 10 day receive performance evaluation form step 8 submit performance evaluation forms human resources june supervisor submit complete performance evaluation form human resources later june 1 step increase automatic page 7 superintendent circular hrs pm10 page 7 25 step 9 follow employee receive unsatisfactory rating aba specialist receive unsatisfactory rating performance evaluation supervisor meet employee monthly discuss job performance meeting hold employee job performance meet supervisor expectation employee job performance improve sufficiently employee separate employment vii procedures discipline supervisor determine aba specialist commit infraction work rule supervisor follow procedure outline superintendent circular employee discipline procedures footnote below)1 additionally supervisor consider infraction evaluate employee overall performance viii forms performance evaluation form aba specialists attach footnote refer superintendent circular hrs pp10 employee discipline procedures category human resources superintendent circulars page bps website information page 8 superintendent circular hrs pm10 page 8 25 ix summary significant date deadlines step increase automatic adhere give deadline submission date activity september 1 october 15 finalize goal professional development plan come year monthly need outline performance improvement plan prepare diagnosis recommendation later february 10 request self assessment february 1 march 1 hold formative evaluation meeting later 31 complete performance evaluation form later 31 conduct summative performance evaluation meeting later june 1 submit performance evaluation form human resources monthly need outline performance improvement plan follow employee receive unsatisfactory rating page 9 superintendent circular hrs pm10 page 9 25 information circular contact owner assistant director applied behavior analysis department office human resources mailing address 2300 washington street boston ma 02119 phone 617 635 8599 email ohc@bostonpublicschools.org mary skipper superintendent page 10 superintendent circular hrs pm10 page 10 25 boston public schools performance evaluation form aba specialists employee employee identification department aba school position aba specialist evaluator section job performance rate employee performance accord follow competency measure document opportunity document opportunity consist write feedback program director result direct observation datum analysis work product document opportunity include few 5 measure opportunity subcategory list objective rate category 1 unsatisfactory employee meet objective 65 document opportunity page 11 superintendent circular hrs pm10 page 11 25 2 need improvement employee meet objective 66 75 document opportunity 3 proficient employee meet objective 76 85 document opportunity 4 exemplary employee meet objective 86 great document opportunity number list indicate rating box area evaluation a. data collection a-1 accurately conduct implement require assessment include preference assessment skills assessment core skills assessments self rating supervisor rating a-2 accurately update target need proactively implement programmatic change give program director strand specialist self rating supervisor rating a-3 accurately take programmatic datum behavior acquisition timely manner page 12 superintendent circular hrs pm10 page 12 25 self sup unsatisfactory run 24 ace session week program student week 5 measure opportunity year need improvement runs 25 49 ace session week program student week 5 measured opportunity year proficient runs 50 74 session week ace program student 5 measure opportunity year exemplary run 75 session week ace program student 5 measured opportunity year page 13 superintendent circular hrs pm10 page 13 25 a-4 follow prompt hierarchy error correction procedure prescribe ace and/or program director self rating supervisor rating a-5 ensure challenge behavior datum collection sheet update necessary challenge behavior datum collection sheet file correct place self rating supervisor rating a-6 identify problem datum datum collection appropriately bring attention program director self rating supervisor rating overall comments data collection page 14 superintendent circular hrs pm10 page 14 25 b. behavior support b-1 develop maintain share necessary material follow behavior plan token board timer visual etc write self rating supervisor rating b-2 follow behavior support plan write student include effective antecedent strategy reinforcement procedure follow crisis procedure seek help need self rating supervisor rating b-3 respond behavior outline behavior support plan standard aba technique self rating supervisor rating overall comments behavior support page 15 superintendent circular hrs pm10 page 15 25 c. professionalism c-1 participate feedback session accept feedback give program director engage consultation program director and/or strand specialist communicate strand specialist program director school base staff include keep student schedule date share necessary party follow set schedule flexible caseload school assignment require change caseload demand specific need student student concern caseload and/or programmatic change professionally communicate concern program director language constitute expansion caseload contract limit self rating supervisor rating c-2 follow office special education administrative procedure sign request absence sick personal day ess timely manner planning time effectively follow cell phone use policy arrive work meeting time self rating supervisor rating page 16 superintendent circular hrs pm10 page 16 25 c-3 consistently exude professional disposition special education applied behavior analysis student family school personnel maintain student confidentiality self rating supervisor rating c-4 demonstrate fluent use technology necessary complete job requirement google drive edplan ace teach etc ensure appropriate technology date self rating supervisor rating c-5 engage attend professional development activity schedule include describe prior year professional development plan self rating supervisor rating overall comments professionalism page 17 superintendent circular hrs pm10 page 17 25 d. direct service d-1 ensure task prepared ready instruction time efficiently demonstrate fluency material necessary conduct direct service session token board board etc self rating supervisor rating d-2 activate appropriate program outline iep 2 week notification sign iep implement program write curriculum sheet multiple setting include inclusion special lunch recess etc self rating supervisor rating d-3 establishe attend reinforcer begin session prompt functional communication necessary complete prescribed number trial program accord prescription sheet keep student break time reasonable duration self rating supervisor rating page 18 superintendent circular hrs pm10 page 18 25 d-4 ensure student clear reinforcement deliver deliver reinforcement prescribe schedule self rating supervisor rating d-5 builds rapport student engage energetic work student self rating supervisor rating overall comments direct service page 19 superintendent circular hrs pm10 page 19 25 e. communication written skills e-1 complete progress report annual review 1 week date reference aba specialist task google calendar applicable planning time effectively ensure document complete proper spelling grammar datum follow recent format provide program director self rating supervisor rating e-2 complete edplan session note 24 hour session take 10 minute 60 minute session self rating supervisor rating e-3 ensure write communication clear concise free error utilize appropriate professional language self rating supervisor rating page 20 superintendent circular hrs pm10 page 20 25 e-4 communicates question concern professional manner teacher aba specialist strand specialist program director paraprofessional demonstrate initiation response email 48 hour self rating supervisor rating e-5 respond email 2 working day complete rmts random moment time study moment 48 hour timeline require state agency self rating supervisor rating overall comments communication written skill page 21 superintendent circular hrs pm10 page 21 25 section ii performance past year goals provide concise description employee goal past year mark employee achieve goal provide specific datum support assessment goal achieve goal 1 < enter goal > extent employee achieve goal  met did meet description result comment goal 2 < enter goal > extent employee achieve goal  met did meet description result comment goal 3 < enter goal > extent employee achieve goal  met did meet description result comment page 22 superintendent circular hrs pm10 page 22 25 section iii goal year list employee goal year goal set supervisor agree employee goal align department goal priority include key performance indicator goal 1 goal 2 goal 3 page 23 superintendent circular hrs pm10 page 23 25 section iv overall performance rate employee overall performance year employee receive meet expectation rating supervisor provide diagnosis recommendation employee improve performance follow additional comments section supervisor use section provide additional comment employee performance  unsatisfactory  proficient  need improvement  exemplary comment page 24 superintendent circular hrs pm10 page 24 25 section v professional development plan describe employee professional development plan coming year plan help employee build skill and/or knowledge accomplish goal year describe specific area employee try develop related activity year 1 skill knowledge development area 1 relate activity help develop skill 2 skill knowledge development area 2 relate activity help develop skill 3 skill knowledge development area 3 relate activity help develop skill page 25 superintendent circular hrs pm10 page 25 25 section vi acknowledgement evaluator signature date employee signature date employee signature indicate see evaluation acknowledge place personnel file denote agreement evaluation employee provide write response evaluation space provide and/or attached page employee comments page 1 superintendent circular number fns-02 version 01 1 emergency meal procedures circular remain effect rescind supersede subsequent version event unforeseen emergency school staff adhere follow procedure ensure meal available student safe timely manner emergency define equipment breakdown weather facility issue etc situation prevent staff serve safe meal allot mealtime schedule procedure 1 principal custodian inform onsite food service personnel emergency prevent service meal approximately long emergency difficult assess emergency anticipate long 60 90 minute start school day alternative meal service plan need ensure student receive meal safe timely manner 2 food nutrition services department inform immediately phone number 617 635 9144 onsite food services staff contact respective field coordinator 3 food nutrition services department notify emergency contingency plan page 2 superintendent circular fns-02 page 2 9 include alternate menu mealtime location jointly decide substitute emergency meal shelf- stable meet regulation provide emergency prevent access kitchen 4 emergency lunch onsite food services staff notify immediately need appropriate arrangement ensure student feed quickly efficiently food nutrition services need provide alternative meal depend emergency delay expect staff flexible patient 5 administration make decision send student body school alternative location food nutrition services department need notify immediately ensure food available new location 6 plan action dependent cooperation 7 declare state emergency attached instruction follow issue usda commodity page 3 superintendent circular fns-02 page 3 9 information circular contact owner deputy director department food nutrition services mailing address 370 columbia road dorchester ma 02125 phone 617 635 9158 fax 617 635 9304 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 4 superintendent circular fns-02 page 4 9 massachusetts plan utilization usda donate foods disaster relief 1 purpose purpose plan establish procedure obtain united states department agriculture usda donate commodity massachusetts presidential disaster 2 background secretary agriculture responsible ensure adequate stock food available group feeding household distribution area suffer major disaster emergency disaster food purchase usda use state food program available disaster organization state food store school state warehouse immediately usda replace food 3 general usda donate food distribute individual family secretary agriculture determine commercial channel trade disrupt emergency cause disaster massachusetts usda food property commonwealth distribute massachusetts department elementary secondary education nutrition programs services 75 pleasant street malden ma 02148 4906 contact local authority establish plan procure item food free charge red cross small page 5 superintendent circular fns-02 page 5 9 service charge handling food item store bulk warehouse commonwealth event sufficient food available school request school lunch personnel channel american red cross mass bay chapter office transportation need food disaster area available department elementary secondary education recommend chapter develop local contingency plan key prompt efficient transportation food prior plan chapter food release president declare disaster area commonwealth request declaration release request red cross governmental authority disaster appear imminent people evacuate mass feeding need substantial number dislocate family individual 4 procedure obtain usda donate food red cross mass feeding feeding school lunch personnel o food available supply o additional food require request page 6 superintendent circular fns-02 page 6 9 feeding school lunch personnel red cross request mass bay office red cross include synopsis disaster situation estimate amount kind food commodity require near warehouse facility instruct release food red cross dispatch necessary transportation pick food instance temporary receipt sign follow formal procedure 5 procedure return food large food return department elementary secondary education send agent red cross arrange detail return small return red cross instruct turn designate school area case red cross obtain file receipt return food 6 procedure reporting usda donate food mass feeding complete red cross advise information necessary enable department elementary secondary education report commodity distribute disaster relief include certification food product accordance exist regulation mass feeding page 7 superintendent circular fns-02 page 7 9 program use usda donate food disaster consider complete unused food return report submit american red cross liberty black director disaster services mass. dese robert m. leshin director office food nutrition programs page 8 superintendent circular fns-02 page 8 9 massachusetts department elementary secondary education 75 pleasant street malden massachusetts 02148 4906 telephone 781 338 3000 tty n.e.t. relay 1 800 439 2370 memorandum school child adult care food program sponsors kathleen c. millett executive director office nutrition health safety programs date january 26 2015 subject procedure usda foods emergency case school childcare setting officially designate emergency shelter usda foods replace memorandum serve identify process use usda foods request replacement approval office usda donate food available american red cross public school feed congregate setting follow step receive food assistance food service emergency declaration contact marion browning food distribution section mbrowning@doe.mass.edu 781 338 6460 email prefer immediate food need estimate number meal serve unable reach ms. page 9 superintendent circular fns-02 page 9 9 browning email kmillett@doe.mass.edu 781 338- 6479 include following information extent possible description major disaster emergency situation number people require meal congregate meal service period quantity type food need congregate meal service number location site provide congregate meal service request donate food approve use usda donate food available school crisis pass report follow information commodity distribution section usda commodity actually utilize number day meal service number meal actually serve i.e. 2,000 person meal day day effort replace value usda donate food inventory warehouse page 1 superintendent circular number hrs pp15 version 01 sick leave donation program circular remain effect rescind supersede subsequent version boston public schools continue sick leave donation program administrative guild basas btu managerial school police patrolmen association purpose sick leave donation program voluntary program eligible employee donate sick leave hour help seriously ill injure colleague exhaust sick personal vacation and/or compensatory leave entitlement eligible employee want withdraw hour sick leave bank approve leave absence refer superintendent circular hrs pp13 information process apply leave absence time award sick leave donation committee recipient withdraw sick leave hour leave bank maintain active pay status membership eligibility requirement unit detail attachment donation process sick leave bank union group deplete page 2 superintendent circular hrs pp15 page 2 12 email notification send member request donation additional day(s employee wish enroll require complete online form aforementioned period donation irrevocable sick leave committee leave committee union group consist member administrative member union group administrative member boston public schools district appoint superintendent designee majority vote 4 6 require grant award sick leave time decision case case basis application process sick bank member 1 complete sick leave bank donation withdrawal request form include submission medical documentation letter state reason request accordance application deadline list form 2 leave bank committee meet review pertinent information committee render decision human capital inform employee supervisor decision 3 approve office human capital representative add donate hour recipient leave accrual balance peoplesoft 4 withdrawal leave bank cease recipient return work withdraw maximum number hour allot union condition employment appeal procedure decision sick leave page 3 superintendent circular hrs pp15 page 3 12 bank committee final application deadline sick bank oversight committee meet wednesday month include agenda application support documentation submit close business precede friday information circular contact owner manager employee information systems department human resources mailing address 2300 washington street roxbury ma 02119 phone 617 635 9649 fax 617 635 7957 email ohr@bostonpublicschools.org mary skipper superintendent page 4 superintendent circular hrs pp15 page 4 12 attachment sick leave donation program membership requirement eligibility unit basas membership requirements establish program 50 eligible basas employee participate basas employee permanent enter consecutive year boston public schools service eligible participate basas employee donate sick day hour enroll program donation day hour deduct donor accumulate sick leave balance eligibility recipient basas employee donate sick leave donation program eligible apply sick leave time applicant sick leave time exhaust accumulate sick personal leave eligible receive sick leave donation recipients use donate sick leave work time lose personal illness recipients use donate time absence cause illness family member application form sick time complete accompany adequate medical evidence pursuant superintendent circular hrs pp13 employee sick leave policy page 5 superintendent circular hrs pp15 page 5 12 employee receive benefit pursuant disability plan combination disability payment donate sick day day day basis equal employee daily rate pay employee receive worker compensation benefit combination worker compensation payment donate sick day daily basis equal employee daily rate pay provide available sick leave bank committee authority grant 30 day sick leave recipient school year exceptional circumstance committee grant additional 30- day increment maximum 90 day include original 30 day request sick leave time retroactively day grant revert sick leave bank boston teachers union btu membership requirement establish program 500 teacher unit member 100 paraprofessional unit member btu member participate program teacher unit member permanent enter fourth consecutive year service paraprofessional member consecutive year service donate sick day inclusion program donation deduct donor accumulate page 6 superintendent circular hrs pp15 page 6 12 sick leave balance donation withdrawal btu unit e.g. teacher donate withdraw paraprofessional unit paraprofessional donate withdraw teacher unit eligibility recipient exhaust accumulate sick leave pay leave e.g. personal day etc application btu sick bank withdrawal accompany adequate medical evidence pursuant superintendent circular hrs pp13 employee sick leave policy illness prevent employee immediate return work individual disability plan combination disability payment sick bank day day day basis equal daily rate pay individual receive worker compensation combination worker compensation payment sick bank day daily basis equal daily rate pay provide available sick leave bank committee authority grant 30 day sick leave recipient exceptional circumstance committee grant additional 30 day increment maximum 90 day include original 30 day request withdrawal retroactively day request grant revert sick leave bank program employee page 7 superintendent circular hrs pp15 page 7 12 illness family member program meet month june september follow reason o june bank issue donation 30 day increment month june 30 school day o july august employee work month eligible use sick personal time o september employee receive sick personal entitlement time use beginning school year custodian membership requirements establish program 100 custodian bank member custodian participate complete year continuous service union eligible donate sick day year sick day annually enrollment period donation day deduct employee sick leave balance eligibility recipient employee donate sick leave bank eligible apply sick leave bank time employee exhaust accumulate sick leave pay time page 8 superintendent circular hrs pp15 page 8 12 bank employee illness illness family member request sick leave bank grant submit writing accompany medical certification individual disability plan receive disability payment receive worker compensation payment eligible sick leave bank grant combination sick leave bank payment shall exceed individual daily rate pay individual eligible receive 30 day sick leave time time request additional 30 day maximum 60 day time grant shall revert sick leave bank administrative guild membership requirements establish program 100 guild bank member administrative guild member participate complete year continuous service eligible participate donate sick day enroll program donation day deduct employee sick leave balance eligibility recipient employee donate sick leave bank eligible apply sick leave bank time page 9 superintendent circular hrs pp15 page 9 12 employee exhaust accumulate sick leave pay time bank employee illness illness family member request sick leave bank grant submit writing accompany medical certification individual disability plan receive disability payment receive worker compensation payment eligible sick leave bank grant combination sick leave bank payment shall exceed individual daily rate pay individual eligible receive 30 day sick leave time time request additional 30 day maximum 60 day time grant shall revert sick leave bank management membership requirements establish program 100 eligible managerial employee participate managerial employee permanent enter fourth consecutive year boston public schools service eligible participate managerial employee donate sick day hour enroll program donation day hour deduct donor accumulate sick leave balance page 10 superintendent circular hrs pp15 page 10 12 eligibility recipient managerial employee donate sick leave donation program eligible apply sick leave time applicant sick leave time exhaust accumulate sick personal vacation leave eligible receive sick leave donation recipients use donate sick leave work time lose personal illness recipients use donate time absence cause illness family member application form sick time complete accompany adequate medical evidence pursuant superintendent circular hrs pp13 employee sick leave policy illness employee receive benefit pursuant disability plan combination disability payment donate sick day day- day basis equal employee daily rate pay employee receive worker compensation benefit combination worker compensation payment donate sick day daily basis equal employee daily rate pay provide available sick leave bank committee authority grant 30 day sick leave recipient exceptional circumstance committee grant additional 30 day increment maximum ninety 90 day include original 30 day request sick leave time retroactively day grant revert page 11 superintendent circular hrs pp15 page 11 12 sick leave bank school police patrolmen association membership requirements establish program 25 association bank member association member participate complete year continuous service eligible participate donate sick day enroll program donation day deduct employee sick leave balance eligibility recipient employee donate sick leave bank eligible apply sick leave bank time employee exhaust accumulate sick leave pay time bank employee illness illness family member request sick leave bank grant submit writing accompany medical certification individual disability plan receive disability payment receive worker compensation payment eligible sick leave bank grant combination sick leave bank payment shall exceed individual daily rate pay individual eligible receive 30 day sick leave time time request additional 30 day page 12 superintendent circular hrs pp15 page 12 12 maximum 60 day time grant shall revert sick leave bank page 1 superintendent circular number fse-06 version 01 student safety health school shop laboratory classrooms circular remain effect rescind supersede subsequent version day thousand boston public school student perform variety activity shop laboratory ensure student teacher work environment safe necessary formulate standard procedure requirement school personnel performance procedure ensure student safe responsibility principals heads school 1 inform staff student writing safety standard procedure include need wear eye protection device 2 ensure workable fire extinguisher blanket eye wash equipment readily available custodian responsible recharge fire extinguisher 3 sure appropriate personnel receive training use portable fire extinguisher blanket 4 ensure staff instruct student safety standard procedure include school safety plan page 2 superintendent circular fse-06 page 2 23 5 post building evacuation procedure classroom office corridor 6 review evaluate safety procedure shop laboratory refer safety check list attach 7 conduct quarterly fire drill refer superintendent circular fse-2 fire safety practices 8 develop emergency procedure case accident refer superintendent circular fse-05 medical emergency management 9 maintain adequate lighting proper ventilation shop laboratory classroom report problem facilities management 10 ensure food service training program and/or student- run restaurant comply current sanitation code regulation 11 sure teacher evaluation reflect implementation safety standard procedure 12 ensure right know workplace notice post school shop laboratory 13 ensure instructor work toxic hazardous substance receive training specify chapter 111f massachusetts general laws 14 state safety regulation school base rule 15 material safety data sheets available responsibility teacher 1 practice safety procedure teacher serve model student 2 set maintain shop laboratory permit free unobstructed movement student bench equipment machine allow egress page 3 superintendent circular fse-06 page 3 23 area 3 report lighting ventilation problem head school principal 4 develop emergency procedure follow case accident refer superintendent circular fse-5 medical emergency management 5 post safety rule safety hazard conspicuously appropriate area contact department vocational technical education translation safety rule appropriate language(s 6 enforce school base rule address safety 7 supervise student time circumstance shall teacher leave student unsupervise laboratory shop area instructor leave shop emergency a. arrange qualified teacher replacement b. relocate student properly supervised area c. lock laboratory shop area d. shut equipment 8 check fire protection equipment weekly 9 know location close fire extinguisher 10 maintain aid kit easily accessible area 11 check machinery equipment weekly sure safety guard place work properly 12 check gas burn equipment daily gas leak 13 detect smell gas shut gas source report problem supervisor 14 maintain date self evaluation safety inspection checklist safety program checklist form available department career technical education page 4 superintendent circular fse-06 page 4 23 15 use building safety committee resource student safety plan 16 present student copy shop safety rule procedure 17 teach safety integral job lesson a. testing student knowledge safety rule procedure b. objective test emphasize shop safety c. checking student mastery safe method safe practice d. testing student handling tool operation machine use equipment trade practice focus safety e. have student sign write test indication understand safety rule procedure f. filing sign write test student folder permanent record 18 know location aed qualified operation 19 avoid shop accident insist student dress properly laboratory shop student shall a. wear shoe low flat heel substantial sol wear work shoe mandate b. wear head cover pin hair tie hair c. wear eye protection device m.g.l. c.71 s.55c. d. wear loose fit clothe catch move equipment e. wear ring bracelet necklace catch move machinery part 20 supervise student time circumstance unsafe piece equipment operate disconnect remove fuse ensure page 5 superintendent circular fse-06 page 5 23 accident occur 21 insist visitor area wear safety equipment eye protection etc 22 shut machine store equipment shut light close laboratory shop day 23 sure soap towel replenish need 24 establish foolproof system dispense securing tool 25 designate storage tool prevent accident 26 lock hazardous material equipment approve container use 27 machinery equipment good condition conduct monthly inspection 28 submit appropriate requisition(s paint hazardous machinery part safety switch conspicuous color 29 submit appropriate requisition(s secure safety mat floor machine prevent slip 30 check emergency disconnect switch panic button ensure proper operation 31 dispose oily waste rag designate container 32 ensure food service training program and/or student run restaurant comply current sanitation code regulation responsibility nurses 1 help student teacher obtain necessary health screening require admission occupational program e.g. food service restaurant program 2 administer aid page 6 superintendent circular fse-06 page 6 23 3 evaluate injury 4 notify student parent guardian 5 complete nurse section accident report 6 accident addition implement procedure document superintendent circular fse-5 medical emergency management accident reports 1 instructor nurse and/or witness fill assist fill separate accident report occupational education accident report form ee 111 attach pupil accident report form 201 attach 2 principal head school retain original form ee 111 school file send copy director career technical education 75 malcolm x blvd boston ma 02119 3 principal head school retain form 201 school file send copy department safety services 213 townsend street dorchester ma 02121 technical assistance department career technical education provide school technical assistance improve maintain safety procedure facilities management safety personnel available coordinate fire prevention activity building inspection career technical education staff perform continual safety inspection shop laboratory classroom contact page 7 superintendent circular fse-06 page 7 23 director career technical education 617 635 8970 director safety emergency preparedness 617 635 8300 information circular contact owner director emergency management preparedness department safety emergency management mailing address 205 townsend street boston ma 02121 phone 857 701 9404 email operations department- heads@bostonpublicschools.org mary skipper superintendent attachment form eee 111 occupational education accident report form 201 pupil accident report occupational safety health safety inspection checklist page 8 superintendent circular fse-06 page 8 23 form ee 111 occupational education accident report injure grade age parent's guardian address date accident time accident location accident description accident state exact person injure extent injury emergency care give follow check statement apply ☐ pupil remain school ☐ parent guardian notify ☐ take nurse office page 9 superintendent circular fse-06 page 9 23 ☐ take hospital doctor witness accident person report accident signature person make report person supervise activity program school nurse principal head school report fill building principal headmaster review director career technical education note retain original principal’s head school office send copy director career technical education 75 malcolm x blvd boston ma 02120 page 10 superintendent circular fse-06 page 10 23 form 201 pupil accident report section 225 rules regulations accident involve injury pupil school premise go school report form 201 department school safety services 213 townsend street dorchester ma 02121 later day follow day accident report fill entirety duplicate copy pupil accident report retain school principal possible report typewrite 1 student middle initial 2 address 3 school 4 student age sex grade_____room 5 parent guardian 6 date accident time a.m. p.m. 7 nature extent injury page 11 superintendent circular fse-06 page 11 23 8 case dog bite report boston health department ☐ yes ☐ 8 specific location accident 9 teacher(s charge location accident occur 9 teacher(s charge present scene accident ☐ yes ☐ 10 description accident include cause 11 case shop accident guard require law use 12 case shop laboratory accident statement require section 225 rules regulations attach ☐ yes ☐ answer state reason 13 accident report action take person 14 aid supply available ☐ yes ☐ 15 treatment administer ☐ yes ☐ page 12 superintendent circular fse-06 page 12 23 16 pupil leave school place accident ☐ yes ☐ destination 17 transport ambulance attendant name unit 18 escort destination injured pupil escort responsible person 19 name address witness accident report investigate carefully follow signature safety counselor signature principal date report school boston public schools vocational adult page 13 superintendent circular fse-06 page 13 23 alternative education occupational safety health safety inspection checklist school level department area date inspection position student yes n 1 wear proper eye protection ☐ ☐ ☐ comment 2 wear proper footwear ☐ ☐ ☐ comment 3 properly dress ☐ ☐ ☐ comment 4 train safety procedure ☐ ☐ ☐ comment 5 safe work habit ☐ ☐ ☐ comment page 14 superintendent circular fse-06 page 14 23 student continue yes n 6 wear proper hearing protection ☐ ☐ ☐ comment 7 hard hat provide wear danger fall object ☐ ☐ ☐ comment 8 know properly safely use tool ☐ ☐ ☐ comment 9 train safety procedure ☐ ☐ ☐ comment 10 student know emergency ☐ ☐ ☐ comment work area yes n 1 clean orderly ☐ ☐ ☐ comment 2 exit lane clear mark ☐ ☐ ☐ comment page 15 superintendent circular fse-06 page 15 23 3 material neatly store ☐ ☐ ☐ comment work area yes n 1 tool safely store ☐ ☐ ☐ comment 2 floor clean dry ☐ ☐ ☐ comment 3 hazard sign properly post ☐ ☐ ☐ comment 4 floor non skid ☐ ☐ ☐ comment 5 compress gas cylinder properly secure ☐ ☐ ☐ comment doors yes n 1 adequate number exit ☐ ☐ ☐ comment 2 exit properly mark sign ☐ ☐ ☐ comment page 16 superintendent circular fse-06 page 16 23 3 unobstructed clear way door ☐ ☐ ☐ comment fire door automatic self closing operable condition ☐ ☐ ☐ comment eyewash emergency shower yes n 1 washing facility available student expose corrosive material fly chip dust ☐ ☐ ☐ comment electric devices yes n 1 outlet switch good condition ☐ ☐ ☐ comment 2 loose wire ☐ ☐ ☐ comment 3 outlet properly ground ☐ ☐ ☐ comment page 17 superintendent circular fse-06 page 17 23 fire drills yes n 1 fire drill instruction exit route post ☐ ☐ ☐ comment 2 alarm work properly ☐ ☐ ☐ comment 3 fire drill practice hold frequently ☐ ☐ ☐ comment 4 staff member instruct use extinguisher fire protection procedure ☐ ☐ ☐ comment fire extinguisher yes n 1 extinguisher mount readily accessible visible location ☐ ☐ ☐ comment 2 extinguisher inspect past year check inspection tag ☐ ☐ ☐ comment page 18 superintendent circular fse-06 page 18 23 flammable items yes n 1 1 shift 1 day supply flammable liquid school shop area ☐ ☐ ☐ comment 2 flammable liquid day supply oil previously open paint gasoline etc seal fireproof container away possible source ignition ☐ ☐ ☐ comment 4 excess flammable keep premise ☐ ☐ ☐ comment 4 rag flammable item store safe location ☐ ☐ ☐ comment 5 waste receptacle provide empty regularly ☐ ☐ ☐ comment page 19 superintendent circular fse-06 page 19 23 aid yes n 1 fire blanket container mount readily accessible visible location ☐ ☐ ☐ comment 2 aid box accessible location ☐ ☐ ☐ comment 3 supply adequate type potential injury shop ☐ ☐ ☐ comment 4 item sterile ☐ ☐ ☐ comment 5 staff member train aid ☐ ☐ ☐ comment 6 emergency number post ☐ ☐ ☐ comment page 20 superintendent circular fse-06 page 20 23 heating yes n 1 heat disperse unit free obstruction flammable material ☐ ☐ ☐ comment 2 heat shop adequate ☐ ☐ ☐ comment lights yes n 1 light suitable work ☐ ☐ ☐ comment 2 light case emergency battery operate ☐ ☐ ☐ comment machinery tools yes n 1 safety guard place ☐ ☐ ☐ comment 2 properly clean lubricate ☐ ☐ ☐ comment 3 dangerously worn part ☐ ☐ ☐ comment 4 adequate space machine page 21 superintendent circular fse-06 page 21 23 work safely ☐ ☐ ☐ comment 5 electrical hazard ☐ ☐ ☐ comment 6 hand tool equipment regularly inspect safe condition ☐ ☐ ☐ comment power shut offs yes n 1 emergency shut off ☐ ☐ ☐ comment 2 work ☐ ☐ ☐ comment 3 check month ☐ ☐ ☐ comment page 22 superintendent circular fse-06 page 22 23 ventilation yes n 1 exhaust duct terminate outside building ☐ ☐ ☐ comment 2 tailpipe exhaust exit outside building ☐ ☐ ☐ comment 3 shop welding auto body etc require exhaust fan ☐ ☐ ☐ comment 4 shop exhaust fan exhaust outside ☐ ☐ ☐ comment 5 system sufficient shop capacity ☐ ☐ ☐ comment right know law yes n 1 workplace notice post ☐ ☐ ☐ comment 2 container label contain toxic hazardous substance ☐ ☐ ☐ comment 3 instructor teach page 23 superintendent circular fse-06 page 23 23 nature effect msl substance expose workplace ☐ ☐ ☐ comment 4 ☐ ☐ ☐ comment page 1 superintendent circular number lgl-07 version 01 privacy student information student record procedures respond student record requests compliance ferpa state law circular remain effect rescind supersede subsequent version i. general information student record procedure pertain information maintain boston public schools concern student individually identify student record consist part transcript temporary record a. transcript contain administrative record constitute minimum datum necessary reflect student educational progress operate educational system transcript limit address phone number student student birth date address phone number custodial parent guardian course title grade equivalent grade applicable course credit grade level complete year complete transcript retain 60 year student leave school system page 2 superintendent circular lgl-07 page 2 21 b. temporary record student record information transcript temporary record information include health information disciplinary information example student work special education 504 plan document incident report information keep school identify student individually duplicate original record need keep temporary record temporary record destroy later seven 7 year student leave school system provide proper notification give direct ii parents student legal right control access student information federal state law provide parent student 14 old and/or grade legal right control access student educational record family educational rights privacy act ferpa massachusetts law define parent’s student right access seek amend exercise control disclosure personally identifiable information student record boston public schools legally responsible respect protect parent’s student right privacy control ferpa state law violation legal right subject bps sanction include termination federal funding subject bps employee discipline include termination bps notifie student parent right annually mean guide bps students families guide students families identify limited type information release consent directory information september 30 year parent student page 3 superintendent circular lgl-07 page 3 21 right inform school information shall release direct consent school receive request student record information way different source law school response request student record vary depend make request request description main category request school need address information directly describe situation present school contact office legal advisor legal@bostonpublicschools.org direction iii requests consent parent student parent student seek access amend consent sharing student record follow definition aid understanding comply applicable law parent student natural parent guardian individual act parent absence parent guardian custodial parent parent child reside permanently period time supervise child non custodial parent parent physical custody child reside supervise child short period time court order eligible student student 14 year age and/or enter ninth grade page 4 superintendent circular lgl-07 page 4 21 a. request inspect copy records 1 custodial parents eligible student custodial parent and/or eligible student right inspect portion student record request record available custodial parent and/or eligible student later 10 day request custodial parent and/or eligible student right receive copy record addition custodial parent and/or eligible student request part record interpret qualified professional school invite choosing inspect interpret record attachment 1 process fulfil custodial parent eligible student request student record 2 non custodial parents non custodial parent give access child student record school give write documentation establish a. non custodial parent deny legal custody court base threat student custodial parent b. non custodial parent deny visitation supervise visitation c. access student custodial parent restrict court issue protective order non custodial parent provide protective order specifically allow access student record information page 5 superintendent circular lgl-07 page 5 21 d. order probate family court judge prohibit distribution student record non custodial parent school receive request student record information non custodial parent send copy notification attach attachment 2 certify class mail custodial parent prior provide student record non- custodial parent notification english primary language custodial parent documentation relate 4 scenario receive 21 day record provide non custodial parent documentation relate 4 scenario receive 21 day keep student record non custodial parent notify certify class mail reason denial access b. request amend student record custodial parent and/or eligible student right add relevant comment information write material student record addition custodial parent and/or eligible student right write request information record amend delete information create special education team amend delete acceptance individualized education plan completion appeal process custodial parent and/or eligible student right conference school principal objection know week page 6 superintendent circular lgl-07 page 6 21 conference principal render decision writing custodial parent and/or eligible student satisfied decision appeal operational leader c. consent share student information custodial parent and/or eligible student legal right consent sharing student record person entity choose school use attachment 4 document custodial parent and/or eligible student specific informed write consent include sign consent student record specifically note individual organization custodial parent eligible student authorize school personnel allow access information student record specific informed write consent custodial parent eligible student iv party requests student identifying information consent required assumed operation law a. subpoenaed records boston public schools produce document request court order lawfully issue subpoena request email immediately office legal advisor record seek court order subpoena forward courier mail hand delivery soon possible attachment 3 complete notify parent and/or eligible student subpoena information provide absent page 7 superintendent circular lgl-07 page 7 21 court order b. authorized school personnel authorized school personnel provide direct service student administrative staff duty require access student record evaluation team evaluate student shall access student school record access require performance official duty c. directory information parent eligible student previously indicate write disapproval release information school release follow directory information student age grade level date enrollment bps notifie student parent annually type information release mean guide bps students families allow custodial parent student september 30 year inform bps information release prior consent d. military recruiters higher education institutions parent student previously object write response notification publication guide bps students families military recruiter institution high education provide write request name address telephone number secondary school student request military recruiter information forward office legal advisor centralized processing e. specify state agencies local authorities page 8 superintendent circular lgl-07 page 8 21 school release student record information prior write consent follow agency act official capacity department children families department youth services probation officer justice court attachment 3 notify parent request f. schools student seek intend transfer school student record send receive school g. school nurses state health department school nurse local state health department official access student health record information access require performance official duty information relate student health information consult superintendent circular lgl-16 student health information h. health safety emergency consent parent eligible student school disclose information student appropriate party connection health safety emergency knowledge information necessary protect health safety student individual appropriate procedure follow mean ask think amiss happen right access personally identifiable student information require criterion regulation implement ferpa 34 cfr 99.36 require follow criterion meet a. request connection page 9 superintendent circular lgl-07 page 9 21 emergency i. emergency mean request relate actual impending imminent emergency ii bps require school consider follow criterion determine request connection emergency seriousness threat health safety student need information meet threat requestor able deal emergency extent time essence deal emergency iii release record limit period emergency emergency release student information allow b. articulable significant threat health safety student individual c. requester usually law enforcement public health official medical professional need information protect health safety student individual d. blanket release personally identifiable information allow release page 10 superintendent circular lgl-07 page 10 21 information narrowly tailor consider immediacy magnitude specificity threat e. determination case case basis consider totality circumstance pertain threat health safety student f. reasonable time make disclosure school record student record articulable significant threat form basis disclosure information disclose v. party requests public record contain redacted non student- identifying information receipt party request public record school immediately send copy request email office legal advisor review direction public record request reduce writing date sign requestor contain return address information requestor information superintendent circular lgl-3 public records requests vi destruction student records law set forth different time period retention destruction different portion student record different time period set forth a. transcripts student transcript maintain school department 60 year follow page 11 superintendent circular lgl-07 page 11 21 student graduation transfer withdrawal school system b. periodic review temporary record student enrol school principal head school designee shall periodically review student temporary record identify destruction misleading outdated irrelevant information include particularly exemplar student work impertinent information prior destroy information student parent give write notification school intent destroy information give opportunity receive information copy information prior destruction c. temporary record destruction temporary record student destroy later seven 7 year student transfer graduate withdraw school district student parent guardian give write notification include approximate date destruction temporary record indicate right receive information time student graduation transfer withdrawal school system prior destruction notice addition annual notice issue boston public schools guide bps student families page 12 superintendent circular lgl-07 page 12 21 information circular contact owner office legal advisor director department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 13 superintendent circular lgl-07 page 13 21 attachment 1 student record request procedures 1 parent guardian eligible student request student record receive process send requestor directly school party request receive office legal advisor process school send office legal advisor transmission requester 2 principal head school responsible certify portion student record copy response requestor principal head school complete checklist certification request send parent certification include date send parent copy checklist send record original retain school 3 party request principal head school complete process provide copy entire record checklist office legal advisor review delivery 4 request receive summer month june 1 year principal identify contact week summer break provide list school superintendent designate individual check incoming mail parent guardian eligible student request obtain record copy and/or print complete checklist deliver requester event party request protocol follow designate individual send record complete checklist office legal advisor page 14 superintendent circular lgl-07 page 14 21 attachment 2 notice non custodial parent request student records registered mail class mail dear custodial parent notify request receive follow part child student record accordance federal massachusetts law non custodial parent give access child student record school give write documentation establish 1 non custodial parent deny legal custody court order base threat student custodial parent 2 non custodial parent deny visitation supervise visitation 3 access student custodial parent restrict court issue protective order non- custodial parent provide protective order specifically allow access student record information 4 order probate family court judge prohibit distribution student record non custodial parent page 15 superintendent circular lgl-07 page 15 21 request record release documentation indicate paragraph receive building administrator school question contact sincerely signature principal authorized school employee date note notice send english primary language custodial parent page 16 superintendent circular lgl-07 page 16 21 attachment 3 notice dissemination student record party consent required assumed operation law dear notify  subpoena  request justice  specify receive follow part child student record massachusetts regulation pertain student record state school system comply request notification provide prior release record case subpoena court order request probation officer department youth services right attempt subpoena order request stop court page 17 superintendent circular lgl-07 page 17 21 record release question contact sincerely signature principal authorized school employee date note notice send english primary language custodial parent page 18 superintendent circular lgl-07 page 18 21 attachment 4 parent student consent dissemination student record party  parent guardian bps student name  bps student age 14 ninth grade permission follow party  inspect  secure copy part child student record note party reason release record page 19 superintendent circular lgl-07 page 19 21 parts record release permission grant permission deny transcript information include identify information course title grade equivalent grade level complete disciplinary record extracurricular activity teacher counselor evaluation comment attendance record specify signature eligible student parent guardian student class:_____________________________date seek parent eligible student consent school cross item request party form sign student student 14 year age old student ninth grade custodial parent guardian page 20 superintendent circular lgl-07 page 20 21 attachment 5 checklist retrieval complete student record yes n print electronic student file aspen snap edplan ▢ ▢ transcript information include identify information course title grade equivalent grade level complete ▢ ▢ disciplinary record ▢ ▢ nursing record ▢ ▢ special education record ▢ ▢ ell file ▢ ▢ attendance record ▢ ▢ physical restraint record ▢ ▢ counseling record ▢ ▢ correction student record ▢ ▢ specify ▢ ▢ ➤ school cross item request page 21 superintendent circular lgl-07 page 21 21 attachment 5 continue certification principal school leader school certify good knowledge component student record request applicable student maintain school electronic bps system copy deliver requestor date signature page 1 superintendent circular number fam-05 version 01 title family engagement requirement circular remain effect rescind supersede subsequent version overview deepen partnership family key strategy strengthen student learning closing achievement gap boston public schools strong family home- school connection focus student academic learning consistently show associate improved student achievement school improvement share responsibility result partnership potential improve relationship strengthen school ensure student prepared reach educational potential school bps core elements engagement provide clear guidance school develop implement title family engagement requirements title section 1118 elementary secondary education act esea identify specific family engagement practice require school receive title fund office engagement provide oversight support ensure school receive title fund meet engagement requirement sec 1118 page 2 superintendent circular fam-05 page 2 7 requirement schools receiving title fund school receive title funds require following 1 write family engagement plan policy develop collaboration parent approve school parent council school site council governing board 2 home school compact develop collaboration parent approve school parent council school site council governing board 3 set aside minimum 1 title allocation school budget family engagement decision allocate 1 family engagement comply federal guideline school site council governing board 4 host annual parent meeting discuss school priority program title october 31 5 build capacity family teacher effectively engage improve student learning outcome emphasis use criop pillar ii family engagement policy plan family engagement policy plan jointly design family school stakeholder describe school carry parent engagement meet change need family student school page 3 superintendent circular fam-05 page 3 7 family engagement policy plan describe parent engage equal partner school base decision making include tool use tool school base equity roundtables describe parent engage school improvement student learning identify strategy school employ build parent teacher capacity partnering support student learning share school community format family friendly translate family home language update annually reflect change concern family school priority relate school climate student learning additional information family engagement policy plan esea title section 1118(b home school compact purpose home school compact establish share responsibility student academic achievement additional information home school compact esea title section 1118(d bps circular fam-7 home school compact www.schoolparentcompact.org title toolkit page 4 superintendent circular fam-05 page 4 7 1 minimum family engagement allocation school receive title fund require set aside minimum 1 title allocation school budget family engagement need family school engagement practice team provide guidance allowable expenditure school decision allocate 1 family engagement school site council governing board consultation parent body additional information use title fund family engagement esea title 1 section1118(a)(3)(c section 1118(e)(8 9 10 annual meeting schools receive title fund convene annual meeting family family invite encourage attend family inform school status title school requirement title explain family school use allocation title fund share family family inform different opportunity involve school base decision making school improvement support student learning additional information annual meeting require title esea title section 1118(c)(1 capacity building page 5 superintendent circular fam-05 page 5 7 school receive title fund require provide capacity building opportunity family educator design help family understand learn standard assessment student learning effectively monitor student progress strengthen family ability support student learning home help principal head school teacher school staff develop mindset belief skill strategy effectively build relationship maintain ongoing two- way culturally appropriate communication student family collaborate community base organization work school staff and/or parent strengthen student learn outcome translate communication provide interpretation school family speak language english appropriate language additional information title requirement relate parent teacher capacity building esea title section 1118(e reporting consider compliance family engagement requirement title requirement bps core elements engagement school submit follow document office family community advancement submit engagement folder page 6 superintendent circular fam-05 page 6 7 school base family engagement plan policy home school compact agenda meet minute election document meeting date roster bylaw school site council self assessment school engagement practice office family community advancement responsible track parent participation bps parent university build capacity parent effectively support student learning advocate student need alignment educator evaluation title family engagement requirement align educator evaluation standard iii family community engagement address continuum support reflect share expectation responsibility opportunity active participation collaborative partnership school family community title 1 requirement align culturally linguistically sustaining practices clsp include culturally responsive instructional observation protocol criop page 7 superintendent circular fam-05 page 7 7 information circular contact owner director family school engagement practices department office family community advancement mailing address 445 warren street roxbury ma 02121 phone 617 635 7750 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number amt-07 version 01 safety transfer request procedures circular remain effect rescind supersede subsequent version time time necessary change student school assignment reason assignment change motivate need ensure safe secure learning environment student reason safety transfer process establish criteria 1 student victim intend victim physical emotional and/or electronically transmit assault victim violent criminal offense determined state law school ground school impact school climate shall eligible safety transfer request form attach bps incident reports and/or bpd reports document incident transfer process building administrator 10 school day receipt safety transfer request form student perpetrator subject code conduct eligible safety transfer 2 student attend school designate unsafe persistently dangerous accordance massachusetts page 2 superintendent circular amt-07 page 2 12 department education criterion receipt parent request shall transfer safe school compliance student succeed act essa purpose essa provide child significant opportunity receive fair equitable high quality education close educational achievement gap 3 student individualized education program iep subject transfer procedure provide building administrator consult osess coordinator resource room student shall deal manner regular education student student iep provide specialized program and/or require restrictive setting shall reassign consultation coordinator osess assistant program director apd 4 court order require transfer student shall honor code safety transfer copy court order forward operational leader documentation packet case 5 case student assignment shall welcome services request specific school assignment honor shall base criterion establish welcome services need ensure safe learning environment need student procedures follow procedure follow safety transfer case 1 safety transfer request initiate parent guardian caregiver impact student page 3 superintendent circular amt-07 page 3 12 2 parent guardian caregiver schedule meeting head school principal program director school student assign order discuss circumstance surround need safety transfer 3 parent guardian caregiver complete sign safety transfer request form attach request safety transfer refer head school principal program director review recommendation 4 head school principal program director shall conduct thorough investigation response parent guardian caregiver request gather pertinent information documentation student iep building administrator shall consult coordinator building administrator provide rationale support rejection transfer request reverse safety transfer form form sign principal head school note responsibility delegate problem gang relate name gang involve note incident occur school ground copy boston police department report obtain incident occur school ground copy boston public school incident report attach documentation packet 5 head school principal support safety transfer request indicate sign safety transfer form complete transfer packet send operational leader approval processing page 4 superintendent circular amt-07 page 4 12 complete safety transfer packet include a. complete sign english version copy parent safety transfer request form include building administrator rationale support rejection request page 2 language home english parent guardian caregiver complete appropriate language form attach english version packet b. pertinent support documentation i.e. court order restrain order police report report investigation school staff safety service etc student victim assault c. attend unsafe persistently dangerous school documentation support school designation 6 building administrator support safety transfer rationale indicate specific reason reject transfer include appropriate documentation forward safety transfer packet operational leader 7 packet submit soon possible operational leader review completeness appropriateness operational leader authorize approve reject request 8 forward copy approve packet welcome services operational leader shall consult department safety services discuss potential restriction school assignment e.g. gang relate issue persistently dangerous school etc student assign page 5 superintendent circular amt-07 page 5 12 substantially separate class operational leader shall consult ose coordinator ose assistant director 9 operational leader forward complete safety transfer packet approve safety transfer request welcome services process assignment safety issue raise discussion safety services c.f item 8 operational leader shall issue attention welcome services request approve return cite reason rejection student require substantially separate assignment welcome services appropriate apd shall consult 10 welcome services shall assign student new school notify receiving send school appropriate operational leader email head school principal program director send school shall notify parent guardian caretaker student new school assignment safety transfer approve send build administrator shall notify parent request reject 11 transfer approve operational leader shall send copy transfer form copy attach documentation new school principal head school new building administrator question send school building administrator shall respond question send school shall forward copy student record new school 12 appeal decision school level district safety transfer appeal committee appeal page 6 superintendent circular amt-07 page 6 12 parent guardian caregiver writing 10 day receipt decision appeal submit writing mail attention superintendent office attn ombudsperson bruce c. bolling municipal building 2300 washington street roxbury ma 02119 electronically submit safety transfer appeal form note 1 summer month safety transfer process family seek change school assignment safety concern follow voluntary transfer process visit bps welcome center 2 family right refuse new school assignment parent guardian caretaker contact principal head school operational leader rescind safety transfer request case student return original school permit submit additional safety transfer request incident initiate original safety transfer request translation require documentation available page 7 superintendent circular amt-07 page 7 12 information circular contact owner chief operations department operations mailing address 2300 washington street roxbury ma 02119 phone 617 635 9057 e mail operations department- heads@bostonpublicschools.org mary skipper superintendent safety transfer request form follow page page 8 superintendent circular amt-07 page 8 12 safety transfer request principal head school page student student id grade current school special education program applicable english learner program applicable parent guardian caregiver conference date time  support  reject check safety transfer request following reason(s page 9 superintendent circular amt-07 page 9 12 approve list name id number student involve lead request 1 id 2 id 3 id 4 id know student student place note name id number 1 id 2 id 3 id 4 id check  explain parent approve student assign school available seat request specific school assignment honor head school principal date attach documentation cc school file page 10 superintendent circular amt-07 page 10 12 safety transfer request family page student request safety transfer son daughter follow reason specific incident school describe involve occur happen detail include name gang involve attach additional documentation e.g. copy incident report copy boston police report report medical provider etc necessary school child attend similar safety concern list translate version form find page 11 superintendent circular amt-07 page 11 12 safety transfer request cover page complete operational leader operational leader date student id safety transfer ☐ approve ☐ approve check ☐ school inform explain parent child place available appropriate seat request specific school assignment honor check ☐ child place school available seat ☐ child place follow school( explain school school page 12 superintendent circular amt-07 page 12 12 school school additional note consideration prior assignment operational leader signature date page 1 superintendent circular number hrs pm07 version 01 performance evaluation classroom paraprofessional employees cover circular coverage paraprofessional instructional paraprofessional paraprofessional surround care paraprofessional formal evaluation staff shall formally evaluate standard indicator reasonably relate paraprofessional performance mark standard overall rating overall rating shall exemplary proficient need improvement unsatisfactory shall transmit paraprofessional business day prior 15 vectoreval platform paraprofessional sign evaluation digitally paraprofessional bps issue computer paraprofessional access bps- issue computer form print vectorevals signature upload pdf attachment digital form paraprofessional generally evaluate formally year set forth section 7 schedule meetings procedure school year principal head school designee identify approximately half page 2 superintendent circular hrs pm07 page 2 8 staff administrator responsible evaluate year process identify evaluee determine responsible administrator administrator evaluate staff member originally identify assistance supervision intervention deem appropriate base informal observation evaluators 1 supervisor shall supervise evaluate relative 2 head school principal administrative head outside bargaining unit responsible evaluation assist qualified person member bargaining unit designate school department schedule meetings procedures 1 beginning school year responsible building administrator designee shall meet paraprofessional purpose explain evaluation program instrument answer question building administrator assist qualified person designate school department classroom visit combination announce unannounced observation classroom visit result write feedback indicate deficiency paraprofessional practice responsible supervisor shall provide write feedback paraprofessional release formative summative evaluation 2 paraprofessional performance result overall page 3 superintendent circular hrs pm07 page 3 8 formative evaluation summative evaluation rating need improvement unsatisfactory evaluation prescription contain requirement paraprofessional advantage additional professional development training opportunity offer school department correct weakness deficiency cause proficient rating formative refer evaluation minimum 20 school day apart regardless rating mark 10 school day follow observation basis evaluation responsible building administrator designee shall meet paraprofessional discuss evaluation meeting paraprofessional give 2 copy write evaluation sign date responsible building administrator paraprofessional shall sign return 1 copy indicate having receive indicate agreement disagreement paraprofessional shall ask sign incomplete evaluation form paraprofessional shall allow attach write comment evaluation form paraprofessional overall performance determine proficient point school year shall notify writing shall meet directly responsible building administrator 3 area responsible building administrator designee indicate need improvement provide paraprofessional write prescription paraprofessional attach comment page 4 superintendent circular hrs pm07 page 4 8 prescription paraprofessional continue need improvement allow adequate time improve responsible administrator include prescription evaluation paraprofessional voluntarily opportunity additional training service training correct deficiency 4 paraprofessional receive unsatisfactory 4 formative evaluation 12 month period paraprofessional report work 2 formative evaluation plus summative evaluation principal head school initiate termination recommend superintendent paraprofessional terminate superintendent approve head school’s principal recommendation principal head school shall notify paraprofessional writing intent dismiss paraprofessional paraprofessional request meeting principal head school discuss intent dismiss request writing 10 day paraprofessional receipt intent dismiss notice overall unsatisfactory evaluation rating need occur consecutive month overall rating unsatisfactory summative evaluation precede rating unsatisfactory 2 formative evaluation school year paraprofessional remove classroom dismiss suspend cause prior completion prescriptive period specify paragraph page 5 superintendent circular hrs pm07 page 5 8 5 3 formative evaluation overall unsatisfactory rating base classroom performance responsible building administrator shall conduct follow evaluation evaluation shall include observation classroom performance place soon 20 school day later 50 school day previous unsatisfactory evaluation overall formative evaluation unsatisfactory rating base ground classroom performance responsible administrator clearly convey reason write paraprofessional follow prescribe procedure progressive discipline 6 formative summative evaluation overall unsatisfactory rating shall maintain permanent employee personnel record grieve arbitrate employee grieve summative evaluation overall rating unsatisfactory level step 2 hearing officer shall authority rectify grievance grievance shall deal expeditiously event concurrent dismissal grievance shall merge treat single grievance notwithstanding dispute concern paraprofessional rating individual standard find formative summative evaluation result overall unsatisfactory rating grievable arbitrable similarly dispute concern comment responsible administrator page 6 superintendent circular hrs pm07 page 6 8 observation formative summative evaluation grievable arbitrable 7 follow individual shall evaluate annually business day prior november 15 possible a. paraprofessional evaluate previous school year unsatisfactory overall particular area b. paraprofessional new building page 7 superintendent circular hrs pm07 page 7 8 summary significant date deadline date activity business day prior november 15 evaluation paraprofessional receive unsatisfactory evaluation prior school year evaluation p new school building business day prior 15 deadline submit evaluation vectoreval platform paraprofessional sign evaluation digitally paraprofessional bps- issue computer paraprofessional form print vectorevals sign upload pdf attachment digital form evaluation paraprofessional 2 year paraprofessional new building receive unsatisfactory rate previous school year page 8 superintendent circular hrs pm07 page 8 8 information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent ► click view sample classroom paraprofessional evaluation form pdf evaluator use vectorevals submit evaluation page 1 superintendent circular number cao-03 version 01 textbook management circular remain effect rescind supersede subsequent version school committee policy state law recognize student right use textbook loan basis charge public school system responsibility supply student textbook material need school use accordingly school committee policy state student require furnish pay book material school use exception material certain practical art project result item belong student project completion school committee policy state law recognize student responsibility use abuse lose textbook material school committee policy state student require pay textbook school- own material lose damage ref student fees fine charges policy file massachusetts law sum recover pupil public school loss schoolbook school committee replacement book material m.g.l. c.44 53 school leader teacher concerned resource maximize misuse instructional material cost significant important school leader teacher student page 2 superintendent circular cao-03 page 2 12 parent understand adhere policy procedure care textbook instructional material follow guideline base long stand school committee policy establish follow lending book pupil preparation storage control textbook textbook library book shall number inventory maintain school leader school committee policy require head school principal responsible complete record book instructional material furnish school inventory include ○ title book ○ author ○ publisher year publication ○ date purchase book purchase sy21 ○ class subject textbook ○ teacher textbook issue textbook textbook stamp school inside cover textbook number record inside cover textbook shall store secure room locker cabinet principal head school designee shall ensure record maintain textbook remove storage principals head school shall ensure teacher maintain inventory textbook include page 3 superintendent circular cao-03 page 3 12 condition text assign quarter trimester semester year principals head school work teacher student parent raise awareness importance care replace textbook guide boston public schools families student reference information school base rule outline rule responsibility textbook penalty violation teacher responsibility teachers maintain record title textbook number pupil textbook lend check periodically student textbook assign librarian establish maintain appropriate inventory control system loan procedure library book material equipment assign school library teachers encourage student proper care include covering loan textbook student responsibility book return principal school teacher authorize receive time require good condition receive allowance wear damage cause careful use lose damage carelessness accident reasonably allow book replace page 4 superintendent circular cao-03 page 4 12 pupil loan require school committee write notice previous defacement require book receive damage mark tearing etc allow student transfer boston public schools leave school system shall return textbook library book school loan book principal head school notify appropriate staff e.g. registrar guidance counselor note appropriate sign form student leave school pay replacement cost lose damage book high school senior allow sign day senior i.e. day 170 return make restitution lost damage book copy open account form retain temporary record student pay replacement cost damage lost book student transfer boston public schools loan textbook library book receive school return arrange replace book send school parent responsibility parents inform textbook loan and/or library book loan condition beginning school year notification form letter parent language home newsletter send home parent start school year page 5 superintendent circular cao-03 page 5 12 parents student lose damage textbook and/or library book inform principal head school writing 30 day learning loss damage cost replacement replacement textbooks student damage lose textbook and/or library book student parent refuse restitution replacement book available classroom library use restriction impose e.g. student use text class text classroom student damage lose textbook library book student parent continue refuse restitution start follow school year student subject penalty school base rule respect penalty student pay replacement cost lost damage book principal head school involve school site council establish school base rule correspond penalty penalty include limit prohibit student attend certain school activity relate instructional program penalty impose principal head school provide advance write notice student parent guardian write notice provide student parent guardians opportunity remedy situation prior actual imposition penalty page 6 superintendent circular cao-03 page 6 12 appeal process provide address issue claim hardship improper assessment damage e.g. loss damage book result student negligence parent proof payment etc appeal hear principal head school issue write decision copy forward parent copy file student temporary record addition flexibility method payment offer e.g. school service project perform student lieu dollar payment possibility fund collect lost damage textbook and/or library book forward principal head school business manager deposit revolving account purchase replacement textbook business manager allocate revolving account book fund give priority school collect money lose damage book textbook inventory replacement plan budget collaborative principal head school shall estimate textbook need follow school year base textbook check project student enrollment shall develop textbook replacement plan instructional leadership teams school site councils involve development replacement plan replacement book order individual school text curriculum adoption bps- recommend curricula new classroom purchase central office page 7 superintendent circular cao-03 page 7 12 june end school year principal head school shall conduct thorough inventory textbook principals head school shall maintain record student arrange replace textbook lose damage record include book receipt sign student book loan summary significant date deadline date activity end 2nd week school principal head school send letter family district textbook policy page 8 superintendent circular cao-03 page 8 12 information circular contact owner chief teaching learning department office teaching learning mailing address 2300 washington st. boston ma 02119 phone 617 635 9000 email opl@bostonpublicschools.org mary skipper superintendent page 9 superintendent circular cao-03 page 9 12 attachment 1 dear parent guardian new school year begin loan textbook resource material student like ask help parent need help reduce number lost damage book textbook expensive today cost $ 60.00 work hard past year update replace book result textbook year old good condition subject course use textbook instead use reference book original source document and/or library research material work child book good condition ask remind child following textbook library book property boston public schools loan use student enrol textbook library book classroom work homework respect return good condition students parent accountable book pay replacement lost damage book page 10 superintendent circular cao-03 page 10 12 textbook take home student cover material support classroom instruction textbook library book resource material care student future appreciate assistance cooperation effort thank help good wish child successful school year sincerely principal head school school page 11 superintendent circular cao-03 page 11 12 file edb r maintenance control materials equipment heads school principal responsible complete record book globe map chart apparatus computer state art instructional material furnish school approve prior 1988 policy manual school committee city boston page 12 superintendent circular cao-03 page 12 12 form 134 boston public schools pupil book receipt date subject teacher receive number promise return good order replace new room pupil signature form 134 9/98 page 1 superintendent circular number el-07 version 01 bps instructional system monitoring multilingual learner circular remain effect rescind supersede subsequent version superintendent circular outline district instructional system monitoring multilingual learner include 1 instructional expectations resource a. define high quality instructional expectation material multilingual learner multilingual learner disability mlwd b. curating outline resource school classroom staff school leader change improve current practice classroom serve multilingual learner disability 2 monitoring multilingual learners instruction a. monitoring individualized learning plan ilps multilingual learner meet access progress benchmark page 2 superintendent circular el-07 page 2 18 b. conducting classroom observation school leader district regional support team esl content instruction program serve multilingual learner accordance doj agreement ele service overview ele service compliance monitoring accountability doj reporting schedule outline instructional expectation circular provide foundational information practice expectation high quality instruction grade level content instruction ml align ma dese framework grade level standard include resource classroom staff school leader align improve current classroom practice research base resource strategy provide consistent high quality educational practice district develop systemwide understanding expectation instruct multilingual learner disability priority office multilingual multicultural education omme outline instructional expectation guidance resource multilingual learner ml educator accelerate ml language acquisition support growth content ml entitle meaningful access grade level content learning english language development eld instruction build english language skill language domain reading writing listen speak page 3 superintendent circular el-07 page 3 18 ml regardless program placement entitle receive shelter content sei teacher esl service esl certify teacher1 end omme commit provide esl sei content teacher tool good support ml ground instructional core wida ma curriculum frameworks maintain high quality content language learning ml paramount center ml instruction fall 2023 research base standard language development grade level content omme expect ma curriculum frameworks wida 2020 standards framework foundation effective delivery english second language esl instruction english learner education program omme create clear explicit guidance define english second language esl instruction boston public schools bps varied programmatic structure esl subject matter provide explicit systematic sustain language instruction promote ml success school esl 1 core academic teacher multilingual learner provide instruction english teacher ml moderate disability teacher ml severe disability teacher english reading language art mathematic science civic government economic history geography early childhood elementary teacher teach ml subject career vocational technical teacher instruct ml page 4 superintendent circular el-07 page 4 18 asset base culturally sustain language drive balanced focus meaning form standards base i.e. ela history math science rigorous integrate design authentic language interaction dialogue collaboration planned dynamic differentiate scaffold ground effective assessment practice successful pedagogy ground framework approach ma curriculum frameworks framework establish clear academic expectation student know able end school year emphasize development 21st century skill college career readiness current curriculum framework content area find ○ english language arts literacy ○ social studies humanities ○ science technology engineering ○ world language standards wida research base comprehensive approach page 5 superintendent circular el-07 page 5 18 support teaching assess multilingual learner wida 2020 framework standards prioritize equity opportunity access integration content language collaboration stakeholder functional approach language development key component effective ml teaching bps native language research show native language instruction resource positive effect english language development teacher leverage student native language literacy skill possible use knowledge facilitate metalinguistic awareness cross linguistic transfer teacher basic knowledge student native language structure well identify student positive negative linguistic transfer furthermore teacher consider native language material build background knowledge help student transfer content area skill understanding language collaboration ml educator bps prioritize teacher collaboration support ml success content area class program co teaching esl unique form teacher collaboration teacher esl grade level content area teacher fully share teaching responsibility common group student co- teacher jointly plan deliver assess dedicate systematic explicit sustained standard base language focus esl instruction connect content page 6 superintendent circular el-07 page 6 18 area topic analytical practice dese quick reference guide co teaching co teaching esl materials guidance omme continue work academic department ensure material provide scaffolding support multilingual learner support initiative omme develop eld look tool illustrate effective culturally linguistically sustain practice key instructional component classroom serve multilingual learners tool align research base good practice ml bps equitable literacy look fors culturally responsive instruction observation protocol criop order support integration content language omme create integrate language objectives write tool series professional development support initiative multilingual instructional coaches mics work sy 2022/23 analyze district approve tier 1 curriculum thoroughly examine wida 2020 standards framework create scope sequence unit map esl instruction grade k-12 focus grades k0 2 el education grades 3 5 studysync core content grades 6 12 curriculum support document house boston public schools esl curriculum digital notebook page 7 superintendent circular el-07 page 7 18 work ground massachusetts department elementary secondary dese generation esl curriculum guidance 7 form bias culturally responsive teaching systemic functional linguistics equitable literacy culturally linguistically sustaining practices 3ls wida 2020 standards framework understanding design ubd dual language school adopt variety authentic text tran adapted text material native language omme recommend usage native language text set align grade level standard unit study meet rigor expectation quality material curate additionally district recommend follow spanish english complimentary material dual language 1 focus transadapte spanish texts 2 american reading company dual language bilingual program majority bps language provide material form authentic text transadapte text thematically align biliteracy framework target language meet grade level standard page 8 superintendent circular el-07 page 8 18 set expectation high quality instruction district responsibility provide district level individualized coach support school classroom staff following list instructional recommendation critical resource teacher school leader serve multilingual learner english learner disability eld sei programs vs sei classrooms boston public schools high number ml state expect bps classroom sei classroom multilingual learner enrol qualified sei teacher additionally bps offer sei program student eld level 1 3 language specific program specify school well meet need student eld level 1 3 provide language support educator language ml eld level placement setting expect receive esl instruction accordance level group department justice doj massachusetts department elementary secondary education ma dese esl english second language sci sheltered content instruction nli native language instruction nls native language support page 9 superintendent circular el-07 page 9 18 program type target instructi type bps instructional expectations resources sei multilingual program target ml eld 1 3 low incidence language ✓ esl ✓ sci grade level align instruction district material curriculum meet ma framework adapting differentiation low eld level and/or low level literacy accelerate learn educator teach academic language align ma framework content grade level standard wida standard classroom teacher collaborate plan esl teacher educator bilingual believe native language student family asset promote bilingual education classroom environment multicultural engage diverse perspective experience value student cultural linguistic background student ilp need align wida language domain esl instructional pedagogy connect thematically focus academic language mass literacy guide ma dese collaboration tool incorporate native language learning bps equitable literacy look- for ma dese esl model curriculum unit cgc 3ls learning language literacy sfl writing pedagogy udl guidelines ma dese define esl guidance sei language specific program target ml eld 1 3 high incidence language ✓ esl ✓ sci ✓ nls sei inclusion program target dually identify ml eld level 1 3 ml disabilities ✓ esl ✓ sci ✓ nls sei classroom district ele programs target eld 4 eld 5 school sei multilingual language specific sei inclusion program ✓ esl ✓ sci page 10 superintendent circular el-07 page 10 18 dual language target ml eld level 1 3 english monolingual student ✓ esl ✓ sci ✓ nli biliteracy skill support language build metalinguistic awareness teach cognate educator bilingual hold belief native language student family asset material reflect authentic text transadapte author reflect linguistic ethnic diversity target language curriculum include standard base scope sequence language literacy development english partner language student dual language cal guidance slife target newcomer student low native literacy assessment gap education newcomer program ✓ esl ✓ sci ✓ nli ✓ nls native language literacy numeracy skill develop student academically appropriate developmental strategy pedagogy build student schema life experience educator bilingual hold belief native language slife dese guidance page 11 superintendent circular el-07 page 11 18 student family asset material reflect authentic text transadapte author reflect linguistic ethnic diversity target language drawing student culture identity project life skill connect community asset heritage program target student common ethnic native language ✓ nli ✓ esl student heritage background teach target language modality align world language standards identity major factor heritage speaker signer motivation language learning educator discuss identity issue effectively support student make cultural connection describe world language content standard world language standards heritage speakers guide monitoring multilingual learner instruction addition circular outline district expectation central office school leader quality monitoring system esl content instruction multilingual learner english learner education ele program general education setting system facilitate district identification classroom program school excellence bps share practice trend teach pedagogy page 12 superintendent circular el-07 page 12 18 district wide addition routine observation allow district identify school classroom need support instructional improvement case intervention school program classroom bps monitoring system ensure student ilp attend specific language goal monitoring ml individualized learning plan ilps multilingual learners meet target access progress benchmark indicate ma dese require individual learning plan ilp know student success plan track language growth academic progress year omme share guidance list student need ilp dese criterion template document latf support dissemination information material teacher completion ilp complete student team teacher integrate student grow content area use wida framework descriptor guide bps ilp document goal language domain student need grow level english language proficiency continuum align wida bps ilp sample template find continue implementation policy school leader latf teacher expect identify area identify ml need page 13 superintendent circular el-07 page 13 18 improvement establish personalized goal attain english proficiency assess track progress ml meet benchmark identify area need improvement review resource service available assist ml identify area need improvement incorporate input parent legal guardian identify ml omme develop systemic approach monitor ilp ml meet wida access benchmarks outline school leader latf notify update percentage ilp completion omme monitor progress 100 completion ilp plan ilp finalize student october 15 2023 schools principal latf incomplete ilp notify late october follow remain incomplete ilp reflect school el plan omme equity accountability regional liaison work school superintendent ensure ilp completion ml identify need plan monitoring instruction bps recognize rigorous standard base culturally affirm instruction critical student outcome page 14 superintendent circular el-07 page 14 18 high need school district implement consistent monitoring system ensure esl content instruction multilingual learner disabilities receive high- quality instruction opportunity accelerated learn equitable mtss tier office multilingual multicultural education omme increase staffing instructional support sy23/24 support school leader educator meet consistent expectation instructional practice multilingual learners disability omme multilingual instructional coach work align instructional expectation district classroom level material role expectation instructional practice coach cycle omme adopt update ml observation tool equitable literacy self reflection tool learning language literacy observation tool embed practice meet grade level content expectation ml update mls observation tool utilize district wide perform learn walk observation esl content classroom ml place order assess quality teaching learn multilingual learner focus culturally linguistically sustaining practices clsp bps district team school use update ml observation tool replicate bullseye online platform observer input observation record order collect datum assess outcome monitor trend page 15 superintendent circular el-07 page 15 18 increase instructional improvement district staff school leader classroom observer train update mls observation tool bullseye online platform order implement system leverage consistent routine classroom observation monitoring tool school accountability following outline district expectation school leader central office quality monitoring system esl content instruction multilingual learner regardless program placement ensure monitor school high quality ml teaching practice coherence district omme add training school leader ml instruction expectation observation look for well prepare appropriately evaluate grow educator meet proficient exemplary status follow ma dese classroom teacher rubric page 16 superintendent circular el-07 page 16 18 school leader assign evaluator week school leader expect short observation 10 15 minute classroom serve multilingual learners school school leader use update mls observation tool collect observation note align district instructional vision b 48 hour observation school leader provide classroom leader quick note include positive practice observe noticing wonder improve instructional practice resource align expectation improve instructional practice include noticing wondering c concern arise short observation school leader schedule observation include discussion teacher offer resource support coach available d school leader observe consistent classroom instruction expectation teaching learning school leader conversation teacher start teacher improvement evaluation process include expectation improvement resource support growth classroom staff page 17 superintendent circular el-07 page 17 18 district accountability regional school superintendents district regional support staff district team quarter start end september regional school superintendent district regional support staff join school leader observe classroom practice classroom serve multilingual learners team use update ml observation tool observe record provide feedback classroom instructional practice identify trend growth area monitor progress b regional support staff conduct walkthrough expect record observation centrally maintain bullseye online platform allow district wide analysis monitoring datum trend additionally school leader district staff able monitor progress share evidence norm validate observation c regional school superintendent regional support staff debrief school leader day observation discuss highlight classroom instruction grow pedagogically appropriate instructional practice identify instructional practice need support support provide d quarter district team monitor trend evidence improvement area growth district team expect coordinate central page 18 superintendent circular el-07 page 18 18 office resource include omme coach utilize datum support classroom school need effectively e school superintendent work school leader demonstrate progress develop action plan improve instruction clear metric include district support reflect future qsp school leader evaluation information circular contact owner deputy superintendent academics interim assistant superintendent omme departme nt office multilingual multicultural education omme mailing address bolling building 2300 washington street 6th floor roxbury ma 02119 phone 617 635 9435 email ommeequityteam@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-05 version 01 permit activity circular remain effect rescind supersede subsequent version permit request process bps building activity take place school building school hour require permit include activity school vacation week holiday summer month person deny access bps building permit request approved school facilities management permit electronically submit schooldude week minimum event advisable submit request activity event schedule confirm external non bps user access link facilities mgt community use monthly calendar communityuse requester guide information outside organization access system submit request fsrequester guide include video page 2 superintendent circular fmt-05 page 2 9 picture guide submit request log internal bps user single sign dot grid right gmail screen click click schooldude icon look like cartoon face schooldude log screen submit schedule request include video picture guide submit request log organization bps staff member submit request route school leader designee approval processing schedules information manage approval independent party bps bps partner organization submit permit request form use occupy school property event attendance expect exceed 60 people charge admission party shall require hire school police detail party expense present duration use property note routing process summer different school year process page 4 circular summer program request bps facilities school leader receive notification approval building use page 3 superintendent circular fmt-05 page 3 9 custodial hour overtime applicant responsible custodial overtime utility fee build usage fee applicable school applicant responsible overtime event occur building close weekend holiday school vacation and/or building open additional custodial coverage require determine facilities management payment form certify check money order boston public schools require prior permit activity occur activity event occur building closed custodian(s open build half hour prior entrance applicant building close build half hour applicant exit building group request building space abide request permit hour request build use community user condition apply addition outside group pay building usage fee fee charge space invoice facilities management permit fee send facilities management department schooldude building permit system actual fee requester charge custodial coverage determine number people space applicant staff minimum page 4 superintendent circular fmt-05 page 4 9 150 people = 1 senior custodian 350 people = 1 senior custodian 1 junior custodian 450 people = 1 senior custodian 2 junior custodians additional hour add permit hour half hour open half close custodian work overtime principal head school work area manager ensure custodian meaningful work predetermine work schedule overtime hour custodian expect remain school premise overtime perform scheduled work custodial opening closing time half hour figure permit hour requester need include time request general terms condition responsibility use expressly understand agree regulation school committee strictly comply requester organization refer bps superintendent circular bps policies procedures requester organization assume responsibility injury loss city property consequence use describe accommodation engage good expense city requester organization agree pay charge light heat custodian security service require bps gymnasium requester organization assume page 5 superintendent circular fmt-05 page 5 9 responsibility proper use protection facility provide school requester organization allow person use facility control organization participant spectator prohibit building gymnasium organization shall enter school entrance entry door prop open allow unauthorized individual enter building responsibility organization station individual designate entrance ensure participant program allow participant allow door close secure supervision applicant organization provide sufficient supervisory personnel ensure proper supervision safety member guest regulate responsible usage organization responsible cost incur repair damage premise custodial employee available supervise premise obligation connect cleaning maintenance building license addition permit require regulation school committee exhibition entertainment admission fee require license provision chapter 348 special act 1915 obtain license obtain apply mayor city boston pay require fee license require entertainment school building benefit pupil thereof supervision principal head school page 6 superintendent circular fmt-05 page 6 9 police attendance admission charge person permit issue provision bps school police attendance school building occupy outside school hour party program sufficient bps school police attendance necessary 60 person occupy facility bps school police detail sole responsibility renter(s bps school police attendance bps facilities management cancel permit exclude person building time filing permit request building permit request school year submit definite final reservation 1 request approve principal head school 2 facilities management give final approval activate permit gymnasium permit start end date gymnasium permit begin week september end 2 week prior closing school alcohol smoking food regulations accord state law alcoholic beverage allow public school building consumption food and/or beverage permit auditorium conference room smoking permit school building payment personal company check certify bank check and/or money order accept form payment cash credit card money transfer accept form payment check return insufficient fund charge additional $ 25.00 right cancel head school principal reserve right page 7 superintendent circular fmt-05 page 7 9 request cancellation request permit activity occur facility bps central administration final determination principal head school cancellation request bps central administration right cancel permit violation bps building usage and/or safety policy obligation clean requester obligate clean organize building space return building space state find space suitably clean and/or return state prior use requester charge additional custodial and/or fee lose privilege bps facility future school closure school close inclement weather emergency permit automatically cancel suspend duration inclement weather emergency gymnasium available rental holiday christmas february april summer vacation weekend use snow forecast facilities management guarantee parking lot clear schedule event organization urge contact facilities management cancel necessary contact area manager duty municipal protective services 617 635 4844 cancel permit summer terms permit approval summer permit request route bps facilities school leader receive notification approval building use permit start end date summer program operate page 8 superintendent circular fmt-05 page 8 9 bps building july 8 august 9 2024 day setup arrange school leader prior july 1 2024 gymnasium permit begin week opening school end week prior closing school student employee attendance program operate bps building record daily student staff attendance available request identification summer adult work bps building wear identify badge indicate minimum organization program specification employee work bps building summer staff follow bps summer staff bps employee wear bps issue id non bps summer staff hire ohc external hiring process non bps summer staff wear bps summer id issue ohc welcome session community base program staff wear visible organizational id badge day program boston public schools facilities rental fees event function hold boston public school building implement accordance follow fee schedule time event $ 515.00 event continuous usage $ 2,575.00 10 event utilities $ 95.00 hour senior custodian $ 49.00 hour page 9 superintendent circular fmt-05 page 9 9 junior custodian $ 37.00 hour information circular contact owner assistant director building services department facilities management mailing address campbell resource center 1216 dorchester ave dorchester ma 02125 phone 617 635 9162 fax 617 635 9306 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number oda-07 version 01 required documentation withdraw student circular remain effect rescind supersede subsequent version circular list documentation school require obtain withdraw student include information monitoring process conduct central office year boston public schools state audit documentation student withdrawal auditor find collect insufficient documentation student categorize withdrawal audit finding upgrade material weakness severe finding lack action result loss federal fund e.g. title 1 and/or city overall credit rating systemic improvement plan require district revise withdrawal procedure implement control monitoring administrative school staff school leader registrar school administrator responsibility involve enrol withdraw student require complete asynchronous training 2024 management operations institute overview required documentation section seek clarify documentation require acceptable school use template document page 2 superintendent circular oda-07 page 2 9 interaction family upload support documentation family signature school use template long contain necessary information approve central office contact student-withdrawal@bostonpublicschools.org acceptable documentation type student withdrawing includes 1 write request student record receive public private high school educational program culminate regular high school diploma include request receive school come district scrib order 2 write record response official receive school program acknowledge student enrollment 3 write confirmation parent guardian student move state country continue education 4 write confirmation parent guardian update school enrollment status child include indication continue education 5 letter bps office expanded learning time indicate approve educational plan homeschooling 6 record state datum system edwin dese security portal central office process page 3 superintendent circular oda-07 page 3 9 documentation time withdrawal student withdraw dropout appendix table withdrawal code acceptable matching documentation require element sufficient withdrawal documentation transfer student include 1 date transfer occur confirm include year 2 identifiable student withdraw 3 identifiable information confirm withdrawal parent receive school registrar email address 4 indication student continue education a. new school ideal require state student enroll school sufficient new school know withdrawal documentation upload student record aspen time withdrawal non editable format pdf screenshot scan handwritten sign withdrawal form letter word document aspen journal entry travel ticket itinerary acceptable form documentation confirm transfer monitoring accountability school leader require identify primary point page 4 superintendent circular oda-07 page 4 9 contact school withdrawal relate process additionally school leader require sign review student record sufficient documentation exist student withdrawal code sign align october state reporting period central office staff hold office hour available answer question arise time period communicate date friday flyer weekly recap additionally central office team conduct periodic audits confirm sufficient documentation place fall mid- year end year supervisor attendance include resource support school gather necessary documentation review period question support contact following general questions student-withdrawal@bostonpublicschools.org technical questions aspen kevin arias karias@bostonpublicschools.org graduation dropout reporting apryl clarkson aclarkson@bostonpublicschools.org student attendance requirements brian marques bmarques@bostonpublicschools.org school specific questions supervisors attendance regional operational leader school superintendent page 5 superintendent circular oda-07 page 5 9 technical resource withdrawal code guidance update withdrawal codes aspen upload documents aspen report protocol student iep information circular contact owner senior executive director department office data accountability mailing address 2300 washington street boston ma 02119 phone 617 635 9450 email student- withdrawal@bostonpublicschools.org mary skipper superintendent page 6 superintendent circular oda-07 page 6 9 appendix transfer codes required documentation bps code bps description state code state description required documen- tation type 06 mass. public boston resident 20 transfer state public 1 2 4 09 eoy flip record 10 batch assignment process school change 12 mass. public non boston resident 42 discharge charter school 43 discharge virtual school mass public 98 residency violation 99 discharged student id error 01 boston parochial 21 transferred state private 1 2 4 03 mass. parochial non boston resident 04 mass. parochial boston resident 07 mass. private non parochial boston resident 11 boston private non parochial 13 mass. private non parochial non- boston resident 15 home kindergarten 44 discharge virtual school mass private 19 country 22 transfer state public private 1 2 3 4 14 state 1 2 4 45 discharge virtual school state 1 2 3 4 page 7 superintendent circular oda-07 page 7 9 05 home school 23 transfer home school 5 30 adult diploma program 24 transferred adult diploma program lead ma diploma 1 2 4 ss long receive special ed service 41 transferred long receive special education service page 8 superintendent circular oda-07 page 8 9 appendix b non transfer withdrawal codes bps code bps description state code state description 17 graduate 04 graduate competency determination 95 expel bps 05 expel 96 expel school system 97 multiple expulsions 16 death 06 deceased 18 student reach maximum age 22 yrs 09 reach maximum age graduate receive certificate attainment 33 certificate attainment 10 certificate attainment 31 grade 12 met local requirement pass mcas 11 complete grade 12 district- approve program district offer certificate attainment 23 ged 30 dropout enrol non- diploma grant adult education hiset program 27 non diploma educational program non ged 32 job corps 31 dropout entered job corps 22 military service 32 dropout enter military 28 incarcerate 33 dropout incarcerate district long provide educational service 21 work 34 dropout leave employment 24 16 plan know 35 dropout confirmed dropout plan unknown 25 illness 26 married pregnant parenting 51 registered report 36 dropout and/or student page 9 superintendent circular oda-07 page 9 9 52 moved forwarding address status location unknown d1 dnr 8 day page 1 superintendent circular number fmt-19 version 01 bps standard operating procedure cleaning disinfecting body fluid spill circular remain effect rescind supersede subsequent version purpose standard operating procedure sop implement ensure bps custodian safely properly respond incident require cleaning disinfecting body fluid spill body fluid include vomit diarrhea blood consider potentially infectious employee treat body fluid response action potentially infectious wear proper personal protective equipment clean disinfect body fluid spill procedures 1 contain affected area discontinue food service operation spill occur food preparation service area remove student staff affect area classroom block area spill staff student cleanup disinfection complete incident involve vomit contain area 25 foot spill page 2 superintendent circular fmt-19 page 2 10 send sick student staff school nurse excuse e.g. send home food service employee symptom vomiting diarrhea food service operation refer tfer exclusions restriction ill infected food service employee guidance refer food service employee reporting agreement allow food service employee and/or custodial staff designate clean disinfect body fluid spill affected area 2 personal protective equipment ppe include wear disposable non latex glove glove vinyl nitrile rubber non powdered consider double gloving wear glove hand replace glove tear visibly soiled hand away face wear glove wear face mask eye protection goggle protective glass 3 remove visible body fluid new disposable glove consider double gloving clean affected area soap water paper towel and/or disposable mop head include surface come direct contact body fluid surface contaminate body fluid disinfect surface thoroughly clean i.e. visibly soiled page 3 superintendent circular fmt-19 page 3 10 dispose paper towel and/or disposable mop head plastic garbage bag remove glove discard plastic garbage bag wash hand food contact surface new disposable glove consider double gloving clean affected area soap water rinse thoroughly plain water wipe dry paper towel dispose paper towel plastic garbage bag disinfect surface prepare apply solution ¾ cup concentrate bleach + 1 gallon water leave surface wet 5 minute rinse surface intend food mouth contact plain water use wipe sanitize solution concentration food contact surface air dry wash hand thoroughly soap water page 4 superintendent circular fmt-19 page 4 10 non absorbent surface i.e. tile stainless steel prepare disinfect solution disinfect solution shall epa register hospital grade disinfectant wear ppe include face mask eye protection goggle ensure area ventilate mix solution outdoors necessary prepare disinfect solution manufacturer recommendation immediately apply surface recommend solution surface direct contact body fluid transfer solution spray bottle spray bottle generously apply disinfect solution affected surface include surface come direct contact body fluid surface contaminate body fluid incident involve vomit disinfect area surface 25 foot spill use ventilate area disinfect high touch area e.g. door handle toilet dispenser cart sink faucet telephone etc food service area cafeteria dining area break room restroom disinfect solution paper towel leave disinfect solution affect surface minimum 5 minute epa approve page 5 superintendent circular fmt-19 page 5 10 disinfectant follow manufacturer instruction rinse surface clean water paper towel and/or disposable mop head allow surface air dry dispose paper towel and/or disposable mop head plastic garbage bag remove glove dispose plastic garbage bag wash hand epa approve disinfectant instead chlorine bleach solution epa approve disinfectant appropriate vomit diarrhea find www.osha.gov/sites/default/files/publications/norovirus -factsheet.pdf cdc guideline noroviru outbreak management disease prevention recommend chlorine bleach solution hard surface possible epa approve disinfectant appropriate blood find www.epa.gov/pesticide- registration select epa register disinfectant absorbent surface i.e. carpet upholstery cloth disinfect chemical disinfectant possible remove dispose affected material material double bagged dispose mainstream waste disposal steam clean minimum 5 minute 1700f. page 6 superintendent circular fmt-19 page 6 10 launder mechanical washing machine hot water setting dry mechanical dryer high heat setting dispose disinfect material plastic garbage bag appropriate remove glove dispose plastic garbage bag wash hand 4 discard potentially contaminate food new disposable glove consider double gloving dispose expose food food container contaminate body fluid garbage bag incident involve vomit discard food 25 foot spill food store intact seal container i.e. can salvage adequately clean disinfect remove glove dispose glove plastic garbage bag wash hand 5 dispose ppe clean disinfect material new disposable glove consider double gloving securely tie garbage bag contain dispose material page 7 superintendent circular fmt-19 page 7 10 place garbage bag second garbage bag double bag clean non disposable item bucket mop handle etc soap water disinfect allow item air dry remove ppe include disposable glove place second garbage bag securely tie second garbage bag discard bag(s dumpster remove soil clothe necessary place clothe separate garbage bag securely tie garbage bag clothe tie garbage bag adequately launder 6 wash hand arm face soap water restroom sink hand sink clean clothing necessary apply ethanol base hand sanitizer hand 7 wash rinse sanitize potentially contaminate food contact surface include food contact surface disinfect step 5 sop food contact surface contain food discard step 6 sop 8 restock supply cleanup page 8 superintendent circular fmt-19 page 8 10 monitoring standard daily cleaning food service area shall include custodial staff sweep clean cafeteria floor neutral cleaner cafeteria wall ceiling shall clean need basis food service staff clean disinfect cafeteria table solution bleach water note cleaning body fluid spill food service area school custodial staff include bodily fluid spill cafeteria table case affect table(s clean custodial staff cafeteria table clean food service staff 1 senior custodian designate train implement sop train use necessary supply ensure necessary supply available time custodians ○ educate illness symptom report building service area manager 617 635 9162 ○ monitor sign symptom illness 2 food service manager ensure food service employee educate illness symptom report manager monitor sign symptom illness page 9 superintendent circular fmt-19 page 9 10 adapt usda document cleaning disinfecting body fluid spills miami county public health website information circular contact owner senior environmental supervisor department facilities management mailing address campbell resource center 1216 dorchester ave dorchester ma 02125 phone 617 635 8300 fax 617 635 7855 email operations department- heads@bostonpublicschools.org equipment coordinator department food nutritional services mailing address food nutrition wellness building 370 columbia road dorchester ma 02125 phone 617 635 9296 fax 617 635 9305 email operations department- heads@bostonpublicschools.org page 10 superintendent circular fmt-19 page 10 10 sr manager building services department facilities management mailing address campbell resource center 1216 dorchester ave dorchester ma 02125 phone 617 635 9165 fax 617 6359306 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-03 version 01 public records request circular remain effect rescind supersede subsequent version school department staff member frequently receive request individual agency ask information document cite freedom information act foia massachusetts public records law authority honor request massachusetts public records law m.g.l. c. 66 10 provide person right access public record right access include right inspect copy copy record provide payment reasonable fee massachusetts general laws broadly define public record book paper map photograph electronic storage medium computer file digitally store material information regardless form receive employee public agency material fall recognize exemption request public record information writing require oral request public record information place writing requestor prior respond request writing sign date contain address requestor page 2 superintendent circular lgl-03 page 2 3 records request write public record request send office legal advisor file city boston public record request portal access public record request portal visit https://www.boston.gov/departments/public-record click public records request link page boston.gov website ensure prompt response use city public record request portal prefer method request office legal advisor review request fall exception public record law coordinate office school search retrieval copying information law provide boston public schools respond request public record 10 day receipt request imperative receive public record request fax deliver office legal advisor imperative receive request office legal advisor compile public record expeditiously office legal advisor comply timely manner request information subpoena receive subpoena student record personnel record medical record document copy subpoena email deliver immediately office legal advisor review forward responsive record original subpoena office legal advisor subpoena email deliver address individual keeper record witness subpoena i.e. subpoena seek page 3 superintendent circular lgl-03 page 3 3 testimony document email deliver office legal advisor appropriate consultation email legal@bostonpublicschools.org information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fam-06 boston student advisory council circular remain effect rescind supersede subsequent version massachusetts state law chapter 71 section 38m. student advisory committee state school committee city town regional school district shall meet month month school session student advisory committee consist member compose student elect student body high school high school city town regional school district mission statement boston student advisory council advocate protect voice student boston public school system empower student body express opinion educational policy change ensure student include decision policy making impact life educational experience boston public schools student apply school serve boston student advisory council boston student advisory council bsac citywide body student leader represent respective high school serve voice student boston school committee superintendent central office department bsac offer student perspective policy initiative reform effort inform respective school relevant citywide page 2 superintendent circular fam-06 page 2 4 school issue address student issue develop district wide policy work student government head school school level policy practice bsac council executive committee council think tank generate idea project executive committee leadership team 6 12 student serve advise body boston school committee superintendent executive committee plan facilitate meeting support bsac manager facilitate youth engagement district initiative department develop bsac priority monitor progress boston public high school include district exam high school level alternative pilot district charter school require bsac representative school bsac representative student government regularly attend student government meeting share bsac work receive feedback gather input project policy possible helpful student representative school site council serve bsac way student bsac member 1 student election school level 2 bsac application manage office youth leadership role bsac member 1 elect leadership team serve advisory school committee decision make process 2 student government school community inform relevant district initiative decision actively seek collect feedback inform district page 3 superintendent circular fam-06 page 3 4 decision make regular attendance participation student government meeting 3 work bsac project initiative bsac representative represent school bsac meeting assist decision make school advise administration student center citywide issue policy work policy bsac develop perform task necessary advance project work survey meeting head school student government advisor peer interview etc ensure representation student voice school continuous engagement student government broad student body office youth leadership responsible oversight support bsac page 4 superintendent circular fam-06 page 4 4 summary significant date deadlines date activity september 29 bsac meeting return representative october 15 deadline hold student government elections october 15 email name student government representative(s bsac member office youth leadership bsac@bostonpublicschools.org october 28 deadline youth apply city boston success link qualify youth job slot possible office youth leadership partner city boston department youth engagement employment provide pay youth job bsac member information circular contact owner senior director opportunity youth department department opportunity youth mailing address 443 warren street dorchester ma 02121 phone 617 635 9620 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number amt-01 version 01 exam school admission application admissions process circular remain effect rescind supersede subsequent version boston public schools exam school boston latin academy boston latin school john d. o'bryant school mathematics science school accept new student grade 7 9 john d. o’bryant school accept small number new student grade 10 circular outline operational detail application process gpa calculation test administration invitation eligibility students currently enrol grade 6 8 9 reside city boston eligible apply exam school 2025 2026 school year application process exam school include admission test student gpa boston residency gpa account 70 test score account 30 application student eligible additional point meet specific criterion student enrol program limited interrupt formal education slife enrol non credit bearing course student complete grade level curriculum eligible apply exam school admission page 2 superintendent circular atm-01 page 2 14 residency requirement student seek admission exam school enrol grade 6 8 9 live city boston eligible apply admission 2025 2026 school year residence minor child presume legal primary residence parent(s guardian(s physical custody child student actively enrol bps school previously establish residency initial registration process need resubmit documentation non bps family require verify residency city boston bps welcome center october 15 2024 november 15 2024 family plan participate fall 2024 test administration complete residency verification process register test november 8 2024 student complete residency verification process include student attend private school student attend parochial school student attend metco program school student attend commonwealth charter school exclude academy boston green academy district bps charter school student attend school outside city boston student home school residency verification complete family child enrol boston public schools student receive special education service bps parent guardian current city boston employee student previously enrol bps page 3 superintendent circular atm-01 page 3 14 verification process parent require provide approve proof residency list boston home address child original birth certificate child immunization record parent photo identification addition authorization form release student information provide appointment refer bps registration document checklist detail way apply 1 person schedule appointment form visit bps welcome centers work directly registration specialist 2 computer pre register schedule appointment form complete application registration specialist follow appointment in- person phone require select pre- register bps menu click option register child boston public schools select second option aspen account list require approve document registration application find bps registration document checklist grade point average exam schools policy establish baseline criterion eligibility residency student grade point average b high eligible apply gpa include prior year mark english language arts ela math current year mark ela math science social studies page 4 superintendent circular atm-01 page 4 14 school leader expect ensure mark course number process grade point average calculate boston public schools applicant course mark submit school certification represent performance massachusetts curriculum framework grade level standard february 7 2025 change transcription computation grade point average accept table outline subject area grade term include admission cycle apply sy25 26 entrance year 7th grade 5th grade sy23 24 4th quarter 3rd trimester 2nd semester mark ela math 6th grade sy24 25 1st 2nd quarter 1st trimester 1st semester mark ela math science social studies 9th grade 7th grade sy23 24 4th quarter 3rd trimester 2nd semester mark ela math 8th grade sy24 25 1st 2nd quarter 1st trimester 1st semester mark ela math science social studies 10th grade 8th grade sy23 24 4th quarter 3rd trimester 2nd semester mark ela math 9th grade sy24 25 1st 2nd quarter 1st trimester 1st semester mark ela math science social studies page 5 superintendent circular atm-01 page 5 14 sy25 26 admission prior year current year mark consider calculate gpa prior year mark weight 50 current year mark weight 50 student previous year international school record current year mark consider student mark subject gpa calculate application miss course mark incomplete inc pass p mark process classify ineligible july 2021 update exam school admission policy stipulate district develop publish coherent district equitable grade policy f scale a+ treat like a. address requirement 12 point grade scale rescale 0 12 0 11 0 point represent f 11 point represent a+ a. result follow crosswalk letter mark point value gpa calculation letter mark a+ a- b+ b b- c+ c c- d+ d d- f point value 11 11 10 9 8 7 6 5 4 3 2 1 0 student grade 5 transcript boston public schools receive mark multiple standard subject area 1 4 grade scale mark reading writing math convert 12 point scale purpose calculate overall mark subject area ela math overall mark subject 11 number round 11 align 1–11 point scale page 6 superintendent circular atm-01 page 6 14 standard base marks 4 3 2 1 point value 12 9 6 3 student participate advanced course honor awc ap etc receive additional point information conversion mark calculate composite score review fact sheet non- bps school responsible determine practice grade conversion test administration sy25 26 admission completion nwea map growth assessment require admission student opportunity assessment spring 2024 student like improve score test spring second opportunity fall 2024 student require map assessment time case complete testing event twice reading twice math bps use high math score high reading score test event invitation process page 7 superintendent circular atm-01 page 7 14 6th 8th grade student currently attend bps school test offer school day school registration action necessary student grade 9 bps school student grade 8 attend bps exam school test offer weekend registration require detail student currently attend bps school test offer weekend registration weekend test require complete online paper form post exam school bps website additional point addition gpa test score student eligible receive additional point application student live housing own boston housing authority care department children families experience homelessness time time period bps collect grade march 2024 february 2025 receive additional 15 point student attend school spring grade 5 apply 7th grade exam school grade 7 apply 9th grade exam school grade 8 apply 10th grade o’bryant 40 student enrol come economically disadvantaged family 5 year average receive 2 10 additional point depend student socioeconomic tier information socioeconomic tier district determine list school eligible additional point define department elementary secondary education dese learn additional point calculate view superintendent memorandum page 8 superintendent circular atm-01 page 8 14 situation student attend school spring 2023 2024 school year school submit student final mark period course mark determine eligibility additional point situation student new resident city boston school submit course mark mark period 2024 2025 school year determine eligibility additional point additional point additive student receive point receive additional point attend school 40 student enrol come economically disadvantaged family composite score calculation admissions exam school use composite score calculation combine gpa test score additional point eligible number gpa test score component 0 100 scale student receive additional point describe receive maximum score 110 115 sy25 26 admission grade 70 composite score test score 30 composite score gpa divide 11 base 11- point scale explain multiply 70 similarly test score scale possible total 30 gpa component test score component add additional point student receive add total score detail bps calculate student composite score review composite score calculation fact sheet page 9 superintendent circular atm-01 page 9 14 tier applicants place socioeconomic status ses tier base home address family visit bostonpublicschools.org/exam use interactive ses tier map learn ses tier child consider socioeconomic status tier base socioeconomic score census tract city update year annual data available typically late winter year socioeconomic score composite measure american community survey indicate economic need relative census tract city percentage person poverty percent household occupy owner percent family head single parent percent household limited english speak educational attainment tier proportionally sized base number school- aged child grade 5 8 living census tract tier approximately number seat available tier student rank high low base composite score student composite score random number determine rank order student high random number rank high other(s page 10 superintendent circular atm-01 page 10 14 invitation invitation award 10 invitation cycle 10 seat available tier distribute cycle tier 1 tier low ses score cycle tier 8 tier high ses score cycle student invite highest rank exam school available seat seat student choice school allocate student receive invitation second choice school seat allocate student receive invitation choice school seat fill school choice student rank exam school consider invitation student list exam school rank choice preference student consider school list example student rank boston latin school o’bryant consider invitation school student submit choice ranking exam school consider exam school invitation bps grade 6 8 student fall 2024 receive continuous choice form january 2025 email bps school ask submit school preference 2025 2026 school year continuous choice form bps student february 7 2025 bps grade 9 student bps grade 8 student enrol exam school fall 2024 require visit bps welcome center submit rank school choice page 11 superintendent circular atm-01 page 11 14 transfer request january 2025 group student receive continuous choice form automatically bps school non bps student rank school residency verification process end friday november november 15 2024 submit application rank school process time waitlists boston public schools create waitlist exam school entry grade level student invite exam school sy 2025 2026 day day school accept decline invitation bps office welcome services encourage family respond invitation end ensure student assign timely manner student meet minimum eligibility criterion receive invitation rank exam school eligible place waitlist exam school invite exam school admission open student enter grade 7 grade 9 grade 10 o’bryant school waitlist create grade student rank exam school order consider invitation eligible place waitlist student receive exam school invitation choice school eligible place waitlist note bps build expect attrition number student invite exam school year page 12 superintendent circular atm-01 page 12 14 assign student seat result student call waitlist expect attrition account waitlist cap 100 student school grade ordering waitlist function continuation exam school invitation policy student order composite score random number ses tier student composite score random number tiebreaker invitation process student invite exam school 10 invitation cycle approximately number seat give student ses tier cycle invitation distribute give school grade continue follow process purpose add student waitlist exam school waitlist handle separately waitlist process open enrollment bps school word student exam school waitlist bps school accept seat waitlist different school affect student place exam school waitlist bps contact family phone email seat available exam school family 24 hour accept decline exam school waitlist ensure contact information date visit bps welcome center exception 24 hour acceptance deadline sy25 26 waitlist remain effect november 30 2025 date waitlist expire waitlist roll future year page 13 superintendent circular atm-01 page 13 14 transfer transfer exam school long permit student allow change invitation different exam school transfer exam school matriculation student interested move different exam school grade 9 10 reapply formal application process summary significant date deadline october 15 november 8 2024 priority residency verification period non- bps family registration period map growth weekend test november 11- november 15 2024 final week residency verification non- bps family register map growth weekend test administration december 2 13 school test administration period december 7 2024 weekend test administration map growth january 2 february 7 2025 mark submit certify send school march 2025 application status update send applicant april 2025 admission decision notification send applicant page 14 superintendent circular atm-01 page 14 14 information circular contact owner director student assignment selective admissions department welcome services mailing address 2300 washington street roxbury ma 02119 phone 617 635 9085 email exam@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-09 version 01 political activity public employees circular remain effect rescind supersede subsequent version public employee right citizen engage private political activity conflict interest law m.g.l. c. 268a restrict political activity public employee addition campaign finance law m.g.l. c. 55 restrict public employee political fundraising prohibit activity follow restriction impose law public employee volunteer respect participation political activity local state federal level 1 participation political activity political activity include limit activity support opposition federal state local candidate political party state local ballot question general public employee use public position engage political activity public employee participate political activity o usual business hour o act official capacity official page 2 superintendent circular lgl-09 page 2 6 uniform o use public facility property resource staff time public office space facility public office equipment telephone communication equipment computer copier public website link public website public office supply official stationery partisan political campaign activity conduct employee non business hour include usual lunch hour vacation time personal time leave absence pay 2 prohibition public employee solicit political contribution violation state law public employee directly indirectly solicit receive contribution value political purpose time work non working hour person employ compensation elect officer commonwealth county city town shall directly indirectly solicit receive gift payment contribution assessment subscription promise money thing value political campaign purpose candidate public office political committee political purpose mass. g.l. c. 55 section 13 emphasis add principle support prohibition primarily insulate public employee inappropriate political pressure turn ensure employee use public position page 3 superintendent circular lgl-09 page 3 6 personal political gain important strongly protect prohibition include direct indirect solicitation public employee ask individual contribution behalf political candidate committee public employee encourage individual contribute candidate public political office political committee sign fundraising letter advertisement behalf candidate political fundraising event public employee sponsor allow use invitation fundraising event political fundraising request public employee serve host sponsor political fundraising event public employee distribute sell ticket political fundraising event note mass. g.l. c. 55 section 7a permit public employee individual financial contribution political campaign 3 solicitation public building solicit political contribution public building solicitation include request receipt contribution distribution fundraising letter ticket public employee convict solicitation fund remove employment hearing mass. g.l. c. 55 section 14 page 4 superintendent circular lgl-09 page 4 6 4 public employee seek elective office public employee seek elective office solicit political contribution directly indirectly prohibition solicitation apply public employee general apply public employee themself candidate political office restriction apply public employee seek office attend event hold behalf non elect committee encourage contribution directly indirectly public employee seek public office permission appear invitation encourage contribution individual permit activity general public employee type engage private political activity subject restriction political fundraising impose g.l. c. 55 conflict interest law prohibit public employee engage political activity time private resource act individual agent representative information elect policy make official restriction public employee political activity public position elect official engage political activity appoint official employee public employee hold policy make page 5 superintendent circular lgl-09 page 5 6 position leeway public statement official action political issue non- policymaker employee encourage contact office legal advisor question campaign finance employee seek information particular question encourage massachusetts office campaign political finance ocpf conflict interest employee refer state ethics commission advisory 11 1 entitle public employee political activity copy obtain click link state ethics commission advisory 11 1 public employee political activity | mass.gov information campaign contribution expenditure g.l. c. 55 enforcement city intend ensure legal restriction political activity public employee fully enforce bulletin serve notice public employee city restriction implication page 6 superintendent circular lgl-09 page 6 6 information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hwd-04 version 01 healthy school environment policy circular remain effect rescind supersede subsequent version background approximately 20 americans school day student teacher staff faculty administrator age facility deteriorate condition study show condition health school building ground directly impact productivity health occupant high performance green school healthy indoor air quality acoustical control revitalize schoolyard daylight produce healthy higher perform student robust literature available identify good practice guideline recommendation achieve healthy school environment lawrence berkeley national laboratory environmental protection agency american federation teachers union addition center disease controls cdc school community child wscc model state healthy safe physical school environment promote learn ensure health safety student staff asthma lead cause school absenteeism page 2 superintendent circular hwd-04 page 2 8 child asthma especially vulnerable building evidence environmental hazard affect indoor air quality federal national heart lung blood institute evidence base guideline effective asthma management recommend reduce exposure indoor environmental asthma trigger mold dust mite pest pesticide hazardous cleaner disinfectant exposure environmental tobacco smoke indoor environment partnership boston healthy homes schools collaborative bhhsc healthy school environment taskforce boston public schools implement evidence base guideline district policy program result revise district wellness policy school base wellness councils focus improve health wellness student staff closely involve maintain healthy level indoor air quality environmental health school school ground work facilities management outside partner school community consider boston public schools old school district country home exist building age critical sustained resource innovative program ongoing focus dedicate designing upgrading maintain school building ground fulfill whole- school health wellness goal policy boston public schools recognize healthy physical environment critical prevention asthma page 3 superintendent circular hwd-04 page 3 8 chronic infectious disease impact learn boston public schools commit provide high perform school building ground clean good repair healthy indoor air quality water quality sanitary accessible bathroom use resource efficiently bps strive provide adequate facility physical activity accessible culturally inclusive learning environment positively impact productivity health wellness student staff address environmental risk factor chronic infectious disease school receive annual environmental audit evaluate health safety condition leak mold pest chemical storage cleanliness district shall maintain healthy schools taskforce hst promote raise awareness health build environment ensure continuous improvement bps healthy school environment policy program district department school environmental committee school base wellness council comply exist federal state regulation city ordinance district policy relate promote manage healthy school environment include limit indoor air quality green cleaner integrated pest management trash recycle infection prevention control tobacco free environmental policy environmental inspection audit student safety health school shop page 4 superintendent circular hwd-04 page 4 8 bps water policy laboratories chemical inventory right know law idle bus motor vehicle school property schools regularly assess quality quantity bps facility active transportation physical activity physical education include schoolyard report maintenance need facility implementation monitoring evaluation guidelines boston public schools boston public health commission conduct annual environmental inspection audits audit evaluate health safety condition school building school ground facilities management department partnership school leadership action mitigate critical issue unhealthy indoor air quality sign pest leak clutter mold unsatisfactory chemical management critical health safety repair addition audit result good practice healthy school environment resource toolkit shall school principal head school school- base wellness councils develop annual environmental health priority goal school wellness action plan district department school environmental committee school base wellness council shall comply exist city ordinance district policy relate promote manage healthy school environment example relevant exist healthy school environment policy school base wellness councils school staff comply reference page 5 superintendent circular hwd-04 page 5 8 massachusetts legislation o mgl c. 90 s. 16b idling motor vehicle engine school property district circulars o bps water access policy fmt- 20 drinking water access circular o fmt-07 chemical inventory right know law o fmt-08 bps recycling zero waste policy o fmt-10 integrated pest management ipm o fmt-11 green cleaners policy o fmt-13 respiratory protection program o fmt-14 hearing conservation program o fmt-15 annual environmental inspection audit program conduct boston public schools boston public health commission city ordinance 7.12.1 4 o fmt-17 volunteer projects o fmt-19 cleaning disinfecting body fluid spills o fmt-18 science safety laboratories classrooms o fse-06 student safety health school shops laboratories classrooms o hwd-04 healthy school environments policy o hwd-06 tobacco free environment policy o shs-04 infection prevention control school settings o shs-20 asthma schools bps facilities department boston public health commission boston public schools ensure school comply page 6 superintendent circular hwd-04 page 6 8 healthy school environment policy facilities management department boston public health commission comply city ordinance boston ma ordinances ch 10 7 14.1 14.4 1996 conduct annual environmental inspection audits school communicate school result school leader publish result bps website available review public completion audit facilities management immediately address critical health safety deficiency file work order appropriate division incorporate need work school site annual budgeting process ongoing basis facilities management provide technical assistance principal head school environmental problem building- related issue school leadership school base wellness councils school administration staff actively participate ensure school follow district policy proactively manage environmental health issue sake student staff school principal head school responsible review school annual environmental audit inspection result related building condition resource develop environmental health priority school page 7 superintendent circular hwd-04 page 7 8 administrator engage collaborative planning effort school base environmental committee wellness council finalize annual environmental health priority goal action step evaluation effort health wellness department partnership facilities management department annually assess school wellness action plan ensure school leader school base wellness councils take active step improve health cleanliness school building environment wellness councils track progress improve school condition evaluate annually effort work well wellness champions participate school wellness councils page 8 superintendent circular hwd-04 page 8 8 information circular contact owner senior executive director health wellness department office health wellness mailing address 370 columbia rd dorchester ma 02125 phone 617 635 9698 fax 617 635 1502 email healthandwellness@bostonpublicschools.or g owner sustainability energy environment program director department facilities management mailing address 1216 dorchester ave dorchester ma 02125 phone 617 635 9576 fax 617 635 9306 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number sss-09 version 01 employment permit application issuance work permit student ages 14 17 circular remain effect rescind supersede subsequent version school year boston public school student require work paper employment permit educational certificate obtain guidance counselor designate staff individual school guidance counselor supervise issuance work paper secretary designate principal head school perform clerical process issue paper principals head school determine time secretary perform function occasionally exceptional circumstance e.g. heavy workload unscheduled assignment occur make impossible secretary perform task time guidance counselor process work paper charter school public school charter school student obtain employment permit school staff page 2 superintendent circular sss-09 page 2 4 parochial private metco school student resident boston obtain require permit certificate welcome centers boston public schools online process locate bps website www.bostonpublicschools.org boston public school student obtain permit certificate online process locate boston public schools website www.bostonpublicschools.org school session e.g. summer month school vacation etc procedure student age 18 obtain work permit start new job massachusetts general laws chapter 149 section 86 89 follow process follow outline commonwealth massachusetts employment permit application 14 17 year old 1 student obtain promise employment 2 employer complete promise employment section sign 3 14 15 year old obtain sign physician certificate health 4 student parent guardian sign permit application 5 student sign permit application page 3 superintendent circular sss-09 page 3 4 6 permit application complete return school guidance 7 counselor school designee school staff verify date birth issue work permit employment permit application keep file non school period student attend boston public school resident boston student utilize bps online youth work permit request form locate website www.bostonpublicschools.org proof student age birth certificate passport immunization record etc provide employment permit issue note work permit issue parent massachusetts general laws chapter 149 section 89 require child appear person proper identification accord commonwealth massachusetts https://www.mass.gov/service-details/youth-employment- permit information teen 18 year age complete work permit application work permit start new job complete summary massachusetts law regulate child labor information limited exception minor age 14 work minor age 18 complete employment permit application permit start new job download youth employment permit page 4 superintendent circular sss-09 page 4 4 application youth permit process access form spanish portuguese chinese vietnamese forms 1 employment permit application find print https://www.mass.gov/service-details/youth- employment permit information 2 school session complete form upload require document complete bps welcome services team member contact business day step work permit parochial private metco school student boston resident utilize form entire year information circular contact director guidance office schools accountability department guidance services office schools accountability mailing address 443 warren street dorchester ma 02121 phone 617 635 8030 e mail cchiu@bostonpublicschools.org operations- department-heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number saf-08 version 01 release student authorized person circular remain effect rescind supersede subsequent version school leader principal use extraordinary care release child parent guardian care emphasize administrator inform court order exist prohibit release child certain person person essential exercise extreme caution area prevent parent guardian attempt remove child school essential mandatory school leader principal regularly update student emergency information card form 460 telephone notification receive parent guardian release student party responsibility building administrator verify suggested procedure ask telephone number party call cross- check number information emergency card party number school leader principal require proper identification person remove child school child release custodial parent parent consent proper identification school leader principal note department children families dcf statutory authority page 2 superintendent circular saf-08 page 2 5 immediate custody child dcf reasonable cause believe action necessary protect child abuse neglect case child bring court business day emergency measure usually take consent parent school leader principal release child agent dcf agent require present official photo identification prepare simple sign statement effect department children families exercise authority immediate custody child ground suspect abuse neglect circumstance child send location way taxicab transportation service base solely notification receive telephone school leader principal have doubt release student immediately contact boston police department call 911 boston public schools safety services department 617 635 8000 situation parent authorize party transport child school regular basis van bus vehicle assign bps transportation department school leader principal program director obtain write permission parent authorize alternative transportation arrangement attached form parent permission release student authorized persons complete parent administrator child vehicle operate party page 3 superintendent circular saf-08 page 3 5 important record driver bus company applicable type vehicle vehicle registration number school leader principal program director retain copy complete form information circular contact owner office legal advisor director department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email operations department- heads@bostonpublicschools.org owner chief safety department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 4 superintendent circular saf-08 page 4 5 parent permission release student authorized person boston school department concern safety wellbeing student consequently release child party parent legal guardian parent guardian write authorization plan release child party complete form return principal child school date parent guardian permission print student transport and/or print school party driver start date end date page 5 superintendent circular saf-08 page 5 5 understand party driver responsible child transportation service safety release boston school department liability case accident injury and/or claim result boston school department release child person agency name signature parent guardian home cell phone number work phone number address party company individual phone number type vehicle check appropriate ☐ van ☐ bus ☐ automobile ☐ vehicle vehicle registration number page 1 superintendent circular number lgl-14 version 01 gathering school ground distribution materials schools circular remain effect rescind supersede subsequent version permissible school regulate time place manner demonstration avoid disruption class orderly entrance departure student building accordingly principal head school advise gathering 3 people distribution leaflet shall regulate follow 1 gathering demonstration view legal expression amendment right building administrator question material distribute protect amendment right office legal advisor contact immediately 617 635 9320 2 gathering demonstration shall disrupt school class orderly entrance departure student school building 3 students freedom expression law g.l. c. 71 82 permit student plan peaceable assembly school property purpose express opinion build administrator designate time place page 2 superintendent circular lgl-14 page 2 4 demonstration avoid disruption class disorder school 4 gathering demonstration plan student shall restrict area school property area restrict flow traffic school bus building administrator designate area 5 gathering demonstration shall report boston police department 911 operational leader department safety services soon possible gathering and/or demonstration organize 6 gathering school building limit school conduct remotely person gathering demonstration comply public health guideline include mandate group size limit physical distancing wearing mask bps policy access building 7 material and/or announcement public interest nature submit administrator charge school day 48 hour prior distribution review approval order distribute school school sponsor forum addition cost accrue bps distribution material announcement request external organization follow material shall prohibit circulation school school sponsor forum advertisement profit political organization and/or event sponsor say organization include political commercial flyer page 3 superintendent circular lgl-14 page 3 4 material include promote illegal immoral and/or pervasively indecent vulgar material include false and/or misleading information and/or interfere proper orderly operation discipline school 8 request collection donation authorization school department shall prohibit 9 sale merchandise product etc recognize school parent organization authorize prior approval building administrator 10 sale and/or promotion merchandise product etc external organization agency authorize proceed support educational program prior approval give 11 sale lottery ticket and/or game chance shall prohibit 12 distribution process outside group literature distribute student instructional time possible intermingle official school notice post bulletin board material student compel home read outside group literature school newsletter notice parent recruit member outside group page 4 superintendent circular lgl-14 page 4 4 information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number eqt-09 version 01 transgender gender nonconforming employee nondiscrimination basis gender identity expression circular remain effect rescind supersede subsequent version boston public schools commit maintain workplace free bias base conduct discrimination employee flourish boston public schools free bias discrimination basis sex sexual orientation and/or gender identity circular set forth guideline address need transgender gender non conforming employee clarify office equity investigatory process circular anticipate situation occur respect transgender gender non conforming employee need transgender gender non conforming employee assess case case basis report bias discrimination harassment base person actual perceive gender identity gender nonconformity handle manner report bias base conduct student employee party allege violate policy eqt-09 investigate address page 2 superintendent circular eqt-09 page 2 8 accord protocol detail superintendent circular eqt-05 employee reports bias base conduct definition definition provide intend label limit employee individual identity experience assist understand circular district legal obligation commonly term employee choose use term describe gender identity appearance behavior gender identity define massachusetts law person gender relate identity appearance behavior gender relate identity appearance behavior different traditionally associate person physiology assign sex birth gender expression way person represent express gender behavior clothing hairstyle activity voice mannerism transgender person gender identity expression different traditionally associate assign sex birth gender nonconforming people gender identity and/or gender expression conform traditional societal expectation norm term gender nonbinary gender variant gender atypical queer historically currently consider offensive term queer reclaim member lesbian gay bisexual page 3 superintendent circular eqt-09 page 3 8 transgender lgbt community term empowerment term generally refer member lgbt and/or gender nonconforme community term identify member lgbt community specifically consider lesbian gay bisexual transgender term negative history describe individual identify queer permission use term describe transition process person go live identify gender live identify transition include physical social and/or medical process transgender gender nonconforme people transition desire transition way transition private personal information transition discuss conversation initiate lead transgender gender nonconforme employee responsibility boston public schools office equity responsible ensure compliance circular ensure school administrator central office department head train prepare comply obligation circular privacy confidentiality transgender gender nonconforme employee right discuss gender identity expression openly page 4 superintendent circular eqt-09 page 4 8 information private employee right decide share speak identity expression bps central office employee school personnel party employ contract serve volunteer district disclose information reveal employee transgender status gender nonconforme presentation express permission private confidential information share transgender employee consent employee truly need know execute job requirement dress appearance boston public schools dress code restrict employee clothing appearance basis gender transgender gender nonconforme employee right dress manner consistent gender identity and/or gender expression names pronouns employee right address pronoun correspond employee gender identity workplace include colleague school- base employee student court order gender change require intentional refusal respect employee gender identity constitute violation district circular bias base conduct employees eqt- 05 and/or state federal anti discrimination law district employee unsure pronoun staff member use ask employee like address page 5 superintendent circular eqt-09 page 5 8 public facilities accessibility employee right access safe appropriate facility include right use restroom and/or locker room correspond employee gender identity regardless employee sex assign birth employee need desire increase privacy provide access single- stall restroom and/or private area available employee require use single stall restroom private change area transitioning bps employee transition bps employment expect support office human capital office equity office work transitioning employee individually ensure successful workplace transition workplace transition begin transition employee encourage work partnership office equity office human capital learn district transgender relate policy availability transition relate health care benefit relevant party discuss workplace transition plan include employee employee supervisor appropriate work plan specify date select employee transition officially formally place date page 6 superintendent circular eqt-09 page 6 8 correspond date employee change gender expression pronoun employee choose start bathroom facility correspond gender identity date employee right revise start date aspect plan base evolving need preference format transition employee notify co worker personnel need know training provide co worker student appropriate personnel family update transitioning employee record date leave need pre- schedule medical procedure treatment applicable bias based conduct discrimination harassment boston public schools commit maintain workplace free bias base conduct discrimination employee flourish report bias discrimination harassment base person actual perceive gender identity gender nonconformity handle manner report bias base conduct boston public schools utilize procedure outline eqt-05 bias base conduct employee procedure design facilitate prompt effective internal review resolution allegation bias- page 7 superintendent circular eqt-09 page 7 8 base conduct discrimination harassment base sex gender gender identity gender expression sexual orientation related resource link law regulation case web source gender identity expression law find massachusetts law gender identity expression contact office equity 617 635 9650 bpsequity@bostonpublicschools.org information additional training support page 8 superintendent circular eqt-09 page 8 8 information circular contact owner director training school support department office equity mailing address 2300 washington st. 5th floor roxbury ma 02119 phone 617 635 9291 fax 617 635 7940 email bpsequity@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fam-04 version 01 school site council personnel subcommittee circular remain effect rescind supersede subsequent version deepen partnership family key strategy strengthen student learning closing achievement gap boston public schools consistent principle school base management school site council engage parent student share decision making lever school improvement intention personnel subcommittee actively involve member school community teacher hiring process decision significant impact instructional practice life student responsibility personnel subcommittee responsibility personnel subcommittee school site council approve hiring new boston teachers union btu teacher bargaining unit staff transfer btu teacher bargaining unit staff school system choice teacher excess pool approve selection lead teacher new teacher developer mentor teacher new athletic coach determine schedule procedure review page 2 superintendent circular fam-04 page 2 5 candidate position decision personnel subcommittee subject approval school site council personnel sub committee membership 1 personnel subcommittee shall consist teacher parent student high school principal head school designee 2 btu member school site council shall select btu representative serve personnel subcommittee 3 parent member school site council shall select parent representative 4 student member school site council high school shall select student representative 5 composition personnel subcommittee reflect racial ethnic diversity school community extent possible 6 teacher parent student representative personnel subcommittee designate temporary replacement representative subcommittee specific position school staffing personnel subcommittee interview decide selection permanent teacher voluntarily apply transfer school hiring new teacher vacancy consistent term current collective bargaining agreement boston public schools bps btu page 3 superintendent circular fam-04 page 3 5 open posting accordance circular hrs hs-07 school adhere requirement open post school ensure personnel subcommittee school site council form ready begin hiring process march 1 training relate personnel subcommittee offer office family community advancement btu office human capital permanent provisional teacher addition permanent teacher apply transfer personnel subcommittee consider provisional teacher letter reasonable assurance position appear transfer list provisional currently hold school interview candidate vacancy school result transfer process vacancy school occur completion regular transfer process school choose advertise advertise position time commitment personnel subcommittee standing committee school site council duration school year personnel subcommittee form october 31 meet vacancy occur personnel subcommittee require meet end school year beginning succeed school year summer recess member personnel subcommittee leave page 4 superintendent circular fam-04 page 4 5 contact information principal head school contact member prior interviewing hiring teacher applicant alignment educator evaluation massachusetts school level administrator rubric include family community engagement standard iii standard effective principal head school practice engage parent student share decision making member personnel subcommittee align standard iii indicator family engagement rubric share evidence effective implementation personnel subcommittee valuable way principal head school demonstrate proficient practice standard iii additional information support additional information role purpose school site council share decision making school base management refer circular fam-01 school site council school site council manual additional information school staffing hiring refer circular hrs hs-07 school staffing reassignment hiring engagement staff office family community advancement ofca available provide support coach technical assistance relate share decision making school base management bps school page 5 superintendent circular fam-04 page 5 5 additionally ofca btu collaborate provide training school aspect school site council include personnel subcommittee information circular contact owner director family school engagement practice team department office family community advancement mailing address 443 warren street boston ma 02121 phone 617 635 7750 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-20 version 01 asthma schools circular remain effect rescind supersede subsequent version policy statement boston public schools recognize clear concise policy asthma management school impact academic achievement school protocol procedure child asthma evaluate implementation plan regularly document outline comprehensive collaborative nature manage child asthma school setting background asthma asthma common chronic childhood illness major cause student absence important school adopt comprehensive coordinated approach address asthma asthma affect people age race gender segment society burden equally share racial ethnic group disease young poor 2020 25.3 million americans report diagnosis asthma 21 million adult 4.2 million children.1 nearly half child 52.7 adult asthma live poverty level report asthma page 2 superintendent circular shs-20 page 2 9 attack past year2 indication poor asthma control child people live poverty level group likely asthma suffer severe asthma attack hospitalization death asthma morbidity mortality disproportionately burdensome african americans hispanics likely access health education adequate healthcare comprehensive plan include management support system appropriate health mental health service educational program staff student appropriate reasonable environmental remediation communication system home child clinician component need integrate community effort include medical mental health field housing community air quality improvement active engagement family document link medication administration policy management life threaten allergic reaction policy protocol implementation role parent time registration parent guardian inform welcome center staff health concern child include asthma health services department remain available support student parent guardian wish discuss information privately complete emergency form indicate child page 3 superintendent circular shs-20 page 3 9 asthma include emergency number provide school nurse current asthma action plan emergency management plan student physician and/or pulmonologist recommend parent guardian meet school nurse person discuss child plan review child primary care provider specialist sign asthma form present school nurse include combination following o permission school nurse communicate family primary care provider specialist o authorization dispense medication o consent child self administration asthma medicine developmentally appropriate o parent guardian asthma questionnaire o asthma action plan provide school pharmacy label supply medication oral inhaler include nebulizer medication mask tubing health room nebulizer equip extra mask tubing participate asthma action plan child child health practitioner deliver complete asthma action plan school nurse provide cell phone number emergency number s assure pre school school staff appropriate information training page 4 superintendent circular shs-20 page 4 9 role school administrator support faculty staff parent implement aspect asthma management program include self management support development schoolwide policy input school site council management school environment include limit o maintain active integrated pest management program o review action annual school inspection o use green cleaner o enforcement tobacco free policy ensure contingency plan substitute nurse teacher food service personnel familiar child ensure classroom staff inform asthma prevention management emergency response support program development especially school high state average student diagnose asthma large number absenteeism relate asthma review environmental inspection ensure work order occur timely fashion support student support team school nurse classroom teacher identify child increase absenteeism relation asthma inform school nurse 4 6 week advance field trip page 5 superintendent circular shs-20 page 5 9 thoroughly support student participation field trip ensure adequate planning time e.g. staff training preparation medication role student developmentally appropriate sign self administration plan guideline participate self management program(s open airways kickn asthma help well identify trigger cause asthma symptom response complete student breathing asthma questionnaire role school nurse obtain review student current asthma action plan aap pertinent information student parent guardians health care provider include medication administration permission form obtain release nurse health care provider communication physician authorization medication administer medication provider order monitor asthma control coordinate care maintain record provide safe storage easy access prescribed medication need promote encourage independence self care consistent student ability skill maturity development indicate aap review aap parent guardian student implement review update plan school year need page 6 superintendent circular shs-20 page 6 9 develop plan student management classroom lunchroom playground athletic field provide routine emergency care complete student developmentally appropriate student breathing asthma questionnaire ensure staff member include coach contact child asthma familiar asthma action plan need know basis teacher contact individually list post provide list student life threaten allergy component asthma consent give parent staff need know basis list maintain confidential manner protect student privacy conduct service training education appropriate staff asthma symptom risk reduction procedure emergency procedure information review annually preferably beginning school year ensure contingency plan place school- relate venue substitute utilize communicate parent regularly discuss issue relate plan role teacher maintain discrete list student classroom asthma list maintain confidential manner protect student privacy page 7 superintendent circular shs-20 page 7 9 participate asthma awareness professional development opportunity need inform volunteer student teacher aide specialist substitute teacher child asthma need need know basis maintain student confidentiality provide school nurse adequate warning 4 6 week field trip school sponsor site activity notify school nurse concern role site staff maintain list student severe persistent asthma list maintain confidential manner protect student privacy coaches inform student team asthma review aspen sports clearance form train asthma awareness maximize athletic performance allow responsible student self medicate practice sport event student self medication plan file school nurse role coordinator special education cose student refer consideration 504 accommodation plan and/or special education cose process appropriate parent guardian school nurse school staff involve plan page 8 superintendent circular shs-20 page 8 9 development implementation student eligible 504 accommodation plan evaluate 504 accommodation plan team discuss eligibility transportation student iep evaluate transportation necessary medical condition necessarily area educational disability team shall consider transportation need team shall include school nurse special transportation necessary add iep references manage asthma guide schools asthma self management skills american lung association cdc strategies manage asthma schools 1cdc recent national asthma data 2american lung association controlling childhood asthma reduce emergencies initiative page 9 superintendent circular shs-20 page 9 9 information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number saf-01 version 01 student search procedures circular remain effect rescind supersede subsequent version school leader principal administrative personnel responsible enforce student code conduct establish safe secure environment learn school supervision united states supreme court case new jersey v. t.l.o. 469 u. s. 325 1985 issue decision affect school personnel enforce school rule maintain atmosphere conducive teach learn supreme court decision establish constitutional standard student search school official school employee specifically court rule fourth amendment united states constitution prohibit unreasonable search seizure government employee violate public school administrator teacher conduct student search reasonable ground believe search yield evidence violation law violation school rule announce ruling court reject school board argument school official like parent exempt requirement fourth amendment time court reject student claim school official obtain warrant meet rigorous probable cause standard applicable search law enforcement official conduct student search school property page 2 superintendent circular saf-01 page 2 6 court strike balance student legitimate expectation privacy school setting school equally legitimate need maintain environment learning place court hold legality search student depend simply reasonableness circumstance search legal student search reasonable respect reasonable suspicion believe student possession evidence tend violation law violation school rule reasonably suspect school official fact sufficient quantity certainty establish suspicion likely true mere suspicion hearsay single isolated fact unsupported evidence generally meet reasonable suspicion standard second scope search reasonable relation intrusion student privacy likelihood area search yield item(s seek determination search reasonable question judgment definite benchmark school official exercise common sense good judgment ensure student search conform reasonableness standard conduct student search school personnel adhere follow guideline 1 administrator authorize boston public schools code conduct suspend student school conduct student search authority conduct student search limit school leader principal administrative official personnel specifically designate school leader head page 3 superintendent circular saf-01 page 3 6 school principal administrative personnel suspend student 2 school administrator believe student possession firearm weapon dangerous object drug fear search jeopardize safety administrator search student student notify safety services department present search note supreme court specifically decide t.l.o. case standard apply student search conduct school official conjunction behest law enforcement agency court note high standard probable cause apply student search involve law enforcement agency low federal court expect massachusetts court closely scrutinize student search conduct school official conjunction police officer consequently search deem reasonable base stringent probable cause standard presence police officer safety specialist purpose ensure safety administrator trigger high standard 3 authorize personnel search student sex search conduct presence staff member sex shall serve witness male administrator search female student female administrator available search female student administrator designate female staff member conduct search male administrator available search male student page 4 superintendent circular saf-01 page 4 6 administrator designate male staff member conduct search important emphasize search staff member sex presence witness sex 4 conduct student search administrator confident reasonableness standard outline t.l.o. decision united states supreme court case new jersey v. t.l.o. 469 u. s. 325 satisfied 5 manner method search tailor circumstance scope search normally limit area object reasonably expect contain item(s seek basis suspicion student possess evidence violation law school rule increase direct proportion extent intrusion student privacy conduct search body search student require high level suspicion search student book bag determine conduct student search school official consider factor danger pose object seek likelihood evidence dispose destroy age sex prior disciplinary record student threat pose item(s seek likely court find search reasonable hand likely court strike search involve wholesale rummage student personal property individualized suspicion page 5 superintendent circular saf-01 page 5 6 student violate law school rule student search general exploratory 6 school department employee allow conduct strip search strip search search student ask remove article clothing result exposure undergarment 7 administrator use physical force attempt conduct search student refuse submit search department safety services 617- 635 8000 call assistance 8 search student locker desk remain property boston public schools student base reasonable ground suspect yield evidence violation law school rule refer superintendent circular saf- 03 locker policy related information 9 search school administrator yield evidence law violate administrator notify department safety services school leader principal incorporate salient pertinent information memorandum school base rule student handbook student parent inform information serve prior ample notice school department procedure student search phrase prior ample notice include school base rule student handbook page 6 superintendent circular saf-01 page 6 6 information circular contact legal advisor department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org owner deputy chief safety services department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number el-06 version 01 1 initial identification assessment multilingual learner circular remain effect rescind supersede subsequent version purpose circular bring clarity guidance initial identification assessment multilingual learners mls bps district obligate appropriately assess identify ml outline key document include massachusetts department elementary secondary education guidance1 successor settlement agreement meta consent decree meet obligation ml family ensure bps student correctly assess identify place receive appropriate service 1 https://www.doe.mass.edu/ele/resources/id-assess-place- reclass.html page 2 superintendent circular el-06 page 2 20 table content 1 assessment requirement 2 reason suspect student multilingual learner 3 process assess student multilingual learner status hls eee 4 k1 school base english language proficiency assessment calendar sy 2024 1 assessment requirement federal2 state3 law boston public schools bps appropriate step identify potential multilingual 2 paragraph 28 successor agreement united states america boston public schools u.s. department education usdoe u.s. department justice usdoj el policy document entitle dear colleague letter english learner students limited english proficient parent guardians 01/7/2015 refer dear colleague letter http://www2.ed.gov/about/offices/list/ocr/letters/colleague-el- 201501.pdf 3 guidance placement progress monitoring reclassification procedures english learners massachusetts department elementary secondary education g. l. c. 71a 603 cmr 14.02 page 3 superintendent circular el-06 page 3 20 learners mls k2 grade 12 provide appropriate english learner service support initial identification assessment multilingual learners follow requirement outline paragraph 28 31 successor settlement agreement successor settlement agreement paragraph 28 student refer english language proficiency assessment result home language survey hls indicate language english primary language home regardless language speak student language speak student and/or language student acquire parent guardian answer yes question student require assess grade level state require language screening assessment refer ma department elementary secondary education guidance initial identification english learners information identify evaluate els successor agreement obligate district ensure english language proficiency elp assessment shall accomplish soon possible later 20 day student enrollment school year 20 day day new school year whichever come later student enroll summer peak season january 1 march 15 august 1 october 31 elp assessment shall accomplish soon possible later 25 day parent guardians shall page 4 superintendent circular el-06 page 4 20 inform writing assessment result student assignment option later 2 school day completion assessment newcomers assessment counseling center provide write notice assessment score school choice option parent guardian end assessment appointment table 1 follow table delineate process multilingual learner identification time enrollment highlight department role responsibility order multilingual learner identification note bolde action step relate directly english learner identification placement page 5 superintendent circular el-06 page 5 20 department action step welcome center 1 collect verify document medical form residency birth date 2 administer home language survey hls family identify potential els 3 score hls inform family result 4 schedule appointment nacc hls score eee 5 assign initial case number student newcomers assessment counseling center nacc 1 interview family collect information student academic background 2 assess k-12 student english determine initial eld level 3 administer native language test newcomer student grade 3 12 major language speak bps student indicate interrupted learning limit formal education 4 inform family program option feel equip good choice child 5 enter family choice sis bps begin assignment process enrollment planning services 1 approve case assignment 2 assign bps identification number case 3 review school choice use nacc placement recommendation assign student school 4 maintain student assignment datum 5 notify family letter final assignment page 6 superintendent circular el-06 page 6 20 parent notification counseling score assessment assessment specialist review available information e.g. transcript iep 504 plan collect parent guardian intake interview propose program recommendation tester sit parent guardian inform language preference result assessment tester use available information collect language testing appointment counsel parent guardian el program service e.g. sei slife dual language etc appropriate child proficiency level counsel family tester enter score student case record aspen sis generate list school appropriate program service parent guardian rank school choice list sign school selection form tester enter parent guardian rank order choice sis case forward welcome services student assignment team end visit family receive copy document e.g. notification initial assessment form sign 2 reason suspect student english learner paragraph 28 successor settlement agreement require district assess enrol student home language survey indicate language english case reason believe student proficient english district operationalize requirement detail table section 3 page 7 superintendent circular el-06 page 7 20 3 process assess student english learner status hls eee student suspect ml identify enrollment hls score eee follow table outline action step necessary determine student ml table 2 table 2 process assess student hls eee suspect multilingual learners department action steps school 1 obtain write parent permission like amend hls result aspen indicate language speak home like student test ele service administer testing parent include update home language request parent inform change result testing 2 submit request el ccr copy update letter home language survey upload email sure email store aspen contact section 3 attach documentation el ccr form forward item office multilingual multicultural education ommeequityteam@bostonpublicschools.org page 8 superintendent circular el-06 page 8 20 department action steps omme equity accountability 4 review el ccr submission language change request approve deny base meeting requirement submission 5 inform school el ccr decision school 6 wait approval email hls result change aspen test student receive approval omme 7 test student wida screener administer test student person train test administrator 8 enter test result aspen language tab 9 submit request el ccr student eld level include result test upload documentation omme equity accountability 10 review el ccr submission nel el request approve deny base meeting requirement submission 11 inform school el ccr decision school 12 schedule student ele service appropriate elp table 3 follow table outline step take assess student potential multilingual learner status base home language survey score page 9 superintendent circular el-06 page 9 20 hls result procedure oee eoe e eo parent/ guardian permission require yes welcome center explain test implication home language survey result enrollment process action step 1 student identify potential ml registration home language survey welcome center 2 student case transfer nacc family interview student assess 3 student assign 4 student receive access testing annually meet exit criterion oee eoe e eo student test proficient testing time enrollment parent/ guardian permission require yes school contact parent guardian inform concern base evidence i.e. academic performance test result want assess student school document meeting information share parent include eld folder action step 1 parent guardian(s writing like student reassessed inform parent lead student identify multilingual learner ml result el service require annual access page 10 superintendent circular el-06 page 10 20 hls result procedure assessment 2 parent guardian(s agree test student appropriate wida assessment administer test student person train test administrator 3 enter test result aspen lep testing template contact nacc question lep testing template 4 submit request el ccr student nel el change include parent documentation school documentation result test upload documentation table 4 follow table outline test train test administrator administer student potential multilingual learner note grade level begin july 1st summer enter grade end june 30th year complete grade page 11 superintendent circular el-06 page 11 20 student grade level correct screener test administer k1 wida screener kindergarten 2 domain teachers currently certify wida screener kindergarten include tiii parent notification initial identification currently enrol k1 student test annually begin april 15 k2 seat upcoming school year k2 half school year wida screener kindergarten 2 domain teachers currently certify wida screener kindergarten include tiii parent notification initial identification nacc request appointment k2 second half school year tuesday mlk day wida screener kindergarten 4 domain teachers currently certify wida screener kindergarten include tiii parent notification initial identification nacc request appointment 1 half school year friday mlk wida screener kindergarten 4 domain teachers currently certify wida screener kindergarten include tiii parent notification initial identification nacc request appointment page 12 superintendent circular el-06 page 12 20 student grade level correct screener test administer day 1 second half school year tuesday mlk day wida screener online teachers currently certify wida screener online include tiii parent notification initial identification nacc request appointment 3 12 1 2 year district wida screener online native language assessment nacc 3 12 3 year district wida screener online teachers currently certify wida screener online include tiii parent notification initial identification nacc request appointment page 13 superintendent circular el-06 page 13 20 table 5 follow table outline access testing appropriate multilingual learners student details administer access test student suspect ml confirm multilingual learner administer access instead follow step confirm suspect el outline table 1 student confirmed ml base correct screener test step identify correct screener test outline table 2 yes administer access student confirmed ml base correct screener test opt english learner service step identify correct screener test outline table 2 yes administer access student score proficient correct screener test step identify correct screener test outline table 2 administer access student score proficient access previous year administer access page 14 superintendent circular el-06 page 14 20 4 k1 school based english language proficiency assessment calendar sy 2024 year school base designate tester assess approximately 1,300 k1 student training guidance nacc ensure k1 student identify multilingual learners mls receive relate service program sy 2023 2024 ask school carefully review prepare adhere assessment calendar table 6 action steps instructions date(s step 1 convene language assessment team school staff review k1 roster start develop assessment schedule follow nacc training school receive list student need assess school carefully review list school suspect student list assess language english speak home lat convene determine student eligible testing contact nacc omme instruction team question explicit parental consent 03/01/24 page 15 superintendent circular el-06 page 15 20 action steps instructions date(s require school meet parent guardians discuss concern inform plan assess student grade level require language screener wida screener k1 communication allow family meaningful access child education step 2 identify designate tester principal identify staff member administer english language proficiency assessment school leader submit school base designate tester form designate tester license teacher licensed staff member experience el educator recommend school select language acquisition team facilitator lat f esl teacher k1 teacher familiar student designate tester begin april 15th school leader provide 3 hour k1 designate tester watch wida screener 03/01/24 page 16 superintendent circular el-06 page 16 20 action steps instructions date(s kindergarten training course require quizzes wida secure portal come overview session 3 hour common planning time school base pd time etc designate tester use follow google form link submit sy 2024 wida certificate google form school k1 program designate tester test administration overview session designate tester receive registration link overview session later tuesday april 2 2024 step 3 attend training session school allocate time designate tester attend k1 test administration overview session test administration overview session place online training design support new experience tester 04/2/24 04/03/23 page 17 superintendent circular el-06 page 17 20 action steps instructions date(s step 4 pick material designate tester pick testing material overview session nacc bolling building 04/04/24- 04/09/23 step 5 assess identify k1 student designate tester assess identify k1 student correspond english language proficiency assessment tester attend training session april administer english language proficiency assessment ensure appropriate test administration designate tester transfer assessment responsibility deputize educator attend sy 2024 training session student disability test accord iep accommodation copy iep accommodation attach student test booklet forward nacc later friday 10 2024 ensure student receive 05/10/24 page 18 superintendent circular el-06 page 18 20 action steps instructions date(s appropriate placement 2024- 2025 school year k1 english language proficiency assessment complete later friday 10 2024 step 6 lat f input test result return test answer booklet request document lat f input result english language proficiency assessment aspen sis ensure initial eld level test result student assessment record test result enter aspen sis friday 10 2024 school copy test answer sheet hard copy wida score report student eld folder student screen find el school test answer sheet wida score report student cumulative folder school return original test answer booklet request document nacc later friday 10 2024 omme review datum submit final test 05/10/24 page 19 superintendent circular el-06 page 19 20 action steps instructions date(s score oiit step 7 data validation omme review assessment sample datum validation omme inform latf error assessment scoring school able update datum aspen sis 17 2024 05/17/24 step 8 parent notification letter lat fs inform parent guardian student assessment result parent notification letter parent prefer language week assessment datum confirm aspen sis file sign copy letter student eld folder 05/31/2024 step 9 k1 student assign 05/10/24 testing window close 10 2024 school continue assess newly assign k1 student hls indicate language english designate tester borrow copy kindergarten screener test k1 student nacc 06/14/24 page 20 superintendent circular el-06 page 20 20 action steps instructions date(s designate tester follow instruction step 4 step 5 information circular contact owner nacc director department office multilingual multicultural education mailing address 2300 washington st. roxbury ma 02119 phone 617 635 1565 email nacc@bostonpublicschools.org all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fam-02 version 01 school site councils circular remain effect rescind supersede subsequent version engage family student equal partner identify core strategy improve student performance boston school committee goal bps engagement policy family student engagement significant component massachusetts school level administrator rubric circular develop help principal head school effectively implement school site councils ssc foundational structure engage parent student school base decision making school improvement office family community advancement ofca collaborate boston teachers union btu provide oversight support ssc purpose circular term parent include legal guardian person stand loco parentis grandparent stepparent child live person legally responsible child welfare sect 9101(31 esea page 2 superintendent circular fam-02 page 2 14 role purpose role school site council engage parent teacher serve principal head school central decision make body school ssc require massachusetts education reform act 1993 collective bargaining agreement boston teachers union btu boston school committee school base management share decision make model describe collective bargaining agreement bps btu role ssc review approve quality school plan guideline establish superintendent review approve recommendation instructional leadership team ilt endorse principal head school major effect school community review comment entire school budget include general fund external fund budget timely fashion approve budget discretionary school material supply textbook equipment include use school improvement award fund review approve recommendation committee group establish recommend change major effect school community develop approve plan increase parent engagement school page 3 superintendent circular fam-02 page 3 14 develop review annually approve school parent compact require title i. receive information outside program outside professional come school approve waiver central govern body school ssc oversee school base committee include ilt personnel subcommittee role ilt serve advisory body principal head school issue relate teaching learning assessment professional development report month ssc ilt activity seek receive ssc approval ilt recommendation alter quality school plan major effect school community school elect personnel subcommittee composition include teacher parent principal head school responsibility personnel subcommittee approve hiring new btu teacher bargaining unit staff transfer btu teacher bargaining unit staff school system choice teacher excess pool approve selection lead teacher mentor teacher new athletic coach determine schedule procedure review page 4 superintendent circular fam-02 page 4 14 candidate position school submit name member personnel subcommittee office family community advancement october 31 additional information personnel subcommittee superintendent circular fam-04 personnel subcommittee ssc governance operations follow provision describe effective ssc operate 1 ssc operation govern bps btu joint steering committee include parent student member ssc file complaint steering committee concern operation ssc school 2 ssc expect operate single decision make team work reach consensus oppose individual representative specific constituent group 3 formally decision ssc majority vote principal head school voting majority 4 principal head school require account writing person subsequent meeting vote contravention majority council 5 quorum present vote issue constitute quorum principal head school present teacher parent ssc 9- 12 member teacher parent ssc 13 member page 5 superintendent circular fam-02 page 5 14 6 principal head school shall serve ssc co chair meeting school year elect member ssc encourage select member preferably parent serve co chair 7 role note taker subcommittee shall select ssc meeting school year 8 ssc meeting year calendar meeting entire school year shall establish ensure time date convenient member 9 agenda meeting shall develop ssc co chair input member ssc school community large 10 ssc require pass law govern operation law approve amend third member bargaining unit school eligible vote ssc third parent come parent meeting week notice parent meeting 11 ssc meeting subject dese regulation specific law include publicize meeting date advance share meeting minute school community 12 march 29 2023 governor healey sign law supplemental budget bill thing extend temporary provision pertain open meeting law march 31 2025 provision allow school site councils meet remotely provide adequate access meeting available public https://www.mass.gov/the-open-meeting- law information current update decision host in- person virtual school base meeting page 6 superintendent circular fam-02 page 6 14 family sy 24 25 share decision community member additional information ssc governance operation contact office family community advancement refer shared decision make section collective bargaining agreement bps btu composition ssc ssc shall compose principal head school elect member btu work 50 work week school parents child enrol school elect school parent council student high school enrol school elect student government specific number parent teacher representative ssc determine number btu member employ school number parent representative ssc equal number btu representative plus principal head school table demonstrate number teacher parent representative calculate page 7 superintendent circular fam-02 page 7 14 school site council representation btu member school btu ssc reps parent ssc reps 30 few btu 4 4 31 60 btu 5 5 61 btu 6 6 plus principal head school applicable student outline school select associate non voting ssc member community base organization high education business partner closely school school shall elect year alternate parent teacher student member ssc substitute absent member group alternate member elect btu bargaining unit member parent substitute absent member fill vacancy create resignation removal ssc member parent elect ssc representative reflect racial ethnic diversity student population school include parent student participate range educational program special education relate service programming english language learners specific information election process btu representative refer shared decision making section collective bargaining agreement bps btu page 8 superintendent circular fam-02 page 8 14 ssc election procedures selecting parent student representative follow key point conduct successful election principals head school designate impartial staff person school election facilitator election facilitate principal head school parent currently serve spc executive committee ssc office family community advancement provide training support material election facilitator facilitate election provide facilitator identify school community b school contact office family community advancement election date time location week advance ofca recommend school family liaison facilitator co facilitator observer election elections ssc spc parent rep happen fall new school year spring election long accept help opportunity engagement council equitable elections hold school parent council spc meeting year conduct time convenient parent spc consist parent school community superintendent circular fam-01 additional detail election student ssc representative high school incorporate school student government election process schools prepare provide translation page 9 superintendent circular fam-02 page 9 14 interpretation childcare parent election meeting need parent election typically 30 60 minute election facilitator prepare explain role purpose spc ssc provide overview position requirement election parents legal guardian student currently enrol school eligible elect ssc note parent legal guardian work child school serve parent representative ssc parents nominate elect serve ssc spc executive committee team family present election allow vote family elect position absentee ballot accept voting conduct secret ballot majority vote completion voting newly elect parent complete elected member information form return election facilitator election school responsible submit election result office family community advancement relationship school parent council school site council school parent council elect parent member represent parent voice school site council ssc representative member spc executive committee attend spc meeting provide regular update page 10 superintendent circular fam-02 page 10 14 ssc proceeding ensure opportunity parent input feedback ssc meeting open public parent staff person community member attend elect representative vote ssc decision ssc reporting bps school require submit ssc roster material list directly office family student community advancement october 31 additionally school require submit follow document purpose demonstrate compliance ma open meeting law bps policy spc roster ssc roster personnel subcommittee roster ssc meeting calendar year ssc meeting agenda monthly ssc meeting note monthly ssc law family engagement plan home school compact deadline submit documentation october 31 time school assign follow status compliance school upload ssc spc roster ssc documentation reporting school upload ssc spc roster incomplete additional ssc documentation data school upload ssc spc roster page 11 superintendent circular fam-02 page 11 14 ssc meeting agenda note submit request update ssc status maintain and/or update support training office family student community advancement provide follow support school help effectively conduct election provide require documentation implement effective ssc school year require election material election facilitation training election facilitation event school able identify facilitator able request election facilitator school day advance ssc training collaboration btu topic include ssc basics ssc budget basics shared decision make ssc manual include specific tool support ssc operation answer frequently ask question ssc training high school student adult ally ongoing support coaching technical assistance open meeting law requirement ssc serve decision make body school subject certain aspect massachusetts open meeting law dese regulations accord law sscs adhere follow requirement page 12 superintendent circular fam-02 page 12 14 meeting date agenda post publicly 48 hour advance notice ssc meeting open public meeting minute note share post keep place school accessible complete information ma open meeting law www.mass.gov/ago/government-resources/open-meeting- law/ alignment principal head school evaluation effective implementation authentic engagement parent teacher student voice align follow standard massachusetts school level administrator rubric indicator iii a1 family engagement o engage parent student teacher create welcome school environment foster share responsibility engagement indicator iv a-3 professional culture o plan lead run engage meeting clear purpose focus matter consequence engage participant thoughtful productive series conversation deliberation important school matter indicator iv b1 policies practices o create opportunity authentic parent student teacher voice school base decision making indicator iv e-1 shared vision development page 13 superintendent circular fam-02 page 13 14 o parents student teacher opportunity shape vision school pertain instruction school climate indicator iv f-3 consensus building o decision consensus model member ssc equal voice o resolve conflict member school community important date date activity september 15 election date submit family school engagement practices team office family community advancement october 15 deadline complete election parent student teacher ssc representative submission roster october 31 deadline conduct ssc meeting october 31 deadline submit require documentation office family community advancement tba districtwide ssc training page 14 superintendent circular fam-02 page 14 14 information circular contact owner director family school engagement practices department office family community advancement mailing address 2300 washington street roxbury ma 02119 phone 617 635 7750 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fns-04 version 01 1 responsibility school food services circular remain effect rescind supersede subsequent version food nutrition service federally fund program program operate revenue support reimbursement meal serve student department audit annually consist review community eligibility program include point service accountability fiscal accountability overall procedure school leader share responsibility executive director food nutrition services ensure federal state local regulation applicable school food service implement administer daily area field coordinator assign oversee school site foodservice operation school lunch breakfast programs breakfast lunch periods state mandate sufficient time allocate student eat lunch 30 minute lunch period recommend possible 20 minute designate lunch period page 2 superintendent circular fns-04 page 2 10 change meal service time school leader notify food services staff immediately change service impact staff review discuss finalize breakfast program schedule 15 30 minute start school time need food services staff necessary capability accurate meal counting reporting supervision require breakfast lunch service school leader administrative assignment arrange volunteer provide student supervision food service employee assume responsibility supervise student breakfast bell continuation sy2018 2019 massachusetts state budget mandate public school 60 percent student population eligible free reduced price meal serve breakfast instructional day begin bps school comply regulation fns understand implement change breakfast service style challenge resource available include marketing equipment program ensure proper implementation comprehensive breakfast bell program provide access meal fns cafeteria open 30 minute past bell time continue provision breakfast student page 3 superintendent circular fns-04 page 3 10 lunch menu federal regulation mandate lunch consist following meat meat alternate grain vegetable fruit milk breakfast menu federal regulation mandate breakfast consist follow meat meat alternate grain fruit vegetable milk menu print follow fns staff onsite food service staff receive approval food services supervisory staff adjustment menu planning sole responsibility department food nutrition services school administrator encourage discuss menu interest executive director food service 617 635 9144 community eligibility program school year 2023 2024 conjunction united states department agriculture usda massachusetts department elementary secondary education boston public schools bps continue participate page 4 superintendent circular fns-04 page 4 10 community eligibility provision cep create healthy hunger free kids act 2010 available school high percentage low income child provide breakfast lunch student cost program increase participation school meal reduce labor cost school bring additional revenue school district usda short allow healthy student body healthy school meal budget student community eligibility provision cep school deem economically disadvantaged student provide meal breakfast lunch school meal summer meal cost event student request second meal cost $ 4.00 student pay time meal request credit charge allow school administrator establish revolving fund cover cost second meal student mean second meal provide source payment school meal program supper meal available charge school school enrichment program program director contact office arrange student meal brief application process complete 2 week prior program start program director require attend mandatory annual training session program administrator responsible complete daily tally sheet document meal serve tardy submission report result discontinuance program page 5 superintendent circular fns-04 page 5 10 summer meal program meal provide city boston child meal consist breakfast lunch free child age 18 fresh fruit vegetable program ffvp goal ffvp introduce child fresh fruit vegetable include new different variety increase overall acceptance consumption fresh unprocessed produce child ffvp encourage healthy school environment promote nutrition education use school lunch disciplinary action national school lunch act state department elementary secondary education prohibit denial meal milk disciplinary action school child student deny meal student portion breakfast lunch period take away action interfere student right access meal discriminate student way provision meal prohibit compliance program regulation ask school administrator assist enforcement program regulation e.g. federal regulation permit free reduce reimbursement ineligible child reimbursement adult meal school administration charge meal payment receive page 6 superintendent circular fns-04 page 6 10 student second meal adult meal outstanding charge post individual school instructional supply account meal service accountability school administrators participate school lunch breakfast program necessary contract effect commonwealth massachusetts superintendent school agreement stipulate state approve control maintain account meal serve school administrator require comply approve system operation particular school site assist decrease meal waste improve accountability recommend elementary teacher ask student eat lunch cafeteria classroom information food service staff hour lunch accurate count school leader ensure student know student id number require enter point sale accountability meal milk serve payment meal count take point service end line student receive reimbursable meal food component offer lunch component breakfast school classroom meal service necessary account meal serve time service page 7 superintendent circular fns-04 page 7 10 competitive food sale vending machines regulations competitive food sale school vend machine contain regulation establish massachusetts board education failure follow regulation result loss federal funding fns 03 nutrition policy regulatory authority m.g.l. c.15 1 g federal register 2013 7 cfr part 210 220 national school lunch program school breakfast program nutrition standards foods sell schools require healthy hunger free kids act 2010 interim final rule u.s. department agriculture 78 125 june 28 2013 federal register 2014 7 cfr part 210 220 local school wellness policy implementation healthy hunger free kids act 2010 propose rule u.s. department agriculture 79 38 february 26 2014 massachusetts general laws 2010 chapter 111 section 223 general law title xvi chapter 111 section 223 state massachusetts chapter 96 act 2012 amendment 2010 law act 2012 chapter 96 session laws massachusetts department public health 2010 nutrition standards competitive foods beverages public schools,105 cmr 225.000 massachusetts department public health 2012 student healthy schools revised guidance page 8 superintendent circular fns-04 page 8 10 implement massachusetts school nutrition standards competitive foods beverages healthy students healthy schools revised guidance implement massachusetts school nutrition standards competitive foods beverages food services permit sell student food nutrition services department solely responsible food beverage sell child school day consequently sale food beverage expressly forbid income accrue food services income total food beverage service regularly maintain school premise shall accrue school food service program solely operation improvement service shall include income sale la carte food beverage vend machine manage food nutrition services department food sale operate profit include bake candy sale shall operate regular school day page 9 superintendent circular fns-04 page 9 10 food item allow sale sale la carte food shall restrict item recognize contribute permit serve breakfast lunch restriction automatically eliminate sale candy carbonated beverage etc fundraising activity operate school hour vend machine 603 cmr 29.01 non profit lunch program use vending machines vending machine use school hour canteen service school site location 603 cmr 29.05 competitive foods federal regulation prevent sale candy gum carbonate beverage student school premise beginning school day end lunch period sale food item canteen truck school store area compete school meal time money violation federal regulation sale divert income essential financial wellbeing food nutrition services program ► use canteen service school premise student prohibit page 10 superintendent circular fns-04 page 10 10 catering special functions field trips special function consideration school plan special activity contact cafeteria manager satellite attendant office food nutrition services advance notice event write request use cafeteria facility hiring personnel write 7 day event food supply cooking utensil provide free charge school request service charge fee cover cost evening weekend function require hire food services staff overtime rate cost pay prior date event credit give event cancel 48 hour notice information circular contact owner deputy director department food nutrition services mailing address 370 columbia road dorchester ma 02125 phone 617 635 9158 fax 617 635 9304 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number oda-04 version 01 bps balanced assessment system circular remain effect rescind supersede subsequent version student assessment effective tool support success inside outside classroom assessment take form responsibility boston public schools use datum emerge assessment ensure student receive need day purpose boston public schools assessment system support district strategic goal eliminate opportunity gap accelerate learn assessment system provide teacher administrator student parent district community ongoing information student progress relation state framework ensure student prepare college career life balanced assessment system include formative summative assessment provide information classroom school district level responsive need level page 2 superintendent circular oda-04 page 2 7 1 classroom level assessment system provide teacher datum student strength need teacher develop lesson respond individual difference 2 school level assessment system provide school leader instructional leadership team datum help measure school success base school district goal a. assess effectiveness curriculum instruction professional development program b. work teacher develop strategy attend priority area 3 district level assessment system provide district leader information allow determine system individual school central department make progress district long term teaching learn goal information need assess effectiveness specific initiative implement achieve goal implement effective practice eliminate practice unsuccessful quality information allow comparison program school classroom data drive equitable assessment expectation sy24 25 district assessment expectation maintain instructional focus equitable literacy content area strengthen equitable multi tiered system support mtss lay strong tier 1 infrastructure fully inclusive district expand access bilingual native language page 3 superintendent circular oda-04 page 3 7 instruction bps consistently implement effective equitable literacy practice datum provide assessment inform educator meet learning need student expectation minimum school school community encourage craft assessment strategy support work grade level standards- align culturally responsive instruction following table outline formative summative assessment use boston public schools sy24 25 include purpose grade level participation expectation frequency bps formative assessment assessment purpose grade expectation frequency pals/ heggerty screener 4 year- old student k1 understand student progress relation developmental benchmark k1 required 2x year nwea map reading fluency computer adaptive universal screening tool assess early literacy skill oral reading fluency read comprehension dese approve dyslexia screener k2–2 require 3x year 3 require 2x year extend test window page 4 superintendent circular oda-04 page 4 7 bps formative assessment assessment purpose grade expectation frequency nwea map reading growth computer adaptive universal screening tool assess read comprehension identify student ready learn 3 require 2x year 4–11 require 3x year nwea map math growth computer adaptive universal screening tool assess mathematical skill identify student ready learn 3–11 require 3x year pre ipt diagnostic measure english language proficiency pre- school child home language english compliance federal law k0 ml student required 1x year wida kindergarten screener diagnostic measure english language proficiency compliance federal law english language learners k1 ml student required 1x year page 5 superintendent circular oda-04 page 5 7 bps formative assessment assessment purpose grade expectation frequency interim assessment ela math standard align assessment measure student access grade level content 2–11 strongly recommend 2x year interim assessment science standard align assessment measure student access grade level content unit base 3 10 strongly recommend 3x year language acquisition tbd standard align assessment measure english language acquisition k2 12 el student tbd 2x year additionally district support curricula include ongoing curriculum embed formative assessment classroom task formal assessment provide real time information educator student learn ready learn bps summative assessment assessment purpose grade expec- tation fre- quency mcas annual assessment grade level content standard state federal accountability 3 8 high school required 1x year page 6 superintendent circular oda-04 page 6 7 bps summative assessment assessment purpose grade expec- tation fre- quency access ell annual assessment el student measure english language proficiency progress compliance federal law k2 12 el student required 1x year sat standardized assessment assess mathematic evidence base reading writing college university admission decision 11 strongly recom- mend 1x year psat/ nmsqt standardized assessment assess content evidence base reading writing mathematic sat 10 11 strongly recom- mend 1x year ap standardized exam design measure student master content skill specific ap course 10 12 student ap course strongly recom- mend 1x year information circular contact page 7 superintendent circular oda-04 page 7 7 owner senior executive director department office data accountability mailing address 2300 washington street roxbury ma 02119 phone 617 635 9450 email all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number saf-04 version 01 incident datum notification circular remain effect rescind supersede subsequent version boston public schools policy build administrator responsibility center manager report incident completely promptly accurately department safety services appropriate public safety agency administrator responsibility center manager aware incident occur site precipitate similar related incident site timely reporting incident help ensure prompt appropriate response school department public safety agency agency support require addition report incident department safety services build administrator responsibility center manager report incident superintendent office appropriate assistant superintendent incident consider require precipitate assistance police department fire department emergency medical services department children families routine ancillary manner situation result request closing school building consider incident reportable superintendent office appropriate assistant superintendent personnel superintendent staff work city official address issue office communications page 2 superintendent circular saf-04 page 2 4 coordinate response medium inquiry imperative superintendent office notify incident timely manner build administrator responsibility center manager immediately notify appropriate public safety agency way 911 emergency telephone line situation pose imminent danger call site administrator manager conventional cellular telephone school department way radio system design access 911 emergency service conventional cellular telephone unavailable access emergency service enhance 911 system caller complete address succinctly state nature problem follow instruction issue dispatcher follow chart list typical incident occur school department ground appropriate order notification incident order notification arrest department safety services police arson attempt burn fire department safety services facilities assault department safety services police bomb threat police department safety services superintendent office demonstration police department safety services superintendent office page 3 superintendent circular saf-04 page 3 4 drug possession department safety services police extortion department safety services police facility damage facilities superintendent office department safety services larceny department safety services police facilities fire matter small fire department safety services facilities medical emergency ems department safety services superintendent office major event police assistance unspecified department safety services police robbery department safety services police sex offense department safety services police superintendent office equity school closings emergency superintendent office department safety services police technical assistance safety security department safety services facilities threats department safety services bpd school unit trespassers department safety services police vandalism department safety services facilities weapons department safety services police administrators responsibility center manager note request medium party incident report write statement document refer office legal advisor 617 635 9320 page 4 superintendent circular saf-04 page 4 4 school leader principal program director remind require sign incident report prepare school department employee exclude safety services report include limit teacher school staff related information refer superintendent circular fmt-12 report loss damage result fire theft vandalism unlawful act superintendent circular fse-01 school safety contingency plan superintendent circular fse-02 fire safety practices information circular contact owner deputy chief safety department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 e mail operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-08 version 01 medication administration circular remain effect rescind supersede subsequent version policy administration medications school nurse supervisor medication administration program school school nurse staff authorize administer medication situation 1 field trip 2 event life- threaten allergic reaction require administration epinephrine autoinjector school nurse responsible training designate staff administration medication situation policy accordance massachusetts state regulation administration medication public school 105 cmr 210.000 protocol approve massachusetts department public health detailed information refer 105 cmr 210 department public health protocol administration medication section summary medication protocol protocol nurses protocol procedure manual contain reference form page 2 superintendent circular shs-08 page 2 14 general school nurse shall supervisor medication administration program school school nurse read complete medication policy 105 cmr 210.000- administration prescription medication public private schools annually school nurse collaboration parent guardian shall establish medication administration plan student receive medication accordance detail medication policy accordance standard nursing practice school nurse refuse administer allow administer medication base individual assessment professional judgment potential harmful dangerous inappropriate case parent guardian licensed prescriber shall notify immediately school nurse reason refusal explain school nurse document electronic medical record emr health services administration accountable review aspect medication administration ensure massachusetts standards nursing practice uphold inconsistency discover school nurse counsel head school principal inform inadequacy continue despite appropriate counseling support issue measure take document nurse performance evaluation auditing page 3 superintendent circular shs-08 page 3 14 occur routine site visit incident deem necessary handling storage disposal medications prescription medication shall lie store original pharmacy manufacturer label container manner render safe effective prescription medication administer school personnel shall keep securely lock cabinet exclusively medication keep lock open obtain medication medication cabinet access solely school nurse cabinet shall substantially construct anchor securely solid surface prescription medication require refrigeration shall store locked box refrigerator locked refrigerator maintain temperature 38f 42f. access store prescription medication shall limit person authorize administer prescription medication self medicate student extent permit school policy develop pursuant 105 cmr 210.006(b)(8 access key knowledge location key shall restrict maximum extent possible student self- medicating shall access student medication parents guardian retrieve prescription medication school time 30 school day supply prescription medication student shall store school page 4 superintendent circular shs-08 page 4 14 possible unused discontinued outdate prescription medication shall return parent guardian return appropriately document extenuate circumstance parental consent possible prescription medication destroy school nurse accordance applicable policy massachusetts department public health division food drug school nurse responsible maintain confidentiality student health record include medication discuss share information student medication school staff people outside school direct school nurse refer question comment student medication school nurse medication orders parental consent school nurse shall ensure proper medication order licensed prescriber renew annually change order parent guardian sign consent administration medication time change new order obtain beginning academic year daily medication treatment prn medication student medication order medication administration plan ihp medication order transcribe electronic medical record emr date order write page 5 superintendent circular shs-08 page 5 14 prescriber end school year official end school year day extended school year esy program telephone order order change medication shall receive school nurse verbal order follow write order school day prescriber medication order form recommend boston public schools medication order form complete prescriber form contain necessary information medication order accept prescriber bps medication order form long necessary information letter form parent guardian consent administration medication school reporting documentation medication error medication error include failure administer medication prescribe particular student include failure administer medication appropriate time frame appropriate time frame address medication administration plan correct dosage accordance accept practice correct student event medication error school nurse shall notify parent guardian immediately school nurse shall document effort reach parent guardian page 6 superintendent circular shs-08 page 6 14 question potential harm student nurse shall notify student license prescriber school physician medication error shall report health services nursing leadership document school nurse utilize medication error report form report shall retain health services leadership student electronic health record applicable shall available department public health request medication error result illness injury require medical care shall immediately report health services leadership decision necessary report department public health drug control program utilize drug incident report suspect diversion tampering drug shall report health services nursing leadership department public health division food drug school nurse shall review report medication error necessary step ensure appropriate medication administration future counter otc medications i.e. non prescription medications school nurse shall follow board registration nursing protocol list advisory ruling ar medication administration counter drug ar 92- 05 require provider order safety step administration otc medication school board registration nursing advisory ruling 92 05 page 7 superintendent circular shs-08 page 7 14 school physician responsible otc standing orders policy consultation office health services nursing leadership feedback school nurse body sign stand order administration otc medication appendix otc medication administer school day note request time give week pattern regular usage develop school nurse contact parent guardian provider guidance standing order protocol otc medication administer parental permission time dose otc medication administer verbal parental guardian consent event paper consent form sign parent guardian return sign consent form school day follow administration future administration herbal preparations herbal preparation medication consider over- counter medication subject regulation require parental permission herbal preparation medication list u.s. pharmacopeia usp.org order give school otc standing order cover herbal preparation medication require prescription appropriate duly license prescriber page 8 superintendent circular shs-08 page 8 14 special medication situations short term medication i.e. require administration school day few pharmacy label container lieu licensed prescriber order investigational new drug administer school write order licensed prescriber b write consent parent guardian c pharmacy label container dispense question school nurse seek consultation and/or approval school physician administer medication school setting control substance student require medication fall category control substance detailed protocol administration control substance bps nurses protocol procedure manual medication transport asthma exacerbation occur transport self- medication plan address issue allow child carry self administer medication supervision school nurse student advise report school nurse require treatment en route school emergency medication epinephrine administer bus driver transportation monitor driver expect pull 911 ems page 9 superintendent circular shs-08 page 9 14 emergent need licensed personnel accompany child anaphylaxis nurses conjunction building administrator plan place ensure safety child life threaten allergy require administration epinephrine event life threatening previously undiagnosed anaphylactic reaction school nurse administer epinephrine protocol dosage school physician responsible review renew anaphylaxis protocol annual basis refer superintendent circular shs-11 life threaten allergies lta anaphylaxis specific asthma child know asthma severe exacerbation school order medication administer nebulizer child primary care provider nurse administer nebulizer metered dose inhaler mdi treatment school physician order accord asthma protocol bps protocol procedure manual emergent use nebulizer occur context child primary specialty care management episode medication administer nebulizer mdi utilize standing order effort secure treatment plan include use prn nebulizer feedback family and/or primary care provider page 10 superintendent circular shs-08 page 10 14 subsequent medication treatment order patient primary care provider parent notify 911 access event asthma exacerbation delegation supervision field trips life threaten allergic reactions school nurse shall final decision make authority respect delegate administration medication unlicensed personnel school system boston public schools register department public health choose limit delegation field trip medication administration delegate school nurse unlicensed school personnel personnel shall supervision school nurse purpose medication administration consultation principal administrator responsible give school school nurse shall responsible select train supervise school personnel approve school nurse administer medication field trip necessary protect student health safety school nurse rescind selection school nurse shall duty school system medication administer designate unlicensed school personnel available telephone consultation require administration parenteral medication delegate page 11 superintendent circular shs-08 page 11 14 medication administer pursuant prn need order delegate administer authorize school personnel field trip assessment consultation school nurse dose note medication require nursing assessment delegate exception asthma medication school update list unlicensed school personnel train administration epinephrine shall maintain school nurse request parent shall provide list school personnel train administer medication field trip life threaten case note expectation school staff train school nurse epinephrine autoinjector administration twice year complete return demonstration nurse designated train medication delegation school personnel shall list specific student medication administration plan principals head school district department sponsor trip primary responsibility ensure procedure pertain field trip follow school establish clear transpart internal protocol field trip request approval school level approval field trip lead chaperone consult school leader determine type medical assistance need participate student ensure accessibility step crucial place page 12 superintendent circular shs-08 page 12 14 field trip secure additional question consult health services department additionally thoroughly support student participation field trip week departure long international overnight field trip program consult necessary receive training school nurse student medical need refer superintendent circular cao-22 general guidelines procedures field trips additional information self administration medications consistent school policy student self administer prescription medication provide certain condition meet purpose 105 cmr 210.000 self administration shall mean student able consume apply prescription medication manner direct licensed prescriber additional assistance direction child self administer following place parent guardian approval assessment school nurse student capable self medication administration school nurse develop individualized medication administration plan 105 cmr 210.005(e student agree parent guardian contain ○ documentation designate school personnel student student assess capable school nurse medication self administer ○ periodic review process school nurse page 13 superintendent circular shs-08 page 13 14 ○ determine safe place store medication individual student provide accessibility student health need require ○ documentation teacher student knowledge medication dose frequency effect disease process medication administer safety plan student ability self administer medication student compliance identify plan medication order licensed prescriber student medication absence school nurse school administrator contact health service administrator assist development appropriate plan care include self medication administration plan renew annually health services administration accountable review aspect medication administration ensure massachusetts standards nursing practice uphold inconsistency discover school nurse counsel head school principal inform summary significant date deadline month activity january send update list nurse school ma dph page 14 superintendent circular shs-08 page 14 14 information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number oiit-01 version 01 acceptable use policy guidelines circular remain effect rescind supersede subsequent version guideline implementation acceptable use policy digital information communication technology resources scope policy boston public schools bps provide access technology device internet datum system employee student educational business purpose acceptable use policy aup govern electronic activity employee access district technology internet datum system regardless user physical location guide principles online tool include social medium classroom school central office increase community engagement staff student learning core operational efficiency bps legal moral obligation protect personal datum student family staff bps provide baseline set policy structure allow school implement technology way meet need student student family staff page 2 superintendent circular oiit-01 page 2 13 know right responsibility outline acceptable use policy government regulation policy shall read limit individual constitutional right freedom speech expression restrict employee ability engage concerted protect activity fellow employee term condition employment compliance requirement employees acceptable use policy review annually bps chief information officer issue superintendent circular technology user require verify read abide acceptable use policy annually student aup contract copies acceptable use policy student contract internet use include guide boston public schools families students give student beginning school year student contract internet use complete sign student parent guardian go aup sign contract return school student begin internet consequences breach policy use bps technology resource privilege right bps internet system device user agree follow bps regulation policy guideline student staff encourage report misuse breach protocol appropriate personnel include build administrator direct page 3 superintendent circular oiit-01 page 3 13 supervisor office instructional information technology oiit abuse privilege result follow consequence suspension cancellation use access privilege payment damage repair discipline appropriate school department policy include termination employment subject collective bargaining obligation liability applicable civil criminal law definitions freedom information act foia foia law allow release government document request individual foia request boston public schools electronic document communication store transmit district system information detrimental governmental personal interest information visit http://www.foia.gov/ family educational rights privacy act ferpa ferpa law protect privacy accuracy release information student family boston public schools personal information store transmit agent boston public schools abide ferpa law bps require protect integrity security student family information information visit http://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html children internet protection act cipa require school receive federal funding e rate program protect page 4 superintendent circular oiit-01 page 4 13 student content deem harmful inappropriate boston public schools require filter internet access inappropriate content monitor internet usage minor provide education student staff safe appropriate online behavior communication social media employee student provide district email account online tool improve efficiency effectiveness communication organization broad community communication consistent professional practice correspondence online tool member bps community use appropriate behavior act representative employee boston public schools b communication impact likely impact classroom working environment boston public schools communication send employee district property district business subject public access request submit freedom information act foia user need aware datum material file maintain school district system subject review disclosure discovery use personal email account communication tool conduct school business strongly discourage open individual personal account subject foia inquiry bps cooperate fully local state federal authority investigation concern page 5 superintendent circular oiit-01 page 5 13 relate illegal activity activity compliance school district policy government regulation guidelines online communication communication student include content personal nature communicate parent guardians student employee use email address phone number list student information system sis step take verify communication occur parent guardian educational right student communicate parent guardian refrain discuss non related student possible employee use internal external social medium blog x twitter etc expect refrain discuss confidential information and/or discuss specific student information trace specific student allow student publicly identify post social medium site social medium employee expect refrain post negative comment online student employee require notify principal headmaster set online site facilitate student learning employee encourage monitor moderate online communication good ability employee advise add student student parent friend contact social medium page 6 superintendent circular oiit-01 page 6 13 site specifically set support classroom instruction school business employee communicate bps graduate +18 year old social medium advise maintain professionalism caution communicate online employee advise add parent guardian student friend contact social medium maintain professionalism avoid appearance conflict interest avoid respond spam phishe attempt require user click link provide account information note bps ask user account password purpose user advise report suspicious request account information directly oiit help desk 617 635 9200 solicitation web announcement online communication promote business prohibit bps solicitation policy superintendent office exception benefit judge sufficient merit exception page 7 superintendent circular oiit-01 page 7 13 use copyrighted materials violations copyright law occur bps network resource prohibit potential create liability district individual bps staff student comply regulation copyright plagiarism govern use material access bps network user refrain material obtain online request permission owner use material potential consider copyright infringement bps cooperate copyright protection agency investigate copyright infringement user computer system network boston public schools network usage network access bandwidth provide school academic operational service bps reserve right prioritize network bandwidth limit certain network activity negatively impact academic operational service user prohibit bps network access content inappropriate illegal include limit content pornographic obscene illegal promote violence network filtering monitoring require children internet protection act cipa bps require protect student online threat block access inappropriate content monitor internet use minor school network oiit responsible manage district page 8 superintendent circular oiit-01 page 8 13 internet filter work bps community ensure filter meet academic operational need school protect minor inappropriate content authorize use technology resource bps relinquish control material system contain file system expectation privacy relate information store transmit bps network bps system bps reserve right access review copy store delete file restriction apply store bps computer employee student communication bps network electronic message file store bps computer transmit bps system treat like school property district administrator network personnel review file message maintain system integrity necessary ensure user act responsibly bps choose deploy location tracking software device sole purpose locate device identify lose steal personal use bps recognize user use bps email device network bandwidth limited personal use personal use interfere impede district business and/or cause additional financial burden district excessive use abuse privilege deem violation acceptable use policy page 9 superintendent circular oiit-01 page 9 13 network security bps wide area network wan infrastructure building base local area networks lan implement performance planning appropriate security measure mind modification individual building network infrastructure and/or use affect lan performance reduce efficiency wan reason additional network electronic include limit switch router wireless access point approve purchase instal configure solely oiit ensure safety efficiency network user prohibit alter bypass security measure electronic device network equipment software online security measure write consent chief information officer data systems access view edit share personal datum student employee maintain bps central office individual school person act district abide local state federal regulation include family educational rights privacy act student staff information datum share individual deem eligible access person(s responsible oversight datum outside party and/or non bps individual request protected datum receive approval office legal advisor non disclosure agreement bps individual request ongoing access datum bps system require designate bps administrator act sponsor ensure safety datum page 10 superintendent circular oiit-01 page 10 13 electronic transmission datum educational record private datum transmit share electronically staff expect protect privacy datum password protect record file bps system transmit datum staff expect ensure record send individual right say record reasonable measure ensure intend recipient able access datum passwords user require adhere password requirement set forth boston public schools city boston log school computer network online system user authorize share password use extra caution avoid email scam request password personal information media storage local medium usb device hard drive cd flash drive etc sensitive datum securely protect password and/or encrypt ensure safety datum contain use cloud storage service storage transmission file contain sensitive information approve office legal advisor oiit user encourage use bps approve datum information system storage transmission sensitive datum possible avoid storage local hardware secure page 11 superintendent circular oiit-01 page 11 13 electronic devices bps define electronic device limit follow laptop desktop computer include like device tablet wireless email text message device i.e. ipod smartphone donate device device support bps provide basic installation synchronization software support bps issue electronic device device connect bps network regular basis receive up- date software antivirus update inventory purpose password protection require bps issue electronic device prevent unauthorized use event loss theft user responsible make periodic backup datum file store locally device loss theft users reasonable measure prevent device lose steal event electronic device lose steal user require immediately notify appropriate school staff and/or direct supervisor local authority oiit service desk 617 635 9200 bps reasonable measure recover lose property ensure security information contain device return electronic devices page 12 superintendent circular oiit-01 page 12 13 technology purchase donate bps consider district property equipment assign employee student return prior leave position school equipment contain sensitive information datum return directly oiit redeploy personal electronic devices use personal electronic device permit discretion principal head school chief information officer bps responsible maintenance security personal electronic device assume responsibility loss theft district reserve right enforce security measure personal device access district tool remove device find violation aup energy management bps strive reduce environmental footprint pursue energy conservation effort practice district reserve right adjust power save setting electronic reduce energy consumption technology purchasing donations technology hardware software purchase donate oiit prior approval receive oiit business office technology purchase donation abide city procurement policy subject approval oiit technology pricing include additional expense require ensure proper maintenance security include limit warranty page 13 superintendent circular oiit-01 page 13 13 hardware software upgrade virus protection security inventory software school department apply technology grant funding donation budget additional expense associate requested technology hold responsible additional expense incur information circular contact director technology department office instructional information technology mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9199 fax 617 635 9176 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number spe-20 version 01 special education screening program three- year old child circular remain effect rescind supersede subsequent version massachusetts state law mandate school system state locate identify provide special educational service child age substantial disability possibly experience challenge regular preschool kindergarten program boston public schools continue ongoing screening program three- year old attend bps school place follow date screening date thursday october 17 2024 cash high school annex dorchester wednesday december 4 2024 mario umana academy e boston thursday march 6 2025 cash high school annex dorchester wednesday march 26 2025 mario umana academy east boston thursday april 17 2025 cash high school annex dorchester screening available child age reside city boston screening program coordinate page 2 superintendent circular spe-20 page 2 3 office special education include screen area readiness skill language parent interview conduct notice available language home indicate necessary family effort disseminate notice community center day care center community preschool summary significant date deadline date location thursday october 17 2024 cash high school annex dorchester wednesday december 4 2024 mario umana academy east boston thursday march 6 2025 cash high school annex dorchester wednesday march 26 2025 mario umana academy east boston thursday april 17 2025 cash high school annex dorchester page 3 superintendent circular spe-20 page 3 3 information circular contact owner assistant director early childhood department office special education mailing address 2300 washington street 5th floor roxbury ma 02119 phone 617 635 8599 fax 617 635 6834 email all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number eqt-05 version 01 bias based conduct employees circular remain effect rescind supersede subsequent version purpose boston public schools commit maintain workplace free bias base conduct discrimination employee flourish boston public schools utilize procedure outline circular investigate resolve report allege violation district nondiscrimination policy eqt-01 procedure design facilitate prompt effective internal review resolution allegation bias base conduct discrimination harassment base race color age criminal record inquiry disability sex gender gender identity religion national origin ancestry retaliation sexual orientation genetic natural protective hairstyle military status intent procedure ensure great extent possible report address constructive manner coverage procedure pertain solely report explicitly allege bias- base conduct discrimination harassment base race page 2 superintendent circular eqt-05 page 2 8 color age criminal record inquiry disability pregnancy pregnancy relate condition sex gender gender identity religion national origin ancestry retaliation sexual orientation genetic natural protective hairstyle military status behavior occur location boston public schools building outside bps school work hour include employee work remotely constitute bias base misconduct violation policy behavior effect disrupt employee ability job employee experience microaggression verbal nonverbal communication root implicit bias rise level violation circular example include mistake staff member share racial identity compliment staff member have skill counter stereotype gender ethnicity assume staff member observe particular religious holiday particular sexual orientation ask staff member disability consent microaggression report office equity office partner reporter and/or appropriate staff determine effective intervention coach mediation restorative justice individual school- department wide training page 3 superintendent circular eqt-05 page 3 8 general policy 1 employee supervisory managerial role obligation report possible violation circular 2 retaliation employee reporting participate way reporting investigative procedure strictly prohibit 3 possible investigatory meeting schedule mutually convenient time conflict regularly schedule school program 4 report possible violation construe reflect unfavorably employee applicant good standing performance loyalty desirability boston public schools 5 information allegation include party involve report investigation keep confidential extent practicable 6 determine allege conduct constitute violation bps nondiscrimination policy superintendent designee consider surround circumstance nature behavior relationship party context incident occur determination particular action incident constitute violation policy base fact procedures 1 employee applicant believe experience witness aware possible bias- base conduct contact office equity phone page 4 superintendent circular eqt-05 page 4 8 email fax employee strongly encouraged contact office equity soon incident possible report easily address soon report member office equity staff ask reporter information incident(s request reporter submit write statement office equity ensure assistance provide prepare write statement need office equity accept report possible bias base conduct depend circumstance decline investigate allegation incident occur 300 calendar day prior receipt report 2 employee supervisory capacity require report possible bias base conduct involve employee vendor contractor office equity soon practicable generally school day 3 report receive office equity notify appropriate department identify report and/or individual report file 4 office equity fair impartial thorough prompt investigation report incident(s investigation include interview individual pertinent information review document information relevant investigation bps employee obligate cooperate equity investigation include promptly provide request information document 5 individual report alleged bias base conduct subject investigation inform investigation complete inform page 5 superintendent circular eqt-05 page 5 8 prohibit conduct find depend fact gather office equity resolve concern apply approach alternative dispute resolution restorative justice training coach instance result investigation document write finding mediation case involve sexual assault 6 office equity find preponderance evidence violation district nondiscrimination policy occur office determine way address matter prevent recurrence 7 office equity maintain record report bias base conduct office equity note school department allege incident(s occur person accuse result investigation office equity review record identify pattern appropriate action necessary office equity 1 seriously concern possible bias base conduct 2 necessary step end conduct determine violation district nondiscrimination policy prevent conduct recur future remedy effect appropriate 3 refer individual find violate district nondiscrimination policy disciplinary action appropriate page 6 superintendent circular eqt-05 page 6 8 employee action include write warning suspension termination action deem appropriate circumstance information employee discipline procedures superintendent circular hrs pp10 student action include suspension expulsion action deem appropriate circumstance information student discipline code discipline students student disabilities superintendent circular sup-05 spe- 15 4 require student employee party find violate district nondiscrimination policy attend discrimination prevention training appropriate state federal remedy addition believe subject unlawful discrimination file formal complaint government agency set forth report concern office equity prohibit file complaint agency agency time period 300 day file claim page 7 superintendent circular eqt-05 page 7 8 equal employment opportunity commission eeoc john f. kennedy federal building 475 government center boston ma 02203 800 660 4000 massachusetts commission discrimination mcad office location address boston ashburton place room 601 boston ma 02108 617 994 6000 springfield 436 dwight street suite 220 springfield ma 01103 413 739 2145 new bedford 800 purchase street room 501 new bedford ma 02740 508 990 2390 worcester 484 main street room 320 worcester ma 01608 508 453 9630 page 8 superintendent circular eqt-05 page 8 8 information circular contact owner director training school support department office equity mailing address 2300 washington st. 5th floor roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 email bpsequity@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular school year 2023 2024 number hrs hs06 version 01 substitute teacher circular remain effect rescind supersede subsequent version superintendent circular set forth information employment professional development substitute teacher use automated bps smartfind express system subcentral ► school require use bps subcentral substitute need allow school central administration understand well manage operation allow ohc monitor accurately report fill rate recruit hard fill vacancy office human resources committed ensure active substitute pool consist high quality substitute teacher bps subcentral allow principal head school view coordinate substitute activity view past current future job school help well understand manage absenteeism bps subcentral available internet mobile app 24 hour day 7 day week internet enable computer mobile device access id pin bps subcentral page 2 superintendent circular hrs hs06 page 2 7 access https://bostonps.eschoolsolutions.com telephone 857- 254 1707 bps subcentral school create manage prefer substitute list create absence vacancy pull individual report unique school preferred substitute contact substitute teaching opportunity vacancy exist school preferred substitute contact subcentral platform begin contact substitute register system substitute particular school use list call able view open substitute opportunity school information bps subcentral contact subcentral email bpssubcentral@bostonpublicschools.org types substitute teacher degree diem substitute teacher work day day assignment temporarily fill position bachelor degree assign fill position anticipate vacant 20 consecutive workday year serve continuously 20 consecutive workday assignment consider diem substitute teacher cover long term assignment o qualified properly license long term substitute grant provisional teacher contract december 1st assignment serve vacant remainder school year page 3 superintendent circular hrs hs06 page 3 7 non degree diem substitute teacher hold bachelor degree non degree diem substitute teacher work day day assignment fill position interim basis long term assignment cluster substitute teacher assign school year cover teacher absence school need daily basis cluster substitute position typically create budget season charge school budget school interested have cluster substitute school year contact budget analyst human resources staffing manager minimum qualification diem substitutes require complete sub skills basic training course online www.stedi.org complete course 85 average submit sub diploma course long term substitute bachelor degree following requirement mass. teaching license state license consider teaching experience complete sub skills basic training course online www.stedi.org complete course 85 average page 4 superintendent circular hrs hs06 page 4 7 year teaching experience additionally ask complete sub skills basic training course online www.stedi.org successfully hire substitute teaching position hold initial teaching license massachusetts department elementary secondary education pass utah substitute assessment test score 85 candidate fingerprint pass criminal offender cori sexual offender sori record check criminal offender sexual offender record check requirement waive substitute teaching institute stedi utah state university create oversee substitute teacher training program provide 6–13 hour sub instructor training online cd assessment completion program cost program bear candidate $ 39.95 plus shipping include interactive subinstructor training include cd substitute teacher handbook online sub assessment subdiploma information candidate post bps website substitute hire hire substitute place online bps career center talented applicant create profile apply district wide substitute teacher job post bps career center talented applicant hire bps diem substitute teacher review application entirety submission require documentation page 5 superintendent circular hrs hs06 page 5 7 successful completion passing background check include fingerprinting cori sori check substitute teacher request recommendations principals head school request recommend individual diem long term substitute appointment specific school submit diem long term substitute school leader hiring manager need submit candidate hire bps career center talented school leader hiring manager access districtwide substitute job posting note substitute hire responsibility school post absence vacancy subcentral assign substitute require professional development long term cluster substitute teacher require participate 18 hour professional development regular teacher professional development schedule school day long term cluster substitute teacher pay time compensate stipend payment provide school new substitute teacher require attend day training prepare teach boston public schools administrative responsibility head school principal responsible establish practice procedure enable substitute teacher page 6 superintendent circular hrs hs06 page 6 7 provide student educationally meaningful work allow maximum educational use school day responsibility head school principal designee consider provide substitute teacher follow item daily plan book lesson plan academic activity class absent teacher head school principal responsible ensure teacher prepare appropriately continually update plan book lesson plan lesson teach substitute teacher consistent subject matter teach class copy absent teacher schedule include subject level instruction room assignment administrative assignment lunch common planning time homeroom class list seat plan bell schedule concise statement school policy procedure taking attendance mode disciplinary referral referral illness emergency procedure pertinent information substitute teacher need location administrator responsible school substitute teacher material keep school office distribute substitute teacher manner effective page 7 superintendent circular hrs hs06 page 7 7 information circular contact bps subcentral department office human resources sub central mailing address 2300 washington street roxbury ma 02119 additional question additional question submit hr inquiry ticket beacon find access boston access.boston.gov mary skipper superintendent page 1 superintendent circular number cao-27 version 01 general guidelines procedures water activity circular remain effect rescind supersede subsequent version important note guideline impact covid-19 restriction subject change base public health international security emergent issue impact travel date information guidance contact opl@bostonpublicschools.org assistance guidance superintendent circular provide instruction implement field trip policy pass boston school committee november 20 2019 circular read entirety program leader chaperones principal head school and/or district department sponsor field trip include water water activity party responsible ensure field trip policy procedure outline circular applicable field trip circular cao-23 24 25 adhere water activity trip involve water activity page 2 superintendent circular cao-27 page 2 13 contact department global education immediately submit mandatory water activity request form 16 week advance ensure site location water activity date insurance safety plan certification documentation file district water activity student chaperone ratio remain 10:1 time swim grade level ratio include lifeguard duty swimming water instructional swimming permit proper swimmer lifeguard ratio maintain 20:1 swimming teacher hold valid american red cross ymca lifeguard instruction/ water safety instruction cpr aed aid certificate site nationally recognize swim instruction e.g. ymca parent guardians inform appropriate parental authorization field trip form parents guardians give sufficient information understand nature scope activity(s principal head school responsible ensure requirement meet receive write documentation list guard instructor certification copy certification student permission slip keep file current fiscal year plus additional year therapeutic adaptive swimming student disability permit individual therapeutic adaptive swim certification licensure proper swimmer lifeguard ratio maintain page 3 superintendent circular cao-27 page 3 13 10:1 parent guardian inform appropriate parental authorization field trip form parents guardians give sufficient information understand nature scope activity(s recreational swimming permit bps field trip water activity water water activity permit involve large commercial passenger vessel meet u.s. coast guard standard safety hold valid certification compliance state international equivalent note life jacket passenger addition sure water relate activity clearly list appropriate parental authorization field trip form parent guardians give sufficient information understand nature scope activity(s water activity kayaking row canoe equivalent movement craft depend physical endurance operator travel small watercraft permit bps field trip request submit approve district note life jacket passenger request submit review department global education significant lead time need 16 week allow safety requirement meet sponsor water venue facility provide follow document district annually 1 safety page 4 superintendent circular cao-27 page 4 13 plan 2 liability insurance 3 lifeguard certification chaperone requirement program leader lead chaperone bps employee authorized chaperone include parent guardian 21 year age old chaperones equip hand sanitizer additional mask need arise staff student chaperone complete chaperone agreement form non bps employee chaperone submit yearly cori sori authorization form office human capital complete ecori form online link contact bps office human capital ohc cori check confirmation support principal head school lead chaperone responsible submit authorization form ohc allow chaperone activity cori sori clear non bps employee chaperone parent guardians proof vaccination negative covid-19 test 24 hour field trip non bps employee chaperone field trip cover liability boston public schools program leader sure chaperone include non bps chaperone inform adhere uphold bps code conduct district school base rule chaperones parent guardians bps student page 5 superintendent circular cao-27 page 5 13 trip provide level care attention student participant bps chaperone child attend participate school attend program child bps student grade age range participate student case bps employee responsible incur cost associate child participation tour guide employee party vendor contract help operate trip consider chaperone factor student to- chaperone ratio ➤ day water field trips department safety services 617 635 8000 notify event medical emergency resource question safety day field trip include water activity day trip page 6 superintendent circular cao-27 page 6 13 information circular contact owner chief teaching learning department department global education mailing address 2300 washington st. roxbury ma 02119 phone 315 601 0292 email opl@bostonpublicschools.org mary skipper superintendent page 7 superintendent circular cao-27 page 7 13 boston public schools water activity request form direction 1 form submit water activity 16 week advance propose water activity consider email form opl@bostonpublicschools.org confirm receipt 2 form complete field trip multiple water activity plan water experience list separately example take student service learn trip week like student participate water activity multiple day separate excursion list excursion location 3 request review school receive answer request 2 3 week complete principal head school date request submit date(s field trip school principal head school /district department page 8 superintendent circular cao-27 page 8 13 trip leader role contact number chaperones name role school vendor organization purpose water activity water activity add overall trip experience number student participate field trip grade level age student page 9 superintendent circular cao-27 page 9 13 complete information water activity plan student water activity date hour water activity location address water activity i.e. canoe site contact person site contact email phone water activity page 10 superintendent circular cao-27 page 10 13 date hour water activity location address water activity i.e. canoe site contact person site contact email phone principal head school /district department signature date page 11 superintendent circular cao-27 page 11 13 boston public schools water activity addendum parental authorization field trip form water activity direction 1 form water activity kayaking rowing canoe ride boat list possible activity attached parental authorization field trip form field trip 2 complete school portion form attach appropriate parental authorization field trip form parent guardian parent legal guardian student 18 year age student 18 year old complete authorization acknowledgement risk section ➤ student wear life jacket student participate water activity school student date(s trip water activity location(s list water activity page 12 superintendent circular cao-27 page 12 13 authorization acknowledgement risks understand participation field trip involve water activity include limit boat understand participation activity voluntary expose child risks(s assume responsibility risk personal property damage arise relate child participation boat and/or water relate activity include act negligence agree hold harmless bps individual organization associate bps activity claim liability arise child participation activity authorize child participate plan component field trip extent indicate signature ➤ applicant 18 year age follow statement read sign student certify 18 year age read understand agreement accept bind term condition student signature date page 13 superintendent circular cao-27 page 13 13 ➤ applicant 18 year age follow statement read sign student parent legal guardian certify parent legal guardian applicant read understand agreement accept bind term condition behalf behalf student parent guardian signature date emergency contact parent guardian relationship student emergency contact telephone number page 1 superintendent circular number hrs hs07 version 01 staffing reassignment hiring permanent provisional teacher circular remain effect rescind supersede subsequent version circular outline important date procedure staffing school 2023 2024 school year reflect circular policy bps btu collective bargaining agreement information accelerated hire timeline hire autonomy framework design enable bps school attract hire diverse qualified effective teacher early possible boston public schools school leader commit build excellent school prepare student compete succeed 21st century cultivate world class global citizen commit recruiting retain promote diverse highly qualified effective workforce urban district increasingly diverse student body imperative school fully comply final judgment federal court date july 1994 require district examination school employ minimum 25 black teacher staff 10 minority teacher page 2 superintendent circular hrs hs07 page 2 27 addition continuous hiring goal increase number bilingual teacher staff support english language learner population urge school leader possible step help school district meet mandate goal content link jump section name i. determination school staffing need ii post teaching positions iii excesse iv staffing provisional teachers v. leaves absence vi hire international teachers attachment attachment 1 application voluntary excessing teachers paraprofessional attachment 2 application additional program areas apa attachment 3 application process job sharing attachment 4 sy 2023 24 staffing calendar page 3 superintendent circular hrs hs07 page 3 27 i. determination school staffing needs timeframe november february fall school develop budget staffing plan following year base school project enrollment school estimate budget establish process know probable organization probable org begin school representative office human resources identify staffing plan upcoming school year component probable organization process annual budget collaborative probable organization process central office responsibility school leader action step timeframe finance office send school enrollment projection following year review projection report finance school superintendent discrepancy exist mid late november finance office calculate school budget base weighted student funding wsf specific student characteristic e.g. special need early childhood etc assign weight determine school funding review budget complete futureforce version 1 consultation budget ohc oel special education need december page 4 superintendent circular hrs hs07 page 4 27 central office responsibility school leader action step timeframe school foundation plus base pupil amount budget collaborative representative budget ohc oel special education planning analysis school superintendent school leader meet map school structure follow school year futureforce version 2 include discussion position reduction addition ensure programmatic enrollment budget change meet project student need ensure formative assessment enter teachpoint educator plan year january 15 contractual deadline school early mid january office human resources prepare staffing relate datum report school include relevant personnel information include leave absence sy 2023 24 sy 2024 25 licensure sheltered english immersion sei endorsement review staffing- relate datum begin plan implication personnel change determine provisional teacher receive letter reasonable assurance mid january page 5 superintendent circular hrs hs07 page 5 27 central office responsibility school leader action step timeframe additional program area request voluntary request reassignment reasonable assurance permanency decision provisional teacher probable organization ohc budget oel special education school superintendent school leader meet map staffing follow school year futureforce version 3 provide btu representative list provisional teacher recommend receive reasonable assurance late january- early february posting position school leader ohc budget representative confirm vacancy newly create position post position upcoming staffing cycle submit job description vacant newly create position ohc late february page 6 superintendent circular hrs hs07 page 6 27 ii post teaching position staffing process 2023 2024 school year include hire timeline design facilitate attract hire diverse qualified effective teacher early possible personnel subcommittee schools ensure personnel subcommittee school site council form ready begin hire process march 1 school submit complete roster personnel subcommittee member office family student engagement end october training relate personnel subcommittee offer office family student engagement btu office human resources detail personnel subcommittee find superintendent circular fam-04 process hire early ensure school able secure qualified candidate position post talented early march probable org determination vacancy conclude teacher wish apply position effective day school upcoming school year apply posting online talented current bps teacher apply position qualified applicant wish consider inclusion district priority pool submit application priority pool talented march 1 2024 candidate priority pool undergo competency base phone resume screening process coordinate office recruitment cultivation diversity page 7 superintendent circular hrs hs07 page 7 27 approve hire effective day work upcoming school year teacher accept new position eligible apply additional teaching job 2024 2025 school year begin july 1 2023 ohc long approve lateral hire prevent unanticipated vacancy late hire season hire approval boston public schools commit recruit retain promote highly qualified culturally linguistically diverse workforce reflect rich diversity student positively impact academic non academic student learn outcome office equity office human resources school superintendent establish accountability process ensure reasonable effort hire teacher school district meet workforce diversity goal candidate hire qualified meet diversity hire requirement teachers hire hold valid licensure position teachers hire school meeting maintain district diversity goal school hire team complete reference check head school principal school site council personnel subcommittees sure interview qualified excesse permanent teacher qualifications additional program areas deadline january 1 2024 page 8 superintendent circular hrs hs07 page 8 27 permanent teacher apply additional program area(s identify non primary subject area(s license permanent teacher wish apply additional program area submit request online form online application additional program areas supplemental material submit office human resources mail person application complete documentation submit office human resources january 15 2024 additional information apply additional program area refer superintendent circular hrs hs07.1 qualifications additional program areas job sharing permanent teachers paraprofessionals 1 eligibility teacher request participation job- sharing hold appropriate license position 2 process permanent teacher paraprofessional wish indicate interest job sharing submit application application job sharing form monday march 25 2024 candidate submit application submission application indication interest bind participation job sharing require approval principal head school principal head school submit approval job sharing principal approval form monday march 25 2024 additional information job sharing refer superintendent circular hrs hs02 job sharing permanent teachers paraprofessionals school year 2023 2024 boston teachers union hold informational meeting page 9 superintendent circular hrs hs07 page 9 27 spring information specific date time share btu bulletin iii excessing voluntary involuntary reassignment excess a. voluntary excessing teachers paraprofessionals deadline february 1 2024 permanent teacher paraprofessional meet voluntary excessing eligibility criterion outline collective bargaining agreement 1 include leave absence voluntarily request excesse regardless reduction number position teacher paraprofessional voluntarily excess forfeit right position leave voluntary excessing requirement teacher teacher hold permanent status request submit ohc february 1 2024 instruction teacher possess overall rating proficient high recent evaluation include formative assessment 1 refer collective bargaining agreement september 1 2018 august 31 2021 pp 76 77 list requirement teacher pp 136 paraprofessional page 10 superintendent circular hrs hs07 page 10 27 teacher voluntarily excesse prior year teacher paraprofessional wish request excessing submit application reassignment complete attachment 1 application reassignment submit head school principal office human resources february 1 2024 office human resources review application inform teacher paraprofessional school result request teacher paraprofessional meet criterion approve voluntary excessing request voluntary excessing rescind february 9 2024 approve request consider bind date b. involuntary reassignment excessing deadline involuntarily excesse teacher nurse notify april 15 2024 stay current position permanent educator hold appropriate license(s role assign educator excesse additionally necessary excess permanent teacher reduction number teach position follow school year school identify closure massachusetts department education designate level 4 school reduction number position occur involuntary excessing page 11 superintendent circular hrs hs07 page 11 27 volunteer program area reverse seniority program area a. teacher seniority voluntarily request excesse b. excessing junior teacher prohibit compliance u.s. district court order date july 1994 school specific type staff autonomy involuntarily excess teacher school ability involuntarily excess teacher include school governing document placement positions suitable professional capacity permanent teacher hire vacant position assign suitable professional capacity accordance bps btu contract iv staffing provisional teacher a. reasonable assurance provisional teachers second year provisional teacher eligible receive reasonable assurance continue current position follow school year provisional teacher hold valid dese license(s position teach order letter reasonable assurance grant exception addition budgetary licensure concern teacher performance measure massachusetts regulations evaluation educators 603 cmr 35.00 major factor determine provisional teacher receive letter reasonable assurance principals page 12 superintendent circular hrs hs07 page 12 27 head school hold accountable ensure provisional teacher receive formative assessment include overall rating february 1 2024 provisional teacher evaluate eligible receive letter reasonable assurance probable organization school leader work ohc identify provisional teacher eligible receive reasonable assurance list probable organization template ohc send letter reasonable assurance april 15 provisional teacher request permanent appointment current provisional 1 provisional 2 teacher grant section iv.a information provisional 3 teacher awarding permanent status b. permanent appointment provisional teachers eligibility massachusetts regulations evaluation educator stipulate achievement professional teaching status permanent teacher bps dependent receive rating proficient standards effective teaching practice overall rating proficient exemplary additional criterion require permanent status page 13 superintendent circular hrs hs07 page 13 27 school leader recommend educator 2 permanent appointment 3 meet follow criterion teacher provisional year bps teacher receive rating proficient exemplary overall standards effective teaching formative assessment release february 1 2024 teacher remain position current school 2023 24 school year teacher hold valid dese license(s content area teach teacher hold esl license sei endorsement core content teacher ells require dese bilingual educator endorsement bee bee requirement position note head school principal recommend provisional 3 teacher permanent status base fulfillment criterion teacher grant permanent status summative 2 educator consider teacher eligible professional teacher status define m.g.l. c.71 41 include teacher school librarian school adjustment counselor school nurse school social worker school psychologist 3 school leader recommendation permanent appointment educator year effect day fourth year page 14 superintendent circular hrs hs07 page 14 27 evaluation release indicate proficient exemplary practice overall standard provisional 3 teacher achieve rating proficient exemplary overall standard formative assessment require one- year break service break service teacher eligible employment teacher substitute boston public schools year- long break service teacher eligible vacant teaching position hire return provisional 1 status process recommend provisional 3 teacher permanent appointment probable organization head school principal following step 1 release teacher formative assessment january 12 2024 2 identify position teacher hold 2023 24 school year 3 record recommendation permanent appointment provisional review process page futureforce version 2 principal head school release end- year summative evaluation provisional teacher successfully demonstrate effective teaching practice(s achieve rating proficient exemplary overall page 15 superintendent circular hrs hs07 page 15 27 standard effective teaching permanent september 2023 v. leaves absence a. planning leave absence 2024 2025 deadline january 15 2024 permanent teacher currently leave plan leave absence 2024- 2025 school year e.g. personal reason education submit leave application january 15 2024 employee submit request leave electronically employee self service employee submit application officially accept job educational program application process teacher accept graduate program job leave request rescind long office human resources notify april 1 information leave absence include apply refer superintendent circular hrs hs pp13 page 16 superintendent circular hrs hs07 page 16 27 b. currently leave absence deadline january 15 2024 november 2023 teacher currently non medical leave send letter inform expiration leave teacher submit response form accompany letter office human resources state request extend leave intent remain leave return leave january 15 2024 teacher respond deadline forfeit right position leave letter send address list hub employee responsible ensure address correct information leave absence refer superintendent circular hrs- pp13 absence leave policy vi hire international teachers international teacher legally permit work pay proof official united states citizenship immigration services uscis work authorization head school principal rc manager common practice inquire work authorization status potential new hire page 17 superintendent circular hrs hs07 page 17 27 information circular contact owner chief human resources officer department office human resources mailing address 2300 washington ave roxbury ma 02119 phone 617 635 9600 email ohc@bostonpublicschools.org mary skipper superintendent page 18 superintendent circular hrs hs07 page 18 27 attachment 1 application reassignment teacher paraprofessional school name_______________initial maiden employee i.d. select  permanent teacher  paraprofessional section complete permanent teacher request reassignment come 2023 2024 academic year check  permanent teacher  permanent school nurse  permanent student support service coordinator cosess  paraprofessional  reduction program area program area is_________________________and seniority date page 19 superintendent circular hrs hs07 page 19 27 understand declaration decision rescind february 14 2024 reassign come school year accordance provision boston teachers union contract signature date return form head school principal office human resources heads school principals administrative heads forward application office human resource later february 1 2024 mail fax email form school central based staffing department office human resources mailing address 2300 washington st. roxbury ma 02119 phone 617 635 9600 fax 617 635 9326 email ohc@bostonpublicschools.org additional question submit hr inquiry ticket beacon find access boston electronic version form find http://www.bostonpublicschools.org/page/1019 page 20 superintendent circular hrs hs07 page 20 27 attachment 2 application additional program area apa 2023 2024 online forms office human resources transition online form application additional program areas find link note employee require sign boston public schools gmail account supplemental material transcript submit mail person office human resources link apply click additional program area application copy url http://goo.gl/forms/jqftw4iox1 supplemental documentation application approval contingent submission follow document official transcript(s indicate completion 15 graduate undergraduate course credit relevant program area qualification sign letter head school principal confirm following information o subject area teach relevant application page 21 superintendent circular hrs hs07 page 21 27 o specific year 2 teach subject 10 year o confirmation teach 50 weekly schedule area fill application form submit supplemental document contact list january 12 2024 information circular contact department office human resources mailing address 2300 washington street roxbury ma 02119 phone 617 635 9240 email fcanty@bostonpublicschools.org page 22 superintendent circular hrs hs07 page 22 27 attachment 3 application job sharing indicate interest job sharing permanent teacher paraprofessional wish indicate interest job sharing submit request online form show submission application serve indication interest bind job sharing application principal head school approval form submit online form later 5:00 p.m. monday march 25 2024 online forms office human resources accept job share application online candidate application job share principal head school approval submit link note employee require sign boston public schools gmail account link available btu paraprofessional representative boston public schools website superintendent bulletin click job sharing request applicant form applicant interested job sharing submit form principal submit form approval click job sharing request principal approval form principal head school submit form approve job share request page 23 superintendent circular hrs hs07 page 23 27 information job sharing superintendent circular hrs hs02 contact owner director school base staffing department office human resources mailing address 2300 washington st. roxbury ma 02119 phone 617 635 9240 email ohr@bostonpublicschools.org attachment 4 staffing calendar page 24 superintendent circular hrs hs07 page 24 27 december 2023 december 18 deadline teacher submit leave absence intent letter ohc january 2024 january 10 february 4 budget collaborative probable organization meeting january 15 deadline permanent teacher request personal reasons educational leaves commence beginning teacher work year permanent teacher approve year long leave return november letter indicate intent return start teacher work year request extension teachers submit alternate program area request ohc january 17 deadline teacher submit application early notification incentive termination receive $ 1,500 deadline submission formative assessment educator 1 year plan february 2024 february 1 contractual deadline deadline teacher paraprofessional submit reassignment request voluntary excess page 25 superintendent circular hrs hs07 page 25 27 deadline notify permanent teacher excess level 4 innovation pilot schools involuntary excess deadline notify paraprofessional excess level 5 schools involuntary excess february 11 deadline teacher paraprofessional rescind reassignment request voluntary excess march 2024 begin march 1 teacher position post march 18 ohc send excess layoff notice paraprofessional tentative march 25 deadline job share application april 2024 april 1 april 15 paraprofessional transfer process tentative april 15 contractual deadline deadline ohc notify permanent teacher excess deadline notify provisional teacher reasonable assurance april 27 excess notification guild member tentative 2024 6 deadline recommend paraprofessional transfer applicant decision talented tentative 9 ohc send assignment letter paraprofessional transfer tentative page 26 superintendent circular hrs hs07 page 26 27 paraprofessional excess pool participant position list available 15 contractual deadline evaluation license educator 1 year plan guild layoff notice issue 19 paraprofessional excess pool tentative june 2024 june 1 contractual deadline deadline ohc notify permanent teacher basas managerial layoff june 3 deadline principal submit paraprofessional excess pool ranking ohc june 6 ohc finalize paraprofessional excess pool assignment tentative june 13 guild excess pool tentative june 15 contractual deadline deadline ohc notify provisional teacher non renewal july 2024 july 1 deadline approval internal lateral transfer hire august 2024 august 15 ohc send initial suitable professional capacity assignment letter permanent teacher position tentative page 27 superintendent circular hrs hs07 page 27 27 note date subject contractual requirement change page 1 superintendent circular number cao-06 version 01 grade point average calculation method circular remain effect rescind supersede subsequent version rationale purpose document outline grade point average gpa calculate boston public schools definition grade point average gpa standard numerical conversion letter grade give student gpa standard method compare cumulative academic performance student grade 9 12 share information gpa purpose college admission high school ranking selective program admission gpa calculation take variety information course credit academic level gpa calculation use follow step complete weight gpa calculation step 1 convert final grade numeric letter grade equivalent 4.0 scale page 2 superintendent circular cao-06 page 2 5 step 2 weight grade add .5 convert grade earn honors level course 1.0 convert grade earn advanced placement dual enrollment course step 3 multiply convert grade applicable weight grade course credit earn full- year course equal 1 credit semester course equal .5 credit quarter course equal .25 credit step 4 sum weight grade point step 3 step 5 divide total step 4 total number course credit attempt year course equal 1 credit semester course equal .5 credit quarter course equal .25 credit step 6 quotient student weight gpa gpa = total point + weight credit course total credits course course information 1 course a. student course take grade 9 12 include gpa calculation high school level course take student middle school grade include calculation b. include gpa ingpa flag c. indicator describe course include academic gpa calculation course page 3 superintendent circular cao-06 page 3 5 require graduation include gpa calculation course typically exclude academic gpa calculation include enrichment course functional course study period administration block lunch district determine course include student gpa calculation additionally course require school graduation division academics maintain update list applicable course include gpa calculation school user find ingpa information course catalog feature aspen 2 credit a. credit describe number point course receive gpa course complete general course 1 credit certain course 1 credit double block humanity course similarly course few 1 credit 1 semester half year course cumulative gpa calculation school year quarter term grade 1 semester course attribute .25 credit gpa calculation b. credit generally distribute base successful completion competency course c. transfer credit credit student earn setting outside bps credit include student transcript count school graduation requirement credit page 4 superintendent circular cao-06 page 4 5 gpa calculation alignment massachusetts board higher education ma bhe process calculate gpa 3 academic level a. academic level course 8 option table b. weights apply course academic level course follow weight give academic level base ma board higher education recommendation link weighting chart weighting course academic level include functional untracked +0 standard regular +0.5 honors ib myp +1.0 college ap ib dp gpa calculation date bps calendar gpa calculation date sy24 find gpa included transcript gpa calculation aspen cumulative weight academic gpa calculation include student official transcript quarter semester final gpa page 5 superintendent circular cao-06 page 5 5 save school year overwrite year final cumulative gpa accumulation grade 9- 12 current year save aspen transfer data warehouse helpful link grade point average gpa help guides aspen weighting chart information circular contact owner chief teaching learning department office teaching learning mailing address 2300 washington street roxbury ma 02119 phone 617 635 6053 email opl@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fse-03 version 01 building codes fire regulation circular remain effect rescind supersede subsequent version school building require comply massachusetts state building codes fire regulations adherence regulation help ensure safe secure accessible learning work environment student staff person responsible school building head school principal program director shall responsibility monitoring maintain compliance building code fire regulation time staff assign department facilities management fire safety director available call assist support school building administrator effort inspectional services department isd city boston conduct annual egress inspection boston fire department bfd conduct quarterly inspection assure compliance state code fire regulation isd shall issue certificate inspection occupancy annually school comply school noncompliance allow open deficiency correct certificate grant school year isd building inspection conduct annually special inspection page 2 superintendent circular fse-03 page 2 5 time assure continued compliance follow guideline mutually agree isd boston public schools assist effort staff maintain compliance adhere year time inspection follow 1 path egress clear furniture material 2 material equipment store near stairwell corridor 3 broken furniture discard abandon corridor 4 teaching learning permit hallway stairwell 5 door clear artwork decoration functional case emergency 6 fire door keep close time student pass class modify new fire alarm system 7 chain padlocks doors building 8 bar chain restricted operation door authorize time 9 deadbolt lock connect classroom door 10 classroom connect door block essential egress page 3 superintendent circular fse-03 page 3 5 11 paper art work hang light fixture remove 12 auditorium stage classroom prohibit 13 cover classroom heating system combustible book paper fire hazard permit 14 electrical boiler room lock time storage 15 fire extinguisher charge current inspectional tag attach 16 gasoline flammable liquid store fireproof cabinet 17 corridor display decoration limit bulletin board cover 10 total corridor wall space 20 classroom wall space 18 stairwell exit door shall clear flammable material 19 paper material display shall attach directly wall shall permit cover egress door place foot egress door approve ahj thing permit post 5 foot door 1 evacuation route 2 classroom emergency folder kit 3 safemode window cover classroom utilize 20 rug curtain furniture certify fire retardant code compliant 21 electrical appliance authorize facilities management permit page 4 superintendent circular fse-03 page 4 5 22 snow blower lawn mower run dry fuel use bring building 23 classroom keep clean orderly cooperation maintain standard outline ensure quick successful certification process page 5 superintendent circular fse-03 page 5 5 information circular contact owner director emergency management preparedness department office emergency management safety services mailing address 21 deckard st room b28 boston ma 02121 phone 857 701 9404 email operations department- heads@bostonpublicschools.org executive director facilities management department facilities management mailing address 1216 dorchester avenue dorchester ma 02125 phone 617 635 9135 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-18 version 01 display flag school ceremony circular remain effect rescind supersede subsequent version massachusetts general law require flag shall display weather permitting school building ground school day legal holiday addition require ensure flag shall display classroom assembly hall m.g.l. c.71 69 important patriotic historic holiday celebrate school year place focus responsibility respect display american flag school classroom patriotic national holiday offer opportunity history social study class provide instruction flag origin care symbolic significance instruction complie state learning standard 18 principle american government addition student project afford opportunity student conduct depth research subject flag patriotic symbol document speech literature school committee policy massachusetts state law require public school teacher commencement 1st class day lead class group recitation pledge allegiance m.g.l. c.71 69 massachusetts supreme judicial page 2 superintendent circular lgl-18 page 2 2 court rule student teacher right daily opportunity participate pledge allegiance teacher student constitutional right participate pledge teacher student choose participate i.e. recite and/or stand penalize decline school comply responsibility display flag provide daily opportunity recitation pledge allegiance information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pm08 version 01 2024bus monitor performance evaluation circular remain effect rescind supersede subsequent version accord collective bargaining agreement boston school committee united steelworkers america local 2936 principal head school designee responsible complete performance evaluation transportation monitor assign school include sped cab monitor transportation attendant hire school ride regular bus purpose evaluation assess performance monitor assign school sped cab monitors performance evaluation form send principal head school designee list monitor assign school principal submit form assign monitor email bpsdot@bostonpublicschools.org 23 2025 assign standby bus monitor monitor student evaluation form principal head school designee assess monitor performance assist school leader complete form information monitor duty responsibility include circular page 2 superintendent circular hrs pm08 page 2 8 question evaluation form process contact assistant director monitors unit transportation department 617 230 3561 transportation attendant principal head school school transportation attendant assign regular bus complete designate complete evaluation form send pdf attachment email bpsdot@bostonpublicschools.org eval@bostonpublicschools.org 23 question evaluation form process contact director evaluation performance management 617 635 9627 duty responsibility special education bus monitors special education bus monitor assign monitor assist student special need transport school primary responsibility include boarding vehicle time monitor require student route remain vehicle time monitor require student reach stop attend special need monitor require student monitor responsible general supervision student vehicle riding student vehicle seat seat available page 3 superintendent circular hrs pm08 page 3 8 assist student vehicle necessary include set collapse wheelchair equipment necessary exhibit proper behavior time ensuring student wear seat belt ensuring student leave vehicle assign stop student leave vehicle authorization driver instruct contact dispatcher immediately prohibit consumption food beverage smoking bring radio vehicle notify school monitor assign operation coordinator yard monitor absent work notification place 4:30 morning hour prior schedule reporting time afternoon perform related duty direct supervisor summary significant date deadline date activity 23 deadline principal head school submit sign copy pdf attachment email bpsdot@bostonpublicschools.org eval@bostonpublicschools.org page 4 superintendent circular hrs pm08 page 4 8 information circular contact owner assistant director monitors unit department transportation department mailing address 2300 washington street roxbury ma 02119 phone 617 230 3561 fax 617 635 7705 email bpsdot@bostonpublicschools.org director evaluation performance management department office human resources mailing address 2300 washington street roxbury ma 02119 email eval@bostonpublicschools.org mary skipper superintendent page 5 superintendent circular hrs pm08 page 5 8 boston public schools performance evaluation form bus monitor school year 2024 2025 monitor date employee school a.m. p.m. bus number review position overview complete form follow scale rank performance u unsatisfactory employee fail meet expectation performance position duty responsibility need improvement n needs improvement employee performance position duty responsibility need improvement s meets expectation employee performance position duty responsibility meet expectation e exceeds expectation employee performance position duty responsibility exceed expectation quality work perform assign task job description accurately competently u n s e skills knowledge demonstrate level skill knowledge require job u n s e attendance punctuality punctual give notice sick personal leave u n s e page 6 superintendent circular hrs pm08 page 6 8 professional demeanor maintain professional demeanor tactful cooperative courteous people level school department public u n s e recommendations comment evaluator signature date principal head school date submit sign scan copy email bpsdot@bostonpublicschools.org page 7 superintendent circular hrs pm08 page 7 8 boston public schools performance evaluation form transportation attendant summer 2025 transportation attendant date employee school follow scale rank performance u unsatisfactory employee fail meet expectation performance position duty responsibility need improvement n needs improvement employee performance position duty responsibility need improvement s meets expectation employee performance position duty responsibility meet expectation e exceeds expectation employee performance position duty responsibility exceed expectation quality work perform assign task job description accurately competently u n s e skills knowledge demonstrate level skill knowledge require job u n s e attendance punctuality punctual give notice sick personal leave u n s e professional demeanor maintain professional demeanor tactful cooperative courteous page 8 superintendent circular hrs pm08 page 8 8 people level school department public u n s e recommendations comment evaluator signature date principal head school date submit sign scan copy email bpsdot@bostonpublicschools.org page 1 superintendent circular number lgl-16 version 01 student health information circular remain effect rescind supersede subsequent version state federal law regulation deal confidentiality student record information recognize student health information treat differently student record information note health insurance portability accountability act know hipaa apply student record exception germane policy 65 fed reg 82805 2000 school health personnel access student health record access require performance official duty 603 code mass. regs 23.07 4)(h course parent guardian circumstance student consent release student health record information school personnel generally absence informed write consent follow standard apply determination school official access part student health record instance determination building administrator consultation school base nurse disagreement arise concern bring attention senior director health services resolution page 2 superintendent circular lgl-16 page 2 4 follow guideline 1 routine medical information student health information disseminate appropriate meet regular effective educational mission school information include information contain iep 504 plan previously schedule medical appointment health- relate incident require necessitate reporting dispensation medication condition food allergy seizure asthma event minimum necessary health record information disclose type medication dispense absent disclose example fact medical appointment necessitate early dismissal psychiatrist normally disclose matter routine medical information routine medical information information appropriate certain staff know order maximize safety child example child diabetes need teacher knowledgeable illness child safe learning environment low blood sugar affect child ability concentrate circumstance appropriate notify child teacher individually health information circulate staff memo 2 medical information limited dissemination student health information confidential nature little educational benefit school specific information student support team need know provide accommodation possible diagnosis page 3 superintendent circular lgl-16 page 3 4 especially relate mental health express functional diagnosis example team know child depress get counseling detail diagnosis cause depression relevant team provision accommodation nurse provide connection provider interpret medical information clarification require 3 highly sensitive information student health information highly sensitive nature bearing educational achievement educational use consequence high expectation privacy exist student and/or parent guardian information include suicide attempt treatment drug alcohol abuse mental health diagnosis family planning information maternity paternity test information abortion hiv infection information type 1 accommodation safety issue 2 highly sensitive information medical diagnosis relevance student performance need share example child therapy depressed suicidal perform school need information share school community highly sensitive medical situation protect state regulation include hiv minor right seek medical care pregnancy sexually transmit disease substance abuse parent consent inclusion information educational record violation adolescent right privacy hiv student family choose disclose limit page 4 superintendent circular lgl-16 page 4 4 individual disclose circumstance information private nature dissemination parent guardian prohibit question regard direct office legal advisor highly sensitive health information possible segregate rest student health information reduce chance inadvertent disclosure information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number shs-25 version 01 sickle cell disease policy implementation circular remain effect rescind supersede subsequent version policy background bps recognize clear comprehensive policy sickle cell disease scd management school impact academic achievement support general wellbeing student scd policy statement bps acknowledge scd disability substantially limit major life activity qualify student scd comprehensive evaluation consideration eligibility section 504 rehabilitation act 1973 section 504 determine service accommodation need attain free appropriate public education bps commitment maintain educational environment welcoming inclusive encouraging student able flourish school follow establish protocol procedure address need child scd regularly evaluate implementation plan page 2 superintendent circular shs-25 page 2 12 bps acknowledge successful implementation policy district school level rely foster maintain culture awareness acceptance scd acknowledge history scd unique challenge student scd face mind bps recognize people scd long face harmful stigma racially charge origin people scd challenge seriousness disease existence student scd long experience barrier health success school implementation boston public schools sickle cell disease basics scd refer group genetic blood disorder affect individual race ethnicity united states especially prevalent african americans hispanics complication include limit severe anemia susceptibility infection insomnia jaundice frequent urination dehydration chronic pain episode extreme debilitate pain pain episode know crisis cause tissue organ damage lead hospitalization life- threaten consequence people scd heighten risk anxiety depression post traumatic stress page 3 superintendent circular shs-25 page 3 12 disorder social isolation delay social development visible stroke silent stroke unnoticed affect learn ability short long term pain episode complication trigger wide variety physical psychological stressor result complication effect medication child scd experience frequent absence difficulty focus engage usually school particularly regard physical activity day free harsh symptom effect student scd experience baseline symptom health vulnerability require modification standard participation requirement additionally biology history scd create following unique challenge scd pain invisible people scd learn cope mechanism stay quiet counterintuitive scd pain go undetecte lead challenge seriousness existence pain symptom jaundice short stature delay social development repeat absence student scd target bullying harassment medications treat people scd opioid pain medication hydroxyurea chemotherapy drug page 4 superintendent circular shs-25 page 4 12 help people scd cause disruptive effect carry stigma individual scd historically stigmatize community hospital school armed service place employment label black disease scd historically associate claim racial weakness genetic inferiority overview addressing need bps student scd a. child find identification location immediate accommodations evaluation 1 identification location bps acknowledge stigma note parent choose identify child scd instead seek supportive service accommodation child overcome challenge bps utilize multiple strategy outreach public awareness campaign raise awareness scd effect learn assure family bps willing partner create community support collaboration understand student scd strategy include limit collaboration local medical center treat child scd leverage develop strategy identification location e.g. share page 5 superintendent circular shs-25 page 5 12 outreach material clinic provide know right material family clinic student scd meet medical provider develop additional strategy etc ensuring communication available multiple language and/or mode order accessible family ensuring outreach public awareness campaign include outreach preschool early intervention provider community support provider likely student enroll bps i.e. locate greater boston additional strategy develop input scd advisory group specific consideration enrollment identify child scd enrollment bps ensure proper placement school appropriate health relate service give stigma relate scd bps give special attention ensure privacy student scd include appropriately limit scope release parent sign disclosure child scd status bps ensure appropriate effort initiate maintain connection school health staff student scd parent medical team enrollment student identification enrollment include page 6 superintendent circular shs-25 page 6 12 provide information parent school health staff ensure privacy right maintain 2 interim services supports pursuant section 504 bps acknowledge scd physical disability substantially limit major life activity student scd entitle certain accommodation identification location ensure health safety equal educational opportunity pende completion comprehensive evaluation right protection pursuant section 504 include procedural safeguard ensure identify locate student scd bps ensure interim accommodation implement pursuant section 504 include following set textbook school home unlimited bathroom access need unlimited access need school nurse school health official unlimited access need communicate parent and/or physician experience symptom unfamiliar one physician tell contact experience page 7 superintendent circular shs-25 page 7 12 unlimited water access need access water bottle water fountain time permission access medication include prescribe opioid need permission wear coat indoor feel cold stay indoor exempt outdoor activity hot cold air quality poor permission away indoor ac heating unit consideration door door transportation limited circumstance impractical e.g. student reside door street school building attend permission access elevator relevant leave class early alternatively extra time class modify participation gym class base student need proactive plan address academic social emotional support return school absence include supplemental instruction provide qualified subject area teacher service provider order scaffold miss ongoing instruction classroom enable student catch stay pace classmate page 8 superintendent circular shs-25 page 8 12 3 comprehensive evaluation bps ensure student scd receive timely comprehensive evaluation area suspect disability determine nature extent student need specialize instruction related aid service bps ensure neuropsychological evaluation consider comprehensive evaluation student scd b. free appropriate public education address need student scd bps ensure special education related service identify comprehensive evaluation 504 plan and/or ieps specifically address challenge student scd face relate health safety need academic need social- emotional need resume school absence stagnation and/or decline academic progress performance bps ensure utilization checklist potential accommodation section 504 iep team meeting student scd checklist consider addition appropriate service support determine necessary individual student scd receive free appropriate public education bps ensure documentation item consideration 504 iep team include meeting minute provide parent page 9 superintendent circular shs-25 page 9 12 bps ensure individual health plans ihps individual collaborative health plans ichps lieu 504 plan iep interim accommodation plan additional point require particular attention 1 continually update health safety services supports bps ensure 504 plans and/or iep child scd reflect date health safety need child recognize need change course year bps ensure new information receive change need student scd address light student 504 plan iep 2 track effect absences sudden changes need bps ensure child scd absence lack expect progress annual goal iep and/or general curriculum discussion promptly hold absence interfere academic progress interference overcome include consideration instruction summer bps ensure sudden drop academic performance sudden increase social emotional need experience student scd detect respond appropriately 3 designation director constituent services services supports provide page 10 superintendent circular shs-25 page 10 12 bps ensure student scd parent proper consent privacy precaution medical team access boston public schools director constituent services escalate concern child scd receive free appropriate public education process separate preclude process grievance right available section 504 idea mechanism necessary give severity swiftness health academic social emotional consequence occur child scd c. ensure appropriate culture bps scd bps ensure culture scd bps include believe student scd communicate pain have complication unable perform certain task symptom blame shame student scd parent challenge identify challenge quickly work collaboratively find appropriate solution facilitate awareness child scd member school community facilitate understanding scd implication health safety page 11 superintendent circular shs-25 page 11 12 facilitate understanding service support student scd need ensure health safety understanding importance adhere accommodation facilitate understanding special education relate service student scd need ensure access free appropriate public education 1 awareness trainings ensure appropriate culture scd bps conduct ongoing outreach public awareness campaign address aspect appropriate culture describe bps conduct ongoing training teacher administrator nurse relevant staff training cover necessary topic ensure bps staff come contact student scd necessary knowledge awareness properly implement policy protocol procedure scd appropriately support student scd school nurse receive additional periodic training manage medical need student scd 2 scope frequency awareness training activities bps ensure awareness training effort wide scope reach appropriate personnel repeat frequency reach new temporary personnel enter course school year page 12 superintendent circular shs-25 page 12 12 d. datum monitoring bps conduct sufficient datum monitoring track success failure implementation policy protocol procedure scd monitoring include document instance student scd parent and/or medical team escalate concern health safety service support provide follow and/or free appropriate public education properly provide datum produce regularly report summary statistic personally identifiable information scd advisory group publicly bps website posting press release information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pm01 version 01 performance evaluation teacher circular remain effect rescind supersede subsequent version comprehensive information pertain performance evaluation btu 2011 education regulation amendment 603 cmr 35.00 locate office human resourcesevaluations webpage summary btu date deadline find page 73 btu bps collective bargaining agreement long term substitute teachers consider teachers purpose performance evaluation position continuously 15 consecutive day general inquiry performance evaluation dese- license educator direct eval@bostonpublicschools.org information performance relate dismissal teacher find superintendent circular hrs- pp19 page 2 superintendent circular hrs pm01 page 2 2 information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 phone 617 635 9627 e mail eval@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp12 version 01 domestic violence leave policy circular remain effect rescind supersede subsequent version boston public schools commit health safety employee family circular intend comply applicable state law 1 design protect victim domestic violence family member victim domestic violence abusive behavior encourage communicate office human resource situation boston public schools provide employee 15 day time 12 month period employee family member victim abusive behavior domestic violence stalking sexual assault kidnapping purpose leave seek medical attention counseling secure housing obtain legal victim service directly relate abusive behavior employee family member employee 1 section 52e chapter 149 massachusetts general laws section 10 chapter 260 act 2014 page 2 superintendent circular hrs pp12 page 2 3 purpose policy family member include married spouse person substantive dating engagement relationship reside persons have child common regardless marry reside parent step parent child step child sibling grandparent grandchild persons guardianship relationship immediately eligible leave beginning employment employee use accrue sick personal vacation time remain pay status cover leave policy accrue time available leave policy unpaid request provide appropriate advance notice leave require current leave policy imminent danger immediate health safety case receive notification 3 workday leave take take reason cover policy leave provide documentation evidencing family member victim domestic violence abusive behavior 30 day leave request form documentation include court issue protective order official document court provider public agency police report statement victim witness provide police page 3 superintendent circular hrs pp12 page 3 3 official legal documentation attest perpetrator guilt medical documentation treatment abusive behavior sworn statement employee attest victim abusive behavior sworn statement professional assist employee employee family e.g. counselor social worker health care worker member clergy perpetrator domestic violence entitle leave statute provide submit proper documentation employment protect leave take policy question time policy apply hesitate contact office human resource information circular contact employee services leave absence team department office human resource mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9255 fax 617 635 7957 email ohrleaves@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fam-07 version 01 home school compact circular remain effect rescind supersede subsequent version overview home school compact document clarify school staff family work collaboration help child reach high specific academic goal core content area good compact link family engagement school- wide grade level instructional goal help ground relationship teacher family student learning additionally compact serve clear reminder share responsibility school home ensure child learn require write commitment indicate member school community family teacher principal student concerned community member agree share responsibility student learning school receive title fund require develop home school compact annually include home school compact compact clearly communicate following page 2 superintendent circular fam-07 page 2 6 1 schoolwide instructional goal core content area culturally linguistically sustain practice 2 specific learning goal grade level 3 key instructional strategy school plan employ 4 specific strategy family support student learning home 5 stakeholder especially family involve develop revise compact additionally compact provide vehicle clearly define expectation share responsibility educate student compact describe school teacher agree responsible provide high quality instruction student create supportive learning environment describe school teacher build student agency learning show respect student family communicating family student student progress compact describe family agree responsible support child learning school school see child attend school regularly time page 3 superintendent circular fam-07 page 3 6 participate decision relate education child school communicating teacher regular basis compact describe specific way student agree responsible learner support parent(s teacher(s attend school regularly time show respect school people believe learn try good work compact emphasize importance ongoing two- way communication home school follow minimum requirement annual parent teacher conference(s discuss relationship compact agreement student achievement frequent timely progress report family reasonable access school staff variety way opportunity participate observe class activity developing review home school compact follow key consideration develop home- school compact 1 compact develop committee consist administrator school staff family student page 4 superintendent circular fam-07 page 4 6 teacher exist school base family engagement action team subcommittee school site council option development document 2 process develop compact open inclusive solicit input contribution wide range stakeholder 3 compact provide opportunity stakeholder articulate expectation delivery teaching learning agree hold accountable student achievement 4 compact write clear family friendly language translate language speak school 5 compact write racial equity planning tool 6 draft compact develop family teacher student give opportunity provide feedback input 7 final version document approve school site council annually spring preparation upcoming school year 8 final version compact submit office family community advancement october 31 2024 page 5 superintendent circular fam-07 page 5 6 home school compact schools develop process utilize compact frame relationship teacher family example include compact review beginning parent teacher conference frame conversation student progress mutual accountability compact year frame conversation teacher family relate monitor student progress specific learning goal compact frame school base workshop design help family understand schoolwide grade level learning goal support learn home alignment educator evaluation compact develop effectively consistently evidence reach proficiency target element indicator standard iii administrator teacher evaluation rubric additional information support additional information home school compact esea title section 1118(d www.ctsschoolparentcompact.org title toolkit page 6 superintendent circular fam-07 page 6 6 office family community advancement responsible support school development implementation compact important date date activity october 31 deadline submit current year home school compact office family community advancement 31 deadline school site council review approve home school compact follow school year information circular contact owner director family school engagement practices department office family community advancement mailing address 2300 washington street roxbury ma 02119 phone 617 635 7750 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-22 version 01 general guidelines procedures field trips circular remain effect rescind supersede subsequent version important note guideline impact covid-19 restriction subject change base public health international security emergent issue impact travel date information guidance contact department global education opl@bostonpublicschools.org assistance guidance superintendent circular provide instruction implement field trip policy pass boston school committee november 20 2019 program leader chaperones read circular entirety principal head school and/or district department sponsor trip responsible ensure field trip policy procedure outline circular field trip circular adhere bps sponsored field trip definition bps sponsor trip trip involve bps student employee use bps fund way take place regular school operating hour organize bps employee(s page 2 superintendent circular cao-22 page 2 22 normal employment hour bps property bps issue technology and/or relate directly instructional program school case student elect participate party travel program consent family travel school group consider bps sponsor field trip student receive funding support school district type field trips bps divide field trip type day field trip overnight field trip international field trip division ensure permission form procedure directly relevant type trip activity student engage refer circular appropriate type trip detail day field trip superintendent circular cao-23 overnight field trip superintendent circular cao-24 international field trip superintendent circular cao-25 water activity superintendent circular cao-27 purpose field trips bps sponsor field trip serve purpose provide instruction enrichment instructional trip support instructional program directly link curriculum standard grade level subject area page 3 superintendent circular cao-22 page 3 22 enrichment trip contribute student academic cultural social development aim deepen engagement school learning site field trip carefully select enrich student learning exposure community new people place activity discuss student family trip purpose learn goal behavior expectation advance engage student activity trip important note obligation bps staff member undertake ensure field trip educationally sound manage risk field trip category trip meet category instructional field trip enhance specific curriculum unit serve broad educational purpose cultural field trip engage student cultural awareness understand experience learn cultural identity community building field trip reinforce relationship exist group student prepare student significant transition new structure community help student work collaboratively assist development leadership decision make skill service learn field trip student learn value help community simultaneously learn host community trip student empower service develop student leadership skill page 4 superintendent circular cao-22 page 4 22 personal growth development student expose new group individual activity learn new skill new idea develop identity build self esteem grow strength build camaraderie field trip type timelines approval necessary proper procedure follow copy checklist permission medical form keep file school office appropriate file district deadline detail meet field trip application reject note trip plan timeline i.e. week prior field trip etc circular chronicle minimal time planning time pre trip planning strongly recommend type field trip day field trip cao-23 domestic trip school ground day duration o day field trip form submit principal head school 4 week advance principal head school discretion approve principal head school o walk field trip day field trip require walk mile radius school i.e. local garden park field etc parent guardian authorization acknowledgement risks walk trips form apply walk field trip current school year need update school year student family information change school require inform family advance walk field trip page 5 superintendent circular cao-22 page 5 22 obtain principal head school approval o form include sign cao-23 checklist form file school o principal head school designee emergency contact day field trip overnight field trip cao-24 domestic trip school ground involve student participation overnight travel u.s. territory include puerto rico united states virgin islands guam american samoa northern mariana islands consider domestic cover international travel insurance travel territory subject form requirement protocol cao-25 international field trip guideline consult department global education require form destination o overnight field trip form submit principal head school 12 week advance approve principal head school o form include sign cao-24 checklist form file school o overnight field trip request form list student name emergency contact number grade d.o.b list chaperone name role school community itinerary applicable train flight information send district notify district trip plan 6 week advance scan email overnight field trip request form information appropriate operational leader page 6 superintendent circular cao-22 page 6 22 department global education follow confirm receipt o principal head school designee emergency contact overnight field trip international field trip cao-25 trip school ground involve travel location outside united states o international field trip plan year advance maximize affordability fundraising effort possible schedule non school time i.e. school vacation summer o soon trip opportunity know interest international travel program teacher inform principal head school contact department global education support guidance cao-25 application planning process arrangement payment deposit consultation department global education formal application approval superintendent o consult department global education head school cao-25 application shall submit 9 12 month departure application require approval department global education seek approval appropriate district leader obtain final approval superintendent arrangement page 7 superintendent circular cao-22 page 7 22 payment deposit place consultation department global education formal application approval superintendent o principal head school appointee director global education district designee emergency contact international travel program general guidelines type field trips principals head school district department sponsor trip primary responsibility ensure procedure pertain field trip follow school establish clear transparent internal protocol field trip request approval school level field trip idea preliminarily approve writing principal head school district department sponsor trip prior distribution informational material propose trip student parent guardian prior fundraising effort detailed preparation staff allow sign contract behalf boston public schools program leader bps employee chaperone organizing lead trip support chaperone approve principal head school district department sponsor trip principal head school program leader review complete appropriate type field trip circular checklist planning process page 8 superintendent circular cao-22 page 8 22 program leader consult principal head school potential chaperone student recruitment effort student access field experience chaperone representative student group include male female selection approval chaperone principal head school base individual thorough knowledge rapport student participant choose chaperone team purposefully wisely consider strength adult trip chaperone clear role student accessibility participation students enrol boston public schools participate essential participation criterion program leader principal head school shall work establish essential participation criterion trip criterion inform student parent activity risk associate itinerary activity trip location determine accommodation modification need student participate successfully safely portion trip student recruitment field trip advertise student school particular grade class subject club program associate trip regardless financial situation school shall reasonable effort instructional field trip affordable student student ability pay criterion field trip participation student charge individual fee participation domestic page 9 superintendent circular cao-22 page 9 22 instructional field trip directly link curriculum standard school district effort provide scholarship need express student accessibility student english learner status 504 plan and/or ieps deny access field trip status ability responsibility school ensure accommodation normally provide student indicate educational plan available field trip include medication superintendent circular shs-08 information medical dispensation field trip school nurse guidance counselor consultation approval field trip lead chaperone consult school leader determine type medical assistance need participate student ensure accessibility step crucial place field trip secure additional question consult health services department additionally thoroughly support student participation field trip week departure long international overnight field trip program consult necessary receive training school nurse student medical need consult school counselor mental behavioral health need student medical mental health condition sure doctor aware essential participation criterion location trip write letter indicate child safely attend participate trip activity document file key permission slip page 10 superintendent circular cao-22 page 10 22 medical form inclusivity program leader consider student demographic select field trip location site activity specifically determine impact location site activity diverse population student color el student student identify lgbtqia+ community student disability minority field trip experience student belong group experience marginalization location visit program leader work prepare student sensitive experience ensure program safe inclusive student consult department global education resource need inclusive accommodation collaboration student family program leader principal head school shall work transgender gender nonconforme student provide accommodation include room affirm student gender identity ensure safety student group program leader work student family sure travel document airline ticket passport etc reflect legal name list government issue identification unofficial document material reflect student preferred view additional rooming guideline office equity student conduct bps code conduct apply field trip bps student parent require sign bps student traveler family agreement form page 11 superintendent circular cao-22 page 11 22 student conduct participate bps sponsor field trip participation field trip deny student demonstrate disregard policy rule bps school immediately prior field trip parent guardians student aware policy advance communicate process involve child participate field trip follow investigation program leader consult principal head school central office staff determine student conduct overnight trip pose risk safety group long manageable bps staff field district reserve right request arrange student return home district reserve right request family assume responsibility portion cost associate child return student subject disciplinary action provide opportunity formal hearing school level return school document parent guardian consent policy prior trip student dismissal field program student dismiss overnight field trip student parent guardian notify advance agree meet student airport agree transportation destination parent guardian reachable student principal appropriate school- base point contact notify agree meet student airport agree destination student age 16 accompany flight chaperone student age 16 fly page 12 superintendent circular cao-22 page 12 22 unaccompanied chaperone accompany student airport ensure student check flight note age requirement subject specific airline train bus guideline provision student attend trip applicable alternative arrangement and/or comparable activity student attend trip unable participate portion trip provide student family elect child attend field trip reason student penalize grade attendance attendance form indicate student physically absent school building field trip participate school sponsor program conduct school ground note important know document student time chaperone requirement chaperone recruitment program leader consult principal head school potential chaperone student recruitment program leader lead chaperone bps employee authorize chaperone include parent guardian 21 year age old parent trip operate role chaperone chaperone approve head school principal effort student access field trip experience chaperone representative student group chaperone include male female selection approval chaperone principal head school base individual thorough knowledge page 13 superintendent circular cao-22 page 13 22 rapport student participant choose chaperone team purposefully wisely consider strength adult trip chaperone clear role non bps chaperones authorized chaperone include parent volunteer 21 year age old non bps employee chaperone submit yearly cori sori authorization form office human capital complete online ecori form contact bps office human capital ohc cori check confirmation support principal head school lead chaperone responsible submit authorization form ohc allow chaperone activity cori sori clear non bps employee chaperone field trip cover liability boston public schools program leader sure chaperone include non bps chaperone familiar bps code conduct district school base rule non bps employee chaperone parent guardians require proof covid vaccination negative covid-19 test 72 hour field trip bps parent chaperones chaperones parent guardians bps student trip provide level care attention student participant bps chaperone child attend participate school attend program child bps student grade age range participate student case bps parent chaperone responsible incur cost associate child participation page 14 superintendent circular cao-22 page 14 22 chaperone complete chaperone agreement form chaperone ratio student chaperone maximum ratio o day field trip minimum chaperone o grades k-5 10:1 o grades 6 10:1 o domestic overnight field trip 10:1 minimum chaperone o international field trip 7:1 minimum chaperone include puerto rico note chaperone student mandate educational plan circumstance approve principal head school department global education student disability ratio staff student ratio mandate iep class o new tour guide employee party vendor contract help operate trip consider chaperone factor student chaperone ratio permission forms student attend field trip sign permission slip permission field trip write form program leader responsible see permission slip fill completely sign legal parent(s)/guardian( page 15 superintendent circular cao-22 page 15 22 permission slip legal document alter permission slip excursion school sponsor include schedule school weekend staff member solicit student privately arrange field trip excursion permission principal head school blanket authorization i.e. parental guardian approval single form multiple trip take school year allow walk trips water activities form location separate parent guardian permission slip obtain file field trip parental guardian permission slip send home english language home parent guardian authorize sign permission form question legal guardianship refer sis site local welcome center check student parent guardian sign bps media appearances release section parent student agreement document trip showcase return document find guide boston public schools families students review student emergency information card form 460 electronic equivalent ensure cross check accuracy field trip permission form program leader specific complete page 16 superintendent circular cao-22 page 16 22 school portion parental authorization field trip form parent guardians give sufficient information understand nature scope activity itinerary additional customized waiver develop specific trip itinerary record keeping type trips retain complete field trip request form original permission slip medical form fire prevention safety form applicable sign document field trip school office legally record keep current fiscal year plus additional year field trip occur page 17 superintendent circular cao-22 page 17 22 transportation field trips school bus bps approve transportation vendor vehicle bps transportation department transport student field trip athletic event regardless trip pay privately own vehicle vehicle non approve vendor permit ride share transportation service uber lyft lease van utilize transport student field trip athletic event case bona fide emergency student prohibit drive vehicle operate passenger motorbike field trip staff permit transport student staff utilize vehicle lease vehicle risk legally liable student injure ride automobile refer superintendent circular trn-03 information regulation field trip transportation safety guidelines trip planning itinerary development ensure major aspect health safety security address appropriate diligence program leader able articulate informed manner decision source inform decision making unsure activity appropriate term safety educational content school sponsor trip consult principal head page 18 superintendent circular cao-22 page 18 22 school department global education review superintendent circular fse-05 medical emergency management saf-04 incident data- reporting release important safety protocol leave student student accompany chaperone schedule activity parent inform approve writing advance age appropriate unaccompanied scheduled structured activity student group know reach adult chaperone day water field trip department safety services 617 635 8000 notify event medical emergency resource question safety day field trip include water activity day trip domestic overnight trip principal head school emergency contact notify event medical emergency prior departure department global education resource question safety trip support insurance claim prior departure program leader receive emergency contact information international trip principal head school designee follow department global education district appointee emergency contact international trip dge notify event medical emergency resource page 19 superintendent circular cao-22 page 19 22 question safety trip prior departure program leader receive emergency contact information emergency action plan time trip chaperone carry copy emergency action plan eap outline procedure call 911 foreign equivalent abroad emergency protocol eap find day overnight international circular personal health overnight international trip student staff recent doctor visit physical exam require vaccination prior departure cao-24 cao-25 detail healthy travel requirement training district reserve right require additional training and/or certification cpr aed aid program chaperone leader risk management training depend type location purpose trip review specific circular trip type certification requirement phone social media usage set expectation student phone social medium usage field trip especially critical emergency insurance district provide medical insurance coverage bps sponsor international domestic trip bps student bps staff participant domestic define 100 drive mile away home place study employment trip cancellation interruption coverage provide district program leader page 20 superintendent circular cao-22 page 20 22 inform family funder fact option voluntarily purchase additional coverage level 2 cdc state department warning international destination trip cancellation interruption coverage strongly recommend cancellation superintendent reserve right cancel field trip include day departure manage risk advance review itinerary bps reserve right deny school permission participate field trip activity itinerary risk activity outweigh intend learn outcome program post field trip trip follow communicate student parent guardian principal head school department safety services department global education student safety concern health trip require attention homestays boston nationally abroad host family stay incoming outgoing review cao-26 guidelines homestays international student visitor information contact department global education immediately guideline bps family household 18 host national international guest cori clear bps office human capital international student visitors cao-26 international/ student register bps page 21 superintendent circular cao-22 page 21 22 time student bps school exam school year student freshman sophomore junior year advise bps involve j1 visa process review cao-26 guidelines homestays international student visitors information contact department global education immediately guideline visit student note immunization requirement visit abroad work program leader lead chaperone visit school ensure health regulation meet attach letter directive massachusetts department public health http://www.mass.gov/eohhs/docs/dph/cdc/immunization/im munization requirement exchange visiting- students.pdf water activity cao-27 trip involve activity water contact department global education immediately submit mandatory water activity request form ensure site location water activity to- date insurance liability certification documentation file district refer cao-27 specific guideline water activity information question support circular contact owner chief teaching learning title director global education mailing address 2300 washington st. roxbury ma 02119 phone 315 601 0292 page 22 superintendent circular cao-22 page 22 22 email opl@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number trn-01 version 01 schedule school hours circular remain effect rescind supersede subsequent version attached alphabetical listing opening closing hour school school year listing include bus drop time school staff available accept student bell pm bell early dismissal time day week pay special attention pm bell time school change schedule include early dismissal write permission chief operating officer request change bell time subsequent school year writing chief operating officer end october note following request change request bell time change 7:30am 8:30am 9:30am bell time order align district 3 tier bell schedule request bell time change 8:30am start accommodate time transportation operation capacity 2nd tier important note transportation bps bus schedule arrive school 15 minute page 2 superintendent circular trn-01 page 2 3 schedule bell time student time settle breakfast instruction start adequate staff assistance need sure bus unload arrive efficiently safely possible bus schedule location time bus expect depart school trip 10 minute arrival case agreement school bus schedule arrive 15 minute schedule bell time pm bus schedule arrive school pm bell time adequate staff assistance appropriate dismissal procedure need sure bus load arrive bus expect depart 10 minute pm bell schedule location time day thanksgiving day school june school dismiss pupil uniform 2 hour thirty 30 minute early full- day pm bell time operationally need modify dismissal uniform hour thirty minute early release apply school regardless regularly schedule early release past practice certain specialized program school hour subject determination superintendent designee page 3 superintendent circular trn-01 page 3 3 information circular contact owner executive director transportation department transportation mailing address 2300 washington street roxbury ma 02119 phone 617 635 9643 fax 617 635 9541 email operations-department-heads@bostonpublicschools.org mary skipper superintendent attachment boston public schools schedule school hour page 1 superintendent circular number saf-04 version 01 incident datum notification circular remain effect rescind supersede subsequent version boston public schools policy build administrator responsibility center manager report incident completely promptly accurately department safety services appropriate public safety agency administrator responsibility center manager aware incident occur site precipitate similar related incident site timely reporting incident help ensure prompt appropriate response school department public safety agency agency support require addition report incident department safety services build administrator responsibility center manager report incident superintendent office appropriate assistant superintendent incident consider require precipitate assistance police department fire department emergency medical services department children families routine ancillary manner situation result request closing school building consider incident reportable superintendent office appropriate assistant superintendent personnel superintendent staff work city official address issue office communications page 2 superintendent circular saf-04 page 2 4 coordinate response medium inquiry imperative superintendent office notify incident timely manner build administrator responsibility center manager immediately notify appropriate public safety agency way 911 emergency telephone line situation pose imminent danger call site administrator manager conventional cellular telephone school department way radio system design access 911 emergency service conventional cellular telephone unavailable access emergency service enhance 911 system caller complete address succinctly state nature problem follow instruction issue dispatcher follow chart list typical incident occur school department ground appropriate order notification incident order notification arrest department safety services police arson attempt burn fire department safety services facilities assault department safety services police bomb threat police department safety services superintendent office demonstration police department safety services superintendent office page 3 superintendent circular saf-04 page 3 4 drug possession department safety services police extortion department safety services police facility damage facilities superintendent office department safety services larceny department safety services police facilities fire matter small fire department safety services facilities medical emergency ems department safety services superintendent office major event police assistance unspecified department safety services police robbery department safety services police sex offense department safety services police superintendent office equity school closings emergency superintendent office department safety services police technical assistance safety security department safety services facilities threats department safety services bpd school unit trespassers department safety services police vandalism department safety services facilities weapons department safety services police administrators responsibility center manager note request medium party incident report write statement document refer office legal advisor 617 635 9320 page 4 superintendent circular saf-04 page 4 4 school leader principal program director remind require sign incident report prepare school department employee exclude safety services report include limit teacher school staff related information refer superintendent circular fmt-12 report loss damage result fire theft vandalism unlawful act superintendent circular fse-01 school safety contingency plan superintendent circular fse-02 fire safety practices information circular contact owner deputy chief safety department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 e mail operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hwd-06 version 01 tobacco nicotine free environment policy circular remain effect rescind supersede subsequent version background tobacco policy task force meet 2010 2011 school year review bps smoking policy develop recommendation comprehensive tobacco policy address tobacco product include e cigarette electronic vapor product boston public schools task force member include representative health services facilities health wellness department school safety teacher student parent high school head school policy update fall 2019 remain current language electronic cigarette good practice vape prevention tobacco nicotine free environment policy motivate philosophy staff person student visitor right breathe clean air school work environment bps acutely aware health risk associate use tobacco nicotine product user non user policy recognize use promotion tobacco nicotine product school page 2 superintendent circular hwd-06 page 2 14 ground campus school sponsor event detrimental health safety student staff visitor bps acknowledge adult staff visitor serve role model student embrace obligation promote positive role model school provide environment learn work safe healthy free unwanted smoke tobacco nicotine product use include vaping student staff visitor comprehensive policy adopt prohibit use tobacco nicotine product boston public schools prohibit smoking school property 1987 school committee city boston adopt smoking policy tobacco free environment policy develop comply extend massachusetts smoke free workplace law m.g.l. c. 270 22 boston clean air works workplace smoking restrictions regulation furthermore policy reinforce education reform act 1993 m.g.l. c.71 2a. policy district wellness policy hwd-01 healthy school environment policy hwd- 04 link drug alcohol abuse policy shs-01 boston public schools code conduct substance use intervention tiered approach include substance use prevention education student comprehensive health education require hwd-01 definitions school property include inside outside administrative school building sidewalk walkway parking lot playground field school bus official vehicle page 3 superintendent circular hwd-06 page 3 14 loading dock facility bps jurisdiction tobacco nicotine product include limit cigarette cigar cigarillos little cigar clove cigarette loose tobacco blunt wrapper chew tobacco chew dip product mention contain tobacco kind include product contain nicotine dissolvable nicotine electronic cigarette nicotine gel nicotine water preparation tobacco product formulation matter contain biologically active amount nicotine manufacture sell offer sale distribute expectation product matter introduce human body tobacco nicotine paraphernalia device aid ing light burn consume tobacco product include limit pipe rolling paper lighter match include use electronic nicotine delivery system electronic smoking device e cigarette e cigar e- hookah e pipe vape pen advanced personal vaporizer nicotine replacement product nrp product contain nicotine active ingredient intend help person quit smoking regulate fda center drug evaluation research counter nrp approve sale people 18 year old public health service clinical practice guideline treat tobacco use dependence recommend nrp component pediatric tobacco use intervention nrp include skin patch chew gum lozenge prescription nicotine replacement therapy available product fda- approve use adult electronic vapor product page 4 superintendent circular hwd-06 page 4 14 consider fda approve nicotine replacement product policy bps student shall possess use consume display distribute sell tobacco nicotine product tobacco nicotine paraphernalia time school property campus school sponsor event extra curricular activity vehicle locate school property 50 foot school property bps staff administrator visitor bps shall use consume display sell tobacco nicotine product tobacco nicotine paraphernalia time school property campus school sponsor event extra curricular activity vehicle locate school property 50 foot school property bps staff administrator shall promote allow promotion tobacco nicotine product tobacco brand nicotine brand tobacco nicotine paraphernalia school property campus school sponsor event extra curricular activity 50 foot school property include promotion corporate trademark logo symbol motto sell message recognizable pattern color indication product identification identical similar brand tobacco nicotine product company manufacturer tobacco nicotine product use gear bag clothing personal article sign structure vehicle flyer material bps act enforce policy appropriate action student staff administrator visitor page 5 superintendent circular hwd-06 page 5 14 find violate policy bps staff administrator solicit accept contribution gift money curriculum material electronic cigarette industry tobacco industry tobacco nicotine industry tobacco product shop include limit donation monie scholarship advertising promotion loan support equipment uniform sport and/or training facility shall violation policy participate type service fund industry list exception exemptions tobacco nicotine product paraphernalia device imitation tobacco nicotine product following 1 instructional work relate activity boston public schools activity conduct staff member approve visitor activity include smoking vaping chewing ingest product 2 use adult 18 year old nicotine replacement product approve food drug administration sale tobacco nicotine cessation product tobacco dependence product medical purpose market sell solely approve purpose iimplementation guidelines a. policy owner office health wellness policy owner responsible review update page 6 superintendent circular hwd-06 page 6 14 tobacco policy policy owner provide policy communication implementation support guidance include community resource cessation tobacco- free signage b. central office administration school superintendent operational leader responsible inform school principal head school tobacco policy central office leader responsible inform central office department head supervisor build administrator tobacco policy c. building administrators i.e. school principals department heads responsibility build administrator ensure compliance tobacco policy bps school building 1 supervise implementation enforcement policy school site 2 ensure tobacco free sign accordance boston public health commission prominently post school property location include entrance exit building include basement loading dock athletic field playground school bus transportation vehicle bathroom teacher lounge sign need contact office health wellness 3 ensure marketing promotion tobacco nicotine product tobacco brand nicotine brand tobacco nicotine paraphernalia occur school property campus school sponsor event extra curricular activity 50 foot page 7 superintendent circular hwd-06 page 7 14 school property include brand gear bag clothing personal article sign structure vehicle flyer material 4 ensure contribution gift money curriculum material electronic cigarette industry tobacco industry tobacco nicotine industry tobacco product shop solicit accept 5 inform staff student parent visitor obligation respect policy a. policy appear student family staff handbook b. staff sign inform policy c. inform student employee anonymously report violation boston public health commission 617 534 4718 d. communicate policy visitor include vendor contract work permit use building facility school school weekend 6 available information tobacco smoking nicotine cessation option student staff family 7 consider appoint designee support implementation enforcement policy d. boston public health commission bphc bphc page 8 superintendent circular hwd-06 page 8 14 responsible implementation workplace smoking restrictions regulation authority enforce regulation hold bphc subsidiary program designee city boston inspectional services department city boston police department city boston fire department anonymously report violation bphc result school department receive 1 case violation fine dollar $ 200.00 2 case second violation 24 month violation fine seven dollar $ 700.00 3 case violation 24 month second current violation fine thousand dollar $ 1000.00 violation e. school principals heads school accordance comprehensive health education policy hwd-03 school administration ensure student receive minimum health education course requirement receive substance use prevention education line bps health education frameworks student learning outcomes f. bps staff accordance state law local regulation bps staff require follow tobacco policy success policy depend thoughtfulness consideration cooperation tobacco nicotine user non user individual school property page 9 superintendent circular hwd-06 page 9 14 share responsibility enforcement policy 1 use consume display sell tobacco nicotine product tobacco nicotine paraphernalia time school property off- campus school sponsor event extracurricular activity vehicle locate school property 50 foot school property exemption follow instance a. instructional work relate activity boston public schools activity conduct staff member approve visitor activity include smoking vaping chewing ingest product b. use adult 18 year old nicotine replacement product approve food drug administration sale tobacco nicotine cessation product tobacco dependence product medical purpose market sell solely approve purpose 2 marketing promotion tobacco nicotine product tobacco brand nicotine brand tobacco nicotine paraphernalia occur school property campus school sponsor event extra curricular activity 50 foot school property include brand gear bag clothing personal article sign structure vehicle flyer material 3 solicit accept contribution gift money page 10 superintendent circular hwd-06 page 10 14 curriculum material electronic cigarette industry tobacco industry tobacco nicotine industry tobacco product shop 4 complaint tobacco policy violation direct build administrator responsible follow recommend disciplinary guideline 5 anonymous complaint direct boston public health commission 617 534 4718 school department school subject fine list section d. 6 consult building administrator school nurse boston public health commission information tobacco smoking nicotine cessation 7 substance use prevention education discourage use tobacco nicotine product shall include comprehensive health education staff responsible teach tobacco nicotine use prevention adequate training participate ongoing professional development activity effectively deliver education program plan g. school nurses responsible work health services department provide local tobacco nicotine- use cessation resource school building h. central office youth substance use prevention intervention multi tiered approach follow central office department responsible support school effort 1 office health wellness responsible page 11 superintendent circular hwd-06 page 11 14 provide training instructional coaching instructional material substance use prevention education tier comprehensive health education additionally office responsible maintain health promotion material policy implementation support 2 health services department responsible communicate cessation resource information school nurse training referral process cessation service 3 school operations safety division communicate alternative suspension student find violation tobacco policy include available workshop intervention program violations enforcement policy school principal head school build administrator department head penalty violation smoke free workplace law enforce school official boston public health commission agent recommend build administrator principal supervisor implement disciplinary measure consistent progressive measure section bps code conduct a. student find violation 1 violation shall result follow a. confiscation tobacco nicotine product paraphernalia page 12 superintendent circular hwd-06 page 12 14 b. notifying student family violation policy state law recommend family contact primary care physician discuss prevention cessation intervention c. meeting appropriate school staff student family d. provide student referral available cessation program 2 second violation shall result a. confiscation tobacco nicotine product paraphernalia b. notifying student family violation policy state law recommend family contact primary care physician discuss prevention cessation intervention c. provide student referral available cessation program d. following i. meeting appropriate school staff student family ii participation tobacco nicotine education program 3 violation shall result a. confiscation tobacco nicotine product paraphernalia b. meeting appropriate school staff student family c. participation tobacco nicotine education program failure participate education program result suspension d. following page 13 superintendent circular hwd-06 page 13 14 i. community service ii suspension b. staff find violation 1 staff find violation policy subject discipline include termination 2 department head build administrator principal shall responsible fine administer boston public health commission school department outline section d. c. visitors find violation 1 visitor observe violate policy shall ask comply tobacco nicotine free environment policy visitor fail comply request refer building administrator district supervisory personnel available supervisor shall decide action include directive leave school property 2 repeat violation result recommendation school principal build administrator prohibit individual enter school district property specified time refuse leave school police call individual leave information circular contact owner senior executive director health wellness page 14 superintendent circular hwd-06 page 14 14 department health wellness mailing address 370 columbia rd dorchester ma 02125 phone 617 635 9698 email healthandwellness@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-23 version 01 day field trip guidelines circular remain effect rescind supersede subsequent version important note guideline impact covid-19 restriction subject change base public health international security emergent issue impact travel date information guidance contact department global education opl@bostonpublicschools.org assistance guidance superintendent circular provide instruction implement field trip policy pass boston school committee november 20 2019 circular read superintendent circular cao-22 general guidelines procedure field trips additional guideline outline principal head school and/or district department sponsor trip responsible ensure field trip policy procedure outline circular cao-22 adhere principal head school and/or district department lead sponsor trip program leader lead chaperone review complete checklist circular sign checklist keep file school page 2 superintendent circular cao-23 page 2 36 day field trip domestic trip school ground day duration  day field trip form submit principal head school 4 week advance principal head school discretion approve principal head school school leader reserve right cancel trip reason time safety purpose  walk field trip day field trip require walk 1 mile radius school e.g. local garden park field etc parent guardian authorization acknowledgement risks walk trips form apply walk field trip current school year update school year student family information change school require inform family advance walk field trip obtain approval principal head school form include sign cao-23 checklist form file school application school shall communicate family advance student leave school ground ensure write permission receive water activity organizer trip involve activity water curriculum immediately contact department global education additional approval separate mandatory procedure trip involve water superintendent circular cao-27 water activity guideline page 3 superintendent circular cao-23 page 3 36 day field trip checklist checklist request form complete day field trip  review superintendent circular cao-22 general guidelines procedure field trips  review superintendent circular fse-05 medical emergency management saf-04 incident data reporting release important safety protocol department safety services 617 635 8000 notify event emergency resource question safety field trip  select site investigate appropriateness site relation category field trip field trip category(s cao-22 site(s  select date alternate date note check principal head school teacher staff ensure trip schedule date interfere important test religious holiday class work date alternate date  program leader bps employee organizing lead trip approve principal head school district department sponsor trip  field trip idea preliminarily approve writing principal head school district department page 4 superintendent circular cao-23 page 4 36 sponsor trip prior distribution informational material propose trip student parent guardian prior fundraising detailed preparation staff allow sign contract behalf boston public schools consult principal head school potential chaperone student recruitment  planning organization preparation critical successful experience participant trip planning itinerary development ensure major aspect health safety student inclusion security address diligence program leader able articulate decision source inform decision making question appropriateness activity consult principal head school  school nurse guidance counselor consultation approval field trip lead chaperone consult school leader determine type medical assistance need participate student ensure accessibility step crucial place field trip secure additional question consult health services department additionally thoroughly support student participation field trip week departure long international overnight field trip program consult necessary receive training school nurse student medical need consult school counselor mental behavioral health need student medical mental health condition sure page 5 superintendent circular cao-23 page 5 36 doctor aware essential participation criterion location trip write letter indicate child safely attend participate trip activity document file key permission slip medical form chaperone requirement  chaperone recruitment program leader consult principal head school potential chaperone student recruitment program leader lead chaperone bps employee authorize chaperone include parent guardian 21 year age old parent trip operate role chaperone chaperone approve head school principal effort student access field trip experience chaperone representative student group chaperone include male female selection approval chaperone principal head school base individual thorough knowledge rapport student participant choose chaperone team purposefully wisely consider strength adult trip chaperone clear role  non bps chaperones authorized chaperone include parent volunteer 21 year age old non bps employee chaperone submit yearly cori sori authorization form office human capital complete ecori form contact bps office human capital ohc cori check confirmation support principal head school lead chaperone responsible submit authorization page 6 superintendent circular cao-23 page 6 36 form ohc allow chaperone activity cori sori clear non bps employee chaperone field trip cover liability boston public schools program leader sure chaperone include non bps chaperone familiar bps code conduct district school base rule  bps parent chaperones chaperones parent guardians bps student trip provide level care attention student participant bps chaperone child attend participate school attend program child bps student grade age range participate student case bps parent chaperone responsible incur cost associate child participation  chaperone complete chaperone agreement form chaperone ratios minimum chaperone require student chaperone ratio o grades k-5 10:1 o grades 6 10:1 student iep ratio staff student ratio mandate iep class water activity student chaperone ratio remain 10:1 time instructional swimming grade level ratio include lifeguard duty trip involve activity water page 7 superintendent circular cao-23 page 7 36 contact department global education approval immediately separate mandatory procedure trip involve water superintendent circular cao- 27 water activity guideline chaperone team  program leader lead chaperone meet chaperone team delegate responsibility review student team program leader record name chaperone student chaperone supervise chaperone carry list  chaperones organize buddy system pair student safety purpose  lead chaperone 1 review student permission slip 2 prepare question follow family school nurse counselor  lead chaperone prepare trip binder chaperone trip section list binder content  lead chaperone carry original sign parental authorization day trip form student chaperone carry copy student participation  participation criteria program leader principal head school work establish 1 essential participation criterion trip inform student parent activity risk associate itinerary activity 2 trip location determine accommodation modification page 8 superintendent circular cao-23 page 8 36 need student successfully safely participation portion trip discuss student trip purpose learn goal week prior trip plan engage student activity trip field trip learn potential maximize set aside time process student learning trip  recruitment student enrol boston public schools participate field trip advertise student school particular grade class subject club program associate trip regardless financial situation school shall reasonable effort instructional field trip affordable student  accommodation english learners student 504 plan and/or iep deny access field trip status ability responsibility school ensure accommodation normally provide student indicate educational plan available field trip include medication thoroughly support student participation field trip week departure consult necessary receive training 1 school nurse student medical need 2 school counselor mental behavioral health need student medical condition sure doctor write letter indicate child safely attend participate trip activity ensure availability aid kit  inclusivity program leader consider student demographic select field trip location site page 9 superintendent circular cao-23 page 9 36 activity specifically determine impact location site activity diverse population student color el student student identify lgbtqia+ community student disability minority field trip experience student belong group experience marginalization location visit program leader work prepare student sensitive experience ensure program safe inclusive student  inclusive accommodations program leader principal head school work transgender gender nonconforme student provide accommodation include room affirm student gender identity ensure safety program leader work student family sure travel document reflect legal name list government issue identification unofficial document material reflect student preferred  bps code conduct apply field trip review conduct expectation student advance documentation  consult principal head school nurse medical need potential participate student receive field trip approval week document note consultation  complete submit day field trip request form accompany document obtain official consent principal head school execute trip page 10 superintendent circular cao-23 page 10 36  create school file house important document day field trip request form student permission slip sign document document keep file current fiscal year plus additional year trip occur  distribute collect parental authorization day trip form participate student  contact field trip site ensure necessary arrangement place  share trip detail list teacher staff member plan accordingly o trip overview purpose destination date trip roster o chaperones name role school community  inform food service manager attendant student return school lunch brown bag lunch prepare mindful student food allergy transportation  develop transportation plan mode transportation travel time cost etc applicable sure note child travel field trip departure pick location  staff permit drive student privately own vehicle non approve vendor ride sharing service lyft uber lease vehicle utilize case bona fide emergency staff utilize vehicle lease vehicle risk legally liable refer trn-03 regulation field trip transportation page 11 superintendent circular cao-23 page 11 36  trip 100 drive mile distance ensure student valid medical insurance cover program record detail insurance medical information form week prior trip  verify arrangement include transportation reception site  prepare tag young student  provision advance student attend trip stay school applicable provide alternative arrangement and/or comparable activity student attend trip unable participate portion trip  student family elect child attend field trip reason child penalize grade  remind student chaperone safety behavior expectation  notify consult principal head school trip plan change original field trip request prepare leave field trip package principal head school include cao-23 checklist day field trip request form permission slip copy field trip  attendance leave current list student attend trip principal head school  record specific bus number driver leave information principal head school page 12 superintendent circular cao-23 page 12 36 chaperone age appropriate student  chaperones supervise assign student conduct head count buddy check embark trip trip depart field trip site home  review standard safety behavior student  chaperones carry trip binder time trip include following permission slip original sign permission slip carry lead chaperone emergency action plan day field trip request form accompany itinerary detail particular trip  student contact information chaperone necessary emergency contact information  leave student student accompany chaperone schedule activity parent inform approve writing advance age appropriate unaccompanied scheduled structured activity student pair know reach adult chaperone  review separate group  program leader chaperone responsibility modify program ensure ongoing safety traveler consult principal head school department safety services necessary page 13 superintendent circular cao-23 page 13 36 field trip mandatory  retain complete original day field trip request form original permission slip sign document field trip school office record keep current fiscal year plus additional year field trip occur  remind student inform parent guardians doctor immediately feel trip inform doctor experience  applicable file follow incident report field trip suggested  write thank note  present school family community student observation trip  conduct relate creative and/or analytical project showcase student learning  write news article trip local newspaper website  email story journal picture trip department global education  evaluate trip o educational purpose trip serve o highlight trip o differently time o incident accident report sign checklist retain copy file page 14 superintendent circular cao-23 page 14 36 submit original school office filing signature indicate read understand policy circular follow checklist trip planning trip implementation process complete school signature lead chaperone date signature principal head school sponsor district department date page 15 superintendent circular cao-23 page 15 36 information question support circular contact owner chief teaching learning department global education mailing address 2300 washington st. roxbury ma 02119 phone 315 601 0292 email opl@bostonpublicschools.org mary skipper superintendent attachment i. day field trip request form ii emergency action plan iii parental authorization day field trip iv parent guardian authorization acknowledgement risks walk trips v. chaperone agreement form page 16 superintendent circular cao-23 page 16 36 day field trip request form form submit principal head school approval form original permission slip keep file current fiscal year plus additional year school information school date submit overview number student number chaperones 10:1 ratio destination s date trip field trip category overview trip/ educational purpose itinerary page 17 superintendent circular cao-23 page 17 36 site s contact information visit multiple place list site s address s site s contact person site s telephone number email(s page 18 superintendent circular cao-23 page 18 36 day field trip request form ii supervision program leader lead chaperone phone trip email name phone number chaperone attach separate document necessary page 19 superintendent circular cao-23 page 19 36 transportation pick location drop location departure time time school method transportation transportation provider contact information phone number address staff drive student privately own vehicle ride sharing service vehicle non approve vendor lease vehicle utilize transport student field trip case bona fide emergency staff utilize vehicle risk legally liable school use bps bus approve bus vendor regardless trip pay trn-03 total cost funding source grant number page 20 superintendent circular cao-23 page 20 36 bedf account code description approve principal head school /sponsoring district department date signature indicate policy outline circular day trip follow page 21 superintendent circular cao-23 page 21 36 emergency action plan eap program leader chaperone copy checklist trip procedures call 911 field trip  leave injured person adult present  remain calm help operator receive information  dial 911 remember need access outside line  answer dispatcher question clearly concisely ask relevant fact dispatcher end information verify  wait person ems arrive  paramedic care person arrive chaperone accompany injure student ambulance remain student parent guardian arrive notification incident  parent guardian principal head school superintendent office department safety services incident immediately  file incident report page 22 superintendent circular cao-23 page 22 36 principal head school phone numbers department safety services 617 635 8000 additional phone numbers page 23 superintendent circular cao-23 page 23 36 parental authorization day field trips bps staff  use form trip student  complete school portion form  send copy home parent guardian student signature  field trip sign original form carry lead chaperone copy chaperone photocopy leave file school office student  complete student agreement section parent legal guardian student 18 year age student 18 year old  complete authorization acknowledgement risks section  complete medical authorization section page 24 superintendent circular cao-23 page 24 36 parental authorization day field trips complete school school student date(s trip destination purpose(s list activity supervision check  student directly supervise adult chaperone trip time page 25 superintendent circular cao-23 page 25 36 mode transportation check apply □ walk □ school bus □ mbta □ student leave location time student return location time chaperone(s charge chaperone student ratio 10:1 grade minimum chaperone student agreement participate field trip understand represent bps community understand appropriate standard observe accept responsibility maintain good conduct abide school- base rule boston public schools code conduct student signature date page 26 superintendent circular cao-23 page 26 36 complete parent guardian student 18 parent guardian authorization acknowledgement risks bps day trips understand child participation field trip voluntary expose child risk(s read understand description field trip page form authorize child participate plan component field trip assume responsibility risk personal property damage arise relate child participation field trip include act negligence moment student bps supervision duration trip agree indemnify hold harmless bps individual organization associate bps field trip claim liability arise child participation field trip understand participation field trip involve activity school property boston public schools employee volunteer responsibility condition use non school property understand bps responsible child supervision period time child absent bps supervised activity occasion note supervision section agreement state child read agree(s abide term condition set forth bps code conduct abide decision teacher staff authority agree bps right enforce rule standard instruction agree child participation page 27 superintendent circular cao-23 page 27 36 field trip time terminate bps light child failure follow regulation reason bps deem good interest student group child send home expense refund result addition chaperone alter trip activity enhance individual and/or group safety medical authorization certify child good physical behavioral health child special medical physical condition impede participation field trip agree disclose bps medication include over- the- counter herbal and/or prescription child shall time duration field trip event illness injury child ward expressly consent signature administration emergency medical care opinion attend medical personnel action advisable authorize chaperone list act behalf parent guardian child ward participate trip describe include admittance release medical facility child require medication trip yes child require medication authorize trip check yes describe space type medication require administration medication medication take need basis specify symptom condition medication take time give necessary attach additional page 28 superintendent circular cao-23 page 28 36 page signatures applicant 18 year age follow statement read sign student certify 18 year age read understand agreement accept bind term condition student signature date applicant 18 year age follow statement read sign student parent legal guardian certify parent legal guardian applicant read understand agreement accept bind term condition behalf behalf student permission student page 29 superintendent circular cao-23 page 29 36 participate aspect trip parent guardian signature s date student 18 year age parent legal guardian complete information print parent guardian s name(s address telephone cell home work emergency contact parent guardians relationship student emergency contacts telephone s walk trips page 30 superintendent circular cao-23 page 30 36 parent guardian authorization acknowledgement risks walk trips instruction form complete parent guardians authorize bps engage student day field trip require walk 1 mile radius school form apply walk field trip current school year need update school year student family information change school require inform family advance walk field trip obtain principal head school approval understand child participation field trip voluntary expose child risk(s read understand description field trip page form authorize child participate plan component field trip assume responsibility risk personal property damage arise relate child participation field trip include act negligence moment student bps supervision duration trip agree indemnify hold harmless bps individual organization associate bps field trip claim liability arise child participation field trip understand participation field trip involve activity school property boston public schools employee volunteer responsibility condition use non school property understand bps responsible child supervision period time child absent bps supervised activity occasion note supervision section agreement state page 31 superintendent circular cao-23 page 31 36 child read agree(s abide term condition set forth bps code conduct abide decision teacher staff authority agree bps right enforce rule standard instruction agree child participation field trip time terminate bps light child failure follow regulation reason bps deem good interest student group child send home expense refund result addition chaperone alter trip activity enhance individual and/or group safety medical authorization certify child good physical behavioral health child special medical physical condition impede participation field trip agree disclose bps medication include over- the- counter herbal and/or prescription child shall time duration field trip event illness injury child ward expressly consent signature administration emergency medical care opinion attend medical personnel action advisable authorize chaperone list act behalf parent guardian child ward participate trip describe include admittance release medical facility child require medication trip yes child require medication authorize trip check yes describe space type page 32 superintendent circular cao-23 page 32 36 medication require administration medication medication take need basis specify symptom condition medication take time give necessary attach additional page page 33 superintendent circular cao-23 page 33 36 signatures applicant 18 year age follow statement read sign student certify 18 year age read understand agreement accept bind term condition student signature date applicant 18 year age follow statement read sign student parent legal guardian certify parent legal guardian applicant read understand agreement accept bind term condition behalf behalf student permission student participate aspect trip parent guardian signature s date student 18 year age parent legal page 34 superintendent circular cao-23 page 34 36 guardian complete information print parent guardian s s address telephone cell home work emergency contact parent guardians relationship student emergency contacts telephone s page 35 superintendent circular cao-23 page 35 36 bps chaperone agreement form form complete chaperone bps sponsor field trip submit program leader lead chaperone school destination departure date return date chaperone agree abide follow code conduct participate bps sponsor field trip safety responsibility understand safety safety participant extremely important field trip agree safety priority agree conduct manner promote safety safety time understand maintain student safety require student supervise and/or chaperone time student engage field trip activity overnight international field trip understand nighttime curfew room check student morning wake call student responsibility agree follow bps policy protocol guidance bps staff field page 36 superintendent circular cao-23 page 36 36 drug alcohol policy understand bps code conduct prohibit student possess selling and/or distribute follow domestic international field trip alcohol marijuana non prescribed control substance imitation control substance inhalant intoxicant control drug paraphernalia unauthorized possession use distribution counter medication selling prescription drug code prohibit use tobacco product include e- cigarette hookah paraphernalia vapor cigarette understand prohibition apply student regardless age understand forbid use visibly possession tobacco presence student understand use drug include alcohol weapon strictly prohibit field trip chaperone printed chaperone signature date page 1 superintendent circular number hrs pm06 version 01 performance evaluation managerial employees table content document purpose purpose performance management evaluation process overview step process step 1 self assessment step 2 analysis goal setting analysis step 3 implementation plan step 4 formative assessment optional step 5 summative evaluation june 1 evaluation platform documentation timeline tools appendix core competencies appendix b rating levels document purpose document describe performance management evaluation process managerial employee boston public schools bps central office school base page 2 superintendent circular hrs pm06 page 2 10 purpose document provide clarity employee supervisor template tool use process document create cross- departmental working group central office performance management purpose performance management bps student citizen leader scholar entrepreneur advocate innovator tomorrow district ensure 100 percent student prepare college career life 21st century model district classroom want establish system performance management affirm ideal student superintendent sufficient resource information support achieve efficacy endeavor fundamental purpose performance management bps central office maximize productivity impact employee enable perform full potential approach design provide high quality support school student family bps ensure graduate college career life ready performance management system 1 establish consistent set competency clearly set communicate expectation employee performance 2 align employee effort department organizational goal 3 create system structure gather monitor performance order support employee feedback growth development page 3 superintendent circular hrs pm06 page 3 10 4 identify area strength leverage increase impact area growth provide targeted support 5 provide accountability individual enable contribution progress organizational goal 6 connect employee performance incentive recognition professional growth retention effort evaluation process overview criterion effective practice central office managerial employee identify core competencies define category 1 results orientation 2 collaboration communication 3 job knowledge skills 4 cultural competency equitable practices 5 responsiveness service focus 6 leadership staff member supervise people project appendix great detail set core competency evaluation result rating employee goal core competencies overall performance base supervisor judgment performance standard progress goal progress goal rate goal achieve goal significantly met active goal goal met goal defer great detail rating level find appendix b. level performance apply performance competency overall performance rating shall page 4 superintendent circular hrs pm06 page 4 10 highly effective effective develop minimally effective ineffective greater detail rating level find appendix b. step process base good practice performance evaluation bps adopt step process evaluation process follow year employee supervisor step process overview step 1 self assessment september 1 employee review available evidence work performance prior feedback evaluation core competencies determine area strength area growth self assessment inform employee goal action plan upcoming year step 2 analysis goal setting analysis october 1 base employee self assessment job description individual aspiration school department goal employee supervisor establish 2 4 goal relate professional page 5 superintendent circular hrs pm06 page 5 10 practice performance professional practice goal relate identify skill set knowledge employee want develop improve develop professional practice goal employee supervisor look past performance feedback employee professional career aspiration professional practice goal align core competencies performance goal measurable target outcome relate employee work goal align employee team and/or departmental goal(s step 3 implementation plan ongoing employee perform job duty responsibility implement action step goal submit evidence support proficiency meet supervisor receive discuss feedback supervisor collect review evidence provide ongoing timely clear actionable feedback meet employee discuss feedback include recommendation improvement applicable step 4 formative assessment optional february 1 employee receive formative assessment provide employee write feedback performance core competencies progress goal typically formative occur midway assessment year place time individual need additional support professional development plan implement page 6 superintendent circular hrs pm06 page 6 10 employee performance rate minimally effective competency overall mean include increase supervision support improvement specific area identify supervisor performance improvement plan pips implement employee performance rate ineffective competency overall highly directed plan typically follow evaluation result employment action performance sufficiently improve step 5 summative evaluation june 1 employee shall receive summative evaluation provide employee write feedback rating performance progress goal evaluation platform documentation managerial employee performance evaluation relate documentation generate store bps online performance management platform vectorevals employee supervisor receive training accessing navigate platform prior start evaluation cycle training module available online demand format employee supervisor reference page 7 superintendent circular hrs pm06 page 7 10 timeline date activity july august office team individual goal setting begin supervisors review standard expectation employee september 1 employee self assessments employee goals action plan draft october 1 finalize employee goals action plan ongoing employee check in discretion supervisor provide feedback verbal written employee progress goal observed performance work product artifact implementation include peer feedback january formative assessment meeting employee optional february 1 formative assessment finalize submit optional 21 25 day submit artifact review prior summative evaluation june 1 summative evaluations finalize submit appendix core competencies link separate document page 8 superintendent circular hrs pm06 page 8 10 appendix b overall effectiveness levels effectiveness level description highly effective performance far exceed expectation exceptionally high quality work perform essential area responsibility result overall quality work superior include completion major goal project exceptional unique contribution support team department district objective level achievable employee give infrequently < 10 employee effective performance meet expectation essential area responsibility quality work overall excellent annual goal meet develop performance consistently meet expectation essential area responsibility time possibly exceed expectation quality work overall good critical annual goal meet level expect individual new organization role minimally effective performance consistently meet expectation performance fail meet expectation essential area responsibility and/or critical goal meet professional development plan necessarily pip improve performance implement include timeline monitor measure progress ineffective performance consistently expectation essential area responsibility and/or reasonable progress critical goal significant improvement need page 9 superintendent circular hrs pm06 page 9 10 effectiveness level description important area performance improvement plan pip correct performance include timeline outline monitor measure progress goal status scale goal status description goal achieve goal milestone success measure achieve 100 goal goal significantly met goal milestone success measure achieve 85 goal active goal goal progress milestone achieve goal met goal milestone success measure meet goal defer timing organizational reason goal defer page 10 superintendent circular hrs pm06 page 10 10 information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hwd-01 version 01 district wellness policy circular remain effect rescind supersede subsequent version background 2 i. policy 5 a. wellness councils 6 b. cultural proficiency 13 c. school food nutrition promotion 16 d. comprehensive physical activity physical education 20 e. comprehensive health education 25 f. healthy school environment 26 g. safe supportive schools 28 h. health services 30 i. staff wellness 33 ii implementation guidelines 33 a. district wellness council 33 page 2 superintendent circular hwd-01 page 2 102 b. school base wellness councils 34 c. implementation guidelines monitoring evaluation 38 iii definition 86 iv index federal state boston public school wellness relate policies guidelines 91 background understand physical mental health emotional well- positive development inextricably link academic success boston public schools bps district work transform district capacity meet health need boston child improve overall student health key factor reach ambitious academic target set forth superintendent strategic implementation plan academic imperative school civic community leader responsibility help boston child overcome health barrier prevent successfully meet challenge reach adulthood assume role eventual leader steward community vision bps graduate challenge develop young people scholar call graduate healthy page 3 superintendent circular hwd-01 page 3 102 mind body prepare wise choice ensure physical mental emotional create healthy school environment healthy choice easy choice develop policy wellness initiative boston public schools policy take effect september 1 2017 pass june 30 2006 district wellness policy implement september 2006 update june 2013 june 2017 take consideration need perspective express member boston school community respond healthy hunger free kids act1 massachusetts standards school wellness advisory committees.2 document intend assist administrator wellness council member implement guideline school district wellness policy reflect comprehensive approach state district strategic plan health wellness healthy connection strengthen coordination 1 p.l. 111–296 dec 13 2010 2 105 cmr 215 page 4 superintendent circular hwd-01 page 4 102 capacity boston public schools advance student health wellness bring content area recommend centers disease control prevention school community child approach subcommittee district wellness council form seven work group represent topic area 1 cultural proficiency 2 school food nutrition promotion 3 comprehensive physical activity 4 comprehensive health education 5 healthy school environment 6 health services 7 safe supportive schools 8 staff wellness work group consult perspective boston school community evidence base national recommendation write specific policy language implementation guideline reference relevant district policy develop policy language wellness student comprehensive approach seek advance boston public schools strategic aim improve coordination program department improve integrate datum page 5 superintendent circular hwd-01 page 5 102 collection establish guideline accountability appropriate group location organization support building noncompete partnership internally externally build sustainability i. policy boston public schools bps district aim actively promote social emotional physical health wellness student advance healthy development readiness learn student staff wellness core value district key strategy address health inequity close opportunity achievement gap impact bps student bps strive healthy school district country bps ensure healthy choice easy choice student learn skill knowledge need choice bps commit implement school community child wscc approach wellness recommend centers disease control prevention cdc ascd association supervisors curriculum development approach bps meet health wellness need student prevention intervention intensive response result bps student challenge support engaged safe healthy page 6 superintendent circular hwd-01 page 6 102 district wellness policy intend link new exist wellness relate policy convey framework create safe healthy welcome school environment bps shall comprehensive approach review incorporate change policy curriculum operate procedure promote healthy lifestyle sustainable wellness practice student staff work implement policy rely work collaboration instructional operational clinical administrative staff school central office department bps shall develop capacity school implement policy improve quality equity program service support policy inclusive student staff family a. wellness councils 1 district wellness council bps shall maintain superintendent appoint district wellness council advisory group develop recommend review advise implementation school district policy address student staff wellness district wellness policy shall review yearly district wellness council consider update base model school wellness policy good practice annual report finding recommendation input school community page 7 superintendent circular hwd-01 page 7 102 research evidence regulation district wellness council shall seek ongoing feedback bps community stakeholder additionally district wellness council develop annual wellness action plan goal smart objective come school year council shall include minimum representative family student school district instructional operational administrator relevant central department head school food nutrition service staff physical education health education teacher school nurse school health professional e.g. psychologist guidance counselor social worker school committee member community youth serve agency boston public health commission representative healthcare provider general public appointee maximum extent possible shall reflect cultural linguistic ethnic composition bps school general membership attendance district wellness council open stakeholder general public district wellness council implement plan involve engage stakeholder 2 school base wellness councils bps school shall establish maintain school base wellness council school base wellness council shall act share leadership team implement wellness relate district page 8 superintendent circular hwd-01 page 8 102 policy council assess school implementation wellness policy create implement annual wellness action plan quality school plan principal shall wellness council chair(s coordinate wellness council act liaison district community family wellness council chair attend district training council shall include minimum school administrator family representative student feasible representative wide range school health health relate discipline include school nurse school food service staff health education physical education teacher school health professional psychologist guidance counselor social worker extent feasible member include operation custodial staff community partner general public appointee maximum extent possible shall reflect cultural linguistic ethnic composition school community 3 stakeholder participation councils informing update public district develop district level communication strategy communication guidance school increase awareness policy importance create safe healthy welcome school a. follow responsibility inform stakeholder policy 1 bps post district wellness policy bps website page 9 superintendent circular hwd-01 page 9 102 2 school share link district wellness policy school website send message family notify obtain copy access policy 3 school base wellness councils shall annually communicate wellness relate policy staff family student aware policy requirement 4 bps school shall notify family public content district wellness policy update policy annual basis 5 bps ensure district wellness policy public announcement relate policy available language represent school community b. follow responsibility inform stakeholder district wellness council school base council 1 bps available public school community bps website regular channel communication bps utilize list name position title relationship school individual district wellness council include position title school- base contact information council leadership subcommittee co- chair 2 bps post district wellness action plan bps page 10 superintendent circular hwd-01 page 10 102 website share district goal objective school year 3 school available public school community website list name position title relationship school individual school base wellness council include position title school base contact information council chairs(s 4 school post wellness action plan school website share local school goal activity implement policy 5 bps shall available public school result annual assessment detail section actively notify family availability assessment result c. follow responsibility engage stakeholder 1 district wellness council school base council encourage diverse membership council subcommittee attendance meeting participation bps stakeholder public comment feedback 2 bps share information district website public involve district school base wellness council page 11 superintendent circular hwd-01 page 11 102 3 school share information school website public involve school wellness council 4 bps develop method educate student wellness policy way involve wellness council developmentally appropriate 4 monitoring assessment reporting bps shall develop implement evaluation plan design measure school level implementation student level outcome policy component district wellness policy possible metric align district indicator measurable exist evaluation tool system sustainable time plan available public district wellness policy circular bps shall annually assess compliance district wellness policy alternate qualitative quantitative annual assessment annual assessment measure extent school compliance bps policy progress attain goal previous year wellness action plan district wellness council write annual report include result assessment extent boston public school district wellness policy compare model local school wellness policy summary page 12 superintendent circular hwd-01 page 12 102 district activity accomplishment relate wellness policy implementation previous year goal objective upcoming year annual report shall present superintendent school committee massachusetts department education district develop strategy report compliance school bps shall maintain record document compliance wellness policy include write district wellness policy documentation demonstrating compliance community involvement requirement documentation annual assessment district wellness policy documentation demonstrate compliance annual public notification requirement 5 wellness policy leadership school principal responsible ensure school complie wellness policy district level executive director office health wellness responsible oversee monitoring reporting communication bps wellness policy follow district department responsible support implementation monitoring specific component policy a. behavioral health services b. facilities capital management page 13 superintendent circular hwd-01 page 13 102 c. food nutrition services d. health wellness e. health services f. office engagement g. office equity h. office opportunity gaps i. safe welcoming schools j. transportation compile department information report instructional superintendent operational superintendent grant authority responsibility superintendent ensure school complie policy bps provide mean contact district school official(s responsible oversight designate district school base phone(s number and/or email address purpose b. cultural proficiency boston public schools commit create culturally page 14 superintendent circular hwd-01 page 14 102 proficient district embrace fundamental core culturally sustain affirm belief practice honor difference mitigate effect concentrated poverty institutional racism effort eliminate gap promote health wellness district commit provide authentic learning opportunity child classroom school ensure develop healthy engaged self determine independent learner college career ready district recognize culturally linguistically sustaining practices clsp help create safe healthy welcome environment support student social emotional physical academic learning health wellness cultural proficiency approach raise awareness individual institutional culture bias encourage cultural learning relationship building implement clsp respect celebrate build cultural strength diversity cultural diversity include limit group and/or individual identity base race ethnicity nationality immigration status religion language gender sexual orientation gender identity ability social class home life family structure cultural proficiency integrate implementation area district wellness policy call establish specific action take district school district support development staff administrator competency build cultural proficiency page 15 superintendent circular hwd-01 page 15 102 school classroom central office department school shall collectively assess organizational structure policy school wide practice bias(es examine physical environment classroom curricula instructional material wellness promotion school use assessment inform annual wellness action plan district school shall include student family community participation decision make body create structure feedback student family community increase engagement family wellness relate policy committee include recognize specific barrier face family ell student ell student disability target outreach group translation interpretation unit translate family focus communication provide interpretation request meeting schools follow cultural proficiency relate policy include race ethnicity immigration status religion language gender sexual orientation gender identity disability policy promote family student engagement work create culturally proficient district require participation department staff district require engagement interdepartmental collaboration page 16 superintendent circular hwd-01 page 16 102 c. school food nutrition promotion boston public schools support lifelong healthy eating habit student staff commit address increase rate diet relate health consequence group create healthy school food environment serve healthy choice lunchroom limit availability marketing unhealthful food sugary drink make water available student day way create healthy school food environment bps committed ensure food sell serve outside cafeteria meet high nutritional standard boston public schools believe cafeteria essential setting educate promote healthy eating habit boston public schools commit serve student nutritious delicious food process locally source culturally responsive reflect diverse student population effective way improve nutritional quality food serve school consume student bps create implement school meals nutrition standards go federal requirement bps shall undertake constant review school food food environment ensure safety quality menu equity innovation boston public schools shall innovator school food serve food new exciting student believe student deserve meal reflective culture taste believe eat page 17 superintendent circular hwd-01 page 17 102 privilege right bps commit ensure student food secure key requirement create healthy school food environment 1 school meals program a. ensure menu meet usda mandate requirement massachusetts department public health regulation late scientific evidence healthy eat practice minimum school follow bronze status standard alliance healthier generation work bronze status standard healthier school challenge b. ensure menu offer variety present appealing way meal menu item label communicate deliciousness specific ingredient c. encourage student participate breakfast lunch afterschool meal program avoid stigmatize child participate d. provide food free unwanted ingredient include trans fat high fructose corn syrup artificial color artificial sweetener additive azodicarbonamide bromate flour artificial preservative nitrate nitrite page 18 superintendent circular hwd-01 page 18 102 sulfate sulfite msg bha bht tbhq menus follow bps menu ingredient guidelines guideline update annually e. reduce material packaging source recyclable compostable material possible work promote good practice recycle compost f. water available cost mealtime meal serve 2 food safety a. ensure kitchen facility prep satellite location inspect twice year inspectional services division isd health department b. implement stringent detailed internal hazard analysis control points haccp plan provide regulation follow safety procedure food recall emergency preparedness avoid foodborne illness spread infectious disease c. ensure employee work 5 + hour certify food safety d. ensure lead employee allergy awareness certify american heart association heartsaver aid program 2 year certification page 19 superintendent circular hwd-01 page 19 102 3 nutrition education promotion food beverage marketing a. promote health nutrition message encourage consumption fruit vegetable grain healthy fat low fat dairy product water message consistent research base finding indicate positive impact health b. identify opportunity teach healthy eating habit health education physical education subject cafeteria school wide promotion c. identify opportunity support teacher school staff parent model healthy eating habit follow appropriate nutritional standard school celebration staff meeting d. allow food beverage marketing school ground include item share student promote food and/or beverage meet bps nutritional standard 4 competitive food beverages a. school shall follow federal state local law regulation competitive food beverage i.e. food sell provide serve school building school ground outside school meal program outline circular page 20 superintendent circular hwd-01 page 20 102 b. prohibit food sell competition school meal include food base fundraiser vend machine school day c. food nutrition services department solely responsible food beverage sell child school day consequently sale food beverage expressly forbid d. encourage non food alternative school fundraiser school party classroom celebration e. prohibit use food beverage reward mean discipline boston public schools shall follow food nutrition services policy circular d. comprehensive physical activity physical education boston public schools commit district wide strategic effort increase student physical activity fitness bring physical education physical activity school improve quality physical education recess increase equity physical activity program resource school activity inclusive page 21 superintendent circular hwd-01 page 21 102 meet need interest ability cultural diversity student include student gender identity student disability student special healthcare need numerous study indicate regularly engage moderate- vigorous exercise contribute overall physical mental health nurture exercise habit child lay foundation lifelong fitness research show increase physical activity increase child cognitive function ability concentrate class academic performance strategic effort improve academic performance bps recognize promote benefit comprehensive physical activity program quality physical education cornerstone additional physical activity integrate school day school program staff wellness family engagement activity boston public schools commit strong athletic program offer variety program accessible student athletic participation contribute student fitness wellness character development lifelong commitment physically active lifestyle additionally establish safe supportive engage school environment athletic program encourage school connectedness create climate healthy competition support fill school spirit sense community research show healthy child well learner connected student likely stay page 22 superintendent circular hwd-01 page 22 102 school way athletic contribute academic success student accordance state law school provide student grade opportunity physical activity school offer 150 minute school physical activity weekly grade prek-8 include require physical education movement break recess lesson involve movement structure support moderate vigorous physical activity mvpa grade prek-8 student expect 20 minute daily recess teachers school community personnel shall use physical activity e.g. run lap pushup punishment withhold opportunity physical activity school day include limit recess classroom physical activity break physical education punishment reason illness safety approve school leader include deny student physical activity time order work unusual circumstance district provide teacher school staff list idea alternative way discipline student school offer standard base physical education pe student grade school require offer 45 minute weekly pe grade prek-8 page 23 superintendent circular hwd-01 page 23 102 semester equivalent half school year pe year grade 9 12 recommend school provide 80 minute weekly pe grade prek-8 order help school work recommendation boston public schools develop implementation plan input current principal headmaster implementation plan share school committee teachers school community personnel shall use physical activity e.g. run lap pushup punishment withhold opportunity physical activity school day include limit recess classroom physical activity break physical education punishment reason deny student physical activity time order work unusual circumstance extend day program school time include school program expect offer array physical activity opportunity ensure student able participate school shall offer opportunity student participate physical activity school day include extend day time variety method include physical activity club physical activity school program intramural interscholastic sport school commute page 24 superintendent circular hwd-01 page 24 102 district recognize student benefit bicycle pedestrian safety education help trip school safe instill confidence student parent community member district develop maintain policy procedure work city agency school family student effort promote safe easy trip school student staff walk bicycling public transit mean physically active transport district encourage 7 12th grade student use public transportation available appropriate travel school work local transit agency provide transit pass eligible 7 12th grade student district provide resource school student family walk ride bicycle public transit form active transportation district encourage wellness council school administrator student staff family community partner assist district promote safe physically active travel school school encourage designate transportation liaison facilitate communication district effort promote safe physically active travel school school shall participate student transportation survey request help district plan strategy promote safe easy trip school walk bicycling public transit mean physically active transport page 25 superintendent circular hwd-01 page 25 102 e. comprehensive health education boston public schools require comprehensive pre k grade 12 health education medically accurate age developmentally appropriate culturally linguistically sustain implement safe supportive learning environment student feel value boston public schools skill base approach teach comprehensive health education address variety topic tobacco alcohol substance misuse harm reducation nutritional health mental emotional health personal health wellness physical activity safety injury prevention violence prevention comprehensive sexual health education lgbtq+ affirm comprehensive health education curriculum shall modify need student disability student english learner shall promote healthy lifestyle habit healthy relationship health literacy student health education curricula align bps health education frameworks integrate massachusetts comprehensive health curriculum framework national health education standards national sexuality education standards qualified train teacher implement curriculum school follow relevant promotion graduation page 26 superintendent circular hwd-01 page 26 102 requirement include health education include minimum healthy safe body unit elementary school semester health education grade 6 8 teach license health education teacher semester course health education total grade 9 12 teach licensed health education teacher addition course requirement health education topic integrate subject area possible reinforce importance provide additional skill practice demonstrate connection health concept content area f. healthy school environment boston public schools recognize healthy physical environment critical prevention asthma chronic infectious disease impact learn boston public schools commit provide high perform school building ground clean good repair healthy indoor air quality water quality sanitary accessible bathroom use resource efficiently bps strive provide adequate facility physical activity accessible culturally inclusive learning environment positively impact productivity health wellness student staff address environmental risk factor chronic infectious disease school receive annual environmental audit evaluate health safety condition leak mold pest chemical storage cleanliness page 27 superintendent circular hwd-01 page 27 102 district shall maintain healthy schools taskforce hst promote raise awareness health build environment ensure continuous improvement bps healthy school environment policy program district department school environmental committee school base wellness council shall comply exist federal state regulation city ordinance district policy relate promote manage healthy school environment include limit ○ green cleaners ○ integrated pest management ○ trash recycling ○ infection prevention control ○ tobacco free environmental policy ○ environmental inspection audit ○ student safety health school shops ○ bps water policy ○ laboratories chemical inventory right know law ○ idling bus motor vehicle school property page 28 superintendent circular hwd-01 page 28 102 school shall regularly assess quality quantity bps facility active transportation physical activity physical education include schoolyard report maintenance need facility g. safe supportive schools boston public schools shall create safe supportive school environment student culturally proficient engaging inclusive provide skill base education promote healthy relationship development provide access support service prevention promotion intervention base work address integrate social emotional health behavioral health bps continue foster variety integrated community partnership maximize support student family school partnership area include ally city state agency university hospital community base organization school well meet need student create safe inclusive climate responsive form bullying violence include bias base conduct suicide intimate partner violence sexual harassment assault screening promotion effort include mental health substance use screening special attention give vulnerable student population include limit lgbtq student refugee asylee document undocumented immigrant student ell student ell student disability page 29 superintendent circular hwd-01 page 29 102 expectant parenting student court involve student student experience homelessness student experience trauma effort create safe supportive learning environment optimize academic outcome student implementation effort require school psychologist social worker guidance counselor school nurse community partner train classroom teacher work effective student support team boston public schools shall develop implement plan k-12 sel standard boston public schools shall place system align district accept multi tiered system supports mtss framework ensure student access key resource service safe supportive environment school shall adopt mtss framework support development continuum behavioral health support intervention fall tier tier 1 prevention promotion tier 2 risk intervention service tier 3 intensive intervention service embed mtss use positive behavioral intervention support social emotional learning instruction design create safe supportive school climate build skill staff student comprehensive behavioral health model cbhm example evidence base mtss behavioral framework design meet behavioral health need student include evidence base practice intervention datum determine effectiveness cbhm bps school available school cbhm prove page 30 superintendent circular hwd-01 page 30 102 promote positive behavioral health reduce barrier learn student participate school mtss framework include cbhm incorporate follow key element ○ assessment include universal behavioral health screen ○ instruction include social emotional learning curriculum delivery service ○ data base decision make ○ building staff leadership capacity ○ effective district school structure procedure e.g. student support team addition school shall follow bps policy address specific area school safety climate include code conduct related policy relate crisis management expectant parenting student sexual harassment discrimination assault h. health services boston public school health services support student healthy engaged safe academically challenge provide high quality cost effective school health care bps nurse responsible evaluate manage health page 31 superintendent circular hwd-01 page 31 102 need student include following ○ case management student special health need include chronic acute illness ○ monitoring administer medication medical procedure prescribe student primary care provider medical specialist ○ provide aid emergency care ○ screen student height weight body mass index vision hearing scoliosis substance use screening brief intervention referral treatment ○ managing student medical record immunization record ○ manage control communicable disease ○ coordinate medical transportation student ○ coordinate special dietary accommodation student food allergy ○ working school base group provide safe healthy environment addition school nurse engage education small group health counseling wellness promotion preventive service provision care coordination service bps school nurse ensure access and/or referral medical home page 32 superintendent circular hwd-01 page 32 102 private health care provider lawful boston public schools encourage positive communication involvement family health service health services actively collaborate school community support service increase ability student family adapt health social stressor chronic health condition adverse childhood experience ace social emotional economic determinant health bps health services committed build partnership city agency medical provider community partner leverage additional resource health service massachusetts adolescent confidentiality law adolescent student receive confidential service diagnosis treatment and/or referral drug addiction family planning service sexually transmit disease mental health accordance bps condom accessibility circular bps high schools shall provide access condom appropriate reproductive health counseling student high school condom accessibility team cat consist minimum school staff member condom available cat school condom accessible community health service partner boston public health commission bphc parent legal guardian exempt child receive condom notify school complete family information form beginning school year exemption receive condom apply confidential health page 33 superintendent circular hwd-01 page 33 102 service i. staff wellness boston public schools care staff member understand influence staff action student health behavior staff shall promote school environment supportive healthy behavior adult encourage model healthy behavior especially school property school sponsor meeting event school encourage support staff wellness initiative ii implementation guidelines follow guideline ensure implementation boston public schools wellness policy a. district wellness council superintendent appoint member serve district page 34 superintendent circular hwd-01 page 34 102 wellness council council a. follow bylaw align massachusetts standards school wellness advisory committees.3 b. annually review need recommend district wide policy promote student wellness c. annually set council goal objective d. annually report progress council goal objective policy monitoring evaluation wellness policy implementation b. school based wellness councils schools establish maintain school base wellness council principal shall wellness council chair(s coordinate wellness council act liaison district community family wellness council chair attend district training school base wellness councils annual basis shall 3 m.g.l. 105 cmr 215 page 35 superintendent circular hwd-01 page 35 102 a. convene 4 time school year b. council shall include minimum school administrator family representative student feasible representative wide range school health health relate discipline include school nurse school food service staff health education physical education teacher school health professional psychologist guidance counselor social worker extent feasible member include operation custodial staff community partner general public appointee maximum extent possible shall reflect cultural linguistic ethnic composition school community c. implement district level policy relate wellness school wellness councils annually review district policy relate wellness applicable school wellness council apply strategy implement policy index federal state boston public school wellness- relate policies guidelines section page 17 d. assess school wellness status school use follow survey audits assess wellness status school ○ healthy schools program inventory alliance healthier generation ○ environmental health inspection audit page 36 superintendent circular hwd-01 page 36 102 ○ school health profiles centers disease control prevention ○ district datum youth risk behavior survey ○ district priority health wellness department determine annual basis exact timeline process complete assessment e. create implement wellness action plan school complete bps wellness action plan template include link plan wellness section quality school plan qsp fall date wellness council coordinator(s contact information include qsp principal ultimately responsible implementation wellness action plan health wellness department collaboration instructional operational superintendent determine annual basis exact timeline process school complete plan quality school plan academic improvement plan wellness action plan include goal school base activity design promote student wellness base result school healthy schools program inventory environmental health inspection audit annual district priority appropriate assessment tool roster school wellness council submit wellness action plan template instruction template wellness action plan find page 37 superintendent circular hwd-01 page 37 102 online http://www.bostonpublicschools.org/hwd f. engaging stakeholder ○ schools available public school community website list name position title relationship school individual school base wellness council include position title school base contact information council chairs(s ○ schools share information school website public involve school wellness council ○ schools post wellness action plan school website share local school goal activity implement policy ○ schools share link district wellness policy school website send message family notify obtain copy access policy ○ school base wellness councils shall annually communicate wellness relate policy staff family student aware policy requirement page 38 superintendent circular hwd-01 page 38 102 associated boston public schools district department provide professional development toolkit resource technical assistance support implementation district- level policy relate wellness school able access professional development district support learning plan wellness relate training culturally proficient address race ethnicity nationality sexual orientation gender identity special need language dialect practical skill mediate intercultural conflict c. implementation guideline monitoring evaluation boston public schools health wellness department collaboration appropriate district departments designate ensure school include school time program complie policy wellness relate policy monitor evaluate support district department currently oversee policy district collect additional datum list section monitor compliance evaluate effectiveness policy implementation bps health wellness department appropriate district department facilitate school base survey audits measure change school environment time page 39 superintendent circular hwd-01 page 39 102 survey include a. healthy schools program assessment alliance healthier generation b. school health profiles centers disease control prevention ○ principal survey school level ○ lead health ed teacher survey school grade 6- 12 ○ lead phys ed teacher survey school level c. district staffing report office human capital d. essential school health services monthly activities report e. school environmental audit evaluate effectiveness policy implementation bps health wellness department appropriate district department facilitate anonymous student survey measure change student outcome time possible datum report vulnerable subgroup e.g. race ethnicity gender sexual identity survey include limit a. youth risk behavior survey yrbs ○ middle school yrbs conduct biennially page 40 superintendent circular hwd-01 page 40 102 randomize sample school serve student grade 6 8 fall semester number school year i.e. fall 2013 2015 2017 etc ○ high school yrbs conduct biennially randomize sample school serve student grade 9 12 spring semester odd numbered school year i.e. spring 2015 2017 2019 etc b. school climate survey conduct annually office data accountability c. fitnessgram grade 3 12 d. health services snapnurse system state annual report shall present dwc superintendent school committee massachusetts department education share bps stakeholder district wellness policy monitoring evaluation plan table abbreviations po = process outcome imo = intermediate outcome lto = page 41 superintendent circular hwd-01 page 41 102 long term outcomes general policy council gen metrics gen process outcomes po page 42 superintendent circular hwd-01 page 42 102 po1 dwc subcommittee meetings dwc records po1.1 meeting dwc subcommittee po1.2 attendee po1.3 action plan completion yes po1.4 review policy yes po1.5 hear stakeholder feedback public comment yes po1.6 update policy yes applicable po2 policy communication public notification yes dwc records po2.1 policy translation po2.2 post bps website policy meeting time action plan membership contact information po2.3 policy parent guidebook po2.4 policy update presentation school committee po2.5 policy update presentation bsac cpc delac spedpac po3 policy evaluation dwc records profiles po3.1 evaluation plan place page 43 superintendent circular hwd-01 page 43 102 po3.2 annual report yes po3.2.1 alternate qualitative quantitative reports po3.2.2 post website po3.2.3 share superintendent school committee dese po3.2.4 send parent council po3.3 biennial school wellness reports profiles po4 policy trainings po4.1 pds school wellness council teacher hwd records po4.2 training material principals superintendents central office leaders po5 school base wellness councils po5.1 school submit wap hwd records gen short term outcome sto 1 increase awareness knowledge district wellness policy bps family district staff school leadership staff sto1.1 school post wap council member council chair(s contact information website profiles sy19 20 page 44 superintendent circular hwd-01 page 44 102 sto1.2 school send communication policy home parent profile sto1.3 school communicate policy school staff profile gen sto 2 improve diverse stakeholder involvement district wellness council dwc subcommittee school base wellness council sto2.1 dwc membership include representative family student school district instructional operational administrator relevant central department head school food nutrition service staff physical education health education teacher school nurse school health professional e.g. psychologist guidance counselor social worker school committee member community youth serve agency boston public health commission representative healthcare provider general public dwc records sto2.2 public comment dwc meeting dwc records sto2.2 school wellness council 2 family rep wellness council wap sto2.3 school wellness council 2 student wellness council waps page 45 superintendent circular hwd-01 page 45 102 gen sto 3 improve policy align model school wellness policy good practice annual report finding recommendation input school community research evidence government regulation dwc record sto3.1 policy update area gen sto 4 increase number school quality wellness council hwd record sto4.1 school wellness council meet quarterly sto4.2 school identify wellness council chair(s gen imo 1 improve functionality school base wellness council wap imo1.1 wap smart goals imo1.2 wap goal policy area imo1.3 wellness council imo1.3.1 minimum representation member role imo1.3.2 addition representation member role page 46 superintendent circular hwd-01 page 46 102 imo1.4 school train wellness council co chair cultural proficiency cp metrics cp process outcomes po1 training equity policy practice e.g. equity protocol welcoming schools eqt-4 equity office po2 school staff train clsp po3 central office department 70 staff train clsp po4 staff school train clsp cp sto 1 increase school assess organizational structure policy school wide practice cultural proficiency sto1.1 school clsp goal wap cp sto 2 increase school engage family student community member decision making waps page 47 superintendent circular hwd-01 page 47 102 sto2.1 family member school base wellness council sto2.2 student school base wellness council sto2.3 community orgs school base wellness council sto2.4 school engage group wellness council cp imo 1 positive perceive climate cultural proficiency imo1.1 district score community involvement scale climate survey oda imo1.2 district score appreciation diversity scale climate survey oda imo1.3 district score family school relationship scale climate survey oda imo1.4 district score cultural responsiveness scale climate survey oda imo1.5 district score student teacher relationships scale climate survey oda imo1.6 parent perception school climate safe welcome climate survey oda page 48 superintendent circular hwd-01 page 48 102 imo1.7 middle high school student report have adult school talk issue life 2017 ms hs yrbs school food nutrition promotion sfnp metrics sfnp process outcomes po po1 school participate school breakfast program fns records po1.1 school different model school breakfast program po2 school participate school lunch program fns records po2.1 school different model school lunch program po3 school cafeteria staff train food safety fns records po4 school complete kitchen inspection fns record po5 healthy food environment wellness champions hwd record po6 school leader aware competitive sale page 49 superintendent circular hwd-01 page 49 102 policy hwd records po7 nutrition education pd hwd records po8 staff train nutrition education pd hwd records sfnp sto 1 increase variety food local culturally influence clean label fns records sto1.1 food item procure district local sto1.2 menu item culturally influence reflect student population cafeteria schools vended meals sfnp sto 2 increase support bic school administration sto2.1 school implement bic fns records sfnp sto 3 increase awareness competitive sale policy sto3.1 school leader inform staff competitive sale policy profile page 50 superintendent circular hwd-01 page 50 102 sfnp sto 4 maintain 100 school cafeteria staff require certification inspect kitchen hazard analysis control points plan sto4.1 school cafeteria staff require certification compliant kitchen hazard analysis control points plan fns records sfnp sto 5 increase school teach healthy eating habit health education physical education subject sto5.1 school teach nutrition education comprehensive health education profiles sfnp sto 6 increase number satellite school able provide bulk freshly prepare site meal service fns records sto6.1 school receive vended meal sto6.2 satellite school convert able provide bulk freshly prepare site meal service year school implement way cafe model sfnp imo 1 increase participation school meal program page 51 superintendent circular hwd-01 page 51 102 imo1.1 number percent school xx% student participate sbp nslp cacfp summer meals program fns records sfnp imo 2 reduce food waste imo2.1 difference weight food serve food uneaten throw away bosfoodlove sfnp imo 3 increase school sell serve provide food beverage outside school meal plan meet bps nutritional guideline profile imo3.1 school student purchase snack meal beverage school vending machine school store fundraiser canteen snack bar lunch imo3.2 school sell food and/or beverage school vending machine school store fundraiser canteen snack bar meet bps nutritional guideline sfnp imo 4 increase student practice healthy eating habit fns records imo4.1 breakfast provide imo4.2 milk provide page 52 superintendent circular hwd-01 page 52 102 imo4.3 student choose serve fruit imo4.4 student choose serve vegetable physical activity physical education pe pa metrics pe pa process outcomes hwd records po1 pd opportunity pe pa srts po2 teacher attendance pds po3 ic session pe pa srts po4 tool develop school base staff qual po5 ta session po6 active pa community partnership po7 pe curricula distribute po8 pe equipment distribute po9 ms athletic program po10 hs athletic program pe pa sto1 improve staffing capacity school provide pe accord policy sto1.1 school pe staff fte provide pe page 53 superintendent circular hwd-01 page 53 102 accord policy pe pa sto 2 increase capacity school base staff deliver high quality pe pa program school day pe recess school programming include sport srts hwd records sto2.1 school pe teacher complete ic 2 year sto2.2 school implement standard base pe curricula sto2.3 school pe teacher complete pd pe sto2.4 school teacher complete pd pa sto2.5 school teacher complete pd srts sto2.6 school receive training active recess pe pa sto 3 increase school offer pe sto3.1 school offer pe class profile page 54 superintendent circular hwd-01 page 54 102 pe pa sto 4 increase school offer recess grade prek-8 profile sto4.1 school offer 20 min recess grade prek-5 sto4.2 school offer 20 min recess grade 6 8 pe pa sto 5 increase school offer before- school physical activity opportunity sto5.1 school srts program hwd records sto5.2 school ms athletic program athletics dept sto5.3 school hs athletic program athletics dept sto5.5 school offer opportunity student participate intramural sport program physical activity club profile pe pa sto 6 increase school withhold physical activity punishment sto6.1 school withhold physical activity punishment profile page 55 superintendent circular hwd-01 page 55 102 pe pa sto 7 increase number school access resource partnership support sto7.1 school partnership pa pe type partnership portal sto7.2 school resource support pa pe type hwd records pe pa sto 8 improve collaboration district city agency school family school safe active transportation sto8.1 school identify priority walking route hwd record sto8.2 school participate walk school day hwd records sto8.3 school provide pedestrian safety education programming hwd records sto8.4 school provide support family relate walking rolling transit 2019 profiles sto8.5 school represent request transportation survey pe pa imo 1 increase student report have pe page 56 superintendent circular hwd-01 page 56 102 yrbs imo1.1 ms hs student report pe time week imo1.2 student receive physical education class enrollment pe course grade report card pe pa imo 2 increase school provide pe accord bps policy profile imo2.1 school contain grade prek-8 provide 45 minute weekly pe student grade prek-8 imo2.2 school contain grade prek-8 provide recommend 80 min weekly pe student grade prek-8 imo2.3 school contain grade 9 12 provide 1 semester pe year student grade 9- 12 pe pa imo 3 increase student report active transportation school imo3.1 student report walk bike school yrbs page 57 superintendent circular hwd-01 page 57 102 pe pa imo 4 increase school grade prek- 8 meeting policy 150 minute weekly pa imo4.1 school provide student prek-8 150 minute physical activity include 45 minute pe week 20 minute recess daily profile pe pa imo 5 improve equity access athletic programming athletics imo5.1 student participate school sport program imo5.2 school offer access athletics programs accord bps athletics criteria equity imo5.3 school equal number boy girl athletic team comprehensive health education che metrics che process outcomes hwd record po1 pd opportunity po2 teacher staff attendance pds po4 tool develop school base staff qual page 58 superintendent circular hwd-01 page 58 102 po5 ta session po6 relate community partnership po7 resource provide school curriculum instructional supply che sto 1 increase capacity school base staff deliver high quality skill base comprehensive health education hwd records sto1.1 teacher train che curricula sto1.2 teacher staff train che curricula sto1.3 teacher staff train sexual health ed curriculum sto1.4 teacher staff report increase knowledge skill post pd school teacher receive ic che sto2 increase number qualified train teacher elementary school license health education teacher middle high school sto2.1 qualified train teacher deliver health education elementary school sto2.3 licensed health education teacher deliver page 59 superintendent circular hwd-01 page 59 102 health education middle high schools che sto 3 increase number school implement comprehensive health education curriculum grade hwd records profiles sto3.1 school prek-3 grade use approve curriculum sto3.2 school 4 5 grade use healthy safe body unit sto3.3 school 6 8 grade use approve curriculum sto3.4 school 9 12 grade use approve curriculum che sto 4 increase number school provide health education hwd records profiles sto4.1 school provide 2 + elementary grade sto4.2 school offer 2 semester ms sto4.3 school offer 1 semester hs che sto 5 increase number school leverage page 60 superintendent circular hwd-01 page 60 102 resource partnership support improve quality profiles hwd sto5.1 school partnership support teaching profile sto5.2 school partnership promote health literacy student family sto5.3 school access district resource support profiles che imo 1 increase number school provide accord bps policy profiles hwd record ohc staffing data imo1.1 school train bps teacher teach grade 4 5 healthy safe body unit class imo1.2 school grade 6 8 offering semester skill base health education student teach licensed health education teacher im1.3 school grade 9 12 offering semester skill base health education student teach licensed health education teacher che imo 2 increase number student receive dedicated health education time aspen sis page 61 superintendent circular hwd-01 page 61 102 imo2.1 student receive dedicated health education time che imo 3 increase comprehensiveness accessibility health education content profiles healthy school environment hse metrics hse process outcomes po1 school environmental audits environmental division bphc record po1.1 school sea po2 green cleaner policy po2.1 safe sanitizer bottle distribute facilities mgmt po2.2 program train properly use oxivir po3 rapid response facilities mgmt po3.1 custodian train properly clean treat outbreak po3.2 update improved system track illness outbreak response po4 integrated pest management program facilities mgmt ipm contractor record page 62 superintendent circular hwd-01 page 62 102 po4.1 schools assign ipm contractors po4.2 schools ipm plan po5 decluttering initiative facilities mgmt profiles sy19- 20 po5.1 creation bps declutter guide po6 water policy facilities mgmt po6.1 online offline school po6.2 drink water unit type po7 zero waste policy facilities mgmt po7.1 schools zero waste coordinators po7.2 school zero waste equipment bin present po7.3 school book recycling bin po7.4 school textile recycling bin po8 communication hse policies facilities mgmt hwd masscosh record po8.1 plan strategy communicate healthy school environment relate policy po8.2 school leader train healthy school page 63 superintendent circular hwd-01 page 63 102 environment relate policy po9 hse wellness champion program facilities mgmt hwd masscosh record po9.1 training session po9.2 school participate hse wellness champions program hse sto 1 increase use sea identify address hse improvement sto1.1 track request generate seas facilities mgmt sto1.1.1 repair request result sea sto1.1.2 repair request complete result sea sto1.2 principals report review result sea profiles sto1.3 school wap goal identify sea page 64 superintendent circular hwd-01 page 64 102 profiles wap hse sto 2 increase school staff green cleaner classroom office sto2.1 school staff aware green cleaning policy profile sto2.2 school staff green cleaner classroom office profile sto2.3 bps early ed programs school program serve food ymca school base program receive oxivir facilities hse sto 3 increase school capacity address ipm incident profile sto3.1 school identify ipm coordinator sto3.2 school staff know use ipm log hse sto 4 increase school implement system reduce reuse recycle decrease waste clutter facilities mgmt page 65 superintendent circular hwd-01 page 65 102 sto4.1 school complete declutter initiative ton recycle sto4.2 school complete function zero waste programs facilities mgmt sto4.1.1 school properly dispose waste type sto4.1.2 ton waste remove school sto4.1.3 oiit e waste request submit year sto4.1.4 universal hazardous waste pick up year hse sto5 decrease bottled water need facilities mgmt sto5.1 offline school return online sto5.2 school undergo water infrastructure improvement hse sto 6 decrease cause poor outdoor air quality school building sto6.1 school staff aware promote tobacco free policy profiles sto6.2 school limit bus idle 5 minute profile page 66 superintendent circular hwd-01 page 66 102 hse sto 7 improved building infrastructure support active transportation active play sto7.1 playground assessment issue address profile sto7.2 school bike rack storage system student staff facilities mgmt hse sto 8 increase wellness champion project initiative school hwd records sto8.1 hse wap goal sto8.2 hse wap goal complete hse imo 1 decrease infection illness outbreak facilities mgmt health services imo1.1 infection illness outbreak hse imo 2 decrease pest relate incident imo2.1 pest incident log report treat facilities mgmt ipm contractor record hse imo 3 ensure water quality maintenance promotion page 67 superintendent circular hwd-01 page 67 102 imo3.1 school get annual water system test imo3.2 school cooler clean imo3.4 school review water policy staff hse lto 1 increase number high perform school building ground clean good repair lto1.1 sea trends facilities mgmt safe supportive schools sss metrics sss process outcomes po1 behavioral health community partnership bps partnership portal po2 school universal screening mental health bhs records po3 pds/ attendee po3.1 bullying violence prevention succeed boston po3.2 restorative justice succeed boston po3.3 k-12 sel standards sel saws records po3.4 target intervention vulnerable population page 68 superintendent circular hwd-01 page 68 102 bhs succeed boston opportunity youth records po3.5 mtss cbhm bhs records po4 school student support team profiles po5 middle high school eps liaison profiles po6 school homelessness liaison opportunity youth po7 school train bullying prevention liaisons profile sss sto 1 increase school train bps k-12 sel standard sto1.1 school staff train bps k-12 sel standard profile sss sto 2 increase implementation multi tiered system supports mtss b improve school classroom climate profile sto2.1 school offer tier 1 support sto2.2 school offer tier 2 support sto2.3 school offer tier 3 support page 69 superintendent circular hwd-01 page 69 102 sto2.4 school implement restorative justice sss sto 3 increase target intervention vulnerable population profile sto3.1 school gay straight alliance sto3.2 school provide additional support vulnerable population sss sto 4 increase cbhm implementation fidelity bhs records sto4.1 tiered fidelity inventory measure normed school cbhm model use sto4.2 student screen cbhm school fall spring screen sss sto 5 increase school staff train bully prevention sto5.1 school staff train bully prevention profile sss sto 6 increase number school behavioral health partner support page 70 superintendent circular hwd-01 page 70 102 sto6.1 school minimum 3 behavioral support partner bhs records sss sto 7 increase school appropriately staff meet mental emotional behavioral health need student determine bps staffing criterion school psychologist social worker guidance counselor sto7.1 school appropriately staff accord bps criterion bhs ohc records sss sto 8 increase quality student support teams sto8.1 school indicate yes follow profile question include follow position sst school psychologist social worker guidance counselor hs school nurse community partner train classroom teacher profile sto8.1 school achieve quality index tbd sss sto 9 increase awareness eps policy resource student sto9.1 school expectant parenting student liaison profile page 71 superintendent circular hwd-01 page 71 102 sss imo 1 improved system handle bullying incident school imo1.1 tbd imo1.3 bully incident report sss imo 2 increase school teacher implement explicit sel instruction imo2.1 cbhm school teacher teach explicit sel instruction fidelity bhs records sel instruction tool fidelity measure imo2.2 school implement profile sss imo 3 decrease incident violence school imo3.1 student code conduct violations violence)/suspension sis imo3.2 school referral succeed boston violent offense succeed boston sss imo 4 increase number school safe school climate school climate survey oda page 72 superintendent circular hwd-01 page 72 102 imo4.1 district score sense belong scale imo4.2 district score student emotional safety scale imo4.3 district score staff support scale imo4.4 district score student physical safety scale sss imo 5 decrease crisis behavioral response request school health services bhs imo5.1 incident ambulance police call behavioral health need sss imo 6 increase sel skill student imo6.1 bimas adaptive scale cbhm school imo6.2 tbd district wide sss imo 7 increase expectant parenting student accessing resource imo7.1 school eps liaison communicate liaison support profile health services metrics hs process outcomes page 73 superintendent circular hwd-01 page 73 102 po1 quality improvement hs records po1.1 electronic medical record protocols write po1.2 formula staff school nurse develop po1.3 system create universal scorecard nursing practice po1.4 nurse support system establish po2 professional development nurses hs records po2.1 nurse train po2.3 school nurse train po2.4 nursing pd opportunity type po3 nurse liaison technical assistance hs record po3.1 ta session po3.2 school receive ta po4 school nurse direct services snapnurse po4.1 injury visit po4.2 acute disease management visit po4.3 chronic disease management visit po4.4 visit treatment medication page 74 superintendent circular hwd-01 page 74 102 po4.5 case management school nurse pcp parent po4.6 screening referral complete referral po4.7 school nurse referrals po4.7.1 referral hrcs po4.7.2 referral sbhcs po4.7.3 referral acute medical management po4.7.4 referral chronic disease management po5 nurse lead school staff training session po6 individual group session student po7 health promotion po8 community partner service po8.1 hrcs po8.2 sbhc po8.3 school receive community partnership type po9 condom accessibility hwd record po9.1 high school cats po9.3 cat member train referral page 75 superintendent circular hwd-01 page 75 102 provide condom hs sto 1 increase school appropriately staff meet medical need student determine bps health services staffing criterion sto1.1 school appropriately staff accord bps criterion ohc page 76 superintendent circular hwd-01 page 76 102 hs sto 2 increase capacity school base staff deliver high quality nursing service sto2.1 school nurse receive require health service professional develop 18 hour and/or monthly exemplar practice sto2.2 nurse review health services scorecard sto2.3 school 90 great immunization compliance sto2.4 individual health care plan ihcp sto2.5 school 90 great compliance district physical exam policy sto2.6 counseling sto2.7 nurse receive national asthma certification hs sto 3 improve school wide awareness student chronic disease sto3.1 school individual health care plan ihcp student individual education plan require signature snapnurse hs sto 4 increase student receive state- page 77 superintendent circular hwd-01 page 77 102 mandate screening snapnurse sto4.1 school xx% student screen sto4.1.1 hear screen sto4.1.2 vision screen sto4.1.3 sbirt screen sto4.1.4 height weight body mass index sto4.2 student referral fail screen sto4.3 student complete referral fail screening hs sto 5 increase student visit nurse able return classroom continue learn sto5.1 student return classroom snapnurse hs sto 6 increase school nurse lead health promotion campaign sto6.1 school conduct nurse lead health promotion campaign eshs data hs sto 7 increase cat make referral page 78 superintendent circular hwd-01 page 78 102 providing condom eshs data sto7.1 condom distribute cats sto7.2 sexual health referral cat sto7.3 school function cats hs sto 8 increase provision sexual health referral profile sto8.1 middle high school nurse provide sexual health referral student hs sto 9 increase provision sexual health service profile sto9.1 middle high school nurse provide sexual health referral student hs imo 1 improved school wide management student chronic disease imo1.1 dismissal school relate chronic disease snapnurse tbd staff wellness sw metrics page 79 superintendent circular hwd-01 page 79 102 sw process outcomes po1 district communication staff wellness relate topic external affairs tbd po2 dwc staff wellness subcommittee co chair identify dwc records po3 subcommittee meeting hold dwc records sw sto 1 increase staff physical activity sto1.1 staff report 30 minute physical activity day tbd sw sto 2 increase staff healthy eating sto2.1 staff report eat 5 serving fruit vegetable day tbd sw sto 3 increase school staff wellness activity initiative profile sto3.1 school staff wellness goal wellness action plan sto3.2 school answer yes past school year school offer staff wellness initiative page 80 superintendent circular hwd-01 page 80 102 sw imo 1 increase teacher school climate imo1.1 improve professional community imo1.2 improve support teacher development growth sw imo 2 increase school institutionalized staff wellness program imo2.1 school staff wellness promotion program take place extended duration year profiles wap wellness policy long term student impact 1 improve student physical fitness a. student achieve health fitness level source fitnessgram i. health fitness zone ⅗ assessment ii health fitness zone aerobic capacity 2 reduce prevalence health risk behavior student source yrbs a. student sexual intercourse page 81 superintendent circular hwd-01 page 81 102 b. student sexual intercourse 3 month i.e sexually active c. student sexual intercourse person life d. student pregnant get pregnant e. student school feel unsafe school way school 30 day f. student carry weapon school property 30 day g. student threaten injure weapon school property past 12 month h. student physical fight school property past 12 month i. student bully school property past 12 month j. student electronically bully past 12 month k. student experience physical date violence past 12 month l. student experience sexual date violence page 82 superintendent circular hwd-01 page 82 102 past 12 month m.% student physically force sexual intercourse want 3 increase protective health behavior student source yrbs a. student condom sexual intercourse student currently sexually active b. student effective hormonal birth control† prevent pregnancy sexual intercourse student currently sexually active c. student condom effective hormonal birth control sexual intercourse student currently sexually active d. student test hiv include test donate blood e. student physically active 60 minute day 7 day f. student watch 3 + hour tv average school day g. student play video computer game computer 3 + hour day page 83 superintendent circular hwd-01 page 83 102 school work average school day h. student eat breakfast daily past week i. student eat fruit drink 100 fruit juice 2 + time day past week j. student eat vegetable 2 + time daily past week k. student drink 3 + glass water daily past week l. student drink 1 + glass milk daily past week m.% student drink soda past week n. student drink sugar sweeten beverage† past week 4 improve feeling school connectedness student source yrbs climate survey a. student teacher adult school talk problem page 84 superintendent circular hwd-01 page 84 102 b. district score student engagement school scale c. district score appreciation diversity scale d. district score student civic participation scale 5 improve student social emotional wellbeing a. district score student social emotional health scale b. district score student growth mindset scale c. district score student perseverance determination scale 6 improve student mental health outcome source yrbs a. student feel depressed sad hopeless day week row stop usual activity b. student purposely hurt want die c. student seriously consider attempt suicide d. student attempt suicide 7 reduce prevalence substance use student a. student currently tobacco product cigarette cigar smokeless tobacco electronic vapor page 85 superintendent circular hwd-01 page 85 102 product b. student currently smoke cigarette cigar c. student currently electronic vapor product d. student currently drink alcohol e. student currently binge drank male 5 + drink female 4 + drink row f. student currently marijuana g. student take prescription pain medication doctor prescription differently doctor tell use 8 increase prevalence student health weight status a. student health mi status source snapnurse 9 reduce prevalence asthma student a. student asthma diagnosis source snapnurse 10 reduce prevalence sexually transmit disease hiv adolescent pregnancy student source page 86 superintendent circular hwd-01 page 86 102 bphc a. incidence rate chlamydia boston youth b. incidence rate gonorrhea boston youth c. incidence rate incidence rate gonorrhea boston youth boston youth d. prevalence boston youth live hiv e. birth rate adolescent female 11 decrease number medically relate absence student source oda a. medically relate absence student 12 improve school climate staff source school climate survey iii definition student attend boston public school include limit student identity relate culture race ethnicity sexual orientation gender gender identity ability page 87 superintendent circular hwd-01 page 87 102 bullying form emotional physical abuse define characteristic deliberate bully intention hurt repeat bully target victim power imbalance bully choose victim perceive vulnerable bullying different conflict fight disagreement meet criterion boston public schools property include property student boston public school staff work attend class comprehensive health education medically accurate age developmentally appropriate culturally inclusive implement safe supportive learn environment student feel value include nutrition education comprehensive school physical activity program cspap approach school district school utilize opportunity school base physical activity develop physically educate student participate physical activity day develop knowledge skill confidence page 88 superintendent circular hwd-01 page 88 102 physically active lifetime quality physical education cornerstone cspap cspap include school base physical activity opportunity school employee wellness involvement family community involvement comprehensive sexual health education plan sequential pre k 12 curriculum comprehensive school health approach address age appropriate physical mental emotional social dimension human sexuality allow student develop demonstrate developmentally appropriate sexual health relate knowledge attitude skill practice curriculum design motivate assist student maintain improve sexual health delay sexual initiation prevent disease early pregnancy reduce sexual health relate risk behavior medically accurate developmentally appropriate culturally include lgbtq inclusive provide qualified train certify teacher future sex education cultural proficiency esteem culture interact effectively variety cultural group inclusive language commit continuous learning cyber bullying bully take place electronic technology example cyber bullying include mean text page 89 superintendent circular hwd-01 page 89 102 message email rumor send email post social networking site embarrassing picture video website fake profile federally funded child nutrition programs include national school lunch program national school breakfast program school snack program child adult care food program lgbtq acronym individual identify lesbian gay bisexual transgender queer questioning health literacy capacity individual obtain interpret understand basic health information service competence use information service way health enhance national health education standards health services represent component comprehensive school health program directly service individual child monitor health trend district include school nurse program school base health center program goal health service remove educationally relevant health obstacle learn ensure access and/or referral primary health care service manage page 90 superintendent circular hwd-01 page 90 102 chronic disease condition school hour prevent control communicable disease health problem provide emergency care illness injury promote provide optimum sanitary condition safe school facility school environment provide educational counseling opportunity promote maintain individual family community health nutrition promotions strategy social marketing material oral write communication provide method shift cultural norm healthy food beverage parent engagement occur school actively involve parent authentic partnership aim improve individual student outcome school wide initiative physical education pe plan sequential program curriculum instruction help student develop knowledge attitude motor skill self management skill confidence need adopt maintain physically active lifestyle pe curricula align bps pe framework pe activity focus single activity swimming dance count pe cspap align bps pe frameworks page 91 superintendent circular hwd-01 page 91 102 physical activity pa behavior consist bodily movement require energy expenditure normal physiological muscular cardiorespiratory requirement typical school day recess movement break promotional activity cross- curricular incorporation example pa count pe pa pe allocate pe safe supportive schools create positive school climate actively teach positive behavior engage prevention activity promote feeling security connectedness student adult wellness process individual optimal physical mental health regardless current health status disability practice healthy choice enable environment encourage healthy decision making iv index federal state boston public school wellness relate policies guidelines relevant exist school policy school base page 92 superintendent circular hwd-01 page 92 102 wellness councils school staff comply reference a. school food nutrition promotion relate policy shall follow boston public schools ○ meals serve boston public schools accordance national school meals programs federally fund child nutrition program comply nutrition standard school meal outline healthy hunger- free kids act 2010 ○ 105 cmr 225 nutrition standards competitive foods beverages public schools ○ mayor menino executive order healthy beverages ○ fns-01 food nutrition services ○ fns-02 emergency meal procedures ○ fns-03 nutrition policy ○ fns-04 responsibility school food services b. comprehensive physical activity physical education- relate policy shall follow boston public schools a. massachusetts legislation page 93 superintendent circular hwd-01 page 93 102 ○ mgl c. 71 s. 3 physical education b. district circulars ○ hwd-02 physical education physical activity policy ○ ath-01 prevention management sports relate head injuries c. comprehensive health education relate policy shall follow boston public schools ○ hwd-03 comprehensive health education policy ○ hwd-05 human sexuality education parental notification d. healthy school environment relate policy shall follow boston public schools a. massachusetts legislation ○ mgl c. 90 s. 16b idling motor vehicle engine school property b. district circulars ○ bps water access policy ○ fmt-07 chemical inventory right know law ○ fmt-08 system wide zero waste policy page 94 superintendent circular hwd-01 page 94 102 ○ fmt-10 integrated pest management ipm ○ fmt-11 green cleaners policy ○ fmt-14 hearing conservation program ○ fmt-15 bps boston public health commission environmental inspection audit program city ordinance 7.12.1 4 ○ fse-06 student safety health school shops laboratories classrooms ○ hwd-04 school health wellness healthy school environment policy ○ hwd-06 tobacco free environment policy ○ shs-04 infection prevention control school settings ○ shs-20 asthma schools e. safe supportive schools relate policy shall follow boston public schools a. federal legislation ○ elementary secondary education act 1965 amend title iv subpart 2 section 4121 federal activity 20 u.s.c. 7131 page 95 superintendent circular hwd-01 page 95 102 b. federal regulations ○ education department general administrative regulations edgar 34 cfr parts 75 77 79 80 81 82 84 85 86 97 98 99 b regulation 34 cfr 299 ○ title vi civil rights act 19641 title vi prohibit discrimination basis race color national origin ○ section 504 rehabilitation act 19733 section 504 title ii americans disabilities act 19904 title ii section 504 title ii prohibit discrimination basis disability,5 reference office assistant secretary dear colleague letter october 2010 ○ title ix education amendments 1972 prohibit discrimination basis sex include individual pregnant parenting ■ title 20 u.s.c. sections 1681 1688 c. massachusetts legislation ○ sl 2010 c.92 bully schools ○ mgl c.12 s.11h violation constitutional rights ○ mgl c.265 s.43 stalk ○ mgl c.265 s.43a criminal harassment ○ mgl c.266 s.37e identity fraud page 96 superintendent circular hwd-01 page 96 102 ○ mgl c.269 s.17 hazing ○ mgl c.269 s.18 failure report hazing ○ mgl c.269 s.19 school provide copy haze law student ○ mgl c.119 s.21 mandate reporter define ○ mgl c.119 s.51a mandate reporting explain ○ mgl c.76 s. 5 act relative gender identity ○ chapter 188 act improve public schools commonwealth d. massachusetts regulations ○ 610 cmr 5 hazing reporting- secondary schools ○ 603 cmr 33 hazing reporting- higher educations ○ 603 cmr 49 notification bullying retaliation e. district circulars ○ aca-18 attendance policies ○ aca18a attendance procedure ○ aca-18b procedure referral supervisors attendance ○ eqt-07 accommodate employee disabilities page 97 superintendent circular hwd-01 page 97 102 ○ eqt-05 employee report bias ○ eqt-02 student family party reports bias ○ eqt-01 non discrimination policy statement ○ eqt-06 sexual misconduct employee ○ eqt-03 sexual misconduct students ○ eqt-04 student gender identity ○ lgl-11 sexual orientation protection students discrimination ○ fam-01 school site councils ○ fam-02 school parent council ○ fam-03 middle high school student government ○ fam-05 title family engagement requirements ○ fse-01 school safety contingency plan ○ fse-02 fire safety practices ○ fse-04 bomb threat procedures ○ fse-05 medical emergency management ○ fse-06 student safety health school shops laboratories classrooms page 98 superintendent circular hwd-01 page 98 102 ○ fse-07 public health workplace safety ○ fse-08 teaching students containment protocol mini session ○ lgl-01 hazing law ○ lgl-04 school visitors guidelines ○ lgl-05 racial ethnic discrimination harassment student ○ lgl-06 religious holy days ○ lgl-13 sexual assault policy ○ lgl-15 student surveys ○ lgl-17 religious expression public schools ○ lgl-20 corporal punishment ○ saf-01 student search procedure ○ saf-02 weapons objects reasonable use ○ saf-04 incident data reporting release ○ saf-07 metal detectors ○ saf-09 lost children procedure ○ saf-11 sexual offender registry information sori ○ saf-12 school access control page 99 superintendent circular hwd-01 page 99 102 ○ shs-01 drug alcohol abuse ○ shs-16 suicide prevention intervention ○ spe-03 physical restraint policy ○ spe-14 counseling guidelines ○ spe-15 discipline students disabilities ○ sss-02 homeless students guidelines procedure ○ sss-07 persistently dangerous schools ○ sss-18 bullying prevention intervention plan ○ sup-20 child abuse neglect ○ sup-21 expectant parenting students ○ sup-05 code discipline f. health services relate policy shall follow boston public schools ○ ath-01 prevention management sports related head injuries ○ fse-05 medical emergencies ○ shs-23 condom accessibility ○ lgl-16 student health information page 100 superintendent circular hwd-01 page 100 102 ○ shs-04 infection prevention control school settings ○ shs-05 tuberculosis program ○ shs-06 immunization law ○ shs-08 medication dispensation ○ shs-11 life threaten allergies lta anaphylaxis policy implementation ○ shs-12 hiv aid policy guidelines ○ shs-13 medical transportation ○ shs-20 asthma schools ○ shs-21 diabetes policy ○ shs-22 automatic external defibrillator aed use access policy g. cultural proficiency relate policy shall follow boston public schools ○ cao-05 service limited english proficient students ○ ell-04 title expenditures english language learners ○ eqt-01 non discrimination policy statement ○ eqt-02 student family party reports bias page 101 superintendent circular hwd-01 page 101 102 ○ eqt-03 sexual misconduct students ○ eqt-05 employee report bias ○ eqt-06 sexual misconduct employee ○ eqt-07 accommodate employee disabilities ○ fam-02 school site councils ○ fam-01 school parent council ○ fam-03 middle high school student government ○ fam-05 title family engagement requirements ○ fam-06 boston student advisory council ○ lgl-05 racial ethnic discrimination harassment students ○ lgl-11 sexual orientation protection students discrimination page 102 superintendent circular hwd-01 page 102 102 information circular contact owner senior executive director health wellness departmen t health wellness mailing address 370 columbia rd dorchester ma 02125 phone 617 635 9698 email healthandwellness@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fse-02 version 01 fire safety practice circular remain effect rescind supersede subsequent version begin school year essential review update fire prevention life safety evacuation plan procedure school accordingly appropriate communication cooperation fire department authority imperative boston fire department office emergency management preparedness cite specific area concern responsibility directive bring attention follow fire safety practice incorporate fire safety section school safety contingency plan fire safety checklist attachment complete readily available main office appropriate document include fire drill report fire alarm test fire sprinkler system test fire extinguisher location document fire pump test aed location copy recent bfd quarterly inspection report certificate occupancy note applicable boston fire department direct school official designate member school safety team report page 2 superintendent circular fse-02 page 2 15 main entrance school meet direct arrive fire department public safety personnel emergency individual identify building coordinator position school safety plan usually school custodian building coordinator familiar circular building fire safety report fire safety checklist know location fire notification extinguishing system access area plan identify alternate person perform role event custodian available fire alarms fire alarm system maintain work order time important remember sounding fire alarm box automatically transmit signal fire alarm office simultaneously dispatch fire apparatus school fire department regulation mass. general law chapter 268 section 32 prohibit shutting tamper fire alarm system direct fire department deficiency trouble note fire alarm system report immediately facilities management fire alarm division 617 635 8300 evacuation school building alarm person person shall enter building authorization fire officer charge principal head school site coordinator designee fire drill procedure establish command procedure evacuation sounding fire alarm approve evacuation page 3 superintendent circular fse-02 page 3 15 procedure building occupant follow immediately verification fire department 911 617 343 2880 arrival boston fire department exercise authority order measure deem necessary protection person property authority include build evacuation reentry door labels number lettering shall removed changed interior exterior door number boston public schools remove change member bps facilities management team number lettering crucial boston police boston fire boston ems need respond school building emergency change numbering lettering school building disrupt evacuation safety plan exist school exist room number associate school asbestos hazard emergency response act ahera management plan indoor air quality iaq sensor school miss room number lettering submit work order facilities management team ensure issue resolve start school year mean egress designate exit school maintain mean page 4 superintendent circular fse-02 page 4 15 egress a. means egress keep free clear time b. use chain rope bar call dutch lock unauthorized device impede egress prohibit time school building occupy c. exit door intend keep close shall block open device arrangement shall prevent door design self close automatic- closing function intend use wedge hold corridor stairwell door open prohibit d. interconnect door room clear free lock fire smoke door prop open wooden wedge mean illegal practice prohibit school fire drill school shall conform following fire drill regulation a. responsible school administrator charge school shall formulate plan protection evacuation person event fire emergency shall include alternate mean egress person involve plan develop consultation appropriate representative boston fire department bps director emergency management preparedness b. principal head school site coordinator designee shall staff member receive understand proper instruction fire drill procedure specify room area person carry duty page 5 superintendent circular fse-02 page 5 15 assume duty log sign list maintain school document staff receipt procedure familiarization fire safety practice c. fire drill conduct quarterly september week school december march june involve student staff accordance mass fire code 527 cmr 1.00 20.2.4.2 record drill document google form available bps fire safety drill report central office support bps office emergency management preparedness safety services question contact bps office emergency management preparedness d. student school shall advise fire drill procedure shall fire drill day school begin september fire drill procedure particular room shall post room alternate obstruct drill shall exercise quarter alternate route shall e. require massachusetts law 527 cmr 1.05 20.2.4.2.1.4 head fire department person designate shall visit school time year purpose quarterly inspection review building fire safety plan question administrator fire department conduct fire drill building feel building compliance law drill conduct advance warn school personnel person charge school time f. fire drill plan ensure adequate procedure emergency evacuation student staff disability page 6 superintendent circular fse-02 page 6 15 procedure incorporate school safety contingency plan school building fire drill procedure address student staff accountability evacuation element plan identify person(s charge ensure accurate class attendance roster available identify specific location evacuee assemble g. require massachusetts law 527 cmr 1.05 20.2.4.2.1.6 evacuation fire exit drill shall include complete evacuation person building storage flammable hazardous materials flammable shall store approve lock metal cabinet suitably vent store warrant locked storage vault provide storage facility control school official authorized personnel allow access faculty member allow student fuel individual device transport fuel container location school personnel thoroughly instruct hazard involve particular flammable liquid chemical gas safe proper handling prior intend use material safety data sheet file main office fuel container allow remain classroom immediately return permanent storage facility procedure incorporate school safety contingency plan school building material school science laboratory experiment store page 7 superintendent circular fse-02 page 7 15 compliance related law code ordinance quarterly school fire inspection complement specialized inspection conduct boston fire department special occupancies officer hazardous storage area secure identify appropriate warning label appropriate chemical storage room door identification national fire protection association 704 diamond reference superintendent circular fse-06 student safety health school shops laboratories classrooms chemical inventory sheet superintendent circular fmt-7 right know law reporting fire incident boston fire prevention code require following a. person discovery fire smoke building premise shall immediately notify fire alarm office boston fire department location discovery circumstance observe boston fire department notify sound near fire alarm box pull station telephone 911 617 343 2880 event fire b. discovery evidence fire attempt burn shall report boston fire department call 911 617 343 2880 bps director emergency management preparedness 857 701 9404 begin arson investigation bfd consider fire start student potentially mental health issue address early prevent problem page 8 superintendent circular fse-02 page 8 15 future c. section shall construe forbid person discover fire owner lessee person charge building premise occupant agent notify fire department mean necessary extinguish control fire prior arrival fire department d. person shall require issue post maintain order direction regulation write verbal require direct delay report fire fire department e. personnel familiar fire reporting procedure f. boston fire department facilities management office emergency management preparedness notify fire relate incident include limit follow fire explosion good intent call overpressure rupture false alarm false medical emergency hazardous material i.e. fuel spill chemical leak hazardous condition service call fire extinguish occupant g. fire include paper towel tissue extinguish report boston fire department accordance procedure delineate section a. b. h. principal shall submit write report available this_link https://www.mass.gov/doc/fp-200-school-fire- page 9 superintendent circular fse-02 page 9 15 reporting form download fire school building school ground bps director emergency management preparedness 857 701 9404 forward boston fire department 24 hour compliance mass general law chapter 148 sec 2a go effect september 2006 information essential arson prevention action fire extinguishers kitchen systems a. portable fire extinguisher service annually locate accordance building fire safety plan b. kitchen extinguishing system service twice year c. responsibility senior custodian ensure extinguisher visually inspect weekly recharge inspect annually ensure ready emergency use d. requests fire extinguisher servicing facilities management 617 635 9122 e. extinguisher hang corridor readily accessible list fire extinguisher location shall post office maintain fire safety section building school safety contingency plan flammable decoration a. flammable decoration include example student work display path egress include doorway stairwell b. boston fire department expect display reasonable amount student work accordance page 10 superintendent circular fse-02 page 10 15 national fire protection association life safety code 527 cmr 20.2.4.4.3 paper material display educational use occupancy shall permit wall accordance follow 1 classroom paper material display shall exceed 20 total wall area 2 paper material display shall attach directly wall shall permit cover egress door place foot egress door approve ahj determine wall area door window opening shall include paper material display fully enclose view cabinet glass polycarbonate view panel cover glass polycarbonate sheet material accordance building code b flame retardant paper material display 3 paper material display shall permit cover 50 total wall area classroom fully sprinklere accordance chapter 13 corridor display decoration limit bulletin board cover 10 total corridor wall space c. certain building fire protection feature consider display student work d. refer superintendent circular fse-03 building codes fire regulations page 11 superintendent circular fse-02 page 11 15 right know chemical inventory school facility maintain accurate inventory toxic hazardous substance store building refer superintendent‘s circular fmt-07 right know law chemical inventory summary significant date deadlines date activity september week school quarterly fire drill report december quarterly fire drill report march quarterly fire drill report june quarterly fire drill report information circular contact owner director emergency management preparedness department office emergency management safety services mailing address 205 townsend street boston ma 02121 phone 617 635 6082 857 701 9404 email operations department- heads@bostonpublicschools.org page 12 superintendent circular fse-02 page 12 15 mary skipper superintendent updated 7.31.2024 page 13 superintendent circular fse-02 page 13 15 attachment school building fire safety plan school principal head school 1 school fire safety plan school safety contingency plan y n 2 plan readily available main office y n 3 school safety contingency plan section 6 4 plan current school year y n 5 plan include follow element a. description building type height occupancy y n b. types fire protection system sprinkler system standpipe y n c. fire alarm location pull station smoke detector heat detector y n d. location exit primary alternate y n e. evacuation route primary alternate y n f. stairwell designation y n g. smoke control corridor door close hold open magnetic device release alarm activate y n h. location extinguisher y n i. identity location occupant disability y n j. floor plan y n k. record staff train y n l. fire drill report y n m. fire alarm system test record y n n. copy build occupancy permit y n o. incident control team member identify title define responsibility emergency include ups)y n follow phone fire alarm office 911 617 343 2880 designate staff member p. aed device location y n date page 14 superintendent circular fse-02 page 14 15 attachment b boston fire department fire prevention division school display material 527 cmr 1.05 area sprinkler sprinklers classroom 20 wall coverage combustible material allow 5 ft egress door limit view cabinet cover polycarbonate material flame retardant 50 wall coverage combustible material allow 5 ft egress door limit view cabinet cover polycarbonate material flame retardant exit passageway corridor assembly area 10 wall coverage combustible material allow group maximum 6 ft high 12 ft wide group separate width large adjacent group limit view cabinet cover polycarbonate material flame retardant material 5 ft egress door 50 wall coverage combustible material allow group maximum 6 ft high 12 ft wide group separate ½ width large adjacent group limit view cabinet cover polycarbonate material flame retardant material 5 ft egress door exit enclose stair permit permit page 15 superintendent circular fse-02 page 15 15 note 1 door window opening include calculate wall area 2 documentation compliance nfpa 701 13115 flame retardant 3 plexiglas allow covering glass polycarbonate 4 posting exit signage evacuation plan shall prohibit regulation 5 527 cmr 1.05 shall applicable election material require law post local state federal election regulation effective september 19 2003 page 1 superintendent circular number eqt-03 version 01 sexual misconduct student circular remain effect rescind supersede subsequent version introduction boston public schools bps commit ensure student learn environment free sexual misconduct sexual misconduct commit bps student tolerate addition act retaliation individual report allegation sexual misconduct cooperate relate investigation unacceptable tolerate student participate bps academic educational extracurricular athletic school program activity protect sexual misconduct student parent bps employee party e.g. visitor addition bps student protect sexual misconduct occur outside context school education program activity school property behavior connection school program activity include location event circumstance district exercise substantial control person accuse conduct context sexual misconduct occur boston public schools treat report sexual misconduct utmost seriousness address sexually page 2 superintendent circular eqt-03 page 2 14 inappropriate communication behavior direct student regardless conduct unlawful policy design intend limit district authority discipline remedial action conduct boston public schools deem unacceptable definition sexual misconduct purpose policy sexual misconduct constitute sexually inappropriate comment and/or behavior kind example sexual misconduct sexual violence sexual violence broadly define sexual activity force coerce unwanted include sexual act person incapable give consent temporary permanent mental physical incapacity minor consent define clear active agreement permission engage form verbal nonverbal sexual communication activity person initiator sexual contact responsible obtain consent engage sexual contact consent withdraw party point consent voluntary valid person subject emotional psychological physical reputational financial threat intimidation coercion consent engage sexual activity past agreement engage particular sexual activity presume constitute consent engage different sexual activity engage sexual activity consent page 3 superintendent circular eqt-03 page 3 14 validly give person incapacitate age sixteen sexual violence include criminal act indecent assault battery rape abuse assault intent rape act criminal refer law enforcement example sexual violence include limit following unwelcome sexual touching non consensual sexual contact occur school non school hour school ground include date violence recruiting transporting obtaining provide student gender purpose sex form sexual misconduct sexual misconduct include unwelcome conduct sexual nature deny limit basis sex student ability participate receive benefit service opportunity school program activity example behavior constitute sexual misconduct depend totality circumstance age student individual involve severity pervasiveness conduct include limit sexual advance involve touch request sexual favor page 4 superintendent circular eqt-03 page 4 14 make educational decision benefit contingent student submission unwelcome sexual conduct offensive public sexual display affection include groping fondle gesture inappropriate touching oneself consensual groping fondle sexual touching sex school property school sponsor activity sexual joke reference comment student body student sexual activity orientation offensive calling profanity sexually suggestive sexually degrading base sexual stereotype sexual orientation different treatment pregnancy status display distribute sexually explicit drawing picture material form sexte trafficking youth sexual purpose recruiting transporting exploit minor exchange money shelter food sexual advance contact consensual student employee contractor community partner sexual activity student school building bps business conduct verbal nonverbal physical conduct sexual nature page 5 superintendent circular eqt-03 page 5 14 student regardless gender identity sexual orientation target sexual misconduct allege target subject concern different gender employee boston public schools aware possible sexual misconduct involve student report incident concern school leader supervisor and/or office equity soon practicable generally school day reporting requirement apply partner contractor provide service student auspex boston public schools list example exhaustive unsure student target sexual misconduct knowledge possible incident sexual misconduct involve student immediately contact school principal head school supervisor office equity 617- 635 9650 bpsequity@bostonpublicschools.org reporting investigate sexual misconduct student parent party believe student subject inappropriate sexual conduct report incident principal head school office equity boston public schools promptly investigate allegation sexual misconduct incident investigate law enforcement entity obligation determine violation bps circular and/or bps code conduct investigation conduct manner maintain confidentiality page 6 superintendent circular eqt-03 page 6 14 extent practicable circumstance incident bps employee aware directly indirectly note overheard conversation investigate interim measure safety student involve take receipt report ensure equal access educational program activity investigation result finding violation policy boston public schools step end misconduct prevent misconduct remedy effect appropriate disciplinary action deem appropriate circumstance report procedures appendix checklist instruction assume office equity inform incident require school administrator instruct follow protocol receive report sexual misconduct building administrator immediately school day rare exception 1 ensure student disclose sexual misconduct interview bps employee subsequent initial disclosure specifically direct law enforcement state department children families dcf office equity minimize allege target emotional distress preserve integrity reliability investigation initial page 7 superintendent circular eqt-03 page 7 14 disclosure conversation limit essential fact bps staff member receive report document conversation thoroughly possible 2 assess need emergency interim safety measure prevent additional incident ensure target able fully engage school program activity implement plan appropriate 3 report incident school safety specialist safety services 617 635 8000 allegation involve sexual assault violence physical contact threat safety services sure allege incident constitute sexual violence inform school nurse medical care need safety services available 911 depend nature allegation office safety services work directly boston police department school unit boston police crime children unit conduct investigation team investigation include agency involvement law police provide boston public schools write report incident sexual violence 4 contact department children families dcf file 51a report allegation warrant mandate reporter employee boston public schools require report situation reasonable cause believe student suffer physical emotional injury cause harm substantial risk harm student health welfare page 8 superintendent circular eqt-03 page 8 14 question relate school employee obligation file 51a report dcf direct office legal advisor refer superintendent circular sss-17 child abuse neglect allege subject 18 year old 7 year old disability manifest inappropriate sexual conduct office equity prior file 51a. 5 alert school operational leader wish and/or request office equity alert school elementary secondary school superintendent depend severity complexity allegation school superintendent and/or operational leader partner designate school administrator and/or office equity complete investigation 6 notify parent(s legal guardian(s reporter allege victim minor parent legal guardian subject concern and/or notification create substantial risk student health safety welfare 7 subject concern minor building administrator office equity designee notify subject parent(s legal guardian(s reason confidentiality inform subject family allege target identity gender 8 submit section 1 equity student incident investigation form school day possible 48 hour incident document page 9 superintendent circular eqt-03 page 9 14 treat confidential send office equity share document related document direct office equity office legal advisor law enforcement authority form submit digitally link 9 investigate document allegation determine preponderance evidence inappropriate conduct occur boston public schools action deem appropriate circumstance student action consistent code conduct include training mediation restorative practice employee action consistent district labor practice include training restorative practice and/or discipline 10 submit section 2 equity student incident investigation form 10 day incident complete narrative staff document witness statement subject response allegation(s additionally staff document investigatory finding remedial action take form submit digitally link investigation alleged target misconduct discuss incident subject concern present circumstance detailed guidance investigate document allegation sexual misconduct follow boston public schools protocols sexual misconduct page 10 superintendent circular eqt-03 page 10 14 investigation conduct school leaders central office managers report submit equity student incident investigation form review office equity prohibition retaliation retaliation individual report sexual misconduct retaliation individual cooperate relate investigation unlawful tolerate boston public schools report retaliation bring building administrator person conduct investigation student feel retaliation follow complaint office equity 617 635 9650 bps title ix coordinator boston public schools title ix coordinator responsible ensure compliance investigatory process outline eqt-3 track incident district parent employee raise concern investigatory process and/or outcomes contact district title ix coordinator director compliance title ix coordinator boston public schools 2300 washington street roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 page 11 superintendent circular eqt-03 page 11 14 email bpsequity@bostonpublicschools.org resource united states department education office civil rights ocr 5 post office square 8th floor boston ma 02109 617 289 0111 massachusetts commission discrimination mcad office location address boston ashburton place room 601 boston ma 02108 617 994 6000 springfield 436 dwight street suite 220 springfield ma 01103 413 739 2145 new bedford 800 purchase street room 501 new bedford ma 02740 508 990 2390 worcester 484 main street room 320 worcester ma 01608 508 453 9630 massachusetts department elementary secondary education program quality assurance 75 pleasant street malden ma 02148 4906 781 338 3700 page 12 superintendent circular eqt-03 page 12 14 information circular contact owner director training school support department office equity mailing address 2300 washington st. roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 email bpsequity@bostonpublicschools.org matter involve dcf contact department office legal advisor mailing address 2300 washington street boston ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org mary skipper superintendent page 13 superintendent circular eqt-03 page 13 14 appendix checklist school administrators instruction assume office equity inform incident require school administrator instruct follow protocol receive report sexual misconduct include sexual harassment sexual violence school central office administrator elementary secondary school superintendent elementary secondary school assistant superintendent and/or operational leader complaint school central office administrator immediately  receive disclosure sexual misconduct student report document following 1 subject concern 2 subject 3 physical contact subject touch clarify contact clothing directly student skin 4 time like happen 5 happen 6 tell happen student interview bps employee interview adult room  assess need emergency interim measure implement appropriate page 14 superintendent circular eqt-03 page 14 14  report incident school safety specialist safety services 617 635 8000 allegation involve sexual violence physical contact threat safety services sure allege incident constitute sexual violence safety services available 911  contact department child family services file 51a report allegation warrant  alert operational leader addition request office equity alert school elementary secondary school superintendent  notify parent(s legal guardian(s alleged target misconduct parent legal guardian subject investigation and/or notification create substantial risk student health safety welfare  notify subject parent(s legal guardian(s individual minor  submit section 1 equity student incident investigation form school day possible 48 hour incident  investigate document allegation consistent office equity protocols determine violation circular occur code conduct violation find conduct disciplinary proceeding  submit section 2 equity student incident investigation form 10 day incident page 1 superintendent circular number hrs l02 version 01 requirement paraprofessional essa circular remain effect rescind supersede subsequent version department education student succeed act essa require instructional paraprofessional meet specific employment requirement order designate highly qualified requirement apply schoolwide program regard position fund federal state local fund consider highly qualified paraprofessional need possess specific skill reading writing math instruction outline attachment superintendent circular i. essa requirement paraprofessional currently available option paraprofessional deem highly qualified pathway 1 associate degree 48 credit hours coursework paraprofessional obtain associate high degree complete 48 credit hour coursework institution high education ihe pathway select paraprofessional submit principal headmaster relevant transcript page 2 superintendent circular hrs l02 page 2 12 pathway 2 formal standardized assessment paraprofessional pass formal standardized assessment massachusetts ese select parapro assessment workkeys certificate proficiency teacher assistant formal state- endorse assessment assessment enable instructional paraprofessional meet requirement pathway select paraprofessional submit principal headmaster official score report confirm pass score ii resource pathway 2 information parapro assessment include content overview registration access line http://www.ets.org/parapro test generally offer paper pencil test give time year roxbury community college bps currently administer internet base parapro test scaled score 464 achieve order pass deem highly qualified information workkeys proficiency certificate teacher assistants access line http://www.act.org/workkeys/. consist assessment observation base tool know instructional support inventory isi administer worksource partners inc. harvard street ste 200 brookline ma 02445 phone 617 232 0330 meet requirement essa paraprofessional achieve follow skill level assessment read information skill level 5 page 3 superintendent circular hrs l02 page 3 12 applied mathematic skill level 4 business writing skill level 3 iii federal definition definition instructional paraprofessional instructional paraprofessional individual provide instruction support classroom teacher aide assistant tutor engage instructional support consider instructional paraprofessional define essa individual work solely non instructional role food service cafeteria playground supervision personal care service non instructional computer assistance consider instructional paraprofessional responsibility instructional paraprofessional esea specify instructional paraprofessional engage follow activity provide tutoring eligible student tutoring schedule time student receive instruction teacher assist classroom management organize instructional material assist computer laboratory provide instructional support library medium center provide instructional service student direct supervision teacher page 4 superintendent circular hrs l02 page 4 12 instructional paraprofessional supervise directly teacher instructional paraprofessional supervise peer group peer follow category paraprofessional need possess high school diploma equivalent require meet additional requirement list paraprofessional title program serve primarily translator long paraprofessional proficient english language english paraprofessional work solely parental involvement activity visit mass. dese website additional detail information circular contact department office human resources mailing address 2300 washington street boston ma 02119 phone 617 635 9600 fax 617 635 7956 mary skipper superintendent page 5 superintendent circular hrs l02 page 5 12 attachment massachusetts department education learning guidelines title instructional paraprofessionals department education strongly encourage district charter school use guideline model paraprofessional provide instructional support student basic assumptions instructional paraprofessional respected team member responsible assist delivery instruction student relate activity value member faculty essential partner work title program give responsibility instructional paraprofessional skilled reading writing mathematic familiar instructional practice ensure support achievement student enhance continuity quality service student paraprofessional encourage support effort participate ongoing professional development program programs instructional paraprofessional good comprehensive acknowledge diverse role paraprofessional play school provide pathway education teacher licensure desire page 6 superintendent circular hrs l02 page 6 12 1 literacy domain 01 language paraprofessional know able use agree rule informal formal discussion small large group pose question listen idea contribute information idea group discussion interview order acquire new knowledge understand new vocabulary use correctly reading write analyze use standard english grammar describe analyze use appropriately formal informal english identify use correct meaning word phrase recognize use word multiple meaning use paragraph passage context determine meaning unfamiliar uncommon word phrase use dictionary thesaurus related reference 02 literature paraprofessional know able identify basic fact main idea text use basis interpretation identify paraphrase main idea passage identify support evidence page 7 superintendent circular hrs l02 page 7 12 identify organize draw conclusion relationship(s idea write material identify analyze apply knowledge theme structure element fiction provide evidence text support understanding identify analyze apply knowledge purpose structure element nonfiction informational material provide evidence text support understanding identify analyze apply knowledge theme structure element poetry provide evidence text support understanding identify analyze apply knowledge theme structure element drama provide evidence text support understanding identify analyze author word appeal sense create imagery suggest mood set tone provide evidence text support understanding 03 composition paraprofessional know able write clear focus coherent organization sufficient detail write different audience purpose demonstrate adequate paragraph development appropriate style tone word choice composition page 8 superintendent circular hrs l02 page 8 12 use standard english convention writing revise edit organize idea write way make sense purpose gather information variety source analyze evaluate quality information obtain use answer question outline summarize note interpret information present graphic form 2 numeracy domain 01 number sense paraprofessional know able understand number way represent number relationship number number system understand principle operation relate integer fraction decimal percent ratio proportion understand solve problem involve integer fraction decimal percent ratio proportion understand meaning mathematical operation relate compute fluently reasonable estimate know use standard arithmetical algorithm page 9 superintendent circular hrs l02 page 9 12 02 algebra paraprofessional know able understand use pattern model solve problem understand manipulate simplify algebraic expression translate problem algebraic notation understand property different type function relation 03 geometry paraprofessional know able analyze characteristic property two- three- dimensional geometric shape specify location describe spatial relationship coordinate geometry representational system understand principle property coordinate transformational geometry apply transformation use symmetry analyze mathematical situation use visualization spatial reasoning geometric modeling solve problem 04 measurement data analysis paraprofessional know able identify measurable attribute object use standard unit system process measurement formulate question address datum collect organize display relevant datum answer page 10 superintendent circular hrs l02 page 10 12 select use appropriate statistical method analyze datum develop evaluate inference prediction base datum 3 instruction domain 01 curriculum planning paraprofessional know able assist activity address standard advance student level content knowledge assist activity appropriate range student classroom appropriate specific discipline age level proficiency english language individualized education programs iep 02 effective instruction paraprofessional know able communicate lesson objective clearly build student prior knowledge experience provide support guidance classroom teacher address student need help student use appropriate instructional resource support learn reading writing mathematic help student use variety approach understand read help student focus writing help student relate mathematic everyday situation page 11 superintendent circular hrs l02 page 11 12 employ variety range instructional technique direct instruction cooperative learning group use instructional technology appropriately provide regular feedback student progress provide formal informal assessment student progress 03 classroom climate equity paraprofessional know able maintain appropriate standard behavior mutual respect safety classroom promote achievement student include disability limited english proficiency gifted talented exception promote civic self responsibility classroom school community 04 professional responsibilities paraprofessional know able carry legal ethical responsibility carry health safety emergency procedure learning environment maintain high standard expectation student 05 professional skills paraprofessional understand able page 12 superintendent circular hrs l02 page 12 12 accept supervision reflect critically classroom experience identify area skill professional development work collaboratively school personnel confer supervisor(s and/or content specialist(s assistance need support student learn process page 1 superintendent circular number shs-01 version 01 drug alcohol misuse harm reduction update procedures circular remain effect rescind supersede subsequent version education student prevention alcohol marijuana tobacco drug dependency substance misuse prevention harm reduction comprehensive health education program certain curricula complement supplement health education curriculum material grade k-12 substance misuse prevention harm reduction integrate reading language art social study science class national health education standards performance expectation provide functional health knowledge belief skill necessary student adopt maintain healthy behavior reduce risk behavior associate substance misuse achieve health literacy enhance health outcome boston public schools scope sequence health education recommend follow substance prevention curriculum include page 2 superintendent circular shs-01 page 2 9 catch curriculum grades k-6 tobacco alcohol drug prevention contact office health wellness access essential health skills middle schools high schools g- w publisher tobacco alcohol drug prevention contact office health wellness access stanford university k-12 tobacco prevention toolkit include e cigarette use type include nicotine cannabis thc and/or non nicotine product stanford university grades 6 12 cannabis awareness prevention toolkit early identification intervention student possess use substance school problem involve alcohol drug demand attention assistance school personnel school nurse school counselor social workersphave trainedin identification medical effect substance use addiction district continue provide service program workshop craise staff awareness understand protocol procedure place deal student suspect identify need support substance abuse school staff alert symptom student indicate problem substance abuse follow protocol outline circular symptom include following abrupt change mood attitude sudden decline attendance page 3 superintendent circular shs-01 page 3 9 performance school sudden resistance discipline impair relationship family friend drowsiness inattention discussion surrounding weight loss inattention dress unusual flare up temper steal heighten secrecy action possession association new friend especially individual know substance user screening screening brief intervention referral treatment sbirt focus prevention early detection risk assessment brief counseling referral assessment utilize school setting tool frequently school nurse assess acuity problem develop step use validate screening tool enable bps school team detect risk substance use relate problem brief intervention strategy help address concern early stage adolescent march 2016 massachusetts legislature enact act relative substance use treatment education prevention step act outline requirement public school commonwealth engage substance use screening education legislation find https://malegislature.gov/laws/sessionlaws/acts/2016/chapter52 section 15 63 64 66 bps implement use approve validate crafft ii screening tool approve massachusetts department public health dph department elementary secondary education dese legislation sbirt screen provide annually student grade 7 page 4 superintendent circular shs-01 page 4 9 9 parent guardians notify screening prior start year give option opt writing refer sbirt schools staff conduct sbirt screening complete mandatory training ma department public health bu shield sbirt schools resource toolkit counseling referral suspect student abuse marijuana alcohol drug strong indication case student refer school nurse wellness check school social worker parent guardian caregiver shall notify student refer student support team(sst and/or school administrator referral voluntary substance use program sup succeed boston substance use program sup voluntary program student use drug alcohol concern program provide education counseling effect drug alcohol vape provide student alternative way deal stress referral outside service provide need student participate voluntary intensive program day discharge refer appropriate outside service student refer student support team sst teacher school staff member student self refer problem substance abuse team prepare assist student provide source early intervention page 5 superintendent circular shs-01 page 5 9 form individual group counseling provider agency serve school available community entry follow crucial phase student recovery return treatment substance abuse care program devise school staff collaboration facility provide treatment service plan include review student school program parent guidance counselor case manager placement appropriate class schedule follow meeting reporting incident relate drug alcohol use 1 school department personnel obligation report principal head school designate administrator incident suspect incident involve use possession distribution drug alcoholic beverage authority boston school department 2 school department personnel understand event subpoena testify court law proceeding obligate reveal information pertain drug alcohol weapon incident information give confidence page 6 superintendent circular shs-01 page 6 9 3 school personnel understand prohibit make deal student agree notify law enforcement agency know suspect illegal activity involve drug alcohol 4 incident suspect incident report immediately appropriate principal head school designate administrator accordance school department policy procedure 5 student consider authority boston school department school department property school department bus near school bus stop way school participate school sponsor activity conduct school ground 6 student suspect admit influence drug alcohol immediately escort office principal head school designate administrator 7 student involve incident describe item 1 5 6 shall consider massachusetts general laws chapter 94c controlled substances act chapter 138 alcoholic liquors chapter 119 protection care children proceedings chapter 169 10 dangerous weapon unlawfully carrying page 7 superintendent circular shs-01 page 7 9 8 use drug and/or alcohol prohibit student deem violation school rule investigation principal head school designate administrator appropriately discipline law enforcement ems assistance request case apparent student engage disorderly dangerous behavior 9 case student find possession drug alcohol weapon influence drug alcohol consider violation massachusetts general law case principal head school designate administrator obligate summon boston police department assume responsibility criminal prosecution event prosecution warrant 10 case student find suspect involve incident involve substance abuse safety specialist custody evidence include drug alcohol 11 department safety services coordinate record- keeping function page 8 superintendent circular shs-01 page 8 9 disciplinary procedures relate drug alcohol abuse 1 section 7.7 .1 code conduct require sale distribution possession intent sell distribute prescribed non prescribed control substance school school ground school jurisdiction result expulsion 2 section 7.4.2 code conduct allow suspension long term suspension alternative program placement expulsion student find possession non- prescribe control substance narcotic drug hallucinogenic drug amphetamine barbiturate marijuana alcoholic beverage intoxicant kind information circular contact owner director office health services department office health services mailing address 443 warren street suite 2 dorchester ma 02121 phone 617 635 6788 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 9 superintendent circular shs-01 page 9 9 page 1 superintendent circular number hrs pp16 version 01 employee savings investment benefit circular remain effect rescind supersede subsequent version flexible spending account city boston flexible spending accounts administer cafeteria plan advisors inc. flex spending let deduct pre- tax money pocket medical expense dependent care transportation annual enrollment flex spending occur november plan year begin january 1 participant program receive benny card start new year begin immediately eligible expense read flexible spending download flexible spending application cafeteria plan advisors inc. website contact cafeteria plan advisors directly question mailing address 420 washington street suite 100 braintree ma 02184 phone 1 800 544 2340 fax 1 781 848 8477 email info@cpa125.com page 2 superintendent circular hrs pp16 page 2 4 retirement planning state boston retirement system employee eligible participate state boston retirement system information visit retirement board website voluntary retirement plan employee eligible participate type voluntary defer compensation retirement plan massachusetts deferred comp 457 smart plan 403(b tax shelter annuity information type voluntary defer compensation plan deferred compensation 1 457 smart plan employee eligible participate commonwealth deferred compensation plan know section 457 plan allow employee shelter income federal state income tax payroll deduction additional information available massachusetts deferred compensation smart plan website click information deferred compensation irs 457 2 403(b plan employee eligible participate cost tax- shelter annuity know 403(b plan annuity tax save retirement planning device allow page 3 superintendent circular hrs pp16 page 3 4 employee shelter income federal state income tax payroll deduction representative participate company provide payroll deduction form download print form fill submit accord bps 403(b procedure o aig valic variable annuity life insurance co. nashua nh 603 594 8340 o american united life insurance company o ameriprise financial services inc. minneapolis mn 800 862 7919 o ameritas life insurance corporation lincoln ne 800 745 1112 o aspire financial services tampa fl 866 634 5873 o axa equitable life insurance company wellesley ma 781 237 8264 o commonwealth annuity life ins co. topeka ks 800 457 9047 o fidelity investments mutual funds o great american advisors inc. cincinnati oh 800 216- 3354 o great american financial resources inc. cincinnati oh 888 497 8556 o horace mann springfield il 866 999 1945 o kemper annuity life ins co. topeka ks 800 457- 9047 o lincoln investment planning mutual funds waltham ma 781 647 3050 o lincoln national life insurance company fort wayne 800 454 6265 o metlife bloomfield ct 860 768 0139 page 4 superintendent circular hrs pp16 page 4 4 o metlife ct bloomfield ct 860 768 0139 o midland national life o north american company life health o new york life insurance company sleepy hollow ny 914 846 5608 o protective life topeka ks 800 457 9047 o union central life ins co. cincinnati oh 800 825 1551 voluntary insurance insurance provider offer short long term disability offer optional life insurance critical illness coverage voluntary insurance program advise benefit administer health benefits office information circular contact owner employee services office human resources phone 617 635 9600 fax 617 635 7957 email employeeservices@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number cao-07 version 01 masscore graduation requirement circular remain effect rescind supersede subsequent version boston public schools bps priority create policy practice support preparation student college career life ready remove barrier prevent student graduate bps accordingly imperative bps utilize standard align graduation requirement district promote ensure rigor excellence school result elimination opportunity achievement gap ensure student graduate prepare life high school approve boston school committee 2021 boston public schools bps adopt masscore course study graduation requirement student district requirement begin student enter 9th grade school year 2022 2023 sy22 23 implementation start sy25 26 circular outline detail graduation course requirement alignment dese standard state graduation requirement course waiver process graduation requirement begin grade 9 sy23 24 follow credit page 2 superintendent circular cao-07 page 2 6 content category require graduation bps table visually represent course requirement graduation masscore framework massachusetts high school program studies content category unit notes english language arts 4 unit esl course student designate eld 1 2 3 count ela credit mathematics 4 unit include completion algebra ii integrated mathematics iii mathematics course senior year recommend student science 3 unit lab- base science coursework technology engineering course count masscore science credit history social science 3 unit include u.s. history world history additional core masscore elective inclusion ethnic studies course strongly encouraged foreign language 2 unit unit language page 3 superintendent circular cao-07 page 3 6 physical education 1 unit require law student quarter course equivalent pe year equivalent arts 1 unit student quarter course equivalent art year cumulative unit additional core courses 5 unit inclusive pe 1 credit plus additional course additional coursework include health education career technical education health education bps wellness policy require 1 semester ¼ course equivalent health education high school state graduation requirement policy replace state law dese regulation pertain high school graduation additional requirement include limit action civics project require chapter 296 act 2018 act promote enhance civic engagement earn competency determination pass score grade 10 english language art mathematic high school level science technology engineering massachusetts comprehensive assessment system mcas test student pass mcas test educator develop educational proficiency plan epp subject(s student need meet course requirement epp addition meet masscore requirement page 4 superintendent circular cao-07 page 4 6 substitution follow substitution meet graduation requirement additional waiver physical education masscore reflect legal requirement physical education teach require subject grade bps wellness policy require school offer high quality physical education student grade circumstance student meet requirement approve organize program instructional physical activity include limit participation interscholastic athletic skating hockey dance yoga martial art capoeira swimming physical activity school base community program independent study substitution independent study opportunity approve office health wellness computer science student substitute unit computer science ap computer science principles computer science principles explore computer science include rigorous mathematical concept align digital literacy computer science standard mathematics course humanities course double block humanities course count 1 ela credit 1 history credit period humanities course count 1 history credit ela credit page 5 superintendent circular cao-07 page 5 6 career technical education student enrol dese approve chapter 74 program fulfill masscore requirement fulfil art world language requirement art world language requirement waive student strongly encouraged course comply college admission requirement credit course grades 7 8 student able apply high school credit high school level course complete successfully 7th 8th grade world language competency multilingual learner earn world language credit demonstrate competency native language achieve intermediate mid level language proficiency avant stamp assessment avant stamp administration administer bps welcome center fall spring year student score intermediate high level language proficiency utilize assessment result attainment ma state seal biliteracy graduation meet minimum criterion english language proficiency set forth massachusetts department elementary secondary education course waiver process schools seek additional waiver individual student course page 6 superintendent circular cao-07 page 6 6 implementation school collaborate academics team ensure alignment course schedule masscore requirement 9th grade student follow recommend course sequence quarter physical education sy23 24 school work district ensure proper staffing model meet masscore requirement especially student grade 9 information circular contact owner elementary superintendent department academics professional learning mailing address 2300 washington st. roxbury ma 02119 phone 617 635 6053 email opl@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-22 version 01 sexual offender registry information s.o.r.i. circular remain effect rescind supersede subsequent version sexual offender registry law require convict sexual offender commonwealth massachusetts register police department city town live work state classify offender level 1 3 depend likelihood offender repeat crime local police department receive information share public school district protection child result law boston public schools principal head school access sori information state website describe boston public schools receive sexual offender registry information s.o.r.i. boston police department pursuant state regulation bpd notify school community finally classify level 3 sex offender sexually dangerous predator information available include register individual home and/or workplace address date birth general physical description charge convict photograph available information pertain sex offender registry website share staff educate resource public availability s.o.r.i information page 2 superintendent circular lgl-22 page 2 6 s.o.r.i. information distribute alert community protect child handle responsible manner law distribute copy and/or use information unlawful manner e.g. threat extortion etc law use sex offender registry information commit crime engage illegal discrimination harassment sex offender law pass prevent convict offender prey innocent child identify register offender act inappropriately school building approach child contact boston police department immediately attach find common question answer 1 register sex offender sex offender live work attend school massachusetts convict sex offense adjudicate youthful offender delinquent juvenile sex offense release incarceration parole probation supervision custody department youth services sex offense conviction adjudication adjudicate sexually dangerous person person release civil commitment anytime august 1 1981 2 principal head school request information sex offender registry board person register sex offender registry board information share local police page 3 superintendent circular lgl-22 page 3 6 department department share information public school district local police department access information pertain levels 1 2 3 sex offender 3 non school personnel parent request information sex offender registry board public request information sex offender community send sex offender inquiry form request sex offender registry board request submit online following mail address attn sori coordinator sex offender registry board p.o. box 392 north billerica ma 01862 https://www.mass.gov/how-to/request-sex- offender registry information sori information person request information person local police station unlike local police department member public access information level 2 level 3 offender page 4 superintendent circular lgl-22 page 4 6 information circular contact owner legal advisor department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email legal@bostonpublicschools.org owner chief safety services department safety services mailing address 213 townsend street dorchester ma 02121 phone 617 635 8000 fax 617 635 8006 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 5 superintendent circular lgl-22 page 5 6 sex offender registry information s.o.r.i questions answers principal head school information receive safety services bpd s.o.r.i. case establish secure central file mandatory review staff member include teacher paraprofessional volunteer establish pattern work school file copy file opportunity staff come review copy s.o.r.i. information and/or distribute review note offender employee volunteer school contact office human capital direction office human capital review situation case- case basis work office legal advisor superintendent school final resolution review note offender student school contact safety services unit 617 635 8000 direction parent community member come school call seek s.o.r.i. information individual direct near police district provide information request page 6 superintendent circular lgl-22 page 6 6 s.o.r.i. handle relative bps employee bps student bps volunteer bus driver o employee hire henceforth s.o.r.i. check automatically conjunction c.o.r.i. criminal offender registry information check place information s.o.r.i. offender receive safety services run current employee list identify employee sex offender o information s.o.r.i. offender receive safety services run current student list identify student sex offender o partners education request place police department mailing list s.o.r.i. case check regular basis listing volunteer o bps contract transportation provider request place police department mailing list s.o.r.i. case check regular basis listing bus driver o community schools request place police department mailing list s.o.r.i. case check regular basis listing employee situation general occur school relative s.o.r.i. process contact safety services unit immediately 617 635 8000 page 1 superintendent circular number hrs pp06 version 01 confidentiality personnel record employment verifications circular remain effect rescind supersede subsequent version state law regulation regulate disclosure information collect personnel boston public schools law regulation provide exception personnel medical record school department record available public inspection state law provide individual review challenge information file concern personnel record office human resource maintain publicly available confidential file employee office human resource disclose allowable information request writing note follow public record release receipt write request names material datum relate specifically name individual release publicize intimate detail highly personal nature page 2 superintendent circular hrs pp06 page 2 4 confidential information release social security number home address phone number transcript medical form evaluation employee view entire file court order legal mandate require employee view file office human resource appointment schedule appointment place hr inquiry request beacon find internal employee navigate access.boston.gov obtain copy personnel card city boston retirement board place hr inquiry request beacon find internal employee navigate access.boston.gov employee need submit request email ohr@bostonpublicschools.org employment verification inquiry employee employment status information direct office human resource official personnel record maintain employee seek employment verification mortgage housing substitute time standard verification etc create hr inquiry request beacon employee scan attach verification hr inquiry submission employee need email address submit potential mortgage company housing office loan provider provide ohr email ohr@bostonpublicschools.org fax request 617 635 7957 note request page 3 superintendent circular hrs pp06 page 3 4 employment verification process order receive 5 10 business day complete salary payroll information need long 5 10 business day plan accordingly subpoena record direct office legal advisor 2300 washington street roxbury ma 02119 licensure related employment verifications educator employee seek licensure relate verification complete bps educator licensure verification requests form loan forgiveness request submit hr inquiry form attach beacon access.boston.gov employee email ohr@bostonpublicschools.org include support documentation page 4 superintendent circular hrs pp06 page 4 4 information circular contact owner shared services department office human resource mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9600 fax 617 635 7956 additional question additional question submit hr inquiry ticket beacon find access boston access.boston.gov mary skipper superintendent page 1 superintendent circular number spe-14 version 01 non iep counseling guidelines circular remain effect rescind supersede subsequent version introduction counseling service provide boston public school student myriad format modality student disability receive counseling service boston public schools student disability iep contain counseling related service mandate frequency duration counseling non disabled student iep participate counseling session formulate result recommendation student support team collaboration staff behavioral health services department result partnership external agency counseling provide bps student mental health provider bps employee document boston public schools seek ensure standard level practice provision counseling service consistent practice implement assist student overcome school base issue hinder achievement mental health provider conform standards school base mental health services develop partnership bps member boston school base page 2 superintendent circular spe-14 page 2 9 behavioral health collaborative standard obtain boston public schools website https://www.bostonpublicschools.org/domain/2443 background american psychological association define counseling process help individual overcome obstacle personal growth encounter achieve development personal growth massachusetts department mental health state mental health counselor render professional service individual family group apply principle method theory counseling psychotherapeutic technique define goal develop treatment plan action aim prevention treatment resolution mental emotional dysfunction american counseling association state counselor encourage client growth development way foster client interest welfare counselor avoid foster dependent counseling relationship aca state counselor practice specialty area new appropriate education training supervise experience develop new skill specialty area counselor step ensure competence work protect possible harm boston public schools counseling work addition standard definition professional ethic practice bps non bps provider understand page 3 superintendent circular spe-14 page 3 9 demonstrate counseling work support teaching learn goal effective teaching practice ultimately goal counseling support success classroom prior counseling 1 student support team serve hub student service school student support team facilitator knowledge referral counseling recommendation counseling emerge student support team necessary counseling referral outside sst process 2 direct service provider designate counseling provider clear 1 scope work request counseling 2 reason referral 3 expect outcome counseling unclear reason counseling meeting schedule counselor provider refer agent discuss concern 3 direct service provider counsel student behavior impact teaching learning academic achievement daily school functioning 4 specific issue trauma relate i.e. physical and/or sexual abuse onset past present death dying behavior need psychiatric intervention necessitate 51a report bring attention principal head school designate administrator direct service provider supervisor issue refer appropriate page 4 superintendent circular spe-14 page 4 9 community counseling agency mental health facility 5 write consent obtain student parent legal guardian begin counseling attach consent form student receive counseling outside provider bps building parent guardian sign agency specific consent form 6 direct service provider outline goal objective individual student attached form furthermore recommend direct service provider formulate goal objective input parent legal guardian 7 parent legal guardians inform pertinent information specific student discuss student support team meeting ethical professional standard confidentiality maintain specific nature counseling sessions(s 8 direct service provider maintain professional proper safe appropriate safeguard student(s counseling practice direct service provider counsel student consistent counseling schedule document provide principal head school supervisor need personnel individual school i.e. teacher oss coordinator student support coordinator guidance counselor school administrator page 5 superintendent circular spe-14 page 5 9 meet room provide appropriate space level confidentiality guarantee measure safety protection student provider include consideration distance counselor student leave door ajar time engage physical contact student(s possible risk psychological harm student result physical contact i.e. cradle touch therapy caressing massaging petting requirement physical contact possibility psychological and/or physical harm student result contact document session hold progress note student provision share theme concern critical information parent legal guardian share specific information relate student academic progress appropriate staff respond inquiry principal head school student progress counseling terminate counseling services counseling goal objective reach and/or document absence and/or instance resistance student document attempt provide counseling service termination counseling service appropriate direct service provider page 6 superintendent circular spe-14 page 6 9 1 notify student parent legal guardian 2 notify writing appropriate school personnel principal head school student support coordinator oss coordinator supervisor teacher school administrator 3 summarize progress recommendation follow need facilitate student support team meeting discussion small learning community common planning time and/or teacher parent conference summary direct service provider bps non bps staff integral component help student reach full academic achievement lack knowledge misunderstanding ethical professional practice standard defense charge unethical and/or inappropriate practice conduct important practice standard maintain adhere safety student direct service provider practice standard ensure safe protect ethical delivery service student staff member serve determined guideline follow and/or inappropriate unethical and/or unprofessional conduct occur boston public schools action appropriate circumstance action range discipline termination employment termination contract boston public schools bps deem appropriate circumstance page 7 superintendent circular spe-14 page 7 9 information circular contact director social work department social work mailing address 2300 washington street roxbury ma 02119 phone 617 635 8294 email socialwork@bostonpublicschools.org mary skipper superintendent page 8 superintendent circular spe-14 page 8 9 consent school based non iep counseling services print parent legal guardian provide reason s child print child recommend school base counseling service reason s recommend school base counseling service consent school refer child follow school base counseling service check apply understand service provide community mental health agency partnership school □ individual counseling □ group counseling bps staff member insert staff outside agency staff insert staff page 9 superintendent circular spe-14 page 9 9 consent school release child student record health confidential information school- base counseling service provider child participate school base counseling service understand participation child school base counseling service appreciate strongly encouraged read consent school base counseling services understand term sign voluntarily knowledge significance parent legal guardian signature date page 1 superintendent circular number fns-03 version 01 food nutrition policy competitive food beverages circular remain effect rescind supersede subsequent version guideline cover food beverage sell provide serve student school building school ground student store cafeteria classroom hallway vend machine sell outside i.e. competition federally fund school meal program guideline apply fundraiser classroom activity school event include food beverage supply school official transportation school district sponsor activity include limit field trip interscholastic sporting event school visit team implementation guidelines section detail introduction response continue concern childhood overweight obesity diet relate disease city school aged child boston school committee approve follow policy language beverage food school page 2 superintendent circular fns-03 page 2 21 guideline adopt july 1 2004 implement start school september 2004 update april 2011 june 2015 consideration new federal state nutrition guideline impact overall health wellness student staff specifically healthy hunger free kids act 2010 recently update august 2017 reflect change district wellness policy document intend assist school administrator implement guideline school competitive food shall meet criterion outline implementation guideline follow include food beverage sell provide serve student school cafeteria specifically la carte entree snack vending machine school store school snack bar concession stand classroom hallway booster sale fundraising activity school sponsor school relate event include school sponsor transportation occur school ground sporting event field day food truck school ground guideline apply entree snack item dessert offer sell outside school meal program page 3 superintendent circular fns-03 page 3 21 item consider entrées sell reimbursable meal program sell la carte competitive foods subject guideline policy review yearly sub committee boston public schools bps district wellness council background schools city state nation grapple develop meaningful applicable guideline issue obesity past decade early competitive food guideline set forth usda individual state department education prohibit sale food minimal nutritional value federal register 7 cfr 210.11 standard attempt address type food beverage sell provide serve student school building state standard useful thirty year ago outdate address grow availability vend machine food candy soda sell inside outside cafeteria fundraiser student store competitive food relatively low nutrient density high fat add sugar calorie la carte competitive food bind dietary guideline national school lunch nslp national school breakfast school snack programs adhere national state department education school board food policy advocacy organization american academy pediatrics center science public interest state dietetic school food service association representative group meet past year establish recommend nutrition standard promote healthy page 4 superintendent circular fns-03 page 4 21 eat habit child massachusetts la carte food standards promote healthier school environment guideline establish massachusetts action healthy kids adopt january 2004 update december 2009 guideline institute medicine alliance healthier generation competitive foods school beverage guidelines nutrition standard school nutrition bill h4459 s2322 healthierus school challenge inform late revision policy accordance mayor menino executive order relative healthy beverage options1 beverage sell school ground shall meet city healthy options beverage standards policy boston public schools support lifelong healthy eating habit student staff commit address increase rate diet relate health consequence group create healthy school food environment serve healthy choice lunchroom limit availability marketing unhealthy food sugary drink make water available student day way create healthy school food environment bps committed ensure food sell serve outside cafeteria meet high nutritional standard bps believe cafeteria essential setting educate promote healthy eating habit bps commit serve student nutritious delicious food process locally source culturally responsive reflect diverse student population effective way improve nutritional quality food serve school consume page 5 superintendent circular fns-03 page 5 21 student district create implement menu ingredient guideline exceed federal requirement bps continue constant review school food food environment ensure safety quality menu equity innovation district innovator school food serve food new exciting student believe student deserve meal reflective culture taste believe eat privilege right key requirement create healthy school food environment school meals program ensure menu meet usda mandate requirement massachusetts department public health regulation late scientific evidence healthy eat practice minimum school follow bronze status standard alliance healthier generation2 work bronze status standard healthierus school challenge3 ensure menu offer variety present appealing way meal menu item label communicate deliciousness specific ingredient encourage student participate breakfast lunch afterschool meal program avoid stigmatize child participate provide food clean label free unwanted ingredient include trans fat high fructose corn syrup artificial color artificial sweetener additive page 6 superintendent circular fns-03 page 6 21 azodicarbonamide bromated flour artificial preservative nitrate nitrites sulfate sulfite msg bha bht tbhq reduce material packaging source recyclable compostable material possible work promote good practice recycling compost water available cost mealtime meal serve food safety ensure kitchen facility prep satellite location inspect twice year inspectional services division isd health department implement stringent detailed internal hazard analysis control points haccp plan provide regulation follow safety procedure food recall emergency preparedness avoid foodborne illness spread infectious disease ensure employee work 5 + hour food safety ensure lead employee allergy awareness certify american heart association heartsaver aid program 2 year certification nutrition education promotion food beverage marketing promote health nutrition message encourage consumption fruit vegetable grain healthy fat low fat dairy product water page 7 superintendent circular fns-03 page 7 21 message consistent research base finding indicate positive impact health identify opportunity teach healthy eating habit health education physical education subject cafeteria school wide promotion identify opportunity support teacher school staff parent model healthy eating habit follow appropriate nutritional standard school celebration staff meeting allow food beverage marketing school ground include item share student promote food and/or beverage meet bps nutritional standard competitive food beverages follow federal state local law forbid sale food beverage food nutrition services department solely responsible food beverage sell child school day regulation competitive food beverage i.e. food sell provide serve school building school ground outside school meal program school outline circular prohibit food sell competition school meal include food base fundraiser vend machine school day encourage non food alternative school fundraiser school party classroom celebration page 8 superintendent circular fns-03 page 8 21 prohibit use food beverage reward mean discipline bps school shall follow food nutrition services policy circular implementation guidelines competitive food beverages regulations competitive food sale school vend machine contain regulation establish page 9 superintendent circular fns-03 page 9 21 massachusetts board education failure follow regulation result loss federal funding.1,2,3,4,5,6,7 food nutrition services department solely responsible food beverage sell child school day 1 regulatory authority m.g.l. c.15 1 g 2 federal register 2013 7 cfr part 210 220 national school lunch program school breakfast program nutrition standards foods sell schools require healthy hunger free kids act 2010 interim final rule u.s. department agriculture 78 125 june 28 2013 3 federal register 2014 7 cfr part 210 220 local school wellness policy implementation healthy hunger free kids act 2010 propose rule u.s. department agriculture 79 38 february 26 2014 4 massachusetts general laws 2010 chapter 111 section 223 5 state massachusetts chapter 96 act 2012 amendment 2010 law 6 massachusetts department public health 2010 nutrition standards competitive foods beverages public schools 105 cmr 225.000 7 massachusetts department public health 2012 student healthy schools revised guidance implement massachusetts school nutrition standards competitive foods beverages page 10 superintendent circular fns-03 page 10 21 consequently sale food beverage expressly forbid income total food beverage service regularly maintain school premise shall accrue school food service program solely operation improvement service shall include income sale la carte food beverage food sale operate profit include bake candy sale shall operate regular school day sale la carte food shall restrict item recognize contribute permit serve breakfast lunch restriction automatically eliminate sale candy carbonated beverage etc fundraising activity operate school hour canteen services school site locations 7 cfr 210 220 competitive foods federal regulation prevent sale candy gum carbonate beverage student school premise beginning school day end lunch period sale food item canteen truck exception open campus school store area compete school meal time money violation federal regulation sale divert income essential financial food nutrition services program use canteen service school premise student prohibit page 11 superintendent circular fns-03 page 11 21 preparation competitive food beverage meet state federal food safety guideline accordance 105 cmr 225.100 nutrition information available student non prepackaged competitive food beverage august 1 2013 requirement shall apply sale provision fresh fruit fresh vegetable food beverage sell school day booster sale concession stand school sponsor school relate fundraiser event competitive food beverage shall sell serve provide school mealtime implementation guideline comply exceed nutrition standard delineate 105 cmr 225.000 nutrition standards competitive foods beverages public schools food sell serve provide school meet guideline give fns-06 beverages total beverage product line meet following criterion schools sell provide serve plain water juice milk unflavore flavored milk offer student beverage soft drink fruit drink minimal nutritional value sport drink sell provide serve student school building school campus plain drinking water readily available school day cost page 12 superintendent circular fns-03 page 12 21 drinking water caffeine free 0 mg sodium nutritive non nutritive sweetener natural flavoring carbonation acceptable beverages shall contain add sugar include high fructose corn syrup non nutritive sweetener beverage shall contain artificial sweetener competitive juice beverage offer elementary school i.e. grade prek-5 fruit and/or vegetable base drink sell middle high school i.e. grade 6 12 compose 100 fruit vegetable juice add sweetener exceed 4 ounce middle school i.e. grade 6 8) exceed 8 ounce high school i.e. grade 9 12 120 calories/8 oz plus 10 daily value 3 vitamin nutrient vitamin c d calcium milk milk substitute product shall pasteurize fluid type low fat 1 skim fat free milk meet usda state local standard milk milk shall contain vitamins d level specify food drug administration shall consistent state local standard milk milk flavor milk milk substitute container size shall exceed 8 ounce soy rice milk substitute drink shall calcium vitamin fortify shall contain 22 gram total sugar 8 ounce beverage shall contain trace amount caffeine page 13 superintendent circular fns-03 page 13 21 city boston agency bps building offer 8 oz 100 juice low fat nonfat milk product vend machine available outside school day foods fresh fruit and/or non fried vegetable offer competitive food sell provide serve student non refrigerated vending machine vend machine offer beverage use fryolator prepare competitive food prohibit addition competitive food meet follow nutritional criterion item food meet following criterion a. ≤ 35 total calorie fat i. nuts nut butter seed exempt limitation permit serve 1 oz portion ii fruit nut combination product exempt limitation iii product dairy non fat low fat dairy page 14 superintendent circular fns-03 page 14 21 b. ≤ 10 calorie saturated fat ≤1 g saturate fat i. nuts nut butter seed exempt limitation permit serve 1 oz portion c. 0 g trans fat d. ≤ 35 weight total sugar food i. non fat low fat yogurt maximum 30 g sugar 8 ounce e. ≤ 200 mg sodium i. la carte entree like cheese sandwich vegetable sauce soup 480 mg sodium contain following 1 ≥2 g fiber 2 ≥5 g protein 3 ≥10 dv vitamin c e folate calcium magnesium potassium iron f. meet 1 follow calorie requirement i. ≤100 calorie ii vegetable sauce soup 150 calorie contain follow ≥2 g fiber ≥5 g protein ≥10 dv vitamin c e folate calcium magnesium potassium iron ≥½ serve ¼ cup fruit vegetable iii food calorie limit contain following page 15 superintendent circular fns-03 page 15 21 1 ≥ 2 g fiber 2 ≥ 5 g protein 3 ≥ 10 dv vitamin c e folate calcium magnesium potassium iron 4 ≥ ½ serve 1/4 cup fruit vegetable a. ≤ 150 calorie elementary school b. ≤ 180 calorie middle c. ≤ 200 calorie high school bread grain base product shall grain wheat list ingredient contain grain 51 grain trace amount caffeine allow food food contain artificial sweetener food limit add sweetener possible fruit shall add sweetener 0 g total fat fresh fruit vegetable vary size calorie naturally calorie limit fruit package juice dry exceed follow calorie limit 150 calorie elementary school 180 calorie middle school 200 calorie high school dry fruit nut combination product commonly know trail mix include guideline meet follow standard a. item find combination product include unsweetened dry fruit nut and/or seeds page 16 superintendent circular fns-03 page 16 21 b. product contain add sweetener c. combination product exempt ≤ 35 total calorie fat requirement meet requirement calorie saturate fat trans fat sodium sugar positive nutrient egg equal egg equivalent allowable contain add fat reduce fat skim cheese ≤1 oz time day guideline apply food beverage outside usda school meals school snack program provide student school ground regular extended school day event primarily control school party behalf school extended school day time official school day include activity club yearbook band choir practice student government drama sport practice intramural sport childcare latchkey program vending machine include control entity bps building ground shall comply guideline time automatic timer limit access competitive food beverage vend machine school day include school mealtime fundraiser classroom parties food rewards meeting fundraiser meet boston public schools implementation guideline competitive food food base page 17 superintendent circular fns-03 page 17 21 fundraiser permit school meal building administrator designee responsible approve fundraiser classroom party comply boston public school competitive food guideline notification cafeteria manager request help cafeteria plan appropriately principal staff promote school environment supportive healthy eating adult encourage model healthy eat serve nutritious food beverage school meeting event teacher staff refrain provide candy snack minimal nutritional value reward student instead integrate practice non food reward food beverage reward mean discipline school participate fundraising involve food beverage fundraiser support healthy school environment free solicitation food meet specification dietary guidelines americans fundraiser include sale candy beverage snack meet boston public schools implementation guideline competitive food school develop communication tool provide pta group conduct fundraising celebration meeting reward school non- food activity allergies schools consider student food allergy appropriate plan accommodation food base page 18 superintendent circular fns-03 page 18 21 fundraiser celebration and/or reward accord guidance provide superintendent circular shs-11 provide information student allergy support implementation citywide initiative boston public schools take lead implement healthy snack beverage guideline mayor office boston public health commission bphc boston centers youth families bcyf support policy assist transition food nutrition services continue meet vendor manufacturer discuss product specification meet guideline language reference new policy include request bid beverage dairy ice cream snack food product vendor award single year multiple year contract comply state guideline assistance school wellness council student teacher parent administrator inform educate new guideline technical support provide help school agency partner adjust revise standard include provide resource healthful form fundraising meet guideline commonwealth massachusetts pass school nutrition bill h4459 s2322 bps implementation guideline revise include state nutritional standard monitoring compliance schools monitor compliance following way page 19 superintendent circular fns-03 page 19 21 school wellness council assess track school compliance policy include implement goal wellness action plan ensure compliance policy school biennially complete school health profiles surveys profiles include question competitive food beverage individual school report share school complete profile state school comply policy principal relevant operational leader notify fns office health wellness school find compliant school administration family student wellness council provide information policy engage support monitoring enforcement compliance page 20 superintendent circular fns-03 page 20 21 definition food minimal nutritional value food provide percent reference daily intakes rdi specify nutrient serve la carte foods sell typically cafeteria school food service department separately individually price usually nslp competitive foods competitive food beverage mean food beverage sell provide public school non sweetened carbonated water item sell provide federal nutrition program school breakfast program school lunch program child adult care include offer school cafeteria school store school snack bar concession stand booster sale vend machine fundraising activity school sponsor school relate event food truck location public school references alliance healthier generation standards healthier school challenge standards page 21 superintendent circular fns-03 page 21 21 information circular contact owner deputy director department food nutrition services mailing address 370 columbia road dorchester ma 02125 phone 617 635 9143 fax 617 635 9304 email operations department- heads@bostonpublicschools.org owner senior executive director department office health wellness mailing address 2300 washington street roxbury ma 02119 phone 617 635 6643 fax 617 635 1502 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number saf-12 version 01 school access control circular remain effect rescind supersede subsequent version amendment sy 2024 2025 safety health wellness student staff family high priority boston public schools parents guardian ask drop pick student exterior school building area(s designate school leader staff parents guardians contact school directly phone email schedule discussion virtual appointment like behalf student student sick injure need pick school staff contact parent guardian arrangement escort student meet authorize adult school staff verify identification individual prior release student exterior camera intercom page 2 superintendent circular saf-12 page 2 7 safety protocols pertaining individual outside facility school staff safety concern pertain individual outside inside facility immediately contact department safety services boston 617 635 8000 case imminent threat student staff safety boston police department notify immediately dial 911 boston public schools safety services department notify dial 617 635 8000 school district school safety contingency plan clear comprehensive school access control protocol place school access control plan adhere following ensure student staff authorize school building admit facility require staff school base central office contractor vendor etc wear prominently display bps identification card time school property school base activity e.g. field trip school assembly outdoor activity staff require follow school access protocol procedure outline circular employ standard operating procedure door school building lock secure time simultaneously allow appropriate egress inside building school secretary staff admit visitor building reasonably ascertain page 3 superintendent circular saf-12 page 3 7 identity individual seek entrance reason entry staff use intercom camera buzzer monitor assist observe communicate individual seek access facility secretaries staff allow buzz people know ask visitor reason school camera buzzer shall identify person reason visit allow enter school premise hello help appointment indicate reason visit person host visit post appropriate sign direct visitor main office staff member find person school building appropriate visitor pass bps id encourage inquire person business reason person direct main office assistance person create unsafe environment follow procedure outline important note staff inform designee main office event expect visitor provide reason prior visitor arrival event family member partner friend drop staff member main office designee obtain verbal confirmation employee prior allow access facility circular verification obtain individual allow facility requirement visitors admittance report immediately main office page 4 superintendent circular saf-12 page 4 7 staff allow entrance facility confirm arrival main office sign etc present photo identification individual produce photo id staff request form identification and/or gain confirmation school staff person know school additional support need confirm identification staff obtain support head school principal designee authorize visit continue sign visitor log include time time reason visit affiliation i.e. student vendor department agency etc superintendent circular lgl-04 school visitors guidelines complete sign process visitor remain main office designate area wait staff escort appointment meeting visitor area attend staff avoid unauthorized movement building duration visit authorized visitor state wear ankle monitor staff observe ankle monitor visitor staff follow procedure outline head school faculty mandate visitor building issue prominently display visitor identification badge receive time sign main office identify designate meeting space close main office page 5 superintendent circular saf-12 page 5 7 prevent visitor move building classroom access limit special event open house ensure safety security student integrity school building entrance recess physical education activity occur outdoors student arrival dismissal time assign staff closely monitor aspect movement student open door accommodate transition building prohibit prospective bps employee begin work fully hire cori sori clear office human capital demand facility physical plant contractor slate work building prominently display green bps identification card demonstrate cori sori clear prohibit staff include vendor contractor staff department student prop open door create potential inconspicuous mean unauthorized entry school building district personnel look element review school safety plan addition specialist bps safety services conduct proactive site visit assist provide input support school access control school safe mode internal threat procedure explicitly plan discuss document staff member addition conduct evacuation procedure drill page 6 superintendent circular saf-12 page 6 7 school safe mode drill conduct september january school year supt circular fse-08 safe mode internal threat drill procedures staff member exercise extreme vigilance school building security remain alert trespasser unsecured door and/or suspicious person activity school school employee compromise safety student undertake security measure sound judgment reasonable action school base personnel expect potential threat student staff safety report principal head school designee event building related superintendent circular lgl-04 school visitor guidelines fse-01 school safety contingency plan saf-07 metal detector saf-08 release students authorized persons saf-11 sexual offender registry information s.o.r.i. page 7 superintendent circular saf-12 page 7 7 information circular contact owner chief safety department safety services mailing address 213 townsend street dorchester 02121 phone 617 635 8000 fax 617 635 8006 email operations-department-heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp07 version 01 worker compensation procedures circular remain effect rescind supersede subsequent version objective boston public schools workers compensation service locate boston city hall 6th floor room 613 worker compensation service administer benefit city worker include boston public schools employee workers compensation service strive ensure effective efficient delivery benefit collect injury datum state federal reporting requirement administering workers compensation benefit city boston workers compensation service provide adequate service imperative work relate injury report soon possible preferably hour occurrence workers compensation service provide timely benefit cooperation obtain medical documentation critical case report late workers compensation service sufficient medical documentation employee receipt benefit delay page 2 superintendent circular hrs pp07 page 2 7 ► employee responsibility request complete medical treatment record work relate injury provide send workers compensation service work note sufficient maintain worker compensation benefit incomplete late report injury subject boston public schools financial penalty find city accident report form complete guide city worker compensation process city boston workers compensation service employee guide https://www.boston.gov/departments/human- resource worker compensation process accident report access directly https://www.boston.gov/sites/default/files/file/2022/02/ accident-report-form_2-7-2022.pdf step injure course employment emergency service i.e. life threaten bleeding head injury severe fracture etc necessary 1 seek emergency care ambulance necessary close emergency care facility injure 2 fill sign accident report form submit worker compensation office supervisor human resource representative department unable fill fill page 3 superintendent circular hrs pp07 page 3 7 3 medical documentation send worker compensation services room 613 4 supervisor signature request solely purpose notification injury occur supervisor signature indicate supervisor agree disagree report indicate supervisor witness accident 5 reasonable necessary medical expense accept work relate injury cover workers compensation service regardless time lose injury salary replacement benefit accepted work relate injury give employee lose 5 day substantial medical documentation require employee lose 5 day 6 representative workers compensation contact follow injury explain benefit discuss medical treatment hear seven 7 day report injury speak case manager call 617 635 3193 email workerscompstaff@boston.gov workers compensation worker compensation employee maintain approve leave absence status office human resource apply leave absence hub provide wh-380 e form medical certification documentation official letterhead health care provider information leave absence superintendent circular hrs pp13 page 4 superintendent circular hrs pp07 page 4 7 worker compensation employee permit use available sick personal vacation time supplement difference worker compensation earning continue receive 100 normal earning apply employee available time complete workers compensation earnings consent form allow use earn time consent office human resource supplement worker compensation earning consent form access directly https://docs.google.com/forms/d/e/1faipqlsf0e_fnozpby2kndqn hyxivlvzzzicmssie0pm74h4kmocwow viewform supplement wc earning allow employee maintain normal deduction retirement union due health insurance etc union minimize impact earning normally pay summer sure financial impact supplement supplement wc earning pay return work reach bps payroll team 617 635 9460 employee permit 1 year leave injury relate approve workers compensation injury employee absent 1 year essential function meeting hold determine able continue employment bps employee return work employee ready return work having work relate injury medical clearance doctor return work employee provide copy medical clearance note ohr page 5 superintendent circular hrs pp07 page 5 7 workers compensation service inform office intent return intend date clearance note email ohrleaves@bostonpublicschools.org workerscompstaff@boston.gov transitional modify work offer boston public schools employee injure job return work modify basis boston public schools make reasonable accommodation compliance ada m.g.l. c. 151b employee handicap disability outline superintendent circular eqt-01 wish seek reasonable accommodation contact office equity 617 635 9650 accommodations@bostonpublicschools.org engage interactive dialogue prior return goal workers compensation office ensure eligible injure employee receive quality timely medical service receive timely benefit return job quickly possible case manager remain constant contact require maintain contact provide necessary medical information case manager goal achieve accident report employee injury forward workers compensation services address circular additional information question forward employee case manager case manager assign base employee page 6 superintendent circular hrs pp07 page 6 7 medical treatment information employees worker compensation need medical care work injury illness contact medical provider let know seek worker compensation coverage treatment city currently preferred medical provider worker compensation checklist circular comprehensive prevent delay processing ensure complete following action item apply return worker compensation apply worker compensation complete submit report occupational injury accident report verify sign supervisor review superintendent circular hrs pp13 absence leave policy complete leave absence application form submit wh-380 e form physician certificate send medical update city boston workers compensation unit office human resource maintain leave absence worker compensation benefit applicable complete worker compensation supplemental earning consent form wish supplement benefit accrue time page 7 superintendent circular hrs pp07 page 7 7 returning worker compensation send human resource city boston workers compensation unit medical documentation certify ability return work restriction information circular contact department worker compensation service mailing address boston city hall room 613 boston ma 02201 phone 617 635 3193 fax 617 635 3119 submit form office human resource owner employee services department office human resources mailing address 2300 washington street roxbury ma 02119 phone 617 635 9255 fax 617 635 7957 email ohrleaves@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pm05 version 01 performance evaluation member lunch hour monitors association contract school committee lunch monitors association provide annual interim evaluation performance employee represent association evaluation process relate duty responsibility employee position set forth employee job description i. role responsibilitie principal head school assistant principal shall responsible evaluation performance lunch hour monitor supervisor failure address job performance problem staff performance evaluation process represent unacceptable performance supervisor hold accountable supervisor perform unsatisfactorily underperform staff member give satisfactory rating encourage transfer school department supervisor hold accountable performance evaluation end evaluation year evaluator retain copy evaluation send original evaluation page 2 superintendent circular hrs pm05 page 2 10 office human resources ii evaluation preliminary procedures reasonable time period start school year principal assistant principal shall meet lunch hour monitor purpose explain evaluation program answer question evaluation instrument review meeting evaluation present employee sign evaluation form submit office human resources interim evaluations lunch hour monitor shall receive interim evaluation require efficient running school interim evaluation conduct early february 1st year annual evaluations annual evaluation complete later day school year evaluation completion interim annual evaluation result mark appropriate item evaluation form area supervisor indicate need improvement provide evaluee write prescription diagnosis subsequent prescription fully descriptive page 3 superintendent circular hrs pm05 page 3 10 instructive suggest specific remedy recommendation adoption evaluee evaluation conference 10 school day follow completion evaluation evaluator shall meet evaluee purpose discuss evaluation meeting evaluee show write evaluation sign indicate having see acknowledge place personnel file indicate agreement disagreement evaluation result copy evaluation shall provide evaluee evaluee allow attach comment evaluation evaluee overall performance judge unsatisfactory shall notify writing shall meet directly evaluator.1 iii ratings performance evaluation process provide employee appraisal strength identify area need improvement employee evaluate standard category possible rating e excellent employee performance duty responsibility position exceed 1 section v procedure unsatisfactory evaluations information process page 4 superintendent circular hrs pm05 page 4 10 expectation s satisfactory employee performance duty responsibility position meet expectation u unsatisfactory employee fail meet expectation performance duty responsibility position need improvement iv procedures unsatisfactory evaluation evaluee receive annual overall unsatisfactory evaluation plus interim unsatisfactory evaluation supervisor initiate termination recommend superintendent employee terminate evaluation unsatisfactory follow second evaluation 25 day lunch monitor present 50 day lunch monitor present second evaluation unsatisfactory lunch monitor give 10 school day improve performance 10 school day follow second evaluation evaluator informally evaluate lunch monitor require formally observe employee record evaluation lunch monitor performance improve 10 day follow unsatisfactory second evaluation monitor recommend dismissal superintendent page 5 superintendent circular hrs pm05 page 5 10 v. procedures discipline evaluator determine employee commit infraction work rule excessive tardiness absence etc supervisor follow procedure outline superintendent circular employee discipline procedures.2 additionally supervisor consider infraction evaluate evaluee overall performance 2 refer superintendent circular hrs pp10 employee discipline procedures link www.bostonpublicschools.org/domain/1884 page 6 superintendent circular hrs pm05 page 6 10 vi summary significant date deadline date activity shortly start school year review job description evaluation instrument sign cover page acknowledge meet later feb. 1 complete interim evaluation conduct early 15 school day start school year later day school deadline complete annual evaluation send sign original copy evaluation bruce c. bolling municipal building office human resources attn hrfront desk 2300 washington street 4th floor roxbury ma 02119 page 7 superintendent circular hrs pm05 page 7 10 information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent page 8 superintendent circular hrs pm05 page 8 10 boston public schools performance evaluation lunch hour monitors empl id school evaluator permanent provisional substitute overall rating e= excellent s= satisfactory u= unsatisfactory evaluation procedure form review date acknowledge evaluator acknowledge lunch monitor category check applicable rating box category e s u maintains safety order lunch recess maintain appropriate schedule lunch recess perform ordinary school task direct perform work accurately page 9 superintendent circular hrs pm05 page 9 10 category check applicable rating box category e s u come work time maintain good attendance work productively schedule work hour continue work absence supervision know work organize appropriately use good judgment abide rule regulation complie oral write instruction communicate effectively constructive way student school staff work harmoniously maintain high level professionalism treat student respect fairness consistency accept constructive criticism overall rating evaluator signature date lunch hour monitor signature date evaluator comments page 10 superintendent circular hrs pm05 page 10 10 evaluee comment page 1 superintendent circular number hrs pm02 version 01 performance evaluation instructional basas administrators circular remain effect rescind supersede subsequent version head school principal administrative head responsible evaluate performance administrator direct supervision employee group school- base require dese licensure represent basas bargaining unit instructional basas administrator evaluate vectorevals platform evaluation instrument september 2023 non instructional basas administrator role require dese licensure evaluate superintendent circular hrs pm02a performance evaluation non instructional basas administrator purpose memorandum explain responsible evaluation outline philosophy objective guideline procedure applicable process philosophy boston public schools basas bargaining unit recognize quality education provide depend professional performance total job effectiveness teacher administrator system system professional hold accountable page 2 superintendent circular hrs pm02 page 2 10 quality performance effective process evaluate performance essential process organize foster effective leadership promote improvement school educational program develop professional staff clear understanding goal education promote sound organizational management procedure demonstrate active support policy school committee superintendent performance evaluation program implement satisfy philosophy administrator diagnostic prescriptive generally positively direct encourage professional maximize unique strength skill instructional basas administrator evaluation subject 603 cmr 35.00 et seq i.e. administrator role require dese licensure shall evaluate cycle consistent regulation evaluee subject 603 cmr 35.00 et seq shall evaluate annually employee need evaluate follow year remain job title position evaluator determine need instrument evaluators a. instructional basas member shall evaluate designee superintendent outside basas bargaining unit b. evaluation instrument instructional basas administrator dese license role page 3 superintendent circular hrs pm02 page 3 10 september 2019 know vectorevals accessible employee bps google account comprehensive information pertain performance evaluation instructional basas administrator 2011 education regulation amendment 603 cmr 35.00 locate office human resources website https://www.bostonpublicschools.org/page/8586 procedural steps a. preparation later 30 day start rating year later 45 day change person evaluator person evaluator shall meet evaluee(s purpose explain diagnostic prescriptive evaluation program review evaluation instrument part applicable answer question determine additional job relate responsibility cover evaluation 5 day say meeting evaluee receive copy list job relate function responsible performance evaluate evaluee propose professional practice goal student learning goal goal subject approval evaluator b. data gathering clearly understand evaluee data gathering process ongoing cumulative evaluation datum include information gather observation mean datum collect sufficient period accessible evaluee compliance applicable state federal page 4 superintendent circular hrs pm02 page 4 10 law complaint derogatory comment obtain parent community etc shall promptly provide instructional basas member basis evaluation evaluator provide feedback school day evaluee email person observation collection evidence result evaluator have concern standard rate unsatisfactory need improvement formative summative evaluation time c. post evaluation conference evaluation report fill periodically school year evaluator determine assistance supervision intervention deem appropriate 10 school day basas member present follow completion evaluation evaluator shall meet evaluee purpose discuss evaluation provide appraisal professional strength area need improvement area evaluator indicate need improvement evaluee unsatisfactory evaluator provide evaluee write prescription prescription fully descriptive instructive reasonable attainable educationally sound specific remedy seek evaluator post evaluation conference evaluee show write evaluation evaluator sign indicate see acknowledge place personnel file indicate agreement disagreement copy evaluation page 5 superintendent circular hrs pm02 page 5 10 provide evaluee evaluee allow attach comment evaluation d. follow general number scope subsequent conference gauge post- evaluation conference communicate discuss evaluee end conference formative assessment evaluation observational feedback a. formative assessment shall process assess progress attain goal set forth administrator plan performance standards indicators effective teaching practice inform employment decision process place time cycle evaluation typically take place mid cycle b. formative evaluation shall evaluation conduct end year 1 administrator year self- direct growth plan evaluation arrive rating progress attain goal set forth evaluee plan performance standards indicators effective teaching practice inform employment decision c. evaluee performance result rating need improvement unsatisfactory formative assessment evaluation evaluation prescription contain requirement administrator advantage additional professional development training opportunity page 6 superintendent circular hrs pm02 page 6 10 summative evaluation reports a. summative evaluation evaluation arrive rating standard overall rating basis personnel decision summative evaluation include evaluator judgment evaluee performance performance standard evaluee attainment goal set forth evaluee plan b. entire evaluation process continuous assistance support encouragement extend assist evaluee meet establish objective c. continue failure achieve overall rating proficient result additional prescription warning additional evaluation personnel action include evaluation visit school department administrator d. evaluee overall performance judge need improvement unsatisfactory shall notify writing shall meet directly evaluator dispute resolution a. overall rating unsatisfactory summative evaluation basas member shall subject grievance arbitration procedure administrator grieve summative rating proficient evaluation include level responsible administrator level evaluator evaluation refer rationale removal reassignment negative action employee shall subject grievance arbitration procedure page 7 superintendent circular hrs pm02 page 7 10 b. evaluation instructional basas administrator overall unsatisfactory shall promptly forward basas recommend professional development corrective action plan provide basas member request writing superintendent designee basas agree meet discuss plan request basas member c. alleged violation performance evaluation process subject grievance arbitration procedure employee dismiss procedures dismissal demotion performance evaluation evaluee result recommendation dismissal demotion evaluator confirm head school senior administrator follow procedure follow a. superintendent designee shall discuss recommendation dismissal appropriate evaluator and/or senior administrator superintendent designee shall undertake necessary investigation substantiate evaluation administrator base superintendent designee shall decide appropriateness recommendation dismissal demotion evaluator and/or senior administrator present support document superintendent designee present recommendation dismissal b. superintendent designee senior page 8 superintendent circular hrs pm02 page 8 10 administrator shall submit process recommendation dismissal office labor relations c. decision superintendent designee shall confine following 1 retention rejection recommendation evaluator base evidence present individual administrator 2 notice superintendent designee having review material decide case warrant recommendation dismissal demotion instead warrant place administrator notice performance highly unacceptable status stand final warning administrator subject additional evaluation academic year performance improve subject dismissal demotion 3 dismissal demotion recommendation affirmation evidence present evaluator evaluee hearing superintendent designee thirty day write notification administrator recommendation dismissal demotion d. office labor relations shall 1 evaluate evidence dismissal demotion 2 review recommendation necessary evaluator and/or superintendent designee 3 determine relevant procedure evaluation substantially comply evaluation warrant dismissal employee e. office labor relations shall forward analysis page 9 superintendent circular hrs pm02 page 9 10 superintendent school copy principal leader senior administrator f. superintendent shall review material decision notice employee accordance g.l. c.71 section 42 procedures discipline principal head school supervisor determine administrator violate work rule supervisor follow procedure outline superintendent circular hrs- pp10 employee discipline procedures additionally principal head school supervisor consider infraction evaluate administrator overall performance failure address job performance problem assign staff performance evaluation process represent unacceptable performance supervisor problem compound problem staff give satisfactory rating supervisor encourage transfer school department failure supervisor represent unsatisfactory administrative performance person hold accountable appropriate senior administrator superintendent page 10 superintendent circular hrs pm02 page 10 10 refer advance superintendent circular hrs pp10 employee discipline procedures summary significant date deadline date activity june 15 deadline evaluator submit evaluation instructional basas administrators vectoreval platform information circular contact owner director evaluation performance management department office human resources mailing address 2300 washington street 4th floor boston ma 02119 phone 617 635 9627 email eval@bostonpublicschools.org ohc@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-08 version 01 boston public schools recycling zero waste guidelines circular remain effect rescind supersede subsequent version background commonwealth massachusetts city boston seek minimize waste reduce reuse recycling state policy program environmentally preferable purchasing policy massdep waste ban regulations executive order 484 lead example city boston zero waste plan help state agency municipality create healthy building clean community simultaneously reduce cost boston public schools bps actively recycle decade reduce resource use waste produce create healthy sustainable boston public schools bps commit zero waste recycling core component city boston commitment zero waste recycling free bps trash operational cost bps school recycling pick curbside free boston public works department pwd pwd page 2 superintendent circular fmt-08 page 2 10 residential recycling program school trash pick cost contract waste hauler increase recycling reduce trash decrease bps operating cost fund direct teaching learn school zero waste program mitigate clutter clutter attract pest create asthma trigger like dust take valuable school space teaching learn organize storage school zero waste program create hand learning engagement opportunity student staff successful zero waste program incorporate education collaboration principle zero waste redesign rethink refuse reduce repurpose reuse recycle teach responsibility school waste policy intent bps zero waste policy reduce waste generate build occupant reduce non recyclable waste haul dispose landfill incineration facility boston public schools create policy align city boston zero waste plan boston public schools responsible provide recycling equipment education cardboard haul service building operate bps ensure ban material separate trash school building site accord massdep waste ban regulations 310 cmr 19.017 city boston public works department page 3 superintendent circular fmt-08 page 3 10 responsible provide curbside haul service bps single stream recycling school principal head school custodian ensure single stream recycling equipment signage display collect applicable material cardboard glass metal paper plastic material collect recycle and/or dispose properly include limit office supply book textile yard waste battery ink toner electronic furniture school responsible identify zero waste champion serve liaison bps facilities management duty include educate school recycle practice advise student recycling team ensure school recycle equipment signage provide facilities management zero waste champion custodial staff encourage participate school wellness council ensure waste management prioritize school indoor environment uphold healthy clean place learn work implementation plan boston public schools recycling zero waste guidance resource find bostongreenschools.org/zero-waste use bps zero waste guide bps recycling signage bps provide follow recycling service single stream paper metal glass plastic paperboard corrugate cardboard electronic waste furniture book yard waste construction waste hazardous waste universal waste page 4 superintendent circular fmt-08 page 4 10 recycling collaborative effort require support principal head school custodian cafeteria staff teacher student zero waste champion facilities management school encourage form student lead zero waste team help manage single stream recycling program run smoothly school year school encourage host annual recycling event educate school community recycle good practice announce new recycling waste management initiative recycle successful bps school identify zero waste champion teacher staff active volunteer staff advise student team liaison facilities department recycling advocate school incorporate recycling task custodial work plan allow time zero waste champion senior custodian attend recycling training facilities management commit provide ongoing education school community recycle good practice divert recycling material waste stream possible school need recycling equipment box cart barrel lid wheel signage complete submit zero waste equipment request form request free equipment facilities management bps warehouse staff deliver equipment place recycle signage equipment appropriate place implement update program page 5 superintendent circular fmt-08 page 5 10 instruction facilities management equipment place 1:1 ratio recycle bin trash bin classroom office small recycling bin box trash bin room small bin empty large recycling barrel cart trash barrel respectively hallways common area food service area gymnasium recycle barrel cart trash barrel recycling barrel empty cart cart roll outside curb 6 day school recycling pick find recycling pick day school address https://www.boston.gov/trash-and-recycling-day-schedule- search trash barrel empty trash dumpster service bps contract waste hauler recycling procedures contacts zero waste program education sustainability energy environment program director operations-department-heads@bostonpublicschools.org 617 635 9576 visit bostongreenschools.org/zero-waste question bps zero waste program need educational material support page 6 superintendent circular fmt-08 page 6 10 recycling equipment school need recycling equipment box cart barrel lid wheel signage complete zero waste equipment request form request free equipment facilities management bps warehouse staff deliver equipment form bostongreenschools.org/zero-waste single stream recycling paper plastic glass metal container recycle pick curbside public works department pwd learn https://www.boston.gov/trash-and-recycling question particular item visit state recyclesmartma.org use recyclopedia tool curbside recycling pick city boston 311 report 311 app pwd notify immediately miss pick indicate school address issue miss pick contact area manager operations department- heads@bostonpublicschools.org 617 763 1030 question concern relate trash recycling dumpster cardboard recycling corrugate cardboard separate single stream recycling flatten stack hamper pickup bps receive income page 7 superintendent circular fmt-08 page 7 10 cardboard recycling program cardboard regularly collect bps warehouse staff separately pwd curbside pick contact sustainability energy environment program director school need additional cardboard pickup issue collection food waste time bps compost food waste food waste place large trash barrel food waste type recycle bin barrel cart classroom trash bin put food waste large trash barrel help prevent pest spill odor classroom bps begin implement food waste collection compost service school 2022 2023 plan add service additional school subsequent year contact food nutrition services representative question food waste reuse book school art materials sports equipment clothing etc consider setting reuse station school unwanted school supply person school contact office academics professional learning bostonpublicschools.org/domain/2439 relate page 8 superintendent circular fmt-08 page 8 10 unwanted book curriculum clothing textile place bay state textiles helpsy box find multiple school location learn bostongreenschools.org/zero- waste include school add textile recycling box schoolyard furniture furniture waste review bps facilities management reuse redistribution proper disposal contact assistant director building services operations- department-heads@bostonpublicschools.org furniture relate question electronic plug cord toner ink cartridge recycling bps oiit manage collection old recyclable equipment printer monitor computer tv ink toner cartridge complete form 57 submit oiit oiit schedule vendor pick item form bostongreenschools.org/zero-waste universal waste hazardous waste universal waste lamp battery mercury contain device pesticide hazardous waste properly label store school accumulation location contact sr environmental supervisor operations- department-heads@bostonpublicschools.org 617 828- page 9 superintendent circular fmt-08 page 9 10 0695 schedule pick metal recycling contact area manager operations department- heads@bostonpublicschools.org 617 763 1030 recycle metal furniture scrap item yard waste prior accumulate yard waste contact head groundskeeper operations department- heads@bostonpublicschools.org 617 293 3889 schedule pick schoolyard waste bag compostable brown bag plastic barrel branch need cut small piece bundle facility alterations additions construction demolition base building element permanently semi permanently attach building include stud insulation door window panel drywall trim ceiling panel carpet floor material adhesive sealant paint coating reuse recycle great extent possible massachusetts law ban clean gypsum wallboard concrete asphalt brick wood disposal trash bps facilities management shall coordinate contractor public facilities department applicable ensure building repair project comply waste removal law information circular contact page 10 superintendent circular fmt-08 page 10 10 owner sustainability energy environment program director department facilities management mailing address 1216 dorchester ave dorchester ma 02125 phone 617 635 9576 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fmt-20 version 01 drinking water access policy circular remain effect rescind supersede subsequent version drinking water access policy water unit drinking food preparation statement commitment boston public schools bps safely bring online maintain school building water unit drinking food preparation background law student access water meal school day cost bps follow healthy hunger free kids act 2010 massachusetts legislation h 4459 223(g massachusetts uniform state plumbing code 248 mass code reg 10.10 table 1 2011 boston water sewer commission http://www.bwsc.org/ public water system pws supply potable water bps bps uphold bottled water contract bps like school district responsible follow guidance lead contamination control act lcca page 2 superintendent circular fmt-20 page 2 21 lcca direct united states environmental protection agency epa state designee assist school system administrator school program identify reduce eliminate lead contamination facility drinking water lcca assistance base non regulatory program federal designee responsible massachusetts agency massachusetts department environmental protection massdep responsible educate school facility official lcca coordinate statewide effort reduce eliminate lead drinking water school childcare facility massachusetts program include lead copper mechanism leach lead plumbing drinking leach copper additional information massdep drinking water program available https://www.mass.gov/lead-in-drinking-water policy accordance epa revise 3ts reduce lead drinking water schools child care facilities toolkit https://www.epa.gov/ground-water-and-drinking-water/3ts- reducing lead drinking water toolkit subsequent recommendation massdep bps commit follow drink water access policy 1 annually test water unit drinking food preparation 2 deactivate unit test result equal 15 part billion ppb lead 1,300 ppb copper implement remediation action reduce level low possible concentration remediation action page 3 superintendent circular fmt-20 page 3 21 include limit daily flush installation filtration system and/or replacement drinking water fixture plumbing fixture and/or piping 3 continue use unit test result 1 ppb 15 ppb lead implement short long term remediation action reduce level low possible concentration 4 communicate test result subsequent action 5 provide bottled water cup deactivate offline school online school lack access fountain food service medical area 6 provide drink water access training relevant bps staff accordance policy definition epa 3 t reduce lead drinking water training testing take action 3ts reduce lead drinking water | epa deactivation level copper ≥1,300 ppb deactivation level lead ≥15 ppb water unit water fountain food service equipment fixture e.g. food preparation sink faucet kettle tilt skillet etc online school school building supply online water unit primary source drinking water definition online water unit online water unit active water unit verified lead copper concentration deactivation level page 4 superintendent circular fmt-20 page 4 21 drinking and/or food preparation concentration verify require testing offline school school building provide commercial bottled water supply source drinking water offline water unit deactivate water unit supply pws drinking and/or food preparation verified lead copper concentration deactivation level activation change water unit e.g. water fountain food service equipment fixture status offline online initial installation remediation action(s subsequent testing demonstrate low possible concentration lead copper deactivation change water unit e.g. water fountain food service equipment fixture status online offline online water unit elevated lead copper level deactivation level deactivate deactivate unit remain deactivate remediation action(s complete remediate unit test subsequent test level low possible concentration lead copper flush turn plumbing cold water fixture(s let cold water run continuously specify time frame accordance massdep protocol daily flushing high use area fixture food preparation e.g. food preparation sink faucet kettle tilt skillet etc bps adhere massdep flush guidance school available fact sheet flush short term solution reduce lead copper page 5 superintendent circular fmt-20 page 5 21 online water fountain recommend drinker let water run 5 10 second drinking precautionary measure lead copper concentration verify deactivation level directly plumb water unit flush feasible e.g. combination oven steamer ice maker etc filter instal activation flush bps adhere minimum flush time 20 minute activation offline water unit activation protocol remediation action(s shall include limit replacement repair maintenance filtration and/or flush reduce concentration lead copper low possible concentration requirement annual testing protocol pg 8) bps facilities management environmental division annually test online water unit drinking food preparation lead copper concentration bps annual testing adhere massdep guidance sample collection procedure school early education childcare facility available follow link sample lead copper schools childcare facilities | mass.gov testing protocol include sink facility cleaning handwashing include limit find utility room bathroom locker room kitchen science labs prep room classroom sink drinking consumptive purpose page 6 superintendent circular fmt-20 page 6 21 food preparation signage shall post case concentration lead copper water unit exceed lead copper deactivation level deactivation need test result available bps water boston school water quality unit result 1 ppb 15 ppb lead continue bps facilities management implement short long term remediation action reduce level low possible concentration case concentration lead copper water unit drinking food preparation exceed lead copper deactivation level bps facilities management bps communications enact deactivation protocol pg 10 require bps facilities management plumbing division immediately deactivate impact online water unit(s place signage say water shut turn facilities management fns food nutrition services approval water unit drinking unit tag drink case water source test lead copper unit designate drink food preparation signage conspicuously place september 1 2016 near source state water sink washing picture location need bps principal head school designate responsible person check ensure signage post bathroom classroom regular basis bps facilities management provide signage contact page 7 superintendent circular fmt-20 page 7 21 additional replacement signage bps follow activation protocol pg 12 safely bring online school building water unit drinking food preparation medical service bps follow flushing protocol pg 13 remediation practice reduce lead level low possible concentration bps facilities management follow filter filtered water fountain standard operating procedure maintenance protocol pg 13 manage filter water fountain filter bps facilities management follow bottled water protocol pg 16 include provide bottled water bottled water unit cup offline school medical food service area lack access tap water unit online school bps facilities management manage track bottled water account bps facilities management provide water testing result recent water relate information bps communications bps water webpage http://www.bostonpublicschools.org/water annual notice bps community head school principal develop school base plan ensure bottled water cup available continuously disruption water cooler entire school day include mealtime school responsible call facilities management order water cup run low exist regular water delivery schedule page 8 superintendent circular fmt-20 page 8 21 bps department health wellness educate promote communicate importance benefit drinking water collaborate facilities management food nutrition services communicate aspect policy school leader staff student school community alignment buildbps bps integrate water infrastructure improvement routine renovation capital planning develop water infrastructure plan school offline goal bring bps school online implementation protocols testing maintenance access annual testing protocol bps annual testing adhere massdep guidance sample collection procedures school early education childcare facility available following link sample lead copper schools childcare facilities | mass.gov collect draw sample 1 collect sample water water unit unused 8) hour eighteen 18 hour test 2 sampler wear chemical resistant nitrile glove sample 3 complete sample collection form sample sample custody log ma dep lcca program equivalent page 9 superintendent circular fmt-20 page 9 21 4 use container 250 millilit wide mouth supply certify laboratory 5 container open ready collect sample 6 sample container compromise way e.g. touch thread interior surface 7 food drink away sample container 8 fixture faucet aerator end fixture remove take sample sampler remove clean aerator prior collection tap sample sure water withdraw tap water fountain adjacent tap sample collect 9 place container water unit test collect 250 milliliter ml water 10 water unit test sure turn cold water tap open cold water tap run fill glass water 11 turn water fill container allow water run drain outside container 12 close container accord instruction certify lab tightly cap sample bottle place sample shipping kit provide 13 sure container label information sample collection form sample page 10 superintendent circular fmt-20 page 10 21 custody log ma dep lcca program equivalent 14 prepare container shipping accord certify lab instruction ship container accord certify lab instruction 15 sample deliver relinquish certify lab 14 fourteen day collection proper testing deactivation protocol 1 case concentration lead copper water unit exceed lead copper deactivation level deactivation need test result available https://www.bostonpublicschools.org/water unit result 1 ppb 15 ppb lead continue bps facilities management implement short long term remediation action reduce level low possible concentration 2 case concentration lead copper water unit drinking food preparation exceed lead copper deactivation level a. notification bps sustainability environmental resources manager bps facilities management plumbing division immediately deactivate impact online water unit(s specifically direct unit offline tag water shut turn facilities management fns food nutrition services approval water unit drinking unit tag drink require bottled water unit place page 11 superintendent circular fmt-20 page 11 21 near possible deactivate unit b. bps facilities management provide bottled water bottled water cooler cup bottled water cooler provide deactivate water unit e.g. water fountain necessary meet 248 cmr 10.00 uniform state plumbing code requirement table 1 minimum facilities building occupancy available following link 248 cmr 10.00 uniform state plumbing code c. bps communications facilities management immediately implement deactivation communications protocol pg 18 d. bps facilities management environmental plumbing divisions inspect impact water unit identify source cause elevation schedule remediation action(s e. impact water unit remain deactivate remediation action complete bps facilities management environmental division test receive 3 consecutive lead copper sample result low possible concentration 3 case water source test lead copper unit designate drink consumption level lead water unit exceed lead copper action level signage conspicuously place near source state water sink washing 4 boston public health commission bphc page 12 superintendent circular fmt-20 page 12 21 recommend bps screen child lead child expose water contain elevated lead level bphc recommend parent consult child medical provider assess child individual risk warrant blood lead testing healthcare provider masshealth cover cost lead testing family question concern cost contact bps health services 617 635 6788 activation protocol 1 completion water unit remediation action e.g. replacement repair etc facilities management environmental division flush water unit approximately 20 minute need remove visual sign sediment debris rust bps adhere minimum flush time 20 minute activation offline water unit 2 eighteen 8 18 hour post flush sample water unit collect confirmatory analysis lead copper 3 repeat step 2 additional time conclude 3 round testing initial activation filter water unit sample coliform collect round testing new england states sample collection preservation guidance manual drinking water p. 36 new england states sample collection preservation guidance manual drinking water revision 5.0 january 2015 4 receive 3 consecutive set sample result low possible concentration negative fecal page 13 superintendent circular fmt-20 page 13 21 bacteria test filter water unit bps communications facilities management immediately implement activation communications protocol pg 18 5 facilities management head school principal select date activate water unit(s online 6 date select facilities management plumbing division work logistic turn water unit(s online logistic include activation flush flush protocol 1 food service equipment fixture i.e. food preparation sink faucet kettle tilt skillet ice maker etc shall flush morning 2 minute prior preparation food food service manager designate food service employee cold water shall flush preparation food beverage food service manager responsible keep daily log flush activity 2 drink online fountain recommend drinker let water run 5 10 second drink communicate bps community implementation protocols education training pg 20 3 follow extended school vacation e.g. summer vacation february vacation custodian flush online fountain prior restart school 4 water school garden tap water gardener flush water 2 minute page 14 superintendent circular fmt-20 page 14 21 filter filtered water fountain standard operating procedure maintenance protocol addition annual testing protocol pg 8) bps collect sample coliform testing filter online water unit case coliform present filter online water unit 1 notification bps sustainability environmental resources manager bps facilities management plumbing division immediately deactivate impact online water unit(s specifically direct unit offline tag water shut turn facilities management fns food nutrition services approval 2 bps facilities management provide bottled water bottled water unit cup bottled water cooler provide deactivate water unit e.g. water fountain necessary meet 248 cmr 10.00 uniform state plumbing code requirement table 1 minimum facilities building occupancy available follow link 248 cmr 10.00 uniform state plumbing code 3 bps communications bps facilities management immediately implement deactivation communications protocol pg 18 4 bps facilities management environmental plumbing divisions inspect impact water unit schedule remediation action(s e.g. replacement filter 5 impact water unit remain deactivate page 15 superintendent circular fmt-20 page 15 21 remediation action complete bps facilities management environmental division receive 1 sample result absent coliform affected water unit bps facilities management initiate uphold vendor contract replace maintain water fountain filter year need daily use maintenance water drain cause clogging lead permanent damage unit plumbing custodians responsible wipe unit daily unit shall clean procedure outline high touch surface food grade cleaning product filter status indicator light light turn yellow school work order asset essentials select filter replacement yellow light indicator filter approach end life need change soon light indicate filter water quality compromise light turn red place sign provide drinking water binder unit encourage occupant utilize unit filter replace page 16 superintendent circular fmt-20 page 16 21 leaking break unit unit newly instal year school reach audrey ng water sustainability project manager contractor address issue warranty unit newly instal school work order asset essentials address plumbing supervisor school operation staff choose use tool provide water bottle refill station repair kit open turn unit stop leaking contractor arrive bottled water protocol bps facilities management provide bottled water bottled water cooler cup offline school medical food service area lack access tap water unit online school bps facilities management cease bottled water account school activate online bottled water cooler remain online school medical food service area area lack access tap water unit bps facilities management manage track bottled water account head school principal develop school base plan ensure bottled water cup available continuously disruption water cooler entire school day include meal time school responsible call facilities page 17 superintendent circular fmt-20 page 17 21 management order water cup run low exist regular water delivery schedule implementation protocols communications reporting bps communications responsible update maintain bps water website bps water boston school water quality content support bps facilities management bps department health wellness bps communications update bps water website include current list online school recent annual test result current list offline school list update time school activate deactivate deactivation communications protocol case coliform present concentration lead copper water unit drinking food preparation exceed lead copper action level bps communications facilities management promptly implement deactivation communications protocol 1 school principal head school notify deactivation protocol test result email test result standardized letter school community 2 letter include water testing result link bps water website provide resource relate lead water letter template provide bps communications bps facilities management testing result provide bps facilities management page 18 superintendent circular fmt-20 page 18 21 3 medium statement manage bps communications activation communications protocol receive 3 consecutive set sample result lead copper action level negative fecal bacteria test result filter water unit bps communications facilities management immediately implement activation communications protocol 1 school principal head school notify activation protocol test result 2 letter include water testing result link bps water website detail water infrastructure improvement e.g. new fountain filter pipe letter template provide bps communications bps facilities management test result provide bps facilities management principal head school share information school community 3 bps facilities management principal head school select date activate water unit(s online 4 date select bps facilities management plumbing division implement logistic turn water unit(s online annual reporting bps facilities management provide water testing result recent water relate information bps communications bps water webpage annual notice bps page 19 superintendent circular fmt-20 page 19 21 community bps department health wellness bps facilities management provide annual update bps drinking water access policy need bps department health wellness bps facilities management annually report implementation water policy district wellness council subsequently bps school committee follow bps school committee review information share massdep implementation protocols education training follow bps staff receive annual training professional development policy protocol principal head school receive training annual leadership institute operations and/or wellness- relate session food service manager staff receive training summer training provide food nutrition services custodians receive training summer training provide bps facilities management school base staff train principal head school beginning school year school policy procedure overview new facilities management environmental plumbing division staff receive training onboarding process bps department health wellness educate promote page 20 superintendent circular fmt-20 page 20 21 communicate importance benefit drinking water collaborate facilities management food nutrition services communicate aspect policy school leader staff student school community bps school wellness councils include water policy relate goal annual wellness action plan page 21 superintendent circular fmt-20 page 21 21 information circular contact owner sustainability energy environment program director department facilities management mailing address 1216 dorchester avenue dorchester ma 02125 phone 617 635 9576 email operations department- heads@bostonpublicschools.org owner senior environmental supervisor department facilities management mailing address 1216 dorchester avenue dorchester ma 02125 phone 617 635 8300 email operations department- heads@bostonpublicschools.org owner senior executive director department health wellness mailing address 370 columbia road dorchester ma 02125 phone 617 635 1631 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number eqt-10 version 01 opportunity achievement gaps oag policy implementation 2016 policy boston public schools eliminate opportunity achievement gaps student color multilingual learner student disability student low socio economic status circular remain effect rescind supersede subsequent version circular content i. opportunity achievement gaps oag policy goals ii oag policy oversight implementation iii oag policy smartie goals align strategic plan implementation goals a. superintendent goals b. central office department division goals c. school base goals d. cross functional team goals iv transparency public accountability boston public schools commit ensure child classroom unfettere access opportunity need successful academically social emotionally order meet mission important district employee read understand embodie implement 2016 opportunity achievement gaps policy page 2 superintendent circular eqt-10 page 2 10 i. oag policy goal oag policy aspire achieve follow goal goal 1 districtwide implementation oversight goal 2 districtwide focus cultural proficiency central work boston public schools o objective 2.1 develop clear share vision cultural proficiency cultural proficiency standards promote culturally linguistically sustain affirm practice districtwide o objective 2.2 continue expand effort aim increase dialogue transparency issue racism inclusion create system report allegation racial bias discriminatory practice office equity goal 3 diversity cultural proficiency leadership human capital o objective 3.1 increase diversity teacher administrator staff school central office o objective 3.2 provide long term ongoing professional development coach staff level district eliminate gap transforming improve instructional practice belief build culture high expectation achievement student page 3 superintendent circular eqt-10 page 3 10 goal 4 holistic culturally affirm approach school teacher quality o objective 4.1 provide culturally proficient highly effective teacher classroom cultural proficiency standard great weight teacher evaluation rubric o objective 4.2 demonstrate curriculum vet bias cultural proficiency ensure curriculum instructional strategy subject level rigorous highly engaging culturally affirming foster student identity voice o objective 4.3 demonstrate social emotional learning sel develop student identity appreciation race ethnicity culture language gender social class student teacher foster comfort discuss issue explicitly school o objective 4.4 demonstrate assessment drive deep learning eliminate redundant testing disaggregate datum ethnicity addition race gender identify address opportunity achievement gap o objective 4.5 demonstrate appropriate identification placement support service provide student disability english language learners page 4 superintendent circular eqt-10 page 4 10 goal 5 dismantling structural barriers provide greater access opportunity o objective 5.1 demonstrate equity address district operation o objective 5.2 demonstrate equity student assignment enrollment school closing o objective 5.3 demonstrate equity quality impact funding resource o objective 5.4 demonstrate opportunity access rigorous curriculum early childhood education extend learning time expand student color marginalize group o objective 5.5 demonstrate collaboration city boston bps foster strong parent community school tie mitigate effect concentrated poverty institutional racism citywide strategy eliminate gap goal 6 student family community authentic partners o objective 6.1 demonstrate student engage partner eliminate opportunity achievement gap promote student engagement agency active learning o objective 6.2 demonstrate parent engage partner eliminate opportunity achievement gap o objective 6.3 demonstrate community partner page 5 superintendent circular eqt-10 page 5 10 engage district eliminate opportunity achievement gap ii oag policy oversight implementation office opportunity gap division equity strategy opportunity gaps esog authority oversee implementation oag policy designate superintendent school ensure department school demonstrate equity facet district operation department school expect develop annual goal advance goal oag policy purview central office department oag policy goal develop consultation designate member office opportunity gap beginning school year school school leader consultation school superintendent develop goal advance oag policy annual quality school plan qsp school superintendent goal review office opportunity gaps consultation feedback finalization november 1 year office opportunity gaps office strategy innovation work partnership ensure alignment strategy plan implementation goal oag policy implementation goal central office department department oag goal(s shall serve page 6 superintendent circular eqt-10 page 6 10 strategic plan implementation goal iii oag policy smartie goals aligned strategic plan implementation goal implementation evaluation month boston school committee bsc adoption policy boston public schools bps develop present bsc interdepartmental implementation plan policy implementation plan include smart goal specific measurable attainable realistic time bound october begin 2017 bps submit annual report plan progress include smart goals subsequent calendar year bps develop opportunity achievement gaps oag dashboard publicly available bps website monitor assess district progress meet goal eliminate opportunity achievement gap face student color marginalize group superintendent goal beginning school year superintendent goal objective implementation activity align goal objective opportunity achievement gap policy central office goal beginning fiscal year division office develop opportunity achievement gap goal strategy(s elevate student disproportionality workstream goal review quarterly determine progress implementation student achievement page 7 superintendent circular eqt-10 page 7 10 school base goal beginning school year school leaders team develop opportunity achievement gap goals strategy(ies quality school plan elevate student disproportionalitie teaching learn operational social emotional support quality school plan review 90 day determine progress implementation student achievement iv transparency public accountability boston school committee ensure eliminate opportunity achievement gap face student color english language learners student disability student low socio economic status primary urgent priority change new leadership fluctuating budget shift priority district policy budget strategic plan school improvement plan shall advance goal eliminate opportunity achievement gap face student color english language learners student disability student low socio economic status responsibility district leadership equity impact statement report policy recommendation budget present boston school committee shall accompany equity impact statement explicitly show comparison gap student color multilingual learner student disability student low socio economic status disaggregate ethnicity extent possible achievement gap impact statement explicit page 8 superintendent circular eqt-10 page 8 10 examination report policy recommendation and/or budget help hinder eliminate gap increase decrease opportunity student color multilingual learner student disability student low socio economic status new policy automatically review year present disaggregate ethnic program datum policy have intend impact lesson learn future recommendation provisions excerpt oag policy leadership oversight superintendent designee e.g. assistant superintendent opportunity achievement gap responsibility authority accountability lead facilitate monitor implementation policy fully embed operation practice district resource allocation bps shall base resource allocation decision oag implementation plan target resource meet specific gap closing goal plan include fully fund office opportunity achievement gap office equity annual report bps indicate resource allocate implement oag plan monitoring opportunity achievement gaps task force shall continue monitoring body meet quarterly provide guidance input work partnership boston school page 9 superintendent circular eqt-10 page 9 10 committee bps help ensure implementation plan develop policy implement consistency fidelity district task force annual state opportunity achievement gaps report boston school committee shall recommendation need influence budget process plan subsequent school year performance review begin sy22 23 annual performance review superintendent bps staff shall include goal relate cultural proficiency eliminate opportunity achievement gap page 10 superintendent circular eqt-10 page 10 10 information circular contact assistant superintendent office opportunity gaps department office opportunity gaps mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 email ofca-staff@bostonpublicschools.org owner assistant superintendent office opportunity gaps department equity strategy opportunity gaps mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9650 fax 617 635 7940 email ofca-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number lgl-06 version 01 religious holy days circular remain effect rescind suspend subsequent version policy boston public schools reasonable effort accommodate religious belief student staff state federal law mandate reasonable accommodation massachusetts general laws chapter 151c section 2b read pertinent follow student educational vocational training institution religious denominational educational vocational training institution unable religious belief attend class participate examination study work requirement particular day shall excuse examination study work requirement shall provide opportunity examination study work requirement miss absence particular day provide makeup examination work shall create unreasonable burden school fee kind shall charge institution make available say student opportunity adverse page 2 superintendent circular lgl-06 2023 2024 september 1 2023 page 2 2 prejudicial effect shall result student availing provision section accommodate religious belief student observe holiday religious belief mark constructively present submit valid note parent guardian circular aca-18 addition teacher refrain give test religious holiday allow sufficient time student work administer test information circular contact lisa maki department office legal advisor mailing address 2300 washington street roxbury ma 02119 phone 617 635 9320 fax 617 635 9327 email lmaki@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs pp09 criminal history screen policy circular shall remain effect rescind replace subsequent version boston school committee superintendent committed provide safe learning work environment boston public schools student employee follow applicable federal state law regulation criminal offender record information cori include fingerprinting sex offender registry information sori policy boston public schools conduct criminal background check cori check 3 year current prospective employee contract service provider volunteer school transportation provider individual direct unmonitored contact children.1 boston public schools criminal history screen policy apply current prospective a. time time employee candidate employment include promotion b. substitute employee c. student teacher apprentice intern 1 boston public schools sexual offender registry information sori policy page 2 superintendent circular hrs pp09 page 2 32 d. employee educational program e. individual regularly provide school relate transportation child f. contractor g. volunteer subcontractor laborer perform work school building school ground 2 department criminal justice information services dcjis provide boston public schools required 2 access cori require 2 access produce cori record include adult youthful offender conviction non conviction pende offense list sealed juvenile civil non incarcerable crime follow practice procedure applicable cori criminal history check include fingerprint screening general background check employment volunteer work bps conducting criminal history cori fingerprinting screen criminal history check include cori check fingerprint screening conduct authorize department criminal justice information services dcjis mass. gen. laws c. 6 172 172b ½ c. 71 38r 28 cfr 20.33(a)(3 public law 92‐544 boston public schools perform criminal history check receive complete 2 volunteers subcontractor laborer subject fingerprinting page 3 superintendent circular hrs pp09 page 3 32 cori fingerprinting acknowledgement form confirm individual identity note bps policy procedure criminal history check include fingerprint screening subject regulation policy procedure promulgate dcjis state board elementary secondary education accordance procedure candidate fingerprint search automated fingerprint identification system afis fingerprint database maintain massachusetts state police federal bureau investigation fbi integrated automated fingerprint identification system iafis fingerprint database fee require conduct fingerprint screen instance boston public schools request additional cori check dcjis individual cori obtain year sign original cori fingerprinting acknowledgement form individual receive notice 72 hour intend conduct additional cori check current employee consider promotion submit cori check regardless cori check conduct year access criminal history information cori fingerprint screening criminal history information obtain dcjis confidential access information limit individual need know include limit staff submit cori request staff page 4 superintendent circular hrs pp09 page 4 32 member cori criminal history review panel boston public schools maintain keep current list individual authorize access view cori result fingerprint screen list update 6 month subject inspection time request dcjis cori training boston public schools agency require maintain cori policy mass. gen. laws c. 6 171a. accordingly personnel authorize conduct criminal history background check inspect cori information review familiarize educational relevant training material cori law regulation available dcjis use criminal history background screen boston public schools shall access employment purpose cori fingerprint information candidate qualified position apply current employee periodic criminal background check provide law criminal record automatically disqualify individual employment contract work subcontract work volunteering interning suitability determination base criminal background check consistent policy applicable law regulation i. verifying subject identity page 5 superintendent circular hrs pp09 page 5 32 criminal record receive dcjis information closely compare information cori fingerprinting acknowledgement form identify information provide individual ensure record belong individual information cori record provide precisely match identification information provide individual determination boston public schools employee(s authorize determination base comparison cori record document provide individual ii inquire criminal history connection decision employment internship volunteer opportunity boston public schools individual shall provide copy criminal history record obtain dcjis source ask subject question criminal history source(s criminal history record disclose subject page 6 superintendent circular hrs pp09 page 6 32 iii determine suitability individual cori record fingerprint screen list offense step convene cori criminal history review panel panel verify criminal record belong individual individual dispute criminal record accuracy base procedure describe section v policy finding cori investigations review outstanding warrants 1 cori investigation reveal conviction table b crime felony year old table b crime misdemeanor year old subsequent conviction pende case kind cori criminal history review panel consider crime purpose compute five- year period period run date court supervision probation sentence terminate 2 cori investigation reveal outstanding warrant offense cori criminal history review panel inform candidate ineligible employment warrant remove 3 storage retention destruction cori report include finding record shall follow dcjis regulation 803 cmr 2.00 criminal offender record information cori page 7 superintendent circular hrs pp09 page 7 32 finding cori investigation crimes subject review 1 cori investigation reveal conviction table crime regardless occur pende table crime conviction table b crime five- year period pende table b crime cori criminal history review panel carefully consider follow factor decision hire hire candidate a. time conviction pende offense b. age candidate time offense c. nature specific circumstance offense d. sentence impose length period incarceration e. relationship criminal act nature work perform f. number offense g. offense commit association dependence drug alcohol candidate recover h. relevant evidence rehabilitation lack thereof information compliance condition parole probation include order contact victim witness individual conduct experience time offense include limit educational professional certification obtain page 8 superintendent circular hrs pp09 page 8 32 i. relevant information include information submit candidate request cori criminal history review panel 2 cori criminal history review panel form prescribe bps write determination decision hire hire candidate form document factor rationale decision cori criminal history review panel copy write determination maintain cori criminal history review panel secure location cori criminal record disclosure information request policy completion write determination form serve confirm cori criminal history review panel carefully review cori relevant information include information provide candidate vulnerable population serve bps protect candidate criminal history give fair opportunity employ reintegrate successfully workforce 3 cori criminal history review panel decide hire candidate cori show conviction pende table crime cori criminal history review panel submit prescribed form chief human resources officer superintendent schools designee cori criminal history review panel proceed hire candidate business day date chief human resources officer superintendent schools designee receive form time chief human resources officer page 9 superintendent circular hrs pp09 page 9 32 superintendent schools designee disapprove hire request additional information notwithstanding foregoing cori criminal history review panel proceed hire candidate expiration day chief human resources officer superintendent schools designee receive prescribed form inform cori criminal history review panel intend disapprove hire request additional information 4 cori criminal history review panel wish hire candidate table crime table b crime five- year period prescribed form complete maintain file secure location adverse decision base criminal history information cori fingerprint screening boston public schools inclined adverse decision base criminal history background check result candidate notify immediately candidate shall provide copy boston public schools criminal history screening policy criminal history source(s criminal history reveal individual provide opportunity dispute accuracy information individual shall provide copy dcjis information concern process correct criminal record boston public schools stay decision brief time document step take comply procedure secondary dissemination logs page 10 superintendent circular hrs pp09 page 10 32 cori obtain dcjis confidential disseminate authorize applicable law regulation central secondary dissemination log shall record dissemination cori outside organization include dissemination individual request cori criminal history review panel boston public schools cori criminal history review panel shall consist follow individual deputy superintendent operations chief human resources officer director transportation director facilities director labor relations director equity designee panel superintendent legal advisor chief operations officer shall access criminal history information case case basis necessary perform job function review individual criminal history information determine individual qualified employment bps employee qualified work contractor subcontractor laborer intern volunteer panel review factor outline section vii panel determine individual qualifie employment commence work contractor subcontractor laborer intern volunteer decision cori criminal history review panel shall record shall majority member present minimum panel member present decision interest confidentiality furtherance protection school child identity panel review particular subject confidential criminal history disclose page 11 superintendent circular hrs pp09 page 11 32 registration process fingerprinting submit fingerprint criminal background screen work boston public schools follow step register appointment fingerprint near site likely dorchester operate morphotrust usa summarize procedure register fingerprint take information detail state guide statewide applicant fingerprint identification services safis program registration guide available follow link https://www.mass.gov/files/2017-06/safis- registration-guide-dcf-fv1-0_0.pdf step 1 sign appointment online phone https://ma.ibtfingerprint.com/ 866 349 8130 step 2 provider id boston public schools enter follow number district provider id 00350000 step 3 pay fee fbi state government agency process fingerprint licensed educator $ 55 non licensed staffer $ 35 step 4 appointment registration confirmation number need bring registration confirmation number appointment step 5 appointment bring proper id id contain photo date birth unexpired page 12 superintendent circular hrs pp09 page 12 32 step 6 obtain receipt morphotrust show fingerprint take receipt copy step 7 mail copy receipt bps office human capital 2300 washington street 4th floor boston ma 02119 miscellaneous individual cover boston public schools cori policy submit annual cori acknowledgment form day follow request office human capital b cori acknowledgment form valid year date individual sign form conclusion subject employment whichever come maintain minimum year date execution year boston public schools submit additional request cori provide 72 hour write notice individual object additional cori cori acknowledgment form invalid boston public schools adverse employment decision base individual objection request cori criminal history information maintain confidentially need know basis office human capital limited number designate individual routinely review criminal history information office human resourcesdesignee(s receive maintain properly obtain criminal history page 13 superintendent circular hrs pp09 page 13 32 information assistant superintendent human resourcesinforme c cori information remain segregated secure personnel file personnel information hard copy store locked secured location boston public schools retain electronic copy cori report boston public schools password protect encrypt report report maintain seven 7 year employee date employment final decision hire candidate d adverse decision base criminal background check result individual notify immediately person telephone fax email letter e cori information protection child purpose access information shall obtain accordance mass. gen laws c. 6 167 168 inclusive improper use cori information civil criminal offense subject employee discipline page 14 superintendent circular hrs pp09 page 14 32 information circular contact owner director labor relations department office labor relations mailing address 2300 washington street boston ma 02119 phone 617 635 1576 email olr@bostonpublicschools.org mary skipper superintendent page 15 superintendent circular hrs pp09 page 15 32 table crime mgl abandon child 10 result death c. 119 39 abuse patient long term care facility c. 265 38 animal cruelty c. 272 77 armed career criminal c. 269 10 g arson dwelling house c. 266 1 assault aggravate c. 265 13a(b assault battery dangerous weapon aggravate c. 265 15a(c assault battery dangerous weapon victim 60 old c. 265 15a(a assault battery child c. 265 13j assault battery elder person disability c. 265 13 k assault battery intimidation race color religion c. 265 39(a 39(b assault battery person intellectual disabilty c. 265 13f assault intent murder rob armed c. 265 18(b assault intent murder rob victim 60 older armed c. 265 18(a assault dwelling armed c. 265 18a assault dangerous weapon victim 60 older c. 265 15b(a page 16 superintendent circular hrs pp09 page 16 32 assault intent murder maim c. 265 15 assault intent rape c. 265 24 assault intent rape child 16 c. 265 24b breaking entering night bldg ship motor vehicle intent commit felony c. 266 16 carjacking armed c. 265 21a child nude sexual act pose exhibit distribute material c. 272 29a 29b child enticement c. 265 26c civil rights violation bodily injury c. 265 37 criminal harassment subsequent offense c. 265 43a(b drugs distribute minor c. 94c 32f drugs traffic cocaine c. 94c 32e(b)(1)-(4 drugs traffic heroin c. 94c 32e(c)(4 drugs traffic marijuana c. 94c 32e(a)(4 elder disabled permit abuse c. 265 13k(a ½ explosion malicious c. 266 102b c. 266 101 prior july 15 2010 extortion c. 265 25 firearm armed career crimnal c. 269 10 g home invasion c. 265 18c identity fraud c. 266 37e page 17 superintendent circular hrs pp09 page 17 32 incest c. 272 17 indecent assault battery person 14 c. 265 13h indecent assault battery child 14 c. 265 13b indecent assault battery child 14 aggravate c. 265 13b½ indecent assault battery child 14 aggravated subsequent event c. 265 13b¾ indecent assault battery diabled person 60 c. 265 13 k indecent assault battery retarded person c. 265 13f kidnapping c. 265 26 kidnapping minor relative endanger safety c. 265 26a manslaughter voluntary involuntary c. 265 13 mayhem c. 265 14 murder c. 265 1 2 obscene pictures distributing c. 272 28 29 obscene material harmful minor distribute possess intent distribute c. 272 28 photograph unsuspecting nude person/ photograph unsuspecting nude person disseminate c. 272 105(b c c.272 104(b c prior march 7 2014 prescription forgery alter subsequent offense c. 94c 33(c page 18 superintendent circular hrs pp09 page 18 32 prostitution derive support c. 272 7 prostitution derive support child c. 272 4b prostitution induce minor c. 272 4a prostitution maintain house c. 272 6 prostitution unlawful sex abduct person c. 272 2 prostitution solicitation person 18 prostitution solicitation person 14 prior february 19 2012 c. 272 53a(b rape c. 265 22(b rape aggravate c. 265 22(a rape abuse child aggravate c. 265 23a rape abuse child aggravated subsequent event c. 265 23b rape child force c. 265 22a rape child force aggravate c. 265 22b rape child force aggravated subsequent event c. 265 22c rape child statutory c. 265 23 reckless endangerment children c. 265 13l robbery armed c. 265 17 sex offender failure register c. 6 178h(a sexual conduct child 18 pay fee sexual conduct child 14 pay fee prior february 19 2012 c. 272 53a(b sexual intercourse administer drugs c. 272 3 page 19 superintendent circular hrs pp09 page 19 32 sexual intercourse induce minor c. 272 4 stalking c. 265 43(a stalking violation restraining order c. 265 43(b unnatural acts child 16 c. 272 35a violate domestic protective order c. 208 34c violation protective order 209a c. 209a 7 weapon mass destruction c. 266 102c conspiracy commit table crimes c. 274 7 page 20 superintendent circular hrs pp09 page 20 32 accessory fact table crimes c. 274 2 attempt commit table crimes c. 274 6 page 21 superintendent circular hrs pp09 page 21 32 table b crime mgl felony mis demeanor abandon child 10 c. 119 39 m accessory fact variable c. 274 4 f accosting lewd lascivious conduct indecent exposure c. 272 53 m affray subsequent offense affray prior august 1 2009 c. 272 53 m aid escape custody c. 268 17 m alcoholic beverages sell deliver person 21 c. 138 34 m alien possess firearm c. 140 131h m assault c. 265 13a(a m assault intent rob unarmed c. 265 20 f assault battery c. 265 13a(a m assault battery public servant police officer c. 265 13d m assault battery correctional officer c. 127 38b f assault battery dangerous weapon c. 265 15a(b f assault dangerous weapon c. 265 15b(b f assault hypodermic needle syringe c. 265 15c(a f page 22 superintendent circular hrs pp09 page 22 32 assault battery hypodermic needle syringe c. 265 15c(b f attempt injure depository valuables c. 266 16 f betting taking allow c. 271 17 m body armor use commission felony c. 269 10d f bomb scare /hijack threat c. 269 14 f bomb explosives unlawful possession c. 266 102 c. 148 35 prior july 15 2010 f m prior july 15 2010 breaking entering day intent commit felony person fear c. 266 17 f breaking entering day intent commit felony c. 266 18 f breaking entering railroad car c. 266 19 f breaking entering truck intent commit felony c. 266 20a f breaking entering intent commit misdemeanor c. 266 16a m bribery police officer state local official member judiciary c. 268a 2 f bribery gifts influence business affairs c. 271 39 f burglarious tools possess c. 266 49 f page 23 superintendent circular hrs pp09 page 23 32 burglarious tools motor vehicle master key possess c. 266 49 f burglary armed c. 266 14 f burglary unarmed c. 266 15 f burning building c. 266 2 f burn motor vehicle personal property c. 266 5 f burn defraud insurance co c. 266 10 f burn motor vehicle willful malicious c. 266 127 f civil rights violation bodily injury c. 265 37 m compounding conceal felony c. 268 36 f contribute delinquency child c. 119 63 m confine fear steal attempt steal c. 265 21 f credit card larceny misuse c. 266 37b m credit card unauthorized use $ 250 c. 266 37c f criminal harassment c. 265 43a(a m dangerous weapon carrying c. 269 10(b 10(d f dangerous weapon unlawful possession c. 269 10(b f defacement real personal property c. 266 126a f page 24 superintendent circular hrs pp09 page 24 32 destruction property $ 250 malicious c. 266 127 f disorderly conduct c. 272 53 m drugs larceny authorized person c. 94c 37 f drugs failure records c. 94c 15 m drugs illegal possession class c substance c. 94c 34 m drugs illegal possession class d substance c. 94c 34 m drugs illegal possessession class e substance c. 94c 34 m drugs dispense prescription registered c. 94c 25 m drug paraphenelia distribute intend distribute c. 94c 32i(a m drug paraphenelia sell minor c. 94c 32i(b f drugs manufacture distribute class substance c. 94c 32 f drugs manufacture distribute class b substance c. 94c 32a f drugs manufacture distribute class c substance c. 94c 32b f drugs manufacture distribute class d substance c. 94c 32c f drugs manufacture distribute class e substance c. 94c 32d(a m page 25 superintendent circular hrs pp09 page 25 32 drugs manufacture distribute dispense class b substance c. 94c 32a f drugs manufacture distribute dispense class substance near school park c. 94c 32j f drugs manufacture distribute dispense class b substance near school park c. 94c 32j f drugs motor vehicle homicide negligent operation c. 90 24g(b f drugs possess class substance c. 94c 34 m drugs possess class substance intent distribute c. 94c 32(a f drugs possess class b substance c. 94c 34 m drugs possess class b substance intent distribute c. 94c 32a(a f drugs possess class c substance intent distribute c. 94c 32b(a f drugs possess class c substance subsequent offense c. 94c 34 m drugs possess class d substance intent distribute c. 94c 32c(a m drugs possess class d substance subsequent offense c. 94c 34 m drugs possess class e substance intent distribute c. 94c 32d m page 26 superintendent circular hrs pp09 page 26 32 drugs possess controlled substance intent distribute subsequent offense c. 94c 32(b f drugs possess counterfeit substance intent distribute c. 94c 32 g m drugs possess class substance intent distribute near school park c. 94c 32j f drugs possess class b substance intent distribute near school park c. 94c 32j f drugs possess class d substance intent distribute near school park c. 94c 32j f drugs traffic cocaine near school park c. 94c 32j f drugs traffic heroin near school park c. 94c 32j f drugs traffic marijuana near school park c. 94c 32j f drugs unlawfully obtaining control substance false prescription fraud false registration c. 94c 33 f embezzlement c. 266 51 52 55 59 f page 27 superintendent circular hrs pp09 page 27 32 enter breaking bldg ship motor vehicle intent commit felony person fear c. 266 17 f enter break dwelling night intent commit felony c. 266 18 f enter breaking truck intent commit felony c. 266 20a f escape prisoner c. 268 16 f escape furlough c. 268 16 f explosive throwing c. 266 102 f explosive throw place explode possess intent injure c. 266 102 f firearm carry loaded rifle shotgun c. 269 12d(a m firearm carry loaded unloaded firearm public way unenclose case c. 269 12d(b f firearm discharge 500 ft building c. 269 12e m firearm discharge 500 ft dwelling near highway c. 131 58 m firearm license id card false c. 140 131i f firearm possess firearms id c. 269 10(h m firearm possess serial id number obliterated c. 269 11c f page 28 superintendent circular hrs pp09 page 28 32 firearm possess serial id number obliterated commision attempt commision felony c. 269 11b f firearm sell license c. 140 128 f firearm shotgun barrel und 18 sawed possess subsequent offense c. 269 10(d f firearm shotgun barrel und 18 sawed possess c. 269 10(c f firearm unattended c. 269 10(h f firearm unlawful possession commission felony c. 265 18b f firearm shotgun unlawful possession c. 140 129c m firearm violation carry ammunition c. 269 10(n m forged instrument utter c. 267 5 f fugitive justice c. 276 19 m gun permit false information c. 140 129 m hoax device substance possess transport use c. 266 102a ½ c. 266 102 prior july 15 2010 f indecent exposure c. 272 53 m infernal machine possess c. 266 102a c. 266 102 prior july 15 2010 f page 29 superintendent circular hrs pp09 page 29 32 kidnapping minor relative c. 265 26a m kill beast willful malicious c. 266 112 f larceny motor vehicle trailer c. 266 28 f larceny person c. 266 25 f larceny person 65 + c. 266 25 f larceny check $ 250 c. 266 37 m larceny check $ 250 c. 266 37 f larceny firearm c. 266 30 f larceny bldg ship vessel rr car c. 266 20 f larceny truck trailer c. 266 20b f larceny $ 250 c. 266 30 f larceny $ 250 c. 266 30 m larceny bank employee officer c. 266 52 f leave scene personal injury motor vehicle c. 90 24(2)(a1/2)(1 m lewd lascivious conduct c. 272 53 m lewdness open gross c. 272 16 f liquor procure minor c. 138 34 m machine sawed shot gun possession c. 269 10(c f machine gun possession license c. 269 10(c f manslaughter operate influence c. 265 13 ½ f medical assistance medicaid fraud c. 118e 40 f page 30 superintendent circular hrs pp09 page 30 32 medical assistance medicaid kickback c. 118e 41 f motor vehicle homicide reckless operation c. 90 24g(b f motor vehicle homicide influence drugs negligent reckless c. 90 24g(a f motor vehicle use commission felony c. 90 24(2)(a f motor vehicle homicide influence liquor c. 90 24g(b f motor vehicle homicide influence liquor negligent reckless c. 90 24g(b f motor vehicle operate license revoked drunk driving c. 90 23 m motor vehicle operate influence drugs alcohol c. 90 24(1)(a)(1 m motor vehicle operate influence drugs alcohol 3rd subsequent offense c. 90 24(1)(a)(1 f motor vehicle operate influence drugs liquor 3rd subsequent offense c. 90 24 f motor vehicle authority steal parts c. 266 28 f obscene materials possess intent distribute c. 272 29 f obscene literature sell minor c. 272 28 f page 31 superintendent circular hrs pp09 page 31 32 obstruction justice common law m c. 279 5 penalty common law crime perjury c. 268 1 f prescription forgery alter c. 94c 33(b f prescription utter false c. 94c 33 f prisoner deliver articles inmate c. 268 31 f prisoner deliver drugs c. 268 28 f prostitution solicitation c. 272 53a m prostitution engage sex john c. 272 53a m prostitution house c. 272 24 m prostitute solicit c. 272 8 m resisting arrest c. 268 32b m riot c. 269 1 m robbery unarmed c. 265 19(b f robbery unarmed victim 60 + c. 265 19(a f shoplifting 3rd subsequent offense c. 266 30a m stolen property receive $ 250 c. 266 60 f stolen motor vehicle receive buy c. 266 28(a f telecommunications fraud c. 166 42a m telephone call annoying obscene c. 269 14a m unnatural acts c. 272 35 f page 32 superintendent circular hrs pp09 page 32 32 vandalize church synagogue cemetery c. 266 127a f vandalize school church educational bldg c. 266 98 f witness intimidate retaliate c. 268 13b f conspiracy commit table b crimes attempts commit table b crimes accessory table b crimes page 1 superintendent circular number fin-16 version 01 budget transfer circular remain effect rescind supersede subsequent version use online reference document budget transfers guide initiate online budget transfer request introduction year department review budget allocate money good service fiscal year fund allocate budget line reflective intend use need change department want reallocate money budget line accomplish budget transfer budget transfer mechanism available budget resource move budget line item boston public schools financial system peoplesoft budget transfer request enter directly peoplesoft financial system authorize user principal head school responsibility center manager designee budget office long accept paper transfer form detailed job aid follow online budget transfer request initiate page 2 superintendent circular fin-16 page 2 5 line budget transfer request process involve 6 basic component 1 navigate transfer form budget journal peoplesoft 2 enter datum explanation budget code dollar and/or fte 3 complete budget error check 4 save complete transfer 5 send budget office approval 6 track progress transfer online incremental approach budget transfer employ incremental approach mean dollar move particular line item negative dollar value associate line item conversely resource move line item dollar value column positive figure budget transfer sum $ 0 example principal wish $ 3,000.00 contract line item stipend line item transfer line look like account fund rc program subclass 52907 contract services 100 general fund 101203 adams school 2112 elem ed 0000 $ 3,000.00 51202 prof. ot/ stipend 100 general fund 101203 adams school 2014 grade 4 0000 $ 3,000.00 page 3 superintendent circular fin-16 page 3 5 budget transfer involve addition deletion change full- time equivalent fte position follow incremental approach negative fte associate reduction deletion position positive fte creation increase position example wish reduce position 0.8 fte 0.6 fte type -0.2 fte column statistic budget journal budget line wish delete position entirely -0.8 fte column wish increase position 1.0 fte type 0.2 fte column budget transfer involve position position number identify reference field budget transfer request new position leave reference field blank fill budget office new position create requirement restriction 1 authorizer request transfer bai fn access 2 responsibility center allow transfer fund arise staff vacancy lag fund boston public schools contingency fund reallocate sole discretion superintendent exception policy write request write approval chief financial officer 3 fund transfer personnel account start 51 substitute account normal circumstance adjustment budget line item associate position rare explicitly approve page 4 superintendent circular fin-16 page 4 5 office human capital prior budget transfer request approve 4 budget transfer request lack sufficient explanatory detail long description text box budget journal header approve 5 concert annual requisition deadline budget transfer fiscal year process april requisition deadline fiscal year exception policy transfer grant extend june 30 6 transfer request exceed available leave particular line process word transfer fund spend 7 line item budget transfer place funding source i.e. general fund general fund title 1 title 1 general fund grant separate grant 8 title el fund program begin 24 transfer program funding ell likewise partnership fund program 2536 parent support service fund fund 200 program 2515 move program homeless service fund program 2533 keep code possible fully restrict 9 authority request budget transfer reserve principal head school rc manager explicitly delegate authority designee write chief financial officer budget director page 5 superintendent circular fin-16 page 5 5 10 line budget transfer protocol execution budget transfer simple efficient substitute thoughtful forward look resource planning budget office glad assist planning use online reference document budget transfer guide initiating online budget transfer requests information circular contact owner budget director department budget office mailing address 2300 washington street roxbury ma 02119 phone 617 635 6772 e mail finance-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-02 version 01 mileage reimbursement circular remain effect rescind supersede subsequent version boston public school employee eligible mileage reimbursement require irs regulation document cost provide specific information reimbursement procedure detail circular follow necessary documentation provide employee use vehicle authorize school business entitle reimburse list note travel home eligible reimbursement itinerant service providers school psychologists district social workers speech language pathologist occupational therapists physical therapists adaptive physical education teachers vision teachers $ 600.00 school year flat rate 65.5¢ mile period 7/01/23 12/31/23 btu member 65.5¢ mile period 7/01/23 12/31/23 page 2 superintendent circular fin-02 page 2 5 supervisors attendance 65.5¢ mile period 7/01/23 12/31/23 basas 65.5¢ mile period 7/01/23 12/31/23 management 65.5¢ mile period 7/01/23 12/31/23 planning engineering $ 15.00 day flat rate eligible mileage reimbursement sufficient appropriation respective responsibility center manager budget account 52803 mileage page 3 superintendent circular fin-02 page 3 5 important parking fee toll transportation fare lyfts ubers mbta individual fare monthly pass reimbursable etc reimburse clearly state trip take result fee official school business method transport economical original receipt produce provide reimbursement follow procedure submit reimbursement email accept 1 submit complete city boston special draft non order form fill completely school department date person reimburse address person reimburse vendor funding source detailed description reimburse sign employee immediate supervisor 2 submit certification form attest penalty perjury amount state correct incur service city boston page 4 superintendent circular fin-02 page 4 5 3 submit complete mileage detail form list total number mile travel day total page sign date page 4 submit receipt toll parking uber lyft mbta individual fare etc 5 mileage reimbursement request submit end month quarterly 4 time year september 30 december 31 march 31 day school june 6 employee group union affiliation indicate insure eligibility reimbursement reminder register city boston vendor supplier portal file order reimburse www.boston.gov/procurement click supplier portal follow instruction wait approve vendor acquire vendor number submit reimbursement submit paper submit single sided reimbursement packet double sided small 12 font 8x11 white paper highlight scotch tape receipt fade receipt use staple legible receipt page 5 superintendent circular fin-02 page 5 5 reimburse submit copy 8x11 paper cash register receipt important reminder fiscal school year end june 30 year july 1 start new fiscal school year use current school year fund pay prior school year expense reimbursement submit school fiscal year jeopardy non payment information circular contact unit leader business services accounts payable department business services mailing address 2300 washington street boston ma 02119 phone 617 635 9472 e mail finance-staff@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number hrs hs04 version 01 school leader screening process circular remain effect rescind supersede subsequent version process recruit screen hire school leader vacancy require collaboration office include superintendent regional school superintendents office human resources office engagement division schools school vacant leadership position school leader vacancy fill process appointment exist employee external candidate superintendent require position post manner describe circular position post job post school leader position available november 1 2024 application find search school leader selection process yield qualified candidate entire district autonomous school ► note autonomous school right create advertise job posting order recruit page 2 superintendent circular hrs hs04 page 2 10 candidate align specific vision value community autonomous schools page 8 minimum qualifications minimum qualification follow master degree education related field evidence submission successful completion ma- pal task massachusetts performance assessment leader principal assistant principal licensure equivalent time appointment preferred qualifications preferred qualification follow fluency non english language 5 + year experience school leader large urban school district pre screening selection process selection process consist follow phase phase application resume review nov 2024 feb 2025 phase ii performance tasks nov 2024 feb 2025 phase iii school base interview jan april 2025 phase iv interview superintendent superintendent designee march april 2025 page 3 superintendent circular hrs hs04 page 3 10 candidate successfully advance phase process eligible interview school- base hire team school base hiring process lead regional school superintendent designee regional school superintendent designee convene school screening committee serve chairperson chairperson shall decide approve candidate shall interview committee base characteristic need school community school screening committee guidelines regional school superintendent designee shall chair school screening committee school leader position include autonomous school office engagement provide support chairperson school screening committee coordinate vote determine serve school screening committee lead committee member bias training member membership school screening committee shall include following regional school superintendent and/or superintendent designee serve chairperson teacher member boston teachers union btu represent racial ethnic diversity school page 4 superintendent circular hrs hs04 page 4 10 student population select btu member school site council member boston association school administrators supervisors basas select chairperson special consideration basas member work school parent school select parent member school site council represent racial ethnic diversity school student population elect member school site council school parent council ○ parent member select parent special education student student program multilingual learners special education program program english learners place school parent member school site council shall select parent optional discretion school screening committee chairperson representative partner organization work closely school community business high education partner secondary student school site council student student advisory council school merger event school schedule merge result complete screen process new school leader school screening committee shall comprise member list follow adjustment ○ btu member school different racial group select btu member school site council page 5 superintendent circular hrs hs04 page 5 10 ○ parent school select parent member school site council represent racial ethnic diversity school student population elect member school site council school parent council ○ operational leader region shall serve basas representative committee member shall adhere norm respect collaboration confidentiality screening process event committee member fail conduct accord norm member remove process discretion chairperson process creation school screening committee chairperson shall write notice committee member work day prior meeting screen committee member shall receive chairperson copy candidate application material screening packet include guideline interview scoring candidate list committee member school merger event school schedule merge sit school leader shall opportunity interview school screening committee convening committee page 6 superintendent circular hrs hs04 page 6 10 review responsibility function committee include superintendent circular review job description include qualification need position review school leader rubric scoring guide candidate interview shall base candidate proficiency standard school level administrator enumerate dese ○ instructional leadership ○ management operations ○ family community engagement ○ professional culture committees shall use school leader rubric scoring guide basis scoring ○ guide school screening committee member shall score candidate response private chairperson shall aggregate score recommend candidate base score reports establish interview schedule ○ set date time candidate interview future meeting quorum meeting shall majority member include chairperson parent teacher member present person color group represent remain committee member unanimous vote decide proceed meeting decision screening committee quorum present shall carry majority member present meeting voting shall page 7 superintendent circular hrs hs04 page 7 10 secret ballot committee decide member screening committee equal status vote representative office human capital office equity office engagement office leadership development attend meeting timeline order ensure placement strong candidate early possible school screening committees shall attempt efficiently list step maintain integrity process specifically school screening committees shall aim convene establish interview schedule determine high scoring candidate month date vacancy public committee pace accomplish chairperson reserve right waive quorum requirement list order convene meeting conduct interview interim appointment school interim school leaders shall convene school screening committee january shall conclude search march 1 2025 school vacancy emerge follow 1 2025 discretion regional school superintendent forgo list step superintendent shall instead appoint interim school leader following year page 8 superintendent circular hrs hs04 page 8 10 screening committee meeting note chairperson shall ensure screening committee meeting note take meeting follow information accurately note race affiliation screening committee member date time meeting attendance meeting vote take member copy meeting note screening process complete member screening committee return resume meet note office leadership development information disclose screening committee meeting assume confidential ensure integrity hiring process protect applicant employer aware apply position chairperson responsible work department schools improve and/or increase pool applicant reports school leader rubric scoring guide chairperson screening committee ensure score committee resume screening interview accurately track record chairperson tally candidate score committee identify recommend candidate base score chairperson complete school leader nomination page 9 superintendent circular hrs hs04 page 9 10 form list candidate form submit chief schools chief staff executive director leadership development step superintendent final determination candidate person color chairperson committee add additional candidate(s nomination form require discretion final interviews decision receipt screening committee recommendation superintendent and/or regional school superintendent interview recommend candidate regional school superintendent and/or designee check reference report information superintendent determine final appointment superintendent retain authority appoint school leader recommend school screening committee choose appoint candidate superintendent notify screening committee final decision select candidate office human resources send offer letter new hire page 10 superintendent circular hrs hs04 page 10 10 autonomous schools element circular shall apply autonomous school pilot horace mann charters innovation district charter schools manner apply non autonomous school school screening committee chairperson shall collaborate closely govern board autonomous school ensure efficient effective process align vision school community uniquely govern board autonomous school right create advertise job posting order recruit candidate align specific vision value community candidate vet approve phase 1 phase 2 district wide process outline pre screening selection process pg.1 information circular contact department division schools mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9600 fax 617 635 7956 mary skipper superintendent page 1 superintendent circular number oiit-02 version 01 procuring digital products guidance document circular remain effect rescind supersede subsequent version purpose document intend provide guidance boston public schools bps staff process procure new digital learning technology use student education record staff information overarch guidance school central office department continue use vet digital product include google enterprise suite tool include clever definition digital tool digital product learning tool enhance improve workflow store maintain datum information example include application like smartsheet chrome extensions personal notation tool tool exempt circular system digital platform purposely build store maintain transfer sensitive student staff datum information example include aspen edplan page 2 superintendent circular oiit-02 page 2 5 platform suite tool program allow user create structure maintain information example include google apps salesforce wordpress learning application digital tool classroom setting contain content student information progress learning application fall multiple category depend tool contain content track student learning consider learn app purpose document example include imagine learning context bps staff seek online learning product receive offer use online learn product support instruction digital space result desire use product align bps instructional standard comply technical specification adhere datum share guideline ferpa district commit ensure appropriate educational support effective learning opportunity provide student document outline guidance appropriate review digital learning tool bps guideline outline create ensure product confidentiality security practice meet exceed industry standard adhere expectation contain federal family education rights privacy act ferpa children online privacy protection act coppa protection pupil rights amendment ppra hipaa regulation document describe consideration school central office staff employ page 3 superintendent circular oiit-02 page 3 5 protect student datum education record select digital learning tool guidance bps staff procure digital product tool product procure pay free school department schoolwide districtwide use need comply ferpa school official exception criteria1 specification technical interoperability exception tool track store maintain student staff information example chrome extension magnify screen fall guideline 1 perform institutional service function educational agency institution use employee determine meet criterion set forth educational agency institution annual notification ferpa right school official legitimate educational interest education record pii direct control educational agency institution use maintenance education record pii use education record pii authorized purpose disclose education record pii party provider specific authorization educational agency institution permit ferpa 34 cfr 99.31(a)(1)(i page 4 superintendent circular oiit-02 page 4 5 access sensitive information new request product 1 meet district technical specification 2 sign sign datum privacy agreement 3 align essentials instructional equity 4 serve purpose distinct currently available tool district process submit spending approval digital learning product new digital learning product integrate follow step need complete 1 review essentials instructional equity alignment 2 vendor submit nda request receive sign ma student data privacy agreement technology specifications template 3 fully execute follow procurement process outline business services guide 4 product procure email bps clever admin cleveradmin@bostonpublicschools.org page 5 superintendent circular oiit-02 page 5 5 information circular contact director technology department office instructional information technology office data accountability mailing address bruce c. bolling building 2300 washington street roxbury ma 02119 phone 617 635 9200 email operations department- heads@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number sup-19 version 01 de escalation physical restraint seclusion time policy circular remain effect rescind supersede subsequent version i. introduction purpose circular ensure student participate boston public schools program free use physical restraint inconsistent state law district policy ensure physical restraint emergency situation resort lawful intrusive alternative fail deem inappropriate extreme caution purpose circular state use seclusion prohibit law boston public schools circular consistent regulation establish massachusetts department elementary secondary education 603 cmr 46.00 school district policy massachusetts department elementary secondary education establish regulation govern use physical restraint student regulation supersede previously establish procedure boston public schools follow provision 603 cmr 46.00 regulate physical restraint student massachusetts public school district charter school collaborative special education school page 2 superintendent circular sup-19 page 2 35 physical restraint administer need protect student student staff assault imminent danger physical harm physical restraint administer intrusive manner possible prevent minimize harm student boston public schools use seclusion seclusion shall mean involuntary confinement student room area student physically prevent leave seclusion include time shall mean behavioral support strategy develop pursuant 603 cmr 46.04(1 student temporarily separate learning activity classroom choice direction staff purpose calm time student continuously observe staff member staff shall student immediately available student time space time clean safe sanitary appropriate purpose calm time shall cease soon student calm time exceed 30 minute express approval school leader designee ii definition mechanical restraint shall mean use physical device equipment restrict student freedom movement mechanical restraint include device implement train school personnel utilize student prescribe appropriate medical related service professional specific approve page 3 superintendent circular sup-19 page 3 35 positioning protective purpose device design example device include adaptive device mechanical support achieve proper body position balance alignment allow great freedom mobility possible use device mechanical support vehicle safety restraint intend transport student move vehicle restraint medical immobilization orthopedically prescribe device permit student participate activity risk harm bps prohibit type restraint medication restraint shall mean administration medication purpose temporarily control behavior medication prescribe licensed physician authorize parent guardian administration school setting medication restraint bps prohibit type restraint physical escort shall mean temporary touching holding use force hand wrist arm shoulder purpose induce student agitated walk safe location physical restraint shall mean direct physical contact prevent significantly restrict student freedom movement physical restraint include brief physical contact promote student safety provide physical guidance prompt teach skill redirect attention provide comfort physical escort prone restraint shall mean physical restraint student place face floor surface physical page 4 superintendent circular sup-19 page 4 35 pressure apply student body student face position bps prohibit type restraint seclusion shall mean involuntary confinement student room area student physically prevent leave seclusion include time define 603 cmr 46.02 seclusion prohibit public school bps time shall mean behavioral support strategy develop pursuant 603 cmr 46.04(1 student temporarily separate learning activity classroom choice direction staff purpose calm time student continuously observe staff member staff shall student immediately available student time space time clean safe sanitary appropriate purpose calm time shall cease soon student calm time exceed 20 minute express approval school leader designee iii physical restraint procedures a. methods prevent violence engaging parents guardian bps behavioral health services department school psychologist assign bps school social worker provide district wide service behavioral page 5 superintendent circular sup-19 page 5 35 health services department provide wide continuum behavioral health service include prevention risk intensive service addition behavioral health services team mental health crisis response team district work educational staff identify respond unsafe situation addition bps develop multi tiered system support prevent student violence self injurious behavior suicide include individual crisis planning de escalation potentially dangerous behavior occur group student individual student comprehensive behavioral health model cbhm multi tiered system support mtss design promote student social emotional behavioral wellbeing mtss tier model service delivery educational behavioral service school setting model call response intervention rti bps academic achievement framework aaf version rti focus student social behavioral learning cbhm focus student social behavioral learning goal cbhm lighthouse model create safe supportive learn environment student grow thrive academically personally socially include provide right service support right time student absolutely need model base logic majority student successful provide evidence inform instruction preventative page 6 superintendent circular sup-19 page 6 35 intervention appropriate intervention use datum assess progress help ensure student benefit progressively intensive service need long term bps engage parent caregiver school level guide families students special education parent advisory council sepac engage parent caregiver discussion restraint prevention use restraint solely emergency procedure b. use restraint physical restraint administer need protect student student staff assault imminent physical harm physical restraint resort emergency student behavior pose threat imminent physical harm student respond verbal directive lawful intrusive behavior intervention intervention deem inappropriate circumstance physical restraint shall limit use reasonable force necessary time necessary protect student member school community assault imminent physical harm physical restraint page 7 superintendent circular sup-19 page 7 35 administer school personnel properly train use physical restraint c. use time seclusion include time time restraint time behavioral support strategy student temporarily separate learning activity classroom choice direction staff purpose calm time out permit behavioral strategy student staff member continuously observe staff member immediately available student time space time clean safe sanitary appropriate purpose calm time shall cease soon student calm time discipline punishment preference time implement classroom great extent possible staff document aspen antecedent behavior prior time behavioral support strategy attempt time date duration location time behavioral support strategy school leader document approval time continue 30 minute base individual student continue agitation page 8 superintendent circular sup-19 page 8 35 d. limitation use restraint physical restraint shall limit reasonable force necessary protect student member school community assault imminent physical harm 603 cmr 46.03(3 instance restraint 1 physical restraint means discipline punishment 603 cmr 46.03(2)(a 2 physical restraint student safely restrain medically contraindicate reason include limit asthma seizure cardiac condition obesity bronchitis communication relate disability risk vomiting 603 cmr 46.03(2)(b 3 physical restraint response destruction property school disruption refusal student comply public education program rule staff directive verbal threat action constitute threat assault imminent physical harm 603 cmr 46.03(2)(c 4 physical restraint standard response individual student write individual behavior plan individualized education program iep include use physical restraint page 9 superintendent circular sup-19 page 9 35 standard response behavior 603 cmr 46.03(2)(d 5 boston public schools prohibit follow form restraint mechanical medication seclusion prone prone restraint document 603 cmr 46.00 prohibit 1 right individual report appropriate authority crime commit student individual 2 law enforcement judicial authority school security personnel exercise responsibility include physical detainment student person allege commit crime pose security risk 3 exercise individual responsibility mandate reporter child abuse neglect accord mgl c. 119 s 51a appropriate state agency 4 protection afford publicly fund student state federal law include law provide right student find eligible receive special education related service page 10 superintendent circular sup-19 page 10 35 e. proper administration physical restraint restraint implement train actively certify personnel possible restraint shall witness person engage restraint exception event emergency situation train staff available protect student staff imminent harm restraint implement properly train staff arrive restraint implement way prevent student breathe speak use unnecessary force administer physical restraint expressly prohibit intervene staff use force necessary protect student physical injury staff shall select safe intrusive method likely effective student student indicate observe significant physical distress difficulty breathing sign indicator pain discomfort change color alertness etc student shall release immediately medical assistance seek student shall release physical restraint soon safe mean student long danger and/or plan manage student safely have use physical management page 11 superintendent circular sup-19 page 11 35 rare event student crisis 20 minute restraint 20 minute approval school leader school leader document approval grant restraint 20 minute follow procedure follow restraint implement include debrief student appropriate review incident staff need follow student witness school nurse assess student physical condition restraint f. safety requirement pursuant 603 cmr 46.05(5 follow require 1 restraint shall administer manner prevent student speak breathe 2 restraint shall administer way prevent minimize physical harm 3 restraint staff member shall continuously monitor physical status student include skin temperature color respiration 4 time restraint student express demonstrate significant physical distress include limit difficulty breathing restraint immediately terminate medical assistance seek page 12 superintendent circular sup-19 page 12 35 5 program staff review consider know medical psychological limitation know suspect trauma history and/or behavioral intervention plan use physical restraint individual student 6 restraint staff continuously talk engage student attempt de escalate behavior end restraint soon possible 7 staff administer physical restraint use safe method available appropriate situation 8 student restrain period long 20 minute program staff shall obtain approval school leader approval shall base student continue agitation restraint justify need continue restraint 9 release student restraint incident applicable review student behavior lead restraint address 10 staff person(s administer restraint review discuss proper restraint procedure follow consider follow appropriate student witness incident page 13 superintendent circular sup-19 page 13 35 iv report requirement a. follow restraint follow use physical intervention duration meet definition physical restraint dese regulation step take notify appropriate party report restraint bps dese system notify school administration notify school administration verbally soon possible provide write report school working day event school leader involve restraint restraint report school superintendent operational leader timeline notify parents guardians school leader director program notify parent guardian verbally soon possible end day incident write report language home email provide parent guardian regular mail postmark 3 work day incident write report shall include ○ student information name involve restraint observer name report include administrator notify event go 20 minute page 14 superintendent circular sup-19 page 14 35 ○ date time restraint include begin end timesa brief summary event progress time restraint immediate antecedent challenging behavior effort attempt de escalation alternative restraint try documentation injury staff student summary include description hold necessary reaction student restraint restraint end ○ action take school opportunity parent guardian discuss restraint consequence impose student related matter important note school leader print copy report submit dese report dese write documentation restraint email mail parent guardian report dese contain require information list record aspen conduct incident record aspen 24 hour detail attempt de escalate provide limit type restraint duration use restraint add conduct action restraint physical report dese restraint report dese dese security portal page 15 superintendent circular sup-19 page 15 35 https://gateway.edu.state.ma.us/edu/myportal/meoe business day school leader responsible ensure report timeline adhere restraint upload portal timely manner ○ event injury restraint copy write report send dese school working day addition school send copy record restraint maintain school leader 30 day period date report incident program notify additional step need 30 calendar day receipt report b. data review 1 individual student review school leader shall conduct weekly review datum identify student restrain multiple time week student identify having involve multiple restraint week school leader convene support team review discussion write report submit accordance 603 cmr 46.06 comment provide student parent guardian report use restraint page 16 superintendent circular sup-19 page 16 35 b analysis circumstance lead restraint include factor time day day week antecedent event individual involve c consideration factor contribute escalation behavior consideration alternative restraint include de escalation technique possible intervention strategy decision appropriate goal reduce eliminate use restraint future ​ d agreement write plan action program school leader directly participate restraint duly qualified individual designate superintendent board trustee shall lead review team discussion school leader shall ensure record individual student review maintain available review department parent guardian request 2 monthly school wide review school leader complete monthly review school wide restraint datum review look pattern like time day day week individual involve type restraint duration specific student duration restraint number type injury base review school leader decide update retraining need action need goal reduce page 17 superintendent circular sup-19 page 17 35 eliminate restraint v. training requirement a. staff law ma require school district staff interact student receive annual prevention restraint seclusion de escalation training respond requirement bps create asynchronous online learn module consistent 603 cmr 46.04(2 training complete month september school year employee hire beginning school year training complete month hire school leader shall determine time method provide program staff training program restraint prevention behavior support policy requirement restraint training shall include information following role student family staff prevent restraint b program restraint prevention behavior support policy procedure include use time behavior support strategy distinct seclusion c intervention preclude need page 18 superintendent circular sup-19 page 18 35 restraint include de escalation problematic behavior alternative restraint emergency circumstance d behavior present emergency require physical restraint type permit physical restraint related safety consideration include information increase risk injury student restraint particular restrain extended duration e administer physical restraint accordance medical psychological limitation know suspect trauma history and/or behavioral intervention plan applicable individual student f identification program staff receive depth training pursuant 603 cmr 46.04(3 use physical restraint link training de escalation training link b. staff authorized serve school wide resource proper administration physical restraint beginning school year school leader require identify program staff authorize serve school wide resource assist ensure proper administration physical restraint individual page 19 superintendent circular sup-19 page 19 35 participate depth training use physical restraint training include content describe 603 cmr 46.04(4 competency base sixteen 16 hour length refresher training occur annually training safety care program provide office social work department special education staff register safety care training vector public education program personnel receive safety care training shall administer physical restraint student possible administration restraint shall witness adult participate restraint training requirement shall preclude teacher employee agent public education program reasonable force protect student person assault imminent physical harm 603 cmr 46.05(1 c. proper administration restraint review proper administration restraint section iii section give additional detail directly state regulation 1 train personnel public education program personnel receive training pursuant 603 cmr 46.03(2 3 shall administer physical restraint student possible administration page 20 superintendent circular sup-19 page 20 35 restraint shall witness adult participate restraint training requirement shall preclude teacher employee agent public education program reasonable force protect student person assault imminent physical harm 2 use force person administer physical restraint shall use force necessary protect student physical injury harm 3 safest method person administer physical restraint shall use safe method available appropriate situation subject safety requirement set forth 603 cmr 46.05(5 floor restraint include prone restraint permit 603 cmr 46.03(1)(b shall prohibit boston public schools 4 duration restraint physical restraint terminate soon student long immediate danger student indicate breathe student observe severe distress have difficulty breathing sustain prolong cry cough page 21 superintendent circular sup-19 page 21 35 5 safety requirement additional requirement use physical restraint restraint shall administer way student prevent breathe speak administration restraint staff member shall continuously monitor physical status student include skin temperature color respiration b restraint shall administer way prevent minimize physical harm time physical restraint student express demonstrate significant physical distress include limit difficulty breathing student shall release restraint immediately school staff shall step seek medical assistance c student restrain period long 20 minute program staff shall obtain approval principal approval shall base student continue agitation restraint justify need continue restraint d program staff shall review consider know medical psychological limitation know suspect trauma history and/or behavioral intervention plan use physical restraint individual student page 22 superintendent circular sup-19 page 22 35 e release student restraint public education program shall implement follow procedure procedure shall include review incident student address behavior precipitate restraint review incident staff person(s administer restraint discuss proper restraint procedure follow consideration follow appropriate student witness incident d. reporting requirement review reporting requirements section iv section give additional detail directly state regulation 1 circumstance physical restraint report program staff shall report use physical restraint specify 603 cmr 46.06(2 2 inform principal program staff member administer restraint shall verbally inform school leader restraint soon possible write report later school working day write report shall provide school leaderfor review use restraint school leaderhas administer restraint school leadershall prepare report submit page 23 superintendent circular sup-19 page 23 35 individual team designate superintendent board trustee review school leadershall maintain go record report instance physical restraint shall available review department student parent guardian request 3 inform parents guardians school leadershall reasonable effort verbally inform student parent guardian restraint 24 hour event shall notify parent guardian write report send school work day restraint email address provide parent guardian communication student regular mail postmark later school working day restraint program customarily provide parent guardian student report card necessary school relate information language english write restraint report shall provide parent guardian language school leader shall provide student parent guardian opportunity comment orally writing use restraint information write report 4 content report write report require 603 cmr 46.06(2 3 shall include student name job title staff administer restraint observer date restraint time restraint begin page 24 superintendent circular sup-19 page 24 35 end school leader designee verbally inform follow restraint applicable school leader designee approve continuation restraint 20 minute pursuant 603 cmr 46.05(5)(c b description activity restrained student student staff room vicinity engage immediately precede use physical restraint behavior prompt restraint effort prevent escalation behavior include specific de escalation strategy alternative restraint attempt justification initiate physical restraint c description administration restraint include hold reason hold necessary student behavior reaction restraint restraint end documentation injury student and/or staff restraint medical care provide d information action(s school take include consequence impose student e information opportunity student parent guardian discuss school official administration restraint consequence impose student related matter 5 individual student review school leader shall conduct weekly review restraint datum identify page 25 superintendent circular sup-19 page 25 35 student restrain multiple time week student identify school leadershall convene review team school leader deem appropriate assess student progress need assessment shall include follow review discussion write report submit accordance 603 cmr 46.06 comment provide student parent guardian report use restraint b analysis circumstance lead restraint include factor time day day week antecedent event individual involve c consideration factor contribute escalation behavior consideration alternative restraint include de escalation technique possible intervention strategy decision appropriate goal reduce eliminate use restraint future d agreement write plan action program school leader directly participate restraint duly qualified individual designate superintendent board trustee shall lead review team discussion school leader shall ensure record individual student review maintain available review department parent guardian request 6 administrative review school leader shall conduct monthly review school wide restraint datum page 26 superintendent circular sup-19 page 26 35 review shall consider pattern use restraint similarity time day day week individual involve number duration physical restraint school wide individual student duration restraint number type injury result use restraint school leader shall determine necessary appropriate modify school restraint prevention management policy conduct additional staff training restraint reduction prevention strategy training positive behavioral intervention support action necessary appropriate reduce eliminate restraint 7 report restraint relate injuries department physical restraint result injury student program staff member program shall send copy write report require 603 cmr 46.06(4 department postmark later school working day administration restraint program shall send department copy record physical restraint maintain school leader pursuant 603 cmr 46.06(2 30 day period prior date report restraint 8 report physical restraints department program shall collect annually report datum department use physical restraint page 27 superintendent circular sup-19 page 27 35 datum shall report manner form direct department vi complaint procedure a. informal complaint parents guardian student notify school leader designee concern restraint practice procedure designee receive complaint concern designee shall notify school leader school day school leader shall attempt authority work parent guardian resolve complaint fairly expeditiously parent guardian satisfied resolution choose informal resolution parent guardian proceed formal complaint process b. formal complaint complaint submit regional school superintendent restraint complaint submit problem resolution system massachusetts department elementary secondary education https://www.doe.mass.edu/prs/intake/default.html information question page 28 superintendent circular sup-19 page 28 35 topic department contact email general restraint policy dese requirements documentation office specialized services kay seale chief specialized services christine trevisone senior advisor specialized services kseale@bostonpublicscho ols.org ctrevisone@bostonpublic chools.org safety care de escalation physical restraint training aba strand office specialized services zachary houston assistant director aba zhouston@bostonpublicsc hools.org safety care de escalation physical restraint training non aba school office student support jenna parafinczuk director social work jparafinczuk@bostonpubli cschools.org page 29 superintendent circular sup-19 page 29 35 de escalation training office behavioral health andria amador senior director behavioral health services aamador@bostonpublicsc hools.org reporting schools department drew echelson chief schools accountability operational leader region dechelson@bostonpublics chools.org region 1 jeichael henderson jhenderson@bostonp ublicschools.org region 2 courtney kinney cmaginnis@bostonp ublicschools.org region 3 michelle jordan mjordan2@bostonpu blicschools.org region 4 naima abdal khallaq page 30 superintendent circular sup-19 page 30 35 nabdalkhallaq@bosto npublicschools.org region 5 kristen week kweeks@bostonpubli cschools.org region 6 monique carter mcarter3@bostonpu blicschools.org region 7 nelson miranda nmiranda@bostonpu blicschools.org region 8 zach solis zsolis@bostonpublics chools.org region 9 rui gome rgomes2@bostonpub licschools.org mary skipper superintendent page 31 superintendent circular sup-19 page 31 35 attachment quick reference don’ts crisis intervention boston public schools massachusetts use physical restraint public school highly regulate employ resort ensure safety student staff essential teacher school staff follow specific guideline good practice physical restraint list don'ts staff physical restraint public school boston use restrictive method use restrictive mean intervention alternative restraint include limit verbal de escalation technique attempt resort physical restraint safety physical restraint threat assault imminent physical harm form punishment discipline training teacher staff receive proper training safe effective restraint technique include annual refresher training documentation document incident thoroughly include reason restraint duration injury sustain documentation complete soon possible incident documentation contain fact incident restraint conclusion page 32 superintendent circular sup-19 page 32 35 documentation time outs staff document aspen antecedent behavior time date duration location time behavioral support strategy school leader approval time continue 30 minute base individual student continue agitation communication maintain open effective communication staff member restraint ensure coordinated safe response rare event student crisis 20 minute restraint 20 minute approval school leader school leader document approval grant restraint 20 minute notify parents guardians principal director program notifie parent guardian verbally soon possible 24 hour write report 3 school working day provide copy physical restraint report submit dese monitoring continuously monitor student physical emotional restraint physical restraint terminate soon student long immediate danger themself student indicate breathe student observe severe distress have difficulty breathing sustained prolong crying cough page 33 superintendent circular sup-19 page 33 35 legal compliance aware follow relevant law regulation school policy use physical restraint school seek medical attention injury sign distress restraint seek immediate medical attention student impact individual school nurse assessment possible school nurse assess student physical condition follow restraint not don’t implement unnecessary restraint use physical restraint threat assault imminent physical harm minor infraction convenience staff don’t seclude maintain visibility ensure continue communication student ensure presence staff member possible circumstance student leave room area student physically prevent leave door lock time don’t use protract restraint continue restraint student long immediate danger themself student indicate breathe observe severe distress page 34 superintendent circular sup-19 page 34 35 don’t restrain head neck use form restraint put pressure student head neck throat dangerous potentially lethal don’t use untrained staff allow untrained unauthorized staff engage physical restraint train personnel involve process don’t use mechanical restraint use mechanical restraint handcuff student public school don’t use restraints revenge punishment use physical restraint means revenge discipline punishment restraint resort protect safety involve don’t fail report neglect report use physical restraint school administration parent guardian relevant authority require law school policy report carefully write record fact incident restraint remember use physical restraint public school sensitive potentially risky action mean ensure safety exhaust compliance massachusetts law regulation essential protect right student involve page 35 superintendent circular sup-19 page 35 35 attachment b notification process page 1 superintendent circular number oda-01 version 01 procedures conducting educational research circular remain effect rescind supersede subsequent version purpose circular define policy procedure conduct educational research boston public schools overview mission boston public schools office data accountability serve bps community facilitate access quality information building capacity data- drive decision advance educational equity opportunity achievement student research way facilitate community access quality information responsibility office data accountability ensure researcher access quality datum responsibly interpret result office data accountability review approve research work advance educational equity opportunity achievement student ensure responsible access use quality datum research activity coordinate office data accountability bps research team oda approval page 2 superintendent circular oda-01 page 2 4 require research use datum publicly available source bps public website list current source publicly available datum find appendix policy guidelines document instance researcher use datum present source long source cite modification analysis researcher clearly delineate approval researcher irb and/or bps school leader guarantee approval research proposal bps office data accountability oda research approve oda bps school leader final particular school participate give study conduct research academic professional organization individual doctoral work submit proposal conduct research office data accountability bps doctoral candidate submit write evidence propose research approve university irb supervise advisor(s purpose research team review necessary research submission approve exempt irb decision institution bps require research submit bps research team review prior bps approval bps research review duplicative irb process aim ensure following research align district priority research follow federal local guideline conduct research human subject page 3 superintendent circular oda-01 page 3 4 school setting include consent form research participant assurance student receive incentive monetary value student exceed $ 50 teacher voluntary participation research subject research overly burdensome classroom new research advance aim district research fully support internal bps staff member district sponsor committed result research steps conducting research bps 1 submit research proposal adhere guidelines procedure general research submission review calendar follow review period submission month review month decision letter send p1 june 1 30 july 1 31 mid august p2 october 1 31 november 1 30 mid december 2 primary research i.e. interview focus group observation person survey researcher need submit pass cori check 3 secondary research i.e. request administrative datum record maintain school district researcher need submit data request sign standard nda template note administrative datum request fee assess assist fulfillment datum pull page 4 superintendent circular oda-01 page 4 4 4 submit policy brief update annually district sponsor research team research@bostonpublicschools.org 5 annually renew research proposal bps research team 6 continue research follow need submit a. cover page describe research activity conduct propose change study year b. recent policy brief describe interim finding c. updated district sponsor letter d. update irb approval year research 7 submit final report policy brief template review research@bostonpublicschools.org study finalize study officially finalize final report policy brief approve additional information circular application process contact owner senior executive director department office data accountability mailing address 2300 washington street roxbury ma 02119 phone 617 635 9450 email all-acad-division@bostonpublicschools.org mary skipper superintendent page 1 superintendent circular number fin-02 version 01 mileage reimbursement circular remain effect rescind supersede subsequent version boston public school employee eligible mileage reimbursement require irs regulation document cost provide specific information reimbursement procedure detail circular follow necessary documentation provide employee use vehicle authorize school business entitle reimburse list note travel home eligible reimbursement itinerant service providers school psychologists district social workers speech language pathologist occupational therapists physical therapists adaptive physical education teachers vision teachers isp receive $ 600 payment succeed year provide isp direct supervisor verifie isp travel schedule substantially unchanged $ 600.00 school year flat rate 67¢ mile page 2 superintendent circular fin-02b page 2 5 btu member 67¢ mile supervisors attendance 67¢ mile basas 67¢ mile management 67¢ mile planning engineering $ 15.00 day flat rate eligible mileage reimbursement sufficient appropriation respective responsibility center manager budget account 52803 mileage page 3 superintendent circular fin-02b page 3 5 important parking fee toll transportation fare lyfts ubers mbta individual fare monthly pass reimbursable etc reimburse clearly state trip take result fee official school business method transport economical original receipt produce provide reimbursement follow procedure submit reimbursement email accept 1 submit complete city boston special draft non order form fill completely school department date person reimburse address person reimburse vendor funding source detailed description reimburse sign employee immediate supervisor 2 submit certification form attest penalty perjury amount state correct incur service city boston page 4 superintendent circular fin-02b page 4 5 3 submit complete mileage detail form list total number mile travel day total page sign date page 4 submit receipt toll parking uber lyft mbta individual fare etc 5 mileage reimbursement request submit end month quarterly 4 time year september 30 december 31 march 31 day school june 6 employee group union affiliation indicate insure eligibility reimbursement reminder register city boston vendor supplier portal file order reimburse www.boston.gov/procurement click supplier portal follow instruction wait approve vendor acquire vendor number submit reimbursement submit paper submit single sided reimbursement packet double sided small 12 font 8x11 white paper highlight scotch tape receipt fade receipt use staple legible receipt page 5 superintendent circular fin-02b page 5 5 reimburse submit copy 8x11 paper cash register receipt important reminder fiscal school year end june 30 year july 1 start new fiscal school year reimbursement submit school fiscal year jeopardy non payment use current school year fund pay prior school year expense information circular contact business manager department business services mailing address 2300 washington street boston ma 02119 phone 617 635 9472 e mail ffinancestaff@bostonpublicschools.organceo.org mary skipper superintendent page 1 superintendent circular number fin-04 version 01 student activity account operate procedures circular remain effect rescind supersede subsequent version overview student activity account operate procedure superintendent circular accordance massachusetts general law chapter 71 section 47 student activity account policy approve school committee fall 2018 student opportunity co- curricular activity boston public schools migrate new business process manage student activity account student activity fund manage agency account house city tax id number definition category student activity account student activity account express purpose conduct student activity broadly define co curricular nature contingent fee fundraising sole benefit student page 2 superintendent circular fin-04 page 2 13 boston public schools recognize follow category student activity socal = social dance pizza party event= special event graduation science fair fldtr = field trip transportation cost entrance fee clubs = school leader approve student club student council debate club store = bookstore bookstore run student proceed benefit student directly athlt = athletics fund student drive proceed benefit specific student activity directly sndry = miscellaneous activity catch student activity account bps website approve list bnkfe = bank fee fee return check establish student activity account student activity fund manage utilize student activity agency account agency account master account maintain city collector treasurer utilize record deposit expense student activity account utilize city boston tax id number authorize bps chief financial officer city treasurer school seek set new student activity account student activity agency account contact bps finance office page 3 superintendent circular fin-04 page 3 13 new school leader begin bps school contact bps finance office account reconcile prior account change hand deposit procedure deposit fund school student activity account 1 deposit fund boston citizens bank branch unique deposit slip provide school critical ensure fund deposit school subaccount simplify reconciliation process a. deposit fund use multiple different student activity school use separate deposit slip pool money 2 complete revenue breakdown form 2 business day deposit date designate fund program socal event fldtr clubs store athlt sndry bnkfe class grade level allow deposit fund apply school subaccount reflect bais financials a. deposit multiple grade undefine utilize 0000 grade 3 allow 5 business day deposit book school subaccount reflect bais financial school notify bps finance office run low unique deposit slip run deposit slip additional deposit slip order deliver school page 4 superintendent circular fin-04 page 4 13 transfer procedure request transfer school student activity account 1 submit transfer request form require justification letter attach document request transfer request justification template 2 allow 5 business day transfer reflect bais financials expenditure procedure standard purchasing purchase school student activity account 1 confirm company venue approve city vendor look bais financial determine individual need hire pay city payroll system a. question company venue approve city vendor hire email vendor.questions@cityofboston.gov 617 635- 4564 b. new vendor register online step step guideline register online 2 confirm company venue approve city vendor enter requisition student activity follow information fund number 470 page 5 superintendent circular fin-04 page 5 13 account appropriate requisition example account 52811 field trip unsure review account code list contact bps purchasing program alpha entry match revenue breakdown socal event fldtr clubs store athlt sndry bnkfe class alphanumeric entry match revenue breakdown 0000 grade bpsk0 bpsk1 bpsk2 bps01 bps02 bps03 bps04 bps05 bps06 bps07 bps08 bps09 bps10 bps11 bps12 bud ref 0000 3 follow standard purchase guideline outline business services manual complete requisition purchase process reimbursement request reimbursement school student activity account 1 confirm person properly hire approve city vendor look bais financials b. question company venue approve city vendor hire email vendor.questions@cityofboston.gov 617 635- 4564 c. new vendor register online step step guideline register online page 6 superintendent circular fin-04 page 6 13 2 confirm person approve city vendor complete submit hard copy non order form detail expense funding source reimbursement instruction find superintendent circular fin-03 staff seek reimbursement student activity account receive reimbursement tax purchase tax save go standard purchasing process reach lisa greaves bob cass reimbursement question business services guide helpful resource inquiry purchase checking student activity account balance check school student activity account balance 1 log bais financials 2 main menu drop option select reporting tools 3 reporting tools select query 4 click query viewer 5 search select query drop- option 6 blank begin enter y_gl_qry_sch_act_budget_bal 7 select like run report html excel xml 8 blank department enter school 6- digit rc code 9 click view result a. scroll line item find balance page 7 superintendent circular fin-04 page 7 13 likely row balance b. download result filter row balance check deposit expenditure school student activity account 1 log bais financial 2 main menu drop option select reporting tools 3 reporting tools select query 4 click query viewer 5 search select query drop- option 6 blank begin enter y_gl_qry_exp_po_cn_dtl 7 select like run report html excel xml 8 enter following blank a. fund code 470 b. organization school 6 digit rc code c. program code d. sub classification e. project grant f. account g. budget reference h. accounting period 1 i. accounting period 12 j. fiscal year start year example want look current school year enter 2024 want look account time enter 2018 k. fiscal year end year 9 click view result page 8 superintendent circular fin-04 page 8 13 reporting monthly reconciliation reports 5th month september july 1 complete monthly reconciliation report previous month reconcile school peoplesoft balance submit revenue breakdown form expenditure request 2 complete monthly reconciliation send school leader student organization leadership and/or parent council leadership elementary school charlie ng 5th month previous month example february reconciliation submit march 5 pdf upload school saa report folder save 7 year year end reconciliation june 21 1 complete form b additional bank account associate school form b need complete student activity school account record transaction account additional bank account include 501c3 bedf parent council sunshine fund account 2 final monthly reconciliation report submit july 5 close student activity account school year 3 complete form send charlie ng page 9 superintendent circular fin-04 page 9 13 cash policy record keeping internal records ledgers schools detailed record receipt expense account record contain minimum level detail provide example ledger line specific purpose activity money track recommend individual activity specific field trip event school track receipt expense i.e. revenue expense prom copy record house school saa folder purpose record ensure bank deposit match total receipt fee fund raise money ensure entirety money spend intend purpose benefit solely student money raise avoid large surplus deficit spending cash policy cash box receive cash check change fundraising activity need cash box sign staff student organization long cash box log complete time cash box sign school need record collect cash check $ 10 collect individual pre printed carbon receipt issue individual carbon copy receipt submit school leader page 10 superintendent circular fin-04 page 10 13 collect cash check 24 hour receipt case large number transaction short period time receipt log provide record individual transaction submit school leader collect cash check 24 hour receipt $ 10 collect individual pre printed carbon receipt need issue person handle cash box need record collect fund receipt log receipt log submit school leader collect cash check 24 hour receipt cash box reconcile daily individual cash count individual initial cash box reconciliation form collect cash check total $ 1,500 deposit boston citizens bank branch week receipt total collect cash check exceed $ 1,500 deposit boston citizens bank branch 72 hour receipt page 11 superintendent circular fin-04 page 11 13 closure account closure class accounts graduation follow procedure follow respect class account graduation 1 class account open active 90 day graduation allow outstanding bill receive pay 2 90 day remain fund a. transfer separate account establish class member city tax id number b. transfer school sndry 0000 grade line closure inactive accounts follow procedure follow respect inactive undesignated account district level 1 account close remain balance transfer student activity agency account 2 remain balance distribute school sndry 0000 grade line follow procedure follow respect inactive account school level 1 provide write notification inactive account bps finance office 2 account close balance fund a. balance recognize student activity fund move appropriate program page 12 superintendent circular fin-04 page 12 13 class subaccount b. balance unrecognized student activity fund move school sndry 0000 grade line resources additional information resource student activity account student activity account policies procedures manual student activity account website saa slide deck 7 minute overview presentation purchasing manual massachusetts general law contact finance office student activity account question address circular question relate deposit fund balance account status direct special accounts manager finance- staff@bostonpublicschools.org internal controls project manager finance- staff@bostonpublicschools.org page 13 superintendent circular fin-04 page 13 13 question relate purchase account direct assistant business manager finance- staff@bostonpublicschools.org 617 635 6758 question relate reimbursement account direct principal account clerk finance-staff@bostonpublicschools.org 617 635 9472 unit leader business services accounts payable finance-staff@bostonpublicschools.org 617 635 9469 mary skipper superintendent \ No newline at end of file diff --git a/data/data_txt1/Academics (CAO)/CAO-01 Promotion Policy.txt b/data/data_txt1/Academics (CAO)/CAO-01 Promotion Policy.txt new file mode 100644 index 0000000..8372729 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-01 Promotion Policy.txt @@ -0,0 +1,324 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-01 +Version 01 + +PROMOTION POLICY +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +Boston Public Schools students are the leaders, scholars, +entrepreneurs, advocates, and innovators of tomorrow. BPS will +ensure that 100% of those students are ready for college, career, +and life. We will ensure that every graduate: +● is a proficient reader, communicator, problem-solver, and +critical thinker; +● demonstrates the habits of mind and work required for +success in school and the world of work; +● knows how to acquire knowledge, connect it to familiar +concepts and prior knowledge, and apply it, using +sophisticated technologies; +● has mastered key skills and understands important +concepts from English Language Arts, Mathematics, Science +and Technology, History and Social Science, at least one +World Language, the Arts, Health, and Physical Education; +● has applied these concepts in real-life contexts; and +● has made a valued contribution to the school and +community. + + + +Page 2: +Superintendent’s Circular CAO-01 +Page 2 of 10 + + + +These expectations frame the teaching, learning, and assessment +process. They are critical to lifelong learning and essential to +gaining students’ commitment to the learning process. + +RESPONSIBILITIES AND ACCOUNTABILITY +Every teacher, administrator, parent, and adult involved in the +lives of our students share in the responsibility to ensure that all +students meet these expectations. +The Boston Public Schools: +Schools, and the adults who work in them, are accountable for +ensuring every student learns in an environment that is safe, +welcoming, and sustaining; receives quality instruction that is +responsive to their strengths and needs; and receives timely +information about their progress. +Families and Students: +Families are responsible for ensuring their children come to +school each day, on time, ready to learn. Every student is also +responsible for coming to school and class prepared and on time, +working hard, and contributing to the school environment in a +positive, responsible manner. + + + + +Page 3: +Superintendent’s Circular CAO-01 +Page 3 of 10 + + + +THE BPS PROMOTION POLICY +This promotion policy has been developed in alignment with the +BPS Opportunity and Achievement Gap Policy which states in its +preamble: “Every child, in every classroom, in every school of the +Boston Public School system has the same opportunity to +achieve the greatness within them as anybody else. Every child +has the same unfettered access to every conceivable tool to +unlock the greatness within them.” The BPS Promotion Policy +outlines the expectations for school teams that ensure that +students have access to every conceivable tool that will support +them to meet grade-level learning expectations before +considering the possibility of retention. +BPS school teams and individual educators must provide all +students with access to high-quality, differentiated, and relevant +tier 1 instruction that is aligned with grade-level standards and +implemented through high-quality materials. School teams and +individual educators must monitor student progress towards +grade-level expectations through formal and informal data +collection and make ongoing adjustments to instruction to +respond to evidence of student learning. School teams and +individual educators must ensure that all students have access to +tiered supports that provide appropriate scaffolds and instruction +so that students are able to develop grade-level knowledge and +skills. +In cases where it is determined that a student may not, with all +available supports provided, develop the necessary grade-level +knowledge and skills by the end of the school year, a school +team, including the student, family, teachers, and the school + + +Page 4: +Superintendent’s Circular CAO-01 +Page 4 of 10 + + + +leader, will collectively make decisions regarding student +promotion. If the team is unable to come to a decision or any +member would like to dispute a decision, the Chief of Teaching +and Learning may be brought in to support the decision-making +process. Principals and heads of school have the final authority +for all promotion decisions. School teams must make decisions +based on the following principles: +● ensure promotions are earned and based on academic +achievement +● diminish grade retentions to the greatest extent possible +● ensure students will enter classrooms with the skill and +knowledge necessary to do grade-level work or have the +necessary supports to accelerate learning +● ensure students are prepared to demonstrate proficiency on +the Massachusetts Comprehensive Assessments +● establish a process that supports students and demands +hard work from them +● recognize that students learn at different rates and call for +organizational structures that respond to students’ +differences +● define those inputs and outcomes for which teachers, +administrators, parents, and students are accountable. + + + + + +Page 5: +Superintendent’s Circular CAO-01 +Page 5 of 10 + + + +PROMOTION REQUIREMENTS FOR ALL GRADES +Students must fulfill several requirements to be promoted to the +next grade. All students must earn passing grades in core +academic courses and maintain good attendance. Schools may +establish promotion requirements that exceed those listed. The +School Site Council must approve these additional requirements. +High school students must pass courses that align to the BPS +Graduation Policy (CAO-07) in order to earn the credits necessary +to graduate. + +ENGLISH LEARNERS +Students in programs for English learners must meet promotion +and graduation requirements. However, EL students may not be +retained in grade if the only reason for not passing the required +tests is a lack of language knowledge. + +STUDENTS WITH DISABILITIES +Students with disabilities are expected to meet promotion and +graduation requirements. A student’s Individualized Education +Program (IEP) or Section 504 plan will describe the conditions +under which the student will take standardized tests for each +subject scheduled for assessment or if the student requires an +alternate assessment. Alternate assessments are intended for a +minimal number of students with significant disabilities who are +unable to take standard MCAS tests, even with accommodations. + + +Page 6: +Superintendent’s Circular CAO-01 +Page 6 of 10 + + + +A student’s 504 plan will describe what, if any, testing +accommodation will be needed. + +REQUIRED PROCESS +Principals and heads of school are responsible for effectively +implementing the following process: +1. Parents must be notified by the end of September of the name +and phone number of the school staff member (in addition to +their child’s teachers) they should call about concerns related +to their child’s academic progress. Parents should also be +informed that if they ever have a concern about their child’s +academic progress, they should notify the appropriate teacher +and principal/head of school (or the designated administrative +liaison to parents). + +2. If by mid-October, a teacher considers a student at-risk of not +meeting the subject or grade-level standards, the teacher will +notify the parent immediately, in writing, and refer the student +to the appropriate administrator, guidance counselor, or +student support services personnel. + +3. When a student has been identified as at-risk of not meeting +subject or grade-level standards, the principal/head of school, +teacher(s), and other designated staff will work with parents +and the student to resolve any problems. They may consider a +variety of options, including: + + +Page 7: +Superintendent’s Circular CAO-01 +Page 7 of 10 + + + +● tiered academic or social emotional supports +● examining and altering current instructional strategies or +materials +● tutoring (during or after school) +● a change in schedule +● a change in teacher +● referral to other support, social service, or health-related +services +● problem-solving with other students or individuals who may +have an impact on the students’ achievement. + +4. If by the close of the first marking term, the problem persists +and the student remains at-risk for retention, additional +options will be considered, including: +● referral to the school’s Student Success Team (SST) +● referral to safety net or alternative programs for more +intensive services +● access to additional instructional time (during the day, +extended day, or summer school) +● referral to special education, where necessary and +appropriate, to determine evidence of a disability (pre- +referral documentation must provide evidence that other +interventions have been attempted). + + + +Page 8: +Superintendent’s Circular CAO-01 +Page 8 of 10 + + + +Parents will be engaged in consideration of additional +intervention strategies and will be informed, in writing, of any +decisions that result. Parents may request a referral for special +education services in any case. The final determination of +appropriate services will rest with the appropriate (IEP or +Section 504) team. + +5. Only when all other interventions have been unsuccessful and +the student has not made sufficient academic progress during +the course of a school year will the student be considered for +retention. All potential retentions will be reviewed by a +Promotion Review Team, including the principal/head of +school (or designee), a guidance counselor or student support +team member, at least one of the student’s teachers, and the +child’s parent. + +6. The review team will include the liaison teacher for any +student with an IEP, and a bilingual teacher, counselor, or +administrator for any student enrolled in a transitional +bilingual program. + +7. By the end of January, formal, written notices must be sent to +parents of students who remain at risk of being retained. The +Promotion Review Team will meet in February and again +before the end of the year to review and make decisions on +students who are at risk of being retained. Principals and +heads of school have the final authority for all promotion +decisions. + + + +Page 9: +Superintendent’s Circular CAO-01 +Page 9 of 10 + + + +8. During the period from February through June, schools must +maintain written, bimonthly contact with parents who were +sent formal, written notices to apprise them of their child’s +progress. Copies of these notifications must be kept on file. + +9. Any student who is retained, or remains at-risk even though +they were promoted, will be provided with additional support, +including tutoring during the subsequent school year. + +HOME-SCHOOL PARTNERSHIPS +The success of many students receiving transition support +depends on the engagement of their parent(s) in their education. +Schools implement a variety of strategies to help parents +become successful partners in their children's development. +These efforts are coordinated by the school’s guidance and other +support staff. + +CONNECTIONS TO COMMUNITY RESOURCES +Schools will collaborate with community agencies, community +schools, and higher education institutions to support students' +overall literacy and math development, increase volunteer +involvement in schools, and diminish the many health, social, and +emotional problems that undermine success in school. These +efforts are supported by the school’s guidance and other support +staff. + + + + +Page 10: +Superintendent’s Circular CAO-01 +Page 10 of 10 + + + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington St., Boston, MA 02119 +Phone: +617-635-9000 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Academics (CAO)/CAO-03 Textbook Management.txt b/data/data_txt1/Academics (CAO)/CAO-03 Textbook Management.txt new file mode 100644 index 0000000..765d039 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-03 Textbook Management.txt @@ -0,0 +1,351 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-03 +Version 01 + +TEXTBOOK MANAGEMENT +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +School Committee policy and state law recognize the student's +right to use textbooks, on a loan basis, without charge. As a +public school system, we have a responsibility to supply our +students with the textbooks and other materials they need for +school use. Accordingly, School Committee policy states that "no +student should be required to furnish or pay for any books or +other materials for school use, with the exception of materials +used for certain practical arts projects that result in items that +belong to the student after the project's completion." +School Committee policy and state law also recognize the +student's responsibility to use and not abuse or lose these same +textbooks and materials. School Committee policy states that +"students will be required to pay for textbooks and other school- +owned materials that they lose or damage" (ref. Student Fees, +Fines and Charges - Policy File). Under Massachusetts law, the +sums recovered from pupils in the public schools for loss of +schoolbooks … may be used by the School Committee for the +replacement of such books or materials ... (M.G.L. c.44, §53). +As school leaders and teachers, we are concerned that resources +be maximized and not misused. Instructional material costs are +significant. It is important that school leaders, teachers, students, + + +Page 2: +Superintendent’s Circular CAO-03 +Page 2 of 12 + +and parents understand and adhere to our policies and +procedures for the care of textbooks and other instructional +materials. The following guidelines, based on long-standing +School Committee policy, have been established and should be +followed for the lending of books to pupils. +PREPARATION, STORAGE, AND CONTROL OF TEXTBOOKS +● All textbooks and library books shall be numbered and an +inventory maintained by the school leader. School +Committee policy requires that "Heads of school/principals +will be responsible for and will keep complete records of all +books... and other instructional materials furnished to their +schools." The inventory should include: +○ Title of book +○ Author +○ Publisher and year of publication +○ Date of purchase (for all books purchased for SY21 and +beyond) +○ Class subject for which it is used (textbooks) +○ Name of teachers to whom the textbooks are issued +(textbooks) +● All textbooks should be stamped with the school name on +the inside of the front cover. Each textbook should be +numbered and recorded on the inside of the front cover. +● All textbooks shall be stored in secure rooms, lockers, or +cabinets. Principals/heads of school or their designees shall +ensure that a record is maintained of every textbook that is +removed from storage. +● Principals/heads of school shall ensure that teachers +maintain an inventory of textbooks that includes the + + +Page 3: +Superintendent’s Circular CAO-03 +Page 3 of 12 + +condition of the text and who it is assigned to for each +quarter, trimester, semester, or year. +● Principals/heads of school should work with teachers, +students, and parents to raise their awareness of the +importance of caring for and replacing textbooks. The Guide +to the Boston Public Schools for Families and Students +references this information. School-based rules should +outline the rules and responsibilities for using textbooks and +the penalties for violations. +TEACHER’S RESPONSIBILITY +● Teachers should maintain a record of the title, the textbook +number, and the name of the pupil to whom each textbook +is lent and should check periodically that students have the +textbook assigned. Librarians must establish and maintain +an appropriate inventory control system and loan procedure +for all library books, materials and equipment assigned to +the school library. +● Teachers should encourage students in the proper care, +including covering, of loaned textbooks. +STUDENT’S RESPONSIBILITY +● The book is to be returned to the principal of the school or +to the teacher authorized to receive it at any time required +by them and in as good condition as when received, +allowance being made for the wear and damage caused by +careful use. +● If lost or damaged by carelessness or accident beyond what +may be reasonably allowed, the book is to be replaced by + + +Page 4: +Superintendent’s Circular CAO-03 +Page 4 of 12 + +the pupil to whom it is loaned and as required by the School +Committee. +● Written notice of any previous defacement is required when +the book is received. +● Damage by marking, tearing, etc. is not allowed. +● Students who transfer within the Boston Public Schools or +who leave the school system shall return all textbooks and +library books to the schools that loaned the books. +Principals/heads of school should notify appropriate staff +(e.g., registrars, guidance counselors) to make a note on the +appropriate sign-out forms of any student leaving school +who has not paid the replacement costs of lost or damaged +books. High school seniors should not be allowed to sign out +on the last day for seniors (i.e., day 170) without returning or +making restitution for a lost or damaged book. A copy of +any open account form should be retained in the temporary +record of any student who does not pay the replacement +cost of a damaged or lost book. +● Students who transfer within the Boston Public Schools +should not be loaned textbooks or library books in their +receiving schools until they have returned or arranged to +replace all their books from their sending school. +PARENT RESPONSIBILITY +● Parents should be informed of textbook loan and/or library +book loan conditions at the beginning of the school year. +Notification should be made in the form of a letter to +parents in the language of the home and in any newsletters +sent home to parents at the start of the school year. + + +Page 5: +Superintendent’s Circular CAO-03 +Page 5 of 12 + +● Parents of students who lose or damage textbooks and/or +library books should be informed by the principal/head of +school, in writing, within 30 days of learning of the +loss/damage and the cost of replacement. +REPLACEMENT OF TEXTBOOKS +● If a student damages or loses a textbook and/or a library +book and the student and parent refuses to make +restitution, a replacement book must be made available for +classroom or library use. However, restrictions may be +imposed (e.g., students may use text only during class but +may not take the text out of the classroom). +● If a student damages or loses a textbook or library book and +the student and parent continue to refuse to make +restitution by the start of the following school years, the +student will be subject to penalties under school-based +rules. +● With respect to penalties for students who do not pay the +replacement costs of lost or damaged books, +principals/heads of school should involve the School Site +Council in establishing school-based rules and +corresponding penalties. These penalties might include but +not be limited to prohibiting the student from attending +certain school activities not related to the instructional +program. Before any penalty is imposed, the principal/head +of school must provide advance written notice to the +student and their parents/guardians. The written notice +must provide the student and their parents/guardians with +an opportunity to remedy the situation prior to actual +imposition of the penalty. + + +Page 6: +Superintendent’s Circular CAO-03 +Page 6 of 12 + +● An appeals process should be provided to address issues +such as claims of “hardship” or improper assessment of +damages (e.g., the loss or damage of a book which is not the +result of the student’s negligence, parent has proof that +payment was made, etc.). All appeals should be heard by the +principal/head of school, who should issue a written +decision, a copy of which should be forwarded to the parent +and a copy of which should be filed in the student’s +temporary record. In addition, flexibility in the method of +payment should be offered (e.g., school service projects +being performed by the student in lieu of dollar payment is +one possibility). +● All funds collected for lost or damaged textbooks and/or +library books should be forwarded by principals/heads of +school to the business manager for deposit in a revolving +account for the purchase of replacement textbooks. The +business manager will allocate the revolving account book +funds, giving priority to the schools that collected money for +lost/damaged books. +TEXTBOOK INVENTORY AND REPLACEMENT PLANS +● Before budget collaborative, principals/heads of school shall +estimate their textbook needs for the following school year, +based on textbooks checks and on projected student +enrollment and shall develop a textbook replacement plan. +Instructional Leadership Teams and School Site Councils +should be involved in the development of the replacement +plan. Replacement books should be ordered by individual +schools. Texts that are part of curriculum adoption of BPS- +recommended curricula or those that will be used in new +classrooms will be purchased by central office. + + +Page 7: +Superintendent’s Circular CAO-03 +Page 7 of 12 + +● In June, at the end of the school year, principals/heads of +school shall conduct a thorough inventory of textbooks. +● Principals/heads of school shall maintain a record of every +student who does not arrange to replace textbooks that are +lost or damaged. The record should include the book receipt +signed by the student when the book was loaned. +Summary of significant dates and deadlines: +Date +Activity +By the end of the 2nd +week of school +Principals/heads of school send letters +to families regarding district textbook +policy. + + + + + +Page 8: +Superintendent’s Circular CAO-03 +Page 8 of 12 + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington St., Boston, MA 02119 +Phone: +617-635-9000 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular CAO-03 +Page 9 of 12 + +ATTACHMENT 1 + +Dear Parent/Guardian: +As the new school year begins and we loan textbooks and other +resource materials to our students, I would like to ask for the help +of all parents. We need your help if we are to reduce the number +of lost and damaged books. Textbooks are very expensive today, +many costing as much as $60.00 each. We have worked hard +over the past two years to update and replace our books. As a +result, most of our textbooks are less than five years old and are +in good condition. +Some subjects or courses may not use a textbook; instead, they +use reference books, original source documents, and/or library +research materials. +Please work with your child and with us to keep our books in +good condition. I ask that you remind your child of the following: +● All textbooks and library books are the property of the +Boston Public Schools and are loaned for the use of +students while they are enrolled. +● All textbooks and library books used for classroom work and +homework should be respected and returned in good +condition. +● Students/parents are accountable for books and must pay +for the replacement of lost or damaged books. + + + +Page 10: +Superintendent’s Circular CAO-03 +Page 10 of 12 + +● All textbooks that are taken home by students should be +covered. +All materials used to support classroom instruction, all textbooks, +library books and resource materials should be cared for so that +they can be used by other students in the future. I appreciate +your assistance and cooperation in this effort and thank you for +your help. +Our best wishes to you and your child for a successful school +year. +Sincerely yours, + + + +Principal/Head of School + + +School + + + + +Page 11: +Superintendent’s Circular CAO-03 +Page 11 of 12 + +File: EDB-R + +MAINTENANCE AND CONTROL OF MATERIALS AND +EQUIPMENT +Heads of school/principals will be responsible for and will keep +complete records of all books, globes, maps, charts, apparatus +and computers, and other state-of-the-art instructional materials +furnished to their schools. + +Approved prior to 1988. +Policy Manual, School Committee of the City of Boston + + + + +Page 12: +Superintendent’s Circular CAO-03 +Page 12 of 12 + + +FORM 134 +Boston Public Schools +PUPIL'S BOOK RECEIPT +Date: + +Subject: + +Teacher: + +Received: + +Number: + +I promise to return in good order or replace with a new one. +Room: _____________ +Pupil's Signature: + +Form 134 9/98 + + + diff --git a/data/data_txt1/Academics (CAO)/CAO-05 Services for Multilingual Learner Students.txt b/data/data_txt1/Academics (CAO)/CAO-05 Services for Multilingual Learner Students.txt new file mode 100644 index 0000000..9cffee4 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-05 Services for Multilingual Learner Students.txt @@ -0,0 +1,1500 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +CAO-05 +Version 01 + +SERVICES FOR MULTILINGUAL LEARNER STUDENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The Office of Multilingual and Multicultural Education has +generated this circular to provide an overview of the operational +and instructional expectations to effectively service the needs of +Multilingual Learners (ML), Former English Learners FEL), and +other subgroups within this student population. All BPS staff are +expected to be familiar with the information contained in this +circular and to meaningfully incorporate it into their day-to-day +work as part of the district’s work to respect the rights of our +students and families and comply with all related federal and +state regulatory requirements. +The following actions are recommended for school leaders and +their team to review in this circular: +1. Schedule a dialogue with members of your school’s +Instructional Leadership Team (ILT) and Language +Assessment Team (LATF) around the items shared in this +document to ensure all key stakeholders are aware of their +responsibilities. +2. Using the LATF calendar, identify relevant information to be +reviewed monthly by the school leader and other leaders in +your school who can support this work. + + +Page 2: +Superintendent’s Circular CAO-05 +Page 2 of 36 + +3. Work with your LATF to audit your school’s scheduling data +in Aspen SIS to assure that every EL is appropriately +scheduled for all English Learner Education (ELE) services +and special education services for MLs with disabilities. +Please Note: We will use the term “Multilingual Learner” to +describe our students who enter BPS with or who are in the +process of learning one or more languages. However, we will +continue to use the terms “English Learner” (EL) and “Former +English Learner” when referring to state and federally defined +legal rights/services. +TABLE OF CONTENTS +1. Overview of Policies and Legal Responsibility +2. ELE Service Compliance Reporting +3. English Learner Education (ELE) Program Models +3A. District-Wide ELE Program Requirements +3B.BPS Formally Designated Program for ELs Descriptions +3C. Special Notices about ELE Programs in BPS +4. ESL Services and Teacher Qualifications Compliance +Information +4A. ESL Instructional Time: Elementary (K2 to 5/6) and +Secondary Grades (6-12) +4B. ESL Instructional Types, Requirements, and +Recommendations +4C. ESL Instructional Grouping Requirements +4D. Educator Licensure and Endorsement Requirements +5. SY23-24 ESL Service Delivery Determination Guidance + + + + +Page 3: +Superintendent’s Circular CAO-05 +Page 3 of 36 + +1. OVERVIEW OF POLICIES AND LEGAL RESPONSIBILITY +Under Massachusetts General Laws Chapter 71A, all Boston +Public Schools with an English Learner student assigned and +enrolled are obligated to offer an English Learner Education (ELE) +program. Under Massachusetts Department of Elementary and +Secondary Education guidance, an ELE program consists of both +Sheltered English Immersion (SEI) core content and explicit ESL +instruction appropriate for the student’s English Language +Development (ELD) level. Please note that under Section 6 of this +Chapter, “any school district employee… may be held personally +liable” for not providing students with access to EL programming. +The following are additional legal regulations and guidelines that +pertain to Multilingual Learner Education offered in BPS and ELE +service requirements for students attending BPS: +► Resource: The DOJ Successor Settlement Agreement +► Resource: The META Consent Decree +► Resource: The LOOK Act +► Resource: The BPS Systemic Improvement Plan (SIP) +2. ELE SERVICE COMPLIANCE REPORTING +The Office of Multilingual and Multicultural Education submits a +series of reports each year on the compliance of Multilingual +Learner Education offered in BPS and ELE service requirements +for students attending BPS in accordance with the DOJ +Successor Settlement Agreement. Described below is the +reporting cycle of Paragraph 54, one of the key reports that +schools are accountable for throughout the school year. + + +Page 4: +Superintendent’s Circular CAO-05 +Page 4 of 36 + +For each cycle of this report (October, December, and March), +BPS reviews the following quality indicators for ELE services in +accordance with Paragraph 54 of The Successor’s Agreement: +1. Teacher Qualifications: Are teachers qualified to provide +services to ML students in their ESL and SEI or bilingual core +content classes? +2. ESL Instruction Type: Are ML students assigned to the right +courses per their program code and receiving daily ESL +services with the appropriate ESL instructional model/type +(e.g., push in, pull out, or embedded ESL in grade-level +English Language Arts (ELS), etc.)? +3. ESL Minutes: Are ML students receiving the right amount of +ESL instructional time for their ELD level? +4. ESL Grouping: Are ML (ELD 1-5) students appropriately +grouped for ESL? + +To support the district’s compliance with the +above ELE service requirements and ensure +the accuracy of the reporting data, schools +are expected to review and update ELE +service data in Aspen SIS at the beginning of +each school year, and regularly thereafter in +preparation for the reporting cycle deadlines +(October, December, and March), as well as +as needed upon changes in student enrollment or staffing +changes. +► Resource: Consult The Aspen SIS Guide for Recording ESL +Minutes, Instruction Type, and Teacher (Updated Nov 2023) +for detailed directions on entering ELE compliance data in +Aspen. + + +Page 5: +Superintendent’s Circular CAO-05 +Page 5 of 36 + +► Resource: Consult The DOJ Reporting Schedule with +Description for a full list of required DOJ reports. +► Resource: Consult CAO-5 Cheat Sheet for a quick and simple +outline of ESL compliance. +► Resource: Consult K-12 Sheltered English Immersion (SEI) +Scheduling and Service Delivery for detailed ESL scheduling +suggestions and guidance. COMING SOON +► + +3. ENGLISH LEARNER EDUCATION (ELE) PROGRAM MODELS +3A. District-Wide ELE Program Requirements +Regardless of an EL student being placed in a formally +designated program for ELs, all BPS schools must comply with +the following requirements for ELE service: +1. Castañeda’s Three-Pronged Test for Educationally +Sound ELE Programs +2. Providing an equitable curricular and educational +experience for MLs +3. Access to a Sheltered English Immersion Program +Each of these three requirements are described in detail below: +Castañeda’s Three-Pronged Test for Educationally Sound ELE +Programs +All ELE program models implemented in BPS are required by +DESE to meet “Castañeda’s Three-Pronged Test,” as defined by +the following components: +1. The program is based on a sound educational theory or on +research +2. The program is implemented with adequate and +appropriate resources + + +Page 6: +Superintendent’s Circular CAO-05 +Page 6 of 36 + +3. The program has resulted in demonstrable academic +outcomes for ELs. +► Resource: DESE Guidance on The Integration of Castañeda’s +Three-Pronged Test into ELE Program Development and +Review Process +Providing an Equitable Curricular and Educational Experience +for MLs +All ELE programs implemented in BPS are required to provide +MLs (SDD 1-4) comparable access to the standard curriculum +within a reasonable period of time and to the range and level of +extracurricular activities and additional services as non-ML +students. Additionally, all ELE programs should provide +opportunities for MLs (SDD 1-4) to take classes and participate +in school activities with their English-proficient peers (non-MLs). +Additionally, all BPS classrooms that serve MLs and non-MLs +together and provide sheltered content instruction have +historically been coded as “general education,” but will now be +coded as State SEI classrooms to be in alignment with State +regulations and the findings from the 2023 DESE Tiered Focus +Monitoring report. And students, regardless of receiving +foundational level scores1 on the ACCESS or WIDA Screener +assessments, have equal access to enroll in such classrooms +where they will be exposed to English-proficient peers. + +Access to a Sheltered English Immersion Program +DESE (2019) SEI guidance offers this helpful framework for the SEI +ELE program model implemented in Massachusetts: + + + +1 Foundational level scores are scores of a 1-2.5 on the ACCESS +test, or scores of a 1-2 on a WIDA Screener. + + +Page 7: +Superintendent’s Circular CAO-05 +Page 7 of 36 + +SHELTERED ENGLISH IMMERSION (SEI) PROGRAM (2) +A two-component program model + +Sheltered Content Instruction +(SCI) +English as a Second Language +(ESL) +● Taught by content-area +licensed and SEI-endorsed +teacher (or BEE-endorsed in an +official BPS Dual Language +program). +● Access to grade-level content & +development of discipline- +specific academic language. +● Occurs throughout the day and +is designed for optimum EL +engagement in content. + +● Taught by ESL-licensed +teacher. +● Additional linguistic support +ELs need to be delivered +through systematic, explicit, +sustained focus on language +and literacy in the context of +the Massachusetts Curriculum +Frameworks. +● Occurs for a specific amount of +time each day [in accordance +with DOJ requirements +specified in this Circular]. + +2Massachusetts law (G.L. c. 71A, §) defines SEI as “an English language +acquisition process for young children in which nearly all classroom +instruction is in English but with the curriculum and presentation designed +for children who are learning the language. Books and instruction materials +are in English and all reading, writing, and subject matter are taught in +English. Although teachers may use a minimal amount of the child's native +language, when necessary, no subject matter shall be taught in any +language other than English, and children in this program learn to read and +write solely in English.” + + +Page 8: +Superintendent’s Circular CAO-05 +Page 8 of 36 + +This means that ML (ELD 1-5) students with “General Education,” +vocational, Inclusion, Substantially Separate, AWC, IB, Montessori, +and Alternative Education program seat assignments are +considered to be served in an SEI ELE model — entitled to both +sheltered core content instruction and ESL.2 +3B. BPS Formally Designated Program for MLs Descriptions +As stated in section 3A, while schools are required to comply with +offering all ML students the requirements for ELE programs +regardless of student placement, BPS also offers ML students +enrollment opportunities in one of BPS’s formally designated +programs for MLs. These program models are: +1. Sheltered English Immersion (SEI) Program +a. State SEI - Sheltered English Immersion (SEI) Program +with Grade-Level English Proficient Peers +b. BPS SEI - Sheltered English Immersion (SEI) Program in +Language Specific or Multilingual +c. Sheltered English Immersion (SEI) Program in +Substantially Separate Setting +d. Sheltered English Immersion (SEI) Program in High +Intensity Literacy Training (HILT) for SLIFE Multilingual +2. High Intensity Literacy Training (HILT) for SLIFE Language +Specific +3. Dual Language Education (DLE) or Two-Way Immersion +Program +4. Newcomer Program + +Please Note: Schools are expected to implement the ELE +program model designated for their school. Any deviation from +the models outlined in this section must be approved by the +Office of Multilingual and Multicultural Education (OMME) so as +not to constitute a violation of the student/parent rights. + +The specifics of each program model is described below: + + + +Page 9: +Superintendent’s Circular CAO-05 +Page 9 of 36 + +Sheltered English Immersion (SEI) Program3 +As described in section 3A, a Sheltered English Immersion +Program is a two component program. First, it incorporates +strategies to make content area instruction more +understandable to MLs and to promote English language +development in core-content classes throughout the day taught +by SEI (or BEE as appropriate) endorsed teachers. Content area +instruction integrates sheltering strategies to make content +comprehensive and develop content area academic language in +mathematics, English language arts (ELA), social studies, and/or +science. As the second component to a Sheltered English +Immersion program, English learner students also receive explicit +English as a Second Language classes. + +Boston Public Schools offers various ways for English learner +students to access a Sheltered English Immersion program as +outlined below: + +State SEI - Sheltered English Immersion (SEI) Program with +Grade-Level English Proficient Peers +SEI with grade-level English proficient peers offers MLs both +Sheltered Content Instruction from SEI endorsed teachers +as well as explicit English as a Second Language classes. +MLs in this SEI program type are not grouped according to +their EL status, their first language, or their level of English +proficiency in any way during core-content classes. They + +3 Massachusetts law (G.L. c. 71A, §2) defines SEI as “an English +language acquisition process for young children in which nearly +all classroom instruction is in English but with the curriculum and +presentation designed for children who are learning the +language. Books and instruction materials are in English and all +reading, writing, and subject matter are taught in English. +Although teachers may use a minimal amount of the child's +native language when necessary, no subject matter shall be +taught in any language other than English, and children in this +program learn to read and write solely in English.” + + +Page 10: +Superintendent’s Circular CAO-05 +Page 10 of 36 + +receive core-content instruction with English proficient +peers as well as other MLs. Only during English as a Second +Language classes are MLs in this SEI program type +separated from their grade-level English proficient peers +and grouped according to their ESL Service Delivery +Determination (SDD). + +BPS SEI - Sheltered English Immersion (SEI) Program in +Language Specific or Multilingual +This is a BPS ELE program that incorporates English +language development throughout the day with strategies +to make core academic content instruction more +comprehensible to MLs who are ELD 1-2.5 (scored 1-2.5 on +WIDA ACCESS Overall score). BPS SEI Language Specific +programs serve students who all speak the same first +language; in BPS SEI Multilingual programs, a variety of +languages are spoken by the students. Instruction is +conducted in English, with native language clarification for +students where available. ML Students in an SEI Language +Specific or SEI Multilingual Classroom in Grades K2-5/6 +receive ESL instruction within their classroom; for sheltered +content instruction they may be scheduled with English +Proficient Peers for a portion of their day. Students in SEI +Language Specific or Multilingual classrooms receive +instruction in smaller class sizes in comparison to General +Education classrooms. BPS SEI Language Specific or +Multilingual programs in at the elementary level, English +learner students may receive their English as a Second +Language instruction embedded within the content +instruction of the class if the homeroom teacher possesses +their ESL license. For BPS SEI Language Specific or +Multilingual programs at the secondary level, English +learner students must receive their English as a Second +Language instruction in a standalone setting from an +appropriately licensed teacher. + + + +Page 11: +Superintendent’s Circular CAO-05 +Page 11 of 36 + +Sheltered English Immersion (SEI) Program in Substantially +Separate Setting +Per the Individualized Education Plan (IEP) and/or 504 plan, +MLs in this SEI program type will receive core-content +instruction and ESL services in a self-contained special +education classroom with specialized instruction +throughout their day within a small-group structured +setting. Research-based practices, specific to disability, are +utilized in the specialized classroom. MLs will continue to +receive sheltered content instruction where SEI-endorsed, +content-licensed educators shelter instruction so that they +can meaningfully engage with grade-level content, and +develop discipline-specific academic language.Depending +on the nature of an MLs disability in this program, they may +have modifications to their ESL services specified in their IEP +and/or 504 plan. + +Sheltered English Immersion (SEI) Program in High Intensity +Literacy Training (HILT) for SLIFE Multilingual +In SLIFE multilingual classrooms, the language of +instruction is English, and teachers provide native language +support when feasible. All students in this classroom are EL +students who enter BPS with Limited or Interrupted Formal +Education (SLIFE); students in the classroom may speak +different native languages. Students in SLIFE classrooms +receive instruction from an ESL teacher as well as content +and literacy from a teacher(s) who is qualified to provide +sheltered content instruction. Please also see general HILT +for SLIFE requirements here. + +High Intensity Literacy Training (HILT) for SLIFE Language +Specific +In language specific HILT for SLIFE programs, MLs receive High +Intensity Literacy Training (HILT) in their native language. This +program enrolls EL students who enter BPS with Limited or +Interrupted Formal Education (SLIFE) who all speak the same +language. Core academic content is taught in the native + + +Page 12: +Superintendent’s Circular CAO-05 +Page 12 of 36 + +language of the student, and is increasingly taught in English as +the student develops English fluency. Students in SLIFE +classrooms receive instruction from an ESL teacher as well as +content and literacy from a Native Literacy/Content teacher(s) +who is qualified to provide sheltered content instruction. SLIFE +Native Literacy classrooms have smaller class sizes than State SEI, +BPS SEI, and Dual Language programs. + +General HILT for SLIFE Program Requirements +BPS recommends this program for MLs ages 8 or older who +are newcomers to the United States, who have little to no +literacy in their native language, or whose formal schooling +was limited or interrupted in their native country. Students +in HILT for SLIFE programs are grouped across a grade span +(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic +English language and literacy development, native +language instruction designed to help them learn reading, +writing, math, science, and history/social studies, when +available, and additional classes such as technology, arts, +and physical education. + +In accordance with the META Consent Decree, HILT for +SLIFE programs must also comply with the following +requirements: + +1) Class size should not exceed 15 students; +2) During related arts / specials / electives courses, lunch, +recess, and allotted intervention time, SLIFE students +must be integrated with other ML students and with +English-proficient students (Never ELs, Former ELs), +who serve as peer language models. +3) “Daily Common Planning Time” must be allocated for +ESL teachers and Native Language Teachers for age +and grade-appropriate lesson design and materials +development. +4) In language-specific programs such as Spanish, Haitian +Creole, and Cabo Verdean Creole, students must + + +Page 13: +Superintendent’s Circular CAO-05 +Page 13 of 36 + +receive Native Language High-Intensity Literacy +Training (HILT) as they develop literacy in their native +language as well as English. +5) In SLIFE multilingual classrooms, teachers must +provide native language supports when feasible. +6) All SLIFE students at the beginning of every year or +upon assignment to the program must have a HILT for +SLIFE Individual Learning Plan (ILP) generated that +qualifies the individual learning targets for the +academic year. This HILT for SLIFE ILP must be +completed in full to document progress and determine +a student's eligibility to exit the program. +7) No student can be recommended to exit the HILT for +SLIFE program without meeting the exit criteria as per +the META Consent Decree. + +Dual Language: Two-Way Immersion Programs +In this program, the classroom is made up of both native +language and English dominant students. All students learn to +read, write, speak, and understand both languages either +through core academic content instruction or explicit language +instruction, taught by qualified teachers in the two languages. +The goal of these programs is for students to become bilingual +and biliterate. BPS seeks to increase more dual-language +opportunities such as two-way immersion programs, heritage +language programs, and ethnic studies courses in students’ +native language. Programs are currently offered in Spanish, +Haitian Creole, ASL, Vietnamese, and Cape Verdean Creole. + +Newcomer Program +This program is available for secondary MLs at the early stages of +their English language development. Only MLs who are ELD 1-2.5 +(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this +program. Instruction is conducted in English, with native +language clarification for students where available. English +learner students in this program receive ESL instruction in a + + +Page 14: +Superintendent’s Circular CAO-05 +Page 14 of 36 + +standalone period and sheltered content instruction from core- +content teachers. +o + +3C. Special Notices about ELE Programs in BPS +Multilingual Learners with Disabilities +Multilingual Learners with Disabilities (MLWD) are Multilingual +Learners who receive disability-related, specialized instruction in +an inclusion setting, resource room setting, or a substantially +separate Special Education classroom. Regardless of placement, +BPS is obligated to provide Multilingual Learners with Disabilities +(MLWD) with equal access to the same opportunities as other +students; education, specialized instruction and related services, +appropriate and effective ESL and content instruction by +accessing grade-level curriculum while providing +accommodations, modifications, and goals within the Individual +Education Plan (IEP). Schools are required to monitor students’ +progress to ensure appropriate progress toward meeting their +English language proficiency benchmarks and IEP goals. +All MLWD (ELD1-5) are entitled to receive both Special Education +(SPED) and ELE services in a manner appropriate to the student’s +individual needs by appropriately qualified staff; the District is +required to provide these services. No ML shall be denied ELE +services solely due to the nature or severity of the student’s +disability, and no ML shall be denied SPED services due to their +ML status. This means, for example: +● No modifications to ESL service requirements may be +implemented unless such modifications are determined +necessary by the student’s IEP or Section 504 team, through +a documented team process, and in accordance with the + + +Page 15: +Superintendent’s Circular CAO-05 +Page 15 of 36 + +narrow exceptions contained in Paragraph 67 of the +Successor Settlement Agreement. +● Any approved modification to ESL minutes, grouping, +and/or instruction must be reflected on the EL Grid, an +internal monitoring section in EdPlan, and will be reviewed +by the BPS Office of Special Education/Office of Multilingual +and Multicultural Education Supervisor(s) of Multilingual +Learners with Disabilities. +● ESL may not take the place of a student’s special education +services. For instance, a student may not be taken out of +speech therapy or counseling in order to get ESL. +● Core content instruction and ESL services must be provided +with all accommodations as outlined in the student’s 504 +plan or IEP. +Parent Right to Opt Out of the ELE Program +Parents / guardians have the right to opt out their child from +some or all components of the district’s ELE program pursuant to +Paragraphs 33 to 35 of the Successor Agreement. The district +shall approve a parent’s request to opt out of some or all ELE +services, only by following the relevant safeguards that are set in +place: +1. The decision to opt out must be voluntary and informed, +and not the product of district practices or influence, the +result of inadequate or inaccurate information, or +inadequate district resources. +2. If any parent/guardian of an EL communicates a refusal to +have their child enrolled in an EL program, and/or refuses +all or only specific ELE services (e.g., EL-only SEI classes, +language-specific SEI classes, or HILT classes) at a +Welcome Center, NACC, or school, then a meeting will be + + +Page 16: +Superintendent’s Circular CAO-05 +Page 16 of 36 + +convened with a representative from OMME, the school +leader, a representative of the LAT (typically the LAT-F), +and the parent(s)/guardian(s) to explain the benefits of +services and address parent concerns AND encourage +parents to allow their child to receive ELE services for at +least 30 days before deciding to refuse such services. +3. If the parent continues to refuse ELE services after an +explanation of the benefits of the services, the Opt-Out +form (documenting 1. Evidence of parent meeting and 2. +Parent request) must be submitted to OMME for review +and approval and such documentation must +subsequently by submitted by OMME to the DOJ/OCR. +4. Students approved as “opt-outs” are still required to +remain coded as an English Learner, required to +participate in ACCESS, scheduled with an SEI-endorsed +teacher(s) for core content, and have their English +language development monitored by the school. +5. Parents or legal guardians should revisit their decision to +opt out every year and submit a new request for the +current academic year and parents may request to +restore ELE services at any point. +Former English Learners +Upon exit (reclassification to Former EL status), schools must +regularly monitor students’ academic progress for 4 school years +upon their reclassification as is required by DESE and federal +regulations. It is recommended that schools continue to schedule +Former ELs with an SEI-endorsed content teacher(s) during their +monitoring period. If during this monitoring period it is +determined that the student’s EL status be restored (with ELE +services provided), the LATF must seek written permission from +the student’s parent/guardian. + + +Page 17: +Superintendent’s Circular CAO-05 +Page 17 of 36 + +Please see: +o Section 5 of this circular for additional information on +the exit criteria for ELs + +4. ESL SERVICES AND TEACHER QUALIFICATIONS COMPLIANCE +INFORMATION +Under the terms of the Department of Justice Successor +Agreement and the policies of the Department of Elementary +and Secondary Education, all BPS Multilingual Learner Education +Programs must comply with specific guidelines regarding ESL +Instructional Minutes, Instructional Type, Instructional Grouping, +and Educator Licensure and Endorsement. The following section +outlines the specifics of each compliance measure as applicable +for each Multilingual / English Learner Education Program +described section 3. +Note: Schools are advised to create their schedule for ELE +services first to ensure that the necessary qualified staff are +scheduled to meet ML service needs. +All ML students, including Multilingual Learners with Disabilities +(MLWD) and Students with Limited or Interrupted Formal +Education (SLIFE), must be scheduled for the requisite amount of +daily ESL instruction according to their SDD and must receive +ESL by an ESL licensed teacher. MLWD with severe disabilities for +whom compliant ESL instruction as described in the Successor’s +Agreement is not appropriate may have their services adjusted if +reflected and recorded appropriately in the IEP through a team +process. + + + + + + +Page 18: +Superintendent’s Circular CAO-05 +Page 18 of 36 + +4A. ESL Instructional Time: Elementary (K2 to 5/6) and +Secondary Grades (6-12) +Elementary (K2 to 5/6) +Consistent with DESE’s guidance, the table below provides the +DOJ-approved ESL instructional time per ELD level that the +district shall provide, to the extent practicable: +TABLE 2: MINIMUM REQUISITE ESL INSTRUCTIONAL TIME +FOR MLS IN K2-5/6 +ELD +Level +Daily ESL +Instructional Time +Weekly ESL Instructional +Time +ELD 1 +135 minutes (2 hours, +15 minutes) +675 minutes (11 hours, 15 +minutes) +ELD 2 +90 minutes (1 hour, 30 +minutes) +450 minutes (7 hours, 30 +minutes) +ELD 3 +60 minutes (1 hour) +300 minutes (5 hours) +ELD 4 +45 minutes +225 minutes (3 hours, 45 +minutes) +ELD 5 +45 minutes +225 minutes (3 hours, 45 +minutes) + +Secondary Grades (6-12) +In order to address the variety of scheduling at our Secondary +Schools as well as to ensure that students can equitably access +ESL along with other MassCore / graduation requirements and +specialty courses (e.g Advanced Placement courses, Dual +Enrollment, Early College, and any vocational or technical + + +Page 19: +Superintendent’s Circular CAO-05 +Page 19 of 36 + +training / courses), OMME has shifted from a “minutes” +framework at the Secondary level to a “blocks required” +framework. +TABLE 3: SECONDARY SCHOOL ESL SCHEDULING* +School’s Daily +Course Block +Length +(Minutes) +# of Daily ESL Blocks Required: + +ELD 1 +ELD 2 +ELD 3 +ELD 4/5** +45-59 minutes +3 +2 +1 +1 +60-74 minutes +2 +2 +1 +1 +75+ minutes +2 +1 +1 +1 +*ESL for ELD 4-5 may be embedded into the ELA block by an ESL- +licensed teacher. This is only allowable for ELD levels 4 and 5. + +Please note: +● Schools may leverage this framework, but may still opt to +schedule ESL instruction based on the daily minutes +specified in Table 2. +● OMME recommends schools consider scheduling MLs for +additional support from an ESL licensed teacher during +Targeted Advisory / Intervention / WIN / SEL blocks (if +available) based on the needs of their students and in the +balance of other opportunities for students to access grade- +level core content, advanced learning, and specials +alongside their English-proficient peers. Refer to the +resource below for sample recommended schedules. + + +Page 20: +Superintendent’s Circular CAO-05 +Page 20 of 36 + +● Part-time students (i.e., those attending for 1 or 2 remaining +credit requirements) who have fulfilled MassCore ELA +graduation requirements, and / or are only enrolled in BPS +for credit recovery or only online education (i.e., never +physically at a school building), will not be required to be +scheduled for ESL. These students are typically over-age +students who are balancing work and other adult +responsibilities. OMME highly recommends that these +students have a direct connection with the Re-Engagement +Center and have a dedicated counselor that can assist them +in creating an educational pathway that works best for their +home, family, and work obligations. Note: Schools may +schedule these students for ESL if it will best support the +student in meeting graduation requirements and their +individual needs. Regardless, schools should still be +scheduling these students for core content classes with an +appropriately endorsed (SEI and/or Bilingual Endorsement) +or ESL certified teacher. + + + + + + + +Page 21: +Superintendent’s Circular CAO-05 +Page 21 of 36 + +4B. ESL Instructional Types, Requirements, and +Recommendations +All requisite ESL Instruction must occur during an ESL-Eligible +course as designated by the BPS course catalog (e.g. reading, +writing, ELA, literacy / humanities). This is to ensure that ELs still +have equitable access to other grade-level core content and +specialty courses. +Refer to the following tables for allowable types of ESL +instructional models. + +TABLE 4: ESL INSTRUCTIONAL MODELS FOR MLS IN K2-5/6 +All instructional models require an ESL licensed teacher during +the literacy/humanities block). +Standalone ESL — For ELs in Gen Ed + A standalone section is a scheduled class for ESL students +with an ESL licensed teacher. The student is not pulled out +of classrooms to attend this class, it is a part of their student +schedule (e.g., with an “ESL” course title). An ESL licensed +teacher must be the teacher of record of this classroom. +Standalone ESL is the recommended instructional model for +ML students with an ELD of 1-3 in grades K2-5 who are not +assigned to an SEI language-specific or SEI Multilingual +program. +For ELD 4-5: Standalone is an allowable option; however, +refer to the Embed ELA model as an alternative if the +ELA/homeroom teacher is ESL licensed. + + + +Page 22: +Superintendent’s Circular CAO-05 +Page 22 of 36 + +Push-In ESL +Push-In ESL may be provided to ML students in Elementary +grades (K2 to 5) when the ESL teacher is coming into an +ELA/Humanities course (or via a co-teacher in the +classroom) to provide ESL services for a specific, small group +of students within the same classroom while other students +continue to receive content instruction. Schools must +adhere to ESL grouping requirements when utilizing this +instructional method. +At a minimum, weekly common planning time for the ESL +and classroom teachers should be provided. +Pull-Out ESL +Pull-Out ESL may be provided to ML students in Elementary +grades (K2 to 5) when a student is being taken out of an ELA +/ Humanities course to receive ESL instruction. Schools must +adhere to ESL grouping requirements when utilizing this +instructional method. +Embed Homeroom — ESL in formal SEI programs +This is an instructional type allowable ONLY for ML students +(ELD 1-3) in SEI language-specific or SEI multilingual +programs at the Elementary grade level (K2 to 5/6). +Please see section 5 of this circular for additional +information on the criteria for a BPS SEI eligible ELD 3. +In this model, students receive ESL instruction embedded +during their literacy time (course titles: Reading and +Writing). Teachers providing this embedded ESL instruction +must be ESL licensed and are required to complete OMME +designated PD on differentiation and lesson planning. + + +Page 23: +Superintendent’s Circular CAO-05 +Page 23 of 36 + +Embed ELA — ESL +For ML students with ELD levels 4 and 5 only, the +recommended instructional model for ESL is for ESL to be +embedded in core ELA or literacy courses, only by an ESL +licensed teacher. Students at these ELD levels may be +grouped together. + + +Inclusion Teacher ESL Stipend per BTU CBA +For special education inclusion classrooms only that utilize a 1.0 +teacher model, where the teacher is using 3 licenses (two of +which are special education and ESL), this ESL-licensed teacher +of record may agree to be stipended (45 minutes per day at the +BTU contractual hourly rate) to provide ESL instruction for ELD 4- +5 students that is embedded into the ELA or literacy block (ESL +Embed ELA). Alternatively, if the teacher does not agree to the +stipend, ESL instruction for ELD 4-5 students must be provided +by a separate ESL licensed teacher. All ML (ELD 1-5) students are +entitled to receive ESL services regardless of the teacher/stipend +model. + + + + + +Page 24: +Superintendent’s Circular CAO-05 +Page 24 of 36 + +TABLE 5: TYPES OF ESL INSTRUCTIONAL MODELS FOR MLS IN +GRADES 6-12 +ESL +Instruction +Type +Description (all instructional models require +an ESL licensed teacher) +Standalone +ESL + +● For ELD levels 1 to 3, this is the only +compliant instructional model for ESL service +delivery for students. +● Standalone is an allowable option for which +ELD 4-5 students may be grouped together; +however, refer to the Embed ELA mode +below as the recommended instructional +type if the ELA teacher is ESL licensed. +Embed ELA +ESL in English +Language Arts +● For ML students with ELD levels 4 and 5 only, +the recommended instructional model for +ESL is for ESL to be embedded in core ELA or +literacy courses, only by an ESL licensed +teacher. Students at these ELD levels may be +grouped together. + + + + + +Page 25: +Superintendent’s Circular CAO-05 +Page 25 of 36 + +4C. ESL Instructional Grouping Requirements +The following table represents allowable groupings of students +for ESL instruction. +TABLE 6: ELEMENTARY AND SECONDARY ESL GROUPING +ACROSS ELD AND GRADE LEVELS +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +ELD 1 +● With fellow ELD 1 only +across two consecutive +grades; OR +● With ELD 2 in one grade +level +● With fellow ELD 1 across +multiple grades; OR +● With ELD 2 only in one +grade level +ELD 2 +● With ELD 1 in one grade +level; OR +● With fellow ELD 2 only, in +one grade level or across +up to two consecutive +grades; OR +● With ELD 3 only in one +grade level +● With fellow ELD 2 only +across multiple grades; +OR +● With ELD 1 only in one +grade level; OR +● With ELD 3 only in one +grade level +ELD 3 +● With ELD 2 in one grade +level, preferably ELD 2.5- +2.9; OR +● With fellow ELD 3 only, in +one grade level or across +up to two consecutive +grades; OR +● With ELD 2 in one grade +level, preferably ELD 2.5- +2.9; OR +● With fellow ELD 3 only +across multiple grades, +preferably two +consecutive grade levels +(e.g., in grades 9-10); OR + + +Page 26: +Superintendent’s Circular CAO-05 +Page 26 of 36 + +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +● With ELD 4 in one grade +level +● With ELD 4, in one grade +level in a standalone +setting +ELD 4 +● With ELD 3 in one grade +level; OR +● With ELD 5 in one grade +level; OR +● With fellow ELD 4 only +across two consecutive +grades +● With ELD 3 in one grade +level in a standalone +setting; OR +● With ELD 5 in one grade +level; OR +● With fellow ELD 4 only +across multiple grades +ELD 5 +● With ELD 4 in one grade +level; OR +● With fellow ELD 5 only +across two consecutive +grades +● With ELD 4 in one grade +level; OR +● With fellow ELD 5 only +across multiple grades +Allowable Exceptions: +SEI Language +Specific or +Multilingual +Program (ELD +1-3) +● ELD 1-3 of the same SEI +program homeroom may +be grouped together for +ESL instruction* +● This grouping is not +allowable at the +secondary level. +HILT for SLIFE +● ELs, regardless of ELD +level or grade level, in the +same HILT for SLIFE +● ELs, regardless of ELD +level or grade level, in the +same HILT for SLIFE + + +Page 27: +Superintendent’s Circular CAO-05 +Page 27 of 36 + +ELD Levels +Elementary Grades +K2 to 5/6 +Secondary Grades +6/7 to 12 +Programs (4) +program homeroom may +be grouped together for +ESL instruction. +program homeroom may +be grouped together for +ESL instruction. +MLWD (with +approved ESL +modifications) +● Refer to the ELSWD ESL +Modifications section for +guidance. +● Refer to the ELSWD ESL +Modifications section for +guidance. +*Subject to the terms of DOJ Paragraph 39e. + + + + +4() The META Consent Decree defines BPS HILT for SLIFE +programs as “self-contained, ungraded, elementary format +classroom with two teachers [Native Literacy Content teacher +and ESL teacher] responsible for all instruction.” Students in the +program are typically ELD 1 but may be at an ELD 2 level as they +progress in their English language acquisition until meeting the +exit criteria required by the consent decree. Therefore, students +in this program model may receive ESL grouped in this manner. + + +Page 28: +Superintendent’s Circular CAO-05 +Page 28 of 36 + +4D. Educator Licensure and Endorsement Requirements +Please Note: +Per DESE (603 CMR 14.07 (3)), no EL student can be placed in +classrooms where the teachers lack the SEI Endorsement for two +or more consecutive years. (5) +● School Leaders are to keep detailed electronic records of all +teachers who are in the process of obtaining the SEI or +Bilingual Education Endorsement and the pathway that +they are pursuing to meet this obligation. All ML (ELD 1-5) +must be assigned to core content (and vocational, if +applicable) classrooms where the teachers are already +endorsed or in a confirmed pathway. +● When creating schedules, schools must take into +consideration teachers who are newly hired and who are +returning but lack the SEI endorsement. +● It is recommended that students who have reclassified to +Former English Learner status be scheduled with SEI- +endorsed teachers for their core content courses, especially +at the start of their 4-year monitoring period. +● For any SEI Language-Specific / Multilingual elementary +teacher to provide embed HR ESL to students at ELD 1-3, +they must have both an ESL license and have completed +OMME-approved training on differentiation of ESL and +lesson planning, as part of the qualifications for this +program, to ensure that the unique needs of students at +ELD levels 1-3 are met (DOJ Paragraph 39e). Please also +reference the 2018-2021 BTU Collective Bargaining + +5The teacher in this instance would also be required to get the SEI +endorsement. + + +Page 29: +Superintendent’s Circular CAO-05 +Page 29 of 36 + +Agreement (p. 49 section 11) as it pertains to this +requirement. Teachers are expected to complete this +training by the end of the school year. If the teacher has not +satisfied these requirements, the school must ensure an ESL +licensed teacher is scheduled to deliver the appropriate +English language development instruction to ML students +for the literacy portion of the day. +The following table outlines DESE educator licensure and +endorsement requirements in order to instruct ML (ELD 1-5) +students by job type. + + + + +Page 30: +Superintendent’s Circular CAO-05 +Page 30 of 36 + +TABLE 7: TEACHER QUALIFICATION BY JOB TYPE +Job Type +Required +Qualification +Additional Information +ESL +Teacher +ESL License +Individuals who have completed and passed all +requisite coursework / requirements and are +only waiting for the state to administratively +grant the ESL license may also be assigned to +teach ESL. +Core +Content or +Vocational +Teacher +(English) +SEI +Endorsement +(Teacher) + +Core Content Teachers: +● teachers of students with moderate or +severe disabilities; subject-area teachers in +English, reading or language arts; +mathematics, science; civics and +government, economics, history, and +geography and early childhood and +elementary teachers who teach such +content. +Vocational (CVTE) Teachers: +● For purposes of SEI, CVTE is defined as +programs approved under M.G.L. c. 74; +programs that meet the definition of career +and technical education listed in the Carl D. +Perkins Career and Technical Education +Improvement Act of 2006, 20 U.S.C. § 2302(5); +and any other programs that may be +designated by the DESE Commissioner such +as automotive technology, carpentry, +culinary arts, engineering, exploratory, +masonry, information technology, and any +other subjects listed by DESE. + + +Page 31: +Superintendent’s Circular CAO-05 +Page 31 of 36 + +Core +Content or +Vocational +Teacher +(Native / +Partner +Language) +BEE +Endorsement +Core Content and CVTE Teachers as defined +above who: +● Instruct in the partner language of a formal +BPS dual language program +● Instruct in the partner language of a formal +language specific HILT for SLIFE program + +Evaluator +of ML +Teacher +(English) +SEI +Endorsement +(Administrator +or Teacher) +A principal, assistant principal, supervisor, or +director ("administrator") who supervises or +evaluates one or more core academic teachers +of ML (ELD 1-5) students +Evaluator +of ML +Teacher +(Native / +Partner +Language) +BEE +Endorsement + +OR + +SEI +Endorsement +(Administrator +or Teacher) +Evaluators as defined above who supervise a +core academic teacher assigned to provide +instruction to an English Learner in a bilingual +ELE program +Substitute +Teachers +N/A +If for any ESL or core content class, no teacher +is available who meets the qualifications to +instruct ML (ELD 1-5) students, school leaders +shall, to the extent practicable, assign +substitute teachers who are ESL-licensed for +ESL instruction or who are SEI or Bilingual +Education-endorsed (for core content classes). + +The following table outlines DESE educator licensure and +endorsement requirements in order to instruct ML (ELD 1-5) +students by BPS ELE program model. + + +Page 32: +Superintendent’s Circular CAO-05 +Page 32 of 36 + +TABLE 8: EXAMPLES OF LICENSURE REQUIREMENTS FOR +POSITIONS SERVING EL STUDENTS* +Program +BPS +Teacher +Title +Position +Description +Required +Licensure +Preferred + + + + +BPS SEI +SEI Multi- +lingual +General ed. +position in a +classroom that +includes students +with ELD levels 1- +3 and varying +native languages +Content area +license & SEI +endorsement +ESL License +and SEI PD +SEI + +[Specific +Language] +e.g. SEI +Spanish +General ed. +position in a +classroom that +includes students +with ELD levels 1- +3 of the same +native language +Content area +license & SEI +endorsement +ESL +License, SEI +PD, and +Oral fluency +in students’ +primary +language +ESL +ESL +Teacher +(incl. SLIFE +ESL) +Provides ESL +instruction only +(regardless of ELE +program model) +ESL license + + + + + + +Bilingual +Two-Way + +[Specific +Language] +e.g., +Bilingual +Serves multiple +classrooms to +provide periods of +instruction in a +language other +than English +Content area +license & Bilingual +Education +Endorsement (if +teaching in native +language) + + + +Page 33: +Superintendent’s Circular CAO-05 +Page 33 of 36 + +Dual +Lang- +uage/ +Two-way +Two-Way +Spanish +(complementary +position below) +(Note: if the +teacher is +providing ESL, the +teacher must have +the ESL License) +Bilingual +Two-Way +English +Serves multiple +classrooms to +provide periods of +English +instruction to +students +(complementary +position above) +Content area +license & either SEI +Endorsement or +Bilingual +Education +Endorsement +(Note: if the +teacher is +providing ESL, the +teacher must have +the ESL License) + + +SLIFE +SLIFE +Native +Literacy +(TBE) +teacher +Provides core +content +instruction to +SLIFE students in +the student’s +native language +(language other +than English) +A Core Content +area license & +Bilingual +Education +Endorsement + +5. SY23-24 ELD AND ELP LEVELING GUIDANCE +For the 2023-2024 school year, the Office of Multilingual and +Multicultural Education is continuing the transition of +Multilingual Learner students’ English Language Development +Level (ELD Level) to Multilingual Learner students’ English +Language Proficiency Level (ELP Level). This shift aligns all + + +Page 34: +Superintendent’s Circular CAO-05 +Page 34 of 36 + +students’ ELP levels with their WIDA ACCESS 2.0 scores and +aligns our guidance and policies for Multilingual Learner students +and Multilingual Learner Education with the guidance and +policies of the Department of Elementary and Secondary +Education. The following table shows the updated ACCESS and +Alt ACCESS score to ELP level crosswalk. +TABLE 9: ACCESS SCORE CROSSWALK +2022 ACCESS and Alt ACCESS +Score Range + +SY 23-24 English Language +Development (ELD) / English +Language Proficiency (ELP) +Levels +ACCESS: 1.0 - 1.9 / ACCESS Alt: A1-P1 +Level 1 (Foundational) +ACCESS: 2.0-2.9 / ACCESS Alt: P2 +Level 2 (Foundational) +ACCESS: 3.0-3.4 / ACCESS Alt: P3 +Level 3 (Foundational) +ACCESS: 3.5-3.9 / ACCESS Alt: P3 +Level 3 (Transitional) +ACCESS: 4.0 - 4.9 +Level 4 (Transitional) +ACCESS: 5.0-5.9 +Level 5 (Transitional) +ACCESS: 4.2 with 3.9 literacy +(i.e., meets state exit criteria) +Former EL + +Please note: +● Annual program placement recommendations are based on +students’ ELP level, and OMME will assume the +responsibility of using the annual program notification form +to notify parents of program placement. + + +Page 35: +Superintendent’s Circular CAO-05 +Page 35 of 36 + +● Consecutive year ELD 3 students will be automatically +exited from BPS SEI Language Specific or Multilingual +program placement if they currently occupy such a seat. +○ Per DOJ, consecutive year ELD 3 students may not be +grouped together with ELD 1-2 students for their ESL +instruction. +● Transitional ELD 3 students (students who received an +ACCESS overall score of 3.5-3.9) will be automatically exited +from BPS SEI Language Specific or Multilingual program +placement if they currently occupy such a seat. +● Students who scored lower on their ACCESS test than their +previous ELD level will be held harmless. +● Students who did not take the ACCESS or complete ACCESS +due to absence or other circumstance will retain their +previous ELD level. +● Students who did not take all domains of ACCESS due to an +SPD code will receive their appropriate levels and program +placements according to the policies listed above upon +release of their ACCESS overall score by the state in early fall. +► Resource: End of Year Leveling Guidance 22-23 + + + + + + +Page 36: +Superintendent’s Circular CAO-05 +Page 36 of 36 + +For more information about this circular, contact: +Owner: +Linda Chen, Senior Deputy Superintendent of +Academics and Interim Assistant +Superintendent of OMME +Department: +Office of Multilingual and Multicultural +Education (OMME) +Mailing Address: Bolling Building, 2300 Washington Street, 6th +Floor, Roxbury, MA 02119 +Phone: +617-635-9435 +Email: +OMMEequityteam@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Academics (CAO)/CAO-06 GPA Calculation Method.txt b/data/data_txt1/Academics (CAO)/CAO-06 GPA Calculation Method.txt new file mode 100644 index 0000000..1a31c91 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-06 GPA Calculation Method.txt @@ -0,0 +1,180 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +CAO-06 +Version 01 + + + + GRADE POINT AVERAGE CALCULATION METHOD +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +RATIONALE +The purpose of this document is to outline how grade point +averages (GPAs) are calculated and used within the Boston +Public Schools. +DEFINITION +The grade point average (GPA) is a standard numerical +conversion of letter grades given to a student. The GPA is a +standard method of comparing the cumulative academic +performance of students in grades 9-12 and sharing that +information. The GPA is used for several purposes such as college +admissions, high school ranking, and selective program +admissions. The GPA calculation takes in a variety of information +from courses such as credits and academic level. +GPA CALCULATIONS +Use the following steps to complete the weighted GPA +calculation: +Step 1. Convert each final grade (numeric or letter grade) to +its equivalent on the 4.0 scale. + + +Page 2: +Superintendent’s Circular CAO-06 +Page 2 of 5 + + + +Step 2. Weight grades by adding .5 to each converted grade +earned in an Honors level course and 1.0 to each converted +grade earned in Advanced Placement or Dual Enrollment +course. +Step 3. Multiply each converted grade or, if applicable, each +weighted grade by the course credits earned. Where a full- +year course equals 1 credit; a semester course equals .5 +credits; a quarter course equals .25 credits. +Step 4. Sum all the weighted grade points from Step 3. +Step 5. Divide total from Step 4 by total number of course +credits attempted. Where a full-year course equals 1 credit; +a semester course equals .5 credits; a quarter course +equals .25 credits. +Step 6. The quotient is the student's weighted GPA. +GPA = Total (Point + Weight) * Credit) for all courses / Total +Credits for all courses +COURSE INFORMATION +1. Course +a. Student courses taken in grades 9-12 will be included in +the GPA calculation. High school level courses taken by +a student in middle school grades will not be included +in the calculation. +b. Include in GPA or InGPA flag +c. This indicator describes the courses that will be +included in any academic GPA calculation. Courses + + +Page 3: +Superintendent’s Circular CAO-06 +Page 3 of 5 + + + +that are required for graduation are included in GPA +calculations. Courses that typically are excluded from +academic GPA calculations include enrichment +courses, functional courses, study periods and +administration blocks such as lunch. The district +determines which courses are included within a +student’s GPA calculation, additionally such courses +may also be required by schools for graduation. The +Division of Academics maintains and updates the list of +all applicable courses to be included in the GPA +calculation. School users can find InGPA information in +the Course Catalog feature in Aspen. +2. Credits +a. Credits describe the number of ‘points’ that a course +will receive in a GPA after the course is completed. In +general, most courses will have 1 credit. However, +certain courses may have more than 1 credit, such as +double-blocked humanities courses. Similarly, some +courses have fewer than 1 credit, such as 1 semester +(half-year) courses. In the cumulative GPA calculation +within a school year, quarter or term grades for a 1 +semester course will be attributed .25 credits in the +GPA calculation. +b. Credits are generally distributed based on the +successful completion of the competencies of the +course. +c. Transfer-in credits are credits that a student earns in a +setting outside of BPS. These credits are included on a +student’s transcript and count towards a school’s +graduation requirements. Therefore, these credits will + + +Page 4: +Superintendent’s Circular CAO-06 +Page 4 of 5 + + + +be used in the GPA calculation. This is in alignment +with the Massachusetts Board of Higher Education’s +(MA BHE) process of calculating GPAs. +3. Academic level +a. The academic level of a course can be one of 8 options +(see table below). +b. Weights are applied to courses through the academic +level of the course. The following weights are given to +each academic level based on the MA Board of Higher +Education recommendations (Link to full weighting +chart). + +Weighting +Course Academic Level +Not included +Functional +Untracked + ++0 (standard) +Regular + + ++0.5 +Honors +IB MYP + ++1.0 +College +AP +IB DP + +GPA CALCULATION DATES (BPS CALENDAR) +The GPA calculation dates for SY24 can be found here. +GPA INCLUDED IN TRANSCRIPT +While there are several GPA calculations in Aspen, only the +cumulative weighted academic GPA calculation is included on a +student’s official transcript. The quarter, semester, and final GPAs + + +Page 5: +Superintendent’s Circular CAO-06 +Page 5 of 5 + + + +are saved throughout the school year but will be overwritten +each year. The final cumulative GPA (accumulation over grades 9- +12) as of the current year is saved in Aspen and transferred to the +Data Warehouse. +HELPFUL LINKS +Grade Point Average (GPA) Help Guides for Aspen +Weighting Chart + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Office of Teaching & Learning +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Academics (CAO)/CAO-07 Graduation Requirements.txt b/data/data_txt1/Academics (CAO)/CAO-07 Graduation Requirements.txt new file mode 100644 index 0000000..e8e37de --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-07 Graduation Requirements.txt @@ -0,0 +1,222 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +CAO-07 +Version 01 + + + +MASSCORE GRADUATION REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools (BPS) has a priority to create policies and +practices that support the preparation of every student to be +college, career, and life ready while removing barriers that +prevent students from graduating from BPS. Accordingly, it is +imperative that BPS utilize standards-aligned graduation +requirements across the district that will promote and ensure +rigor and excellence in our schools, resulting in the elimination of +opportunity and achievement gaps and ensuring that every +student graduates prepared for life after high school. +Approved by the Boston School Committee in May of 2021, +Boston Public Schools (BPS) adopted the MassCore Course of +Study as its graduation requirement for all students in the +district. The requirements will begin for students entering 9th +grade in School Year 2022-2023 (SY22-23), with full +implementation by the start of SY25-26. This circular outlines the +details of graduation course requirements, alignment to DESE +standards and state graduation requirements, and the course +waiver process. +GRADUATION REQUIREMENTS +Beginning with grade 9 in SY23-24, the following credits in + + +Page 2: +Superintendent’s Circular CAO-07 +Page 2 of 6 + + +various content categories are required for graduation from BPS. +The table below visually represents the course requirements for +graduation: +MassCore Framework +Massachusetts High School Program of Studies +Content +Category +Units +Notes +English +Language Arts +4 Units +ESL courses for students designated as ELD 1, 2 +or 3 will count toward ELA credits +Mathematics +4 Units +Including completion of Algebra II or +Integrated Mathematics III. A mathematics +course during senior year is recommended for +all students. +Science +3 Units +of lab- +based +science +Coursework in technology/engineering courses +may also count for MassCore science credit. +History and +Social Science +3 Units +Including U.S. History and World History and +one additional core or MassCore elective. + +Inclusion of an Ethnic Studies course is strongly +encouraged. +Foreign +Language +2 Units +Both units must be in the same language. + + +Page 3: +Superintendent’s Circular CAO-07 +Page 3 of 6 + + +Physical +Education +1 unit, as +required +by law +Students will have one quarter course (or its +equivalent) of PE per year or an equivalent. + +Arts +1 Unit +Students will have one quarter course (or its +equivalent) of Art per year or a cumulative unit. +Additional +Core Courses +5 Units +Inclusive of PE (1 credit) plus four additional +courses. Other additional coursework +(including Health Education* & Career and +Technical Education) or any of the above. +*Health Education: The BPS Wellness Policy requires 1 semester +(at least ¼ course equivalent) of Health Education in high +school. +STATE GRADUATION REQUIREMENTS +The policy does not and will not replace state laws and DESE +regulations pertaining to high school graduation. These +additional requirements include, but are not limited to: +• Action Civics Projects required by Chapter 296 of the Acts of +2018, An Act to promote and enhance civic engagement. +• Earning a “competency determination” [passing scores on +the Grade 10 English language arts and mathematics and +high school level science and technology/engineering +Massachusetts Comprehensive Assessment System (MCAS) +tests]. For students who do not pass an MCAS test, +educators develop an Educational Proficiency Plan (EPP) for +the subject(s). Students need to meet course requirements +for their EPP in addition to meeting MassCore requirements. + + +Page 4: +Superintendent’s Circular CAO-07 +Page 4 of 6 + + +SUBSTITUTIONS +The following substitutions may be used to meet graduation +requirements without an additional waiver: +Physical Education +MassCore reflects the legal requirement that physical education +be taught as a required subject in all grades. The BPS Wellness +Policy requires all schools to offer high quality physical education +for students in all grades. Under some circumstances, students +can meet the requirement through an approved organized +program of instructional physical activity, including but not +limited to: participation in interscholastic athletics, skating, +hockey, dance, yoga, martial arts, capoeira, or swimming; and any +physical activity through school based or community programs, +or independent study. Substitutions and independent study +opportunities must be approved by the Office of Health and +Wellness. +Computer Science +Students may substitute one unit of Computer Science (AP +Computer Science Principles, Computer Science Principles, or +Exploring Computer Science) that includes rigorous +mathematical concepts and aligns with the Digital Literacy and +Computer Science standards for a mathematics course. +Humanities Course +Double-blocked Humanities courses may count toward 1 ELA +credit and 1 History credit. One period Humanities courses count +as 1 History credit and cannot be used toward ELA credit. + + +Page 5: +Superintendent’s Circular CAO-07 +Page 5 of 6 + + +Career and Technical Education +Students enrolled in a DESE approved Chapter 74 program can +fulfill MassCore requirements without fulfilling arts and world +language requirements. While arts and world language +requirements may be waived, students are strongly encouraged +to take these courses to comply with college admission +requirements. +Credit for Courses in Grades 7 and 8 +Students will be able to apply high school credits for high school +level courses completed successfully in 7th or 8th grade. +World Language Competency +Multilingual learners may earn up to two World Language credits +for demonstrated competency in their native language by +achieving Intermediate Mid Level of language proficiency on the +AVANT Stamp Assessment. The AVANT Stamp administration will +be administered at the BPS Welcome Center in the fall and +spring of each year. Students scoring at the Intermediate High +Level of language proficiency can utilize the assessment results +towards attainment of the MA State Seal of Biliteracy upon +graduation if they also meet the minimum criteria for English +language proficiency set forth by the Massachusetts Department +of Elementary and Secondary Education. +Course Waiver Process +Schools may seek additional waivers for individual students or +courses. + + + +Page 6: +Superintendent’s Circular CAO-07 +Page 6 of 6 + + +IMPLEMENTATION +• Each school will collaborate with the Academics team on +ensuring alignment of its course schedule with MassCore +requirements. +• All 9th grade students should follow the recommended +course sequence and must take at least a quarter of physical +education in SY23-24. +• Schools should work with districts on ensuring they have +the proper staffing model to meet MassCore requirements, +especially for students in grade 9. + +For more information about this circular, contact: +Owner: +Elementary Superintendent +Department: +Academics and Professional Learning +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Academics (CAO)/CAO-08 Grading Requirements.txt b/data/data_txt1/Academics (CAO)/CAO-08 Grading Requirements.txt new file mode 100644 index 0000000..a280166 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-08 Grading Requirements.txt @@ -0,0 +1,219 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-08 +Version 01 + + + +GRADING REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The spirit of this policy is to move away from the practice of +grading non-academic behavior and to the timely provision of +meaningful feedback to every family on every student’s +academic progress. This policy is a critical part of propelling all +students toward the Strategic Plan and School Committee goals +centered on college, career, and life readiness. As well, it will +ensure that grading practices are accurate, bias-resistant, +motivational, and coherent in the district, which will in turn +ensure the ability of our stakeholders to trust the district’s +commitment to equity. This policy will provide accurate, +dignifying feedback to every student about where they are +academically and what they need to be successful. As a vehicle +for closing opportunity and achievement gaps, the grading policy +will provide clear and comprehensive guidance that aligns to our +teaching practices, family engagement, and student experience, +grounded in equity and research. With the School Committee's +approval of this policy, the Academics and Schools divisions will +work in collaboration with our stakeholders this spring to finalize +and enact an implementation plan that focuses on the adaptive +work ahead. +The Boston Public Schools will at all times maintain +Superintendent’s Circulars that: (1) outline procedures for + + +Page 2: +Superintendent’s Circular CAO-08 +Page 2 of 6 + + +maintenance of grades to ensure that they are accurate, timely, +and aligned to DESE standards; (2) outline a common report card +structure and timeline for schools by grade span and program; +and (3) outline allowable flexibilities. +Separately, as a companion to this policy, the district will develop +and maintain detailed implementation processes in the form of +Superintendent’s Circulars ensuring: +1. Implementation of MassCore graduation requirements and +waivers +2. Common GPA calculation and transcription processes +3. A common process for promotion to the next grade level +4. A common process for retention at the current grade level +5. A common and public course catalog that details for +students and families course of study options for all +secondary schools as well as course descriptions, credit, and +governance +6. An updated process and calendar for course creation. +ADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON +PUBLIC SCHOOLS +The School Committee of the Boston Public Schools is +responsible for creating policies and practices that support the +preparation of every student to be college, career, and life-ready +and remove barriers that interfere with students graduating from +BPS ready to succeed in the next stage of their lives. If we +support BPS educators to effectively use culturally responsive +practices, provide high levels of support, and adopt coherent +grading practices that are mathematically accurate, bias- +resistant, and motivational for students, then we will see + + +Page 3: +Superintendent’s Circular CAO-08 +Page 3 of 6 + + +increased student engagement, and grades that reflect student +learning. +BPS will adopt the following policy for all students in the district. +Specifically, the following practices will be required of all +educators in the district. +PROPOSED: +Grading Practice +Why is it more equitable? +Accuracy and timeliness Educators will ensure that term grades follow +the practices laid out in the BPS Grading Policy +and are posted in Aspen by the closing date +according to the district grading calendar. +“No Credit” grades will +no longer be given. +As an alternative, schools may mark a student +with an “incomplete” to enable equitable +learning recovery. +In all cases, a student not earning a passing +grade must be given the opportunity and +responsibility to equitably recover any learning +loss or make up for the work missed within one +marking period. +No penalties will be +given for late work. +Deadlines will be given for work, and we expect +students to meet these expectations. Deadlines +will be explained to students. When a student +turns in the assignment, it will be graded, and +the grade in ASPEN/SMS will reflect student +mastery (not the tardiness of the work). + + +Page 4: +Superintendent’s Circular CAO-08 +Page 4 of 6 + + +Grading Practice +Why is it more equitable? +A minimum grading (50 +for an assignment on a +0-100 scale) will be used. + +Teachers will determine minimum grades for +assignments where the lowest possible grade is +balanced with the value of the highest grade. +Best practices would include the +implementation of a consistent numerical +grading scale (0-4, 1-7, etc.) that aligns to GPA +scale. +Demonstration of +competency in +summative tasks must +make up at least 80% of +term grades. +Grades for assignments should be +representative of what students have +demonstrated in terms of their learning, and +not non-academic behaviors. +Students will receive +consistent feedback on +assignments before +students are formally +assessed. +Teachers are intentional about taking time to +give students clear and actionable feedback. +Students understand what the criteria for +success are for any given assignment and have +clear actions steps for getting there. We +understand the importance of coherence in the +ways we provide feedback and are committed +to making this an instructional focus for the +upcoming school year to better support our +staff. + + +Page 5: +Superintendent’s Circular CAO-08 +Page 5 of 6 + + +Grading Practice +Why is it more equitable? +Middle/High School: A +consistent, agreed-upon +number of assignments +per grade; and +consistent intervals for +grading updates in +Aspen/SMS. +Teachers are expected to post at least one +visible grade on ASPEN/SMS every week for +middle and high school students. +Elementary School: A +consistent approach +across all content areas +(including speciality +classes) for providing +students and families +formative feedback +routinely. +Schools serving elementary grades are required +to have a consistent approach for providing +students and families formative feedback +weekly. Students are required to receive term +grades for Language Arts, Math, History/Social +Studies, Science, and any specialty classes +offered. +All grade levels +Students may only receive a composite grade +for “Humanities” or “STEM” or equivalent if the +course is offered at the equivalent of a double +block. As well, students must receive formative +and summative feedback on both grade level +language arts and history/social studies or math +and science concepts and meet all the +requirements above. + + + + + +Page 6: +Superintendent’s Circular CAO-08 +Page 6 of 6 + + +For more information about this circular, contact: +Owner: +Elementary Superintendent +Department: +Academics and Professional Learning +Mailing Address: 2300 Washington St. Roxbury, MA 02119 +Phone: +617-635-6053 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Academics (CAO)/CAO-22 General Field Trip Guidelines.txt b/data/data_txt1/Academics (CAO)/CAO-22 General Field Trip Guidelines.txt new file mode 100644 index 0000000..f521f17 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-22 General Field Trip Guidelines.txt @@ -0,0 +1,739 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-22 +Version 01 + + +GENERAL GUIDELINES AND PROCEDURES FOR +ALL FIELD TRIPS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and guidance, +contact the Department of Global Education +(OPL@bostonpublicschools.org) for assistance and guidance. + +This Superintendent’s Circular provides instructions for +implementing the field trip policy passed by the Boston School +Committee on November 20, 2019. +Program leaders (chaperones) must read this circular in its +entirety. Principals/heads of school (and/or the district +department sponsoring the trip) are responsible for ensuring that +all field trip policies and procedures outlined in this circular and +all the field trip circulars are adhered to. +BPS SPONSORED FIELD TRIP: DEFINITION +A BPS sponsored trip is any trip involving BPS students and +employees that: uses BPS funds in any way; takes place during +regular school operating hours; is organized by BPS employee(s) + + +Page 2: +Superintendent’s Circular CAO-22 +Page 2 of 22 + +during normal employment hours, either while on BPS property +or while using BPS-issued technology; and/or is related directly to +the instructional program at the school. Cases where students +elect to participate in a third-party travel program with the +consent of their family, whereby they will travel alone, and not +with a school group, are not considered BPS sponsored field trips, +even if students receive funding support from their school or +district. +TYPES OF FIELD TRIPS +BPS has divided field trips into three types: +● Day field trip +● Overnight field trip +● International field trip +This division ensures that permission forms and procedures are +directly relevant to the type of trip and activities students will +engage in. +Refer to the circular appropriate for your type of trip for further +details: +● Day field trips — Superintendent Circular CAO-23 +● Overnight field trips — Superintendent Circular CAO-24 +● International field trips — Superintendent Circular CAO-25 +● Water activities — Superintendent Circular CAO-27 +PURPOSE OF FIELD TRIPS +All BPS sponsored field trips must serve the purpose of providing +either instruction or enrichment. Instructional trips support the +instructional program and should be directly linked to the +curriculum and standards of that grade level or subject area. + + +Page 3: +Superintendent’s Circular CAO-22 +Page 3 of 22 + +Enrichment trips contribute to students’ academic, cultural, or +social development, and aim to deepen their engagement with +school and learning. Sites for field trips should be carefully +selected to enrich student learning and exposure to the +community, new people, places, and activities. Discuss with +students and families the trip’s purpose, learning goals, and +behavior expectations in advance, and engage students in +activities before, during, and after the trip. It is important to note +the serious obligations that BPS staff members undertake to +ensure that all field trips are not only educationally sound, but +also manage risk. +FIELD TRIP CATEGORIES +A trip often meets more than one category. +● Instructional field trip: Enhances a specific curriculum unit +or serves a broader educational purpose. +● Cultural field trip: Engages students in cultural awareness or +understanding experiences to learn more about their own +cultural identity, or that of others. +● Community building field trip: May reinforce relationships +in an existing group of students, prepare students for a +significant transition into a new structure or community, +help students work collaboratively, or assist in the +development of leadership and decision-making skills. +● Service learning field trip: Students learn the value of +helping others in their own community and beyond, while +simultaneously learning from the host community. These +trips show students how empowering service to others is +while developing students’ leadership skills. + + +Page 4: +Superintendent’s Circular CAO-22 +Page 4 of 22 + +● Personal growth and development: Students are exposed +to new group or individual activities whereby they learn new +skills and new ideas, develop identity, build self-esteem, +grow strengths, and build camaraderie. +FIELD TRIP TYPES AND TIMELINES FOR APPROVAL +It is necessary that the proper procedures are followed, and that +copies of all checklists, permission and medical forms are kept on +file in the school office and, when appropriate, filed with the +district. If the deadlines and details below are not met, a field trip +application may be rejected. Please note that trip planning +timelines (i.e., “twelve weeks (or more) prior to the field trip”, etc.) +in each circular chronicle the minimal amount of time for +planning. More time for pre-trip planning is strongly +recommended for all types of field trips. +● Day Field Trip (CAO-23): Any domestic trip off school grounds +that is no more than one day in duration. +o Day Field Trip forms are submitted to the +principal/head of school at least 4 weeks in advance +(or at the principal/head of school’s discretion) and +approved by the principals/heads of school. +o Walking field trips are day field trips that require +walking within a one-mile radius of the school (i.e., +local garden, park, field, etc.). The Parent/Guardian +Authorization and Acknowledgement of Risks for +Walking Trips form will apply for all walking field trips +during the current school year and will need to be +updated each school year, or as student/family +information changes. The school is still required to +inform families in advance of each walking field trip + + +Page 5: +Superintendent’s Circular CAO-22 +Page 5 of 22 + +and obtain principal/head of school approval. +o All forms, including the signed CAO-23 checklist +form, are filed at the school. +o The principal/head of school or designee is the +emergency contact for day field trips. +● Overnight Field Trip (CAO-24): Any domestic trip off school +grounds that involves students’ participation overnight. +Travel to U.S. territories, including Puerto Rico, the United +States Virgin Islands, Guam, American Samoa, and Northern +Mariana Islands are considered domestic, but are covered +under international travel insurance. Travel to these +territories is subject to some forms, requirements, and +protocols in the CAO-25 International Field Trip guidelines. +Consult with the Department of Global Education for +required forms for these destinations. +o Overnight Field Trip forms are submitted to the +principal/head of school at least 12 weeks in advance +and approved by the principals/head of school. +o All forms, including the signed CAO-24 checklist +form, are filed at the school. +o Overnight Field Trip Request forms, the list of +student names, emergency contact name and +number, grade, D.O.B, the list of chaperone names +and their role in the school community, the itinerary, +and if applicable, train and flight information are sent +to the district to notify the district of trip plans at +least 6 weeks in advance. Scan and email the +Overnight Field Trip Request form and information to +the appropriate operational leader as well as to the + + +Page 6: +Superintendent’s Circular CAO-22 +Page 6 of 22 + +Department of Global Education and follow up with +both to confirm receipt. +o The principal/head of school or designee is the +emergency contact for overnight field trips. +● International Field Trip (CAO-25): Any trip off school grounds +that involves travel to a location outside of the United States. +o International field trips should be planned at least a +year in advance, to maximize affordability and +fundraising efforts, and when possible, scheduled +during non-school time (i.e., school vacations and +summer). +o As soon as a trip opportunity becomes known, or +there is interest in an international travel program, +teachers must inform their principal/head of school +and contact the Department of Global Education for +support and guidance with the CAO-25 application, +and planning process. No arrangements, payments, +or deposits should be made without consultation +with the Department of Global Education and +formal application approval from the +superintendent. +o After consulting with the Department of Global +Education and head of school, CAO-25 applications +shall be submitted no less than 9-12 months before +departure. The application requires approval by the +Department of Global Education, which will then +seek approval from the appropriate district leaders +before obtaining final approval from the +superintendent. Again, no arrangements should be + + +Page 7: +Superintendent’s Circular CAO-22 +Page 7 of 22 + +made or payments or deposits placed without +consultation with the Department of Global +Education and formal application approval from the +superintendent. +o The principal/head of school or appointee and the +director of Global Education or district designee are +the emergency contacts for international travel +programs. +GENERAL GUIDELINES FOR ALL TYPES OF FIELD TRIPS +● Principals/head of school or the district department +sponsoring the trip have the primary responsibility to ensure +that all procedures pertaining to field trips are followed by +their school and establish clear and transparent internal +protocols for field trip requests and approvals at the school +level. +● All field trip ideas must be preliminarily approved in writing +by the principal/head of school or district department +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students +and their parents/guardians, and prior to fundraising efforts +or other detailed preparations. Staff are not allowed to sign +contracts on behalf of the Boston Public Schools. +● The program leader (the BPS employee and chaperone +organizing and leading the trip) and supporting chaperones +must be approved by the principal/head of school, or district +department sponsoring the trip. +● The principal/head of school and program leader must +review and complete the appropriate type of field trip +circular and checklist throughout the planning process. + + +Page 8: +Superintendent’s Circular CAO-22 +Page 8 of 22 + +● Program leaders must consult with the principal/head of +school on potential chaperones and student recruitment. +Every effort should be made for students to have access to +the field experience, and for chaperones to be +representative of the student group and include males and +females. The selection and approval of chaperones by the +principal/head of school should be based on the individuals’ +thorough knowledge of, and rapport with most of the +student participants. Choose a chaperone team purposefully +and wisely, considering strengths. Every adult on the trip +must be a chaperone and have a clear role. +STUDENT ACCESSIBILITY AND PARTICIPATION +● Students not enrolled in the Boston Public Schools may not +participate. +● Essential participation criteria: The program leader and +principal/head of school shall work together to establish +essential participation criteria for the trip. The criteria should +inform students and parents of all activities and risks +associated with each itinerary activity and trip location to +determine what accommodations or modifications may be +needed for the student to participate successfully and safely +in all or portions of the trip. +● Student recruitment: Field trips must be advertised to all +students (within the whole school, particular grade, +class/subject, club, or program associated with the trip), +regardless of their financial situation. Schools shall make +every reasonable effort to make instructional field trips +affordable for all students. A student’s ability to pay may not +be a criterion for field trip participation. If students are +charged individual fees for participation in a domestic + + +Page 9: +Superintendent’s Circular CAO-22 +Page 9 of 22 + +instructional field trip that is directly linked to the +curriculum and standards, the school or district should +make every effort to provide scholarships where need is +expressed. +● Student accessibility: Students with English Learner status, +504 plans, and/or IEPs cannot be denied access to field trips +due to their status or ability. It is the responsibility of the +school to ensure that all accommodations normally +provided to a student as indicated in their educational plans +are made available during a field trip, including medication. +See Superintendent’s Circular SHS-08 for information about +medical dispensation on field trips. +● School nurse and guidance counselor consultation: Before +approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +at least six weeks before departure (much longer for +international and overnight field trip programs), consult +with, and when necessary, receive training from the school +nurse regarding any students who have medical needs. Also +consult with the school counselor regarding mental and +behavioral health needs. If any student has a serious +medical or mental health condition, be sure that their +doctor is aware of the essential participation criteria and +location of the trip and writes a letter indicating that the +child may safely attend and participate in trip activities. +Keep this document on file with other key permissions slips + + +Page 10: +Superintendent’s Circular CAO-22 +Page 10 of 22 + +and medical forms. +● Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQIA+ community, students with disabilities, those +who may be in the minority during your field trip +experience, and those students who belong to groups that +have experienced marginalization in the location being +visited. Program leaders must work to prepare students for +sensitive experiences and ensure that the program is safe +and inclusive for all students. Consult the Department of +Global Education for resources if needed. +● Inclusive accommodations: In collaboration with the +student and their family, the program leader and +principal/head of school shall work with transgender and +gender-nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety for the +student and group. Program leaders should work with +students and families to make sure all travel documents +(airline ticket, passport, etc.) reflect their legal names as +listed on government issued identification, while all +unofficial documents and materials may reflect the +student’s preferred name. Please view additional rooming +guidelines from the Office of Equity. +● Student conduct: The BPS Code of Conduct applies on all +field trips. BPS students and parents are required to sign a +BPS Student Traveler & Family Agreement form regarding + + +Page 11: +Superintendent’s Circular CAO-22 +Page 11 of 22 + +student conduct while participating in a BPS sponsored +field trip. Participation in field trips may be denied to any +student who has demonstrated disregard for the policies +and rules of BPS or the school, immediately prior to or while +on the field trip. Parents/guardians and students must be +made aware of this policy in advance and communicated +with throughout any processes involving their child not +participating in a field trip. Following an investigation, if the +program leader, in consult with the principal/head of school +and central office staff, determines that a student’s conduct +while on an overnight trip poses a risk to themselves or the +safety of the group, or is no longer manageable by BPS staff +in the field, the district reserves the right to request and +arrange for that student to return home. +The district also reserves the right to request that families +assume responsibility for all, or a portion of the costs +associated with their child’s return. Students may be subject +to further disciplinary action and will be provided the +opportunity to have a formal hearing at the school level +upon return. The school must document the +parent/guardian’s consent of this policy prior to the trip. +● Student dismissal from field program: If a student is to be +dismissed from an overnight field trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon transportation destination. If the parent/guardian is +not reachable, the student’s principal or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly + + +Page 12: +Superintendent’s Circular CAO-22 +Page 12 of 22 + +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. NOTE: Age requirements are subject to specific +airline/train/bus guidelines. +● Provisions for students not attending the trip: If applicable, +alternative arrangements and/or comparable activities for +students not attending the trip, or unable to participate in a +portion of your trip, must be provided. If a student’s family +elects for their child not to attend a field trip for any reason, +the student may not be penalized through their grade or +otherwise. +● Attendance: Attendance forms should indicate when a +student is physically absent from the school building on a +field trip but participating in a school-sponsored program +being conducted off school grounds. (Note: It is important to +know and document where students are at all times.) +CHAPERONE REQUIREMENTS +● Chaperone Recruitment: Program leaders must consult +with the principal/head of school on potential chaperones +and student recruitment. The program leader (lead +chaperone) must be a BPS employee. Other authorized +chaperones may include parents and guardians who are 21 +years of age or older. Any parent on the trip must operate in +the role of chaperone. All chaperones must be approved by +the head of school/principal. Every effort should be made for +students to have access to the field trip experience, for +chaperones to be representative of the student group, and +for chaperones to include males and females. The selection +and approval of chaperones by the principal/head of school +should be based on the individuals’ thorough knowledge of + + +Page 13: +Superintendent’s Circular CAO-22 +Page 13 of 22 + +and rapport with most of the student participants. Choose a +chaperone team purposefully and wisely, considering +strengths. Every adult on the trip must be a chaperone and +have a clear role. +● Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who must be 21 years of age +or older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the online eCORI form. Contact the BPS +Office of Human Capital (OHC) for CORI check and +confirmation support. The principal/head of school and the +lead chaperone are responsible for submitting authorization +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. The program leader +must be sure that all chaperones, including non-BPS +chaperones, are familiar with the BPS Code of Conduct and +other district and school-based rules. Non-BPS employee +chaperones (parents/guardians) are required to show proof +of COVID vaccination, or a negative COVID-19 test within 72 +hours of the field trip. +● BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent +chaperone is responsible for incurring all costs associated +with their child’s participation. + + +Page 14: +Superintendent’s Circular CAO-22 +Page 14 of 22 + +All chaperones must complete the Chaperone Agreement +form. +● Chaperone Ratios: The student-to-chaperone maximum +ratios must be: +o Day field trips: minimum of two chaperones +o Grades K-5, 10:1 +o Grades 6 and up, 10:1 +o Domestic Overnight field trips: 10:1 (minimum of +two chaperones) +o International field trips: 7:1 (minimum of two +chaperones) * Includes Puerto Rico +NOTE: There should not be more chaperones than +students, unless mandated by an educational plan or +other circumstances approved by the principal/head +of school and Department of Global Education. For +students with disabilities, the ratio of staff to +students must be at least the same as the ratio +mandated in their IEPs for their classes. +o NEW: Tour guides and employees of third-party +vendors contracted to help operate the trip are +not considered chaperones and do not factor into +the student to chaperone ratio. +PERMISSION FORMS +● The student may not attend the field trip without a signed +permission slip. Permission for field trips must be in written +form only. Program leaders are responsible for seeing that +permission slips are filled out completely and signed by the +legal parent(s)/guardian(s). + + +Page 15: +Superintendent’s Circular CAO-22 +Page 15 of 22 + +● Permission slips are legal documents and may not be +altered. Permission slips must be used for any excursion that +is school sponsored, including those scheduled after school +and on weekends. +● No staff member may solicit students for any privately +arranged field trip or excursion without the permission of +the principal/head of school. +● “Blanket” authorization (i.e., parental/guardian approval +using a single form for multiple trips to be taken during the +school year) should never be allowed (except for the +Walking Trips and Water Activities form if they are in the +same location). A separate parent/guardian permission slip +must be obtained and filed for each field trip. +● Parental/guardian permission slips must be sent home in +English and in the language of the home. +● Only parents/guardians are authorized to sign permission +forms. For questions regarding legal guardianship, refer to +the SIS site or the local Welcome Center. +● Check that students and their parents/guardians have +signed the BPS Media Appearances release section of the +Parent/Student Agreement document so that the trip may +be showcased upon your return. (This document can be +found in the Guide to the Boston Public Schools for Families +and Students.) +● Review each student's Emergency Information Card (Form +460 or electronic equivalent) to ensure/cross-check +accuracy of all field trip permissions and forms. +● Program leaders must be specific when completing the + + +Page 16: +Superintendent’s Circular CAO-22 +Page 16 of 22 + +school portion of the Parental Authorization for Field Trip +form. Parents/guardians must be given sufficient +information to understand the nature and scope of the +activities on the itinerary. Additional customized waivers +may be developed for specific trips/itineraries. +RECORD KEEPING FOR ALL TYPES OF TRIPS +● Retain completed field trip request forms, original +permission slips, medical forms, fire prevention and safety +forms (if applicable), and all other signed documents for +field trips in the school office. Legally, these records must be +kept for the current fiscal year plus three additional years +after all field trips have occurred. + + + + +Page 17: +Superintendent’s Circular CAO-22 +Page 17 of 22 + +TRANSPORTATION FOR FIELD TRIPS +● School buses or BPS approved transportation vendors’ +vehicles (per BPS Transportation Department) MUST be +used to transport students to and from field trips or athletic +events regardless of how the trip is paid for. Privately owned +vehicles, vehicles from non-approved vendors are not +permitted. +Ride sharing transportation services, such as Uber and Lyft, or +leased vans are not to be utilized to transport students to +and from field trips or athletic events, except in the case of a +bona fide emergency. +● Students are prohibited from driving vehicles, operating, or +being a passenger on any motorbike during a field trip. +● Staff are not permitted to transport students. Staff who +utilize their own vehicles, or leased vehicles, risk being +legally liable if students are injured while riding in their +automobiles. +● Please refer to Superintendent’s Circular TRN-03 for +information and regulations regarding field trip +transportation. +SAFETY GUIDELINES +As part of trip planning and itinerary development, ensuring the +major aspects of health, safety, and security have been addressed +with appropriate due diligence. Program leaders should be able +to articulate in an informed manner what decisions were made, +why they were made, and the sources that informed their +decision making. If you are unsure as to whether an activity is +appropriate in terms of safety or educational content for a +school-sponsored trip, please consult with your principal/head of + + +Page 18: +Superintendent’s Circular CAO-22 +Page 18 of 22 + +school and the Department of Global Education. +● Review Superintendent’s Circular FSE-05, Medical +Emergency Management, and SAF-04 Incident Data- +Reporting and Release for important safety protocols. +● Do not leave students alone. Students should be +accompanied by chaperones unless part of a scheduled +activity in which parents have been informed of and +approved in writing in advance, and age appropriate. +However, if unaccompanied as part of a scheduled and +structured activity, students should at least be in groups of +three, AND always know how to reach an adult chaperone. +● Day and water field trips: The Department of Safety Services +(617-635-8000) must be notified in the event of a serious +medical or other emergency and should be used as a +resource for questions regarding safety on day field trips, +including water activity day trips. +● Domestic overnight trips: The principal/head of school is the +emergency contact and must be notified in the event of a +serious medical or other emergency. Prior to departure, the +Department of Global Education should be used as a +resource for questions regarding safety on trips, and for +support with insurance and claims. Prior to departure, +program leaders will receive emergency contact +information. +● International trips: The principal/head of school or designee, +followed by the Department of Global Education or district +appointee, are the emergency contacts for international +trips. DGE must be notified in the event of a serious medical +or other emergency and should be used as a resource for + + +Page 19: +Superintendent’s Circular CAO-22 +Page 19 of 22 + +questions regarding safety on trips. Prior to departure, +program leaders will receive emergency contact +information. +● Emergency Action Plan: At all times during the trip, all +chaperones must carry with them a copy of the Emergency +Action Plan (EAP) that outlines procedures for calling 911 in +the US or the foreign equivalent while abroad, as well as +emergency protocols. The EAP can be found in the day, +overnight, and international circulars. +● Personal Health: For overnight and international trips, +students and staff must have had a recent doctor’s visit, +physical exam, and any required vaccinations prior to +departure. See CAO-24 and CAO-25 for details on healthy +travel requirements. +● Training: The district reserves the right to require additional +training and/or certifications such as CPR/AED, first aid, and +program (chaperone) leader risk management training +depending on the type, location, and purpose of the trip. +Review the specific circular for your trip type for certification +requirements. +● Phone/Social Media Usage: Set expectations with students +regarding phone and social media usage during any field +trip. This is especially critical during an emergency. +● Insurance: The district provides medical insurance coverage +for BPS-sponsored international and domestic trips for BPS +students and BPS staff participants. [Domestic is defined as +100 driven miles away from home or place of study or +employment.] Trip cancellation and interruption coverage +are not provided by the district. Program leaders must + + +Page 20: +Superintendent’s Circular CAO-22 +Page 20 of 22 + +inform families (and funders) of this fact, and that they have +the option to voluntarily purchase these additional +coverages on their own. For Level 2 CDC or State +Department Warning international destinations, trip +cancellation and interruption coverages are strongly +recommended. +● Cancellation: The superintendent reserves the right to +cancel any field trip up to and including the day of +departure to manage risk. Upon advance review of +itineraries, BPS reserves the right to deny schools +permission to participate in the field trip activities on their +itinerary where the risks of the activity outweigh the +intended learning outcomes of the program. +● Post Field Trip: After the trip, follow up and communicate +with the student and parent/guardian, as well as the +principal/head of school, Department of Safety Services, or +the Department of Global Education if there are any student +safety concerns (health or otherwise) during the trip that +require further attention. +HOMESTAYS IN BOSTON, NATIONALLY, AND ABROAD +● For host family stays (both incoming and outgoing), review +CAO-26 Guidelines for Homestays & International Student +Visitors for more information. Please contact the +Department of Global Education immediately for guidelines. +All BPS families (anyone in households 18 or over) who host +national or international guests must be CORI cleared by the +BPS Office of Human Capital. +INTERNATIONAL STUDENT VISITORS (CAO-26) +● International/ students can register with BPS if they will be a + + +Page 21: +Superintendent’s Circular CAO-22 +Page 21 of 22 + +full-time student at a BPS school, except the exam schools, +for one year. Students must be in their freshman, +sophomore, or junior year. Please be advised that BPS does +not get involved with the J1 visa process. Review CAO-26 +Guidelines for Homestays & International Student Visitors for +more information. Please contact the Department of Global +Education immediately for guidelines. +● For visiting students, note immunization requirements for +those visiting us from abroad. Work with the program leader +(lead chaperone) from visiting schools to ensure all health +regulations are met. See attached letter for directives from +the Massachusetts Department of Public Health. +http://www.mass.gov/eohhs/docs/dph/cdc/immunization/im +munization-requirements-exchange-and-visiting- +students.pdf +WATER ACTIVITIES (CAO-27) +● If your trip involves activities in, or on the water, you must +contact the Department of Global Education immediately to +submit a mandatory Water Activity Request form and to +ensure that the site location for the water activity has up-to- +date insurance, liability, and certification documentation on +file with the district. Refer to CAO-27 for specific guidelines +for water activities. +For more information, questions, and support about this +circular, please contact: + Owner: +Chief of Teaching and Learning +Title: +Director of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 + + +Page 22: +Superintendent’s Circular CAO-22 +Page 22 of 22 + +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Academics (CAO)/CAO-23 Day Field Trip Guidelines.txt b/data/data_txt1/Academics (CAO)/CAO-23 Day Field Trip Guidelines.txt new file mode 100644 index 0000000..4d686b2 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-23 Day Field Trip Guidelines.txt @@ -0,0 +1,1078 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-23 +Version 01 + +DAY FIELD TRIP GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: *These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and +guidance, contact the Department of Global Education +(OPL@bostonpublicschools.org) for assistance/guidance. +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular should be read AFTER Superintendent’s Circular +CAO-22 General Guidelines and Procedures for All Field Trips, as +additional guidelines are outlined there. +The principal/head of school (and/or the district department +sponsoring the trip) is responsible for ensuring that all field trip +policies and procedures as outlined in this circular and CAO-22 +are adhered to. +Together, the principal/head of school (and/or the district +department lead sponsoring the trip) and the program leader +(lead chaperone) must review and complete checklists for this +circular. The signed checklist must be kept on file at the school. + + +Page 2: +Superintendent’s Circular CAO-23 +Page 2 of 36 + +A day field trip is any domestic trip off school grounds that is no +more than one day in duration. + Day field trip forms are submitted to the principal/head of +school AT LEAST 4 weeks in advance (or at the +principal/head of school ’s discretion) and approved by the +principal/head of school; school leaders reserve the right to +cancel a trip for any reason and at any time for safety +purposes. + Walking field trips are day field trips that require walking +within a 1-mile radius of the school (e.g., local garden, park, +field, etc.) The Parent/Guardian Authorization and +Acknowledgement of Risks for Walking Trips form will apply +for all walking field trips during the current school year. It +must be updated each school year or as student/family +information changes. The school is still required to inform +families in advance of each walking field trip and obtain +approval from the principal/head of school. All forms, +including signed CAO-23 checklist form, are filed at the +school. +Applications: Schools shall communicate with families in +advance when students leave school grounds and ensure written +permission is received. +Water Activities: Organizers of trips that involve activities in or +on the water as part of the curriculum must immediately contact +the Department of Global Education for additional approval. +There is a separate and mandatory procedure for all trips +involving water. See Superintendent’s Circular CAO-27 for water +activity guidelines. + + + + +Page 3: +Superintendent’s Circular CAO-23 +Page 3 of 36 + +DAY FIELD TRIP CHECKLIST +(Checklist and request form must be completed for each day +field trip.) + Review Superintendent’s Circular CAO-22 General +Guidelines and Procedures for All Field Trips. + Review Superintendent’s Circular FSE-05 Medical +Emergency Management and SAF-04 Incident Data +Reporting and Release for important safety protocols. The +Department of Safety Services (617-635-8000) must be +notified in the event of a serious emergency and should be +used as a resource for questions regarding safety on field +trips. + Select a site and investigate the appropriateness of the site +in relation to the category of field trip. +Field Trip Category(s) (see CAO-22): _______________________ +Site(s): ____________________________________________________ + Select a date and an alternate date. Note: Check with the +principal/head of school, teachers, and staff to ensure that +trips are not scheduled on dates that interfere with +important tests, religious holidays, or class work. + + +Date: _____________________________________________________ +Alternate Date: ___________________________________________ + All program leaders (the BPS employee organizing and +leading the trip) must be approved by the principal/head of +school or district department sponsoring the trip. + All field trip ideas must be preliminarily approved in writing +by the principal/head of school or district department + + +Page 4: +Superintendent’s Circular CAO-23 +Page 4 of 36 + +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students +and their parents/guardians, and prior to any fundraising or +other detailed preparations. Staff are not allowed to sign +contracts on behalf of the Boston Public Schools. Consult +with the principal/head of school on potential chaperones +and student recruitment. + Planning, organization, and preparation are critical to a +successful experience for all participants. As part of trip +planning and itinerary development, ensure the major +aspects of health, safety, student inclusion, and security +have been addressed with due diligence. Program leaders +must be able to articulate what decisions were made, why +they were made, and the sources that informed that +decision making. If you have questions about the +appropriateness of an activity, please consult with your +principal/head of school. + School nurse and guidance counselor consultation: Before +approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +at least six weeks before departure (much longer for +international and overnight field trip programs), consult +with and, when necessary, receive training from the school +nurse regarding any students who have medical needs. Also +consult with the school counselor regarding mental and +behavioral health needs. If any student has a serious +medical or mental health condition, be sure that their + + +Page 5: +Superintendent’s Circular CAO-23 +Page 5 of 36 + +doctor is aware of the essential participation criteria and +location of the trip and writes a letter indicating that the +child may safely attend and participate in trip activities. +Keep this document on file with other key permissions slips +and medical forms. +CHAPERONE REQUIREMENTS + Chaperone Recruitment: Program leaders must consult +with the principal/head of school regarding potential +chaperones and student recruitment. The program leader +(lead chaperone) must be a BPS employee. Other +authorized chaperones may include parents and guardians +21 years of age or older. Any parent on the trip must operate +in the role of chaperone. All chaperones must be approved +by the head of school/principal. Every effort should be made +for students to have access to the field trip experience, for +chaperones to be representative of the student group, and +for chaperones to include males and females. The selection +and approval of chaperones by the principal/head of school +should be based on the individuals’ thorough knowledge of +and rapport with most of the student participants. Choose a +chaperone team purposefully and wisely, considering +strengths. Every adult on the trip must be a chaperone and +have a clear role. + Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who are 21 years of age or +older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the eCORI form. Contact the BPS Office of +Human Capital (OHC) for CORI check and confirmation +support. The principal/head of school and the lead +chaperone are responsible for submitting authorization + + +Page 6: +Superintendent’s Circular CAO-23 +Page 6 of 36 + +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. The program leader +must be sure that all chaperones, including non-BPS +chaperones, are familiar with the BPS Code of Conduct and +other district and school-based rules. + BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent +chaperone is responsible for incurring all costs associated +with their child’s participation. + All chaperones must complete the Chaperone Agreement +form. +Chaperone Ratios: +• A minimum of two chaperones is required. +• Student-to-chaperone ratios are: +o Grades K-5, 10:1 +o Grades 6 and up, 10:1 +• For students with IEPs, the ratio of staff to students must be +at least the same as the ratio mandated in their IEPs for +their classes. +• For water activities: The student-to-chaperone ratio must +remain 10:1 at all times during instructional swimming for all +grade levels. This ratio does not include lifeguards on duty. If +your trip involves activities on or in the water, you must + + +Page 7: +Superintendent’s Circular CAO-23 +Page 7 of 36 + +contact the Department of Global Education for approval +immediately. There is a separate, mandatory procedure for +all trips involving water. See Superintendent’s Circular CAO- +27 for water activity guidelines. +Chaperone Team: + The program leader/lead chaperone will meet with the +chaperone team to delegate responsibilities and review the +student team. The program leader will record the names of +the chaperones and the students each chaperone is +supervising. Each chaperone must carry this list. + Chaperones will organize a “buddy system,” pairing +students with one another for safety purposes. + The lead chaperone will (1) review students’ permission slips; +and (2) prepare any questions for follow-up with families +and the school nurse and counselor. + The lead chaperone will prepare a trip binder for all +chaperones (See “During the Trip” section which lists all +binder contents). + The lead chaperone must carry original, signed Parental +Authorization for Day Trip forms for all students; all other +chaperones must carry copies. +STUDENT PARTICIPATION + Participation Criteria: The program leader and +principal/head of school will work together to establish (1) +essential participation criteria for the trip that informs +students and parents of all activities and risks associated +with each itinerary activity; and (2) trip location, to +determine what accommodations or modifications may + + +Page 8: +Superintendent’s Circular CAO-23 +Page 8 of 36 + +need to be made for the student to successfully and safely +participation in all, or portions of the trip. Discuss with +students the trip’s purpose and learning goals in the weeks +prior to the trip; plan to engage students in activities before, +during, and after the trip so that the field trip learning +potential is maximized. Set aside time to process student +learning on the trip. + Recruitment: Students not enrolled in the Boston Public +Schools may not participate. Field trips must be advertised +to all students (within the whole school, particular grade, +class/subject, club, or program associated with the trip) +regardless of their financial situation. Schools shall make +every reasonable effort to make instructional field trips +affordable for all students. + Accommodations: English Learners and students with 504 +Plans and/or IEPs cannot be denied access to field trips due +to their status or ability. It is the responsibility of the school +to ensure that all accommodations normally provided to a +student as indicated in their educational plans are made +available during a field trip, including medication. To +thoroughly support a student's participation in a field trip, at +least six weeks before departure, consult with, and when +necessary, receive training from (1) the school nurse +regarding any students who have medical needs; and (2) the +school counselor regarding mental and behavioral health +needs. If any student has a serious medical condition, please +be sure that their doctor writes a letter indicating that the +child may safely attend and participate in trip activities. +Ensure the availability of a first aid kit. + Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and + + +Page 9: +Superintendent’s Circular CAO-23 +Page 9 of 36 + +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQIA+ community, students with disabilities, those +who may be in the minority during your field trip +experience, and those students who belong to groups that +have experienced marginalization in the location being +visited. Program leaders must work to prepare students for +sensitive experiences and ensure that the program is safe +and inclusive for all students. + Inclusive Accommodations: The program leader and +principal/head of school will work with transgender and +gender nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety. +Program leaders should work with students and families to +make sure all travel documents reflect their legal names as +listed on government issued identification, while all +unofficial documents and materials may reflect the +student’s preferred name. + The BPS Code of Conduct applies on all field trips. Review +conduct expectations with students in advance. +DOCUMENTATION + Consult with the principal/head of school and nurse +regarding the medical needs of potential participating +students before you receive field trip approval (at least six +weeks beforehand). Document notes from this consultation. + Complete and submit a Day Field Trip Request form and +accompanying documents to obtain official consent from +the principal/head of school to execute the trip. + + +Page 10: +Superintendent’s Circular CAO-23 +Page 10 of 36 + + Create a school file to house all important documents: Day +Field Trip Request form, student permission slips, and other +signed documents. These documents must be kept on file +for the current fiscal year plus three additional years after +the trip has occurred. + Distribute and collect the Parental Authorization for Day +Trip form for each participating student. + Contact the field trip site and ensure that the necessary +arrangements are in place. + Share the trip details listed below with all teachers and +other staff members so that they may plan accordingly: +o Trip overview (purpose); destination; date of trip; roster +o Chaperones’ names and roles in school community + Inform the food service manager or attendant whether +students will return to school for lunch, or whether brown +bag lunches should be prepared. Be mindful of any student +food allergies. +TRANSPORTATION + Develop transportation plans: mode of transportation, travel +time, cost, etc. If applicable, be sure to note how and with +whom the child will travel to and from field trip departure +and pick-up locations. + Staff are not permitted to drive students. Privately owned +vehicles from non-approved vendors, ride sharing services +such as Lyft or Uber, or leased vehicles are not to be utilized +except in the case of a bona fide emergency. Staff who +utilize their own vehicles or a leased vehicle risk being +legally liable. Please refer to TRN-03 for regulations on field +trip transportation. + + +Page 11: +Superintendent’s Circular CAO-23 +Page 11 of 36 + + If your trip is less than 100 driving miles in distance, please +ensure ALL students have valid medical insurance that +covers them while on this program. Record details of +insurance on the Medical Information form. +ONE WEEK PRIOR TO TRIP + Verify all arrangements, including transportation and +reception at the site. + Prepare name tags for younger students. + Provisions must be made in advance for any student not +attending the trip and staying at school. If applicable, +provide alternative arrangements and/or comparable +activities for students not attending the trip or unable to +participate in a portion of your trip. + If a student’s family elects for their child not to attend a field +trip for any reason, the child may not be penalized through +their grade or otherwise. + Remind students and chaperones of safety and behavior +expectations. + Notify/consult with the principal/head of school if trip plans +have changed from the original field trip request. Prepare +and leave a field trip package for the principal/head of +school that includes CAO-23 checklist, Day Field Trip +Request form, and permission slip copies. +DURING THE FIELD TRIP + Take attendance and leave the current list of students +attending the trip with the principal/head of school. + Record specific bus number and driver’s name and leave +information with the principal/head of school, all + + +Page 12: +Superintendent’s Circular CAO-23 +Page 12 of 36 + +chaperones, and, if age appropriate, students. + Chaperones must supervise all assigned students. Conduct +head counts and buddy checks before embarking on your +trip, throughout your trip, and before departing the field trip +site for home. + Review standards for safety and behavior with students. + Chaperones must carry the trip binder at all times on the +trip which includes the following: permission slips (original, +signed permission slips must be carried by the lead +chaperone), Emergency Action Plan, Day Field Trip Request +form, and any accompanying itinerary details for this +particular trip. + All students must have the contact information of +chaperones and other necessary emergency and contact +information. + Do not leave students alone. Students should be +accompanied by chaperones unless part of a scheduled +activity of which parents have been informed and have +approved in writing in advance, and that is age appropriate. +However, if unaccompanied as part of a scheduled and +structured activity, students should be in at least pairs AND +always know how to reach an adult chaperone. + Review with everyone where they are to go if separated +from the group. + Program leaders and chaperones have the responsibility to +modify the program to ensure the ongoing safety of +travelers. Consult with principal/head of school and +Department of Safety Services if this becomes necessary. + + +Page 13: +Superintendent’s Circular CAO-23 +Page 13 of 36 + +AFTER THE FIELD TRIP (MANDATORY) + Retain completed, original Day Field Trip Request form, +original permission slips, and any other signed documents +for the field trip in the school office. These records must be +kept for the current fiscal year plus three additional years +after the field trip occurs. + Remind students (and inform parents/guardians) to see a +doctor immediately if they are not feeling well after the trip +and to inform the doctor of their experience. + If applicable, file and follow up with an Incident Report. +AFTER THE FIELD TRIP (SUGGESTED) + Write thank you notes. + Present to the school and family community about the +students’ observations while on the trip. + Conduct related creative and/or analytical projects to +showcase student learning. + Write a news article about the trip for a local newspaper or +website. + Email stories, journals, and pictures of your trip to the +Department of Global Education. + Evaluate the trip. +o Was the educational purpose of the trip served? +o What were the highlights of the trip? +o What might you do differently next time? +o Are there any incidents or accidents to report? + +PLEASE SIGN THIS CHECKLIST, RETAIN A COPY FOR YOUR FILE, + + +Page 14: +Superintendent’s Circular CAO-23 +Page 14 of 36 + +AND SUBMIT THE ORIGINAL TO THE SCHOOL OFFICE FOR +FILING. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed, +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. +School Name: ___________________________________________________ +Signature of Lead Chaperone: ___________________________________ +Date: ____________________________________________________________ +Signature of Principal/Head of School or Sponsoring District +Department: ____________________________________________________ +Date: ____________________________________________________________ + + + + +Page 15: +Superintendent’s Circular CAO-23 +Page 15 of 36 + +For more information, questions, and support about this +circular, please contact: + Owner: +Chief of Teaching and Learning +Department: +Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + +ATTACHMENTS: +I. +Day Field Trip Request Form +II. +Emergency Action Plan +III. +Parental Authorization for Day Field Trip +IV. +Parent/Guardian Authorization and Acknowledgement of +Risks for Walking Trips +V. +Chaperone Agreement Form + + + + +Page 16: +Superintendent’s Circular CAO-23 +Page 16 of 36 + + +DAY FIELD TRIP REQUEST FORM (PART I) +This form is submitted to the principal/head of school for +approval. This form and all original permission slips are kept on +file for the current fiscal year plus three additional years. + +SCHOOL INFORMATION +School: __________________________________________________________ +Date Submitted: _________________________________________________ + +OVERVIEW +Number of Students: ____________________________________________ +Number of Chaperones: (10:1 Ratio) _______________________________ +Destination/s: ____________________________________________________ + __________________________________________________________________ +Date of Trip: _____________________________________________________ +Field Trip Category:_______________________________________________ +Overview of Trip/ Educational Purpose: __________________________ + __________________________________________________________________ +Itinerary: ________________________________________________________ + + +Page 17: +Superintendent’s Circular CAO-23 +Page 17 of 36 + + __________________________________________________________________ +SITE/S CONTACT INFORMATION +(If you are visiting multiple places, please list all.) +Site/s: ____________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Address/s: _______________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Site/s Contact Person: ___________________________________________ + __________________________________________________________________ +Site/s Telephone Number & Email(s): + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + + + + + +Page 18: +Superintendent’s Circular CAO-23 +Page 18 of 36 + + +DAY FIELD TRIP REQUEST FORM (PART II) +SUPERVISION +Program Leader (Lead Chaperone): + __________________________________________________________________ +Phone (during the trip): __________________________________________ +Email: ___________________________________________________________ +Names and phone numbers of all chaperones: (attach a separate +document if necessary): + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + + + + +Page 19: +Superintendent’s Circular CAO-23 +Page 19 of 36 + +TRANSPORTATION +Pick-up Location: _______________________________________________ +Drop-off Location: _______________________________________________ +Departure Time: _________________________________________________ +Time Back at School: _____________________________________________ +Method of Transportation: _______________________________________ +Transportation Provider: _________________________________________ + __________________________________________________________________ +Contact Information: (phone number and address) + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Staff may not drive students. Privately owned vehicles, ride +sharing services, vehicles from non-approved vendors, or leased +vehicles are not to be utilized to transport students to and from +field trips, except in the case of a bona fide emergency. Staff who +utilize their own vehicles risk being legally liable. Schools must +use BPS buses or approved bus vendors regardless of how the +trip is paid for. (See TRN-03) +Total Cost: _______________________________________________________ +Funding Source: _________________________________________________ +Grant Number: __________________________________________________ + + +Page 20: +Superintendent’s Circular CAO-23 +Page 20 of 36 + +BEDF Account Code/Description: ________________________________ +Approved by: ____________________________________________________ +Principal/Head of School /Sponsoring District Department +Date: ______________________________ + +Your signature indicates that all policies outlined in this circular +regarding day trips will be followed. + + + + +Page 21: +Superintendent’s Circular CAO-23 +Page 21 of 36 + + +EMERGENCY ACTION PLAN (EAP) +The program leader and chaperones must have copies of this +checklist during the trip. +PROCEDURES FOR CALLING 911 ON A FIELD TRIP: + Do not leave the injured person alone or without an adult +present. + REMAIN CALM. This helps the operator receive your +information. + DIAL 911. Remember, you may need to access an outside line +first. + Answer the dispatcher’s questions clearly and concisely. +They will ask for all the relevant facts. The dispatcher will +end the call when all of the information is verified. + Wait with the person until EMS arrives. + Paramedics will take over care of the person when they +arrive. A chaperone must accompany any injured student in +the ambulance and remain with the student until the +parent/guardian arrives. +NOTIFICATION OF INCIDENT + Call parent/guardian, principal/head of school, the +Superintendent’s Office, and Department of Safety Services +regarding the incident immediately. + File an Incident Report. + + +Page 22: +Superintendent’s Circular CAO-23 +Page 22 of 36 + + +Principal/Head of School Phone Numbers: + __________________________________________________________________ +Department of Safety Services: (617) 635-8000 +Additional Phone Numbers: ______________________________________ + __________________________________________________________________ + + +Page 23: +Superintendent’s Circular CAO-23 +Page 23 of 36 + + +PARENTAL AUTHORIZATION FOR DAY FIELD TRIPS +BPS STAFF: + Use one form per trip, per student. + Complete the School Portion of form. + Send a copy home for parent/guardian and student +signatures. + During the field trip, the signed, original form must be +carried by the lead chaperone, copies by all other +chaperones and a photocopy must be left on file in the +school office. +STUDENTS: + Complete the “Student Agreement” section. +PARENT / LEGAL GUARDIAN, IF STUDENT IS UNDER 18 YEARS OF +AGE; OR STUDENT, IF AT LEAST 18 YEARS OLD: + Complete the Authorization & Acknowledgement of Risks +section. + Complete the “Medical Authorization” section. + + + + +Page 24: +Superintendent’s Circular CAO-23 +Page 24 of 36 + +PARENTAL AUTHORIZATION FOR DAY FIELD TRIPS +To be completed by the school + +School Name: ____________________________________________________ +Student Name: ___________________________________________________ +Date(s) of Trip: ____________________________________________________ +Destination: ______________________________________________________ +Purpose(s): ______________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +List of Activities: ________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Supervision: (Check one) + Students will be directly supervised by adult chaperones on +this trip at all times. + + + + +Page 25: +Superintendent’s Circular CAO-23 +Page 25 of 36 + +Mode of Transportation (check all that apply): +□ Walking □ School bus □ MBTA +□ Other __________________________________________________________ +Students will leave from: +_________________________________________ at ____________________. + (location) (time) + +Students will return to: (location) _________________________________ +at about (time)__________________. +Chaperone(s) in Charge: _________________________________________ + __________________________________________________________________ +Chaperone/Student Ratio: __________________________ (10:1 for all +grades; minimum of two chaperones) +STUDENT AGREEMENT +While participating in this field trip, I understand I am +representing BPS and my community. I understand that +appropriate standards must be observed, and I will accept +responsibility for maintaining good conduct and abide by school- +based rules and the Boston Public Schools’ Code of Conduct. +Student signature _________________________ Date _________________ + + + + +Page 26: +Superintendent’s Circular CAO-23 +Page 26 of 36 + +To be completed by the parent/guardian or student (if 18 or over): +PARENT/GUARDIAN AUTHORIZATION AND +ACKNOWLEDGEMENT OF RISKS FOR BPS DAY TRIPS +I understand that my/my child’s participation in this field trip is +voluntary and may expose me/my child to some risk(s). I have +read and understand the description of the field trip (on the first +page of this form) and authorize myself/my child to participate in +the planned components of the field trip. +I assume full responsibility for any risk of personal or property +damages arising out of or related to my/my child’s participation +in this field trip, including any acts of negligence or otherwise +from the moment that my student is under BPS supervision and +throughout the duration of the trip. I further agree to indemnify +and to hold harmless BPS and any of the individuals and other +organizations associated with BPS in this field trip from any claim +or liability arising out of my/my child’s participation in this field +trip. I also understand that participation in the field trip will +involve activities off school property; therefore, neither the +Boston Public Schools, nor its employees nor volunteers, will have +any responsibility for the condition and use of any non-school +property. +I understand that BPS is not responsible for my/my child’s +supervision during such periods of time when I/my child may be +absent from a BPS supervised activity. Such occasions are noted +in the “Supervision” section in this agreement. I state that I +have/my child has read and agree(s) to abide by the terms and +conditions set forth in the BPS Code of Conduct, and to abide by +all decisions made by teachers, staff, and those in authority. I +agree that BPS has the right to enforce these rules, standards, +and instructions. I agree that my/my child’s participation in this + + +Page 27: +Superintendent’s Circular CAO-23 +Page 27 of 36 + +field trip may at any time be terminated by BPS in the light of +my/my child’s failure to follow these regulations, or for any reason +which BPS may deem to be in the best interest of a student +group, and that I/my child may be sent home at my own expense +with no refund as a result. In addition, chaperones may alter trip +activities to enhance individual and/or group safety. +MEDICAL AUTHORIZATION +I certify that I am/my child is in good physical and behavioral +health, and I have/my child has no special medical or physical +conditions which would impede participation in this field trip. I +agree to disclose to BPS any medications (including over- the- +counter/herbal) and/or prescriptions which I/my child shall or +should take at any time during the duration of the field trip. In +the event of serious illness or injury to my child/ward, I expressly +consent by my signature to the administration of emergency +medical care, if in the opinion of attending medical personnel, +such action is advisable. +Further, I authorize the chaperones listed to act on my behalf as +parent/guardian of my child/ward while participating in the trip +described above, including the admittance to and release from a +medical facility. + NO: My child DOES NOT require medication during this trip. + YES: My child DOES require medication during this +authorized trip. +If you checked yes, please describe in the space below the type of +medication and the required administration of this medication. If +medication is taken on an as-needed basis, specify the symptoms +or conditions when medication is to be taken and the time at +which it may be given again. If necessary, attach an additional + + +Page 28: +Superintendent’s Circular CAO-23 +Page 28 of 36 + +page. + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +SIGNATURES +If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and that +I understand the above Agreement, and that I accept and will be +bound by its terms and conditions. +Student Signature: _______________________________________________ +Date: _____________________________________________________________ +If the applicant is under 18 years of age, the following statement +must be read and signed by the student’s parent or legal +guardian: +I certify that I am the parent and legal guardian of the applicant, +that I have read and that I understand the above agreement, and +that I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + +I give permission for: +____________________________________________________________ +(student) + + +Page 29: +Superintendent’s Circular CAO-23 +Page 29 of 36 + +to participate in all aspects of this trip. +Parent/Guardian Signature/s _____________________________________ +Date: _____________________________________________________________ + +The student, if at least 18 years of age, or the parent/legal +guardian must complete the information below: +Print parent/guardian/s first and last name(s): + __________________________________________________________________ +Address: _________________________________________________________ + __________________________________________________________________ +Telephone: (CELL, HOME, WORK): ________________________________ + __________________________________________________________________ +Emergency contact’s first and last name (other than +parent/guardians): _______________________________________________ +Relationship to Student: _________________________________________ +Emergency Contacts Telephone #s: ______________________________ + __________________________________________________________________ + + +WALKING TRIPS + + +Page 30: +Superintendent’s Circular CAO-23 +Page 30 of 36 + +Parent/Guardian Authorization and Acknowledgement of Risks +for Walking Trips +Instructions: This form is to be completed by parents/guardians +to authorize BPS to engage students in day field trips that +require walking within a 1-mile radius of the school. This form will +apply for all walking field trips during the current school year, +and will need to be updated each school year, or as +student/family information changes. The school is still required +to inform families in advance of walking field trips, and obtain +principal/head of school approval. +I understand that my/my child’s participation in this field trip is +voluntary and may expose me/my child to some risk(s). I have +read and understand the description of the field trip (on the front +page of this form) and authorize myself/my child to participate in +the planned components of the field trip. I assume full +responsibility for any risk of personal or property damages arising +out of or related to my/my child’s participation in this field trip, +including any acts of negligence or otherwise from the moment +that my student is under BPS supervision and throughout the +duration of the trip. I further agree to indemnify and to hold +harmless BPS and any of the individuals and other organizations +associated with BPS in this field trip from any claim or liability +arising out of my/my child’s participation in this field trip. I also +understand that participation in the field trip will involve +activities off of school property; therefore, neither the Boston +Public Schools, nor its employees nor volunteers, will have any +responsibility for the condition and use of any non-school +property. I understand that BPS is not responsible for my/my +child’s supervision during such periods of time when I/my child +may be absent from a BPS supervised activity. Such occasions are +noted in the “Supervision” section in this agreement. I state that I + + +Page 31: +Superintendent’s Circular CAO-23 +Page 31 of 36 + +have/my child has read and agree(s) to abide by the terms and +conditions set forth in the BPS Code of Conduct, and to abide by +all decisions made by teachers, staff, and those in authority. I +agree that BPS has the right to enforce these rules, standards, +and instructions. I agree that my/my child’s participation in this +field trip may at any time be terminated by BPS in the light of +my/my child’s failure to follow these regulations, or for any reason +which BPS may deem to be in the best interest of a student +group, and that I/my child may be sent home at my own expense +with no refund as a result. In addition, chaperones may alter trip +activities to enhance individual and/or group safety. +MEDICAL AUTHORIZATION +I certify that I am/my child is in good physical and behavioral +health and I have/my child has no special medical or physical +conditions which would impede participation in this field trip. I +agree to disclose to BPS any medications (including over- the- +counter/herbal) and/or prescriptions which I/my child shall or +should take at any time during the duration of the field trip. In +the event of serious illness or injury to my child/ward, I expressly +consent by my signature to the administration of emergency +medical care, if in the opinion of attending medical personnel, +such action is advisable. Further, I authorize the chaperones +listed to act on my behalf as parent/guardian of my child/ward +while participating in the trip described above, including the +admittance to and release from a medical facility. + NO: My child DOES NOT require medication during this trip. + YES: My child DOES require medication during this +authorized trip. +If you checked yes, please describe in the space below the type of + + +Page 32: +Superintendent’s Circular CAO-23 +Page 32 of 36 + +medication and the required administration of this medication. If +medication is taken on an as-needed basis, specify the symptoms +or conditions when medication is to be taken and the time at +which it may be given again. If necessary, attach an additional +page. + + + + + +Page 33: +Superintendent’s Circular CAO-23 +Page 33 of 36 + +SIGNATURES +If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and that +I understand the above Agreement, and that I accept and will be +bound by its terms and conditions. +Student Signature: _______________________________________________ +Date: ___________________________ +If the applicant is under 18 years of age, the following statement +must be read and signed by the student’s parent or legal +guardian: +I certify that I am the parent and legal guardian of the applicant, +that I have read and that I understand the above Agreement, and +that I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + +I give permission for: _____________________________________________ +(student) +to participate in all aspects of this trip. +Parent/Guardian Signature/s: _____________________________________ + __________________________________________________________________ +Date: ___________________________________ + +The student, if at least 18 years of age, or the parent/legal + + +Page 34: +Superintendent’s Circular CAO-23 +Page 34 of 36 + +guardian must complete the information below: +Print Parent/Guardian/s First and Last Name/s: + __________________________________________________________________ +Address: ________________________________________________________ + __________________________________________________________________ +Telephone: (CELL, HOME, WORK): ________________________________ + __________________________________________________________________ +Emergency Contact’s First and Last Name (other than +parent/guardians): _______________________________________________ + __________________________________________________________________ +Relationship to Student: _________________________________________ +Emergency Contacts Telephone #s: ______________________________ + __________________________________________________________________ + + + + +Page 35: +Superintendent’s Circular CAO-23 +Page 35 of 36 + + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS sponsored +field trips and submitted to the program leader (lead +chaperone). + +School Name: ____________________________________________________ +Destination: ______________________________________________________ +Departure Date: _________________ Return Date: ___________________ +All chaperones must agree to abide by the following code of +conduct to participate in a BPS sponsored field trip. +SAFETY & RESPONSIBILITY +I understand that my safety, and the safety of other participants, +is extremely important during this field trip. I agree to make +safety my first priority. I agree to conduct myself in a manner that +promotes my safety and the safety of others at all times. I +understand that maintaining students’ safety requires that +students must be supervised by me and/or other chaperones at +all times while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews and room checks for students, as well as +morning wake up calls for students, are part of my responsibility. +I agree to follow BPS policies, protocols, and guidance of BPS +staff when in the field. + + + +Page 36: +Superintendent’s Circular CAO-23 +Page 36 of 36 + +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits students +from possessing, using, selling, and/or distributing any of the +following on all domestic and international field trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, use or +distribution of over the counter medication; and selling of +prescription drugs. +The Code also prohibits the use of tobacco products (including e- +cigarettes, hookah paraphernalia, and vapor cigarettes). I +understand that these prohibitions apply to all students, +regardless of age. +I understand that I am forbidden to use or visibly be in possession +of tobacco in the presence of students. I also understand that the +use of all other drugs, including alcohol, and weapons are strictly +prohibited on the field trip. + +Chaperone Name (Printed): ______________________________________ +Chaperone Signature: ___________________________________________ +Date: _________________________ + + diff --git a/data/data_txt1/Academics (CAO)/CAO-24 Domestic Overnight Field Trip Guidelines.txt b/data/data_txt1/Academics (CAO)/CAO-24 Domestic Overnight Field Trip Guidelines.txt new file mode 100644 index 0000000..199ee19 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-24 Domestic Overnight Field Trip Guidelines.txt @@ -0,0 +1,2674 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-24 +Version 01 + + +OVERNIGHT FIELD TRIP GUIDELINES + +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. + +IMPORTANT NOTE: These guidelines might be impacted by COVID-19 +restrictions and are subject to change based on public health, +international security, or other emergent issues that could impact travel. +For the most up-to-date information and guidance, contact +OPL@bostonpublicschools.org for assistance/guidance. + + +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular should be read AFTER the Superintendent’s Circular +No. CAO-22, General Guidelines and Procedures for All Field Trips +as additional guidelines are outlined there. +The principal/head of school and/or the district department +sponsoring the trip are responsible for ensuring that all field trip +policies and procedures as outlined in this circular are adhered +to. +Together, the principal/head of school and/or the district +department lead sponsoring the trip and the program leader + + +Page 2: +Superintendent’s Circular CAO-24 +Page 2 of 80 + + +must review and complete checklists for this circular. Signed +checklists must be kept on file at the school/district department. +OVERNIGHT FIELD TRIP: Any domestic trip off school grounds that +involves students’ participation overnight. +● Overnight Field Trip forms are submitted to the +principal/head of school AT LEAST 12 weeks in advance and +approved by the principal/head of school. +● All forms, including the signed CAO-24 checklist form, are +filed at the school. +● Overnight Field Trip Request form, the list of student names, +emergency contact name and number, grade, D.O.B, the list +of chaperone names and their role in the school community, +the itinerary, and if applicable, train and flight information +are sent to the district to notify the district of trip plans AT +LEAST 4 weeks in advance. Scan and email the Overnight +Field Trip Request form and information to the appropriate +principal/ leader as well as to the Department of Global +Education. Please follow up to ensure documentation has +been received. + +OVERNIGHT FIELD TRIP CHECKLIST + Review Superintendent’s Circular No. CAO-22, General +Guidelines and Procedures for All Field Trips. + All field trip IDEAS must be preliminarily approved in writing +by the principal/head of school or District Department +sponsoring the trip prior to the distribution of any +informational materials on the proposed trip to students + + +Page 3: +Superintendent’s Circular CAO-24 +Page 3 of 80 + + +and their parents/guardians and prior to any fundraising or +other detailed preparations. Consult with the principal/head +of school on potential chaperones and student recruitment. + Review Superintendent’s Circular FSE-05 Medical +Emergency Management and SAF-04 Incident Data +Reporting and Release for important safety protocols. The +Department of Global Education should be used as a +resource for questions regarding risk management on +overnight field trips. + Select a site and investigate the appropriateness of the site +in relation to the category of field trip. + Select a date and an alternate date. Note: Check with the +principal/head of school, teachers, and staff to ensure that +trips are not scheduled on dates that interfere with +important tests, religious holidays, or class work. + +PLANNING PROCESS +For thorough planning and to maximize affordability and +fundraising efforts, it is recommended that overnight trips are +planned at least six months in advance. + +ROLE OF THE PROGRAM LEADER (LEAD CHAPERONE) +Program Leader Description: The program leader is a BPS +employee and the lead chaperone organizing and leading the +trip. All program leaders (lead chaperones and the BPS employee +organizing and leading the trip) and chaperones must be +approved by the principal/head of school or district department +sponsoring the trip. The program leader is responsible for + + +Page 4: +Superintendent’s Circular CAO-24 +Page 4 of 80 + + +ensuring all guidelines in CAO-22 and CAO-24 are followed and +keeping the principal/head of school and the district informed of +trip developments. The program leader is responsible for +completing the Overnight Field Trip Request form and +accompanying documents that are submitted to the +principal/head of school for approval. The program leader is also +responsible for organizing the chaperone team, student team, +and pre-departure meetings. + School Nurse and Guidance Counselor Consultation: Before +approval of a field trip, the program leader must consult +with the school leader to determine if, and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place +before the field trip is secured. For additional questions, +please consult the Health Services Department. Additionally, +to thoroughly support a student's participation in a field trip, +consult with and, when necessary, receive training from the +school nurse regarding any students who have medical +needs at least six weeks before departure (much longer for +international and overnight field trip programs). Also consult +with the school counselor regarding mental and behavioral +health needs. If any student has a serious medical or mental +health condition, be sure that their doctor is aware of the +essential participation criteria and location of the trip and +writes a letter indicating that the child may safely attend +and participate in trip activities. Keep this document on file +with other key permissions slips and medical forms. + Overnight Field Trip Form: Complete and submit an +Overnight Field Trip Request form and accompanying +documents to obtain official consent from the + + +Page 5: +Superintendent’s Circular CAO-24 +Page 5 of 80 + + +principal/head of school to execute the trip. Once the +principal/head of school has approved the trip, you must +send a copy of the request, itinerary, and supporting +documents to the Department of Global Education. + Mindset: Planning, organization, and preparation are critical +to a successful experience for all participants. As part of trip +planning and itinerary development, ensure the major +aspects of health, safety, student inclusion, and security +have been addressed with due diligence. Program leaders +must be able to articulate in an informed manner what +decisions were made, why they were made, and the sources +that informed that decision making. If you have questions +about the appropriateness of an activity, please consult with +your principal/head of school and the Department of Global +Education. + School File: Create a school file to house all important +documents: Overnight Field Trip Request form and +attachments, student roster, student permission slips, and +medical forms, and other signed documents including +incident reports, incident log, and the fire safety plan. These +documents must be kept on file for the current fiscal year +plus three additional years after the trip has occurred. + Communication: Share the trip details listed below with all +teachers, nurses, and other staff members so that they may +plan accordingly. +o Trip overview (purpose) +o Destination +o Date of trip +o Students’ names + + +Page 6: +Superintendent’s Circular CAO-24 +Page 6 of 80 + + +o Chaperones’ names and roles in school community + Documentation: Prepare and distribute the Parental +Authorization for Overnight Field Trip form, Medical +Information form, Student Traveler Behavior Contract, +Student Support for Overnight Programs, and the +Medication Administration form to each participating +student and chaperone. For preparedness and safety, you +also must have these medical forms from chaperones. If +applicable, prepare and distribute the Notarized +Parent/Guardian Airline Travel Consent form. (Some airlines +and travel companies require this; some do not. Research +your particular trip to see if this applies.) + Meetings: Conduct AT LEAST TWO pre-departure student +meetings. Discuss the trip’s educational purpose and goals, +conduct expectations, itinerary, healthy travel, and all other +logistics of the program. (For lengthy overnight programs, +see CAO-25 for additional student meeting topics.) Conduct +AT LEAST ONE parent/guardian meeting (with each family +or all families together) to review the purpose of the trip, +itinerary, review/sign permission forms, review logistics of +travel, and share medical and safety information. +Please note: Plan for families who may need translation +services at the meeting; students should not serve as their +parent/guardian’s translator at this meeting. If a +parent/guardian is unable to attend the meeting, a +chaperone (a BPS employee) must be sure to speak to the +parent/guardian via telephone or in-person about the trip +prior to taking the student on an overnight trip. Document +this personal contact for your records. + + +Page 7: +Superintendent’s Circular CAO-24 +Page 7 of 80 + + +SAFETY PREPAREDNESS + Travel Advisories/Warnings: The head of school and +superintendent reserve the right to cancel any field trip up +to and including the day of departure to manage risk. + Insurance: Through On Call International insurance, the +district provides medical coverage for international and +domestic BPS-sponsored trips (domestic being 100 driven +miles away from home or place of study or employment) for +BPS students, BPS staff participants, and chaperones. On +Call will serve as the primary source for medical insurance. +However, in some cases, if a hospital visit is required, +students may be required to pay out of pocket, and be +reimbursed by On Call later. Families will want to budget for +this just-in-case expense. The On Call insurance policy does +NOT include cancellation or trip interruption insurance +should the trip be canceled or interrupted for any reason +other than medical. Cancellation/interruption must be due +to the traveler getting sick, injured, or someone in the +traveler’s immediate family being sick, injured, or death. +Students/families would need to show proof of a +sickness/injury; and the sickness/injury must be so disabling +as to cause them to cancel/interrupt their trip. If there is a +sickness/death for their family member, they would need to +show proof of that, too. Save all receipts for flights/lodging +for reimbursement purposes and a claim form would need +to be filled out. Families will need to know in advance that +Trip Cancellation has a $2,000 limit, and Trip Interruption +has a $2,500 limit. Again, the superintendent reserves the +right to cancel a trip for any reason and at any time for +safety purposes; Cancel for Any Reason Insurance (CFAR) is + + +Page 8: +Superintendent’s Circular CAO-24 +Page 8 of 80 + + +NOT provided by the district. Therefore, all trip participants +must purchase their own (CFAR) insurance to protect their +trip investment. + Training: It is recommended that at least two chaperones +(including the program leader) hold valid CPR AND first aid +certification. First Aid: Ensure the availability of a first aid kit. +Verify emergency and medical information and contact +details. + Chaperone Ratios: For overnight trips, the student-to- +chaperone ratio is 7:1, with a two-chaperone minimum. It is +recommended that a chaperone reserve, or backup, be +identified in the event a chaperone is no longer able to +participate at the last minute or must leave the field. Tour +guides, or employees of third-party vendors contracted to +help operate the trip, are not considered chaperones, and +do not factor into the student to chaperone ratio. + Transportation: School buses or BPS-approved +transportation vendors’ vehicles MUST be used to transport +students to and from field trips or athletic events, regardless +of how the trip is paid for. Privately owned vehicles, vehicles +from non-approved vendors, ride-sharing transportation +services such as Uber and Lyft, or leased vans are not to be +utilized to transport students to and from field trips or +athletic events, except in the case of a bona fide emergency. +Refer to TRN-03 and CAO-22 for information and regulations +on field trip transportation. + Water Activities: If your trip involves any activities in or on +the water, you must contact the Department of Global +Education for approval at least 16 weeks in advance. There is + + +Page 9: +Superintendent’s Circular CAO-24 +Page 9 of 80 + + +a separate and mandatory procedure for all trips involving +water. Please review CAO-27 and contact the Department of +Global Education immediately. + Healthy Travelers: Be sure students have had a recent +(current school year) doctor’s visit and physical exam prior to +departure. Students and staff should be current on all +immunizations and vaccinations, including those related to +the location they will be traveling to. Travelers should +consult with their primary care doctor and can also visit the +Center for Disease Control’s website for information on +staying healthy while traveling at +http://wwwnc.cdc.gov/travel/. If any student has a serious +medical condition, please be sure that their doctor writes a +letter indicating that the child may safely attend and +participate in trip activities. + +CHAPERONE CRITERIA + Chaperone Recruitment: Program leaders must consult +with the principal/head of school on potential chaperones +and student recruitment. The program leader (lead +chaperone) must be a BPS employee. Other authorized +chaperones may include parents and guardians who are +required to be 21 years of age or older. Any parent on the trip +must operate in the role of chaperone. All chaperones must +be approved by the head of school/principal. Every effort +should be made for students to have access to the field trip +experience, for chaperones to be representative of the +student group, and for chaperones to include males and +females. The selection and approval of chaperones by the + + +Page 10: +Superintendent’s Circular CAO-24 +Page 10 of 80 + + +principal/head of school should be based on the individuals’ +thorough knowledge of and rapport with most of the +student participants. Choose a chaperone team purposefully +and wisely, considering strengths. Every adult on the trip +must be a chaperone and have a clear role. + Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who are required to be 21 +years of age or older. All non-BPS employee chaperones +must submit a yearly CORI/SORI authorization form to the +Office of Human Capital. Complete the eCORI form online. +Contact the BPS Office of Human Capital (OHC) for CORI +check and confirmation support. The principal/head of +school and the lead chaperone are responsible for +submitting authorization forms to OHC and must not allow +chaperones to take part in activities until they have been +CORI/SORI cleared. Non-BPS employees who chaperone on +a field trip are not covered for liability by the Boston Public +Schools. The program leader must be sure that all +chaperones, including non-BPS chaperones, are familiar +with the BPS Code of Conduct and other district and school- +based rules. + BPS Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS parent + + +Page 11: +Superintendent’s Circular CAO-24 +Page 11 of 80 + + +chaperone is responsible for incurring all costs associated +with their child’s participation. +● All chaperones must complete the Chaperone +Agreement form. +● Non-BPS employees who chaperone on a field trip are +not covered for liability by the Boston Public Schools. +● Refer to CAO-22 for additional chaperone criteria. + +STUDENT ACCESSIBILITY AND PARTICIPATION + Essential Criteria: The program leader and principal/head of +school shall work together to establish essential +participation criteria for the trip that informs students and +parents of all activities and risks associated with each +itinerary activity and trip location, to determine what +accommodations or modifications may need to be made for +the student to successfully and safely participate in all or +portions of the trip. + Recruitment: Students not enrolled in the Boston Public +Schools may not participate. Once on the field trip, student +participants are not permitted to leave the group to visit +friends, relatives etc., and rejoin the group. Students must +remain with the group at all times. Field trips must be +advertised to all students (within the whole school, +particular grade, class/subject, club, or program associated +with the trip), regardless of their financial situation. Schools +shall make every reasonable effort to make instructional +field trips affordable for all students. A student’s ability to +pay may not be a criterion for field trip participation. Trips +must be advertised to all students (within the school, + + +Page 12: +Superintendent’s Circular CAO-24 +Page 12 of 80 + + +particular grade, class, or program associated with the trip), +regardless of their financial situation. + Accommodations: Students with English Learner status, 504 +plans, and/or IEPs cannot be denied access to field trips due +to their status, or ability. It is the responsibility of the school +to ensure that all accommodations normally provided to a +student as indicated in their educational plans are made +available during a field trip, including medication. See +Superintendent’s Circular SHS-8 for information about +medical dispensation on field trips. Participating students’ +IEP or 504 plan shall be available to any staff coordinating +and/or participating in the field trip. If any student has a +serious medical, or mental health condition, please be sure +that their doctor is aware of the essential participation +criteria and location of the trip and writes a letter indicating +that the child may safely attend and participate in trip +activities. Keep this document on file with other key +permissions slips and medical forms. + Inclusivity: Program leaders must consider their student +demographics when selecting field trip locations, sites, and +activities. Specifically determine the impact the locations, +sites, and activities may have on diverse populations such as +students of color, EL students, students who identify with +the LGBTQ community, students with disabilities, those who +may be in the minority during your field trip experience, and +those students who belong to groups that have experienced +marginalization in the location being visited. Program +leaders must (1) work to prepare students for sensitive +experiences, and (2) ensure that the program is safe and + + +Page 13: +Superintendent’s Circular CAO-24 +Page 13 of 80 + + +inclusive for all students. Consult the Department of Global +Education for resources if needed. + Inclusive Rooming: The program leader and principal/head +of school shall work with transgender and gender +nonconforming students to provide accommodations +(including rooming) that affirm the student’s gender +identity while also ensuring safety. Program leaders should +work with students and families to make sure all travel +documents (airline tickets, passport) reflect their legal +names as listed on government-issued identification, while +all unofficial documents and materials may reflect the +student’s preferred name. Please view additional rooming +guidelines from the Office of Equity here. BPS students and +parents are required to sign a BPS Student Traveler & Family +Agreement form regarding student conduct while +participating in a BPS sponsored field trip. Participation in +field trips may be denied to any student who has +demonstrated disregard for the policies and rules of BPS or +the school prior to the field trip. Parents/guardians and +students must be made aware of this policy in advance and +communicated with throughout any processes involving +their child not participating in a field trip. + Student Dismissal: Following an investigation, if the +program leader, in consultation with the principal/head of +school and Central Office staff, determines that a student’s +conduct while on an overnight trip, poses a risk to +themselves, or the safety of the group, or is no longer +manageable by BPS staff in the field, the district reserves +the right to request, and make arrangements for that + + +Page 14: +Superintendent’s Circular CAO-24 +Page 14 of 80 + + +student to return home. The district also reserves the right +to request that families assume responsibility for all or a +portion of the costs associated with their child’s return. +Students may be subject to further disciplinary action and +will be provided the opportunity to have a formal hearing at +the school level upon return. The school must document the +parent/guardian’s consent of this policy prior to the trip. +If a student is to be dismissed from an overnight field trip, +the student’s parent/guardian must be notified in advance +and should agree to meet the student at the airport or other +agreed-upon destination. If the parent/guardian is not +reachable, the student’s principal or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed-upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines.) Any costs assumed in this +regard will be the responsibility of the parent/guardian. + Attendance: Provisions must be made in advance for any +student not attending the trip and staying at school. If +applicable, provide alternative arrangements and/or +comparable activities for students not attending the trip or +unable to participate in a portion of your trip. If a student’s +family elects for their child not to attend a field trip for any +reason, the child may not be penalized through their grade +or otherwise. Attendance forms should indicate when a + + +Page 15: +Superintendent’s Circular CAO-24 +Page 15 of 80 + + +student is physically absent from the school building on a +field trip but participating in a school-sponsored program +being conducted off school grounds. (Note: It is important to +know and document where students are at all times. + +PRE-DEPARTURE CONFIRMATION CHECK + +Eight Weeks (or More) Prior to Your Trip: + Develop transportation plans: mode of transportation, travel +time, cost, etc. (If applicable, be sure to note how and with +whom the child will travel to and from a field trip’s +departure and pick-up locations.) + Review all students’ medical forms with the school nurse +and school counselor to ensure all documents are +completed, to support each student’s health during the trip. +(Please note: nurses and counselors do not “clear” students +for travel but will provide chaperones with guidance in +supporting students while traveling.) Consult with and, +when necessary, receive training from and obtain written +comments from the school nurse and counselor regarding +any students who have expressed medical needs (e.g., +medication, asthma, allergies, etc.). + If your trip is less than 100 driving miles in distance, please +ensure ALL students have valid medical insurance that +covers them while on this program. Record details of +insurance on the Medical Information Form. + + +Page 16: +Superintendent’s Circular CAO-24 +Page 16 of 80 + + +Five Weeks (or More) Prior to the Field Trip: + Contact the field trip site and ensure that the necessary +arrangements are still in place. + Collect the completed and signed Parental Authorization for +Overnight Trip, Medical Information, and Medication +Administration forms from each participating student and +chaperone and ensure that copies of all forms (and the +itinerary) are submitted to the principal/head of school. +* Contact the Department of Global Education for the +Informed Consent Template to be tailored for your trip and +then shared with families. + If necessary, collect the Notarized Parent/Guardian Airline +Travel Consent form. + Hold a chaperone team meeting to distribute trip +responsibilities and to review the student team. + Review students’ permission slips and medical forms; +prepare any questions for follow-up with families and the +school nurse. + The lead chaperone will record the names of the chaperones +and whom each chaperone is supervising; each chaperone +must carry this list. + Chaperones will organize a buddy system, pairing students +with one another for safety purposes. + + +Page 17: +Superintendent’s Circular CAO-24 +Page 17 of 80 + + + The lead chaperone will prepare trip binder for all +chaperones (see During the Trip section which lists all +binder contents). + Notify the appropriate principal leader and the Department +of Global Education of your overnight travel plans by +scanning and emailing the Overnight Field Trip Request +Form at least four weeks in advance. + +Two Weeks (or More) Prior to the Field Trip: + If applicable, inform the food service manager or attendant +of the names of the students going on the trip and the date +and time of the field trip. + Verify all arrangements, including transportation and +reception at the site. + Contact parents/guardians via telephone or in-person to +review the final details of travel and verify emergency, +medical and safety information, and contact details. Be sure +families have copies of their child’s permission and medical +forms as well as the trip itinerary and contact details. + Notify/consult with the principal/head of school (and +Department of Global Education) if trip plans have changed +from the original field trip request. + +COMMUNICATION PLAN + For Domestic Overnight Trips: The principal/head of school +(or designee) is the emergency contact for program leaders +and must be notified in the event of a serious medical + + +Page 18: +Superintendent’s Circular CAO-24 +Page 18 of 80 + + +emergency or other emergency event. The Department of +Global Education should be used as a resource for questions +regarding safety on trips, and for support with insurance +support and claims. Prior to departure, program leaders will +receive emergency contact information. + Phone Service Coverage: Program leaders must have cell +phone coverage for the duration of the trip for +communication with BPS and families in the event of an +emergency. This cell phone must be on at all times so you +may be contacted in case of an emergency. If this is not +possible due to your location, please arrange a +communication plan with the Department of Global +Education. Program leaders must carry the phone numbers +for the principal/head of school or sponsoring district +department and the Department of Global Education. You +are required to call anytime there is an emergency. + District Communication: Codify a clear communication plan +with your principal/head of school or sponsoring district +department prior to departure. You must check-in via phone +call, text, or email upon arrival, every 48 hours, whenever the +itinerary significantly changes, whenever you expect to lose +cell/email coverage, upon departure, and upon safe return. +You MUST check-in via phone when there is an incident. + + +Page 19: +Superintendent’s Circular CAO-24 +Page 19 of 80 + + +Definitions of communication types and expectations: +Green Communication: No immediate concern. +Program leader: notifies principal about arrival, departure, +changes in itinerary, loss of connectivity, highlights of +programs, photos. *Check in daily via text, phone call, email. +Yellow Communication: A Yellow Call is a reportable +situation or event, but no threat to life, limb, eyesight, or +potential for severe emotional trauma. The incident is +managed effectively in the field by program leader, but +could devolve into a serious or critical incident, and requires +attention from BPS on-call staff. +Program leader: (1) notifies principal; (2) documents Incident +SOAP Report; (3) monitors; (4) updates on-call BPS staff. +Red Communication: Critical, violent, time-sensitive +incident, illness, injury; or event that resulted in the loss of +OR potential loss of life, limb, eyesight. +Requires IMMEDIATE RESPONSE of program leader: +(1) notifies principal; (2) alerts local medical assistance and/or +law enforcement; (3) documents Incident SOAP Report; +(4) monitors; (5) updates on-call BPS staff. + Communication with Families: Call students the night +before travel to ensure transportation to the departure +location is set, remind students to bring travel documents, +and answer last-minute student and family questions. Set +expectations regarding communication during travel +between chaperones/student travelers, and the + + +Page 20: +Superintendent’s Circular CAO-24 +Page 20 of 80 + + +principal/families. Families must know who to call 24/7 in +case of an emergency. + +DURING THE FIELD TRIP PROGRAM + On the day of the trip, take attendance and leave the current +list of students attending the trip with the principal/head of +school. If applicable, record a specific bus number and +driver’s name and leave this information with the +principal/head of school and share with all chaperones and, if +age-appropriate, students. + Team Safety: If you believe conditions are unsafe, or +unhealthy at any point on the trip, it is the program leader’s +responsibility to make adjustments in the interest of +group/individual safety. Consult your principal/head of +school and the Department of Global Education during the +trip when you have questions regarding trip safety. + Conduct Safety Reviews with Students in the Field: The +following topics must be reviewed with students: + Program leaders conduct a fire and safety assessment +and fire drill (Fire Prevention and Safety Instructions) +when you arrive at EACH NEW accommodation. Share +with the chaperone team the “Assessment” and +prepare for orientation and fire drill. + Share evacuation plan and emergency plans: Discuss +where students go during an emergency or otherwise? +Discuss where students go if they are separated from +the group during an activity. + + +Page 21: +Superintendent’s Circular CAO-24 +Page 21 of 80 + + + Ensure students have a list of the key addresses +(hotel/chaperone information) and emergency +information as well as copies of all travel documents. +Share where you are staying (room number if +applicable) and how to reach you on the trip. + Conduct in-country orientation for conduct and +cultural expectations. Set expectations for phone usage +and social media. This is especially critical during an +emergency. + Conduct safety orientations for service learning +projects where teams work to construct, alter, and/or +repair structures, including painting and decorating, +and for agricultural projects, chaperones with the +support of program providers, must conduct a safety +orientation at the beginning of each activity. + +Student Debriefs/Reflections: + Conduct morning briefings to review the day’s itinerary +and key information. Ask and answer questions. + Conduct afternoon and/or evening debriefings to +review the next day’s itinerary, gather feedback, and +process the day’s learning, and make any necessary +adjustments. Engage students in conversations that +help them process their experiences. Help them break +down stereotypes so that when they return, they have +a deeper understanding of the culture and country +they visited. Draw connections to how they will take + + +Page 22: +Superintendent’s Circular CAO-24 +Page 22 of 80 + + +the experience home with them and how the lessons +they have learned will translate back home. + +Check-Ins & Student Supervision: + Conduct frequent check-ins with the chaperone team +to assess programming, student dynamics, and to +make any adjustments. + Conduct frequent check-Ins with students about their +behavioral and physical health as well as their ability to +process their trip experiences. + Conduct nightly bed checks to be sure students are in +their rooms at the designated time. If staying in a +hotel/hostel be sure to request in advance for students +to be placed near chaperones. + Establish a curfew with clear guidelines, and ensure +doors are open if students congregate in the evening. +Adults should stay close by and conduct frequent +expected and unexpected room checks. Be mindful of +romantic relationships amongst students. + Conduct regular and frequent headcounts and buddy +checks throughout the day. Do not leave students +alone. Students should be accompanied by chaperones +unless part of a scheduled activity and age appropriate +as approved by their parent/guardian in advance. +However, if unaccompanied as part of a scheduled and +structured activity, students should be in at least + + +Page 23: +Superintendent’s Circular CAO-24 +Page 23 of 80 + + +groups of three AND always know how to reach an +adult chaperone. + +DOCUMENTS TO TAKE +All chaperones must carry a trip binder at all times (or have them +very close at hand) that includes the following documents. The +program leader carries the original forms; all other chaperones +carry copies. +● Permissions slips (updated based on contact +verification done with families) +● Medical Information Form and Medical Administration +Form +● Student & Family Conduct Agreement Form +● Parental waivers (if applicable) +● Notarized Airline Consent Form (if applicable) +● Copies of passports, visas, resident cards, and other +travel-related documents +● Emergency Action Plan (EAP) +● Insurance information +● BPS Field Guide protocols with emergency phone +numbers +● Fire prevention and safety information +● Incident Report (blank and/or completed) +● Witness Report Form (blank and/or completed) +● Incident Investigation Log (blank and/or completed) + + +Page 24: +Superintendent’s Circular CAO-24 +Page 24 of 80 + + +● SOAP Note (blank and/or completed) +● List of addresses and emergency contacts in-country +for all travelers +● Water Activities Forms if applicable +● Program leaders carry originals of permission slips and +medical forms; other chaperones carry copies. + +DOCUMENTS TO LEAVE FOR YOUR PRINCIPAL/HEAD OF +SCHOOL +● CAO-24 circular with checklists +● Permissions slips (updated based on contact +verification done with families) +● Student & Family Conduct Agreement Form +● Parental waivers (if applicable) +● Medical Information Form and Medical Administration +Form +● Notarized Airline Consent Form (if applicable) +● Copies of passports, visas, resident cards, and other +travel-related documents +● Emergency Action Plan (EAP) +● Insurance information +● Fire prevention and safety information +● International Program Incident Report (blank for +reference) +● Water Activities Forms (if applicable) + + +Page 25: +Superintendent’s Circular CAO-24 +Page 25 of 80 + + +AFTER THE FIELD TRIP (MANDATORY) +Ensure all students safely return to their parents/families +when you arrive back from the destination by following +expectations set prior to the trip for student pick-up from +arrival location. + Medical Follow-Up: Depending on travel location and +prescribed travel medication, call all students and families +after the trip to remind students to continue to take all +prescribed travel medication. Additionally, remind students +(inform parents/guardians) to see a doctor immediately if +they are not feeling well after the trip and to inform the +doctor of their recent travels. + Incident Reports: If applicable, file and follow up with an +Incident Report. + +AFTER THE FIELD TRIP (SUGGESTED) + Write thank-you notes. + Present to school, family, and the community about the +experience. + Conduct related creative and/or analytical projects to +showcase student learning. + Write a news article about the trip for a local newspaper or +website. + Email stories, journals, and pictures of your trip to the +Department of Global Education. + + +Page 26: +Superintendent’s Circular CAO-24 +Page 26 of 80 + + +For more information about this circular, contact: +Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent +ATTACHMENTS: +1. Overnight Field Trip Request Form +2. Emergency Action Plan +3. Parental Authorization for Overnight Field Trip +4. Medical Information Form +5. Medication Administration Form +6. Notarized Parent/Guardian Airline Consent Form +7. Overnight Programs Incident Report +8. Overnight Programs Witness Report +9. Overnight Programs Incident Log +10. Fire Prevention and Safety Instructions +11. BPS Student Traveler & Family Agreement Form +12. BPS Chaperone Agreement Form + + +Page 27: +Superintendent’s Circular CAO-24 +Page 27 of 80 + + +OVERNIGHT FIELD TRIP CHECKLIST +Please sign this checklist, retain a copy for your file, and submit +the original to the school office for filing. +Your signature indicates that you read and understand the +policies in this circular; that they have been/will be followed; and +all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + + +School Name: + + +Program Leader: +Date + + + +Signature of Principal/Head of School or +Date +Sponsoring District Department + + +Page 28: +Superintendent’s Circular CAO-24 +Page 28 of 80 + + +CAO- 24 ACKNOWLEDGEMENT FORM +Please sign this checklist, retain a copy for your file, submit the +original to the school office for filing and attach it to your +completed request package. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + + +School Name: + + + + + +Signature of program leader +Date + + + +Signature of Principal/Head of School +Date +or Sponsoring District Department + + +Page 29: +Superintendent’s Circular CAO-24 +Page 29 of 80 + + +OVERNIGHT FIELD TRIP REQUEST FORM +This form is submitted to the principal/head of school and is kept +on file in the school office. In addition, notify the appropriate +Network Superintendent and the Department of Global +Education of your plans (four weeks in advance) by faxing or +emailing as a PDF the following documents: 1) Overnight field +Trip Request Form signed by the principal/head of school , 2) +Day- by-Day trip itinerary, 3) Student roster; D.O.B, grade, +emergency contact name, and number and 4) if applicable, your +flight or train itinerary. Please call or email to ensure these +documents have been received by all parties. + +SCHOOL INFORMATION: +School: + + +Date Submitted: + + + +TRIP OVERVIEW: +Number of Students: +Number of Chaperones: + + + +(Supervision: maximum ratio 10:1 with a two-chaperone +minimum. For students with disabilities, the ratio of staff to +students must be at least the same as the ratio mandated in +their IEPs for their classes.) + + +Page 30: +Superintendent’s Circular CAO-24 +Page 30 of 80 + + +Field Trip Category: + +Destination: + +Dates of Trip: + + +Overview of Trip (Educational Purpose): + + + + + +ACCOMMODATION/LODGING INFORMATION + + +Accommodation Name: + +Address: + +Phone Number: + + + +Page 31: +Superintendent’s Circular CAO-24 +Page 31 of 80 + + +PROGRAM PROVIDER INFORMATION +(If working with a company, organization, or partner) + +Program Provider: + +Program Provider Contact Person: + +Program Provider Telephone Number: + +Program Email: + + +ITINERARY +Please attach the detailed day-by-day itinerary: + + +Page 32: +Superintendent’s Circular CAO-24 +Page 32 of 80 + + +PROGRAM LEADER: + +Program Leader/Lead Chaperone: + + +Role in School: + +Program Leader Phone # (prior to the trip): + +Program Leader Phone # (during the trip): + +Program Leader Email: + +Other Chaperones/Roles in School/ Phone Numbers on Field Trip: +Attach a separate sheet if necessary. + +Name +Role +Phone # +Email + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Page 33: +Superintendent’s Circular CAO-24 +Page 33 of 80 + +Staff are not permitted to drive students. Privately owned +vehicles, vehicles from non-approved vendors, or leased +vehicles are not to be used to transport students to and from +field trips except in the case of a bona fide emergency. Staff +who use their own vehicles risk being legally liable. Please refer +to TRN-03 for regulations regarding field trip transportation. + +STUDENT PARTICIPANTS: +Please attach a student roster that includes: Legal and last +name, D.O.B, grade, emergency contact name, and phone #. + +TRANSPORTATION INFORMATION: + + +Method of Transportation: + + +Transportation Company: + +(For bus transportation, only BPS-approved vendors may be +used regardless of how the trip is paid for. See TRN-3 for list.) +Contact Information (phone and address): + + + + +Departure Location and Time: + +Return Location and Time: + +*If applicable, attach detailed train or flight information. + + +Page 34: +Superintendent’s Circular CAO-24 +Page 34 of 80 + + +FUNDING SOURCES: +Total Cost: $ + + +Funding Source: + +Grant Number: + +BEDF Account Code/Description: + + + + +Approved by: + +Principal/Head of School +or Sponsoring District Department +Date: + +Your signature indicates that all policies outlined in CAO-22 AND +CAO-24 regarding overnight field trips will be followed. + + +Page 35: +Superintendent’s Circular CAO-24 +Page 35 of 80 + + +EMERGENCY ACTION PLAN (EAP) +PROCEDURES FOR CALLING 911 ON A FIELD TRIP +Do not leave the injured person alone or without an adult +present. + +1. REMAIN CALM. This helps the operator receive your +information. +2. DIAL 911. Remember you may need to access an outside line +first. +3. My name is +. I am a (your role) in the Boston +Public Schools. +4. I need paramedics now. +5. My exact address is +. +6. There is a person with a (state type/location of injury) injury. +7. The person’s name is +and they are + +years old. +8. The person is located at +which is on the +(North/South/East/West) side of the facility. +9. I am calling from (telephone number). +10.(Name) will meet the ambulance. +11. Don’t hang up. Ask for the information to be repeated back +to you and answer any questions the dispatcher may have. +Hang up the phone when all information is correct and +verified. + + +Page 36: +Superintendent’s Circular CAO-24 +Page 36 of 80 + + +12. Wait with the person until EMS arrives. +13. Paramedics will take over care of the person when they +arrive. A chaperone must accompany any injured student in +the ambulance and remain with the student until the +parent/guardian arrives. +14. Call your head of school or appointee. The Department of +Global Education can assist in contacting the necessary +district personnel and insurance providers. File an Overnight +Program Incident Report and Overnight Incident Log. +Principal/Head of School: + + +Phone Numbers: + +Principal Leader: + +Department of Safety Services: (617) 635-8000 +Department of Global Education: + + +Additional Phone Numbers: + + + +Page 37: +Superintendent’s Circular CAO-24 +Page 37 of 80 + + +PARENTAL AUTHORIZATION FOR DOMESTIC +OVERNIGHT FIELD TRIP +ASSUMPTION OF RISK, WAIVER, RELEASE, AND INDEMNITY +HOLD HARMLESS AGREEMENT +Program Leaders: +Access the required Assumption of Risk, Waiver, Release, and +Indemnity Hold Harmless Agreement template here. Please +make a copy of this template document before you edit the text +in RED, and then share it with the Director of Global Education. +This document is to be reviewed by the Director of Global +Education & BPS Legal BEFORE sharing with parents/guardians +for signature** +This document is a requirement, and a binding legal document. +Should you have any questions, please contact the Department +of Global Education. + + +Page 38: +Superintendent’s Circular CAO-24 +Page 38 of 80 + + +MEDICAL FORM OVERNIGHT TRIPS +GENERAL INFORMATION +IMPORTANT NOTES: +• Students may be in new and unfamiliar situations when +traveling. It is critical that this form is completed thoroughly +and accurately so we may be in the best position possible to +support you/your child. +• Please indicate with an X +HERE if you would like to +schedule a meeting with the program leader of the trip to +discuss your child’s medical or mental health. +• To participate in a domestic overnight trip, a copy of the +student’s current school year physical examination record +must be on file at the school in order to participate on an +overnight field trip. If traveling internationally, all students +must visit their primary care doctor prior to traveling and be +current on all immunizations and vaccinations for the U.S. in +addition to the recommended immunizations and +vaccinations for the locations/country(s) to be visited. +• To be completed by the parent/guardian of the BPS student. + + +Page 39: +Superintendent’s Circular CAO-24 +Page 39 of 80 + + +STUDENT INFORMATION + +Student’s Full Name: + + +Date of Birth: + + +Country of Origin: +Parent/Guardian Name: + + +Cell: +Home: +Work: +Email: +Home Address: +Parent/Guardian Name: + + +Cell: +Home: +Work: +Email: +Home Address: + + +Page 40: +Superintendent’s Circular CAO-24 +Page 40 of 80 + + +Emergency Contact # 1 + + +Name: + + +Relationship to student: + + +Address: + + +Cell #: +Work #: +Email: +Emergency Contact # 2 + + +Name: + + +Relationship to student: + + +Address: + + +Cell #: +Work #: +Email: + + +Page 41: +Superintendent’s Circular CAO-24 +Page 41 of 80 + + +MEDICAL FORM OVERNIGHT TRIPS +STUDENT HEALTH QUESTIONS +IMPORTANT NOTES to be completed by the parent/guardian of +the BPS student at least two months in advance of trip: +1. Primary care physician’s name and contact information (in +case of an emergency): + + +2. Health insurance provider’s name, policy #, and contact +information (in case of emergency): + + +3. Insurance provider claim instructions/procedures (in case of +emergency): + + +4. The student has the following health conditions and/or +allergies of which BPS should be +aware: + + +5. Physical health conditions: + + +6. Behavioral/mental health conditions: (e.g., depression, +anxiety, etc.) + + +7. Allergies (food, medication, insects, plants, animals, etc.): + + +Page 42: +Superintendent’s Circular CAO-24 +Page 42 of 80 + + +8. The student takes the following medications (including +over-the-counter and herbal) and/or prescriptions of which +BPS should be aware. (Be sure to complete the Medical +Administration Form): + + +9. If medication is taken on an as-needed basis, specify the +symptoms or conditions when medication is to be taken +and the time at which it may be given again. + + +10. Is there any factor that makes it advisable for your child to +follow a limited program of physical activity? (i.e., asthma, +recent surgery, heart condition, fear, etc.) If yes, specify the +ways in which you wish their program limited. If the student +has asthma, please attach the asthma action plan to this +medical form. + + +11. Are there any activities on the itinerary that your child +cannot or should not do? + + +12. Other than a yearly physical, is the student currently under a +physician’s or other medical professional’s care (e.g., social +worker, therapist, etc.)? If yes, please detail the reason. + + +Page 43: +Superintendent’s Circular CAO-24 +Page 43 of 80 + + +13. Other than a yearly physical, has the student been under a +physician’s or other medical professional’s (e.g., social +worker, therapist, etc.) care anytime in the last year. If yes, +please detail the reason and dates of treatment. + + +14. Please list any hospital, treatment center, surgical, +psychiatric, or urgent care visits within the last year: (Please +specify the date, the reason, the physician or professional +seen, and the length of stay.) + + +15. Additional information of which BPS should be aware +concerning student’s health: + + +Page 44: +Superintendent’s Circular CAO-24 +Page 44 of 80 + + +I authorize the release of the information given above to +chaperones and other school staff in order to coordinate +services and understand that chaperones will consult with +the school nurse about each student's health so they will be +in the strongest position to support you/your child on this +program. + + + +Student Signature, if at least 18 years of age +Date + + + + +Parent/Guardian Signature, if the student +Date +is under 18 years of age + + +▪ If necessary, attach the doctor’s letter to this form. +▪ If necessary, attach the asthma action plan to this form. +▪ If necessary, attach the diabetes action plan to this form. +▪ If necessary, attach copies that document student shots +and immunizations to this form. + + +Page 45: +Superintendent’s Circular CAO-24 +Page 45 of 80 + + +MEDICAL FORM: OVERNIGHT TRIPS +MEDICATION ADMINISTRATION + +*Please send only essential medications with your student +on this trip. + + +Student Name: + +1. Name of Medication: + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + +2. Name of Medication: + + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + + + +Page 46: +Superintendent’s Circular CAO-24 +Page 46 of 80 + + +3. Name of Medication: + +Time(s) to be taken: + +Reason for Medication: + +Side effects to be aware of/other information: + + + +4. Name of Medication: + + +Time(s) to be taken: + + +Reason for Medication: + +Side effects to be aware of/other information: + + + + + +Additional information/special instructions: + + +Page 47: +Superintendent’s Circular CAO-24 +Page 47 of 80 + + +I authorize my child to take the above medications on this trip. + + + + + +Student Signature, if at least 18 years of age +Date + + + + +Parent/Guardian Signature, if student is +Date +under 18 years of age + + +Page 48: +Superintendent’s Circular CAO-24 +Page 48 of 80 + + +TRAVEL CONSENT FORM (PAGE 1) + +The parties to this agreement are: +Parent/ Legal Guardian: (hereinafter referred to as “the +parent/guardian”) + +First and Last Name: + +Physical Address: + +Contact Details: + +Child: (hereinafter referred to as “the child”) + + +First and Last Name: + +Birthdate: + +Traveling Guardian(s) and Contact Details: (hereinafter referred +to as “The Traveling Guardians”) + + +Full Name: +Address: +Contact Details: + + +Page 49: +Superintendent’s Circular CAO-24 +Page 49 of 80 + + +Notarized Parent/Guardian Airline Travel Consent Form (page 2) + +1. I hereby authorize the child to travel with the traveling +guardians to the following destination: +2. The period of travel shall be from + to + +. +3. Should it prove to be impossible to notify the parent/ +guardian of any change in travel plans due to an emergency +or unforeseen circumstances arising, I authorize the +traveling guardian to authorize such travel plans. +4. Should the traveling guardian in their sole discretion (which +discretion shall not be unreasonably exercised) deem it +advisable to make special travel arrangements for the child +to be returned home due to unforeseen circumstances +arising, I accept full responsibility for the additional costs +which shall be incurred thereby. +5. I indemnify the traveling guardian against any and all claims +whatsoever and howsoever arising, save where such claims +arise from negligence, gross negligence, or willful intent +during the specified period of this travel consent. +6. I declare that I am the legal custodian of the child and that I +have the legal authority to grant travel consent to the +traveling guardian of the child. +7. Unless inconsistent with the context, words signifying the +singular shall include the plural and vice versa. + + +Page 50: +Superintendent’s Circular CAO-24 +Page 50 of 80 + + +Notarized Parent/Guardian Airline Travel Consent Form (page 3) + + +Signed at +on the +day of + +, 20 +. + +Signature +(Parent/ Guardian) +Signature + +(Witness 1) +Signature +(Witness 2) +*Witness signatures must be by independent persons and not by +anyone listed on the Travel Consent form. + +On this +day of +, 20 +, before me, +the undersigned authority, personally appeared and proved to +me through satisfactory evidence of identity, to wit, to be the +person(s) whose name(s) is/are signed on the attached +document and who signed in my presence. + + +Official Notary Signature: + + + +Name of Notary Typed, Printed or Stamped: + + +Commission Expires: + + + +Page 51: +Superintendent’s Circular CAO-24 +Page 51 of 80 + + +STUDENT SUPPORT DURING DOMESTIC OVERNIGHT +PROGRAMS FORM (RECOMMENDED) + + +Note: This form is to be completed by students who intend to +participate in an overnight program. The information is +confidential and will be used by program leaders to better +understand and support the needs of students while on program +in a foreign country. +Student First & Last Name: + + + +When preparing for your international program, please think +about the following questions, and respond as honestly as +possible in order to be supported: +1. What are you nervous about? + + + + +2. What are you excited about? + + + + +3. What scares you about the trip location or activities +(itinerary)? + + +Page 52: +Superintendent’s Circular CAO-24 +Page 52 of 80 + + +4. When in a new environment, I get anxious when… + + + + +5. When in a new environment, I get upset when… + + + + +6. In order to get the most learning and benefits from +this experience, I will need… + + +Page 53: +Superintendent’s Circular CAO-24 +Page 53 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS INCIDENT REPORT +Incident reports should be used for all yellow and red incidents +that are not fully described or investigated already through the +SOAP Note. + +A. Complete all Fields: +School/s: + +Date of Report: + +Country: + +Incident Date and Time: + +Reporting Chaperone: + +B. Complete all Applicable Fields: + +Victim(s) Name(s) +Contact Information + +Suspect(s) Name(s) +Contact Information + +Witness(s) Name(s) +Contact Information + +Location of Event +Address + + + +Page 54: +Superintendent’s Circular CAO-24 +Page 54 of 80 + + +Domestic Overnight Programs Incident Report (page 2) + +C. Nature of Incident (check all that apply) + + Injury + Equipment Fail + Behavioral/ +Psychological + Illness + Missing/Separa- +ted Person + Natural Disaster + Physical Assault + Sexual +Assault + Theft + Property +Damage + Sexual +Harassment + Fatality + Crime + Political +Upheaval + Disease +Outbreak + BPS Code +of Conduct +violation + Other: + + +D. Narrative (Using facts, describe what happened): + + +Page 55: +Superintendent’s Circular CAO-24 +Page 55 of 80 + + +Domestic Overnight Programs Incident Report (page 3) + +E. Activity at Time of Incident (check all that apply) + + Class time + Service + Homestay + Traveling + Fieldtrip + Camping + Hike/Jog/Walk + Swimming + Water Activity + Other: + + +F. Contributing Factors (Check all that apply) + + Not disclosed in +medical form + Sports/Recreation + Animal/Insect/Plant + Pre-Existing +Condition + Alcohol/Drugs/ +Medication + Motor Vehicle + Weather/Terrain + Pre-Course Info + Orientation/ +Training + Political/ +Cultural/ +Language + Other + + + +Page 56: +Superintendent’s Circular CAO-24 +Page 56 of 80 + + +Domestic Overnight Programs Incident Report (page 3) + +G. Action Taken +Details +First Aid +When +By Whom + +Type (i.e., medication, CPR, +etc.) + +Emergency Evacuation + +Visit Medical Facility +Name of Facility +Doctor/PA/Nurse +Reported Diagnosis +Medication Prescribed + +Emergency Contact Person +Notified? +☐ Yes +☐No +Name: +Date and Time Contacted: +Notes: + + +Page 57: +Superintendent’s Circular CAO-24 +Page 57 of 80 + + +G. Action Taken +Details +Department of Global +Education (DGE) Contacted? +☐ Yes +☐No +Name: +Date and Time DGE Contacted: +Notes: +Insurance Contacted? +☐ Yes +☐No +Name: +Date and Time Contacted: +Claim #: +Notes: +Local Authorities Notified? +☐ Yes +☐No +Date and Time Notified: +Organization: +Authority Name(s): +Notes: + + +Page 58: +Superintendent’s Circular CAO-24 +Page 58 of 80 + + +G. Action Taken +Details +Follow-up Plan +Details: + + + +Signature of Reporting Chaperone: +Date: +File this Overnight Incident Programs Report along with +any accompanying reports/documents from local law +enforcement, medical professionals, and/or International +Programs Witness Report via email if possible OR as soon +as circumstances permit. Turn in the original report to the +DGE as soon as you return to Boston. Incident reports +require at least one witness signature, and where possible +the signatures of all impacted participants. + + +Page 59: +Superintendent’s Circular CAO-24 +Page 59 of 80 + + +Domestic Overnight Programs Incident Report (page 6) + + +Witness Signature +Date +Signatures of those impacted: +1. +Date: + +2. +Date: + + +3. +Date: + +4. +Date: + + + +Page 60: +Superintendent’s Circular CAO-24 +Page 60 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS WITNESS REPORT +Witnesses shall use this form to provide a statement of their +observations to accompany the Incident Report Form. + +Witness Statement of [Name]: + +Phone Number: + +Address: + + + + +Description of Incident: + + + + + + + + + + + + + + + +I believe the contents of this statement are true. +Signature: + Date: + + + +Page 61: +Superintendent’s Circular CAO-24 +Page 61 of 80 + + +DOMESTIC OVERNIGHT PROGRAMS +INVESTIGATION LOG +This template can be used to take running notes during an +investigation. + +Event +Time +Location +Parties +Involved +Source of +Information + + + + + + + + + + + + + + + + + + + + + + +Page 62: +Superintendent’s Circular CAO-24 +Page 62 of 80 + + +Event +Time +Location +Parties +Involved +Source of +Information + + + + + + + + + + + + + + + + +Signature of Investigator +Date + + +Page 63: +Superintendent’s Circular CAO-24 +Page 63 of 80 + + +SOAP NOTE +SOAP Notes should be used for live documentation of all health +related incidents requiring further monitoring and/or +evacuation. SOAP Notes should be attached to the +corresponding Incident Report. + +Subjective: What the patient tells you; note the chief +complaint(s): + + + + + + +Objective: What you see; vital signs; general survey of patient: + + + + + + +Assessment: What you think is going on; diagnosis presented by +medical professional: + + + + +Anticipated Problems: + + +Page 64: +Superintendent’s Circular CAO-24 +Page 64 of 80 + + +Plan: What will be done about it; Tests ordered, medications +prescribed, follow up needed: + + + + + + + + + +Reporting Chaperone +Date +File this SOAP Note along with any accompanying +reports/documents from local law enforcement, medical +professionals and/or International Programs Witness Report via +email if possible OR as soon as circumstances permit. Turn in the +original report to the DGE as soon as you return to Boston. + + +Page 65: +Superintendent’s Circular CAO-24 +Page 65 of 80 + + +FIRE PREVENTION AND SAFETY PRACTICES +OVERNIGHT PROGRAMS +Fire safety plans on overnight and international programs +differ from the procedures set for our schools. The laws that +regulate fire prevention may differ from what exists in +Massachusetts. The steps below must be followed on all +overnight and international programs: +1. Conduct a fire prevention assessment. +The program leader must conduct a fire safety +prevention assessment using the Fire Prevention and +Safety Form (Attachment A) within 24 hours of arrival. +Using the Fire Prevention and Safety Form, the +program leader shall formulate a plan for the +evacuation of all persons on the trip in the event of a +fire or other emergency. This plan shall include +alternate means of egress and should be created in +consultation with an accommodation staff person, and +if applicable, the third-party provider. +2. Prepare Chaperone Team on fire prevention strategy. +Based on the results from the Fire Prevention and +Safety Form, the program leader should ensure that +each staff member receives and understands the fire +prevention landscape and has instructions on the fire +drill procedure created for the accommodation. +Questions to review include: +a. What are the best means of egress in case of a fire? +(Consider all rooms students and staff are staying in + + +Page 66: +Superintendent’s Circular CAO-24 +Page 66 of 80 + + +and all places where the group may congregate. Use +the hotel’s posted evacuation routes if applicable.) +b. Where is the designated meeting point? (This +meeting point should be a safe distance from the +building, but easy for the group to identify and +locate.) +c. Who is responsible for each student? (Attendance +must be taken; if chaperone ratios permit, the lead +chaperone should not be assigned to a group and +should serve as the contact person for emergency +personnel.) +d. What are some hazards that students and +chaperones should be aware of? +e. What happens in the case of a missing person? +3. Review prevention strategy with students and conduct a +fire drill. +The lead chaperone and the chaperone team will +review the fire prevention strategy and conduct a fire +drill (walkthrough) with the students within the first 24 +hours of the trip. Conducting a fire drill (walkthrough) +is important as participants are unfamiliar with the +building. +Instructions for fire drills: +Since each accommodation is different, each plan and +drill will vary. Regardless of the accommodation, it is +critical that a procedure is in place for evacuating the +building, each chaperone knows their responsibilities, +every student participates in the fire drill + + +Page 67: +Superintendent’s Circular CAO-24 +Page 67 of 80 + + +(walkthrough), and each person knows the meeting +location when evacuated from the building. Please +note: A fire drill as defined here is a walkthrough of the +route the group will take to exit the premises in the +event of an emergency. +A few general instructions: +● Evacuate immediately. +● Do not use elevators during a fire evacuation. +● Each student should walk to the designated meeting +location outside of the building in a quiet and orderly +manner. +● Make sure all students know all possible exits from +their area and that students know where the meeting +location is outside of the building. +● Fire drill plans must ensure adequate procedures for +the emergency evacuation of students and staff with +disabilities. (Have a staging location for students/staff +with disabilities and make sure hotel/hostel personnel +are also aware.) +● Chaperones are responsible for students under their +supervision and must take attendance. + + +Page 68: +Superintendent’s Circular CAO-24 +Page 68 of 80 + + +● Upon the evacuation of a building, no person or +persons shall re-enter the building without the +authorization of the lead chaperone. The lead +chaperone, as a part of their fire drill procedures, must +establish a command procedure for such evacuations. +4. Conduct a post-fire drill debrief. +After the fire drill, the chaperone team should set aside +time to debrief. Record response on Attachment A. + + +Page 69: +Superintendent’s Circular CAO-24 +Page 69 of 80 + + +FIRE PREVENTION AND SAFETY ASSESSMENT FORM +For each accommodation, please complete and, upon your +return, file this form with other documents you are +mandated to keep. Legally, these documents must be kept +on file for the current fiscal year plus three additional years +after the field trip has occurred. + +BUILDING: +Program Leader: + + +Date of the Safety Prevention Assessment: + +Name/s and Titles of Staff Consulted for Assessment: + + + +(accommodation staff/ program provider staff) + + +OUTSIDE THE BUILDING: +List the possible hazards in the area: + + + + +Can the accommodation be accessed by a fire department +or emergency team?  YES + NO + + +Page 70: +Superintendent’s Circular CAO-24 +Page 70 of 80 + + +INSIDE THE BUILDING + +Equipment: +Does the building have fire alarms? +☐ YES +☐ NO +Are there fire sprinklers? +☐ YES +☐ NO +If yes, where are they located? + + + +Is there adequate lighting in the corridors? + +☐ YES + +☐ NO +Are there clear exit signs? +☐ YES +☐ NO +Are there fire alarm pull stations? +☐ YES +☐ NO +Are the fire alarm pull stations visible and +accessible? + +☐ YES + +☐ NO +Are there fire extinguishers? +☐ YES +☐ NO +If yes, where? + + + +Are there smoke detectors in the corridors and in + + +every room where participants are staying? +☐YES +☐NO + + +Hazards: +List the potential fire hazards at the site: + + + + +Are there notable fire hazards such as open fire doors, +accumulated trash, blocked corridors, locked exit doors, blocked + + +Page 71: +Superintendent’s Circular CAO-24 +Page 71 of 80 + + +stairways, burned-out exit lights, or missing/broken fire +equipment? +☐ YES +☐ NO +Means of Evacuation/Egress: + + +Does the facility have an evacuation plan for +each room? (If not, be sure that when you +conduct a fire drill (walkthrough) that you +develop a plan for leaving the room.) + + + +☐ YES + + + +☐ NO +What are the means of egress? + + + +Are there primary exits and alternate exits? + +☐ YES + +☐ NO +Note locations: + + + +FIRE DRILL/WALKTHROUGH PLAN: + + +(Please record notes below.) + + + + +Page 72: +Superintendent’s Circular CAO-24 +Page 72 of 80 + + +POST-DRILL DEBRIEF: +Date and time of the fire drill: + + + +Did the students and chaperones follow the procedures of the +fire drill? If no, why not? +☐YES +☐NO + + + + +Based on this debrief, either inform the students of your +findings for adjustments or, if necessary, conduct another +fire drill. Once the safety review and drill are completed, +please sign below. + +Signature of Program Leader: + + + +Page 73: +Superintendent’s Circular CAO-24 +Page 73 of 80 + + +BPS STUDENT TRAVELER & FAMILY AGREEMENT +FOR DOMESTIC OVERNIGHT TRAVEL +Overview: Positive behavior is a key expectation for students +participating in domestic and international travel opportunities. +Positive behavior reflects trustworthiness, respect, responsibility, +ambassadorship, and service. Participants are expected to fully +participate, follow all program guidelines, and behave +appropriately to ensure a high-quality learning experience. +Parent/guardians: please read this contract carefully with your +student and sign it. +Students: your signature on this contract seals your commitment +to follow behavior expectations leading up to, and during your +school trip. + +STUDENTS: +Before I go on the trip: +● I understand that my acceptance to a trip prior to departure +does not guarantee that I will be allowed to attend. +● I have access to my school's handbook which includes all +BPS and school rules and the BPS Code of Conduct. +● I know that it is my responsibility to follow all BPS rules and +guidelines set by the administrator or chaperone. +● I will attend all mandatory pre-departure meetings and +complete all mandatory paperwork. +● I will not violate the BPS Code of Conduct. + + +Page 74: +Superintendent’s Circular CAO-24 +Page 74 of 80 + + +● I will not distribute or consume alcohol or drugs (including +edibles) and/or encourage actions that are against the BPS +Code of Conduct or law. +● I will not pack any illegal or inappropriate items (i.e., items in +violation of the BPS Code of Conduct, including, but not +limited to: weapons, alcohol, edibles, drug paraphernalia). +● I will be compliant with any guidelines set by the school, +administrator, or chaperone regarding program +expectations and any required materials, such as completed +projects, journals, and service hours. +● I know that if I do not act appropriately, or if I violate any +rule, there are consequences for my actions. Such +consequences include, but are not limited to, not being +allowed to participate in the international trip program. +While I am on the trip: +● I will not violate the BPS Code of Conduct. +● I will ask for help from the adults when needed. +● I will treat my peers, all adults, and all people with the +utmost level of respect. +● I will not purchase, distribute, or consume any illegal or +inappropriate items (i.e., items in violation of BPS Code of +Conduct, including but not limited to: weapons, alcohol, +edibles, drug paraphernalia), even if these substances are +legal in the state or foreign country, or I am of legal age in +the foreign country. + + +Page 75: +Superintendent’s Circular CAO-24 +Page 75 of 80 + + +● I will use social media responsibly during the trip and will +not post or communicate any information regarding other +students during an emergency. +● I will abide by the established curfew and sleep alone in my +assigned bed and sleeping location each night. +● I will not vandalize any property at any venue I visit (hotel, +tour bus, tourist sites, homestay location). +● I will obey the BPS dress code, as well as the suggested +attire for the foreign country and specific sites and locations +within the foreign country I will visit. +● I will not share any medication with anyone on the trip. +● I will take medication prescribed for me by my doctor for +required or recommended medical use while abroad (e.g., +malaria pills, asthma inhaler, prescriptions for anxiety, +depression). +● I will not leave the group at any time unless specifically +authorized to do so. +● I will practice good common sense, respect, and +consideration for others and their property. +● I understand that I am responsible for keeping my passport, +important belongings, and other travel documents safe. +● I understand that partaking in any illegal activity abroad can +result in my arrest. +● I understand that if an issue of any kind arises, my +chaperone will address the issue, and their decision is final. + + +Page 76: +Superintendent’s Circular CAO-24 +Page 76 of 80 + + +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such +consequences include, but are not limited to, being sent +home at my parent/guardian's expense. + +PARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: +I fully understand the following conditions regarding student +international travel with BPS: +1. The BPS Code of Conduct applies to all field trips. Following +an investigation, if the program leader, in consultation with +the principal/head of school and Central Office staff, +determines that a student’s conduct while on an overnight +trip poses a risk to themselves, or the safety of the group, or +is no longer manageable by BPS staff in the field, the district +reserves the right to request and arrange for that student to +return home. The district also reserves the right to request +that families assume responsibility for all or a portion of the +costs associated with their child’s return. Students may be +subject to further disciplinary action and will be provided +the opportunity to have a formal hearing at the school level +upon return. +2. If a student is to be dismissed from an overnight field trip +due to behavior that violates the BPS Code of Conduct while +participating in a domestic overnight trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed- +upon destination. If the parent/guardian is not reachable, +the student’s principal or appropriate school-based point of +contact must be notified and agree to meet the student at +the airport or other agreed-upon destination. Students +under the age of 16 must be accompanied on their flight by + + +Page 77: +Superintendent’s Circular CAO-24 +Page 77 of 80 + + +a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +3. Parents or students who sign contracts and/or agreements +with third-party company vendors acknowledge that +outside companies’ protocols and procedures might differ +from BPS policies and procedures. Families should +especially be aware of cancellation and refund policies. BPS +is not responsible for money paid to third-party vendors. +4. BPS reserves the right to cancel a trip at any time. Trip +destinations that impose an immediate risk to our students +will be canceled. In these instances, all families will be +notified immediately. + + +(Families: Keep this page.) + + +Page 78: +Superintendent’s Circular CAO-24 +Page 78 of 80 + + +(Program leaders: Keep this page.) + + +STUDENT/GUARDIAN STATEMENT OF UNDERSTANDING +We have read and understand the BPS Student Traveler & +Family Agreement Form. We understand what is expected of the +prospective student traveler and feel that we, the +parent/guardian and student, can commit to these expectations. +PARENT/GUARDIAN (print name): + + +PARENT/GUARDIAN (signature) + +DATE + +PHONE NUMBER: + +STUDENT (print name): + + +STUDENT (signature): + +DATE: + +PHONE NUMBER: + + + +(Students: Return this page to your program leader.) + + +Page 79: +Superintendent’s Circular CAO-24 +Page 79 of 80 + + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS sponsored +field trips and submitted to the program leader (lead +chaperone). + +School Name: + + +Destination: + + +Departure Date: +Return Date: + + + +All chaperones must agree to abide by the following code of +conduct in order to participate in a BPS-sponsored field trip. + +SAFETY & RESPONSIBILITY +I understand that my safety and the safety of other +participants are extremely important during this field trip, +and I agree to make safety my first priority. I agree to +conduct myself in a manner that promotes my safety and +the safety of others at all times. I understand that +maintaining students’ safety requires that students must be +supervised by me and/or other chaperones at all times +while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews and room checks for students, as well as +morning wake-up calls for students, are part of my +responsibility. I agree to follow BPS policies, protocols, and +guidance of BPS staff when in the field. + + +Page 80: +Superintendent’s Circular CAO-24 +Page 80 of 80 + + +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits +students from possessing, using, selling, and/or distributing +any of the following on all domestic and international field +trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, +use, or distribution of over-the-counter medication, and +selling of prescription drugs. The Code also prohibits the use +of tobacco products (including e-cigarettes, hookah +paraphernalia, and vapor cigarettes). I understand that +these prohibitions apply to all students, regardless of age. +I understand that I am forbidden to use or visibly be in +possession of tobacco in the presence of students. I also +understand that the use of all other drugs, including +alcohol, and weapons are strictly prohibited on the field trip. + + +Chaperone Name (Printed): + + +Chaperone Name (Signature): + + +Date: + + + diff --git a/data/data_txt1/Academics (CAO)/CAO-25 International Field Trips Guidelines & Forms.txt b/data/data_txt1/Academics (CAO)/CAO-25 International Field Trips Guidelines & Forms.txt new file mode 100644 index 0000000..5fa15c1 --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-25 International Field Trips Guidelines & Forms.txt @@ -0,0 +1,3258 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-25 +DATE: +Version 01 + +GUIDELINES FOR INTERNATIONAL FIELD TRIPS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +IMPORTANT NOTE: *These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that +could impact travel. For the most up-to-date information and +guidance, contact the Department of Global Education +(kdorseytwumasi2@bostonpublicschools.org) for +assistance/guidance. +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +● This circular should be read AFTER the Superintendent’s +Circular CAO-22, General Guidelines and Procedures for All +Field Trips, as additional guidelines are outlined there. +● The principal/head of school (and/or the district +department lead sponsoring the trip) are responsible for +ensuring that all field trip policies and procedures as +outlined in this circular and others are adhered to. +● As soon as a trip opportunity becomes known, contact the +Department of Global Education for support throughout +the planning process. The principal/head of school (and/or + + +Page 2: + +Superintendent’s Circular CAO-25 +Page 2 of 104 +the district department sponsoring the trip) and the +program leader (lead chaperone) must review and +complete checklists for this circular throughout the +planning process. Signed checklists must be kept on file at +the school. +PLANNING PROCESS +International Field Trip Program: An international field trip +program is any trip off school grounds that involves travel to a +location outside of the United States. International field trips +must be planned at least a year in advance to maximize +affordability and fundraising efforts, and when possible, +scheduled during non-school time (i.e., school vacations, and +summer). NEW: BPS international field trip programs require +execution by a reputable travel vendor and will require a vetting +process by the Department of Global Education and BPS legal. +Travel to ‘U. S. Territories, including Puerto Rico, the United States +Virgin Islands, Guam, American Samoa, and Northern Mariana +Islands are covered under international travel insurance. Travel to +these territories is subject to some forms and requirements in the +CAO-25 International Field Trip guidelines, but only require +Principal/Head of School approval. Consult with the Department +of Global Education for required forms for these destinations. +APPROVAL PROCESS +• STEP 1: Interest Form & Consultation: +As soon as a trip opportunity becomes known, or there is +interest in an international travel program, teachers must +complete an Interest Form from the Department of Global +Education, and inform their principal/head of school. + + +Page 3: + +Superintendent’s Circular CAO-25 +Page 3 of 104 +Contact the Department of Global Education for support +and guidance with the CAO-25 application, and throughout +the planning process. No arrangements should be made, +meetings held, payments, or deposits made without +consultation with the Department of Global Education and +formal application approval from the Superintendent. +• STEP 2: CAO-25 Application +After consulting with the Department of Global Education +and head of school, the CAO-25 application shall be +submitted to the Director of Global Education no less than +10-12 months before departure. The proposal and official +application must be completed, reviewed by the +principal/head of school, and endorsed with an official letter +from them. The application then requires approval by the +Department of Global Education, which will then seek +approval from the appropriate district leaders, before +obtaining final approval from the Superintendent. Again, No +arrangements should be made, payments or deposits +placed without approval first from the Superintendent. You +cannot gauge student interest or engage with families +without program approval. District leadership and/or the +Superintendent may have questions about your application +or ask that aspects of the proposal be changed or removed. +• STEP 3: Approval +Once the CAO-25 application is approved by the +Superintendent, in consult with your principal/head of +school, you may begin to promote the international +program to students, families, and your school community. +Should your itinerary, roster, or any other aspect of your +approved application package change, you must notify the + + +Page 4: + +Superintendent’s Circular CAO-25 +Page 4 of 104 +Department of Global Education in writing as soon as +possible. +SAFETY PREPAREDNESS +• Travel Advisories/Warnings: Travel to countries cited as a +Level 3 or 4 in the United States Department of State Travel +Warning Listing or the Center for Disease Control (CDC) are +prohibited. For countries listed as a Level 2, consult the +Department of Global Education in advance. The Boston +Public Health Commission and Department of Global +Education will continue to monitor country destinations for +safety. The program leader, principal/head of school are also +responsible for checking the State Department and CDC +throughout the trip planning process as levels change. +Please note: The Superintendent reserves the right to cancel +any field trip up to and including the day of departure to +manage risk. +• Insurance: Through On Call International insurance, the +district provides medical coverage for international BPS +sponsored trips for BPS students, BPS staff participants, and +chaperones. On Call will serve as the primary source for +medical insurance while abroad. However, in some cases, if +a hospital visit is required, students may be required to pay +out of pocket, and be reimbursed by On Call later. Families +will want to budget for this just-in-case expense. +The On Call insurance policy does NOT include cancellation +or trip interruption insurance should the trip be canceled or +interrupted for any reason other than medical. +Cancellation/interruption must be due to the traveler +getting sick, injured, or someone in the traveler’s immediate + + +Page 5: + +Superintendent’s Circular CAO-25 +Page 5 of 104 +family being sick, injured, or death. Students/Families would +need to show proof of a sickness/injury and the +sickness/injury must be so disabling as to cause them to +cancel/interrupt their trip. If there is a sickness/death for +their family member they would need to show proof of that +too. Save all receipts for flights/lodging for reimbursement +purposes and a claim form would need to be filled out. +Families will need to know in advance that Trip Cancellation +has a $2,000 limit, and Trip Interruption has a $2,500 limit. +Again, the superintendent reserves the right to cancel a trip +for any reason and at any time for safety purposes–Cancel +for Any Reason Insurance (CFAR) is NOT provided by the +district. Therefore, all trip participants are strongly +encouraged to purchase their own (CFAR) insurance to +protect their trip investment. +On Call International provides overseas evacuation +insurance (enabling students who become seriously ill or for +whom there is some kind of emergency to be returned to +the United States). On Call International must coordinate, +approve, and perform the evacuation. Emergency family +travel arrangements are covered up to a limit if the traveler +is hospitalized for 2 or more days. +• Informed Parental Consent, Associated Risks, and +Indemnity: Families must sign the customized Informed +Parental Consent, Associated Risks, and Indemnity form +explicitly developed for their travel program by the director +of Global Education and BPS Legal in collaboration with the +program leader. The program leader is responsible for +initiating this form based on a template provided from the +Department of Global Education. + + +Page 6: + +Superintendent’s Circular CAO-25 +Page 6 of 104 +• District Training: Program leaders must attend training for +effective in-field risk management and response practice. +This training is offered by the district once per year. Please +email the Department of Global Education for details. If you +miss the training, you must schedule a meeting with DGE to +supplement. +o While this training is mandatory for program leaders, it +is recommended that one additional chaperone from +the team attend the training with the program leader. +However, in cases where other chaperones (non- +program leaders) are not able to attend the in-person +training (due to budget, space, or scheduling), it is +expected that they will receive training and +information from pre-travel meetings/virtual webinars, +and guidance from the Department of Global +Education and program leader in preparation for their +role. All chaperones will be required to review this +document and participate in pre-travel meetings with +the Department of Global Education. +o CPR & First Aid: At least two chaperones (including the +program leader) must hold valid CPR AND first aid +certification. The district will offer this training at least +once per year for program leaders. Please email the +Department of Global Education for details. Ensure the +availability of a first aid kit/supplies from the +Department of Global Education. Verify emergency and +medical information and contact details. +• STEP Program: Program leaders, or parents must register +students and chaperones through the U.S. State +Department’s STEP (Smart Traveler Enrollment Program) +program. If you have non-U.S. citizens traveling with your + + +Page 7: + +Superintendent’s Circular CAO-25 +Page 7 of 104 +group, contact their respective embassies to see what +services they would provide these individuals in the event of +an emergency. U.S. embassies abroad do not necessarily +assist non-U.S. citizens in emergencies overseas. +• Transportation: School buses or BPS approved +transportation vendors’ vehicles MUST be used to transport +students to and from field trips or athletic events, regardless +of how the trip is paid for. Privately owned vehicles, vehicles +from non-approved vendors, ride sharing transportation +services such as Uber and Lyft, or leased vans are not to be +utilized to transport students to and from field trips or +athletic events, except in the case of a bona fide medical +emergency. Refer to TRN-03 and CAO-22 for information +and regulations on field trip transportation. +• Itineraries: Upon advance review of itineraries, BPS reserves +the right to deny schools to participate in field trip activities +on their itinerary where the risks of the activity outweighs +the intended learning outcomes of the program. The +program leader, in collaboration with the chaperone team, +are required to submit a risk analysis for each part of the +program that identifies the top 5 risks/concerns associated +with the program. +GOVERNMENT RESOURCES TO SUPPORT PREPARATION +• U.S. State Dept. Travel: www.travel.state.gov +• Overseas Security Council: +https://www.osac.gov/Pages/Home.aspx +• U.S. State Dept. Passport Application: +http://travel.state.gov/passport/ + + +Page 8: + +Superintendent’s Circular CAO-25 +Page 8 of 104 +• U.S. State Dept. Medical: +http://travel.state.gov/content/passports/english/go/checklis +t.html#checklist_parentitem_1 +• U.S. Embassies Abroad: www.usembassy.state.gov +• Visa Req. for U.S. Citizens Abroad: +http://travel.state.gov/content/visas/english/general/america +ns-traveling-abroad.html +• Center for Disease Control Traveler’s Health: +http://wwwnc.cdc.gov/travel/destinations/list.aspx +• U.S. Customs & Border Protection: http://www.cbp.gov/ (877- +227-5512) +MEDICAL PREPARATION FOR SAFE TRAVEL +• Doctor’s Visit: Prior to the trip, all students and chaperones +must inform their primary care doctor/travel clinic doctor of +their trip location and have had a recent doctor’s visit and +physical exam prior to departure. If any student has a +serious medical or mental health condition, please be sure +that their doctor writes a letter indicating that the child may +safely attend and participate in trip activities. There are +certain locations in the world where entry requires specific +vaccinations, immunizations, and medications necessary for +healthy travel--in those cases--all participants will be +required to obtain those vaccinations, immunizations, and +medications. +• Medical Documentation: Chaperones must document and +carry all students’ medical information, including any +specialized immunizations or medications required by their +doctors for travel. Participants are also required to list all + + +Page 9: + +Superintendent’s Circular CAO-25 +Page 9 of 104 +medications that might be prescribed with this particular +program in mind along with the other medications that +they may take regularly. Program leaders should send a +final email to all participants to check on additional +medications added before departure. +• School Nurse & Counselor Review: The program leader +must consult with the school leader to determine if, and +what type of medical assistance is needed for participating +students. To ensure accessibility, this step is crucial, and +must take place before the field trip is secured. For +additional questions, please consult the Health Services +Department. Additionally, to thoroughly support a student's +participation in a field trip, at least six weeks before +departure (much longer for international and overnight field +trip programs), consult with and, when necessary, receive +training from the school nurse regarding any students who +have medical needs. Also consult with the school counselor +regarding mental and behavioral health needs. If any +student has a serious medical or mental health condition, be +sure that their doctor is aware of the essential participation +criteria and location of the trip and writes a letter indicating +that the child may safely attend and participate in trip +activities. Keep this document on file with other key +permissions slips and medical forms. +• Nurse Verification Form: Review all students’ medical forms +with the school nurse and guidance counselor to ensure all +documents are completed and to be sure you are in the +strongest position to support each student’s health while +abroad. School nurses and counselors do not “clear” +students for travel but will provide chaperones with +guidance in supporting students while traveling. Consult + + +Page 10: + +Superintendent’s Circular CAO-25 +Page 10 of 104 +with, and when necessary, receive training from and obtain +written comments from the school nurse regarding any +students who have expressed medical needs. Complete and +submit the Nurse Verification form to the Department of +Global Education. +CHAPERONE CRITERIA +• Role of the Program Leader (Lead Chaperone): The +selection and approval of all chaperones is conducted by the +principal/head of school. The program leader is a BPS +employee and the lead chaperone organizing and leading +the trip. The program leader is required to have experience +leading, or co-leading BPS students (or students from +another district) abroad previously and has the full support +and approval of the principal/head of school to do so. The +program leader leads the entire school team and is the main +representative of the group and district while abroad. The +program leader is responsible for ensuring all guidelines in +CAO-22 and CAO-25 are followed and keeping the +principal/head of school and the district informed of trip +developments. The program leader is responsible for +completing the International Field Trip Request Form and +accompanying documents that are submitted to the +principal/head of school and Department of Global +Education for approval. The program leader is also +responsible for organizing the chaperone team, student +team, and pre-departure meetings. +• Chaperone Selection: Every adult on the trip must be a +chaperone and have a clear role. + + +Page 11: + +Superintendent’s Circular CAO-25 +Page 11 of 104 +o Diverse Strengths: Choose a chaperone team +purposefully and wisely, considering strengths and +what each chaperone can contribute to the overall +experience. The goal is to have a well-rounded team of +chaperones from different areas. We recommend that +at least one member of the chaperone team — if not +the program leader — speak the local language of the +country visited. For example, consider chaperones who +have visited the country before, and one who speaks +the local language. Additionally, consider chaperones +who are subject matter experts in the topic being +explored, or who have professional medical/social +emotional health experience. Efforts should be made +for chaperones to be representative of the student +group and include males and females where relevant. +o Knowledge of Students: The selection and approval of +chaperones by the principal/head of school should also +be based on the individuals’ knowledge of, and rapport +with, most of the student participants. +• Chaperone Ratios: For international programs, the student- +to-chaperone ratio is 7:1, with a two-chaperone minimum. It +is recommended that a chaperone reserve, or backup, be +identified in the event a chaperone is no longer able to +participate at the last minute or must leave the field. The +reserve chaperone should have a valid passport and visa to +travel to the destination. Tour guides and employees of +third-party vendors contracted to help operate the trip are +not considered chaperones, and do not factor into the +student to chaperone ratio. All BPS and non-BPS +chaperones are required to sign the Chaperone Agreement +form. Refer to CAO-22 for additional chaperone criteria. + + +Page 12: + +Superintendent’s Circular CAO-25 +Page 12 of 104 +• Non-BPS Chaperones: Other authorized chaperones may +include parents and volunteers who must be 21 years of age +or older. All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of Human +Capital. Complete the eCORI form online. Contact the BPS +Office of Human Capital (OHC) for CORI check and +confirmation support. The principal/head of school and the +lead chaperone are responsible for submitting authorization +forms to OHC and must not allow chaperones to take part in +activities until they have been CORI/SORI cleared. Non-BPS +employees who chaperone on a field trip are not covered for +liability by the Boston Public Schools. +• BPS Employee Parent Chaperones: Chaperones who are +parents/guardians of BPS students on the trip must provide +the same level of care and attention to ALL of the student +participants. If a BPS chaperone’s child who does not attend +the participating school must attend the program, the child +must be a BPS student and in the same grade or age range +as participating students. In this case, the BPS employee is +responsible for incurring all costs associated with their +child’s participation. +PASSPORTS & VISAS +• Check Student & Chaperone Passports: During the +recruitment process, physically check all students’ passports +well before your travel date to ensure that they are valid for +travel and will be valid at least six months after your return +date. Students must renew or apply for a first-time passport +as soon as possible as the process can be lengthy. + + +Page 13: + +Superintendent’s Circular CAO-25 +Page 13 of 104 +• Non-U.S. Passports: Determine who holds a non-U.S. +passport. There are many countries that do not require U.S. +passport holders to have a visa but require them for NON- +U.S. passport holders. There are also countries that might +require Americans to obtain a visa but do not require one for +a non-U.S. passport holder. Identify the countries from +which your travelers hold passports, as they might be +questioned in customs or might have to contact other +consulates if they lose their passports abroad. *Also plan for +delays at border control at the airport for non-US passport +holders. +• Visa Requirements: Research if your destination requires a +visa. Every country has a different application and timeline +for obtaining a visa. +• Parent Passports: Encourage parents to obtain valid +passports and visas should they need to travel to the +country for their child during an emergency. +• Copy Passports: Copies of student and chaperone passports +and visas must be left with families, and the principal/head +of school. + + + + +Page 14: + +Superintendent’s Circular CAO-25 +Page 14 of 104 +STUDENT ACCESSIBILITY, PARTICIPATION, AND CONDUCT +Student Participation: Students not enrolled in the Boston Public +Schools may not participate. Once on the field trip, student +participants are not permitted to leave the group to visit friends, +relatives etc., and rejoin the group. Students must remain with +the group at all times. +• Essential Participation Criteria: Before student recruitment +begins, the program leader and principal/head of school +shall work together to establish essential participation +criteria for the trip that informs students and parents of the +program objectives, all of the activities and risks associated +with each itinerary activity, and trip location, to determine +what accommodations or modifications may need to be +made for students to successfully and safely participation in +all or portions of the trip. +• Student Recruitment: By default, any program is open to all +students. However, there may be programs that are specific +to certain students (i.e., class, club, team, grade level specific +trips) with the consultation of the program leader and head +of school that keeps in mind financial accessibility, diversity, +and equity. The recruitment process must be transparent +and fair. The chaperone team must create an environment +and structures to support all students. Trips must be +advertised to all students (within the school, particular +grade, class, or program associated with the trip), regardless +of their financial situation. If there is a formal process for +being enrolled on your trip, such as an application, it must +first be approved by the head of school and have a clear +rubric that demonstrates the essential criteria for an +applicant. A student’s ability to pay may not be a criterion + + +Page 15: + +Superintendent’s Circular CAO-25 +Page 15 of 104 +for field trip participation. If a student is denied admission to +a trip, be prepared to speak to the student, administration, +or family if there are questions about your selection process. +Keep a record of all applications and decisions made. +Accessibility +• Field Trip Location Selection: Program leaders must +consider their student demographics when selecting field +trip locations, sites, and activities. The location of the trip +must tie directly to the objectives and learning outcomes of +the program. Specifically, determine the impact the +locations, sites, and activities that may have on diverse +populations such as students of color, ELL students, +students who identify with the LGBTQIA+ community, +students with disabilities, those who may be in the minority +during your field trip experience, and those students who +belong to groups that have experienced marginalization in +the location being visited. Program leaders must work to +prepare students for sensitive experiences and ensure that +the program is safe and inclusive for all students. Consult +the Department of Global Education for resources if needed. +• Access and Inclusion: Students with English Language +Learner status, 504 plans, and/or IEPs cannot be denied +access to field trips due to their ability. It is the responsibility +of the school to ensure that all accommodations normally +provided to a student as indicated in their educational plans +are made available during a field trip, including medication. +See Superintendent’s Circular SHS-08 Medication +Administration for information about medical dispensation +on field trips. Participating students’ IEP or 504 plan shall be + + +Page 16: + +Superintendent’s Circular CAO-25 +Page 16 of 104 +available to any staff coordinating and/or participating in +the field trip to meet the child’s needs. +• Student Health: If a student has a serious medical or mental +health condition, please be sure that their doctor is +informed of the essential participation criteria and location +of the trip and writes a signed letter on letterhead indicating +that the child may safely attend and participate in trip +activities. The program leader must keep this document on +file with other key permissions slips and medical forms. +Again, also consult with your school nurse at least 6 weeks +in advance. +• Inclusive Accommodations: In collaboration with the +student and their family, the program leader and +principal/head of school shall work with transgender and +gender nonconforming students to provide +accommodations (including rooming) that affirm the +student’s gender identity while also ensuring safety. +Program leaders should work with students and families to +make sure all travel documents (e.g., airline ticket, passport) +reflect their legal names as listed on government issued +identification, while all unofficial documents and materials +may reflect the student’s preferred name. Please view +additional rooming guidelines from the Office of Equity. +CONDUCT +The BPS Code of Conduct applies on all field trips. BPS students +and parents are required to sign a BPS Student Traveler & Family +Agreement Form regarding student conduct while participating +in a BPS sponsored field trip. Following an investigation, if the +program leader, in consult with the principal/head of school and + + +Page 17: + +Superintendent’s Circular CAO-25 +Page 17 of 104 +Central Office staff, determines that a student’s conduct while on +an overnight trip poses a risk to themselves or the safety of the +group, or is no longer manageable by BPS staff in the field, the +district reserves the right to request and arrange for that student +to return home. The district also reserves the right to request that +families assume responsibility for all or a portion of the costs +associated with their child’s return. Students may be subject to +further disciplinary action and will be provided the opportunity to +have a formal hearing at the school level upon return. The school +must document the parent/guardian’s consent of this policy prior +to the trip. +• Dismissal Transportation Protocol: If a student is to be +dismissed from an overnight field trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon destination. If the parent/guardian is not reachable, +the student’s principal/head of school or appropriate school- +based point of contact must be notified and agree to meet +the student at the airport or other agreed upon destination. +Students under the age of 16 must be accompanied on their +flight by a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +Program leaders must inform families of this protocol at or +before initial promotional meetings. +• Pre-departure Program Dismissal: In the event a student is +to be dismissed from an international field trip program +before departure, a Pre-departure Incident Report must be + + +Page 18: + +Superintendent’s Circular CAO-25 +Page 18 of 104 +submitted to the Department of Global Education (DGE). A +chaperone cannot dismiss a student from a trip without +approval from the principal/head of school. The +principal/head of school must approve the recommendation +for dismissal by signing the pre-departure incident report. +The report should then be filed with the DGE, who will +review and file the report. Any loss of fees or deposits +associated with early dismissal will be absorbed by the +family, which must be communicated before any deposits +are made by families. Program leaders must inform families +of this protocol at or before initial promotional meetings. +PRE-DEPARTURE MEETINGS +• Student Meetings: Program leaders must conduct at least +three (more are recommended) student meetings before +departure. This does not include the mandatory parent +meeting; however, students should be encouraged to +attend the parent meeting as well. Meetings should review +logistics and prepare students to be mindful, healthy, +responsible, and safe travelers. Most programs hold many +more meetings to prepare students for the challenges and +rewards of the travel experience. +• Parent Meetings: Program leaders must conduct at least +one (more are recommended) parent/guardian meeting +(with each family, or all families together). This does not +include the initial meeting to promote the trip. Please note +that if traveling to a Level 2 destination issued by the Center +for Disease Control (CDC) or State Department, the program +leader is required to inform parents of the medical or safety +concerns and precautionary plan. Please consult with the +Department of Global Education before this meeting. For + + +Page 19: + +Superintendent’s Circular CAO-25 +Page 19 of 104 +information on staying healthy while traveling, go to the +CDC page on Travelers’ Health/Medical Tourism. Your entire +group and their families must attend a mandatory +information session. All chaperones should be present and +play a role in this meeting. +• Meeting Topics: During pre-departure meetings, the +following topics must be reviewed (others may be discussed +at the lead chaperone’s discretion): +○ Trip’s educational purpose +○ Behavior expectations +○ Detailed itinerary +○ Review of country landscape (health, cultural norms, +safety, and security) +○ Insurance coverage +○ Required travel documents +○ Packing list +○ Communication plan and emergency contact +information +○ Transportation plans and logistics +○ Review and collect permission forms +○ Meals and accommodations +○ In-country transport (be specific, as modes of transport +vary country to country) +○ Expectations for in-country expenses and procedures +to exchange money, if applicable +○ Passport and visa requirements, if applicable +○ Program provider documents. +Contact the Department of Global Education for sample meeting +agendas and templates and support with meeting agendas. +Important Meeting Notes: + + +Page 20: + +Superintendent’s Circular CAO-25 +Page 20 of 104 +● Document parent/family attendance. +● Utilize zoom meetings when necessary. +● Develop a plan for families who may need translation +services at the meeting; students should not serve as their +parent/guardian’s translator. +● If a parent/guardian is unable to attend a meeting, at least +one trip chaperone (who is a BPS employee) must +physically meet with the parent/guardian about the trip +before taking the student abroad. Document this private +meeting for your records. +Chaperone Team Meetings: +Program leaders must conduct at least three pre-departure +chaperone team meetings. Meeting topics to include: +○ Assign chaperone roles for pre, during, and post trip; +○ Review Emergency Action Plan (EAP) and insurance +coverage; +○ Student paperwork (Binders) +○ Participants +○ Student Code of Conduct Agreement +○ The Pre-Departure Incident Report and the incident +report form for while on the trip +○ For non-BPS employee chaperones, review their +knowledge of BPS policies and chaperone expectations +○ Review detailed itinerary +○ Distribute responsibilities +○ Map out plans that include movement from one place +to another and program transitions. +○ Determine if there are any students who require extra +support, or physical/medical accommodations + + +Page 21: + +Superintendent’s Circular CAO-25 +Page 21 of 104 +○ Review with the team any recommendations, advice, +or instructions that you have received from the school +nurse, guidance counselor, parent, or primary care +doctor. +Non-BPS Chaperones: +Along with CORI/SORI clearance they must schedule a +consult with the Department of Global Education at least 8 +weeks prior to departure and attend at least one pre-trip +parent meeting and at least one student meeting. +All non-BPS chaperones must know the details of the trip, +the Emergency Action Plan (EAP), the BPS Code of Conduct, +and other district and school-based rules. The program +leader must be sure all non-BPS chaperones understand +BPS rules and schedule a consult with the Department of +Global Education. +COMMUNICATION PLAN +• International Phone Service Coverage: Program leaders +must have international cell phone coverage for the +duration of the trip for communication with BPS and +families in the event of an emergency. This cell phone must +be on at all times so you may be contacted in case of an +emergency. If this is not possible due to your location, please +arrange a communication plan with your principal/head of +school and the Department of Global Education. If such +international coverage requires you to purchase an +international plan or to accrue additional costs due to the +trip, please submit your receipts to the BPS Finance Office +for reimbursement. Program leaders must also carry the +phone numbers for the principal/head of school or + + +Page 22: + +Superintendent’s Circular CAO-25 +Page 22 of 104 +sponsoring district department, and the Department of +Global Education. You are required to call your head of +school and the Department of Global Education anytime +there is an emergency. +• District Communication: Codify a clear communication plan +with your principal/head of school or sponsoring district +department, and the Director of Global Education prior to +departure. The director of Global Education will initiate a +group chat with the program leader, and head of school on +WhatsApp. You must check in with the Director of Global +Education via phone, text (download WhatsApp for free for +messaging), or email upon arrival, every 48 hours, whenever +the itinerary significantly changes, whenever you expect to +lose cell/email coverage, upon departure, and upon safe +return. You MUST check in via phone call to your Head of +School and the Department of Global Education when there +is an incident. +• Definitions of communication types and expectations: + + + + +Page 23: + +Superintendent’s Circular CAO-25 +Page 23 of 104 + +Green Communication: No immediate concern. +Program leader: Notifies head of school and on-call BPS +staff about arrival, departure, changes in itinerary, loss of +connectivity, highlights of programs, photos. *Check in daily +via text, phone call, email. +Yellow Communication: A Yellow Call is a reportable situation or +event, but no threat to life, limb, eyesight, or potential for severe +emotional trauma. The incident is managed effectively in the +field by program leader, but could devolve to a serious or critical +incident, and requires attention from BPS on-call staff. +Program leader: (1) Notifies Head of School and on-call BPS +staff; (2) Documents Incident SOAP Report (3) Monitors (4) +Updates on-call BPS staff +Red Communication: Critical, violent time sensitive incident, +illness, injury; or event that resulted in loss or potential loss of life, +limb, eyesight. Student disciplinary violations. +Requires IMMEDIATE RESPONSE of program leader: (1) +Alerts appropriate local medical care, local law enforcement, +and/or shelter, triggers insurance support if able to do so. (2) +Notifies head of school and on-call BPS staff; (3) Documents +Incident SOAP Report (4) Monitors (5) Updates head of +school and on-call BPS staff +Refer to BPS International Field Trip Communication Plan for +more information. +• Communication with Families: Set expectations regarding +communication during travel between chaperones/student + + +Page 24: + +Superintendent’s Circular CAO-25 +Page 24 of 104 +travelers and the principal/families. Families must know +whom to call 24/7 in case of an emergency. If you need +support in family communication before, during, and after +the trip, contact the Department of Global Education. +• Communication with Students: Set and remind students +and families of the expectations for social media usage +while abroad. Discuss what is, and is not acceptable for +posting, recording, and sharing on social media. Make clear +the boundaries, confidentiality, and privacy of other +students, staff members, and visiting communities as it +pertains to social media footage. These expectations should +be discussed several times during the pre-departure +meetings and while in the field. *Remember that the BPS +Code of Conduct is applicable. +DOCUMENTATION & FORMS +● Documents for Students & Families: Prepare, distribute to, +and collect from each participating student and chaperone +the following: +○ Parental Authorization for International Field Trip form +○ Medical Information Form +○ Medication Administration Form +○ Chaperone Agreement Form +○ Student & Family Conduct Agreement Form +○ Student Support for Field Trip Travel Form +○ Any Parental Waivers associated with your program. +○ If applicable, prepare, distribute, and collect the +Notarized Parent/Guardian Airline Travel Consent +Form. (Some countries, airlines, and travel companies + + +Page 25: + +Superintendent’s Circular CAO-25 +Page 25 of 104 +require this. Research your particular trip to see if this +applies.) +○ If your program includes a homestay, refer to CAO-26 +Homestay Guidelines for required forms. +● Documents to Submit to Central Office Approval: The +following documents must be submitted at least 10-12 +months in advance of the trip to the Department of Global +Education for the program to be reviewed, and the +necessary signatures obtained for approval. You must send +your completed application to the Department of Global +Education for review and feedback prior to final submission. +Below is an overview of the required documents. A more +detailed list is included in the application section of this +circular. +○ CAO-25 International Field Trip Request Form (with +original signature of the Headmaster/Principal or +sponsoring District Department, and Program Leader) +○ Signed Cover Letter (on school letterhead) addressed +to the superintendent and Department of Education +from the principal/head of school/district department +lead stating support for the proposed trip. +○ International trip narrative: +■ What was the student recruitment and selection +process? +■ What are the student learning outcomes of your +program? +■ How will this program build students’ global +competence (investigate the world, communicate +ideas, weigh perspective, take action: identify all +that apply and how they will be addressed +through your program). + + +Page 26: + +Superintendent’s Circular CAO-25 +Page 26 of 104 +■ What specific standards are addressed in your +program, and how will they be addressed? +■ How and when will your students reflect on what +they learned from this experience? +○ Itinerary (detailed): Day-by-day and hour by hour (or +morning/afternoon/evening) format providing detailed +information about program (i.e. +hotels/accommodations, sites visited, activities +planned, meetings held, curfew set, and meals +scheduled for the morning, afternoon, and evening) +○ Emergency Action Plan +○ Nurse Verification Form +○ CAO-25 Acknowledgment Form +○ Tentative Student Traveler Roster: [Prior to departure, +the program leader must submit a FINAL roster of all +confirmed student travelers that includes: BPS ID, their +name, grade, age, D.O.B, the country in which their +passport is issued, emergency contact name and +number, and (NEW) if student is traveling abroad for +the first time. +Important Note: **Submit documents for Water Activities +(CAO-27)) if applicable.* While you do not need to submit +to the central office a copy of each Parental Authorization +for International Field Trip permission, this form must be +on file at your school when your trip request is submitted +to the district office. +● Documents to Leave with your principal/head of school: +○ CAO-25 circular with checklists +○ Permissions Slips (updated based on contact +verification done with families) + + +Page 27: + +Superintendent’s Circular CAO-25 +Page 27 of 104 +○ Student & Family Conduct Agreement Form +○ Parental Waivers +○ Medical Information Form and Medical Administration +Form +○ Notarized Airline Consent Form (if applicable) +○ Copies of passports, visas, resident cards and other +travel related documents +○ Emergency Action Plan (EAP) +○ Insurance Information +○ Fire Prevention and Safety Information +○ International Program Incident Report (blank for +reference) +○ Finalized Homestay List and other homestay +documents (if applicable) +○ Water Activities Forms (if applicable) +● Documents to Take Abroad: +○ Permissions Slips (updated based on contact +verification done with families) +○ Medical Information Form and Medical Administration +Form +○ Student & Family Conduct Agreement Form +○ Parental Waivers +○ Notarized Airline Consent Form (if applicable) +○ Copies of passports, visas, resident cards and other +travel related documents +○ Emergency Action Plan (EAP) +○ Insurance Information +○ BPS Field Guide Protocols with Emergency Phone +Numbers +○ Fire Prevention and Safety Information + + +Page 28: + +Superintendent’s Circular CAO-25 +Page 28 of 104 +○ International Programs Incident Report (blank and/or +completed) +○ International Witness Report Form (blank and/or +completed) +○ Incident Investigation Log (blank and/or completed) +○ SOAP Note (blank and/or completed) +○ List of addresses and emergency contacts in country +for all travelers +○ Homestay documents, if applicable +○ Water activities form, if applicable +○ Program leader carries originals of permission slips and +medical forms; other chaperones carry copies. +DURING THE FIELD TRIP PROGRAM +● Team Safety: If you believe conditions are unsafe or +unhealthy at any point on the trip, it is the program leader’s +responsibility to make adjustments in the interest of +group/individual safety. Consult the Department of Global +Education during the trip when you have questions +regarding trip safety. +● Conduct Safety Reviews with Students in the Field: The +following topics must be reviewed with students: +○ Program leaders conduct a fire and safety assessment +and fire drill (Fire Prevention and Safety Instructions) +when you arrive at EACH NEW accommodation. Share +the assessment with the chaperone team and prepare +for orientation and fire drill. +○ Share evacuation plan and emergency plans. Discuss +where students go during an emergency or otherwise. + + +Page 29: + +Superintendent’s Circular CAO-25 +Page 29 of 104 +Discuss where students go if they are separated from +the group during an activity. +○ Ensure students have a list of the key addresses +(hotel/chaperone/host family contact information) and +emergency information for the US and the +international destination as well as copies of all travel +documents. Share where you are staying (room +number if applicable) and how to reach you on the trip. +○ Conduct in-country orientation for conduct and +cultural expectations. Set expectations regarding social +media. This is especially critical during an emergency. +○ Conduct safety orientations for service learning +projects where teams work to construct, alter, and/or +repair structures, including painting and decorating +and for agricultural projects; chaperones, with support +of program providers, must conduct a safety +orientation at the beginning of each activity. +● Student Debriefs/Reflections: +○ Conduct morning briefings to review the day’s itinerary +and key information. Ask and answer questions. +○ Conduct afternoon and/or evening debriefings to +review the next day’s itinerary, gather feedback, +process the day’s learning, and make any necessary +adjustments. Engage students in conversations that +help them process their experiences. Help them to +reflect and break down stereotypes so that when they +return, they have a deeper understanding of the +culture and country they visited. Draw connections to +how they will take the experience home with them, +and how the lessons they have learned will translate +back home. + + +Page 30: + +Superintendent’s Circular CAO-25 +Page 30 of 104 +● Check-Ins and Student Supervision: +○ Conduct frequent check-ins with the chaperone team +to assess programming, student dynamics, and to +make any adjustments. +○ Conduct frequent check-Ins with students about their +behavioral and physical health as well as their ability to +process their trip experiences. +○ Conduct nightly bed checks to ensure students are in +their rooms at the designated time. If staying in a +hotel/hostel, be sure to request in advance for students +to be placed near chaperones. If students are with host +families, share the BPS policy of nightly bed checks to +ensure students are safely in their rooms each night. +Students should know exactly how to get in touch with +a chaperone in case of an emergency (room number or +phone number if staying with a host family). +○ Establish a curfew with clear guidelines, and ensure +doors are open if students congregate in the evening. +Adults should stay close by and conduct frequent +expected and unexpected room checks. Be mindful +about romantic relationships among students. +○ Do not leave students alone! Students should be +accompanied by chaperones (or if applicable, host +families and students) unless part of a scheduled +activity and age appropriate, as approved by their +parent/guardian in advance. However, if +unaccompanied as part of a scheduled and structured +activity, students should be in at least groups of three, +AND always know how to reach an adult chaperone. +○ Conduct regular, frequent headcounts and buddy +checks throughout the day. + + +Page 31: + +Superintendent’s Circular CAO-25 +Page 31 of 104 +INTERNATIONAL PROGRAM INCIDENT REPORTING AND +SUPPORT +Contact your head of school and the Department of Global +Education for any emergency that results in the admittance of a +student or chaperone to a hospital or clinic, or if you fear for the +safety of anyone on your trip at any time. When in doubt, call! +Emergencies may be of a medical, environmental, political, +behavioral, legal, logistical, or other nature. You MUST check in +via phone call to the Department of Global Education when there +is an incident. Refer to BPS International Field Trip +Communication Plan for more information. +[NEW] Examples of incidents (this is not an exhaustive list): +Green Examples: Positive group gains, dynamic and culture, +media coverage +Yellow Examples: Fever, loss of passport, diarrhea, +constipation, vomiting when prescription medication is +administered by BPS staff, lost/damaged/insufficient +prescription medication, tooth loss/ crack/chip, animal or +insect encounters that could potentially result in injury, any +time insurance is used or consulted, insect bites or stings +out of the ordinary, lost or stolen luggage, challenges in +Customs. +Red Examples: Sexual assault, terrorism, missing person, +crime/theft; head injury, loss of consciousness, contraction +of parasite and/or infestation, animal bites, transportation +accident, severe allergic reaction, exposure to any +communicable diseases, eye injury, heat exhaustion/stroke, +hyperthermia, significant violations of student/chaperone +conduct contract (fighting, alcohol, drug use, possession of + + +Page 32: + +Superintendent’s Circular CAO-25 +Page 32 of 104 +weapons, bullying, harassment, persistent behavior from +participant that is disruptive, poses a risk to team and the +success of the program), severe weather, exposure to any +toxic or potentially toxic chemical/irritant +➤ Note: This list is not exhaustive. Any additional incident not +listed but deemed unusual or potentially harmful by the program +leader, should be reported. Yellow incidents have the potential to +quickly progress to Red incidents. Thus, yellow incidents should +be monitored closely, and On-Call BPS staff should be kept +abreast of any updates, and changes in status. +File an International Program Incident Report via email if possible +OR as soon as circumstances permit. Utilize the SOAP note, +witness reports and incident investigation logs as necessary. Turn +in the original reports to the Department of Global Education as +soon as you return to Boston. When incidents occur, it is critical +that everything is documented. +AFTER THE FIELD TRIP (MANDATORY) +● Medical Follow-Up: Depending on travel location and +prescribed travel medication, call all students and families +after the trip to remind students to continue to take all +prescribed travel medication. Additionally, remind students +(and inform parents/guardians) to see a doctor immediately +if they are not feeling well after the trip and to inform the +doctor of their recent travels. +● Incident Reports: If applicable, file and follow up with +International Programs Incident Report, International +Programs Witness Report and International Programs +Incident Log. + + +Page 33: + +Superintendent’s Circular CAO-25 +Page 33 of 104 +● District Survey: Complete the BPS Post-International +Program Survey to provide feedback on your experience. +AFTER THE FIELD TRIP (SUGGESTED) +● Write thank you notes. +● Present to school, family, and the community about the +experience. +● Conduct related creative and/or analytical projects to +showcase student learning. +● Write a news article about the trip for a local newspaper or +website. +● Email stories, journals, and pictures of your trip to the +Department of Global Education. + + + + +Page 34: + +Superintendent’s Circular CAO-25 +Page 34 of 104 + +For more information, questions, and support about this +circular, please contact: +Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 35: + +Superintendent’s Circular CAO-25 +Page 35 of 104 +INTERNATIONAL FIELD TRIP CHECKLIST +Field Trip Category(s): ____________________________________________ +(For category, see CAO-22.) +Site: _____________________________________________________________ + + +Date: __________________________________ + +Alternate Date: _________________________ + +Item +Complete? +Review Superintendent Circular No. CAO-22, +General Guidelines and Procedures for All Field +Trips. + +Review Superintendent’s Circular on Medical +Emergency Management, FSE-05 and Incident +Data-Reporting and Release, SAF-04 for +important safety protocols. While on the trip, the +Department of Global Education must be notified +in the event of a serious incident or emergency +and should be used as a resource for questions +regarding safety on international field trips. + +Select a site and investigate the appropriateness +of the site in relation to the category of field trip. + + +CAO-25 ACKNOWLEDGEMENT FORM + + +Page 36: + +Superintendent’s Circular CAO-25 +Page 36 of 104 +Please sign this checklist, retain a copy for your file, submit the +original to the school office for filing and attach to your +completed request package. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed +and all checklists throughout the trip planning and the trip +implementation process have been or will be completed. + +School Name: ____________________________________________________ + +_______________________________________________ __________________ + +Signature of Program Leader +Date + +_______________________________________________ __________________ +Signature of Principal/Head of School or + Date + +Sponsoring District Department + + + + + + +Page 37: + +Superintendent’s Circular CAO-25 +Page 37 of 104 +INTERNATIONAL FIELD TRIP REQUEST DOCUMENT CHECKLIST +The following documents must be submitted at least 10-12 +months in advance of the trip to the Department of Global +Education so that the trip may be reviewed and the necessary +signatures may be obtained. Complete this application with as +much information and detail as you have available. Should +additional and final details become available later, please update +the Department of Global Education as soon as possible. It is +recommended that you send drafts of these documents to the +Department of Global Education for review and feedback prior to +final submission. Please type all documents and retain copies of +all documents submitted. +Documents to Submit to the Department of Global Education +for Approval +1. International Field Trip Request Form (with original +signature of the principal/head of school or sponsoring +district department, and program leader) +2. Signed Cover letter (on school letterhead) addressed to the +superintendent and Department of Education from the +principal/head of school/district department lead stating +support for the proposed trip. +3. International Trip Narrative Educational Goals (please be +detailed): +a. What is the purpose of this international program? +Why is it necessary, and why is this specific location +relevant? +b. What are the student learning outcomes of your +program? + + +Page 38: + +Superintendent’s Circular CAO-25 +Page 38 of 104 +c. How will this program build students’ global +competence (investigate the world, communicate +ideas, weigh perspective, take action: identify all that +apply and how they will be addressed through your +program). +d. What specific standards are addressed in your +program, and how will they be addressed? +e. Describe the student recruitment and selection +process? How did you ensure the process was +equitable and inclusive? +f. How and when will your students reflect on what they +learned from this experience? +4. Itinerary +a. Day-by-day and hour by hour (or morning/afternoon/ +evening) format providing detailed information about +program (i.e., sites visited, activities planned, meetings +held, curfew set, and meals scheduled for the morning, +afternoon, and evening) +5. Emergency Action Plan +6. Nurse Verification Form +7. CAO-25 Acknowledgment Form +8. Tentative Student Traveler Roster (Prior to departure, the +program leader must submit a FINAL roster of all confirmed +student travelers that includes: BPS ID, their name, grade, +age, D.O.B, the country in which their passport is issued, +emergency contact name and number, and if student is +traveling abroad for the first time. +Important Note: Submit documents for Water Activities +(CAO-27) and/or Homestays (CAO-26) if applicable. + + +Page 39: + +Superintendent’s Circular CAO-25 +Page 39 of 104 + + + + +Page 40: + +Superintendent’s Circular CAO-25 +Page 40 of 104 + +INTERNATIONAL FIELD TRIP REQUEST FORM +(This form along with all accompanying documents listed in this +circular must be completed by the lead chaperone in +consultation with the principal/head of school. It is submitted to +the Department of Global Education at least four months prior to +the trip.) +School/District Department: _____________________________________ + +Head of School /Principal Information: +Name: ______________________________________________________ +Cell phone: __________________________________________________ +Email: _______________________________________________________ +Select Field Trip Category (See CAO-22 for descriptions): +● Instructional +● Cultural +● Community Building +● Service Learning +● Personal Growth & Development +Program Destination(s): Include exact cities, or regions: + __________________________________________________________________ + __________________________________________________________________ + + +Page 41: + +Superintendent’s Circular CAO-25 +Page 41 of 104 +Dates of Trip: +Departure Date: ________________ Return Date: ___________________ +Student Data: Send complete student roster to Dept. of Global +Education before travel. Roster must include D.O.B, grade, +country of passport issuance, emergency contact name and +number. +Number of Students: ________________ + +Number of First Time Student International Travelers: _______ + +Chaperone Data: Chaperones: 7:1 ratio and minimum of 2 +chaperones +Information +Program Leader +Chaperone +Chaperone +Name + + + +Cell Phone +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back up # + + + + + + + + +Page 42: + +Superintendent’s Circular CAO-25 +Page 42 of 104 + +Information +Chaperone +Chaperone +Chaperone +Name + + + +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back Up # + + + + +Information +Chaperone +Chaperone +Chaperone +Name + + + +Number + + + +BPS +Employee +(Y/N) +(Y/N) +(Y/N) +Back Up # + + + + +Funding +Please note that: A criterion for participation, may not be the +student and their family’s ability to pay. Also “100” school funds +may not be used for international trips. +Cost Per Person: _________________________________ + +Total Cost: $ _____________________________________ + + + + +Page 43: + +Superintendent’s Circular CAO-25 +Page 43 of 104 +Funding Source(s): +(List funding sources below. Please detail how the trip was paid +for and how students had access to this trip regardless of the +trip’s cost.) + + + +Grant name/Grant Number (if applicable): _______________________ + +Fundraise with Private Grants BEDF Account Code/Description (if +applicable): _______________________________________________________ + +Country/Site Information +Country(s) to be visited: + +Is this country(s) listed on the +United States Department of +State Travel warning list? + +Is this country(s) listed on the +Center for Disease Control +(CDC) warning list? + +In-Country/Site Contact Person +and Title/Role: + +In-Country/Site Telephone # + +In-Country/Site Email Address + + + +Page 44: + +Superintendent’s Circular CAO-25 +Page 44 of 104 +Native language of in- +country/site contact person + +Can the in-country/site contact +person speak English? + + +Has your travel vendor/partner been vetted by the Department of +Global Education/BPS Legal?  Yes  No +Vendor Name: ______________________________________________ +Vendor Contact Name: ______________________________________ +Vendor Contact Number & Email: ___________________________ +AIRLINE TRANSPORTATION TO INTERNATIONAL DESTINATION +(Please note: You may include your flight reservation as an +attachment; however, the following section must still be +completed.) +Departing flight from US/Boston: +Departure Date + +Departure Time + +Departure Location + +Departure Airlines + +Flight Number + +Departing Flight +Arrival Date + + + +Page 45: + +Superintendent’s Circular CAO-25 +Page 45 of 104 +Arrival Time + +Arrival Location + +Return flight to US/Boston +Return Date + +Return Time + +Return Location + +Return Airlines + +Flight Number + +Return Flight Arrival +Date + +Arrival Time + +Arrival Location + +Additional Transportation in the U.S. (i.e., to and from airport): +Will you be providing transportation for students to and from the +airport? ▢ Yes ▢ No +If no, how will students get to and from the U.S. airport? + __________________________________________________________________ + __________________________________________________________________ +If yes, please complete the chart below. + + +Page 46: + +Superintendent’s Circular CAO-25 +Page 46 of 104 +Mode of +Transportation + +Transportation Co. + +BPS Vendor # + +Company Number + +Pickup Location + +Pickup time + + +Transportation to International Destination (other than airplane): +Mode of +Transportation + +Transportation Co. + +BPS Vendor # + +Company Number + +Pickup Location + +Pickup time + +Where will you be +transported to? +(Address of hotel, or +drop off site) + + +Transportation in Foreign Country +All modes of transportation arranged within the foreign country: + + +Page 47: + +Superintendent’s Circular CAO-25 +Page 47 of 104 + + +IN-COUNTRY LODGING INFORMATION +Primary Lodging +Contact information if students will be staying in a hotel or +hostel: Itinerary must provide detailed information regarding +lodging each night. +Name of site + +Address + +Number + +Dates + + +Name of site + +Address + +Number + +Dates + + + + + + +Page 48: + +Superintendent’s Circular CAO-25 +Page 48 of 104 + +Name of site + +Address + +Number + +Dates + + +Does your trip include water activities? +YES ▢ NO ▢ +If yes, have you reviewed CAO-27, and completed the necessary +forms? +YES ▢ NO ▢ +Home Stay +*Note: The permissibility of Home Stay programs is currently +under review. +Will this program include a home stay? YES ▢ NO ▢ +If yes, is this home stay facilitated by a third-party vendor? If yes, +please provide the company name and site contact info. + __________________________________________________________________ + __________________________________________________________________ + + +Page 49: + +Superintendent’s Circular CAO-25 +Page 49 of 104 +Safety is the highest priority in the Boston Public Schools. Have +you followed the Home Stay Guidelines CAO-26 and completed +the necessary forms? YES ▢ NO ▢ N/A +Have parents/guardians signed the Home Stay Waiver form? +YES ▢ NO ▢ N/A +Water Activities +Does your program include water activities? +YES ▢ NO ▢ N/A +If yes, have you reviewed CAO-27, and completed the necessary +forms? YES ▢ NO ▢ N/A +TRAVEL LOGISTICS +Have you held (or will you hold prior to departure) at least three +pre-departure student meetings to prepare the student team for +the responsibilities of participating in an international trip as +outlined in CAO-25? YES ▢ NO ▢ +Meeting Date: +Meeting Date: +Meeting Date: +Have you held (or will you hold prior to departure) at least three +chaperone meetings to prepare the adult team for the +responsibilities of leading students on an international trip as +outlined in CAO-25? YES ▢ NO ▢ +Meeting Date: +Meeting Date: +Meeting Date: + + +Page 50: + +Superintendent’s Circular CAO-25 +Page 50 of 104 +Have you conducted (or will you conduct prior to departure) at +least one parent meeting (in addition to the promotional +meeting) to review required topics outlined in CAO-25? +YES ▢ NO ▢ +Meeting Date: +If you are traveling to a destination with an alert from the CDC or +State Department Level 2 country, will you provide families with +the respective Informed Parental Consent, Associated Risk, +Indemnity Form? YES ▢ NO ▢ +Do you have trip cancellation insurance? YES ▢ NO ▢ +Please describe the contingency plan should your departure +and/or return travel be delayed: + + +TRAVEL SAFETY AND RISK MANAGEMENT +Have all travelers received (or will they all receive prior to +departure) all travel immunizations, vaccinations, and relevant +medications recommended by the CDC and their primary care +doctors? YES ▢ NO ▢ +Comments: + +Who on your chaperone team speaks the local language? + + +Page 51: + +Superintendent’s Circular CAO-25 +Page 51 of 104 + __________________________________________________________________ + __________________________________________________________________ +Have the program leader and other chaperones reviewed the +BPS Insurance Policy? YES ▢ +NO ▢ +Does each traveler have health insurance coverage abroad, +including medical and political evacuation coverage? (BPS has +this insurance for ALL BPS students and BPS chaperones.) +YES ▢ NO ▢ +Has the program leader and other chaperones reviewed the BPS +Code of Conduct? YES ▢ +NO ▢ +Have all non-BPS employed chaperones scheduled a meeting +with the DGE? YES ▢ +NO ▢ +N/A ▢ +Has the program leader attended (or will they have attended +prior to departure) BPS Risk Management Training Abroad? + YES ▢ NO ▢ +Training Date: _______________________________________________ + (Training is valid for two school calendar years.) + + + + +Page 52: + +Superintendent’s Circular CAO-25 +Page 52 of 104 +Has the program leader led BPS students abroad before? +YES ▢ +NO ▢ +When? Provide the most recent date: _______________________ +If not, what experience(s) have prepared you to lead BPS +students abroad? + +Do at least two chaperones hold valid (duration of the trip) CPR +and First Aid certification? YES ▢ +NO ▢ +Names of certified chaperones: ___________________________________ + __________________________________________________________________ +Name of chaperones: ____________________________________________ + __________________________________________________________________ +Have you completed the Emergency Action Plan (EAP) for the +country you are visiting? YES ▢ NO ▢ +Have you (or will you prior to departure) set up a Pre-Departure +Risk Management meeting with the Department of Global +Education? YES ▢ NO ▢ N/A ▢ +Have you (or will you prior to departure) submitted the +Emergency Contact List for all travelers to the Department of +Global Education? YES ▢ NO ▢ +Have you completed the Nurse Verification form? YES ▢ NO ▢ + + +Page 53: + +Superintendent’s Circular CAO-25 +Page 53 of 104 +All CAO-25 “Checklists” MUST be followed by the program leader, +other chaperones, and principal/head of school or district +department sponsoring the trip before, during, and after the trip. +Will you complete all “Checklists” before, during, and after the +trip with the consult of your principal/head of school or district +department? YES ▢ NO ▢ +SCHOOL/DISTRICT DEPARTMENT APPROVAL +_________________________________________________ ________________ + +Program Leader/Lead Chaperone +Date +_________________________________________________ ________________ + Head of School/Principal or Sponsoring Dept. +Date +Signatures above indicate approval for the trip and attest that +the CAO-25 checklist will be completed before, during, and after +the trip. +DISTRICT APPROVALS +International field trips require the District approvals below: +_________________________________________________ ________________ + +Director of Global Education +Date +_________________________________________________ ________________ + +Chief of Teaching & Learning + Date + +_________________________________________________ ________________ + +Chief Financial Officer + Date +_________________________________________________ ________________ + +Superintendent +Date + + +Page 54: + +Superintendent’s Circular CAO-25 +Page 54 of 104 + +EMERGENCY ACTION PLAN (EAP) +International Field Trips +Directions: +● The lead chaperone must complete this form prior to +departure. +● All chaperones should carry this form throughout the trip. +● Leave a copy of this form with the principal/head of school. +● Submit this form as part of your package to the district. +● Register your trip and student participants through the +Safe Traveler Enrollment Program (STEP). program +General Guidelines: +● In the event of an emergency, REMAIN CALM. +● Do not leave the injured person alone or without an adult +present. +● Call local EMS. +● Accompany any injured student to the nearest medical +facility. An adult chaperone (or adult designee) must be +present with any injured student throughout the +emergency. + + + + +Page 55: + +Superintendent’s Circular CAO-25 +Page 55 of 104 +Emergency Contacts +● Local EMS. +● Insurance (See insurance card for the appropriate # for your +destination.) +● Head of school or designee cell #_______________________and +director of Global Education (315-601-0292) for emergencies. +See Emergency Communication and Protocols packet. +● Parents/guardians must be informed and given updates +throughout the medical emergency. (Your Head of School +and DGE will help coordinate communication with +parents/family.) +U.S. State Department, the Center for Disease Control and other +reputable sources, please complete the information below: +Address and contact information for the nearest U.S. Embassy(s) +while abroad: + + +Address and contact information for the nearest embassy(s) for +non-U.S. citizen travelers while abroad: + + +Name and address of the nearest medical hospital or facility/s: + + + + +Page 56: + +Superintendent’s Circular CAO-25 +Page 56 of 104 + +PARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP +Directions: +BPS Staff: +● Use one form per trip. +● Complete the School Portion of form. +● Duplicate one form per student. +● Send a copy home for parent and student signatures. +● During the field trip, the signed, original form must be +carried by the program leader and copies by the other +chaperones. A photocopy must be left on file in the school +office. +Student First & Last Name: _______________________________________ +School: ___________________________________________________________ +Destination (s): ___________________________________________________ + __________________________________________________________________ +Purpose of Trip: __________________________________________________ +List of Activities: Parents must be informed of all activities. + + + +Page 57: + +Superintendent’s Circular CAO-25 +Page 57 of 104 +Supervision: (Check One.) + Students will be directly supervised by adult chaperones on +this trip at all times. + Students will be directly supervised by adult chaperones on +this trip with the following exceptions: +Mode of Transportation: (Check all that apply.) + walking  school bus  MBTA  Other _________________ +Students will leave from (where)_________________________at +(time) ____________________. +Students will return to (where) ____________________________at +about (time) _______________. + +Program Leader & Chaperone(s) in Charge: ______________________ + __________________________________________________________________ +Chaperone/Student Ratio: ________________ (maximum ratio 7:1) + + + + +Page 58: + +Superintendent’s Circular CAO-25 +Page 58 of 104 +STUDENT AGREEMENT +While participating in this field trip, I understand I will be a +representative of BPS and my community. I understand that +appropriate standards must be observed, and I will accept +responsibility for maintaining good conduct and abiding by +school-based rules and the Boston Public Schools’ Code of +Conduct. +_____________________________________________ ____________________ + +Student Signature +Date + + + + + +Page 59: + +Superintendent’s Circular CAO-25 +Page 59 of 104 + +PARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP +Assumption of Risk, Waiver, Release, and Indemnity Hold +Harmless Agreement + +Program leaders: Access the required Assumption of Risk, +Waiver, Release, and Indemnity Hold Harmless Agreement +template. Please make a copy of this template document before +you edit the text in RED, and then share it with the director of +Global Education. This document is to be reviewed by the +director of Global Education & BPS Legal BEFORE sharing with +parents/guardians for signature** +This document is a requirement, and a binding legal document. +Should you have any questions, please contact the Department +of Global Education. + + + + + + + + +Page 60: + +Superintendent’s Circular CAO-25 +Page 60 of 104 + +MEDICAL INFORMATION FORM +IMPORTANT NOTES: +Students may be in new and unfamiliar situations when +traveling. It is critical that this form is completed thoroughly and +accurately so we may be in the best position possible to support +you/your child. +Please indicate with an X ______ HERE if you would like to +schedule a meeting with the program leader of the trip to discuss +your child’s medical or mental health. +All students must visit their primary care doctor prior to traveling +on a BPS trip and be current on all immunizations and +vaccinations for the U.S. in addition to the recommended +immunizations and vaccinations for the country(s) to be visited. + + + + +Page 61: + +Superintendent’s Circular CAO-25 +Page 61 of 104 +STUDENT INFORMATION +Student’s Full Name +Date of Birth + +Country of Origin + +Parent/ Guardian +Name(s) + +Parent/Guardian +Address + +Parent/Guardian +Contact +Cell: +Home: +Work: + + + + +Page 62: + +Superintendent’s Circular CAO-25 +Page 62 of 104 +Emergency Contact # 1 +Emergency Contact # 2 +Name: +Relationship to student: +Address: + +Cell #: +Work #: +Email: +Name: +Relationship to student: +Address: + +Cell #: +Work #: +Email: +STUDENT HEALTH QUESTIONS +Primary care physician’s name and contact information (in case +of an emergency): + + +Health insurance provider’s name, policy #, and contact +information (in case of emergency): + + +Insurance provider claim instructions/procedures (in case of +emergency): + + + +Page 63: + +Superintendent’s Circular CAO-25 +Page 63 of 104 +Student has the following health conditions and/or allergies of +which BPS should be aware: + + +Physical health conditions: + + +Behavioral/mental health conditions: (e.g., depression, anxiety, +etc.) + + +Allergies (food, medication, insects, plants, animals, etc.): + + +Student takes the following medications (including over-the- +counter/ herbal) and/or prescriptions of which BPS should be +aware. (Be sure to complete the Medical Administration Form): + + +If medication is taken on an as-needed basis, specify the +symptoms or conditions when medication is to be taken and the +time at which it may be given again. + + +Page 64: + +Superintendent’s Circular CAO-25 +Page 64 of 104 + + +Is there any factor that makes it advisable for your child to follow +a limited program of physical activity? (i.e., asthma, recent +surgery, heart condition, fear, etc.) If yes, specify the ways in +which you wish their program limited. If the student has asthma, +please attach the asthma action plan to this medical form. + + +Are there any activities on the itinerary that your child cannot or +should not do? + + +Other than a yearly physical, is the student currently under a +physician’s or other medical professional’s care (e.g., social +worker, therapist, etc.)? If yes, please detail the reason. + + + + + + +Page 65: + +Superintendent’s Circular CAO-25 +Page 65 of 104 +Other than a yearly physical, has the student been under a +physician’s or other medical professional’s (e.g., social worker, +therapist, etc.) care anytime in the last year. If yes, please detail +the reason and dates of treatment. + + +Please list any hospital, treatment center, surgical, psychiatric, or +urgent care visits within the last year: (Please specify the date, +the reason, the physician or professional seen, and the length of +stay.) + + +Additional information of which BPS should be aware concerning +student’s health: + + + + + + +Page 66: + +Superintendent’s Circular CAO-25 +Page 66 of 104 +I authorize the release of the information given above to +chaperones and other school staff in order to coordinate services +and understand that chaperones will consult with the school +nurse about each student's health so they will be in the strongest +position to support you/your child on this program. + +________________________________________________ _________________ + +Student Signature, if at least 18 years of age +Date + +________________________________________________ _________________ + +Parent/Guardian Signature, if student is +Date + + +under 18 years of age + +▪ If necessary, attach a doctor's letter to this form. +▪ If necessary, attach the asthma action plan to this form. +▪ If necessary, attach copies that document student’s shots +and immunizations to this form. + + + + +Page 67: + +Superintendent’s Circular CAO-25 +Page 67 of 104 + +MEDICAL FORM — OVERNIGHT TRIPS +Medication Administration +Please send only essential medications with your student on this +trip and include over-the counter/herbal medications on this list. +Student Name: ___________________________________________________ +Name of Medication: _____________________________________________ +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ +Name of Medication: _____________________________________________ +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ +Name of Medication: _____________________________________________ + + +Page 68: + +Superintendent’s Circular CAO-25 +Page 68 of 104 +Time(s) to be taken: _________________________________________ +Reason for Medication: _____________________________________ +Side effects to be aware of/other information: _______________ + _____________________________________________________________ + _____________________________________________________________ +Additional information/special Instructions: + + + +I authorize my child to take the above medications on this trip. + +________________________________________________ _________________ + +Student Signature, if at least 18 years of age +Date + +________________________________________________ _________________ + +Parent/Guardian Signature, if student is +Date + +under 18 years of age + + + + +Page 69: + +Superintendent’s Circular CAO-25 +Page 69 of 104 + +NOTARIZED PARENT/GUARDIAN AIRLINE TRAVEL +CONSENT FORM +The parties to this agreement are: +Parent/ Legal Guardian: +Full Name and Surname: (hereinafter referred to as “the +Parent/ Guardian”) __________________________________________ +Physical Address: ___________________________________________ +Contact Details: _____________________________________________ + _____________________________________________________________ +Child: (hereinafter referred to as “the Child”) +Full Name and Surname: ____________________________________ + +Birth Date: __________________________________________________ + +Traveling Guardian(s) and Contact Details: (hereinafter referred +to as “The Traveling Guardians”) +Full Name and Address: _____________________________________ + _____________________________________________________________ + + +Page 70: + +Superintendent’s Circular CAO-25 +Page 70 of 104 +I hereby authorize the Child to travel with the Traveling +Guardians to the following destination: +The period of travel shall be from ____________ to ______________. +Should it prove to be impossible to notify the Parent/ Guardian of +any change in travel plans due to an emergency or unforeseen +circumstances arising, I authorize the Traveling Guardian to +authorize such travel plans. +Should the Traveling Guardian in their sole discretion (which +discretion shall not be unreasonably exercised) deem it advisable +to make special travel arrangements for the Child to be returned +home due to unforeseen circumstances arising, I accept full +responsibility for the additional costs which shall be incurred +thereby. +I indemnify the Traveling Guardian against any and all claims +whatsoever and howsoever arising, save where such claims arise +from negligence, gross negligence, or willful intent during the +specified period of this Travel Consent. +I declare that I am the legal custodian of the Child and that I have +legal authority to grant travel consent to the Traveling Guardian +of the Child. +Unless inconsistent with the context, words signifying the +singular shall include the plural and vice versa. + + + + +Page 71: + +Superintendent’s Circular CAO-25 +Page 71 of 104 +Signed at ____________________________________ on the _______day +of __________, 20____. + +Signature _____________________________________ (Parent/ Guardian) + +Signature _____________________________________________ (Witness 1) + +Signature ____________________________________________ (Witness 2) +Witness signatures must be by independent persons and not by +anyone listed on the Travel Consent form. + +On this _________ day of ___________________, 20___, before me, the +undersigned authority, personally appeared and proved to me +through satisfactory evidence of identity, to wit, to be the +person(s) whose name(s) is/are signed on the attached document +and who signed in my presence. +Official Notary Signature: _________________________________________ + +Name of Notary Typed, Printed or Stamped: + + +Commission Expires: _____________________________________________ + + + + +Page 72: + +Superintendent’s Circular CAO-25 +Page 72 of 104 + +STUDENT SUPPORT INTERNATIONAL PROGRAMS FORM +Note: This form is to be completed by students who intend to +participate in an international program. The information is +confidential, and will be used by Program Leaders to better +understand, and support the needs of students while on program +in a foreign country. +Student First & Last Name: _______________________________________ + +When preparing for your international program, please think +about the following questions, and respond as honestly as +possible in order to be supported: +What are you nervous about? ____________________________________ + __________________________________________________________________ +What are you excited about? _____________________________________ + __________________________________________________________________ +What scares you about the trip location or activities on the +itinerary? _________________________________________________________ + __________________________________________________________________ + + + + +Page 73: + +Superintendent’s Circular CAO-25 +Page 73 of 104 +When in a new environment, I get anxious when…________________ + __________________________________________________________________ +When in a new environment, I get upset when….. _________________ + __________________________________________________________________ +In order to get the most learning and benefits from this +experience, I will need ____________________________________________ + + +Given the laws, customs, and culture of the country that we are +visiting, what concerns do you have? ____________________________ + __________________________________________________________________ + __________________________________________________________________ + +Would you prefer to speak in person with a member of the +chaperone team to discuss this form, or share additional +information?  Yes  No + + + + +Page 74: + +Superintendent’s Circular CAO-25 +Page 74 of 104 + + +INTERNATIONAL PROGRAMS INCIDENT REPORT +Incident reports should be used for all yellow and red incidents +that are not fully described or investigated already through the +SOAP Note. +A. Complete all fields +School/s: ____________________________________________________ +Date of Report: _____________________________________________ +Country: ____________________________________________________ +Incident Date and Time: ____________________________________ +Reporting Chaperone: _______________________________________ + + + + +Page 75: + +Superintendent’s Circular CAO-25 +Page 75 of 104 +B. Complete all Applicable Fields +Victim(s) Name(s) +Contact Information + +Suspect(s) Name(s) +Contact Information + +Witness(s) Name(s) +Contact Information + +Location of Event +Address + + +C. Nature of Incident (check all that apply) +☐Injury +☐Equipment Failure +☐Behavioral/ +Psychological +☐Illness +☐Missing/Separated +Person +☐Natural Disaster +☐Physical Assault +☐Sexual Assault +☐Theft +☐Property Damage +☐Sexual +Harassment +☐Fatality +☐Crime +☐Political Upheaval +☐Disease Outbreak +☐Other: _________ +☐BPS Code of +Conduct violation +International Programs Incident Report, continued + + +Page 76: + +Superintendent’s Circular CAO-25 +Page 76 of 104 +D. Narrative (Using facts, describe what happened): + + + +E. Activity at Time of Incident (check all that apply) +☐Class time +☐Service +☐Homestay + + +☐Traveling +☐Fieldtrip +☐Camping +☐Hike/Jog/Walk +☐Swimming +☐Water Activity + +☐Other _____________ + +F. Contributing Factors (Check all that apply) +☐Not disclosed in Medical Form +☐Animal/Insect/Plant +☐Pre-Existing Condition +☐Alcohol/Drugs/Medication +☐Weather/Terrain +☐Motor Vehicle +☐Political/Cultural/Language +☐Pre-Course Info +☐Sports/Recreation +☐Orientation/Training +☐Other + + + + + + + +Page 77: + +Superintendent’s Circular CAO-25 +Page 77 of 104 +G. Action Taken +Details +First Aid +When +By Whom +Type (ie. +Medication, CPR, +etc.) + +Emergency +Evacuation + + +Visit Medical +Facility +Name of Facility +Doctor/PA/Nurse +Reported +Diagnosis +Medication +Prescribed + + +Emergency +Contact Person +Notified? +☐Yes ☐ No Name: +Date and Time Contacted: +Notes: + + +Page 78: + +Superintendent’s Circular CAO-25 +Page 78 of 104 +Department of +Global Education +(DGE) Contacted? +☐Yes ☐ No Name: +Date and Time DGE Contacted: +Notes: + + +Insurance +Contacted? +☐Yes ☐ No Name: +Date and Time Contacted: +Claim #: +Notes: + +Local Authorities +Notified? +☐Yes ☐No +Date and Time Notified: +Organization: +Authority Name(s): +Notes: + +Follow up Plan +Details: + +_______________________________________________ __________________ + + +Page 79: + +Superintendent’s Circular CAO-25 +Page 79 of 104 + +Signature of Reporting Chaperone +Date +File this International Incident Programs Report along with any +accompanying reports/documents from local law enforcement, +medical professionals and/or International Programs Witness +Report via email if possible OR as soon as circumstances permit. +Turn in the original report to the DGE as soon as you return to +Boston. Incident reports require at least one witness signature, +and where possible the signatures of all impacted participants. + +_______________________________________________ __________________ + +Signature of Witness +Date + +Signatures of those impacted: +_______________________________________________ __________________ + + +Date + +_______________________________________________ __________________ + + +Date + +_______________________________________________ __________________ + + +Date + + + + +Page 80: + +Superintendent’s Circular CAO-25 +Page 80 of 104 + +SOAP NOTE +SOAP Notes should be used for live documentation of all health- +related incidents requiring further monitoring and/or evacuation. +SOAP Notes should be attached to the corresponding Incident +Report. +Subjective: What the patient tells you. Note the chief +complaint(s): + + + + +Objective: What you see; vital signs; general survey of patient: + + + + + + + +Page 81: + +Superintendent’s Circular CAO-25 +Page 81 of 104 +Assessment: What you think is going on; diagnosis presented by +medical professional: + + + +Anticipated Problems: + + + +Plan: What will be done about it; Tests ordered, medications +prescribed, follow up needed: + + + +_______________________________________________ __________________ + +Signature of Reporting Chaperone +Date +File this SOAP Note along with any accompanying +reports/documents from local law enforcement, medical +professionals and/or International Programs Witness Report via +email if possible OR as soon as circumstances permit. Turn in the +original report to the DGE as soon as you return to Boston. + + +Page 82: + +Superintendent’s Circular CAO-25 +Page 82 of 104 + +INTERNATIONAL PROGRAMS WITNESS REPORT +Witnesses shall use this form to provide a statement of their +observations to accompany the Incident Report Form. +Witness Statement of: ____________________________________________ +Phone Number: __________________________________________________ +Address: __________________________________________________________ + __________________________________________________________________ +Description of Incident: + + + + + +I believe the contents in this statement are true. + +_______________________________________________ __________________ + +Witness Signature +Date + + +Page 83: + +Superintendent’s Circular CAO-25 +Page 83 of 104 + +INTERNATIONAL PROGRAMS INCIDENT INVESTIGATION LOG +This template can be used to take running notes during an +investigation. +Event +Time +Location +Parties Involved +Source of +Information + + + + + + + + + + + + + + + + + + +Page 84: + +Superintendent’s Circular CAO-25 +Page 84 of 104 +Event +Time +Location +Parties Involved +Source of +Information + + + + + + + + + + + + + + + + + +_______________________________________________ __________________ + +Signature of Investigator +Date + + + + +Page 85: + +Superintendent’s Circular CAO-25 +Page 85 of 104 + +FIRE PREVENTION AND SAFETY PRACTICES +International & Overnight Programs +Fire safety plans on overnight and international programs differ +from the procedures set for our schools. The laws that regulate +fire prevention may differ from what exists in Massachusetts. The +steps below must be followed on all overnight and international +programs: +1. Conduct A Fire Prevention Assessment +The program leader must conduct a fire safety prevention +assessment using the Fire Prevention and Safety Form +(Attachment A) within 24 hours of arrival. Using the Fire +Prevention and Safety Form, the program leader shall formulate +a plan for the evacuation of all persons on the trip in the event of +a fire or other emergency. This plan shall include alternate means +of egress and should be created in consultation with an +accommodation staff person, and if applicable, the third-party +provider. + +2. Prepare Chaperone Team on Fire Prevention Strategy +Based on the results from the Fire Prevention and Safety Form, +the program leader should ensure that each staff member +receives and understands the fire prevention landscape and has + + +Page 86: + +Superintendent’s Circular CAO-25 +Page 86 of 104 +instructions on the fire drill procedure created for the +accommodation. Questions to review include: +A. What are the best means of egress in case of a fire? +(Consider all rooms students and staff are staying in +and all places where the group may congregate. Use +the hotel’s posted evacuation routes if applicable.) +B. Where is the designated meeting point? (This meeting +point should be a safe distance from the building, but +easy for the group to identify and locate.) +C. Who is responsible for each student? (Attendance +must be taken; if chaperone ratios permit, the lead +chaperone should not be assigned to a group and +should serve as contact person for emergency +personnel.) +D. What are some hazards that students and chaperones +should be aware of? +E. What happens in the case of a missing person? +3. Review Prevention Strategy with Students and Conduct a +Fire Drill +The lead chaperone and the chaperone team will review the fire +prevention strategy and conduct a fire drill (walkthrough) with +the students within the first 24 hours of the trip. Conducting a +fire drill (walkthrough) is important as participants are unfamiliar +with the building. + + + + +Page 87: + +Superintendent’s Circular CAO-25 +Page 87 of 104 +Instructions For Fire Drills +Since each accommodation is different, each plan and drill will +vary. Regardless of the accommodation, it is critical that a +procedure is in place for evacuating the building, each chaperone +knows their responsibilities, every student participates in the fire +drill (walkthrough), and each person knows the meeting location +when evacuated from the building. Please note: A fire drill as +defined here is a walkthrough of the route the group will take to +exit the premises in the event of an emergency. +A few general instructions: +• Evacuate immediately. +• Do not use elevators during a fire evacuation. +• Each student should walk to the designated meeting +location outside of the building in a quiet and orderly +manner. +• Make sure all students know all possible exits from their +area and that students know where the meeting location is +outside of the building. +• Fire drill plans must ensure adequate procedures for the +emergency evacuation of students and staff with disabilities. +(Have a staging location for students/staff with disabilities +and make sure hotel/hostel personnel are also aware.) +• Chaperones are responsible for students under their +supervision and must take attendance. +• Upon the evacuation of a building, no person or persons +shall re-enter the building without the authorization of the +lead chaperone. The lead chaperone, as a part of their fire + + +Page 88: + +Superintendent’s Circular CAO-25 +Page 88 of 104 +drill procedures, must establish a command procedure for +such evacuations. +4. Conduct a Post-Fire Drill Debrief +After the fire drill, the chaperone team should set aside time to +debrief. Record response on Attachment A. + + + +Page 89: + +Superintendent’s Circular CAO-25 +Page 89 of 104 + +FIRE PREVENTION AND SAFETY ASSESSMENT FORM +Directions: For each accommodation, please complete and upon +your return, file this form with other documents you are +mandated to keep. Legally, these documents must be kept on file +for the current fiscal year plus three additional years after the +field trip has occurred. +Building: +Program Leader: ___________________________________________ +Date of the Safety Prevention Assessment: _________________ +Name/s of Staff and Their Titles Consulted for Assessment +(accommodation staff/ program provider staff): + _____________________________________________________________ + _____________________________________________________________ +Outside the Building: +List the possible hazards in the area: + +Can the accommodation be accessed by a fire department +or emergency teams? + ▢ YES ▢ NO + + +Page 90: + +Superintendent’s Circular CAO-25 +Page 90 of 104 +Inside the Building: +Equipment: +Does the building have fire alarms? + + +▢ YES ▢ NO +Are there fire sprinklers? +▢ YES ▢ NO +If yes, where are they located? + +Is there adequate lighting in the corridors? +▢ YES ▢ NO +Are there clear exit signs? +▢ YES ▢ NO +Are there fire alarm pull stations? +▢ YES ▢ NO +Are the fire alarm pull stations visible and +accessible? +▢ YES ▢ NO +Are there fire extinguishers? +▢ YES ▢ NO +If yes, where? + +Are there smoke detectors in the corridors and in every +room where participants are staying? +▢ YES ▢ NO + + + + +Page 91: + +Superintendent’s Circular CAO-25 +Page 91 of 104 +Hazards: +List the potential fire hazards at the site: + +Are there notable fire hazards such as open fire doors, +accumulated trash, blocked corridors, locked exit doors, +blocked stairways, burned out exit lights or missing/broken +fire equipment? +▢ YES ▢ NO +Means of Evacuation/Egress +Does the facility have an evacuation plan for each room? (If +not, be sure that when you conduct a fire drill (walkthrough) +that you develop a plan for leaving the room.) +▢ YES ▢ NO +What are the means of egress? + +Are there primary exits and alternate exits? +▢ YES ▢ NO +Note locations: + + + + + +Page 92: + +Superintendent’s Circular CAO-25 +Page 92 of 104 +Fire Drill/Walkthrough Plan: (Please record notes below.) + + +Post-Drill Debrief: +Date and Time of the Fire Drill: ___________________________________ + +Did the students and chaperones follow the procedures of the +fire drill? +▢ YES +▢ NO +If no, why not? + + +Based on this debrief, either inform the students of your findings +for adjustments, or if necessary, conduct another fire drill. Once +the safety review and drill are completed, please sign below. + +________________________________________________ _________________ + +Signature of Program Leader +Date + + + + + +Page 93: + +Superintendent’s Circular CAO-25 +Page 93 of 104 + +BPS STUDENT TRAVELER & FAMILY AGREEMENT FORM +Overview: Positive behavior is a key expectation for students +participating in domestic and international travel opportunities. +Positive behavior reflects trustworthiness, respect, responsibility, +ambassadorship, and service. Participants are expected to fully +participate, follow all program guidelines, and behave +appropriately to ensure a high-quality learning experience. +Parent/guardians: please read this contract carefully with your +student and sign it. Students: your signature on this contract +seals your commitment to follow behavior expectations leading +up to, and during your school trip. + __________________________________________________________________ +BEFORE I GO ON THE TRIP: (STUDENTS) +● I understand that my acceptance to a trip prior to +departure does not guarantee that I will be allowed to +attend. +● I have access to my school's handbook which includes all +BPS and school rules and the BPS Code of Conduct. +● I know that it is my responsibility to follow all BPS rules and +guidelines set by the administrator or chaperone. +● I will attend all mandatory pre-departure meetings and +complete all mandatory paperwork. +● I will not violate the BPS Code of Conduct. + + +Page 94: + +Superintendent’s Circular CAO-25 +Page 94 of 104 +● I will not distribute or consume alcohol or drugs (including +edibles), and/or encourage actions that are against the BPS +Code of Conduct or law. +● I will not pack any illegal or inappropriate items (i.e., items +in violation of the BPS Code of Conduct, including, but not +limited to: weapons, alcohol, edibles, drug paraphernalia). +● I will be compliant with any guidelines set by the school, +administrator, or chaperone regarding program +expectations and any required materials, such as +completed projects, journals, and service hours. +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such +consequences include, but are not limited to, not being +allowed to participate in the international trip program. +WHILE I AM ON THE TRIP: (STUDENTS) +● I will not violate the BPS Code of Conduct +● I will ask for help from the adults when needed. +● I will treat my peers, all adults and all people with the +utmost level of respect. +● I will not purchase, distribute, or consume any illegal or +inappropriate items; (i.e., items in violation of BPS Code of +Conduct, including, but not limited to: weapons, pepper +spray, alcohol, edibles, drug paraphernalia) even if these +substances are legal in the state or foreign country, or I am +of legal age in the foreign country. + + +Page 95: + +Superintendent’s Circular CAO-25 +Page 95 of 104 +● I will use social media responsibly during the trip, and will +not post or communicate any information regarding other +students during an emergency situation. +● I will abide by the established curfew, and sleep in my +assigned bed, alone, and sleeping location each night. +● I will not vandalize any property at any venue I visit (hotel, +tour bus, tourist sites, homestay location). +● I will obey the BPS dress code, as well as the suggested +attire for the foreign country, and specific sites and +locations within the foreign country I will visit. +● I will not share any medication with anyone on the trip. +● I will take medication prescribed for me by my doctor for +required or recommended medical use while abroad (i.e., +malaria pills, asthma inhaler, prescriptions for anxiety, +depression). +● I will not leave the group at any time unless specifically +authorized to do so. +● I will practice good common sense, respect, and +consideration for others and their property. +● I understand that I am responsible for keeping my passport, +important belongings and other travel documents safe. +● I understand that partaking in any illegal activity abroad +can result in my arrest. +● I understand that if an issue of any kind arises, my +chaperone will address the issue, and their decision is final. +● I know that if I do not act appropriately, or if I violate any +rule, that there are consequences for my actions. Such + + +Page 96: + +Superintendent’s Circular CAO-25 +Page 96 of 104 +consequences include, but are not limited to, being sent +home at my parent/guardian's expense. + +PARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: +I fully understand the following conditions regarding student +international travel with BPS: +● The BPS Code of Conduct applies on all field trips. Following +an investigation, if the program leader, in consult with the +principal/head of school and central office staff, determines +that a student’s conduct, while on an overnight trip, poses a +risk to themselves or the safety of the group, or is no longer +manageable by BPS staff in the field, the district reserves +the right to request and arrange for that student to return +home. The district also reserves the right to request that +families assume responsibility for all or a portion of the +costs associated with their child’s return. Students may be +subject to further disciplinary action and will be provided +the opportunity to have a formal hearing at the school level +upon return. +● If a student is to be dismissed from an +international/overnight field trip due to behavior that +violates the BPS Code of Conduct while participating in a +domestic overnight or international trip, the student’s +parent/guardian must be notified in advance and should +agree to meet the student at the airport or other agreed +upon destination. If the parent/guardian is not reachable, +the student’s principal or appropriate school-based point of +contact must be notified and agree to meet the student at + + +Page 97: + +Superintendent’s Circular CAO-25 +Page 97 of 104 +the airport, or other agreed upon destination. Students +under the age of 16 must be accompanied on their flight by +a chaperone. Students over the age of 16 may fly +unaccompanied, though a chaperone must accompany the +student to the airport to ensure the student checks in for +their flight. (Age requirements may be subject to specific +airline/train/bus guidelines). Any costs assumed in this +regard will be the responsibility of the parent/guardian. +● Parents or students who sign contracts, and or agreements +with third party company vendors, acknowledge that +outside companies protocols and procedures might differ +from BPS policies and procedures. Families should +especially be aware of cancellation and refund policies. BPS +is not responsible for money paid to third party vendors. +● BPS reserves the right to cancel a trip at any time. Trip +destinations that impose an immediate risk to our students +will be canceled. In these instances all families will be +notified immediately. + +(Families keep this page) + + + + +(Program leaders keep this page.) + + +Page 98: + +Superintendent’s Circular CAO-25 +Page 98 of 104 +STUDENT/GUARDIAN STATEMENT OF UNDERSTANDING +We have read and understand the BPS Student Traveler & Family +Agreement Form. We understand what is expected of the +prospective student traveler and feel that we, the +parent/guardian and student, can commit to these expectations. + +PARENT/GUARDIAN (Print Name) ________________________________ +PARENT/GUARDIAN (Signature) __________________________________ +DATE: ____________________________ +PHONE NUMBER: ________________________________ +STUDENT (Print Name) ___________________________________________ +STUDENT (Signature) _____________________________________________ +DATE: ____________________________ +PHONE NUMBER: ________________________________ + + +(STUDENTS RETURN THIS PAGE TO YOUR PROGRAM LEADER) + + + +Page 99: + +Superintendent’s Circular CAO-25 +Page 99 of 104 + +BPS CHAPERONE AGREEMENT FORM +This form is to be completed by all chaperones of BPS Sponsored +field trips and submitted to the program leader (lead chaperone). +School Name: ____________________________________________________ +Destination: ______________________________________________________ +Departure Date: __________________ Return Date __________________ + +All chaperones must agree to abide by the following code of +conduct to participate in a BPS sponsored field trip. +SAFETY & RESPONSIBILITY +I understand that my safety, and the safety of other participants +is extremely important during this field trip, and I agree to make +safety my first priority. I agree to conduct myself in a manner that +promotes my safety, and the safety of others at all times. I +understand that maintaining students’ safety requires that +students must be supervised by me and/or other chaperones at +all times while students are engaged in field trip activities. For +overnight and international field trips, I understand that +nighttime curfews, and room checks for students, as well as +morning wake up calls for students are part of my responsibility. I + + +Page 100: + +Superintendent’s Circular CAO-25 +Page 100 of 104 +agree to follow BPS policies, protocols, and guidance of BPS staff +when in the field. +DRUG & ALCOHOL POLICY +I understand that the BPS Code of Conduct prohibits students +from possessing, using, selling and/or distributing any of the +following on all domestic and international field trips: +Alcohol; marijuana, non-prescribed controlled substances, +imitation controlled substances, inhalants, other intoxicants, +controlled or drug paraphernalia; unauthorized possession, use or +distribution of over the counter medication, and selling of +prescription drugs. The Code also prohibits the use of tobacco +products (including e-cigarettes, hookah paraphernalia, and +vapor cigarettes). I understand that these prohibitions apply to all +students, regardless of age. +I understand that I am forbidden to use or visibly be in possession +of tobacco in the presence of students. I also understand that the +use of all other drugs, including alcohol, and weapons are strictly +prohibited on the field trip. + +Chaperone Name (Printed): ______________________________________ +Chaperone Name (Signature): ___________________________________ +Date: _____________________________ + +CAO-25: INTERNATIONAL TRIP REQUEST + + +Page 101: + +Superintendent’s Circular CAO-25 +Page 101 of 104 +Attachment: Nurse Verification Form +OVERVIEW & INSTRUCTIONS +This is a mandatory risk management procedure. Please +complete this form at least 10 weeks prior to departure. +It is BPS’ goal that you are in the strongest position to support +each student’s health while abroad. Program leaders must review +all students’ medical forms and consult with the school nurse to +ensure all documents are accurately completed. +Please note: the school nurse does not “clear” students for travel +but will provide trip leaders/chaperones with guidance in +supporting students medically while traveling. Program leaders +shall consult with, and when necessary, receive training from and +obtain written comments from the school nurse regarding any +students who have expressed medical needs (e.g., medication, +asthma, allergies, etc.). +It is important for program leaders and chaperones to know that +many students and families omit medical information from +permission slips for a variety of reasons, and in some cases +Program leaders discover medical conditions that the nurse was +not aware of. Therefore, it becomes a collective duty to ensure +that we have the most up to date medical information for all +student travelers. Program leaders should actively discuss the +importance of honesty and full medical disclosure with students +and families at one of the pre-departure meetings. +School nurses can assist with the following (list is not limited to +what is below): + + +Page 102: + +Superintendent’s Circular CAO-25 +Page 102 of 104 +● A student's current medical status/current immunization +record +● Background information regarding a particular medical +condition +● Specific medication instructions and training for +medication application if necessary +● Epi Pen instructions +● Can help determine appropriate trip accommodations and +considerations for the student traveler +● Can further consult with outside medical professionals who +are involved with the student’s medical needs. i.e. social +workers, occupational therapist and the child’s primary care +physician. +Program leaders must provide the nurse with the following +information and a student traveler roster: Trip destination, dates, +and draft itinerary. The Nurse Verification Form to follow must +be submitted 10 weeks prior to departure. It may be mailed or +scanned to DGE. For additional questions please contact Kayla +Dorsey-Twumasi, Director of Global Educcation. + + + + +Page 103: + +Superintendent’s Circular CAO-25 +Page 103 of 104 +CAO-25: INTERNATIONAL TRIP REQUEST +ATTACHMENT: NURSE VERIFICATION FORM +School/trip Name: _______________________________________________ +Trip Destination: _________________________________________________ +Dates of Travel: __________________________________________________ +Trip Leader Name: ______________________________________________ +School Nurse Name: _____________________________________________ +School Nurse Phone Number: ____________________________________ +School Nurse Email: ____________________ @Bostonpublicshools.org +PROGRAM LEADER: +Please sign this form to verify that you have consulted with your +school nurse regarding your student traveler roster, retain a copy +for your file, and submit the original to the department of global +education. +Your signature indicates that you read and understand the +policies in this circular and that they have been/will be followed. +Additionally, your signature indicates that you have read and +understand the nurse verification protocol. +________________________________________________ _________________ + +Signature of Trip Leader +Date + + +Page 104: + +Superintendent’s Circular CAO-25 +Page 104 of 104 +SCHOOL NURSE +Your signature indicates that the above trip leader has shared the +proposed international trip, student traveler roster, and medical +forms with you. If they have completed this mandatory step, +please sign below to verify that. + +________________________________________________ _________________ + +Signature of School Nurse +Date + + diff --git a/data/data_txt1/Academics (CAO)/CAO-27 Water Activities on Field Trips.txt b/data/data_txt1/Academics (CAO)/CAO-27 Water Activities on Field Trips.txt new file mode 100644 index 0000000..951547f --- /dev/null +++ b/data/data_txt1/Academics (CAO)/CAO-27 Water Activities on Field Trips.txt @@ -0,0 +1,390 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +CAO-27 +Version 01 + +GENERAL GUIDELINES AND PROCEDURES FOR +WATER ACTIVITIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +IMPORTANT NOTE: These guidelines might be impacted by +COVID-19 restrictions and are subject to change based on public +health, international security, or other emergent issues that could +impact travel. For the most up-to-date information and guidance, +contact OPL@bostonpublicschools.org for assistance/guidance. + +This Superintendent’s Circular provides instructions for +implementing the Field Trip Policy passed by the Boston School +Committee on November 20, 2019. +This circular MUST be read in its entirety by program leaders +(chaperones), principal/head of school and/or the district +department sponsoring a field trip that includes an IN the water +or ON the water activity. These parties are responsible for +ensuring that all field trip policies and procedures as outlined in +this circular AND all applicable field trip circulars (CAO-23, 24, +and 25) are adhered to. +WATER ACTIVITIES +• If your trip involves ON or IN water activities, you must + + +Page 2: +Superintendent’s Circular CAO-27 +Page 2 of 13 + +contact the Department of Global Education immediately +to submit a mandatory Water Activity Request Form 16 +weeks in advance to ensure that the site location for the +water activity has up-to-date insurance, a safety plan, and +certification documentation on file with the district. +• For water activities: The student-to-chaperone ratio must +remain 10:1 at all times during swimming for all grade +levels. (This ratio does not include the lifeguards on duty.) +SWIMMING (IN THE WATER) +• Instructional swimming is permitted only if proper +swimmer-lifeguard ratios are maintained (20:1); the +swimming teachers hold valid American Red Cross or +YMCA Lifeguard Instruction/ Water Safety Instruction, +CPR/AED, and First Aid certificates; the site is nationally +recognized for swim instruction (e.g., YMCA); and +parents/guardians are informed in the appropriate +Parental Authorization for Field Trip form. +Parents/guardians must be given sufficient information +to understand the nature and scope of the activity(s). +• Principal/head of school is responsible for ensuring these +requirements are met and must receive written +documentation of all listed guard and instructor +certifications. Copies of these certifications, along with +students’ permission slips, must be kept on file for the +current fiscal year plus three additional years. +• Therapeutic/adaptive swimming for students with +disabilities is permitted only with individuals with +Therapeutic/Adaptive Swim certification or licensure +and proper swimmer-lifeguard ratios are maintained + + +Page 3: +Superintendent’s Circular CAO-27 +Page 3 of 13 + +(10:1); and parents/guardians are informed in the +appropriate Parental Authorization for Field Trip form. +Parents/guardians must be given sufficient information +to understand the nature and scope of the activity(s). +• Recreational swimming is NOT permitted on BPS field +trips. +WATER ACTIVITIES (ON THE WATER) +• Water activities are permitted involving larger +commercial or passenger vessels which meet U.S. Coast +Guard standards for safety and hold a valid Certification of +Compliance for the state or its international equivalent +(Please note: There must be one life jacket per +passenger). In addition, be sure the water-related activity +is clearly listed in the appropriate Parental Authorization +for Field Trip form. Parents/guardians must be given +sufficient information to understand the nature and +scope of the activity(s). +• Water activities such as kayaking, rowing, and canoeing +(or the equivalent where the movement of a craft +depends on the physical endurance of its operator) and +travel in small watercraft are not permitted on a BPS field +trip unless a request is submitted and approved by the +district. (Please note: There must be one life jacket per +passenger.) These requests are submitted to and +reviewed by the Department of Global Education. +Significant lead time is needed (16 weeks or more) to +allow for safety requirements to be met. +• The sponsoring water venue/facility must provide the +following documents to the district annually: 1) Safety + + +Page 4: +Superintendent’s Circular CAO-27 +Page 4 of 13 + +Plan; 2) Liability Insurance; and 3) Lifeguard Certification. +CHAPERONE REQUIREMENTS: +• The program leader (lead chaperone) must be a BPS +employee. Other authorized chaperones may include +parents and guardians 21 years of age or older. +• Chaperones must be equipped with hand sanitizer and +additional masks if the need arises for staff and students. +• All chaperones must complete the Chaperone Agreement +Form. +• All non-BPS employee chaperones must submit a +yearly CORI/SORI authorization form to the Office of +Human Capital. Complete the eCORI form online at this +link. Contact the BPS Office of Human Capital (OHC) for +CORI check and confirmation support. The +principal/head of school and the lead chaperone are +responsible for submitting authorization forms to OHC +and must not allow chaperones to take part in activities +until they have been CORI/SORI cleared. Non-BPS +employee chaperones (parents/guardians) must show +proof of vaccination or a negative COVID-19 test within 24 +hours of the field trip. Non-BPS employees who +chaperone on a field trip are not covered for liability by +the Boston Public Schools. +• The program leader must be sure that all chaperones, +including non-BPS chaperones, are informed of, adhere +to, and uphold the BPS Code of Conduct and other +district and school-based rules. +• Chaperones who are parents/guardians of BPS students + + +Page 5: +Superintendent’s Circular CAO-27 +Page 5 of 13 + +on the trip must provide the same level of care and +attention to ALL student participants. If a BPS +chaperone’s child who does not attend the participating +school must attend the program, the child must be a BPS +student and in the same grade or age range as +participating students. In this case, the BPS employee is +responsible for incurring all costs associated with their +child’s participation. +• Tour guides and employees of third-party vendors +contracted to help operate the trip are not considered +chaperones and do not factor into the student-to- +chaperone ratio. +➤ For Day & Water Field Trips, the Department of Safety Services +(617-635-8000), must be notified in the event of a serious medical +or other emergency and should be used as a resource for +questions regarding safety on day field trips, including WATER +ACTIVITY day trips. + + + + + + + +Page 6: +Superintendent’s Circular CAO-27 +Page 6 of 13 + +For more information about this circular, contact: + Owner: +Chief of Teaching and Learning +Department: +Department of Global Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +315-601-0292 +Email: +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 7: +Superintendent’s Circular CAO-27 +Page 7 of 13 + +BOSTON PUBLIC SCHOOLS +WATER ACTIVITY REQUEST FORM + +DIRECTIONS: +1. This form must be submitted for water activities at least +16 weeks in advance for the proposed water activity to be +considered. Please email this form to +OPL@bostonpublicschools.org and confirm its receipt. +2. One form should be completed per field trip. However, if +there are multiple “water activities” planned, each water +experience must be listed separately. For example, if you +are taking students on a service-learning trip for one +week and would like students to participate in a water +activity on multiple days, each separate excursion should +be listed, even if the excursion is at the same location. +3. Requests will be reviewed and schools will receive an +answer regarding their requests in 2-3 weeks. + +TO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL +Date request submitted: _________________________________________ +Date(s) of field trip: _______________________________________________ +School: ___________________________________________________________ + +Principal/Head of School /District Department Name: + + +Page 8: +Superintendent’s Circular CAO-27 +Page 8 of 13 + + __________________________________________________________________ +Trip leader’s name, role, and contact number: + __________________________________________________________________ + __________________________________________________________________ +Chaperones’ names and roles in school: + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Vendor/Organization: ____________________________________________ +What is the purpose of the water activity? How does the water +activity add to the overall trip experience?________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +Number of students participating in the field trip: ________________ +Grade level and ages of students: _________________________________ + + +Page 9: +Superintendent’s Circular CAO-27 +Page 9 of 13 + + +Please complete the information below for each water activity +planned for students: + +Water Activity # ________ +Date + +Hours + +Water Activity +Location +(Address) + + +Water Activity +(i.e., canoeing) + +Site Contact +Person + + +Site Contact’s +Email & Phone # + + +Water Activity # _______ + + +Page 10: +Superintendent’s Circular CAO-27 +Page 10 of 13 + +Date + +Hours + +Water Activity +Location +(Address) + + +Water Activity +(i.e., canoeing) + +Site Contact +Person + + +Site Contact’s +Email & Phone # + + + + + +Principal/Head of School /District Department’s Signature + +Date: ________________________________ + + + + +Page 11: +Superintendent’s Circular CAO-27 +Page 11 of 13 + +BOSTON PUBLIC SCHOOLS +WATER ACTIVITY ADDENDUM TO PARENTAL AUTHORIZATION +FIELD TRIP FORM FOR “ON” WATER ACTIVITIES +Directions: +1. This form must be used if a water activity such as kayaking, +rowing, or canoeing, or riding on a boat is listed as a possible +activity on the Attached Parental Authorization Field Trip +form for this field trip. +2. Complete the school portion of this form and attach it to the +appropriate Parental Authorization Field Trip form for +parent/guardian. +Parent/legal guardian, if student is under 18 years of age, or +student, if at least 18 years old: Complete the Authorization & +Acknowledgement of Risk Section. +➤ If a student does not wear a life jacket, the student may not +participate in the water activity. +School Name: ____________________________________________________ +Student Name: ___________________________________________________ +Date(s) of Trip: ____________________________________________________ +Water Activity Location(s): ________________________________________ +List of Water Activities: __________________________________________ + __________________________________________________________________ + + +Page 12: +Superintendent’s Circular CAO-27 +Page 12 of 13 + +AUTHORIZATION AND ACKNOWLEDGEMENT OF RISKS +I understand that participation in this field trip may involve water +activities, including but not limited to boating. I understand that +participation in these activities is voluntary and may expose +me/my child to some risks(s). I assume responsibility for any risk +of personal or property damages arising out of or related to +my/my child’s participation in this boating and/or other water +related activity, including acts of negligence or otherwise. I +further agree to hold harmless BPS and any of the individuals +and other organizations associated with BPS in this activity from +any claim or liability arising out of my/my child’s participation in +this activity. I authorize myself/my child to participate in the +planned components of the field trip to the extent indicated by +my signature below. +➤ If the applicant is at least 18 years of age, the following +statement must be read and signed by the student: +I certify that I am at least 18 years of age, that I have read and +understand the above Agreement, and that I accept and will be +bound by its terms and conditions. + + ________________________________________________________________ ____________________________ +Student Signature +Date + + + + + +Page 13: +Superintendent’s Circular CAO-27 +Page 13 of 13 + +➤ If the applicant is under 18 years of age, the following +statement must be read and signed by the student’s parent or +legal guardian: +I certify that I am the parent/legal guardian of the applicant, +that I have read and understand the above Agreement, and that +I accept and will be bound by its terms and conditions on my +own behalf and on behalf of the student. + + ________________________________________________________________ ____________________________ +Parent/Guardian Signature +Date + +Emergency Contact’s Name (other than parent/guardian): + __________________________________________________________________ +Relationship to Student: _________________________________________ +Emergency Contact’s Telephone Number: _______________________ + + diff --git a/data/data_txt1/Athletics (ATH)/ATH-01 Prevention and Management of Sports-Related Head Injuries.txt b/data/data_txt1/Athletics (ATH)/ATH-01 Prevention and Management of Sports-Related Head Injuries.txt new file mode 100644 index 0000000..de3932a --- /dev/null +++ b/data/data_txt1/Athletics (ATH)/ATH-01 Prevention and Management of Sports-Related Head Injuries.txt @@ -0,0 +1,237 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +ATH-01 +Version 01 + +PREVENTION AND MANAGEMENT OF SPORTS-RELATED +HEAD INJURIES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +BACKGROUND +A concussion is a type of traumatic brain injury caused by a +bump, blow, or jolt to the head that can affect brain functioning. +Concussions can also occur from a blow to the body that causes +the head to move rapidly back and forth. Even a mild bump or +blow to the head can be serious. +Concussions can occur in any sport or recreational activity. +Children who return to play while still experiencing symptoms of +a concussion are more likely to have another concussion or other +lasting effects and symptoms. This circular outlines +responsibilities of all who are involved in athletic participation. It +includes the following components: +● Pre-participation examination, including a history of +previous concussions. +● Protocols for assessing and managing a child who has a +concussion on the field. +● Protocols for returning a child who has had a concussion to +full participation. +● Academic assessment and accommodation for a child with +continued symptoms that interfere with cognitive function +and academic progress. + + +Page 2: +Superintendent’s Circular ATH-01 +Page 2 of 7 +● Prevention of head injuries and health promotion activities +that contribute to safe sports participation. +HEADS OF SCHOOL AND PRINCIPALS SHALL BE RESPONSIBLE +FOR: +● Support and enforce the utilization of appropriate protocols, +required documentation, training, and reporting outlined in +these procedures. +● Supervising and reviewing that all documentation is in +place. +○ All active coaches must complete the annual +concussion certification required by the +Commonwealth of Massachusetts. +COACHES, CERTIFIED ATHLETIC TRAINERS, ATHLETIC +COORDINATORS, SCHOOL NURSES, AND VOLUNTEERS (EMS, +SPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR: +● Completing the annual educational training on +identification and management of head trauma. +● Ensuring and documenting that all students/families have +submitted: +○ Updated physical examinations consistent with +Commonwealth of Massachusetts and Massachusetts +Interscholastic Athletic Association (MIAA) sports +participation guidelines. +○ Consents for: participation in athletics, emergency on- +field care, non-emergent injury or illness evaluation +and associated follow up treatment related to athletics, +documentation, travel, and medication. + + +Page 3: +Superintendent’s Circular ATH-01 +Page 3 of 7 +○ Completed department pre-participation forms (BPS +Sports Medical Questionnaire) before participating in +practice or extracurricular athletic activities. +○ Commonwealth of Massachusetts head injury form. +○ An indication that the family has reviewed educational +materials about concussion. +● Ensuring that the medical history questionnaire and pre- +participation sports physical form(s) are delivered to the +school nurse and certified athletic trainer (ATC) in a time +frame consistent with the sport. The school nurse and +athletic trainer will discuss any student with a concussion +history (as indicated by the athlete's primary care physician, +pre-participation sports physical, or parent history) with +their coach. All athletes must be cleared by the school +nurse and athletic trainer in order to play. +● Teaching techniques aimed at minimizing sports-related +head injury: +○ Discouraging and prohibiting student athletes from +engaging in any unreasonably dangerous athletic +technique that endangers the health or safety of a +student, including using a helmet or any other sports +equipment as a weapon. +○ Identifying students with head injuries or suspected +concussions that occur in play or practice and +removing them from play, using either: +■ Coach/volunteer recognition of potential head +injury +■ Sideline assessment of concussion evaluation for +MDs and ATCs. + + +Page 4: +Superintendent’s Circular ATH-01 +Page 4 of 7 +● The results of the evaluation or screening tool must be +available to the school nurse and parent/guardian, who will +forward it to the PCP or other designated physician. +● The coach, athletic trainer, or physician who observed and +evaluated the concussion shall complete the DPH +Commonwealth of Massachusetts Report of Head Injury +During Sports Season form and the Department Report of +Head Injury form and transmit it to the athletic director, the +parent/guardian, the school nurse, and the athletic trainer. +● Communicating promptly with the parent/guardian of any +student removed from play and providing them with +documentation to bring to the student athlete’s PCP or +other designated physician. This documentation must +include the DPT Commonwealth of Massachusetts Post +Sports-Related Head injury Medical Clearance and +Authorization form. This form must be completed by the +physician and returned to the school nurse and athletic +trainer. This form will be reviewed by the school nurse or +athletic trainer and is required before the student athlete is +allowed to begin a Return to Play protocol. +● No student can return to play without clearance by the +school nurse or athletic trainer in consultation with a +physician per 105 CMR 201. +● All student athletes who have sustained a concussive event +must complete a graduated Return to Play protocol unless +otherwise stipulated by the treating physician, assuring that +all documentation is in place by conducting an annual +compliance audit. This includes documentation that all +students have: + + +Page 5: +Superintendent’s Circular ATH-01 +Page 5 of 7 +○ pre-participation PEs, consent forms, and +parent/athlete sign off that concussion information has +been reviewed. +○ list of all students with concussion +○ documentation of follow up for each student with +concussion; documentation that athlete is cleared to +play. +THE SCHOOL NURSE AND ATHLETIC TRAINER WILL BE +RESPONSIBLE FOR: +● Completing the required annual educational training on +concussion: +○ School nurses will complete the Concussion +Management in Massachusetts Schools course +provided by Boston University School Health Institute +annually. +● Reviewing any questions raised by the athletic director +and/or coaches, reviewing all medical questionnaires and +physical exams. +● Athletic trainer: Following up with parents/guardians as +needed prior to the student's participation in extracurricular +athletic activities. +● School nurse: Following up with parents/guardians as +needed prior to the student's participation in classroom +activities. +● Maintaining documentation of the medical questionnaire +and physical in SNAP (the electronic medical record). +● Maintaining documentation of the head injury assessments +in the student's health record in the electronic medical +record. + + +Page 6: +Superintendent’s Circular ATH-01 +Page 6 of 7 +● Ensuring that any student who has experienced a +concussion or head injury, during sports activities or +otherwise, provides documentation of medical care and +proper clearance to return to sports activities using the +Commonwealth of Massachusetts Post Concussion +Clearance Form. +● Participating in the graduated reentry planning meeting for +students who have been diagnosed with a concussion to +discuss any necessary accommodations or modifications +with respect to academics, course requirements, homework, +testing, scheduling, and other aspects of school activities +consistent with a graduated reentry plan for return to full +academic and extracurricular activities after a head injury +and revising the health care plan as needed. +● Presenting appropriate and relevant medical information to +the service team, on a need-to-know basis maintaining +student privacy. +● Monitoring recuperating students with head injuries and +collaborating with teachers and coaches to ensure that the +graduated reentry plan for return to full academic and +extracurricular activities. +● Providing beginning of school year review of concussions as +well as ongoing educational materials on head injury and +concussion to teachers, staff, and students. + + +PARENTS/STUDENTS SHALL BE RESPONSIBLE FOR: +● Ensuring that the child has: +a. A valid up to date pre-participation physical + + +Page 7: +Superintendent’s Circular ATH-01 +Page 7 of 7 +b. A completed sports medical questionnaire +c. Completed the Commonwealth of Massachusetts Pre- +Participation Head Injury and Concussion Reporting +Form for Extracurricular Activities +● Reviewing concussion materials, including signed +documentation of the review on the athletic permission +form. +● Ensuring that the child with a concussion is evaluated by +PCP or other appropriate physician even if there has already +been emergent transport deemed necessary by EMS or AT +evaluation. +● Working with the school nurse, athletic trainer, and the +service team to safely implement return to play guidelines. +For more information about this circular, contact: +Owner: +Senior Director, Athletics +Department: +Athletics Department +Mailing Address: +White Stadium, P.O. Box 302205, Jamaica +Plain, MA 02130 +Phone: +617-635-8143 +Fax: +617-635-8147 +Email: +bpsathletictrainer@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Athletics (ATH)/ATH-02 Athletic Eligibility.txt b/data/data_txt1/Athletics (ATH)/ATH-02 Athletic Eligibility.txt new file mode 100644 index 0000000..b3a0575 --- /dev/null +++ b/data/data_txt1/Athletics (ATH)/ATH-02 Athletic Eligibility.txt @@ -0,0 +1,454 @@ +Page 1: + + + Superintendent’s +Circular + + NUMBER: +ATH-02 +Version 01 + + + +ATHLETIC ELIGIBILITY +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +ASPEN/ ELIGIBILITY MANAGEMENT +ASPEN will be used to manage the students who are interested +and ultimately participate in athletics each season. The students +and sports they are participating in should be accurate in ASPEN +at the start of each season. Key personnel (athletic coordinator, +nurse, school admin) at the school level will have the ability to see +the seasonal list of participating students and the current +eligibility status. Athletic coordinators, athletic trainers, school +nurses, and coaches should communicate regularly to ensure +that ASPEN accurately reflects who is participating on each team. +The ASPEN sign-up period will open 8 weeks prior to the start of +the season. The sign-up period in ASPEN will close 14 days after +the start of the season. Athletes who start within the 14-day +window must have a minimum of 5 days of practice prior to +being allowed to participate in a game competition. Using the +labels provided, each student in ASPEN should be identified as +follows: +Aspen Athletic Eligibility Status Definitions +• INTEREST: defined as “Student identifies interest” — +completes sign-up in ASPEN + + +Page 2: +Superintendent’s Circular ATH-02 +Page 2 of 12 + + + +• ACTIVE: defined as “Waiting on student”; i.e., turn in ALL +required documentation known as the BPS Athletic +Participation Forms, copy of a valid 13-month physical exam +to the athletic trainer (or school nurse if athletic trainer not +available), and tryout status +• ACTION REQUIRED: defined as “Call to action”; +School/Athletic Department submit MIAA waivers/forms +where applicable +• INELIGIBLE: defined as “Does not meet baseline eligibility +requirements”; i.e., valid 13-month physical exam on file as +documented in ASPEN, does not meet academic +enrollment, attendance, or GPA requirements +• PENDING: defined as “Awaiting decision from a higher +authority”; i.e., MIAA waiver/approval, BPS Athletic +Department, school principal/head of school or designee to +review student academic eligibility +• ELIGIBLE: defined as “Meets ALL eligibility requirements” for +participation and has MIAA approvals on record with the +BPS Athletic Department +• INACTIVE: defined as a “no show,” “not participating,” or “did +not make the team after tryouts.” + +RESPONSIBILITIES +Athletic Coordinator +Will serve as the athletics liaison and primary contact at the +school for the Athletics Department and coaches to support +athletics. The athletic coordinator will be responsible for student- +athlete eligibility in collaboration with coaches, athletic trainers, +school nurses, and school leadership. + + +Page 3: +Superintendent’s Circular ATH-02 +Page 3 of 12 + + + +Head Coach and Assistant Coaches +Must be knowledgeable of the MIAA eligibility rules and +regulations. As interest lists and teams are being organized, +coaches must communicate any eligibility concerns to their +athletic coordinator so they are resolved prior to the start of the +season and practice. +Athletic Department Staff +Will support schools through the eligibility/waiver process and +serve as a liaison between the schools and the MIAA. Athletics +Department staff will schedule meetings prior to the start of each +season with athletic coordinators, athletic trainers, and school +nurses (if necessary/indicated) and support staff to review +student-athlete eligibility. Athletic department staff will maintain +Aspen functionality and advise/teach athletic training staff +necessary operations of the Aspen system for their needs +Athletic Trainers +Athletic trainers are responsible for the primary review of athletic +physicals and determining the date(s) of valid pre-participation +physical examination (PPE) and athlete eligibility based on +having an up-to-date PPE on file. Athletic trainers will route all +PPE obtained from student-athletes to the school nurse to place +in the student-athletes file. Athletic trainers will provide coaches +with a list of all athletes who have a valid, up-to-date PPE and are +deemed eligible to play. + +Head of School/Principal +Must be aware of and officially sign off on eligibility and rosters + + +Page 4: +Superintendent’s Circular ATH-02 +Page 4 of 12 + + + +for teams each season. When needed, school leaders must +support and sign off on any MIAA or BPS eligibility waiver +requests. New heads of school are required to attend an MIAA +rules workshop. +SUMMARY OF HIGH SCHOOL INTERSCHOLASTIC ELIGIBILITY +• 1.67 or higher GPA (schools may choose to have a higher +GPA for athletic participation) +• Must pass four (4) core classes +• School attendance rate of 90% or higher (aligned with +current BPS Attendance Policy) +• A physical examination completed within the last 13 months +stating that the student-athlete is or is not cleared for +athletics that does not expire before the end of the season, +with sports clearance from the r athletic trainer and/or +school nurse +• Students who turn 19 before September 1 of the current +academic year are ineligible unless an age waiver is granted +by the MIAA. +SUMMARY OF MIDDLE-LEVEL ELIGIBILITY +• 2.0 or higher GPA (schools may choose to have a higher GPA +for athletic participation) +• School attendance rate of 90% or higher (aligned with +current BPS Attendance Policy) +• A physical examination completed within the last 13 months +stating that the student-athlete is or is cleared for athletics +that does not expire before the end of the season, with +verification from the school nurse or athletic trainer and/or +school nurse +• Students who turn 15 before September 1 of the current + + +Page 5: +Superintendent’s Circular ATH-02 +Page 5 of 12 + + + +academic year are ineligible to compete. +• Yearly signed parental consent forms (transferable season to +season) +DETAILED OVERVIEW OF HIGH SCHOOL INTERSCHOLASTIC/ +MIAA ATHLETICS + +Season +Start Date +Fall Sports +3rd Friday in August (Football Aug 18) +Winter Sports +1st Monday after Thanksgiving (November 27) +Spring Sports +Third Monday of March (March 18, 2024) + +Participating student-athletes must meet the following criteria +for eligibility each season. + +1) Age (Rule #60) +a) A student shall be under 19 years of age but may +compete during the remainder of the school year, +provided that their birthday occurs on or after +September 1 of that year. + +2) Transfer Students (Rule #57) +a) A student who transfers from any school to an MIAA +member HS is ineligible to participate in any +interscholastic athletic contest at any level for a period + + +Page 6: +Superintendent’s Circular ATH-02 +Page 6 of 12 + + + +of one year in all sports in which that student +participated at the varsity level or its equivalent during +the one-year period immediately preceding the +transfer. +i) +Note: MIAA Form 200 may be executed between +the receiving and sending school principals of +MIAA member schools only. +ii) +All Form 200s must be submitted to the Athletics +Department and MIAA Office for their records. +b) Reason for Transfer +i) +Exemption to the transfer rule: When a student’s +school transfer is necessitated (i.e., required) by a +change of residence of their parent(s) to the area +served by the school to which they transfer. +ii) +This exception does not apply to a change in +custody, guardianship, or to a student’s change in +residence from one parent to another, nor does it +apply when the student could continue to attend +the former school. +3) Date entered school (MIAA Rule #51) +a) Student-athletes must be enrolled in the school at the +start of the season to be eligible to participate in +athletics. +b) This can be appealed with an MIAA waiver. +4) Student Eligibility: Membership in School (MIAA Rule #55) +a) A student shall have been a member of the MIAA +member secondary school for a minimum of two +months (exclusive of the Summer vacation). + + +Page 7: +Superintendent’s Circular ATH-02 +Page 7 of 12 + + + +5) Years of Eligibility +a) When a student enters 9th grade, they are eligible for +only four years. +b) A student shall be eligible for interscholastic +competition for no more than 12 consecutive athletic +seasons after first entering grade 9. +c) A waiver can be requested for an additional year of +eligibility if there is an extenuating circumstance +involved. +6) Grade Point Average (GPA) and Transcripts (MIAA Rule #58) +a) BPS requires that all students must have a cumulative +GPA of 1.67 (or higher) to be eligible to participate in +interscholastic athletics. +b) During the last marking period preceding the contest +(e.g., second-quarter marks and not semester grades +determine third quarter eligibility), a passing grade in +the equivalent of four major subjects +c) To satisfy this requirement, a student must have +passed sufficient courses for that marking period +which carry Carnegie Units totaling the equivalent of +four traditional 1-year major English courses. +d) Full-Time Student: A student cannot at any time +represent a school unless that student is taking +courses that would provide Carnegie Units equivalent +to four traditional 1-year major English courses. +e) To be eligible for the Fall marking period, students are +required to have passed for the previous academic year +the equivalent of four traditional 1-year major English +courses. + + +Page 8: +Superintendent’s Circular ATH-02 +Page 8 of 12 + + + +i) +Incomplete grades may not be counted toward +eligibility until they are made up following school +policy +ii) +A student who repeats work in which they have +once received credit cannot count that subject a +second time for eligibility. +iii) +A student cannot count for eligibility for any +subject taken during the summer vacation unless +that subject has been pursued and failed during +the preceding academic year. + +7) Boston Public Schools Athletic Programs Consent for +Participation Forms: +a) BPS Athletic Programs Consent for Participation Forms +must be completed and on file prior to any student- +athlete being allowed to participate or play for any BPS +Athletic Team +b) All BPS Athletic Programs Consent for Participation +Forms will be sent to the parent/guardian of the +student-athlete after completion of ASPEN registration. +These forms will be distributed via DocuSign and will +be distributed to ATC for review with the school +athletic coordinator. These forms only need to be +completed once per school year. The BPS Athletic +Programs Consent for Participation Forms will consist +of the following required forms: +i) +Parent/Guardian Consent Form +ii) +Acknowledgment of MIAA: +(1) MIAA Rule 57: Student Eligibility: Transfer + + +Page 9: +Superintendent’s Circular ATH-02 +Page 9 of 12 + + + +Students +(2) MIAA Rule 59: Student Eligibility: Time +Allowed for participation post 9th grade +enrollment +(3) MIAA Diversity Equity and Inclusion Pledge +(new Nov 2022) +iii) +Commonwealth of Massachusetts - Chapter 269 +Section 17: Anti-Hazing Law +iv) +Hold Harmless Agreement +v) +Concussion Awareness +vi) +Upload - current physical examination for review +by ATC +vii) +Media Appearances +viii) +DPH Head Injury Form +ix) +MGB Athletic Training Services Agreement + +8) Physical Exam (MIAA Rule #56) +a) Participating students must have a valid physical or +pre-participation examination (PPE) completed within +the last 13 months. +b) Physicals or PPE forms must have a statement that +clears the student for athletic/sports +c) Physicals or PPE must be completed and on file with +BPS Athletics in Aspen prior to any student-athlete +being allowed to practice or play for any BPS Athletic +Team. +d) Physicals or PPEs must be valid and on file for the + + +Page 10: +Superintendent’s Circular ATH-02 +Page 10 of 12 + + + +entire athletic seasons +e) Physicals or PPEs must include the date of the +examination, physician's signature (electronic or +actual), and wording that states that the student- +athlete is cleared for athletics or sports competition + +9) Enrollment/ Attendance +a) Attendance for the term prior to the season must be +90% or higher +b) Students are ineligible to practice or compete if they +are not in school for more than half of the school day. +c) For a student to practice with or to represent a MIAA +member school in an athletic competition, the student +must be duly enrolled in that school (#51). Also, a +student shall have been a member of the MIAA +member secondary school for a minimum of two +months (exclusive of the Summer vacation) and have +been issued a report card preceding the contest unless +entering from an elementary or junior high school at +the start of the school year or transfers in from another +school. (MIAA Rule #55.1) + +10) +MIAA Waiver Request Process +a) All “Form 200s” must be sent to the MIAA office so that +all transfers are on file. +b) Student Waiver of Athletic Eligibility waivers must +include the following: +i) +A letter of support from the Principal/AD/School + + +Page 11: +Superintendent’s Circular ATH-02 +Page 11 of 12 + + + +Administrator addressing the four standards of +rule 87.5. +ii) +Transcripts from every year since first entering +Grade 9 (including current grades) +iii) +Current school year attendance records +iv) +Comprehensive athletic resume (now included in +application) +v) +League or District Advisory Vote +vi) +Form 200 (if applicable) +c) The third standard, which must be addressed during a +waiver application, was changed to “address how this +waiver will impact the home school student body.” The +new language captures the overall impact the waiver +will have on the home school student body. +d) A new section was added to Rule 87 titled +“Accountability.” This details the process in the event +inaccurate or incomplete information is presented +during the waiver process. + +11) +MIAA Appeals Process +a) As of Fall 2021, there is only one level of appeal. The +appeal hearing board will consist of members from +both the MIAC and ERB. Their decision is final. +b) The deadlines to submit waivers are as follows: +i) +Fall - September 21, 2023 +ii) +Winter – December 14, 2023 +iii) +Spring – March 31, 2024 + + +Page 12: +Superintendent’s Circular ATH-02 +Page 12 of 12 + + + +c) Waivers can be submitted after this date, but there will +be no appeal hearings granted. + + +For more information about this circular, contact: +Owner: +Senior Director, Athletics +Department: +Athletics Department +Mailing +Address: +White Stadium +P.O. Box 302205, Jamaica Plain, MA 02130 +Phone: +617-635-8143 +Fax: +617-635-8147 +Email: +bpsathletictrainer@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Attendance (ACA)/ACA-18 Attendance Policies & Procedures.txt b/data/data_txt1/Attendance (ACA)/ACA-18 Attendance Policies & Procedures.txt new file mode 100644 index 0000000..86b92f0 --- /dev/null +++ b/data/data_txt1/Attendance (ACA)/ACA-18 Attendance Policies & Procedures.txt @@ -0,0 +1,1449 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +ACA-18 +Version 01 + +ATTENDANCE AND PUNCTUALITY POLICIES AND +PROCEDURES +This circular will remain in effect unless rescinded or superseded +by a subsequent version +This circular reflects the School Committee’s approved policies +and procedures for attendance and punctuality. It contains +detailed guidelines on: +● Policy background +● Chronic absenteeism +● Attendance policy +● Covid-19 attendance protocols +● Punctuality policy (tardiness) +● Recording and maintaining student attendance +● Recording and following up on DNRs (did not reports) +● Discharge/withdrawal protocols +● Notification to parents/caregivers of student absence +● Notifying parents/caregivers of a missing child +● Safety concerns related to attendance +● Approving home & hospital tutoring +● Procedures for referral to supervisors of attendance +BACKGROUND AND GENERAL PRINCIPLES +It is an essential priority of the Boston Public Schools to +encourage students to maintain consistently high attendance +rates throughout the school year. Students cannot take full +advantage of academic and extracurricular opportunities unless + + +Page 2: +Superintendent’s Circular ACA-18 +Page 2 of 41 + + +they are in school consistently. All BPS schools and their School +Site Councils are expected to implement comprehensive +prevention and intervention strategies to improve student +attendance each school year. +The BPS student attendance policy was approved by the School +Committee in 1998-1999. It was revised in May 2006 and June +2007 to include the system-wide prohibition of using cutoff times +to refuse students’ entry into buildings and the additional +flexibility for schools to promote and ensure consistently high, +on-time attendance. It was further revised in 2018 to include +cultural and religious holidays as an eligible excused absence +category. In 2021, it was revised to discontinue the policies of +converting tardies to absences and issuing grades of “No Credit +(NC)” based on attendance, as well as elevating the importance of +focusing on chronic absenteeism, where all absences and missed +instructional time are considered to have a detrimental impact +on student outcomes. +On December 10, 2015, the Every Student Succeeds Act (ESSA) +was signed into law, reauthorizing the federal Elementary and +Secondary Education Act of 1965 (ESEA). The law includes +provisions to help ensure improved outcomes for all students +receiving elementary and secondary education, including the +following: +● States must establish high academic content standards, and +schools must teach all students those standards to help +prepare them for college and careers. +● States, districts, and schools must share information with +families, students, and communities regarding annual +statewide assessments that measure students' progress +toward these high standards. + + +Page 3: +Superintendent’s Circular ACA-18 +Page 3 of 41 + + +● States and districts must establish systems of support and +accountability for all schools and provide particular support +to the lowest-performing schools, schools with low- +performing subgroups, and schools with low graduation +rates. +Under ESSA, each state must develop a consolidated state plan +that documents a comprehensive approach to improving +outcomes for all students. The Massachusetts Consolidated State +Plan under the Every Student Succeeds Act, approved in +September 2017, indicates that the state has included chronic +absenteeism as one of the accountability index indicators (core +measures) to be adopted by all schools and school districts. +Through this policy, each school is given a target goal to reduce +chronic absenteeism each school year. The BPS Attendance +Policy described in this document (ACA-18) has been updated to +reflect changes to the core measures as it relates to attendance +and chronic absenteeism. +CHRONIC ABSENTEEISM +Research recognizes that addressing chronic absenteeism is one +of the most important priorities in an equitable approach to +attendance, as chronically absent students are less likely to be +successful academically and are disproportionately students of +color. Chronic absenteeism is defined as missing 10 percent or +more of the school year in any given period. All absences are +included as it relates to chronic absenteeism, regardless of +whether the absence is excused or unexcused. For an entire +school year, a student who misses 18 school days, or about two +days per month, will be considered chronically absent. Students +who do not show up to school regularly miss out on fundamental +learning skills and the chance to build a habit of consistent + + +Page 4: +Superintendent’s Circular ACA-18 +Page 4 of 41 + + +attendance that they can maintain in their post-secondary +education, their career, and throughout their life. +Chronic absenteeism significantly increases the likelihood that a +student will fall off-track academically and struggle to keep pace +with their peers. Chronic absenteeism in the early grades can +influence whether a student reads proficiently by the end of the +third grade; and by the sixth grade, it becomes a leading +indicator of whether a student will drop out of high school. +Consistent with the attendance policy is the need to maintain +accurate, timely, and appropriate records, including information +on the attendance of students and documentation of reasons for +absence. Accordingly, all staff must keep accurate records, +maintain documentation, and communicate with +parents/caregivers in a timely and effective manner to ensure +sound school attendance practices. In addition, Boston Public +Schools is committed to addressing chronic absenteeism +through prevention and intervention strategies at the school and +district levels that better support students and families to +maintain consistently high, on-time attendance. Each school will +prioritize prevention and intervention strategies that reduce +chronic student absenteeism. +The following general principles apply: +● Schools are required under the law to maintain an accurate +record of student attendance. +● Schools at all levels are required to make a concerted effort +to contact the parent or caregiver each time students are +absent. + + +Page 5: +Superintendent’s Circular ACA-18 +Page 5 of 41 + + +● School leaders bear the final responsibility for attendance in +their schools and complying with attendance and +punctuality policies and procedures. +● External agency support will be sought in those cases where +school-based meetings do not achieve a positive continuum +in parental attitude and/or student attendance patterns. +BOSTON PUBLIC SCHOOLS ATTENDANCE POLICY +Attendance: Per the Department of Elementary and Secondary +Education (DESE)’s attendance policy, a student must be at +school, at a school-related activity, or receiving academic +instruction for at least half of the school day to be counted as +present. Students who are not physically present at school but +receive academic instruction from the district for at least half of +the school day should be counted as present. Examples of +academic instruction include tutoring, online learning, or +distance learning provided by the district. Under this guidance, +there are limited circumstances in which a student can be +marked “constructively present.” +Allowable circumstances to mark a student constructively +present: +● Participation in Home & Hospital Instruction +● Special education school visit +● Out-of-district special education placement +● Student is in Department of Youth Services (DYS) custody +● Succeed Boston (alternative to suspension) +● College tour or college interview when sponsored by the +school or approved by the school leader + + + +Page 6: +Superintendent’s Circular ACA-18 +Page 6 of 41 + + +Length of Time: A student must attend school for at least a half- +day to be marked “present.” Check with the school leader to +determine what constitutes a half-day. In most schools, it is: +3 hours in elementary school +3 hours and 5 minutes in middle school +3 hours and 10 minutes in high school + +Credit Recovery (No Credit Policy Discontinued): To facilitate +competency-based grading across the district, the No Credit (NC) +policy regarding students having three unexcused absences in a +marking term (four unexcused absences in schools with three +marking terms) has been discontinued. As a result, schools +should no longer assign grades of “No Credit (NC)” to students. +The following guidance has been provided regarding credit +recovery for students: +● Passing grades should be competency-based, which may be +impacted by attendance due to missed assignments or +schoolwork but should not be tied exclusively to attendance +or participation. +● It is essential that schools reach out early and often to +students at risk of a failing grade. +● As an alternative, schools may mark a student with an +“incomplete” grade to enable equitable learning recovery. +● In all cases, a student not earning a passing grade must be +given the opportunity and responsibility to equitably +recover any learning loss or make up the work missed +within a marking period to earn a passing grade. +Excused/Unexcused Absences: Certain absences may be +excused, meaning the absence will not be considered as it relates + + +Page 7: +Superintendent’s Circular ACA-18 +Page 7 of 41 + + +to a referral to truancy court by a supervisor of attendance under +Massachusetts law (see Massachusetts General Law c.119). +However, all missed instructional time has the potential to +negatively impact student outcomes. In addition, all absences are +included as they relate to chronic absenteeism, regardless of +whether the absence is excused or unexcused. +● For an absence to be excused, students must bring in a note +after each day they are absent. +● The note must include the date absent, the reason for the +absence, a phone number where a parent or caregiver can +be reached, and the parent or caregiver’s signature. +● Upon return to school, the note must be provided no later +than seven (7) school days after the absence. +● Excused absences may include: +a. An illness or injury that prevents the student from +attending school. If the illness or hospitalization results in +absence for three or more consecutive days, a note from a +health care provider documenting the health problem or +hospitalization should be attached to the +parent/caregiver note. Parents/caregivers are not +expected to have a letter from a health care provider for +an illness of fewer than three days. The requirement to +have a letter from a health care provider will not +supersede specific public health determinations or +guidance. The school nurse can be consulted regarding +any questions or changes to this policy based on specific +circumstances. See COVID-19 Health and Safety Protocol +for students who exhibit symptoms of COVID-19. + + +Page 8: +Superintendent’s Circular ACA-18 +Page 8 of 41 + + +b. A death in the immediate family (parent/caregiver, +sibling, grandparent, aunt, uncle, cousin) or other +significant personal or family crisis. +c. Suspension: Students should be marked as suspended. In +cases of suspension, the school will provide an +opportunity for the student to maintain academic +standing in school by being provided a list of assignments +and other services which might enable the student to use +the time out of school productively. +d. Students assigned to Succeed Boston shall be assigned +work by the school of assignment and marked +constructively present. +e. Court appearances: Students should present evidence of +the requirement of the court appearance. +f. Medical or psychological tests during the school day: The +parent/caregiver must show evidence (such as a note +from the health center) that the tests could not be +scheduled after school. +g. Visits to special education schools in some cases for +students with disabilities. +h. Other situations: From time to time, situations over which +the school, parent/caregiver, and student have little or no +control may cause absences (for example, transportation +that does not operate during inclement weather). These +absences are excusable. The school leader may determine +that the students impacted shall be marked with an +excused absence. +i. Other extraordinary situations, such as a family +emergency, as approved by the school leader. + + +Page 9: +Superintendent’s Circular ACA-18 +Page 9 of 41 + + +j. Cultural holidays and religious holy days: To +accommodate students’ cultural and religious +observances on days when schools are in session, such +absences will be marked excused with the reason code +“Religious Holiday” upon submitting a valid note signed +by a parent or guardian. Please see Superintendent’s +Circular LGL-06 for more guidance or contact your +designated supervisor of attendance. The following is a +list of examples of holidays that are eligible to be excused: +Diwali, Eid al Adha, Edit al Fitr, Lunar New Year, Orthodox +Good Friday, Rosh Hashanah, Three Kings Day, and Yom +Kippur. This is not an exhaustive list, and students may +request that absences be excused for other cultural +holidays and religious holy days. Schools should provide +opportunities for students who are excused to observe +cultural holidays and religious holy days to submit missed +assignments or other makeup work for their absence. +Please contact the Office of Equity, 617-635-9650 or +bpsequity@bostonpublicschools.org, regarding any concerns +related to a student absence that is more than two consecutive +days or is not included on this list. This can include participation +in a cultural ceremony, bereavement or funeral, pilgrimage, trip, +etc., that requires students to be absent for more than two days. +In these instances, a student may be required to meet the +following criteria to be eligible to be given an excused absence of +more than two days for observance of a cultural or religious +holiday or for bereavement to attend a funeral for more than two +days: +● The student is not chronically absent, meaning the student +attended more than 90% of the school days to date. +● The student is earning a passing grade in all courses. + + +Page 10: +Superintendent’s Circular ACA-18 +Page 10 of 41 + + +Absences that do not meet the above criteria will be considered +unexcused. In all instances of student absence, students must be +given the opportunity to equitably recover any missed work or +learning loss during a marking period. +COVID-19 HEALTH AND SAFETY PROTOCOL +Students, families, and schools should observe the latest +guidance from the Center for Disease Control (CDC), BPS Health +Services, and the Boston Public Health Commission as it relates +to COVID-19 health and safety protocols. Absences as appropriate +per the most up-to-date COVID-19 protocols are considered +excused due to “medical/illness.” +RECORD-KEEPING AND ATTENDANCE IMPROVEMENT +School leaders bear final responsibility for improving attendance +in their schools, balancing between accountability and positive +engagement in their approach, and ensuring that performance +evaluations reflect staff members’ efforts in complying with this +policy and achieving the goal of improved attendance. +School-based governance: Each school’s Attendance Team (AT) +serves a critical role in prevention and intervention steps for +students with high absenteeism. It is a best practice for school +attendance teams to work in conjunction with the SST to refer +students when all available attendance intervention strategies +have been unsuccessful. It is also best practice for schools to +initiate prevention steps with students in the early days of the +school year or marking period. Schools should review students’ +past attendance history to initiate prevention steps for students +with a history of high absenteeism and refer students to the +school’s AT. Students with three or more unexcused absences will +be referred by a teacher or the school leader to the school’s AT on +an ongoing basis. The AT will review the case and work with the + + +Page 11: +Superintendent’s Circular ACA-18 +Page 11 of 41 + + +family to develop a success plan to help the student improve +attendance. School-based rules should be amended to include +attendance-related guidelines established through the Quality +School Plan (QSP). See Attendance Team Overview for additional +guidance. +ATTENDANCE IMPROVEMENT PLAN +Developed as part of the QSP, a school’s Attendance +Improvement Plan provides a roadmap of the critical prevention +and intervention activities a school will conduct throughout the +school year to ensure consistently high, on-time attendance for +all students. Each school is required to update its attendance +strategies in the QSP every 90 days. Schools should link a +document with their attendance prevention and intervention +steps by tier into the QSP. +To assess their implementation progress and request more +intensive assistance, the AT should complete the QSP +Attendance Implementation Progress Tool (Q3PT) at the 30- and +60-day marks of the QSP cycle. +The Attendance Fundamentals by Tier serve as an additional +resource. +This program should start with a warm and welcoming school +climate and should include phone calls home, student meetings, +parent/caregiver meetings, development of an attendance +plan/contract, attendance coaching, referral to Student Success +Team meetings, and/or attendance meetings. +Consistent follow-up and outreach to students and families +struggling with chronic absenteeism is a fundamental best +practice. Schools are expected to use the Panorama Student +Success Platform to monitor student attendance progress, as + + +Page 12: +Superintendent’s Circular ACA-18 +Page 12 of 41 + + +well as to document interventions and success plans. Schools +should also connect with community-based programs or +organizations that can support truancy issues. +Differentiating the Use of Aspen SIS and Panorama Student +Success Platform: +The Aspen Student Information System (SIS) is the system to +capture critical information for student records and maintain +compliance with regulatory requirements. As it relates to +attendance, schools will take attendance in Aspen. However, +schools expect to use the Panorama Student Success Platform to +document all attendance prevention and intervention activities, +using both the Support Notes feature and Tier 2 and 3 +Attendance Success Plans. Student attendance data entered in +Aspen is transmitted nightly to Panorama for attendance +monitoring and student success planning purposes. Staff should +use both Aspen and Panorama as follows: +Aspen will be used to: +● input daily student attendance. +● house the master student schedules and courses. +● enter course grades. +● house individual teacher schedules. +● record teacher attendance. +● record confidential student journal entries. +● recommend to Suffolk County Juvenile Court and record +documentation for an Attendance Intervention Plan (AIP). +Panorama Student Success will be used to: +● display student data. +● house Attendance Success Plans (Tier 2 and Tier 3). + + +Page 13: +Superintendent’s Circular ACA-18 +Page 13 of 41 + + +● assign team members for communication and +collaboration. +● record support notes related to student interventions and +student success plans. +● help track information in one place, including assessments +from Illuminate. +Note: The SOA is responsible for copying Attendance Success +Plan documentation from Panorama if the case is recommended +to the court and in other cases as necessary for compliance. +All Attendance Success Plans should be recorded as Tier 2 or Tier +3 plans in Panorama. Panorama allows the planning and +recording of interventions, along with notes, to monitor the +effectiveness of these interventions in setting improvement goals +in the student success planning process. Attendance teams at +the school level ensure Attendance Success Plans are created +and monitored in Panorama for all students with high chronic +absenteeism. At a minimum, every student who has attendance +at or below 80% (appearing as attendance critical in “red”) should +have an Attendance Success Plan in Panorama. It is a best +practice for schools to coordinate and communicate student +success planning with families. It is also a best practice for +schools to establish an attendance success plan at the beginning +of the school year for students who were chronically absent in +the previous school year. Effective student success planning +requires sharing the responsibility of plan creation, monitoring, +and intervention strategies among school staff, including +teachers, in collaboration with families, +Who should have an Attendance Success Plan? +Staff create the plan based on data in Panorama: + + +Page 14: +Superintendent’s Circular ACA-18 +Page 14 of 41 + + +● Tier 2 plans (best practice): Students whose attendance is +90% or below will display as chronically absent in Panorama +(yellow). +● Tier 3 plans (required): Students whose attendance is 80% or +less will appear as attendance-critical (red). +An additional quality check: +● Identify students with an AIP tag in Aspen (this tag indicates +the student has high absenteeism in the current marking +period and is eligible for truancy court referral). +What are the Essential Steps when creating an Attendance +Success Plan? +Create Attendance Success Plan in Panorama, and remember +these two key details: +● Log as Attendance +● Log as Tier 2 or Tier 3 +● Monitoring the plan collaborative and keeping it updated is +essential to successful outcomes +● Panorama will house student success plans (Tier 2 and Tier +3) — academic, attendance, behavior. +You will find more help with Panorama at the Office of Data & +Accountability (ODA) Platforms Help Site. +Questions: mtssdata@bostonpublicschools.org +BOSTON PUBLIC SCHOOLS PUNCTUALITY POLICY +Students who arrive after the beginning of the school day are +tardy. They must follow established tardy procedures to be +considered present for the day. +All students are expected to report to school on time every day. It +is the policy of the Boston School Committee (approved May 24, + + +Page 15: +Superintendent’s Circular ACA-18 +Page 15 of 41 + + +2006) that tardy students should be permitted into the school +building and not excluded. School leaders are directed to: +(a) +review their current school tardy policies in conjunction +with School Site Councils, +(b) +develop reasonable, non-exclusionary practices to deal +with student tardies and positive incentives to encourage +punctuality, and +(c) +closely monitor compliance with these policies. + +It is important to remember that the requirement that tardy +students be admitted to school does not equal a relaxation of the +rules covering attendance or tardies. Schools must make every +effort to encourage punctuality and discourage tardies. Schools +are also encouraged to distinguish between first-time instances +and repeated tardiness. +According to School Committee policy (approved June 6, 2007), +all high schools are directed to work with their School Site +Councils and student representatives to establish fair and +reasonable procedures to decrease student tardiness. These +procedures must adhere to the following guidelines: +1. Families must be notified by telephone call, in writing, or by +email of a student’s tardies. Schools should follow the same +prevention/intervention steps conducted for student +absences. +2. High school tardy procedures should explicitly detail how +they plan to further involve families in working with +students who exhibit excessive tardiness. As a rule of thumb, +excessive tardiness can be defined as being tardy for 10% or +more of school days. + + +Page 16: +Superintendent’s Circular ACA-18 +Page 16 of 41 + + +3. High schools’ tardy procedures should be linked in their +Quality School Plan (QSP), the development of which is the +responsibility of the School Site Council. +4. As a best practice, all schools should establish attendance +success plans in Panorama for students exhibiting excessive +tardiness. +All high schools, including pilot and Horace Mann charter schools, +are required to complete their tardy procedures with the above +guidelines (and other incentives/supports as deemed necessary +by the School Site Council) no later than October. Each school +must maintain a copy of its tardy procedures on file. +1. The teacher must take attendance at the beginning of every +class period in middle and high schools. After comparison of +period attendance with the school's daily attendance, +student cuts should be noted and addressed following the +appropriate prevention/intervention steps. +2. Middle and high school students who are tardy should be +marked absent for any class(es) they miss. +3. A student must be in attendance at least half of the school +day to be considered present. Notations of early dismissal +must be recorded with the time of dismissal, and +documentation indicating the reason should be kept on file +in accordance with school protocol. +ATTENDANCE RECORDS +The accounting and reporting of the attendance or absence of +each student assigned to a school is one of the school leader's +most critical responsibilities. Attendance record-keeping must be +precise to ensure accurate accounting of each student and +timely reporting of student attendance daily in the Aspen SIS. +Every school leader is required to account for the attendance + + +Page 17: +Superintendent’s Circular ACA-18 +Page 17 of 41 + + +and/or absence of students and is required to investigate and +take appropriate action for each absence. +GENERAL ATTENDANCE REQUIREMENTS +1. Attendance procedures must be reviewed with school staff +by school leaders during the teacher professional +development and training program before each school year. +Each teacher must sign a document maintained at the +school, verifying that they received these procedures and +training. +2. During the first week of school, homeroom teachers at all +levels should make personal calls to the parents/guardians/ +caregivers of their students to introduce themselves and +invite the parents/guardians/caregivers either to visit the +school or to call at any time to check on the attendance and +progress of their children. The message should reinforce the +need for consistent attendance and the procedures a +parent/caregiver should follow if their child is absent. In the +event any student has not reported at the start of the school +year, the teacher should inquire about the student’s failure +to attend. Teachers should document all communications +by updating the Aspen SIS with the attendance reason code, +including if a student will not be returning to school, and +update Panorama success plans and/or support notes when +applicable. +Students are expected to report within eight (8) days of the +first day of school or after an initial assignment. On the +eighth day, the student will automatically become a DNR +(Did Not Report) and be discharged from the school. Schools +have the responsibility to contact the parent/caregiver if a +student has not reported. Parents/caregivers should be + + +Page 18: +Superintendent’s Circular ACA-18 +Page 18 of 41 + + +made aware of this procedure when called if their children +have not reported. +Note: School leaders should always refer to the DNR +Procedure Memo released annually by the Office of +Welcome Services for the latest information regarding the +DNR process. This memo also outlines the procedures for a +DNR Exception. See the DNR Exception Form. +DNR PROCEDURE +For all students who do not report to school (DNR), the +following procedures are in effect: +i. +A student will hold a NAS (Newly Assigned Student) +code for a maximum of five (5) days after the first +day of school or after the initial assignment. On the +sixth day, a student will automatically become a +DNR (Did Not Report). +ii. +A student will hold a DNR code for a maximum of +three (3) days. At the end of the third day, a DNR +student will automatically lose their seat at the +assigned school. This will occur at the close of +business on the eighth (8th) day of school. +iii. +On the third day of DNR status (or on the eighth day +since the first day of school or of initial assignment), +a student's seat will be eliminated, allowing the +Office of Welcome Services to assign another +student to that seat. +iv. +The student will remain on the DNR list of the +school. See below for important details: + + +Page 19: +Superintendent’s Circular ACA-18 +Page 19 of 41 + + +Each school leader still has the responsibility of +investigating the situation and, if necessary, ultimately +discharging the student to remove them from the DNR list. +The discharge cannot happen until the school has +conducted an exit interview and collected appropriate +documentation from the family. This documentation must +be uploaded to Aspen. Please see the DNR Aspen Guide. +If you know that a student does not plan to enroll in BPS for +the current school year and you have collected appropriate +documentation from the family, you can withdraw them +from BPS without waiting for them to be withdrawn as a +DNR at the end of the eight-day period. +Please make sure to maintain a record of the appropriate +documentation, upload it to Aspen, and use the appropriate +discharge code when discharging the student. Here is a link +to the BPS Discharge Codes. +For students with an IEP, the Special Education Department +must also conduct an exit interview to inform the student +and caregivers of their rights. +The assigned supervisor of attendance (SOA) should be +notified to provide additional assistance when a school +cannot locate a student. +Note: The DNR process does not automatically discharge +any high-need special education students in an inclusion or +substantially separate program (.3 or .4 students). +3. School Attendance Teams (AT) at all levels are directed to +monitor student attendance using the Panorama Student +Success Platform and, in cases that so require, make +referrals to the Student Success Team (SST) and/or the + + +Page 20: +Superintendent’s Circular ACA-18 +Page 20 of 41 + + +appropriate health or human/social service agencies or +district services. +One of the initial responsibilities of the AT, in collaboration +with the SST, shall be to address the issues of (1) DNR +students and (2) students who were chronically absent in +the previous school year. +The status of each student who did not report (DNR) at the +start of the school year must also be investigated and +determined before discharging the student. +A primary focus of the AT is developing school-based +absence prevention and intervention strategies. A three- +tiered attendance system should be established, with +defined prevention and intervention practices that promote +consistent attendance among all students. The Attendance +Fundamentals by Tier is a resource and the BPS Tiered +Attendance System (TAS) is available to all schools as a +framework to help establish and improve their attendance +practices across tiers. +4. Complex cases and students with extensive patterns of +chronic absenteeism should be referred to supervisors of +attendance and/or the SST as appropriate after extensive +prevention/intervention steps have been tried and +documented. +WITHDRAWING STUDENTS +Once the school year has begun, the withdrawal of students that +are no longer enrolled at your school can be made at the school +level, not by Central Office staff. It is imperative that school staff +verify where the student is enrolled prior to withdrawing a +student. Please remember to keep documentation as to where + + +Page 21: +Superintendent’s Circular ACA-18 +Page 21 of 41 + + +the student is enrolling. Written or emailed documentation is +preferred. If the family texts you, we suggest sending a +screenshot to your email to make sure it is saved. This +documentation must be uploaded to the Aspen SIS. Also, please +make sure to use the appropriate discharge code when you +withdraw the student from BPS. Here are BPS Discharge Codes. +Acceptable documentation for withdrawing students includes: +1. A written request for a student’s records from a receiving +public or private high school or an educational program +(that culminates in a regular high school diploma). This +includes requests from the receiving school that come to +the district through Scrib Order. +2. Written record of a response from an official in the receiving +school or program acknowledging the student’s enrollment. +3. Written confirmation that a student has moved to another +country and will be continuing their education. For example, +if a parent informs a school administrator that the family is +leaving the country, the school administrator may +document this conversation in writing. +4. Letter from a parent/guardian updating the school +enrollment status of their child, including indication that +they will be continuing their education elsewhere. +5. Letter from the BPS Office of Expanded Learning Time +indicating an approved Educational Plan for homeschooling. +6. Record from the state's data system (Edwin DESE Security +Portal - Central Office Process) +If you do not have the above documentation at the time of +withdrawal, the student must be withdrawn as a dropout. See + + +Page 22: +Superintendent’s Circular ACA-18 +Page 22 of 41 + + +Aspen HelpDoc BPS Withdrawal Codes for a table of withdrawal +codes with acceptable matching documentation. +Note: The assigned supervisor of attendance should be notified +to provide additional assistance when a school cannot locate a +student. +DISCHARGE PROCEDURES +Students 16 Years of Age or Older On October 1st of the School +Year – Per MGL Ch. 76 Sec. 18: +1. By the first week of October, the school leader shall have +access to the list of students with the designation NAS or +DNR. +2. Within 5 days of the tenth consecutive absence, the school +leader must contact in writing (in the primary language +spoken in the home) the parent/caregiver of the student 16 +years of age or older to inform them of the requirements of +MGL c.76 s.18, and to request a meeting to discuss the +educational implications for the student if they do not +return to school, the benefits of earning a diploma, the +student’s reason(s) for wanting to leave school, and to +consider alternative education or other placements. The +notice shall offer at least two dates and times for an exit +interview, that the parties will agree to a date, and that the +meeting will take place within 10 days after the sending of +the notice. The school leader must reproduce and use the +sample form letter linked here and submit a copy to the +director of the BPS Re-Engagement Center within one +week. For students who have an IEP, the Special Education +Department must also conduct an exit interview to inform +the student and caregivers of their additional due process +rights. + + +Page 23: +Superintendent’s Circular ACA-18 +Page 23 of 41 + + +3. The school leader must conduct the meeting at the +convenience of the parent/caregiver, but within 10 days of +the sending of the notice. Upon parent/caregiver request, an +extension not to exceed 14 days may be granted. +4. If the student reports to school after the exit interview with +the parent/caregiver, the school leader must ensure that the +student is marked “P” on the attendance record. +5. If the student does not or shall not return to school after the +exit interview with the parent/caregiver, the school leader +must request a statement of the parent/caregiver on the +Sample Form Letter linked here. Submit a copy of this letter +to the BPS Re-Engagement Center and operational leader +and discharge the student using the protocol described in +this circular. This form is for a student whose assignment +within the Boston Public Schools is to be terminated, i.e., the +student is going to a private or public school outside the +City of Boston, or the unknown student whose absences +have been investigated thoroughly, or the student who has +"dropped out" of school. This process requires the following: +a. Retain one copy of the documentation at the school in +which the discharge is initiated. +b. Upload documentation to the Aspen SIS. +c. Issue one copy to the parent/caregiver of the student +going to a private school or another public school +system. +d. Issue one copy to the superintendent of the new school +system. If the student has transferred to either a +private school or to a charter school, this copy is sent to +the principal of the new school. + + +Page 24: +Superintendent’s Circular ACA-18 +Page 24 of 41 + + +6. Only after a good-faith effort to include the parent/caregiver +can the exit interview with the student take place without +the presence of the parent/caregiver. +7. The school leader must maintain detailed and readily +accessible records for each student justifying the activation +of discharge, which should be uploaded to the Aspen SIS. +Students Under 6 Years of Age on October 1st of the School Year +1. Within a week after the receipt of the NAS/DNR printout, +the school leader must contact in writing the +parent/caregiver of the student to inform them that a place +for the student has been reserved in the educational +program of the school. The parent/caregiver is encouraged +to ensure the student's attendance, AND the student must +report within one week, or the student shall be discharged. +Please use the attached form letter. +2. If the student does not report within one week, the school +leader must discharge the student according to the +procedures described in this circular. No additional +communication with the parent/caregiver is required. +Note: School leaders shall not discharge a student between +the ages of six and sixteen years until all procedures noted +in this circular are completed. Written notice should be +received by the supervisors of attendance. +Discharge Codes +It is important to use the appropriate discharge code when +withdrawing the student from BPS. Here is a copy of the +BPS Discharge Codes. + + +Page 25: +Superintendent’s Circular ACA-18 +Page 25 of 41 + + +GENERAL ATTENDANCE AND PUNCTUALITY PROCEDURES +1. School leaders must designate a member of their staff who +will be responsible for coordinating and monitoring the +school's attendance plan. This person shall report directly to +the building administrator concerning this effort and should +be part of the school AT. A best practice is to have this +person lead or co-facilitate the AT when appropriate. The +plan should take a whole-school approach and fully engage +the staff in implementing a tiered attendance system. +School leaders should also ensure that staff is assigned to +monitor attendance data and trends on an ongoing basis, +which may require additional training from the Office of +Instructional and Information Technology, Office of Data +and Accountability, or Department of Opportunity Youth +(SOAs). +2. Each student is marked Absent in the Student Information +System (SIS) on the first day of school and must be marked +Present to begin official enrollment. Enter a P on the first +day of attendance. Students who appear after the first day +of school should be entered on the date of appearance with +a P. +3. Official attendance will be taken and reported on the SIS +system by teachers. The central office will make an +automated call to all students coded as Absent by 11:00 am +every day. +4. Students who arrive after the beginning of the day are tardy. +They must follow established tardy procedures to be +considered present for the day. + + +Page 26: +Superintendent’s Circular ACA-18 +Page 26 of 41 + + +SUGGESTED STRATEGIES TO ADDRESS TARDINESS AND +ABSENTEEISM +In developing their Attendance Improvement Plan, schools +should focus on a positive approach to attendance, using +consistent prevention/intervention steps and implementing +specific strategies to address tardiness and absenteeism. The +district has developed a Tiered Attendance System (TAS) to +support schools in ensuring the consistency and effectiveness of +their attendance practices across the school, while the Panorama +Student Success Platform provides a framework to track and +monitor individual student attendance, interventions, and +success planning. See also Attendance Fundamentals by Tier. +Examples of strategies to address tardiness and absenteeism +include: +● Tiered intervention and prevention programs: +Tier 1: Reliable attendance reporting from every +classroom; positive school climate initiatives such as +maintaining positive relationships among school staff, +students, and families; consistent intervention and +prevention activities with documentation in Panorama; +School Attendance Committee; School Attendance +Culture. +Tier 2: Targeted attendance letters; attendance contracts; +student/family conferences; attendance success plans; +attendance coaching; mentorship programming. +Tier 3: Intensive case management or mentorship; +specialized programming; assigning staff to intentional +student check-ins; connections with and/or referrals to +specific support services or community resources. +● Use of restorative justice practices + + +Page 27: +Superintendent’s Circular ACA-18 +Page 27 of 41 + + +● Parent/caregiver and/or student-centered conferences +● Contracting with the student and/or parent/caregiver +● Learning Recovery/Attendance Buy-Back Time (for repeated +tardiness or unexcused absences) +Note: Schools are prohibited from excluding students from +physical activity during the school day, such as during recess +or physical education, as a disciplinary consequence. However, +a student may be prohibited from participating in athletics or +extracurricular activities on a school day when an unexcused +absence causes a student to miss more than 50% of the school +day. +Suggested other steps: +● Make MBTA schedules available at schools. +● Post rules on tardiness and punctuality in visible locations. +● Hold a conference with student and family for repeated +tardiness. +● Make phone calls to families of students who are tardy. +● Work with Attendance Team and/or SST and/or to +investigate root causes for student tardiness. +● Establish Student Planning Centers. +Please see the BPS Code of Conduct for additional guidance +regarding suggested strategies. +NOTIFICATION TO PARENTS/CAREGIVERS WHEN STUDENTS +ARE ABSENT +School leaders should inform all students and parents/caregivers +by means of a written bulletin, newsletter, or SchoolMessenger at +the beginning of each school year of the Attendance Policy and +the basic school attendance procedures adopted by the School + + +Page 28: +Superintendent’s Circular ACA-18 +Page 28 of 41 + + +Site Council. This information should be sent in the language of +the home. +Parents/caregivers should be advised that a signed note of +explanation shall be required each time a student is absent. The +note should state the date(s) of absence, the reason, the +parent/caregiver contact information, and the parent/caregiver +signature. The note should be sent in on the day the student +returns to school. The note must be received within seven (7) +school days following the absence. Here is a Sample +Parent/Caregiver Note for Excused Absence. Schools are +expected to use Panorama to document and monitor attendance +intervention activities, including documentation of each step +described below. +1. First Absence +The building administrator is responsible for ensuring that +school staff notifies parents/caregivers by telephone of all +student absences. This is best accomplished by the +homeroom teacher. In these conversations, +parents/caregivers should be reminded of (1) the need to +submit a note of explanation to document the reason each +time a student is absent, (2) the importance of consistent, +on-time attendance for a student to be successful in school, +and (3) that unexcused absences could result in the student +falling behind academically. +2. Second and Third Absence +Parents/caregivers must be notified in writing no later than +the student’s third absence (even if the absences were +“excused”) and on a regular basis thereafter. This notification +should include the attendance requirement, the number of + + +Page 29: +Superintendent’s Circular ACA-18 +Page 29 of 41 + + +days missed compared to the number of school days in the +marking period, and the impact of continued absence on +the student’s success. Note: These absences do not need to +be consecutive. This letter must be written in the language +of the home. Here is a Sample Absence Letter which can be +placed on the school’s letterhead. +3. Third Unexcused Absence +After the third unexcused absence, the student must be +referred to the SST by the homeroom teacher. The team will +review the case and meet to develop recommendations to +assist the student in improving attendance. The team may +invite the parent/caregiver and, at the secondary level, the +student to the meeting; however, if the parent/caregiver +does not attend the meeting, an effort must be made by the +school to contact and discuss the case with the +parent/caregiver. It is recommended that the SST develop +an attendance success plan in Panorama at this step. + + + + +Page 30: +Superintendent’s Circular ACA-18 +Page 30 of 41 + + +4. Fourth Unexcused Absence +At the fourth unexcused absence in any term, a meeting +shall be convened by the school leader, to which the +parent/caregiver shall be invited. If the school is unable to +contact the parent/caregiver, a home visit should be +conducted. The implications of student absence from +school, as well as the current academic status of the +student, will be discussed at this meeting. The success plan +developed by the SST after the third unexcused absence +should be reviewed. +5. Fifth Through Seventh Unexcused Absence +At the fifth unexcused absence, the student and the family +should be referred to the Family Resource Center or +assigned supervisor of attendance. +6. Eighth Unexcused Absence +After the eighth unexcused absence, for a student younger +than 16 years of age, the school’s designated attendance +representative shall coordinate with the assigned supervisor +of attendance to determine if it is necessary and appropriate +to file a truancy case with the Suffolk County Juvenile Court. +Instructions for Recommending an Attendance Intervention +Plan for Court describe the necessary steps to recommend a +case for court. In addition, the school should coordinate with +the school social worker for additional support. +This Notification to Parents/Caregivers When Students Are +Absent condenses the process described above. It serves as a +reference document for staff. + + +Page 31: +Superintendent’s Circular ACA-18 +Page 31 of 41 + + +Absence, tardy, and early dismissal notations must be recorded in +the Aspen SIS daily as the official system of record. School-wide +attendance monitoring using the Panorama Student Success +Platform should be conducted by the school leader or their +designee on a regular basis, but no less frequently than monthly. +EXCUSED ABSENCES +The student attendance record must be updated to reflect the +excused absence. An excused absence is defined as an absence +caused by sickness, injury, hospitalization, court appearances, +religious holy days, or the death of an immediate family member. +The school may accept other reasons for an excused absence as +approved by the school leader; however, if a note of explanation +is not received, the absence shall be deemed “unexcused.” +However, it is important to remember that all absences are +included as it relates to chronic absenteeism, regardless of +whether the absence is excused or unexcused. Prevention and +intervention steps should be conducted by the school to +minimize missed instructional time, regardless of whether +absences are excused or unexcused. In addition, +parents/caregivers should be informed of the definition of +chronic absenteeism and the impact it has on student outcomes: +Chronic absenteeism is defined as missing 10 percent or more of +the school year in any given period. All absences are included as +it relates to chronic absenteeism, regardless of whether the +absence is excused or unexcused. For an entire school year, a +student who misses 18 school days, or about two days per month, +will be considered chronically absent. +Parents/guardians/caregivers should be informed, as part of the +School-Based Rules, of those reasons that are accepted as + + +Page 32: +Superintendent’s Circular ACA-18 +Page 32 of 41 + + +“excused” and those that are not acceptable to excuse an +absence. +NOTIFICATION TO PARENTS/CAREGIVERS SHOULD A CHILD +LEAVE SCHOOL +1. All students must be supervised by a responsible adult at all +times during the school day. +2. Should a child be noted as missing, the school leader should +be notified immediately. +3. After an initial search of the school and immediate +neighborhood, the parent/caregiver should be notified by +telephone as promptly as possible, and the appropriate +departments should be notified. (See Superintendent’s +Circular SAF-09, Lost Children Procedures). +SAFETY CONCERNS RELATED TO ATTENDANCE +To maximize the protection and safety of all students, schools +should take the following measures: +1. Emphasize to the parent/caregiver that they should arrange +to be sure that their children reach the bus stop on time +every morning and that they board the bus. This should be +stressed in newsletters sent home at the start of each school +year. +2. Inform the parent/caregiver that they should notify the +school by telephone each day that their child will be absent +due to illness, etc. +3. Inform the parent/caregiver as soon as possible, including +through the SchoolMessenger system, of their children’s +absence. + + +Page 33: +Superintendent’s Circular ACA-18 +Page 33 of 41 + + +4. Ensure that the parent/caregiver supplies the school with +accurate, up-to-date home and emergency telephone +numbers and indicates the place their children should go if +they miss the bus, e.g., the home of a relative, friend, +neighbor, etc. These emergency numbers should be +updated as necessary. + +HOME & HOSPITAL TUTORING +When a physician determines that a student is physically unable +to attend school for more than 14 consecutive days or anticipated +to accumulate more than 14 absences in a school year, the +student should be offered tutoring at home or in the hospital. +The referral should be made to the Home & Hospital Instruction +program when the school nurse receives a Physician Statement. +The attendance for students participating in the Home & Hospital +Instruction Program should be marked “constructively present” +(CP). The school must document in writing all offers of home +tutoring and acceptances or rejections by the parent or caregiver. +If a parent/caregiver rejects home tutoring or other appropriate +academic services for a child who will be absent for an extended +period, a record of that rejection must be retained in the +student’s file, and a 51A should be filed with the Department of +Children and Families (DCF). When it is deemed by the student’s +attending physician or pediatrician that they will be confined to a +home or hospital setting for more than 60 days, the student will +then be considered for evaluation (if not a student with an IEP); +or if a student with an IEP, the student will then be considered for +a possible IEP amendment or new IEP by the Office of Special +Education under state regulation 603 CMR 28.04(4). + + +Page 34: +Superintendent’s Circular ACA-18 +Page 34 of 41 + + +PROCEDURES FOR REFERRAL TO SUPERVISORS OF +ATTENDANCE +SOAs build schools’ capacity to reduce chronic absenteeism. See +SOA Overview for details on how they can support your school. +This iteration of the attendance policy calls on schools to take +ownership of attendance and supportive interventions and to use +referrals to supervisors of attendance as only a measure of last +resort. In that context, this circular reflects the Boston Public +Schools’ procedures for referring students to the supervisors of +attendance (SOA). Under M.G.L. c.119, Section 21, Section 39E, +Section 39F, and Section 39G, Boston Juvenile Court may hear +petitions to determine if a child needs services. In Boston Public +Schools, only the SOA may file a Child Requiring Assistance (CRA) +petition on behalf of the district for attendance or behavior- +related matters. + It contains guidelines on: +● Procedures for referrals and Attendance Intervention Plan +(AIP) +● Child Requiring Assistance (CRA) filings +● Adult Failure to Cause (ADF). +BACKGROUND +M.G.L. c.119 Part 1 Title XII Chapter 69 Section 10 states that the +Department of Elementary and Secondary Education shall adopt +regulations establishing a truancy prevention program +certification process, consistent with the behavioral health and +public schools framework developed pursuant to section 19 of +chapter 321 of the acts of 2008, and shall require that the truancy +prevention program evaluate the level of out-of-school support +for students and families and address conditions that make +students more likely to become truant including, but not limited + + +Page 35: +Superintendent’s Circular ACA-18 +Page 35 of 41 + + +to, previously unidentified or inadequately addressed special +needs, bullying, and harassment. Any truancy prevention +program established under this section by a school district shall +meet the requirements for certification adopted by the +department. +Supervisors of attendance, working in collaboration with school +staff and external agencies, may file a court referral based on +investigative findings, prior attendance patterns, and present +problematic attendance. The filing of a CRA is the last resort if +other interventions by school, external agencies, and/or +attendance staff fail to bring about improvement. +The SOA may file the following CRA petitions with the mandatory +parent/caregiver date of birth: +● Habitually Truant: Civil charge filed on students who miss +school for 8 days in a quarter. +● Student Who Repeatedly Fails to Obey Regulations of the +School: Civil charges filed on students who repeatedly fail to +obey the lawful and reasonable regulations of the student’s +school. +● Adult Failure to Cause: Petition filed when a student’s +absence is beyond their control, but due to a caretaker’s +action or inaction, e.g., the child is too young to get to school +on their own. +ATTENDANCE INTERVENTION PLAN (AIP) +While all attendance intervention activities should now be +documented in the Panorama Student Success Platform, the +Attendance Intervention Plan (AIP) is available for each student +having four or more unexcused absences in the Aspen SIS. The +AIP in Aspen SIS serves the following purposes: + + +Page 36: +Superintendent’s Circular ACA-18 +Page 36 of 41 + + +● To identify students who are eligible for a court referral due +to eight or more unexcused absences in a marking period. +● For school leaders to recommend a case to court as a last +resort when all attendance prevention/intervention +strategies have been exhausted. +● To document any compliance-related attendance +intervention activities, particularly for cases that are +recommended to the court. Supervisors of attendance +(SOAs) will ensure that any compliance-related +documentation from Panorama is also entered to Aspen +(that is: if a case moves toward the court, the SOA is +responsible for copying the intervention plan from +Panorama into Aspen). +● For a quality check, wherein school attendance staff can +verify that all students who have an AIP generated in Aspen +SIS (because of four or more unexcused absences in a +marking period) also have an Attendance Success Plan +created in Panorama. As a best practice, all chronically +absent students should have an Attendance Success Plan in +Panorama. +Once a student has eight unexcused absences in a marking +period, the school leader may recommend the AIP for court in +the SIS. Supervisors of attendance (SOAs) will ensure that any +compliance-related documentation is also entered into Aspen, +including the attendance success plan, with attendance +intervention steps that were conducted with the student, as +documented using Panorama. +The parent/caregiver date of birth (DOB) is required in the judicial +process. The AIP will require the submission of the +parent/caregiver date of birth and documentation of intervention + + +Page 37: +Superintendent’s Circular ACA-18 +Page 37 of 41 + + +steps as an Attendance Success Plan in Panorama. Without this +information, the AIP cannot be recommended for court. +The SOA will investigate and report their recommendation in the +SOA comment section. The comments can be viewed by the +senders and the school leaders. The senders and the school +leaders can view the comments. Instructions for Recommending +an Attendance Intervention Plan for Court are here. +SCHOOL STEPS IN THE CHILD REQUIRING ASSISTANCE (CRA) +PROCESS +CRA: Truancy +1. Upon the 4th unexcused absence, the school leader or +designated staff and homeroom teacher will receive an +email notification from SIS informing them that an +Attendance Intervention Plan (AIP) has been initiated +during the term for a student. +2. Upon the 8th unexcused absence during the term, the +school leader or designated staff or homeroom teacher can +recommend that a student AIP be sent to court due to +excessive absences and non-compliance with the student’s +Attendance Success Plan, as documented in Panorama. The +AIP cannot be recommended for court if the student does +not have an Attendance Success Plan documented in +Panorama. At this time, the appropriate SOA will investigate +the case, referring to the action already taken by the school +to date and to the results that they have reported. The +investigation may include phone calls, +home/parent/caregiver work-site visits, school visits and +telephone calls, letters to parents/caregivers where +necessary, and, in some cases, contact with and referral to +involved agencies. + + +Page 38: +Superintendent’s Circular ACA-18 +Page 38 of 41 + + +3. The SOA will report the results of the investigation to the +school through the SIS system. The supervisor will also ask +that schools keep them informed of further attendance +problems. +4. If attendance does not improve, schools must send +additional AIPs to the Attendance Office only if the open +CRA has been closed, alerting the SOA to follow up once +more. Additional interventions should be documented in +Panorama to update the SOA on the school's subsequent +actions and results. +5. Subsequent investigation and follow-up will occur through +response in the SIS system, email, or attendance meeting. +6. Supervisors of attendance, working with school staff, make +decisions on future action based on investigative findings, +prior attendance patterns, and correspondence with +parents/caregivers and the school. One option is court +referral. The decision to file a CRA is made by the SOA based +on the finding and results of steps 1-4 and only after +exhausting all other possible courses of action. The CRA will +only be filed if the student has accumulated eight or more +unexcused absences in a single quarter and the school has +documented intervention steps using the Attendance +Success Plan feature in Panorama. +7. When the AIP is recommended for court, the SOA will notify +the school of this action using the Attendance Supervisor's +Information Form or will make personal or telephone +contact. A probation officer will be assigned to the child by +the court if a CRA is filed. +8. If attendance does not improve following a CRA filing, +communication with the assigned probation officer and/or +the SOA is required. + + +Page 39: +Superintendent’s Circular ACA-18 +Page 39 of 41 + + +CRA FOR STUDENT WHO REPEATEDLY FAILS TO OBEY +REGULATIONS OF THE SCHOOL +Decisions to file a Child Requiring Assistance (CRA) for a +student who repeatedly fails to obey regulations of the school +with the Suffolk County Juvenile Court should follow the +prevention/intervention steps and best practices of the BPS +Code of Conduct, including the Philosophy and Guiding +Principles. NOTE: A CRA for a student who repeatedly fails to +obey the regulations of the school can only be filed for +students in grade 6 and above. +1. After the third serious violation of school rules, the school +will request a CRA (repeatedly fails to obey school +regulations) in the SIS system to the Attendance Office for +follow-up and investigation. After filling out the request, the +following documents should be accompanied via fax: copies +of a letter signed by a school official on letterhead with the +prevention/intervention steps taken to improve the +student’s behavior. The school should also provide +documentation of the three serious violations. +2. The SOA will investigate the case and determine whether a +filing is warranted. They will report the decision to the +school. +3. When the CRA petition is filed, the SOA will notify the school +of this action using the attendance supervisor's SIS card or +will make personal or telephone contact. A probation officer +will be assigned to the child by the court. +4. If the student’s behavior does not improve following a CRA +filing, communication with the assigned probation officer +and/or the SOA is required, and the school should continue +to proceed with appropriate action under the Code of +Conduct. + + +Page 40: +Superintendent’s Circular ACA-18 +Page 40 of 41 + + +CRA: ADULT-FAILURE-TO-CAUSE PROCESS (ADF) +These cases are criminal complaints filed against +parents/caregivers who willfully prevent their children from +attending school. This is a serious charge requiring the sworn +testimony of the SOA on the school's behalf. Courts can fine +parents/caregivers, and in extreme cases, further +consequences can result from non-compliance. +The steps are the same as described for CRA cases, except that +it is filed against the parent/caregiver if the investigation +conducted by the SOA finds evidence to justify the filing, and +information about the parent/caregiver is required, which, in +some cases, can only be obtained by school staff. For example, +the complaint cannot be filed without the parent/caregiver’s +date of birth and physical description, as well as documented +evidence of attendance interventions using the Attendance +Success Plan feature in Panorama. Therefore, it is important +that school staff capture this information in advance of +recommending a case for court. + + + + +Page 41: +Superintendent’s Circular ACA-18 +Page 41 of 41 + + +For more information about this circular, contact: +Owner: +Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Communications (COM)/COM-01 Communications Policy.txt b/data/data_txt1/Communications (COM)/COM-01 Communications Policy.txt new file mode 100644 index 0000000..30ee8a6 --- /dev/null +++ b/data/data_txt1/Communications (COM)/COM-01 Communications Policy.txt @@ -0,0 +1,105 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +COM-01 +Version 01 + + +COMMUNICATIONS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools (BPS), Boston School Committee, +superintendent, and all central and school-based staff are +responsible for communicating accurately and effectively with +families, students, colleagues, partners, and the community. +Ongoing communication with all stakeholders is essential to +developing and sustaining effective home/school/community +partnerships for improving student achievement. +The Boston School Committee affirms the following principles: +● Families and citizens have a right to know what is occurring +in their public schools. +● All BPS employees have an obligation to ensure the public is +kept systematically and adequately informed. +● Boston Public Schools staff and families benefit from +improved sharing of information – positive and negative. +● Written and verbal communication from schools and +employees should reflect the BPS commitment to +supporting all children and families, focusing on student +achievement through high-quality teaching and learning. +● Effective communication requires an ongoing two-way +exchange between schools and constituents, including + + +Page 2: + +Superintendent’s Circular COM-01 +Page 2 of 4 + + +thoughtful mechanisms at the school and district levels for +seeking family, student, and community perspectives on +critical issues and decisions. +● Language used to communicate with families and the +community must be free of educational jargon, acronyms, +and other terminology unfamiliar to non-educators. +● All communication must reflect and be sensitive to the +diversity of BPS families and staff, free of bias with respect +to race, ethnicity, language, education, income, gender, +religion, sexual orientation, or disability. +In keeping with these principles, the superintendent shall issue +district-wide procedures and guidelines to foster effective +communication in crucial areas such as media relations, +emergency communications, customer service, publications, +presentations, photography, events, and +translation/interpretation. +To ensure brand consistency and help families identify official +BPS publications and properties, schools and departments must +display the BPS logo on websites and publications. School and +department stationery and signage should incorporate the BPS +logo, the Boston city seal, or both. The BPS logo may not be +altered and must be reproduced in its correct aspect ratio. The +logo digital and printable files are available at the BPS-LOGO +folder. +It is the responsibility of every school, office, and program in the +Boston Public Schools to adhere to these procedures and +execute additional effective communication strategies. The BPS +Communications Office shall provide leadership, resources, +guidance, and technical assistance to support the district and +schools in these efforts. + + +Page 3: + +Superintendent’s Circular COM-01 +Page 3 of 4 + + + + + + +Page 4: + +Superintendent’s Circular COM-01 +Page 4 of 4 + + +For more information about this circular, contact: +owner: +Chief of Communications +Department: +Chief of Communications +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9265 +Email: +communications@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Communications (COM)/COM-02 Media Relations Policy.txt b/data/data_txt1/Communications (COM)/COM-02 Media Relations Policy.txt new file mode 100644 index 0000000..cc4074e --- /dev/null +++ b/data/data_txt1/Communications (COM)/COM-02 Media Relations Policy.txt @@ -0,0 +1,70 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +COM-02 +Version 01 + + +MEDIA RELATIONS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to cultivating and +maintaining an open and productive relationship with the news +media. The district recognizes that the media provides a public +service, are viewed as a reliable source of news about the Boston +Public Schools and seeks to provide timely and accurate +information toward that end. +The district maintains that the top priority of schools is to +educate students and ensure the safety and privacy of all +students, staff, and families. + To balance the responsibilities of schools and the need to provide +information to the media, all press inquiries about the Boston +Public Schools or any individual school, student, staff member, +program, or initiative are to be directed first to the +Communications Office. + Any staff member contacted directly by a member of the news +media must refer the reporter to the Communications Office, +who will work with staff and the media outlet to respond +appropriately to the inquiry. + District officials, schools, and staff must cooperate with the news +media to the extent required and appropriate by law while +ensuring that media coverage does not interfere with teaching +and learning. + + +Page 2: +Superintendent’s Circular COM-02 +Page 2 of 2 + + It is critically important to protect the privacy of students and +staff while fulfilling the requirements of public records laws. The +Communications Office works closely with the Legal Advisor to +determine what information is a matter of public record and +what must remain confidential. Only a student whose parent or +guardian has signed and returned a Media Appearances form +may be recorded, filmed, photographed, or interviewed. Students +for whom no such consent is on file in the school office may not +participate in any media-related activities, and their name and +image are not to be released to the media or anyone else outside +of the school. For more information, see the Guide to the Boston +Public Schools for Families and Students. +For more information about this circular, contact: +Owner: +Chief of Communications +Department: +Chief of Communications +Mailing +Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9265 +Email: +communications@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Data and Accountability (ODA)/ODA-01 Procedures for Conducting Educational Research.txt b/data/data_txt1/Data and Accountability (ODA)/ODA-01 Procedures for Conducting Educational Research.txt new file mode 100644 index 0000000..e72505d --- /dev/null +++ b/data/data_txt1/Data and Accountability (ODA)/ODA-01 Procedures for Conducting Educational Research.txt @@ -0,0 +1,147 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-01 +Version 01 + + +PROCEDURES FOR CONDUCTING EDUCATIONAL +RESEARCH +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to define the policy and procedures +for conducting educational research in the Boston Public +Schools. +OVERVIEW +The mission of the Boston Public Schools’ Office of Data and +Accountability is to serve the BPS community by facilitating +access to quality information and building capacity to make data- +driven decisions that advance educational equity, opportunity, +and achievement for all students. Research is one way to +facilitate our community’s access to quality information. It is the +responsibility of the Office of Data and Accountability to ensure +that researchers have access to quality data and can responsibly +interpret the results. As such, the Office of Data and +Accountability reviews and approves research that works to +advance educational equity, opportunity, and achievement for all +students by ensuring responsible access to and use of quality +data. +All research activities must be coordinated through the Office of +Data and Accountability’s BPS Research Team. ODA approval is + + +Page 2: +Superintendent’s Circular ODA-01, +Page 2 of 4 + +not required for research that uses data that is publicly available +sources such as on the BPS public website. A list of current +sources of publicly available data can be found in the appendix of +the Policy and Guidelines document. In these instances, the +researcher may use the data presented from these sources as +long as the sources are cited, and any modifications or analysis +done by the researcher are clearly delineated. Approval by the +researcher’s IRB and/or BPS school leaders does NOT guarantee +approval of research proposals by the BPS Office of Data and +Accountability (ODA). While research may be approved by ODA, +BPS school leaders have the final say in whether their particular +school will participate in any given study. +WHO MAY CONDUCT RESEARCH +Any academic or professional organization or any individual +doing doctoral work may submit a proposal to conduct research +with the Office of Data and Accountability in BPS. Doctoral +candidates must submit written evidence that their proposed +research has been approved by their university’s IRB and will be +supervised by their advisor(s). +WHAT IS THE PURPOSE OF THE RESEARCH TEAM REVIEW? +While it is necessary for all research submissions to have an +approved/exempted IRB decision from their own institution, BPS +requires that all research is submitted to the BPS Research Team +for review prior to BPS approval. The BPS research review is not +duplicative of the IRB process and aims to ensure the following: +● The research is aligned with district priorities. +● The research follows federal and local guidelines +regarding conducting research with human subjects in + + +Page 3: +Superintendent’s Circular ODA-01, +Page 3 of 4 + +school settings (This includes consent forms for all +research participants; assurance that students receive no +incentives of monetary value for students and not to +exceed $50 for teachers; voluntary participation for all +research subjects). +● The research is not overly burdensome to classrooms and +is new research that will advance the aims of the district. +● The research is fully supported by an internal BPS staff +member (district sponsor) who is committed to using the +result of the research. +WHAT ARE THE STEPS TO CONDUCTING RESEARCH IN THE +BPS? +1. Submit a research proposal adhering to the Guidelines and +Procedures. In general, the research submission and review +calendar is as follows: +Review Period Submission +Month +Review Month Decision Letter +Sent +P1 +June 1-30 +July 1-31 +Mid-August +P2 +October 1-31 +November 1-30 Mid-December +2. For primary research (i.e., interviewing, focus groups, +observations, and in-person surveys), each researcher needs +to have submitted and passed a CORI check. +3. For secondary research (i.e., requesting administrative data: +records that are maintained by the school district), +researchers need to submit a data request and sign a +standard NDA template. NOTE: for some administrative data +requests, a fee will be assessed to assist in the fulfillment of +the data pull. + + +Page 4: +Superintendent’s Circular ODA-01, +Page 4 of 4 + +4. Submit policy brief updates annually to your district sponsor +and the Research Team +(research@bostonpublicschools.org). +5. Annually renew your research proposal with the BPS +research team. +6. For continuing research, the following needs to be +submitted: +a. Cover page describing research activities already +conducted and proposed changes to the study for the +next year +b. Most recent policy brief describing interim findings +c. Updated district sponsor letter +d. Updated IRB approval for next year of research +7. Submit a final report and policy brief (template) for review to +research@bostonpublicschools.org once the study has been +finalized. The study is officially finalized once the final report +and policy brief have been approved. +For additional information about this circular and the +application process, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Data and Accountability (ODA)/ODA-02 State Testing Security and Ethics.txt b/data/data_txt1/Data and Accountability (ODA)/ODA-02 State Testing Security and Ethics.txt new file mode 100644 index 0000000..0fcac4b --- /dev/null +++ b/data/data_txt1/Data and Accountability (ODA)/ODA-02 State Testing Security and Ethics.txt @@ -0,0 +1,120 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-02 +Version 01 + + +TEST SECURITY AND ETHICS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to ensure that all BPS staff +understand and follow the appropriate procedures for test +administration and security on all state and local tests where +some or all content is deemed to be secure content that must +not be given to or accessed by unauthorized persons. This +includes, but is not limited to, paper or digital information. This +circular also outlines the reporting requirements in the case of a +security breach or a test irregularity. +REQUIREMENTS +Testing is not at the option of parent/guardian or the school, +except if a student is not required to be tested based on certain +conditions that are specified in the specific testing requirements. +Appropriate testing accommodations must be provided to +eligible students on test day as documented in the students’ +current Individualized Education Programs (IEPs), Section 504 +Plans, or English Learner (EL) plans. +School leaders and test administrators must read and adhere to +all test procedures in the instructions that are issued by the +Massachusetts Department of Elementary and Secondary +Education (MA DESE) and/or the Boston Public Schools. Visitors + + +Page 2: +Superintendent’s Circular ODA-02 +Page 2 of 4 + + +are never permitted in the school’s designated testing area; but +MA DESE and/or BPS staff may make announced or +unannounced visits to schools during testing days to ensure +compliance with testing procedures. +Schools must enforce a strict electronic devices policy during +testing to maintain test security. The term electronic device +includes any personal, non-educational device with an on-off +switch (with the exception of medical equipment), most +commonly cell phones, smart phones, iPods, iPads, iWatch, +tablets, laptops, and pagers. +Schools must clearly inform students that bringing an electronic +device into the testing area violates district and state policy, and +violation of this policy is grounds for confiscation. If brought to +school during testing, electronic devices must be stored in a +secure location away from students. Acceptable storage includes +in a bag, backpack, locker, central location in a classroom, or +school office. +Consistent with the district’s Acceptable Use Policy (AUP), school +leaders have the authority to enforce security measures on +electronic devices when used to access testing materials and +remove devices found to be in violation of the AUP. If any of the +electronic devices are accessed during testing, the student’s test +is compromised and is to be invalidated due to prohibited +behavior, even if the student did not use the device. For +suspected student cheating or electronic device violations, the +school should conduct the investigation of the incident, report +the test violation, and follow their school’s disciplinary +procedures to impose sanctions. + + +Page 3: +Superintendent’s Circular ODA-02 +Page 3 of 4 + + +PENALTIES +Failure by BPS staff to adhere to the Test Security and Ethics +Requirements may result not only in sanctions and +consequences imposed by the state as outlined in the specific +assessment policy, but also in disciplinary action by the +superintendent. +PROCEDURES IF TEST IRREGULARITIES OCCUR OR IF YOU +SUSPECT A SECURITY VIOLATION +Each person directly involved in secure test administrations is +responsible for immediately reporting any violation or suspected +violation of test security. If questions arise concerning test +security or if any situation occurs that could compromise any part +of the test administration process and procedure for any state +tests, call the MA DESE at 781-338-3625 immediately and/or +report the incident using any required form. Please also advise +your immediate supervisor and the Office of Data and +Accountability. For any suspected BPS district assessment test +violations or irregularities, contact the Office of Data and +Accountability at 617-635-9450. + + + + + +Page 4: +Superintendent’s Circular ODA-02 +Page 4 of 4 + + +For additional information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Data and Accountability (ODA)/ODA-03 Guidelines and Procedures for Accessing Student Data.txt b/data/data_txt1/Data and Accountability (ODA)/ODA-03 Guidelines and Procedures for Accessing Student Data.txt new file mode 100644 index 0000000..828248d --- /dev/null +++ b/data/data_txt1/Data and Accountability (ODA)/ODA-03 Guidelines and Procedures for Accessing Student Data.txt @@ -0,0 +1,373 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-03 +Version 01 + + + +GUIDELINES AND PROCEDURES FOR ACCESSING +STUDENT DATA +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +Boston Public Schools recognizes and values the planning, +research, and evaluation work done by our partner organizations, +policymakers, and the greater education community to improve +education. The Office of Data and Accountability has established +the following guidelines regarding the processing of data +requests to improve the quality, timeliness, security, and +appropriateness of requests and request handling. Additionally, +as the Office of Data and Accountability is charged with +protecting student privacy and confidentiality, all student data +requests will be evaluated against federal, state, and local data +regulations to ensure student confidentiality. +The following data sources are considered directory information. +By federal, state, and local laws, they can be given to external +parties without explicit consent from parents/guardians. All other +student data are not considered directory and should not be +shared with members of the public without express consent from +parents/guardians or unless disclosure is expressly permitted by +an exemption under federal or state law. Schools should not +share any non-directory student data with external parties, + + +Page 2: +Superintendent’s Circular ODA-03 +Page 2 of 11 + + +members of the public, or media outlets. Common examples of +non-directory information that should not be shared include, but +are not limited to, date of birth, BPSID, and school name. All +requests for non-directory student information should be +directed to the Office of Data and Accountability. +Directory Information: +1. Student’s name +2. Age +3. Grade Level +4. Dates of enrollment + +GUIDELINES AND PROCEDURE FOR ACCESSING STUDENT DATA +Publicly Available Data +The Boston Public Schools (BPS) and the Massachusetts +Department of Elementary and Secondary Education (MA DESE) +make a number of datasets and reports publicly available online. +Before submitting a data request, please review Appendix I to see +if your data request is included in publicly available data. +Additionally, BPS departments regularly make presentations to +the Boston School Committee. See Appendix I for links to +materials from School Committee meetings.. Appendix I includes +the following types of data available for public use. +● General data profile of +BPS +● Student Attendance +and Discipline +● Standardized test +results +● School Climate +● Student Enrollment +and Demographics +● High School and +Postsecondary + + +Page 3: +Superintendent’s Circular ODA-03 +Page 3 of 11 + + + +For school personnel, there are additional reports available in +Aspen and Panorama. +Legal Guidelines on Requesting Student Data +If your data needs are not met by publicly available reports +provided by BPS and MA DESE (see Appendix I), you may be able +to request certain additional data. The Family Educational Rights +and Privacy Act (FERPA), the Massachusetts Department of +Elementary and Secondary Education (MA DESE), and the Boston +Public Schools establish regulations that maintain family and +student data privacy rights. These regulations restrict BPS and +schools governed by BPS from providing personally identifiable +information without family or student consent1. Additionally, any +individual or organization intending to use BPS student data for +research and/or evaluation purposes must submit a research +proposal to the district before any research activities, including +administrative data sharing, may take place. Receipt of grant +funds does not guarantee approval to conduct research by the +BPS Office of Data and Accountability. Guidelines for conducting +research in BPS and the research application can be found on the +BPS website. +For data requests that include either identifiable or de-identified + +1 Exceptions may apply to the general data request +requirements. Three common exceptions include: +1. District sponsored-studies to improve instruction (Studies); +2. Evaluations or audits of federally-mandated programs +(Audit); or +3. Provisions of data to appropriate school and central office +staff (School Official) + + +Page 4: +Superintendent’s Circular ODA-03 +Page 4 of 11 + + +student-level data, a written and signed agreement will be +required, depending on the scope of the request. The Office of +Data Accountability will communicate with all requesters to +execute the appropriate agreements prior to sharing data. +For requests for individual student records, please see the BPS +Superintendent’s Circular LGL-7: Privacy of Student Information +and Student Record Procedures: How to Respond to Student +Record Requests in Compliance with FERPA and State Law. + + + + +Page 5: +Superintendent’s Circular ODA-03 +Page 5 of 11 + + +In order to determine the next steps for your data needs: +WHAT CATEGORY OF DATA IS REQUESTED? + +Level of Data +Data Request Requirements +Aggregate Data +De-identified aggregate level data is generally +available to requesters without explicit +parent/guardian consent. Aggregate groups that +contain fewer than 10 students will be suppressed to +protect privacy. To gain access to this data please see +the section below on the process to request data. +Student-Level +Administrative +Data +De-identified student-level administrative data +requires a current signed non-disclosure agreement +(NDA) with the Office of Data and Accountability. +Student-Level +Roster Data +Identifiable student-level roster data requires current +family consent as well as a current signed NDA with +the Office of Data and Accountability. + + + + + +Page 6: +Superintendent’s Circular ODA-03 +Page 6 of 11 + + +WHO IS REQUESTING DATA? +Requester +Notes +BPS Officials +and School +Personnel +School leaders have access to identifiable and individual +student data only for the students in their school for the +academic year that they are enrolled in the school. +Teachers have access to identifiable and individual +student data only for the students they are teaching in +that academic year. +Researcher +All research requests must go through the research +proposal process. +BPS School- +Community +Partners +BPS deeply values and recognizes school-community +partnerships as a key strategy in our collective efforts to +ensure all our students achieve success in college, career, +and life. Data can be an important tool for partners to +effectively collaborate with schools to strengthen +services for students. For partners to collect or access +any data about students, school-community partners +must be fully registered on PartnerBPS. A complete +registration on PartnerBPS includes registration of all +programs the Partner runs in BPS and all partnerships +they have with BPS schools. More information on the +PartnerBPS registration process can be found here. +Partners must also have active parental consent to +obtain individual and identifiable data on students +unless the request falls under the FERPA exceptions. +Furthermore, partners must sign a Non-Disclosure +Agreement with the district before receiving any data. If +a school-community partner has any agreement with +schools including memoranda of understanding, + + +Page 7: +Superintendent’s Circular ODA-03 +Page 7 of 11 + + +contracts for services, and/or school-based partnership +agreements, this must also be provided when +submitting a data request. Typical school-community +partner data requests include student demographics, +quarterly attendance, and course grades for consented +enrolled students. +Media +All media requests must go through the BPS +Communications Office. +Agencies +outside of BPS +Agencies may receive aggregate level de-identified data. +Any aggregate group of fewer than 10 students may be +suppressed to protect student privacy. + +PROCESS FOR REQUESTING DATA +To receive data according to the guidelines listed above, requests +must be submitted through the Office of Data and +Accountability’s Data Request Form. +In preparation for completing the form, please have the following +information available: +● Purpose/Use: how will the requested data be used? +● Intended Audience: with whom will you share the +data/analysis? Note: depending on the nature of the data +request, some data may not be appropriate for sharing +with the public. +● Summary of data request: please describe in detail what +data is being requested, including school years, student +population, student attributes, and data scope. + +Please note that if you are requesting data for a specific group of + + +Page 8: +Superintendent’s Circular ODA-03 +Page 8 of 11 + + +students, BPS student ID numbers or state-assigned student ID +numbers must be provided. Requests without ID numbers will +not be fulfilled. +After submitting the form, requesters will receive an automatic +confirmation email. If analysts have any clarifying questions, they +will reach out to the requester within 3-5 business days. While +ODA endeavors to fulfill all non-research requests within 15 +business days, high volume and more complex requests may +dictate a longer turnaround time. As such, we will attempt to +fulfill partner data requests with an already executed NDA within +15 business days; and, we will attempt to fulfill research requests +with a fully executed NDA within 25 business days. Please plan +accordingly when submitting a data request. The Office of Data +and Accountability reserves the right to deny certain data +requests. +► All requests from the media must go through the BPS +Communications Office. Communications can be +reached at 617-635-9265 or +communications@bostonpublicschools.org. +► All public records requests should be submitted through +the City of Boston’s online Public Records Center. +FEES FOR DATA REQUESTS +Some data requests may incur a fee, dependent on size, the time +required, and the scope of the request. Upon receipt of a data +request, the Office of Data and Accountability will communicate +with the requester and provide a fee estimate, if applicable. + +For additional information about this circular, contact: + + +Page 9: +Superintendent’s Circular ODA-03 +Page 9 of 11 + + +Owner +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9450 +Email: +rc069@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular ODA-03 +Page 10 of 11 + + +APPENDIX I: PUBLICLY AVAILABLE DATA +Overview of Boston Public Schools +● BPS At a Glance +● Facts and Figures +● Boston District Profile (MA DESE) +● BPS School Profiles (MA DESE) +● Data and Reports produced by the Office of Data and +Accountability +● School Committee Meetings Materials +Standardized test results +● MCAS results by school and district, with options to +disaggregate by subgroup and grade level +● PARCC results by school and district, with options to +disaggregate by subgroup +● NAEP results +● ACCESS results +Student Enrollment and Indicators +● Attrition +● Enrollment by Grade - Number of students by grade +● Enrollment by Kindergarten - Enrollment by Kindergarten +● Enrollment by Race/Gender - Percent of public school +students by race and gender. +● Enrollment by Selected Population - Number and percent +of public school students in subgroups: First Language +Not English (FLNE), English Language Learners (ELL), +Students with Disabilities, High Needs, and Low Income. +● Enrollment for Students with Disabilities and CVTE +● Mobility Rate Report - Students transferring into or out of +public schools, districts, or the state. + + +Page 11: +Superintendent’s Circular ODA-03 +Page 11 of 11 + + +● Student Attendance Report +● Student Retention Report +● Student Discipline - Student Discipline data is reported +from the Student Safety and Discipline Report (SSDR) +● Student Discipline Days Missed Report - Student +Discipline Days Missed Report +School Climate +● Reports can be found on the BPS website. +High School and Postsecondary Data +● Advanced Placement Participation - Number of students +who took one or more Advanced Placement exams for +each subject. +● Advanced Placement Performance - Number of students +who received each possible score on the Advanced +Placement exam for each subject. +● Dropout Report - This report provides the percentage of +Massachusetts public high school graduates who drop +out of high school. +● Graduates Attending Higher Ed. - Graduates Attending +Higher Ed. +● Graduation Rates - Percent of students who graduate +with a regular high school diploma within 4 or 5 years by +student group. +● MassCore - The Massachusetts High School Program of +Studies (MassCore) is intended to help our state's high +school graduates arrive at college or the workplace well +prepared and reduce the number of students taking +remedial courses in college. +● Plans of High School Grads +● SAT Performance + + diff --git a/data/data_txt1/Data and Accountability (ODA)/ODA-04 BPS Balanced Assessment System.txt b/data/data_txt1/Data and Accountability (ODA)/ODA-04 BPS Balanced Assessment System.txt new file mode 100644 index 0000000..0964af5 --- /dev/null +++ b/data/data_txt1/Data and Accountability (ODA)/ODA-04 BPS Balanced Assessment System.txt @@ -0,0 +1,377 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-04 +Version 01 + + + +BPS BALANCED ASSESSMENT SYSTEM +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Student assessment is an effective tool to support success inside +and outside of the classroom. Assessment takes many forms, and +it is the responsibility of all in the Boston Public Schools to use +the data that emerges from assessments to ensure that every +student receives what they need every day. +PURPOSE +The Boston Public Schools assessment system supports the +district's strategic goals of eliminating opportunity gaps and +accelerating learning. The assessment system: +● provides teachers, administrators, students, parents, +the district, and the community with ongoing +information regarding student progress in relation to +state frameworks. +● ensures all our students are prepared for college, +career, and life. +A balanced assessment system includes formative and +summative assessments that provide information on the +classroom, school, and district levels and is responsive to needs at +each of these levels. + + +Page 2: +Superintendent’s Circular ODA-04 +Page 2 of 7 + + + +1. At the classroom level, the assessment system provides +teachers with data on students’ strengths and needs so that +teachers may develop lessons that respond to individual +differences. +2. At the school level, the assessment system provides school +leaders and instructional leadership teams with data to help +them measure school success based on school and district +goals: +a. Assess the effectiveness of curriculum, instruction, and +professional development programs. +b. Work with teachers to develop strategies that attend +to priority areas. +3. At the district level, the assessment system provides district +leaders with information that allows them to determine if +the system, individual schools, and central departments are +making progress regarding the district’s long-term teaching +and learning goals. Information is needed to assess the +effectiveness of specific initiatives being implemented to +achieve those goals, to implement effective practices, and to +eliminate practices that are unsuccessful. Quality +information allows comparisons across programs, schools, +and classrooms to be data-driven and equitable. +ASSESSMENT EXPECTATIONS +For SY24-25, district assessment expectations will maintain its +instructional focus on Equitable Literacy across all content areas +to strengthen equitable Multi-Tiered System of Support (MTSS), +laying a strong Tier 1 infrastructure to become a fully inclusive +district and expand access to bilingual/native language + + +Page 3: +Superintendent’s Circular ODA-04 +Page 3 of 7 + + + +instruction. As BPS more consistently implements effective +equitable literacy practices, the data provided by assessments +will inform educators to meet the learning needs of all students. +These expectations are a minimum for schools; school +communities are encouraged to craft the assessment strategy +that supports their own work towards grade-level, standards- +aligned, culturally responsive instruction. +The following tables outline the formative and summative +assessments in use in Boston Public Schools during SY24-25, +including the purpose, grade level, participation expectation and +frequency. +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +PALS/ +Heggerty +Screener for all 4-year- +old students in K1 used +to understand student +progress in relation to +developmental +benchmarks. +K1 +Required +2x per +year +NWEA MAP +Reading +Fluency +Computer adaptive +universal screening tool +that assesses early +literacy skills, oral +reading fluency, and +reading +comprehension; DESE +approved dyslexia +screener. +K2–2 +Required +3x per +year +3 +Required +2x per +year + +(extended +test +windows) + + + +Page 4: +Superintendent’s Circular ODA-04 +Page 4 of 7 + + + +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +NWEA MAP +Reading +Growth +Computer adaptive +universal screening tool +that assesses reading +comprehension; +identifies what +students are ready to +learn next. +3 +Required +2x per +year + +4–11 +Required +3x per +year +NWEA MAP +Math Growth +Computer adaptive +universal screening tool +that assesses +mathematical skills; +identifies what +students are ready to +learn next. +3–11 +Required +3x per +year +Pre-IPT +Diagnostic measure of +English language +proficiency of pre- +school children whose +home language is not +English, in compliance +with federal law. +K0* +*ML +students +Required +1x per year +WIDA +Kindergarten +Screener +Diagnostic measure of +English language +proficiency in +compliance with +federal law for English +Language Learners. +K1* +*ML +students +Required +1x per year + + +Page 5: +Superintendent’s Circular ODA-04 +Page 5 of 7 + + + +BPS FORMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expectation +Frequency +Interim +Assessments +in ELA and +Math +Standard-aligned +assessment to measure +student access to +grade-level content. +2–11 +Strongly +Recommended +2x per +year +Interim +Assessments +in Science +Standard-aligned +assessment to measure +student access to +grade-level content; +unit-based. +3 - 10 +Strongly +Recommended +3x per +year +Language +Acquisition +(TBD) +Standard-aligned +assessment to measure +English language +acquisition +K2-12* +*EL +students +TBD +2x per +year + +Additionally, all district supported curricula include ongoing, +curriculum-embedded, formative assessments (classroom tasks +and formal assessments) to provide real-time information to +educators about what students have learned and are ready to +learn next. +BPS SUMMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expec- +tation +Fre- +quency +MCAS +Annual assessment of grade +level content standards for +state and federal +accountability. +3 - 8, High +School +Required +1x per +year + + +Page 6: +Superintendent’s Circular ODA-04 +Page 6 of 7 + + + +BPS SUMMATIVE ASSESSMENTS +Assessment +Purpose +Grade +Expec- +tation +Fre- +quency +ACCESS for +ELLs +Annual assessment for EL +students; measures English +language proficiency and +progress in compliance with +federal law. +K2 - 12* +*EL +students +Required +1x per +year +SAT +A standardized assessment +that assesses mathematics +and evidence-based +reading/writing; used by most +colleges and universities to +make admissions decisions. +11 +Strongly +Recom- +mended +1x per +year +PSAT/ +NMSQT +A standardized assessment +that assesses much of the +same content (evidence-based +reading/writing and +mathematics) that is on the +SAT; +10, 11 +Strongly +Recom- +mended +1x per +year +AP +Standardized exams designed +to measure how well students +have mastered the content +and skills of a specific AP +course. +10 - 12* +*students +in AP +courses +Strongly +Recom- +mended +1x per +year + + +For more information about this circular, contact: + + +Page 7: +Superintendent’s Circular ODA-04 +Page 7 of 7 + + + +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Data and Accountability (ODA)/ODA-05 BPS Survey Administration Guidelines.txt b/data/data_txt1/Data and Accountability (ODA)/ODA-05 BPS Survey Administration Guidelines.txt new file mode 100644 index 0000000..99de20c --- /dev/null +++ b/data/data_txt1/Data and Accountability (ODA)/ODA-05 BPS Survey Administration Guidelines.txt @@ -0,0 +1,363 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-05 +Version 01 + + + +BPS SURVEY ADMINISTRATION GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +A federal statute, the Protection of Pupil Rights Amendment +(PPRA), 20 U.S.C. §1232h, affords some protections for students +and their parents before certain student surveys are conducted. +Many student surveys, however, will not come within the scope of +this statute. Please assess each student survey carefully before +administering it to determine if this policy applies. A student +survey that is anonymous or voluntary need not comply with the +following policy. Additionally, a student survey that is not +developed or administered with funds received from the United +States Department of Education also does not need to comply +with this policy. +For those student surveys that are developed or administered +using federal education funds and in which a student is required +to participate, the following policy applies. This policy applies to +those surveys that ask a student to reveal any of the following +information: political affiliation; mental illness or psychological +problems; sexual behavior and/or attitudes; illegal, self- +incriminating, and demeaning behavior; critical appraisals of +close family members; relationships to which a privilege is +recognized, such as clergy, medical doctors, or attorneys; +religious affiliations or beliefs; and income, other than for + + +Page 2: +Superintendent’s Circular ODA-05 +Page 2 of 10 + + + +eligibility for participation in a program. Prior to administering +such a survey, the student’s parent or guardian must consent, in +writing, to the student’s participation in the survey. Also, a copy +of the survey must be made available to the parent or guardian. +Any such survey should also be brought to the attention of the +Office of Legal Advisor. +PERCEPTION SURVEYS +Student, teacher, and family surveys are an effective tool to +support success inside and outside of the classroom. These +surveys are required district-wide; however, schools and +programs may choose to administer additional surveys (please +see further down for guidance about administering additional +surveys). It is the responsibility of all in the Boston Public Schools +to use the data that emerge from the surveys to ensure that +every student receives what they need every day. +Purpose +The Boston Public Schools’ climate, culture, and feedback surveys +support the district strategic goals of eliminating opportunity +gaps and accelerating learning. The surveys: +● provide teachers, administrators, students, parents, the +district, and the community with information +regarding climate, culture, engagement, and student +learning. +● are utilized to assess criteria for inclusion as a Family +Friendly School. + + +Page 3: +Superintendent’s Circular ODA-05 +Page 3 of 10 + + + +● are included in measures to calculate school scores for +the School Quality Framework and assignment tiers for +the Home-based Student Assignment System. +A robust survey system includes surveys that provide information +on the classroom, school, and district levels and is responsive to +needs at each of these levels. +● At the classroom level, the student feedback survey +provides teachers with data on student’s perceptions +of instruction and classroom climate, so that teachers +may create formative goals to better meet the learning +needs of their students. +● At the school level, the surveys provide school leaders +and leadership teams with data to help them measure +school success in relation to school and district goals; +assess engagement and the creation of a safe and +welcoming environment; and work with teachers to +develop strategies that attend to priority areas. +● At the district level, the surveys provide district leaders +with information that allows them to determine if the +system, individual schools, and central departments +are making progress regarding the district’s long term +strategic goals. Information is needed to assess the +effectiveness of specific initiatives being implemented +to achieve those goals, to implement effective +practices, and to eliminate practices that are +unsuccessful. Quality information allows comparisons +across programs, schools, and classrooms to be data- +driven and equitable. + + +Page 4: +Superintendent’s Circular ODA-05 +Page 4 of 10 + + + +Administration Expectations +Perception survey administration is required for students, staff, +teachers, and families in Boston Public Schools during SY24-25. +BPS administers the Student, Family, Teacher, and Staff Surveys +through Panorama. Communications are sent centrally; however, +school-based outreach makes the difference for many families! +School leaders and coordinators have access to response rate +tracking and completion lists via Panorama's platform. In +addition, survey coordinators and school leaders are offered +training and resources for administration prior to the survey +window. +The following table outlines the surveys required for students, +staff, teachers, and families in Boston Public Schools during +SY24-25, including the purpose, grade level, and administration +windows. Specific dates are included in the annual assessment +calendar released during summer 2024. + + + + +Page 5: +Superintendent’s Circular ODA-05 +Page 5 of 10 + + + + +BPS Districtwide Surveys +Survey +Purpose +Grade +Adminis- +tration +Window +Student +Climate +and +Feedback +Surveys +Assesses perceptions of pedagogical +effectiveness, rigorous expectations, +relationships, engagement, +classroom climate, school culture & +community, belonging, mindset, +school safety, and more +3-12 +Mid-Year: +December +Spring: April- +May +Senior Exit +Survey +Collects information regarding +student postsecondary plans and +overall experience in high schools. +Gradua- +ting +Seniors +April-June +Teacher +Climate +Survey +Assesses perceptions of school +climate, culture, relationships, peer +victimization, school leadership, +professional learning, etc +All +Mid-Year: +December +Spring: April- +May +Staff +Climate +Survey +Assesses perceptions of school +climate, culture, relationships, peer +victimization, and school leadership +All + +Spring: April- +May +Family +Climate +Survey +Assesses perceptions of school +climate, culture, school +communication, school fit, school +safety, engagement, etc. +All +Spring: April- +May + + + +Page 6: +Superintendent’s Circular ODA-05 +Page 6 of 10 + + + +Accessing Results +Teachers and other school staff can access results in Panorama: +secure.panoramaed.com. (Select “Sign in with Google” and +choose your BPS email to log in). Results should be reviewed and +considered with respect to how they may impact planning and +adjustments, and the alignment with your School Improvement +90 Day Action Plan: specifically, the Student Culture and Adult +Culture goals. Resources to support are available in Panorama +Academy. +To ensure the data is a reasonable representation of their student +population, school-level results are only shown if (1) the response +rate is greater than 10%; and (2) there are at least 7 responses to +ensure student confidentiality. Support is available through +Panorama at support+bps@panoramaed.com. +ADMINISTERING SURVEYS TO MULTIPLE SCHOOL +COMMUNITIES OR WITHIN THE CENTRAL OFFICE +The above guidelines and recommendations are to support the +administration of surveys to students, families, and school staff. +The remainder of this circular describes the process that will be +used to create and administer surveys for central office staff or +multiple school communities. To reduce the number of surveys +that staff are required to respond to, the Office of Data and +Accountability will review all surveys prior to their administration. +Please refer to the BPS survey calendar for existing surveys and +their timelines, if available. The process below describes how +these offices will review survey creation and administration. +Step 1: Survey Request Process + + +Page 7: +Superintendent’s Circular ODA-05 +Page 7 of 10 + + + +If your office is interested in administering a survey to staff +outside of your department, you will need to submit a survey +request form to the Office of Data and Accountability. The form +will collect information on: +● the goals and objectives of the survey +● decisions the survey is meant to inform +● tabulations and analytics results that will inform the +decision +● confirmation that this information is not already being +collected in other surveys +● audience and users (especially if intended to for any +outside agencies) +● research approval requirement, if any +● sensitivity of data being collected and any necessary +security protections +● ideal timeline for the survey/form to be administered +as it relates to instructional priorities +● +● ideal method for distribution. +Depending on the targeted survey population, surveys should be +scheduled in coordination with any standing district surveys to +mitigate overlap. Departments or teams must share the reasons +for collecting information and how this information will be used. +Whether responding to the collection of information is +mandatory or voluntary, each team should take into +consideration the timeline of requested responses in relation to +other district required training, surveys, and events. + + +Page 8: +Superintendent’s Circular ODA-05 +Page 8 of 10 + + + +Step 2: Consultation +Once you have submitted your survey request form, the Office +Data and Accountability will meet with you to review your +request and determine whether it is appropriate and distinct +from other survey collection tools already in use by the district. If +the survey is approved to be administered, the Office of Data and +Accountability will be able to recommend a level of support for +creating and administering the survey. Examples of ODA support +may include, but are not limited to, item and domain +creation/review, sampling strategy, survey administration timing, +communication; design, hosting, and analysis of collected data. + + + + +Page 9: +Superintendent’s Circular ODA-05 +Page 9 of 10 + + + +Step 3: Data Analysis and Dissemination of Information +A plan for analysis of the survey data should be provided prior to +initiating the collection of data. Teams are expected to keep +detailed documentation of activities and decisions informed by +the data collected. Departments should plan to identify which +portions of their evaluation will be shared with participants. High +visibility data, such as results that will be shared with the public, +the School Committee, and/or School Committee task +force/working groups should be shared with the Offices of the +Superintendent and Data and Accountability to interpret results +from the analysis and inform the process for future recurring +surveys. +BEST PRACTICES FOR SURVEYS AND DATA COLLECTION +1. Shorter surveys will lead to increased response rates. +Limiting the number of questions in a survey will increase +the response rate and improve your overall ability to collect +feedback. Surveys should be designed to minimize the +respondent’s time and ideally designed to be completed on +a mobile device in 3-5 minutes. +2. Minimize open response answers. +Open response answers (short or paragraph) will increase +the amount of time it takes to complete a survey and can +lead to degraded response quality. Using drop- +down/checkbox options as much as possible will improve +your survey response rates and allow for easier data analysis. +3. Do not collect data that we already have. + + +Page 10: +Superintendent’s Circular ODA-05 +Page 10 of 10 + + + +A common practice when designing surveys is to ask for +data that we already have in a data system, such as names, +grade levels, school name, etc. However, this increases the +time to complete the survey and increases risk of data leak if +the responses are not safeguarded. Collecting a +respondent’s email address or emp/student ID number +should be sufficient for identifying the person afterwards +and additional identifying information that is already +contained in a BPS data system should be used during +analysis. +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Data and Accountability (ODA)/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.txt b/data/data_txt1/Data and Accountability (ODA)/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.txt new file mode 100644 index 0000000..746bb5b --- /dev/null +++ b/data/data_txt1/Data and Accountability (ODA)/ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.txt @@ -0,0 +1,528 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-06 +Version 01 + + + +PARTICIPATION GUIDELINES FOR TESTING ENGLISH +LEARNERS ON STATEWIDE ASSESSMENTS +This circular will remain in effect unless rescinded or superseded +by a subsequent versions. +The purpose of this circular is to provide schools with the +Massachusetts Department of Elementary and Secondary +Education (MA DESE) guidelines for testing English Learner (EL)1 +students on statewide assessments. +DEFINITION +According to MA DESE, an EL student is a student whose native +language is not English, and currently unable to perform ordinary +classroom tasks in English. An EL student also scores less than +proficient on an English language proficiency assessment. When +a student has been identified as an EL according to MA DESE and +U.S. Department of Justice requirements, a student retains this +designation, regardless of their program setting until they meet + +1 English Learner (EL) refers to a specific subset of Multilingual +Learners (MLs) who are classified as English learners. This term is +used in federal and state laws, regulations, and policies. For more +information, see MA DESE’s Guidance on English Learner +Education Services and Programming, page 5, available at +https://www.doe.mass.edu/ele/guidance/. + + +Page 2: +Superintendent’s Circular ODA-06 +Page 2 of 13 + + + +state exit criteria2. Students who meet the exit criteria must be +reclassified as Former English Learners (FELs). +PARTICIPATION REQUIREMENTS FOR EL STUDENTS +Federal and state laws require that all EL students participate in +statewide assessments. Massachusetts students will meet the +requirements of these laws by participating in both the MCAS +and ACCESS for ELLs tests. +EL Participation Requirements in Statewide Assessments + + +ACCESS +Grades K2-12 +MCAS +ELA +Math +Science +and +Tech/Eng +First-Year +EL +Students3 +Required only for +K2-12 grade +students entering +Optional4 +Required +Required + +2 Students must score 4.2+ overall and 3.9+ in literacy on ACCESS +for ELLs to be reclassified as former English learners (FELs). MA +DESE will release Alternate ACCESS exit criteria in fall 2024. +3 Results for first year EL students are not included in MCAS +school and district summary results or in state accountability +reporting. +4 Optional, provided that the student has participated in ACCESS +for ELLs testing. This first year exemption shall be applied one +time. + + +Page 3: +Superintendent’s Circular ODA-06 +Page 3 of 13 + + + +before ACCESS +for ELLs testing is +completed +All Other +EL +Students +Required +Required +Required +Required + + + + + +Page 4: +Superintendent’s Circular ODA-06 +Page 4 of 13 + + + +ACCESS FOR ELLS AND ALTERNATE ACCESS FOR ELLS +All EL students must be assessed annually to measure their +English language proficiency and progress in learning English in +the four domains of reading, writing, listening, and speaking. +Students in grades K2-12 who are identified as EL must +participate in ACCESS for ELLs testing or the Alternate ACCESS +for ELLs for their grade. This requirement applies regardless of +the number of years a student has been enrolled in U.S. schools +and whether their parent or guardian has an approved request to +opt-out of ESL services. The following students must participate: +● students who were reported as EL in the October 2024 SIMS, +and +● students who enroll in school after the October 2024 SIMS +submission and prior to February 7, 2025 who will be +reported as EL in the March 2025 SIMS. +Foreign exchange students who are coded as #11 under DOE013 +“Reason for Enrollment” in SIMS must participate in an ACCESS +for ELLs test, if they are reported as English learners. They are also +required to participate in the MCAS tests specified for the grade +in which they are reported. +ALTERNATE ACCESS FOR ELLS +This is the state’s alternate English language proficiency +assessment for EL students in grades K2-12. This assessment is +designed specifically for those EL students with the most + + +Page 5: +Superintendent’s Circular ODA-06 +Page 5 of 13 + + + +significant cognitive disabilities5 who are unable to meaningfully +participate in ACCESS for ELLs, as indicated in the student’s IEP. +This paper-based assessment is uniquely designed to monitor +students’ progress in acquiring academic English. +MCAS +EL students must participate in all MCAS tests scheduled for their +grades, regardless of the language program and services they are +receiving or the amount of time they have been in the United +States. The one exception applies to first-year EL students who +enrolled in U.S. schools after March 1, 2025 and who were not +reported in the March 2024 SIMS report, for whom only MCAS +ELA testing in Spring 2025 is optional. +Note: EL students in high schools need to pass MCAS tests as a +state requirement for graduation. There are opportunities for +retesting if students do not pass MCAS the first time. + + + +5 For more information, see +https://www.doe.mass.edu/mcas/access/participation- +guidelines.html. + + +Page 6: +Superintendent’s Circular ODA-06 +Page 6 of 13 + + + +ASSESSMENT TESTING WINDOWS +The testing windows for administering the SY2024-2025 annual +assessments in Boston Public Schools are listed below: + SY 2024-25 Dates State Assessment +Nov. 6- 7 +November 2024 MCAS HS ELA Retests +Nov. 12-13 +November 2024 MCAS HS Mathematics Retests +Jan. 6- Feb. 14 +2025 ACCESS for ELLs +Feb. 4- 5 +February 2025 MCAS HS Biology and +Introductory Physics Tests +Mar. 6 & 7 +March 2025 MCAS HS ELA Retests +Mar. 11- 12 +March 2025 MCAS HS Mathematics Retests +Mar. 24 Apr. 18 +Spring 2025 MCAS Grades 3-8 ELA Test +Mar. 25-26 +Spring 20254 MCAS Grade 10 ELA Test +Mar. 28 +2025 MCAS Alternate Assessment (MCAS-Alt) +Submission Deadline +Apr. 28-May 23 +Spring 2025 MCAS Grades 3-8 Mathematics & +Grades 5&8 STE Tests +Apr. 28- June 6 +Spring 2025 MCAS Grade 8 Civics Test +May 20 21 +Spring 2025 MCAS Grade 10 Mathematics Test +June 4-5 +Spring 2025 MCAS High School STE Tests + +Note: dates are based on the State Initial Release of the 2024–25 +MCAS and ACCESS for ELLs Testing Schedule, as of 5/15/2024. +These dates are not considered final until confirmed by DESE. + + + + +Page 7: +Superintendent’s Circular ODA-06 +Page 7 of 13 + + + +GUIDELINES FOR ASSESSING EL STUDENTS IN THEIR FIRST 12 +MONTHS OF ENROLLMENT IN U.S. SCHOOLS +For recently arrived ELs who have been enrolled in a U.S. school +for the first time after March 1, 2024, and who were not reported +in the March 2024 SIMS report, the following apply: +1. The participation in ACCESS for ELLs or Alternate ACCESS +for ELLs testing is required, provided that the student +enrolls in school before February 7, 2025. +2. The participation in Spring 2025 MCAS ELA assessment6 is +not required but is recommended for student diagnostic +purposes only. Testing in MCAS ELA is strongly encouraged +to be considered an opportunity for students in high school +grades to earn a passing score for graduation requirements. +3. For students expected to participate in statewide +assessments, non-participation in ACCESS and MCAS testing +negatively impacts the school and district accountability. + + + +6 ELA testing is also optional for EL students from Puerto Rico +who are in their first year of enrollment in a Massachusetts +school. + + +Page 8: +Superintendent’s Circular ODA-06 +Page 8 of 13 + + + +SCHOOL AND DISTRICT REPORTING FOR EL STUDENTS +Reporting +Measure + +First Year ELs +(1st year in any U.S. school) + +All Other ELs +(Regardless of +number of years +enrolled in BPS) +Students Reported +in the district’s +October 2024 SIMS +or enrolled before +February 7, 2025 +Students +Enrolled after +February 7, 2025 +Assessment +Participation +Rate for +MCAS ELA is +based on +ACCESS +Students are +expected to take +the ACCESS test to +be counted in the +school MCAS +participation rate +for ELA. Regardless, +student’s +participation in the +MCAS ELA test is +optional. + +If a student does +not participate in +ACCESS testing, the +student counts as +‘non-participant’ for +MCAS in the +Students count +as participants +regardless of +participation in +MCAS ELA +testing. ACCESS is +not required if a +student enrolled +at the end of the +testing window. + +Students are +expected to take +the ACCESS test +to be counted in +the school MCAS +participation rate +for ELA. +Otherwise, the +student counts +against the +school MCAS +participation rate +for ELA. + +MCAS ELA testing +is not optional. + + + + +Page 9: +Superintendent’s Circular ODA-06 +Page 9 of 13 + + + +Reporting +Measure + +First Year ELs +(1st year in any U.S. school) + +All Other ELs +(Regardless of +number of years +enrolled in BPS) +Students Reported +in the district’s +October 2024 SIMS +or enrolled before +February 7, 2025 +Students +Enrolled after +February 7, 2025 +school's MCAS ELA +participation rate. +Accounta- +bility +Determina- +tions +Students’ MCAS results7 are not +included in the accountability +calculations. For first year ELs who +participate in ELA testing, results will be +provided at the school level and will be +used for Competency Determination +purposes for high school students. +Students’ MCAS +results are +included in the +accountability +calculations. + + + + +7 First-year EL students must participate in MCAS Mathematics +and Science and Technology/Engineering tests, although results +will be reported for diagnostic purposes only and students’ +results will not be included in school and district summary results +or in state accountability reporting. + + +Page 10: +Superintendent’s Circular ODA-06 +Page 10 of 13 + + + +PROVIDING APPROPRIATE TESTING ACCOMMODATIONS TO ELS +Testing accommodations involve changes to testing procedures, +testing materials, or the testing situation to allow students +meaningfully participate in an assessment. However, testing +accommodations must not alter the test construct or the test +content being measured. +Testing accommodations for ELs are designed to address their +unique linguistic needs during the normal process of English +language acquisition. When appropriately assigned, testing +accommodations offer ELs the opportunity to demonstrate +knowledge in a subject, regardless of their English language +proficiency level. This provides schools and divisions with an +accurate picture of an EL’s content area achievement. +EL students may be eligible for testing accommodations on +MCAS assessments. Certain testing accommodations may be +more appropriate for ELs at a particular language proficiency and +for certain MCAS assessments. Decisions about accommodations +for EL students should be made by the Language Acquisition +team of educators familiar with the student. These decisions +should be documented as described in the MA DESE MCAS +Accessibility and Accommodations Manual. +The following accommodations are available to ELs, with or +without disabilities, on MCAS tests: + + + + +Page 11: +Superintendent’s Circular ODA-06 +Page 11 of 13 + + + +Accommodation +Applicability +Paper-based edition +(EL1) +May be administered to a first year EL student +with a low level of English proficiency or an EL +student who has little or no familiarity with +technology (student does not use a computer +routinely). +Authorized Bilingual +Word-to-Word +Dictionary and +Glossary (if available) +(EL2)8 +List of authorized English/Native Language +dictionaries (also available to Former ELs). +Bilingual dictionary use for MCAS tests is strictly +limited to those that provide word-to-word +translations. Dictionaries that include definitions, +synonyms, antonyms, phrases, and other +information are prohibited. Electronic dictionaries +are not allowed. +Text-to-speech (TTS) +(EL3.1) + +Next-generation computer-based Mathematics, +grades 5 and 8 Science and Technology/ +Engineering (STE) and/or high school Biology or +Introductory Physics tests +Human read-aloud +(EL3.2) +Next-generation computer-based or paper-based +Mathematics and/or Science and Technology/ + +8 The use of DESE approved word-to-word bilingual dictionaries is +strongly encouraged if students have demonstrated usage with +need in accessing the native language definition. Some students +with limited academic proficiency in their native language may +find the dictionary usage a deterrent or a barrier to access the +definition and translation. School teams are advised to use +professional judgment in assessing the need based on the +individual learner. + + +Page 12: +Superintendent’s Circular ODA-06 +Page 12 of 13 + + + +Accommodation +Applicability +Engineering tests or legacy Mathematics or ELA +Composition retests +Scribe (including +human scribe or +speech-to-text) (EL4.1, +EL4.2) +Mathematics and/or STE tests or legacy ELA +Reading Comprehension retest +English/Spanish test +version for +Math/Biology/Physics +only (EL7) +Intended only for a Spanish-speaking EL student +who has been in the U.S. for less than 3-years; +Available in computer- and paper-based formats. + + +The student should be introduced to an accessibility feature or +accommodation as early as possible in the school year, prior to +the assessment. Accessibility features and accommodations are +intended to remove barriers and allow EL students to +demonstrate their knowledge and skills more effectively and +should never be provided for the first time on a statewide +assessment. +Please consider the following resources available: +● MA DESE MCAS and ACCESS Participation Requirements +● MA DESE Authorized Bilingual Word-to-Word Dictionaries +and Glossaries for Use by ELs and FELs on MCAS +● MA DESE MCAS Accessibility and Accommodations Site +IDENTIFYING FIRST YEAR EL STUDENTS + + +Page 13: +Superintendent’s Circular ODA-06 +Page 13 of 13 + + + +A list of the identified first year ELs, students who have been in +the U.S. for less than 12 months and are actively enrolled in your +school, can be retrieved through SIS (ASPEN). On the ‘Student’ +tab in the field set menu, filter for “First Year in U.S. Schools LEP +Student.” A report will be generated based on the school +enrollment up to the date of retrieval. +In January 2025, the Office of Data and Accountability will flag +these students in the SR/PNP file uploaded on the Spring 2025 +testing platform. Schools may later export this file to identify the +First Year EL students. New first year EL students enrolled after +January 2025 will not be coded in the file, but schools can identify +them in ASPEN. +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9450 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Data and Accountability (ODA)/ODA-07 Required Documentation to Withdraw Students.txt b/data/data_txt1/Data and Accountability (ODA)/ODA-07 Required Documentation to Withdraw Students.txt new file mode 100644 index 0000000..3c98b43 --- /dev/null +++ b/data/data_txt1/Data and Accountability (ODA)/ODA-07 Required Documentation to Withdraw Students.txt @@ -0,0 +1,404 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +ODA-07 +Version 01 + + + +REQUIRED DOCUMENTATION TO WITHDRAW +STUDENTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +This circular lists the documentation schools are required to +obtain when withdrawing students and includes information on +monitoring processes conducted by the central office. +For the last several years, Boston Public Schools has been under a +state audit regarding our documentation of student withdrawals. +Auditors found that we collect insufficient documentation of +students categorized as withdrawals. The audit finding has been +upgraded to a “material weakness,” which is a more severe +finding. Lack of action could result in loss of federal funds (e.g., +Title 1) and/or the City’s overall credit rating. The Systemic +Improvement Plan required the district to revise withdrawal +procedures and implement controls for monitoring. All +administrative school staff (school leaders, registrars, or any +school administrator whose responsibilities involve enrolling or +withdrawing students) are required to complete asynchronous +training at the 2024 Management and Operations Institute. +OVERVIEW OF REQUIRED DOCUMENTATION +This section seeks to clarify what documentation is required and +acceptable. Schools can use this template to document + + +Page 2: +Superintendent’s Circular ODA-07 +Page 2 of 9 + + + +interactions with families and upload along with supporting +documentation or with a family signature. Your school may use +your own template as long as it contains the necessary +information and has been approved by the central office (contact: +student-withdrawal@bostonpublicschools.org). +ACCEPTABLE DOCUMENTATION TYPES FOR STUDENTS +WITHDRAWING INCLUDES: +1. A written request for a student’s records from a receiving +public or private high school or an educational program +(that culminates in a regular high school diploma). This +includes requests from the receiving school that come to +the district through Scrib Order. +2. Written record of a response from an official receiving +school or program acknowledging the student’s enrollment. +3. Written confirmation from a parent or guardian that their +student has moved to another state or country and will be +continuing their education. +4. Written confirmation from a parent/guardian updating the +school enrollment status of their child, including indication +that they will be continuing their education elsewhere. +5. Letter from the BPS Office of Expanded Learning Time, +indicating an approved Educational Plan for homeschooling. +6. Record from the state's data system (Edwin DESE Security +Portal - Central Office Process) + + + + +Page 3: +Superintendent’s Circular ODA-07 +Page 3 of 9 + + + +If you do not have the above documentation at the time of +withdrawal, the student must be withdrawn as a dropout. See +Appendix for a table of withdrawal codes with acceptable +matching documentation. +REQUIRED ELEMENTS OF SUFFICIENT WITHDRAWAL +DOCUMENTATION FOR A TRANSFER STUDENT INCLUDE: +1. Date when the transfer occurred or was confirmed, +including the year. +2. Identifiable name of the student withdrawing +3. Identifiable information for who is confirming the +withdrawal, such as the parent name or receiving school +registrar’s email address +4. Indication that the student is continuing their education +elsewhere +a. New school name is ideal but not required. Stating a +student will enroll in a school elsewhere is sufficient if +the new school name is not known. +Withdrawal documentation must be uploaded to the student +record in Aspen at the time of the withdrawal in a non-editable +format, such as a PDF, screenshot, scanned handwritten & signed +withdrawal form or letter. Word documents, Aspen journal +entries, travel tickets or itineraries are not acceptable forms of +documentation to confirm a transfer. +MONITORING AND ACCOUNTABILITY +School leaders will be required to identify a primary point of + + +Page 4: +Superintendent’s Circular ODA-07 +Page 4 of 9 + + + +contact at their school for withdrawal related processes. +Additionally, school leaders will be required to sign off that they +have reviewed student records and that sufficient +documentation exists for each student’s withdrawal code. This +sign off will align with the October state reporting period. Central +office staff will hold office hours and be available to answer +questions that may arise at this time period and will +communicate these dates via the Friday Flyer and Weekly Recap. +Additionally, the central office team will be conducting periodic +audits to confirm sufficient documentation is in place: Fall, Mid- +Year, End of Year. Supervisors of attendance will be included as a +resource to support schools in gathering the necessary +documentation during review periods. +For questions and support, please contact the following: +General Questions +student-withdrawal@bostonpublicschools.org +Technical Questions +about Aspen +Kevin Arias, karias@bostonpublicschools.org +Graduation and +Dropout Reporting +Apryl Clarkson, +aclarkson@bostonpublicschools.org +Student Attendance +Requirements +Brian Marques, +bmarques@bostonpublicschools.org +School Specific +Questions +Supervisors of Attendance, Regional +Operational Leader and then School +Superintendent + + + +Page 5: +Superintendent’s Circular ODA-07 +Page 5 of 9 + + + +TECHNICAL RESOURCES +Withdrawal Code Guidance +How to Update Withdrawal Codes in Aspen +How to Upload Documents in Aspen +"Did Not Report" Protocol for Students with IEPs + +For more information about this circular, contact: +Owner: +Senior Executive Director +Department: +Office of Data and Accountability +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9450 +Email: +student- +withdrawal@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + +Page 6: +Superintendent’s Circular ODA-07 +Page 6 of 9 + + + +APPENDIX A: TRANSFER CODES WITH REQUIRED +DOCUMENTATION +BPS +Code +BPS Description +State +Code +State +Description +Required +Documen- +tation Type +06 +Mass. Public Boston Resident +20 +Transferred — +In state public +1, 2, 4 + +09 +EOY Flip Record +10 +Batch Assignment process school +change +12 +Mass. Public Non-Boston Resident +42 +Discharged to Charter School +43 +Discharged to Virtual School - Mass +Public +98 +Residency Violation +99 +Discharged - Student ID Error +01 +Boston Parochial +21 +Transferred — +In state private +1, 2, 4 +03 +Mass. Parochial Non-Boston +Resident +04 +Mass. Parochial Boston Resident +07 +Mass. Private (Non-Parochial) +Boston Resident +11 +Boston Private (Non-Parochial) +13 +Mass. Private (Non-Parochial) Non- +Boston Resident +15 +Home (*KINDERGARTEN ONLY) +44 +Discharged to Virtual School - Mass +Private +19 +Out of Country +22 + +Transferred — +Out-of-State +(public or +private) +1, 2, 3, 4 +14 +Out of State +1, 2, 4 +45 +Discharged to Virtual School - Out +of State +1, 2, 3, 4 + + +Page 7: +Superintendent’s Circular ODA-07 +Page 7 of 9 + + + +05 +Home Schooled +23 +Transferred — +Home-school +5 +30 +Adult Diploma Program +24 +Transferred — +Adult diploma +program +leading to MA +diploma +1, 2, 4 +SS +No longer receiving special ed +services only +41 +Transferred — +no longer +receiving +special +education +services only. + + + + + + +Page 8: +Superintendent’s Circular ODA-07 +Page 8 of 9 + + + +APPENDIX B: NON-TRANSFER WITHDRAWAL CODES +BPS +Code +BPS Description +State +Code +State Description +17 +Graduate +04 +Graduate with a Competency +Determination +95 +Expelled from BPS +05 +Expelled +96 +Expelled from Other School +System +97 +Multiple Expulsions +16 +Death +06 +Deceased +18 +Student Reached Maximum +Age (22 yrs.) +09 +Reached maximum age did not +graduate or receive a Certificate +of Attainment +33 +Certificate of Attainment +10 +Certificate of Attainment +31 +Grade 12 - Met local +requirements/Did not pass +MCAS +11 +Completed grade 12 and district- +approved program. (District does +not offer a Certificate of +Attainment) +23 +GED +30 +Dropout — Enrolled in a non- +diploma granting adult education +or HiSET program +27 +Non-Diploma Educational +Program (non GED) +32 +Job Corps +31 +Dropout — Entered Job Corps +22 +Military Service +32 +Dropout — Entered the military +28 +Incarcerated +33 +Dropout — Incarcerated district +no longer providing educational +services +21 +Work +34 +Dropout — Left due to +employment +24 +Over 16/No plans known +35 +Dropout — Confirmed Dropout +plans unknown +25 +Illness +26 +Married Pregnant or Parenting +51 +Registered - Did Not Report +36 +Dropout — and/or student + + +Page 9: +Superintendent’s Circular ODA-07 +Page 9 of 9 + + + +52 +Moved - No Forwarding Address +status/location unknown +D1 +DNR More Than 8 Days + + + + + diff --git a/data/data_txt1/English Learners (EL)/EL-04 Title I Expenditures for ELs.txt b/data/data_txt1/English Learners (EL)/EL-04 Title I Expenditures for ELs.txt new file mode 100644 index 0000000..9ebe9f1 --- /dev/null +++ b/data/data_txt1/English Learners (EL)/EL-04 Title I Expenditures for ELs.txt @@ -0,0 +1,659 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EL-04 +Version 01 + + +TITLE I EXPENDITURES FOR ENGLISH LEARNERS +AMENDED ORDER BETWEEN LATINO PARENTS ET AL +AND BOSTON PUBLIC SCHOOLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +TABLE OF CONTENTS +1. General Information +2. English Learner Equity Requirement +3. General Guidelines +4. Sample Acceptable Uses +5. Annual Reporting of Title I Services + +1. GENERAL INFORMATION +In 1992, the Boston Public Schools (BPS) and parents of English +Learner students (ELs), who were represented by attorneys with +Multicultural Education, Training and Advocacy, Inc. (META), +entered into a binding consent decree that is enforceable by use +of the federal court’s power to hold violators in contempt of court + + +Page 2: +Superintendent’s Circular EL-04 +Page 2 of 19 + + +to compel compliance. A copy of this consent decree can be +found on the Office of English Learners website. +This Superintendent’s Circular outlines the basic components of +the consent decree regarding appropriate Title I expenditures for +ELs and provides guidelines to comply with the edict. The +consent decree defines many requirements of BPS, which +includes the equitable allocation of Title I funds to service the +needs of ELs. +The federal consent decree enforced by META commits BPS to: +• Improve and provide equal access to programs for EL +students +• Refrain from discriminating against EL students relative to +non-ELs, in the provision of Title I services +• Ensure proportionality in the provision of services; the +percentage of Title I eligible but unserved EL students must +not exceed the percentage non-ELs who are not benefiting +from Title I funds +• Adjust Title I school budgets for staff and services annually +and periodically in light of changing student needs +• Provide literacy (HILT) programs for EL students ages 8-22 +with limited or interrupted formal education (SLIFE) +• Consult with and involve EL parents in each school +(additional guidance on how to document this consultation +will follow) +• Report annually on the status of Title I services to EL +students. + + + + +Page 3: +Superintendent’s Circular EL-04 +Page 3 of 19 + + +Note: +• All other district purchasing guidelines still apply. For +general information regarding purchasing, please refer to +Superintendent’s Circular FIN-07. +• For state guidance on the use of Title I Part A funds in +general (not specific to the additional requirements +pursuant to the consent decree), visit +https://www.doe.mass.edu/federalgrants/titlei-a/ or contact +the BPS Grants Department. +2. ENGLISH LEARNER EQUITY REQUIREMENT +The portion of Title 1 resources for EL students is based on the +percentage of EL population in that school. +EL Equity Amount example: If School-A receives $100,000 in Title +I funding with a school population consisting of 25% ELs, $25,000 +must be spent to benefit ELs. In this example, $25,000 is the “EL +Equity amount” that must be spent on supplemental services +directly and solely benefitting ELs. +As part of the BPS annual Budget Collaborative process, the +Finance Department provides each school their Title I allocation +and identifies for schools the EL Equity Amount subject to the +spending guidelines outlined in this circular. +• A school’s Title I allocation is determined based on the +school’s percentage of direct certified students and +projected enrollment, multiplied by a per pupil amount. +Direct certification, in compliance with USED and DESE, +includes data from the Supplemental Nutrition Assistance + + +Page 4: +Superintendent’s Circular EL-04 +Page 4 of 19 + + +Program (SNAP), Temporary Assistance for Needy Families +(TANF), and Medicaid enrollment. +• Within the school’s Title I allocation, the EL Equity Amount is +separately identified. This is calculated based on the +projected enrollment of English Learner students as a +percentage of the overall enrollment of projected students +at each school. +3. GENERAL GUIDELINES +The META Consent Decree requires the following: +1) Each individual school must determine the additional +services for EL students that will supplement their +instruction, either for academic language in English and/or +through native language supports. +2) This determination must be conducted prior to spending +Title I funds for ELs at a school. +3) These services must be supplemental, solely benefit ELs, +and be tailored to meet the specific needs of EL students. +4) The district, through the Office of English Learners, as part of +its monitoring duties under the META Consent Decree, is +obliged to ensure compliance with these legal +requirements, including working with schools to make +appropriate revisions to any budget that does not reflect +compliance with Title I and META Consent Decree +requirements. +5) Each school must annually submit both a plan for spending +prior to any expenditures as well as an annual checklist that +reports the use of Title I for ELs funds. +Services Tailored to Meet the Specific Needs of ELs + + +Page 5: +Superintendent’s Circular EL-04 +Page 5 of 19 + + +Services provided with the use of Title I EL funds need to be +tailored to meet the specific linguistic, cultural, socio-emotional +and academic needs of ELs. These needs should be identified as +part of the needs assessment process required by the consent +decree. +Services Solely Benefitting ELs +Title I expenditures for ELs are also required to solely benefit ELs. +This means, for instance, if a school desires to fund a position, the +responsibilities for that position must be solely dedicated to ELs. +There is an expectation that the services provided by the staff +should focus on EL students with the highest needs such as +those with English language development (ELD) levels 1 and 2, as +they are the most vulnerable group of students requiring +supplemental services. +4. SAMPLE ACCEPTABLE USES +Supplement and Not Supplant Rule +Title I for ELs funds must be used to supplement, and not +supplant, local, state or federal resources available or required +under state or federal law to meet the educational needs of ELs. +In other words, these Title I funds should not take the place of— +supplant—public education services that are to be provided by +law to English Learner students. Instead, these funds must be +used to supplement requisite education services, to provide +services that go above and beyond what is otherwise required. +Here are a few examples: + + +Page 6: +Superintendent’s Circular EL-04 +Page 6 of 19 + + +• Funding lunch monitors is an inappropriate use for which +BPS was previously cited, since maintaining order in the +lunchroom is a basic function that is not above and beyond +what the district would do without Title I dollars and is also a +function that does not solely benefit ELs. +• General classroom supplies needed for everyday classroom +instruction (e.g., paper, notebooks, white boards) would not +constitute an allowable use of these funds, even if they only +are used by ESL or other EL program classrooms, as the +supplies are not supplemental in nature. +• It would not be allowable to use these funds to purchase +core curriculum materials — including core ESL materials — +for English Learner students. +• Equally important is that even if an expenditure is +supplemental by nature, it would be a violation of the +“supplement, not supplant” rule to fund a service or activity +for ELs out of the TItle I for ELs funds while also funding the +same service or activity with general funds for other +students at the school. For example, if a school purchases +technology with general funds for general education +classrooms, it would generally not be allowable to use the +Title I EL funds to purchase the same technology for English +Learner program classrooms. Potential allowances may be +made if the technology is provided on a 1:1 basis for ELs only, +and not for students as a whole. +Note: The consent decree allows for an important exception to +the “supplement, not supplant” rule: generally, expenditures +related to the High Intensity for Literacy Training for Students + + +Page 7: +Superintendent’s Circular EL-04 +Page 7 of 19 + + +with Limited or Interrupted Formal Education (HILT for SLIFE) +program constitute an allowable use of these Title I EL funds. +The following table provides a list of sample acceptable uses of +Title I for ELs funds. +• It is important to note that this list is not exhaustive, and +that the “supplement, not supplant” provision still applies. +Additional examples are posted on the Office of English +Learners Title I for ELs website. +• School leaders are advised to discuss their ideas for the use +of these funds with the Title I EL coordinator +(Title1EL@bostonpublicschools.org) to ensure compliance. + +Sample Acceptable Uses of Title I Funds for English Learners +• High Intensive Literacy Training for Students with Limited or +Interrupted Formal Education (HILT for SLIFE) programs: +strongly recommended to be funded through Title I for ELs +funds. +• Extra learning time outside of the school day: materials and +stipends for after-school, summer, and Saturday programs +tailored specifically to meet the needs of ELs. +• Supplementary enrichment and accelerated curriculum +materials for ELs. +• Supplementary materials, including native language +resources, that strengthen the core academic program for +ELs in the school. +• Supplementary counseling, pupil services, and mentoring +services for ELs that is above and beyond what is offered to +all students at the school. + + +Page 8: +Superintendent’s Circular EL-04 +Page 8 of 19 + + +• College and career awareness programs solely for ELs that +are above and beyond what is offered to all students at the +school. +• Methods to assess the efficacy of all implemented strategies +(such as stipends for after-school monitoring and planning +meetings) for ELs. +• High-quality ongoing professional development for +teachers, administrators, paraprofessionals, parents, and/or +pupil services personnel that is not otherwise required and +is geared specifically towards meeting the needs of ELs. +• Increasing EL parental involvement through literacy +services. +• Consulting to strengthen the core academic standards or +the school improvement plan to meet the specific needs of +ELs. +• Assessment fees associated with an EL student obtaining +the Seal of Biliteracy. +• A supplemental bilingual paraprofessional (not for class size +reasons) to assist former SLIFE students who exit SLIFE into +SEI content classes but who need continuing native +language support. + +Previous Findings of Non-compliance +The following are examples of inappropriate usages of Title I to +count towards the EL equity percentage: +• Since ESL instruction is considered core, funding of a sole +ESL teacher to provide ESL for all ELs in the school is +considered supplanting. However, it is acceptable for this + + +Page 9: +Superintendent’s Circular EL-04 +Page 9 of 19 + + +purpose if it is used to supplement the core ESL +requirements by providing additional ESL support or +providing smaller group instruction to students targeting +ELs with ELD levels 1 and 2. +• Funding instructional or other basic supplies (copy paper, +classroom supplies, notebooks, chart paper, printer +cartridges, etc.) are basic classroom supplies needed for any +classroom and would therefore be a clear example of +supplanting. Similarly, Title I EL monies may neither be used +to satisfy the district’s minimum $1,000 supply budget per +school nor the minimum supply to be budgeted per +student. +• Funding lunch monitors is an illegal use for which BPS was +previously cited, since maintaining order in the lunchroom is +a basic function and not above and beyond what the district +would do without Title I dollars. +• Title I EL funds may not be applied to the salaries of general +administrative personnel. +• Shifting a position from general funds that is a core position +to Title I is a clear indication of supplanting and not an +appropriate Title I EL expenditure. +• Funding positions that serve the whole school, such as +family and community outreach coordinator, physical +education, computer, music/art teacher, school wide +counselors, school wide literacy coordinators, school wide +paraprofessionals, and parent coordinators/liaisons would +be considered supplanting and therefore would not be an +allowable use of these funds. + + +Page 10: +Superintendent’s Circular EL-04 +Page 10 of 19 + + +5. ANNUAL REPORTING OF TITLE I SERVICES +Title I funding for ELs is reported annually to META by the Office +of English Learners (OEL). School leaders must submit a Title I EL +Budget Plan (1) during their Budget Collaborative during January +and a Title I for ELs Budget Monitoring Checklist by June of the +current school year to OEL. Using this Title I checklist, school +leaders will be asked to verify and report what services the Title I +funded staff have provided, number of students serviced, and +additional resources/supplies purchased within the year. +Title I EL Budget Plan (future year budget): Each school will +receive a Title I EL Budget Plan that is pre-populated with the +schools’ Title I EL allocation for the upcoming fiscal year. The Title +I EL Budget Plan requires school leaders to identify the needs +assessment that undergirds their planned spending, and to +identify categories of planned spending (e.g., staffing, +supplemental instructional supplies, contractual services, +stipends, etc.). +During a school’s budget collaborative, each school leader is to +submit their EL Budget Plan. A school’s budget collaborative will +not be considered approved until the school’s Title I EL Budget +Plan is finalized and the budget lines can be structured +accordingly in FutureForce. School leaders are encouraged to +schedule appointments with their EL school support liaison for +support. + +(1) Template. May be updated with feedback from stakeholders. + + +Page 11: +Superintendent’s Circular EL-04 +Page 11 of 19 + + +The following represents general considerations for school +leaders to aid them in preparing sufficient plans: +Needs Assessment +● The META consent decree specifies that, prior to spending +Title I for ELs funds at schools, the determination of the +services most needed by the school’s ELs must be +conducted first to ensure that the funds will be used to +support the language development needs of English +Learner students. +● Schools should review multiple data points to identify the +needs of their English Learner student population, keeping +in mind that English Learners do not constitute a monolithic +group. +● At a minimum, English Learner students’ ACCESS +performance and progress data should be reviewed. +Additional data to be reviewed may include: MCAS and +interim/formative assessment data; attendance data; +student/parent surveys; school Equity Roundtable notes; +students’ Individual Learning Plans for SLIFE or ELs who +have not met ACCESS benchmarks; etc. +○ Schools should disaggregate the data for different EL +subgroups; e.g., EL students with disabilities, Students +with Limited or Interrupted Formal Education, +newcomers, long-term English Learners, etc. +● School leaders should consult the LATF and other EL +teachers as well as with English Learner parents when +developing their Title I EL Budget Plan. School leaders may +also consider consulting with English Learner students. + + +Page 12: +Superintendent’s Circular EL-04 +Page 12 of 19 + + +● When considering the types of goods and services to +include in their Title I EL Budget Plan, school leaders should +also consider the effectiveness of purchases made with prior +Title I EL funds on improving EL student achievement. +Budgeting for an FTE +● If requesting an ESL FTE, make sure the minimum ESL FTE +requirement is met within your general funds before +submitting an additional request on your EL Title 1 +allocation. This should only be a supplemental position. This +FTE cannot deliver core ESL instruction to meet minimum +ESL instructional compliance. +● Identify how the position primarily serves ELD 1 and 2 +students if applicable. +● Both salary and benefits need to be accounted for. +● It will be the school leader’s responsibility to ensure that this +FTE does not perform job responsibilities other than those +approved with the use of the Title I EL funds. + + + + +Page 13: +Superintendent’s Circular EL-04 +Page 13 of 19 + + +Budgeting for Stipends +● If requesting stipends for supplemental EL instructional +support outside of school hours, make sure that staff are +appropriately qualified (e.g., ESL license, SEI endorsement, +bilingual endorsement) to instruct ELs. Specify the nature of +the services provided to demonstrate that core ESL +instruction is not being delivered through these stipends. +● Additionally, LATF duties are not permitted to be +compensated through these stipends. Ensure that all +stipend requests adhere to district policy. +Budgeting for Contractual Services +● If requesting contractual services for professional +development, make sure to demonstrate that the PD +provider is appropriately qualified to provide training on +English Learner instruction and that the PD is specific to +English Learner instruction or supports. +● Schools can review the OEL website to identify other +approved professional development that can be targeted for +students or parents to integrate native language and +cultural learning opportunities as part of the school PD +offerings. +Budgeting for Supplies/Materials/Technology +● If requesting technology, make sure the technology is not +already in the school being used by non-ELs and that it is +not used for mandated assessments (e.g., ACCESS, MCAS). +● If you’re requesting books/instructional materials, make sure +to indicate how this supplements the requisite or core + + +Page 14: +Superintendent’s Circular EL-04 +Page 14 of 19 + + +curriculum and how it is specifically designed for English +Learners. +The following provides a sample exemplar for the type of +rationale that needs to be included in the Title I EL Budget Plan. +QUESTION: How is this supplemental? +● Weak Rationale: This text is supplemental because it is in +addition to the core work. +● Strong Rationale: This text provides a brief, accessible guide +to this textbook to make the content comprehensible to +ELs, especially EL 1 and 2 students. This is a supplement to +traditional textbook and primary source materials for +teaching this class. Newcomer students often haven't been +taught this curriculum, so it is even more important to +communicate the essentials of this work (which many +general education students might already have learned). +○ Difference: This differs from the weak example because +it includes detail on how the text will be used in the +classroom and demonstrates supplemental use. +QUESTION: How will this solely benefit ELs? +● Weak: This will only be used for ELs. ELDs 1-3. +● Strong: This text has allowed me to make the content +accessible, especially for ELs with ELD levels 1-3. Newcomer +students often haven't been taught this curriculum, so it is +even more important to communicate the essentials of this +work (which many general education students might +already have learned). +○ Difference: This differs from the weak example because +it shows that non-EL students would not benefit from + + +Page 15: +Superintendent’s Circular EL-04 +Page 15 of 19 + + +this book and that the ELs would need the book to help +them access the content and narrative. +QUESTION: How is this tailored to meet the needs of your EL +students? +● Weak: This text is only used in ESL specific classrooms. +● Strong: The visual and shorter, chunked text provides +comprehensible input for students to master the concepts +in the traditional reading. This topic is especially important +for this time period both because my newcomer students +consistently express interest in learning about these two +events and because there are so many events within this +time period that a supplemental text would help students +follow the narrative. +○ Difference: This differs from the weak example because +it demonstrates how the text is tailored to meet the +language needs of the EL students by stating it has +visuals and shorter texts. +Title I EL Budget Monitoring Checklist (current year actual +spending): Whereas the Title I EL Budget Plan identifies the +intended use of the funds, the Title I EL Budget Monitoring +Checklist identifies how the funds were actually spent and +provides the rationale to demonstrate how the identified goals +within the Title I EL Budget Plan from the previous year were +met. Once the district’s spending deadline has passed, the Title I +EL coordinator provides each school leader with their own +checklist document that is pre-populated with each line item of +requisitions and stipends. Prior to the close of the school year, +school leaders review the rationale they provided at the time of +the purchase request, sign the document, and return it to the +Title I EL coordinator. + + +Page 16: +Superintendent’s Circular EL-04 +Page 16 of 19 + + +MONITORING COMPLIANCE +The district submits each school’s Title I EL Budget Plan and Title +I EL Budget Monitoring Checklist to META attorneys. Note: In the +event a school leader fails to comply with the submission +deadlines, the district may not process purchase requests that +fall under the school’s Title I EL budget lines until such +compliance is met. +The Title I EL funds are denoted in a school or department’s Fund +200 budget with a program code of 24xx. For instance, for FY23, +the budget line would include BPS23150 (Title I) and a program +code of 24xx (e.g., 2401). The use of these funds is subject to the +terms of the META consent decree and this circular. +Throughout the school year, the Title I EL coordinator +(title1EL@bostonpublicschools.org) will review each requisition +for purchase (e.g., requisitions, stipends, EAEs, FTEs, budget +transfers, etc.) to ensure that the given request meets Title I EL +spending guidelines and aligns to the school’s approved Title I EL +Budget Plan. The Title I EL coordinator tracks each purchase and +its rationale for annual reporting purposes. +● When a given request has not been included in a school’s +Title I EL Budget Plan, the Title I EL coordinator will request +additional information from the school to ensure +compliance. +● The Budget and Finance departments will not process any +requests without prior written approval from the Title I EL +coordinator. +The Title I EL coordinator may also request additional information +throughout the school year when necessary to ensure that +spending remains in compliance. The district reserves the right to + + +Page 17: +Superintendent’s Circular EL-04 +Page 17 of 19 + + +implement additional monitoring requirements throughout the +school year. +Timely spending: Responsibility Centers receive monthly BAIS +Financials output reports that identify the balance of available +Title I EL funds. It is the responsibility of school leaders and +department heads to ensure that funds are spent appropriately +and in a timely manner to support the unique needs of English +Learner students most effectively. +● To ensure appropriate spending, all unspent Title I EL funds +at the school level will be re-allocated to the Office of +English Learners at the close of the fiscal year for +appropriate spend- down. +META visits and requests for information: META monitors +compliance by way of reviewing the Title I EL Budget Plans and +the end-of-year Title I EL Budget Monitoring Checklists, as well as +conducting school visits. During the visit, META will meet with +the school team and may review the school’s current and +projected budget, Title I checklist, staff qualifications, and other +information deemed necessary to comply with the Consent +Decree. +● Schools will be supported by the Office of English Learners +and Grants Department prior to any such visits. +● School personnel who receive direct contact from META +attorneys with requests for information outside the context +of a scheduled visit are directed to contact the BPS Office of +Legal Advisor at legal@bostonpublicschools.org for +guidance. + + +Page 18: +Superintendent’s Circular EL-04 +Page 18 of 19 + + +KEY DATES +Responsible +Activity +Date +School Leader +Submit FY25 Title I EL +Budget Plan (planned +expenditures for the +following school year) to +Title I EL Coordinator for +approval +Dec. 2023/Jan. 2024 +(prior to Budget +Collaborative) +OEL +Review and approve +submitted FY25 Title I +EL Budget Plan +(planned expenditures +for the following school +year) +Dec. 2023/Jan. 2024 +(prior to Budget +Collaborative) +Office of Legal +Advisor +Submit annual Title I +report to META +January 2024 +School Leader +Submit FY24 Title I EL +Checklist to OEL/Grants +(accounting of +expenditures from the +current school year) +June 2024 (after +spending deadline) +September 2024 (if +applicable, for any +2024 summer +spending) +OEL +Review and analyze +submitted FY24 Title I +EL Checklist to +OEL/Grants +July 2024 + + + +Page 19: +Superintendent’s Circular EL-04 +Page 19 of 19 + + +RESOURCES +Title I for English Learners website: +https://www.bostonpublicschools.org/title1el. +Guidance is also included annually in the district’s Budget +Collaborative and Probable Organization guidance document for +school leaders. +For more information about this circular, contact: +Owner: +Executive Director, or +Director of Grants and External Funds +Department: +Office of English Learners or Finance +Department +Mailing Address: 2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9435 or 617-635-6995 +Email: +all-acad-division@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + diff --git a/data/data_txt1/English Learners (EL)/EL-06 Initial Identification and Assessment of Multilingual Learners.txt b/data/data_txt1/English Learners (EL)/EL-06 Initial Identification and Assessment of Multilingual Learners.txt new file mode 100644 index 0000000..cead21e --- /dev/null +++ b/data/data_txt1/English Learners (EL)/EL-06 Initial Identification and Assessment of Multilingual Learners.txt @@ -0,0 +1,798 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +EL-06 +Version 01 + + + +1 +INITIAL IDENTIFICATION AND ASSESSMENT OF +MULTILINGUAL LEARNERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to bring clarity and guidance +regarding the initial identification and assessment of Multilingual +Learners (MLs) in BPS. The district is obligated to appropriately +assess and identify MLs as outlined in several key documents, +including by the Massachusetts Department of Elementary and +Secondary Education’s Guidance1, the Successor Settlement +Agreement and META Consent Decree. To meet our obligations +to our MLs and their families, we must ensure that all BPS +students are correctly assessed, identified, placed, and receive +appropriate services. + + + +1 https://www.doe.mass.edu/ele/resources/id-assess-place- +reclass.html + + +Page 2: +Superintendent’s Circular EL-06 +Page 2 of 20 + +TABLE OF CONTENTS +1. Assessment requirements +2. Reason to suspect a student may be a Multilingual Learner +3. Process to assess Students for Multilingual Learner status +who have an HLS of EEE +4. K1 School-Based English Language Proficiency Assessment +Calendar SY 2024 + +1. ASSESSMENT REQUIREMENTS +Under federal2 and state3 law, the Boston Public Schools (BPS) +must take appropriate steps to identify potential Multilingual + +2 Paragraph 28 of The Successor Agreement between the United +States of America and the Boston Public Schools and U.S. +Department of Education (USDOE) and U.S. Department of +Justice (USDOJ) EL policy document entitled Dear Colleague +Letter, English Learner Students and Limited English Proficient +parents/guardians (01/7/2015) (referred to as “Dear Colleague +letter” hereafter) at +http://www2.ed.gov/about/offices/list/ocr/letters/colleague-el- +201501.pdf. +3 Guidance on Placement, Progress Monitoring and +Reclassification Procedures of English Learners, Massachusetts +Department of Elementary and Secondary Education, and G. L. C. +71A; 603 CMR 14.02. + + + + +Page 3: +Superintendent’s Circular EL-06 +Page 3 of 20 + +Learners (MLs) in K2 through grade 12 and provide them with the +appropriate English Learner services and supports. The initial +identification and assessment of Multilingual Learners follows the +requirements outlined in paragraphs 28-31 of the Successor +Settlement Agreement: +Successor Settlement Agreement Paragraph 28: +A student must be referred for an English language proficiency +assessment when the results of the Home Language Survey +(HLS) indicate that a language other than English is: +• The primary language used in the home, regardless of the +language spoken by the student +• The language most often spoken by the student, and/or +• The language that the student first acquired. +If the parent/guardian answered “yes” to one or more of the +above questions, the student is required to be assessed using the +grade-level, state-required language screening assessment. +Please refer to the MA Department of Elementary and Secondary +Education Guidance on the Initial Identification of English +Learners for more information on identifying and evaluating ELs. +The Successor Agreement obligates the district to ensure that +English language proficiency (ELP) assessments shall be +accomplished as soon as possible, but no later than 20 days from +the student’s enrollment during the school year, or within 20 +days or by the first day of the new school year, whichever comes +later, if the student enrolls during the summer. During peak +seasons, January 1 through March 15 and August 1 through +October 31, ELP assessments shall be accomplished as soon as +possible, but no later than 25 days. Parents/guardians shall be + + +Page 4: +Superintendent’s Circular EL-06 +Page 4 of 20 + +informed in writing of assessment results and student +assignment options no later than 2 school days after the +completion of the assessments. The Newcomers Assessment and +Counseling Center provides written notice of the assessment +scores and school choice options to the parent/guardian at the +end of the assessment appointment. +TABLE 1: The following table delineates the process of +Multilingual Learner identification at the time of enrollment. It +highlights the departments’ roles and responsibilities and their +order in Multilingual Learner identification. +Please note: Bolded action steps relate directly to English +Learner identification and placement. + + + + +Page 5: +Superintendent’s Circular EL-06 +Page 5 of 20 + +Department +Action Steps +Welcome +Center +1. Collect and verify documents (medical forms, +residency, birth date). +2. Administer Home Language Survey (HLS) to all +families to identify potential Els. +3. Score HLS and inform families of the result. +4. Schedule an appointment at NACC if the HLS score is +anything other than EEE. +5. Assign an initial case number to the student. +Newcomers +Assessment +and +Counseling +Center +(NACC) +1. Interview families and collect information about +students’ academic background. +2. Assess K-12 students in English and determine the +initial ELD level. +3. Administer Native Language test to newcomer +students in grades 3-12 in the major languages spoken +in BPS if students indicate interrupted learning or +limited formal education. +4. Inform families of their program options so that they +feel equipped to make the best choice for their child. +5. Enter families' choices in SIS so BPS can begin the +assignment process. +Enrollment +Planning +Services +1. Approve case for assignment. +2. Assign a BPS identification number to the case. +3. Review the school choices and use the NACC +placement recommendations to assign the student to +a school. +4. Maintain student assignment data. +5. Notify families by letter of their final assignment. + + +Page 6: +Superintendent’s Circular EL-06 +Page 6 of 20 + +PARENT NOTIFICATION AND COUNSELING +After scoring the assessment, assessment specialists review all +available information (e.g., transcripts, IEP, 504 plans) collected +from the parent/guardian during the intake interview to propose +a program recommendation. +Next, testers sit with the parent/guardian to inform them, in the +language of their preference, of the results of the assessment. +Testers use all available information collected during the +language testing appointment to counsel the parent/guardian +about EL programs and services (e.g., SEI, SLIFE, Dual Language, +etc.) that are appropriate for their child's proficiency level. After +counseling the families, testers enter scores into the student's +case record in Aspen SIS, which generates a list of schools with +the appropriate programs and services. The parent/guardian +then ranks schools on their choice list and signs the school +selection form. The tester enters the parent/guardian’s rank order +choices into SIS, and the case is forwarded to the Welcome +Services student assignment team. At the end of the visit, the +family receives a copy of the documents (e.g. Notification of Initial +Assessment Form they signed. +2. REASON TO SUSPECT A STUDENT MAY BE AN ENGLISH +LEARNER +Paragraph 28 of the Successor Settlement Agreement requires +the district to assess enrolling students whose Home Language +Survey does not indicate a language other than English in the +case that “there is any other reason to believe the student is not +proficient in English.” The district has operationalized this +requirement as detailed in the tables in section 3. + + +Page 7: +Superintendent’s Circular EL-06 +Page 7 of 20 + +3. PROCESS TO ASSESS STUDENTS FOR ENGLISH LEARNER +STATUS WHO HAVE AN HLS OF EEE +Some students may be suspected of being MLs but may not have +been identified during enrollment because of an HLS score of +EEE. The following table outlines the action steps necessary to +determine if such a student is an ML. +TABLE 2: Please see Table 2 for the process to assess students +who have an HLS of EEE and are suspected of being Multilingual +Learners. +Department +Action Steps +School +1. Obtain written parent permission that they would +like to amend their HLS results in Aspen to indicate +another language is spoken at home and that they +would like their student tested for ELE services +before administering testing. Parents must include +the updated home language on their request. +Parents must be informed that this change will +result in testing. +2. Submit this request to the EL-CCR with a copy of the +updated letter of the home language survey to +upload, or, if it is an email, please make sure the +email is one that is stored in Aspen in the contact +section. +3. Attach the documentation to the EL-CCR form and +forward these items to the Office of Multilingual and +Multicultural Education at +ommeequityteam@bostonpublicschools.org. + + +Page 8: +Superintendent’s Circular EL-06 +Page 8 of 20 + +Department +Action Steps +OMME Equity +and +Accountability +4. Review EL-CCR submission for a first language +change request and either approve or deny based +on meeting requirements for submission. +5. Inform school of EL-CCR decision. +School +6. Wait for an approval email and for the HLS results to +be changed in Aspen. Please do not test the student +until you have received approval from OMME. +7. Test the student with the WIDA Screener. You must +administer the test to the student in person with a +trained test administrator. +8. Enter the test results in Aspen under the language +tab. +9. Submit another request to the EL-CCR for the +student to have an ELD level and include the results +of the test in the upload of documentation. +OMME Equity +and +Accountability +10. Review EL-CCR submission for a NEL to EL request +and either approve or deny based on meeting +requirements for submission. +11. Inform school of EL-CCR decision. +School +12. Schedule student for ELE services appropriate to +their ELP. + +TABLE 3: The following table outlines the steps that must be +taken before assessing a student’s potential Multilingual Learner +Status based on their Home Language Survey Score. + + + +Page 9: +Superintendent’s Circular EL-06 +Page 9 of 20 + +HLS Result +Procedure +OEE/EOE/E +EO +Parent/ +Guardian +Permission +Required? +YES: Welcome Center explains testing +implications of Home Language Survey results +during the enrollment process. +Action +Steps +1. Student is identified as a potential ML +upon registration via the Home Language +Survey at the Welcome Center. +2. Student case is transferred to NACC +where the family is interviewed and +student is assessed. +3. Student is assigned. +4. Student receives ACCESS testing annually +until they meet exit criteria. +OEE/EOE/E +EO + +But +student +tested +proficient +during +testing at +the time of +enrollment +Parent/ +Guardian +Permission +Required? +YES: Schools must contact the parent/guardian +and inform them they have concerns based on +evidence (i.e., academic performance, test +results) and want to assess their student. The +school must document all meetings and +information shared with parents and include +them in the ELD folder. +Action +Steps +1. Parent/guardian(s) must put in writing +that they would like to have their student +reassessed. Please inform the parent that +this may lead to their student being +identified as a Multilingual Learner (ML) +which will result in EL services being +required and an annual ACCESS + + +Page 10: +Superintendent’s Circular EL-06 +Page 10 of 20 + +HLS Result +Procedure +assessment. +2. If the parent/guardian(s) agree, test the +student with the appropriate WIDA +assessment. You must administer the test +to the student in person with a trained +test administrator. +3. Enter the test results in Aspen under the +LEP Testing Template. Contact NACC with +questions about the LEP Testing +Template. +4. Submit a request to the EL-CCR for the +student to have a NEL to EL change, and +include the parent’s documentation, +school documentation, and results of the +test in the upload of documentation. + +TABLE 4: The following table outlines which test a trained test +administrator should administer to a student who may be a +potential Multilingual Learner. +Please note: A grade level begins on July 1st of the summer +before entering a grade and ends on June 30th of the year of +completing that grade. + + + + +Page 11: +Superintendent’s Circular EL-06 +Page 11 of 20 + +Student +Grade Level +Correct Screener +Test +Who Can Administer +K1 +WIDA Screener +for Kindergarten +(2 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +Currently enrolled K1 students are +tested annually beginning April 15 for +K2 seats in the upcoming school year. +K2 +First half of +the school +year + +WIDA Screener +for Kindergarten +(2 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment +K2 +Second half +of the school +year (from +Tuesday +after MLK +day) +WIDA Screener +for Kindergarten +(4 domains) + +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment +1 +First half of +the school +year (until +Friday +Before MLK +WIDA Screener +for Kindergarten +(4 domains) +Teachers currently certified in WIDA +Screener for Kindergarten (include TIII +Parent Notification of Initial +Identification) +OR +NACC by request and with appointment + + +Page 12: +Superintendent’s Circular EL-06 +Page 12 of 20 + +Student +Grade Level +Correct Screener +Test +Who Can Administer +Day) +1 +Second half +of the school +year +(from +Tuesday +after MLK +Day) +WIDA Screener +Online +Teachers currently certified in WIDA +Screener Online (include TIII Parent +Notification of Initial Identification) +OR +NACC by request and with appointment +3-12 +With 1 or 2 +years in +district +WIDA Screener +Online & Native +Language +Assessment +NACC only +3-12 +With 3 or +more years +in district +WIDA Screener +Online +Teachers currently certified in WIDA +Screener Online (include TIII Parent +Notification of Initial Identification) +OR +NACC by request and with appointment + + + + + +Page 13: +Superintendent’s Circular EL-06 +Page 13 of 20 + +TABLE 5: The following table outlines when ACCESS Testing is +appropriate for Multilingual Learners. +Student Details +Administer ACCESS Test? +A student is a suspected ML but has not +been confirmed as a Multilingual +Learner. +No. Do not administer ACCESS. +Instead, follow the steps to +confirm a suspected EL outlined +in Table 1. +A student is a confirmed ML based on +the correct screener test. (Steps for +identifying correct screener test +outlined in Table 2). +Yes. Administer ACCESS. +A student is a confirmed ML based on +the correct screener test BUT has opted +out of some or all English Learner +services. (Steps for identifying correct +screener test outlined in Table 2). +Yes. Administer ACCESS. +A student scored Proficient on the +correct screener test. (Steps for +identifying correct screener test +outlined in Table 2). +No. Do not administer ACCESS. + A student scored Proficient on ACCESS +the previous year +No. Do not administer ACCESS. + + + + + +Page 14: +Superintendent’s Circular EL-06 +Page 14 of 20 + +4. K1 SCHOOL-BASED ENGLISH LANGUAGE PROFICIENCY +ASSESSMENT CALENDAR SY 2024 +Every year, school-based designated testers assess approximately +1,300 K1 students under the training and guidance of NACC. To +ensure that all K1 students identified as Multilingual Learners +(MLs) receive the related services and programs in SY 2023-2024, +we ask schools to carefully review, prepare for, and adhere to the +assessment calendar below. +TABLE 6: +Action Steps +Instructions +Date(s) +STEP 1 +Convene Language +Assessment Team +School staff should review their K1 roster +to start developing their assessment +schedule: +Following NACC training, schools will +receive a list of students that need to be +assessed. Schools should carefully review +this list. +If a school suspects a student should be +on the list to be assessed because a +language other than English is spoken in +the home, the LAT should convene to +determine if the student is eligible for +testing. Contact NACC and the OMME +Instruction Team if you have any +questions about this. +Although explicit parental consent is not +03/01/24 + + +Page 15: +Superintendent’s Circular EL-06 +Page 15 of 20 + +Action Steps +Instructions +Date(s) +required, schools should meet with +parents/guardians to discuss concerns +and inform them of the plan to assess +students with the grade level required +language screener (WIDA screener for +K1). This communication allows the +families to have meaningful access to +their child’s education. +STEP 2 +Identify designated +testers +The principal identifies the staff +members who will administer the +English language proficiency +assessment. School leader should submit +the name of the school-based +designated tester on this form. +The designated testers should be +licensed teachers or licensed staff +members who are experienced EL +educators. +It is recommended that schools select +their Language Acquisition Team +facilitators (LAT-F), ESL teachers, and K1 +teachers familiar with the students as the +designated testers. +Beginning April 15th, school leaders +provide 3 hours for K1 designated testers +to watch the WIDA Screener for +03/01/24 + + +Page 16: +Superintendent’s Circular EL-06 +Page 16 of 20 + +Action Steps +Instructions +Date(s) +Kindergarten training course and take all +the required Quizzes on the WIDA Secure +Portal before they come to overview +sessions. (3 hours could be during their +common planning time, school-based PD +time, etc.) Designated testers should use +the following Google Form link to submit +their SY 2024 WIDA Certificates: Google +Form. +Schools with K1 programs should +designate testers for a test +administration overview session. +Designated testers will receive a +registration link for an overview session +no later than Tuesday, April 2, 2024. +STEP 3 +Attend training +session +Schools must allocate time for the +designated testers to attend one of the +K1 test administration overview sessions. +All test administration overview sessions +will take place online. +Training is designed to support new and +experienced testers. +04/2/24 & +04/03/23 + + + +Page 17: +Superintendent’s Circular EL-06 +Page 17 of 20 + +Action Steps +Instructions +Date(s) +STEP 4 +Pick up materials +Designated testers should pick up the +testing materials after the overview +session at NACC in the Bolling Building. +04/04/24- +04/09/23 + +STEP 5 +Assess identified K1 +students +Designated testers assess all identified K1 +students with the corresponding English +language proficiency assessment. +Only testers who attend the training +sessions in April can administer the +English language proficiency +assessments. +To ensure appropriate test +administration, designated testers +cannot transfer assessment +responsibilities or “deputize” educators +who have not attended a SY 2024 +training session. +Students with disabilities should be +tested according to their IEP +accommodations. Copies of the IEP +accommodations should be attached to +the students’ test booklets and +forwarded to NACC no later than Friday, +May 10, 2024. +To ensure that students receive the +05/10/24 + + +Page 18: +Superintendent’s Circular EL-06 +Page 18 of 20 + +Action Steps +Instructions +Date(s) +appropriate placements for the 2024- +2025 school year, K1 English language +proficiency assessments must be +completed no later than Friday, May 10, +2024. +STEP 6 +LAT-F input test +results, return test +answer booklets and +requested +documents +LAT-F input results of English language +proficiency assessments into Aspen SIS +to ensure the initial ELD level and test +results become a part of the student’s +assessment record. All test results must +be entered into Aspen SIS by Friday, May +10, 2024. +Schools must keep copies of the test +answer sheets and a hard copy of the +WIDA Score Report in the students’ ELD +folders. +If a student was screened and found NOT +to be an EL, the school should keep the +test answer sheet and the WIDA Score +Report in the student’s cumulative folder. +Schools must return all original test +answer booklets and all requested +documents to NACC no later than Friday, +May 10, 2024 so that OMME can review +the data before submitting final test +05/10/24 + + +Page 19: +Superintendent’s Circular EL-06 +Page 19 of 20 + +Action Steps +Instructions +Date(s) +scores to OIIT. +STEP 7 + +Data Validation +OMME will review assessment samples +for data validation. +OMME will inform LATFs of any errors in +assessment scoring. Schools will be able +to see any updates to their data in Aspen +SIS after May 17, 2024. +05/17/24 +STEP 8 + +Parent Notification +Letter +LAT-Fs will inform the parent/guardian of +their student’s assessment results via the +Parent Notification Letter in the parent’s +preferred language within two weeks +after the assessment data is confirmed in +Aspen SIS. +File a signed copy of the letter in the +student’s ELD folder. +05/31/2024 +STEP 9 + +K1 students +assigned after +05/10/24 + +After the testing window closes on May +10, 2024, schools must continue to assess +all newly assigned K1 students whose +HLS indicates any language other than +English. +The designated tester must borrow a +copy of the Kindergarten Screener for +testing K1 students from NACC. +06/14/24 + + +Page 20: +Superintendent’s Circular EL-06 +Page 20 of 20 + +Action Steps +Instructions +Date(s) +Designated testers should follow the +instructions in Step 4 and Step 5. + + +For more information about this circular, contact: +Owner: +NACC Director +Department: +Office of Multilingual and Multicultural +Education +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-1565 +Email: +nacc@bostonpublicschools.org +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/English Learners (EL)/EL-07 Instructional System & Monitoring for Multilingual Learners.txt b/data/data_txt1/English Learners (EL)/EL-07 Instructional System & Monitoring for Multilingual Learners.txt new file mode 100644 index 0000000..ce06f92 --- /dev/null +++ b/data/data_txt1/English Learners (EL)/EL-07 Instructional System & Monitoring for Multilingual Learners.txt @@ -0,0 +1,759 @@ +Page 1: + + + + + Superintendent’s +Circular +NUMBER: +EL-07 +Version 01 + +BPS INSTRUCTIONAL SYSTEM AND MONITORING FOR +MULTILINGUAL LEARNERS + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +This superintendent’s circular outlines the district’s instructional +system and monitoring for multilingual learners, including: +1. Instructional Expectations and Resources: +a. Defining high-quality instructional expectations and +materials for our multilingual learners and multilingual +learners with disabilities (MLWD) +b. Curating and outlining resources for schools, classroom +staff, and school leaders to change and improve +current practices in classrooms serving Multilingual +learners and those with disabilities +2. Monitoring of Multilingual Learners’ Instruction: +a. Monitoring Individualized Learning Plans (ILPs) for +multilingual learners who have not met ACCESS +progress benchmarks + + +Page 2: + + +Superintendent’s Circular EL-07 +Page 2 of 18 + +b. Conducting classroom observations by school leaders +and district regional support teams or ESL and content +instruction across programs serving Multilingual +learners +In accordance with the DOJ agreement for ELE services, an +overview of ELE services, compliance monitoring, accountability, +and DOJ reporting schedule is outlined here. + +INSTRUCTIONAL EXPECTATIONS +The circular provides foundational information on practices and +expectations regarding high-quality instruction and grade-level +content instruction for our MLs aligned to MA-DESE frameworks +and grade-level standards. Included are resources for classroom +staff and school leaders to align and improve current classroom +practices. The research-based resources and strategies will +provide consistent, high-quality educational practices across the +District to develop a systemwide understanding of expectations +for instructing our multilingual learners and those with +disabilities. +One priority of the Office of Multilingual and Multicultural +Education (OMME) is to outline instructional expectations with +guidance and resources for multilingual learner (ML) educators to +accelerate MLs’ language acquisition and support their growth +across content. All MLs are entitled to meaningful access to +grade-level content learning and English language development +(ELD) instruction to build their English language skills in all four +language domains (reading, writing, listening, and speaking). All + + +Page 3: + + +Superintendent’s Circular EL-07 +Page 3 of 18 + +MLs regardless of program or placement are entitled to receive +sheltered content with an SEI teacher and ESL services with an +ESL-certified teacher1. To that end, OMME is committed to +providing all ESL and SEI content teachers with tools that best +support MLs. + +GROUNDING THE INSTRUCTIONAL CORE IN WIDA AND MA +CURRICULUM FRAMEWORKS +To maintain high-quality content and language learning for MLs, +it is paramount to center all ML instruction for Fall 2023 and +beyond on research-based standards for language development +as well as grade-level content. OMME expects that the MA +Curriculum Frameworks and WIDA 2020 Standards Framework +are the foundations for all effective delivery of English as a +Second Language (ESL) instruction and English Learner +Education programs. +OMME has created clear and explicit guidance around what +defines English as a Second Language (ESL) instruction in Boston +Public Schools (BPS) and the varied programmatic structures it +may take. ESL is its own subject matter and provides explicit, +systematic, and sustained language instruction to promote MLs’ +success at school and beyond. ESL is: + +1 Any core academic teacher of an Multilingual Learner (providing instruction in English): teachers of +MLs with moderate disabilities; teachers of MLs with severe disabilities; teachers in English, reading or +language arts; mathematics, science; civics and government, economics, history, and geography; early +childhood and elementary teachers who teach MLs such subjects; and any career vocational technical +teacher who instructs a ML. + + +Page 4: + + +Superintendent’s Circular EL-07 +Page 4 of 18 + + +• Asset-based and culturally sustaining +• Language driven +• Balanced, focused on both meaning and form +• Standards-based (i.e. ELA, History, Math, Science), rigorous, +and integrated +• Designed for authentic language interactions, dialogue, and +collaboration +• Planned and dynamic +• Differentiated and scaffolded +• Grounded in effective assessment practices + +Successful pedagogy is grounded in these frameworks and +approaches: +● MA Curriculum Frameworks: The frameworks establish clear +academic expectations for what students should know and +be able to do at the end of each school year. They +emphasize the development of 21st-century skills with +college and career readiness. Current curriculum +frameworks for each content area can be found here. +○ English Language Arts & Literacy +○ Social Studies / Humanities +○ Science Technology & Engineering +○ World Language Standards +● WIDA: A research-based, comprehensive approach to + + +Page 5: + + +Superintendent’s Circular EL-07 +Page 5 of 18 + +supporting, teaching, and assessing multilingual learners. +The WIDA 2020 Framework and Standards prioritize equity +of opportunity and access, integration of content and +language, collaboration among stakeholders, and a +functional approach to language development. + +Key components to effective ML teaching in the BPS: +● Native Language : Research shows that using native +language instruction and resources has a positive effect on +English language development. Teachers should leverage +students’ native-language literacy skills whenever possible +and use that knowledge to facilitate metalinguistic +awareness and cross-linguistic transfer. When teachers have +a basic knowledge of students’ native language structure, +they can better identify students’ positive and negative +linguistic transfers. Furthermore, teachers should consider +using native language materials to build background +knowledge and help students transfer content-area skills +and understandings from one language to another. +● Collaboration Among ML Educators: BPS prioritizes teacher +collaboration to support MLs’ success in content area +classes and programs. “Co-Teaching ESL is a unique form of +teacher collaboration where two teachers (an ESL and a +grade level/content area teacher) fully share teaching +responsibilities for a common group of students. The co- +teachers jointly plan for, deliver, and assess dedicated, +systematic, explicit, and sustained standards-based and +language-focused ESL instruction that connects to content + + +Page 6: + + +Superintendent’s Circular EL-07 +Page 6 of 18 + +area topics and analytical practices.” (DESE’s Quick +Reference Guide Co-Teaching Co-Teaching ESL) + +MATERIALS GUIDANCE +OMME will continue to work across academic departments to +ensure that all materials provide scaffolding and supports for +multilingual learners. To support this initiative, OMME has +developed an ELD Look-For Tool that illustrates effective +culturally and linguistically sustaining practices that are key +instructional components for all classrooms serving Multilingual +Learners. This tool is aligned with research-based best practices +for MLs and to the BPS Equitable Literacy Look-Fors, and the +Culturally Responsive Instruction Observation Protocol (CRIOP). +In order to support the integration of content and language, +OMME created an integrated Language Objectives writing tool +and a series of professional development to support this initiative. + +Multilingual Instructional Coaches (MICs) worked throughout SY +2022/23 to analyze district-approved tier 1 curriculum, thoroughly +examine the WIDA 2020 Standards Framework to create a scope +and sequence and unit maps for ESL instruction for grades K-12: +Focus in Grades K0-2, EL Education for Grades 3-5, and StudySync +and core content in Grades 6-12. All curriculum and support +documents will be housed in this Boston Public Schools ESL +Curriculum Digital Notebook. + + + + +Page 7: + + +Superintendent’s Circular EL-07 +Page 7 of 18 + +The work was grounded in: +• Massachusetts Department of Elementary and Secondary +(DESE) Next Generation ESL Curriculum Guidance, +• 7 Forms of Bias, +• Culturally Responsive Teaching, +• Systemic Functional Linguistics, +• Equitable Literacy and Culturally and Linguistically +Sustaining Practices, +• the 3Ls, +• WIDA 2020 Standards Framework, and +• Understanding by Design (UbD). + +Dual Language schools have adopted a variety of authentic texts +or trans-adapted texts / materials in the native language. OMME +recommends usage of native language text sets aligned to grade +level standards and units of study that meet the rigor and +expectations for quality materials using CURATE. Additionally, the +district recommends the following Spanish and English +complimentary materials for dual language: +1. Focus Transadapted Spanish Texts +2. American Reading Company +Other Dual Language and bilingual programs in majority BPS +languages are provided materials in the form of authentic texts +or transadapted texts thematically aligned to the biliteracy +framework for the target languages that must meet grade level +standards. + + +Page 8: + + +Superintendent’s Circular EL-07 +Page 8 of 18 + + +In setting expectations for high-quality instruction, the District +has a responsibility to provide district level and individualized +coaching support for school and classroom staff. The following is +a list of instructional recommendations with critical resources for +teachers and school leaders serving multilingual learners and +English learners with disabilities (ELD). + +SEI PROGRAMS VS. SEI CLASSROOMS +Boston Public Schools has the highest number of MLs across the +state. Therefore, it is expected that every BPS classroom is an SEI +classroom (if there is at least one multilingual learner enrolled) +with a qualified SEI teacher. Additionally, BPS offers SEI programs +to students at ELD levels 1-3 with some language specific +programs at specified schools to better meet the needs of +students at ELD levels 1-3 and provide language support if the +educator has the same language. All MLs across ELD levels and +placement settings are expected to receive ESL instruction in +accordance with their level, grouping per the Department of +Justice (DOJ) and the Massachusetts Department of Elementary +& Secondary Education (MA DESE). + +ESL: English as a Second Language SCI: Sheltered Content Instruction +NLI: Native Language Instruction NLS: Native Language Support + + + +Page 9: + + +Superintendent’s Circular EL-07 +Page 9 of 18 + +Program Type & +Target +Instructi +on Type +BPS Instructional Expectations +Resources +SEI Multilingual +Program - targeted +for ML ELD 1-3 with +low incidence +languages +✓ ESL +✓ SCI +● +Grade level aligned instruction +using district materials or +curriculum meets MA frameworks. +● +Adapting or differentiation for lower +ELD levels and/or low levels of +literacy to accelerate learning. +● +Educators teach academic +language and align to MA +Framework content grade level +standards and WIDA standards. +● +Classroom teachers collaborate and +plan with ESL teachers. +● +Educators are bilingual and believe +that the native language of +students and families is an asset +and promotes bilingual education. +● +Classroom environments are +multicultural, engage diverse +perspectives and experiences and +value all students' cultural and +linguistic backgrounds. +● +Student ILP (if needed) is aligned to +WIDA Can Do and language +domains. +● +ESL instructional pedagogy is +connected thematically with a +focus on academic language. +● MASS +Literacy +Guide +● MA DESE +Collaboration +Tool +● Incorporating +Native +Language +into Learning +● BPS +Equitable +Literacy Look- +Fors +● MA DESE ESL +Model +Curriculum +Units +● CGCS 3Ls: +Learning, +Language +and Literacy +● SFL Writing +Pedagogy +● UDL +Guidelines +● MA DESE’s +Defining ESL +Guidance +SEI Language +Specific Program - +targeted for ML ELD +1-3 with high +incidence languages +✓ ESL +✓ SCI +✓ NLS* +SEI Inclusion +Program - targeted +for dually +identified ML with +ELD levels 1-3 and +MLs with Disabilities +✓ ESL +✓ SCI +✓ NLS* +SEI Classrooms +without district ELE +Programs - targeted +to ELD 4 and ELD 5 +and at all schools +without an SEI +Multilingual, +Language Specific +or SEI Inclusion +Program + +✓ ESL +✓ SCI + + +Page 10: + + +Superintendent’s Circular EL-07 +Page 10 of 18 + + + +Dual Language - +targeted for MLs in +ELD levels 1-3 and +English monolingual +students +✓ ESL +✓ SCI +✓ NLI +● +Biliteracy skills that support each +language and build metalinguistic +awareness, such as teaching +cognates. +● +Educators are bilingual and hold +the belief that the native language +of students and families is an asset. +● +Materials reflect authentic texts or +are +● +transadapted with authors who +reflect the linguistic and ethnic +diversity of the target language. +● +The curriculum includes a +standards-based scope and +sequence for language and literacy +development in English and the +partner language for all students. + +● Dual +Language +CAL +Guidance +SLIFE - targeted for +newcomer students +with low native +literacy +assessments and +gaps of education +(Newcomer +Program) +✓ ESL +✓ SCI +✓ NLI +✓ NLS * +● +Native language literacy and +numeracy skills that develop +students academically. +● +Appropriate developmental +strategies and pedagogy that build +on students’ schema and life +experiences. +● +Educators are bilingual and hold +the belief that the native language +● SLIFE DESE +Guidance + + +Page 11: + + +Superintendent’s Circular EL-07 +Page 11 of 18 + +of students and families is an asset. +● +Materials reflect authentic texts or +are +● +transadapted with authors who +reflect the linguistic and ethnic +diversity of the target language. +● +Drawing on students’ cultures and +identities with projects and life skills +that connect to their communities +and assets. +Heritage Program - +targeted for +students with +common ethnic and +native language +✓ NLI +✓ ESL +● +Students from heritage +backgrounds are taught target +language across modalities aligned +to World Language Standards. +● +Identity is often a major factor in +heritage speakers/signers’ +motivations for language learning, +and educators must discuss identity +issues to effectively support +students in making the cultural +connections described in world +language content standards. +● World +Language +Standards +● Heritage +Speakers' +Guide + + +MONITORING OF MULTILINGUAL LEARNERS INSTRUCTION +In addition, this circular outlines the District's expectations for +Central Office and school leaders regarding a quality monitoring +system for ESL and content instruction for multilingual learners +across English Learner Education (ELE) programs and general +education settings. This system facilitates the District's +identification of classrooms, programs, and schools of excellence +so BPS can share these practices, trends and teaching pedagogy + + +Page 12: + + +Superintendent’s Circular EL-07 +Page 12 of 18 + +district-wide. In addition, routine observations will allow the +District to identify schools and classrooms that need support for +instructional improvement and, in some cases, intervention at a +school, program, or classroom. The BPS monitoring system will +ensure that students with an ILP are attended to with specific +language goals. + +MONITORING OF ML INDIVIDUALIZED LEARNING PLANS (ILPS) +Multilingual Learners that are not meeting targeted ACCESS +progress benchmarks indicated by MA DESE are required to have +Individual Learning Plans (ILP) (also known as a student success +plan) that track their language growth and academic progress. +Each year, OMME will share guidance, the list of students who +need an ILP per DESE’s criteria, and the template document. +LATFs will support the dissemination of information and these +materials to teachers for completion. The ILPs should be +completed by the student’s team of teachers, integrating how +the student will grow across content areas. The use of the WIDA +framework and Can Do descriptors guide the BPS ILP document +so that the goals within each language domain of where a +student needs to grow to move to the next level on the English +language proficiency continuum are aligned with WIDA. A BPS +ILP sample template can be found here. + +With the continued implementation of this policy, school leaders, +LATFs and teachers are expected to: +• Identify the areas in which identified MLs need + + +Page 13: + + +Superintendent’s Circular EL-07 +Page 13 of 18 + +improvement and establish personalized goals for +attaining English proficiency; +• Assess and track the progress of MLs who did not meet +benchmarks in the identified areas in need of +improvement; +• Review resources and services available to assist MLs in +the identified areas in need of improvement; and +• Incorporate input from the parents or legal guardian of +the identified ML. + +OMME is developing a systemic approach to monitoring ILPs for +ML who have not met WIDA ACCESS Benchmarks as outlined +below: +• School leaders and LATFs will be notified and updated on +the percentage of ILP completion, and OMME will +monitor progress towards 100% completion of ILP plan; +• ILPs should be finalized for students by October 15, 2023; +• Schools principals and LATFs with incomplete ILPs will be +notified by late October to follow-up; +• Any remaining incomplete ILPs will be reflected on school +EL plans; +• OMME Equity and Accountability regional liaisons will +work with school superintendents to ensure ILP +completion for ML identified in need of a plan. + +MONITORING OF INSTRUCTION +BPS recognizes that rigorous, standards-based, culturally +affirming instruction is critical to student outcomes in our + + +Page 14: + + +Superintendent’s Circular EL-07 +Page 14 of 18 + +highest needs schools. The district will implement a consistent +monitoring system to ensure ESL and content instruction for +Multilingual learners and those with Disabilities receive high- +quality instruction and opportunities for accelerated learning +across Equitable MTSS tiers. +● The Office of Multilingual and Multicultural Education +(OMME) is increasing staffing and instructional support in +SY23/24 to support school leaders and educators in meeting +consistent expectations for instructional practices for +Multilingual Learners and those with disabilities. OMME +multilingual instructional coaches will work to align +instructional expectations from the district to classroom +level with materials, role expectations, instructional +practices, and coaching cycles. +● OMME has adopted an updated MLs observation tool using +the Equitable Literacy Self Reflection Tool and Learning, +Language and Literacy observation tool with embedded +practices that meet grade level content expectations for +MLs. The updated MLs observation tool will be utilized +district-wide to perform learning walks and observations +across all ESL and content classrooms where MLs are placed +in order to assess the quality of teaching and learning for +Multilingual learners with a focus on Culturally and +Linguistically Sustaining Practices (CLSP). +● BPS district teams and schools will use the updated MLs +observation tool replicated in Bullseye online platform for +observers to input observation records in order to collect +data, assess outcomes and monitor trends towards + + +Page 15: + + +Superintendent’s Circular EL-07 +Page 15 of 18 + +increased instructional improvements. +● All district staff, school leaders and other classroom +observers will be trained on the updated MLs observation +tool via Bullseye online platform in order to implement +across the system and leverage as a consistent routine +classroom observation and monitoring tool. + +SCHOOL ACCOUNTABILITY +The following outlines the District’s expectations for school +leaders and central office regarding a quality monitoring system +for ESL and content instruction for multilingual learners +regardless of program or placement. It will ensure that we +monitor schools for high-quality ML teaching practices and +coherence across the district. OMME will add training for school +leaders on ML instruction expectations and observation look-fors +to better prepare them for appropriately evaluating and growing +educators towards meeting proficient or exemplary status +following the MA DESE Classroom Teacher Rubric. + + + + +Page 16: + + +Superintendent’s Circular EL-07 +Page 16 of 18 + +School leaders or assigned evaluators: +a) Once every two weeks, school leaders are expected to +do short observations (10-15 minutes) of all classrooms +serving Multilingual Learners in the school. The school +leaders should use the updated MLs observation tool to +collect observation notes and align to district +instructional vision. +b) Within 48 hours of observations, school leaders should +provide the classroom leaders with a quick note +including a positive practice observed and a noticing or +wondering to improve instructional practices. +Resources aligned to expectations or improving +instructional practices should be included with the +noticings or wonderings. +c) If any concerns arise from the short observation, the +school leader should schedule an observation, +including a one-on-one discussion with the teacher +that offers resources, support, or coaching if available. +d) When a school leader observes consistent classroom +instruction below the expectations for teaching and +learning, the school leader must have a conversation +with the teacher and start the teacher improvement +evaluation process. This should include expectations +for improvement and resources to support the growth +of the classroom staff. + + + +Page 17: + + +Superintendent’s Circular EL-07 +Page 17 of 18 + +DISTRICT ACCOUNTABILITY +Regional School Superintendents and District Regional Support +Staff (District Team): +a) Once a quarter, starting at the end of September, +regional school superintendents and other district +regional support staff will join school leaders to observe +classroom practices in classrooms serving Multilingual +Learners. The team will use the updated MLs +observation tool to observe, record, and provide +feedback on classroom instructional practices to +identify trends and growth areas and monitor progress. +b) Regional support staff conducting walkthroughs will +be expected to record their observations in the +centrally maintained Bullseye online platform. This will +allow for district-wide analysis and monitoring of data +trends. Additionally, school leaders and district staff will +be able to monitor progress and share evidence to +norm and validate observations. +c) Regional school superintendents and regional support +staff will debrief with school leaders on the day of the +observations and discuss highlights of classroom +instruction, how to grow pedagogically appropriate +instructional practices, identify which instructional +practices need support, and support is provided. +d) Every quarter, the district team will monitor trends for +evidence of improvement and areas of growth. The +district team will be expected to coordinate central + + +Page 18: + + +Superintendent’s Circular EL-07 +Page 18 of 18 + +office resources, including OMME coaches, and utilize +data to support the classroom and school’s needs +effectively. +e) School superintendents will work with school leaders +who have not demonstrated progress to develop an +action plan for improving instruction with clear metrics +that include district support and will be reflected in +future QSP and on school leader evaluation. + +For more information about this circular, contact: + +Owner: +Deputy Superintendent of Academics and Interim +Assistant Superintendent of OMME +Departme +nt: +Office of Multilingual and Multicultural Education +(OMME) +Mailing +Address: +Bolling Building, 2300 Washington Street, 6th +Floor, Roxbury, MA 02119 +Phone: +617-635-9435 +Email: +OMMEequityteam@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-01 Exam School Application and Admissions.txt b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-01 Exam School Application and Admissions.txt new file mode 100644 index 0000000..4bc7922 --- /dev/null +++ b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-01 Exam School Application and Admissions.txt @@ -0,0 +1,512 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +AMT-01 +Version 01 + + +EXAM SCHOOL ADMISSIONS: APPLICATION AND +ADMISSIONS PROCESS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools has three exam schools: Boston Latin +Academy, Boston Latin School, and the John D. O'Bryant School +of Mathematics and Science. All three schools accept new +students for grades 7 and 9. John D. O’Bryant School accepts a +small number of new students in grade 10. This circular outlines +operational details regarding the application process, GPA +calculation, test administration, and invitations. + +ELIGIBILITY +Students currently enrolled in grades 6, 8, or 9 and residing in the +City of Boston are eligible to apply to one of our exam schools for +the 2025-2026 school year. The application process to the three +exam schools includes an admissions test, student GPA, and +Boston residency. The GPA will account for 70% and the test score +will account for 30% of the application. Students may be eligible +for additional points if they meet specific criteria. +Students enrolled in a program for limited or interrupted formal +education (SLIFE) or enrolled in non-credit bearing courses, and +students that are not completing grade-level curriculum are not +eligible to apply for exam school admissions. + + + +Page 2: +Superintendent’s Circular ATM-01 +Page 2 of 14 + +RESIDENCY REQUIREMENTS +Students seeking admission to an exam school must be enrolled +in grades 6, 8, or 9 and live in the City of Boston to be eligible to +apply for admission for the 2025-2026 school year. The residence +of a minor child is presumed to be the legal, primary residence of +the parent(s) or guardian(s) who have physical custody of the child. + Students actively enrolled in a BPS school have previously +established residency during their initial registration process, and +do not need to resubmit documentation. Non-BPS families are +required to verify their residency in the City of Boston with a BPS +Welcome Center between October 15, 2024, and November 15, +2024. Families planning to participate in the Fall 2024 test +administration, must complete the residency verification process +and register for the test by November 8, 2024. +Students who must complete the residency verification process +include: +● Students attending a private school +● Students attending a parochial school +● Students attending METCO program schools +● Students attending Commonwealth Charter schools +(excludes UP Academy, Boston Green Academy, and +other “in-district” BPS charter schools) +● Students attending schools outside the City of Boston +● Students being home-schooled +The residency verification must be completed even if a family has +other children enrolled in the Boston Public Schools; the student is +receiving special education services from BPS; the parent/guardian +is a current City of Boston employee; or if the student was +previously enrolled in the BPS. + + + + +Page 3: +Superintendent’s Circular ATM-01 +Page 3 of 14 + +As part of the verification process, parents are required to provide +two approved proofs of residency that list the Boston home +address, the child’s original birth certificate, the child’s +immunization record, and the parent’s photo identification. In +addition, an authorization form for the release of student +information will be provided during the appointment. Refer to +the BPS Registration Document Checklist for details. +There are two ways to apply: +1. In-person: Schedule an appointment on this form and visit +one of the four BPS Welcome Centers to work directly with +a registration specialist. +2. By computer: Pre-register here and schedule an +appointment on this form to complete the application with +a registration specialist. A follow-up appointment either in- +person or over the phone is required. Please select ’Pre- +Register for BPS’ from the side menu. Click the first option if +you have never registered any child for Boston Public +Schools. Select the second option if you already have an +Aspen account. +A list of required and approved documents for the registration +application can be found in the BPS Registration Document +Checklist. + +GRADE POINT AVERAGE +The Exam Schools policy establishes baseline criteria for eligibility +beyond residency. Students must have a grade point average of B +or higher to be eligible to apply. The GPA will include prior year +marks in English Language Arts (ELA) and Math and the current +year marks in ELA, Math, Science, and Social Studies. + + +Page 4: +Superintendent’s Circular ATM-01 +Page 4 of 14 + +School leaders are expected to ensure that all marks and course +numbers are processed before grade point averages are calculated +by the Boston Public Schools. All applicants’ course marks must be +submitted along with school certification that they represent +performance against the Massachusetts curriculum framework +grade-level standards by February 7, 2025. Changes in the +transcription or computation of grade point averages will not be +accepted thereafter. +The table below outlines which subject areas and grading terms +are included for the next admission cycle. +Applying for: SY25-26 Entrance Year +7th Grade +• 5th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 6th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, +Math, Science, and Social Studies +9th Grade +• 7th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 8th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, Math, +Science, and Social Studies +10th Grade +• 8th Grade (SY23-24) 4th Quarter OR +3rd Trimester OR 2nd Semester marks +in ELA and Math +• 9th Grade (SY24-25) 1st and 2nd Quarter OR 1st +Trimester OR 1st Semester marks in ELA, +Math, Science, and Social Studies + + + +Page 5: +Superintendent’s Circular ATM-01 +Page 5 of 14 + +For SY25-26 admissions, both prior year and current year marks will +be considered to calculate the GPA. Prior year marks will be +weighted 50%, and current year marks will be weighted 50%. For +students with previous year international school records, only +current-year marks will be considered. Students must have marks +in each subject for the GPA to be calculated. Applications with +missing course marks, Incomplete (INC), or Pass (P) marks cannot +be processed and will be classified as ineligible. +The July 2021 update to the Exam School Admission Policy +stipulates that the district “develop and publish a coherent +district equitable grading policy using an A-F scale wherein an A+ +is treated like an A.” To address this requirement, the 12-point +grade scale will be rescaled from 0-12 to 0-11, where 0 points +represent an F and 11 points represent both A+ and A. This will +result in the following crosswalk from letter marks to point values +used in the GPA calculation. + +Letter +Mark +A+ A +A- B+ B +B- C+ C +C- D+ D +D- F +Point +Value +11 +11 +10 +9 +8 +7 +6 +5 +4 +3 +2 +1 +0 + +Students with grade 5 transcripts from Boston Public Schools +receive marks on multiple standards for each subject area using a +1-4 grading scale. The marks in Reading, Writing, and Math will be +converted to a 12-point scale for the purpose of calculating an +“overall” mark in the subject area (ELA and Math). If the “overall” +mark in either subject is above 11, the number will be rounded +down to 11 to align with the 1–11 point scale. + + + +Page 6: +Superintendent’s Circular ATM-01 +Page 6 of 14 + +Standard-Base Marks 4 +3 +2 +1 +Point Value +12 +9 +6 +3 +* Students participating in advanced courses (honors, AWC, AP, etc.) do not +receive additional points. +For more information regarding the conversion of marks and +calculating composite scores, please review the fact sheet. All non- +BPS schools are responsible for determining their own practices for +grade conversions. +TEST ADMINISTRATION +For SY25-26 admissions, completion of the NWEA MAP Growth +assessment will be required for admissions. Students will have +two opportunities to take the assessment, with the first in the +spring of 2024. For students who would like to improve their +score, or those who do not take the test in the spring, there will +be a second opportunity in the fall of 2024. Students are not +required to take the MAP assessment two times, but in the case +where there are two complete testing events (twice in Reading, +twice in Math), BPS will use the highest Math Score and the +highest Reading score, from either test event, for the invitation +process. + + + + +Page 7: +Superintendent’s Circular ATM-01 +Page 7 of 14 + +For 6th and 8th grade students currently attending a BPS school, +the test will be offered during the school day at their school. No +registration or action is necessary. However, for students in grade +9 at a BPS school; and students in grade 8 already attending a BPS +exam school, the test will be offered on the weekend. Registration +is required and is detailed below. +For students not currently attending a BPS school, the test will +also be offered on the weekend. Registration for the weekend +test is required and can be completed online or via a paper form. +Both will be posted on the exam schools BPS website. +ADDITIONAL POINTS +In addition to GPA and test scores, students may be eligible to +receive additional points towards their application. Students living +in housing owned by the Boston Housing Authority, are in the +care of the Department of Children and Families, or are +experiencing homelessness at any time during the time period in +which BPS collects grades (March 2024-February 2025) will +receive an additional fifteen (15) points. +Students attending a school in the spring of grade 5 (if applying +for 7th grade at an exam school), grade 7 (if applying for 9th +grade at an exam school), or grade 8 (if applying for 10th grade at +the O’Bryant) where 40% or more of the students enrolled come +from economically disadvantaged families over a 5-year average +will receive between two (2) and ten (10) additional points, +depending on the student's socioeconomic tier. (See below for +more information about the socioeconomic tiers). +The district will determine the list of schools eligible for these +additional points, as defined by the Department of Elementary +and Secondary Education (DESE). + To learn more about how the additional points are calculated, +you can view the Superintendent’s memorandum. + + +Page 8: +Superintendent’s Circular ATM-01 +Page 8 of 14 + +In the situation where a student has attended more than one +school in the spring of the 2023-2024 school year, the school that +submits the student's final marking period course marks will be +used to determine eligibility for the additional points. +In the situation where the student is a new resident of the City of +Boston, the school that submits course marks for the first +marking period of the 2024-2025 school year will be used to +determine eligibility for the additional points. +Additional points are not additive, so students receiving fifteen +points will not receive any additional points, even if they also +attend a school where 40% or more of the students enrolled +come from economically disadvantaged families. + +COMPOSITE SCORE CALCULATION +Admissions to exam schools will use a composite score +calculation that combines GPA, test scores, and additional points +(if eligible) into one number. The GPA and test score component +will be on a 0-100 scale. Students receiving additional points (as +described below) may receive a maximum score of 110 or 115. +For SY25-26 admissions and beyond, grades will make up 70% of +the composite score, and the test score will make up 30% of the +composite score. The GPA will be divided by 11 (based on the 11- +point scale explained above) and multiplied by 70. Similarly, the +test score will be scaled to a possible total of 30. The GPA +component and the test score component will be added together. +Any additional points that the student receives will be added to +the total score. For more detail on how BPS calculates students’ +composite scores, please review the Composite Score Calculation +Fact Sheet. + + +Page 9: +Superintendent’s Circular ATM-01 +Page 9 of 14 + +TIERS +Applicants will be placed into one of eight socioeconomic status +(SES) tiers based on their home address. Families can visit +bostonpublicschools.org/exam and use the interactive SES Tier +map to learn what SES tier their child will be considered within. +The socioeconomic status tiers are based on a socioeconomic +score for each census tract in the city and are updated each year +as annual data becomes available, typically in late winter of each +year. The socioeconomic score is a composite of five measures +from the American Community Survey and indicates economic +need relative to the other census tracts in the city. +• Percentage of persons below poverty +• Percent of households not occupied by the owner +• Percent of families headed by a single parent +• Percent of households where limited English is spoken +• Educational attainment +The tiers are proportionally sized based on the number of school- +aged children in grades 5-8 living in each census tract. Each tier +will have approximately the same number of seats available. +Within each tier, students will be ranked from the highest to the +lowest based on their composite score. If students have the same +composite score, a random number will be used to determine their +rank order. The student with the higher random number will be +ranked higher than the other(s). + + + + +Page 10: +Superintendent’s Circular ATM-01 +Page 10 of 14 + + +INVITATIONS +Invitations will be awarded through ten (10) invitation cycles, with +10% of seats available to each tier distributed in each cycle. Tier 1, +which is the tier with the lowest SES score will go first in each +cycle, and Tier 8, which is the tier with the highest SES score will go +last in each cycle. +Students will be invited to their highest-ranked exam school with +an available seat. If all the seats at a student’s first-choice school +are already allocated, the student will receive an invitation to +their second-choice school. If all those seats are already allocated, +the student will receive an invitation to their third-choice school +until all seats are filled. +SCHOOL CHOICE + Students must rank at least one exam school to be considered for +an invitation. However, a student may list up to three exam +schools and rank those choices by preference. Students will not +be considered for a school they did not list. For example, if a +student only ranks Boston Latin School and O’Bryant, they will +only be considered for invitations to those two schools. If a +student does not submit choice rankings for any exam schools, +they will not be considered for any exam school for an invitation. +BPS grade 6 and 8 students (during the fall of 2024) will receive a +continuous choice form in January 2025, through email and their +BPS school, where they will be asked to submit their school +preferences for the 2025-2026 school year. The continuous choice +form for BPS students is due by February 7, 2025. +BPS grade 9 students, and BPS grade 8 students already enrolled +in an exam school (during the fall of 2024), will be required to visit +a BPS Welcome Center to submit ranked school choices through + + +Page 11: +Superintendent’s Circular ATM-01 +Page 11 of 14 + +a transfer request in January 2025. This group of students will not +receive a continuous choice form automatically through their BPS +school. +Non-BPS students will rank schools during the residency +verification process, which ends on the third Friday of November +or November 15, 2024. +All submitted applications with ranked schools will be processed +at the same time. + +WAITLISTS +Boston Public Schools will create waitlists for the three exam +schools for all entry grade levels. +Students invited to an exam school for SY 2025-2026 will have +eight days from the first day of school to accept or decline their +invitation with the BPS Office of Welcome Services. We +encourage all families to respond to the invitation by the end of +May to ensure all students are assigned in a timely manner. +Students who met the minimum eligibility criteria but did not +receive an invitation to their top-ranked exam school will be +eligible to be placed on a waitlist for any exam school to which +they did not get invited. For all three exam schools, admissions +will only be open for students entering grade 7 and grade 9, as +well as grade 10 only for the O’Bryant school, and waitlists will +only be created for those grades. +Students must have ranked the exam school in order to be +considered for an invitation and be eligible to be placed on the +waitlist. Students who receive an exam school invitation to their +first-choice school will not be eligible to be placed on any waitlist. +Please note that BPS builds in some expected attrition into the +number of students invited to each exam school every year by + + +Page 12: +Superintendent’s Circular ATM-01 +Page 12 of 14 + +assigning more students than seats. As a result, students may +not be called from the waitlist until that expected attrition is +accounted for. +Waitlists will be capped at 100 students for each school and +grade. The ordering of the waitlist will function as a continuation +of the exam school invitation policy. Students will be ordered by +their composite score and random number within their SES Tier. +For students with the same composite score, the random +number will be used as the tiebreaker. +During the invitation process, students are invited to exam +schools through 10 invitation cycles, with approximately the +same number of seats being given out to students from each SES +Tier in each cycle. Once all the invitations have been distributed +for a given school and grade, we will continue to follow the same +process for the purpose of adding students to the waitlist. +The exam school waitlists will be handled separately from the +waitlist process for open-enrollment BPS schools. In other words, +a student can be on an exam school waitlist as well as other BPS +schools. Accepting a seat off a waitlist at a different school will +not affect a student’s place on the exam school waitlist. +BPS will contact families via phone and email as seats become +available at the three exam schools. Families will have up to 24 +hours to accept or decline the exam school waitlist. Please +ensure your contact information is up to date by visiting a BPS +Welcome Center. No exceptions to the 24-hour acceptance +deadline will be made. +The SY25-26 waitlists will remain in effect until November 30, +2025. After that date, the waitlists will expire. Waitlists do not roll +over to future years. + + + +Page 13: +Superintendent’s Circular ATM-01 +Page 13 of 14 + +TRANSFERS +Transfers between the three exam schools are no longer permitted. +Students are not allowed to change their invitation to a different +exam school, or transfer between the exam schools after +matriculation. If a student is interested in moving to a different +exam school for grades 9 or 10, they must reapply through the +formal application process. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES: +October 15 - +November 8, 2024 +Priority residency verification period for non- +BPS families & registration period for the +MAP Growth weekend test +November 11- +November 15, 2024 +Final week of residency verification for non- +BPS families registered for the MAP Growth +weekend test administration +December 2-13 +In-school test administration period +December 7, 2024 +Weekend test administration of MAP +Growth +January 2 - +February 7, 2025 +Marks submitted and certified by sending +school +March 2025 +Application status update sent to all +applicants +April or May 2025 +Admission decision notifications sent to all +applicants + + + + + +Page 14: +Superintendent’s Circular ATM-01 +Page 14 of 14 + + +For more information about this circular, contact: +Owner: +Director of Student Assignment and +Selective Admissions +Department: +Welcome Services +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9085 +Email: +exam@bostonpublicschools.org +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-03 DYS Committed Students.txt b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-03 DYS Committed Students.txt new file mode 100644 index 0000000..485ad76 --- /dev/null +++ b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-03 DYS Committed Students.txt @@ -0,0 +1,337 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +AMT-03 +Version 01 + + +ASSIGNMENT OF DEPARTMENT OF YOUTH SERVICES +(DYS) COMMITTED STUDENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The attached procedures for the assignment of Department of +Youth Services (DYS) committed students new to the Boston +Public Schools or re-entering the Boston Public Schools after +previous discharges have been developed to ensure the efficient +and appropriate assignment of DYS committed students to the +Boston Public Schools. +These procedures are the result of a collaborative effort between +staff of the Boston Public Schools and the Department of Youth +Services and should be adhered to in all cases pertaining to DYS +students. +I. +PROCEDURES FOR ASSIGNMENT OF DYS-COMMITTED +STUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR +RE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER +PREVIOUS DISCHARGES +To initiate and successfully implement the assignment of DYS +committed students to the Boston Public Schools, the +procedures listed below shall apply: +(Please refer to Section II below for additional requirements for +students recommended for special education.) + + +Page 2: +Superintendent’s Circular AMT-03 +Page 2 of 10 + + +1. Prior to the student's re-entering BPS, DYS shall write a +letter on its stationery including the following: +a. Verification of parent's address +b. Verification of the student’s address if different from +the address the student will live at once in a BPS +program +c. Purpose of re-enrollment, i.e., to start school or +request an evaluation by special education +d. Name, address, and telephone number of DYS +education liaison and caseworker +e. Reason, if any, why the student should not be re- +assigned to the previous school. +2. This letter shall be attached to the application and +forwarded by a DYS caseworker, educational liaison, or +representative to the student assignment specialist in the +appropriate Welcome Center at the time of application for +a school assignment, along with any other documents +needed to enroll the student in a Boston Public Schools +program. Documents should be provided if a student has +been in an educational setting that would change the +previous grade. +3. A DYS caseworker or educational liaison or representative +shall assist the student in the entry/re-entry process and +contact the school administrator in order to prepare +everyone for a successful return. +4. The returning student must be accompanied by a DYS +caseworker or educational liaison or representative when +returning to a Boston public school. + + + + + +Page 3: +Superintendent’s Circular AMT-03 +Page 3 of 10 + + +Upon application, Welcome Center staff shall: +1. Provide the parent/guardian/student and DYS +caseworker/liaison with a student registration form. +2. Explain and assist the parent/guardian/student and DYS +caseworker/liaison in the completion of the student +registration form. +3. Complete the appropriate information on the student +registration form. +4. Provide the parent/guardian/student and DYS +caseworker/liaison with a Home Language Survey form in +the language of their preference and assist them in the +completion of the form. +Attach to the student registration form: +a. The completed Home Language Survey form. +b. The DYS letter cited on page 2, (a) and (b). If no +address is stated in the letter, attach the proof of +residency required by Welcome Services (i.e., social +service agency ID or letter, preprinted, most recent +utility bills, bank statement, mortgage with address). +c. Proof of grade if available (i.e., a transcript +documenting courses and credits earned while in +DYS facilities or private placement). If proof of grade +is not available, the question of appropriate grade +level placement shall be addressed in the same way +it is done with non-DYS committed students. +d. Copies of immunization records for new enrollees. +5. Sign and specify the date on the bottom of the student +registration and Home Language Survey forms. +6. Provide the DYS caseworker/liaison with a copy of the + + +Page 4: +Superintendent’s Circular AMT-03 +Page 4 of 10 + + +assignment form given to the parent/guardian or student. +NOTES: +1. DYS is responsible for notifying the school of assignment +when a student is committed to DYS. Please note the +distinction between DYS detained and DYS committed +students. Notification for committed students will come in +the form of a request for records. +2. The Office of Welcome Services is responsible for +contacting the appropriate special education assistant +program director in those cases where the DYS student +re-entering the BPS has a current/signed IEP to determine +the status of the student. +II. +PROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED +STUDENTS RECOMMENDED FOR SPECIAL EDUCATION +PROGRAM +If a DYS committed student is in a detention center, secure +facility, or private special education school and is recommended +for a BPS special education program, a special education +evaluation shall take place. The private school coordinator or +supervisor for contracted services is responsible for the +evaluation procedures as follows: +1. If the DYS student is in a secure facility or detention center, +the private school coordinator assigned to DYS is responsible +for the evaluation. +2. If the DYS student is in a Chapter 766-approved private +school, the private school coordinator assigned to that +private school is responsible for the evaluation. +3. If the DYS student is out of school but last attended a +Chapter 766-approved private school with Regional + + +Page 5: +Superintendent’s Circular AMT-03 +Page 5 of 10 + + +Review Board approval within the previous school year, +the private school coordinator assigned to the previously +attended private school is responsible for the evaluation. +If greater than one school year, or a private program is not +766-approved, the assigned school’s coordinator is +responsible for the evaluation. +4. If the DYS student is out of school and has no current +school assignment, the private school coordinator is +responsible for the evaluation. The DYS caseworker/liaison +is responsible for submitting all current assessments of +the student. +The DYS caseworker/educational liaison or representative shall +determine the student's assigned school by calling the Office of +Enrollment Services at 617-635-7750. +DYS shall refer the student to the special education program +director or SESS coordinator at the assigned school for an +evaluation. For a reevaluation, a request letter will be sufficient +containing the student's current address, telephone number and +contact person if other than parent. Special education program +directors or SESS coordinators are responsible for providing these +forms and assisting in their coding, and for the evaluation +procedures. +The supervisor of contracted services, special education program +director, SESS coordinator, or private school coordinator and the +DYS caseworker/liaison shall work jointly to obtain +parent/guardian signature on a Consent for Evaluation or +Reevaluation and Release of Information forms. The supervisor, +program director, or coordinator shall complete the evaluation or +reevaluation within the prescribed timelines and, based on the +TEAM findings and the recommendation written on the + + +Page 6: +Superintendent’s Circular AMT-03 +Page 6 of 10 + + +Individualized Education Program (IEP), request placement in a +special education setting, as follows: +1. If the TEAM recommends that the student be assigned to +a full or partial inclusion setting other than a sub-separate +setting, the supervisor, program director, or coordinator +and the DYS caseworker/liaison shall work jointly to obtain +written parental approval of the IEP. +2. Upon receipt of the signed first page of the IEP, the +supervisor, program director, or coordinator shall give a +copy of the signed approved IEP to the DYS. +3. If the TEAM recommends that the student be assigned to +a substantially separate setting, the supervisor, program +director, or coordinator shall submit copies of the required +assessments and IEP to the assignment coordinator for a +decision regarding the student's placement in +collaboration with the level assistant director prior to +requesting or recommending a specific school +assignment. +4. The supervisor, program director, or coordinator shall +present DYS and the parent/guardian/student over 18 +years of age the recommended placement option. +5. The supervisor, program director, or coordinator and DYS +shall work jointly to obtain written approval of the IEP. +6. Upon receipt of the signed IEP, the supervisor, program +director, or coordinator shall forward a copy of it to the +appropriate level assistant director and give a copy to the +DYS caseworker/liaison, who will then attach such copy to +the DYS letter referred to in Section I.A. and present both +documents at the time of application for a school +assignment, along with any other documents needed. + + +Page 7: +Superintendent’s Circular AMT-03 +Page 7 of 10 + + +7. The level assistant director shall complete the DI5 form +and forward it to the Enrollment Planning and Support +Unit to finalize the assignment. +It is important to note that the TEAM may also determine that +the student needs no special education services. In these cases, +the program director or coordinator will provide a letter +indicating the TEAM decision of no eligibility and provide it to the +DYS caseworker. +III. +PROCEDURES FOR MAINTAINING COMMUNICATION +BETWEEN DYS AND BPS AFTER A DYS COMMITTED +STUDENT IS ASSIGNED TO A BOSTON PUBLIC SCHOOL +Contact Person in School of Assignment +For students who have entered/re-entered the Boston Public +Schools from a DYS placement, DYS staff shall contact the head +of school or principal, who may delegate the ongoing liaison +function to any of the following school-based staff: +1. For regular education students, the guidance +counselor/advisor designated by the head of school or +principal (for secondary schools) or the principal or +designee (for elementary schools). +2. For special education students, the special education +program director or SESS coordinator. At the middle +and high school levels, the program director or SESS +coordinator shall keep the guidance staff informed of +all DYS contacts made. + + + + +Page 8: +Superintendent’s Circular AMT-03 +Page 8 of 10 + + +NOTE: In the case of both regular and special education DYS +students, the school's contact person(s) is responsible for keeping +the building administrator fully informed relative to the status of +DYS students assigned to the building. +Contact Persons at DYS +For students who have entered/re-entered the Boston Public +Schools from a DYS placement, school-based staff may contact +the following DYS personnel. (Because names may change, only +titles are given; school staff may need to ask for specific names.) +1. Director of caseworker services, 617-727-7575 +2. Educational liaisons, 617-727-7575 +The following steps should be taken in case of emergency: +1. The head of school/principal who is having an emergency +with a DYS student should contact the director of casework +services, 617-727-7575, who will refer the case to the +appropriate DYS staff. +2. In non-emergency situations, the head of school/principal or +designee should maintain the usual ongoing +communication with the assigned caseworker or other DYS +staff. When in doubt, the director of casework services, 617- +727-7575, may be contacted. +• If a student committed to a DYS facility enrolls in the Boston +Public Schools at any time during the school year or in the +summer, DYS shall advise the respective head of +school/principal that the student was assigned and provide +the name of the DYS contact person. +• If a DYS student who enrolled in a designated BPS school +transfers to another BPS school during the year, the head of + + +Page 9: +Superintendent’s Circular AMT-03 +Page 9 of 10 + + +school/principal or designee of the sending school shall +contact the head of school/ principal of the receiving school +and inform them about the transfer. +• By September 1st of each year, DYS shall generate a list of +DYS students assigned to Boston Public Schools, indicating +the school to which the student is assigned and the DYS +contact person for each student. This list should be updated +bi-weekly until December and monthly thereafter and sent +to the Office of Welcome Services for verification. +• DYS shall designate a liaison to meet periodically with staff +from the Office of Welcome Services or designee to follow up +on the status of DYS students who have been assigned to +BPS schools. +Principals/heads of school interested in annual in-service sessions +for their staff with participation of DYS staff should contact the +director of casework services, 617-727-7575. +For more information about this circular, contact: +Owner: +Director of Student Assignment and Selective +Admissions +Department: +Office of Family and Community +Advancement +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-7698 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular AMT-03 +Page 10 of 10 + + + + + diff --git a/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-04 Grade Requirements.txt b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-04 Grade Requirements.txt new file mode 100644 index 0000000..636f7a6 --- /dev/null +++ b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-04 Grade Requirements.txt @@ -0,0 +1,276 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +AMT-04 +Version 01 + +GRADE LEVEL PLACEMENT REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +The Boston Public Schools has established grade level placement +requirements for Grades K-12, which are detailed herein. +GRADES K0 - 1 +The Boston Public Schools has established the following age +requirements for entrance to kindergarten programs and grade 1: +Grade Level +Age as of +September 1 +K0 +3 +K1 +4 +K2 +5 +1 +6 + +Students who will be 6 years old by September 1, but after June 30, +may, if they believe appropriate, request a waiver to register for K2 +instead of grade 1. This request must take place prior to registration +and must be accompanied by an early education provider’s +recommendation. Requests should be made to the interim executive +director of Early Childhood at tdias@bostonpublicschools.org, 617- +635-9701. +There are no other exceptions to this policy. + + +Page 2: +Superintendent’s Circular AMT-04 +Page 2 of 8 + +GRADES 2 - 8 +The following requirements will be in effect for grades 2-8 at all +schools, including Early Education Centers and Early Learning +Centers: +Grade +Age as of +September 1 +2 +7 +3 +8 +4 +9 +5 +10 +6 +11 +7 +12 +8 +13 + +In cases where a student is registering into Boston Public Schools +with documented proof of successful completion of the current +grade, the student must also present documentation to their +assigned school within 30 days of reporting. If the school +recommends a change in the student’s grade placement, the school +leader must submit a “Grade Level Change” request form (below) to +their school superintendent or operational leader for approval and +processing by Welcome Services. +Grade-age assignment in the Boston Public Schools is structured to +provide a supportive environment in which each student is able to +grow both academically and socially. BPS understands students may +learn differently and need appropriate adjustments to their +curriculum to ensure they are learning at a pace that fosters success. +Therefore, teachers are trained to adjust + + +Page 3: +Superintendent’s Circular AMT-04 +Page 3 of 8 + +curriculum and make additional recommendations for students +within their classrooms. +GRADES 9 - 12 +Students who are new to BPS will be assigned to a grade based on +their age. Students should be aware that schools may shift their +grade level upon enrollment in their assigned school after a +transcript review with their school counselor. +Students with disabilities will be placed in accordance with the grade +level indicated by their IEP. +If the student has not recently attended school in the U.S., a U.S. +territory, or does not have a current transcript, Welcome Services will +assign students as indicated below: +Age as of +September 1* +General Education, Never LEP, or +ELD 1-5 +14-16 +Grade 9 +15-17 +Grade 10 +16-18 +Grade 11 +17-18 +Grade 12** +19-21 + Referred to Re-Engagement +Center +22 + Students will be recommended +to Adult Education +* +The age range is dependent on minimum age and takes into +account consideration of students who may have been retained +or started their academic journey at an older age from their home +country. +** Students with sufficient documentation, clearly displaying the +completion of grade 11, will be placed in grade 12. + + +Page 4: +Superintendent’s Circular AMT-04 +Page 4 of 8 + +Students who are entering high school are to present prior school +records to their assigned school within 30 days of reporting. +For more information regarding the Maximum Age Policy, see the +Revised Maximum Age Assignment And Enrollment Policy. +GRADE LEVEL ADVANCEMENT OR REGRESSION +If a family/emancipated student is contesting their grade level +placement due to the grade-age assignment process followed while +in a Welcome Center or the Newcomers Assessment & Counseling +Center (NACC), the student must be assessed by the school. If the +school recommends a change in the student’s grade placement, the +school leader must submit a “Grade Level Change” request form to +their school superintendent or operational leader for approval and +processing by Welcome Services within 30 days of student reporting +to school. +If after a period of at least one academic term/semester, a school +team1 determines that a particular student may benefit from a grade +level change due to exceptional advancement or regression based +on other conditions not present during the registration period, a +school leader may request a grade level change by completing the +“Grade Level Change” request form and submitting to their school +superintendent or operational leader for approval and processing by +Welcome Services. All changes must be completed by the end of the +first marking period. + + +1 School-based teams must be composed of content teachers, +English Learner, and Special Education faculty based on the +student’s instructional program. + + +Page 5: +Superintendent’s Circular AMT-04 +Page 5 of 8 + +For more information about this circular, contact: +Owner: +Director of Student Assignment and Special +Admissions +Department: +Welcome Services +Mailing Address: +2300 Washington Street, 2nd Floor, Boston, MA +02119 +Phone: +617-635-9010 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 6: +Superintendent’s Circular AMT-04 +Page 6 of 8 + +GRADE LEVEL CHANGE REQUEST FORM - DIRECTIONS +Find below the description of criteria and evidences that you will +need to fill out the form on page 8. +Criteria for Grade Level Change: Documentation and rationale are +required for all recommendations. +1. A grade level placement is contested due to a grade-age +assignment process followed during registration. This form +must be completed within 30 days of student reporting to +school. +2. A school recommends a grade level change for a student due +to exceptional advancement or regression based on other +conditions not present during the registration period. This +form must be completed by the end of the first marking +period. +3. A Grade Level Change Request Form must be approved by a +school superintendent or operational leader. After approval, +Welcome Services will process the request. +4. Students may not be retained more than once at any level +(elementary, middle, or high school). +5. In a grade level change that requires a new school +assignment, the sending administrator must contact and +update the receiving administrator. +6. If an English Learner is being recommended for a grade level +change, evidence must be provided that this is not due to +language proficiency, and student/family have been informed +and are in agreement with the change. + + + + + +Page 7: +Superintendent’s Circular AMT-04 +Page 7 of 8 + +Evidence’s Options +1. The request meets BPS district guidance in terms of +attendance, academic achievements, OR interventions +demonstrated through student work, grades, and +assessments. A school narrative must be attached. +2. If the student is in a Special Education program: The student +has an IEP that specifically and in writing exempts them from +certain provisions of the promotion policy. IEP attached. +3. If the student is an English Learner: There is evidence of a +transcript review and parent communication that shows an +agreement with the recommendation. All documents must +be filed in the student’s ELD Folder. + + + +Page 8: +Superintendent’s Circular AMT-04 +Page 8 of 8 + +GRADE LEVEL CHANGE REQUEST FORM (*) + +Name of Student: ________________________________________________ +School: ___________________________________________________________ +Student ID: __________________Current Program: __________________ +ELD Level: __________________ SN Code: ___________________________ +Purpose of Request: + Grade Progression: ______________ to ______________ + Grade Regression: _______________ to ______________ +When/how was the parent/guardian informed of this request? + __________________________________________________________________ + __________________________________________________________________ + +OPTIONS (**) +Evidence meets requested change +YES +NO +Option 1 + + +Option 2 + + +Option 3 + + + +Signature of sending school leader: +___________________________________________ Date _________________ +Signature of school superintendent/operational leader: +___________________________________________ Date: ________________ +Review/Approval, Welcome Services: Space available? YES ☐ NO ☐ +(*) Directions on pages 6 & 7; (**) Options descriptions are listed on page 7 + + + + diff --git a/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-05 Maximum Age Assignment and Enrollment Policy.txt b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-05 Maximum Age Assignment and Enrollment Policy.txt new file mode 100644 index 0000000..6f34b0e --- /dev/null +++ b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-05 Maximum Age Assignment and Enrollment Policy.txt @@ -0,0 +1,215 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +AMT-05 +Version 01 + + +REVISED MAXIMUM AGE ASSIGNMENT AND +ENROLLMENT POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +In July 1999, the Boston School Committee adopted a new policy +of the Boston Public Schools (BPS) covering the maximum age +for school attendance. In 2019, the School Committee updated +the maximum age assignment and enrollment policy to include +the current options available within the network of BPS +alternative education schools and new opportunities for students +to continue their education in the district. The revision to the +original maximum assignment policy clarifies the process and +streamlines the enrollment and placement of overage students, +minimizes the risk of students transitioning to adult school +programming in the middle of a semester when they turn 22 +years old, and expands the range of program options in Boston +Central Adult High School (BCAHS) to meet the needs of overage +students in an adult education setting. +ENROLLMENT OF OVERAGE STUDENTS (19 YEARS OLD OR +OLDER) +• Requires the Re-Engagement Center to assess needs and +make recommendations for the school/program +assignments of students new to BPS who are age 19 or +older. +• For students 19 years old or older who are more than a year +from graduation (based on the Re-Engagement Center + + +Page 2: +Superintendent’s Circular AMT-05 +Page 2 of 6 + +transcript review), enrollment options will be presented for +BPS alternative education programs designed to support +overage, under-credited students. +• For students 19 years old or older who are less than a year +from graduation (based on the Re-Engagement Center +transcript review), enrollment options will be presented for +traditional high school programs and/or BPS alternative +education programs designed to support overage students, +based on availability and student needs. +EXISTING OVERAGE BPS STUDENTS (19 YEARS OLD OR OLDER) +• Establishes a systematic proactive review process through +the Re-Engagement Center whereby the district will +monitor the progress and counsel currently enrolled +overage students on an annual basis. +• Establishes that if a student without special needs (without +an Individualized Education Plan) will turn 21 years old on or +before August 31st they will be ineligible for enrollment in a +BPS traditional or alternative education school for the +upcoming school year, and will be referred to BCAHS (day +program, evening program, or a satellite adult education +program authorized by BCAHS) or an external adult +education program by the Re-Engagement Center. +• Establishes that students turning 21 years of age on or after +September 1st are eligible for enrollment for that school +year. +• Clarifies that services for eligible students with disabilities +will continue to be governed by the Individuals with +Disabilities Education Act (IDEA) and Massachusetts General +Law c. 71B up to and through that student’s 22nd birthday, + + +Page 3: +Superintendent’s Circular AMT-05 +Page 3 of 6 + +when deemed appropriate by an IEP team. +• Provides guidelines for how the district will support +students who turn 21 years old on September 1st or later +through the Re-Engagement Center as they transition into +programs including: BCAHS (day program, evening +program, or a satellite adult education program authorized +by BCAHS) if space is available, or an external adult +education program. +THE MAXIMUM AGE ASSIGNMENT POLICY +All students who are seeking a BPS school assignment, including +new students, re-enrolling students, and students already +enrolled in the BPS will be provided enrollment options that will +best meet their needs in providing a path forward to meeting the +requirements of a BPS high school diploma. The revised +maximum age assignment and enrollment policy acknowledges +that some students may benefit from the alternative education +setting to ensure they can earn the credits required for +graduation prior to the end of the school year in which they turn +21 years old. Students transitioning to alternative education +schools and programs designed to serve the overage population +will retain any and all rights and privileges accrued change +“accrued” to “afforded to students…” to students admitted to or +enrolled in traditional day school programs as required by +Massachusetts law. +New BPS students and re-enrolling students who are age 19 and +older will be directly referred to the Re-Engagement Center by +registration specialists at the Welcome Center to determine the +most appropriate placement. As with all enrollment applications, +if applicable, the Office of Special Education will review each +student’s Individualized Education Plan (IEP) and any reports + + +Page 4: +Superintendent’s Circular AMT-05 +Page 4 of 6 + +presented by the student and/or family to determine how to +move forward with options for the student. +Once referred to the Re-Engagement Center, specialists will +review each overage student’s transcript, enrollment history, +state assessment results, and Early Warning Indicators to +determine the most appropriate placement for the student to +attain a high school diploma prior to turning 21 years old. +Enrollment options at traditional high school programs and/or +alternative education programs will be presented based on +availability and student need. BPS Welcome Services will +manage the technical aspects of the enrollment and assignment +process after the Re-Engagement Center assesses student needs +and makes recommendations for placement. Current alternative +schools and programs for SY23 that meet the criteria to serve +overage students include Boston Adult Technical Academy +(BATA), Accelerated Diploma Program (ADP), LogOn Academy at +Boston Collaborative High School, and ABCD’s University High +School. This list of options for overage students will be updated +annually as needed. +Currently enrolled BPS students who will reach the age of 19 +before September 1st of the following school year will be +provided an option to enroll at an alternative education school or +program designed for overage and/or under-credited students. In +the revised policy, the responsibility of these recommendations +will be designated to Re-Engagement Center specialists. The Re- +Engagement Center will notify headmasters of students who are +eligible for a transfer based on age during the spring semester. +Re-Engagement Center specialists will recommend the most +appropriate placement in an alternative education setting or +continued enrollment at their current school after a review of +each overage student’s transcript, state assessment results, + + +Page 5: +Superintendent’s Circular AMT-05 +Page 5 of 6 + +enrollment history, and assessment of Early Warning Indicators. +Additionally, if determined that a transfer is in the student’s best +interest, the Re-Engagement Center will meet with students and +their parents, provide multiple alternative education options that +are appropriate for overage students, and work with students +and parents through the process of the transfer to the alternative +education program selected prior to the start of the school year. +BPS Welcome Services will continue to manage the technical +aspects of enrollment and assignment process based on these +recommendations. +The revised maximum age assignment and enrollment policy +clarifies that if a student will turn 21 years old on or before August +31st, the school based-administration team will meet with the +student, and the student will be required to transition to a +program designed for adults (e.g. Boston Central Adult High +School, Department of Developmental Services, or other adult +school program). Students who will turn 21 years old during the +school year will be allowed to remain enrolled through the end of +the school year in June and, if necessary, through the end of +summer session in August. Once referred to the adult school +program, the process of this transition will be managed by the +Re-Engagement Center. +Students who are unable to earn a high school diploma by the +end of the school year in which they turn 21 years old will be +referred to BCAHS (day program, evening program, or a satellite +adult education program authorized by BCAHS) or an external +adult education program by Re-Engagement Center specialists +and the headmaster. The referral will be made prior to the start of +the final spring semester in which a student is 21 years old to +support an appropriately timed transition. Prior to the student +exiting their school and transitioning to an adult school option, + + +Page 6: +Superintendent’s Circular AMT-05 +Page 6 of 6 + +the headmaster and/or academic counselor will provide an exit +survey and counseling opportunity to share potential placement +in the Boston area. Upon exiting a BPS traditional or alternative +high school, the student will be presented with options to +continue their education toward a high school diploma or HiSET +certificate (graduation equivalent) through the exit survey and +meeting offered by the headmaster and/or academic counselor. +Services for eligible students with disabilities will continue to be +governed by the Individuals with Disabilities Education Act +(IDEA) and Massachusetts General Law c. 71B up to and through +their 22nd birthday, when deemed appropriate by an IEP team. +For more information about this circular, contact: +Owner: +Director of the Re-Engagement Center +Department: +Office of Secondary Schools, Re- +Engagement Center +Mailing Address: +2300 Washington Street, 4th Floor, Roxbury +MA 02119 +Phone: +617-635-2273 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-06 Voluntary Transfer Policy.txt b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-06 Voluntary Transfer Policy.txt new file mode 100644 index 0000000..3ddb9c6 --- /dev/null +++ b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-06 Voluntary Transfer Policy.txt @@ -0,0 +1,74 @@ +Page 1: + + Superintendent’s +Circular + NUMBER: +AMT-06 +Version 01 + + + +VOLUNTARY TRANSFER POLICY. +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +This updated policy provides clear guidance regarding the +allowances and restrictions on school transfers, including an +explanation of the types of transfers that would be considered +voluntary or involuntary and the restrictions on the numbers of +transfers allowed for different grade levels. This policy has +evolved over time beginning with the 1992 Operating Guidelines +for Implementing Changes in the Controlled Choice Student +Assignment Plan and the1999 Interim Report on Streamlining the +Boston Controlled Choice Student Assignment Plan. This circular +does not appreciably shift policy or practice, but rather clarifies +and updates language to reflect the current Home-Based +Assignment Plan. +In June 1999, the School Committee amended the policy of the +Boston Public Schools covering voluntary transfers of students. +The amendments provide for the following: +Elementary school students (PK-6) may receive ONE (1) school +transfer during an academic year. +Middle school level students (grades 7 & 8) may receive ONE (1) +school transfer during their middle school careers. +High school students (9-12) may receive ONE (1) school transfer +during their high school careers. + + +Page 2: +Superintendent’s Circular #AMT-6 +Page 2 of 2 + +Change to school assignments due to change of address, safety, +programmatic, moving off a waitlist, and disciplinary reasons are +not considered voluntary transfers with respect to the number of +transfers allowed. +Students who permanently move out of their original home base +are required to attend a school in their new home base; however, +they may be allowed to continue in their current schools if their +parent(s) request(s) continuation in the current schools in writing +with Welcome Services and agrees to arrange and provide +transportation. Students who move after April 1 will not be +required to change schools until the following school year. + +For more information about this circular, contact: + +Owner: +Director of Student Assignment and Selective +Admissions +Department: +Welcome Services +Mailing +Address: +2300 Washington Street, 2nd Floor, Roxbury, MA +02119 +Phone: +617-635-6058 +Email: +ofca-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + + + + + diff --git a/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-07 Safety Transfer Request.txt b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-07 Safety Transfer Request.txt new file mode 100644 index 0000000..91c3c7d --- /dev/null +++ b/data/data_txt1/Enrollment Planning and Support (AMT)/AMT-07 Safety Transfer Request.txt @@ -0,0 +1,385 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +AMT-07 +Version 01 + + +SAFETY TRANSFER REQUEST PROCEDURES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +From time to time, it becomes necessary to make a change in a +student’s school assignment. One reason for such an assignment +change may be motivated by the need to ensure a safe and +secure learning environment for that student. For this reason, a +safety transfer process has been established. +CRITERIA +1. All students who are victims or intended victims of a serious +physical, emotional, and/or electronically transmitted assault +or who are victims of a violent criminal offense, as determined +by state law, while in or on school grounds, or out of school +that impacts school climate, shall be eligible for a safety +transfer. All such request forms must have attached BPS +Incident Reports and/or BPD Reports to document the +incident. The transfer should be processed by the building +administrator within ten (10) school days of the receipt of the +Safety Transfer Request Form. +Students who are perpetrators are subject to the Code of +Conduct and not eligible for a safety transfer. +2. Students attending a school designated as “unsafe or +persistently dangerous” in accordance with Massachusetts + + +Page 2: +Superintendent’s Circular AMT-07 +Page 2 of 12 + + +Department of Education criteria, upon receipt of a parent +request, shall be transferred to a safe school in compliance +with the Every Student Succeeds Act (“ESSA”). The purpose of +the ESSA is to provide all children a significant opportunity to +receive a fair, equitable, and high-quality education, and to +close educational achievement gaps." +3. Students with an Individualized Education Program (IEP) are +subject to this transfer procedure provided the building +administrator has consulted with the OSESS coordinator. +Resource Room students shall be dealt with in the same +manner as regular education students. Students with IEPs +providing a specialized program and/or requiring a restrictive +setting shall be reassigned after consultation between the +coordinator and OSESS assistant program director (APD). +4. Court orders requiring a transfer of a student shall be honored +and coded as a safety transfer. A copy of the court order +should be forwarded to the operational leader as a part of the +documentation packet in all cases. +5. In all cases, student assignments shall be made by Welcome +Services. Requests for specific school assignments will not be +honored, but rather they shall be based on criteria established +by Welcome Services, as well as on the need to ensure a safe +learning environment and on the needs of the student. +PROCEDURES +The following procedures must be followed in all safety transfer +cases: +1. All safety transfer requests must be initiated by the +parent/guardian/caregiver of the impacted student. + + +Page 3: +Superintendent’s Circular AMT-07 +Page 3 of 12 + + +2. The parent/guardian/caregiver should schedule a meeting +with the head of school/principal/program director of the +school to which the student is assigned in order to discuss the +circumstances surrounding the need for a safety transfer. +3. The parent/guardian/caregiver must complete and sign the +“Safety Transfer Request Form” (attached). All requests for +safety transfers must be referred to the head of +school/principal/program director for review and +recommendation. +4. The head of school/principal/program director shall conduct a +thorough investigation in response to the +parent/guardian/caregiver’s request and must gather all +pertinent information and documentation. If the student has +an IEP, the building administrator shall consult with the +coordinator. The building administrator will provide a rationale +for support or rejection of the transfer request on the reverse +side of the Safety Transfer Form. The form must be signed by +the principal/head of school. Please note: this responsibility +may not be delegated. If the problem is gang-related, the +names of the gangs involved should be noted. If the incident +has occurred off school grounds, a copy of the Boston Police +Department report should be obtained; if the incident +occurred on school grounds, a copy of the Boston Public +School Incident Report should be attached to the +documentation packet. + +5. If the head of school/principal supports the safety transfer +request, they must indicate and sign the Safety Transfer Form. +The completed transfer packet should be sent to the +operational leader for approval and processing. + + +Page 4: +Superintendent’s Circular AMT-07 +Page 4 of 12 + + +The complete safety transfer packet must include: +a. Completed and signed English version as well as a copy of +the parent’s safety transfer request form, including the +building administrator’s rationale for support or rejection +of request on page 2. If the language of the home is other +than English, the parent/guardian/caregiver should +complete the appropriate language form which should +be attached to the English version in the packet. +b. All pertinent supporting documentation (i.e., court orders, +restraining orders, police reports, reports of investigation +by school staff or safety services, etc.) If the student has +been the victim of an assault. +c. If attending an “unsafe or persistently dangerous school,” +documentation supporting the school designation as +such. +6. If the building administrator does not support the safety +transfer, a rationale indicating specific reasons for rejecting the +transfer, including appropriate documentation, must be +forwarded with the safety transfer packet to the operational +leader. +7. The packet must be submitted as soon as possible to the +operational leader for review of completeness and +appropriateness. The operational leader is authorized to +approve or reject the request. +8. Before forwarding a copy of the approved packet to Welcome +Services, the operational leader shall consult with the +Department of Safety Services to discuss potential restrictions +to school assignments (e.g., gang-related issues, “persistently +dangerous” schools, etc.). If the student is assigned to a + + +Page 5: +Superintendent’s Circular AMT-07 +Page 5 of 12 + + +substantially separate class, the operational leader shall +consult with the OSE coordinator and the OSE assistant +director. +9. The operational leader will forward the complete safety +transfer packet of the approved safety transfer request to +Welcome Services for processing an assignment. If safety +issues were raised in discussions with Safety Services (c.f. item +8 above), the operational leader shall call these issues to the +attention of Welcome Services. Requests which are not +approved will be returned to the citing the reasons for +rejection. If the student requires a substantially separate +assignment, Welcome Services and appropriate APD shall +consult. +10. Welcome Services shall assign the student to the new school +and notify the receiving and sending schools and the +appropriate operational leader by email. The head of +school/principal/program director of the sending school shall +notify the parent/guardian/caretaker of the student’s new +school assignment. If the safety transfer is not approved, the +“sending” building administrator shall notify the parent that +the request has been rejected. +11. If the transfer is approved, the operational leader shall send a +copy of the Transfer Form with copies of all attached +documentation to the new school principal/head of school. If +the new building administrator has any further questions, the +sending school building administrator shall respond to those +questions. The sending school shall forward a copy of the +student record to the new school. +12. Any appeal of a decision at the school level may be made to +the District Safety Transfer Appeal Committee. An appeal + + +Page 6: +Superintendent’s Circular AMT-07 +Page 6 of 12 + + +must be made by the parent/guardian/caregiver, in writing, +within ten (10) days of the receipt of the decision. An appeal +can either be submitted in writing and mailed to the attention +of the Superintendent’s Office, Attn: Ombudsperson, Bruce C. +Bolling Municipal Building, 2300 Washington Street, Roxbury +MA 02119 or electronically by submitting the Safety Transfer +Appeal Form. +Please Note: +1. During the summer months, no safety transfers will be +processed. Any family seeking a change in school assignment +due to safety concerns must follow the voluntary transfer +process by visiting a BPS Welcome Center. +2. The family has the right to refuse the new school assignment. +If so, the parent/guardian/caretaker should contact the +principal/head of school and operational leader that they are +rescinding the safety transfer request. In this case, the student +will be returned to their original school and will not be +permitted to submit an additional safety transfer request +regarding the incident that initiated the original safety transfer +request. +Translations of the required documentation are available here. + + + + +Page 7: +Superintendent’s Circular AMT-07 +Page 7 of 12 + + +For more information about this circular, contact: +Owner: +Chief of Operations +Department: +Operations +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9057 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Safety Transfer Request form on following page. + + + + + + + + + + +Page 8: +Superintendent’s Circular AMT-07 +Page 8 of 12 + + +SAFETY TRANSFER REQUEST +Principal/Head of School Page + +Student’s Name: _______________________________________________________________ +Student ID #: _________________________ +Grade: ____________ +Current School: __________________________________________________ +Special Education Program (if applicable): _______________________ +English Learner Program (if applicable): _________________________ +Parent/Guardian/Caregiver Conference: +Date:_____________________________ Time: __________________________ +I  support  reject (check one) this Safety Transfer Request +for the following reason(s): + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + +Page 9: +Superintendent’s Circular AMT-07 +Page 9 of 12 + + +If approved, please list the names and ID numbers of the other +students involved that led to this request. +Name 1 _____________________________ ID _________________________ +Name 2 ______________________________ ID _________________________ +Name 3 ______________________________ ID ______________________ +Name 4 ______________________________ ID ______________________ +If you know of other students that this student should not be +placed with, please note their names and ID numbers. +Name 1 _____________________________ ID _________________________ +Name 2 ______________________________ ID _________________________ +Name 3 ______________________________ ID ______________________ +Name 4 ______________________________ ID ______________________ +Please check: + I have explained to the parent that, if approved, the student +can be assigned to any school where there is an available seat, +and that requests for specific school assignments will not be +honored. + __________________________________________________ _______________ + +Head of School/Principal +Date +Attach documentation. +cc: School File + + +Page 10: +Superintendent’s Circular AMT-07 +Page 10 of 12 + + +SAFETY TRANSFER REQUEST +Family Page + +Student’s Name: _________________________________________________ +I request a Safety Transfer for my son/daughter for the following +reasons: +*Please be specific. If there have been incidents at the school, +describe who was involved, when they occurred, what happened +and other details (including the names of any gangs involved). +Attach additional documentation (e.g., copy of incident report, +copy of Boston Police Report, report of medical provider, etc.) as +necessary. If there is any school that your child cannot attend +due to similar safety concerns, then you must list them here. + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + +Translated versions of this form can be found here. + + +Page 11: +Superintendent’s Circular AMT-07 +Page 11 of 12 + + +SAFETY TRANSFER REQUEST COVER PAGE +Completed by Operational Leader + +Operational Leader: __________________________Date: ______________ +Student Name: ________________________________ID: _______________ +The safety transfer has been: +☐ Approved +☐ Not Approved +Please check: +☐ The school has informed me that they explained to the parent +that the child will be placed wherever there is an available, +appropriate seat, and that requests for specific school +assignments will not be honored. +Please check one: +☐ The child can be placed into any school with an available seat. +☐ The child should not be placed at the following school(s) +(please explain why): +School: ___________________________________________________________ + + _______________________________________________________________ +School: ___________________________________________________________ + + _______________________________________________________________ + + + + +Page 12: +Superintendent’s Circular AMT-07 +Page 12 of 12 + + +School: ___________________________________________________________ + + _______________________________________________________________ +School: ___________________________________________________________ + + _______________________________________________________________ +Additional notes for consideration prior to assignment: + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + ____________________________________________________________________________________ + + + __________________________________________________ _______________ + +Operational Leader Signature +Date + + diff --git a/data/data_txt1/Equity (EQT)/EQT-01 Nondiscrimination and Policy Statement.txt b/data/data_txt1/Equity (EQT)/EQT-01 Nondiscrimination and Policy Statement.txt new file mode 100644 index 0000000..af0a312 --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-01 Nondiscrimination and Policy Statement.txt @@ -0,0 +1,136 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-01 +Version 01 + + + +NONDISCRIMINATION POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to maintaining an +educational environment and workplace where individuals of all +backgrounds and experiences are welcomed, encouraged, +included, and can flourish. We aim to eliminate all forms of bias +and bigotry, including discrimination based on race, color, age, +criminal record (inquiries only), physical or mental disability, +pregnancy and pregnancy-related conditions, homelessness, +sex/gender, gender identity, religion, national origin, ancestry, +sexual orientation, genetics, natural or protective hairstyle, and +military status. The Boston Public Schools is resolved that +prejudice and disparate treatment will never impede our learners +or our educators. +The Boston Public Schools will not tolerate discriminatory +behavior, including intimidation, threats, or harassment of +employees, students, or anyone else who visits or is part of our +learning community. Retaliatory conduct toward persons who +have reported possible bias, discrimination, or inappropriate +behavior, who have assisted in an investigation, or who have +otherwise exercised their rights under this policy is also +prohibited. + + +Page 2: +Superintendent’s Circular EQT-01 +Page 2 of 4 + + + +Conduct in violation of this policy includes any action, including +verbal or nonverbal communication, that contributes to, +promotes, or is complicit in disrupting the district’s inclusive +learning and working environment. Derogatory or intimidating +statements, threats, acts of exclusion, or other mistreatment +regarding a student’s or employee’s membership in or +association with a member of a protected group, whether made +in person or by telephone, postal mail, e-mail, internet posting, or +any other means, will not be tolerated. This includes such +statements made toward students, members of students’ +families, employees, contractors, or other parties who support or +participate in district programming. +This policy extends to all employment and educational practices +and programs, including: +• Recruitment +• Selection and admission +• Compensation and benefits +• Access to learning +• Professional development, training, and extracurricular +activities +• Discipline, evaluation, and testing +• Reasonable accommodation for disabilities or religious +practices +• Promotion +• Transfer +• Termination +• Layoff +• Other terms and conditions of employment and education. + + + +Page 3: +Superintendent’s Circular EQT-01 +Page 3 of 4 + + + +The Boston Public Schools will vigorously implement and actively +enforce this policy to ensure that all its daily operations are +characterized by fairness, respect, and equity. Any violation of this +policy will be viewed as serious misconduct and may result in +discipline, up to and including termination of the offending +employee or expulsion of the responsible student. Retaliation +against any person who has testified, assisted, or participated in +any manner in an investigation, proceeding, or hearing of a +report of a violation of this policy, will similarly be viewed as +serious misconduct and may result in discipline, up to and +including termination or expulsion. +Information about the investigative procedures associated with +this policy is detailed in Superintendent’s Circulars EQT-02 and +EQT-05. +All Boston Public Schools newly printed publications (e.g., Code +of Conduct, Citywide Learning Standards and Curriculum +Frameworks, course selection booklets, student/parent/employee +handbooks, job postings, etc.) for students, parents, teachers, +non-academic employees, and the general public must contain +the following nondiscrimination notice: +The Boston Public Schools, in accordance with its +nondiscrimination policies, does not discriminate in its +programs, facilities, or employment or educational +opportunities on the basis of race, color, age, criminal +record (inquiries only), disability, pregnancy, homelessness, +sex/gender, gender identity, religion, national origin, +ancestry, sexual orientation, genetics, natural or protective +hairstyle, or military status, and does not tolerate any form +of retaliation, or bias-based intimidation, threat, or + + +Page 4: +Superintendent’s Circular EQT-01 +Page 4 of 4 + + + +harassment that demeans individuals’ dignity or interferes +with their ability to learn or work. + +For more information about this circular, contact: +Owner: +Assistant Superintendent of Equity +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.txt b/data/data_txt1/Equity (EQT)/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.txt new file mode 100644 index 0000000..41a424b --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.txt @@ -0,0 +1,366 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-02 +Version 01 + + + +BIAS-BASED CONDUCT TOWARD STUDENTS, FAMILIES, +OR OTHER THIRD PARTIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +The Boston Public Schools is committed to maintaining an +environment free of bias and discrimination where all students +can flourish, and all families are welcome and able to engage fully +as partners in students’ education. +The Boston Public Schools utilizes the procedures outlined in this +circular to investigate and resolve reports of alleged violations of +the district’s nondiscrimination policy (see EQT-01) that are +targeted at students, families, or other third parties. These +procedures are designed to facilitate a prompt and effective +internal review and resolution of allegations of bias-based +conduct or discrimination based on race, color, age, disability, +sex/gender, gender identity, religion, national origin, ancestry, +retaliation, sexual orientation, genetics, natural or protective +hairstyle, military status, or homelessness. The intent of these +procedures is to ensure that, to the greatest extent possible, +reports of bias-based conduct are resolved in a constructive +manner. + + + +Page 2: +Superintendent’s Circular EQT-02 +Page 2 of 10 + + + +Employees of the Boston Public Schools who become aware of +any possible bias-based conduct toward or involving students +must report the incident or concern to their school leader, +supervisor, and/or the Office of Equity as soon as practicable, +generally within the same school day. The same standard applies +to partners or contractors providing services in or under the +auspices of the Boston Public Schools. +COVERAGE +The procedures pertain solely to reports explicitly alleging bias- +based conduct related to race, color, age, disability, sex/gender, +gender identity, pregnancy, religion, national origin, ancestry, +retaliation, sexual orientation, genetics, natural or protective +hairstyle, military status, or homelessness. This applies to +allegations of discrimination, harassment, or bias-based bullying +in any activity under the auspices of the Boston Public Schools, +including, but not limited to: +• Admission +• Provision and accessibility of programs and services +• Guidance practices +• Participation in sporting events or other extracurricular +activities. + +Examples of unacceptable conduct include treating students +differently because of their membership in a protected group, +such that the treatment interferes with or limits the student’s +ability to participate in or benefit from an educational +opportunity or extracurricular program. Bias-based conduct also +includes derogatory verbal, written, print, or digital + + +Page 3: +Superintendent’s Circular EQT-02 +Page 3 of 10 + + + +communication or conduct relating to a student’s membership in +a protected category. Any form of communication or physical +action that creates an intimidating, threatening, or abusive +educational environment will not be tolerated. +Such conduct may originate with students as well as employees +and may also be caused by other persons who participate, +observe, or otherwise engage in a district-sponsored activity. +Behavior that occurs in a location other than a Boston Public +Schools building or outside of BPS school or work hours may still +constitute bias-based conduct and a violation of this policy if that +behavior has the effect of disrupting a student's ability to learn. +Examples of inappropriate behavior toward students that may +violate this policy include: +• Speaking or otherwise communicating derisively to or about +a student or parent because of their membership in a +protected group, such as their race, including the use of +slurs +• Telling or digitally circulating jokes that are derisive toward +members of a particular group, such as a student of a +particular religious faith +• Using insulting nicknames for members of a protected +group, such as a female student +• Refusing to allow students to participate in any activity +because of their membership in a protected group, such as +their sexual orientation, and in the absence of a legitimate +nondiscriminatory reason for the refusal + + +Page 4: +Superintendent’s Circular EQT-02 +Page 4 of 10 + + + +• Disciplining a student more frequently or more harshly +because of their membership in a protected group, such as +their national origin +• Displaying pictures or taking any action that is derisive to +any student based on their membership in a +• Refusal to use the gender identity affirming name and/or +pronouns that a student has stated. +Students sometimes experience “microaggressions”: verbal or +nonverbal communication that is rooted in implicit bias but does +not rise to the level of a violation of this circular. Examples +include: +• Mistaking one student for another because they share the +same racial identity +• Complimenting a student for having a skill that is counter to +a stereotype regarding their gender or ethnicity +• Assuming a student observes a particular religious holiday +or has a particular sexual orientation +• Asking a student about their disability without their +consent. +When microaggressions are reported to the Office of Equity, the +Office will partner with the student, family, and appropriate +school staff to determine an effective intervention, such as +coaching, mediation, restorative justice, or individual, classroom, +or school-wide instruction or training. + + +Page 5: +Superintendent’s Circular EQT-02 +Page 5 of 10 + + + + +GENERAL POLICIES +1. Retaliation against any student, family member, or other +third party for reporting or participating in any way in the +reporting or investigative procedure is strictly prohibited. +2. Whenever possible, investigatory meetings will be +scheduled during a mutually convenient time that does +not conflict with regularly scheduled school programs. +3. Reporting a possible violation will not be construed as +reflecting unfavorably on a student, family member, or +other third party’s good standing, academic performance, +loyalty, or desirability to the Boston Public Schools. +4. Information regarding the allegations, including the +parties involved in the report and the investigation, will +be kept confidential to the extent practicable. +5. In determining whether the alleged conduct constitutes a +violation of the BPS nondiscriminatory policy, the +Superintendent or their designee will consider the +surrounding circumstances, the nature of the behavior, +the relationships between the parties involved, and the +context in which the alleged incidents occurred. A +determination whether a particular action or incident +constitutes a violation of the policy will be based on all +the facts. + + + + +Page 6: +Superintendent’s Circular EQT-02 +Page 6 of 10 + + + +PROCEDURES +I. Reports to School Leaders +Students, families, and other third parties are encouraged to +report concerns regarding bias-based incidents of any kind +to their school’s principal or headmaster. It is advised to file +this report as close to the time of the incident as possible, as +matters are generally more easily resolved the sooner they +are reported. +The principal or headmaster (or their designee) will attempt +to work with the individual(s) to resolve the matter. They will +contact the Office of Equity to ensure that any next steps +are carried out in partnership with the Office of Equity and +appropriately documented. +Students, families, or other third parties who do not wish to +seek assistance from their school’s principal or headmaster, +or who are dissatisfied with the principal’s or headmaster’s +attempt at resolution, may report their concerns directly to +the Office of Equity. Nothing in this policy shall prevent a +student, family member, or other third party from reporting +a concern directly to the Office of Equity. +II. Reports to the Office of Equity +1. A member of the Office of Equity staff will ask the +reporter for information regarding the incident(s) and +may request that the reporter submit a written +statement. The Office of Equity will ensure that assistance +is provided in preparing such a written statement, if +needed. + + +Page 7: +Superintendent’s Circular EQT-02 +Page 7 of 10 + + + +2. After a report is received, the Office of Equity will notify +the appropriate school leader(s) and/or the individual +about whom the report has been filed, as appropriate. +3. The Office of Equity will conduct a fair, impartial, +thorough, and prompt review of the reported incident(s) +and investigate as needed. Any investigation may include +interviews with individuals who have pertinent +information, and review of any documents or other +information relevant to the investigation. BPS employees +and students are obligated to cooperate with any Equity +investigation, including promptly providing any +requested information or documents. +4. The individual who reported alleged bias-based conduct +and any subjects of the investigation will generally be +informed when the investigation is complete and +whether prohibited conduct was found. Depending on +the facts gathered, the Office of Equity may resolve the +concerns by applying approaches such as alternative +dispute resolution, restorative justice, training, or +coaching. In other instances, the results of the +investigation may also be documented as written +findings. +5. The Office of Equity will maintain records of all reports of +bias-based conduct made to the Office of Equity, noting +the school or department in which the alleged incident(s) +occurred, the person accused, and the results of the +investigation. The Office of Equity may review its records +to identify any patterns and take appropriate action as +necessary. +The Office of Equity will: + + +Page 8: +Superintendent’s Circular EQT-02 +Page 8 of 10 + + + +1. Take seriously all concerns regarding possible bias-based +conduct. +2. Take necessary steps to end any conduct determined to +be in violation of the district’s nondiscrimination policy +and prevent this conduct from recurring in the future. +3. Refer individuals found to have violated the district’s +nondiscrimination policy for disciplinary action when +appropriate. +For employees, such action may include written warning, +suspension, termination, or another action deemed +appropriate under the circumstances. (For more +information about Employee Discipline Procedures, +please see Superintendent Circular HRS-PP10.) +For students, such action may include suspension, +expulsion, or another action deemed appropriate under +the circumstances. (For more information on student +discipline, please see the Code of Discipline for Students +and Students with Disabilities – Superintendent Circulars +SUP-05 and SPE-15.) +4. Require students, employees, or other third parties found +to violate the district’s nondiscrimination policy to attend +Equity protocols and/or bias prevention training, as +appropriate. + + + + +Page 9: +Superintendent’s Circular EQT-02 +Page 9 of 10 + + + +STATE AND FEDERAL REMEDIES +Using the BPS Equity reporting process does not prohibit you +from also filing a complaint with a state or federal agency. These +agencies have a short time period for filing a claim (OCR – 180 +days; DESE – within the same school year; MCAD – 300 days). + For incidents involving students’ civil rights: +United States Department of Education Office for Civil +Rights (OCR) +John W. McCormack Post Office and Courthouse +5 Post Office Square, 8th Floor, Suite 900, Boston, MA 02109 + +(617) 289-0111 + + + + + + + For concerns regarding students’ equitable access to +education: +Massachusetts Department of Elementary and Secondary +Education (DESE) +350 Main Street, Malden, MA 02108 +(781) 388-3300 + + For concerns regarding civil rights related to food and +nutrition (school-provided meals): +U.S. Department of Agriculture Office of the Assistant +Secretary for Civil Rights +1400 Independence Avenue, SW, Washington, DC 20250 + + + + + +Page 10: +Superintendent’s Circular EQT-02 +Page 10 of 10 + + + + For incidents regarding employees’ civil rights: +Massachusetts Commission Against Discrimination (MCAD) + +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +For more information about this circular, contact: +Owner: +Director of Compliance and Title IX +Coordinator +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-03 Sexual Misconduct Toward Students.txt b/data/data_txt1/Equity (EQT)/EQT-03 Sexual Misconduct Toward Students.txt new file mode 100644 index 0000000..1943d47 --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-03 Sexual Misconduct Toward Students.txt @@ -0,0 +1,499 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-03 +Version 01 + + + +SEXUAL MISCONDUCT TOWARD STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +INTRODUCTION +The Boston Public Schools (BPS) is committed to ensuring that +students learn in an environment free of sexual misconduct. +Sexual misconduct committed against a BPS student will not be +tolerated. In addition, acts of retaliation against an individual who +reports an allegation of sexual misconduct or cooperates with a +related investigation are unacceptable and will not be tolerated. +Students participating in BPS academic, educational, +extracurricular, athletic, and school programs or activities are +protected from sexual misconduct by other students, parents, +BPS employees, and third parties (e.g., visitors). In addition, BPS +students may be protected from sexual misconduct that occurs +outside the context of a school’s education program, activity, or +school property, if the behavior was in connection with a school +program or activity which includes locations, events, or +circumstances over which the district exercised substantial +control over both the person accused of the conduct and the +context in which the sexual misconduct occurred. +The Boston Public Schools treats reports of sexual misconduct +with the utmost seriousness. We will address any sexually + + +Page 2: +Superintendent’s Circular EQT-03 +Page 2 of 14 + + + +inappropriate communication or behavior directed toward +students, regardless of whether that conduct is unlawful. This +policy is neither designed nor intended to limit the district’s +authority to discipline or take remedial action for conduct that +the Boston Public Schools deems unacceptable. +DEFINITION OF SEXUAL MISCONDUCT +For the purposes of this policy, sexual misconduct constitutes +sexually inappropriate comments and/or behaviors of any kind. +Below are examples of sexual misconduct: +Sexual Violence +Sexual violence is broadly defined as any sexual activity that is +forced, coerced, or unwanted. It also includes any sexual act +against another person who is incapable of giving consent, either +because of their temporary or permanent mental or physical +incapacity, or because they are a minor. +Consent is defined as clear, active agreement and permission to +engage in any form of verbal or nonverbal sexual communication +or activity with another person. The initiator of the sexual contact +is responsible for obtaining consent before engaging in any +sexual contact. Consent can be withdrawn by either party at any +point. Consent must be voluntary and may not be valid if a +person is being subjected to an emotional, psychological, +physical, reputational, or financial threat, intimidation, or +coercion. Consent to engage in one sexual activity, or past +agreement to engage in a particular sexual activity, cannot be +presumed to constitute consent to engage in a different sexual +activity or to engage again in a sexual activity. Consent cannot be + + +Page 3: +Superintendent’s Circular EQT-03 +Page 3 of 14 + + + +validly given by a person who is incapacitated or under the age of +sixteen. +Sexual violence may include criminal acts, such as indecent +assault and battery, rape, abuse, or assault with intent to rape. +Any acts that may be criminal will be referred to law +enforcement. +Examples of sexual violence may include, but are not limited to, +the following: +• Unwelcome sexual touching +• Non-consensual sexual contact that occurs during school or +non-school hours, on or off school grounds, including dating +violence +• Recruiting, transporting, obtaining, or providing a student of +any gender for the purpose of sex. +Other Forms Of Sexual Misconduct +Sexual misconduct includes unwelcome conduct of a sexual +nature that denies or limits, on the basis of sex, a student's ability +to participate in or to receive benefits, services, or opportunities +in the school's program or activities. +Examples of behavior that may constitute sexual misconduct +depending upon the totality of the circumstances, the ages of +the student or other individuals involved, and the severity and +pervasiveness of the conduct, include but are not limited to: +• Sexual advances, whether or not they involve touching +• Requests for sexual favors + + +Page 4: +Superintendent’s Circular EQT-03 +Page 4 of 14 + + + +• Making an educational decision or benefit contingent upon +a student’s submission to unwelcome sexual conduct +• Offensive public sexual display of affection, including +groping, fondling, gestures, or inappropriate touching of +oneself or others +• Consensual groping, fondling, sexual touching, or sex on +school property or at any school-sponsored activity +• Sexual jokes or references +• Comments regarding a student’s body or a student’s sexual +activity or orientation +• Offensive name calling or profanity that is sexually +suggestive, sexually degrading, or based on sexual +stereotypes or sexual orientation +• Different treatment because of pregnancy status +• Displaying or distributing sexually explicit drawings, +pictures, or other materials in any form (such as sexting) +• Trafficking of youth for sexual purposes, such as recruiting, +transporting, or otherwise exploiting a minor in exchange +for money, shelter, or food +• Sexual advances or contact, whether or not they are +consensual, between a student and employee, contractor, or +community partner +• Sexual activity between students in a school, or any building +where BPS business is conducted +• Other verbal, nonverbal, or physical conduct of a sexual +nature. + + +Page 5: +Superintendent’s Circular EQT-03 +Page 5 of 14 + + + +Any student, regardless of gender identity or sexual orientation, +can be a target of sexual misconduct, and the alleged targets and +the subject of the concern can be of the same or different +genders. +Employees of the Boston Public Schools who become aware of +any possible sexual misconduct toward or involving students +must report the incident or concern to their school leader, +supervisor, and/or the Office of Equity as soon as practicable, +generally within the same school day. The same reporting +requirement applies to partners or contractors providing services +to students in or under the auspices of the Boston Public Schools. +The above list of examples is not exhaustive. If you are unsure +whether a student may have been a target of sexual misconduct +or if you have knowledge of a possible incident of sexual +misconduct involving a student, immediately contact your school +principal/head of school, supervisor, or the Office of Equity at 617- +635-9650 or bpsequity@bostonpublicschools.org. +REPORTING AND INVESTIGATING SEXUAL MISCONDUCT +A student, parent, or other third party who believes that a +student has been subjected to inappropriate sexual conduct may +report the incident to the principal/head of school or the Office of +Equity. +The Boston Public Schools will promptly investigate allegations +of sexual misconduct even when the incident is being +investigated by law enforcement or another entity. Our +obligation is to determine if there has been a violation of a BPS +circular and/or the BPS Code of Conduct. The investigation will +be conducted in a manner maintaining confidentiality to the + + +Page 6: +Superintendent’s Circular EQT-03 +Page 6 of 14 + + + +extent practicable under the circumstances. Incidents that a BPS +employee becomes aware of directly or indirectly, such as from a +note or an overheard conversation, will also be investigated. +Interim measures for the safety of the students involved must be +taken upon receipt of the report to ensure equal access to +educational programs and activities. +If the investigation results in a finding of a violation of this policy, +Boston Public Schools will take steps to end the misconduct, +prevent any further misconduct, remedy its effects where +appropriate, and take disciplinary action, as deemed appropriate +under the circumstances. +REPORTING PROCEDURES +(see Appendix A checklist) +These instructions assume that the Office of Equity has already +been informed of an incident as required, and that a school +administrator has been instructed to follow this protocol. +After receiving a report of sexual misconduct, the building +administrator must immediately (within the same school day, +with rare exceptions): +1. Ensure that a student who discloses sexual misconduct is +not interviewed by any other BPS employee subsequent to +the initial disclosure, unless otherwise specifically directed +by law enforcement, the state Department of Children and +Families (DCF), or the Office of Equity. To minimize the +alleged target’s emotional distress and to preserve the +integrity and reliability of any investigation, the initial + + +Page 7: +Superintendent’s Circular EQT-03 +Page 7 of 14 + + + +disclosure conversation should be limited to the essential +facts. The BPS staff member who first receives the report +must document the conversation as thoroughly as possible. +2. Assess the need for emergency interim safety measures to +prevent any additional incidents and ensure that the target +is able to fully engage in the school’s programs and +activities. Implement any plan as appropriate. +3. Report the incident to your school’s Safety Specialist or +Safety Services at 617-635-8000 if the allegation involves +sexual assault or violence, such as physical contact or +threats. Call Safety Services even if you are not sure if the +alleged incident constitutes sexual violence. Inform the +school nurse if medical care is needed. +If Safety Services are not available, call 911. +Depending on the nature of the allegations, the Office of +Safety Services may work directly with the Boston Police +Department School Unit. Thereafter, the Boston Police +Crimes Against Children Unit may conduct the +investigation. A team investigation may include other +agency involvement. By law, the police cannot provide the +Boston Public Schools with a written report regarding an +incident of sexual violence. +4. Contact the Department of Children and Families (DCF) to +file a 51A report if the allegation warrants. As mandated +reporters, employees of the Boston Public Schools are +required to report situations when there is reasonable cause +to believe a student is suffering from physical or emotional +injury that causes harm or a substantial risk of harm to the +student’s health or welfare. + + +Page 8: +Superintendent’s Circular EQT-03 +Page 8 of 14 + + + +Questions related to school employees’ obligation to file a +51A report with DCF should be directed to the Office of Legal +Advisor. Please also refer to Superintendent’s Circular SSS-17 +on Child Abuse and Neglect. +If the alleged subject is over 18 years old, under 7 years old, +or has a disability that might manifest as inappropriate +sexual conduct, please call the Office of Equity prior to filing +a 51A. +5. Always alert the school’s operational leader. If you wish, +and/or upon request of the Office of Equity, also alert the +school’s elementary or secondary school superintendent. +Depending on the severity and complexity of the +allegations, the school superintendent and/or operational +leader will then partner with the designated school +administrator and/or the Office of Equity to complete the +investigation. +6. Notify the parent(s) or legal guardian(s) of the reporter or +alleged victim, if a minor, unless the parent/legal guardian is +the subject of the concern and/or such notification will +create a substantial risk to the student’s health, safety, or +welfare. +7. If the subject of the concern is a minor, the building +administrator (or other Office of Equity Designee) should +notify the subject’s parent(s) or legal guardian(s). For +reasons of confidentiality, do not inform the subject’s family +of the alleged target’s identity or gender. +8. Submit Section 1 of the Equity Student Incident & +Investigation Form within the same school day, if possible, +but always within 48 hours of the incident. This document + + +Page 9: +Superintendent’s Circular EQT-03 +Page 9 of 14 + + + +should be treated as confidential and sent to the Office of +Equity only. Only share this document or other related +documents as directed by the Office of Equity, Office of +Legal Advisor, or law enforcement authorities. The form can +be submitted digitally via this link. +9. Investigate and document the allegation. If it is determined +by a preponderance of the evidence that inappropriate +conduct occurred, the Boston Public Schools will take such +actions as it deems appropriate under the circumstances. +For students, such actions will be consistent with the Code +of Conduct, and may also include training, mediation, or +restorative practices. For employees, such actions will be +consistent with the district’s labor practices, and may +include training, restorative practices, and/or discipline. +10. Submit Section 2 of the Equity Student Incident & +Investigation Form within 10 days of the incident. When +completing the narrative, staff should document witness +statements and the subject’s response to the allegation(s). +Additionally, staff should document the investigatory +findings and remedial action taken, if any. The form can be +submitted digitally via this link. +During the investigation, the alleged target of the +misconduct should not discuss the incident with the subject +of the concern present under any circumstances. + +For detailed guidance on investigating and documenting +allegations of sexual misconduct, please follow the Boston +Public Schools Protocols for Sexual Misconduct + + +Page 10: +Superintendent’s Circular EQT-03 +Page 10 of 14 + + + +Investigations Conducted by School Leaders and Central +Office Managers. + +All reports submitted through the Equity Student Incident & +Investigation Form will be reviewed by the Office of Equity. +PROHIBITION OF RETALIATION +Retaliation against an individual who reports sexual misconduct +and retaliation against individuals for cooperating with a related +investigation is unlawful and will not be tolerated by the Boston +Public Schools. +Reports of retaliation should be brought to the building +administrator or the person who is conducting the investigation. +A student who feels there has been retaliation following a +complaint may also call the Office of Equity at 617-635-9650. +BPS TITLE IX COORDINATOR +The Boston Public Schools’ Title IX coordinator is responsible for +ensuring compliance with the investigatory process outlined in +EQT-3, and tracking incidents across the district. Any parent or +employee who raises concerns regarding the investigatory +process and/or outcomes may contact the district’s Title IX +coordinator: + +Director of Compliance and Title IX Coordinator +Boston Public Schools +2300 Washington Street, Roxbury, MA 02119 +Phone: 617-635-9650, Fax: 617-635-7940 + + +Page 11: +Superintendent’s Circular EQT-03 +Page 11 of 14 + + + +Email: bpsequity@bostonpublicschools.org +OTHER RESOURCES +United States Department of Education Office for Civil Rights +(OCR) +5 Post Office Square, 8th Floor, Boston, MA 02109 +(617) 289-0111 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +Massachusetts Department of Elementary and Secondary +Education +Program Quality Assurance +75 Pleasant Street, Malden, MA 02148-4906 +(781) 338-3700 + + + +Page 12: +Superintendent’s Circular EQT-03 +Page 12 of 14 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +For matters involving DCF, contact: +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 13: +Superintendent’s Circular EQT-03 +Page 13 of 14 + + + +APPENDIX A: CHECKLIST FOR SCHOOL ADMINISTRATORS +These instructions assume that the Office of Equity has already +been informed of an incident as required, and that a school +administrator has been instructed to follow this protocol. +After receiving a report of sexual misconduct, including sexual +harassment and sexual violence, the school or central office +administrator (or the elementary or secondary school +superintendent, elementary or secondary school assistant +superintendent, and/or operational leader if the complaint is +against the school or central office administrator) must +immediately: + Receive a disclosure of sexual misconduct. Whoever the +students report to first must document the following: +1. Who is the subject of the concern? +2. What did the subject say or do? +3. If physical contact was made, where did the subject +touch you (clarify if contact was made above clothing +or directly on the student’s skin)? +4. Is this the first time something like this happened? +5. Was anyone else there when it happened? +6. Did you tell anyone else what happened? +Students cannot be interviewed more than once by a BPS +employee and should only be interviewed with one adult in +the room. + Assess the need for emergency interim measures and +implement as appropriate. + + +Page 14: +Superintendent’s Circular EQT-03 +Page 14 of 14 + + + + Report the incident to your school’s Safety Specialist or +Safety Services at (617) 635-8000 if the allegation involves +sexual violence, such as physical contact or threats. Call +Safety Services even if you are not sure if the alleged +incident constitutes sexual violence. If Safety Services is not +available, call 911. + Contact the Department of Child and Family Services to file +a 51A report if the allegation warrants. + Alert the Operational Leader. In addition, upon request of +the Office of Equity, alert the school’s elementary or +secondary school superintendent. + Notify the parent(s) or legal guardian(s) of the alleged +target of the misconduct, unless the parent/legal guardian is +the subject of the investigation and/or such notification will +create a substantial risk to the student’s health, safety, or +welfare. + Notify the subject’s parent(s) or legal guardian(s) if that +individual is a minor. + Submit Section 1 of the Equity Student Incident & +Investigation Form within the same school day if possible, +but always within 48 hours of the incident. + Investigate and document the allegations consistent with +the Office of Equity Protocols to determine if a violation of +the circular has occurred. If a Code of Conduct violation is +found, conduct disciplinary proceedings. + Submit Section 2 of the Equity Student Incident & +Investigation Form within 10 days of the incident. + + + diff --git a/data/data_txt1/Equity (EQT)/EQT-04 Students and Gender Identity.txt b/data/data_txt1/Equity (EQT)/EQT-04 Students and Gender Identity.txt new file mode 100644 index 0000000..3006d8e --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-04 Students and Gender Identity.txt @@ -0,0 +1,274 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +EQT-04 +Version 01 + + + +TRANSGENDER AND GENDER NONCONFORMING +STUDENTS — NONDISCRIMINATION ON THE BASIS OF +GENDER IDENTITY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +This circular sets out guidelines for schools and district staff to +create a culture where transgender and gender nonconforming +students feel safe, supported, and fully included, and to meet +each school’s obligation to provide educational opportunities for +all students. We aim to achieve inclusion of transgender and +gender nonconforming students, while maintaining students’ +right to privacy. +BIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT +Massachusetts law and the Boston Public Schools (BPS) require +that all classrooms, programs, activities, and employment +practices be free from bias and discrimination on the basis of sex, +sexual orientation, and gender identity. It is the responsibility of +each school and the district to ensure that transgender and +gender nonconforming students have a safe school environment. +For policies and procedures about BPS’s “Bullying Prevention +and Intervention Plan,” please see Superintendent’s Circular SSS- + + +Page 2: +Superintendent’s Circular EQT-04 +Page 2 of 8 + + + +18. For more information about safety transfers in the district, +please see Superintendent’s Circular AMT-07. +Reports of bias, discrimination or harassment based on a person’s +actual or perceived gender identity or gender nonconformity are +handled in the same manner as other reports of bias-based +conduct. Students, employees, and third parties alleged to have +violated this policy (EQT-04) will be investigated and addressed +according to the protocols detailed in Superintendent’s Circular +EQT-02, “Bias-Based Conduct Toward Students Families or Other +Third Parties.” +NAMES AND PRONOUNS +In Massachusetts, an individual may adopt a name that is +different from the name that appears on their birth certificate. No +additional legal or other documentation is required for school +staff to honor student requests to go by a chosen/affirming +name. If a student or their family is looking to update the name +that appears on official school records, they may do so either by +completing the Change of Student Information Form - Name and +Gender Change Request (if the update is related to gender +identity) or by contacting BPS Welcome Services (if the update is +not related to gender identity). Note: This process is not a legal +name change and does not affect any records other than those +kept by BPS. +After a student requests a name change, school personnel shall +make every effort to consistently use the student’s chosen name +and stated pronouns. For students who remain in the same +school following a gender transition, it is important to develop a +plan for ensuring the use of the chosen name and stated + + +Page 3: +Superintendent’s Circular EQT-04 +Page 3 of 8 + + + +pronouns. School-based staff are strongly encouraged to contact +the Office of Equity for additional support in this process. +PRIVACY, CONFIDENTIALITY, AND STUDENT RECORDS +Under Massachusetts law, information about a student’s +assigned birth sex, gender transition, name change associated +with transition, medical or mental health treatment related to +gender identity, or any other related information is part of the +individual’s student record (for more information, see the +Massachusetts Student Records Regulations, 603 CMR 23.00). +Student records are confidential and must be kept private and +secure except in limited circumstances, such as when authorized +school personnel require the information to provide +administrative, teaching, counseling, nursing, or other services to +the student in the performance of their official duties. Authorized +school personnel may include, but are not limited to, individuals +such as the principal, school nurse, classroom teacher(s), social +worker, and/or guidance counselor. +When a student new to a school is using a chosen or affirming +name, the birth name is considered private information and may +be disclosed only with authorization as provided under the +Massachusetts Student Records Regulations. If the student has +previously been known at school and/or in school records by their +birth name, school personnel must use the student’s chosen +name. School personnel should not disclose information that +may reveal a student’s transgender status or gender +nonconforming presentation to others, including parents and +other school personnel, unless legally required to do so, for safety +reasons, or if the student and/or guardian has authorized such +disclosure. + + +Page 4: +Superintendent’s Circular EQT-04 +Page 4 of 8 + + + +Transgender and gender nonconforming students have the right +to discuss and express their gender identity and expression +openly and to decide when, with whom, and how much +information to share. A student who is 14 years of age or older, or +who has entered the ninth grade, may consent to disclosure of +information from their student record. If a student is under 14 +and is not yet in the ninth grade, only the student’s parent has +the authority to decide on disclosures and other student record +matters. +To the extent that the school is not legally required to use a +student’s legal name and gender on other school records or +documents, every effort shall be made to update student records +with the student’s chosen name and not circulate records with +the student’s birth name. Records with the student’s birth name +shall be kept confidential. +For more information about Student Record Regulations, please +see Superintendent’s Circular LGL-07. +RESTROOMS, LOCKER ROOMS, AND CHANGING FACILITIES +In accordance with Massachusetts law, all students are entitled to +have access to restrooms, locker rooms, and changing facilities +consistent with the student’s gender identity. As part of the +transition process, the school leader (or their designee) and +student (and parent/guardian, when applicable) shall address the +student’s access to the restrooms, locker room, and changing +facilities. +Each situation needs to be addressed based on the particular +circumstances of the student and the school facilities. In all cases, +the school leader (or their designee) shall be clear with the + + +Page 5: +Superintendent’s Circular EQT-04 +Page 5 of 8 + + + +student (and parent/guardian when applicable) that the student +may access the restroom, locker room, and changing facility that +corresponds to the student’s gender identity. Transgender +students who prefer not to use a sex-segregated restroom should +be provided with a safe and adequate alternative, such as a single +stall restroom or nurse’s restroom if possible. The single-user +facility, however, may not be given as the only option for +transgender or gender nonconforming students. +School-based staff should be aware that there will be students +who do not identify along the gender binary (boy/girl or +man/woman). These students may use terms such as +“nonbinary,” “gender fluid,” or “gender queer” to describe their +gender identity. They should be given access to whichever facility +feels most comfortable to them. Students who prefer not to use a +sex-segregated restroom should be provided with a safe and +adequate alternative, such as a single stall restroom or nurse’s +restroom if possible. The single-user facility, however, may not be +given as the only option for transgender or gender +nonconforming students. If possible, schools should consider +designating one or more restrooms at their school as “all gender,” +meaning that anyone of any gender may use that restroom. +Student and/or school staff discomfort is not an acceptable +reason to deny restroom access to transgender and/or gender +nonconforming students. School administrators, educators, and +counseling staff should take a proactive approach to address any +discomfort, foster understanding, and create a school culture +that respects and values all students. School-based staff may +contact the Office of Equity for additional support in this area. + + +Page 6: +Superintendent’s Circular EQT-04 +Page 6 of 8 + + + +PHYSICAL EDUCATION CLASSES, INTRAMURAL SPORTS, AND +INTERSCHOLASTIC ATHLETIC ACTIVITIES +Where there are sex-segregated classes or athletic activities, +including intramural and interscholastic athletics, all students +must be allowed to participate in a manner consistent with their +gender identity. The Massachusetts Interscholastic Athletic +Association, as outlined in their Gender Identity Policy +Clarification, will defer to the determination made by the student +and their school regarding gender identity. +DRESS CODES +All students have the right to dress in a manner consistent with +their gender identity or expression. In general, schools should +eliminate dress codes that restrict students’ clothing or +appearance on the basis of gender.(1) School staff must not +enforce the dress code more strictly against transgender and +gender-nonconforming students than other students. +DIPLOMAS +Graduating students are entitled to use a chosen or affirming +name on their BPS diploma, this name may be different from the +name listed in student records. Students wanting a diploma +printed with a name other than or in addition to the name listed +in student records should speak to their school guidance +counselor or the LGBTQ+ student support manager. + +(1) The Office of Equity will provide schools with a sample dress +code upon request. + + +Page 7: +Superintendent’s Circular EQT-04 +Page 7 of 8 + + + +GENDER-BASED ACTIVITIES, RULES, POLICIES AND PRACTICES +Schools should evaluate all gender-based policies, rules, and +practices, and maintain only those with a clear and sound +pedagogical purpose and equivalent offerings for students of all +genders. Gender-based policies, rules, and practices may have +the effect of marginalizing, stigmatizing, and excluding students, +including gender nonconforming students. +Whenever students are separated by gender in school activities +or are subject to an otherwise lawful gender-specific rule, policy, +or practice, students must be permitted to participate in such +activities or conform to such rule, policy, or practice consistent +with their gender identity. +RELATED RESOURCES +• The Gay, Lesbian and Straight Education Network (GLSEN) +Gender Terminology Guide is available here: +https://www.glsen.org/activity/gender-terminology. +• For information about the Boston Public Schools policies on +bias-based conduct or bullying, see Superintendent’s +Circulars EQT-02, EQT-03, or SSS-18. +• For more information about the Massachusetts gender +identity law, see the Massachusetts Department of +Elementary and Secondary Education guidance document, +“Nondiscrimination on the Basis of Gender Identity” at +http://www.doe.mass.edu/ssce/GenderIdentity.pdf. +• Contact the Office of Equity at 617-635-9650 or +bpsequity@bostonpublicschools.org for information about +additional support. + + +Page 8: +Superintendent’s Circular EQT-04 +Page 8 of 8 + + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th floor, Roxbury, MA +02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-05 Bias-Based Conduct Toward Employees.txt b/data/data_txt1/Equity (EQT)/EQT-05 Bias-Based Conduct Toward Employees.txt new file mode 100644 index 0000000..fe1b794 --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-05 Bias-Based Conduct Toward Employees.txt @@ -0,0 +1,272 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-05 +Version 01 + + + +BIAS-BASED CONDUCT TOWARD EMPLOYEES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. +The Boston Public Schools utilizes the procedures outlined in this +circular to investigate and resolve reports of alleged violations of +the district’s nondiscrimination policy (see EQT-01). These +procedures are designed to facilitate a prompt and effective +internal review and resolution of allegations of bias-based +conduct, discrimination or harassment based on race, color, age, +criminal record (inquiries only), disability, sex/gender, gender +identity, religion, national origin, ancestry, retaliation, sexual +orientation, genetics, natural or protective hairstyle, or military +status. The intent of these procedures is to ensure that, to the +greatest extent possible, such reports are addressed in a +constructive manner. +COVERAGE +The procedures pertain solely to reports explicitly alleging bias- +based conduct, discrimination, or harassment based on race, + + +Page 2: +Superintendent’s Circular EQT-05 +Page 2 of 8 + + + +color, age, criminal records (inquiries only), disability, +pregnancy/pregnancy related conditions, sex/gender, gender +identity, religion, national origin, ancestry, retaliation, sexual +orientation, genetics, natural or protective hairstyle, or military +status. Behavior that occurs in a location other than a Boston +Public Schools building or outside of BPS school or work hours, +including when an employee is working remotely, may still +constitute bias-based misconduct and a violation of this policy if +that behavior has the effect of disrupting an employee’s ability to +do their job. +Employees sometimes experience “microaggressions”: verbal or +nonverbal communication that is rooted in implicit bias, but does +not rise to the level of a violation of this circular. Examples +include: +• Mistaking one staff member for another because they share +the same racial identity +• Complimenting a staff member for having a skill that is +counter to a stereotype regarding their gender or ethnicity +• Assuming a staff member observes a particular religious +holiday or has a particular sexual orientation +• Asking a staff member about their disability without their +consent. +When microaggressions are reported to the Office of Equity, the +Office will partner with the reporter and/or other appropriate +staff to determine an effective intervention, such as coaching, +mediation, restorative justice, or an individual or school- or +department-wide training. + + +Page 3: +Superintendent’s Circular EQT-05 +Page 3 of 8 + + + +GENERAL POLICIES +1. Employees in supervisory or managerial roles have an +obligation to report possible violations of this circular. +2. Retaliation against any employee for reporting or +participating in any way in the reporting or investigative +procedures is strictly prohibited. +3. Whenever possible, investigatory meetings will be +scheduled during a mutually convenient time that does not +conflict with regularly scheduled school programs. +4. Reporting a possible violation will not be construed as +reflecting unfavorably on an employee’s or applicant’s good +standing, performance, loyalty, or desirability to the Boston +Public Schools. +5. Information regarding the allegations, including the parties +involved in the report and the investigation, will be kept +confidential to the extent practicable. +6. In determining whether the alleged conduct constitutes a +violation of the BPS nondiscrimination policy, the +Superintendent or their designee will consider the +surrounding circumstances, the nature of the behavior, the +relationships between the parties, and the context in which +the incidents occurred. A determination whether a +particular action or incident constitutes a violation of the +policy will be based on all the facts. +PROCEDURES +1. An employee or applicant who believes they may have +experienced, witnessed, or become aware of possible bias- +based conduct must contact the Office of Equity by phone, + + +Page 4: +Superintendent’s Circular EQT-05 +Page 4 of 8 + + + +email, or fax. Employees are strongly encouraged to contact +the Office of Equity as soon after the incident as possible, as +reports are more easily addressed the sooner they are +reported. A member of the Office of Equity staff will ask the +reporter for information regarding the incident(s) and may +request that the reporter submit a written statement. The +Office of Equity will ensure that assistance is provided in +preparing such a written statement, if needed. The Office of +Equity accepts all reports of possible bias-based conduct +but, depending on the circumstances, may decline to +investigate allegations regarding incidents that occurred +more than 300 calendar days prior to receipt of the report. +2. Employees in a supervisory capacity are required to report +possible bias-based conduct toward or involving employees, +vendors, or contractors to the Office of Equity as soon as +practicable, generally within the same school day. +3. After a report is received, the Office of Equity will notify the +appropriate department identified in the report and/or the +individual against whom the report has been filed. +4. The Office of Equity will make a fair, impartial, thorough, and +prompt investigation of the reported incident(s). The +investigation may include interviews with individuals who +have pertinent information and a review of any documents +or other information relevant to the investigation. BPS +employees are obligated to cooperate with any Equity +investigation, including promptly providing any requested +information or documents. +5. The individual who reported alleged bias-based conduct +and any subjects of the investigation will be informed when +the investigation is complete, and informed whether + + +Page 5: +Superintendent’s Circular EQT-05 +Page 5 of 8 + + + +prohibited conduct was found. Depending on the facts +gathered, the Office of Equity may resolve the concerns by +applying approaches such as alternative dispute resolution, +restorative justice, training, or coaching. In other instances, +the results of the investigation may also be documented as +written findings. Mediation will not be used in cases +involving sexual assault. +6. If the Office of Equity finds that there is a preponderance of +evidence to show that a violation of the district’s +nondiscrimination policy occurred, the office will determine +ways to address the matter and prevent recurrences. +7. The Office of Equity will maintain records of all reports of +bias-based conduct made to the Office of Equity, noting the +school or department in which the alleged incident(s) +occurred, the person accused, and the results of the +investigation. The Office of Equity may review its records to +identify any patterns and take appropriate action as +necessary. +The Office of Equity will: +1. Take seriously all concerns regarding possible bias-based +conduct. +2. Take necessary steps to end any conduct determined to be +in violation of the district’s nondiscrimination policy, prevent +this conduct from recurring in the future, and remedy its +effects, where appropriate. +3. Refer individuals found to have violated the district’s +nondiscrimination policy for disciplinary action when +appropriate. + + +Page 6: +Superintendent’s Circular EQT-05 +Page 6 of 8 + + + +For employees, such action may include written warning, +suspension, termination, or another action deemed +appropriate under the circumstances. (For more information +about Employee Discipline Procedures, please see +Superintendent Circular HRS-PP10.) +For students, such action may include suspension, +expulsion, or another action deemed appropriate under the +circumstances. (For more information on student discipline, +please see the Code of Discipline for Students and Students +with Disabilities – Superintendent Circulars SUP-05 and SPE- +15.) +4. Require students, employees, or other third parties found to +violate the district’s nondiscrimination policy to attend +discrimination prevention training, as appropriate. +STATE AND FEDERAL REMEDIES +In addition to the above, if you believe you have been subjected +to unlawful discrimination, you may file a formal complaint with +either of the government agencies set forth below. Reporting a +concern to the Office of Equity does not prohibit you from filing a +complaint with these agencies. Each of the agencies has a time +period of 300 days for filing a claim. + + + + +Page 7: +Superintendent’s Circular EQT-05 +Page 7 of 8 + + + +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +(800) 660-4000 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + + + + + +Page 8: +Superintendent’s Circular EQT-05 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th floor, Roxbury, MA +02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-06 Sexual Misconduct Toward Employees and Third Parties.txt b/data/data_txt1/Equity (EQT)/EQT-06 Sexual Misconduct Toward Employees and Third Parties.txt new file mode 100644 index 0000000..8d1ac5c --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-06 Sexual Misconduct Toward Employees and Third Parties.txt @@ -0,0 +1,232 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-06 +Version 01 + + + +SEXUAL MISCONDUCT TOWARD EMPLOYEES AND +OTHER THIRD PARTIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Boston Public Schools is committed to ensuring a work +environment free of inappropriate sexual conduct. Inappropriate +sexual comments or behavior will not be tolerated. In addition, +any retaliation against an individual who reports inappropriate +sexual conduct or harassment, or has cooperated with a related +investigation, is unacceptable. The Boston Public Schools treats +reports of violations of this policy with the utmost seriousness. +We will respond promptly to any allegations of sexually +inappropriate conduct and intervene to cease any conduct that +violates this policy. Anyone who violates this policy will be subject +to corrective action up to and including termination. +DEFINITION OF SEXUAL HARASSMENT +In Massachusetts, sexual harassment means sexual advances, +requests for sexual favors, and verbal or physical conduct of a +sexual nature when: + + +Page 2: +Superintendent’s Circular EQT-06 +Page 2 of 7 + + + +a) Submission to or rejection of such advances, requests, or +conduct is made, either explicitly or implicitly, a term or +condition of employment or as a basis for employment +decisions; or +b) Such advances, requests, or conduct have the purpose or +effect of unreasonably interfering with an individual’s work +performance by creating an intimidating, hostile, +humiliating, or sexually offensive work environment. +Please note that while this policy sets forth the goal of promoting +a workplace that is free of harassment, the policy is not designed +or intended to limit the district’s authority to discipline or take +remedial action for workplace conduct that the district deems +unacceptable, regardless of whether the conduct satisfies the +definition of unlawful harassment. +The definition of inappropriate sexual communication and +behavior is broad. Conduct that is sexual or perceived as sexual, +and that is welcome or unwelcome, may constitute sexual +harassment. +CONDUCT PROHIBITED +Employees shall not engage in inappropriate sexual conduct +while employed, working for, attending, or participating in +district endeavors. Employees are protected from inappropriate +sexual conduct by anyone they interact with in the course of their +work. The same standard applies to partners or contractors +providing services in or under the auspices of the Boston Public +Schools. Behavior that occurs in a location other than a Boston +Public Schools building or outside of BPS school or work hours, + + +Page 3: +Superintendent’s Circular EQT-06 +Page 3 of 7 + + + +including when an employee is working remotely, may still +constitute sexual misconduct and a violation of this policy if that +behavior has the effect of disrupting an employee’s ability to do +their job. +While it is not possible to list all circumstances that may +constitute prohibited conduct, the following are some examples: +VERBAL: Using suggestive, derogatory, vulgar comments, or +sexual innuendos or slurs; making unwanted sexual advances, +invitations, and/or comments; repeatedly requesting dates; +spreading rumors about or rating others as to their sexual activity +or performance; making threats or pressuring others to submit to +sexual requests; inquiring into one’s sexual activities or +orientation. +VISUAL: Displaying sexually suggestive objects, pictures, posters, +written material, cartoons, or drawings; texting, emailing, or +sharing digital images or comments of a sexual nature; using +sexual gestures. +PHYSICAL: Sexual activity, whether or not it is consensual, in a +school or any building where BPS business is conducted. +Participating in unwanted touching, pinching, kissing, hugging; +blocking normal movement; stalking; engaging in unwanted +sexual acts or assault; physically interfering with an individual’s +work because of their actual or perceived sex, sexual orientation, +gender identity, or gender expression. + + +Page 4: +Superintendent’s Circular EQT-06 +Page 4 of 7 + + + +RESPONDING TO REPORTS OF SEXUAL MISCONDUCT +An employee who believes that they have been a target of +inappropriate sexual conduct may report the incident to any of +the following individuals: school principal/head of school, school +superintendent, or the Office of Equity. +1. If an employee believes that they have been subjected to +inappropriate sexual conduct or have witnessed +inappropriate sexual conduct, the employee has the right to +file a report with the Boston Police. +2. The aggrieved employee also has the right to file a report +with the Boston Public Schools Office of Equity, either orally +or in writing, at 617-635-9650 or +bpsequity@bostonpublicschools.org. +3. Employees in supervisory or managerial roles have an +obligation to report any employee complaint of sexual +misconduct to the Office of Equity within two (2) business +days of learning of the complaint. The person submitting +the report must ensure the integrity and confidentiality of +the report and shall not disclose the allegations or any +related information to either party or to any third party, +excepting the Office of Equity, unless required by law. +Employees in a supervisory capacity are required to report +possible sexual misconduct toward or involving employees, +vendors, or contractors to the Office of Equity as soon as +practicable, generally within the same school day. + + + +Page 5: +Superintendent’s Circular EQT-06 +Page 5 of 7 + + + +After a report is filed, the Office of Equity or the office’s designee +will promptly investigate the allegation in a fair and expeditious +manner. The investigation may include a private interview with +the person filing the report, the person alleged to have engaged +in sexually inappropriate conduct, and other witnesses. In some +circumstances, as determined by the Office of Equity, the person +alleged to have engaged in the conduct may be placed on +administrative leave pending the outcome of the investigation. +BPS employees are obliged to cooperate with the investigation, +including promptly participating in investigatory interviews, and +providing any requested information or documents. +If Boston Public Schools finds that there has been a violation of +this policy, the district will take action to eliminate the conduct. +Disciplinary action for employees may include warnings, +reprimands, required training, suspension or termination of +employment, or other discipline as appropriate. +When the investigation is completed, the Office of Equity will +inform the reporter and the person alleged to have engaged in +the conduct of the results of the investigation to the extent +appropriate under the circumstances. +PROHIBITION OF RETALIATION +Retaliation against an individual who reports inappropriate +sexual conduct, sexual harassment, or retaliation against +individuals for cooperating with an investigation of a sexual +harassment allegation is unlawful and will not be tolerated by the +Boston Public Schools. + + +Page 6: +Superintendent’s Circular EQT-06 +Page 6 of 7 + + + +STATE AND FEDERAL REMEDIES +If you believe you have been subjected to unlawful sexual +harassment, you may also file a formal complaint with either of +the government agencies set forth below. Using the district’s +internal reporting process does not preclude you from filing a +complaint with these agencies. Each agency has a short time +period for filing a claim (300 days). +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +(800) 660-4000 + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 +For more information about this circular, contact: + + +Page 7: +Superintendent’s Circular EQT-06 +Page 7 of 7 + + + +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +E-mail: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-07 Accommodating Employees.txt b/data/data_txt1/Equity (EQT)/EQT-07 Accommodating Employees.txt new file mode 100644 index 0000000..7440499 --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-07 Accommodating Employees.txt @@ -0,0 +1,226 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-07 +Version 01 + + + +ACCOMMODATING EMPLOYEES WITH DISABILITIES, +PREGNANCY, AND PREGNANCY-RELATED CONDITIONS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Boston Public Schools is committed to providing equal +employment opportunity to all individuals, in accordance with +Chapter 151B of the Massachusetts General Laws and with the +Americans with Disabilities Act (ADA). This circular provides +information about the district procedures to address +accommodation requests for employees on the basis of disability, +pregnancy, and pregnancy-related conditions. +EMPLOYEES WITH DISABILITIES +Any current or prospective employee who is an individual with a +disability may request a reasonable accommodation to assist in +performing the essential functions of their assignment. +Chapter 151B and the ADA define a person with a disability as +someone who: (1) has a physical or mental impairment that +substantially limits one or more major life activities; (2) has a +record of such an impairment; or (3) is regarded as having such +an impairment. + + +Page 2: +Superintendent’s Circular EQT-07 +Page 2 of 6 + + + +Major life activities include, but are not limited to, caring for +oneself, performing manual tasks, seeing, hearing, eating, +sleeping, walking, standing, lifting, bending, speaking, breathing, +learning, reading, concentrating, thinking, communicating, and +working, and the operation of a major bodily function. Although +not exhaustive, examples of the range and variety of disabilities +included under these laws are provided below. +• Non-Ambulatory Disabilities – Physical impairments, +regardless of cause, that require an individual to use a +wheelchair, including individuals who are paraplegic, +quadriplegic, hemiplegic, or have had a limb or limbs +amputated. +• Semi-Ambulatory Disabilities – Physical impairments that +cause a person to walk with difficulty, perhaps with the +assistance of a cane, crutches, or walker. +• Coordination Disabilities – Impairments of muscle control of +the limbs. +• Sight Disabilities – Impairments affecting vision totally or +partially. +• Hearing Disabilities – Impairments affecting hearing totally +or partially. +• Speech Impairments – Impairments affecting totally or +partially the ability to communicate orally. +• Learning Disabilities – Impairments that impede learning +processes. +• Mental or Psychological Disorders – Impairments affecting +individuals’ neurological and/or psychological functioning, +behavior, and/or mood. + + +Page 3: +Superintendent’s Circular EQT-07 +Page 3 of 6 + + + +The district’s nondiscrimination policy prohibits bias-based +conduct or discrimination on the basis of disability in any aspect +of the employment relationship, including: +1. +Recruitment, advertising, and the processing of +applications +2. +Hiring, evaluation, upgrading, promotion, award of +permanent teacher status, demotion, transfer, layoff, +termination, right of return from layoff, and rehiring +3. +Rates of pay or any other form of compensation, and +changes in compensation +4. +Job assignments, job classifications, organizational +structures, position descriptions, lines of progression, +and seniority lists +5. +Leaves of absence, sick leave, or any other leave +6. +Fringe benefits available by virtue of employment, +whether or not administered by the Boston Public +Schools +7. +Selection and financial support for training, including +professional development, conferences, and other +related activities, and selection for leave of absence to +pursue training. +PREGNANCY AND PREGNANCY-RELATED CONDITIONS +As of April 1, 2018, any current or prospective employee who is +pregnant or has a pregnancy-related condition, such as lactation +or the need to express breast milk, may request a reasonable +accommodation to assist in performing the essential functions of +their assignment. + + +Page 4: +Superintendent’s Circular EQT-07 +Page 4 of 6 + + + +If an employee requests an accommodation for: (1) more frequent +restroom, food, or water breaks; (2) seating; (3) limits on lifting no +more than 20 pounds; and (4) private, non-bathroom space for +expressing breast milk, no medical documentation +accompanying such a written request is necessary. Other +accommodation requests may require supporting medical +documentation or information. +Employees who are pregnant or have pregnancy-related +conditions may contact the Office of Equity to begin the +accommodations process. +REASONABLE ACCOMMODATION PROCESS +A “reasonable accommodation” is any modification or +adjustment to a job or work environment that allows an +applicant or employee with a disability, pregnancy, and +pregnancy-related conditions to participate in the job application +process, perform the essential functions of a job, or enjoy benefits +and privileges of employment equal to those enjoyed by +employees. Upon receiving a request for a reasonable +accommodation, the Boston Public Schools will engage in an +interactive dialogue process. The district will attempt to provide +reasonable accommodations unless it would cause an undue +hardship or fundamentally alter the district’s programs. +Any applicant or employee seeking reasonable accommodations +on the basis of a disability, pregnancy, and pregnancy-related +conditions may contact the Office of Equity to begin the process. +Information an employee chooses to submit during the +accommodation process, such as relevant medical +documentation, will be kept confidential to the extent + + +Page 5: +Superintendent’s Circular EQT-07 +Page 5 of 6 + + + +practicable. Information collected in the reasonable +accommodation process will be kept in a confidential file with +the Office of Equity. +Your cooperation in implementing a policy of nondiscrimination +against persons with disabilities will assist the Boston Public +Schools in ensuring equal opportunity for all employees and +potential employees. +STATE AND FEDERAL REMEDIES +If you believe you have been subjected to unlawful discrimination +on the basis of disability, pregnancy, and pregnancy-related +conditions, you may file a formal complaint with either of the +government agencies set forth below. Using BPS' internal +reporting process does not prohibit you from also filing a +complaint with these agencies. These agencies have a short time +period for filing a claim (300 days from the most recent act of +alleged discrimination). +Equal Employment Opportunity Commission (EEOC) +John F. Kennedy Federal Building +475 Government Center +Boston, MA 02203 +Phone: 1-800-660-4000 + + + + + +Page 6: +Superintendent’s Circular EQT-07 +Page 6 of 6 + + + +Massachusetts Commission Against Discrimination (MCAD) +Office Location: +Address: +Boston +One Ashburton Place, Room 601 +Boston, MA 02108 +(617) 994-6000 +Springfield +436 Dwight Street, Suite 220 +Springfield, MA 01103 +(413) 739-2145 +New Bedford + +800 Purchase Street, Room 501 +New Bedford, MA 02740 +(508) 990-2390 +Worcester +484 Main Street, Room 320 +Worcester, MA 01608 +(508) 453-9630 + +For more information about this circular, contact: +Owner: +Director of Accommodations in the Office of +Equity +Department: +Office of Equity +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +E-mail: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-08 Expectant & Parenting Students.txt b/data/data_txt1/Equity (EQT)/EQT-08 Expectant & Parenting Students.txt new file mode 100644 index 0000000..801b0a4 --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-08 Expectant & Parenting Students.txt @@ -0,0 +1,1002 @@ +Page 1: + + + +Superintendent’s +Circular + NUMBER: +EQT-08 +Version 01 + + + +EXPECTANT AND PARENTING STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +Boston Public Schools aims to graduate all students from high +school and prepare them for college and career success. For +students who are expecting or raising children, it is especially +crucial to maintain high expectations and intensive support for +school completion, as pregnancy and parenthood are among the +primary reasons many students drop out of school. As a school +district, Boston Public Schools aims to prevent student +pregnancy through comprehensive health education and access +to sexual health services. Under the District Wellness Policy, +schools must provide students with access to key resources and +services that are developmentally appropriate, and support +sexual and reproductive health in a safe and supportive +environment. It is also essential to engage with students who are +currently expectant or parenting to ensure a safe and supportive +learning environment and to promote academic success. +Moreover, we must ensure compliance with district policies that +prohibit bias-based conduct consistent with federal Title IX law, +which prohibits discrimination against students who are +pregnant or parenting. + + + +Page 2: +Superintendent’s Circular EQT-08 +Page 2 of 28 + + + +DEFINITIONS +Expectant: an individual, regardless of gender identity, who +is either pregnant or the partner of someone who is +pregnant. +Parenting: an individual, regardless of gender identity, who +is the parent of a child. +Caregiver: an individual currently providing care for the +student who has completed the notarized “Caregiver +Authorization Affidavit” granting education decision-making +rights. +Emancipated minor: an individual under age 18 who is self- +supporting and independent of parental control, sometimes +as a result of a court order terminating the rights and duties +of the parent(s). Under Massachusetts law, a minor who is +pregnant or parenting is not automatically emancipated; +however, as provided for in the law, pregnant and parenting +students can give independent consent for medical or +dental care for themselves or their children, including for +school-based medical services (see M.G.L. Ch. 112 § 12F). +FERPA (Family Educational Rights and Privacy Act): a +federal law that affords parents the right to have access to +their children’s education records, the right to seek to have +the records amended, and the right to have some control +over the disclosure of personally identifiable information +from the education records. When a student turns 18 years +old or enters a postsecondary institution at any age, the +rights under FERPA transfer from the parents to the +student. + + +Page 3: +Superintendent’s Circular EQT-08 +Page 3 of 28 + + + +HIPAA (Health Insurance Portability and Accountability +Act): a federal law establishing national standards and +requirements for electronic health care transactions and +protecting the privacy and security of individually +identifiable health information. This law applies to health +care providers and ensures that they do not share medical +information about their patients without the patients’ +permission. +Gender identity: A person's internal sense of being male, +female, some combination of male and female, or neither +male nor female. A person’s gender identity can be the +same or different from their physiology or assigned sex at +birth. +Parent: a child’s mother or father or both or guardian, or a +person or agency legally authorized by a court order to act +on behalf of the child in place of or in conjunction with the +mother, father, or guardian. +POLICY +Maintaining Confidentiality +Expectant and parenting students have the right to choose how +and when they seek services and support from school staff. +School staff must adhere to all applicable laws and regulations on +confidentiality for students, including the requirements stated in +the Family Educational Rights and Privacy Act (FERPA). As +provided for by this law, expectant and parenting students have +the right to have their health and personal information kept +confidential, including from other students and school staff who + + +Page 4: +Superintendent’s Circular EQT-08 +Page 4 of 28 + + + +are not required to be kept informed, except in circumstances +involving their physical safety. +When a student informs a school staff member of their expectant +or parenting status, the staff member must inform their head of +school within a reasonable time period as appropriate. A +reasonable time period should be determined by the immediacy +of the student’s need for an adjusted attendance policy and +academic supports; for expectant students, sufficient time should +be allowed for medical and health decisions to be made before +sharing the student’s expectant status with the head of school. +The staff member who has been informed must make the +expectant or parenting student aware of the need to inform the +head of school. The staff member should discuss with the +student and determine a reasonable time period in which to +inform the head of school. Depending on the details of the +situation, the student’s preferences regarding confidentiality, and +the student’s needs, the head of school should then share this +information with other staff on a limited, need-to-know basis. +School staff must not force or coerce a student to inform their +parents, or any other individual, of any pregnancy or parenting- +related information. School staff must not disclose information +about a student’s expectant or parenting status to the student’s +parents without permission from the student. If information +about a student’s pregnancy is documented within the student +record of a student under the age of 18, and parents make a +request for the student record, FERPA would require the district +to present parents with an opportunity to view the student +record. Boston Public Schools encourages communication with +and involvement of parents/guardians/caregivers regarding +health services and student supports. School staff working with + + +Page 5: +Superintendent’s Circular EQT-08 +Page 5 of 28 + + + +expectant or parenting students should encourage students to +consider informing their parents/guardians/caregivers or other +trusted family members about the pregnancy and decisions +related to that pregnancy. +Nothing in this policy must prevent the disclosure of information +in certain limited circumstances: cases of suspected child abuse +or neglect (in accordance with laws on mandated reporting of +abuse), threats by a minor against themselves or others, or cases +where there is a serious risk to a minor’s life or health. A student’s +pregnancy does not in itself constitute a serious risk to a minor’s +life or health, and therefore does not compel a staff member to +file a 51A based solely on the student’s pregnancy, regardless of +the student’s age. +A student must give written consent to store data linking their +name with academic information and their expectant or +parenting status. Storing this data together will help to ensure +that the student is receiving coordinated academic support. +Before giving this written consent, students must be informed +that, if they consent, information about their expectant or +parenting status may be accessible to their parents as part of +their full academic records. Any aggregated or trend data on +expectant or parenting students should not include any +identifying information. Qualified medical professionals within a +school building may keep confidential medical records on +pregnant students who have sought treatment. +Ensuring a Safe and Supportive Learning Environment +BPS Equity circulars protect the rights of students, including +expectant and parenting students, to attend school in an +environment free of bias-based conduct. Regardless of their + + +Page 6: +Superintendent’s Circular EQT-08 +Page 6 of 28 + + + +sexual orientation, gender identity, relationship status, marital +status, race, ethnicity, immigration status, Special Education or +English learner status, or other identities, expectant and +parenting students have the same right as any other students to +attend district schools or programs. District staff must not +engage in bias-based conduct toward any expectant or +parenting student, or exclude expectant or parenting students +from any school, program, class, or extracurricular activity on the +basis of a student’s expectant or parenting status. School staff are +encouraged to bring an anti-racist lens to ensuring that +expectant and parenting students be respected, provided with all +needed supports, and actively encouraged to achieve their +academic goals. +School personnel may require an expectant or parenting student +to obtain the certification of a physician that the student is +physically and emotionally able to continue participation in such +programs or activities only if a certification is also required of all +other students with physical or emotional conditions requiring +the attention of a physician. +All school staff must maintain and communicate high academic +expectations for all students, regardless of expectant or +parenting status. Bias-based counseling and the use of materials +that treat students differently on the basis of sex, including +expectant or parenting status, are prohibited. +The Office of Equity and administrators at each school are +responsible for monitoring compliance with the provisions of this +circular. Individuals who feel that this circular may have been +violated or that they have been subject to bias-based conduct +may contact the BPS Office of Equity. Any school employee who + + +Page 7: +Superintendent’s Circular EQT-08 +Page 7 of 28 + + + +becomes aware of bias-based conduct against an expectant or +parenting student must report such conduct to the head of +school and/or to the Office of Equity. +Finally, to promote a safe and supportive school environment, +teachers and school staff must be sensitive to the health needs of +expectant and parenting students. For example, some pregnant +students may benefit from bringing snacks to class, taking extra +bathroom breaks, or leaving class shortly before dismissal to +allow more time to pass between classes. Schools must also +accommodate new mothers’ need to express breastmilk and +work with students in partnership with the Office of Equity to +identify a private, sanitary location for this purpose, along with +appropriate storage space for nursing equipment. +Promoting Academic Success +Expectant and parenting students have the right to remain in +their regular or current school program, subject to universal +participation requirements for those programs. School programs +include but are not limited to: honors programs; special +education placements; specialized language programs; +alternative programs; extracurricular, intramural, and +interscholastic activities; and graduation programs or activities. +Students may attend an alternative school or participate in an +alternative program or activity for expectant or parenting +students, but such enrollment or participation must be +completely voluntary and never coerced. The alternative school, +program, or activity must align with the Common Core State +Standards and the Massachusetts Curriculum Frameworks. + + +Page 8: +Superintendent’s Circular EQT-08 +Page 8 of 28 + + + +Implementing Attendance Policies +Absences for reasons of pregnancy and related medical +conditions, including pregnancy-related illness or health +conditions, the termination of pregnancy, childbirth, and +recovery therefrom, must be considered excused absences. +Students have the right to be reinstated at the same school with +the same status as before the leave began after any pregnancy- +related medical leave and/or parental leave. +Students who are parents are entitled to a fair and reasonable +parental leave following the birth of a new child. Students who +are parents are entitled to a minimum of eight weeks of parental +leave for the purpose of giving birth, although a school may not +require a student to remain out of school for a fixed period of +time post-childbirth. The amount of parental leave for each +expectant student shall be determined in consultation with the +student, school staff, the student’s health care providers, and any +other adults the student consents to include. School staff should +encourage students to consider including their +parents/guardians/caregivers in this conversation. +Documentation from students’ licensed healthcare providers +may be required for verification of pregnancy and related +medical conditions only if it is also required for absences due to +other medical conditions. +Absences due to the illness or medical appointment during +school hours of a student’s child shall also be considered excused +absences. Parenting students shall not be required to provide +documentation from a licensed healthcare provider to verify their +children’s illnesses unless such documentation is also required +for absences due to all students’ medical conditions. + + +Page 9: +Superintendent’s Circular EQT-08 +Page 9 of 28 + + + +Schools must support the continuation of learning during +excused absences and leave, as medically appropriate. Every +reasonable effort must be made to provide school and home- +based independent study activities for students who are or will +be absent for a significant period of time due to pregnancy- +related illnesses, childbirth, and recovery, and parental leave. +Students who are pregnant or parenting must have access to +homebound or hospital instructional services on the same basis +as any other student who misses school for a temporary medical +condition. +Students with excused absences due to their expectant or +parenting status must have the same opportunity to complete +assignments and tests missed, or an equivalent of the work +missed, that any other student would have after excused +absences. Students must be given full credit upon satisfactory +completion of that work. +Using Liaisons to Share Information +Heads of school that oversee any student in grades 6-12 must +identify a school liaison for the Expectant and Parenting Students +Policy to help share information among the school community. +Schools must submit the name of this liaison to the Health and +Wellness Office. The liaison may be a guidance counselor, school +nurse, social worker, or other school staff member. Should the +expectant and parenting student liaison step down, a +replacement must be identified and reported to the Health and +Wellness Office within 15 school days. +Liaisons will work with the school leadership and the School +Wellness Council to share this policy with staff, students, and +families. All schools within the district that include any grades 6- + + +Page 10: +Superintendent’s Circular EQT-08 +Page 10 of 28 + + + +12 must disseminate this policy among school staff and +administration. The policy must also be shared with students and +families within the first month of school, and it must be posted in +the school nurse’s office throughout the school year. The school +must make the policy publicly available in any school-based +health centers or health resource centers. The name of the +expectant and parenting student liaison as well as a copy of this +policy must also be posted on the school website. +Heads of school are ultimately responsible for the academic +success of their students. Therefore, school leaders must +intervene in cases where students’ needs are not being met, +especially when the action or inaction of school staff is a +contributing factor. +The Office of Health and Wellness will coordinate training for +liaisons. That office must supply district and community +resources to liaisons. Liaisons must make this information +available to students and staff as needed. + + + + +Page 11: +Superintendent’s Circular EQT-08 +Page 11 of 28 + + + +POLICY IMPLEMENTATION AND REVIEW +Central offices and departments (e.g., Opportunity Youth, Health +Services, Health & Wellness), in collaborations with school +superintendents, will work with schools where there are multiple +expectant and parenting students, where existing support +systems may not be adequate to support their needs, to help +establish a plan for providing more comprehensive systems of +support. For example, this could include creating a school-based +team to develop and implement individual student plans, hiring a +part-time student liaison to work with expectant and parenting +students, or bringing in external programs or resources to +support students. In all cases, the plan must be approved by the +head of school and must match available school resources +(particularly staff and budget). +This policy and its associated implementation procedures will be +reviewed annually by the Office of Equity and the Office of Health +and Wellness and updated as needed. +IMPLEMENTATION GUIDELINES & PROCEDURES +Rights of Expectant and Parenting Students +Expectant and parenting students have the right to: +1. Choose how and when they seek services and support from +school staff. +2. Choose when and how to inform +parents/guardians/caregivers or other trusted family +members of their pregnancy and decisions related to that +pregnancy. + + +Page 12: +Superintendent’s Circular EQT-08 +Page 12 of 28 + + + +3. Have information shared with school personnel on a need- +to-know basis only, unless the student provides written, +informed consent. +a. In particular, students must give written, informed +consent before information on their expectant or +parenting status is stored in school files alongside their +academic information. +4. Participate in school programs, activities, classes, or +extracurricular activities and remain in their regular or +current school program, subject to universal participation +requirements. +a. Enrollment by expectant or parenting students in any +alternative program or activity must be completely +voluntary. +5. Have their absences excused when due to the illness or +medical appointment of a child or their own pregnancy- +related reasons. +6. Complete assignments and tests missed, or an equivalent of +the work missed, after excused absences due to their +expectant or parenting status and receive full credit upon +satisfactory completion of that work. +7. Participate in a conference with school staff and health care +providers about the amount of parental leave they will take, +and to choose which other adults (including +parents/guardians/ caregivers or other trusted family +members), if any, to include in that conference. +a. Students are entitled to a minimum of eight weeks of +parental leave. + + +Page 13: +Superintendent’s Circular EQT-08 +Page 13 of 28 + + + +b. BPS employees may not require a student to remain +out of school for a fixed period of time post-childbirth. +8. Receive Home and Hospital Instruction services to continue +learning and obtain instruction during excused absences +and/or leave that total more than 14 days in a school year. +a. Students must provide a qualified physician's +statement to access Home and Hospital Instruction +services. +9. Be reinstated at the same school at the conclusion of +pregnancy and/or parental leave with the same status as +before the leave began. +Protecting Student Confidentiality +1. Boston Public Schools employees must adhere to all +applicable laws and regulations on confidentiality for +students, including the requirements stated in the Family +Educational Rights and Privacy Act (FERPA). +a. Obtain written, informed consent from expectant or +parenting students before storing data linking +students’ names with academic information and +expectant or parenting status. +b. Before giving written consent, students must be +informed that, if they consent, information about their +expectant or parenting status will be entered into their +educational records to ensure that students are +receiving necessary supports, and educational records +are accessible to their parents in accordance with +FERPA. + + +Page 14: +Superintendent’s Circular EQT-08 +Page 14 of 28 + + + +2. When a student informs a school staff member of their +expectant or parenting status, the staff member must +inform their head of school within a reasonable time period +as appropriate in order to provide coordinated academic +support and adjusted attendance policies. +a. A reasonable time period should be determined by the +immediacy of the student’s need for an adjusted +attendance policy and academic supports, balanced +with the time needed by an expectant student to make +personal health decisions before the head of school is +informed. +b. The staff member should explain to the student the +need to inform the head of school in order to make a +coordinated plan for academic success. The staff +member should discuss with the student what a +reasonable time period would be for them so there is a +shared understanding and accountability of the next +steps. +c. If the student is pregnant and needs more time and +support to consider their options and connect with a +medical provider, the staff and student should make a +plan to check in regularly to ensure the student +receives timely support. The staff member is not +required to inform the head of school if the pregnancy +is ended. +d. Depending on the details of the situation, the student’s +preferences regarding confidentiality, and the +student’s needs, the head of school should then share +this information with other staff on a limited, need-to- +know basis. The school nurse may be helpful if health + + +Page 15: +Superintendent’s Circular EQT-08 +Page 15 of 28 + + + +care coordination with the student’s medical provider +is needed. A school social worker may be helpful in +connecting the student to other support services. The +student should be consulted before sharing their +status with other staff; this is essential to building trust, +honoring student autonomy, and ensuring the student +feels safe and supported. +3. School staff members must not disclose a student’s +expectant or parenting status to that student’s parents +regardless of age without permission from the student. +Additionally, staff members must not force or coerce +students to inform their parents, or any other individual, of +any pregnancy or parenting-related information. +a. School staff working with expectant or parenting +students should encourage them to consider informing +their parents/guardians/caregivers or other trusted +family members of the pregnancy and decisions +related to that pregnancy. Having a support system +where they live is very important during pregnancy +and while parenting. However, to help the student +make a support plan, the trusted staff should ask if the +student believes that telling their family about the +pregnancy will put the student in danger and should +be aware of such dynamics in the student’s home life. +A school social worker, a trained reproductive health +counselor, or a similar support role may be best suited +to help counsel a student in this matter. +b. In accordance with Massachusetts General Law +(Chapter 119, Section 51A), school staff are expected to +disclose information on child abuse or neglect to the + + +Page 16: +Superintendent’s Circular EQT-08 +Page 16 of 28 + + + +appropriate authorities. Mandated reporters must +report if, when acting in their professional capacities, +they have reasonable cause to believe that a child is +suffering certain kinds of physical or emotional injury. +The kinds of physical or emotional injuries that must be +reported are those that are the result of (i) abuse +inflicted upon the child which causes harm or +substantial risk of harm to the child's health or welfare, +including sexual abuse; (ii) neglect, including +malnutrition; or (iii) physical dependence upon an +addictive drug at birth. A student’s pregnancy does not +in itself constitute a serious risk to a minor’s life or +health and does not automatically require submitting a +report. +4. School staff members should reach out to the school policy +liaison, a school administrator, or the Office of Equity to get +support in understanding confidentiality procedures as +needed. +Ensuring a Safe, Supportive Learning Environment +BPS employees must: +1. Treat all students, including expectant and parenting +students, with respect, recognizing that all students have +the potential to succeed. +2. Maintain and communicate high academic expectations for +all students, regardless of expectant or parenting status. +3. Recognize and address the ways multiple forms of bias, +inducing racial bias, may impact an expectant or parenting +student’s opportunities for academic success. + + +Page 17: +Superintendent’s Circular EQT-08 +Page 17 of 28 + + + +4. Ensure that expectant and parenting students are not +excluded from any school, program, class, or extracurricular +activity on the basis of the student’s expectant or parenting +status. +a. Teachers and school staff are encouraged to be +sensitive to the health needs of expectant and +parenting students. For example, some pregnant +students may benefit from bringing snacks to class, +taking extra bathroom breaks, or leaving class shortly +before dismissal to allow more time to pass between +classes. +b. Schools must also accommodate new mothers’ need to +express breast milk. Contact the Office of Equity for +assistance as needed. +5. Any BPS employee, student, or family member who +becomes aware of possible bias-based conduct against an +expectant or parenting student should report such conduct +to the head of school and/or to the BPS Office of Equity. +ROLES AND RESPONSIBILITIES +1. School administrators are responsible for: +a. Ensuring school staff’s compliance with the policy. +i. Intervene in cases where students’ needs are not +being met, especially when the action or inaction +of school staff is a contributing factor. +b. Identifying a school policy liaison: Schools with any +grades 6-12 must identify an Expectant and Parenting +Student Policy liaison to share information with school +staff, students, and families. + + +Page 18: +Superintendent’s Circular EQT-08 +Page 18 of 28 + + + +i. School leaders must submit the name of the +policy liaison to the assistant superintendent, +Office of Health & Wellness, by the first day of +school each year. See contact at the end of the +circular. +ii. If the school’s policy liaison steps down, the school +leader must identify a replacement and report +their name to the Assistant Superintendent, Office +of Health & Wellness, within 15 school days. +iii. Every school has a different structure for +providing student support services; therefore, the +school-based position of the liaison may differ +among schools. It is usually best if the liaison is in +regular contact with expectant and parenting +students as part of their job, such as a guidance +counselor or social worker. At the K-8 or middle +school level, where there are generally fewer +expectant or parenting students, it may be +appropriate for a health teacher or other +interested teacher to serve as liaison. School +nurses may not be the ideal choice as a liaison +since they may not be available to leave the +nurse’s office during school hours to share +information with other staff. +c. Overseeing the policy liaison to ensure communication +of the policy to all staff, students, and families. +d. Working with the Office of Equity to accommodate +new mothers’ need to express breast milk by +identifying a private, sanitary location for this purpose, +along with appropriate storage space for nursing + + +Page 19: +Superintendent’s Circular EQT-08 +Page 19 of 28 + + + +equipment. Bathrooms are not appropriate facilities, +even if private. To qualify, spaces should be “shielded +from view and free from any intrusion.” For more +guidelines, see the fact sheet on “Break Time for +Nursing Mothers Under the FLSA,” available at +http://www.dol.gov/whd/regs/compliance/whdfs73.htm +e. Reporting any instances of possible bias-based +conduct against an expectant or parenting student to +the Office of Equity (phone: 617-635-9650 or email: +bpsequity@bostonpublicschools.org) +i. It is considered bias-based conduct to exclude an +expectant or parenting student from any school, +program, class, or extracurricular activity on the +basis of a student’s expectant or parenting status. +ii. Enrollment by expectant or parenting students in +any alternative program or activity must be +completely voluntary. +2. School Expectant and Parenting Student Policy liaisons are +responsible for: +a. Completing the initial district training for policy liaisons +within the first few months of school, and any refresher +training as required. The training objectives are to +increase knowledge about the policy and related laws +and improve skills in supporting expectant and +parenting students and communicating with the +school community. +b. Ensuring that the policy is shared with students, +families, and school staff. + + +Page 20: +Superintendent’s Circular EQT-08 +Page 20 of 28 + + + +i. Work with the school leadership and the school +wellness council to share the policy with staff, +students, and families, ensuring translation for +students and families whose primary language is +not English. +ii. Make the policy and any appropriate resources +available in the school nurse’s office and any +school-based health centers or health resource +centers. +iii. Post the name of the policy liaison and a copy of +the policy on the school website so any member +of the school community can access it. +c. Disseminating information about district and +community resources. +i. Inform administrators, staff, and students about +the availability of resources for expectant and +parenting students; see Office of Health & +Wellness for resources. +ii. Disseminate information about support resources +to expectant and parenting students directly as +appropriate or through other school staff +members as needed; students are not required to +meet with the liaison if they do not wish. +d. Supporting all school staff in maintaining student +confidentiality as required by this policy and the law. +i. Liaisons do not need to be informed of the +identity of any expectant and parenting student +unless the student chooses to inform the liaison; +information and resources can be shared through + + +Page 21: +Superintendent’s Circular EQT-08 +Page 21 of 28 + + + +the school staff member with whom the student +has confided. +ii. Liaisons are not expected to be case managers or +counselors for expectant or parenting students +unless this is already part of their job +requirements. +3. School nurses are responsible for: +a. Offering regular check-ins with expectant students to +monitor their health and wellness during their +pregnancy. The type and frequency of check-ins should +be established based on the student’s wishes, needs, +and determined in consultation with the student. +i. Health services should be provided in a safe and +supportive environment free from bias-based +conduct towards expectant or parenting students. +b. Maintaining confidential medical records on pregnant +or parenting students who have sought treatment. +School nurses must be particularly aware of their +responsibilities under state and federal law and +regulations, especially the Health Insurance Portability +and Accountability Act (HIPAA). +c. Partnering with the head of school and the Office of +Equity to accommodate new mothers’ need to express +breast milk by identifying a private, sanitary location for +this purpose, along with appropriate storage space for +nursing equipment. Bathrooms are not appropriate +facilities, even if private. To qualify, spaces should be +“shielded from view and free from any intrusion.” For +more guidelines, see the fact sheet on “Break Time for + + +Page 22: +Superintendent’s Circular EQT-08 +Page 22 of 28 + + + +Nursing Mothers Under the FLSA,” available at +http://www.dol.gov/whd/regs/compliance/whdfs73.htm +d. Helping to determine the amount of parental leave a +student will take following the birth of a child in +consultation with the student, school staff who are +already aware of the student’s expectant status, the +student’s health care providers, and any other adults +the student consents to include. +i. Students are entitled to a minimum of eight +weeks of parental leave. +ii. BPS employees may not require a student to +remain out of school for a fixed period of time +post-childbirth. +e. Posting the policy in the school nurse’s office +throughout the school year and making the policy +publicly available in any school-based health centers or +health resource centers. + +4. Guidance counselors are responsible for: +a. Providing expectant and parenting students with +academic support and guidance when requested. +Students should be encouraged to seek support from +school guidance counselors to make an academic plan, +but students have a right to choose how and when +they seek services and support from school staff. +i. Work with expectant and parenting students to +determine a school schedule that promotes on- +time arrival and regular attendance. For some + + +Page 23: +Superintendent’s Circular EQT-08 +Page 23 of 28 + + + +students, this may include flexible scheduling, +independent study periods, or online courses +(provided that online courses include sufficient +opportunities for in-person interaction and +support as needed). +b. Obtaining written, informed consent from expectant or +parenting students before storing data linking +students’ names with academic information and +expectant or parenting status. Before giving written +consent, students must be informed that, if they +consent, information about their expectant or +parenting status will be entered to ensure that +students are receiving necessary support, and then +may be accessible to their parents as part of their full +academic records. +c. Ensure that any counseling or information provided to +students is unimpeded by bias. +d. Ensure that any student’s decision about whether to +participate in alternative schools, programs, or +activities for expectant or parenting students is +completely voluntary if sharing information with +students about those programs. +e. If a school does not have a guidance counselor on staff, +these responsibilities fall to the head of school. +5. The student’s school leader or their designee is responsible +to: +a. Bring together the student, other school staff already +aware of the student’s expectant or parenting status, +the student’s health care providers, and any other + + +Page 24: +Superintendent’s Circular EQT-08 +Page 24 of 28 + + + +adults the student consents to include to determine +the amount of parental leave for each expectant +student. Encourage students to consider including +their parents/guardians/caregivers in this conversation. +i. Students are entitled to a minimum of eight +weeks of parental leave. +ii. BPS employees may not require a student to +remain out of school for a fixed period of time +post-childbirth. +b. Ensure that students are reinstated at the conclusion +of a pregnancy and/or parental leave with the same +status as before the leave began. +c. Support the continuation of learning during excused +absences and leave, as medically appropriate, including +by working with the student to arrange a temporary +home or hospital instructional services through the +BPS Opportunity Youth Department. +d. Work with expectant and parenting students to +determine a school schedule that promotes on-time +arrival and regular attendance. Contact the Homeless +Education Resource Network (HERN) to arrange +transportation and promote school attendance among +expectant or parenting students experiencing +homelessness who are residing outside of the district. +e. Ensure that absences are excused when they arise +from pregnancy and related medical conditions, +including pregnancy-related illness or health +conditions, the termination of pregnancy, childbirth, +and recovery therefrom. Documentation from + + +Page 25: +Superintendent’s Circular EQT-08 +Page 25 of 28 + + + +students’ licensed healthcare providers may be +required for verification of pregnancy and related +medical conditions only if it is also required for +absences due to other medical conditions. +f. Ensure that absences are considered excused when +they are due to the illness or medical appointment +during school hours of a child of a student. +6. Central Office Staff +a. Office of Health and Wellness is responsible for: +i. Tracking names of school-based policy liaisons +ii. Coordinating initial and any needed refresher +training resources for policy liaisons. The training +will include best practices on disseminating +information about the expectant and parenting +students policy, on finding and distributing +resources to students in a culturally responsive +way, and on expectations for data collection and +confidentiality. +iii. Maintaining up-to-date district and community +resources for supporting expectant and parenting +students and sharing these resources with +liaisons. +b. Office of Equity is responsible for: +i. Monitoring compliance with this policy, including +responding to reports of possible bias-based +conduct. +ii. Ensuring communication of the policy at every +level of staff within the district and + + +Page 26: +Superintendent’s Circular EQT-08 +Page 26 of 28 + + + +communicating the policy yearly to families +through the BPS Guidebook. +iii. Reviewing the policy and its associated +implementation procedures annually and +updating as needed in collaboration with the +Office of Health and Wellness and other central +office stakeholders identified in this policy. +iv. Sharing the expectant and parenting students +policy and policy updates with the Boston +Student Advisory Council and other student +groups. +c. The Department of School Health Services is +responsible for: +i. Providing training and guidance to school nurses +on best practices for working with expectant and +parenting students, including how to ensure +confidentiality in accordance with this policy and +the law and providing culturally responsive +services. +d. Office of Opportunity Youth is responsible for: +i. Working with schools to help support the +continuation of learning during excused absences +and leave through the Home and Hospital +Instruction Program. +ii. Through supervisors of attendance, responding to +inquiries about attendance policies or reporting, +including policies on excused absences for +expectant and parenting students. + + +Page 27: +Superintendent’s Circular EQT-08 +Page 27 of 28 + + + +iii. Through the Homeless Education Resource +Network (HERN), working with schools to arrange +transportation and promote school attendance +among expectant or parenting students +experiencing homelessness who are residing +outside of the district. +e. Central office departments tasked with student +support services, such as Guidance and Social Work, +are responsible for: +i. Supporting the communication of this policy to +the school-based staff they support and +supporting professional development to ensure +staff is trained and have the resources to support +expectant and parenting students. +ii. Identifying schools with large numbers of +expectant and parenting students, such that +existing support systems may not be adequate to +support their needs and helping to establish a +plan for providing more comprehensive systems +of support. +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington Street, 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-9650 +Email: +bpsequity@bostonpublicschools.org + + +Page 28: +Superintendent’s Circular EQT-08 +Page 28 of 28 + + + +OR +Name: +Senior Executive Director +Department: +Office of Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-7926 +Email: +healthandwellness@bostonpublicschools. +org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-09 Transgender and Gender Nonconforming Employees.txt b/data/data_txt1/Equity (EQT)/EQT-09 Transgender and Gender Nonconforming Employees.txt new file mode 100644 index 0000000..aaf4a0f --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-09 Transgender and Gender Nonconforming Employees.txt @@ -0,0 +1,275 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +EQT-09 +Version 01 + + + +TRANSGENDER AND GENDER NONCONFORMING +EMPLOYEE NONDISCRIMINATION ON THE BASIS OF +GENDER IDENTITY AND EXPRESSION +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. All Boston Public Schools are to be +free from bias and discrimination on the basis of sex, sexual +orientation, and/or gender identity. +This circular sets forth guidelines to address the needs of +transgender and gender non-conforming employees and clarifies +the Office of Equity’s investigatory process. This circular does not +anticipate every situation that might occur with respect to +transgender or gender non-conforming employees, and the +needs of each transgender or gender non-conforming employee +must be assessed on a case-by-case basis. +Reports of bias, discrimination or harassment based on a person’s +actual or perceived gender identity or gender nonconformity are +handled in the same manner as other reports of bias-based +conduct. Students, employees, and third parties alleged to have +violated this policy (EQT-09) will be investigated and addressed + + +Page 2: +Superintendent’s Circular EQT-09 +Page 2 of 8 + + + +according to the protocols detailed in Superintendent’s Circular +EQT-05, “Employee Reports of Bias-Based Conduct.” +DEFINITIONS +The definitions provided below are not intended to label or limit +employees’ individual identities or experiences, but rather to +assist in understanding this circular and the district’s legal +obligations. Although these are the most commonly used terms, +employees may or may not choose to use these terms to describe +their gender identity, appearance, or behavior. + + +• Gender Identity: Defined under Massachusetts law as “a +person’s gender-related identity, appearance, or behavior, +whether or not that gender-related identity, appearance, or +behavior is different from that traditionally associated with +the person’s physiology or assigned sex at birth.” +• Gender Expression: The way a person represents or +expresses gender to others, often through behavior, +clothing, hairstyles, activities, voice, or mannerisms. + + +• Transgender: A person whose gender identity or expression +is different from that traditionally associated with the +assigned sex at birth. + + + + + +• Gender Nonconforming: People whose gender identity +and/or gender expression do not conform to traditional +societal expectations or norms. The terms “gender +nonbinary,” “gender variant,” or “gender-atypical” may also +be used. + + + + +• Queer: While historically and sometimes currently +considered an offensive term, “queer” has been reclaimed +by many members of the lesbian, gay, bisexual, and + + +Page 3: +Superintendent’s Circular EQT-09 +Page 3 of 8 + + + +transgender (LGBT) community as a term of empowerment. +The term generally refers to a member of the LGBT and/or +gender nonconforming community. This term may be used +by someone who identifies as a member of the LGBT +community, but who does not specifically consider +themselves to be lesbian, gay, bisexual, or transgender. +Since this term has a negative history, it should only be used +to describe individuals who identify themselves as queer +and give permission for others to use that term to describe +them. + + + + + +• Transition: The process by which a person goes from living +and identifying as one gender to living and identifying as +another. Transitions may include physical, social, and/or +medical processes. Not all transgender or gender +nonconforming people transition or desire to transition in +the same way. Transitions are private, and personal +information about a transition should not be discussed +unless the conversation is initiated and led by the +transgender or gender-nonconforming employee. +RESPONSIBILITIES +The Boston Public Schools Office of Equity is responsible for +ensuring compliance with this circular and ensuring that all +school administrators and Central Office department heads are +trained and prepared to comply with their obligations under this +circular. +PRIVACY AND CONFIDENTIALITY +Transgender and gender nonconforming employees have the +right to discuss their gender identity or expression openly or + + +Page 4: +Superintendent’s Circular EQT-09 +Page 4 of 8 + + + +keep that information private. The employee has the right to +decide when, with whom, and how much to share when +speaking about their identity or expression. +BPS Central Office employees, school personnel, and other +parties employed, contracted by, or serving as volunteers in the +district should not disclose information that may reveal an +employee’s transgender status or gender nonconforming +presentation to others without their express permission. Private +and confidential information may only be shared with the +transgender employee’s consent, and with employees who truly +need to know to execute their job requirements. +DRESS AND APPEARANCE +Boston Public Schools does not have dress codes that restrict +employees’ clothing or appearance on the basis of gender. +Transgender and gender nonconforming employees have the +right to dress in a manner consistent with their gender identity +and/or gender expression. +NAMES AND PRONOUNS +An employee has the right to be addressed by the name and +pronoun that corresponds to the employee’s gender identity in +the workplace, including by their colleagues, and for school- +based employees, by their students. A court-ordered name or +gender change is not required. The intentional refusal to respect +an employee’s gender identity may constitute a violation of the +district’s circular, Bias-Based Conduct Toward Employees (EQT- +05) and/or state and federal anti-discrimination laws. If a district +employee is unsure what pronoun a staff member uses, they +should ask the employee how they would like to be addressed. + + +Page 5: +Superintendent’s Circular EQT-09 +Page 5 of 8 + + + +PUBLIC FACILITIES ACCESSIBILITY +Employees have a right to access safe and appropriate facilities, +including the right to use a restroom and/or locker room that +corresponds to the employee’s gender identity, regardless of the +employee’s sex assigned at birth. Any employee who has a need +or desire for increased privacy will be provided access to a single- +stall restroom and/or private area, if available. No employee +should be required to use a single-stall restroom or a private +changing area. +TRANSITIONING AT BPS +Employees who transition during their BPS employment can +expect the support of the Office of Human Capital and the Office +of Equity. These two offices will work with each transitioning +employee individually to ensure a successful workplace +transition. +BEFORE THE WORKPLACE TRANSITION BEGINS +Transitioning employees are encouraged to work in partnership +with the Office of Equity and Office of Human Capital to learn +more about the district’s transgender-related policies, and the +availability of transition-related health care benefits. + +All relevant parties should discuss a workplace transition plan, +including the employee, the employee’s supervisor, and others as +appropriate. A work plan should specify: +• The date selected by the employee for when the transition +will officially and formally take place. This date will + + +Page 6: +Superintendent’s Circular EQT-09 +Page 6 of 8 + + + +correspond to the date the employee changes their gender +expression, name, and pronouns. Employees may also +choose to start using the bathroom and other facilities that +correspond to their gender identity on this date. The +employee has the right to revise the start date and other +aspects of the plan based on their evolving needs and +preferences. +• How and in what format the transitioning employee will +notify co-workers or personnel who need to know. +• What, if any, training will be provided to co-workers, +students, or other appropriate personnel or families. +• What updates should be made to the transitioning +employee’s records, and when they will be made. +• The dates of any leaves that may be needed for pre- +scheduled medical procedures or treatment, if applicable. +BIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT +The Boston Public Schools is committed to maintaining a +workplace free of bias-based conduct and discrimination where +all employees can flourish. + +Reports of bias, discrimination, or harassment based on a +person’s actual or perceived gender identity or gender +nonconformity are handled in the same manner as other reports +of bias-based conduct. The Boston Public Schools utilizes the +procedures outlined in EQT-05, Bias-Based Conduct Toward +Employees. These procedures are designed to facilitate a prompt +and effective internal review and resolution of allegations of bias- + + +Page 7: +Superintendent’s Circular EQT-09 +Page 7 of 8 + + + +based conduct, discrimination, or harassment based on +sex/gender, gender identity, gender expression, and sexual +orientation. +RELATED RESOURCES +• Links to laws, regulations, cases, and web sources on +gender identity or expression law can be found at +Massachusetts Law About Gender Identity or Expression. +• Contact the Office of Equity at 617-635-9650 or +bpsequity@bostonpublicschools.org for information about +additional training and support. + + + + + +Page 8: +Superintendent’s Circular EQT-09 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Director of Training and School Support +Department: +Office of Equity +Mailing Address: +2300 Washington St., 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-9291 +Fax: +617-635-7940 +Email: +bpsequity@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Equity (EQT)/EQT-10 Opportunity & Achievement Gaps Policy Implementation.txt b/data/data_txt1/Equity (EQT)/EQT-10 Opportunity & Achievement Gaps Policy Implementation.txt new file mode 100644 index 0000000..7aee878 --- /dev/null +++ b/data/data_txt1/Equity (EQT)/EQT-10 Opportunity & Achievement Gaps Policy Implementation.txt @@ -0,0 +1,363 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +EQT-10 +Version 01 + + + +OPPORTUNITY AND ACHIEVEMENT GAPS (OAG) +POLICY IMPLEMENTATION +(For the 2016 Policy of the Boston Public Schools to Eliminate +Opportunity & Achievement Gaps for students of color, +multilingual learners, students with disabilities and students of +low socio-economic status) +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +CIRCULAR CONTENTS +I. +Opportunity & Achievement Gaps (OAG) Policy Goals +II. +OAG Policy Oversight and Implementation +III. +OAG Policy SMARTIE Goals / Aligned with Strategic Plan +Implementation Goals +a. Superintendent Goals +b. Central Office Department & Division Goals +c. School-based Goals +d. Cross Functional Team Goals +IV. +Transparency & Public Accountability +The Boston Public Schools is committed to ensuring that every +child in every classroom has unfettered access to all the +opportunities needed to be successful academically and social +emotionally. In order to meet this mission, it’s important that +every district employee reads, understands, embodies, and +implements the 2016 Opportunity & Achievement Gaps Policy. + + +Page 2: +Superintendent’s Circular EQT-10 +Page 2 of 10 + + + + +I. +OAG POLICY GOALS +The OAG Policy aspires to achieve the following goals: +• Goal 1: Districtwide Implementation and Oversight +• Goal 2: Districtwide Focus on Cultural Proficiency as +Central to the Work of the Boston Public Schools +o Objective 2.1: Develop a clear, shared vision for cultural +proficiency with Cultural Proficiency Standards, and +promote culturally and linguistically sustaining and +affirming practices districtwide. +o Objective 2.2: Continue and expand efforts aimed at +increasing dialogue and transparency around issues of +racism and inclusion and create a system for reporting +allegations of racial bias and discriminatory practices +through the Office of Equity. +• Goal 3: Diversity and Cultural Proficiency in Leadership +and Human Capital +o Objective 3.1: Increase the diversity of teachers, +administrators, and staff in schools and the Central +Office. +o Objective 3.2: Provide long-term, ongoing professional +development and coaching for staff at all levels of the +district on eliminating gaps, transforming and +improving instructional practices and beliefs, and +building a culture of high expectations and +achievement for all students. + + + + +Page 3: +Superintendent’s Circular EQT-10 +Page 3 of 10 + + + +• Goal 4: Holistic, Culturally Affirming Approach to School +and Teacher Quality +o Objective 4.1: Provide a culturally proficient and highly +effective teacher in every classroom and give cultural +proficiency standards greater weight on the Teacher +Evaluation Rubric. +o Objective 4.2: Demonstrate how curricula are vetted +for bias and cultural proficiency and ensure that the +curriculum and instructional strategies used in all +subjects at all levels are rigorous, highly engaging, +culturally affirming, and foster student identity and +voice. +o Objective 4.3: Demonstrate how Social and Emotional +Learning (SEL) is used to develop student identity and +an appreciation of race, ethnicity, culture, language, +gender, and social class among students and teachers; +and foster comfort in discussing these issues explicitly +in school. +o Objective 4.4: Demonstrate how assessments are used +to drive deeper learning, eliminate redundant testing, +and disaggregate data by ethnicity in addition to race +and gender to identify and address opportunity and +achievement gaps. +o Objective 4.5: Demonstrate how appropriate +identification, placement, and support services are +provided for students with disabilities and English +Language Learners. + + + + +Page 4: +Superintendent’s Circular EQT-10 +Page 4 of 10 + + + +• Goal 5: Dismantling Structural Barriers and Providing +Greater Access to Opportunities +o Objective 5.1: Demonstrate how equity is addressed +within the district’s operations. +o Objective 5.2: Demonstrate equity in student +assignment, enrollment, and school closings. +o Objective 5.3: Demonstrate equity, quality, and impact +in funding and resources. +o Objective 5.4: Demonstrate how opportunities such as +access to rigorous curriculum, early childhood +education, and extended learning time are being +expanded to all students of color and other +marginalized groups. +o Objective 5.5: Demonstrate how, in collaboration with +the City of Boston, BPS fosters strong parent +community-school ties to mitigate the effects of +concentrated poverty and institutional racism citywide +as a strategy to eliminate gaps. +• Goal 6: Students, Family, and Community as Authentic +Partners +o Objective 6.1: Demonstrate how students are engaged +as partners in eliminating opportunity and +achievement gaps, while promoting student +engagement and agency in active learning. +o Objective 6.2: Demonstrate how parents are engaged +as partners in eliminating opportunity and +achievement gaps. +o Objective 6.3: Demonstrate how community partners + + +Page 5: +Superintendent’s Circular EQT-10 +Page 5 of 10 + + + +are engaged with the District to eliminate opportunity +and achievement gaps. +II. +OAG POLICY OVERSIGHT AND IMPLEMENTATION +The Office of Opportunity Gaps of the Division of Equity, Strategy +and Opportunity Gaps (ESOG) has the authority to oversee the +implementation of the OAG policy as designated by the +superintendent of schools. +• To ensure that all “departments and schools +[demonstrate] equity in all facets of district operations,” +each department and school is expected to develop +annual goals that advance the goals of the OAG policy +under their purview. +• For central office departments, each OAG policy goal +should be developed in consultation with a designated +member of the Office of Opportunity Gaps before the +beginning of each school year. +• For schools, school leaders, in consultation with their +school superintendent, should develop goals advancing +the OAG policy as a part of their annual Quality School +Plan (QSP). The school superintendents should have the +goals reviewed by the Office of Opportunity Gaps for +consultation and feedback for finalization by November 1 +of each year. +• The Office of Opportunity Gaps and the Office of Strategy +& Innovation will work in partnership to ensure alignment +of strategy plan implementation goals and OAG policy +implementation goals across central office departments. +Each department's OAG goal(s) shall also serve as one or + + +Page 6: +Superintendent’s Circular EQT-10 +Page 6 of 10 + + + +more of its strategic plan implementation goals. + +III. +OAG POLICY SMARTIE GOALS / ALIGNED WITH STRATEGIC +PLAN IMPLEMENTATION GOALS +“Implementation and Evaluation: Within six months of the +Boston School Committee (BSC) adoption of this policy, Boston +Public Schools (BPS) will develop and present to BSC an +interdepartmental implementation plan for this policy. The +Implementation Plan must include SMART Goals which are +Specific, Measurable, Attainable, Realistic, and Time-Bound. +Each October, beginning in 2017, BPS will submit an annual +report on the Plan’s progress which will include SMART Goals for +the subsequent calendar year. BPS will develop an Opportunity +and Achievement Gaps (OAG) Dashboard, publicly available on +the BPS website, which monitors and assesses the District’s +progress towards meeting the goal of eliminating the +opportunity and achievement gaps facing students of color and +other marginalized groups.” +• Superintendent Goals: At the beginning of each school +year, the superintendent’s goals, objectives, and +implementation of activities will be aligned with the goals +and objectives of the Opportunity and Achievement Gap +Policy. +• Central Office Goals: At the beginning of each fiscal year, +each division-office must develop an Opportunity and +Achievement Gap Goal and Strategy(s) that elevates +student disproportionality within their workstreams. +Goals are reviewed quarterly to determine progress on +implementation for student achievement. + + +Page 7: +Superintendent’s Circular EQT-10 +Page 7 of 10 + + + +• School-Based Goals: At the beginning of each school year, +School Leaders and their teams must develop an +Opportunity and Achievement Gap Goals and +Strategy(ies) within their Quality School Plans that elevate +student disproportionalities within teaching, learning, +operational, and social emotional supports. Quality School +Plans are reviewed every 90 days to determine progress +on implementation for student achievement. +IV. +TRANSPARENCY & PUBLIC ACCOUNTABILITY +“The Boston School Committee must ensure that eliminating the +opportunity and achievement gaps facing students of color, +English Language Learners, students with disabilities, and +students of low socio-economic status is a primary and urgent +priority that will not change with new leadership, fluctuating +budgets, and shifting priorities. All District policies, budgets, +strategic plans, and school improvement plans shall advance +the goal of eliminating the opportunity and achievement gaps +facing students of color, English Language Learners, students +with disabilities, and students of low socio-economic status.” +RESPONSIBILITY OF DISTRICT LEADERSHIP +Equity Impact Statements: +All reports, policy recommendations, and budgets presented to +the Boston School Committee shall be accompanied by an Equity +Impact Statement that explicitly shows a comparison of the gaps +for students of color, multilingual learners, students with +disabilities, and students of low socio-economic status, +disaggregated by ethnicity, to the extent possible. This +Achievement Gap Impact Statement will give an explicit + + +Page 8: +Superintendent’s Circular EQT-10 +Page 8 of 10 + + + +examination of how the report, policy recommendation, and/or +budget will help or hinder eliminating gaps and increase or +decrease opportunities for students of color, Multilingual learners, +students with disabilities, and students of low socio-economic +status. +All new policies will be automatically reviewed in one year to +present disaggregated ethnic and program data to show that the +policy is having its intended impact, along with lessons learned +and future recommendations. +Other Provisions / Excerpts From the OAG Policy: +• Leadership and Oversight: The superintendent and their +designee (e.g., the assistant superintendent for the +Opportunity and Achievement Gap) will have the +responsibility, authority, and accountability to lead, +facilitate, and monitor the implementation of this policy +so that it is fully embedded in the operations and +practices of the district. +• Resource Allocation: BPS shall base resource allocation +decisions on the OAG Implementation Plan, and target +resources to meet the specific gap closing goals of the +plan, including fully funding the Office of the Opportunity +and Achievement Gap and the Office of Equity. As part of +the annual report, BPS will indicate the resources it has +allocated to implement the OAG plan. +• Monitoring: The Opportunity and Achievement Gaps Task +Force shall continue as a monitoring body, meeting no +less than quarterly, providing guidance and input, and +working in partnership with the Boston School + + +Page 9: +Superintendent’s Circular EQT-10 +Page 9 of 10 + + + +Committee, and BPS to help ensure that the +Implementation Plan is developed, and the policy is being +implemented with consistency and fidelity across the +district. The task force will give an annual State of the +Opportunity and Achievement Gaps Report to the Boston +School Committee and shall make recommendations as +needed to influence the budget process and planning for +each subsequent school year. +• Performance Reviews: Beginning in SY22-23, annual +performance reviews for the superintendent and all BPS +staff shall include goals related to cultural proficiency and +eliminating opportunity and achievement gaps. + + + + + +Page 10: +Superintendent’s Circular EQT-10 +Page 10 of 10 + + + +For more information about this circular, contact: +Name: +Assistant Superintendent, Office of +Opportunity Gaps +Department: +Office of Opportunity Gaps +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +ofca-staff@bostonpublicschools.org +OR +Owner: +Assistant Superintendent, Office of +Opportunity Gaps +Department: +Equity Strategy, Opportunity Gaps +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9650 +Fax: +617-635-7940 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-01 Performance Evaluation of Custodians.txt b/data/data_txt1/Facilities Management (FMT)/FMT-01 Performance Evaluation of Custodians.txt new file mode 100644 index 0000000..9d6fb89 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-01 Performance Evaluation of Custodians.txt @@ -0,0 +1,536 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-01 +Version 01 + + +PERFORMANCE EVALUATION OF CUSTODIANS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this circular is to set forth the individuals +responsible for custodian evaluations and to outline the +philosophy, objectives, guidelines, and procedures applicable to +the process. +The contract between the School Committee and the Custodians +Union provides for the annual evaluation of the performance of +custodians by principals and heads of school. To assist in the +implementation of the performance evaluation process, the +Department of Facilities Management (Building Services) has +developed a handbook for custodians, principals, and heads of +schools. The evaluation process relates to the job duties and +responsibilities of the position as contained in the handbook. +It is the supervisor's responsibility to clearly communicate the +specific duties associated with the position, in writing, to the +custodial employee. Therefore, principals and heads of school +should take all steps to become familiar with the contents of the +handbook and should ensure that each custodian understands +the content of the manual. +Heads of school, principals, and other administrative heads are +responsible for the evaluation of the performance of all custodial + + +Page 2: +Superintendent’s Circular FMT-01 +Page 2 of 14 + + + +employees under their supervision. However, the actual +evaluation must be done by the immediate supervisor, i.e., the +principal/head of school is responsible for the evaluation of both +senior and junior custodians. During the school year, all custodial +employees, with input by the senior custodian and Facilities +Management, will be evaluated using the diagnostic-prescriptive +approach and the procedures and forms developed for the +implementation thereof. +Training on the performance evaluation process will be provided +during the school year. Principals and heads of schools are +encouraged to consult with the Department of Facilities +Management (Building Services) on all performance issues +affecting custodial employees. The evaluation process itself is +modeled on the teacher evaluation procedures. +PHILOSOPHY +The Boston Public Schools recognizes that the quality of +educational service provided depends upon the professional +performance and total job effectiveness of all employees in the +system. Thus, since custodial employees can and should be held +accountable for the quality of their performance, a just and +effective process for evaluating that performance is essential. +True performance evaluations involve analyses of an individual's +strengths and weaknesses, resulting in diagnoses and +prescriptions. This in turn leads to the desired improvement of +skills and improved performance of the custodial employee. +An effective performance evaluation program is one that is +continuous rather than periodic, and organized to: + + +Page 3: +Superintendent’s Circular FMT-01 +Page 3 of 14 + + + +● Develop in the support staff a clearer understanding of the +goals of the department or school. +● Assist employees to address more effectively the needs of +each school or department. +● Encourage cooperative staff relations through mutual trust +and respect for each employee's individual role. +The contract with the Custodians Association further provides for +the principal/head of school and the senior custodian to establish +a mutually supportive relationship, and to cooperate in the +resolution of all plant maintenance and operation problems. +Further, the contract clearly provides that the principal/head of +school of a school building will oversee all staff and has the +responsibility to ensure the cleanliness and maintenance of the +school building at all times. Each custodian in a school is +managed by the principal/head of school of that building. +A diagnostic-prescriptive evaluation program is positively +directed and encourages staff to maximize unique strengths and +skills. This evaluation program encourages staff to participate in +the evaluation of their own performance and to help set +objectives for self-improvement. The performance evaluation +process, however, is not intended to be a substitute for the day- +to-day communication and supervision of employees. +ROLES AND RESPONSIBILITIES +Heads of schools, principals, and other administrative heads have +primary responsibility for the evaluation of all staff in their +responsibility centers. After the evaluation has been presented to +the employee, the evaluation form must be signed by the + + +Page 4: +Superintendent’s Circular FMT-01 +Page 4 of 14 + + + +employee (refer to the evaluation instrument) prior to submission +to the Office of Human Capital and Office of Facilities +Management (Building Services). Performance evaluation +activities may include but are not limited to: 1) preliminary +planning conferences, 2) daily observations, 3) notations, 4) +formal interim evaluations, 5) follow-up conferences, and 6) +recommendations to the staff member by the evaluator. +Principals/heads of school must evaluate both senior and junior +custodians, in writing, and sign the completed written +evaluations. +PROCEDURAL STEPS +Preliminary Procedures +Prior to the implementation of the process, the principal/head of +school must prepare the work schedule in cooperation with the +senior custodian(s). They should then meet with the senior +custodian to provide an orientation to the performance +evaluation process and to specific roles and responsibilities +within that process for the upcoming year as contained in the +work schedule. Principals and heads of school should seek +technical assistance from area managers and the Department of +Facilities Management (Building Services). +The evaluator shall meet with the staff member for the purpose +of explaining the diagnostic-prescriptive evaluation process, +including a description of all components of the evaluation +process. + + +Page 5: +Superintendent’s Circular FMT-01 +Page 5 of 14 + + + +Diagnosis and Prescription +The performance evaluation process should provide each +custodial staff member with an appraisal of the individual's +strengths and identify areas in need of improvement. The +employee will be evaluated on each standard within the various +categories: +● U - UNSATISFACTORY: The employee fails to meet the job +description and their performance needs improvement. +● S - SATISFACTORY: The employee meets the job description +and their performance, as measured against this standard, is +satisfactory. +● G - GOOD: The employee meets and/or generally exceeds +the standards and their performance, as measured against +this standard, is good. +● E - EXCELLENT: The employee exceeds standards and their +performance as measured against this standard, is excellent. +Every formal evaluation must result in a mark for each +appropriate item on the performance evaluation form. In any +area where the supervisor indicates a need for improvement, +they will provide the employee with a written prescription. The +diagnosis and subsequent prescription should be fully descriptive +and instructive, suggesting specific remedies or +recommendations for adoption by the employee. During the +entire evaluation process, continuous administrative assistance, +support, and encouragement should be extended to assist the +employee in meeting established objectives. The employee may +suggest additional or alternative prescriptions. + + +Page 6: +Superintendent’s Circular FMT-01 +Page 6 of 14 + + + +Evaluation Conference +The employee's supervisor shall meet with the staff member for +the purpose of discussing the evaluation. During the conference, +the staff member will be shown the written evaluation and will +sign it to indicate that it has been seen but not to indicate +agreement or disagreement with its contents. The staff member +will be allowed to attach comments to the evaluation. One copy +of the written evaluation must be given to the employee, and a +second signed copy must be retained and filed with the assistant +director of Facilities Management (Building Services). In any area +that has been identified as being unsatisfactory, the +principal/head of school should consult with the appropriate +operational leader. +INTERIM REPORTS +If an unsatisfactory evaluation is issued for any item, the +immediate supervisor must evaluate the staff member at least +once a month until the individual's performance is judged to be +satisfactory (see Section V). +Principals/heads of school must submit a copy of the written +evaluation of any employee who has received a mark of +unsatisfactory in any item indicated on the form to the assistant +director of Facilities Management (Building Services). +Administrators must submit the evaluations directly to the +assistant director of Facilities Management (Building Services). +Any subsequent unsatisfactory evaluation must also be +forwarded. +➤ All evaluations must be completed by August 31 of each year. + + +Page 7: +Superintendent’s Circular FMT-01 +Page 7 of 14 + + + +SUMMATIVE REPORTS +● +At the end of each evaluation period, the principal/head of school and other administrators +should retain copies of all evaluations and send copies to the team leader/Human Resources +and assistant director of Facilities Management (Building Services). +● +If, at the conclusion of a prescriptive period (normally at the end of an evaluation period, but in +any event at most one month after the last evaluation), the supervisor judges an employee's +overall performance as unsatisfactory, the supervisor shall submit to the superintendent or +designee and to the assistant director of Facilities Management (Building Services) a written +report based on the series of evaluations. +● +Continued failure on the part of an employee to meet a standard will result in possible +disciplinary action. +PROCEDURES FOR DISCIPLINE +If a principal/head of school determines that an employee has +committed an infraction of work rules such as excessive +tardiness, absences, etc., the supervisor should follow procedures +outlined in Superintendent's Circular: Procedures Relating to the +Discipline of Employees. Additionally, the supervisor should +consider the infraction in evaluating the employee's overall +performance. Principals and heads of school may issue discipline +only up to and including letters of reprimand. The director of +Facilities Management or other designees of the superintendent +issue discipline beyond this level. +Failure to address job performance problems of assigned staff +through the performance evaluation process represents +unacceptable performance on the part of the supervisor. This +problem is further compounded when "problem staff” is given a +satisfactory rating by the supervisor and encouraged to transfer +to another school/department. Such failure on the part of a +supervisor represents "unsatisfactory" administrative + + +Page 8: +Superintendent’s Circular FMT-01 +Page 8 of 14 + + + +performance on the part of that person, who may be held +accountable by the appropriate supervisor. +Please refer in advance to Superintendent's Circular: Procedures +relating to the Discipline of Employees. +FORMS +Performance Evaluation Report may be obtained from the Office +of Facilities Management. Summary of significant dates and +deadlines: +Date +Activity +August 31 +Deadline for completing custodian evaluations + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular FMT-01 +Page 9 of 14 + + + +CUSTODIANS ASSOCIATION CONTRACT LANGUAGE +ARTICLE XXIII +PERFORMANCE EVALUATION + +Section 1 - A diagnostic-prescriptive evaluation procedure shall +be maintained which is reasonably related to the custodian's job +performance using the procedure and form currently in use. +Evaluation shall be from June 1 to May 31 for each custodian. +Section 1A - Interim Performance Evaluation may be performed +at the discretion of the principal/head of school and/or senior +custodian between annual bid. +Section 2 - Custodian Association members shall be evaluated by +their immediate supervisors as follows: +Evaluatee +Evaluator +Junior Custodian +Principal/head of school with input by +senior custodian and Facilities +Management. +Senior Custodian +Principal/head of school with input by +Facilities Management. +Section 3 - No later than thirty (30) days after the start of the +rating year, the evaluator will meet with the evaluatee for the +purpose of explaining the diagnostic-prescriptive evaluation +program, answering questions, and determining additional job- +related responsibilities which will be covered in the evaluation. + + +Page 10: +Superintendent’s Circular FMT-01 +Page 10 of 14 + + + +Within five (5) days after the meeting, the evaluatee will receive a +copy of a list of job-related functions for which they are +responsible and on which their performance will be evaluated. +Section 4 - Within ten (10) days following the completion of the +evaluation, the evaluator will meet with the evaluatee for the +purpose of discussing the evaluation. At this meeting, the +evaluatee will be shown their written evaluation and will sign it to +indicate having seen it, but not to indicate agreement or +disagreement. A copy of the evaluation will be provided to the +evaluatee. The evaluatee shall be allowed to attach their +comments to the evaluation. The evaluatee whose overall +performance has been judged unsatisfactory will be so notified in +writing and will meet directly with the evaluator. There will be a +space for the principal/head of school to sign the evaluation and +attach comments to it, if any. +Section 5 - In any area where the evaluator indicates a need for +professional improvement, they will provide the evaluatee with a +specific written prescription. +Section 6 - Continued failure to meet a standard will result in +warnings, additional evaluations, and further action. +Section 7 - An overall evaluation of unsatisfactory shall be subject +to the grievance and arbitration procedure. +Section 8 - The committee will comply with state and federal +laws concerning confidentiality and privacy of evaluations. + + + + + +Page 11: +Superintendent’s Circular FMT-01 +Page 11 of 14 + + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION — CUSTODIAL +DATE: _____/_____/__________ +NAME: ___________________________________________________________ +SCHOOL: ________________________________________________________ +(Building staffed according to formula): Yes _______ No _______ +Senior ______ Junior ______ Days ______ Nights ______ Grade _______ + +E - Excellent +G - Good +S - Satisfactory +U - Unsatisfactory +QUALITY +1. Work performed is of an acceptable nature and level. + +E ☐ +G ☐ +S ☐ +U ☐ +QUANTITY + +2. Completes work in a reasonable time. + +E ☐ +G ☐ +S ☐ +U ☐ + + +Page 12: +Superintendent’s Circular FMT-01 +Page 12 of 14 + + + +ATTITUDES + +3. Knows the tasks to be completed and organizes them. + +E ☐ +G ☐ +S ☐ +U ☐ +4. Learns and applies new ideas and techniques. + + +E ☐ +G ☐ +S ☐ +U ☐ +5. Shows interest in work. + + +E ☐ +G ☐ +S ☐ +U ☐ +6. Accepts responsibility related to work performed. + +E ☐ +G ☐ +S ☐ +U ☐ +DEPENDABILITY + +7. Continues to work in absence of supervision. + +E ☐ +G ☐ +S ☐ +U ☐ +8. Complies with reasonable written and oral instructions. + + +E ☐ +G ☐ +S ☐ +U ☐ +ATTENDANCE +9. Maintains good attendance. + +E ☐ +G ☐ +S ☐ +U ☐ +10. Maintains contracted hours of work. + + +E ☐ +G ☐ +S ☐ +U ☐ + + + +Page 13: +Superintendent’s Circular FMT-01 +Page 13 of 14 + + + +SUPERVISORY SKILLS (APPLIES TO SENIORS ONLY) +11. Plans and directs work to others. + +E ☐ +G ☐ +S ☐ +U ☐ +12. Guides the group to reasonable effectiveness. + + +E ☐ +G ☐ +S ☐ +U ☐ +13. Provides evaluation reports. + +E ☐ +G ☐ +S ☐ +U ☐ +14. Trains subordinates. + + +E ☐ +G ☐ +S ☐ +U ☐ +15. Attempts to settle disputes at lower level. + + +E ☐ +G ☐ +S ☐ +U ☐ +Signatures: + + + + + +Principal/Head of School/Admin + Date + Comments + + + +Senior Custodian + Date + Comments + + + +Junior Custodian + Date + Comments + + + + + +Page 14: +Superintendent’s Circular FMT-01 +Page 14 of 14 + + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION — CUSTODIAL + +DIAGNOSIS AND PRESCRIPTION + + + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-02 Work Order Requests.txt b/data/data_txt1/Facilities Management (FMT)/FMT-02 Work Order Requests.txt new file mode 100644 index 0000000..976fe29 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-02 Work Order Requests.txt @@ -0,0 +1,197 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-02 +Version 01 + + +WORK ORDER REQUESTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +All work requests are to be submitted through Asset Essentials. +The following procedures are to be followed when originating +work requests. +ASSET ESSENTIALS +You will be able to login through your Google App launcher, +which is the icon at the top of your Gmail (3 by 3 box.) Scroll down +until you see the "SchoolDude - Asset Essentials" icon. +REQUEST FORMAT +Each request begins by selecting the school from the drop-down +menu. Please provide a detailed description of the work needed, +including the floor, room number, and room name (if there is +one). Please note the system will automatically collect your email +address for return messages. +EMERGENCIES +Call emergencies into the Planning and Engineering Office +immediately at 617-635-8300 or 617-635-9135. You may also call +the appropriate Planning and Engineering supervisor to report + + +Page 2: +Superintendent’s Circular FMT-02 +Page 2 of 6 + + +any emergency. After calling in the emergency, enter the +emergency Work Order Request into the system by the end of +the day, indicating that it was an emergency, and the request is a +confirming order. +EXTERNAL FUNDS +If the costs are to be charged to an external funding source, +indicate in the request to what account the costs should be +charged. Refer to Superintendent’s Circular — External Funding +of Renovations to School Buildings and Yards. +STATUS OF WORK ORDER REQUESTS +Once a Work Order Request has been submitted for initial +review, you will be able to view the status and actions taken by +Planning and Engineering staff on the initial request. +Status codes are as follows: +● In Progress - We have decided to move forward with +obtaining an estimate from a contractor. Once we have +obtained an estimate from a contractor, we will assess and +make a final decision. +● On Hold - The decision has been made to put this on hold +for right now. You will be able to view the status and actions +taken by Planning and Engineering staff on the initial +request. There will be a detailed note explaining this +decision. +● Denied - The decision has been made to not proceed with +this work order. You will be able to view the status and +actions taken by Planning and Engineering staff on the + + +Page 3: +Superintendent’s Circular FMT-02 +Page 3 of 6 + + +initial request. There will be a detailed note explaining this +decision. +● Capital Project - This has been deemed to be a capital +project and so it has been forwarded to the Capital Project +team. +● Completed - Once a supervisor has provided estimated +costs, contractors to complete the work, and estimated +completion date, and a final decision has been rendered, +you will be able to review the status and actions taken by +Planning and Engineering staff. +► Please note that, for most approved work orders, you +generally will not receive a note. If your request is put On +Hold, Denied, or Capital Project, you will generally receive a +note explaining the reason for the decision. +SUBDIVISION OF CLASSROOMS/CHANGE IN +OCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS +FOR OFFICE SPACE +Requests for subdivision for expanding classroom space must: +● be submitted on the attached Request for Space +Modification Form (Attachment A) with location and +purpose. +● be approved by the director of Student Assignment and +director of Facilities Management. +● meet building codes for safety. + +Partitioning of non-educational spaces such as cafeterias, +gymnasiums, or corridors is prohibited. + + +Page 4: +Superintendent’s Circular FMT-02 +Page 4 of 6 + + +► PLEASE NOTE, ALL APPROVALS ARE SUBJECT TO THE +AVAILABILITY OF FUNDING + +For more information about this circular, contact: +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Boston, MA 02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + +Page 5: +Superintendent’s Circular FMT-02 +Page 5 of 6 + + +ATTACHMENT A +REQUEST FOR SPACE MODIFICATION +Request for any programmatic plan that changes existing space +in a school building must be done in writing. Please complete +the Request Form below and submit to the director of the +Student Assignment Unit. +A. Request: +School: _______________________________________Date: + +Detail of Space Modification: + + + + + +Rationale for Modification: + + + + + +Source of Funding: +☐ Requested from Facilities Management +☐ School Funds Available ☐ Grant Funds Available +Principal/Head of School signature: + + + + +Page 6: +Superintendent’s Circular FMT-02 +Page 6 of 6 + + +B. Approval / Non-Approval: +Director of Student Assignment: +□ Approved / supports enrollment capacity needs. +□ Not approved / negatively impacts enrollment capacity +needs. +□ No impact on enrollment capacity needs / move to Facilities +Management for decision. + +Signature: ___________________________________Date: + +Director of Facilities Management: +□ Approved / supports enrollment capacity needs. Funding +will be allocated. +□ Approved / no impact on enrollment and funding identified +by principal/head of school. +□ Not approved / no funding available. +□ Not approved / building code violation. + +Signature: ___________________________________Date: + + +Upon final decision regarding Approval / Non-Approval, a copy of +same will be forwarded to the principal/head of school initiating +the request for space modification. + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-03 Renovations to School Buildings and Yards.txt b/data/data_txt1/Facilities Management (FMT)/FMT-03 Renovations to School Buildings and Yards.txt new file mode 100644 index 0000000..3113eeb --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-03 Renovations to School Buildings and Yards.txt @@ -0,0 +1,284 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-03 +Version 01 + +RENOVATIONS TO SCHOOL BUILDINGS AND YARDS – +EXTERNAL FUNDING +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +To guarantee that all work performed on School Department +property conforms to district standards, building and life safety +codes, and other requirements, the following procedure has been +established for external funding sources, particularly those that +are not processed through the PeopleSoft Financial System, i.e., +Boston Educational Development Foundation (BEDF). +RENOVATIONS VS. REPAIRS +The following table lists projects that fall under the category of a +renovation or a repair or maintenance, as well as the sequence to +follow for each: + + + + +Page 2: +Superintendent’s Circular FMT-03 +Page 2 of 9 + +Renovations +Repairs & Maintenance +Type +Process +Type +Process +Major renovations +or improvements +Alterations that +are required due +to programmatic +changes +Alterations of +existing spaces +(wall up/wall +down) +Toilet room +renovations + +Submit a +REQUEST FOR +SPACE MODIFI- +CATIONS +General +repairs (i.e., +broken glass, +broken +locks/hardw +are, graffiti, +leaks from +plumbing or +roof) +Submit a +WORK +REQUEST + +To properly plan resources and budget, requests for renovations +for the coming school year must be initiated by the requester by +no later than December 1 of the previous school year. Requests +received after this deadline may not be approved. + + + + +Page 3: +Superintendent’s Circular FMT-03 +Page 3 of 9 + +Requests for renovations or alterations to school buildings and +yards must follow the sequence outlined below: +1. Complete the form. +2. Submit a request through Asset Essentials; choose +‘Modification of Space’ as the work type and attach the form +to the work order. +3. A confirmation of receipt is sent to the person submitting +the request. +4. Form and Asset Essentials request are reviewed by a cross- +functional team to determine next steps: +a. Planning and Analysis verifies that the request is in +alignment with current and future space requirements. +b. Finance determines that there are not financial issues +or challenges for the request. +c. Facilities Management determines feasibility of +requests only after steps 1 and 2 have been completed. +5. After the request has been reviewed, it will determine if and +when the work can be completed. +6. A follow-up email will be sent to the school leader, +requester, and school superintendent to provide status and +timeline of request. Please note: Not all projects will be +approved. +7. Once approved, Facilities Management will engage to +establish a plan within the timeline identified. +Project requests that do not comply with this process will not be +considered. + + + +Page 4: +Superintendent’s Circular FMT-03 +Page 4 of 9 + +The Office of Facilities Management / Planning & Engineering +must review and approve all plans for improvements to any +school buildings and yards. +EXTERNAL FUNDING +It also strongly recommended that a school communicate with +the Director of Facilities Management prior to submitting grant +funding applications, or seeking any other material support that +may require alterations and/or additions to a schools’ facilities. +Applicants should first receive acceptance from the director of +Facilities Management of Facilities Management’s willingness to +participate in implementation contingent on the school’s +successful grant application/funding etc. Principals/heads of +school, and community school directors must include the +director of Facilities Management in the drafting of plans that +would require any form of alteration, addition, repair, and/or +connections to any building services or location on the property +of the school. The director of Facilities Management will submit +the plans, specifications, and/or product data to the appropriate +Planning and Engineering staff for review and approval of all +proposed plans, specifications, product data, warranties, and/or +maintenance agreements. +This process will ensure that there is a thorough review of the +proposed renovation, alteration, addition, repair, and/or +connection to existing building systems, including the materials +used, quality of workmanship, fairness in pricing, and contractors +ability to complete the proposed project; and that the contractor +performing the work has the proper insurance coverage +(including but not limited to Worker’s Compensation, General +Liability, and Property Damage). + + +Page 5: +Superintendent’s Circular FMT-03 +Page 5 of 9 + +A Request for Facilities Improvement Form (Attachment A) +should be filled out and forwarded to Planning & Engineering, +1216 Dorchester Avenue, Boston, MA 02125. No work will proceed +without the final approval of the Office of Facilities +Management/Planning and Engineering Division. +Request for Space Modification Form + +For more information about this circular, contact: +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + + + + + + + + +Page 6: +Superintendent’s Circular FMT-03 +Page 6 of 9 + +ATTACHMENT A +OFFICE OF FACILITIES MANAGEMENT +REQUEST FOR FACILITIES IMPROVEMENT + +Date: _____________________________________________________________ +School: ___________________________________________________________ +Address: __________________________________________________________ +Contact: __________________________________________________________ +Telephone: _______________________________________________________ +Project Title: _____________________________________________________ +Funding Sources: _________________________________________________ +Budget Year _____________Org. __________ Fund Code _____________ +Program Account ________ Sub Class _______ Proj./Grant __________ +Expense Object __________ +Proposed Implementation Date: _________________________________ +Project Description and Justification (attach a sketch): + + + + + + + +Page 7: +Superintendent’s Circular FMT-03 +Page 7 of 9 + +Please return this form to: +Brian Forde, Executive Director +Office of Facilities Management +1216 Dorchester Avenue +Dorchester, MA 02125 + +---------------------------------------------------------------------------------------------------------------------- + + + + +Page 8: +Superintendent’s Circular FMT-03 +Page 8 of 9 + +(For Planning & Engineering Use Only) +PROJECT COST ESTIMATES: +A. OPM Fee (projects over $1,500,000): ____________________ +B. Design Fee (if needed): _________________________________ + +C. Construction Costs: ____________________________________ +D. Contingency (A+B+C x 15%): ____________________________ + +TOTAL COST (A+B+C+D): __________________________________ + +ESTIMATED PROJECT TIMELINE: +Owner's Project Manager Selection: ______________________ + +Submit CB-04 __________________________________________ +Advertise RFP: _________________________________________ +RFP Due: _______________________________________________ +Interviews: _____________________________________________ +Award: _________________________________________________ +Designer Selection: _______________________________________ + +Submit CB-04: _________________________________________ +Advertise RFP: _________________________________________ +RFP Due: _______________________________________________ +Interviews: _____________________________________________ +Award: _________________________________________________ + + +Page 9: +Superintendent’s Circular FMT-03 +Page 9 of 9 + +Bidding & Construction: +Advertise Filed Sub Bids: _______________________________ +Advertise General Bids: _________________________________ +Filed Sub Bids Due: ____________________________________ +General Bids Due: ______________________________________ +Award Contract: ________________________________________ +Construction Start: _____________________________________ +Completion Date: ______________________________________ +MAINTENANCE PLAN: +Required Annual Maintenance: ___________________________ + ___________________________________________________________ + ___________________________________________________________ +Costs: _____________________________________________________ +Maintenance Schedule: ___________________________________ + +Prepared by: ________________________________Date: _______________ +Approved by: _______________________________Date: ________________ + + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-04 Custodial Pay Adjustments.txt b/data/data_txt1/Facilities Management (FMT)/FMT-04 Custodial Pay Adjustments.txt new file mode 100644 index 0000000..2f182c5 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-04 Custodial Pay Adjustments.txt @@ -0,0 +1,89 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-04 +Version 01 + + + +CUSTODIAL PAY ADJUSTMENTS – CALL-IN +PROCEDURE +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +So the Office of Facilities Management (Building Services) may +properly adjust a custodian's pay in a timely manner, it is +essential that you follow the payroll procedure outlined below: +When a senior custodian is absent, you must notify Facilities +Management (Building Services), by telephone 617-635-9162 or e- +mail (emalone2@bostonpublicschools.org) with: the name of the +absent senior custodian; the name of the custodian covering; the +reason for the absence; and all dates of absence, if known. +When the absent senior custodian returns to work, Facilities +Management (Building Services) must be notified to ensure that +the person covering is paid for the correct number of days. +The custodial pay period begins on Saturday and ends on Friday. +It is a weekly payroll. If the absentee is to be out on a long-term +basis, Facilities Management (Building Services) must be notified +if the current acting senior should be carried forward to the next +pay period. + + + + +Page 2: +Superintendent’s Circular FMT-04 +Page 2 of 3 + + + + If a custodian is being docked for all or any part of a day, +you must notify Beth Malone to ensure the dock is +properly recorded. You must also notify Facilities with the +reason for the dock (i.e., late, no show/no call, left early). +If a custodian is at "0" balance (out of sick, personal, or vacation +leave), they must be coded. Select Absence Name - Leave +Without Pay, then select Absence Reason. Additional information +should be entered in the “comments” panel. +All docks and acting senior coverage must be reported in a timely +manner. +To ensure coverage in a single-person building, prior notice +should be given to the Office of Facilities Management (Building +Services) whenever possible. Forty-eight (48) hours’ notice is +required for personal and compensatory days. Two weeks’ notice +is required for vacation. +Calls for acting senior coverage while school is in session will only +be taken from the head of school/principal, secretary, or +principal's designee. Custodians should call in any acting senior +coverage during school vacations and summer months. + + + + +Page 3: +Superintendent’s Circular FMT-04 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-05 Facilities Building Permits & Conditions.txt b/data/data_txt1/Facilities Management (FMT)/FMT-05 Facilities Building Permits & Conditions.txt new file mode 100644 index 0000000..6d6940c --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-05 Facilities Building Permits & Conditions.txt @@ -0,0 +1,310 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +FMT-05 +Version 01 + + + +PERMIT ACTIVITIES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PERMIT REQUEST PROCESS FOR ALL BPS BUILDINGS +Any activity taking place in a school building after school hours +requires a permit, including activities during school vacation +weeks, holidays, and summer months. +ALL PERSONS WILL BE DENIED ACCESS TO BPS BUILDINGS IF +NO PERMIT HAS BEEN REQUESTED AND APPROVED BY THE +SCHOOL AND FACILITIES MANAGEMENT. +Permits are to be electronically submitted through SchoolDude +at least two weeks (minimum) before the event, so it is advisable +to submit your request when the activity/event is scheduled and +confirmed. +For external (non-BPS) users: +• Access link: Facilities Mgt. Community Use Monthly +Calendar +• Please see the CommunityUse Requester Guide for more +information about how an outside organization accesses the +system and submits requests. +• Please see the FSRequester Guide, which includes video and + + +Page 2: +Superintendent’s Circular FMT-05 +Page 2 of 9 + + + +picture how-to guides for submitting requests once you are +logged in. +For internal (BPS) users: +• Single Sign On: From the nine-dot grid in the top right of +your Gmail screen, click “More,” then click the SchoolDude +icon (looks like a cartoon face). +• SchoolDude log in screen +• Please see How to Submit a Schedule Request, which +includes video and picture how-to guides for submitting +requests once you are logged in. +• Once an organization or BPS staff member has submitted a +request, it will be routed to the school leader or their +designee for approval. Please see Processing Schedules for +more information about how to manage approvals. +If an independent third party (NOT a BPS or BPS partner +organization) submits a permit request form to use or +occupy school property for an event at which attendance is +expected to exceed 60 people, or at which there is a charge +for admission, the party shall be required to hire a School +Police detail, at the third party’s own expense, to be present +for the duration of their use of the property. +Please Note: The routing process for summer will be different +from the school year process. [See page 4 of this circular.] For +summer programs, requests will go first to BPS Facilities, then +the school leader will receive notification of the approval of +building use. + + +Page 3: +Superintendent’s Circular FMT-05 +Page 3 of 9 + + + +CUSTODIAL HOURS AND OVERTIME +The applicant is responsible for custodial overtime, utilities fees, +and building usage fees, if applicable. Schools and other +applicants may also be responsible for overtime if the event +occurs before or after a building is closed, on a weekend, holiday, +or school vacation, and/or when the building is open if additional +custodial coverage is required, as determined by Facilities +Management. Payment in the form of a certified check or money +order made out to Boston Public Schools is required prior to the +permit activity occurring. +For all activities and events that occur when the building is +closed, the custodian(s) will open the building one-half hour prior +to the entrance of the applicant to the building and will close the +building one-half hour after the applicant exits the building. +Groups requesting building space must abide by their requested +permit hours. +REQUEST FOR BUILDING USE BY COMMUNITY USERS +All the above conditions apply, with the addition that outside +groups must pay a building usage fee. A fee is charged per +space. +An invoice for all Facilities Management permit fees will be sent +by the Facilities Management Department via the SchoolDude +building permitting system with the actual fees that the +requester will be charged. Custodial coverage is determined by +the number of people and the amount of space used by the +applicant. +Staffing Minimum + + +Page 4: +Superintendent’s Circular FMT-05 +Page 4 of 9 + + + +Up to 150 people = 1 Senior Custodian +Up to 350 people = 1 Senior Custodian and 1 Junior Custodian +Up to 450 people = 1 Senior Custodian and 2 Junior Custodians + +An additional hour is added to the permit hours (one-half hour to +open and one-half to close). +If a custodian works overtime, principals/heads of schools should +work with their area managers to ensure that the custodian has +meaningful work to do (a predetermined work schedule) during +overtime hours. Custodians are expected to remain on the school +premises while on overtime and perform the scheduled work. +Custodial opening and closing times (one-half hour before and +after) are figured into the permit hours. Requesters DO NOT need +to include this time in the request. +GENERAL TERMS AND CONDITIONS +Responsibility for Use: +• It is expressly understood and agreed that the regulations of +the School Committee are to be strictly complied with. The +requester/organization may refer to the BPS Superintendent +Circulars for BPS Policies and Procedures. +• The requester/organization assumes full responsibility for +any injury to or loss of city property as a consequence of +such use of the above-described accommodations and +engages to make the same good without the expense to the +city. The requester/organization further agrees to pay the +charge for the light, heat, custodians, security, and other +service as required. +• BPS gymnasiums: Requester/organization assumes all + + +Page 5: +Superintendent’s Circular FMT-05 +Page 5 of 9 + + + +responsibility for the proper use and protection of the +facilities provided in the school. Requester/organization +must not allow persons to use these facilities over whom +they have no control. +The organization, their participants, and spectators are +prohibited from any part of the building other than the +gymnasium. Organization shall enter the school through +one entrance. Entry doors are NOT to be propped open to +allow unauthorized individuals to enter the building. It will +be the responsibility of the organization to station an +individual at the designated entrance to ensure only +participants of that program are allowed in. Once all +participants are allowed in, all doors should be closed and +secured. +Supervision: The applicant/organization must provide sufficient +supervisory personnel to ensure proper supervision for the safety +of members/guests and regulate responsible usage. The +organization will be responsible for all costs incurred to repair any +damage done to the premises. Custodial employees are not +available for supervising the premises but do have obligations +connected with cleaning and maintenance of the building. +Licenses: In addition to the permit required by the regulations of +the School Committee, for any exhibition or entertainment where +an admission fee will be required, a license under the provisions +of Chapter 348 of the Special Acts of 1915 must be obtained. This +license can be obtained by applying to the Mayor of the City of +Boston and paying the required fee. No such license is required +for entertainment in school buildings by or for the benefit of the +pupils thereof, and under the supervision of the principal/head of +school. + + +Page 6: +Superintendent’s Circular FMT-05 +Page 6 of 9 + + + +Police Attendance: If admission is charged, the person to whom +the permit is issued must make provisions for BPS School Police +attendance. If a school building is occupied outside of school +hours by third-party programs, sufficient BPS School Police +attendance is necessary if there are sixty (60) or more persons +occupying the facility. A BPS School Police detail is the sole +responsibility of the renter(s). If BPS School Police are not in +attendance, BPS Facilities Management may cancel the permit +and exclude all persons from the building. +Time for Filing Permit Requests: Building permit requests during +the school year must be submitted. No definite and final +reservations are made until (1) the request is approved by the +principal/head of school and (2) Facilities Management has given +final approval and activated the permit. +Gymnasium Permit Start and End Date: Gymnasium permits will +begin the last week of September and end two (2) weeks prior to +the closing of school. +Alcohol, Smoking, and Food Regulations: According to state law, +alcoholic beverages are not allowed in public school buildings. +Consumption of food and/or beverages is not permitted in the +auditorium or conference rooms. Smoking is not permitted in any +school building. +Payment: Personal/company checks; certified bank checks, +and/or money orders will be accepted as forms of payment. Cash, +credit cards, and money transfers are not accepted forms of +payment. Any check returned for insufficient funds will be +charged an additional $25.00. +Right to Cancel: Heads of schools/principals reserve the right to + + +Page 7: +Superintendent’s Circular FMT-05 +Page 7 of 9 + + + +request cancellation of any requested permit activity occurring at +their facility. BPS Central Administration will make final +determinations regarding principal/head of school cancellation +requests. BPS Central Administration has the right to cancel any +permit in violation of BPS building usage and/or safety policies. +Obligation to Clean: Requester is obligated to clean and organize +any used building space and return the building space to the +state it was found it. If the space is not suitably cleaned and/or +returned to the state it was in prior to use, the requester may be +charged additional custodial and/or other fees and may lose the +privilege of using any BPS facility in the future. +School Closures: If schools are closed due to inclement weather +or other emergencies, all permits are automatically +canceled/suspended for the duration of the inclement weather or +other emergency. Gymnasiums are not available for rental during +holidays and Christmas, February, April, and summer vacations. +Weekend Use: If snow is forecast, Facilities Management cannot +guarantee that parking lots will be cleared for scheduled events. +Organizations are urged to contact Facilities Management to +cancel when necessary. You may contact the area manager on +duty through Municipal Protective Services at 617-635-4844 to +cancel. +PERMITS DURING SUMMER TERMS +Permit Approval: Summer permit requests will be routed first to +BPS Facilities. The school leader will then receive notification of +the approval of building use. +Permit Start and End Date: Summer programs may operate in + + +Page 8: +Superintendent’s Circular FMT-05 +Page 8 of 9 + + + +BPS buildings between July 8 and August 9, 2024, with one day +of setup to be arranged with the school leader prior to July 1, +2024. Gymnasium permits will begin one week after the opening +of school and end one week prior to the closing of school. +Student and Employee Attendance: Programs operating in BPS +buildings must record daily student and staff attendance to be +available upon request. +Identification: During the summer, all adults working in any BPS +building must wear an identifying name badge indicating at +minimum their full name and organization/program name. +Specifications for employees working in BPS buildings during +summer staff are as follows: +• BPS summer staff: All BPS employees must wear their BPS +issued ID. +• Non-BPS summer staff hired via OHC external hiring +process: All non-BPS summer staff must wear their BPS +Summer ID issued by OHC at their Welcome Session. +• Community-based program staff: Must wear a visible +organizational ID badge every day during the program. +BOSTON PUBLIC SCHOOLS FACILITIES RENTAL FEES +All events and functions to be held in Boston Public School +buildings will be implemented in accordance with the following +fee schedule. +One Time Event ··········· $515.00/event +Continuous Usage ······ $2,575.00 per 10 events +Utilities ·························· $95.00/hour +Senior Custodian ········· $49.00/hour + + +Page 9: +Superintendent’s Circular FMT-05 +Page 9 of 9 + + + +Junior Custodian ········· $37.00/hour + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave, Dorchester, MA 02125 +Phone: +617-635-9162 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-08 Recycling and Zero Waste Policy.txt b/data/data_txt1/Facilities Management (FMT)/FMT-08 Recycling and Zero Waste Policy.txt new file mode 100644 index 0000000..b2e50f7 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-08 Recycling and Zero Waste Policy.txt @@ -0,0 +1,341 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-08 +Version 01 + + + +BOSTON PUBLIC SCHOOLS RECYCLING AND ZERO +WASTE GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +The Commonwealth of Massachusetts and City of Boston seek to +minimize waste by reducing, reusing, and recycling. State policies +and programs such as the Environmentally Preferable +Purchasing Policy, MassDEP’s Waste Ban Regulations, and +Executive Order 484 – Leading by Example, and the City of +Boston Zero Waste Plan are helping state agencies and +municipalities create healthier buildings and cleaner +communities while simultaneously reducing costs. Boston Public +Schools (BPS) has been actively recycling for over a decade. By +reducing the amount of resources we use and waste we produce, +we are creating a healthier and more sustainable Boston Public +Schools. +BPS is committed to Zero Waste because: +• Recycling is a core component of the City of Boston's +commitment to zero waste. +• Recycling is free for BPS, while trash is an operational cost +for BPS. School recycling is picked up curbside for free by +Boston Public Works Department (PWD) as part of the PWD + + +Page 2: +Superintendent’s Circular FMT-08 +Page 2 of 10 + + + +Residential Recycling program. School trash is picked up at +a cost by a contracted waste hauler. Increasing recycling +while reducing trash decreases BPS operating costs, funds +which could otherwise be directed to teaching and learning. +• School zero waste programs mitigate clutter. Clutter +attracts pests, creates asthma triggers like dust, and takes +up valuable school space that could otherwise be used for +teaching, learning, and organized storage. +• School zero waste programs create hands-on learning and +engagement opportunities for students and staff. A +successful zero waste program incorporates education and +collaboration. +• The principles of zero waste – redesign/rethink, refuse, +reduce, repurpose, reuse, recycle – teach us responsibility for +our schools and our waste. + POLICY +The intent of this BPS Zero Waste Policy is to reduce the amount +of waste generated by building occupants and reduce the +amount of non-recyclable waste that is hauled to and disposed of +in landfills or incineration facilities. Boston Public Schools has +created this policy which aligns with the City of Boston’s Zero +Waste Plan. +Boston Public Schools is responsible for providing recycling +equipment, education, and cardboard hauling services to all +buildings operated by BPS, and for ensuring that banned +materials are separated from trash at the school and other +building sites, according to MassDEP’s Waste Ban Regulations +(310 CMR 19.017). The City of Boston Public Works Department is + + +Page 3: +Superintendent’s Circular FMT-08 +Page 3 of 10 + + + +responsible for providing curbside hauling services for all BPS +single-stream recycling. +School principals/heads of schools, and custodians must ensure +single stream recycling equipment and signage are displayed to +collect applicable materials (cardboard, glass, metals, paper, +plastics) and that other materials are collected and recycled +and/or disposed of properly, including but not limited to: office +supplies, books, textiles, yard waste, batteries, ink/toner, +electronics, and furniture. +Each school is responsible for identifying a zero waste champion +who serves as the liaison to BPS Facilities Management and +whose duties can include educating the school on recycling +practices, advising a student recycling team, and ensuring the +school has recycling equipment and signage provided by +Facilities Management. The zero waste champion and custodial +staff are encouraged to participate in the school’s Wellness +Council to ensure that waste management is prioritized and that +the school’s indoor environment is upheld as a healthy and clean +place to learn and work. +IMPLEMENTATION PLAN +Boston Public Schools recycling and zero waste guidance and +resources can be found at bostongreenschools.org/zero-waste. +Please use the BPS Zero Waste Guide and BPS recycling signage. +BPS provides the following recycling services: single stream +(paper, metal, glass, plastic, paperboard), corrugated cardboard, +electronic waste, furniture, books, yard waste, construction +waste, hazardous waste, and universal waste. + + +Page 4: +Superintendent’s Circular FMT-08 +Page 4 of 10 + + + +Recycling is a collaborative effort and will require support from +the principal/head of school, custodians, cafeteria staff, teachers, +students, zero waste champions, and Facilities Management. +Schools are encouraged to form a student-led Zero Waste Team +to help manage the single stream recycling program and keep it +running smoothly throughout the school year. Schools are +encouraged to host an annual recycling event to educate the +school community about recycling best practices and announce +any new recycling or waste management initiatives. +For recycling to be successful across BPS, each school must: +• Identify a zero waste champion (teacher, staff, active +volunteer, or a staff-advised student team) to be a liaison to +the Facilities Department and a recycling advocate in the +school. +• Incorporate recycling tasks into the custodial work plan. +• Allow time for the zero waste champion and the senior +custodian to attend any recycling training with Facilities +Management. +• Commit to providing ongoing education to the school +community about recycling best practices to divert as much +recycling material from the waste stream as possible. +• If your school needs recycling equipment (boxes, carts, +barrels, lids, wheels, or signage), complete and submit the +Zero Waste Equipment Request form to request free +equipment from Facilities Management. BPS warehouse +staff will deliver the equipment. +• Place recycling signage and equipment in appropriate +places and implement updates to the program per + + +Page 5: +Superintendent’s Circular FMT-08 +Page 5 of 10 + + + +instruction from Facilities Management. +• Equipment must be placed in a 1:1 ratio – one recycling bin +next to one trash bin. +• Classrooms and offices must have small recycling bins or +boxes and trash bins (one of each per room). These small +bins should be emptied into the larger recycling barrels or +carts and trash barrels, respectively. +• Hallways, common areas, food service areas, and +gymnasiums should have recycling barrels or carts and +trash barrels. Recycling barrels should be emptied into carts, +and carts should be rolled outside to the curb before 6am on +the day of your school recycling pick-up. You can find your +recycling pick-up day by school address at +https://www.boston.gov/trash-and-recycling-day-schedule- +and-search. Trash barrels should be emptied into the trash +dumpster, which is serviced by BPS’s contracted waste +hauler. +RECYCLING PROCEDURES AND CONTACTS +Zero Waste Program and Education +• Sustainability, Energy, and Environment Program Director, +Operations-Department-Heads@bostonpublicschools.org or +617-635-9576, or visit bostongreenschools.org/zero-waste if +you have questions about the BPS Zero Waste Program or +need educational materials and support. + + + + +Page 6: +Superintendent’s Circular FMT-08 +Page 6 of 10 + + + +Recycling Equipment +• If your school needs recycling equipment (boxes, carts, +barrels, lids, wheels, or signage), please complete the Zero +Waste Equipment Request form to request free equipment +from Facilities Management. BPS warehouse staff will +deliver the equipment. Get the form at +bostongreenschools.org/zero-waste. +Single-stream Recycling +• Paper, and most plastic, glass, and metal containers can be +recycled and picked up curbside by the Public Works +Department (PWD). Learn more at +https://www.boston.gov/trash-and-recycling. +• Question about a particular item? Visit the state’s +RecycleSmartMA.org and use the Recyclopedia tool. +• Was your curbside recycling not picked up? Call the City of +Boston 311 or report through the 311 App. PWD will be +notified immediately of your missed pick-up. Indicate your +school, your address, and the issue you had with a missed +pick-up. +• Contact Area Manager, Operations-Department- +Heads@bostonpublicschools.org or 617-763-1030, if you have +questions or concerns related to the trash and recycling +dumpsters. +Cardboard Recycling +• All corrugated cardboard must be separated from the +single-stream recycling, flattened, and stacked into +hampers for pickup, because BPS receives income for + + +Page 7: +Superintendent’s Circular FMT-08 +Page 7 of 10 + + + +cardboard that is put back into the recycling program. +Cardboard is regularly collected by BPS warehouse staff, +separately from PWD’s curbside pick-up. +• Contact Sustainability, Energy, and Environment Program +Director if your school needs an additional cardboard pickup +or there were issues with the collection. +Food Waste +• At this time, BPS does not compost food waste. Therefore, +all food waste should be placed into the large trash barrels. +Food waste should never be put into any type of recycling +bin, barrel, or cart, nor should it be put into classroom trash +bins. By putting food waste into the large trash barrels, you +are helping to prevent pests, spills, and odors in the +classrooms. +• BPS will begin implementing food waste collection and +composting services at some schools in 2022-2023, with +plans to add services at additional schools each subsequent +year. +• Contact your Food & Nutrition Services representative with +questions about food waste. +Reuse: Books, School and Art Materials, Sports Equipment, +Clothing, etc. +• Consider setting-up a “reuse station” in your school for +unwanted school supplies that could be used by another +person in the school. +• Contact the Office of Academics and Professional Learning, +bostonpublicschools.org/Domain/2439, for anything related + + +Page 8: +Superintendent’s Circular FMT-08 +Page 8 of 10 + + + +to unwanted books or curriculum. +• Clothing and textiles can be placed in the Bay State Textiles +or Helpsy boxes, which can be found at multiple school +locations. Learn more at bostongreenschools.org/zero- +waste, including how your school can add a textiles +recycling box to your schoolyard. +Furniture +• All furniture waste must be reviewed by BPS Facilities +Management for reuse, redistribution, or proper disposal. +• Contact Assistant Director, Building Services, Operations- +Department-Heads@bostonpublicschools.org for any +furniture related questions. +Electronic (anything with a plug or cord) and Toner/Ink +Cartridge Recycling +• BPS OIIT manages the collection of old and recyclable IT +equipment such as printers, monitors, computers, and TVs, +and ink and toner cartridges. +• Complete Form 57 and submit to OIIT. OIIT will schedule a +vendor to pick up the items. Get the form at +bostongreenschools.org/zero-waste. +Universal Waste/Hazardous Waste +• All universal waste (lamps, batteries, mercury-containing +devices, and pesticides) and hazardous waste must be +properly labeled and stored in the school’s accumulation +location. +• Contact Sr. Environmental Supervisor, Operations- +Department-Heads@bostonpublicschools.org or 617-828- + + +Page 9: +Superintendent’s Circular FMT-08 +Page 9 of 10 + + + +0695, to schedule a pick-up. +Metal Recycling +• Contact Area Manager, Operations-Department- +Heads@bostonpublicschools.org or 617-763-1030, to recycle +metal furniture or scrap items. +Yard Waste +• Prior to accumulating yard waste, contact Head +Groundskeeper, Operations-Department- +Heads@bostonpublicschools.org or 617-293-3889 to +schedule a pick-up. All schoolyard waste must be bagged in +compostable brown bags or in plastic barrels. All branches +need to be cut into small pieces and bundled. +Facility Alterations, Additions, Construction, and Demolition +• Base building elements permanently or semi-permanently +attached to the building itself, including all studs, insulation, +doors, windows, panels, drywall, trim, ceiling panels, carpet, +flooring material, adhesives, sealants, paints, and coatings +should be reused or recycled to the greatest extent possible. +Massachusetts law bans clean gypsum wallboard, concrete, +asphalt, brick, and wood from disposal in the trash. +• BPS Facilities Management shall coordinate with +contractors and Public Facilities Department, when +applicable, to ensure building repair projects are complying +with all waste removal laws. + +For more information about this circular, contact: + + +Page 10: +Superintendent’s Circular FMT-08 +Page 10 of 10 + + + +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9576 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-09 Material Distribution Procedures.txt b/data/data_txt1/Facilities Management (FMT)/FMT-09 Material Distribution Procedures.txt new file mode 100644 index 0000000..60029e7 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-09 Material Distribution Procedures.txt @@ -0,0 +1,89 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-09 +Version 01 + + + +MATERIAL DISTRIBUTION PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +INDIVIDUAL OR SPECIAL PURCHASE ORDERS FOR DELIVERY TO +THE MATERIAL DISTRIBUTION CENTER +Individual or special orders are delivered to users as requested by +department heads. Copies of the purchase order must be +forwarded to the Distribution Center before the material arrives +or it may be refused; if accepted, it may be confused with other +individual orders and sent to the wrong department. Freight +carriers are required to schedule their deliveries with the +Distribution Center. Failure to notify the Distribution Center +before making a delivery may result in your order being refused, +especially during the period between August 1 and November 15 +when storage space is at a minimum. All orders shipped to the +Distribution Center should have an “Attention To:” block which +indicates a person or department to which the material is being +shipped; this is very important. You can stipulate an “Attention +To:” address on your original requisition entered on PeopleSoft. +CUSTODIAL ORDERS +Custodial requisitions are submitted on two forms developed by +Distribution and the Facilities Management Department. The first +form is an annual order form which lists all custodial items + + +Page 2: +Superintendent’s Circular FMT-09 +Page 2 of 3 + + + +authorized for delivery to schools. This form is delivered to each +school on an annual basis in June/July. The second form is a bi- +monthly (every 2 months) “short” form which is delivered to +schools each bi-monthly except those months when the large +annual form is used. Custodians are required to complete these +forms and return them to the Distribution Center. All forms +should be emailed to warehouse@bostonpublicschools.org or +faxed to the Distribution Center at 617-635-8581. All orders which +are not a part of regular bi-monthly cycles must be submitted +and approved by Facilities Department custodial area managers. +REQUIRED DATA +Department head signatures, shipping location, and “Attention +To” are required on all requests; if any of these items are missing, +your requests could be delayed or may ship to the wrong +department. +Please call the Distribution Center at 617-635-8745 if you have +special requirements or problems, or fax us at 617-635-8581, or +email warehouse@bostonpublicschools.org. + + + +Page 3: +Superintendent’s Circular FMT-09 +Page 3 of 3 + + + +For more information about this circular, contact: + +Owner: +Executive Director of Facilities +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9170 +Fax: +617-635-9252 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-10 Integrated Pest Management (IPM).txt b/data/data_txt1/Facilities Management (FMT)/FMT-10 Integrated Pest Management (IPM).txt new file mode 100644 index 0000000..3ea7b1d --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-10 Integrated Pest Management (IPM).txt @@ -0,0 +1,233 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-10 + Version 01 + +INTEGRATED PEST MANAGEMENT (IPM) +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +MISSION STATEMENT +To further ensure a healthy and safe learning and work +environment at all Boston Public School (BPS) buildings, BPS will +be implementing a systemwide IPM program. IPM is a holistic +approach to control pest activity and to reduce pesticide usage in +the building and surrounding landscape. +IMPLEMENTATION PLAN +A key component of an effective IPM plan is the selection of an +IPM coordinator. The IPM coordinator should be someone with +administrative authority to adequately enforce and implement +the program. The IPM coordinator acts as a representative of the +principal. The IPM coordinator is required to establish an IPM +Committee, which will include interested stockholders (e.g., +custodian(s), after school program, community school (as +applicable), food service manager, teacher, etc.). +State laws and regulations require all school buildings and +licensed daycares to register an indoor and outdoor IPM plan +with the Massachusetts Department of Agricultural Resources +(MDAR). The law requires the IPM plans to be updated and +registered annually. The pest control contractor (PCC) is +responsible to annually update the indoor and outdoor plan. + + +Page 2: +Superintendent’s Circular FMT-10 +Page 2 of 7 + +All IPM plans must be updated annually by the pest control +contractor by December 1. The PCC will meet with the +principal/head of school or designee to update the plan. The +updates will include but not be limited to technical components, +pest treatment products, and devices of the IPM plan. The +principal/head of school or designated representative (i.e., IPM +coordinator) will provide the PCC with the school's information, +including but not limited to school name and address, name of +principal/head of school, IPM coordinator’s name, IPM Committee +members, etc. +The logbook must contain the following sections: +• A copy of the MDAR approved indoor and outdoor IPM +plan +• Complaint/sighting forms +• Pest control contractor inspection and treatment reports +• Treatment product health and safety information (similar +to a material safety data sheet) +• Pest control contractor (PCC) information (name and +address of company, contact person, telephone number, +etc.) +NOTE: It’s very important that all pest problems/issues be +entered into the logbook to ensure problem areas are treated +during monthly inspections. +MONTHLY INSPECTION +1. All PCCs working in BPS facilities will be familiar with +the BPS IPM protocol. +2. Prior to the start of any service, the PCC will report to +the main office and review the IPM logbook for recent + + +Page 3: +Superintendent’s Circular FMT-10 +Page 3 of 7 + +entries. +3. The PCC will conduct a monthly inspection of all school +buildings. The minimum inspection will include a +physical inspection and assessment of the following +areas, noting IPM related deficiencies: +a. Food prep and storage areas +b. Dumpster and waste storage areas +c. Loading and receiving areas +d. Building grounds +e. Teacher’s lounge +f. Entry points or connections from a mechanical +space or crawl space +g. Boiler room area, mechanical rooms, and +moveable storage areas +h. Storage rooms, sinks, and custodial storerooms +i. Noted rooms with recent complaints (those +areas/rooms marked with a complaint after the +last service call) +j. Other suspected areas +4. Temporarily seal all potential rodent access holes or +voids (< 3 in. diameter), including voids around pipes +and duct penetrations or any other penetrations. The +PCC will only use approved sealants. The PCC will +provide product specifications for sealants prior to any +use in BPS facilities. The Alterations and Repairs +supervisor will be contacted to permanently seal any +penetrations. +5. The PCC will vacuum any rodent droppings around any +area where traps, glue boards, monitoring stations, etc. +have been placed. +6. The PCC will inspect the above noted areas and make +recommendations for enhanced treatment as + + +Page 4: +Superintendent’s Circular FMT-10 +Page 4 of 7 + +necessary. +7. The PCC will provide electronic copies of any IPM +inspection, treatment, or service via email to the +school’s email address, to the environmental supervisor +or specialist with BPS and Food Services. +The pest control contractor or the school will notify and seek +approval from BPS Environmental Division for any additional IPM +treatments, service calls, or inspections beyond the monthly +treatment. This request must be made through or verified by +email confirmation. +A quality IPM program must effectively control the following +conditions: +• Rodent entry points and access +• Harborage and clutter +• Food source and sanitation +• Moisture +The IPM coordinator must review the IPM logbook immediately +following each inspection. The coordinator will create a work +order request addressed to the environmental supervisor for +treatment or necessary repairs. + + + + +Page 5: +Superintendent’s Circular FMT-10 +Page 5 of 7 + +Clutter is a major issue that needs to be addressed for an +effective IPM program. Clutter creates harborage for pests +and limits full treatment. Clutter is defined as storage +which: +1. Impedes egresses +2. Limits safe movement throughout the area +3. Blocks and limits access to essential mechanical, utility, +and emergency equipment +4. Becomes stagnant: boxes or materials left on the floor +that show signs of deterioration, water damage, or pest +activity +All unnecessary unwanted or contaminated materials must be +removed. +BED BUG PROTOCOL FOR BOSTON PUBLIC SCHOOLS +Bed bugs are becoming a more common pest problem that +could impact the general quality of life but are not known to +transmit any diseases. Bed bugs are small (less than ¼ inch in +diameter), brownish, flattened insects that are known to bite +people when they are asleep. The bites often may not be felt but +can cause itchiness and swelling. Unlike some other insects (e.g., +head lice), bed bugs do not live on people but may hitchhike on +one’s personal items (backpacks, clothing, books, etc.) to get into +a school building. Bed bug infestations are uncommon in +schools, but since they may get in by other means, schools need +to be proactive. +School’s Response Actions: +1. The school’s IPM coordinator, principal, or head of +school must be notified. +2. Write the complaint in your school’s IPM logbook + + +Page 6: +Superintendent’s Circular FMT-10 +Page 6 of 7 + +which is kept in your main office. Please provide details +in your complaint without divulging anyone’s personal +information. A complaint should be logged for any +suspect bed bugs. +3. Contact the Facilities Management, Environmental +Division at 617-635-8300. +4. If you can capture the insect, place it in a sealed clear +plastic bag (Ziploc) for identification. The pest control +contractor (PCC) will come by to identify the insect as +soon as possible. +5. If a student has been identified with a bed bug, the +personal belongings of all students in the room should +be bagged and sealed tightly. +6. A student who has suspect bite marks should see the +school nurse as soon as possible. +7. The school nurse will contact the student’s parent or +guardian to provide them with contact information for +the Boston Public Health Commission to arrange a bed +bug inspection. +For more information, please visit the link below: +https://bphc.org/whatwedo/healthy-homes- +environment/Documents/bedbug_fact_sheet. + + + + +Page 7: +Superintendent’s Circular FMT-10 +Page 7 of 7 + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +ACTIVITY +TIMELINE +Copy of this year’s Superintendent’s +Circular included in IPM book +Annually by October 1 +Pest control contractors will annually +review and update indoor and outdoor +IPM plans, register with +Massachusetts Department of +Agricultural Resources, and submit to +Facilities Management. +Annually by December 1 + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester MA, 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-11 Green Cleaners Policy.txt b/data/data_txt1/Facilities Management (FMT)/FMT-11 Green Cleaners Policy.txt new file mode 100644 index 0000000..ff7a870 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-11 Green Cleaners Policy.txt @@ -0,0 +1,161 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-11 +Version 01 + + + +GREEN CLEANERS’ POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +BACKGROUND +High-performance schools that have superior indoor air quality +and are healthy and well maintained have been shown to reduce +absenteeism and improve student performance. Many Boston +school children suffer from allergies and asthma, which can be +triggered by poor air quality and chemical, biological, and +particulate contaminants. Long or short-term exposure to toxic +chemicals or harmful particles, gasses, or vapors can have serious +consequences, especially for children, such as asthma, allergies, +depression, hormonal changes, or even cancer. To ensure the +best quality learning environment for our students and working +environment for our staff, it is the responsibility of the Boston +Public Schools (BPS) to minimize the negative impacts that +cleaning products have on occupant health and the +environment. +POLICY +The BPS is committed to providing and maintaining high- +performing buildings and grounds in an environmentally friendly +and sustainable manner. The Green Cleaners Policy is in +accordance with the City of Boston’s executive order relative to + + +Page 2: +Superintendent’s Circular FMT-11 +Page 2 of 5 + + + +greening city building maintenance and operations and +executive order relative to climate action. This policy applies to all +BPS buildings and grounds, including offices, classrooms, +restrooms, cafeterias, gymnasiums, hallways, pathways, +kitchenettes, stairwells, etc. +Under this green cleaning policy, BPS departments, school sites, +and partner programs taking place in schools must comply with +the following: +● Purchase, provide, and use only environmentally friendly +cleaning products that comply with the Green Seal +Environmental Standard (GS-37), including but not limited +to glass, bathroom, carpet, and general-purpose cleaners +used for industrial and institutional purposes. +● All other non-approved cleaning products are prohibited +from being used in BPS buildings and grounds by any staff, +volunteer, vendor, or partner. +● Use of disinfectants for cleaning shall be limited to food +service areas and the clean-up of biological and bodily +wastes and “high touch areas” (when directed). All +disinfectants must be premixed, registered by the U.S. +Environmental Protection Agency, and have a Hazardous +Materials Identification System (HMIS) rating of 2 or less. +● Pre-approved or least toxic and asthma friendly +sanitizer/disinfectants must be used in early learning +centers in accordance with the National Association of +Education for Young Children accreditation standards. + + + + +Page 3: +Superintendent’s Circular FMT-11 +Page 3 of 5 + + + +IMPLEMENTATION PLAN +BPS Facilities Management and custodial staff will maintain this +policy through these implementation steps: +● Ensure vendors can provide proof that their products meet +the criteria for Green Seal Environmental Standard for +Cleaning Products for Industrial and Institutional Use, GS-37. +The Green Seal program is a North American multi-attribute, +lifecycle environmental standard and certification. +● Burnish floor surfaces where applicable to reduce the use of +potentially irritating cleaning and stripping compounds. Any +necessary floor stripping and waxing will be performed +during non-occupied hours. +● Automatic mixing stations will be installed for custodial use +that dispense pre-mixed products to ensure the active +ingredient concentration required by the EPA, limit +employee contact with chemicals for enhanced safety, and +minimize waste. +● Upon request, school custodians will provide teachers and +other BPS staff with OSHA-compliant pre-labeled spray +bottles of mixed green cleaning compounds (desktop and +glass cleaners) that meet the Green Cleaning Policy +standards. +● Train and update BPS custodial staff and others who use +chemicals on the Green Cleaners Policy, including but not +limited to hazard communications (Right to Know law, +MSDS, etc.), worker safety and personal protective +equipment use, safe and proper product and equipment +use, etc. + + +Page 4: +Superintendent’s Circular FMT-11 +Page 4 of 5 + + + +● Custodians will participate on the school’s Wellness Council +to ensure compliance with this policy as well as other +Healthy School Environment policies and initiatives +(recycling, integrated pest management, etc.). +● To the greatest extent possible, cleaning materials and +associated packaging will be reused and/or recycled to +minimize waste. +● Protocols governing safe handling and storage of cleaning +chemicals shall be adopted. Quality control checks will be +used to ensure adoption. +RESPONSIBLE PARTIES +This policy is overseen by the BPS Facilities Management +Department and is updated annually to help ensure cleaning +practices, products, and technologies specified in this policy +meet industry standards and best practices. +BPS staff, contractors, and vendors shall review this policy and +may request additional information and training as required. + + + + + +Page 5: +Superintendent’s Circular FMT-11 +Page 5 of 5 + + + +For more information about this circular, contact: +Owner: +Assistant Director, Building Services +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave, Dorchester, MA 02125 +Phone: +617-635-9576 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.txt b/data/data_txt1/Facilities Management (FMT)/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.txt new file mode 100644 index 0000000..f2f9d42 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.txt @@ -0,0 +1,153 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-12 +Version 01 + + + +LOSS OR DAMAGE RESULTING FROM FIRE, THEFT, +VANDALISM OR UNLAWFUL ACTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +In all cases of loss or damage to Boston School Department +buildings, grounds, or other property, heads of school, principals, +and responsibility center managers must complete Form A +(attached) and follow prescribed procedures upon the discovery +of such incidents. Form A is to be used to report all acts of fire, +theft, vandalism, destruction of property, graffiti, breaking and +entering, and attempts to break and enter. Vandalism is +considered to be all willful acts causing damage to school +department property. +Heads of school, principals, and other responsibility center +managers must also contact the Boston Police or Safety Services +and request that an official Police Department incident report +(commonly referred to as a “1-1”) be prepared. This report serves +as documentation that the incident has been reported to and +logged by the Police Department. Heads of school, principals, +and responsibility center managers should keep a copy of both +Form A and the official police report for their records. +The original Form A and a copy of the police report are to be sent +to the Department of Safety Services, 213 Townsend Street, +Dorchester, MA 02121. + + +Page 2: +Superintendent’s Circular FMT-12 +Page 2 of 4 + + + +Additional copies are to be forwarded to the following +departments: +● Facilities Management +● Academic Superintendents +● Others, as necessary + In the event of emergency or hazardous conditions, notify +Facilities Management immediately. +Refer to Superintendent’s Circular FSE-01 School Safety / +Contingency Plans for additional information. +For more information about this circular, contact: +Owner: +Sr. Supervisor Electrical/Security +Department: +Facilities Management +Mailing Address: 1216 Dorchester Ave., Boston, MA 02125 +Phone: +617-635-8300 +Fax: +617-635-7855 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 3: +Superintendent’s Circular FMT-12 +Page 3 of 4 + + + +FORM A +REPORT OF LOSS OR DAMAGE RESULTING FROM +FIRE, THEFT, VANDALISM OR UNLAWFUL ACTS +This form is to be used to report all acts of fire, theft, vandalism, +destruction of property, graffiti, breaking and entering, or attempts to +break and enter. Vandalism shall be considered to be all willful acts +causing damage to school property. +School or other facility: ________________________________________________ +Date of report: ________________________________________________________ +Specific location of incident: __________________________________________ +Point of entry: ________________________________________________________ +Name of person who discovered the incident: _________________________ +Date/time of incident: _________________________________________________ +Description of damage or loss. Identify property by manufacturer, +model, serial number, and school department identification number: + + + + + +Page 4: +Superintendent’s Circular FMT-12 +Page 4 of 4 + + + +Please complete the following information if this report is the result of +loss, theft, or damage to a laptop/desktop. Once completed, forward a +copy to your Technical Support Teacher (TST). + +Product +Model +Serial # +Asset Tag # +☐ Laptop + + + +☐ Laptop case + + + +☐ Cables + + + +☐ Lock + + + +☐ Desktop Monitor + + + +☐ Desktop CPU + + + + +________________________________________________ ______________________ + +Name of responding Police Officer + +CC Number +_______________________________________________ _______________________ + +Name of Facilities Mgt. personnel notified +Date/Time +_______________________________________________ _______________________ + +Signature +Title +cc: ☐ Facilities Management Copy +☐ Safety Services Copy +☐ Office of Instructional and Information Technology + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-15 SY Environmental Audit Program .txt b/data/data_txt1/Facilities Management (FMT)/FMT-15 SY Environmental Audit Program .txt new file mode 100644 index 0000000..3413d5e --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-15 SY Environmental Audit Program .txt @@ -0,0 +1,108 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FMT-15 +Version 01 + + + +ANNUAL ENVIRONMENTAL INSPECTION/AUDIT +PROGRAM +CONDUCTED BY BOSTON PUBLIC SCHOOLS & BOSTON +PUBLIC HEALTH COMMISSION + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +POLICY +To fully meet the intent and requirements of the City of Boston’s +Indoor Air Quality Ordinance (7.12.1-4), Boston Public Schools +(BPS) and the Boston Public Health Commission (BPHC) have +designated an Indoor Air Quality Unit which shall ensure that a +minimum of two facility inspections per occupied school building +are completed on an annual basis. A report with an assessment +of conditions at each site will be developed by BPS and BPHC +and presented to school principals/heads of schools and +published on the BPS website annually. +IMPLEMENTATION PLAN +The Indoor Air Quality (IAQ) Unit responsible for completing the +annual BPS environmental inspections/audit (inspection) will be + + +Page 2: +Superintendent’s Circular FMT-15 +Page 2 of 3 + + +comprised of representatives from BPS Facilities Management’s +Environmental Division and the BPHC’s Office of Environmental +Health. +The IAQ Unit will conduct two inspections of each occupied BPS +owned or operated building during the academic school year. +The inspections will begin after the beginning of the academic +school year and will be completed by the end of the academic +year of the following year. An environmental audit will be done by +the BPS and the BPHC. +The inspection report will investigate and note environmental +conditions in each report. The inspectors will test and look for +health and safety conditions throughout the interior and exterior +of each building including but not be limited to: general +sanitation and housekeeping; water-staining, leaks, and mold; +general building repair; signs of pest infestation and activity; +general life safety; unobstructed means of egress; bathroom +sanitation, hygiene, and operability; general ventilation, etc. +Upon completion of the annual environmental inspection, +Facilities Management will immediately address critical health +and safety deficiencies by filing a work order with the appropriate +division. They will incorporate other needed work at the school +sites into the annual budgeting process. On an ongoing basis, +Facilities Management will provide technical assistance to +principals/heads of schools on environmental problems and +other building-related issues. + + + + +Page 3: +Superintendent’s Circular FMT-15 +Page 3 of 3 + + +SIGNIFICANT DATES AND DEADLINES +Date +Activity +September Environmental inspections will begin after the +beginning of the academic school year. +Ongoing +Principals/heads of schools will receive a detailed +inspection report following completion of the +building inspection. +June +Environmental inspections of all school buildings +will be completed by the end of the academic year. +August 31 + +Environmental inspection reports to be posted on +the BPS website (linked from +https://www.bostonpublicschools.org/domain/175) + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing +Address: +1216 Dorchester Avenue, Dorchester, MA, 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-18 Science Safety in Schools.txt b/data/data_txt1/Facilities Management (FMT)/FMT-18 Science Safety in Schools.txt new file mode 100644 index 0000000..1186d16 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-18 Science Safety in Schools.txt @@ -0,0 +1,303 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FMT-18 +Version 01 + +SCIENCE SAFETY IN SCHOOL LABORATORIES AND +CLASSROOMS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools (BPS) has developed a Science Safety Plan +to promote a safer and more effective learning environment for +students and a healthier workplace for teachers and other +employees within science classrooms and laboratories in Boston +Public Schools. The Science Safety Plan is a comprehensive effort +to address chemical use, storage, and disposal procedures, as +well as the prevention and/or minimization of and response to +chemical spills and other accidents. +The districtwide plan addresses the needs of all BPS science +classes and is consistent with the requirements of the U.S. +Department of Labor, Occupational Safety and Health +Administration’s (OSHA) 29 CFR 1910.1450 Occupational +Exposures to Hazardous Chemicals in Laboratories for the +protection of our students and employees, as well as guidance +materials from the National Fire Protection Association (NFPA), +the National Institute for Occupational Safety and Health +(NIOSH), and the Boston Fire Department. The Science Safety +Plan promotes a culture of safety in science and the safe +operation of all science laboratories for students, faculty, and +staff. +To ensure that all students and their teachers work in an +environment which is safe, it is necessary to formulate standard +procedures and requirements for all schools and their personnel. + + +Page 2: +Superintendent’s Circular FMT-18 +Page 2 of 8 + +The Science Safety Plan and this circular will be reviewed +annually. +Your performance of these procedures is required. +RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOLS +1. +Ensure that all science classes and laboratories are +assigned to and conducted in appropriately equipped +Science Rooms. +2. +Provide a list of all science teachers/teachers of science to +the Science Department by October 1st each year using +the form provided in Appendix R of the BPS Science +Safety Plan. +3. +Appoint a Science Safety Coordinator (SSC) and ensure +they: +a) Attend the mandatory Chemical Safety Training +session co-hosted by the Science Department and +Flinn Scientific. +b) Conduct an annual chemical inventory. +c) Complete the required safety checks as stated in +Sections J and O of the BPS Science Safety Plan. +4. +Inform the staff and students in writing of the safety +standards and procedures, including the need to wear +eye protection devices. +5. +Ensure that workable fire extinguishers, blankets, safety +showers, and eyewash equipment are readily available +and that appropriate personnel receive training in the use +of each. +6. +Ensure staff review and implement the BPS Science +Safety Plan. + + +Page 3: +Superintendent’s Circular FMT-18 +Page 3 of 8 + +7. +Ensure that staff has instructed all students in safety +standards and procedures, including the BPS Science +Safety Plan and the School Safety Plan. +8. +Post building evacuation procedures in classrooms, +laboratories, and chemical storage rooms. +9. +Conduct quarterly fire drills. +10. +Maintain adequate lighting and proper ventilation in +laboratories and classrooms, and report problems to +Facilities Management immediately. +11. +Be sure that teacher evaluations reflect the +implementation of safety standards and procedures. +12. +Ensure that a "Right to Know" workplace notice is posted +in the school's Science Rooms pursuant to Mass. Gen. +Laws c. 111F. +13. +Ensure a copy of all safety data sheets (SDSs) is +maintained in the main office and chemical storage areas. +14. +Ensure that all instructors working with toxic or +hazardous substances receive training as specified in +Chapter 111F of the Massachusetts General Laws through +the Science Department. +15. +Notify the Science Department of any accident or injury in +a Science Area. +16. +Submit the Annual Hazardous Material Permit +Application to Boston Fire Department and post the +current permit in the main office. + + + + +Page 4: +Superintendent’s Circular FMT-18 +Page 4 of 8 + +RESPONSIBILITIES OF TEACHERS +1. +Review and implement the Science Safety Plan, including +SOPs for general laboratories, chemical use and storage, +chemistry laboratories, biology laboratories, physics +laboratories, and waste management. +2. +Attend annual safety training(s) including science safety +and first aid. +3. +Practice safety procedures and serve as the model for +good safety conduct for students. +4. +Establish a Student Safety Contract with each student +prior to any laboratory activities. +5. +Require the use of appropriate personal protective +equipment. +6. +Avoid accidents by insisting that students dress properly +for the laboratory. +7. +Supervise students at all times. Under no circumstances +shall a teacher leave students unsupervised in a +laboratory or chemical storage room. If an instructor must +leave the laboratory in an emergency, they must: +a) Arrange for a qualified teacher as a replacement, OR +b) Relocate students to a properly supervised area, +c) Lock the laboratory, and +d) Shut off equipment. +8. +Inspect fire extinguishers monthly and safety showers +and eyewash stations weekly (SSC or science teacher in +charge). +9. +Maintain first aid kit in an easily accessible area (SSC or +science teacher in charge). + + +Page 5: +Superintendent’s Circular FMT-18 +Page 5 of 8 + +10. +Maintain a chemical inventory using the online +ChemVentory system, update at least annually, and +submit an electronic copy to the Science Department and +Facilities Management by October 1st each year (SSC or +science teacher in charge). +11. +Ensure SDSs for all chemicals are accessible and copies +are kept in the chemical storage room or school’s Science +Department and in the administrative main office (SSC or +science teacher in charge). +12. +Store all chemicals in their compatible chemical families. +13. +Keep all chemical storage rooms or cabinets locked at all +times when not in use. +14. +Label all chemical storage rooms/cabinets and laboratory +doors with the appropriate NFPA Diamond (SSC or +science teacher in charge). +15. +Ensure all chemical and waste containers are labeled +appropriately and stored safely until they can be +removed. Contact Facilities Management for removal. +16. +Implement the appropriate emergency procedure, waste +disposal, spill cleanup, evacuation routes, and fire +emergency notification when needed. +17. +Consult with the Science and/or Facilities Management +Department staff as appropriate regarding the use of +Class 1A flammables, compressed gasses, donated +chemicals, and the implementation of any laboratory +experiment that may be more hazardous than those +contained in the district-identified curriculum. +18. +Report all accidents and injuries to the principal/head of +school and direct supervisor. + + +Page 6: +Superintendent’s Circular FMT-18 +Page 6 of 8 + +19. +Report lighting, ventilation, safety equipment, and +laboratory disrepair to principal/head ofschool, direct +supervisor, and Facilities Management. +RESPONSIBILITIES OF STUDENTS +1. +Practice good chemical hygiene habits. +2. +Maintain an awareness of health and safety hazards and +report unsafe practices and conditions to the teacher. +3. +Report all accidents and injuries to the teacher +immediately. +4. +Know and follow emergency procedures. +5. +Notify the teacher of any sensitivity or allergy to +chemicals. +6. +Wear appropriate apparel and personal protective +equipment, including goggles, during laboratory +activities. +7. +Conduct all activities according to teacher instructions to +ensure the Science Safety Plan is followed. +TECHNICAL ASSISTANCE +Facilities Management and BPS district Science Department will +provide all schools with technical assistance in improving and +maintaining safety procedures. Facilities Management and Safety +personnel are available to coordinate fire prevention activities +and building and safety equipment inspections. + + + + +Page 7: +Superintendent’s Circular FMT-18 +Page 7 of 8 + +Contact: +• Chief Environmental Technician, Facilities Management + +617-635-8300 +• Assistant Superintendent, Office of Teaching and Learning +617-635-8079 + +For more information about this circular, contact: +Owner: +Sr. Environmental Supervisor +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave., Boston, MA 02108 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Science, Technology, and Engineering +Department +Department: +Office of Teaching and Learning +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Boston, MA 02125 +Phone: +617-635-8750 +Email: +bpssciencematerials@bostonpublicschools.org + + + + + +Page 8: +Superintendent’s Circular FMT-18 +Page 8 of 8 + +Additional contacts in the Office of Teaching and Learning: +Chief of Teaching and +Learning +OPL@bostonpublicschools.org +Executive Director of STEM OPL@bostonpublicschools.org +Program Director, High +School Science +OPL@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).txt b/data/data_txt1/Facilities Management (FMT)/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).txt new file mode 100644 index 0000000..8f6fc17 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).txt @@ -0,0 +1,338 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-19 +Version 01 + +BPS STANDARD OPERATING PROCEDURE FOR +CLEANING AND DISINFECTING BODY FLUID SPILLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +PURPOSE +This standard operating procedure (SOP) will be implemented to +ensure BPS custodians safely and properly respond to all +incidents requiring cleaning and disinfecting of body fluid spills. +Body fluids – including vomit, diarrhea, and blood – are +considered potentially infectious. Employees should always treat +any body fluid response action as potentially infectious and +always wear proper personal protective equipment when +cleaning and disinfecting body fluid spills. +PROCEDURES +1. Contain the affected area. +● Discontinue food service operations if a spill occurred +in food preparation or service areas. +● Remove students and staff from the affected area or +classroom. +● Block off the area of the spill from staff and students +until cleanup and disinfection are complete. For +incidents involving vomit, contain all areas within 25 +feet of the spill. + + +Page 2: +Superintendent’s Circular FMT-19 +Page 2 of 10 + + + +● Send sick students and staff to the school nurse. +● Excuse (e.g., send home) food service employees with +symptoms of vomiting or diarrhea from food service +operations. Refer to the TFER Exclusions and +Restrictions for Ill or Infected Food Service Employees +for guidance. Please refer to the food service employee +reporting agreement. +● Allow only food service employees and/or custodial +staff designated to clean and disinfect body fluid spills +in the affected area. +2. Put on personal protective equipment (PPE), including: +● Wear disposable, non-latex gloves. Gloves should be +vinyl or nitrile (rubber), and non-powdered. +● Consider double-gloving (wearing two gloves on each +hand). Replace gloves if they tear or become visibly +soiled. Keep hands away from the face while wearing +gloves. +● Wear a face mask and eye protection (goggles or +protective glasses). +3. Remove visible body fluid. +● Put on new disposable gloves. Consider double +gloving. +● Clean the affected area with soap and water, and paper +towels and/or a disposable mop head. This includes +surfaces that came into direct contact with body fluids +and surfaces that may have been contaminated with +body fluids. Before disinfecting, all surfaces should be +thoroughly cleaned (i.e., not visibly soiled). + + +Page 3: +Superintendent’s Circular FMT-19 +Page 3 of 10 + + + +● Dispose of the paper towels and/or disposable mop +head in a plastic garbage bag. +● Remove gloves and discard in a plastic garbage bag. +● Wash hands. +Food contact surfaces: +● Put on new disposable gloves. Consider double +gloving. +● Clean the affected area with soap and water. +● Rinse thoroughly with plain water. +● Wipe dry with paper towels. +● Dispose of paper towels in a plastic garbage bag. +● Disinfect surfaces. +● Prepare and apply a solution of ¾ cup concentrated +bleach + 1 gallon of water. +● Leave the surface wet for at least 5 minutes. +● Rinse all surfaces intended for food or mouth contact +with plain water before use. +● Wipe down with sanitizing solution concentration for +food contact surfaces to air dry. +● Wash your hands thoroughly with soap and water. + + + + +Page 4: +Superintendent’s Circular FMT-19 +Page 4 of 10 + + + +Non-absorbent surfaces (i.e., tile, stainless steel): +● Prepare a disinfecting solution. The disinfecting +solution shall be an EPA registered hospital grade +disinfectant.* +● Wear all PPE, including the face mask and eye +protection or goggles. Ensure that area is well +ventilated (mix solution outdoors if necessary). +● Prepare a disinfecting solution per manufacturer’s +recommendations immediately before applying it to +surfaces. It is recommended that this solution be used +on surfaces that have had any direct contact with body +fluids. +● Transfer solution to a spray bottle. +● Using the spray bottle, generously apply the +disinfecting solution to affected surfaces, including +surfaces that came into direct contact with body fluids, +and surfaces that may have been contaminated with +body fluids. +● For incidents involving vomit, disinfect all areas and +surfaces within 25 feet of the spill. +● Use in a well-ventilated area. +● Disinfect high touch areas (e.g., door handles, toilets, +dispensers, carts, sink faucets, telephones, etc.) +throughout the food service area, cafeteria dining +areas, break rooms, and restrooms using disinfecting +solution and paper towels. +● Leave the disinfecting solution on affected surfaces for +a minimum of 5 minutes. If another EPA-approved + + +Page 5: +Superintendent’s Circular FMT-19 +Page 5 of 10 + + + +disinfectant is used, follow the manufacturer’s +instructions. +● Rinse surfaces with clean water and paper towels +and/or a disposable mop head. +● Allow surfaces to air dry. +● Dispose of the paper towels and/or disposable mop +head in a plastic garbage bag. +● Remove gloves and dispose of them in a plastic +garbage bag. +● Wash hands. +* EPA-approved disinfectants may be used instead of +chlorine bleach solutions. EPA-approved disinfectants +appropriate for vomit and diarrhea may be found at +www.osha.gov/sites/default/files/publications/norovirus +-factsheet.pdf. CDC guidelines on norovirus outbreak +management and disease prevention recommend +using chlorine bleach solutions on hard surfaces when +possible. EPA-approved disinfectants appropriate for +blood may be found www.epa.gov/pesticide- +registration/selected-epa-registered-disinfectants. +Absorbent surfaces (i.e., carpet, upholstery, cloth): +● Disinfect with a chemical disinfectant when possible or +remove and dispose of the affected material. The +material will be double-bagged and disposed of +through mainstream waste disposal. +● Steam clean for a minimum of 5 minutes at 1700F. + + +Page 6: +Superintendent’s Circular FMT-19 +Page 6 of 10 + + + +● Launder in a mechanical washing machine on the +hottest water setting, and dry in a mechanical dryer on +a high heat setting. +● Dispose of disinfecting materials in a plastic garbage +bag, as appropriate. +● Remove gloves and dispose of them in a plastic +garbage bag. +● Wash hands. +4. Discard potentially contaminated food. +● Put on new disposable gloves. Consider double +gloving. +● Dispose of exposed food and food in containers that +may have been contaminated by body fluid in a +garbage bag. +● For incidents involving vomit, discard all food within 25 +feet of the spill. Food stored in intact, sealed containers +(i.e., cans) may be salvaged if adequately cleaned and +disinfected. +● Remove gloves. Dispose of gloves in a plastic garbage +bag. +● Wash hands. +5. Dispose of PPE and cleaning and disinfecting materials. +● Put on new disposable gloves. Consider double +gloving. +● Securely tie garbage bags containing all of the +disposed of materials. + + +Page 7: +Superintendent’s Circular FMT-19 +Page 7 of 10 + + + +● Place garbage bags in a second garbage bag (double +bag). +● Clean all non-disposable items (bucket, mop handle, +etc) with soap and water; then disinfect. Allow these +items to air dry. +● Remove PPE, including disposable gloves, and place in +a second garbage bag. +● Securely tie the second garbage bag. +● Discard the bag(s) in the dumpster. +● Remove soiled clothes, if necessary, and place clothes +in a separate garbage bag. Securely tie the garbage +bag. Keep clothes in the tied garbage bag until they +can be adequately laundered. +6. Wash hands, arms, and face with soap and water in a +restroom sink or hand sink. Put on clean clothing, if +necessary. Apply ethanol-based hand sanitizer to hands. +7. Wash, rinse, and sanitize potentially contaminated food +contact surfaces. Include food contact surfaces that were +disinfected in step 5 of this SOP, and food contact surfaces +that contained food discarded in step 6 of this SOP. +8. Restock supplies for cleanup. + + + + + +Page 8: +Superintendent’s Circular FMT-19 +Page 8 of 10 + + + +MONITORING +Standard daily cleaning of food services areas shall include: +● Custodial Staff: Sweep and clean the cafeteria floors with a +neutral cleaner. Cafeteria walls and ceilings shall be cleaned +on an “as needed” basis. +● Food Service Staff: Clean and disinfect cafeteria tables with +a solution of bleach and water. +NOTE: Cleaning of body fluid spills in food services areas will be +done by the school’s custodial staff. This will include any bodily +fluid spill on the cafeteria tables. In this case, only the affected +table(s) will be cleaned by the custodial staff. All other cafeteria +tables will be cleaned by the food service staff. +1. The senior custodian is designated and trained to +implement this SOP and trained in the use of necessary +supplies. They will ensure that: +● Necessary supplies are available at all times. +● Custodians are: +○ Educated on illnesses and symptoms that must be +reported to their building service area manager or +617-635-9162. +○ Monitored for signs and symptoms of illness. +2. The food service manager will ensure that food service +employees are: +● Educated on illnesses and symptoms that must be +reported to managers. +● Monitored for signs and symptoms of illness. + + +Page 9: +Superintendent’s Circular FMT-19 +Page 9 of 10 + + + +Adapted from USDA document Cleaning and +Disinfecting Body Fluid Spills (Miami County Public +Health website). +For more information about this circular, contact: +Owner: +Senior Environmental Supervisor +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Dorchester, MA 02125 +Phone: +617-635-8300 +Fax: +617-635-7855 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Name: +Equipment Coordinator +Department: +Food and Nutritional Services +Mailing Address: +Food & Nutrition/Wellness Building, 370 +Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9296 +Fax: +617-635-9305 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + + +Page 10: +Superintendent’s Circular FMT-19 +Page 10 of 10 + + + + +Name: +Sr. Manager, Building Services +Department: +Facilities Management +Mailing Address: +Campbell Resource Center, 1216 Dorchester +Ave., Dorchester, MA 02125 +Phone: +617-635-9165 +Fax: +617-6359306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Facilities Management (FMT)/FMT-20 Drinking Water Access Policy.txt b/data/data_txt1/Facilities Management (FMT)/FMT-20 Drinking Water Access Policy.txt new file mode 100644 index 0000000..058b782 --- /dev/null +++ b/data/data_txt1/Facilities Management (FMT)/FMT-20 Drinking Water Access Policy.txt @@ -0,0 +1,745 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FMT-20 +Version 01 + +DRINKING WATER ACCESS POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Drinking Water Access Policy is for all water units used for +drinking and food preparation. +STATEMENT OF COMMITMENT +Boston Public Schools (BPS) will safely bring online and maintain +all school building water units used for drinking and food +preparation. +BACKGROUND +By law, all students must have access to water during meals and +throughout the school day, at no cost. BPS follows the Healthy, +Hunger-Free Kids Act of 2010, Massachusetts Legislation (H 4459) +223(g), and Massachusetts Uniform State Plumbing Code (248 +MASS. CODE REGS. § 10.10, Table 1 (2011). +Boston Water & Sewer Commission (http://www.bwsc.org/) is the +Public Water System (PWS) that supplies potable water to BPS. +BPS also upholds a bottled water contract. + +BPS, like all school districts, is responsible for following the +guidance of the US Lead Contamination Control Act (LCCA). The + + +Page 2: +Superintendent’s Circular FMT-20 +Page 2 of 21 + + + +LCCA directs the United States Environmental Protection Agency +(EPA) and its state designees to assist school system +administrators, schools, and programs, to identify and reduce or +eliminate lead contamination in their facilities’ drinking water. +The LCCA is an assistance-based, non-regulatory program. + +As a federal designee and the responsible Massachusetts agency, +Massachusetts Department of Environmental Protection +(MassDEP) is responsible for educating school/facility officials +about the LCCA and coordinating statewide efforts to reduce or +eliminate lead in drinking water at schools and childcare +facilities. The Massachusetts program includes both lead and +copper because the same mechanism that leaches lead from +plumbing into drinking can also leach copper. Additional +information on the MassDEP Drinking Water Program is available +at https://www.mass.gov/lead-in-drinking-water. +POLICY +In accordance with the EPA’s revised 3Ts for Reducing Lead in +Drinking Water in Schools and Child Care Facilities Toolkit +(https://www.epa.gov/ground-water-and-drinking-water/3ts- +reducing-lead-drinking-water-toolkit), and the subsequent +recommendations from MassDEP, BPS is committed to the +following drinking water access policy: +1. Annually test all water units used for drinking and food +preparation. +2. Deactivate any unit with test results above or equal to 15 +parts per billion (ppb) for lead and or 1,300 ppb for copper +and implement remediation actions to reduce those levels +to the lowest possible concentrations. Remediation actions + + +Page 3: +Superintendent’s Circular FMT-20 +Page 3 of 21 + + + +may include, but not be limited to, daily flushing, installation +of filtration systems, and/or replacement of drinking water +fixtures, plumbing fixtures, and/or piping. +3. Continue to use units with test results between 1 ppb and 15 +ppb for lead, while implementing short and long-term +remediation actions to reduce those levels to the lowest +possible concentrations. +4. Communicate all test results and subsequent actions. +5. Provide bottled water and cups for any deactivated, offline +schools and any online schools that lack access to fountains +in food service and medical areas. +6. Provide drinking water access training for relevant BPS staff +in accordance with this policy. +DEFINITIONS +• EPA’s 3 T’s for Reducing Lead in Drinking Water: Training, +Testing, and Taking Action, 3Ts for Reducing Lead in +Drinking Water | US EPA. +• Deactivation Level, Copper: ≥1,300 ppb +• Deactivation Level, Lead: ≥15 ppb +• Water Unit: Any water fountain or food service +equipment/fixture (e.g., food preparation sink faucets, +kettles, tilt skillets, etc.) +• Online School: A school building supplied by online water +units as its primary source of drinking water. (see definition: +Online Water Unit) +• Online Water Unit: An active water unit, with verified lead +and copper concentrations below deactivation levels, for + + +Page 4: +Superintendent’s Circular FMT-20 +Page 4 of 21 + + + +drinking and/or food preparation. Concentrations are +verified by the required testing. +• Offline School: A school building provided with a +commercial bottled water supply as its only source of +drinking water. +• Offline Water Unit: A deactivated water unit supplied by the +PWS for drinking and/or food preparation with verified lead +and or copper concentrations above deactivation levels. +• Activation: A change in a water unit’s (e.g., water fountain or +food service equipment and fixtures) status from offline to +online due to initial installation or remediation action(s) and +subsequent testing demonstrating the lowest possible +concentrations for lead and copper. +• Deactivation: A change in a water unit’s (e.g., water fountain +or food service equipment and fixtures) status from online +to offline. Any online water unit with elevated lead or copper +levels above deactivation levels will be deactivated. +Deactivated units will remain deactivated until remediation +action(s) have been completed and the remediated unit has +been re-tested with subsequent test levels at the lowest +possible concentrations for lead and copper. +• Flushing: Turning on a plumbing cold water fixture(s) and +letting the cold water run continuously for a specified time +frame in accordance with MassDEP protocols. +• Daily Flushing: For high use areas, such as fixtures used for +food preparation (e.g., food preparation sink faucets, kettles, +tilt skillets, etc.), BPS will adhere to MassDEP’s flushing +guidance for schools, available at Fact Sheet – Flushing: A +Short-Term Solution to Reduce Lead and Copper. For any + + +Page 5: +Superintendent’s Circular FMT-20 +Page 5 of 21 + + + +online water fountain, it is recommended that the drinker +first let the water run for 5-10 seconds before drinking, and +this is only for precautionary measures as lead and copper +concentrations were already verified to be below +deactivation levels. For directly plumbed water units where +flushing is not feasible (e.g., combination ovens, steamers, +ice makers, etc.), filters have already been or will be +installed. +• Activation Flushing: BPS will adhere to a minimum flushing +time of 20 minutes for activation of offline water units, per +the activation protocol. +• Remediation Action(s): Shall include, but are not limited to +replacement, repair, maintenance, filtration, and/or flushing +to reduce the concentration of lead and copper to the +lowest possible concentrations. + +REQUIREMENTS +Per the Annual Testing Protocol (pg. 8), BPS Facilities +Management Environmental Division will annually test all online +water units used for drinking and food preparation for lead and +copper concentrations. BPS annual testing will adhere to +MassDEP’s guidance for sample collection procedures for schools +and early education childcare facilities, available at the following +link: Sampling for Lead and Copper at Schools and Childcare +Facilities | Mass.gov. This testing protocol does not include any +sinks used for facility cleaning or handwashing, including but not +limited to those found in utility rooms, bathrooms, locker rooms, +kitchens, science labs, prep rooms, and classrooms. These sinks +are not to be used for drinking or any other consumptive purpose + + +Page 6: +Superintendent’s Circular FMT-20 +Page 6 of 21 + + + +such as food preparation, and signage shall be posted as such. +• In cases where concentrations of lead and or copper in any +water unit do not exceed the lead/copper deactivation +levels, no deactivation is needed. Test results will be +available at: BPS Water / Boston School Water Quality. Units +with results between 1 ppb and 15 ppb for lead will continue +to be used, while BPS Facilities Management implements +short or long-term remediation actions to reduce those +levels to the lowest possible concentrations. +• In cases where concentrations of lead and or copper in +water units used for drinking or food preparation exceed +the lead/copper deactivation levels, BPS Facilities +Management and BPS Communications will enact the +Deactivation Protocol (pg. 10), which requires BPS Facilities +Management Plumbing Division to immediately deactivate +only the impacted online water unit(s), and place signage +that says “Water Shut Off. Do NOT turn on without Facilities +Management or FNS (Food and Nutrition Services) +Approval.” For water units used for drinking, the units will +also be tagged with a “DO NOT DRINK”. +• In cases where water sources are not tested for lead or +copper (because these units are not designated for drinking +or food preparation), signage has been conspicuously +placed (as of September 1, 2016) near that source stating: +“WATER FROM SINKS WILL BE USED FOR WASHING ONLY.” +Pictures will be used in locations as needed. BPS +principals/heads of school will designate a responsible +person to check and ensure this signage is posted in +bathrooms and classrooms on a regular basis. BPS Facilities +Management will provide the signage and can be contacted + + +Page 7: +Superintendent’s Circular FMT-20 +Page 7 of 21 + + + +for additional or replacement signage. +• BPS will follow the Activation Protocol (pg. 12) to safely bring +online school building water units used for drinking, food +preparation, or medical services. +• BPS will follow the Flushing Protocol (pg. 13) as one +remediation practice for reducing lead levels to the lowest +possible concentrations. +• BPS Facilities Management will follow the Filter and Filtered +Water Fountain Standard Operating Procedure and +Maintenance Protocol (pg. 13) to manage all filtered water +fountains and filters. +• BPS Facilities Management will follow the Bottled Water +Protocol (pg. 16), which includes providing bottled water, +bottled water units, and cups for all offline schools, and for +any medical or food service areas that lack access to tap +water units in any online school. BPS Facilities Management +will manage and track all bottled water accounts. +• BPS Facilities Management will provide water testing results +and any recent water-related information to BPS +Communications for the BPS water webpage, +http://www.bostonpublicschools.org/water and annual +notices to the BPS community. +• Heads of school/principals will develop a school-based plan +for ensuring bottled water and cups are available +continuously, without disruption, on all water coolers +throughout the entire school day, including during +mealtimes. Schools are responsible for calling Facilities +Management to order water and cups, if running low before +the existing, regular water delivery schedule. + + +Page 8: +Superintendent’s Circular FMT-20 +Page 8 of 21 + + + +• BPS Department of Health & Wellness will educate, +promote, and communicate the importance and benefits of +drinking water and collaborate with Facilities Management +and Food and Nutrition Services to communicate all aspects +of this policy to school leaders, staff, students, and school +community. +• In alignment with BuildBPS, BPS will integrate water +infrastructure improvements into routine renovations and +capital planning and develop a water infrastructure plan for +schools that are offline with a goal of bringing all BPS +schools online. +IMPLEMENTATION PROTOCOLS: TESTING, MAINTENANCE, & +ACCESS +Annual Testing Protocol +BPS annual testing will adhere to MassDEP’s guidance for +Sample Collection Procedures for schools and early education +childcare facilities, available at the following link: Sampling for +Lead and Copper at Schools and Childcare Facilities | Mass.gov. +How to Collect a First Draw Sample +1. Collect the sample before any water has been used. Water +units must be unused for at least eight (8) hours, but not +more than eighteen (18) hours, before testing. +2. Sampler must wear chemical resistant Nitrile gloves while +sampling. +3. Complete the sample collection form during all sampling +(Sample Custody Log - MA DEP LCCA Program or +equivalent). + + +Page 9: +Superintendent’s Circular FMT-20 +Page 9 of 21 + + + +4. Only use containers (250 milliliter/wide mouth) supplied by +a certified laboratory. +5. Containers should not be opened until you are ready to +collect the sample. +6. Sampling containers that have been compromised in any +way (e.g., by being touched on the threads or the interior +surfaces) must not be used. +7. Keep any food and drink away from the sample and its +container. +8. If the fixture/faucet has an aerator at the end of the fixture, it +should not be removed before taking samples. The sampler +should not remove or clean any aerators prior to or during +the collection of tap samples. Make sure no water has been +withdrawn from the tap or water fountain, as well as from +any adjacent taps, before the sample has been collected. +9. Place the container under the water unit that is being +tested and collect 250 milliliters (mL) of water. +10. For all water units being tested, make sure you turn on the +cold water tap. Open the cold water tap and run it as you +would when filling a glass of water. +11. Turn on the water and fill the container without allowing +any water to run down the drain or the outsides of the +container. +12. Close the container according to the instructions from your +certified lab. Tightly cap the sample bottle and place in the +sample (shipping) kit provided. +13. Make sure the container is labeled with the same +information from your sample collection form (Sample + + +Page 10: +Superintendent’s Circular FMT-20 +Page 10 of 21 + + + +Custody Log - MA DEP LCCA Program or equivalent). +14. Prepare the container for shipping according to the certified +lab's instructions. Ship containers according to the certified +lab's instructions. +15. Samples must be delivered and relinquished to a certified +lab within 14 (fourteen) days of collection for proper testing. +Deactivation Protocol +1. In cases where concentrations of lead and or copper in any +water unit do not exceed the lead/copper deactivation +levels, no deactivation is needed. Test results will be +available at: https://www.bostonpublicschools.org/water. +Units with results between 1 ppb and 15 ppb for lead will +continue to be used, while BPS Facilities Management +implements short or long-term remediation actions to +reduce those levels to the lowest possible concentrations. +2. In cases where concentrations of lead and or copper in +water units used for drinking or food preparation exceed the +lead/copper deactivation levels: +a. Upon notification from the BPS Sustainability and +Environmental Resources Manager, BPS Facilities +Management Plumbing Division will immediately +deactivate only the impacted online water unit(s), +unless otherwise specifically directed. These units will +be made offline and tagged “Water Shut Off. Do NOT +turn on without Facilities Management or FNS (Food +and Nutrition Services) Approval.” For water units used +for drinking, the units will be tagged with a “DO NOT +DRINK”. If required, a bottled water unit will be placed + + +Page 11: +Superintendent’s Circular FMT-20 +Page 11 of 21 + + + +as near as possible to the deactivated unit. +b. BPS Facilities Management will provide bottled water, +bottled water coolers, and cups. One bottled water +cooler will be provided for each deactivated water unit +(e.g. water fountain) or as necessary to meet 248 CMR +10.00: Uniform State Plumbing Code requirements +(See: Table 1: Minimum Facilities For Building +Occupancy, available at the following link: 248 CMR +10.00: Uniform state plumbing code). . +c. BPS Communications and Facilities Management will +immediately implement the Deactivation +Communications Protocol (pg. 18). +d. BPS Facilities Management Environmental and +Plumbing Divisions will inspect the impacted water +unit to identify any source or cause of elevation and +schedule any remediation action(s). +e. The impacted water unit will remain deactivated until +remediation actions have been completed and BPS +Facilities Management Environmental Division has +tested and received three (3) consecutive lead and +copper sample results at the lowest possible +concentrations. +3. In cases where water sources are not tested for lead or +copper (because these units are not designated for drinking +or consumption) or levels of lead in water units exceed the +lead/copper action level, signage has been conspicuously +placed near that source stating: “WATER FROM SINKS WILL +BE USED FOR WASHING ONLY.” +4. The Boston Public Health Commission (BPHC) does not + + +Page 12: +Superintendent’s Circular FMT-20 +Page 12 of 21 + + + +recommend that BPS screen children for lead. If a child is +exposed to water containing elevated lead levels, the BPHC +recommends that parents consult their child's medical +provider to assess whether their child's individual risk +warrants blood lead testing. Many healthcare providers, +such as MassHealth, cover the cost of lead testing. Families +with questions or concerns about costs may contact BPS +Health Services at 617-635-6788. +Activation Protocol +1. Upon completion of any water unit’s remediation action +(e.g., replacement, repair, etc.), Facilities Management +Environmental Division will flush each water unit for +approximately 20 minutes or more as needed to remove any +visual signs of sediment, debris, and rust. BPS will adhere to +a minimum flushing time of 20 minutes for activation of +offline water units. +2. Eight to eighteen (8-18) hours post flushing, a sample from +each water unit will be collected for confirmatory analysis of +lead and copper. +3. Repeat step #2 two additional times to conclude three (3) +rounds of testing. For the initial activation of a filtered water +unit, a sample for coliform will be collected during one of +the three rounds of testing (see New England States’ +Sample Collection & Preservation Guidance Manual For +Drinking Water, p. 36, New England States' Sample +Collection & Preservation Guidance Manual for Drinking +Water, Revision 5.0, January 2015). +4. Upon receiving three (3) consecutive sets of sample results +at the lowest possible concentrations and one negative fecal + + +Page 13: +Superintendent’s Circular FMT-20 +Page 13 of 21 + + + +bacteria test per filtered water unit, BPS Communications +and Facilities Management will immediately implement the +Activation Communications Protocol (pg. 18). +5. Facilities Management and the head of school/principal will +select a date for activating the water unit(s) to go online. +6. Once a date has been selected, the Facilities Management +Plumbing Division will work on logistics for turning the +water unit(s) online. Logistics will include an activation flush. +Flushing Protocol +1. Food services equipment and fixtures (i.e., food preparation +sink faucets, kettles, tilt skillets, ice makers, etc.) shall be +flushed every morning for two (2) minutes prior to the +preparation of any food by the food service manager or +designated food services employee. Only cold water shall be +used for the flush and for the preparation of any food and or +beverage. The food services manager will be responsible for +keeping a daily log of all flushing activities. +2. When drinking from an online fountain, it is recommended +that the drinker first let the water run for 5-10 seconds +before drinking. This will be communicated to the BPS +community through the Implementation Protocols: +Education and Training (pg. 20). +3. Following an extended school vacation (e.g., summer +vacation, February vacation), custodians will flush all online +fountains prior to the restart of school. +4. Before watering a school garden with tap water, all +gardeners must first flush the water for 2 minutes. + + +Page 14: +Superintendent’s Circular FMT-20 +Page 14 of 21 + + + +Filter and Filtered Water Fountain Standard Operating +Procedure and Maintenance Protocol +In addition to the Annual Testing Protocol (pg. 8), BPS will collect +samples for coliform testing of filtered online water units. +In cases where coliform is present within filtered online water +units: +1. Upon notification from the BPS Sustainability and +Environmental Resources Manager, BPS Facilities +Management Plumbing Division will immediately deactivate +only the impacted online water unit(s), unless otherwise +specifically directed. These units will be made offline and +tagged “Water Shut Off. Do NOT turn on without Facilities +Management or FNS (Food and Nutrition Services) +Approval.” +2. BPS Facilities Management will provide bottled water, +bottled water units, and cups. One bottled water cooler will +be provided for each deactivated water unit (e.g. water +fountain) or as necessary to meet 248 CMR 10.00: Uniform +State Plumbing Code requirements (See: Table 1: Minimum +Facilities For Building Occupancy, available at the following +link: 248 CMR 10.00: Uniform state plumbing code). +3. BPS Communications and BPS Facilities Management will +immediately implement the Deactivation Communications +Protocol (pg. 18). +4. BPS Facilities Management Environmental and Plumbing +Divisions will inspect the impacted water unit and schedule +remediation action(s) (e.g., replacement of the filter). +5. The impacted water unit will remain deactivated until + + +Page 15: +Superintendent’s Circular FMT-20 +Page 15 of 21 + + + +remediation actions have been completed and BPS +Facilities Management Environmental Division has received +one (1) sample result absent of coliform per affected water +unit. +BPS Facilities Management will initiate and uphold a vendor +contract to replace and maintain water fountain filters once per +year or more as needed. +Daily Use/Maintenance +• Only water should be put down the drains. Anything else +can cause clogging and lead to permanent damage of the +unit and plumbing. +• Custodians are responsible for wiping down the units daily. +The units shall be cleaned using the procedures outlined for +all high touch surfaces using food grade cleaning products. + +Filter Status Indicator Light +• When the light turns yellow, the school should put in a work +order via Asset Essentials, and select “Filter Replacement”. +• The yellow light is just an indicator that the filter is +approaching the end of its life and will need to be changed +soon. The light does not indicate that the filter or water +quality is compromised. +• If a light turns red, please place one of the signs provided in +your Drinking Water Binder on the unit and encourage +occupants to utilize another unit until the filter can be +replaced. + + +Page 16: +Superintendent’s Circular FMT-20 +Page 16 of 21 + + + +Leaking/broken Unit +• If the unit has been newly installed within the last year, the +school should reach out to Audrey Ng, the Water & +Sustainability Project Manager to have the contractor +address the issue under warranty. +• If the unit is not newly installed, the school should put in a +work order via Asset Essentials to be addressed by your +plumbing supervisor. +• The school’s operations staff may choose to use the tools +provided in the Water Bottle Refill Station Repair Kit to open +and turn off the unit to stop the leaking until the contractor +arrives. +Bottled Water Protocol +• BPS Facilities Management will provide bottled water, +bottled water coolers, and cups for all offline schools, and for +any medical or food service areas that lack access to tap +water units in any online schools. +• BPS Facilities Management will cease bottled water +accounts for schools that are activated online. Bottled water +coolers will only remain in an online school in medical or +food service areas if those areas lack access to tap water +units. +• BPS Facilities Management will manage and track all +bottled water accounts. +• Heads of school/principals will develop a school-based plan +for ensuring bottled water and cups are available +continuously, without disruption, on all water coolers +throughout the entire school day, including during meal +times. Schools are responsible for calling Facilities + + +Page 17: +Superintendent’s Circular FMT-20 +Page 17 of 21 + + + +Management to order water and cups, if running low before +the existing, regular water delivery schedule. +IMPLEMENTATION PROTOCOLS: COMMUNICATIONS & +REPORTING +BPS Communications is responsible for updating and +maintaining the BPS water website at BPS Water / Boston School +Water Quality with content support from BPS Facilities +Management and BPS Department of Health and Wellness. BPS +Communications will update the BPS water website to include a +current list of online schools and the most recent annual test +results, and a current list of offline schools. These lists must be +updated every time a school is activated or deactivated. +Deactivation Communications Protocol +In cases where coliform is present or concentrations of lead and +or copper in water units used for drinking or food preparation +exceed the lead/copper action levels, BPS Communications and +Facilities Management will promptly implement the Deactivation +Communications Protocol: +1. The school’s principal/head of school will be notified of the +deactivation protocol and test results by email with the test +results and a standardized letter for the school community. +2. The letter will include the water testing results and a link to +the BPS water website, which provides resources related to +lead in the water. A letter template will be provided by BPS +Communications and BPS Facilities Management, and the +testing results will be provided by BPS Facilities +Management. + + +Page 18: +Superintendent’s Circular FMT-20 +Page 18 of 21 + + + +3. Any media statements will be managed by BPS +Communications. +Activation Communications Protocol +Upon receiving three (3) consecutive sets of sample results below +lead and copper action levels, and one negative fecal bacteria +test result for filtered water units, BPS Communications and +Facilities Management will immediately implement the +Activation Communications Protocol: +1. The school’s principal/head of school will be notified of the +activation protocol and test results. +2. The letter will include the water testing results, a link to the +BPS water website, and details regarding any water +infrastructure improvements (e.g., new fountains, filters, +pipes). A letter template will be provided by BPS +Communications and BPS Facilities Management, and the +test results will be provided by BPS Facilities Management. +The principal/head of school will share this information with +the school community. +3. BPS Facilities Management and the principal/head of school +will select a date for activating the water unit(s) online. +4. Once a date has been selected, BPS Facilities Management +Plumbing Division will implement the logistics for turning +the water unit(s) online. +ANNUAL REPORTING +BPS Facilities Management will provide water testing results and +any recent water-related information to BPS Communications for +the BPS water webpage and annual notices to the BPS + + +Page 19: +Superintendent’s Circular FMT-20 +Page 19 of 21 + + + +community. +BPS Department of Health and Wellness and BPS Facilities +Management will provide annual updates to the “BPS Drinking +Water Access Policy”, if needed. +BPS Department of Health and Wellness and BPS Facilities +Management will annually report on the implementation of the +Water Policy to the District Wellness Council and subsequently +the BPS School Committee. Following BPS School Committee +review, this information will be shared with MassDEP. + +IMPLEMENTATION PROTOCOLS: EDUCATION & TRAINING +The following BPS staff will receive annual training and +professional development about this policy and its protocols: +• Principals/heads of school will receive training at the Annual +Leadership Institute as a part of Operations and/or wellness- +related sessions. +• Food service managers and staff will receive training at the +summer training provided by Food and Nutrition Services. +• Custodians will receive training at summer training +provided by BPS Facilities Management. +• School-based staff will be trained by principals/heads of +school at the beginning of the school year, as part of the +school policies and procedures overview. +• Any new Facilities Management Environmental and +Plumbing Division staff will receive training as part of their +onboarding process. +BPS Department of Health and Wellness will educate, promote, + + +Page 20: +Superintendent’s Circular FMT-20 +Page 20 of 21 + + + +and communicate the importance and benefits of drinking +water, and collaborate with Facilities Management and Food and +Nutrition Services to communicate all aspects of this policy to +school leaders, staff, students, and school community. +BPS School Wellness Councils will include water-policy related +goals as part of their annual Wellness Action Plans. + + + + + + + +Page 21: +Superintendent’s Circular FMT-20 +Page 21 of 21 + + + +For more information about this circular, contact: +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 +Phone: +617-635-9576 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Environmental Supervisor +Department: +Facilities Management +Mailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 +Phone: +617-635-8300 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Executive Director +Department: +Health & Wellness +Mailing Address: 370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-1631 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-01 School Parent Councils.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-01 School Parent Councils.txt new file mode 100644 index 0000000..4322fb3 --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-01 School Parent Councils.txt @@ -0,0 +1,363 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FAM-01 +Version 01 + + + +SCHOOL PARENT COUNCILS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public Schools values the voices of families and seeks to +engage families in both school governance and in an advisory +capacity at all levels throughout the district. School Parent +Councils (SPCs) serve as advocates and advisors to +principals/heads of school, school superintendents, the +superintendent, and the School Committee. +SPCs provide an opportunity for families to be more deeply +engaged at the school level, partnering with the principal/head of +school to improve school culture and outcomes for all students. +In addition to the school-based SPC, there are districtwide parent +advisory councils that bring together parents across schools to +serve as advisors to district leadership. The Citywide Parent +Council (CPC) serves as the districtwide voice for parents and is +composed of representatives from each school. The Special +Education Parent Advisory Council (SPED PAC) represents the +families of students with disabilities who receive special +education services. The District English Learner Advisory +Committee (DELAC) works to ensure that parents are informed +about all aspects of BPS that affect English learners and provide +recommendations to the Office of English Learners. These groups +serve to empower parents and partner with BPS to improve + + +Page 2: +Superintendent’s Circular FAM-01 +Page 2 of 10 + + +outcomes for all students. This circular focuses on the role and +function of the SPC. +SCHOOL PARENT COUNCILS +The SPC is the independently established "voice" of all parents in +the school community. The SPC advocates for students and the +school, meets frequently and consistently, elects representatives +to sit on the School Site Council (SSC), and promotes an +environment of understanding and common purpose among +parents, students, and school staff, with a focus on student +learning and school improvement. For the purposes of this +circular, the term “parent” includes a legal guardian or other +person standing in loco parentis (such as a grandparent or +stepparent with whom the child lives, or a person who is legally +responsible for the child's welfare)." Sect. 9101(31) ESEA. +The roles and responsibilities of the SPC are as follows: +Roles: +• Collaborate with school staff to create a welcoming school +climate for all students and families. +• Coordinate school-wide activities and events that engage +families in student learning. +• Raise funds to support school-based initiatives, activities, +and events. +Responsibilities: +• Provide a safe forum for families to express concerns. +• Contribute to school-based initiatives related to school +improvement, school climate, and student learning. + +All parents or legal guardians of a child attending a particular + + +Page 3: +Superintendent’s Circular FAM-01 +Page 3 of 10 + + +school are automatically members of that school’s SPC. +The SPC Executive Committee is the elected leadership of the +SPC. Schools must adhere to the following guidelines for the +election of the Executive Committee: +• OFCA recommends that the school’s Family Liaison is either +the facilitator, co-facilitator, or observer of the election. +• Elections for SSC and SPC parent reps must happen in the +fall of the new school year. Spring elections will no longer be +accepted. This is to help make opportunities for +engagement in the councils more equitable. +• Elections for the 2024-2025 school year may be conducted +in person, virtually, or through a hybrid system, providing for +equitable access to voting. +• Parents/legal guardians who wish to become members of +the Executive Committee must have a child enrolled at the +school in which they are running. +• Co-chairs and officers should be representative of the school +community. +• Any parent/legal guardian who is present at an SPC election +(held in person or virtually) may be nominated for the SPC +Executive Committee (a parent may nominate themself). +• Within one school, elected members can serve more than +one role only if there is an insufficient number of candidates +to fill all roles. +• Parents/legal guardians who are not present (in-person or +virtually) at the time of the election may not be nominated. +• Parents/legal guardians who work at their child’s school +may not be elected to the SPC Executive Committee, except +for extenuating circumstances. +• Each family is allowed one vote per family. + + +Page 4: +Superintendent’s Circular FAM-01 +Page 4 of 10 + + +• Each candidate should be allowed one minute to introduce +themself. +• Elections may be carried out by secret ballot or can be +approved by a majority vote of the present group. +• Nominations and elections are held during the same +meeting; therefore, voters must be present, virtually or in +person, to participate in the election. + +SPC EXECUTIVE COMMITTEE +The role of the SPC Executive Committee is to: +• Provide leadership and to organize the work of the SPC . +• Maintain ongoing communication with all parents to ensure +that they are connected to what is happening at school. +• Maintain ongoing communication and a collaborative +working relationship with the principal/head of school, +teachers, school staff, and community partners. +• Create an inclusive environment on the SPC and in the +whole school community that welcomes the active +participation of all parents. +• Set a schedule and format of meetings that invites +maximum participation of families. + +The composition of the SPC Executive Committee should: +• Reflect the racial and ethnic diversity of the student body. +• Include parents of students who are English Learners +• Include parents of students who receive special education +services. +• Include parents of students in a range of grade levels. +• Include a mix of newly elected and experienced parent +leaders. + + +Page 5: +Superintendent’s Circular FAM-01 +Page 5 of 10 + + + +Parents may serve in more than one SPC Executive Committee +role simultaneously at the same school if no other candidates +come forward. However, SPCs are encouraged to elect as many +parents as possible for the various roles for the purposes of +sharing responsibility and building leadership capacity. The SPC +Executive Committee consists of the following roles: +Co-Chair +• Number elected: 2 +• Schedule and facilitate SPC meetings +• Create agendas +• Maintain ongoing two-way communication with +principal/head of school +Treasurer +• Number elected: 1-2 +• Maintain clear and accurate financial records for the SPC +• Provide monthly expense reports +• Lead or manage SPC fundraising efforts +Secretary +• Number elected: 1-2 +• Conduct outreach to the parent community +• Record and share meeting notes with the school +community + +School Site Council Reps +• Number elected: 5-8 (based on the number of staff in the +BTU bargaining unit) +• Represent the parent community as a member of the SPC +• Participate in school-based decision-making + + +Page 6: +Superintendent’s Circular FAM-01 +Page 6 of 10 + + +• Attend SPC meetings to report out on SSC business and +receive information to bring back to the SSC +• Facilitate communication between the SPC and SSC + +Citywide Parent Council Rep +• Number elected: 1-2* + +• Participate in a districtwide parent group designed to +advocate for BPS families and students and influence BPS +policy +Special Education Parent Advisory Council Rep +• Number elected: 1-2* +• Participate in a citywide parent organization designed to +provide information and resources to families of students +with disabilities who receive special education services +District English Learners Advisory Committee + +• Number elected: 1-2* +• Participate in a citywide committee tasked with providing +recommendations to school and district officials regarding +programs and services provided to EL students +Total # of Parents Elected to SPC Executive Committee: 12-20 + +*If vacant, this position should be revisited throughout the school +year, and families should be reminded of the opportunity and +the benefit of representation on these citywide councils. + + + +Page 7: +Superintendent’s Circular FAM-01 +Page 7 of 10 + + +RELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND +SCHOOL SITE COUNCIL +The School Parent Council (SPC) elects parent members to +represent the parent voice on the School Site Council (SSC). SSC +representatives are members of the SPC Executive Committee +and should attend SPC meetings to provide regular updates on +SSC proceedings to ensure opportunities for parent input and +feedback. All SSC meetings are open to the public; therefore, any +parent, staff person, or community member can attend. However, +only the elected representatives can vote on SSC decisions. +SCHOOL PARENT COUNCIL BY-LAWS +All SPCs must develop by-laws for their council to provide +structure and guidance for SPC operations. SPCs must annually +review and approve their by-laws at their first meeting following +the election. The by-laws are a public document and should be +made available to all parents and members of the school +community, upon request. The SPC by-laws should be submitted +to the Office of Family and Community Advancement (OFCA) +upon approval by the SPC. +SCHOOL PARENT COUNCIL MEETINGS +The SPC should meet at least once monthly. The first meeting of +the year should include a presentation from the principal/head of +school on the school’s goals for the year and election of +representatives to the Executive Committee and School Site +Council (see Superintendent’s Circular FAM-02 for more details). +The following meeting should focus on sharing the work that the +SPC is doing and provide the opportunity for feedback from +parents. SPCs are encouraged to meet monthly, in keeping with +the SSC frequency, to ensure that the parent body is kept + + +Page 8: +Superintendent’s Circular FAM-01 +Page 8 of 10 + + +abreast of SSC activity. Meeting frequency and purpose should +be detailed in the SPC By-laws. +SPC GUIDELINES FOR PRINCIPALS, HEADS OF SCHOOL, AND +ADMINISTRATORS +• The principal/head of school must work with the SPC to host +an annual Title I meeting to share with families (1) how the +school is investing its Title I allocation, (2) rights and +responsibilities of Title I parents, and (3) to seek feedback +and/or input from parents on the Home-School Compact +and Family Engagement Plan. +• The principal/head of school should meet with the SPC on a +regular basis to provide updates on school policies, the +instructional focus, school data, other pertinent information, +and to address school-wide parent concerns. +• The principal/head of school should provide families with +periodic updates on overall student/school progress, sharing +data at SPC meetings. +• The principal/head of school should meet with the SPC co- +chairs for ongoing communication regarding family and +student engagement practices, student learning, and school +improvement. +• The principal/head of school should work with the SPC co- +chairs to have information translated into the home +languages represented at their school and ensure that +arrangements for translation and interpretation have been +negotiated and agreed upon by the SPC and school staff +(this includes election night). +• The principal/head of school or designee should assist the +SPC in notifying families of all SPC and/or Executive + + +Page 9: +Superintendent’s Circular FAM-01 +Page 9 of 10 + + +Committee meetings, by providing access to a computer, +paper, copying machine, and postage; and by working with +the SPC for timely dissemination of notices for the entire +community using a range of communication methods, +including School Messenger, email, the school’s website, +and school media. +The SPC works collaboratively with the principal/head of school +and school staff to solve problems and develop plans to improve +the engagement of families and students. The commitment to +partnering with families reflects the value that BPS has placed on +the engagement of families and is grounded in decades of family +engagement research. +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Effective implementation and the authentic engagement of +parent, teacher, and student voice align with the following +standards of the Massachusetts Administrator Evaluation rubric: +• Indicator III-A1. Family Engagement +o Engages parents, students, and teachers in creating a +welcoming school environment and fostering a shared +responsibility engagement. +• Indicator IV-B1. Policies and Practices +o Creates opportunities for authentic parent, student, +and teacher voice in school-based decision-making. +• Indicator IV-E-1. Shared Vision Development +o Parents, students, and teachers have an opportunity to +shape the vision for the school as it pertains to +instruction and school climate. +• Indicator IV-F-3. Consensus Building + + +Page 10: +Superintendent’s Circular FAM-01 +Page 10 of 10 + + +o Decisions are made using a consensus model, in which +all members of the SSC (including SPC members) have +an equal voice. +o Resolves conflicts among members of the school +community. +IMPORTANT DATES +Date +Activity +September 15 +Election dates submitted to OFCA +October 31 +Deadline for completing SPC elections of all +parent reps, including SSC representatives; and +submitting rosters to OFCA. + + +For more information about this circular, contact: +Owner: +Director, Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-02 School Site Councils.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-02 School Site Councils.txt new file mode 100644 index 0000000..6351b03 --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-02 School Site Councils.txt @@ -0,0 +1,468 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FAM-02 +Version 01 + + + SCHOOL SITE COUNCILS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Engaging families and students as equal partners has been +identified as a core strategy for improving student performance +in the Boston School Committee goals and the BPS Engagement +Policy. Family and student engagement is also a significant +component of the Massachusetts School-Level Administrator +Rubric. +This circular has been developed to help principals/heads of +school effectively implement School Site Councils (SSC) as a +foundational structure for engaging parents and students in +school-based decision-making and school improvement. The +Office of Family and Community Advancement (OFCA) +collaborates with the Boston Teachers Union (BTU) to provide +oversight and support for SSCs. +For the purposes of this circular, the term “parent” includes a +legal guardian or other person standing in loco parentis (such as +a grandparent or stepparent with whom the child lives, or a +person who is legally responsible for the child's welfare). Sect. +9101(31) ESEA. + + +Page 2: +Superintendent’s Circular FAM-02 +Page 2 of 14 + +ROLE AND PURPOSE +The role of the School Site Council is to engage parents and +teachers to serve with the principal/head of school as the central +decision-making body of the school. SSCs are required by the +Massachusetts Education Reform Act of 1993 and by the +collective bargaining agreement between the Boston Teachers +Union (BTU) and the Boston School Committee. +Under the school-based management/shared decision-making +model described in the collective bargaining agreement +between BPS and the BTU, the role of the SSC is to: +● Review and approve the Quality School Plan within +guidelines established by the superintendent. +● Review and approve the recommendations of the +Instructional Leadership Team (ILT) that have been +endorsed by the principal/head of school and that will have +a major effect on the school community. +● Review and comment on the entire school budget, +including the general funds and external funds budgets, in a +timely fashion. +● Approve the budget for discretionary school materials, +supplies, textbooks, and equipment, including the use of +school improvement award funds. +● Review and approve recommendations from any other +committee or group that is established to recommend +changes that will have a major effect on the school +community. +● Develop and approve plans for increasing parent +engagement in the school. + + +Page 3: +Superintendent’s Circular FAM-02 +Page 3 of 14 + +● Develop, review annually, and approve the School-Parent +Compact as required by Title I. +● Receive information about all outside programs or outside +professionals that come into the school. +● Approve waivers. +As the central governing body at the school, the SSC oversees all +school-based committees, including the ILT and the Personnel +Subcommittee. +The role of the ILT is to: +● Serve as an advisory body to the principal/head of school on +issues related to teaching and learning, assessment, and +professional development. +● Give a report each month to the SSC on ILT activities. +● Seek and receive SSC approval for any ILT recommendation +that alters the Quality School Plan or may have a major +effect on the school community. +Each school must elect a Personnel Subcommittee, whose +composition must include two teachers, one parent, and the +principal/head of school. The responsibilities of the Personnel +Subcommittee are to: +● Approve the hiring of new BTU teacher bargaining unit staff +and in-transfer of BTU teachers’ bargaining unit staff from +other schools in the system and the choice of teachers from +the excess pools. +● Approve the selection of lead teachers, mentor teachers, +and new athletic coaches. +● Determine the schedule and procedures for reviewing + + +Page 4: +Superintendent’s Circular FAM-02 +Page 4 of 14 + +candidates for positions. +Schools must submit the names of the members of the +Personnel Subcommittee to the Office of Family and Community +Advancement by October 31. For additional information on the +Personnel Subcommittee, see Superintendent’s Circular FAM-04 +Personnel Subcommittee. +SSC GOVERNANCE AND OPERATIONS +The following provisions describe how effective SSCs should +operate. +1. SSC operations are governed by a BPS/BTU Joint Steering +Committee, which includes parents and students. Any +member of the SSC may file a complaint with the Steering +Committee concerning the operation of the SSC at their +school. +2. The SSC is expected to operate as a single decision-making +team, working together to reach consensus, as opposed to +being individual representatives of specific constituent +groups. +3. Formally, decisions made by the SSC will be made by +majority vote, with the principal/head of school voting with +the majority. +4. The principal/head of school is required to account in writing +and in person (at a subsequent meeting) for any vote in +contravention of a majority of the council. +5. A quorum must be present to vote on issues. To constitute a +quorum, the principal/head of school must be present as +well as at least two teachers and two parents for SSCs with 9- +12 members and three teachers and three parents for SSCs +with 13 or more members. + + +Page 5: +Superintendent’s Circular FAM-02 +Page 5 of 14 + +6. The principal/head of school shall serve as SSC co-chair and +at the first meeting of the school year; the elected members +of the SSC are encouraged to select one member (preferably +a parent) to serve as the other co-chair. +7. Other roles, such as note taker and any subcommittees, shall +also be selected at the first SSC meeting of the school year. +8. At the first SSC meeting of the year, a calendar of meetings +for the entire school year shall be established, ensuring that +the times and dates are convenient for all members. +9. The agenda for the meetings shall be developed by the SSC +co-chairs with input from other members of the SSC and the +school community at large. +10. Each SSC is required to pass by-laws to govern its operations. +The by-laws must be approved or amended by two-thirds of +the members of the bargaining unit in the school eligible to +vote for the SSC and by two-thirds of the parents who come +to a parent meeting. There must be at least two weeks’ +notice for the parent meeting. +11. All SSC meetings are subject to DESE regulations regarding +specific law, including publicizing meeting dates in advance +and sharing meeting minutes with the school community. +12. On March 29, 2023, Governor Healey signed into law a +supplemental budget bill which, among other things, +extends the temporary provisions pertaining to the Open +Meeting Law to March 31, 2025. These provisions allow for +School Site Councils to meet remotely, provided that +adequate access to the meetings is still available to the +public. Please see https://www.mass.gov/the-open-meeting- +law for more information or current updates. Decisions +about hosting in- person or virtual school-based meetings + + +Page 6: +Superintendent’s Circular FAM-02 +Page 6 of 14 + +with families for SY 24-25 should be a shared decision with +community members. +For additional information on SSC governance and operations, +please contact the Office of Family and Community +Advancement or refer to the Shared Decision-Making section of +the collective bargaining agreement between BPS and the BTU. +COMPOSITION OF THE SSC +The SSC shall be composed of: +● The principal/head of school +● Elected members of the BTU who work more than 50% of +their work week at that school +● Parents of children enrolled in that school elected by the +School Parent Council +● Two students (high school only) enrolled in that school +elected by the Student Government. +The specific number of parent and teacher representatives on +the SSC is determined by the number of BTU members employed +at the school. The number of parent representatives on the SSC +must be equal to the number of BTU representatives, plus the +principal/head of school. The table below demonstrates how the +number of teacher and parent representatives are calculated. + + + + +Page 7: +Superintendent’s Circular FAM-02 +Page 7 of 14 + +School Site Council Representation* +# of BTU members +in school +# of BTU SSC Reps # of Parent SSC Reps +30 or fewer BTU +4 +4 +31 – 60 BTU +5 +5 +61 or more BTU +6 +6 + +*Plus, the principal/head of school and, as applicable, two +students, as outlined above. +Schools may also select associate (non-voting) SSC members +from community-based organizations, higher education, or +businesses that partner closely with the school. +Each school shall also elect each year alternate parent, teacher, +and student members of the SSC to substitute for absent +members of their group. Alternate members who are elected by +BTU bargaining unit members or parents to substitute for absent +members may also fill vacancies created by the resignation or +removal of SSC members. +Parents elected as SSC representatives must reflect the racial and +ethnic diversity of the student population at the school and +include parents of students participating in a range of +educational programs, such as special education and related +services and programming for English Language Learners. +For specific information on the election process of BTU +representatives, please refer to the Shared Decision-Making +section of the collective bargaining agreement between BPS and +the BTU. + + +Page 8: +Superintendent’s Circular FAM-02 +Page 8 of 14 + +SSC ELECTION PROCEDURES FOR SELECTING PARENT AND +STUDENT REPRESENTATIVES +The following are key points for conducting successful elections. +● Principals/heads of school should designate an impartial +staff person as the school’s Election Facilitator. Elections +should not be facilitated by the principal/head of school or +by a parent currently serving on the SPC Executive +Committee or SSC. The Office of Family and Community +Advancement provides training, support, and materials for +all election facilitators, and can facilitate elections provided +that (a) a facilitator cannot be identified from within the +school community, and (b) the school contacts Office of +Family and Community Advancement with the election +date, time, and location at least two weeks in advance. +● OFCA recommends that the school’s Family Liaison is either +the facilitator, co-facilitator, or observer of the election. +● Elections for SSC and SPC parent reps must happen in the +fall of the new school year. Spring elections will no longer be +accepted. This is to help make opportunities for +engagement in the councils more equitable. +● Elections should be held at the first School Parent Council +(SPC) meeting of the year and conducted at a time that is +convenient for parents. The SPC consists of all parents in the +school community. See Superintendent’s Circular FAM-01 for +additional details. +● Election of student SSC representatives at high schools +should be incorporated into schools’ student government +election process. +● Schools should be prepared to provide translation and + + +Page 9: +Superintendent’s Circular FAM-02 +Page 9 of 14 + +interpretation, as well as childcare, at the parent election +and at the meetings as needed. +● Parent elections typically take between 30 and 60 minutes. +The election facilitator should be prepared to explain the +role and purpose of the SPC and SSC, as well as provide an +overview of each position and requirements of the election. +● Parents or legal guardians of students currently enrolled at +the school are eligible to be elected to the SSC. Note: +parents/legal guardians who work at their child’s school +cannot serve as the parent representative on the SSC. +● Parents may be nominated and elected to serve on both the +SSC and the SPC executive committee/team. +● All families who are present at the election are allowed one +vote per family per elected position. No absentee ballots will +be accepted. +● Voting may be conducted by secret ballot or by majority +vote. +● Upon completion of voting, each newly elected parent +should complete an Elected Member Information Form and +return it to the election facilitator. +● After the election, the school is responsible for submitting all +election results to the Office of Family and Community +Advancement +RELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND +SCHOOL SITE COUNCIL +The School Parent Council elects parent members to represent +the parent voice on the School Site Council. The SSC +representatives are members of the SPC Executive Committee +and should attend SPC meetings to provide regular updates on + + +Page 10: +Superintendent’s Circular FAM-02 +Page 10 of 14 + +the SSC proceedings to ensure opportunities for parent input and +feedback. All SSC meetings are open to the public; therefore, any +parent, staff person, or community member can attend. However, +only the elected representatives can vote on SSC decisions. +SSC REPORTING +All BPS schools are required to submit their SSC rosters and +materials listed below directly to the Office of Family, Student +and Community Advancement by October 31. Additionally, +schools are required to submit the following documents for the +purposes of demonstrating compliance with MA Open Meeting +Law and BPS policy: +● SPC roster +● SSC roster +● Personnel Subcommittee roster +● SSC meeting calendar for the year +● SSC meeting agendas, monthly +● SSC meeting notes, monthly +● SSC by-laws +● Family Engagement Plan +● Home-School Compact +The first deadline for submitting this documentation is October +31, at which time every school will be assigned one of the +following statuses: +● Full Compliance: School has uploaded SSC and SPC roster, +as well as all other SSC documentation. +● Reporting: School has uploaded SSC and SPC roster, with +incomplete additional SSC documentation. +● No Data: School has not uploaded SSC and SPC roster. + + +Page 11: +Superintendent’s Circular FAM-02 +Page 11 of 14 + + +SSC meeting agendas and notes should be submitted on request +for updated SSC status to be maintained and/or updated. +SUPPORT AND TRAINING +The Office of Family, Student and Community Advancement +provides the following supports to schools to help them +effectively conduct elections, provide the required +documentation, and implement effective SSCs throughout the +school year: +● Required election materials +● Election facilitation training +● Election facilitation, in the event that the school is not able +to identify a facilitator and is able to request an election +facilitator at least ten school days in advance +● SSC trainings, in collaboration with the BTU, on topics +including SSC Basics, SSC Budget Basics, and Shared +Decision-Making +● SSC manuals, including specific tools to support SSC +operations and answers to frequently asked questions +● SSC trainings for high school students and adult allies +● Ongoing support, coaching, and technical assistance. +OPEN MEETING LAW REQUIREMENT +SSCs serve as the decision-making body of the school and are +subject to certain aspects of the Massachusetts Open Meeting +Law, per DESE Regulations. According to these laws, SSCs must +adhere to the following requirements: + + +Page 12: +Superintendent’s Circular FAM-02 +Page 12 of 14 + +● Meeting dates and agendas must be posted publicly, with +48 hours advance notice. +● All SSC meetings must be open to the public. +● Meeting minutes and notes must be shared, posted, and +kept in a place at the school where they are accessible. +For more complete information on the MA Open Meeting Law, go +to www.mass.gov/ago/government-resources/open-meeting- +law/ +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Effective implementation and the authentic engagement of +parent, teacher, and student voice align with the following +standards of the Massachusetts School Level Administrator +Rubric: +● Indicator III-A1. Family Engagement +o Engages parents, students, and teachers in creating a +welcoming school environment and fostering a shared +responsibility engagement. +● Indicator IV-A-3. Professional Culture +o Plans and leads well-run and engaging meetings that +have a clear purpose, focus on matters of consequence, +and engage participants in a thoughtful and +productive series of conversations and deliberations +about important school matters. +● Indicator IV-B1. Policies and Practices +o Creates opportunities for authentic parent, student, +and teacher voice in school-based decision-making. +● Indicator IV-E-1. Shared Vision Development + + +Page 13: +Superintendent’s Circular FAM-02 +Page 13 of 14 + +o Parents, students, and teachers have an opportunity to +shape the vision for the school as it pertains to +instruction and school climate. +● Indicator IV-F-3. Consensus Building +o Decisions are made using a consensus model, in which +all members of the SSC have an equal voice. +o Resolves conflicts among members of the school +community. +IMPORTANT DATES +Date +Activity +September 15 +Election dates submitted to the Family-School +Engagement Practices Team, Office of Family +and Community Advancement +October 15 +Deadline for completing elections of all parent, +student, and teacher SSC representatives and +submission of rosters +October 31 +Deadline for conducting first SSC meeting +October 31 +Deadline for submitting all required +documentation to the Office of Family and +Community Advancement +TBA +Districtwide SSC trainings + + + + + +Page 14: +Superintendent’s Circular FAM-02 +Page 14 of 14 + +For more information about this circular, contact: +Owner: +Director, Family-School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-03 Student Government.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-03 Student Government.txt new file mode 100644 index 0000000..b7071a9 --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-03 Student Government.txt @@ -0,0 +1,246 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-03 +Version 01 + +MIDDLE AND HIGH SCHOOL STUDENT GOVERNMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +“As we continue to work at improving the quality of education +for all students, it is important that the voice of students be +heard at the local, state and national levels.” +Massachusetts Dept. of Elementary and Secondary Education + +Every Boston public middle and high school (including district +schools, exam schools, and all alternative, pilot, and in-district +charter schools) must have a written student engagement policy +documenting opportunities for students to assume leadership +roles within classrooms and the broader school community, in +alignment with the 2016 BPS Opportunity and Achievement Gaps +Policy. As part of this policy, each high school must also have a +functioning and engaged student government. Middle schools +are encouraged to have a student government. Student leaders +in this body will represent their peers by serving as advisors, +researchers, and participants in the decision-making process at +the school and district level. Student government serves to +engage students in learning about democracy and leadership. +Student government bodies are essential to ensuring equity in all +aspects of schooling. With faculty and administrative support, +student government members should: +● Ensure student voices are heard and incorporated in school + + +Page 2: +Superintendent’s Circular FAM-03 +Page 2 of 7 + +decision making through the School Site Council, +(SSC)/Governing Board, and meetings with the +administration. +● Develop and grow a body of student leaders by working +closely with the faculty advisor(s) and the head of school. +● Organize the student body and advocate for policies, +practices, and opportunities that will close opportunity gaps +at the school and district level. +Through student government and SSC, students can assist in +fulfilling the school’s mission and design and improve the culture +and climate of the school. +STUDENT GOVERNMENT COMPOSITION +Schools will strive to form a student government that reflects the +diversity of the student population in terms of race/ethnicity, +gender, grade level, educational program (e.g., general, special, +and bilingual education), and other factors. The number of +participants should depend on the size of the school and what is +manageable for the advisor. The recommendation is to have 10-15 +students serve in student government. +It is recommended that student government members be +connected to other school-based groups such as the School- +Based Wellness Council and student clubs. These positions can +be dual roles with other positions on Student Government or can +be stand alone. The faculty advisor should help students think +about their time and commitments and what it would mean to +take on dual roles in the student government. +ROLE OF THE FACULTY ADVISOR +The principal/head of school, with student input, should appoint + + +Page 3: +Superintendent’s Circular FAM-03 +Page 3 of 7 + +one or more faculty advisors to support and oversee each student +government. The principal/head of school will include students in +the selection process. Student governments can be considered +school clubs, and as such principals/heads of school are strongly +encouraged to pay a stipend to the faculty advisor(s). +The faculty advisor(s) will: +● Facilitate youth leadership in all aspects of student +governance. +● Meet with the student government at least twice per month +and provide support in organizing quarterly meetings each +school year. +● Assist student government leaders in the development of +action plans for the school and obtain the appropriate +approvals before a plan is implemented. +● Assist student government leaders in planning and +managing their events/activities, supporting with logistics +and approval. +● Act as a liaison between the student government, School Site +Council/Governing Board, and the Instructional Leadership +Team (ILT). +● Ensure the tracking of data and support members as they +complete reporting on activities. +● Provide the principal/head of school with regular updates on +how the action plans are being carried out. +● Advise student government leaders on their leadership and +scholar-activism. +● Monitor and record all student work and approvals for +proposals and dates. +● Develop student leaders by providing or facilitating training +and support as necessary. + + +Page 4: +Superintendent’s Circular FAM-03 +Page 4 of 7 + +ALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION +Please refer to the Massachusetts Department of Elementary and +Secondary Education Educator Evaluation: Appendix B: School- +Level Administrator Rubric. +● Indicator III-A1. Family Engagement. +o Engages SG in activities, events, and opportunities to +create a welcoming environment. +o Students contribute to the design by sharing their +knowledge of family and culture. +o Students evaluate and problem solve with staff and +leadership challenges/barriers to including families in the +school community. +● Indicator IV-B1. Policies and Practices. +o Students participate in an activity identifying the makeup +of the school. +o Cultural Sharing day. +o Students participate in SSC and/or other groups that +develop culturally sensitive policies. +● Indicator IV-E-1. Shared Vision Development. +o Students are part of the visioning process through focus +groups, surveys, community meetings, etc. +o Students share in the developing messaging for the +student body. +● Indicator IV-F-3. Consensus Building. +o Conflict resolution. +o Restorative justice practices. +o Student involvement in SSC and decision-making body. + + +Page 5: +Superintendent’s Circular FAM-03 +Page 5 of 7 + +ELECTIONS +It is the responsibility of every principal/head of school to ensure +that elections are held and the student government is +established no later than October 15. The recommendation is that +all student elections be held as one process by April 15 of the +current school year to roll out the following school year. See the +Student Elections Toolkit for guidance on facilitating student +elections and all the necessary reporting forms. +REPORTING +Once the student government is established, each school must +send the student government roster to the Office of Youth +Leadership, which must include: +1. Student information for all elected positions. +2. Student information for the two (2) students who are +elected to serve on SSC or Governing Board (these +students shall also serve on the Personnel +Subcommittee). +3. Student information for the BSAC representative (see +Superintendent Circular FAM-06). +4. Student information for the Greater Boston Regional +Student Advisory Council (GBRSAC) representatives. +Please note the Department of Elementary and +Secondary Education requires secondary schools to host +their student elections for GBRSAC representatives and +those names be submitted no later than mid-April for the +representatives serving the following school year. + + + +Page 6: +Superintendent’s Circular FAM-03 +Page 6 of 7 + +MIDDLE SCHOOL LEVEL OVERVIEW +Middle school student governments serve the same functions as +high school student governments. During middle school, +students are building their self-advocacy skills to develop their +voices, identities, and agency in the school community. Learning +about leadership is a key activity for many middle school student +governments. Student government members learn how to +research, plan, organize, and execute programs and activities for +many students. The student government advisor leads student +government members in developing their leadership skills. +Practicing Democracy: Governing democratically is a skill +students learn during student government. Student government +gives students hands-on experience in the workings of a +democracy and teaches them how to work cooperatively with +others. Meetings should be run to promote students' working +together for the common good and learning how to put +leadership into action. +Planning and Implementing School Spirit Activities: Building +school spirit and culture that is linguistically sustaining and +affirming can be one of the projects of the student government. +Through school events such as talent shows, fundraisers, and +assemblies, students, teachers, faculty members and parents +come together to help plan these activities throughout the +school year and appoint various people to run these functions. +Addressing Cares, Concerns, and Restorative Justice: Students +will raise school concerns that can best be addressed in student +government. Whether it is more nutritious foods served in the +cafeteria or issues regarding school spirit days, student +government meetings give students a forum for sharing their +grievances and analyzing possible solutions to these problems. +With the support of the Office of Restorative Justice, students + + +Page 7: +Superintendent’s Circular FAM-03 +Page 7 of 7 + +can be trained as circle keepers and can implement restorative +justice to build community, repair harm, and promote collective +healing. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +October 15 +Deadline for student government elections to be +held +October 15 +Deadline for reporting the student government +roster, including all student and faculty +information listed above, to the Office of Youth +Leadership at BSAC@bostonpublicschools.org +October 31 +Deadline for the first student government meeting +to be held + +For more information about this circular, contact: +Owner: +Senior Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-04 Personnel Subcommittee.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-04 Personnel Subcommittee.txt new file mode 100644 index 0000000..916ef1f --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-04 Personnel Subcommittee.txt @@ -0,0 +1,160 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FAM-04 +Version 01 + + +SCHOOL SITE COUNCIL PERSONNEL SUBCOMMITTEE +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Deepening partnerships with families is one of the key strategies +for strengthening student learning and closing achievement +gaps in the Boston Public Schools. Consistent with the principles +of school-based management, the School Site Council engages +parents and students in shared decision-making as a lever for +school improvement. The intention of the Personnel +Subcommittee is to actively involve members of the school +community in the teacher hiring process, as these decisions will +have a significant impact on instructional practice and the lives of +students. +RESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE +The responsibilities of the Personnel Subcommittee of the School +Site Council are to: +• Approve the hiring of new Boston Teachers Union (BTU) +teachers’ bargaining unit staff and in-transfer of BTU +teachers’ bargaining unit staff from other schools in the +system and the choice of teachers from the excess pool. +• Approve the selection of lead teachers, new teacher +developers, mentor teachers, and new athletic coaches. +• Determine the schedule and procedures for reviewing + + +Page 2: +Superintendent’s Circular FAM-04 +Page 2 of 5 + +candidates for positions. + +The decisions of the Personnel Subcommittee are not subject to +the approval of the School Site Council. +PERSONNEL SUB-COMMITTEE MEMBERSHIP +1. The Personnel Subcommittee shall consist of two teachers, +one parent, one student in high schools, and the +principal/head of school or their designee. +2. BTU members on the School Site Council shall select the BTU +representatives to serve on the Personnel Subcommittee. +3. The parent members of the School Site Council shall select +the parent representative. +4. The student members of the School Site Council at high +schools shall select the student representative. +5. The composition of the Personnel Subcommittee should +reflect the racial and ethnic diversity of the school +community to the extent possible. +6. Teacher, parent, and student representatives on the +Personnel Subcommittee may designate temporary +replacement representatives to the subcommittee for +specific positions. +SCHOOL STAFFING +The Personnel Subcommittee interviews and decides on the +selection of permanent teachers who voluntarily apply for +transfer into the school and the hiring of new teachers for +vacancies, consistent with the terms of the current collective +bargaining agreement between Boston Public Schools (BPS) and +the BTU. + + +Page 3: +Superintendent’s Circular FAM-04 +Page 3 of 5 + + +OPEN POSTING +In accordance with circular HRS-HS-07, schools must adhere to +the requirements to open post. Therefore, schools must ensure +that the Personnel Subcommittee of the School Site Council is +formed and ready to begin the hiring process by March 1. +Training related to personnel subcommittees is offered by the +Office of Family and Community Advancement, the BTU, and the +Office of Human Capital. +PERMANENT AND PROVISIONAL TEACHERS +In addition to permanent teachers who apply for transfer, a +Personnel Subcommittee may consider a provisional teacher +with a letter of reasonable assurance for a position which appears +on the transfer list and that the provisional currently holds within +the school. +After interviewing candidates for a vacancy at a school that +results from the transfer process, or if a vacancy at a school +occurs after the completion of the regular transfer process, a +school may choose to advertise or re-advertise the position. +TIME COMMITMENT +The Personnel Subcommittee is a standing committee of the +School Site Council for the duration of the school year. As such, +the Personnel Subcommittee must be formed by October 31 and +should meet as vacancies occur. The Personnel Subcommittee is +not required to meet between the end of one school year and the +beginning of the succeeding school year. Before the summer +recess, members of the Personnel Subcommittee should leave + + +Page 4: +Superintendent’s Circular FAM-04 +Page 4 of 5 + +contact information with the principal/head of school, who will +contact members prior to the interviewing or hiring of any +teacher applicants. +ALIGNMENT WITH EDUCATOR EVALUATION +The Massachusetts School-Level Administrator Rubric includes +Family and Community Engagement (Standard III) as one of four +standards for effective principals/head of school practice. +Engaging parents and students in shared decision-making as +members of the Personnel Subcommittee aligns with Standard +III, Indicator A, Family Engagement of the rubric. Sharing +evidence of effective implementation of the Personnel +Subcommittee may be a valuable way for principals/heads of +school to demonstrate proficient practice in Standard III. +ADDITIONAL INFORMATION AND SUPPORT +For additional information on the role and purpose of the School +Site Council, shared decision-making, and school-based +management, please refer to circular FAM-01 School Site Council +and the School Site Council Manual. +For additional information on school staffing and hiring, please +refer to circular HRS-HS-07 School Staffing, Reassignment, and +Hiring. +Engagement staff from the Office of Family and Community +Advancement (OFCA) are available to provide support, coaching, +and technical assistance related to shared decision-making and +school-based management to all BPS schools. + + + + +Page 5: +Superintendent’s Circular FAM-04 +Page 5 of 5 + +Additionally, OFCA and the BTU collaborate to provide training +for schools on all aspects of the School Site Council, including the +Personnel Subcommittee. + +For more information about this circular, contact: +Owner: +Director of Family School Engagement +Practice Team +Department: +Office of Family and Community +Advancement +Mailing Address: +443 Warren Street Boston, MA 02121 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-05 Title I Family Engagement Requirements.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-05 Title I Family Engagement Requirements.txt new file mode 100644 index 0000000..821468c --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-05 Title I Family Engagement Requirements.txt @@ -0,0 +1,220 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-05 +Version 01 + + +TITLE I FAMILY ENGAGEMENT REQUIREMENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +Deepening partnerships with families is one of the key strategies +for strengthening student learning and closing achievement +gaps in the Boston Public Schools. Strong family and home- +school connection focused on student academic learning has +consistently been shown to be associated with improved student +achievement and school improvement. The shared responsibility +that results from partnerships has the potential to improve +relationships, strengthen schools, and ensure students are +prepared to reach their educational potential in school and +beyond. +The BPS Five Core Elements of Engagement provide clear +guidance for schools to develop and implement the Title I Family +Engagement Requirements. Title I, Part A, Section 1118, of the +Elementary and Secondary Education Act (ESEA) identifies +specific family engagement practices required of all schools that +receive Title I funds. The Office of Engagement provides oversight +and support to ensure all schools that receive Title I funds meet +the engagement requirements of Sec. 1118. + + + + +Page 2: +Superintendent’s Circular FAM-05 +Page 2 of 7 + + +REQUIREMENTS OF SCHOOLS RECEIVING TITLE I FUNDS +All schools receiving Title I Funds are required to do the following: +1. Have a written Family Engagement Plan/Policy, developed +in collaboration with parents and approved by the School +Parent Council and School Site Council or Governing Board. +2. Have a Home-School Compact, developed in collaboration +with parents and approved by the School Parent Council +and School Site Council or Governing Board. +3. Set aside a minimum of 1% of Title I allocation in the school’s +budget for family engagement. Decisions on how to allocate +the 1% for family engagement must comply with federal +guidelines and be made by the School Site Council or +Governing Board. +4. Host an annual parent meeting to discuss school priorities +and programs under Title I by October 31. +5. Build capacity of both families and teachers to effectively +engage with one another to improve student learning +outcomes. with an emphasis on the use of CRIOP, Pillar II. +FAMILY ENGAGEMENT POLICY/PLAN +The family engagement policy/plan is jointly designed by families +and school stakeholders to describe how the school will carry out +parent engagement to meet the changing needs of families, +students, and the school. + + + + +Page 3: +Superintendent’s Circular FAM-05 +Page 3 of 7 + + +The Family Engagement Policy/Plan must: +● Describe how parents will be engaged as equal partners in +school-based decision-making, including tools they will use, +such tools as School-based Equity Roundtables. +● Describe how parents will be engaged in school +improvement and student learning. +● Identify strategies that the school will employ to build both +parent and teacher capacity for partnering to support +student learning. +● Be shared with the school community in a format that is +family friendly. +● Be translated into families’ home languages. +● Be updated annually to reflect the changing concerns of +families’ and school priorities related to school climate and +student learning. +For additional information on the family engagement policy/plan, +see ESEA Title I, Part A, Section 1118(b). +HOME-SCHOOL COMPACT +The purpose of the Home-School Compact is to establish shared +responsibility for student academic achievement. +For additional information on Home-School Compacts: +● ESEA Title I, Part A, Section 1118(d) +● BPS Circular FAM-7 Home-School Compacts +● www.schoolparentcompact.org +● Title I Toolkit + + +Page 4: +Superintendent’s Circular FAM-05 +Page 4 of 7 + + +1% MINIMUM FAMILY ENGAGEMENT ALLOCATION +All schools receiving Title I funds are required to set aside a +minimum of 1% of the Title I allocation in the school's budget for +family engagement. As needed, the Family School Engagement +Practice team can provide guidance in allowable expenditures to +schools. Decisions on how to allocate the 1% for family +engagement should be made by the School Site Council or +Governing Board in consultation with the parent body. +For additional information on the use of Title I funds for family +engagement, please see ESEA Title 1, Part A, Section1118(a)(3)(C) +and Section 1118(e)(8), (9), and (10). +ANNUAL MEETING +Schools receiving Title I funds must convene an annual meeting +with families in which: +● All families are invited and encouraged to attend. +● Families are informed of the school’s status as a Title I +school. +● The requirements of Title I are explained to families. +● The school’s use and allocation of Title I funds is shared with +families. +● Families are informed of the different opportunities to be +involved in school-based decision-making, school +improvement, and supporting student learning. + +For additional information on the Annual Meeting as required +under Title I, please see ESEA Title I, Part A, Section 1118(C)(1). +CAPACITY BUILDING + + +Page 5: +Superintendent’s Circular FAM-05 +Page 5 of 7 + + +Schools that receive Title I funds are required to provide capacity +building opportunities for both families and educators designed +to: +● Help families understand learning standards, assessment of +student learning, and how to effectively monitor student +progress. +● Strengthen families’ ability to support student learning at +home. +● Help principals/heads of school, teachers, and other school +staff develop the mindsets, beliefs, skills, and strategies to +effectively build relationships and maintain ongoing, two- +way, culturally appropriate communication with students’ +families. +● Collaborate with community-based organizations that work +with school staff and/or parents to strengthen student +learning outcomes. +● Translate communications and provide interpretation from +the school to families who speak a language other than +English into the appropriate language. +For additional information on the Title I requirements related to +parent and teacher capacity building, please see ESEA, Title I, +Part A, Section 1118(e). +REPORTING +To be considered in compliance with the family engagement +requirements of Title I and the requirements of the BPS Core +Elements of Engagement, schools must submit the following +documents to the Office of Family and Community +Advancement, or submit to their engagement folder: + + +Page 6: +Superintendent’s Circular FAM-05 +Page 6 of 7 + + +● School-based Family Engagement Plan/Policy +● Home-School Compact +● Agenda, meeting minutes, election documents, meetings +dates, roster, and bylaws of School Site Council +● A self-assessment of the school’s engagement practices. + +The Office of Family and Community Advancement will be +responsible for tracking parent participation in BPS Parent +University, which builds the capacity of parents to effectively +support student learning and advocate for student needs. +ALIGNMENT WITH EDUCATOR EVALUATION +The Title I Family Engagement requirements align with the +educator evaluation Standard III: Family and Community +Engagement addressing the continuum of supports that reflect +shared expectations, responsibility, and opportunities for active +participation and collaborative partnerships between schools, +families, and community. Further, Title 1 requirements align with +Culturally and Linguistically Sustaining Practices (CLSP), +including the Culturally Responsive Instructional Observation +Protocol (CRIOP). + + + + +Page 7: +Superintendent’s Circular FAM-05 +Page 7 of 7 + + +For more information about this circular, contact: +Owner: +Director of Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +445 Warren Street, Roxbury, MA 02121 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-06 Boston Student Advisory Council.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-06 Boston Student Advisory Council.txt new file mode 100644 index 0000000..31fc839 --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-06 Boston Student Advisory Council.txt @@ -0,0 +1,140 @@ +Page 1: + + + +Superintendent’s +Circular + NUMBER: +FAM-06 + + +BOSTON STUDENT ADVISORY COUNCIL +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Massachusetts State Law Chapter 71: Section 38M. Student +Advisory Committee states: School committees of cities, towns +and regional school districts shall meet at least once every other +month, during the months school is in session, with a student +advisory committee to consist of five members to be composed +of students elected by the student body of the high school or +high schools in each city, town, or regional school district. +MISSION STATEMENT +The Boston Student Advisory Council advocates for and protects +the voices of students in the Boston Public School system, +empowers the student body to express their opinions regarding +educational policy changes, and ensures that students are +included in decision and policy making which impacts their lives +and educational experiences. +In the Boston Public Schools, students can apply to their school +to serve on the Boston Student Advisory Council. The Boston +Student Advisory Council (BSAC), a citywide body of student +leaders representing their respective high schools, serves as the +voice of students to the Boston School Committee, the +superintendent, and central office departments. BSAC offers +student perspectives on policies, initiatives, and reform efforts, +and inform their respective schools about relevant citywide + + +Page 2: +Superintendent’s Circular FAM-06 +Page 2 of 4 + + +school issues. They also address student issues by developing +district-wide policies and working with student governments and +heads of schools on school level policies and practices. +BSAC is made up of a Full Council and Executive Committee. The +Full Council is the think tank which generates the ideas for +projects, and the Executive Committee is the leadership team of +six (6) to twelve (12) students who serve as the advising body to +the Boston School Committee and superintendent. The Executive +Committee also plans and facilitates meetings with the support +of the BSAC manager, facilitates youth engagement in district +initiatives and departments, develops BSAC priorities, and +monitors progress. +Each Boston public high school (including district, exam, all high +school-level alternative, pilot, and in-district charter schools) is +required to have at least one and up to two BSAC representatives +from their school. The BSAC representative is a part of the +student government and must regularly attend student +government meetings to share BSAC’s work, receive feedback, +and gather input on projects/policies. Where possible, it is helpful +to have a student representative who is on the School Site +Council serve on BSAC as well. There are two ways students may +become a BSAC member: (1) through student elections at the +school level, or (2) through the BSAC application managed by the +Office of Youth Leadership. +ROLE OF BSAC MEMBERS +1. To elect a leadership team that will serve in advisory to the +School Committee as part of its decision-making process. +2. To keep their Student Government and school community +informed about relevant district initiatives and decisions, +and actively seek and collect feedback to inform district + + +Page 3: +Superintendent’s Circular FAM-06 +Page 3 of 4 + + +decision making through regular attendance and +participation in Student Government meetings. +3. To work on BSAC projects and initiatives. +BSAC representatives will: +• Represent their schools at BSAC meetings. +• Assist in decision making for their schools by advising the +administration on student-centered citywide issues and +policies. +• Work on policies that BSAC develops. +• Perform tasks necessary to advance project work, such as +surveys, meetings with heads of schools and Student +Government advisors, peer interviews, etc. +• Ensure representation of student voice for their school +through continuous engagement with the Student +Government and their broader student body. +The Office of Youth Leadership is responsible for oversight and +support of BSAC. + + + + +Page 4: +Superintendent’s Circular FAM-06 +Page 4 of 4 + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September 29 First BSAC meeting for returning representatives +October 15 +Deadline to hold Student Government Elections +October 15 + +Email names of Student Government +representative(s) and BSAC member to Office of +Youth Leadership, +BSAC@bostonpublicschools.org +October 28 +Deadline for youth to apply to City of Boston’s +Success Link to qualify for a youth job slot. When +possible, the Office of Youth Leadership partners +with the City of Boston’s Department of Youth +Engagement and Employment to provide paid +youth jobs to BSAC members. + +For more information about this circular, contact: +Owner +Senior Director of Opportunity Youth +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-07 Home-School Compact.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-07 Home-School Compact.txt new file mode 100644 index 0000000..5ef7c7b --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-07 Home-School Compact.txt @@ -0,0 +1,200 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FAM-07 +Version 01 + + +HOME-SCHOOL COMPACT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +The Home-School Compact is a document that clarifies what +school staff and families, working in collaboration, can do to help +children reach high specific academic goals in core content +areas. At their best, compacts link family engagement to school- +wide and grade level instructional goals and help ground the +relationships between teachers and families in student learning. +Additionally, the compact serves as a clear reminder of the +shared responsibility of the school and home to ensure that +children can learn what is required of them. It is a written +commitment indicating how all members of a school community +— families, teachers, principals, students, and concerned +community members — agree to share responsibility for student +learning. +All schools receiving Title I funds are required to develop a +home-school compact annually. +WHAT IS INCLUDED IN A HOME-SCHOOL COMPACT? +The compact should clearly communicate the following: + + +Page 2: +Superintendent’s Circular FAM-07 +Page 2 of 6 + + +1. Schoolwide instructional goals in core content areas and +culturally and linguistically sustaining practices +2. Specific learning goals for each grade level +3. Key instructional strategies that the school plans to employ +4. Specific strategies for families to support student learning at +home +5. How stakeholders, especially families, are involved in +developing and revising the compact. +Additionally, the compact provides a vehicle for clearly defining +the expectations and shared responsibility for educating +students. +The compact must describe how the school and teacher agree to +be responsible for: +● Providing high-quality instruction for all students +● Creating a supportive learning environment +● Describing how school/teacher will build student agency in +their learning +● Showing respect for students and their families +● Communicating with families and students about student +progress. +The compact must describe how families agree to be responsible +for: +● Supporting their children’s learning in school and out of +school +● Seeing that their children attend school regularly and on +time + + +Page 3: +Superintendent’s Circular FAM-07 +Page 3 of 6 + + +● Participating in decisions relating to the education of their +child and the school +● Communicating with teachers on a regular basis. +The compact must describe specific ways students agree to be +responsible learners with the support of their parent(s) and +teacher(s) by: +● Attending school regularly and on time +● Showing respect for themselves, their school, and other +people +● Believing they can and will learn +● Trying to do their best in their work. +The compact must emphasize the importance of ongoing, two- +way communication between home and school through the +following minimum requirements: +● Annual parent-teacher conference(s) to discuss the +relationship between the compact agreements and the +student’s achievement +● Frequent, timely progress reports to families +● Reasonable access to school staff in a variety of ways +● Opportunities to participate in and observe class activities. +DEVELOPING AND REVIEWING THE HOME-SCHOOL COMPACT +The following are key considerations for developing your home- +school compact: +1. The compact must be developed by a committee consisting +of administrators, school staff, families, students, and + + +Page 4: +Superintendent’s Circular FAM-07 +Page 4 of 6 + + +teachers. Existing school-based family engagement action +teams or a subcommittee of the School Site Council are +options for the development of this document. +2. The process for developing a compact should be open and +inclusive, soliciting the input and contributions of a wide +range of stakeholders. +3. The compact provides an opportunity for each stakeholder +to articulate their expectations regarding the delivery of +teaching and learning and what they agree to be held +accountable for regarding student achievement. +4. The compact should be written in clear, family-friendly +language, and translated into the languages spoken at the +school. +5. The compact should be written using the Racial Equity +Planning Tool. +6. Once a draft of the compact has been developed, families, +teachers, and students should be given an opportunity to +provide feedback and input. +7. The final version of the document must be approved by the +School Site Council annually in the spring in preparation for +the upcoming school year. +8. A final version of the compact must be submitted to the +Office of Family and Community Advancement by +October 31, 2024. + + + + +Page 5: +Superintendent’s Circular FAM-07 +Page 5 of 6 + + +USING THE HOME-SCHOOL COMPACT +Schools must also develop a process for utilizing the compact to +frame the relationships between teachers and families. Examples +include: +● The compact is reviewed at the beginning of parent-teacher +conferences to frame the conversation about student +progress and mutual accountability. +● The compact is used throughout the year to frame +conversations between teachers and families related to +monitoring student progress toward specific learning goals. +● The compact is used to frame school-based workshops +designed to help families understand schoolwide and +grade-level learning goals and how to support learning at +home. +ALIGNMENT WITH EDUCATOR EVALUATION +The compact, if it is developed and used effectively and +consistently, can be used as evidence of reaching the proficiency +targets for the elements and indicators of Standard III in both the +administrator and teacher evaluation rubrics. +ADDITIONAL INFORMATION AND SUPPORT +For additional information on home-school compacts, please see: +● ESEA Title I, Part A, Section 1118(d) +● www.ctsschoolparentcompact.org +● Title I Toolkit + + +Page 6: +Superintendent’s Circular FAM-07 +Page 6 of 6 + + +The Office of Family and Community Advancement is responsible +for supporting schools with the development and +implementation of the compacts. +IMPORTANT DATES +Date +Activity +October 31 +Deadline for submitting current year Home-School +Compact to Office of Family and Community +Advancement +May 31 +Deadline for School Site Council to review and +approve the Home School Compact for the +following school year + +For more information about this circular, contact: +Owner: +Director, Family School Engagement +Practices +Department: +Office of Family and Community +Advancement +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7750 +Email: +ofca-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Family and Community Advancement (FAM)/FAM-08 Translation and Interpretation Services.txt b/data/data_txt1/Family and Community Advancement (FAM)/FAM-08 Translation and Interpretation Services.txt new file mode 100644 index 0000000..96e158c --- /dev/null +++ b/data/data_txt1/Family and Community Advancement (FAM)/FAM-08 Translation and Interpretation Services.txt @@ -0,0 +1,242 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FAM-08 +Version 01 + + + +• TRANSLATION AND INTERPRETATION SERVICES +This Circular will remain in effect unless rescinded or superseded +to a subsequent version. + +HISTORICAL CONTEXT +The “Parent Communications” section of the Successor +Settlement Agreement between the Boston Public Schools (BPS) +and the Department of Justice (DOJ) outlines the services that +must be provided to ensure meaningful language access for our +BPS families. The Office of Language Access, formerly the +Translation and Interpretation Unit (T&I), was established to +implement and coordinate interpretation and translation services +throughout BPS to centralize and standardize language access +across the district. The Office of Language Access strives to +provide meaningful language access to limited and non-English +proficient constituents via qualified, trained, and professional +interpreters and translators. +REQUEST PARAMETERS +The Office of Language Access handles translation and +interpretation services for essential information. The following list +provides examples of essential information requiring translation +and interpretation: + + +Page 2: +Superintendent’s Circular FAM-08 +Page 2 of 7 + + + + +• IEP/504 meetings +• Report cards for students +• Academic progress reports for students +• Enrollment/registration documents +• Disciplinary process information +• Permission slips/forms for district and school activities and +programs +• Applications for activities requiring parental consent +• Parent-teacher conferences +• Open houses +• Parent handbooks +• Public health and safety information +• Documents on academic planning/options +• Screening procedures needing students’/parents’ language +backgrounds, the process for refusing all/some ELL services +• Written information on parents’/students’ rights and +responsibilities +• Written information on services and benefits available to +parents and students +With every request, the Office of Language Access will determine +whether the services sought are the most appropriate to fulfill +the specific language access need and may tailor the request +accordingly. Fulfilling requests for translation and interpretation +of non-essential information is at the discretion of the Office of +Language Access and is contingent on availability. + + + + + +Page 3: +Superintendent’s Circular FAM-08 +Page 3 of 7 + + + +SERVICES PROVIDED BY QUALIFIED AND BILINGUAL STAFF +The district is charged with providing qualified and trained +translators and interpreters to ensure families have meaningful +access to information. As such, the Office of Language Access +discourages the use of non-approved professionals with +bi/multilingual skills, save for in exceptional circumstances. In +addition, the use of computers/machines to translate is strongly +discouraged. +REQUESTING TRANSLATION AND INTERPRETATION SERVICES +All services are requested and managed through the district's +online translation and interpretation request platform. Please be +aware that the Office of Language Access can only support +Boston Public Schools' requests placed through the Office of +Language Access online platform to comply with the City of +Boston's procurement regulations and processes. To that end, +any language access work performed outside of the district's +established translation and interpretation protocol will be at the +requester's expense. +Schools should designate one primary and one alternate point of +contact for submitting their translation and interpretation +requests. In addition, the point of contact (1) is responsible for +answering logistic questions about events, (2) will serve as the +contact for interpreters, (3) will provide informational materials +for interpreters before scheduled events, and (4) will clarify +written content and receive the written translations. Lastly, this +person must also promptly fill out the post-service survey. +For district staff, designated central office employees may +request translation and interpretation services. Similarly, the + + +Page 4: +Superintendent’s Circular FAM-08 +Page 4 of 7 + + + +central office requester serves as the point of contact for that +service. This could entail (1) answering logistics questions about +events, (2) contacting on-site/virtual interpreters, (3) providing +informational materials for interpreters prior to the event, (4) +clarifying written content/materials, and (5) receiving the written +translations. This person must also promptly fill out the post- +service survey. +FULFILLING REQUESTS FOR TRANSLATIONS AND +INTERPRETATIONS +For translations, requesters should allow a minimum of 2 weeks, +bearing in mind that larger jobs will, correspondingly, take longer +to complete. As rush/short notice jobs do occur, please specify on +the request form if the translation needs expediting. Expediting +is at the discretion of the Office of Language Access. +For in-person interpretations, the more advance notice given, the +easier it is to secure interpreter services. Please submit a request +a minimum of 2 weeks before the service date. For American Sign +Language (ASL), a minimum of 3 weeks is recommended to +secure services. As rush/short notice jobs do occur, please specify +on the request form if the service needs to be expedited. +Interpreter assignment is based on availability and not +guaranteed. +Emergent requests outside of the Superintendent’s and +Communications offices that need to be expedited will be +completed in a timeframe at the discretion of the Office of +Language Access. + + +Page 5: +Superintendent’s Circular FAM-08 +Page 5 of 7 + + + +CANCELLATIONS OF SERVICES +The Office of Language Access must be notified immediately of +any appointment cancellation in which an interpreter (i.e., oral, +ASL) has been scheduled. A 48-hour notice of cancellation is +required for ASL. For oral interpreter services, we require a 24- +hour notice of notice of cancellation. Please be aware that if you +fail to cancel within the designated timeframes, the district will +be charged for the services you requested. This can lead to +inefficient utilization of our limited funds and resources, which +we strive to avoid. To cancel interpreter services, please submit +via interpretations@bostonpublicschools.org. If you are canceling +translation requests, please do so as early as possible via +translations@bostonpublicschools.org. +TELEPHONIC INTERPRETATION SERVICES +Schools have the option to utilize the on-demand LionBridge +Telephonic Interpretation service that is available 24 hours a day, +7 days a week, 365 days a year, in more than 350 languages. +Telephonic interpretation is the oral transmission of a message +from one language to another via telephone. It is typically +conducted in consecutive mode, meaning the interpreter will +translate the message after the speaker has stopped speaking. +This service should be used for instances when parent +communication is not pre-scheduled, e.g., a parent stops by a +school, a school must contact the parent of a sick/injured +student, etc. When essential information is discussed, please +ensure that an interpreter or translation of relevant documents is +requested in advance. +The Office of Language Access will monitor calls and usage to + + +Page 6: +Superintendent’s Circular FAM-08 +Page 6 of 7 + + + +ensure adherence to district protocols. Schools and/or central +office departments will be notified of usage restrictions due to +non-adherence, which will be at the discretion of the Office of +Language Access. +TALKING POINTS +Schools have access to TalkingPoints, which is a two-way +multilingual family engagement platform allowing educators and +administrators the opportunity to communicate with families in +their native language (including English speakers) via the web, +mobile, or text messages. +• TalkingPoints equips educators and administrators with a +platform for collaborative communication and analytics +around family engagement and student progress to +increase student potential for long-term success. +• The service is available 24 hours a day, 7 days a week, 365 +days a year, in more than 100 languages.1 +• It removes the need for educators to provide parents with +their personal cell phone numbers. +ASSISTANCE +For further information, including but not limited to detailed + +1 At present, the platform doesn't support Caboverdiano; +however, a simplified version is currently being piloted at the +Orchard Gardens Elementary School. The simplified version +supports outgoing one-way messaging/announcements to +families only. Additional functionality will be considered based on +pilot results. + + +Page 7: +Superintendent’s Circular FAM-08 +Page 7 of 7 + + + +translation and interpretation policy and procedures, tutorials +(i.e., How to Submit a Request, Request Platform User Guide, +School-Based Administrator Training Webinar), and school and +parent resources/materials to support your school-specific +language access efforts, please refer to the Office of Language +Access website at +https://www.bostonpublicschools.org/translation-interpretation. + +For more information about this circular, contact: +Owner: +Director of Language Access Services +Department: +Family and Community Advancement +(Office of Language Access) +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-7967 +Email: +ofca-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Finance (FIN)/FIN-01 Travel Policy.txt b/data/data_txt1/Finance (FIN)/FIN-01 Travel Policy.txt new file mode 100644 index 0000000..25c34d7 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-01 Travel Policy.txt @@ -0,0 +1,469 @@ +Page 1: + + + + Superintendent’s +Circular + NUMBER: +FIN-01 +Version 01 + + +TRAVEL POLICY – PROCEDURES FOR APPROVAL AND +REIMBURSEMENT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Most Boston Public School business is conducted locally, on-line +or by telephone. Under some special and limited circumstances, +overnight or out-of-state travel may be required. These +circumstances usually arise if the Boston Public Schools is +obliged to send staff out-of-state if a strong case can be made +that such travel would substantially benefit the district. +In all cases, a request for subsidized travel requires justification, +prior notification, and prior approval. BPS is not obligated to +reimburse any employee for travel costs that were not approved +according to this policy. +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +TRAVEL APPROVAL +1. Applicants must secure approval using the online form; sign +in here. Directions for this process are in the BPS Travel +Request documentation document. It is the sole obligation +of the traveler to determine that sufficient funds are +available for reimbursement. + + +Page 2: +Superintendent’s Circular FIN-01 +Page 2 of 8 + +2. No travel should occur until the traveler receives a fully +APPROVED travel request. Any travel request that is +received AFTER the travel has occurred will NOT be +reimbursed. +3. All overnight and out of state travel requires prior approval +and must be submitted at least 20 days prior to departure +date. When you apply, the online form will go through the +following approvers for signatures: school leader, school +superintendent/division chief, financial analyst, chief +financial officer, and operations manager/superintendent. +The traveler will need to follow their travel approval +application online in case there is a question that an +approver may have or a denial which they will note on the +application. When the application is approved, you are then +eligible to travel and receive any reimbursements owed to +you. +4. Please note that only these two accounts must be used: +• 52802 for planes, trains, busses, taxis, Ubers/Lyfts etc. – +the cost associated with getting there. +• 52804 for conference fees, hotel, food etc. – the cost +associated with being there. +You should also use these two accounts when doing +requisitions for travel. +5. Supporting documentation describing the conference and +the purpose of your attendance must be attached to the +online travel request form with any other pertinent +information. +6. All staff planning to attend an overnight or out-of-town +conference are required upon their return to prepare a + + +Page 3: +Superintendent’s Circular FIN-01 +Page 3 of 8 + +report of the presentations/workshops, etc., attended and to +submit their report to their immediate supervisor, who shall +determine the format of this report. +7. If travel is being paid for by the conference host, the BPS +Employee Disclosure Form (3 pages) must be attached to +your “Travel Approval Form” application. +REIMBURSEMENT OF TRAVEL EXPENSES +To secure prompt reimbursement for travel, reimbursement +requests must be submitted to the Business Office within fifteen +(15) business days after the travel has occurred. The traveler must +submit the following forms, documentation/receipts to Accounts +Payable, Office of the Business Manager (emails accepted): +1. A completed City of Boston Special Draft/Non Order Form, +filled out completely with: +• School/department +• Date +• Full name of person being reimbursed +• Full address of person being reimbursed +• Vendor # (see NOTE below) +• Funding source +• Full detailed description: name of conference, dates, and +place/state where held +• Amount being reimbursed +• Signed by the employee’s immediate supervisor. +2. A copy of City of Boston and County of Suffolk Travel Expense +Voucher (attached). This form must be filled out completely +with each daily expense, then signed on the lower right by +the person taking the trip and on the lower left by the +department head. + + +Page 4: +Superintendent’s Circular FIN-01 +Page 4 of 8 + +3. The “Certification Form” attesting, under the pains and +penalties of perjury, that the requested reimbursement was +incurred as reasonable expenses in the service of the City of +Boston. +4. A copy of the approved Request for Travel Approval form +MUST be attached. +IMPORTANT NOTES: +BPS does not reimburse taxes for expenditures. BPS will +reimburse taxes and tips on FOOD ONLY. +Reimbursements cannot exceed the amount authorized by the +Superintendent. Only in extreme conditions can this original +amount be increased via an amended travel form which must be +submitted to the Finance Office prior to travel. +If travel substitution occurs, an amended form approved by the +Superintendent is required before travel. A copy of the “Travel +Approval” must be submitted with each request for +reimbursement. +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file to be reimbursed. Go to +www.boston.gov/procurement, click on "Go to Supplier Portal," +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. +If submitting by paper: +• ONLY submit single-sided reimbursements packet – not +double-sided. +• 12-point font or larger on 8.5 x 11 white paper. + + +Page 5: +Superintendent’s Circular FIN-01 +Page 5 of 8 + +• DO NOT highlight or put scotch tape on receipts because +it fades the receipts; use staples. Only legible receipts will +be reimbursed. Must submit copies of all cash register +receipts on 8.5 x 11 paper. +ALLOWABLE EXPENSES +1. Economy class commercial carrier charges (airlines, trains, +buses) are to be used at all times. The maximum +reimbursement will be limited to the lowest commercial +carrier fare to the destination. The maximum limitation +does not apply for in-state travel. +2. Hotel charges are limited to $200.00 per night. Exceptions +to this limit will only be approved if: +a) basic accommodations are unavailable, or +b) basic accommodations are too distant from the event, +or +c) the event is being held at a specific hotel. +3. The purchase of meals will be reimbursed when supported +by original receipts, not to exceed $50.00 per day. A +maximum of $25.00 per day will be allowed without +receipts. Each person traveling must pay for their own +meals (NOT other individuals or group meals) unless +otherwise noted on the Travel Approval Request; the name +of each individual must be listed on the Travel Approval +Request prior to travel. +a) Gratuities cannot exceed 20%. +b) Original receipts must include an itemized breakdown +of what was ordered. If an itemized breakdown is not +provided, the $25.00 per-diem allowance will be +reimbursed. +c) Reimbursement for room service also requires the +submission of an itemized breakdown. + + +Page 6: +Superintendent’s Circular FIN-01 +Page 6 of 8 + +4. Conference registration fees must be supported by original +documentation. +LOCAL TRANSPORTATION CHARGES +1. Car rentals/gas and airport parking must be listed on the +“Travel Approval” if reimbursement is to be requested. +2. Charges claimed for taxis/Lyfts/Ubers must be supported by +original receipts. +3. Travel by automobile is eligible for reimbursement at the +current IRS allowable rate per mile (see Superintendent’s +Circular FIN-02 – Mileage) +4. Tolls and parking charges must be supported by original +receipts. +MISCELLANEOUS TRAVEL ISSUES +1. Travel by City Contractors/Vendors. Some contracts and/or +service agreements may require the vendor to travel on +behalf of the Boston Public Schools. The City of Boston +Travel Policy must be incorporated by reference into the +contract/agreements prior to execution. +2. Conflicting Obligations. It is generally not permissible, +without the prior review and approval of the Office of Legal +Advisor, to engage in travel sponsored by a third party. +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year. You cannot use current school year +funds to pay for prior school year expenses. + + + +Page 7: +Superintendent’s Circular FIN-01 +Page 7 of 8 + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + +For more information about this circular, contact: +Owner: +Principal Account Clerk Accounts Payable +Business Services +Department: +Operations +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9472 +Email: +finance-staff@bostonpublicschools.org + + + + + + + + + + + + + + + + + + + + +Page 8: +Superintendent’s Circular FIN-01 +Page 8 of 8 + +CITY OF BOSTON AND COUNTY OF SUFFOLK +TRAVEL EXPENSE VOUCHER +THIS FORM IS SUBMITTED WITH REIMBURSEMENT RECEIPTS +TO THE AUDITING DEPARTMENT (Business Office). +ORIGINAL TO BE FILED IN AUDITOR'S OFFICE + + +Month of: + + + +Name of Official or Employee: +Department and Unit: Boston Public Schools + + + + + + + + + + + + + + +Day +Description +PRIVATE +AUTOMOBILE +Rail- +Road +Fares +Bus Taxi and +other fares + +Meals + +HOTEL +Tele- +phone +& Tele- +graph +All Other +TOTAL + + +Miles +Amount + + +Break +-fast +Lunch +Dinner + + +Item +Amount + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +TOTALS + + + + + + + + + + + + + + + + + + + + + + + + + + + +By signing this voucher you certify that each item of expenditure was incurred and was necessary in the service of the City or County +and complies with the regulations on the back of this voucher. + + + + + + + + + + + + + + + + +I hereby certify that I have personally examined this statement, that I approve of each item of +expense hereon, that each item conforms to the regulations printed on the back, the amounts +charged are reasonable and the expenditures necessary in the service of the City or County. + + + + + + + + + + + + + + + + + + + + +Signature + + + +Signature + + + +Department Head + + + + +Employee + + + diff --git a/data/data_txt1/Finance (FIN)/FIN-02a Mileage Reimbursement.txt b/data/data_txt1/Finance (FIN)/FIN-02a Mileage Reimbursement.txt new file mode 100644 index 0000000..0fe69b8 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-02a Mileage Reimbursement.txt @@ -0,0 +1,218 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-02 +Version 01 + + +MILEAGE REIMBURSEMENT + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public School employees who are eligible for mileage +reimbursement are required by IRS regulation to document +those costs and provide specific information. Reimbursement +cannot be made unless all procedures detailed in this circular are +followed, and all necessary documentation is provided. + +All employees who use their own vehicle on authorized school +business are entitled to be reimbursed as listed below. Please +note that travel to and from home is not eligible for +reimbursement. + + +All Itinerant Service Providers +School Psychologists, District Social +Workers, Speech & Language +Pathologists, Occupational Therapists, +Physical Therapists, Adaptive Physical +Education Teachers, Vision Teachers + +$600.00 per “full” +school year (flat +rate) +or +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + +All other BTU members + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + +Page 2: +Superintendent’s Circular FIN-02 +Page 2 of 5 + + + + +Supervisors of Attendance + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + +BASAS + + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + +Management + + + +65.5¢ per mile for +period 7/01/23 thru +12/31/23 + + + + +Planning & Engineering + + +$15.00 per day (flat +rate) + + + +For eligible mileage reimbursement, there must be a sufficient +appropriation in the respective responsibility center manager’s +budget (Account 52803 Mileage). + + + + + +Page 3: +Superintendent’s Circular FIN-02 +Page 3 of 5 + + + +IMPORTANT! +Parking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA +individual fares only (monthly passes are not reimbursable) etc., +will be reimbursed only when it is clearly stated that the trip +taken, which resulted in these fees, was for official school +business and the method of transport was the most +economical. Original receipts must be produced/provided for +reimbursement. + + +Follow the procedures below to submit for reimbursement +(Emails accepted): + +1. Submit a completed “City of Boston Special Draft/Non Order +Form” – it must be filled out completely with: +• School/Department +• Date +• Full name of the person being reimbursed +• Full address of the person being reimbursed +• Vendor # +• Funding source +• Full “detailed” description +• Amount to be reimbursed +• Must be signed by the employee’s immediate +supervisor + +2. Submit the “Certification Form” attesting “under penalty of +perjury that amounts stated are correct and were incurred +in the service of the City of Boston.” + + + +Page 4: +Superintendent’s Circular FIN-02 +Page 4 of 5 + + +3. Submit a completed “Mileage Detail Form” - List the total +number of miles traveled each day and total-up each page – +must sign and date each page. + +4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA +individual fares only, etc. + +5. Mileage Reimbursement requests “must be” submitted at +the end of each month or quarterly – 4 times per year, which +is September 30, December 31, March 31 and the last day of +school in June. + +6. Employee group (union) affiliation must be indicated to +insure eligibility for reimbursement. + + + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + +If Submitting by Paper: +● ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +● DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be + + +Page 5: +Superintendent’s Circular FIN-02 +Page 5 of 5 + + +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year - You cannot use current school year +funds to pay for prior school year expenses. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + + +For more information about this circular, contact: +Name: +Unit Leader of Business Services/Accounts +Payable +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston MA. 02119 +Phone: +617-635-9472 +E-mail: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + diff --git a/data/data_txt1/Finance (FIN)/FIN-02b Mileage Reimbursement_January-June.txt b/data/data_txt1/Finance (FIN)/FIN-02b Mileage Reimbursement_January-June.txt new file mode 100644 index 0000000..62b23ae --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-02b Mileage Reimbursement_January-June.txt @@ -0,0 +1,204 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-02 +Version 01 + + +MILEAGE REIMBURSEMENT + +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public School employees who are eligible for mileage +reimbursement are required by IRS regulation to document +those costs and provide specific information. Reimbursement +cannot be made unless all procedures detailed in this circular are +followed and all necessary documentation is provided. + +All employees who use their own vehicle on authorized school +business are entitled to be reimbursed as listed below. Please +note that travel to and from your home is not eligible for +reimbursement. + + +All Itinerant Service Providers +School Psychologists, District Social +Workers, Speech & Language +Pathologists, Occupational Therapists, +Physical Therapists, Adaptive Physical +Education Teachers, Vision Teachers (ISP +will receive that $600 payment in +succeeding years provide the ISP’s direct +supervisor verifies that the ISP’s travel +schedule is substantially unchanged) + +$600.00 per “full” +school year (flat +rate) +or +67¢ per mile + + +Page 2: +Superintendent’s Circular FIN-02b +Page 2 of 5 + + + +All other BTU members + +67¢ per mile + +Supervisors of Attendance + + +67¢ per mile + + +BASAS + + + +67¢ per mile + +Management + + + +67¢ per mile + + + + +Planning & Engineering + + +$15.00 per day (flat +rate) + + + +For eligible mileage reimbursement, there must be a sufficient +appropriation in the respective responsibility center manager’s +budget (Account 52803 Mileage). + + + + +Page 3: +Superintendent’s Circular FIN-02b +Page 3 of 5 + + + +IMPORTANT! +Parking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA +individual fares only (monthly passes are not reimbursable) etc., +will be reimbursed only when it is clearly stated that the trip +taken, which resulted in these fees, was for official school +business and the method of transport was the most economical. +Original receipts must be produced/provided for reimbursement. + +Follow the procedures below to submit for reimbursement +(Emails accepted): + +1. Submit a completed “City of Boston Special Draft/Non Order +Form” – it must be filled out completely with: +• School/Department +• Date +• Full name of the person being reimbursed +• Full address of the person being reimbursed +• Vendor # +• Full funding source +• Full “detailed” description +• Amount to be reimbursed +• Must be signed by the employee’s immediate +supervisor + +2. Submit the “Certification Form” attesting “under penalty of +perjury that amounts stated are correct and were incurred +in the service of the City of Boston.” + + + +Page 4: +Superintendent’s Circular FIN-02b +Page 4 of 5 + + +3. Submit a completed “Mileage Detail Form” - List the total +number of miles traveled each day and total-up each page – +must sign and date each page. + +4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA +individual fares only, etc. + +5. Mileage Reimbursement requests “must be” submitted at +the end of each month or quarterly – 4 times per year, which +is September 30, December 31, March 31 and the last day of +school in June. + +6. Employee group (union) affiliation must be indicated to +insure eligibility for reimbursement. + + + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + +If Submitting by Paper: +● ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +● DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be + + +Page 5: +Superintendent’s Circular FIN-02b +Page 5 of 5 + + +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 starts +the new Fiscal School Year. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + +** You cannot use current school year funds to pay for prior +school year expenses. ** + + + +For more information about this circular, contact: +Name: +Business Manager +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston MA. 02119 +Phone: +617-635-9472 +E-mail: +ffinancestaff@bostonpublicschools.organceo.org + +Mary Skipper, Superintendent + + + + + diff --git a/data/data_txt1/Finance (FIN)/FIN-03 Expenditure Reimbursement.txt b/data/data_txt1/Finance (FIN)/FIN-03 Expenditure Reimbursement.txt new file mode 100644 index 0000000..516fa66 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-03 Expenditure Reimbursement.txt @@ -0,0 +1,188 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +FIN-03 +Version 01 + +EXPENDITURE REIMBURSEMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The purpose of this memorandum is to clarify those +circumstances under which reimbursement is appropriate and +those that are not. +The reimbursement process is intended to accommodate those +limited instances where the traditional purchasing system +cannot be utilized. It is not intended to replace, substitute for, +supplant, or otherwise institute an alternative purchasing system. + +Expenditures Allowable for Reimbursement +The reimbursement process is intended to allow for the +immediate purchase of incidental or emergency goods and +services that could not be contemplated in the normal course of +business. This process can be used when the aggregate +purchase value of goods or services is minimal. Make sure the +proper accounting codes are used and align with the expense. +Examples of these goods or services include reimbursement for +an emergency, unanticipated supply, or repair needs minimal in +cost. +The reimbursement process is intended to allow individuals to be +reimbursed for personal expenditures incurred in support of + + +Page 2: +Superintendent’s Circular FIN-03 +Page 2 of 7 + +authorized Boston Public Schools activities. This also applies to +travel expenses as defined and consistent with the Boston Public +Schools travel policy (refer to Superintendent’s Circular FIN-01 +Travel Policy - Procedures for Approval and Reimbursement). + +Expenditures Not Eligible for Reimbursement +Expenditures not eligible for reimbursement include those for +the purchase of goods and services that are not consistent with +the guidelines referenced above. A detailed description of +guidelines to be used for purchasing can be found in +Superintendent’s Circular FIN-07 – Purchasing Guidelines. +Certain expenditures, such as purchasing gifts for fellow +employees, constitute an inappropriate expenditure of resources +and are not eligible for reimbursement. + +Purchase Of Food +Food for staff events cannot be reimbursed from fund 100. Fund +100 can only be used for students, parents and community +events using the food account code 53204, be sure funds are +available prior to submitting for reimbursement. If you are using +fund 200, the rules of the grant must allow for food purchases, +prior to purchase always check with your grant liaison. +The practice of purchasing food products from supermarkets for +parents, school councils, or other meetings is an acceptable (and +more cost-effective) mechanism than procuring catered services. +These expenditures will be reimbursed, but only upon the +presentation of itemized invoices and cash register receipts. + + +Page 3: +Superintendent’s Circular FIN-03 +Page 3 of 7 + +Reimbursements will be made only for those items that can be +appropriately documented. + +Gift Cards/Certificates: A Specific Issue +The purchase of gift cards/certificates is not permitted. The use +of gift cards/certificates does not allow for appropriate controls +that document the nature and value of the items that are +ultimately purchased. Nor does this practice allow for the proper +reporting of expenditures. It is a practice that is highly +susceptible to abuse. + +Documentation Required for Reimbursement: +In order to secure prompt reimbursement, all requests must be +submitted to the Business Office within fifteen (15) business days +of purchase. Allowable expenditures for reimbursement must be +fully supported by appropriate documentation/receipts. Follow +the procedures below (Emails Accepted): +1. +Submit a completed “City of Boston Special Draft/Non +Order Form” - it MUST be filled out completely with: +● School/Department +● Date +● Full name of person being reimbursed +● Full address of person being reimbursed +● Vendor # +● Funding source +● Full “detailed” description + + +Page 4: +Superintendent’s Circular FIN-03 +Page 4 of 7 + +● Total amount requested +● Must be signed by the employee’s immediate +supervisor +2. +Submit the “Certification Form” attesting “under +penalty of perjury, that amounts stated are correct and +were incurred in the service of the City of Boston +3. +Itemized (not summary) of cash register receipts +4. +Itemized invoice produced by the vendor +5. +Copies of the front and back of cancelled personal +checks, or Credit card statement that details the item(s) +purchased by an individual. The name of the person being +reimbursed should be on the check and credit card +statement – for Proof of Purchase + +BPS does NOT reimburse taxes for expenditures unless the +Student Activity Account is being used for the purchase - BPS +will reimburse taxes and tips on FOOD ONLY. + +REMINDER: You must be registered on the City of Boston +Vendor/Supplier Portal file in order to be reimbursed. Go to +www.boston.gov/procurement click on "Go to Supplier Portal" +and follow the instructions. Wait until you are an approved +vendor and have acquired your vendor number before +submitting for reimbursement. + + + +Page 5: +Superintendent’s Circular FIN-03 +Page 5 of 7 + +If Submitting by Paper: +• ONLY Submit Single-Sided reimbursements packet – Not +Double Sided. Also, no smaller than 12 Font and only on 8x11 +white paper. +• DO NOT highlight or put scotch tape on receipts because it +fades the receipts – use staples, only legible receipts will be +reimbursed – Must submit copies on 8x11 paper of all cash +register receipts. + + +IMPORTANT REMINDER +The Fiscal School Year ends on June 30 each year and July 1 +starts the new Fiscal School Year - You cannot use current school +year funds to pay for prior school year expenses. + +Reimbursements that are not submitted within the School Fiscal +Year will be in jeopardy of non-payment. + + + + + +Page 6: +Superintendent’s Circular FIN-03 +Page 6 of 7 + +For more information about this circular, contact: +Owner: +Unit Leader of Business Services/Accounts +Payable +Department: +Business Services +Mailing +Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9469 +E-mail: +finance-staff@bostonpublicschools.org +Mary Skipper, Superintendent + +Business Services Guide is available here. + + +Page 7: + + + + diff --git a/data/data_txt1/Finance (FIN)/FIN-04 Student Activity Accounts.txt b/data/data_txt1/Finance (FIN)/FIN-04 Student Activity Accounts.txt new file mode 100644 index 0000000..767af29 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-04 Student Activity Accounts.txt @@ -0,0 +1,415 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +FIN-04 +Version 01 + + + +STUDENT ACTIVITY ACCOUNTS: +OPERATING PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +This Student Activity Accounts: Operating Procedures +Superintendent’s Circular was put together in accordance with +Massachusetts General Law Chapter 71 Section 47. The Student +Activity Account Policy was approved by the School Committee +in the fall of 2018. +All students should have an opportunity to take part in co- +curricular activities. As such, Boston Public Schools have +migrated to a new business process for managing student +activity accounts. Student activity funds are managed under an +“Agency Account,” housed under the City’s tax ID number. +DEFINITION AND CATEGORIES OF STUDENT ACTIVITY +ACCOUNTS +Student activity accounts may only be used for the express +purpose of conducting student activities, which are broadly +defined to be: +● Co-curricular in nature. +● Contingent on a fee or on fundraising. +● For the sole benefit of students. + + +Page 2: +Superintendent’s Circular FIN-04 +Page 2 of 13 + + +Boston Public Schools recognizes the following categories as +student activities: +● SOCAL = Socials, such as a dance or pizza party +● EVENT= Special events, such as a graduation or Science Fair +● FLDTR = Field trips, such as transportation costs or entrance +fees +● CLUBS = School leader-approved student clubs, such as a +Student Council or Debate Club +● STORE = Bookstore, only when bookstore is run by students +and proceeds will benefit students directly +● ATHLT = Athletics, only when funds are student-driven and +proceeds will benefit specific student activities directly +● SNDRY = Miscellaneous activities (this is NOT a catch-all, see +Student Activity Accounts on the BPS website for approved +list) +● BNKFE = Bank fees, such as fees for returned checks +ESTABLISHING A STUDENT ACTIVITY ACCOUNT +Student activity funds will be managed utilizing a Student +Activity Agency Account. The Agency Account is a master +account maintained by the City’s Collector-Treasurer and is +utilized to record deposits and expenses. All student activity +accounts must utilize the City of Boston’s tax ID number and be +authorized by the BPS chief financial officer and city treasurer. +Schools seeking to set up a new student activity account within +the Student Activity Agency Account must contact the BPS +Finance Office. + + + + +Page 3: +Superintendent’s Circular FIN-04 +Page 3 of 13 + +When a new school leader begins at a BPS school, they should +contact the BPS Finance Office. Accounts should be reconciled +prior to the account changing hands. +DEPOSIT PROCEDURE +To deposit funds into your school’s student activity account: +1. Deposit funds at a Boston Citizens Bank branch using the +unique deposit slips provided to your school. This is critical to +ensuring funds are deposited to your school’s subaccount +and simplifying the reconciliation process. +a. If depositing funds for use in multiple different student +activities, schools must use a separate deposit slip for +each pool of money. +2. Complete the revenue breakdown form within 2 business +days of the deposit date to designate the funds to a program +(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, +BNKFE) and class (grade level). This allows the deposited +funds to be applied to your school’s subaccount and +reflected in BAIS Financials. +a. If a deposit is for multiple grades or undefined, utilize +the “0000” for all grades. +3. Allow at least 5 business days for the deposit to be booked to +your school’s subaccount and reflected in BAIS Financials. +Schools must notify the BPS Finance Office when they are +running low on unique deposit slips, not when they’ve run out of +deposit slips, so additional deposit slips may be ordered and +delivered to the school. + + + + +Page 4: +Superintendent’s Circular FIN-04 +Page 4 of 13 + +TRANSFER PROCEDURE +To request a transfer within your school’s student activity +account: +1. Submit the transfer request form, which requires a +justification letter be attached documenting the request. +Transfer Request Justification Template +2. Allow at least 5 business days for the transfer to be reflected +in BAIS Financials. +EXPENDITURE PROCEDURE +Standard Purchasing +To make a purchase out of your school’s student activity account: +1. Confirm the company/venue is already an approved city +vendor by looking them up in BAIS Financials or determine if +the individual needs to be “hired” and paid through the city’s +payroll system. +a. If you have a question about whether a +company/venue is an approved city vendor or should +be hired, please email +Vendor.Questions@cityofboston.gov or call 617-635- +4564. +b. New vendors should register online (see step-by-step +guidelines for registering online). +2. After confirming the company/venue is an approved city +vendor, enter a requisition for student activities using the +following information: +Fund Number: 470 + + +Page 5: +Superintendent’s Circular FIN-04 +Page 5 of 13 + +Account: Should be appropriate to the requisition. An +example is account 52811 for a field trip. If unsure, review +the account code list or contact BPS Purchasing. +Program: An alpha entry matching the revenue breakdown +of SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, or +BNKFE. +Class: An alphanumeric entry matching the revenue +breakdown of: 0000 (all grades); BPSK0; BPSK1; BPSK2; +BPS01; BPS02; BPS03; BPS04; BPS05; BPS06; BPS07; BPS08; +BPS09; BPS10; BPS11; BPS12 +Bud Ref: 0000 +3. Follow the standard purchasing guidelines outlined in the +Business Services Manual to complete the requisition and +purchase process. +Reimbursement +To request a reimbursement out of your school’s student activity +account: +1. Confirm the person is already properly hired or an approved +city vendor by looking them up in BAIS Financials. +b. If you have a question about whether a +company/venue is an approved city vendor or should +be hired, please email +Vendor.Questions@cityofboston.gov or call 617-635- +4564. +c. New vendors should register online (see step-by-step +guidelines for registering online). + + +Page 6: +Superintendent’s Circular FIN-04 +Page 6 of 13 + +2. After confirming the person is an approved city vendor, +complete and submit a hard copy of the Non Order form +with details of the expense, funding source, and amount. +Reimbursement instructions can be found in +Superintendent’s Circular FIN-03. + +Staff seeking reimbursement out of the Student Activity Account +can receive reimbursement for tax on purchases; however, tax +can be saved by going through the standard purchasing process. +Reach out to Lisa Greaves or Bob Cass with any reimbursement +questions. +The Business Services Guide may be a helpful resource for further +inquiries on purchasing. +CHECKING STUDENT ACTIVITY ACCOUNT BALANCES +To check your school’s student activity account balance: +1. Log into BAIS Financials. +2. From the main menu drop-down options, select +REPORTING TOOLS. +3. From Reporting Tools, select QUERY. +4. Click on QUERY VIEWER. +5. Next to “Search by,” select QUERY NAME from the drop- +down options. +6. In the blank next to “begins with,” enter +Y_GL_QRY_SCH_ACT_BUDGET_BAL. +7. Select how you'd like to run the report: HTML, Excel, or XML. +8. In the blank next to “department,” enter your school’s 6- +digit RC code. +9. Click VIEW RESULTS: +a. Scroll through all the line items to find balances (there + + +Page 7: +Superintendent’s Circular FIN-04 +Page 7 of 13 + +will likely be several rows that show no balance) OR +b. Download the results and filter out all the rows without +a balance. +To check deposits and expenditures in your school’s student +activity account: +1. Log into BAIS Financials +2. From the main menu drop down options, select REPORTING +TOOLS. +3. From Reporting Tools, select QUERY. +4. Click on QUERY VIEWER. +5. Next to “Search by,” select QUERY NAME from the drop- +down options. +6. In the blank next to “begins with,” enter +Y_GL_QRY_EXP_PO_CN_DTL. +7. Select how you'd like to run the report: HTML, Excel, or XML. +8. Enter the following for the blanks: +a. Fund Code: 470 +b. Organization: Your school’s 6-digit RC Code +c. Program Code: % +d. Sub-Classification: % +e. Project/Grant: % +f. Account: % +g. Budget Reference: % +h. From Accounting Period: 1 +i. To Accounting Period: 12 +j. From Fiscal Year: Starting year (for example, if you just +want to look at this current school year, you’d enter +2024, but if you wanted to look at the account over +time, you’d enter 2018). +k. To Fiscal Year: Ending year. +9. Click VIEW RESULTS. + + +Page 8: +Superintendent’s Circular FIN-04 +Page 8 of 13 + +REPORTING +Monthly Reconciliation Reports +By the 5th of each month (September - July): +1. Complete the monthly reconciliation report for the previous +month, reconciling your school’s PeopleSoft balance with +submitted revenue breakdown forms and expenditure +requests. +2. Completed monthly reconciliations should be sent to school +leader, all student organization leadership (and/or parent +council leadership if elementary school), and Charlie Ng by +the 5th of each month for the previous month (example: for +the February reconciliation, submit by March 5). PDFs should +be uploaded to your school’s SAA reporting folder and saved +for 7 years. +Year End Reconciliation +By June 21: +1. Complete Form B for each additional bank account +associated with the school (Form B doesn’t need to be +completed for the student activity and before/after school +accounts) and record every transaction for each account. +Additional bank accounts include 501c3, BEDF, Parent +Council, and Sunshine Fund accounts. +2. A final monthly reconciliation report should be submitted by +July 5 to close out the student activity account for the school +year +3. Completed forms should be sent to Charlie Ng. + + +Page 9: +Superintendent’s Circular FIN-04 +Page 9 of 13 + +CASH POLICY AND RECORD-KEEPING +Internal Records And Ledgers +Schools must keep detailed records of their receipts and +expenses for the account. Records should contain, at minimum, +the level of detail provided in the example ledger by line. The +specific purpose/activity of all money should be tracked. It is +recommended that for individual activities, such as a specific +field trip or event, schools also track all receipts and expenses (i.e., +all revenue and expenses for prom). A copy of these records +should be housed in your school’s SAA folder. The purpose of +these records is to: +● Ensure bank deposits match the total receipts of fees and +fund-raised money. +● Ensure entirety of the money is spent on the intended +purpose, benefiting solely the students who the money was +raised for/by. +● Avoid large surpluses and deficit spending. +Cash Policy +Cash boxes may be used to receive cash and checks and make +change during fundraising activities. +As needed, the cash box may be signed out to staff and student +organizations as long as a cash box log is completed each time +the cash box is signed out. +Schools need to keep records of collected cash and checks. When +$10 or more is collected from an individual, a pre-printed carbon +receipt must be issued to that individual. Carbon copies of +receipts should be submitted to the school leader along with + + +Page 10: +Superintendent’s Circular FIN-04 +Page 10 of 13 + +collected cash and checks WITHIN 24 HOURS of receipt. In cases +of a large number of transactions in a short period of time, the +receipt log should be used to provide a record of individual +transactions and be submitted to the school leader along with +collected cash and checks WITHIN 24 HOURS of receipt. +When less than $10 is collected from an individual, a pre-printed +carbon receipt does not need to be issued. Rather, the person +handling the cash box needs to record the collected funds on the +receipt log. The receipt log should be submitted to the school +leader along with collected cash / checks WITHIN 24 HOURS of +receipt. +The cash box must be reconciled daily by two individuals. Once +the cash is counted, each individual should initial the cash box +reconciliation form. +Collected cash / checks totaling under $1,500 must be deposited +at a Boston Citizens Bank branch WITHIN A WEEK of receipt. +Total collected cash / checks exceeding $1,500 must be deposited +at a Boston Citizens Bank branch WITHIN 72 HOURS of receipt. + + + + +Page 11: +Superintendent’s Circular FIN-04 +Page 11 of 13 + +CLOSURE OF ACCOUNTS +Closure of Class Accounts at Graduation +The following procedures should be followed with respect to +class accounts at graduation: +1. Keep class accounts open and active for 90 days after +graduation to allow for outstanding bills to be received and +paid. +2. After 90 days, remaining funds must either be: +a. Transferred to a separate account established by class +members, not using the city’s tax ID number. +b. Transferred to the school’s SNDRY, 0000 (all grades) +line. +Closure of Inactive Accounts +The following procedures should be followed with respect to +inactive and undesignated accounts at the district level: +1. Accounts will be closed, and remaining balances will be +transferred to the Student Activity Agency Account. +2. Remaining balances will be distributed across all schools’ +SNDRY, 0000 (all grades) lines. +The following procedures should be followed with respect to +inactive accounts at the school level: +1. Provide written notification about the inactive account to +the BPS Finance Office. +2. If the account should be closed out and has a balance of +funds: +a. The balance of recognized student activity funds +should be moved into the appropriate program and + + +Page 12: +Superintendent’s Circular FIN-04 +Page 12 of 13 + +class subaccounts. +b. The balance of unrecognized student activity funds +should be moved into the school’s SNDRY, 0000 (all +grades) line. +RESOURCES +For additional information and resources on Student Activity +Accounts: +● Student Activity Account: Policies & Procedures Manual +Student Activity Account Website +● SAA Slide Deck +● 7-minute Overview Presentation +● Purchasing Manual +● Massachusetts General Law +Please contact the Finance Office if you have any student activity +account questions not addressed in this circular. +Questions related to deposits, fund balances, and account status +should be directed to: +Special Accounts Manager, finance- +staff@bostonpublicschools.org +Internal Controls Project Manager, finance- +staff@bostonpublicschools.org + + + + + +Page 13: +Superintendent’s Circular FIN-04 +Page 13 of 13 + +Questions related to purchases from this account should be +directed to: +Assistant Business Manager, finance- +staff@bostonpublicschools.org / 617-635-6758 +Questions related to reimbursements from this account should +be directed to: +Principal Account Clerk finance-staff@bostonpublicschools.org / +617-635-9472 + +Unit Leader of Business Services/Accounts Payable +finance-staff@bostonpublicschools.org / 617-635-9469 + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Finance (FIN)/FIN-07 Purchasing Guidelines.txt b/data/data_txt1/Finance (FIN)/FIN-07 Purchasing Guidelines.txt new file mode 100644 index 0000000..e2c3c72 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-07 Purchasing Guidelines.txt @@ -0,0 +1,328 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-07 +Version 01 + + + +PURCHASING GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Procurement procedures at BPS follow state and federal laws +and City policies. Non-compliance with these laws could result in +invalid procurements and unenforceable contracts. The State +Procurement Law (M.G.L. c. 30B) mandates standard procedures +for local jurisdictions to ensure fairness and consistency when +purchasing supplies or services. The information below provides +the necessary procedures and requirements for purchasing +supplies or services following competitive and non-competitive +procurement regulations. +INDIVIDUALS AUTHORIZED TO SIGN CONTRACTS ON BEHALF +OF THE BOSTON PUBLIC SCHOOLS +No Boston Public School employee, other than those listed +below, may enter into a contract with any vendor. This includes +but is not limited to contracts, agreements, memorandums of +understanding, grants, partnership agreements, or any other +expenditure that binds the district to pay for services/goods. This +includes purchases of services or goods for under $10,000. +Only three (3) BPS employees are authorized to enter into +contracts on behalf of the Boston Public Schools: + + +Page 2: +Superintendent’s Circular FIN-07 +Page 2 of 10 + + +• The superintendent of schools +• The BPS chief financial officer +• The BPS deputy chief financial officer + +1. PURCHASES LESS THAN $10,000. +The standard for selection: Following M.G.L. c. 30B, § 2 "Sound +Business Practices,” the school or department must solicit three +quotes via telephone, email, catalog, or the City Certified +Business Directory. A record of these quotes should be recorded +on this form and kept on file at the school or department for +auditing purposes. +Required document: Requisition +Authorization: Purchase order +Turnaround time*: 1 -2 Weeks + +2. PURCHASES BETWEEN $10,000 - $100,000 +The standard for selection: When procuring supplies or services +that are not a sole source or exempt from Chapter 30B, schools +and departments must solicit written quotes from at least three +vendors via telephone, email, catalog, or the City Certified +Business Directory. A record of these quotes should be recorded +on this form and kept on file at the school or department for +auditing purposes. The contract should then be awarded to the +responsible and responsive supplier offering the needed quality +of supply or service at the lowest price quotation. In cases when +obtaining three quotes is impossible despite reasonable effort, +awarding the contract based on one or two quotes is acceptable. +Important Note: School districts may still opt to issue an IFB + + +Page 3: +Superintendent’s Circular FIN-07 +Page 3 of 10 + + +when procuring supplies or services estimated to cost $100,000 +or less. +Required documents: To ensure a timely and efficient +procurement process, all required documents should be +submitted to the Business Office/Procurement office at least four +weeks before the desired procurement date: requisition, Contract +Request Form, detailed specifications, and, if applicable, a sole- +source letter addressed to the Business Manager. Before +submitting, use the detailed checklist to verify that all required +information has been completed. +Authorization: Purchase order and written quote contract (WQC), +signed by the vendor and approved by the superintendent and +the City auditor. +Turnaround time*: 2 - 4 Weeks +3. PURCHASES OF MORE THAN $100,000 +The standard for selection: For supplies or services estimated to +cost more than $100,000, an invitation for bids (IFB) or a request +for proposals (RFP) can be used. In a bid process, IFB, you award +the contract to the qualified bidder who meets your +specifications and offers you the best price. Information for Bid +(IFB) Sealed bids (M.G.L. c. 30B, § 5. In a proposal process, RPF, you +award the contract to the offeror submitting the most +advantageous proposal, considering your specified evaluation +criteria and price. Request for Proposals (RFP) Sealed proposals +(M.G.L. c. 30B, § 6 + + + + +Page 4: +Superintendent’s Circular FIN-07 +Page 4 of 10 + + +Notice/Advertising Requirements: The Business Services and +Finance Procurement Unit will submit an ad for schools and +central departments to be posted at least two weeks before bids +or proposals are due in the City Records. If the procurement +exceeds $100,000, an advertisement will be published in the +Goods and Services Bulletin at least two weeks before bids or +proposals are due. +Required documents: Requisition and a completed Contract +Request Form with a detailed written description of the items or +services to be purchased. +Authorization: Purchase order and fully executed contract +Turnaround time*: 4 - 8 Weeks +*NOTE: These timelines may not apply to all procurement +requests. The turnaround times listed above are approximate and +do not apply to peak procurement periods, ranging from 08/15 to +09/30 and 04/15 to 06/30. +4. MOAS AND MOUS AGREEMENTS +The following types of agreements are exempt from Chapter 30B +and do not require a City of Boston standard contract to be +executed: an agreement between agencies, boards, +commissions, authorities, departments, or public +instrumentalities of one city or town (ch. 30B§1(7)); or an +agreement to purchase supplies or services from or to dispose of +supplies to an agency or instrumentality of the federal +government, the Commonwealth, or any of its political +subdivisions or any other state or political subdivision thereof (ch. +30B§1(9)) + + +Page 5: +Superintendent’s Circular FIN-07 +Page 5 of 10 + + +• Memoranda of Agreement (MOA), in addition to outlining +the terms and obligations of each government agency, +requires payment or exchange or transfer of funds between +the parties. There are only to be used between two or more +government agencies. If one or more of the parties to the +agreement is not a government agency, then the normal +rules related to standard contracts apply. There is no dollar +threshold for an MOA. +All MOAs must be initially reviewed by the BPS Law +Department, signed by the City Corporation Counsel and +City Auditing, and necessary signer(s) involved in the +agreement before it can be accepted as a valid contractual +agreement. +• Memoranda of Understanding (MOU) is an agreement of +terms and obligations that does not include funds transfer +between the parties. While parties to an MOA must all be +government agencies, parties to an MOU may, but are not +required to be, government agencies. +All MOUs must be initially reviewed by the BPS Law +Department, signed by the City Corporation Counsel, and +necessary signer(s) involved in the agreement before it can +be accepted as a valid contractual agreement. +NOTE: The Law Department reserves the right to require City +departments to execute a formal contract in any situation +involving agreements with non-government entities. +Authorization: Purchase order and fully executed and signed +MOA agreement + +Turnaround time*: 4 - 8 Weeks + + +Page 6: +Superintendent’s Circular FIN-07 +Page 6 of 10 + + +5. GRANT CONTRACTS +Under Massachusetts General Law, a “grant agreement” is +defined as “an agreement between a governmental body and an +individual or nonprofit entity, the purpose of which is to carry out +a public purpose of support or stimulation instead of procuring +supplies or services for the benefit or use of the governmental +body.” If a grant agreement properly fits within this definition, +then it is exempt from the requirements of Chapter 30B. +The first step in the analysis of whether a grant agreement can +be used is to determine the public purpose of the grant and how +grant funds are being directly linked back to the public delivery +of a program. Generally, supporting a non-profit organization, or +keeping it operational, is not a permissible public purpose. While +non-profits may operate for the public good, grant funds must be +directly linked back to the specific delivery of a program. Please +review this Law Department memo for further considerations +and guidance when determining whether a grant process is +applicable. If you plan to conduct a grant process because each +case is evaluated individually, please contact the BPS Office of +the Legal Advisor at 617-635-9320. +6. EMERGENCY PURCHASES +In the case of an unforeseen emergency, if complying with all of +Chapter 30B's requirements would put people or property at risk, +you are allowed to procure the necessary item or service without +full compliance. However, it is important to keep a record of the +emergency procurement, including the reason for deeming it an +emergency, the supplier's name, the contract amount and type, +and a list of the supplies or services purchased under each +contract. Additionally, document any procedures used to elicit + + +Page 7: +Superintendent’s Circular FIN-07 +Page 7 of 10 + + +competition. It is important to inform the Business Services +Procurement Unit of the emergency purchases as soon as +possible. Please refer to the Goods and Services Bulletin for +further guidance on processing and emergency procurement. +7. FOOD PURCHASES +Food purchases are allowed for events where parents, suppliers, +constituents, and community members attend — not just +students, teachers, or the superintendent. If it's a fund 100, it +must be purchased against the following food budget, 53204. If +using fund 200, please check with Yvonne Macrae, Director of +Grants and External Funds, ymacrae@bostonpublicschools.org, +to ensure that the grant rules allow food purchases. Please +review Superintendent's Circular FIN-03 and additional +guidelines on reimbursements for food purchases. +8. REAL PROPERTY – ACQUISITIONS AND DISPOSITIONS – +M.G.L. C. 30B +Real Property Acquisitions and Dispositions: After determining +the value of the acquisitions and disposing of the real property +valued over $35,000.00, an invitation for bids (IFB) or a request for +proposals (RFP) can be used. In a bid process, an IFB can select +the proposer who meets your quality requirements and offers the +lowest price. Information for Bid (IFB) Sealed bids (M.G.L. c. 30B, § +5. In a proposal process, an RPF will allow you to compare the +relative merits of the proposals you receive and the price. +Request for Proposals (RFP) Sealed proposals (M.G.L. c. 30B, § 6 . +Contact Business Services for further information on when to use +a license or a lease. +Notice/Advertising Requirements: The Business Services and + + +Page 8: +Superintendent’s Circular FIN-07 +Page 8 of 10 + + +Finance Procurement Unit will submit an ad to be published in +the Central Register at least 30 days before executing a binding +agreement to acquire the property. M.G.L. c. 30B, § 16(d) +Authorization: Purchase order and fully executed contract +Turnaround time*: 4 - 8 Weeks + +RESOURCES +BPS Legal Advisor +Legal Advisor legal@bostonpublicschools.org +617-635-1577 +Computer Equipment +OIIT: Director of Technology Business Operations Operations- +Department-Heads@bostonpublicschools.org +617-635-9190 +Educational and Administrative Applications +OIIT: Director of Technology Business Operations, Operations- +Department-Heads@bostonpublicschools.org +617-635-9190 +Purchasing, Textbook Adoptions +Business Services: Assistant Business Manager +finance-staff@bostonpublicschools.org 617-635-8207 +PeopleSoft/Financials Training +Business Services: Assistant Business Manager) +finance-staff@bostonpublicschools.org 617-635-8207 +Furniture and Rugs +Facilities Mgt.: + + +Page 9: +Superintendent’s Circular FIN-07 +Page 9 of 10 + + +Operations-Department-Heads@bostonpublicschools.org 617- +635-9119 +Playground Equipment +Facilities Mgt.: +Operations-Department-Heads@bostonpublicschools.org +617-635-9117 +Grants/External Funds +Director of State & Federal Grants finance- +staff@bostonpublicschools.org617-635-9577 +Field Trips +Transportation: Executive Director of Transportation +Operations-Department-Heads@bostonpublicschools.org 617- +635-9000 +Budget Management +Assistant Budget Director, finance- +staff@bostonpublicschools.org +617-635-6984 + + + + +Page 10: +Superintendent’s Circular FIN-07 +Page 10 of 10 + + +For more information about this circular, contact: +Owner: +Assistant Business Manager +Department: +Business Services +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-8207 +Email: +finance-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + +• Essential Training Guide is available here. +• Business Services Guide is available here. + + diff --git a/data/data_txt1/Finance (FIN)/FIN-09 Private Contributions Management Guidelines.txt b/data/data_txt1/Finance (FIN)/FIN-09 Private Contributions Management Guidelines.txt new file mode 100644 index 0000000..aa5f667 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-09 Private Contributions Management Guidelines.txt @@ -0,0 +1,236 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-09 +Version 01 + + +PRIVATE CONTRIBUTIONS MANAGEMENT GUIDELINES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +BOSTON PUBLIC SCHOOLS PRIVATE CONTRIBUTIONS +All external funding — to the district as a whole, individual +schools, central offices, or fiscal sponsorship — that is received +from private sources, such as foundation grants, contributions, +and individual donations other than public state and federal +grants, must adhere to the established rules and guidelines set +forth in this circular. +Schools may not receive cash grants directly into activity +accounts or any other accounts maintained by the school (see +Superintendent’s Circular FIN-04, Student Activity Accounts). +Schools and departments may solicit in-kind services and +contributions from private sources (businesses, non-profit +foundations, and individuals) to be made to the Boston Public +Schools via the Boston Educational Development Foundation, +Inc. (BEDF) in accordance with the guidelines set forth in State +Ethics Commission opinion EC-COI-12-1. Programs funded by +private philanthropy must further BPS goals. Funds will not be +accepted from sources specifically precluded by the School +Committee (there are no fund sources specifically precluded at +this time). + + +Page 2: +Superintendent’s Circular FIN-09 +Page 2 of 7 + + + +ROLES AND RESPONSIBILITIES +All private funds must comply with funders’ intentions and +guidelines established by BEDF regarding programming, +spending, accounting, and auditing, as well as related to civil +rights, access, and confidentiality as per the public use of these +funds. +The program supervisor is the individual who will be responsible +for overseeing the program(s) or initiative that private +contributions are funding. +The fund manager is the department head or the respective +principal/head of school and/or a designee and will be the +primary point of contact for all management issues for BEDF. The +fund manager will take fiscal responsibility for managing private +contributions and assure the submission of proper reporting to +funders. +BEDF has fiduciary and financial oversight responsibility for +private-funded programs, including compliance with all relevant +regulations and reporting. BEDF must sign contracts and other +legal documents that could raise a liability and oversee the full +execution of grant agreements and/or award letters. BEDF will +follow guidelines set by its Board of Directors and funders’ +restrictions and will collaborate to comply with other +requirements related to civil rights, access, and confidentiality. +ABOUT BEDF + + +Page 3: +Superintendent’s Circular FIN-09 +Page 3 of 7 + + +Mission +The Boston Educational Development Foundation, Inc. (BEDF) +was founded in 1984 by the superintendent and School +Committee for departments and schools to improve their ability +to raise money from private sources including foundations, +corporations, and individuals. +BEDF is a 501(c)(3) that exists to improve educational +opportunities for the students of BPS. BEDF provides fiscal +sponsorship and fundraising support for programs and +opportunities that may otherwise not be possible, such as: out of +school time; enrichment and health initiatives for students; +leadership and professional development for teachers; +engagement and learning programs for families; and multiple +academic initiatives. +Fiscal Sponsorship Services +BEDF provides general, financial, and administrative +management and staffing to private-funded programs that +further the educational aims and goals of BPS. BEDF also +provides fundraising support in the following areas: grant +seeking and administration; assistance in grants review and +submission; and the creation of online fundraising campaigns for +schools and programs. +Indirect Rate +BEDF charges an 8% indirect rate on all grants, donations, +sponsorships, and other charitable contributions for which BEDF +serves as the fiscal sponsor. This indirect rate does not apply to +any BPS student scholarships. The BEDF Board of Directors has +the authority to change the rate at any time by giving written +notice to Fund Managers. + + +Page 4: +Superintendent’s Circular FIN-09 +Page 4 of 7 + + + +PRE-AWARD +All BPS staff, parents, and partners are encouraged to seek and +apply for private funding opportunities from a variety of sources. +School fundraising is a team process within the +department/school to enable those individuals who will +ultimately be responsible for implementing the programs to be +involved. Heads of schools, principals, and other administrative +heads must be aware of and approve private solicitations for +programs that will take place under their supervision. +Intent to Apply +All BPS entities planning to pursue a private funding opportunity +must submit an online Intent to Apply Form (for asks above +$10,000) 1-3 months prior to the deadline for submission, if +possible. This will ensure that potential funding applications are +consistent with BPS goals and are not in conflict with other BPS +solicitations to the same agencies and funders. +The Intent to Apply Form will be revised on a weekly basis by the +cross-functional BPS Grants Review Team and will communicate +a recommendation to the applicant. Upon confirmation, you will +receive a completed grant cover page to be signed by your +department head/supervisor. For grant applications seeking +letters of support, a brief form will be attached as well. +POST AWARD +BEDF holds private funds through a set of strictly segregated +funds (previously called accounts). Either fund managers or +funders must forward the award letter and/or grant agreement +(that includes program and budget information) along with the + + +Page 5: +Superintendent’s Circular FIN-09 +Page 5 of 7 + + +deposit form to BEDF. If a new account is needed, the fund +manager should submit the proper form. BEDF will notify within +five business days upon receipt. +SPENDING, MONITORING, AND REPORTING +Spending +Funds held at BEDF will adhere to BEDF current spending, +financial, and administrative policies regarding accounts +receivable and payable, employee stipend documentation, and +any other administrative controls established. For privately +funded programs, BEDF only compensates individuals as +independent contractors (1099) or through the BPS approved +commitment letter process (if individuals are BPS employees). +Individuals are subject to applicable state and federal taxes. +Programs will keep their own records to comply with applicable +BPS regulations. Please contact BEDF at admin@bedf.org for +detailed information. +The BEDF executive director must co-sign all contracts and other +documents in which BEDF could incur liability, legal exposure, or +financial obligations, including purchase orders and grant +agreements, on behalf of the programs. +For internal controls, all expenses require signoff by the fund +managers or designee before any costs can be incurred or +payments released. +The fund manager is responsible for monitoring the spending of +the private funds. This includes assuring that the funds are being +used for allowable expenses; spending according to the +contribution timeline; entering receipt for goods/services; and +submitting invoices to BEDF for all matters related to their + + +Page 6: +Superintendent’s Circular FIN-09 +Page 6 of 7 + + +program budget. In case private-funded program budgets need +to be amended, they should get approval from the funder. BEDF +will ensure these responsibilities are fully completed in +accordance with the provisions of the funder and these +guidelines. +Monitoring +Fund managers are responsible for preparing and submitting +interim reports as requested by funders. BEDF will support +completions and take the appropriate steps to ensure timely +report submission. +Programmatic grant reports are the responsibility of the fund +manager who is overseeing the program being funded. Fund +managers must send a copy of completed reports to BEDF. +Final Reports +BEDF will produce a financial report to be finalized and +complemented with program outcomes by the fund manager in +order to complete and submit a final report as per the funder +guidelines. Please submit a copy of the final version to BEDF for +record keeping purposes. BEDF will take proper measures to +assure fiduciary responsibility to funders, including freezing the +activity of the fund until submission is complete. +AUDITING +The fund manager and program supervisor will collaborate with +auditors, consultants, and program advisors as requested by +BEDF to ensure compliance with tax regulations and impact +assessment of the partnership with BPS, including site visits and +data collection efforts. + + +Page 7: +Superintendent’s Circular FIN-09 +Page 7 of 7 + + +For general inquiries, please email admin@bedf.org. + +For more information about this circular, contact: +Owner +Email +Executive Director, BEDF + admin@bedf.org +Director of Finance and +Operations, BEDF + admin@bedf.org +Assistant Director of +Finance, BEDF + admin@bedf.org +Resource Development & +Communications Manager, +BEDF + admin@bedf.org +Finance Associate, BEDF + admin@bedf.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Finance (FIN)/FIN-10 Grants Guidelines.txt b/data/data_txt1/Finance (FIN)/FIN-10 Grants Guidelines.txt new file mode 100644 index 0000000..11b2daa --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-10 Grants Guidelines.txt @@ -0,0 +1,457 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FIN-10 +Version 01 + +GRANTS GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BOSTON PUBLIC SCHOOLS GRANTS +All grants going to the Boston Public Schools — to the district as +a whole, individual schools, or central offices — must adhere to +federal, state, city, and district policy. This circular contains the +grant management standards and procedures the district uses to +ensure all funds are lawfully expended. +Based on the funding source, grants will be housed in either the +Office of Grants and External Funding or the Boston Educational +Development Foundation (BEDF). All federal and state grants, as +well as some private grants, are housed in the Office of Grants +and External Funding and must adhere to the following +information. Private grants that are housed in the Boston +Educational Development Foundation (BEDF) 501c3 account +must adhere to the rules and regulations of BEDF. Information on +BEDF can be found in Superintendent’s Circular FIN-09. +ROLES AND RESPONSIBILITIES +All grants must adhere to federal, state, city, and Boston Public +Schools requirements for purchasing, accounting, auditing, civil + + +Page 2: +Superintendent’s Circular FIN-10 +Page 2 of 14 + +rights, access, and confidentiality, as well as established +guidelines set forth by the funder. Regulations for state and +federal grants are published in the Grants Management +Procedural Manual published by the Bureau of Grants +Management of the Massachusetts Department of Education. All +federal grants must comply with EDGAR 2 C.F.R.§ 200. All policies +and procedures, as well as internal controls and grant +management standards used by the BPS to ensure that all funds +are lawfully expended are outlined in the Fiscal Policies and +Procedures Manual. +Any individual who works under a grant, expends grant funds, or +oversees a department that utilizes grant funds is responsible for +lawfully expending grant funds. +GRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS +AND EXTERNAL FUNDING +The following documents are required when seeking grant +funding: +• Intent to Apply Form +• School Committee Approval Form +• Boston Fiscal Policies and Procedures +• Grants Subrecipient and Responsibilities +Program managers and grant applicants are responsible for +implementing the following rules for seeking and managing +grants: +1. Most federal and state grants follow the ‘supplement and +not supplant’ rule. This means grant money must not be +used to replace positions previously funded with local + + +Page 3: +Superintendent’s Circular FIN-10 +Page 3 of 14 + +money and should not be used to fund non-salary items +that are the responsibility of the local school district. For +example, grant funds may not be used to fund classroom +teachers or administrative personnel, as these positions are +considered core. A clear indication of supplanting is shifting +a position from GSP to a grant. +2. Grant-funded programs should be self-sufficient. Awarded +funds must cover all expenses of the program, including +wages, benefits, supplies, transportation, utilities, custodial +requirements, and fees. Please consult the Office of Grants +and External Funding and the Budget Office for approval of +any exceptions. If technology is involved, applicants should +consult with the Office of Information and Instructional +Technology (OIIT) to ensure that they are in support of the +proposal. +3. All BPS policies, procedures, rules, and regulations apply to +grant- funded programs. Regular personnel, budget, and +business procedures apply to grant funded programs in the +same way they apply to locally funded programs. Please +reference appropriate budget, business, and human capital +memoranda for rules and procedures. +4. No agreement to apply for or be a subrecipient of a grant is +to be entered into with an outside organization or entity on +behalf of the district without the approval of the Grants and +External Funds Office. +PRE-AWARD +All BPS staff, parents, and partners are encouraged to seek and +apply for grant opportunities from a variety of sources. Grant +development should be a team process within the + + +Page 4: +Superintendent’s Circular FIN-10 +Page 4 of 14 + +department/school to enable those individuals who will +ultimately be responsible for implementing the grant to be +involved. Heads of school, principals, and other administrative +heads must be aware and pre-approve grant proposals for +programs that will take place under their supervision. +INTENT TO APPLY +All BPS entities planning to pursue a grant opportunity must +submit an online Intent to Apply form for all federal and state +grants, as well as private grants over $10,000. The Intent to Apply +form should be submitted as soon as the funding opportunity +and applicant have been identified, but no less than 3 weeks +before the grant due date. This will ensure that potential grant +applications are consistent with BPS goals and policies and are +not in conflict with BPS solicitations for funds to the same +agencies and donors. +Your intent to apply will be reviewed on a weekly basis. Upon +approval, you will receive a completed Grant Cover Page with +your submitted information and details on next steps. +Superintendent Signature +The Office of Grants and External Funding will facilitate obtaining +the superintendent’s signature on your behalf. Please submit the +Intent to Apply form, and the Office of Grants and External +Funding will contact you within ten (10) days with next steps. All +documents requiring signature (including electronic signature) +must be submitted at least one week (7 days) before they are +due. All proposals must be submitted through the Intent to Apply +form and obtain approval to move forward from the Grants +Review Team before signatures will be obtained. + + +Page 5: +Superintendent’s Circular FIN-10 +Page 5 of 14 + +Letter of Support +The Office of Grants and External Funding will facilitate and +obtain all signatures on letters of support from the +superintendent and mayor (for federal grants). Once the Intent to +Apply has been reviewed and approved by the Grants Review +Team, please draft a letter of support for signature. All letters +requiring signature must be submitted at least one week (7 days) +before they are due. +If you are requesting a letter of support from BPS not tied to a +BPS grant application, please complete the online Letter of +Support Request Form. The Office of Grants and External +Funding will follow up with next steps. +BUDGET CREATION +The Office of Grants and External Funding can assist with +developing and reviewing your application’s budget. Once you +complete the online Intent to Apply Form, the Office of Federal +and Grants will contact you. Please reply to this communication +to schedule time to create and review your budget. All budgets +must adhere to BPS, state, and federal regulations and budgets +that do not adhere will need to be amended before BPS will +approve or allow spending. +SUPERINTENDENT SIGNATURE +All grant applications that will be submitted to external funders +(private, state, and federal) must have internal BPS approval prior +to submission. The Office of Grants and External Funding will +facilitate this process. +After completing the Intent to Apply form, the Office of Grants + + +Page 6: +Superintendent’s Circular FIN-10 +Page 6 of 14 + +and External Funding will contact you with next steps. All +documents requiring signature (including electronic signature) +must be submitted at least one week (7 days) before they are +due. The superintendent is the only authorized representative +who can sign grant proposals on behalf of BPS. +BPS can submit the grant to the funder on the requester’s behalf. +In some cases, grants can also be submitted directly from the +program manager, if so preferred, but only after all prior steps are +completed. +ONCE GRANT HAS BEEN AWARDED +School Committee Approval +All grants being managed through the Office of Grants and +External Funding must be approved by the School Committee +before they can be officially accepted by BPS. Similarly, the +School Committee’s approval is required before the Office of +Grants and External Funding can gain access to the grant funds +in conjunction with City Hall. Therefore, as soon as a grant +application has been submitted, the grant may be submitted for +School Committee approval. +To obtain School Committee approval, three steps must be +completed: +1. A packet of School Committee materials is submitted to the +Office of Federal and State Grants. This packet includes a +complete School Committee Acceptance Form, the full +grant budget, the grant narrative, the signed cover page (if +available), MOA/MOU (if available), and award letter (if +available). This must be submitted no later than 14 days prior + + +Page 7: +Superintendent’s Circular FIN-10 +Page 7 of 14 + +to any School Committee meeting. +2. A meeting is held between the program manager and the +Office of Grants and External Funding. +3. The program manager attends the School Committee +meeting, answering any questions that may arise +surrounding the grant. +Once the grant has been approved by the School Committee, +official confirmation of the School Committee acceptance will be +sent out to the requester via email approximately 2 days after the +School Committee vote. +Please contact Coordinator, Office of Grants and External +Funding at finance-staff@bostonpublicschools.org, with any +questions about or requests for School Committee approval. +Grant Set-up +Once a ‘notice of payment’ (official award letter from grantor), +funding wire or MOA/executed contract has been received by the +Office of Grants and External Funding and the grant has received +School Committee approval, the grant set-up process will begin. +During the set-up process, the Office of Grants and External +Funding will map the submitted budget to the BAIS +Financials/PeopleSoft system. The grant will be set up according +to the budget that was approved by the funder. Once the budget +is set up within BPS, it is set up in the City of Boston’s system. The +Office of Grants and External Funding will alert program +managers once this occurs and spending may then begin. This +process takes approximately eight days from the date the +payment notice is received. For questions on grant set up, please +contact the coordinator of Federal and State Grants, Carlos + + +Page 8: +Superintendent’s Circular FIN-10 +Page 8 of 14 + +Coordinator, Office of Grants and External Funding (finance- +staff@bostonpublicschools.org). +GRANT SPENDING +Grant Monitoring and Spending +It is the responsibility of the program manager to monitor the +spending of the grant. This includes: assuring that the grant +funds are being used for allowable expenses; spending according +to the grant timeline; working closely with the Business Office to +process any contracts and/or procurement needs; entering all +requisitions; monitoring purchase orders; entering receipt for +goods/services; and submitting invoices to Accounts Payable for +all work orders related to their budgeted grant funds. It is the +responsibility of the program manager’s supervisor to assure +these responsibilities are fully completed according to +requirements and to offer assistance, when necessary. +Throughout the life of a grant, the budget may need to be +adjusted. This is done through budget transfers in the BAIS +Financials system. Changes may be made among grant lines but +not into or out of a grant to make changes to the grand total. +Changes to the initial grant intent are NOT allowable. +Before any changes are made to the approved grant budget, +approval should be obtained from the funder. An amendment +may be required. If so, the Office of Grants and External Funding +will help with completing and filing the amendment. Please +contact Carlos Martinez, Coordinator of Federal and State Grants, +regarding amendments. + + +Page 9: +Superintendent’s Circular FIN-10 +Page 9 of 14 + +Subrecipient Monitoring and Spending +In accordance with the Uniform Grant Guidance, all sub awards +— where BPS is serving as the pass-through entity — must be +clearly identified and managed according to the standards set +forth by Federal Regulations, 2 CFR 200.331. The program +manager is responsible for communicating federal regulations +and assuring that subrecipients adhere to sub-award regulations. +Please contact the Office of Grants and External Funding for +more information about subrecipient monitoring. +Grant Spending Reports +Program managers will receive quarterly spend-down reports +from the Office of Grants and External Funding. The report is +designed to provide a high-level overview of spending, as well as +spending details. It is the responsibility of program managers to +look through the report, identify any errors in spending, and +report back any programmatic changes that may have affected +the budget timeline. +Amendments +An amendment is necessary when there is a modification to the +scope or finances of a previously approved grant application. +When the scope of a project changes significantly or the +expenditure of a budgeted category exceeds a variance of 10% or +$10,000, whichever is greater, an amendment is needed. +Amendments should be submitted at least 30 days prior to the +desired change. Most federal and state grants require a final +amendment to be filed no later than 30 days prior to the end of +the grant. The Office of Grants and External Funding will submit +any amendments necessary but will need justification from the + + +Page 10: +Superintendent’s Circular FIN-10 +Page 10 of 14 + +Program Manager on why the changes occurred. +GRANT CLEAN UP AND CLOSE OUT +Grant Clean-up +In the final weeks of the grant, clean-up must occur for most +grants. To close out a grant and file a final amendment, there +may not be any remaining requisitions, and all purchase orders +must be fully received. It is the responsibility of the program +manager to assure that the grant is clean for close and final +reports. +Prior to the grant end date, all requisitions must either be +canceled or converted to purchase orders. All purchase orders +must be fully received in BAIS financials by the grant end date. If +a purchase order will not be paid in full, the remainder must be +canceled prior the grant end date. It is the responsibility of the +program manager to monitor clean up, work with the Business +Office to convert requisitions, cancel POs, and enter receipts for +goods and services. +Stipend requests (PS08s) must be submitted and approved +before stipend work can be performed. Final stipend paperwork +(PS09s) must be submitted within two weeks of the stipend +period ending, hence no later than two weeks of the grant end +date. Failure to purchase items or submit stipend requests by the +above deadlines may result in forfeiting of funds. +Grant Outcomes Reporting +At the conclusion of each grant, program managers must report +the outcomes of their SMART goals presented to the School +Committee. The Office of Grants and External Funding will reach + + +Page 11: +Superintendent’s Circular FIN-10 +Page 11 of 14 + +out to program managers for this information. This report will be +shared with the School Committee and key stakeholders. +Grant Close +Grant funds must be spent prior to the grant end date. Funds not +utilized by this end date will be forfeited. For grant compliance +purposes, only funds that are encumbered — as defined by being +on a purchase order and fully received in BAIS financials — or +expended by the grant end date can be claimed under the grant. +The program manager is responsible for assuring that this occurs +by the grant end date. +FISCAL REPORTING +All fiscal reporting will be completed by, or must be reviewed by, +the Office of Grants and External Funding/Auditing Department. +No fiscal report may be submitted to the funder without review +by the Office of Grants and External Funding/Auditing +Department. +FINAL REPORTS +Final financial reports will be completed by the Auditing +Department. Final reports are due to the funder 60 days after the +grant closes. To assure that a final report is filed on time, all +requisitions and open purchase orders should be cleaned up as +soon as possible after the grant end date. Once the final report +has been completed and submitted, a copy will be sent to the +program manager for record-keeping purposes. +MULTI-YEAR GRANTS +Multi-year or continuing federal and state grant accounts must + + +Page 12: +Superintendent’s Circular FIN-10 +Page 12 of 14 + +be established at the start of each fiscal year. Accounts are not +automatically opened or carried forward from year to year. +Therefore, responsible administrative heads, department +managers, and relevant program managers should share, on an +annual basis, all award notification from their respective funders +with the Office of Grants and External Funding +PROGRAMMATIC REPORTING +Programmatic grant reports are the responsibility of the program +manager who is supervising the grant implementation. Please +share all such completed reports with the Office of Grants and +External Funding. Grant-related financial reports and requests for +revenue are managed by the BPS Business Office. However, +please share any relevant details for these well in advance, with +Director of State & Federal Grants (finance- +staff@bostonpublicschools.org) and/or Coordinator, Office of +Grants and External Funding (finance- +staff@bostonpublicschools.org), so they can be submitted to the +funder by the intended deadline. + + + +Page 13: +Superintendent’s Circular FIN-10 +Page 13 of 14 + +GRANTS MANAGEMENT RESOURCES +Grants Website +The Office of Grants and External Funding provides information +about grants at BPS, resources for finding grant opportunities, +contact information, process and policy information, the +quarterly newsletters, and constant updates that may impact +grants. +Internal Grants Management Library +This internal resource provides detailed information about +managing a grant in BPS. This searchable and constantly +updated document includes common grant application answers, +key application documents, how-to guides on running common +reports, and step-by-step instructions on how to manage a +budget, contact information, and information on how to perform +most grant activities in BPS. +CONTACT INFORMATION FOR OFFICE OF GRANTS AND +EXTERNAL FUNDING +Director of State & Federal Grants +617-635-9577 +Email: finance-staff@bostonpublicschools.org + +Senior Grants Manager +617-635-8582 +Email: finance-staff@bostonpublicschools.org + + + + + +Page 14: +Superintendent’s Circular FIN-10 +Page 14 of 14 + + +Coordinator, Office of Grants and External Funding 617-635-9084 +Email: finance-staff@bostonpublicschools.org + +Accounting Coordinator +617-635-9466 +Email: TBD + +External Funding Analyst - Please see Superintendent’s Circular +FIN-04, Student Activity Accounts. + +For more information about this circular, contact: +Owner: +Director of State & Federal Grants +Department: +Director of Grants and External Funding, Finance +Mailing +Address: +Bruce C. Bolling Building, 2300 Washington St., +Boston, MA 02119 +Phone: +617-635-9577 +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Finance (FIN)/FIN-11 Scholarships, Awards, and Honors for Students.txt b/data/data_txt1/Finance (FIN)/FIN-11 Scholarships, Awards, and Honors for Students.txt new file mode 100644 index 0000000..220e28f --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-11 Scholarships, Awards, and Honors for Students.txt @@ -0,0 +1,630 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-11 +Version 01 + +SCHOLARSHIPS, AWARDS, AND HONORS FOR +STUDENTS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version.. + +This circular provides procedures for making awards from +centrally administered trusts that benefit individual students. +Superintendent’s Circular FIN-12 deals with trusts benefiting +schools. Fifteen trusts are listed in the attachment to this +memorandum. Those involving many schools are: + +ALICE F. CASEY AWARDS + +CHARLOTTE FELLMAN AWARDS MARY DOROTHEA +DEVEREAUX AWARDS +SAMUEL GROSS DAVIS AWARDS +MATHEMATICS AWARD +MARY C. MCLAUGHLIN AWARD +MARY GRASSA O'NEILL AWARD +All elementary schools +All elementary and middle +schools +List attached +List attached +All schools +All schools K-12 +All schools 1-12 + + + + + +Page 2: +Superintendent’s Circular FIN-11 +Page 2 of 17 + +Principals and heads of schools are responsible for knowing the +eligibility of their schools and students for scholarships and +awards, for ensuring that recipients of awards have been +appropriately selected, and for following procedures for the +disbursement of the awards. Please submit your requests to the +Chief Financial Office as soon as possible but no later than May 31, +2024. Late requests will not be processed. + + +ELIGIBILITY FOR AWARDS +See the following pages for a list of awards by level and school +and for a description of awards listed in alphabetical order. + +SELECTION PROCEDURES +In addition to criteria specific to each trust, equal opportunity +policies apply to selection procedures. +● Teachers, or a committee of teachers, recommend a +nominee. +● The head of school or principal approves nomination(s). + + + + + +Page 3: +Superintendent’s Circular FIN-11 +Page 3 of 17 + + +DISBURSEMENT PROCEDURES +● Provide the information required for the award on the +attached application form OR on the letterhead of the +school, signed by the principal/head of school. If schools +are eligible for more than one award, use separate +letterhead for each award. +● Submit the memorandum to the Chief Financial Office by +May 31, 2024; late submissions will not be funded. +● Checks will be sent directly to the recipients at the +address provided by the school. Checks cannot be issued +without a Social Security number. All monetary awards are +disbursed through the City of Boston Trust Office. +● Present the awards at a suitable ceremony developed +within each school. +● Maintain records of receipt of awards. Schools should +maintain records of receipts by students, and copies of all +submissions. If it is not possible to obtain a signature, +maintain a dated record of the name, address and method +of transmittal. Documentation of receipts should be +available upon request. + + + + + +Page 4: +Superintendent’s Circular FIN-11 +Page 4 of 17 + +TRUST AWARDS +Aznive +Grace N. Aznive +Casey +Alice F. Casey +Davis +Samuel Gross Davis +Devereaux +Mary Dorothea Devereaux +Fellman +Charlotte Fellman +Franklin +Benjamin Franklin +GeorgeAnna +Judson George +Goldberg +Jacob Goldberg +Goulston +Edward J. Goulston +Hoffman +Ensign David A. Hoffman +Latin +Latin School Prize +Lawrence +Lawrence High School +Lawrence Latin +Lawrence Latin School +Mathematics +Mathematics Award +McLaughlin +Mary McLaughlin +Morrison +Helen C. Morrison +Grassa O’Neill +Grassa O’Neill + + +TRUST AWARDS BY SCHOOL + +ELEMENTARY SCHOOLS +All Elementary Schools +Alice F. Casey + + +Page 5: +Superintendent’s Circular FIN-11 +Page 5 of 17 + + + + + +Charlotte Fellman +Mathematics Achievement +Mary McLaughlin Reading + +Mary Grassa O’Neill +Mason Elementary +Samuel Gross Davis +Tobin K-8 +Samuel Gross Davis +Eliot K-8 +Jacob Goldberg +Winship Elementary +Mary Dorothea Devereaux +Ellis Elementary +Samuel Gross Davis +Hale Elementary +Samuel Gross Davis +Hennigan Elementary +Samuel Gross Davis +Higginson/Lewis K-8 +Samuel Gross Davis +J. F. Kennedy Elementary +Samuel Gross Davis +Trotter Elementary +Samuel Gross Davis + + + + + +Page 6: +Superintendent’s Circular FIN-11 +Page 6 of 17 + + +MIDDLE SCHOOLS +All Middle Schools + + + + +Mary Dorothea Devereaux +Charlotte Fellman +Mathematics Achievement +Mary McLaughlin Reading + +Mary Grassa O’Neill +Dearborn Middle +Samuel Gross Davis +Higginson/Lewis K-8 +Samuel Gross Davis +Timilty Middle +Samuel Gross Davis + + +HIGH SCHOOLS +All High Schools + + + + + +Mary Dorothea Devereaux +Grace Aznive Art Scholarship +Franklin Medal +Mathematics Achievement +Mary McLaughlin Reading +Mary Grassa O’Neill +Boston Latin School +Samuel Gross Davis +Lawrence Latin School +Latin School Prize +Boston Latin Academy +Samuel Gross Davis +Brighton High +Anna Judson George + + +Page 7: +Superintendent’s Circular FIN-11 +Page 7 of 17 + +English High +Edward J. Goulston +Lawrence High School Fund +Madison Park High/Technical/ Vocational +High School +Samuel Gross Davis +O’Bryant School of Mathematics & Science +Samuel Gross Davis +Helen C. Morrison +Carter School +Samuel Gross Davis + + + + + + +Page 8: +Superintendent’s Circular FIN-11 +Page 8 of 17 + +TRUST AWARD DESCRIPTIONS + +AZNIVE ART SCHOLARSHIP FUND in memory of Grace Aznive, a +former BPS teacher, was established in 1955. The scholarship is for +outstanding seniors planning to attend art school. Please call 617- +635-6769 for more information. + +CASEY AWARD in honor of Alice F. Casey, a former associate +superintendent of the Boston Public Schools, was established +1977. +Eligibility: +All elementary schools, one student in each classroom, grades 1-5 +Criteria: +Elementary students who have demonstrated the highest degree of +social and academic growth during the school year and have shown +outstanding and positive attitudes toward classmates of all racial and +ethnic backgrounds while promoting a positive spirit of integration +within their classroom and school community. Current satisfactory +grades in conduct and effort and improved grades in class work or report +card; concern for students and staff; participation in school activities; +helpful and enthusiastic attitude; recognition of rights of others. +Award: +Alice F. Casey Certificate +Submit: +Submit request to Chief Financial Office on school letterhead, with +number of certificates needed. + + +DEVEREAUX AWARD is a gift of Mary Dorothea Devereaux, +formerly a Boston Public Schools teacher, established in 1965. +Eligibility: +One girl and one boy in the graduating class of the following schools: +● +All high schools +● +All middle schools +● +Winship Elementary School + + +Page 9: +Superintendent’s Circular FIN-11 +Page 9 of 17 + +Criteria: +For students who, as a result of the tutelage of their teachers, have +exhibited exemplary personal development and growth of character. +Under no circumstances shall scholastic achievement or athletic ability +be used as criteria. +Award: +$25 check, issued by the City of Boston Treasury Department. +Submit: +Submit request to Chief Financial Office on school letterhead with names, +addresses, dates of birth, student numbers and Social Security numbers +of recipients. + +FELLMAN AWARD is in honor of Charlotte Fellman, a former +associate director of music, established 1984. +Eligibility: +Two graduating eighth grade students from each middle school and each +K-8 school and one graduating fifth grade student from each elementary +school. +Criteria: +Outstanding talent and positive social attitude toward classmates of all +racial and ethnic backgrounds; participation in the musical life of the +school or community; interest in continuing in music; outstanding +musical talent and helpful and enthusiastic attitude toward classmates. +Award: +Certificate of Recognition +Submit: +Submit request to Chief Financial Office on school letterhead, with +number of certificates needed. + + +FRANKLIN CERTIFICATE is a gift of Benjamin Franklin. +Eligibility: +All high schools +Criteria: +High rank in scholarship and conduct +Award: +A certificate +Submit: +Nominating procedure, and name and address of recipients. +Nominations submitted to the Guidance Department. + + + +Page 10: +Superintendent’s Circular FIN-11 +Page 10 of 17 + + + + + + +GEORGE SCHOLARSHIP is in memory of Anna Judson George +and was established 1923. +Eligibility: +A graduating senior from Brighton High School +Criteria: +For excellence in English, to be used for their higher education +Award: +$225 check payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with names, +addresses, dates of birth, student numbers and Social Security numbers +of recipients. + +GOLDBERG TRUST is in honor of Jacob Goldberg upon the +occasion of completion of 50 years of outstanding service to his +employer, W. M. Filene & Sons Company. This trust was +established in 1962. +Eligibility: +A member of the graduating class of the Eliot School +Criteria: +For leadership qualities +Award: +$400 check payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + + +Page 11: +Superintendent’s Circular FIN-11 +Page 11 of 17 + + +GOULSTON AWARD is in memory of Edward S. Goulston and was +established in 1929. +Eligibility: +A member of the graduating class of English High School +Criteria: +Deserving pupil to be used for their higher education +Award: +$250 check; payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + +HOFFMAN SCHOLARSHIP is in memory of Ensign David A. +Hoffman and was established in 1920. + + +Eligibility: +A member of the graduating class of East Boston High School +Criteria: +A scholar who most nearly combines the highest attributes of an all +around student in studies, athletic ability and morality. +Award: +$175 check; payable to recipient +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + +Page 12: +Superintendent’s Circular FIN-11 +Page 12 of 17 + + + +LATIN SCHOOL PRIZE is for the encouragement of scholars at +Boston Latin School. +Eligibility: +Students from Boston Latin School +Criteria: +Excellence in scholarship +Award: +$250 total available, check payable to student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + +LAWRENCE HIGH SCHOOL FUND is from a gift of Abbott +Lawrence in 1844. +Eligibility: +Students from English High School +Criteria: +High rank in various subjects of the course of study +Award: +$525 total available, checks payable to the student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + + + + + + +Page 13: +Superintendent’s Circular FIN-11 +Page 13 of 17 + + +LAWRENCE LATIN SCHOOL FUND is from a gift of Abbott +Lawrence in 1845. +Eligibility: +Students from Boston Latin School +Criteria: +High rank in various subjects of literature and science +Award: +$475 total available, checks payable to the student(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + +MORRISON FUND is a legacy of Helen C. Morrison, established in +1972. +Eligibility: +Students from Technical High Schools +Criteria: +To assist worthy and needy students at technical high schools; funds can +be used either to assist students currently attending technical high +schools in Boston or as scholarships at an institution of higher learning. +Award: +$2,525 total available; check(s) payable to recipient(s) +Submit: +Submit request to Chief Financial Office on school letterhead with name, +address, date of birth, student number and Social Security number of +recipient. + +MARY GRASSA O’NEILL WRITING AWARD: The Boston School +Committee and Superintendent Mary Skipper wish to award +certificates to selected students in recognition of achievement in +writing. Schools should make requests for certificates directly to +the Program Director/ELA, OPL@bostonpublicschools.org. These +certificates will be sent directly to your school, and the schools +will complete the certificates for distribution to selected +students. + + + +Page 14: +Superintendent’s Circular FIN-11 +Page 14 of 17 + +MATHEMATICS ACHIEVEMENT AWARD: The Boston School +Committee and +Superintendent Mary Skipper wish to award certificates to +selected students in recognition of achievement in mathematics. +Schools should make requests for certificates directly to the +Program Director, Mathematics, OPL@bostonpublicschools.org. +These certificates will be sent directly to your school, and the +schools will complete the certificates for distribution to selected +students. + +MARY C. MCLAUGHLIN READING AWARD: The Boston School +Committee and +Superintendent Mary Skipper wish to award certificates to +selected students in recognition of achievement in +reading/language arts. Schools should make requests for +certificates directly to the Program Director/ELA, +OPL@bostonpublicschools.org. These certificates will be sent +directly to your school, and the schools will complete the +certificates for distribution to selected students. + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +May 31, 2024 +All requests must be submitted to the CFO. + + + +For more information about this circular, contact: + + +Page 15: +Superintendent’s Circular FIN-11 +Page 15 of 17 + +Owner: +Special Assistant to the Chief of Finance +Department: +Chief Financial Office +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9485 +Scan Documents to +finance-staff@bostonpublicschools.org +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + +ATTACHMENT: +Application for Awards form + + + + +Page 16: +Superintendent’s Circular FIN-11 +Page 16 of 17 + +APPLICATION FOR AWARDS + +This form may be used for each student receiving a cash / savings +bond award; or submit a typewritten list on school letterhead +with all of this information. No student may receive a check or +savings bond without a Social Security number. + +TITLE OF AWARD: +_____________________________________________________ + + +STUDENT'S NAME: +____________________________________________________ + + +STUDENT’S STREET ADDRES +______________________________________________ APT.#:____ + + + + + + + + + +CITY OR TOWN: ___________________________ZIP CODE: _________ + + +STUDENT’S DATE OF BIRTH + + +Page 17: +Superintendent’s Circular FIN-11 +Page 17 of 17 + +____________________________________________ + + +STUDENT’S SSN: +______________________________________________ + + +STUDENT’S ID NUMBER: +______________________________________________ + + +SCHOOL: +______________________________________________________ + + +SCHOOL STREET ADDRESS: +__________________________________________ + + +CITY OR TOWN: ______________________ ZIP CODE: _____________ + + + diff --git a/data/data_txt1/Finance (FIN)/FIN-12 Trust Funds for Schools.txt b/data/data_txt1/Finance (FIN)/FIN-12 Trust Funds for Schools.txt new file mode 100644 index 0000000..f570cb3 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-12 Trust Funds for Schools.txt @@ -0,0 +1,595 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +FIN-12 +Version 01 + + +TRUST FUNDS FOR SCHOOLS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +This memorandum provides procedures for making awards from +centrally administered trusts that benefit schools. Heads of +schools and principals are responsible for knowing the eligibility +of their schools for trust funds, for ensuring that trust fund +purchases are appropriately selected, and for following +procedures for the awards. Please submit your requests to the +Finance Office as soon as possible and no later than May 31, 2024. +Late requests will not be processed. +1. +ELIGIBILITY FOR AWARDS +See Attachment 1 for awards by school. +See Attachment 2 for a description of the awards listed in +alphabetical order. +2. +PROCEDURES FOR REQUESTING FUNDS +Submit a detailed list of items including the item name, publisher +and/or vendor, and the cost, together with a cover memorandum +giving the name of the trust and the total requested. Separate +letterhead must be used for each award request. + + +Page 2: +Superintendent’s Circular FIN-12 +Page 2 of 14 + + +3. +PROCEDURES FOR RECEIVING FUNDS +Checks will be sent directly to the recipient at the address +provided by the school. Principals/heads of schools should retain +records of all requests, receipt of checks, and documentation of +purchases for five years. Documentation of purchases should be +available on request. + +ELEMENTARY SCHOOLS +AWARD +ALL ELEMENTARY SCHOOLS +Peter F. Degrand Award +Charlestown Schools +Devens Infant School +Dorchester Schools +Bowdoin +Dorchester Schools +Stoughton School +Dorchester/South Boston Schools Gibson School Fund +Condon Elementary School +Norcross School Library +Blackstone Elementary School +Webb Franklin +Eliot k-8 School +Abigail Smith +Harvard-Kent Elementary +Devens Infant School +Joseph J. Hurley K-8 School +Webb Franklin +Quincy Elementary School +Abigail Smith + +Martin Milmore Award +Warren-Prescott K-8 School +Devens Infant School +Winthrop Elementary School +Henry B. Hall Award + +MIDDLE SCHOOLS +AWARD +Timilty Middle School (closed) +Sherwin School Graduates +Washington Irving Middle School +Harrington Trust Fund +HIGH SCHOOLS + + +Page 3: +Superintendent’s Circular FIN-12 +Page 3 of 14 + + +Dorchester Academy +Bowdoin Dorchester + +Gibson School Fund + +Stoughton School +Boston Community Leadership +Academy +Anna & Alice Maguire +Boston Latin Academy +Bowdoin Dorchester + +Gibson School Fund + +Persis P. Drake + +Stoughton School +Roxbury Memorial +Scholarship +Brighton High School +Elvira B. Smith +Burke High School +Bowdoin Dorchester + +Gibson School Fund + +Stoughton School +English High School +William Stewart +Excel High School +Gibson School Fund +Horace Mann School +Susan E. Gavett + +Mrs. John A. Lewis + +Samuel E. Sawyer + +Adams/Osgood Fund +Madison Park High School +Costello C. Converse + + +CENTRAL OFFICE +Superintendent +Teachers Waterston + +TRUST FUNDS FOR SCHOOLS ADMINISTERED CENTRALLY +Bowdoin Dorchester +James Bowdoin + + +Page 4: +Superintendent’s Circular FIN-12 +Page 4 of 14 + + +Converse +Costello C. Converse +DeGrand +Peter F. DeGrand +Devens +Devens Infant School +Drake +Persis P. Drake +Eastburn +John Eastburn Fund +Gibson +Christopher Gibson +Hall +Henry B. Hall +Harrington +Francis E.; Alice S. +Horace Mann +Susan E. Gavett +Horace Mann +Mrs. John A. Lewis +Horace Mann +Samuel E. Sawyer +Horace Mann +Adams/Osgood Fund + + +Milmore +Martin Milmore + +Maguire +Alice and Anna Maguire +Norcross +Norcross School Library +Sherwin +Sherwin School Graduates +Smith, A. +Abiel Smith +Smith, E. +Elvira Bush Smith +Stewart +William Stewart +Stoughton +Stoughton School +Waterston +Teachers Waterston +Webb Franklin +Webb Franklin + + + + + + + +Page 5: +Superintendent’s Circular FIN-12 +Page 5 of 14 + + +BOWDOIN DORCHESTER bequest of James Bowdoin established +in 1889. +Eligibility: Schools located in Dorchester only (Dorchester +address). +Criteria: +To benefit the public schools +Award: +$750 total. A check divided to schools who apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +CONVERSE FUND in memory of Costello C. Converse, established +in 1931. +Eligibility: Madison Park Technical Vocational High School +Criteria: +General uses and purposes of the school. +Award: +$500 available; check payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +PETER F. DEGRAND to purchase books for kindergarten, first, and +second grades. +Eligibility: For the purchase of books for students attending +kindergarten, first and second grades in the City of +Boston. +Criteria: +Excellent attendance +Award: +$2,500 available. A check divided to the schools that +apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +DEVENS INFANT SCHOOL K1&2 - 2 grades. + + +Page 6: +Superintendent’s Circular FIN-12 +Page 6 of 14 + + +Eligibility: Schools located in Charlestown for kindergarten, +grades one and two. +Criteria: +Excellent attendance for the use and benefit of +children +Award: +$100 available. A check divided to the schools that +apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +DRAKE FUND gift of Persis P. Drake +Eligibility: Boston Latin Academy +Criteria: +To benefit the school +Award: +$200 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +JOHN EASTBURN SCHOOL FUND +Eligibility: High school seniors who are Boston residents (proof +of residence required) and are pursuing a teaching +curriculum at the University of Massachusetts. +Award: +$1,000 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + +Page 7: +Superintendent’s Circular FIN-12 +Page 7 of 14 + + +GIBSON SCHOOL FUND a bequest from Christopher Gibson +established in 1674. +Eligibility: Schools located in the Dorchester neighborhood, +which in 1674, included South Boston. +Criteria: +For library books and teaching equipment +Award: +$9,500 total available: A check payable (in proportion) +to the schools that apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +HENRY B. HALL for books and supplies. +Eligibility: John Winthrop School +Criteria: +Books and supplies +Award: +$17,000 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +FRANCIS E. & ALICE S. HARRINGTON TRUST FUND + Eligibility: Washington Irving Middle School +Criteria: +Two top students who obtain the highest combined +grade average in French or another foreign language +for two academic years. +Award: +$100 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + +Page 8: +Superintendent’s Circular FIN-12 +Page 8 of 14 + + +ANNA & ALICE MAGUIRE for the school located at 152 Arlington +Street. +Eligibility: Boston High School (now Boston Community +Leadership Academy) +Criteria +Purchase of books for students in attendance +Award: +$50 available; payable to school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +HORACE MANN SCHOOL FUNDS +Susan E. Gavett bequest, received in 1909. +Award: $450 check payable to school +Mrs. John A. Lewis legacy, received in 1903. +Award: $100 check payable to school +Samuel E. Sawyer, received in 1895. +Award: $150 check payable to school +Adams/Osgood Fund, received in 1936. +Award: $4,000 check payable to school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + +Page 9: +Superintendent’s Circular FIN-12 +Page 9 of 14 + + +MARTIN MILMORE +Eligibility: Josiah Quincy and others from the former Brimmer +School District +Criteria: +Equal distribution among eligible schools +Award: +$50 total available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +NORCROSS SCHOOL LIBRARY to assist school libraries within the +former Norcross School District. +Eligibility: Condon Elementary School +Criteria: +To assist the library +Award: +$100 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +ROXBURY MEMORIAL SCHOLARSHIP FUND +Eligibility: One male and one female in the graduating class at +Boston Latin Academy. +Criteria: +Strongest academic growth +Award: +$850 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + + +Page 10: +Superintendent’s Circular FIN-12 +Page 10 of 14 + + +SHERWIN SCHOOL GRADUATES for K-8 schools within the +former Sherwin School district. +Eligibility: Timilty Middle School (closed) +Criteria: +For the benefit of the school +Award: +$100 available, payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +SMITH, ABIGAIL FUND for books in equal portions for Quincy and +Eliot Schools. +Eligibility: Quincy and Eliot Schools +Criteria: +Purchase of books +Award: +$800 available / $400 per school if both schools apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + +SMITH, ELVIRA FUND in memory of Elvira B. Smith, established in +1940. +Eligibility: Brighton High School +Criteria: +Books, and/or other educational materials for the +history department as directed by the headmaster +with approval of the head of the History Dept. +Award: +$50 available. Check payable to the school +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + + + +Page 11: +Superintendent’s Circular FIN-12 +Page 11 of 14 + + +STOUGHTON SCHOOL supplements the salaries of temporary +substitute teachers in high and grammar schools in Dorchester. +Eligibility: Schools with a Dorchester address +Criteria: +Substitute teachers, supplement to regular +compensation in the form of additional days’ work + +Award: +$300 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + +TEACHERS WATERSTON for lectures to teachers regarding +natural history or any of its various departments. +Eligibility: At the discretion of the superintendent +Criteria: +Lectures to teachers regarding natural history or any +of its various departments. +Award: +$500 available +Submit: +Submit a request to the Finance Office. Date and +lecture information required. + +WEBB FRANKLIN +Eligibility: Blackstone and Hurley Schools +Criteria: +Books for students +Award: +$275 available/$137.50 per school if both schools apply. +Submit: +Submit a request to the Finance Office with a detailed +list of items being purchased. All requests must be +submitted on school/office letterhead. + + + + + +Page 12: +Superintendent’s Circular FIN-12 +Page 12 of 14 + + +WILLIAM STEWART +Eligibility: English High School +Criteria: +Best all-around scholar-athlete at English High School +Award: +$2,500 available +Submit: +Submit a request to the Finance Office. Nominating +procedure with name, address, date of birth, student +number, and Social Security number of recipient. All +requests must be on school/office letterhead. + + + + + +Page 13: +Superintendent’s Circular FIN-12 +Page 13 of 14 + + +APPLICATION FOR TRUST FUND +1. Submit this form for each student receiving a cash or savings +bond award, or submit a typewritten list with this +information. +2. No student can receive a check or savings bond without a +Social Security number. +Title of Award: +Student's Name: +Student’s Street Address and Apt.#: +City or Town: +Zip Code: +Student’s Date of Birth: +Student’s Social Security Number: +Student’s ID Number: +Name of School: +School Street Address: +City or Town: +Zip Code: + + + +Page 14: +Superintendent’s Circular FIN-12 +Page 14 of 14 + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES + +Date +Activity +May 31, 2024 +All requests must be submitted to the Finance +Office. + + +For more information about this circular, contact: + +Owner: +Special Assistant to the Chief of Finance +Department: +Finance Office +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9485 +Scan documents to: finance-staff@bostonpublicschools.org +Email: +finance-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Finance (FIN)/FIN-14 Overpayment of Salaries.txt b/data/data_txt1/Finance (FIN)/FIN-14 Overpayment of Salaries.txt new file mode 100644 index 0000000..958f585 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-14 Overpayment of Salaries.txt @@ -0,0 +1,69 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FIN-14 +Version 01 + + + + +RESOLUTION OF OVERPAYMENT OF SALARIES +FOR FORMER EMPLOYEES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +With the multitude of daily transactions, corrections on both the +financial and payroll component are warranted. The following +process must be strictly followed when an overpayment occurs. +1. When this transaction is identified, notification is +generated from the payroll unit to the accounting unit. +2. This notification states the name and the amount of +the salary overpayment. +3. Immediate request for payback is forwarded to the +individual through the United States Post Office and/or +email by the accounting unit. +4. To finalize this transaction, the employee is requested +to return the amount overpaid, payable to the City of +Boston – Boston Public Schools, Bank Check or Money +Order. +5. Upon receipt, the check is deposited with the City +Treasurer, and the adjustments of the employee’s +annual wages are activated. +6. If further resolution is warranted, the employee should + + +Page 2: +Superintendent’s Circular FIN-14 +Page 2 of 2 + + + +substantiate their claim with supporting +documentation. In the event of a financial hardship, the +accounting unit will review the circumstances and +make a payment plan recommendation to the +business manager. + +For more information about this circular, contact: +Owner: +Director of Payroll +Department: +Office of Human Capital +Mailing Address: +Bruce C. Bolling Building, 2300 +Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Additional +Questions +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can +be found on Access Boston (finance- +staff@bostonpublicschools.org). + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Finance (FIN)/FIN-16 Budget Transfers.txt b/data/data_txt1/Finance (FIN)/FIN-16 Budget Transfers.txt new file mode 100644 index 0000000..bb471fb --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-16 Budget Transfers.txt @@ -0,0 +1,204 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-16 +Version 01 + + + +BUDGET TRANSFERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Please use the online reference document Budget Transfers as +your guide to initiating online budget transfer requests. + +INTRODUCTION +Each year, departments review their budgets and allocate money +for various goods and services for the next fiscal year. Funds are +allocated to budget lines reflective of their intended use. As +needs change, departments often want to reallocate money +between budget lines. This can be accomplished through a +budget transfer. Budget transfers are the mechanism by which +available budgeted resources are moved from one budget line +item to another in the Boston Public Schools financial system +(PeopleSoft). +All budget transfer requests are entered directly into the +PeopleSoft financial system by authorized users (principals, +heads of school, responsibility center managers, or their +designees). The Budget Office no longer accepts paper transfer +forms. A detailed “job aid” follows on how an online budget +transfer request is initiated. + + +Page 2: +Superintendent’s Circular FIN-16 +Page 2 of 5 + + + +The on-line budget transfer request process involves 6 basic +components: +1) Navigate to the transfer “form” (budget journal) in +PeopleSoft. +2) Enter data (explanation, budget codes, dollars, and/or FTEs). +3) Complete a budget error check. +4) Save the completed transfer. +5) Send to the Budget Office for approval. +6) Track the progress of your transfer online. +INCREMENTAL APPROACH +Budget transfers employ an “incremental” approach, meaning +that if dollars are being moved from a particular line item, a +negative dollar value will be associated with that line item. +Conversely, if resources are being moved to a line item, the dollar +value in the amount column will be a positive figure. Budget +transfers must sum to $0. For example, if a principal wished to +move $3,000.00 from a contracts line item to a stipends line item, +the transfer lines might look like this: +Account +Fund +RC +Program +Subclass +Amount +52907 +Contracted +Services +100 +General +Fund +101203 +Adams +School +2112 +Elem Ed. + + +0000 +- +$3,000.00 +51202 Prof. +OT/ Stipends +100 +General +Fund +101203 +Adams +School +2014 +Grade 4 + + +0000 +$3,000.00 + + + + + +Page 3: +Superintendent’s Circular FIN-16 +Page 3 of 5 + + + +Budget transfers involving additions, deletions, or changes to full- +time equivalent (FTE) positions also follow an incremental +approach. Therefore, a negative FTE would be associated with the +reduction or deletion of a position, and a positive FTE with the +creation or increase of a position. For example, if I wished to +reduce a position from a 0.8 FTE to a 0.6 FTE, I would type -0.2 in +the FTE column (“statistic amount” in the budget journal) for that +budget line. If I wished to delete that position entirely, I would +have put -0.8 in the FTE column. If I had wished to increase the +position to 1.0 FTE, I would have typed 0.2 in the FTE column. +Whenever a budget transfer involves a position, the position +number should be identified in the “reference” field in the +budget transfer. If requesting a new position, leave the reference +field blank, to be filled in by the Budget Office when the new +position is created. +REQUIREMENTS & RESTRICTIONS +1. The authorizer requesting the transfer must have BAIS FN +access. +2. No Responsibility Center will be allowed to transfer funds +arising from staff vacancies. These “lag funds” make up the +Boston Public Schools contingency fund and will be +reallocated at the sole discretion of the superintendent. +Exceptions to this policy will only be made upon written +request and written approval by the chief financial officer. +3. Funds should not be transferred out of personnel accounts +(starting with 51__) or substitute accounts. Under normal +circumstances, adjustments to budget line items associated +with positions will be rare and must be explicitly approved + + +Page 4: +Superintendent’s Circular FIN-16 +Page 4 of 5 + + + +by the Office of Human Capital prior to the budget transfer +request being approved. +4. Budget transfer requests that lack sufficient explanatory +detail in the “Long Description” text box on the budget +journal header will not be approved. +5. In concert with the annual requisition deadline, budget +transfers for any fiscal year will not be processed after the +April requisition deadline of that fiscal year. The only +exception to this policy may be transfers for grants which +extend beyond June 30. +6. Transfer requests which exceed the “available amount” left +in a particular line will not be processed (in other words, you +cannot transfer funds which you have already spent!). +7. Line-item budget transfers can only take place within a +funding source (i.e., General Fund to General Fund or Title 1 +to Title 1), but not between the General Fund and a grant, +nor between two separate grants. +8. Title I EL funds (programs that begin with 24__) cannot be +transferred to another program, as this funding can only be +used for ELLs. Likewise, partnership funds (program 2536), +and parent support services funds (Fund 200 program 2515) +should not be moved to another program. Homeless +services funds (program 2533) should be kept in the same +code where possible but are not fully restricted. +9. Authority to request budget transfers is reserved to +principals, heads of school, and RC managers, unless and +until they explicitly delegate that authority to a designee in +writing to the chief financial officer or the budget director. + + +Page 5: +Superintendent’s Circular FIN-16 +Page 5 of 5 + + + +10. While the on-line budget transfer protocol has made the +execution of budget transfers simple and efficient, there is +no substitute for thoughtful, forward-looking resource +planning. The Budget Office is glad to assist with such +planning. + +PLEASE USE THE ONLINE REFERENCE DOCUMENT BUDGET +TRANSFERS AS YOUR GUIDE TO INITIATING ONLINE BUDGET +TRANSFER REQUESTS. + +For more information about this circular, contact: +Owner: +Budget Director +Department: +Budget Office +Mailing Address: +2300 Washington Street. Roxbury, MA 02119 +Phone: +617-635-6772 +E-mail: +finance-staff@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Finance (FIN)/FIN-19 BPS Postage & Printing Policy.txt b/data/data_txt1/Finance (FIN)/FIN-19 BPS Postage & Printing Policy.txt new file mode 100644 index 0000000..7dc3b71 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-19 BPS Postage & Printing Policy.txt @@ -0,0 +1,161 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-19 +Version 01 + + + +BPS MAILROOM AND COPY CENTER GUIDELINES +BPS POSTAGE & PRINTING POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +OVERVIEW +We are responsible for directing the operational performance of +the mailroom and Copy Center to ensure an efficient, cost- +effective, and secure operation. Responsibilities include +managing the processing of high-volume daily mail, loading and +delivery of heavy shipments, scanning, copying, printing, and +sending and receiving all sorts of documents. +MAILROOM OPERATIONS +Adhering to the following guidelines will facilitate a smoother +operation of the mailroom at the Bolling Building: +• Only school-related items will be processed through the +mailroom for postage. +o These items need to be properly sealed and bundled. +o Items need to have a school return address. We need +to know who is sending each mailing to keep track and +to avoid missing undeliverable mail. +• Each school/department will be charged for postage used. + + +Page 2: +Superintendent’s Circular FIN-19 +Page 2 of 5 + + +o Each school / department should have a budget line +allocated for mailing purposes. +• Personal mail will not be processed through the mailroom +for postage (e.g., mortgage, utility, credit card payments, +birthday cards, mail returns, etc.). +o The mailroom is not responsible for receiving or storing +personal deliveries (e.g., personal packages from +Amazon, Walmart, Target, etc.). +• All interoffice mail should be addressed as follows: +o Name of person, school, and/or department where the +mail should be delivered +o Cluster number +o Return address (who is sending the mail?) +• Please do not put sticky notes on the outside of every +envelope (adhesive glue could damage the postage +machine). One per bundle is fine. +• Advance notice is required for mailings of over 2000 pieces +of mail. Please contact Mailroom & Copy Center by phone +617-635-9075 or email, finance- +staff@bostonpublicschools.org. +• Schools and departments will be charged for each mailing +over 100 pieces of mail. +• UPS, FEDEX, DHL: BPS does not have a business account +with any shipping carriers. +o All mail and packages intended to be shipped through +any of these carriers should be prepaid by the sender. + + + +Page 3: +Superintendent’s Circular FIN-19 +Page 3 of 5 + + +COURIER SERVICES +Also known as cluster mail, starting at the Bolling Building, our +courier delivers and picks up interoffice mail 2 times a week to +our cluster offices located throughout the district. Each school is +a part of a cluster (previously known as zones, networks, TLTs) +Adhering to the following guidelines will facilitate a smoother +operation of the courier services: +• The courier is an EXTERNAL vendor under contract, not BPS +operated. +• All mail should be clearly marked, including the sender and +receiver. +o Each school belongs to a cluster; if unsure, please +contact the mailroom for the latest information. +• The courier runs on Tuesday and Thursday of each week. +• The current contract requires the courier to pick up no more +than 3 bins of mail per cluster. +o If on a certain day a cluster office has more than 3 bins +of outgoing mail, the courier could pick up the excess +on the next run. +• The courier DOES NOT GO TO EACH SCHOOL. +o Special runs can be requested at an additional charge +paid to the vendor. + + + + +Page 4: +Superintendent’s Circular FIN-19 +Page 4 of 5 + + +COPY CENTER OPERATIONS +The BPS Copy Center provides various copy and printing +functions. With our copying and finishing, we can have your +manuals, student handbooks, presentations, letters to students, +and much more completed in-house, saving BPS and the city +money. +● Our printing services offer: +○ Mass production copying and printing. +■ Black & White +■ Color +○ Posters up to 24x36 inches +○ Three-hole punch +○ Staple finishing +● Printing services NOT offered by the BPS Copy Center: +○ Envelopes +○ Books +○ Lamination +○ Postcards +○ Banners, etc. +Adhering to the following guidelines will facilitate a smoother +operation of our in-house printing services: +● Printing services work on a first come-first served basis. +● Advanced notice is required for all jobs. +○ Please consider that there is a high volume of requests +during the beginning and end of the school year, as +well as during the summer as schools prepare for the +new school year. + + +Page 5: +Superintendent’s Circular FIN-19 +Page 5 of 5 + + +CHARGES FOR PRINTING SERVICES +Each job will be charged to the schools at lower than market +cost. Please contact the Copy Center for the latest quote. + +For more information about this circular, contact: +Owner: +Mailroom & Copy Center +Department: +Business Services +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9075 +E-mail: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + +● Essential Training Guide is available here. +● Business Services Guide is available here. + + diff --git a/data/data_txt1/Finance (FIN)/FIN-20 Managing Stipends.txt b/data/data_txt1/Finance (FIN)/FIN-20 Managing Stipends.txt new file mode 100644 index 0000000..191395b --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-20 Managing Stipends.txt @@ -0,0 +1,454 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FIN-20 +Version 01 + +MANAGING YOUR STIPENDS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Please use the Budget Office /Stipends reference document as +your guide to initiating online stipend requests. + +DEFINITION OF STIPEND WORK FOR UNION POSITIONS (BTU, +BASAS, GUILD) +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +○ Some examples of stipend work include staff training +beyond the contractual PD and Saturday or evening +schools for teachers. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● For BASAS staff, they must perform their school day hours +for the year prior to being eligible for a stipend. + +DEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS +— SCHOOLS + + +Page 2: +Superintendent’s Circular FIN-20 +Page 2 of 13 + + +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +School-based managerial employees cannot receive a +stipend unless their contractual school days (223) are +completed. Stipend work is not to be performed during the +period of time that constitutes the normal workday. +● These stipends must be for activities that are outside of the +job description of the managerial employee. +● Stipend opportunities for managerial employees in schools +must be posted in the school or on TalentEd. +● To authorize a stipend request for an individual in a +leadership position, Tiers D through F, the submitter will be +required to attach one of the following to their request: the +supervisor’s written approval, a signed superintendent’s +memo, or an email approving the work. +DEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS +— CENTRAL OFFICE +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● Managerial employees in central offices are only eligible to +receive stipends that have been posted through the Office +of Human Capital. These stipends must be for activities that +are outside of the job description of the managerial +employee. +● Central office managerial employees may not apply for +stipends unless they have been posted on TalentEd via the + + +Page 3: +Superintendent’s Circular FIN-20 +Page 3 of 13 + + +Office of Human Capital. Please connect with your OHC +staffing manager if you are interested in posting a stipend +opportunity on TalentEd. +● To authorize a stipend request for an individual in a +leadership position, Tiers D through F, the submitter will be +required to attach one of the following to their request: the +supervisor’s written approval, a signed superintendent’s +memo, or an email approving the work. +DEFINITION OF STIPEND WORK FOR SCHOOL LEADERS +● Stipend work consists of activities that are distinct and +separate from an individual’s job and not an extension of it. +● Stipend work is not to be performed during the period of +time that constitutes the normal workday. +● School leader stipends must be for activities that are outside +of the job description of the school leader. +● In order for a school leader to receive a stipend, it must be +either posted on TalentEd or the stipend request must be +submitted along with a signed memo to the +superintendent. +DEFINITION OF STIPEND POSTING +Stipend work must be offered to individuals at schools in +accordance with the policies of the School Committee. +Specifically, the work must be distributed equitably and based on +demonstrated competence and qualifications. +In schools, stipend opportunities must be posted to the staff. +These postings may be internal to the school, so long as all non- + + +Page 4: +Superintendent’s Circular FIN-20 +Page 4 of 13 + + +managerial employees at the school have the opportunity to +apply. An email to all school staff is an appropriate method of +posting. OHC or Budget may ask for proof of posting at any time +after a stipend authorization request (formerly referred to as a +PS08) has been submitted. School-based managerial staff may +apply to their school’s internal posting if eligible. School-based +stipend opportunities can be posted on TalentEd as well. +In central office departments, stipend opportunities must also be +posted. These postings must be done through the Office of +Human Capital. Central office managerial employees may not +apply for stipends unless they have been posted on TalentEd via +the Office of Human Capital. +AUTHORIZATION TOOLS +Stipend Authorization Request (SAR) – request for authorization +before work starts (must be submitted at least two weeks prior to +the first day of work). SARs for summer work should be +submitted before the end of May. If an SAR is submitted after the +work has started, the submitter is required to provide an +explanation as part of the request. +Pay Certification Request (formerly referred to as a PS09) – +request for payment after work is completed (must be submitted +no later than two weeks after the work is completed). If an SPC is +submitted after the work has started, the submitter is required to +provide an explanation as part of the request. + + + + +Page 5: +Superintendent’s Circular FIN-20 +Page 5 of 13 + + +SCHEDULE FOR AUTHORIZATION +Department heads or principals should plan in advance and +request SARs on time. +● SARs must be submitted at least two weeks before work +starts, except in the case of summer work. If a stipend is +requested late, the submitter will have to write in an +explanation when prompted in the online system. +● SARs for summer work should be submitted before the end +of May. +● Pay certification requests should be submitted no later than +two weeks after the work has ended. +● Pay certification requests that need to be processed in the +last paycheck in June must be submitted by the Wednesday +prior to the pay period end date. + +In addition, due to the Budget Collaborative and Probable Org +schedule between December and February, please allow +additional time for SAR approvals and submit them at least three +weeks before work starts. +AUTHORIZATION PROCESS +All stipend work must be authorized in advance by the Office of +Human Capital and Budget Office. +Authorization from Budget and HC must be received via the +approved SAR before the work starts. A department head does +not have independent authority to authorize stipend work. +Departments or schools are responsible for informing employees +when a pay certification request has been submitted for + + +Page 6: +Superintendent’s Circular FIN-20 +Page 6 of 13 + + +payment. Please review the stipend guidance around submitting +SARs and pay certification requests. Additional guidance on the +stipend process can be found on the Budget Office +Resources/Stipends page. +WORKFLOW FOR STIPENDS +1. Stipend work opportunity is posted (internally for schools +and on TalentEd for central office) and individuals are +chosen to perform this work. +2. Secretary or department head’s designee originates stipend +authorization request (SAR). +a. Submitter cannot be one of the employees to receive a +stipend. +b. Submitter must complete the authorization process for +all individuals that are flagged. This could include the +following: +i. Tier C, D, E, or F Managerial employees (will +require approval by department head or division +lead to be submitted along with the SAR) +ii. School Leaders +iii. Employees outside of the submitter’s department +iv. Submitter must provide an explanation for any +late requests +3. Principal or department head gives first-level approval. +4. HC reviews to confirm the below items for approval (please +also see Process and Selection section for additional details +on the OHC approval process): + + +Page 7: +Superintendent’s Circular FIN-20 +Page 7 of 13 + + +a. That the submitter isn’t a recipient of the stipend +b. That the opportunity has been posted appropriately +c. That the employee is eligible to receive the stipend +d. That the Superintendent’s Memo has been submitted if +the stipend is for school leaders. +5. Payroll reviews to again confirm that the employee is +eligible to receive the stipend. +6. Budget reviews to confirm the below guidelines for +approval: +a. That there are enough funds available in the budget to +cover the expense +b. That the stipend funding information is correct, such as +the budget year +c. That the stipend is allowable under the grant if it is in +fund 200 +d. That the commitment letter (which includes a +description of the work, the staff member’s name, and +the amount of the stipend) is attached to the stipend +authorization request form (SAR) for Reimbursable +grant stipends. +e. That the hours worked are included if the stipend is +above $5,000 for an individual +f. That the budget director approves the stipend if it is +above $10,000 for an individual +7. Department or school should regularly monitor their +stipend request for approval status updates. + + +Page 8: +Superintendent’s Circular FIN-20 +Page 8 of 13 + + +8. Secretary or department head’s designee informs employee +that work can start. +9. Time sheets are maintained in the school or department +and may be subject to periodic audits. +10. Department head or principal monitors completion and +quality of work. +11. Work ends. +12. Secretary or department head’s designee submits pay +certification, due the Wednesday before the pay period end +date. +13. Payroll processes pay certification requests and checks for +the following (see Payroll Guidelines, below): +a. Confirm that the funds don’t go out prior to the end +date. +14. Stipend is paid to employee as a supplement to regular +paycheck. +NOTE: If an employee is listed on more than one eForm for +various stipends, they cannot be paid out in the same pay period. +A warning notice will appear when trying to add the additional +stipend. Will have to hold that payment until the employee has +been paid out by the other in-process pay certification request. + + + + +Page 9: +Superintendent’s Circular FIN-20 +Page 9 of 13 + + +BUDGET GUIDELINES +All stipends and overtime payments are paid out of account +51202. +Stipend Authorization Requests (SAR): +● Departments are responsible for tracking their original +budget in 51202 and the SAR approvals that have been +issued against this original budget. Contact your Financial +Analyst if you have questions about your available funds for +stipends. +● SAR approvals do not “encumber” funds in the All Funds +report. All 51202 funds will appear to be available until the +pay certifications are paid out. In your All Funds report, +please do not depend on the “Available” amount in account +51202 to track stipends. Stipend requests must be tracked +by the department; the Stipend Tracker template can be +found here. +● For all single stipend payments that amount to $5,000 or +more per individual, please fill out the hourly rate portion of +the SAR eForm. + +Stipend Pay Certification Requests: +● Processed Stipend Pay Certification Requests will move +funds from the Available budget to the Expense line. +● It is possible to issue partial payment on a Stipend Pay +Certification Requests if only some of the work was +completed, or if only some of the employees should be paid. + + +Page 10: +Superintendent’s Circular FIN-20 +Page 10 of 13 + + +● If the work ends early and you are paying out the full +stipend before the end date on the form, you must leave a +note to explain this on the Stipend Pay Certification +Request. + +Stipends paid from grants: +● Any stipend payments being made from a grant funding +source need to be for work done during the grant time +period. Stipends cannot be paid for work that may have +begun before the start date of the grant or continuing after +the grant end date. +● All stipends on grants must be allowable under the grant, +and it is the responsibility of the school or department to +ensure that they are complying with grant guidelines. +● For Reimbursable grant stipends, attach the commitment +letter (which includes a description of the work, the staff +member’s name, and the amount of the stipend) to the +stipend authorization request form (SAR). +PROCESS AND SELECTION +● Departments must ensure that the activities covered by +overtime and stipend requests meet and conform to the +definitions listed at the top of this circular. +● Departments are expected to internally post and advertise +opportunities to ensure that individuals do not receive a +disproportionate share of overtime and stipend +assignments. + + +Page 11: +Superintendent’s Circular FIN-20 +Page 11 of 13 + + +● For stipends that managerial employees in central offices +may receive, the posting must be done via the Office of +Human Capital. +● Departments are expected to select qualified individuals +and make selections in an equitable way. +● Departments must ensure that the work is done in a +complete and satisfactory way before issuing authorization +for payment. +● Timesheets are required for those working overtime or +stipended hours. +● Timesheets for all stipends and overtime must be retained +in a central location at the department for 7 years. +The Office of Human Capital may inquire with a department to +be sure that it is specifically conforming to these guidelines and +procedures. +SINGLE OR CUMULATIVE PAYMENT THRESHOLDS +In circumstances where the single payment to an individual or +the sum of payments in one fiscal year to an individual meets the +thresholds in the table below, there is an additional approval +requirement. + + + + +Page 12: +Superintendent’s Circular FIN-20 +Page 12 of 13 + + + +Single or +Cumulative +Stipend +Amount +Non-Autonomous School +Approval Process + Central Office + Approval Process +Greater than +or equal to +$5,000 +Depending on the situation, +stipend authorization may be +held at HC or Budget +approval step for further +questions. You will be +required to submit the hours +worked and hourly rate for +stipends amounting to $5,000 +or more for an individual. +Depending on the +situation, a stipend +authorization may be held +at the HC or Budget +approval step for further +questions. +Greater than +or equal to +$10,000 +Budget director approval +required. When submitting a +stipend authorization that +amounts to $10,000 or more +per individual, please fill out +the hourly rate portion of the +stipend authorization eForm. +Please send an email +explaining the reasons for +exceeding this threshold to +your financial analyst in the +Budget Office. +Budget director approval +is required. When +submitting a stipend +authorization, please send +an email explaining the +reasons for exceeding this +threshold to your financial +analyst in the Budget +Office. +There are no additional approvals necessary for autonomous +schools that submit single or cumulative stipends greater than or +equal to $5,000. + + +Page 13: +Superintendent’s Circular FIN-20 +Page 13 of 13 + + +The stipend thresholds for single or cumulative payments listed +above are not impacted by: +● Regular differential payments for employees in a formal +Extended Learning program +● Regular differentials for academic coaches or athletic +coaches +● Regular differentials for lead teachers +● Regular payments to instructors in formal Summer School +and Acceleration Academies +● Regular inclusion buyback payments for employees who +use more than one certification while teaching in the +classroom. + +Please use the Budget Office /Stipends reference document as +your guide to initiating online stipend requests. + +For more information about this circular, contact: +Owner: +Chief of Finance +Department: +Budget Office +Mailing Address: 2300 Washington Street. Roxbury, MA 02119 +Phone: +617-635-9000 +Email: +finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Finance (FIN)/FIN-21 BPS-Recognized Independent 501c3s.txt b/data/data_txt1/Finance (FIN)/FIN-21 BPS-Recognized Independent 501c3s.txt new file mode 100644 index 0000000..63360d9 --- /dev/null +++ b/data/data_txt1/Finance (FIN)/FIN-21 BPS-Recognized Independent 501c3s.txt @@ -0,0 +1,93 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +FIN-21 +Version 01 + +CREATING A BPS-RECOGNIZED INDEPENDENT 501C3 +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools encourages schools to seek and +receive external resources to supplement their instructional and +programmatic strategies. To this end, the Boston Public Schools +has partnered with the Boston Educational Development Fund +(BEDF) to serve as a 501c3 fiscal agent to receive financial +donations as charitable contributions, eligible for tax deductions +by the donor. Independently, as a fiscal partner to schools, BEDF +manages funds, creates financial reports, and offers technical +assistance to schools in their pursuits of private funds. BPS +schools are entitled to utilize BEDF as a fiscal agent in pursuit of +private funding. +In the case that a school wishes to pursue establishing and +managing an independent 501c3, formal approval is required. +SCHOOLS WITH EXISTING INDEPENDENT 501C3S +Schools with existing 501c3s, registered with the proper federal +and state authorizing agencies, must complete the BPS +Independent 501c3 Form to update BPS on current details +including board structure, status, and operating revenue. +Independent 501c3s with strong governance boards and rationale +will receive recognition from BPS. + + +Page 2: +Superintendent’s Circular FIN-21 +Page 2 of 3 + +SCHOOLS SEEKING TO ESTABLISH A BPS-RECOGNIZED +INDEPENDENT 501C3 +To request to establish a 501c3, all schools must have the +following: +• A strong rationale for the need for a separate, independent +501c3. +• A draft plan for the 501c3 including governance board. +• A track record of managing private investments +appropriately and on-time reporting OR someone on the +governing board with this experience. +• An estimate of anticipated annual revenue and revenue +sources. +For a school to establish a 501c3, the following outlined steps +must be completed, and approval given by the superintendent: +• All schools must complete a BPS Independent 501c3 . +• Submitted requests will be reviewed by the chief financial +officer and superintendent and approved if a strong +application is submitted. +COMPLIANCE AND ACCOUNTABILITY +BPS reserves the right to alert foundations/nonprofit partners to +the existence of 501c3 that are considered to be out of +compliance or that have been created without proper approval +from the Superintendent’s Office. +BPS believes in the ability to provide timely, accurate, and +thorough reports to our philanthropic partners and takes +seriously the significant commitment of time and expertise that +this places on a school community to run an independent 501c3. + + + +Page 3: +Superintendent’s Circular FIN-21 +Page 3 of 3 + +We encourage the use of our established partner, BEDF, to +responsibly manage funds. BPS has put these requirements in +place to ensure proper management of all funds and proper +reporting, to support schools in philanthropic pursuits, and to +provide a low-cost 501c3 to house private funding. + +For more information about this circular, contact: +Owner: +Chief of Finance +Department: +Finance +Mailing Address: +Bruce C. Bolling Building, +2300 Washington St., Boston, MA 02119 +Phone: +617-635-7962 +Email: (preferred) finance-staff@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-01 School Safety Contingency Plans.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-01 School Safety Contingency Plans.txt new file mode 100644 index 0000000..6360748 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-01 School Safety Contingency Plans.txt @@ -0,0 +1,1759 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-01 +Version 01 + + + +SCHOOL SAFETY CONTINGENCY PLANS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Emergencies happen randomly in time and place, but they can be +handled efficiently if you have an adequate school action plan and +an informed staff. A plan without a crisis is better than a crisis +without a plan. School administrators and staff routinely manage +crises efficiently, and a well thought out plan will ensure guidance +in a major emergency. +Boston Public Schools is a NIMS (National Incident Management +System) compliance district. NIMS uses a core set of concepts, +principals, procedures, processes, standards, and terminology that +may all be integrated with school emergency management +practices. This in part means that we use straight language and +not codes when emergencies happen. +When developing safety plans, school administrators must +consider mitigation/prevention, response and aftermath, and +components which apply to all emergency preparedness. +Prevention/mitigation +strategies +are +delineated +in +related +Superintendent’s Circulars. Appropriate response will be detailed +in your School Safety Contingency Plan. Dealing with recovery will +be addressed via Special Education and Student Services policies +and procedures and support from other BPS departments. + + +Page 2: +Superintendent’s Circular FSE-01 +Page 2 of 42 + + +It is essential that there be a consistent approach to school safety +planning throughout the district. This will ensure that each school +implements standard procedures in the event of an incident. A +defined course of action will also complement the efforts of +responding public safety agencies. +The issue of school safety planning is regularly assessed. Ongoing +risk analyses are conducted, and lessons learned from actual and +most probable school incidents are integrated with BPS safety +protocols. Although every possible contingency may not be +identified in BPS School Safety contingency plan guidelines, your +plan should serve as a multi-hazard approach for handling school +incidents. +It is the responsibility of each school administrative head to +update, review with staff and submit their School Safety +Contingency Plan no later than the last week of August each +school year. +The names of those schools which fail to comply with this directive +are forwarded to the Superintendent’s Office for appropriate +action. +Your School Safety Contingency Plan is to be completed in the +Google doc shared with the school principal/head of school. Please +use the original doc to complete your plan. Do not copy and +share. It will be automatically saved. You are allowed continuous +access to maintain its currency. It is also accessible to the +Superintendent’s Office staff and other appropriate BPS central +departments. Boston public safety agencies — police, fire, EMS +and BOEM — have access to these plans in an emergency. The +Office of Emergency Management and Preparedness is available +as a resource to assist principals/schools leaders, heads of school +and other administrative heads with access information and + + +Page 3: +Superintendent’s Circular FSE-01 +Page 3 of 42 + + +technical advice in order to complete their plans. +INSTRUCTIONS FOR UPDATING AND EDITING SCHOOL SAFETY +CONTINGENCY PLANS AND FIRE SAFETY PLANS +The following is information on how to access and edit your +building’s School Safety Contingency Plan and the building’s Fire +Safety Plan. The actual School Safety Contingency Plan for your +building was shared with you by the Director of the Office of +Emergency Management and Preparedness or Director of +Technology in a Google Doc. Use this Google Doc for all changes +and updates. Please make all changes in the original doc. Do not +save and make changes. +► If you cannot locate your plan, please contact The Office of +Emergency Management and Preparedness Operations- +Department-Heads@bostonpublicschools.org. + +Summary of significant dates and deadlines: +Date +Activity +Last Week in August +Deadline for completion and submission on Google +Doc to The Director of the Office of Emergency +Management and Preparedness of revised School +Safety Contingency Plan and review same with +staff for this school year. + +SECTION I: INTRODUCTION +The Boston Public Schools continues efforts to simplify and + + +Page 4: +Superintendent’s Circular FSE-01 +Page 4 of 42 + + +standardize school safety plans throughout the system. It is +understood that each school has its own “safety personality” based +on its construction design, location, number of staff, number and +grade level of students, as well as many other characteristics. +However, there are common elements, policies, and procedures +for all schools to follow in the event of an incident/crisis. +There are five phases of emergency management for school +administrators to consider when developing safety plans: +● Mitigation +● Prevention +● Preparedness +● Response +● Recovery +Although special emphasis is placed on spectacular and unusual +incidents by the media, there are many routine types of school +related occurrences that can also be extremely disruptive to a +school. +School administrators are called upon to deal with these +emergencies on a regular basis. In every type of school incident, +the first responders and decision makers are school-based staff. +When the scope of an incident escalates beyond the resources +available at the school, initial actions taken or not taken by those +closest to the event can help or hinder those who will arrive later +and assume responsibility for resolving the situation. +The intent of these guidelines is to assist school administrators in +creating an appropriate working plan that will direct them +through a crisis and expedite the return of their school to its +normal operation following that crisis. It is a multi-hazard +approach to school incident management. + + +Page 5: +Superintendent’s Circular FSE-01 +Page 5 of 42 + + +BPS guidelines are based on concepts utilized in an Incident +Command System developed by public safety agencies across the +nation. The following is a brief overview of the Incident Command +System. +INCIDENT COMMAND SYSTEM +ICS has been modified for our application on the school level to +manage any incident/crisis within our capacity and maintain +compatibility +with +supplementary +public +safety +agency’s +emergency plans. +In managing any incident/crisis, the paramount objectives for all +school staff are to: +● Ensure safety of all occupants +● Follow BPS Safety Plan, Safe Mode and/or Fire protocol +● Stabilize and resolve the incident when possible +● Provide support for responding public safety agencies (911 +and BPS Dispatch 617-635-8000) +● Protect school property +The Incident Command System (ICS) is based on a team concept, +where each team member has specific responsibilities. BPS will +utilize an on-site team and an off-site team that will focus on +securing the necessary support from internal departments and +external agencies. The information flow is illustrated on the next +page. +The on-site BPS Incident Control team (ICT) team model calls for +the following positions: +Site Incident Control Team +● Site Incident Control manager (SICM) +● Risk analyst + + +Page 6: +Superintendent’s Circular FSE-01 +Page 6 of 42 + + +● Safety coordinator +● Building coordinator +● Incident scribe +The roles, responsibilities and required skills for a successful Site +Incident Control Team follow: +Site Incident Control Manager +Generally, the site incident control manager (SICM) should be the +head of school/principal/director, the individual who has ultimate +responsibility for his/her school’s operation. The SICM must have +a clear understanding of the school system’s policies and +procedures. The SICM must also be able to make quality +assessments, communicate well and command others. These are +normal functions for a school’s administrator to perform. +Depending on the severity and tier level of the incident, the SICM +will establish a command post at a designated location and +activate the school’s internal team. The nature of the incident +determines the configuration of the team. In a large-scale +incident, the team can be expanded or collapsed as conditions +warrant. In a smaller school, one person may perform several tasks. +It must be understood that, initially, the SICM may be any member +of your staff who discovers or is alerted to an incident prior to +notification of the head of school/principal/director. +Risk Analyst +The risk analyst will be relied on to assess incurred injuries and +evaluate medical risks associated with developing and occurring +incidents. Recommended personnel for this role include the +school +nurse, +school +psychologist, +and +student +support +coordinator. Consideration of a school’s language requirements + + +Page 7: +Superintendent’s Circular FSE-01 +Page 7 of 42 + + +should also be included in selection of the risk analyst. +Safety Coordinator +The safety coordinator will be called upon to gather occupancy +information and to support efforts to establish control at the +incident site. Recommended personnel for this role include +School Registrar, School Police Officer, Safety Paraprofessional, +Dean of Discipline, and Transportation Coordinator. Since schools +vary in size and range of staff, Principals and Headmasters are +urged to explore their building’s total resources to assist in +identifying this team member. +Building Coordinator +The building coordinator will meet and direct responding +agencies to appropriate locations. The building coordinator will +also assess building security. Due to familiarity and knowledge of +the assigned school and its systems, the senior building custodian +is the suggested primary designee for this role. +Incident Scribe +The incident scribe will be responsible for documenting the +chronology +of +events. + +This +position +will +require +good +organizational skills and willingness to support the rest of the on- +site Incident Control Team members. Suggested staff includes the +school secretary or the person in your building responsible for +organizing student arrival and dismissal. +Smaller schools with limited numbers of administrators or support +staff may find it necessary to have team members perform more +than one role. +Classroom teachers are not recommended as potential members + + +Page 8: +Superintendent’s Circular FSE-01 +Page 8 of 42 + + +of the on-site team. Experience indicates it is best for classroom +teachers to remain with their assigned classes during critical +events. A resource guide for classroom teachers is included in the +Emergency Response Guidelines. +CENTRAL INCIDENT MANAGEMENT +The BPS adaptation of the Incident Command Structure will +include the establishment of an off-site team that will support the +efforts of the on-site team. The components of this off-site Crisis +Command Team will include Facilities Management, Emergency +Management, Transportation, Superintendent’s Office, Student +Support Services, Safety Services, and other areas that might be +required as incidents evolve. The external team will provide liaison +support to any agency required by a situation. + + + + +Page 9: +Superintendent’s Circular FSE-01 +Page 9 of 42 + + +Central Incident Management Team +Group +Primary +Phone +Facilities Management Executive Director of +Facilities +(617) 635-9126 +BPS Emergency +Management +Director of +Emergency +Management +(857) 701-9404 +(617) 635-6082 +Transportation +Chief of +Transportation +(617) 635-9520 +Behavioral Health +Services (BHS) +Chief of Student +Services +(617) 635-9676 +Safety Services +Chief of Safety +Services +(617) 635-8000 + +Superintendent’s +Office +Deputy Supt of +Operations +(617) 635-9643 + +Office of Technology +CIO/Director +(617) 635-9200 +Communications +Department +Chief of +Communications +(617) 635-9265 + +In many instances, this sophisticated level of staffing may not be +required. However, considering identified functions requiring +performance in a crisis, the model ICS structure can be modified +for a specific application to ensure completion of critical +communications and data sharing tasks. It is important to +understand that the incident command system is driven by +functions being performed and not simply staffing positions. + + +Page 10: +Superintendent’s Circular FSE-01 +Page 10 of 42 + + +PUBLIC SAFETY RESPONSE +Should an incident necessitate a response by non-school +department public safety resources based on the assessment of +the school SICM, they will be met by the building coordinator and +informed of the nature of the incident and location of the school +command post. +Should conditions warrant, public safety personnel might assume +primary responsibility and command. The responding public +safety officials may activate their own command post, at which +time an official from the impacted school may be requested to +take a position at that location. +INCIDENT TYPE AND RESPONSE +The BPS adaptation of the Incident Command System calls for +classification of an event or developing situations to be +categorized by the following tier level concepts. The initial +assessment must quickly determine if the best response is safe +mode or evacuation. +School related incidents will be classified according to a level of +seriousness (Tiers I, II, III). Appropriate school response to these +tiers would be to initiate emergency procedures, standby or +monitor the situation, or introduce proactive measures with +careful monitoring of developing situations. The appropriate +response or modes required by the SICM’s evaluation are defined +as follows: +Tier I – Any Situation That Requires Immediate 911 Response +Tier II – Stand By and Response Planning Mode +Tier III – Proactive Prevention and Monitoring Mode + + + +Page 11: +Superintendent’s Circular FSE-01 +Page 11 of 42 + + +DEFINING INCIDENT RESPONSES BY TIER LEVEL +Situations will be categorized by the Site Incident Control +manager (SICM) as a Tier I, Tier II, or Tier III issue. +Tier I – Presents Imminent Danger to Students, Staff, and +Property beyond the School’s Ability to Control +● Bomb threat +● Fire alarm +● Armed person on or near +site +● Hostage situation +● School bus accidents +● Medical emergencies +● Hazardous materials +incident +● Gas leak +● Suicide threats +● Fire +● Explosion +● Kidnapping +● Sexual assault +● Lost or missing children +● Violent behavior +● Psychiatric emergency +● Chemical spills +● Natural disasters +Tier II – Presents Potential Danger to Students, Staff and +Property +● Suicide warnings / signs of depression +● Weather warnings +● Environmental issues +● Facilities failures +● Increased gang activities +● Communicable diseases +● Custody issues +Tier III – Conditions Indicate a Threatening Situation is in +Formative Stage +● Sexual harassment +● Intimidating behavior + + +Page 12: +Superintendent’s Circular FSE-01 +Page 12 of 42 + + +● Increasing levels of vandalism +● Inappropriate communications +● Inappropriate internet use +● Rumors +● Other incidents that warrant further monitoring +CRITERIA FOR DEFINING TIER LEVELS +Tier I +Tier I situations present imminent danger to students, staff, +and property beyond the school’s ability to control and +typically involve a 911 emergency response. +Tier I situations require an immediate SICM assessment to +determine the scope of response required, i.e., some +situations requiring 911 response may be contained by the +arrival of the appropriate responding 911 unit. For example, a +relatively small laceration requiring sutures by EMS would +not require the same scope of response as a bomb scare that +requires evacuation of the building. +The traditional response to emergencies that have school- +wide impact is often limited to school evacuation. These +guidelines, in response to new dimensions in school safety, +call for a determination by the SICM to identify if evacuation +or safe mode is a component of the response for the situation +at hand. +In the Emergency Guidelines portion of this document, the +terms Tier I – Red (Safe Mode) and Tier I – Green (Evacuation) +are introduced to signal the SICM’s assessment to the specific +situation at hand. +Tier I – (Safe Mode): students and staff staying in place within + + +Page 13: +Superintendent’s Circular FSE-01 +Page 13 of 42 + + +the building is appropriate. The safe mode may entail locking +in place or relocation to another part of the building. +Tier I – (Evacuation): evacuation from the building has been +determined as the appropriate response. +The use of the terms Tier I – Safe Mode and Tier I – Evacuation +is limited to Tier I events. +Please note that some Tier I (911) situations will not require +use of the Red or Green designations; the laceration versus +bomb scare example illustrates the distinctions that must be +made regarding the scope of required response. The location +of an armed person outside versus inside a building, or a +hazardous material release near or in the school, illustrates +the need for evaluating whether evacuation or a safe mode +process should be implemented. +The range of response required must be determined by the +SICM. The SICM determines if additional resources need to +be activated. The SICM also indicates if a Tier I – Evacuation +or Tier I – Safe Mode situation exists. + + + + +Page 14: +Superintendent’s Circular FSE-01 +Page 14 of 42 + + +Tier II +Tier II situations present potential danger to students, staff, +and property. +Tier II situations indicate that a standby and response- +planning +mode +is +required. This +entails +gathering +information, developing plans, and notifying appropriate +agencies. +Tier II major situations could include neighborhood fires that +potentially threaten nearby schools, or transportation +accidents involving the transport of hazardous materials. A +less dramatic situation would be a power failure that might +eventually require early dismissal or relocation of students. +As in Tier I, the SICM determines the scope of response +required. +Tier III +Tier III conditions indicate a threatening situation is +developing. Collaboration and communication within and +beyond the BPS support structure is required to ensure +appropriate resources are engaged early to minimize further +development of the threat. +Preventative measures, including proactive engagement by +required support functions or intervention by appropriate +agencies during formative phases, will decrease the +occurrence of critical incidents within our schools. +Tier III situations are occurring daily throughout BPS schools. +Tier III conditions encompass a broad spectrum of behavioral +issues and involve both individuals and groups. Many serious + + +Page 15: +Superintendent’s Circular FSE-01 +Page 15 of 42 + + +safety incidents are preceded by actions that should raise +flags. For example, the appearance of gang related clothing +among students indicates the need for conversations with +gang intervention personnel. Suspicion of abuse or neglect, +or the observance of depression warning signs in individuals, +requires follow up by Student Support staff and possibly the +engagement of external support providers. +Tier III conditions are likely to be first observed by classroom +teachers who become aware of behavior that warrants +further monitoring. +Observation and communication of Tier III situations, which +receive prompt application of Safety Services and Student +Support Services prevention practices and our expanded +support resources, offer the greatest area for positive impact +to our school safety environment. +When members of the onsite Incident Control Team are +informed or observe a Tier III situation, the SICM will identify +and contact the appropriate resources. +SECTION II: GUIDELINES +Initial School Actions +An individual discovering or receiving information about an +incident will make a quick assessment and determine if an +immediate 911 contact is required. If the assessment indicates that +911 supports are required, that individual should contact 911 and +then proceed to notify the Site Incident Control manager (SICM). +For all other situations, the SICM will make the initial assessment +and then notify the onsite Incident Control Team (ICT) of the +situation. The SICM will also initiate contact with other required + + +Page 16: +Superintendent’s Circular FSE-01 +Page 16 of 42 + + +support groups as required. While awaiting the arrival of +requested support, the SICM and ICT will use those critical minutes +to initiate the following eight steps: +1. Classify the tier level and determine the appropriate response +mode: +a. Contact 911 +b. Stand-by and response planning +c. Proactive prevention and monitoring +2. Implement evacuation or safe mode decision +3. Establish communications +4. Identify the danger zone +5. Identify and request needed resources +6. Open a command post +7. Activate staging areas +8. Compile occupancy data +Further details for Steps 1-8 above are as follows: +1. Classify the Tier level. +● Tier I: +Any situation that requires a 911- assistance mode +also requires that the need for an evacuation or +containment response be assessed. +● Tier II: Standby and appropriate response planning mode. +● Tier III: Proactive / prevention and monitoring mode. +Examples of specific tier incidents are included in the +introduction section. +2. Implement Evacuation or Safe Mode Procedures. +Evacuation — Based upon assessment and policy, the SICM +will determine the need for evacuation. If evacuation is +warranted, it will begin upon the communication of a +predetermined signal (fire alarm, intercom, bell, buzzer, + + +Page 17: +Superintendent’s Circular FSE-01 +Page 17 of 42 + + +other). All building occupants will respond to this signal and +immediately evacuate according to prescribed routes. +Notification procedures for Tier I – (Evacuation) should be +entered in the computerized School Submittal Section of +your (Step I, section d) school safety plan. +Each school must have established primary and secondary +evacuation routes +to +be followed +during +drills +and +emergencies. Evacuation routes, which are also an element +of your Fire Safety Plan, should be inspected prior to +utilization and the appropriate one determined during +assessment of the situation. +Assembly areas must also be predetermined for all school- +building occupants upon their exiting the school. This is a +critical time during an emergency, and student / staff +accountability measures must be accomplished at this +point. Evacuation may be to a primary, secondary, or to your +off-site (alternate) location(s). These locations require +assessment during plan development, and at the time of the +incident, to ensure adequacy. This information will be +entered in the computerized School Submittal Section (Step +I, Section B) of your school safety plan. +Safe Mode — Safe Mode is an alternative response to +evacuation procedures. Notification procedures (Safe Mode) +should be entered in the computerized School Submittal +Section (Step I, Section D) of your school’s safety plan. +Generally, evacuation to the outside has been our immediate +response to an emergency signal. Post incident analyses of +serious incidents that have occurred across the country +indicate that evacuation is not always the safest response to +a situation. Again, based upon assessment and policy the + + +Page 18: +Superintendent’s Circular FSE-01 +Page 18 of 42 + + +SICM will determine the need for safe mode. +Safe Mode would commence upon a predetermined +notification procedure. Those contained or relocated will be +directed to that identified site (a room number, common +area, floor, other) and securing the location where you find +yourself (and those for whom you are responsible) or securing +the place to which you may be relocated in an emergency. +This may simply require locking a door. Again, these are +critical +times +in +an +emergency +and +student/staff +accountability measures must be accomplished at this point +by SICM in accordance with school safety plans. +3. Establish communications. Each school will have in place a +means and procedures for communicating in an emergency +within their school and to outside public safety agencies. All +components of this process are required as part of your +school submission. This would also identify those assigned +telephones or radios and individuals tasked with making +necessary notifications. +The individual discovering or receiving initial information +about an incident is responsible to make a quick assessment +and take the following steps: +a. Life threatening situation(s) require immediate 911 +notification. To notify public safety (police, fire, EMS) call +911 via any available telephone. A Fire Alarm pull station +is to be used in the event of a fire related incident with a +back-up telephone call to 911 or (617) 343-2880. +Remember that activating a pull station will summon +emergency +assistance +but +will +also +initiate +an +evacuation that may not be appropriate for the +situation. + + +Page 19: +Superintendent’s Circular FSE-01 +Page 19 of 42 + + +b. The discoverer will then inform the SICM or an on-site +Incident Control Team member of the situation. +c. The SICM or available ICT member will classify the +incident Tier level and assume management of the +situation. +4. Identify the danger zone. In the assessment phase the best +means of separating students/staff from any threat must be +determined. This may be accomplished by building +evacuation +or +implementing +containment/lockdown +procedures. A perimeter should be established and secured +to keep students/staff away from the danger zone and in a +safe area. Moving people away from the threat, isolating and +securing the affected area, and restricting access to non- +emergency personnel are techniques to separate the threat +from students and staff. +5. Identify and request needed resources. As early as possible, +the SICM must try to assess what resources are needed to +mitigate the crisis and request those resources be made +available. Support may come from the Central Incident +Management Team or from outside sources. The extent of +required resources will be initially identified during the +incident tier classification phase. Supplementary resources +may be requested by follow-on agencies. +6. Open command post. The SICM should open a command +post as soon as possible in the event of an incident. It should +be in a spot outside the danger zone from which the SICM +can effectively manage the incident. The command post +must have communications capability in order that the SICM +has access to internal team members as well as public safety +officials and the Central Incident Management Team. There +should be a level of security for the command post to prevent + + +Page 20: +Superintendent’s Circular FSE-01 +Page 20 of 42 + + +unnecessary interruptions by people not involved in the +response, such as the media, parents, and onlookers. Safety +plans and school records must be available at this location. +Locating primary and secondary command posts ahead of +time allows you to quickly open a command post whenever +it is needed. You can predetermine sites because generally it +is not important that you have a view of the danger zone. +Many managers want to manage what they can see, but in a +major critical incident the SICM must manage the entire +scene, not just the source of the event. It is suggested that +primary and secondary sites be at opposite ends of the +building. Just because you have predetermined sites does +not mean you are locked into using them. As the SICM, you +may be dealing directly on location at the source of the issue. +7. Activate staging areas. As with the command post, the +staging areas should be predetermined and located outside +the danger zone in an area that can be secured. In the event +of a major school incident, separate staging areas should be +available for injured and ill persons, parents, and media +representatives. Directing members of these groups will be +a function of the Incident Control Team building coordinator. +8. Compile occupancy data. As stated throughout these +guidelines, student/staff accountability is essential in an +emergency. The following can be used to compile occupancy +data in an emergency: +● Daily class/student rosters +● Daily staff/ employee/visitor sign-in sheets +● Absentee list (students, staff, employee) +● Field trip rosters +● Current emergency information cards +● Locker assignment list + + +Page 21: +Superintendent’s Circular FSE-01 +Page 21 of 42 + + +● Known restraining orders +● Photo identification +● Schedules +● School bus assignments +Any roster should be completed, as early as possible each day, +in a form that can be readily taken from the building during an +emergency. Special attention should be given to document +names of any student/staff member who is transported from +the school or released to a parent. Particular attention should +be paid to ensure the location(s) of any student(s) or staff +member that is (are) physically or visually impaired is known. +SECTION II: OVERVIEW +The above 8 steps are tailored to directly address Tier I situations. +However, several of the steps are relevant to Tier II and Tier III +incidents when applied to longer timelines. Tier II, requiring +standby and response planning, might utilize steps 3, 4 and 5 +initially, and depending on the situation may entail use of the +remaining steps. +Tier III events that occur over longer time periods would still +require that communication and identification of appropriate +proactive preventative measures be developed. +Common sense prevails throughout these guidelines. Those of us +in the schools understand that it is better to have a plan and no +crisis than to have a crisis and no plan. +These basic guidelines are not expected to cover every +contingency. However, application of these simple steps will +provide a consistent approach to handling any school incident. As +previously stated, the severity and your professional assessment of +the incident will determine the scope of response. + + +Page 22: +Superintendent’s Circular FSE-01 +Page 22 of 42 + + +School administrators and staff routinely implement some form of +crisis response management during the discharge of their duties. +The intent of the guidelines is to provide a flexible structure that +will assist you in managing your response. +The following pages contain an Emergency Response Guide to +assist your handling of various situations. It is designed for use as +a handout for your Site Incident Control Team. Included in the +Guide is a section designed specifically for classroom teachers. +The final section of this booklet is a hardcopy of information that +you will be asked to compile. The actual method of collection will +utilize a Google document developed by the Office of Information +Services. The information submitted by your school will be stored +in a consolidated database that will be reviewed and updated on +an annual basis. +SECTION III: EMERGENCY RESPONSE GUIDE +1. ASSESSING THE EMERGENCY RESPONSE +The site incident control manager must identify and +implement appropriate response. + + + + + +Page 23: +Superintendent’s Circular FSE-01 +Page 23 of 42 + + +SAFE MODE IF: +EVACUATION IF: +The situation presents a threat of +illness, injury or death to persons +moving in, around, or about the campus +and it is determined that Safe Mode +will provide a greater level of safety for +those persons. +● Riot +● Shooting +● Hazardous Material Spill +(Outside) +● Hostage Situation +● Suicide +The situation presents a threat of +illness, injury or death to persons +remaining inside a building and it is +determined that evacuation will provide +a greater level of safety for those +persons. +● Fire +● Explosion +● Hazardous Material Spill (Inside) +● Hostage Situation +● Bomb Threat +● Gas Leak + +2. SAFE MODE — PERSONNEL ASSIGNMENTS +All students are to remain contained until emergency +responders advise otherwise. +The following is a list of recommended assignments for +faculty/staff members during a crisis requiring containment. +* Asterisks denote Site Incident Control Team members. * + +* Principal/Assistant Principal (Site Incident Control Manager +- SICM): Initiate safe mode. Safely monitor situations with +available resources. Identify and contact appropriate +emergency responders and BPS support staff. + + +Page 24: +Superintendent’s Circular FSE-01 +Page 24 of 42 + + +* Nurse (Risk Analyst): Set up staging area for ill and injured +persons and administer initial first aid. Keep ill people +(overcome with stress and excitement) separate from the +injured. +* Registrar +(Safety +Coordinator): +Gather +occupancy +information, present occupancy information to Emergency +Responders. Use an alternative if school does not have a +registrar. +* Secretary (Incident Scribe): Continue 911 contact and remain +on the telephone. It is imperative that emergency +responders maintain communication with someone inside +the school. Use an alternative if necessary. +* Custodian (Building Coordinator): Close and lock all +entry/exit points. Stand by to assist emergency responders +with accessibility to mechanical rooms. +Classroom Teachers: Contain students. Keep classroom +rosters. Teachers in possession of cell phones should activate +their phones. Teachers should prepare students to follow +further instructions. +Assistants: Teachers on administrative duty or P&D periods +should assist Incident Control Team (ICT) by checking the +building for unattended students and moving them to +supervised locations. Assistants should be posted at +entry/exit points to ensure that no one leaves the building +and that only Emergency Responders enter the building. +Volunteers: Report to office and be available to follow +instruction. +Cafeteria Staff: Close and contain cafeteria and kitchen. Shut +off appliances and remain in kitchen. + + +Page 25: +Superintendent’s Circular FSE-01 +Page 25 of 42 + + +3. SAFE MODE PROCEDURES +Incident Control Team: +1. Call 911 – Advise reason for safe mode and stay on the line. Do +not hang up. 911 dispatchers will route the call to the +appropriate agencies. +2. Communicate to all staff that a Safe Mode situation exists and +begin safe mode process. + +3. All school personnel will assume their specific assignments +listed herein, exercising flexibility where needed to promote +the safety of all persons. +4. Staging areas should be set up separately for 1.) injured and +2.) ill persons. +5. During safe mode, no one except emergency responders or +their designees will be permitted to enter, exit, or move about +the campus. +6. As additional emergency responders become available, they +will assume some of the posted assignments to relieve school +personnel. +7. Ending the Safe Mode Status: When it has been determined +by the emergency responders and the principal that +conditions are safe to resume normal activities, the principal +shall make an announcement via the P.A. system or send a +messenger to advise each classroom. +4. EVACUATION PROCEDURES +1. Call 911. +a. Advise reasons for evacuation and stay on the line if safe +to do so. Do not hang up. +b. 911 dispatchers will route the call to the appropriate +agencies. +2. Start evacuation procedures according to normal fire drill + + +Page 26: +Superintendent’s Circular FSE-01 +Page 26 of 42 + + +procedures. Communicate to staff that a TIER I – GREEN +situation exists and begin the evacuation process. +3. If the threat of an explosion is present, or a hazardous +material spill has occurred, it may be necessary to move +the students farther than a normal evacuation distance. + +4. Teachers: Bring roll book. It will be necessary to keep a +roster of all students moved. Each teacher will be +responsible for his/her class. The ICT safety coordinator will +organize any dismissal of students. The release of each +student must be documented. +5. Staging areas should be setup separately for: +a. injured +b. ill persons +c. parents +d. media + +6. Students and employees with special needs may require +assistance. Paraprofessionals assigned to students and +staff will remain with their assignments throughout the +duration of the incident. +7. Ending the Evacuation Status: When it has been +determined by the emergency responders and the SICM +that conditions are safe to resume normal activities, the +SICM shall inform staff that it is safe to reenter the building. +SECTION IV: SCHOOL SUBMITTAL SECTION +This is a mockup of the information you will submit via the BPS +Intranet. Please note the Intranet version will have a different +appearance. +STEP I: +Please input the following information. +▪ School Name: +▪ Building Name: + + + +Page 27: +Superintendent’s Circular FSE-01 +Page 27 of 42 + + +▪ Address: + +▪ Principal/Head of School: +▪ Telephone Number: +▪ Fax Number: + + +a. Identify primary and secondary command post locations: + +Primary Location +Secondary Location +Room Name + + +Room Number + + +Phone Number + + + +b. Identify primary and secondary external assembly areas: +Primary Location +Secondary Location + + + +c. Identify primary and secondary alternate school-site +locations: +Primary +Phone +Secondary +Phone + + + + +d. Identify your internal communications method(s) that your +site will use to alert staff to the implementation of a Tier I +(Evacuation) and a Tier I (Safe Mode) response: + + +Page 28: +Superintendent’s Circular FSE-01 +Page 28 of 42 + + +Tier I – Evacuation + +Tier I – Safe Mode + +STEP II: Identify members of your on-site incident control team. +Title +Primary +Alternate +Responsibility +Suggested +Staff +Site Incident +Control +Manager +(SICM) + +Enter Private +Phone Line, +Cell Phone #, +Other Phones +Name: + + +Phone #s: +Name: + + +Phone #s: +Determine Tier level +of event and contact +resources required to +address the situation, +overall management +of school students +and staff, and +ensures that +superseding agencies +directives are +followed +Principal as +Primary; +AP or other +designee as +Alternate +Risk Analyst +Name: + + +Phone #s: +Name: + + +Phone #s: +Assess injuries and +medical risk analysis +Nurse – Primary; +Student Support +Coordinator or +Language +Appropriate +Individual – +Alternate + + +Page 29: +Superintendent’s Circular FSE-01 +Page 29 of 42 + + +Title +Primary +Alternate +Responsibility +Suggested +Staff +Safety +Coordinator +Name: + + +Phone #s: +Name: + + +Phone #s: +Gather occupancy +information, support +efforts to establish +control + +Building Registrar +or equivalent +Building +Coordinator(s) +Name: + + +Phone #s: +Name: + + +Phone #s: +Assess building +security, meet +responding agencies, +and direct them to +appropriate +location(s) +School Custodian +and School Police +Officer (if +available) +Incident +Scribe +Name: + + +Phone #s: +Name: + + +Phone #s: +Log chronology of +incident +School Secretary – +Primary +Transportation +Coordinator + +STEP III: +Building Characteristics +Please indicate if your site includes any of the areas listed below + + +Page 30: +Superintendent’s Circular FSE-01 +Page 30 of 42 + + +in the second column. The third column should identify the +location of the respective areas, as well as any other information +requested in the third column. +Common Areas +Description +Yes/No +If Yes, List Location +Auditorium + + +Boiler Room + +Also identify if gas or oil is used. +Cafeteria + + +Computer Lab(s) + + +Fire Escapes + + +Gymnasium + + +Hazardous Materials + + +Health Center + + +Library + + +Loading Dock + + +Nurses Office + + +Out Buildings + + +Playground + + +Ramps + + +Utility room + + +List Others + + + + + +Page 31: +Superintendent’s Circular FSE-01 +Page 31 of 42 + + + + + + +Page 32: +Superintendent’s Circular FSE-01 +Page 32 of 42 + + +Does your building have the following? +Description +Yes/No +If Yes, List Location +Attic/Penthouse + +Indicate entry points on floor plans +Basement or crawlspace access + +Indicate entry points on floor plans +Community Center + + +Elevators + + +Fire Safety Systems + + +Grounds Maintenance + +Identify chemical storage area(s) +Kitchen Area + +Describe type of kitchen facility: +satellite, full service, other +Motion Detectors + + +Pull Stations + + +Security Systems + + +Swimming Pool + + +Vocational Shop Area +Compressed gasses present? (1) +Liquid fuels present? (2) +(1) List +here + + +(2) List +here + + + +If the school has a vocational area, please +indicate location on floor plans. + + + +Page 33: +Superintendent’s Circular FSE-01 +Page 33 of 42 + + +STEP IV: +Occupancy Information +The purpose of this section is to assist authorities in determining +if a building evacuation is complete or to provide information +regarding numbers of persons within the building. +Description +Numbers +Additional Information / Comments +Total Enrollment + + +Total Staff + + +For students/staff with disabilities (visual, hearing, mobility, +medical, other) please provide all pertinent information required +for assistance in an emergency. (Please use the space below.) + +PLEASE NOTE: Information in the blocks below should be +supplied to authorities when emergency events occur. Please +develop appropriate measures to ensure that accurate and +timely headcount information is available. +Description +Number +Visitors + +Students off site (field trips, etc.) + +Staff off site (training, etc.) + +Other (list) + + + +Page 34: +Superintendent’s Circular FSE-01 +Page 34 of 42 + + +STEP V: + +List Communications Equipment +Please fill in categories as appropriate. +1. Mobile Communication Devices +Description +Yes / +No +Quantity +Assignee +List Appropriate +Numbers +Status: +O=Operational +N=Non-operational +Nextel +Cell Phone +2 Way Radio + + + + + +AT & T Ericsson +Cell Phone + + + + + +Other Cell Phones + + + + + +Beepers/Pagers + + + + + +2. Portable Radios +Description +Yes / +No +Quantity +Assignee +List +Appropriate +Numbers +Status +O=Operational +N =Non-operational +Safety Staff Two- +Way Radios + + + + + +In-House +Two Way Radios + + + + + + +3. Stationary Communications + + +Page 35: +Superintendent’s Circular FSE-01 +Page 35 of 42 + + +Description +Yes / +No +Quantity +Assignee +List +Appropriate +Numbers +Status +O=Operational +N =Non- +operational +Intercom System + + + + + +PA System + + + + +House Phones + + + + + +List Others + + + + + + +4. Telephone Information +Description +Assignee +Room +Number +Phone # +Main Phone + + + +Principal’s Office + + + +Guidance Office + + + +Custodian’s Office + + + +Nurse’s Office + + + +ETF’s Office + + + +Student Support +Coordinator’s Office + + + +Swimming Pool + + + +Safety Officer/Para + + + + + +Page 36: +Superintendent’s Circular FSE-01 +Page 36 of 42 + + +Description +Assignee +Room +Number +Phone # +Pay Phone(s) + + + +Phone System - Extension + + +Phone System - Extension + + +E-Mail Address + + + +Fax Machine(s) + + + +List All Direct Lines + + + + +STEP VI: Floor Plans / Specific Site Information +The following areas should be indicated on floor plans. Facilities +Management personnel will complete this section as noted in +Superintendent’s Circular FSE-01 School Safety Contingency Plan. +● Electrical Control Rooms And Panels +● Utility Access/Controls +● Classrooms/Labs +● Interior Maintenance Areas +● Engineering And Boiler Room Areas +● Vocational Shop Areas +● Swimming Pools +● Grounds Maintenance Storage Areas +● Kitchens And Food Storage Areas +● Fire Standpipes And Sprinkler Connections +● Roof Access, Include Skylights And Indicate Whether Or Not +Operable +● Domestic Water Controls +● Basement Or Crawlspace Access + + +Page 37: +Superintendent’s Circular FSE-01 +Page 37 of 42 + + +● Indicate Which Walls Are Solid Masonry +● Indicate Which Walls Are Framed Drywall + +For building systems, assess and indicate on the floor plans, the +following: +● Heating, ventilation, and air conditioning (HVAC) systems +● Location and accessibility of air intakes +● Filtration media location and accessibility +● Shutdown procedures +● Plumbing drainage +● Fire sprinkler systems – emergency chemical +decontamination use +● Natural gas – use locations and shutoff(s) +● Potable water – access to water supply +● Electrical access/shutoff +SCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST +The following is a list of items which should serve as a guide and +checklist as you review and revise your School Safety / +Contingency Plan. These steps are essential to finalize your plan +as complete, current, and ready in the event of an emergency. +Please insert this checklist in your School Safety Plan book for +reference. +● Command Post Locations: Are they located too close +together as opposed to being appropriately separate for +independent operations? +● Assembly Areas: Are they separate and distinct with your +secondary location at a further distance away from the +school? +● Alternate Sites: Are they realistic with accommodations to + + +Page 38: +Superintendent’s Circular FSE-01 +Page 38 of 42 + + +house all students expected to be relocated? Have prior +agreements been made with the Alternate Site host if these +locations are not BPS properties? Will transportation be +required to relocate? Will dismissal of students in +accordance with School Department policy be a more +practical option on the high school level? +● Internal Communications: Has consideration been given to +the use of a system (examples: public address, intercom, +bell, messenger, school phones, portable radios), rather than +the fire alarm for evacuation? Keep in mind that sounding +the fire alarm without other instructions will initiate a +routine evacuation. This may take building occupants +through or to an unsafe area. Safe Mode notification would +be made via one of the examples given above. +● Incident Control Team: Have responsible members of your +school-based staff been identified for all +positions/functions? Have these designated staff members +been briefed on their duties? +● Facility Components: There may be a need for a more +detailed explanation rather than simply some specifics (e.g., +liquid fuel – gasoline for snow blowers is kept in an +approved cabinet in the custodian's office, and security +system – motion detectors in corridors and stairwells. +● Disability Information: Have all persons in your building +needing assistance during an evacuation been identified? +Have accommodations been made for safe refuge/ +evacuation of students/staff requiring assistance in your +school’s evacuation plan? +● Communications Equipment and Telephone Information: +Have all available means of communication between +identified and portable telephones and radios been + + +Page 39: +Superintendent’s Circular FSE-01 +Page 39 of 42 + + +assigned to staff in accordance with your plan? Has school +email address been included? Have you included Nextel +direct radio numbers? +FIRE SAFETY PLAN SECTION +● Primary Entry for Fire Department: Is this the location of +your fire alarm control panel (annunciator)? Is this your +street address? +● Egress: Are exit doors unlocked from the inside during +operating hours? +● Records/Documentation: Suppression system test +certification applies to kitchen hood extinguishing system. +● Evacuation Matrix: Is there an exit identified for each +classroom, office, and common area? Do you have a “hard +copy” of your evacuation plan included with your school +plan? Are prescribed evacuation routes posted for all +building occupants? +● Primary/Secondary Refuge: These are approved locations +inside the building where mobility impaired occupants +could safely await evacuation. Are they identified for each +floor? +● Training/Orientation: Are all members of the school staff +familiar with details and operation of your school plan? Has +the school plan been practiced? Is the plan updated as +needed? Have staff signed off on their training? Is this +documentation maintained with your plan? +ACKNOWLEDGEMENTS +The following is a list of publications and agencies that assisted in +the development of the Boston Public Schools Safety + + +Page 40: +Superintendent’s Circular FSE-01 +Page 40 of 42 + + +Contingency Plans: +● Emergency Response Guides, San Antonio Independent +School District +● Massachusetts Emergency Management Agency (MEMA) +● Bristol County Sheriff’s Office, “Safe To Learn” +● Federal Emergency Management Agency (FEMA) +● Massachusetts Executive Office of Public Safety, School +Emergencies; Community Pre-Planning Guide +● Laboratory at Brown University, Crisis Planning +Management +● Massachusetts Office of the Attorney General, Guidelines for +a Crisis Management Plan +● U.S. Department of Education + + + + + + + + + + + + +For more information about this circular, contact: + + +Page 41: +Superintendent’s Circular FSE-01 +Page 41 of 42 + + +Owner: +Director of Emergency Management & Preparedness +Department: +Office of Emergency Management, Safety Services +Mailing Address: +205 Townsend Street Boston, MA 02121 +Phone: + (617) 635-6082 or (857) 701-9404 +Email: +Operations-Department-Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + +See template below to be used in classrooms to post evacuation routes + +(Updated 7.16.2024) + + +Page 42: +Superintendent’s Circular FSE-01 +Page 42 of 42 + + +EMERGENCY EVACUATION + +ROOM ______ +LEAVE ROOM, GO ______ +USE STAIRWAY ______ +EXIT # ______ + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-02 Fire Safety Practices.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-02 Fire Safety Practices.txt new file mode 100644 index 0000000..e043600 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-02 Fire Safety Practices.txt @@ -0,0 +1,630 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-02 +Version 01 + +FIRE SAFETY PRACTICES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +As we begin another school year, it is essential that we review and +update +fire +prevention, +life +safety, +and +evacuation +plans/procedures in all our schools. Accordingly, appropriate +communications +and +cooperation +with +Fire +Department +authorities is imperative. The Boston Fire Department and The +Office of Emergency Management and Preparedness cite specific +areas of concern and responsibility in this directive, which must be +brought to your attention. +The following fire safety practices should be incorporated into +the fire safety section of your school safety/contingency plan: +A fire safety checklist (Attachment A) must be completed and +readily available in the main office along with appropriate +documents including: fire drill reports, fire alarm tests, * fire +sprinkler system test, fire extinguisher location document, * fire +pump test, AED location, a copy of most recent BFD quarterly +inspection report, and Certificate of Occupancy. +NOTE (*) if applicable: +The Boston Fire Department has directed that school officials +designate a member of their school safety team to report to the + + +Page 2: +Superintendent’s Circular FSE-02 +Page 2 of 15 + +main entrance of the school to meet and direct arriving fire +department and other public safety personnel in an emergency. +This individual is identified as the building coordinator position in +your school safety plan and is usually the school custodian. +The building coordinator should be familiar with this circular, your +building and fire safety reports, and your fire safety checklist; know +the location of fire notification and extinguishing systems; and +have access to all areas. Your plan must also identify an alternate +person to perform this role in the event your custodian is not +available. +FIRE ALARMS +All fire alarm systems must be maintained in working order at all +times. It is important to remember that the sounding of any fire +alarm box automatically transmits a signal to the Fire Alarm Office, +which simultaneously dispatches fire apparatus to the school. +Fire Department regulations and Mass. General Law Chapter 268, +Section 32 prohibits the shutting off or tampering with any fire +alarm system unless directed to do so by the Fire Department. Any +deficiency or trouble noted with the fire alarm system must be +reported immediately to Facilities Management/Fire Alarm +Division at 617-635-8300. +Upon the evacuation of a school building because of an alarm, no +person or persons shall re-enter the building without the +authorization of the fire officer in charge. The principal/head of +school, site coordinator or designee must, as a part of their fire drill +procedures, establish a command procedure for such evacuations. +Upon the sounding of a fire alarm, approved evacuation + + +Page 3: +Superintendent’s Circular FSE-02 +Page 3 of 15 + +procedures for all building occupants are to be followed +immediately, as well as a verification call made to the Fire +Department at 911 or 617-343-2880. +Upon arrival, the Boston Fire Department will exercise its authority +to order all measures that are deemed necessary for the protection +of persons and property. This authority includes building +evacuation and reentry. +DOOR LABELS, NUMBERS OR LETTERING SHALL NOT BE +REMOVED OR CHANGED +The interior and exterior doors that are numbered within Boston +Public Schools should not be removed or changed by anyone +except for members of the BPS Facilities Management Team. The +numbers and letterings are crucial to Boston Police, Boston Fire +and Boston EMS that will need to respond to your school building +for an emergency. +Any changes to the numbering or lettering within your school +building could disrupt any evacuation or safety plans that already +exist within the school. +The existing room numbers are also associated with the school’s +Asbestos Hazard Emergency Response Act (AHERA) Management +Plan and the Indoor Air Quality (IAQ) sensors. +If your school is missing any room numbers or lettering, please +submit a work order to the Facilities Management Team to ensure +any issues are resolved before the start of the school year. + +MEANS OF EGRESS +Designated exits in every school must be maintained as means of + + +Page 4: +Superintendent’s Circular FSE-02 +Page 4 of 15 + +egress. +a. Means of egress must be kept free and clear at all times. +b. The use of chains, ropes, bars, so-called "dutch locks," or any +other unauthorized device that would impede egress is +prohibited during times when school buildings are occupied. +c. No exit door which is intended to be kept closed shall be +blocked open, and no device or arrangement shall be used to +prevent a door designed to be self-closing or automatic- +closing from functioning as intended. Use of wedges to hold +corridor and stairwell doors open is prohibited. +d. Interconnecting doors between rooms must be clear and free +of any locks. Fire and smoke doors are not to be propped +open with wooden wedges or any other means. This is an +illegal practice and prohibited in all schools. +FIRE DRILLS +All schools shall conform to the following fire drill regulations: +a. The responsible school administrator in charge of the school +shall formulate a plan for the protection and evacuation of all +persons in the event of fire or other emergency and shall +include alternate means of egress for all persons involved. +Such a plan is to be developed in consultation with +appropriate representatives of the Boston Fire Department +and +BPS +Director +of +Emergency +Management +and +Preparedness. +b. The principal/head of school, site coordinator or designee +shall see that each staff member receives and understands +proper instructions on the fire drill procedure specified for +the room or area in which that person carries out their duties + + +Page 5: +Superintendent’s Circular FSE-02 +Page 5 of 15 + +before they assume such duties. A log or sign-off list must be +maintained at the school which documents staff receipt of +procedures and familiarization with fire safety practices. +c. A fire drill must be conducted quarterly (September/first +week of school, December, March, and June) involving all +students and staff and in accordance with Mass Fire Code, +527 CMR 1.00: 20.2.4.2. A record of each drill is to be +documented on the google form available in the BPS Fire & +Safety Drill Report under Central Office Support with The BPS +Office of Emergency Management and Preparedness (Safety +Services). If you have any questions, please contact The BPS +Office of Emergency Management and Preparedness. +d. Every student in all schools shall be advised of the fire drill +procedure and shall take part in a fire drill within three days +after school begins in September. Fire drill procedures for +particular rooms shall be posted within those rooms. +Alternate and obstructed drills shall be exercised; and every +other quarter, alternate routes shall be used. +e. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.4, +the head of the Fire Department, or person designated by +them, shall visit each school four times each year for the +purpose of quarterly inspections, reviewing Building Fire +Safety Plans and questioning the administrators. The Fire +Department may also conduct a fire drill for your building if +they feel your building is not in compliance with this law. +Drills may be conducted without advance warning to the +school personnel other than the person in charge of the +school at the time. +f. Fire drill plans must ensure adequate procedures for the +emergency evacuation of students and staff with disabilities. + + +Page 6: +Superintendent’s Circular FSE-02 +Page 6 of 15 + +These procedures must also be incorporated in the School +Safety/Contingency Plan for your school building. Fire drill +procedures must address student and staff accountability in +an evacuation. This element of the plan should identify the +person(s) in charge, ensure accurate class attendance rosters +are available, and identify specific locations for evacuees to +assemble. +g. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.6 +Evacuation: Fire exit drills shall include the complete +evacuation of all persons from the building. +STORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS +Flammables shall be stored in an approved locked metal cabinet +suitably vented. If the amount being stored warrants, a locked +storage vault should be provided. The storage facility must be +under the control of a school official, with only the authorized +personnel allowed access. +Faculty members should not allow students to fuel individual +devices or transport any fuel container from one location to +another. +All school personnel should be thoroughly instructed as to the +hazard involved in a particular flammable liquid, chemical, or gas; +and in its safe and proper handling prior to intended use. Material +Safety Data sheets should be on file in the main office. No fuel +container should be allowed to remain in any classroom but +should be immediately returned to its permanent storage facility. +The above procedures should be incorporated in the School +Safety/Contingency Plan for each school building. Materials used +in school science laboratory experiments are to be stored in + + +Page 7: +Superintendent’s Circular FSE-02 +Page 7 of 15 + +compliance with related laws, codes, and ordinances. Quarterly +school fire inspections are complemented by specialized +inspections conducted by Boston Fire Department Special +Occupancies’ Officers. +*Hazardous storage areas must be secured and identified with the +appropriate warning label. The appropriate chemical storage +room +door +identification is +the +National Fire +Protection +Association’s 704 Diamond. +*Reference Superintendent’s Circular FSE-06 Student Safety / +Health in School Shops, and / or Laboratories and Classrooms; +and the chemical inventory sheet in Superintendent’s Circular +FMT-7 Right to Know Law. +REPORTING OF FIRE INCIDENTS +The Boston Fire Prevention Code requires the following: +a. Upon any person's discovery of a fire or smoke in a building +or premises, they shall immediately notify the Fire Alarm +Office of the Boston Fire Department of the location of the +discovery and of the circumstances they have observed. The +Boston Fire Department must be notified both by sounding +the nearest fire alarm box (pull station) and by telephone (911 +or 617-343-2880) in the event of a fire. +b. Any discovery or evidence of a fire or attempt to burn shall be +reported to the Boston Fire Department by calling either 911 +or 617-343-2880 and the BPS Director of Emergency +Management and Preparedness (857) 701-9404 to begin an +arson investigation. BFD considers any fire started by a +student as a potentially serious mental health issue that, if +addressed early enough, may prevent more serious problems + + +Page 8: +Superintendent’s Circular FSE-02 +Page 8 of 15 + +in the future. +c. This section shall not be construed to forbid any person who +discovers a fire, or the owner, lessee, person in charge of the +building or premises, any occupant, or any of their agents, +after notifying the Fire Department, from using all means +necessary to extinguish or control the fire prior to the arrival +of the Fire Department. +d. No person shall require, make, issue, post, or maintain any +order, direction, or regulation, written or verbal, that would +require or direct anyone to delay reporting a fire to the Fire +Department. +e. All personnel must be familiar with fire reporting procedures. +f. The Boston Fire Department and then Facilities +Management, The Office of Emergency Management and +Preparedness are to be notified of all fire-related incidents. +These include but are not limited to following: +Fire or explosion +Good intent calls +Overpressure rupture +False alarm/false call +Medical emergency + + +Hazardous materials (i.e. fuel +spills or chemical leaks) +Hazardous conditions +Service calls + + + + +Fire extinguished by occupant +g. Any fire (including paper towels or tissues, even if +extinguished), must be reported to the Boston Fire +Department in accordance with procedure delineated in +sections a. and b. above. +h. The principal shall submit a written report available with +this_link: +https://www.mass.gov/doc/fp-200-school-fire- + + +Page 9: +Superintendent’s Circular FSE-02 +Page 9 of 15 + +reporting-form/download of any fire within the school +building or on the school grounds to BPS Director of +Emergency Management and Preparedness, (857) 701-9404 +who will then forward it to the Boston Fire Department +within 24 hours. This is in compliance with Mass General Law, +Chapter 148, Sec. 2A, which went into effect September 2006. +This information is also essential for arson prevention action. +FIRE EXTINGUISHERS/KITCHEN SYSTEMS +a. Portable fire extinguishers must be serviced annually and +located in accordance with the building’s Fire Safety Plan. +b. Kitchen extinguishing systems must be serviced twice a year. +c. It is the responsibility of senior custodians to ensure +extinguishers +are +visually +inspected +weekly +and +recharged/inspected annually to ensure they are ready for +emergency use. +d. Requests for fire extinguisher servicing should be made to +Facilities Management at 617-635-9122. +e. If extinguishers are not hanging in corridors, they must be +readily accessible. A list of fire extinguisher locations shall be +posted in the office and maintained in the Fire Safety section +of your building’s School Safety/Contingency Plan. +FLAMMABLE DECORATIONS +a. Flammable decorations, including examples of students' +work, must not be displayed in paths of egress, including +doorways and stairwells. +b. The Boston Fire Department expects us to display reasonable +amounts of student work. This is to be in accordance with the + + +Page 10: +Superintendent’s Circular FSE-02 +Page 10 of 15 + +National Fire Protection Association, Life Safety Code and 527 +CMR 20.2.4.4.3: +“Paper materials displayed in educational use occupancies +shall be permitted on walls only in accordance with the +following: (1) In classrooms, paper materials displayed shall +not exceed 20% of the total wall area. (2) Paper materials +displayed shall be attached directly to the walls and shall not +be permitted to cover an egress door or be placed within five +feet of an egress door, unless approved by the AHJ. When +determining wall areas, the door and window openings shall +be included unless: (a) Paper materials are displayed in fully +enclosed viewing cabinets with glass or polycarbonate +viewing panels or covered with glass or polycarbonate sheet +material in accordance with the Building Code; (b) Flame +retardant paper material is used for display. (3) Paper +material displays shall be permitted to cover up to 50% of the +total wall area in classrooms that are fully sprinklered in +accordance with Chapter 13. +Corridor displays and decorations are limited to bulletin +boards and must not cover more than 10% of the total +corridor wall space. + +c. Certain buildings have more fire protection features than +others. This may be considered when displaying student +work. +d. Please refer to Superintendent’s Circular FSE-03 Building +Codes and Fire Regulations. + + +Page 11: +Superintendent’s Circular FSE-02 +Page 11 of 15 + +RIGHT TO KNOW – CHEMICAL INVENTORY +Each school / facility must maintain an accurate inventory of toxic +and hazardous substances stored and used in the building. Please +refer to Superintendent‘s Circular FMT-07 “Right to Know” Law – +Chemical Inventory. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September (First +Week of School) +Quarterly Fire Drill Report Due +December +Quarterly Fire Drill Report Due +March +Quarterly Fire Drill Report Due +June +Quarterly Fire Drill Report Due + +For more information about this circular, contact: +Owner: +Director of Emergency Management & +Preparedness +Department: +Office of Emergency Management, Safety +Services +Mailing Address: +205 Townsend Street Boston, MA 02121 +Phone: + (617) 635-6082 or (857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + + +Page 12: +Superintendent’s Circular FSE-02 +Page 12 of 15 + +Mary Skipper, Superintendent + + + + + + + + + + + +(Updated 7.31.2024) + + +Page 13: +Superintendent’s Circular FSE-02 +Page 13 of 15 + +ATTACHMENT A +SCHOOL BUILDING FIRE SAFETY PLANS +School: +Principal/Head of School: + + +1. Does school have a Fire Safety Plan as part of School Safety/Contingency +Plan? +Y +N +2. Is the plan readily available in the main office? +Y +N +3. (School Safety/Contingency Plan, Section 6) +4. Is the plan current for this school year? +Y +N +5. Does plan include following elements: +a. Description of building (type, height, occupancy) +Y +N +b. Types of fire protection systems (sprinkler system, standpipes) +Y N +c. Fire alarms (locations of pull stations, smoke detectors, heat +detectors) +Y +N +d. Location of exits (primary and alternate) +Y +N +e. Evacuation routes (primary and alternate) +Y +N +f. Stairwell designations +Y +N +g. Smoke control (are corridor doors closed or held open by magnetic +devices that release when an alarm is activated?) +Y +N +h. Location of extinguishers +Y +N +i. Identity and location of any occupants with disabilities +Y +N +j. Floor plans +Y +N +k. Record of staff training +Y +N +l. Fire drill reports +Y +N +m. Fire alarm system test records +Y +N +n. Copy of building occupancy permit +Y +N +o. Incident Control Team members identified by name and title with +defined responsibilities in an emergency (including back-ups)Y +N +A follow-up phone call must always be made to the Fire Alarm Office +(911 or 617-343-2880) by a designated staff member. +p. AED device location: +Y +N + + +Date: ________________________________________ + + + + +Page 14: +Superintendent’s Circular FSE-02 +Page 14 of 15 + +ATTACHMENT B +BOSTON FIRE DEPARTMENT — FIRE PREVENTION DIVISION +SCHOOL DISPLAY MATERIALS: 527 CMR 1.05 +AREA +WITH NO SPRINKLERS +WITH SPRINKLERS + + + + + +Classroom +20% wall coverage with +combustible materials allowed. + +Nothing within 5ft. of the +egress door. + +No limit if in viewing cabinet, +covered with polycarbonate, or +materials are flame retardant* +50% wall coverage with +combustible materials allowed. + +Nothing within 5ft. of the egress +door. + +No limit if in the viewing +cabinet, covered with +polycarbonate, or materials are +flame retardant.* + + + + + + + +Exit passageway, +corridors, and +assembly area. +10% wall coverage with +combustible materials allowed. + +Each grouping to be maximum +of 6 ft. high and 12 ft. wide. + +Groups to be separated by at +least the width of the largest +adjacent group. + +No limit if in the viewing +cabinet, covered with +Polycarbonate, or materials are +flame retardant. + +No materials within 5ft. of +egress door. +50% wall coverage with +combustible materials allowed. + +Each grouping to be maximum +of 6 ft. high and 12 ft. wide. + +Groups to be separated by at +least ½ the width of the largest +adjacent group. + +No limit if in the viewing +cabinet, covered with +Polycarbonate, or materials are +flame retardant. + +No materials within 5ft. of +egress door. +Exits and enclosed +stairs +Nothing permitted. +Nothing permitted. + + + + + + +Page 15: +Superintendent’s Circular FSE-02 +Page 15 of 15 + +NOTES: + +(1) +Door and window openings are to be included when +calculating wall areas. +(2) +Documentation must show compliance with NFPA 701 or +CA 13115 to be flame retardant. +(3) +Plexiglas is not allowed; the covering must be glass or +polycarbonate. +(4) +The posting of exit signage or evacuation plans shall not +be prohibited by this regulation. +(5) +527 CMR 1.05 shall not be applicable to any election +materials required by law to be posted during any local, +state, or federal election. + +This regulation is effective September 19, 2003. + + + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-03 Building Codes & Fire Regulations.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-03 Building Codes & Fire Regulations.txt new file mode 100644 index 0000000..2be1f16 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-03 Building Codes & Fire Regulations.txt @@ -0,0 +1,160 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FSE-03 +Version 01 + + + +BUILDING CODES AND FIRE REGULATIONS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +All school buildings are required to comply with Massachusetts +State Building Codes and Fire Regulations. Adherence to these +regulations helps to ensure a safe, secure, and accessible learning +and work environment for students and staff. +As the person responsible for the school building, the head of +school/principal/program director shall have responsibility for +monitoring and maintaining compliance with building codes and +fire regulations at all times. Staff assigned to the Department of +Facilities Management and the fire safety director are available +and should be called upon to assist and support the school +building administrator in this effort. +The Inspectional Services Department (ISD) of the City of Boston +will conduct annual egress inspections, and the Boston Fire +Department (BFD) will conduct quarterly inspections to assure +compliance with the state codes and fire regulations. ISD shall +issue certificates of inspection for occupancy annually to schools +which comply. Schools in noncompliance will not be allowed to +open until the deficiencies are corrected and a certificate +granted. During every school year, ISD building inspections will +be conducted annually. However, special inspections can be + + +Page 2: +Superintendent’s Circular FSE-03 +Page 2 of 5 + + + +made at any time to assure continued compliance. +The following guidelines have been mutually agreed upon by the +ISD and the Boston Public Schools and should assist your efforts +and those of your staff in maintaining compliance. They must be +adhered to throughout the year, not just at the time of +inspection. They are as follows: +1. All paths of egress must be clear of any furniture and +materials. +2. Materials or equipment cannot be stored under/near +stairwells or in corridors. +3. Broken furniture must be discarded and not abandoned in +the corridor. +4. Teaching and learning is NOT permitted in hallways and +stairwells. +5. All doors must be clear of artwork/decorations and +functional in case of an emergency. +6. All fire doors must be kept closed at all times, except when +students are passing between classes or when they have +been modified as part of a new fire alarm system. +7. NO CHAINS OR PADLOCKS ON ANY DOORS IN ANY +BUILDING. +8. Bars, chains, or other restricted operations of doors are not +authorized at any time. +9. Deadbolts or locks may not be used on connecting +classroom doors. +10. Classroom connecting doors can not be blocked (essential +egress). + + +Page 3: +Superintendent’s Circular FSE-03 +Page 3 of 5 + + + +11. Papers and art work hanging from light fixtures must be +removed. +12. Using auditorium stages as classrooms is prohibited. +13. Covering classroom heating systems with combustibles +(books and papers) is a fire hazard and is NOT permitted. +14. All electrical and boiler rooms must be locked at all times +and must not be used for storage. +15. All fire extinguishers must be charged and have a current +inspectional tag attached. +16. All gasoline and flammable liquids must be stored in +fireproof cabinets. +17. Corridor displays and decorations are limited to bulletin +boards and must not cover more than 10% of the total +corridor wall space and 20% of classroom wall space. +18. Stairwells and exit doors shall be clear of all flammable +materials. +19. Paper materials displayed shall be attached directly to the +walls and shall not be permitted to cover an egress door or +be placed within five feet of an egress door, unless approved +by the AHJ. The ONLY things permitted to be posted on or +within 5 feet of a door are (1) evacuation routes and (2) the +classroom’s emergency folder/kit (3) the SafeMode window +cover the classroom utilizes. +20. All rugs, curtains, and furniture must be certified as fire +retardant and code compliant. +21. Only electrical appliances authorized by Facilities +Management are permitted. + + +Page 4: +Superintendent’s Circular FSE-03 +Page 4 of 5 + + + +22. Snow blowers and lawn mowers are to be run dry of fuel +after each use and before being brought into the building. +23. Classrooms must be kept clean and orderly. +Your cooperation in maintaining the standards outlined above +will ensure a quick and successful certification process. + + + + +Page 5: +Superintendent’s Circular FSE-03 +Page 5 of 5 + + + +For more information about this circular, contact: +Owner: +Director of Emergency Management & +Preparedness +Department: +Office of Emergency Management, Safety +Services +Mailing Address: +21 Deckard St - Room B28, Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR +Name: +Executive Director of Facilities Management +Department: +Facilities Management +Mailing Address: +1216 Dorchester Avenue, Dorchester, MA +02125 +Phone: +617-635-9135 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-04 Bomb Threat Procedures.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-04 Bomb Threat Procedures.txt new file mode 100644 index 0000000..ba10787 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-04 Bomb Threat Procedures.txt @@ -0,0 +1,409 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-04 +Version 01 + + + +BOMB THREAT PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +A bomb threat falsely reporting the existence of an incendiary or +explosive device (simulated or real) is an offense punishable by +imprisonment for up to twenty (20) years and/or a fine of not +more than $10,000. In the event of a bomb threat, a building +administrator must exercise responsible judgment and authority, +keeping in mind their responsibility for the safety and well-being +of the students and staff. To do this, one must (1) get all the facts +and (2) follow the procedures outlined herein, developed in +accordance with the policies of the Boston Public Schools and +the Boston Police Department. +BOMB THREAT PROCEDURES +Upon the receipt of a bomb threat, principals/heads of school and +building administrators are instructed to act in accordance with +the following procedures: +Telephoned Bomb Threats: +1. When taking the call, use the attached Bomb Threat Report +Form (Attachment A) to record all information. This form +must be available at the main telephone(s) in the school and +should be completed immediately after reporting the threat + + +Page 2: +Superintendent’s Circular FSE-04 +Page 2 of 11 + + + +to the building administrator. A copy of the Bomb Threat +Report Form is also to be submitted with the incident +report. +2. Call the Boston Police Department at 911 and report the +incident. If the bomb threat is a 2nd or 3rd call, please note +this in your conversation with the 911 operator. +3. Call the Department of Safety Services/Boston School Police +at (617) 635-8000. +4. Call your operational superintendent. +5. Alert staff via the school’s internal communication method +(ref. Superintendent’s Circular FSE-1 School +Safety/Contingency Plans, Tier I, Containment Procedures) +to visually survey their room/office for suspicious packages. +If anything unusual is observed, immediately report this +information to the building administrator and update +Boston Police via 911 that something unusual has actually +been found. +Designated members of the School’s Safety Team will be +responsible to survey unsupervised common areas, both +internal and external. During this survey, all bells/classes will +be held until the search is completed. +6. In the event a suspicious package or device is found: +a. Report the sighting to the building administrator +immediately. +b. Do not move, touch, or handle objects. +c. Do not use two-way radios. +d. Do not turn off lights or touch switches. +e. Keep loud noise to a minimum. + + +Page 3: +Superintendent’s Circular FSE-04 +Page 3 of 11 + + + +f. Restrict use of telephone to urgent business only. +g. Move people from the area. +h. EVACUATE the school building. +The Police Department will be fully in charge. This action +is to be preceded by an announcement which provides +specific evacuation routes to be followed for the incident +and manner in which the evacuation signal will be given +(fire alarm, bell, intercom, and runner). +7. If no suspicious package or device is found, appropriate safe +mode procedures are to be followed. However, classes +should not be changed until the BPD Bomb Squad has +arrived and evaluated the situation. IF YOU HAVE ANY +DOUBTS, EVACUATE. +8. The Police Department will assist the person in charge of +the building when searching for bombs or other incendiary +devices. Appropriate school personnel should assist, as +necessary. +9. The Police Department will assist and advise the person in +charge of the building regarding resumption of regular +school schedule and activities. The operational leader and +Safety Office must be notified once a decision is made. +10. Send a complete incident report within 24 hours of the +incident to the Department of Safety Services. Attach a copy +of the Bomb Threat Report Form noted above to the +Incident Reporting Form (attached for your reference). + + + + +Page 4: +Superintendent’s Circular FSE-04 +Page 4 of 11 + + + +ELECTRONIC (RECEIVED VIA EMAIL AND WEBSITE): +The person accessing the threat shall: +1. +Save the message on the system. DO NOT DELETE THE +MESSAGE. +2. +Call 911. +3. +Notify the Department of Safety Services/Boston School +Police at (617) 635-8000. +4. +Notify your operational superintendent. +5. +Print copies of the message to turn over to the police and +any others who may require them. +EVACUATION AND RE-ENTRY PROCEDURES +The principal/head of school or building administrator must +develop specific evacuation and re-entry plans for their individual +buildings (c.f. Superintendent’s Circular FSE-01 School +Safety/Contingency Plan). A copy of these plans should be +included in each school’s Contingency Plans. Such procedural +plans should include the following: +1. +Instruction of office staff regarding proper procedures for +answering, documenting, and reporting of such +telephone calls. +2. +Method of notifying staff and students of emergency +conditions. +3. +Method of leaving the building (fire drill procedures may +be followed). Special attention should be given to identify +assembly points, which are recommended to be located +300 yards from the building when evacuating for a + + +Page 5: +Superintendent’s Circular FSE-04 +Page 5 of 11 + + + +suspected bomb. Any area that is being used as a +staging or assembly area must be searched by a +designated staff member prior to sending people to that +area. +4. +Specific plans for special needs and physically impaired +students. +5. +Supervision of students by classroom teachers at all times +while outside the building (prior planning should be done +with local police authorities in schools that would require +extra police surveillance and supervision outside that +school). +6. +Controlled re-entry of the building to include supervision +of students re-entering to insure that no potentially +dangerous objects are brought into the building. +These procedures should be utilized in conjunction with your +School Safety / Contingency Plans. + + + + + +Page 6: +Superintendent’s Circular FSE-04 +Page 6 of 11 + + + +For more information about this circular, contact: +Owner: +Director +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(617) 635-9122 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent +ATTACHMENTS: +A. Bomb Threat Report Form +B. Bomb Threat Procedures +C. Suspicious Package/Device +D. Warning Notice: Please Post + + + + + +Page 7: +Superintendent’s Circular FSE-04 +Page 7 of 11 + + + +ATTACHMENT A +BOMB THREAT REPORT FORM + +Describe caller’s voice: + Male + Female + Angry + Excited + + Calm + Well spoken +(educated) + Stutter + Lisp + Rapid + + Slow + Raspy + + Deep + Soft + Loud + Incoherent + Irrational + Foul + Crying + Disguised + Nasal + Distinct + Slurred + + Accent + Taped + Familiar + Message +read by caller +If the voice is familiar, who did it sound like? +Exact wording of threat: + + +Questions to ask: + + + + + + +1. When is the bomb going to explode? + +2. Where is it right now? + + +3. What does it look like? + +4. What kind of bomb is it? + + +Page 8: +Superintendent’s Circular FSE-04 +Page 8 of 11 + + + +5. What will cause it to explode? +6. Did you place the bomb? +7. Why did you put it in the building? +8. What is your address? + +9. What is your name? + +Background sounds: + + + + Street + Animal +sounds + + PA system + Static + + + Voices + + Music + + Motor + House +Noises + + Local + + Long distance + Office +machinery + Phone booth + +Time: ____________Date: ___________Length of Call: _________________ +Number at which call was received: ______________________________ +REMARKS: _______________________________________________________ + __________________________________________________________________ +Receiver of Call: + __________________________________________________________________ +(Name and Title) +ATTACHMENT B +BOMB THREAT PROCEDURES + + +Page 9: +Superintendent’s Circular FSE-04 +Page 9 of 11 + + + + +1. STAY CALM. +2. Obtain information from the caller and record on Bomb +Threat Form. +3. Call Boston Police at 911. Provide the police dispatcher with +all available information. +4. Activate your school’s Site Incident Control Team. +5. Call the Superintendent's Office at 617-635-9057. +6. Administrator will determine if evacuation or containment is +appropriate. +7. If evacuating, determine appropriate evacuation routes and +advise staff in accordance with your School +Safety/Contingency Plan (internal communication method). +8. Do not announce Bomb Scare; use a known code to +communicate the situation to staff. +9. Take the Bomb Threat Report Form with you if you +evacuate. +10. It is recommended that students and staff assembly point(s) +be at least 300 yards from the building when evacuating for +a bomb threat. +11. WHEN IN DOUBT, EVACUATE. + +(Ref. Suspicious Package/Device) +ATTACHMENT C +SUSPICIOUS PACKAGE/DEVICE + + + +Page 10: +Superintendent’s Circular FSE-04 +Page 10 of 11 + + + +1. STAY CALM. +2. Call Boston Police at 911. Provide the police dispatcher with +all available information. +3. Do not move, touch, or handle the object. +4. Do not use two-way radios. +5. Do not turn off lights or touch switches. +6. Keep loud noise to a minimum. +7. Restrict use of telephone to only urgent business. +8. Secure the location. +9. Activate school’s Site Incident Control Team. +10. Evacuate after determining the safest routes for all building +occupants. +11. Communicate the situation and procedures to be followed +for evacuation to staff in accordance with your School +Safety/Contingency Plan (internal communications +method). + +(Ref. Bomb Threat Procedures) + + + +ATTACHMENT D + + +Page 11: +Superintendent’s Circular FSE-04 +Page 11 of 11 + + + +PLEASE POST +BOSTON PUBLIC SCHOOLS +• WARNING • +It is a crime, as well as disruptive to the +educational process, to pull a false fire alarm or to +make a bomb threat. In addition, accidental injury +or death of a firefighter, student, or staff member +could result. +PENALTY FOR FALSE ALARM +Imprisonment for up to one year or a fine of not +less than $100 but not more than $500. +(M.G.L., C. 269, S. 13) +PENALTY FOR BOMB THREAT +Imprisonment for up to twenty years and/or a fine +of up to $10,000. (M.G.L., C. 269, S. 14) + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-05 Medical Emergency Management.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-05 Medical Emergency Management.txt new file mode 100644 index 0000000..03d581d --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-05 Medical Emergency Management.txt @@ -0,0 +1,405 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-05 +Version 01 + + + +MEDICAL EMERGENCY MANAGEMENT +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The following guidelines relate to a medical emergency of an +individual student, which is different from episodes where the +entire School Safety Contingency Plan (please refer to +Superintendent’s Circular FSE-01 School Safety Contingency +Plans) is activated. However, the guidelines are complementary. +The school nurse assigned to each school should assist in the +development and implementation of medical emergency +protocols. The elements to be included in the protocol are +described below. +EMERGENCY INFORMATION +Prevention of medical emergencies begins with knowledge of +underlying medical issues. Therefore, Emergency Information +Cards (Form 460 or electronic equivalent), containing the basic +pertinent data to activate an emergency medical plan for the +student, must be on file at each school. This information should +be completed upon the opening of school in September and +updated by January 1 and again by April 1 each school year. +In addition to parental contact phone numbers, alternate +emergency contacts, primary language spoken at home and + + +Page 2: +Superintendent’s Circular FSE-05 +Page 2 of 12 + + + +custody issue documentation, the card or electronic equivalent +should contain: +● Insurance company +● Policy number +● Clinician name and phone +● Hospital where the child is taken in an emergency +● Listing of health problems +● Listing of medications taken at home as well as in school +● Allergies +● Vision or hearing problems +● History of surgery or serious illness in the last year +Each building administrator may practice the most expeditious +means of securing necessary information. +ROUTINE ILLNESS / MINOR INJURY +It is the responsibility of the principal/head of school, in +consultation with the school nurse, to decide whether routinely ill +or slightly injured students should remain in school or be +released to their home. When it is necessary for a student to +leave the school for home, the following procedures must be +followed. +● The parent/guardian, or in those cases where they cannot +be contacted, the individual designated on the Emergency +Information Card, should make necessary arrangements for +the student to be picked up at school by a responsible adult. +(Please refer to Superintendent’s Circular SAF-08 Release of +Students to Authorized Persons.) + + +Page 3: +Superintendent’s Circular FSE-05 +Page 3 of 12 + + + +● The parent/guardian should be informed of any emergency +aid administered at the school and advised to seek further +medical attention, if necessary. +● If the parent/guardian of a student who has sustained a +minor injury or illness cannot be located, the child must +remain in school until the regular dismissal time. +● Under no circumstances should a student be released +without adequate adult supervision. All instances where a +student is released should be properly documented in a log +in the office of the principal/head of school. The log must +indicate all pertinent information, including the time the +child arrived home. +● No child is to be released to anyone other than a +parent/guardian without the parent/guardian’s consent +and proper identification as the parent/guardian’s +designee. +MEDICAL EMERGENCIES +The principal/head of school has administrative and +programmatic responsibility for all activities that occur in their +school. However, in those cases where a medical emergency +exists, principals/heads of school should consult with and follow +the advice of the assigned nursing staff. +● A medical emergency is defined generally as a potentially +life-limiting or life-threatening situation requiring +immediate medical attention, as well as cases of indecent +assault/rape. Protocols for the management of specific +medical emergencies are available to nurses and are to be +kept on file in the nurse's office. + + +Page 4: +Superintendent’s Circular FSE-05 +Page 4 of 12 + + + +● In the beginning of each school year, school nurses should +communicate to relevant staff the known potential health +emergencies of individual students. This meeting should be +documented on the student’s Individual Health Plan. +● The principal/head of school is responsible for responding to +medical emergencies when a school nurse is not available. +● Principals/heads of school should compile a list of staff with +CPR, AED, first aid, and first responder training who can +provide immediate lifesaving measures until EMS arrives. +These staff members should be members of the School +Safety Team. +● Immediate phone support is also available through the +Health Services office at 617-635-6788. +● Each school nurse should complete a list of staff trained in +the administration of Epinephrine in the event of a life- +threatening allergic reaction. This list must remain on the +file with the school administrator. Epinephrine should not +be locked away but should be available to school staff in a +secure location. +● It is recommended that the school nurse, school leader, and +other staff involved in a medical emergency hold a debrief +meeting following the incident. +SERIOUS INJURY / ILLNESS PROTOCOL +● Stabilize the student using the most qualified school staff. +● Activate the Emergency Medical System (EMS) by calling 911. +Cases of indecent assault/rape require Boston Police +notification via 911.* + + +Page 5: +Superintendent’s Circular FSE-05 +Page 5 of 12 + + + +● Call the Superintendent’s Office at 617-635-9057. +● Notify School Safety Services at 617-635-8000. +● The responding ambulance crew of emergency medical +technicians (EMTs) or paramedics will consult with the +qualified school officials and assess the need for +transportation to a medical facility. EMS assumes medical +management of the child. +● School personnel designated by the principal/head of school +must accompany the student in the ambulance and remain +with the child until a) the parent/guardian arrives or, b) the +child is attended to by appropriate and qualified medical +personnel who have taken over the custody of the child, +whichever occurs first. +● Accompanying staff are not required to have medical +experience and are present solely for the comfort of the +child. It is not recommended that the school nurse +accompany the student as the school will be without +nursing support for other students requiring nursing care +during the school day and other first aid/emergency care. +● The school’s representative should bring the student’s +Emergency Information Card, the Individual Collaborative +Health Plan (if the student has identified chronic health +needs), emergency action plan (if available), and all other +pertinent medical information to the hospital. +● If the emergency occurs on the school bus, the driver +(and/or monitor, if present) will provide for the safety of the +child and call the dispatcher, who notifies 911. When EMS +arrives, the dispatcher will be called with the name of the +child and the hospital that the child will be transported to. + + +Page 6: +Superintendent’s Circular FSE-05 +Page 6 of 12 + + + +The dispatcher then calls the Department of Safety Services +at 617-635- 8000, who will notify the family. A safety officer +will proceed to the emergency room to meet with the +student and family. +➢ Release of a student who is a victim of indecent +assault/rape must comply with procedures outlined in +both this memorandum and Superintendent’s Circular +SAF-08 Release of Students to Authorized Persons. +COMMUNICABLE DISEASES +Massachusetts General Law and public health regulations govern +the reporting and control of communicable diseases in public +schools. All suspected cases of a communicable disease require +confirmation from local health authorities before a plan of action +is developed. When a student is suspected of having a reportable +communicable disease: +● The principal/head of school or designee will contact the +school nurse. +● The nurse or principal/head of school will contact the Health +Services administration. +● Health Services will contact and collaborate with the Public +Health Commission to confirm the diagnosis. +● The school nurse, in conjunction with principal/head of +school or designee, Health Services, and local health +authorities, will assess the health risks and develop a plan of +action to address the issues. +Questions or concerns may be directed to Health Services at 617- +635-6788. + + +Page 7: +Superintendent’s Circular FSE-05 +Page 7 of 12 + + + +DEPARTMENT OF SAFETY SERVICES +The Department of Safety Services/Boston School Police is +located at 213 Townsend Street (rear of Boston Latin Academy), +Dorchester, MA 02121, phone 617-635-8000. +● A school administrator must notify the Dept. of Safety +Services by telephone of any serious illness or injury after +notifying Emergency Medical Services via 911. +● Dept. of Safety Services personnel have received various +levels of first aid training and may initiate assistance +appropriate to their level of training. +● A Dept. of Safety Services administrator will respond to the +scene if practical. +● The Dept. of Safety Services may be used as a resource to +assist in making parent/guardian notification. +NOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS +INCIDENTS +● The principal/head of school should follow the guidelines +established in the Superintendent's Circular FSE-01 School +Safety Contingency Plans, providing feedback to staff. +● Should an incident become generally known and be a +matter of concern to parents, the administrator should meet +with the School Parent Council to advise them of the +precautionary measures taken to prevent the recurrence of +such an incident. +● In the event of a serious illness/injury involving a student, +the parent/guardian must be notified as soon as possible. +This notification should include all available information, + + +Page 8: +Superintendent’s Circular FSE-05 +Page 8 of 12 + + + +including hospital destination if the child is transported to a +medical facility. +● If a student is a witness to a medical emergency, their +parent/guardian should be notified prior to that student +being removed from the school for interviewing by police or +any other member of an emergency response agency. +Summary of significant dates and deadlines: +Date +Activity +September Complete Emergency Information Cards (Form 460) +January +Update Form 460 +April +Update Form 460 + +EMERGENCY PLAN +If an emergency occurs: +1. Stay with the student. +2. Call or designate an adult to call the nurse or designee. +a. State who you are. +b. State where you are. +c. State the problem. +3. An administrator or designee is responsible to institute the +Emergency Plan. +Emergency Telephone Procedure: +1. Dial 911. + + +Page 9: +Superintendent’s Circular FSE-05 +Page 9 of 12 + + + +2. State who you are. "I am _______________, a +teacher/paraprofessional in the Boston Public Schools." +3. State where you are. "I am at the ________________School, +address __________________. The telephone number is +______________________." [NOTE: a number that is not the +office number should also be provided to EMS.] +4. State the problem. "There is a _______ year old child here that +is _____________. We need an ambulance now." +5. Give specific directions. "_________________ will meet you at +________________ to direct you." (address) +6. Don't hang up. Ask for the information to be repeated back +to you and answer any questions the dispatcher may have. +Hang up the telephone when all information is correct and +verified. +Emergency Procedures: +1. Notify the principal/head of school or administrator and +inform them of the nature of the emergency and the +location of the student. +2. The administrator or designee will: +a. Meet and direct the EMTs +b. Call parent/guardian +c. Call the Superintendent’s Office at 617-635-9057 +d. Call School Safety at 617-635-8000 +3. The school nurse or designee will accompany the student to +the hospital. +4. Paramedics will decide which hospital is appropriate. + + +Page 10: +Superintendent’s Circular FSE-05 +Page 10 of 12 + + + +5. Copy emergency and health care information. +6. School personnel (not necessarily the nurse) designated by +the principal/head of school must accompany the student in +the ambulance and remain with the student until the +parent/guardian arrives or the child is being taken care of by +appropriate and qualified medical personnel who have +taken over the responsibility of the child’s care, whichever +occurs first. Paramedics will take over care of the student +when they arrive. +7. The school representative should bring copies of the +student's emergency information card, health card, and all +available information pertinent to the student and the +incident/illness to the hospital. + + + +8. The Department of Safety Services may be used as a +resource to assist in notification to the parent/guardian. +Telephone 617-635-8000. +9. School Department personnel must not in any case +transport a sick or injured child in a privately owned motor +vehicle. +10. Under no circumstances should a student be sent to any +location via taxi based solely on notification received by +telephone. +11. It is strongly recommended that the student emergency +information card (Form 460) be regularly updated. +For more information about this circular, contact: +Owner: +Djenny Lobo Lopes + + +Page 11: +Superintendent’s Circular FSE-05 +Page 11 of 12 + + + +Department: +Health Services +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR +Owner: +Director of Emergency Management and +Preparedness +Department: +Safety & Emergency Management +Mailing Address: 205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +OR + +Owner: +Chief of Safety Services +Department: +Safety Services +Mailing Address: 213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 + + +Page 12: +Superintendent’s Circular FSE-05 +Page 12 of 12 + + + +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.txt new file mode 100644 index 0000000..0f8f7d6 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.txt @@ -0,0 +1,1047 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +FSE-06 +Version 01 + + + +STUDENT SAFETY / HEALTH IN SCHOOL SHOPS, +LABORATORIES, AND CLASSROOMS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Each day, thousands of Boston Public School students perform a +variety of activities within shops and laboratories. To ensure that +all students and their teachers work in an environment which is +safe, it is necessary to formulate standard procedures and +requirements for all schools and their personnel. +Your performance of these procedures will ensure that you and +your students are safe. +RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL +1. Inform the staff and students in writing of the safety +standards and procedures, including the need to wear eye +protection devices. +2. Ensure that workable fire extinguishers, blankets, and eye +wash equipment are readily available (custodians are +responsible for recharging fire extinguishers). +3. Make sure that appropriate personnel receive training in use +of portable fire extinguishers and blankets. +4. Ensure that staff has instructed all students in safety +standards and procedures, including School Safety Plan. + + +Page 2: +Superintendent’s Circular FSE-06 +Page 2 of 23 + + + +5. Post building evacuation procedures in classrooms, offices, +and corridors. +6. Review and evaluate safety procedures in shops and +laboratories (refer to Safety Check List attached). +7. Conduct quarterly fire drills (refer to Superintendent's +Circular FSE-2 Fire Safety Practices). +8. Develop emergency procedures in case of a serious accident +(refer to Superintendent's Circular FSE-05 Medical +Emergency Management). +9. Maintain adequate lighting and proper ventilation in shops, +laboratories, and classrooms. Report problems to Facilities +Management. +10. Ensure that food service training programs and/or student- +run restaurants comply with current sanitation code +regulations. +11. Be sure that teacher evaluations reflect the implementation +of safety standards and procedures. +12. Ensure that a "Right to Know" workplace notice is posted in +the school's shops/laboratories. +13. Ensure that all instructors working with toxic or hazardous +substances receive training as specified in Chapter 111F of +the Massachusetts General Laws. +14. State safety regulations within your school-based rules. +15. Make Material Safety Data Sheets available. +RESPONSIBILITIES OF TEACHERS +1. Practice safety procedures; the teacher serves as the +model for the students). +2. Set up and maintain shop or laboratory to permit free, +unobstructed movement of students at benches, around +equipment and machines, and to allow egress from the + + +Page 3: +Superintendent’s Circular FSE-06 +Page 3 of 23 + + + +area. +3. Report all lighting and ventilation problems to the head +of school/principal. +4. Develop emergency procedures to follow in case of an +accident (refer to Superintendent’s Circular FSE-5 Medical +Emergency Management). +5. Post safety rules and safety hazards conspicuously in +appropriate areas; contact the Department of Vocational +Technical Education for translation of safety rules into +appropriate language(s). + +6. ENFORCE SCHOOL-BASED RULES WHICH ADDRESS +SAFETY. +7. Supervise students at all times. Under no circumstances +shall a teacher leave students unsupervised in a +laboratory or shop area. If an instructor must leave the +shop in an emergency, they must: +a. Arrange for a qualified teacher as replacement OR +b. Relocate students to a properly supervised area. +c. Lock laboratory/shop area. +d. Shut off equipment. +8. Check fire protection equipment weekly. +9. Know the location of the closest fire extinguisher. +10. Maintain a first aid kit in an easily accessible area. +11. Check machinery/equipment weekly to make sure safety +guards are in place and working properly. +12. Check any gas-burning equipment daily for gas leaks. +13. If anyone detects the smell of gas, shut off the gas source +before reporting the problem to your supervisor. +14. Maintain a dated, self-evaluation safety inspection +checklist. Safety program checklist forms are available +from the Department of Career and Technical Education. + + +Page 4: +Superintendent’s Circular FSE-06 +Page 4 of 23 + + + +15. Use the building safety committee as a resource for +student safety plans. +16. Present each student with a copy of the shop's safety +rules and procedures. +17. Teach safety as an integral part of each job or lesson by: +a. Testing students on their knowledge of safety rules +and procedures. +b. Using objective tests to emphasize shop safety. +c. Checking student mastery of safe methods and safe +practices. +d. Testing students’ handling of tools, operation of +machines, use of equipment, and trade practices, all +with a focus on safety. +e. Having a student sign their written test as indication +they understand safety rules and procedures. +f. Filing signed written tests in the student's folder as a +permanent record. +18. Know location of AED and qualified operations. +19. Avoid shop accidents by insisting that students dress +properly for the laboratory/shop. Each student shall: +a. Wear shoes with low or flat heels and substantial +soles, or wear work shoes where mandated. +b. Wear head covering, pin up hair, or tie hair back. +c. Wear eye protection devices as per M.G.L. c.71, s.55C. +d. NOT wear loose-fitting clothes which could get +caught in moving equipment. +e. NOT wear rings, bracelets, or necklaces which could +get caught in moving machinery parts. +20. Supervise students at all times. Under no circumstances +should an unsafe piece of equipment be operated. +Disconnect or remove the fuse to ensure that an + + +Page 5: +Superintendent’s Circular FSE-06 +Page 5 of 23 + + + +accident will not occur. +21. Insist that visitors to your area wear safety equipment +(eye protection, etc.). +22. Shut off all machines, store all equipment, and shut off +lights before closing the laboratory/shop for the day. +23. Make sure that soap and towels are replenished as +needed. +24. Establish a foolproof system for dispensing and securing +tools. +25. Designate storage for tools to prevent accidents. +26. Lock up hazardous materials and equipment in +approved containers when not in use. +27. Keep machinery and equipment in good condition; +conduct monthly inspections. +28. Submit appropriate requisition(s) to paint hazardous +machinery parts and safety switches in conspicuous +colors. +29. Submit appropriate requisition(s) to secure safety mats +to the floor around machines to prevent slipping. +30. Check the emergency disconnect switch (PANIC +BUTTON) to ensure proper operation. +31. Dispose of oily waste and rags in designated containers. +32. Ensure that food service training programs and/or +student-run restaurants comply with current sanitation +code regulations. +RESPONSIBILITIES OF NURSES +1. Help students and teachers obtain necessary health +screening, where required, for admission to occupational +programs (e.g., food service/restaurant programs). +2. Administer first aid. + + +Page 6: +Superintendent’s Circular FSE-06 +Page 6 of 23 + + + +3. Evaluate the injury. +4. Notify student's parent/guardian. +5. Complete nurse's section of accident report. +6. If an accident is serious, in addition to above, implement +procedures documented in Superintendent's Circular +FSE-5 Medical Emergency Management. +ACCIDENT REPORTS +1. The instructor, nurse, and/or witness will fill out or assist in +filling out two separate accident reports: Occupational +Education Accident Report Form EE 111 (attached) and Pupil +Accident Report Form 201 (attached). +2. The principal/head of school will retain original Form EE 111 +in the school file and send a copy to the director of Career +and Technical Education, 75 Malcolm X Blvd., Boston, MA +02119. +3. The principal/head of school will retain Form 201 in the +school file and send a copy to the Department of Safety +Services, 213 Townsend Street, Dorchester, MA 02121. + +TECHNICAL ASSISTANCE +The Department of Career and Technical Education will provide +all schools with technical assistance in improving and +maintaining safety procedures. Facilities Management and Safety +personnel are available to coordinate fire prevention activities +and building inspections. Career and Technical Education staff +will perform continual safety inspections for +shops/laboratories/classrooms. +Contact: + + +Page 7: +Superintendent’s Circular FSE-06 +Page 7 of 23 + + + +Director of Career and Technical Education, 617-635-8970 +Director Safety / Emergency Preparedness, 617-635-8300 + +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + +ATTACHMENTS: +Form EEE 111 – Occupational Education Accident Report +Form 201 – Pupil Accident Report +Occupational Safety and Health: Safety Inspection Checklist + + + + + +Page 8: +Superintendent’s Circular FSE-06 +Page 8 of 23 + + + +FORM EE 111 +OCCUPATIONAL EDUCATION ACCIDENT REPORT + +Name of injured: _________________________________________________ +Grade: ________ Age: ________ +Parent's/guardian's name: ________________________________________ +Address: __________________________________________________________ + __________________________________________________________________ +Date of accident: ______________Time of accident: _________________ +Location of accident: _____________________________________________ +Description of accident: __________________________________________ + __________________________________________________________________ +State exact part of person injured and extent of injury: ___________ + __________________________________________________________________ +Emergency care was given by: ___________________________________ +Follow-up (check statements which apply): +☐ Pupil remained in school +☐ Parent/guardian notified +☐ Taken to nurse's office by _____________________________________ . + + +Page 9: +Superintendent’s Circular FSE-06 +Page 9 of 23 + + + +☐ Taken to hospital by ___________________________________________ +Name of doctor, if any ___________________________________________ +Witness to accident: ______________________________________________ +Person reporting accident: _______________________________________ +Signatures: +Person making this report: _______________________________________ +Person supervising activity/program _____________________________ +School nurse _____________________________________________________ +Principal/head of school _________________________________________ + +Report #: ___________________________ (to be filled in by the +building principal/headmaster) + +Reviewed by: _____________________________________________________ + +Director of Career and Technical Education + +NOTE: Retain original in principal’s/head of school’s office. Send +copy to the director of Career and Technical Education, 75 +Malcolm X Blvd., Boston, MA 02120. + + +Page 10: +Superintendent’s Circular FSE-06 +Page 10 of 23 + + + +FORM 201 +PUPIL ACCIDENT REPORT +(Section 225 of the Rules and Regulations) +All accidents involving injury to pupils on school premises or +while going to or from school must be reported on Form 201 to +the Department of School Safety Services, 213 Townsend Street, +Dorchester, MA 02121 no later than the day following the day of +the accident. This report is to be filled out in its entirety. A +duplicate copy of the Pupil Accident Report is to be retained by +the school principal. If possible, this report should be typewritten. +1. Student’s Last Name ___________________________________________ +First Name ____________________________Middle Initial ___________ +2. Address _______________________________________________________ + __________________________________________________________________ +3. School ________________________________________________________ +4. Student’s Age _________Sex ________Grade_____Room___________ +5. Name of Parent or Guardian (in full) ___________________________ + __________________________________________________________________ +6. Date of accident _________Time _______ A.M. ______ P.M. ________ + +7. Nature and extent of injury ____________________________________ + + + + +Page 11: +Superintendent’s Circular FSE-06 +Page 11 of 23 + + + +8. In case of dog bite, has a report been made to the Boston +Health Department? ☐ Yes ☐ No +8. Specific location of accident ___________________________________ +9. Teacher(s) in charge of location when accident occurred + __________________________________________________________________ +9. Teacher(s) in charge present at scene of accident? ☐ Yes ☐ No +10. Description of accident, including cause ______________________ + __________________________________________________________________ + __________________________________________________________________ +11. In the case of a shop accident, were all guards required by law +in use? ________________________________________________________ + If not, why not? _______________________________________________ + ________________________________________________________________ +12. In case of shop or laboratory accident, is the statement +required by Section 225 of the Rules and Regulations +attached? ☐ Yes ☐ No +If answer is no, state reason: ___________________________________ +13. To whom was the accident first reported? _____________________ +What action was taken by this person? ________________________ + ________________________________________________________________ +14. Were first aid supplies available? ☐ Yes ☐ No +15. Was any treatment administered? ☐ Yes ☐ No + + +Page 12: +Superintendent’s Circular FSE-06 +Page 12 of 23 + + + +Where? _______________________________________________________ +16. Did the pupil leave school (or place of accident)? ☐ Yes ☐ No +If so, to what destination? _____________________________________ +17. If transported by ambulance, attendant names, and unit #: + __________________________________________________________________ +18. Escorted to destination by whom? (An injured pupil should be +escorted by a responsible person) _____________________________ + __________________________________________________________________ +19. Names and addresses of witnesses: ___________________________ + __________________________________________________________________ + __________________________________________________________________ + __________________________________________________________________ +The accident report has been investigated and will be carefully +followed up. + __________________________________________________________________ +Signature of Safety Counselor + __________________________________________________________________ +Signature of Principal +Date of Report ___________________________________________________ +School ___________________________________________________________ +BOSTON PUBLIC SCHOOLS — VOCATIONAL, ADULT, + + +Page 13: +Superintendent’s Circular FSE-06 +Page 13 of 23 + + + +AND ALTERNATIVE EDUCATION +OCCUPATIONAL SAFETY AND HEALTH: SAFETY INSPECTION +CHECKLIST +School ______________________________________Level _______________ +Department ___________________Area __________Date _____________ +Inspection by __________________________Position _________________ +STUDENTS +YES NO N/A +1. Are they wearing proper eye protection? +☐ +☐ +☐ + +Comment: +2. Are they wearing proper footwear? + ☐ +☐ +☐ + +Comment: + +3. Are they properly dressed? + ☐ +☐ +☐ + +Comment: +4. Are they trained in safety procedures? +☐ +☐ +☐ + +Comment: +5. Do they have safe work habits? +☐ +☐ +☐ + +Comment: + + + + +Page 14: +Superintendent’s Circular FSE-06 +Page 14 of 23 + + + +STUDENTS (continued) +YES NO N/A +6. Are they wearing proper hearing protection? +☐ +☐ +☐ + +Comment: +7. Are hard hats provided and worn where any + +danger of falling objects? + +☐ +☐ +☐ +Comment: +8. Do they know how to properly and safely +use the tools? + +☐ +☐ +☐ + +Comment: +9. Are they trained in safety procedures? + ☐ +☐ +☐ +Comment: +10. Do students know what to do in emergencies? +☐ +☐ +☐ + +Comment: +WORK AREA +YES NO N/A +1. Is it clean and orderly? +☐ +☐ +☐ + +Comment: +2. Are exit lanes clear and marked? +☐ +☐ +☐ + +Comment: + + + + +Page 15: +Superintendent’s Circular FSE-06 +Page 15 of 23 + + + +3. Are materials neatly stored? +☐ +☐ +☐ + +Comment: +WORK AREA +YES NO N/A +1. Are tools safely stored? + ☐ +☐ +☐ + +Comment: +2. Are floors clean and dry? +☐ +☐ +☐ + +Comment: +3. Are hazard signs properly posted? +☐ +☐ +☐ + +Comment: + +4. Are floors non-skid? +☐ +☐ +☐ + +Comment: +5. Are compressed gas cylinders properly + +secured? +☐ +☐ +☐ + +Comment: + +DOORS +YES NO N/A +1. Are there an adequate number of exits? +☐ +☐ +☐ + +Comment: +2. Are exits properly marked with signs? +☐ +☐ +☐ + +Comment: + + + + +Page 16: +Superintendent’s Circular FSE-06 +Page 16 of 23 + + + +3. Is there an unobstructed and clear way to + +all doors? +☐ +☐ +☐ + +Comment: +Are fire doors (automatic/self-closing) in + +operable condition? +☐ +☐ +☐ + +Comment: + +EYEWASH - EMERGENCY SHOWERS + YES NO N/A +1. Are there washing facilities available where +students are exposed to corrosive materials, + +flying chips, or dust? +☐ +☐ +☐ + +Comment: +ELECTRIC DEVICES +YES NO N/A +1. Are all outlets and switches in good condition? +☐ +☐ +☐ + +Comment: +2. Are there any loose wires? +☐ +☐ +☐ + +Comment: +3. Are all outlets properly grounded? +☐ +☐ +☐ + +Comment: + + + + + +Page 17: +Superintendent’s Circular FSE-06 +Page 17 of 23 + + + +FIRE DRILLS +YES NO N/A +1. Are fire drill instructions (exit routes) posted? +☐ +☐ +☐ + +Comment: +2. Do alarms work properly? +☐ +☐ +☐ +Comment: +3. Are fire drill practices held frequently? +☐ +☐ +☐ +Comment: +4. Are staff members instructed in the use of + + +extinguishers and fire protection procedures? +☐ +☐ +☐ + +Comment: +FIRE EXTINGUISHERS +YES NO N/A +1. Are extinguishers mounted in a readily +accessible/visible location? +☐ +☐ +☐ + +Comment: +2. Was the extinguisher inspected during the + +past year (check inspection tag)? +☐ +☐ +☐ + +Comment: + + + + + +Page 18: +Superintendent’s Circular FSE-06 +Page 18 of 23 + + + +FLAMMABLE ITEMS +YES NO N/A +1. Is there more than one (1) shift or a one (1) day + + +supply of flammable liquid in the school shop + +area? + ☐ +☐ +☐ +Comment: +2. Are all flammable liquids (one day's supply +of oil, previously opened paint, gasoline, etc.) +sealed in fireproof containers away from +possible sources of ignition? +☐ +☐ +☐ +Comment: + +4. Is there an excess of flammables kept on the +premises? +☐ +☐ +☐ +Comment: +4. Are rags and other flammable items stored in a + +safe location? +☐ +☐ +☐ + +Comment: + +5. Are waste receptacles provided and are they +emptied regularly? +☐ +☐ +☐ +Comment: + + + + + +Page 19: +Superintendent’s Circular FSE-06 +Page 19 of 23 + + + +FIRST AID +YES NO N/A +1. Is a fire blanket and container mounted in a +readily accessible/visible location? + ☐ +☐ +☐ +Comment: + +2. Are first aid boxes in an accessible location? +☐ +☐ +☐ +Comment: + + +3. Are the supplies adequate for the type of +potential injuries in the shop? +☐ +☐ +☐ +Comment: + +4. Are all items sterile? +☐ +☐ +☐ +Comment: + + +5. Is there a staff member trained in first aid? +☐ +☐ +☐ +Comment: + +6. Are emergency numbers posted? + +☐ +☐ +☐ +Comment: + + + + + +Page 20: +Superintendent’s Circular FSE-06 +Page 20 of 23 + + + +HEATING +YES NO N/A +1. Are all heat dispersing units free from +obstruction and flammable materials? +☐ +☐ +☐ +Comment: + + +2. Is the heat in the shop adequate? +☐ +☐ +☐ +Comment: + +LIGHTS +YES NO N/A +1. Is lighting suitable for work being done? + +☐ +☐ +☐ +Comment: + + +2. Is there a back-up light in case of emergency +(battery-operated)? + + +☐ +☐ +☐ +Comment: + + + +MACHINERY AND TOOLS + + +YES NO N/A +1. Are safety guards in place? + + +☐ +☐ +☐ +Comment: + + +2. Are they properly cleaned and lubricated? +☐ +☐ +☐ +Comment: + + +3. Are there any dangerously worn parts? + +☐ +☐ +☐ +Comment: + + +4. Is there adequate space between machines for + + +Page 21: +Superintendent’s Circular FSE-06 +Page 21 of 23 + + + +working safely? + + +☐ +☐ +☐ +Comment: + + +5. Are there any electrical hazards? + +☐ +☐ +☐ +Comment: + + +6. Are hand tools and other equipment regularly +inspected for safe conditions? +☐ +☐ +☐ +Comment: + + + +POWER SHUT-OFFS + YES NO N/A +1. Are there emergency shut-offs? + + +☐ +☐ +☐ +Comment: + + +2. Do they work? + + +☐ +☐ +☐ +Comment: + + + +3. Are they checked each month? + + +☐ +☐ +☐ +Comment: + + + + + + +Page 22: +Superintendent’s Circular FSE-06 +Page 22 of 23 + + + +VENTILATION +YES NO N/A +1. Do all exhaust ducts terminate outside the +building? +☐ +☐ +☐ +Comment: + + + +2. Does tailpipe exhaust exit outside the building? +☐ +☐ +☐ +Comment: + + +3. Does this shop (welding, auto body, etc.) +require exhaust fans? + + +☐ +☐ +☐ +Comment: + + +4. Does this shop have exhaust fans, and do they +exhaust to the outside? +☐ +☐ +☐ +Comment: + + +5. Is the system sufficient with shop at full capacity? ☐ +☐ +☐ +Comment: + + + +RIGHT TO KNOW LAW + + +YES NO N/A +1. Is a workplace notice posted? + + +☐ +☐ +☐ +Comment: + + +2. Are containers labeled that contain toxic or +hazardous substances? + + +☐ +☐ +☐ +Comment: + + +3. Have the instructors been taught about the + + + +Page 23: +Superintendent’s Circular FSE-06 +Page 23 of 23 + + + +nature and effects of the MSL substances to +which they may be exposed in the workplace? +☐ +☐ +☐ +Comment: + + +4. Other: + + + +☐ +☐ +☐ +Comment: + + + + + + + + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-07 Public Health & Workplace Safety.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-07 Public Health & Workplace Safety.txt new file mode 100644 index 0000000..55d9522 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-07 Public Health & Workplace Safety.txt @@ -0,0 +1,283 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +FSE-07 +Version 01 + + + +PUBLIC HEALTH AND WORKPLACE SAFETY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +In the past, concerns have been raised over the potential use of +the U.S. Postal Service to conduct bioterrorist activity. In both +New York and in Washington D.C., contents of three or four +envelopes were tested positive for anthrax. In those cases where +positive results were recorded, public health authorities dealt +with this issue. +The purpose of this memorandum is to provide guidelines for the +handling of mail in the Boston Public Schools. In providing these +guidelines, it is important to note that we have been informed by +the Boston Public Health Commission that there have been no +confirmed anthrax cases reported in either the Boston Public +Schools or in the City of Boston. +Your School Emergency Operations Guide (flip chart) will serve as +an action reference on this subject. +GUIDELINES +The following guidelines are effective immediately and shall + + +Page 2: +Superintendent’s Circular FSE-07 +Page 2 of 9 + + +remain in place until otherwise ordered: +1. Every responsibility center should assign one person and a +backup person to sort and distribute mail. That person shall +be supplied with rubber gloves and plastic bags to be used +at their discretion. Training in the safe handling of mail will +be provided. +2. Techniques for safe handling of routine mail include the +following: +a. Examine all mail before opening to determine if it is +suspicious. +b. Isolate suspicious mail in a plastic bag. +c. Open mail with a letter opener over a hard cleanable +surface, holding the envelope upright so that the +contents will not spill out. +d. Examine the inside contents prior to removal. +e. Never shake or wave any mail or contents of +letters/packages. +f. Ensure that food or drinks are not in the area while +mail is handled. +3. All mail and packages sent to internal offices/departments +through the courier service should be sealed by the sender +and the name and return address of the sending office +clearly marked on the envelope/package. +4. Characteristics of suspicious letters and packages include +the following: +a. No return address. +b. Return address not matching city/state on the +postmark. +c. Stained, discolored mail or mail with an odor. +d. Excessive postage/excessive weight. +e. Lopsided or uneven envelope/packaging. + + +Page 3: +Superintendent’s Circular FSE-07 +Page 3 of 9 + + +f. Improper address, illegible or poorly written address. +g. Mail with visual threats on packaging materials. +h. Unexpected mail with an international postmark. +i. Ticking sound. +j. Any combination of the aforementioned +characteristics. +5. Suspicious mail or packages should NOT be opened or +jostled. It should be placed in a plastic bag and isolated for +inspection by the responsibility center manager. +6. If suspicious mail is already opened, it should be left on the +desk/table and should NOT be handled further. It is +suggested that it be covered with a plastic trash bag and +the immediate area closed off. Refer to items 8 and 9 and +follow the procedures outlined. +7. If any powder or suspicious substance spills out of the +envelope, cover it, close off and leave the immediate area, +wash your hands with soap and water and notify your +responsibility center manager. +8. When suspicious mail has been received, the responsibility +center manager should call 911 and notify the +Superintendent's Office. Our protocol does not call for +evacuation of the building unless so directed by public +safety officials. +9. All persons who handled suspicious letters/packages should +wash their hands with soap and water. +Attached for informational and review purposes are public health +fact sheets prepared by the Boston Public Health Commission. +Please keep this memorandum available for reference. + + +Page 4: +Superintendent’s Circular FSE-07 +Page 4 of 9 + + +ATTACHMENT A + +PUBLIC HEALTH FACT SHEET +Communicable Disease Control +1010 Massachusetts Ave, Boston MA 02118 +617-534-5611 +ANTHRAX +What is anthrax? +Anthrax is a disease caused by a bacterium called Bacillus +anthracis. Anthrax most commonly occurs in animals, but it can +also infect people. Anthrax has the potential to be used as a +biological weapon. In late 2001, terrorism related Anthrax cases +were found in Connecticut, New York City, New Jersey, Florida, +and Washington DC. +How is anthrax spread? +Anthrax can be spread by touching it (when there’s a cut on the +skin), breathing it in, or eating meat contaminated with Anthrax. +It is not contagious. An infected person cannot give it to others. +What are the symptoms of anthrax? +Symptoms of the disease vary depending on how the disease +was contracted, and usually occur within 7 days, but can take up +to 60 days to appear. + + +Page 5: +Superintendent’s Circular FSE-07 +Page 5 of 9 + + +• Cutaneous (skin form): Most anthrax infections occur when +bacteria enter the skin. The infection begins as a raised itchy +bump that resembles an insect bite, but within several days +develops into a blister. The blister ulcerates and forms a +black area in the center. With prompt treatment, the vast +majority of people recover fully. +• Inhalation: Initial symptoms may resemble the flu with +fever, chills, and muscle aches. After several days, the +symptoms progress to severe breathing problems and +shock. In the past, death occurred 1-2 days after the onset of +symptoms. However, during the recent outbreak of anthrax +in the United States, with prompt treatment more than half +of the people who developed inhalation anthrax survived. +• Intestinal: This form of anthrax occurs from eating +contaminated meat. Symptoms include nausea, loss of +appetite, vomiting, fever, and are followed by abdominal +pain, vomiting of blood, and severe diarrhea. +Can I acquire anthrax from another person? +Person-to-person spread of anthrax is not known to occur. Only +people directly exposed to anthrax spores could develop disease. +Is there an anthrax vaccine? +There is a limited amount of anthrax vaccine available in the +United States; however, most people are not routinely vaccinated +against anthrax unless they fall into a high-risk group such as +military personnel. The anthrax vaccine requires 6 shots over a +period of 18 months with follow-up shots. Anthrax vaccines +intended for animals should not be used in humans. + + +Page 6: +Superintendent’s Circular FSE-07 +Page 6 of 9 + + +Is there a treatment for anthrax? +Doctors can prescribe antibiotics that work against anthrax. To +be effective, treatment should be initiated early. If left untreated, +the disease can be fatal. In Massachusetts, all cases of suspected +anthrax are required to be reported immediately to local health +departments. In Boston, suspected cases should be reported to +Boston Public Health Commission at 617-534-5611. +For more information call the BPHC Bioterrorism Information +Line at 617-534-2362 or visit http://www.bphc.org + + + + +Page 7: +Superintendent’s Circular FSE-07 +Page 7 of 9 + + +ATTACHMENT B + +PUBLIC HEALTH FACT SHEET +Communicable Disease Control +1010 Massachusetts Ave, Boston MA 02118 +617-534-5611 + +BIOTERRORISM +What is Bioterrorism? +Bioterrorism is a form of terrorism in which infectious biological +agents, such as bacteria, viruses, or toxins are used (or are +threatened to be used) against another person to create fear and +disrupt normal daily activities. Use or threatened use of such +agents is a Federal crime and is thoroughly investigated by the +Boston Police Department, FBI, and other agencies. +What is the Boston Public Health Commission doing to prepare +for a possible bioterrorist event? +The Boston Public Health Commission (BPHC) has been +preparing for potential bioterrorism for several years. BPHC has +been working with health care providers and others in the city to +develop an early warning system for possible bioterrorist attacks. +This system will allow city officials time to implement steps to +prevent further illness. + + +Page 8: +Superintendent’s Circular FSE-07 +Page 8 of 9 + + +How will I know if I have been exposed to an infectious +biological agent? +Most bioterrorist threats to date have been hoaxes, so often +people only think they have been exposed to a bioterrorist agent. +If you suspect you have been exposed to a biological agent, notify +emergency personnel immediately by calling 911. Boston Police, +Fire, Emergency Medical Services, and Public Health Commission +will work together to collect and identify the suspect material. +If I actually were exposed to an infectious biological agent, what +symptoms should I look for? +Different viruses, bacteria, and toxins may be used as +bioterrorism agents, and each may cause different symptoms. +Often however, they resemble either the flu or food poisoning. +People who are exposed may experience fever, chills, headache, +body aches, and muscle weakness. Others may experience +coughing, diarrhea, abdominal cramping, nausea, and vomiting. +It is important to remember that these symptoms are common +of many illnesses and are not usually the result of bioterrorist +events. +How long would it take for symptoms to appear? +The length of time it takes for symptoms to appear can vary +greatly depending on the type of agent used. Symptoms can +appear between several hours to several weeks after exposure. + + + + +Page 9: +Superintendent’s Circular FSE-07 +Page 9 of 9 + + +What can be done if I am exposed to a biological agent? +For many of these agents, treatment is available. However, it is +very important for treatment to begin early. Therefore, if you +suspect you may have been exposed to one of these agents, see a +health care provider as soon as possible. + For more information call the BPHC Bioterrorism Information +Line at 617-534-2362 or visit the Boston Public Health +Commission, http://www.bphc.org. + +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-08 Safe Mode and Internal Threat Procedures .txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-08 Safe Mode and Internal Threat Procedures .txt new file mode 100644 index 0000000..e666c96 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/FSE-08 Safe Mode and Internal Threat Procedures .txt @@ -0,0 +1,465 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FSE-08 +Version 01 + + + +SAFE MODE AND INTERNAL THREAT PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Mandatory SAFE MODE drills are to be planned, conducted and +reviewed during September and January of each school year. Each +school should conduct two SAFE MODE drills every year. These +exercises are to be coordinated through your school superintendents. +A report on each safe mode drill must be documented on the Google +form, which can be found at the BPS Fire & Safety Drill Report. If you +have any questions, please contact the BPS Office of Emergency +Management. + +These drills will help prepare the school community for any real life +situation that may occur. + +During any real-life situation: +● Call 911 as soon as you can do so safely. +● Call the Department of Safety Services at 617-635-8000, after +calling 911, if you can do so safely. + +Objectives of SAFE MODE drills: +● Staff will be able to describe what SAFE MODE is and their +responsibilities during a SAFE MODE event. +● Staff will have the opportunity to have their questions +concerning SAFE MODE heard and answered. + + +Page 2: + +Superintendent’s Circular FSE-08 +Page 2 of 13 + +● Staff will have the opportunity to raise potential concerns that +have not yet been addressed to assist in better anticipating +issues during SAFE MODE situations. + +DEFINITIONS AND PROTOCOL FOR ACTUAL EVENTS + +SAFE MODE (External Threat) +SAFE MODE is a protective action used to safeguard faculty, staff, +and students from an external threat as a result of law enforcement +activity near the school or a potentially dangerous situation near the +school. Schools will typically be placed into SAFE MODE by the +Boston Police Department or BPS Safety Services, but each school +can enter SAFE MODE on its own. + +Examples of reasons why schools go into SAFE MODE: +● Police activity around or near your building +● Shooting outside your building +● Fire or accident near your building + +How will you know when you are in SAFE MODE? +The Principal/Head of School, Site Coordinator or designee will +announce the following via intercom and/or using the school safety +team: + +"Attention faculty and students: We are now in SAFE MODE. +Remain in your classroom. If you are in the hallway, stairs, or +lavatory, move into the nearest classroom. Do not leave the room +until told to do so, even if an alarm sounds." + + + +Page 3: + +Superintendent’s Circular FSE-08 +Page 3 of 13 + +NOTE: The Principal/Head of School, Site Coordinator or designee +will also be alerting Safety Services and calling 911 to alert them +that they are in SAFE MODE if not a drill, as mentioned above. + +What should faculty and staff do upon notification of SAFE MODE? +1. If you see, hear, or observe a potential threat outside your +building, bring all students and staff back into the building +immediately and initiate SAFE MODE and notifications. +2. Depending on the circumstances and the direction of the +Principal/Head of School, Site Coordinator or their designee, +learning activities may continue during a SAFE MODE. If +continuing learning activities, be sure the volume in the room +is low enough to hear further announcements. +3. Check the hallways for people nearby and bring them into the +classroom. +4. Check adjacent classrooms through interior doors for +unsupervised students. +5. Lock the classroom door. +6. Be prepared to barricade your doors, cover large door windows +using any available resources (e.g., large paper or felt), and close +the windows and shades (if you have them). Turn the lights off +and silence cell phones, radios, Tv and any other source of noise +as necessary. +7. Be prepared to move students away from windows and doors +and stay in your safe location. +8. Take attendance. Verify the missing and extra people in your +room. Write the names on a sheet of paper and wait for +someone to contact you for that list (may be by intercom or in +person). + + +Page 4: + +Superintendent’s Circular FSE-08 +Page 4 of 13 + +9. Ramain with your students in the classroom until further +instructions are given. +10. Only use the intercom to notify the main office of emergencies +or special needs. +11. SAFE MODE ends only when the principal/head of school, site +coordinator or designee announces it via intercom or through +door to door notifications. + +What will the safety team be doing during SAFE MODE? +1. Administration will make sure exterior doors are locked. +2. Floor captains will check classrooms and lock bathrooms. +3. Administration will notify all staff via the public address system +of the situation. +4. Administration will notify Safety Services and their school +superintendent if they are in an actual SAFE MODE. They will +notify their school superintendent if they will be conducting a +SAFE MODE drill. +5. Administration or police will monitor cameras. +6. Administration or police will monitor the entire school to make +sure no one is in the hallways or leaving or entering the +building. +7. Administration will work with BPS Communications to send a +notice to all families within a short time after the incident when +the situation is clear. + +Preventative Safe Mode: This version of SAFE MODE can be used to +stop motion in the building under certain circumstances to resolve +an internal issue (e.g., lost children, student/adult behavior, K9 +search, etc.). + + + +Page 5: + +Superintendent’s Circular FSE-08 +Page 5 of 13 + +How will you know when you are in PREVENTATIVE SAFE MODE? +The Principal/Head of School, Site Coordinator or designee will +announce the following via intercom and/or using the school safety +team: + +"Attention faculty and students: We are now in PREVENTATIVE SAFE +MODE. Remain in your classroom. If you are in the hallway, stairs, or +lavatory, move into the nearest classroom. Do not leave the room +until told to do so, even if an alarm sounds." + +If schools want to conduct internal threats drills, they should only do +so with staff. No students should be involved in an internal threat +drill. If there are concerns about these drills or procedures, they +should only be discussed with staff. + +INTERNAL THREAT (Interior) +INTERNAL THREAT will be announced if there is any person in the +building who is looking to cause harm to people. If an internal threat +is in the building, all occupants should use the AVOID, DENY, +DEFEND (formerly RUN, HIDE, FIGHT) model to protect themselves +and anyone in their care. During this situation, occupants should use +their own judgment to determine what they will do. + +Examples of an INTERNAL THREAT are: +● Unknown or unidentified people in your building wandering +around +● Out of control parent/family member +● Person with a weapon in the building +● Person shooting in your building + + + +Page 6: + +Superintendent’s Circular FSE-08 +Page 6 of 13 + + +How will I know when we have an INTERNAL THREAT? +The Principal/Head of School, Site Coordinator or designee will +announce the following via the school intercom (and call 911 if not a +drill): + +“Attention faculty and students: there is an INTERNAL THREAT +(AVOID, DENY, DEFEND).” + +What will be happening on campus during an INTERNAL THREAT +situation? +1. No one will be in hallways. +2. Anyone with information on the threat should be calling 911 to +alert police of the situation. +3. Occupants will be using the AVOID, DENY, DEFEND protocol +to decide their actions: +● AVOID (RUN) pay attention to your surroundings, know +your exits if you know it is safe to do so: get as far away +from the building or source of threat as you can (you should +not be able to see the building/threat from where you have +run to). If it is safe to do, call 911, call the School Leader and +Safety Services at 617-635-8000. Cautiously alert people +around you if possible. +● DENY (HIDE) if you cannot run: barricade where you are (if +you can) and stay out of sight of the threat,lock the door, +turn off the light. Silence your phone, radios, tv and/or any +other source of noise. +● DEFEND (FIGHT) If you cannot Avoid or Deny be prepared +to defend yourself. If fighting is your last resort and the +threat is in your space and is going to hurt you or people + + +Page 7: + +Superintendent’s Circular FSE-08 +Page 7 of 13 + +you are with, find something to fight (laptop, chair, fire +extinguisher or any other available resources). +All staff should consider what to do during an internal threat on a +regular basis. HAVE A PLAN! + +HELPFUL HINTS: “KNOW YOUR SPACE” +● Know all available egress (EXIT) points if you ever need to +AVOID (RUN). +● Know what you can use to barricade your door(s) and conceal +yourself from sight if you ever need to DENY (HIDE). +● Know what you can use to DEFEND (FIGHT) if fighting is your +only option (fire extinguisher, chair, laptop, etc.). +● The goal of both SAFE MODE and INTERNAL THREAT is to take +cover and conceal yourself and your students from the active +assailant. Covering glass (with large paper, shades, etc), +shutting off lights, staying quiet (silence your phone, radios, +TV or any other source of noise) and moving into a position of +concealment is key. + + +POLICE RESPONSE: “KNOW WHAT TO EXPECT” +● Law enforcement priorities: +1. Neutralize the shooter +2. Stop the bleed of the first critical victim they encounter +(only if the shooter is not in the immediate location. This is +a new protocol.) +● When police arrive, follow their commands, show the palms of +your hands, don’t move quickly. +● BPD policy is that plainclothes officers can respond to an active +assailant, help may not be in uniform. + + +Page 8: + +Superintendent’s Circular FSE-08 +Page 8 of 13 + + + +DEFINITIONS AND PROTOCOL FOR SAFE MODE DRILLS + +How to conduct a Safe Mode Drill at your school? + +Identify a Safety Team if you have not already done so (Refer to +Safety Contingency Plan FSE-01). This Safety Team should include +the School Leader, Assistant School Leader, Site Coordinator, +Secretary, Custodian or designees. Please review FSE-01 page 24 +for guidance. + +The Principal/School Leader, Site Coordinator or designee must +ensure that staff receive and understand proper instructions on +the safe mode drill procedure. Students should also be informed +of the procedure in order to align expectations prior to the drill. +The drill must be recorded on this form. + +Prior to the Drill: +Confirm the Plan: School Leader/Site Coordinators or designee +will review the Safe Mode and Internal Threat Procedures, +including the various situations and levels of Safe Mode (ie +external threat/ medical issue/ internal threat) with staff. Select +the date of the drill and coordinate roles and responsibilities +during and after the drill. + +Day of the drill: +Just in Time Training: School Leaders/Site Coordinators or +designee will instruct staff to review Safe Mode and Internal +Threat Procedures ensuring everyone knows their roles + + +Page 9: + +Superintendent’s Circular FSE-08 +Page 9 of 13 + +(Students/Staff). Also staff should confirm window covers are +available (shades/blinds/paper/boards, etc) and classroom doors +can lock properly from the exterior. Familiarize yourself with the +system used to warn you to go into Safe Mode, this may be the +public address system, if available, an intercom system, phones +or radios. If the only method to communicate within the school +is the bell system, note the warning bell system used to warn +everyone to Safe Mode. +*Listen carefully for instructions* +Conducting Safe Mode Drill: +1. Inject: Safe Mode ANNOUNCEMENT is made via the PA, with +the support of radios to areas where the PA does not reach. +2. Staff and students go inside the building into the nearest +classroom immediately if they are not already. +3. Staff check the hallways for other staff/students nearby and +bring them into the classroom. +4. Staff check adjacent classrooms through interior doors for +unsupervised students. +5. Lock the classroom doors. +6. Close and lock the windows. +7. Be prepared to barricade your doors, cover large door windows +using any available resources (e.g., large paper or felt), and +close the windows and shades (if you have them). +8. Move students away from windows and doors and stay in your +current location. +9. CONDUCT AN ACCOUNTABILITY SURVEY Verify the missing +and extra people in your room. Write the names on a sheet of +paper and wait for someone to contact you for that list (may +be by intercom or in person). + + +Page 10: + +Superintendent’s Circular FSE-08 +Page 10 of 13 + +10. Stay with your students in the classroom until further +instructions are given. +11. Only use the intercom to notify the main office of emergencies +or special needs. +12. Silence all cellular devices. +13. Shut off the lights. + +IF THE FIRE ALARM SYSTEM SOUNDS: +● Evacuate if there are visible signs of fire. +● Await instructions if there are no signs of fire. + +14. ALL CLEAR/ RETURN TO SCHOOL +School Leader, Assistant School Leader, Site Coordinator, +Secretary, Custodian or designee announces ALL CLEAR via +intercom or through door to door notifications. +Action: Staff return to normal classroom activities. +15. School Leader, Site Coordinator or designee reports the drill +on this form. If you have any problem with this link, please +contact the OEM Team for assistance. + +Note: Learning activities may continue during a SAFE MODE drill, +unless you are instructed otherwise by the Principal/School Leader, +Site Coordinator or designee. If continuing learning activities, be +sure the volume in the room is low enough to hear further +announcements. + +IMPORTANT REMINDER: The BPS Office of Emergency +Management is available to support schools drills as well as +facilitating tabletop exercises or functional tests of school buildings +plans and protocol. Please contact us for more information. + + + +Page 11: + +Superintendent’s Circular FSE-08 +Page 11 of 13 + +All staff should view the following video from the Ohio State +University, to obtain important additional information that will be +helpful in the event that an incident occurs at the school or another +location. +For more information about this circular, contact: +Owner: +Director of Emergency Management and +Preparedness +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(857) 701-9404 +Email: +Operations-Department- +Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + + + + + + + + + + + + +(Updated 7.29.2024) + + +Page 12: + +Superintendent’s Circular FSE-08 +Page 12 of 13 + +BPS Safe Mode Announcement Scripts (English) +Safe Mode (External Threat/ Danger Outside of the School) +Announcement: +"Attention faculty and students: We are now in SAFE MODE. Remain in your classroom. +If you are in the hallway, stairs, or lavatory, move into the nearest classroom. +Do not leave the room until told to do so, even if an alarm sounds." + +Preventative Safe Mode (ex. Missing Student/ Medical Emergency) +Announcement: +"Attention faculty and students: We are now in PREVENTATIVE SAFE MODE. +Remain in your classroom. If you are in the hallway, stairs, or lavatory, move into the nearest classroom. +Do not leave the room until told to do so, even if an alarm sounds." + +Internal Threat (Active Shooter/ Armed Intruder Inside) +Announcement: +“Attention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).” + +Know Your Space. Get Safe Before You Call 911. +Cover versus Concealment. +Silence is Golden. +BPS Office of Emergency Management updated 7/2024 + + +Page 13: + +Superintendent’s Circular FSE-08 +Page 13 of 13 + +BPS Guía para anunciar el “modo seguro”(Spanish) +Modo seguro (amenaza externa/peligro fuera de la escuela) +Anuncio: +"Atención profesores y estudiantes: ahora estamos en MODO SEGURO. Permanezcan en su salón de +clases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más cercano. No salga +del salón hasta que se le indique, incluso si suena una alarma". + +Modo seguro preventivo (por ejemplo, estudiante desaparecido/emergencia médica) +Anuncio: +"Atención profesores y estudiantes: Ahora estamos en MODO SEGURO PREVENTIVO. Permanezca +en su salón de clases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más +cercano. No salga del salón hasta que se le indique, incluso si suena una alarma". + +Amenaza interna (tirador activo/intruso armado en el interior) +Anuncio: +“Atención profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).” +Conozca su espacio. +Antes de llamar al 911, asegúrese de no estar en peligro (busque un lugar seguro con precaución) +El silencio es oro. + +Oficina de Manejo de Emergencia de BPS 7/2024 + + diff --git a/data/data_txt1/Fire Safety & Emergency Management (FSE)/HRS-HS02 Job Sharing for Permanent Teachers and Paras.txt b/data/data_txt1/Fire Safety & Emergency Management (FSE)/HRS-HS02 Job Sharing for Permanent Teachers and Paras.txt new file mode 100644 index 0000000..3b25be8 --- /dev/null +++ b/data/data_txt1/Fire Safety & Emergency Management (FSE)/HRS-HS02 Job Sharing for Permanent Teachers and Paras.txt @@ -0,0 +1,175 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS02 +Version 01 + + + +JOB SHARING FOR PERMANENT TEACHERS AND +PARAPROFESSIONALS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Office of Human Resources accepts job-sharing applications +through the online forms included in this circular. Please note +that employees will be required to sign in with their Boston +Public Schools Gmail account. These links will also be made +available through BTU and paraprofessional representatives, the +Boston Public Schools website, and the Superintendent’s +Bulletin. +Boston Public Schools has agreed to provide job-sharing +opportunities to permanent educators (1) and paraprofessionals +who desire to split a position with another staff member in their +building. +CONDITIONS FOR JOB SHARING +The following are the conditions under which employees are +permitted to share jobs: + +1() This includes nurses, COSE, and other BTU educators with +permanent status. + + +Page 2: +Superintendent’s Circular HRS-HS02 +Page 2 of 5 + + + +1. Participation in job sharing requires approval by the +principal//head of school. The principal/head of school +should submit their approval to the Office of Human +Resources via the online form below. +2. All participants in the job-sharing program will be required +to jointly plan their program so as to provide programmatic +integrity and continuity. The principal/head of school must +approve such plans. +With the approval of the principal/head of school, teachers +or paraprofessionals may structure their program in the +following two options: +a. Both teach for one-half day +b. Both teach for one-half week +► Job share participants may not split the school year +with their job share partner in order to work for only +half of the school year. Job share participants also +may not split the teaching bimonthly or biweekly. +3. All participants in the job-sharing program will be required +to attend all "Early Release Time" in-service meetings, all +professional days, and parent conferences. If the job share +takes place in a designated Extended Learning Time school, +both teachers/paraprofessionals are expected to participate +in ELT. +4. The two teachers participating in a joint assignment/job +sharing will meet with one another once each marking +period, at the discretion of the principal/head of school, to +assess and improve the job sharing program. These + + +Page 3: +Superintendent’s Circular HRS-HS02 +Page 3 of 5 + + + +meetings may be held on early release or professional +development days. +All parties recognize that at times it may be necessary for +the two teachers and the principal/head of school to meet +for the purpose of addressing problems which may arise in +the implementation of job sharing at an individual school. +Such meetings, if necessary, shall be scheduled at a time +that is mutually agreeable to all parties. +5. Teachers and paraprofessionals participating in the job- +sharing program will receive the following compensation +and benefits: +a. Compensation shall be one-half of salary entitlement. +b. Sick leave shall be one-half of annual entitlement. +c. Personal days shall be one-half of annual entitlement. +d. Health insurance premium and health and welfare fund: +full contribution +e. Seniority accrual: full credit +f. Attachment rights for one-year to former position +6. Teachers participating in job-sharing must hold a valid DESE +license for the position. No exceptions will be made. +7. Each participant in the job-sharing program will be asked to +enter into a binding agreement committing to the year-long +assignment. +8. Participants must submit new job-sharing applications each +year. Continuation of a job-sharing pairing for the next +academic school year will be subject to a favorable review +by all parties. + + +Page 4: +Superintendent’s Circular HRS-HS02 +Page 4 of 5 + + + +TO INDICATE INTEREST IN JOB SHARING +Permanent teachers or paraprofessionals who wish to indicate +their interest in job sharing should submit a request using the +online form shown below. The submission of an application only +serves an indication of interest and is not binding. The application +must be submitted via the online form no later than 5:00 p.m. on +March 25, 2025. +Please note: Applicants are responsible for making all job-sharing +arrangements, including finding a colleague with whom to job- +share. The Office of Human Resources does not assist with +making job-sharing arrangements. If you are unable to find a +partner, your request to job share will be denied. +2024-25 ONLINE FORMS +The Office of Human Resources now accepts job-sharing +applications online. Candidate applications for job share as well +as principal/head of school approval can be submitted through +the links below. Please note that employees will be required to +sign in with their Boston Public Schools Gmail account. These +links will also be made available through BTU and +paraprofessional representatives, the Boston Public Schools +website, and the Superintendent’s Bulletin. +Job Sharing Request: +Applicant Form +Each applicant interested in Job Sharing +must submit their own form by March +25, 2025. Principals/heads of schools +must submit the form below for +approval. + + +Page 5: +Superintendent’s Circular HRS-HS02 +Page 5 of 5 + + + +Job Sharing Request: +Principal Approval +Form +Principals/heads of schools must submit +this form to approve a job share request +by April 15, 2025. + +FOR MORE INFORMATION ABOUT JOB SHARING +There will be an informal meeting at the Boston Teachers Union +in Winter 2025 for teachers and paraprofessionals who are +interested in obtaining more information about job sharing. +For more information about this circular, contact: +Owner: +School-Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington St., Roxbury, MA 02119 +Phone: +617-635-9600 +Additional +Questions: +Please submit an HR Inquiry Ticket via +the Beacon. This can be found on Access +Boston. + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Food and Nutrition Services (FNS)/FNS-02 Emergency Meal Procedures.txt b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-02 Emergency Meal Procedures.txt new file mode 100644 index 0000000..b4cdb1a --- /dev/null +++ b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-02 Emergency Meal Procedures.txt @@ -0,0 +1,269 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-02 +Version 01 + +1 +EMERGENCY MEAL PROCEDURES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + In the event of an unforeseen emergency, school staff must +adhere to the following procedures to ensure meals are made +available to students in a safe and timely manner. “Emergency” is +defined as equipment breakdown, weather, facility issues, etc. or +a situation that prevents staff from serving safe meals during the +allotted mealtimes scheduled. The procedures are: +1. Principal or custodian should inform onsite food service +personnel that there is an emergency preventing the service +of meals and approximately how long the emergency will +last. Often this is difficult to assess. However, if the +emergency is anticipated to be longer than 60 to 90 +minutes after the start of the school day, alternative meal +service plans need to be made to ensure students receive +meals in a safe and timely manner. +2. The Food and Nutrition Services Department should be +informed immediately. The phone number is 617-635-9144. +The onsite Food Services Staff should also contact their +respective field coordinator. +3. Once the Food and Nutrition Services Department is +notified about the emergency, a contingency plan that + + +Page 2: +Superintendent’s Circular FNS-02 +Page 2 of 9 + +includes an alternate menu, mealtimes, or location will be +jointly decided upon. A substitute emergency meal (shelf- +stable) which meets regulations may be provided if the +emergency prevents access to the kitchen. +4. If there is an emergency just before lunch, the onsite Food +Services staff should be notified immediately. If needed, +appropriate arrangements will be made to ensure students +are fed quickly and efficiently. Food and Nutrition Services +may need to provide an alternative meal, depending on the +emergency. Delays may be expected. All staff should be +flexible and patient. +5. When and if the administration makes the decision to send +the student body to another school or alternative location, +the Food and Nutrition Services Department needs to be +notified immediately to ensure food is available at the new +location. +6. This plan of action is dependent on cooperation from +everyone. +7. During a declared state of emergency, the attached +instructions will be followed to issue USDA commodities. + + + + +Page 3: +Superintendent’s Circular FNS-02 +Page 3 of 9 + +For more information about this circular, contact: +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9158 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 4: +Superintendent’s Circular FNS-02 +Page 4 of 9 + +MASSACHUSETTS PLAN FOR UTILIZATION OF USDA DONATED +FOODS FOR DISASTER RELIEF +1. Purpose: The purpose of this plan is to establish the +procedure for obtaining the United States Department of +Agriculture (USDA) donated commodities in Massachusetts +during a presidential disaster. +2. Background: The Secretary of Agriculture is responsible for +ensuring that adequate stocks of food are available for +group feeding or household distribution in any area +suffering from a major disaster or emergency. During a +disaster, food that has been purchased by the USDA for use +in the state's food programs is made available to disaster +organizations in that state. Food that is stored in school or +state warehouses can be used immediately. The USDA will +replace this food. +3. General: +• USDA donated foods will not be distributed to +individual families except when the Secretary of +Agriculture determines that the commercial channels +of trade have been disrupted because of the +emergency caused by a disaster. +• In Massachusetts, USDA foods (which become the +property of the Commonwealth) are distributed by the +Massachusetts Department of Elementary and +Secondary Education, Nutrition Programs and Services, +75 Pleasant Street, Malden, MA 02148-4906. +• Contact should be made with the local authorities to +establish a plan to procure these items. All foods are +free of charge to the Red Cross. There may be a small + + +Page 5: +Superintendent’s Circular FNS-02 +Page 5 of 9 + +service charge for handling. +• Food items are also stored in bulk in four warehouses +throughout the Commonwealth. In the event sufficient +foods are not available in the schools, they may be +requested by the school lunch personnel through their +channels or through the American Red Cross Mass Bay +Chapter office. +• Transportation needed to move the food to the disaster +area is not available from the Department of +Elementary and Secondary Education. It is +recommended that chapters develop local +contingency plans. The key to prompt and efficient +transportation of these foods is prior planning by the +chapter. +• Food will be released when the President has declared +a disaster area, or when the Commonwealth has +requested a declaration. They will also be released +upon request of Red Cross or governmental authorities +when a disaster appears to be imminent, people being +evacuated, or mass feeding is needed for a substantial +number of dislocated families and individuals. +4. Procedure for obtaining USDA donated foods for Red Cross +mass feeding: +• When the feeding is being done by school lunch +personnel: +o They will make food available from their supply. +o When additional foods are required, they will +request them. + + +Page 6: +Superintendent’s Circular FNS-02 +Page 6 of 9 + +• When the feeding is being done by other than school +lunch personnel, the Red Cross will make its request +through the Mass Bay office of the Red Cross. It will +include a synopsis of the disaster situation and the +estimated amounts and kinds of food commodities +required. +• The nearest warehouse or other facility will be +instructed to release the food. +• The Red Cross will dispatch the necessary +transportation to pick up the foods. +• In all instances, temporary receipts will be signed, +followed by more formal procedures. +5. Procedures for returning used foods: +• If a large amount of food is to be returned, the +Department of Elementary and Secondary Education +will send an agent to the Red Cross to arrange the +details of the return. If only a small amount is to be +returned, the Red Cross will be instructed to turn it +over to the designated school in the area. In either +case, the Red Cross should obtain and file a receipt for +the returned food. +6. Procedure for reporting on USDA donated foods: +• After mass feeding is completed, the Red Cross will be +advised on the information necessary to enable the +Department of Elementary and Secondary Education +to report on commodities distributed for disaster relief, +including certification that all food products were used +in accordance with existing regulations and used for +mass feeding. + + +Page 7: +Superintendent’s Circular FNS-02 +Page 7 of 9 + +• The program for use of USDA donated foods in the +disaster will be considered completed when all unused +food has been returned and the above report has been +submitted. +American Red Cross: +Liberty Black +Director of Disaster Services +Mass. DESE: +Robert M. Leshin +Director, Office for Food and Nutrition Programs + + + + + +Page 8: +Superintendent’s Circular FNS-02 +Page 8 of 9 + +MASSACHUSETTS DEPARTMENT OF ELEMENTARY AND +SECONDARY EDUCATION +75 Pleasant Street, Malden, Massachusetts 02148-4906 + +Telephone: (781) 338-3000 +TTY: N.E.T. Relay 1-800-439-2370 +MEMORANDUM +To: +All School and Child and Adult Care Food Program +Sponsors +From: + Kathleen C. Millett +Former Executive Director, Office for Nutrition, Health +and Safety Programs +Date: + January 26, 2015 +Subject: Procedures for Using USDA Foods During an +Emergency +In the case where a school or childcare setting is officially +designated as an emergency shelter, USDA Foods may be +replaced. This memorandum serves to identify the process to use +the USDA Foods and request replacement. After approval from +this office, USDA donated foods will be made available to the +American Red Cross or public schools for feeding in a congregate +setting. The following steps are to be used to receive food +assistance for food services during an emergency declaration. +First, contact Marion Browning of the food distribution section at +mbrowning@doe.mass.edu or 781-338-6460, email is preferred, +with your immediate food needs, along with the estimated +number of meals to be served. If you are unable to reach Ms. + + +Page 9: +Superintendent’s Circular FNS-02 +Page 9 of 9 + +Browning, please email me at kmillett@doe.mass.edu or 781-338- +6479. Include the following information to the extent possible: +• Description of major disaster or emergency situation. +• Number of people requiring meals and congregate meal +service period. +• Quantity and types of food needed for congregate meal +service. +• Number and location of sites providing congregate meal +service. +Once the request for donated foods is approved, you may use any +USDA donated foods available at your school. After the crisis has +passed, please report the following information to the +commodity distribution section: +• Amount of USDA commodities actually utilized. +• Number of days of the meal service and number of meals +actually served (i.e., 2,000 persons, three meals per day for +five days). +We will make every effort to replace the value of USDA donated +foods used with inventory from our warehouse. + + diff --git a/data/data_txt1/Food and Nutrition Services (FNS)/FNS-03 Competitive Foods Guidelines.txt b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-03 Competitive Foods Guidelines.txt new file mode 100644 index 0000000..f9fc5d1 --- /dev/null +++ b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-03 Competitive Foods Guidelines.txt @@ -0,0 +1,671 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-03 +Version 01 + +FOOD AND NUTRITION POLICY ON COMPETITIVE FOOD +AND BEVERAGES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +These guidelines will cover food and beverages that are sold, +provided, or served to students within school buildings or on +school grounds, in the student stores, cafeterias, classrooms, +hallways, and vending machines, all of which are sold outside of +(i.e., in competition with) the federally funded School Meal +Program. These guidelines also apply to fundraisers, classroom +activities, and school events. This includes food and beverages +supplied by schools during official transportation to and from +school and district-sponsored activities, including but not limited +to field trips and interscholastic sporting events where the school +is the visiting team. See the Implementation Guidelines section +for details. +INTRODUCTION +In response to continuing concerns regarding childhood +overweight and obesity as well as other diet-related diseases in +our city’s school-aged children, the Boston School Committee +has approved the following policy language regarding beverages +and food in schools. + + +Page 2: +Superintendent’s Circular FNS-03 +Page 2 of 21 + +These guidelines were first adopted on July 1, 2004, and were +implemented with the start of school in September 2004. They +were updated in April 2011 and June 2015 to take into +consideration new federal and state nutrition guidelines that +impact the overall health and wellness of our students and staff, +specifically the Healthy Hunger-Free Kids Act, 2010. Most recently, +they were updated in August 2017 to reflect changes in the +District Wellness Policy. This document is intended to assist +school administrators in implementing these guidelines in their +schools. +All such competitive foods shall meet the criteria outlined in the +implementation guidelines that follow. This includes food and +beverages sold, provided, or served to students in: +● School cafeterias, specifically “a la carte” entrees and +snacks +● Vending machines +● School stores +● School snack bars +● Concession stands +● Classrooms and hallways +● Booster sales +● Fundraising activities +● School-sponsored or school-related events, including +those with school-sponsored transportation occurring off +school grounds, such as sporting events and field days +● Food trucks on school grounds + +These guidelines apply to entrees, snacks, side items, and +desserts offered or sold outside of the school meals program. + + +Page 3: +Superintendent’s Circular FNS-03 +Page 3 of 21 + +Items that would be considered entrées if sold in the +reimbursable meal program, but are sold a la carte as +Competitive Foods, are not subject to these guidelines. This +policy will be reviewed once yearly by a sub-committee of the +Boston Public Schools (BPS) District Wellness Council. +BACKGROUND +Schools across the city, state, and nation have been grappling +with developing meaningful and applicable guidelines on this +issue of obesity for the past decade. Earlier “Competitive Food +Guidelines,” set forth by USDA and individual state departments +of education, prohibited only the sale of foods of minimal +nutritional value (Federal Register: 7 CFR Part 210.11). These +standards attempted to address types of foods and beverages +sold, provided, or served to students within school buildings. +While some state standards may have been useful thirty years +ago, most are outdated, as they do not address the growing +availability of vending machines, foods, candy, and soda sold +inside and outside of the cafeteria at fundraisers or in student +stores. Competitive foods are relatively low in nutrient density +and high in fat, added sugar, and calories. Neither a la carte nor +competitive foods are bound by dietary guidelines that the +National School Lunch (NSLP), National School Breakfast, and +After School Snack Programs must adhere to. +National and state departments of education, school boards, food +policy advocacy organizations, the American Academy of +Pediatrics, the Center for Science in the Public Interest, state +dietetic and school food service associations, and other +representative groups have met over the past several years to +establish or recommend nutrition standards to promote healthy + + +Page 4: +Superintendent’s Circular FNS-03 +Page 4 of 21 + +eating habits among children. Massachusetts A La Carte Food +Standards to Promote a Healthier School Environment is a +guideline that has been established by the Massachusetts Action +for Healthy Kids, first adopted in January 2004 and updated in +December 2009. These guidelines, along with the Institute of +Medicine, the Alliance for a Healthier Generation Competitive +Foods and School Beverage Guidelines, nutrition standards from +the School Nutrition Bill (H4459, S2322), and the HealthierUS +School Challenge informed the latest revision to our policy. In +accordance with Mayor Menino’s Executive Order Relative to +Healthy Beverage Options1, all beverages sold on school grounds +shall meet the city’s Healthy Options Beverage Standards. +POLICY +The Boston Public Schools supports lifelong healthy eating habits +for all students and staff and is committed to addressing the +increasing rates of diet-related health consequences among +these groups by creating a healthy school food environment. +Serving healthy choices in the lunchroom, limiting availability +and marketing of unhealthy foods and sugary drinks, and making +water available to students throughout the day are some of the +ways to create a healthy school food environment. BPS is +committed to ensuring food sold or served outside of the +cafeteria meets high nutritional standards. +BPS believes the cafeteria is an essential setting to educate and +promote healthy eating habits. BPS is committed to serving +students nutritious and delicious food that is less processed, +more locally sourced, and culturally responsive to reflect the +diverse student population. As an effective way to improve the +nutritional quality of foods served in schools and consumed by + + +Page 5: +Superintendent’s Circular FNS-03 +Page 5 of 21 + +students, the district created and implemented menu and +ingredient guidelines exceeding federal requirements. BPS will +continue a constant review of school food and the food +environment to ensure safety, quality, menu equity, and +innovation. The district will be an innovator with school food, +serving foods that are new and exciting for the students. We +believe that students deserve meals reflective of their culture and +tastes. We believe eating well is not a privilege; it is a right. +Key requirements of creating a healthy school food environment +are: +School Meals Program +● Ensure all menus meet USDA-mandated requirements, as +well as Massachusetts Department of Public Health +regulations and the latest scientific evidence on healthy +eating practices. At a minimum, schools must follow +Bronze status standards for the Alliance for a Healthier +Generation2, and work toward Bronze status standards +for the HealthierUS School Challenge3. +● Ensure all menus offer variety and are well presented in +an appealing way, and meals and menu items are labeled +to communicate deliciousness, as well as specific +ingredients. +● Encourage students to participate in breakfast, lunch, and +afterschool meals programs and avoid stigmatizing +children who participate. +● Provide food with “clean” labels that are free of unwanted +ingredients, including trans fats, high fructose corn syrup, +artificial colors, artificial sweeteners, additives + + +Page 6: +Superintendent’s Circular FNS-03 +Page 6 of 21 + +(azodicarbonamide, bromated flour), and artificial +preservatives (nitrates, nitrites, sulfates, sulfites, MSG, +BHA, BHT, TBHQ). +● Reduce material used for packaging, sourcing recyclable +or compostable materials when possible, and working to +promote best practices around recycling and +composting. +● Make water available at no cost during mealtimes +wherever meals are served. +Food Safety +● Ensure kitchen facilities (both prep and satellite locations) +are inspected twice a year by the Inspectional Services +Division (ISD - Health Department). +● Implement a stringent and detailed internal Hazard +Analysis and Control Points (HACCP) plan that provides +regulations in following safety procedures for food recalls, +emergency preparedness to avoid foodborne illnesses, +and the spread of infectious diseases. +● Ensure all employees who work 5+ hours are Food Safety. +● Ensure all lead employees are allergy awareness certified +and have American Heart Association HeartSaver First Aid +Program 2-year certification. +Nutrition Education, Promotion and Food & Beverage Marketing +● Promote health and nutrition messages that encourage +the consumption of fruits and vegetables, whole grains, +healthy fats, low-fat dairy products, and water; and other + + +Page 7: +Superintendent’s Circular FNS-03 +Page 7 of 21 + +messages consistent with research-based findings that +indicate a positive impact on health. +● Identify opportunities to teach healthy eating habits in +health education, physical education, and other subjects, +and through cafeteria and other school-wide promotions. +● Identify opportunities to support teachers, school staff, +and parents around modeling healthy eating habits and +following appropriate nutritional standards at school +celebrations and staff meetings. +● Only allow food and beverage marketing on school +grounds, including items shared with students, that +promote foods and/or beverages that meet the BPS +nutritional standards. +Competitive Food & Beverages +● Follow federal, state, and local laws and Forbid the sale of +food and beverages by anyone other than the Food and +Nutrition Services Department, which is solely responsible +for food and beverages sold to children during the school +day. regulations for competitive foods and beverages (i.e., +foods sold, provided, or served within school buildings or +on school grounds outside of the school meals program) +in all schools, as outlined in this circular. +● Prohibit food sold in competition with school meals, +including food-based fundraisers and vending machines +during the school day. +● Encourage non-food alternatives for school fundraisers, +school parties, and classroom celebrations. + + +Page 8: +Superintendent’s Circular FNS-03 +Page 8 of 21 + +● Prohibit the use of food and beverage as a reward or +means of discipline. +All BPS schools shall follow Food and Nutrition Services policies +and circulars. +IMPLEMENTATION GUIDELINES +Competitive Food and Beverages +Regulations on competitive food sales in schools and vending +machines are contained in regulations established by the + + +Page 9: +Superintendent’s Circular FNS-03 +Page 9 of 21 + +Massachusetts Board of Education. Failure to follow these +regulations may result in loss of federal funding.1,2,3,4,5,6,7 +The Food and Nutrition Services Department is solely responsible +for food and beverages sold to children during the school day; + +1 Regulatory Authority M.G.L. C.15, § 1G +2 Federal Register, 2013, 7 CFR Parts 210 and 220, National School +Lunch Program and School Breakfast Program: Nutrition +Standards for All Foods Sold in Schools as Required by the +Healthy, Hunger-Free Kids Act of 2010; Interim Final Rule, U.S. +Department of Agriculture, 78 (125) (June 28, 2013). +3 Federal Register, 2014, 7 CFR Parts 210 and 220, Local School +Wellness Policy Implementation under the Healthy, Hunger-Free +Kids Act of 2010: Proposed Rule, U.S. Department of Agriculture, +79 (38) (February 26, 2014). +4 Massachusetts General Laws (2010). Chapter 111, Section 223, +5 State of Massachusetts, Chapter 96 of the Acts of 2012 +(amendment to 2010 law),. +6 Massachusetts Department of Public Health (2010), Nutrition +Standards for Competitive Foods and Beverages in Public +Schools, 105 CMR 225.000 +7 Massachusetts Department of Public Health (2012). “Students, +Healthy Schools: Revised Guidance for Implementing the +Massachusetts School Nutrition Standards for Competitive Foods +and Beverages” + + +Page 10: +Superintendent’s Circular FNS-03 +Page 10 of 21 + +consequently, the sale of food and beverages by others is +expressly forbidden. +The income for the total food and beverage service regularly +maintained on school premises shall accrue to the school food +services program to be used solely for the operation or +improvement of such service. This shall include the income from +the sale of a la carte foods and beverages. Food sales operated for +profit (this includes bake and candy sales) shall not operate +during the regular school day. +The sale of a la carte foods shall be restricted to those items +recognized as contributing to or permitted to be served as part of +the breakfast or lunch. This restriction automatically eliminates +the sale of candy, carbonated beverages, etc. Fundraising +activities can only operate after school hours. +Canteen Services at School Site Locations +7 CFR 210, 220 Competitive Foods: Federal regulations prevent +the sale of candy, gum, and carbonated beverages to students on +school premises from the beginning of the school day to the end +of the last lunch period. +The sale of food items from canteen trucks (with the exception of +an open campus), school stores, or other areas that compete with +school meals, time, and money is in violation of federal +regulations. These sales further divert income essential to the +financial well-being of the Food and Nutrition Services program. +Use of canteen services on school premises by students should +be prohibited. + + +Page 11: +Superintendent’s Circular FNS-03 +Page 11 of 21 + +Preparation of all competitive foods and beverages must meet +state and federal food safety guidelines. +In accordance with 105 CMR 225.100, nutrition information must +be made available to students for non-prepackaged competitive +foods and beverages as of August 1, 2013. This requirement shall +not apply to the sale or provision of fresh fruits or fresh +vegetables, and foods or beverages sold during the school day at +booster sales, concession stands and other school-sponsored or +school-related fundraisers and events. +No competitive food and beverages shall be sold, served, or +provided during school mealtimes. +Implementation guidelines must comply with or exceed nutrition +standards delineated by 105 CMR 225.000: Nutrition Standards +for Competitive Foods and Beverages in Public Schools. +All foods sold, served, or provided at schools should meet the +guidelines given in FNS-06. +Beverages +The total beverage product line must meet the following criteria: +● Schools may sell, provide, or serve only plain water and +juice. All milk is unflavored. No flavored milk will be +offered to students. Beverages such as soft drinks, fruit +drinks with the minimal nutritional value, and sports +drinks cannot be sold, provided, or served to students +anywhere in school buildings or on the school campus. +● Plain drinking water must be readily available during the +school day at no cost. + + +Page 12: +Superintendent’s Circular FNS-03 +Page 12 of 21 + +● Drinking water must be caffeine-free, have 0 mg of +sodium, and have no nutritive or non-nutritive +sweeteners. Natural flavorings and carbonation are +acceptable. +● Beverages shall not contain added sugars, including high +fructose corn syrup and non-nutritive sweeteners. +● No beverages shall contain artificial sweeteners. +● Competitive juice beverages will not be offered in +elementary schools (i.e., grades PreK-5). Fruit and/or +vegetable based drinks sold in middle and high schools +(i.e., grades 6-12) must be composed of no less than 100% +fruit/vegetable juices with no added sweeteners, not to +exceed 4 ounces in middle schools (i.e. grades 6-8), and +not to exceed 8 ounces in high school (i.e., grades 9-12), +with 120 calories/8 oz. plus 10% Daily Value of 3 vitamins +and nutrients, such as Vitamin A, C, D and calcium +● All milk and milk substitute products shall be pasteurized +fluid types of low fat (1%) or skim (fat free) milk which +meet USDA, state, and local standards for milk. All milk +shall contain Vitamins A and D at levels specified by the +Food and Drug Administration and shall be consistent +with the state and local standards for such milk. All milk, +flavored milk, and milk substitute container sizes shall not +exceed 8 ounces. +● Soy, rice, and other milk-substitute drinks shall be +calcium and vitamin-fortified and shall contain no more +than 22 grams total sugars per 8 ounces. +● No beverages shall contain more than trace amounts of +caffeine. + + +Page 13: +Superintendent’s Circular FNS-03 +Page 13 of 21 + +● City of Boston agencies in BPS buildings may offer 8 oz. of +100% juice or low-fat and nonfat milk products in vending +machines available only outside of the school day. +Foods +Fresh fruits and/or non-fried vegetables must be offered +wherever competitive foods are sold, provided, or served to +students except in non-refrigerated vending machines and +vending machines offering only beverages. Use of fryolators in +preparing competitive foods is prohibited. +In addition, competitive foods must meet the following +nutritional criteria per item: +• Any other food that meets all the following criteria: +a. ≤ 35% of total calories from fat. +i. Nuts, nut butters, and seeds are exempt from +above limitation and are permitted if served in 1 oz +portions. +ii. Fruit and nut combination products are exempt +from the above limitation. +iii. If products are dairy, they must be non-fat or low +fat dairy. + + + +Page 14: +Superintendent’s Circular FNS-03 +Page 14 of 21 + +b. ≤ 10% of calories from saturated fat OR ≤1g saturated +fat +i. Nuts, nut butters, and seeds are exempt from +above limitation and are permitted if served in 1 oz +portions. +c. 0g trans fat +d. ≤ 35% of weight from total sugars in foods +i. Non-fat or low-fat yogurt with a maximum of 30g +sugar per 8 ounces. +e. ≤ 200 mg sodium +i. A la carte entrees like cheese sandwiches, +vegetables with sauce, and soups must be less +than 480 mg sodium if they contain one or more +of the following: +1. ≥2g fiber +2. ≥5g protein +3. ≥10% DV of Vitamin A, C, E, folate, calcium, +magnesium, potassium, or iron +f. Meet 1 of the following calorie requirements: +i. +≤100 calories +ii. +Vegetables with sauce and soups can have 150 +calories if they contain two or more of the +following: ≥2g fiber; or ≥5g protein; or ≥10% DV of +Vitamin A, C, E, folate, calcium, magnesium, +potassium, or iron; or ≥½ serving (¼ cup) of fruit +or vegetables. +iii. +Other foods can have calorie limits per below if +they contain one or more of the following: + + +Page 15: +Superintendent’s Circular FNS-03 +Page 15 of 21 + +1. ≥ 2g fiber +2. ≥ 5g protein +3. ≥ 10% DV of Vitamin A, C, E, folate, calcium, +magnesium, potassium, or iron +4. ≥ ½ serving (1/4 cup) of fruit or vegetables: +a. +≤ 150 calories for elementary schools +b. +≤ 180 calories for middle and +c. +≤ 200 calories for high schools +• Bread and other whole grain-based products shall have a +whole grain (such as whole wheat) listed as the first +ingredient or contain grains that are at least 51% whole +grains. +• No more than trace amounts of caffeine are allowed in +foods. +• Foods must contain no artificial sweeteners. +• Foods must have limited added sweeteners as much as +possible. +• Fruits shall have no added sweeteners and have 0g total fat. +Since fresh fruits and vegetables vary in size and calories +naturally, they have no calorie limit. +• Fruits packaged in their own juices or dried will not exceed +the following calorie limits: 150 calories for elementary +schools, 180 calories for middle schools and 200 calories for +high schools. +• Dried fruit and nut combination products (commonly +known as trail mix) can be included within these guidelines +if they meet the following standards: +a. The items found in the combination product include +only unsweetened dried fruit, nuts, and/or seeds. + + +Page 16: +Superintendent’s Circular FNS-03 +Page 16 of 21 + +b. The product contains no added sweeteners. +c. The combination product is exempt from the ≤ 35% of +total calories from fat requirement, but must meet all +requirements around calories, saturated fat, trans fat, +sodium, sugar, and positive nutrients. +• Any one egg or equal amount of egg equivalent is allowable +if it contains no added fat. +• Any reduced-fat or part-skim cheese ≤1 oz. +Time Of Day +The guidelines apply to all food and beverages (outside the USDA +School Meals and After School Snack Program) provided to +students on school grounds during the regular and extended +school day when events are primarily under the control of the +school or third parties on behalf of the school. +The extended school day is the time before or after the official +school day that includes activities such as clubs, yearbook, band +and choir practice, student government, drama, sports practices, +intramural sports, and childcare/latchkey programs. +Vending machines, including those controlled by other entities in +BPS buildings and grounds, shall comply with these guidelines at +all times. Automatic timers will be used to limit access to +competitive foods and beverages in vending machines during +the school day, including during school mealtimes. +Fundraisers, Classroom Parties, Food Rewards, and Meetings +All fundraisers must meet Boston Public Schools’ +implementation guidelines for competitive food. No food-based + + +Page 17: +Superintendent’s Circular FNS-03 +Page 17 of 21 + +fundraisers are permitted during school meals. The building +administrator or designee is responsible for approving all +fundraisers. Classroom parties must also comply with Boston +Public School’s competitive food guidelines and notification of +the cafeteria manager is requested to help the cafeteria plan +appropriately. Principals and staff will promote a school +environment supportive of healthy eating. Adults are encouraged +to model healthy eating by serving nutritious food and beverages +at school meetings and events. +Teachers and staff should refrain from providing candy and +snacks of minimal nutritional value as rewards for students and +instead integrate practices of non-food rewards. Food and +beverage cannot be used as a reward means of discipline. +If schools participate in fundraising involving food and beverages, +the fundraiser should support a healthy school environment and +be free from solicitation of foods that do not meet the +specifications of the Dietary Guidelines for Americans. +Fundraisers should not include the sale of candy, beverages, and +snacks that do not meet the Boston Public Schools’ +implementation guidelines for competitive foods. + +Schools should develop communication and tools to provide to +PTA and other groups who are conducting fundraising, +celebrations, meetings, and rewards for the school so that non- +food activities are used. +Allergies +Schools should consider all students with food allergies and +make appropriate plans and accommodations in any food-based + + +Page 18: +Superintendent’s Circular FNS-03 +Page 18 of 21 + +fundraiser, celebration, and/or reward according to the guidance +provided in Superintendent’s Circular SHS-11, which provides +more information on student allergies. +Support For Implementation +This is a citywide initiative, with the Boston Public Schools taking +the lead to implement healthy snack and beverage guidelines. +The Mayor’s Office, the Boston Public Health Commission (BPHC), +and the Boston Centers for Youth and Families (BCYF) are all in +full support of these policies. +To assist with this transition, Food and Nutrition Services will +continue meeting with vendors and manufacturers to discuss +product specifications that meet these guidelines. Language +referencing new policies is included in the Request for Bids for +beverages, dairy and ice cream, and snack food products. +Vendors who are awarded single-year or multiple-year contracts +must comply with the stated guidelines. +With assistance from the School Wellness Council, students, +teachers, parents, and administrators will be informed and +educated about the new guidelines. Technical support will be +provided to help schools and agency partners adjust to the +revised standards, including providing resources on healthful +forms of fundraising and meeting guidelines. The +Commonwealth of Massachusetts passed a School Nutrition Bill +(H4459, S2322). The BPS implementation guidelines have been +revised to include state nutritional standards. +MONITORING AND COMPLIANCE +Schools will monitor compliance in the following ways: + + +Page 19: +Superintendent’s Circular FNS-03 +Page 19 of 21 + +● School wellness councils should assess and track their +school’s compliance with this policy and include +implementing goals on their Wellness Action Plan to +ensure compliance with the policy. +● All schools will biennially complete the School Health +Profiles Surveys (Profiles), including questions on +competitive foods and beverages. Individual school +reports will be shared back with schools after completing +Profiles, stating whether the school is complying with the +policy. +The principal and relevant operational leaders will be notified by +FNS and the Office of Health & Wellness if a school is found to not +be compliant. School administration, families, students, and +Wellness Council will be provided information about the policy to +engage and support monitoring, enforcement, and compliance. + + + + +Page 20: +Superintendent’s Circular FNS-03 +Page 20 of 21 + +DEFINITIONS +Food of Minimal Nutritional Value: Food that provides less than +five percent of the Reference Daily Intakes (RDI) for each of eight +specified nutrients per serving. +A La Carte Foods: Sold typically in the cafeteria by the school +food service department. They are separately and individually +priced and are not usually part of the NSLP. +Competitive Foods: Competitive foods or beverages means all +foods or beverages sold or provided in public schools, other than +non-sweetened carbonated water and those items sold or +provided as part of federal nutrition programs such as the School +Breakfast Program, School Lunch Program, and the Child and +Adult Care including those offered in: School cafeterias; school +stores; school snack bars; concession stands, booster sales, +vending machines; fundraising activities; school-sponsored or +school-related events; food trucks, and any other location in +public schools. +REFERENCES +Alliance for a Healthier Generation Standards +Healthier US School Challenge Standards + + + + + + + +Page 21: +Superintendent’s Circular FNS-03 +Page 21 of 21 + +For more information about this circular, contact: + +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: 370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9143 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Owner: +Senior Executive Director +Department: +Office of Health and Wellness +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-6643 +Fax: +617-635-1502 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Food and Nutrition Services (FNS)/FNS-04 Responsibilities4 Regarding School Food Services.txt b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-04 Responsibilities4 Regarding School Food Services.txt new file mode 100644 index 0000000..ab5a633 --- /dev/null +++ b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-04 Responsibilities4 Regarding School Food Services.txt @@ -0,0 +1,331 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-04 +Version 01 + +1 +RESPONSIBILITIES REGARDING SCHOOL +FOOD SERVICES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +Food and Nutrition services is a federally funded program. The +program’s operating revenue is supported by reimbursement +from meals served to students. The department is audited +annually, consisting of a review of the Community Eligibility +Program which includes point of service, accountability, fiscal +accountability, and overall procedures. +School leaders share responsibility with the executive director of +Food and Nutrition Services in ensuring that all federal, state, and +local regulations applicable to the school’s food services are +implemented and administered daily. There are area field +coordinators who are assigned to oversee school-site foodservice +operations. +SCHOOL LUNCH AND BREAKFAST PROGRAMS +Breakfast and Lunch Periods: +● The state mandates sufficient time must be allocated for +the students to eat lunch. At least a 30-minute lunch +period is recommended, whenever possible. No less than +20 minutes can be designated for a lunch period. + + +Page 2: +Superintendent’s Circular FNS-04 +Page 2 of 10 + +● If there is a change to the meal service time, the school +leader must notify the Food Services staff immediately. +Any changes to service impacts staffing and must be +reviewed and discussed before finalizing. +● Breakfast programs should be scheduled at least 15 to 30 +minutes before the start of school. This time is needed for +Food Services staff to have the necessary capability for +accurate meal counting and reporting. +● Supervision is required at breakfast as well as lunch +service. The school leader can make an administrative +assignment or arrange for volunteers to provide student +supervision. Food Service employees will not assume +responsibility for supervising students. +Breakfast After the Bell: +As a continuation from SY2018-2019, the Massachusetts State +Budget mandates public schools with at least 60 percent of their +student population eligible for free or reduced-price meals to +serve breakfast after the instructional day begins. All BPS schools +must comply with this regulation. +FNS understands implementing a change in breakfast service +style has its challenges and has several resources available +including marketing, equipment, and programs to ensure proper +implementation of a comprehensive breakfast after the bell +program that provides access to meals. FNS will keep cafeterias +open 30 minutes past the bell time to continue provision of +breakfast to all students. + + + + + +Page 3: +Superintendent’s Circular FNS-04 +Page 3 of 10 + +Lunch Menu: +Federal regulations mandate lunch to consist of the following: +● Meat or meat alternates +● Whole grains +● Vegetables +● Fruits +● Milk +Breakfast Menu: +Federal regulations mandate breakfast to consist of the +following: +● Meat or meat alternates +● Whole grains +● Fruits +● Vegetables +● Milk +The menu as printed must be followed by FNS staff unless onsite +food service staff receive approval from Food Services supervisory +staff to make adjustments. Menu planning is the sole +responsibility of the Department of Food and Nutrition Services. +School administrators are encouraged to discuss their menu +interest with the executive director of food services, 617-635-9144. +COMMUNITY ELIGIBILITY PROGRAM +This school year (2023-2024), in conjunction with the United +States Department of Agriculture (USDA) and the Massachusetts +Department of Elementary and Secondary Education, Boston +Public Schools (BPS) will continue to participate in the + + +Page 4: +Superintendent’s Circular FNS-04 +Page 4 of 10 + +Community Eligibility Provision (CEP), created by the Healthy, +Hunger-Free Kids Act of 2010. This is available for schools with +high percentages of low-income children to provide breakfast +and lunch to all students at no cost to them. The program +increases participation in school meals, reduces labor costs for +schools, and brings additional revenue to the school district from +the USDA. In short, it allows for a healthier student body and a +healthier school meal budget. +All students in a Community Eligibility Provision (CEP) school are +deemed as economically disadvantaged, and students are +provided all meals — breakfast, lunch, after-school meals, and +summer meals — at no cost. In the event a student requests a +second meal, the cost is $4.00 . Students must pay at the time of +the meal request. There are no credits or charges allowed. +School administrators may establish a revolving fund to cover the +cost of second meals for students without means. Second meals +will not be provided without a source of payment. +AFTER SCHOOL MEAL PROGRAM +Supper meals are available at no charge to schools that have +after school enrichment programs. Program directors must +contact this office to arrange for student meals. There is a brief +application process that should be completed at least 2 weeks +prior to program start-up. All program directors are required to +attend one mandatory annual training session. Program +administrators are responsible for completing the daily tally +sheets to document meals served. Tardy submission of these +reports could result in the discontinuance of the program. + + +Page 5: +Superintendent’s Circular FNS-04 +Page 5 of 10 + +SUMMER MEAL PROGRAM +Meals are provided throughout the City of Boston to all children. +Meals consist of breakfast and lunch and are free to all children +through age 18. +FRESH FRUIT AND VEGETABLE PROGRAM (FFVP) +The goal of the FFVP is to introduce children to fresh fruits and +vegetables, to include new and different varieties, and to increase +overall acceptance and consumption of fresh, unprocessed +produce among children. The FFVP also encourages healthier +school environments by promoting nutrition education. +USE OF SCHOOL LUNCH FOR DISCIPLINARY ACTION +● The National School Lunch Act and the State Department +of Elementary and Secondary Education prohibit the +denial of meals and milk as disciplinary action against +school children. +● Students may not be denied any part of the meal. +● Students may not have a portion of the breakfast or lunch +period taken away. +● Any action that interferes with the student’s right to +access meals or that discriminates against students in +any way in the provision of meals is prohibited. +COMPLIANCE WITH PROGRAM REGULATIONS +We ask that school administrators assist with the enforcement of +program regulations (e.g., federal regulations do not permit free +or reduced reimbursement to ineligible children. There is no +reimbursement for adult meals.) School administration will be +charged for meals in which payment has not been received for + + +Page 6: +Superintendent’s Circular FNS-04 +Page 6 of 10 + +student second meals and adult meals. Outstanding charges will +be posted against individual school instructional supply +accounts. +MEAL SERVICE ACCOUNTABILITY OF SCHOOL +ADMINISTRATORS +To participate in the school lunch and breakfast programs, it is +necessary for a contract to be in effect between the +Commonwealth of Massachusetts and the superintendent of +schools. This agreement stipulates that state-approved controls +are maintained to account for meals served. +● School administrators are required to comply with the +approved system in operation at the particular school site. +● To assist with decreasing meal waste and improving +accountability, it is recommended that elementary +teachers ask students beforehand who will be eating +lunch in the cafeteria or classroom and give that +information to the food service staff one hour before +lunch so they can have more accurate counts. +● School leaders are to ensure that all students know their +student ID numbers, required to be entered at the point +of sale for accountability of each meal. +● Milk cannot be served without payment. +● Meal counts must be taken at the “point of service” (end +of the line) when a student has received a reimbursable +meal. Five food components must be offered for lunch +and three components for breakfast. +● In schools with classroom meal service, it is necessary to +account for the meal served at the time of service. + + +Page 7: +Superintendent’s Circular FNS-04 +Page 7 of 10 + +COMPETITIVE FOOD SALES AND VENDING MACHINES +Regulations on competitive food sales in schools and vending +machines are contained in regulations established by the +Massachusetts Board of Education. Failure to follow these +regulations may result in loss of federal funding (see FNS 03 +Nutrition Policy). +Regulatory Authority: +● M.G.L. C.15, § 1G +● Federal Register, 2013, 7 CFR Parts 210 and 220, National +School Lunch Program and School Breakfast Program: +Nutrition Standards for All Foods Sold in Schools as +Required by the Healthy, Hunger-Free Kids Act of 2010; +Interim Final Rule, U.S. Department of Agriculture, 78 (125) +(June 28, 2013). +● Federal Register, 2014, 7 CFR Parts 210 and 220, Local +School Wellness Policy Implementation under the +Healthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. +Department of Agriculture, 79 (38) (February 26, 2014). +● Massachusetts General Laws (2010). Chapter 111, Section +223. +● General Law - Part I, Title XVI, Chapter 111, Section 223. +● State of Massachusetts, Chapter 96 of the Acts of 2012 +(amendment to 2010 law), Acts of 2012 Chapter 96 - +Session Laws. +● Massachusetts Department of Public Health (2010), +Nutrition Standards for Competitive Foods and Beverages +in Public Schools,105 CMR 225.000 +● Massachusetts Department of Public Health (2012). +“Students, Healthy Schools: Revised Guidance for + + +Page 8: +Superintendent’s Circular FNS-04 +Page 8 of 10 + +Implementing the Massachusetts School Nutrition +Standards for Competitive Foods and Beverages” Healthy +Students, Healthy Schools: Revised GuIdance for +Implementing the Massachusetts School Nutrition +Standards for Competitive Foods and Beverages +Only Food Services is permitted to sell to students. +The Food and Nutrition Services Department is solely responsible +for food and beverages sold to children during the school day; +consequently, the sale of food and beverages by others is +expressly forbidden. +All income must accrue to Food Services. +The income for the total food and beverage service regularly +maintained on school premises shall accrue to the school food +services program to be used solely for the operation or +improvement of such service. This shall include the income from +the sale of a la carte foods and beverages and vending machines, +managed by the Food and Nutrition Services Department. Food +sales operated for profit (this includes bake and candy sales) shall +not operate during the regular school day. + + + + +Page 9: +Superintendent’s Circular FNS-04 +Page 9 of 10 + +Food items allowed for sale: +The sale of a la carte foods shall be restricted to those items +recognized as contributing to or permitted to be served as part of +the breakfast or lunch. This restriction automatically eliminates +the sale of candy, carbonated beverages, etc. Fundraising +activities can only operate after school hours. +Vending machines: +603 CMR 29.01 Non-Profit Lunch Program/Use of Vending +Machines: Vending machines are not to be in use during school +hours. +Canteen services at school site locations: +603 CMR 29.05 Competitive Foods: +Federal regulations prevent the sale of candy, gum, and +carbonated beverages to students on school premises from the +beginning of the school day to the end of the last lunch period. +The sale of food items from canteen trucks, school stores or other +areas that compete with school meals, time, and money is in +violation of federal regulations. These sales further divert income +essential to the financial wellbeing of the Food and Nutrition +Services program. +► Use of canteen services on school premises by students +should be prohibited. + + + + +Page 10: +Superintendent’s Circular FNS-04 +Page 10 of 10 + +CATERING SPECIAL FUNCTIONS AND FIELD TRIPS +Special function considerations: +● Schools planning special activities should contact the +cafeteria manager/satellite attendant AND Office of Food +and Nutrition Services with advance notice of the event. A +written request for use of the cafeteria facility or hiring of +personnel must be made in writing at least 7 days before +the event. +● Food and supplies or cooking utensils will not be +provided free of charge. Schools requesting such services +will be charged a fee to cover costs. +● All evening and weekend functions will require hiring +Food Services staff at an overtime rate. All costs must be +paid prior to the date of the event. Credit will be given if +the event is canceled with 48 hours’ notice. + +For more information about this circular, contact: +Owner: +Deputy Director +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9158 +Fax: +617-635-9304 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Food and Nutrition Services (FNS)/FNS-06 Menu Standards and Guidelines.txt b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-06 Menu Standards and Guidelines.txt new file mode 100644 index 0000000..d5569c4 --- /dev/null +++ b/data/data_txt1/Food and Nutrition Services (FNS)/FNS-06 Menu Standards and Guidelines.txt @@ -0,0 +1,542 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +FNS-06 +Version 01 + + + +1 +FOOD AND NUTRITION SERVICES MENU AND +INGREDIENT GUIDELINES +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston Public Schools (BPS) Food and Nutrition Services +(FNS) Menu and Ingredient Guidelines are the benchmarks for +food quality, food safety, nutrition, and variety. They are applied +primarily to menu development and procurement and support +the Nutrition Standard of Food and Nutrition Services. They +pertain to all USDA programs administered by FNS. +FNS continuously monitors its work related to these guidelines +and updates them annually between school years. The guidelines +are informed by sources of evidence-based research, and ad hoc +related to ingredients and standards for operation. +FNS Menu and Ingredient Guidelines align with the Good Food +Purchasing Program and continuously strive to meet the Menus +of Change Principles of the Culinary Institute of America. These +values and principles, respectively, are embedded within the FNS +Menu and Ingredient Guidelines. +The Menu and Ingredient Guidelines are grouped below under +the following headings: + + +Page 2: +Superintendent’s Circular FNS-06 +Page 2 of 17 + + + + +A. Provide nourishing and culturally diverse food choices +according to regulations +B. Offer variety of whole, fresh, local foods +C. Establish levels for some fats, sugar, sodium +D. Eliminate additives +E. Define animal welfare standards +F. Other + +A. Provide nourishing and culturally diverse food choices that +meet or exceed USDA National School Lunch and School +Breakfast Program guidelines as well as guidelines of +Massachusetts Department of Public Health, City of Boston, +and Boston Public Schools Wellness Policy. +FNS strictly follows or exceeds the USDA National School +Lunch and School Breakfast Programs Meal Pattern for the +healthy meal choices that it offers and the frequency that +choices are served. +For Boston schools: +• Menus follow at least a four-week cycle and continuously +evolve for diversity, updates, variety, and trends, reflecting +student preferences. +• Menus for all BPS food service models are as much like +each other as possible. +• Lunch menus have at least one vegetarian entrée daily +and feature at least one vegan protein option per menu +cycle during in-person meal service. + + + +Page 3: +Superintendent’s Circular FNS-06 +Page 3 of 17 + + + +B. Offer a variety of whole foods that are fresh, high quality, +emphasize local, and foods, as purchased, that retain most +of their inherent physical, chemical, sensory and nutritional +properties. These foods should meet the food quality +requirement as noted throughout these Guidelines. +• Menus favor local, seasonal ingredients. Local items are +featured based on availability, primarily on salad bars, as +well as one or more additional local meal components +during the week, to include whole grains, fish, and dairy, +within budget parameters. Local, defined as New +England, is intended to increase in volume over time for +all service models. +• Menus offer a variety of fruits and vegetables. +o FNS offers at least two fruits (minimum one fresh; may +also serve unsweetened canned/frozen, packed in its +own juice, and dried fruit at breakfast and lunch) +o FNS offers at least three fresh vegetables and one fresh +fruit daily at schools (MWCs) with salad bars. Schools +without salad bars offer a minimum of one or more +fresh fruit and/or vegetables daily. +o Frozen and canned vegetables (salt-free or low- +sodium) may be served, as appropriate. +o Legumes/beans are offered at a minimum of once per +week at all sites for lunch. +• Menus offer legumes and beans as a plant-based protein +option to meet the meat alternate component +requirements of meal pattern. +• Menus will provide all the weekly grains as whole grain- +rich and offered in salad bars, sides, and entrees. Local + + +Page 4: +Superintendent’s Circular FNS-06 +Page 4 of 17 + + + +whole grain-rich items will be featured. +• Menus offer a variety of lean proteins, including animal +and plant-based options (i.e.., chicken, turkey, beef, fish, +tofu, beans). Menus offer commercially purchased whole +muscle meat or entrees made from whole muscle meat, +with no fillers. +• Beef is lean, USDA Grade Choice or better, and contains +100% beef only. +• Eggs are USDA Grade A or equivalent and USDA +inspected; frozen eggs are USDA inspected. +• Seafood must be U.S. Department of Commerce- +inspected. +• FNS offers foods that have as little packaging as possible, +with the goal of eliminating all but reasonable, necessary +packaging. Packaged foods include those served +selectively, at the discretion of FNS and primarily in +settings that have no cooking equipment, for Breakfast in +the Classroom, field trips, and occasionally for grab-and- +go carts. Where possible, meals offered in the classroom, +for field trips and on carts align with meals offered in +dining rooms. +• FNS is moving away from unitized/packaged meals +toward on-site meal preparation. +C. Decrease the amount of saturated fat, monitor added +sugar and excess sodium. +• Menu choices favor entrees that are low in saturated fat +(less than 10% based on the average for a 5-day menu +week). + + +Page 5: +Superintendent’s Circular FNS-06 +Page 5 of 17 + + + +• Healthy oil(s) are used in most food preparation. Butter is +used sparingly. +• All liquid milk is rBGH-free. +• All dairy is low fat (1%) or non-fat (skim), excluding butter. +• FNS currently observes USDA Target 1 sodium limits: +o In line with the federal rules, on or before school year +2024-2025, FNS intends to decrease average daily +sodium levels to reach Target 2 standards established +by the USDA Final Rule “Nutrition Standards in the +National School Lunch and School Breakfast Programs +(1/26/12)”. +• Added sugar content is monitored by following the below +guidelines, with the aim to decrease daily added sugar +intake: +o Cereal may contain no more than 6 gm added sugar +(1.5 teaspoons) (for 1 grain equivalent) and must be +identical nutritional/ingredients with retail product. +o Breakfast grain/grain components may contain up to 8 +gm (2 teaspoons) added sugar. +o For two grain equivalents, there will be no more than +14 gm (4.5 teaspoons) added sugar. +o Yogurt may have 15 gm of added sugar (4.5+ +teaspoons) or less per serving. +• Beverages may include fruit-infused water at hydration +stations in school dining rooms. +D. Eliminate additives and ingredients that aren’t needed for +product integrity. + + +Page 6: +Superintendent’s Circular FNS-06 +Page 6 of 17 + + + +• The following unnecessary or unnatural ingredients are +prohibited from menu items. +• Additives and ingredients will be monitored and adjusted +according to evidence-based research. +• Coloring: +o Artificial colors (including synthetic food dyes) +o Annatto and Cochineal extract/carmine +o Caramel color class III and IV avoided in beverages, +food, and sauces. Caramel color class IV may be +featured in gravies, which are used sparingly. +• Artificial flavors: artificial synthetic flavors +• Artificial preservatives: Benzoates & benzoic acid, +BHA/BHT/TBHQ; nitrates/nitrites; propyl gallate, sulfites +• Artificial sweeteners & other sugar free non-nutritive, low +calorie and reduced calorie sweeteners: Sucralose, +aspartame, saccharine, Neotame, acesulfame k +[acesulfame potassium] +• Flavor enhancers: GMP, MSG +• Binders and Fillers: isolate vegetable proteins and +hydrolyzed vegetable protein as filler +• Thickening agents: Carrageenan +• Caffeine +• Sugary syrups: High fructose corn syrup (HFCS), high +maltose corn syrup, high dextrose corn syrup, tapioca +syrup +• Partially hydrogenated oils; trans fats +• Emulsifiers: + + +Page 7: +Superintendent’s Circular FNS-06 +Page 7 of 17 + + + +o Brominated Vegetable Oil (BVO) +o Carboxymethylcellulose (CMC) and Polysorbates +• Flour treatment agents: (azodicarbonamide, bleached +flour, bromated flour [potassium bromate], potassium +iodate) +• Nitrites/Nitrates and Processed Meat: Meat that has been +transformed through salting., curing, fermentation, +smoking, or other processes to enhance flavor or improve +preservation. Examples of processed meat include hot +dogs (frankfurters), deli meat, ham, sausage, corned beef, +beef jerky and canned meat. +• Rendered meat, irradiated meat, meat with latent Tgf- +beta binding protein (LTBP)* +• Ammonium hydroxide, vegetable protein analogues, or +extenders +E. Work toward procurement of animals untreated with +hormones, steroids, or antibiotics that serve no vital +function. +• Due to growing concerns of animal husbandry practices, +FNS supports responsible use of antibiotics in animals. +o Menu features chickens raised without the use of +antibiotics ever. +▪ Menu features entrees utilizing chicken products +following One Health Certified (OHC) standards.37 +OHC addresses several important areas of animal +agriculture within a sustainable continuous +improvement process. +o Menu features turkey products produced under a + + +Page 8: +Superintendent’s Circular FNS-06 +Page 8 of 17 + + + +USDA process verified program that includes +compliance with the following Certified Responsible +Antibiotic Use (CRAU) criteria: +i. No administration of antibiotics pre-hatch +ii. Antibiotics with analogues in human medicine are +not allowed for: +▪ Disease prevention +▪ Growth promotion +▪ Feed efficiency, or +▪ Weight gain +iii. Antibiotics with human analogs can only be used +therapeutically to: +• Treat disease in poultry with bacterial disease +• Control disease in poultry exposed to infectious +bacteria +• FNS is opposed to the use of hormones and steroid +growth promoters in beef and dairy cattle production. +FNS continues to research food products from beef or +dairy cattle produced without hormone growth +promoters and grass-fed products as options become +available. FNS acknowledges some USDA commodity +products (beef, dairy and poultry) are purchased without +the transparency of animal practices, and therefore, FNS +limits how often these products are served. USDA +commodity proteins may be made from whole muscle +meat or restructured meat*. +F. Other guidelines are observed as follows: + + +Page 9: +Superintendent’s Circular FNS-06 +Page 9 of 17 + + + +• All school dining areas are peanut aware. No school +kitchens will serve peanuts or tree nuts. +• FNS accommodates students with medically prescribed +dietary requirements. + +For more information about this circular, contact: +Owner: +Nutrition Manager +Department: +Food and Nutrition Services +Mailing Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-9144 +Email: +Operations-Department- +Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular FNS-06 +Page 10 of 17 + + + +REFERENCES +1 Center for Good Food Purchasing. +https://goodfoodpurchasing.org. Last reviewed 2020. Accessed +January 26, 2020. +2 Menus of Change. https://www.menusofchange.org. Last +reviewed 2021. Accessed May 14, 2021. +3 Michigan State University. What is a processed food? +https://www.canr.msu.edu/news/what_is_a_processed_food +4 American Heart Association. Healthy Cooking Oils. +https://www.heart.org/en/healthy-living/healthy-eating/eat- +smart/fats/healthy-cooking-oils. Last reviewed April 24, 2018. +Accessed January 14, 2020. +5 American Heart Association. Children should eat less than 25 +grams of added sugars daily. +https://newsroom.heart.org/news/children-should-eat-less-than- +25-grams-of-added-sugars-daily +6 Center for Science in the Public Interest. Chemical Cuisine, +Learn About Food Additives. https://cspinet.org/eating- +healthy/chemical-cuisine. Published 2014. Accessed June 26, 2019. +7 Kobylewski S, Jacobson MF. Food dyes: A Rainbow of Risks. +Washington D.C.; 2010. https://cspinet.org/new/pdf/food-dyes- +rainbow-of-risks.pdf. +8 Lefferts LY, Jacobson MF, MacCleery L. Seeing Red: Time for +Action in Food Dyes. Washington D.C.; 2016. +http://cspinet.org/reports/seeing-red-report.pdf. + + +Page 11: +Superintendent’s Circular FNS-06 +Page 11 of 17 + + + +9 Conners CK, Goyette CH, Southwick DA, Lees JM, Andrulonis PA. +Food additives and hyperkinesis: a controlled double-blind +experiment. Pediatrics. 1976;58(2):154-166. +10 Stevenson J, Buitelaar J, Cortese S, et al. Research review: the +role of diet in the treatment of attention deficit/hyperactivity +disorder—an appraisal of the evidence on efficacy and +recommendations on the design of future studies. J Child +Psychol Psychiatry. 2014;55(5):416-427. doi:10.1111/jcpp.12215. +11 Bateman B, Warner JO, Hutchinson E, et al. The effects of a +double blind, placebo controlled, artificial food colourings and +benzoate preservative challenge on hyperactivity in a general +population sample of preschool children. Arch Dis Child. 2004; +89:506-511. doi:10.1136/adc.2003.031435. +12 McCann D, Barrett A, Cooper A, et al. Food additives and +hyperactive behavior in 3-year-old and 8/9-year-old children in +the community: a randomized, double-blinded, placebo- +controlled trial. Lancet. 2007;370(9598):1560-1567. doi:10.1016/ +S0140-6736(07)61306-3. +13 Saeed MG, Sayeed SA, Ashraf S, et al. Investigations of In vitro +Digestibility of Proteins Bound to Food Colors. Journal of +Pharmacy and Nutrition Sciences. 2011, 1, 34-40. +14 USDA Food and Drug Administration D of H and HS. Specific +Food Labeling Requirements. Code of Federal Regulations. +https://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/CFRSea +rch.cfm?CFRPart=101. +15 Piper, P. Potential safety issues surrounding the use of +benzoate preservatives. Beverages. 2018;4(2):33. doi: + + +Page 12: +Superintendent’s Circular FNS-06 +Page 12 of 17 + + + +10.3390/beverages4020033. +16 NTP (National Toxicology Program). 2016. Report on +Carcinogens, Fourteenth Edition.; Research Triangle Park, NC: U.S. +Department of Health and Human Services, Public Health +Service. https://ntp.niehs.nih.gov/go/roc14. +17 Jakszyn P, Gonzalez C-A. Nitrosamine and related food intake +and gastric and esophageal cancer risk: a systematic review of +the epidemiological evidence. World J Gastroenterol. +2006;12(27):4296-4303. +http://www.ncbi.nlm.nih.gov/pubmed/16865769. +18 Alhoff J, Grandjean C. In vivo studies in Syrian golden hamsters: +a transplacental bioassay of ten nitrosamines. Natl Cancer Inst +Monogr. 1979;(51):251-255. +http://www.ncbi.nlm.nih.gov/pubmed/481578. +19 International Agency for Research on Cancer (IARC). IARC +Monographs evaluate consumption of red meat and processed +meat. 2015. doi: https://www.iarc.fr/en/media- +centre/pr/2015/pdfs/pr240_E.pdf. +20 National Toxicology Program. Carcinogenesis Bioassay of +Propyl Gallate in F344 Rats and B6C3F1 Mice. Bethesda; 1982. +https://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf. +21 Ham J, Lim W, Park S, et al. Synthetic phenolic antioxidant +propyl gallate induces male infertility through disruption of +calcium homeostasis and mitochondrial function. Environ +Pollut.2019 May; 248:845-856. Doi: 10.1016/j.envpol.2019.02.087. +22 Abdo KM, Kari FW. The sensitivity of the NTP bioassay for +carcinogen hazard evaluation can be modulated by dietary + + +Page 13: +Superintendent’s Circular FNS-06 +Page 13 of 17 + + + +restriction. Exp Toxicol Pathol. 1996;48(2-3):129-137. doi: +10.1016/S0940-2993(96)80033-9. +23 Soffritti M, Belpoggi F, Degli Esposti D, Lambertini L, Tibaldi E, +Rigano A. First experimental demonstration of the multipotential +carcinogenic effects of aspartame administered in the feed to +Sprague-Dawley rats. Environ Health Perspect. 2006;114(3):379- +385. http://www.ncbi.nlm.nih.gov/pubmed/16507461. +24 Schernhammer ES, Bertrand KA, Birmann BM, Sampson L, +Willett WC, Feskanich D. Consumption of artificial sweetener-and +sugar-containing soda and risk of lymphoma and leukemia in +men and women. Am J Clin Nutr. 2012;96(6):1419-1428. +doi:10.3945/ajcn.111.030833. +25 M. S, M. P, E. T, et al. Sucralose administrated in feed, beginning +prenatally through lifespan, induces hematopoietic neoplasias in +male swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: +10.1080/10773525.2015.1106075. + +26 Liauchonak I, Qorri B, Dawoud F, Riat Y, Szewczuk MR. Non- +Nutritive Sweeteners and Their Implications on the Development +of Metabolic Syndrome. Nutrients. 2019; 11(3):644. +27 Raiten DJ, Talbot JM, Fisher KD. Executive summary from the +report: analysis of adverse reactions to monosodium glutamate +(MSG). J Nutr. 1995;125(11):2891S-2906S. +http://www.ncbi.nlm.nih.gov/pubmed/7472671. +28 Bray GA, Nielsen SJ, Popkin BM. Consumption of high-fructose +corn syrup in beverages may play July 2019 a role in the epidemic +of obesity. Am J Clin Nutr. 2004; 79(4):537-543. + + +Page 14: +Superintendent’s Circular FNS-06 +Page 14 of 17 + + + +http://www.ncbi.nlm.nih.gov/pubmed/15051594. +29 American Heart Association. Trans Fats. +http://www.heart.org/HEARTORG/HealthyLiving/HealthEating/Nu +trition/TransFats_UCM_301120_Article.jsp#.V2HUpvkrJhE. +30 US Food and Drug Administration. Frequently Asked Questions +on Azodicarbonamide (ADA). +http://www.fda.gov/Food/IngredientsPackagingLabeling/FoodAd +ditivesIngredients/ucm387497.htm. +31 Bukhari SSI, Azam I, Abbasi MH, Daud M, Sheikh N, Batool A, +Mahmood R, and Mukhtar M. Effect of Alloxan on IL-6 Gene +Expression in Mus musulus. Biologia (Pakistan). 2018; 64(1):69-73. +https://www.gcu.edu.pk/Publications/Biologia/Vol64_No1_2018.pd +f#page=65. +32 International Agency for Research on Cancer (IARC). +Summaries & Evaluations Potassium Bromate (Group 2B). 1999. +http://www.inchem.org/documents/iarc/vol73/73-17.html +33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments. +https://cfpub.epa.gov/ncea/iris2/chemicalLanding.cfm?substance +_nmbr=1002. Published 2001. Accessed July 24, 2019. +34 Cornucopia Institute. Behind the Bean: The Heroes and +Charlatans of the Natural and Organic Soy Foods Industry.; 2009. +https://www.cornucopia.org/wp- +content/uploads/2017/09/behindthebean_color_final.pdf. +35 Berkeley Wellness. Ask the Experts, Hexane in Soy Food. +Berkeley Wellness, Univ Calif. May 2012. +https://www.berkeleywellness.com/healthy-eating/food- +safety/article/hexane-soy-food. + + +Page 15: +Superintendent’s Circular FNS-06 +Page 15 of 17 + + + +36 Women’s Health. ‘Soy Protein Isolate’ Is in So Many Things—But +Is It Healthy?; 2019. +https://www.womenshealthmag.com/food/a27559289/soy- +isolate-protein/. +37 One Health Certification Foundation. Five Core Principles. +https://onehealthcertified.org/about/core-principles/ +38 U.S. Department of Agriculture. Certified Responsible Antibiotic +Use. https://www.ams.usda.gov/services/auditing/crau +Minneapolis Public Schools Culinary and Wellness Services True +Food Nutrition Philosophy 2019-2020 +(https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd +f) and Culinary & Wellness Services Ingredient Guide +(https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p +df) served as models for the Boston Public Schools Food and +Nutrition Services Menu and Ingredient Guidelines. +Healthy School Campaign Ingredient Guidelines +https://www.google.com/url?q=https://healthyschoolscampaign.o +rg/dev/wp-content/uploads/2020/01/Ingredient-Guide- +2021.pdf&sa=D&source=docs&ust=1689510987098278&usg=AOvVa +w2a5uRgrXBkhb6Xz9zJ6ESc + + + + +Page 16: +Superintendent’s Circular FNS-06 +Page 16 of 17 + + + +NOTES: +*Sugar calculation + +Yogurt: +12 grams of sugar in 4 oz. of “Sweetened Yogurt” +15 grams of sugar in 4 oz. vanilla-flavored yogurt + +Breakfast Condiment: +6 grams of sugar in 1 oz. “Yogurt Dipping Sauce” +8 grams of sugar in .4 oz. of table syrup individual +package + + +Page 17: +Superintendent’s Circular FNS-06 +Page 17 of 17 + + + + + + diff --git a/data/data_txt1/Health & Wellness (HWD)/HWD-01 Wellness Policy .txt b/data/data_txt1/Health & Wellness (HWD)/HWD-01 Wellness Policy .txt new file mode 100644 index 0000000..57a72ca --- /dev/null +++ b/data/data_txt1/Health & Wellness (HWD)/HWD-01 Wellness Policy .txt @@ -0,0 +1,3022 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HWD-01 +Version 01 + + + + +DISTRICT WELLNESS POLICY + +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +2 +I. POLICY +5 +A. Wellness Councils +6 +B. Cultural Proficiency +13 +C. School Food and Nutrition Promotion +16 +D. Comprehensive Physical Activity and Physical Education 20 +E. Comprehensive Health Education +25 +F. Healthy School Environment +26 +G. Safe and Supportive Schools +28 +H. Health Services +30 +I. Staff Wellness +33 +II. IMPLEMENTATION GUIDELINES +33 +A. District Wellness Council: +33 + + +Page 2: +Superintendent’s Circular HWD-01 +Page 2 of 102 + + + +B. School-based Wellness Councils: +34 +C. Implementation Guidelines for Monitoring and Evaluation 38 +III. DEFINITIONS +86 +IV. INDEX OF FEDERAL, STATE, AND BOSTON PUBLIC SCHOOL +WELLNESS-RELATED +POLICIES & GUIDELINES +91 + + +BACKGROUND + +Understanding that physical and mental health, emotional well- +being, and positive development are inextricably linked with +academic success, Boston Public Schools (BPS or the District) has +worked to transform the District’s capacity to meet the health +needs of Boston children. Improving overall student health is a +key factor in reaching the ambitious academic targets set forth in +the Superintendent’s Strategic Implementation Plan. Beyond the +academic imperative however, school, civic and community +leaders have a responsibility to help Boston’s children overcome +health barriers that may prevent them from successfully meeting +the challenges of reaching adulthood and assuming their roles as +the eventual leaders and stewards of our community. Our vision +for the BPS graduate challenges us to develop young people who +are more than scholars. It calls for graduates who are healthy in + + +Page 3: +Superintendent’s Circular HWD-01 +Page 3 of 102 + + + +both mind and body, prepared to make wise choices to ensure +their own physical, mental, and emotional well-being. + +To create a healthy school environment where the healthy choice +is the easy choice, we have developed this policy regarding +wellness initiatives in Boston Public Schools. This policy took +effect September 1, 2017. + +First passed on June 30, 2006, the District Wellness Policy was +implemented in September 2006. It was updated in June 2013, +and again in June 2017 taking into consideration the needs and +perspectives expressed by members of the Boston School +community, and responding to both the Healthy, Hunger-Free +Kids Act1 and Massachusetts Standards for School Wellness +Advisory Committees.2 This document is intended to assist +administrators and Wellness Council members in implementing +these guidelines in their schools. + +This District Wellness Policy reflects the comprehensive +approach stated in the District’s Strategic Plan for Health and +Wellness, Healthy Connections: Strengthening Coordination and + +1 P.L. 111–296—DEC. 13, 2010 +2 105 CMR 215 + + +Page 4: +Superintendent’s Circular HWD-01 +Page 4 of 102 + + + +Capacity in the Boston Public Schools to Advance Student +Health and Wellness and brings together content areas +recommended in the Centers for Disease Control and +Prevention’s Whole School Whole Community Whole Child +Approach. A subcommittee of the District Wellness Council +formed into seven work groups, representing these topic areas: +1. Cultural Proficiency +2. School Food and Nutrition Promotion +3. Comprehensive Physical Activity +4. Comprehensive Health Education +5. Healthy School Environment +6. Health Services +7. Safe and Supportive Schools +8. Staff Wellness + +These work groups consulted the perspectives of the Boston +School community as well as evidence-based national +recommendations and wrote specific policy language and +implementation guidelines that reference other relevant District +policies and further develop policy language regarding wellness +for all students. This comprehensive approach seeks to advance +Boston Public Schools’ strategic aims to: improve coordination +across programs and departments; improve and integrate data + + +Page 5: +Superintendent’s Circular HWD-01 +Page 5 of 102 + + + +collection; establish guidelines for accountability appropriate to +the group’s location within the organization; support building +noncompeting partnerships internally and externally; and build +sustainability. + +I. POLICY + +The Boston Public Schools (BPS or the District) aims to actively +promote the social, emotional and physical health and wellness +of all students to advance both their healthy development and +readiness to learn. Student and staff wellness is a core value of +the District and a key strategy to address health inequities and to +close opportunity and achievement gaps that impact BPS +students. Thus, BPS strives to be one of the healthiest school +districts in the country. BPS will ensure that the healthy choice is +the easy choice and that students learn the skills and knowledge +needed to make those choices. BPS is committed to +implementing a Whole School Whole Community Whole Child +(WSCC) approach to wellness, as recommended by the Centers +for Disease Control and Prevention (CDC) and ASCD (Association +of Supervisors and Curriculum Development). As a part of this +approach, BPS will meet the health and wellness needs of all +students through prevention, intervention and intensive +response. As a result, all BPS students will be challenged, +supported, engaged, safe and healthy. + + + +Page 6: +Superintendent’s Circular HWD-01 +Page 6 of 102 + + + +The District Wellness Policy is intended to link new and existing +wellness-related policies and convey a framework for creating +safe, healthy and welcoming school environments. BPS shall take +a comprehensive approach to reviewing and incorporating +changes in policy, curriculum, and operating procedures to +promote healthy lifestyles and sustainable wellness practices for +all students and staff. The work of implementing this policy relies +on the work and collaboration of instructional, operational, +clinical +and administrative staff at schools and central office +departments. BPS shall develop the capacity of schools to +implement the policy and improve the quality and equity of +programs, services, and supports. This policy is inclusive of all +students, staff, and families. + +A. WELLNESS COUNCILS + +1.) District Wellness Council +The BPS shall maintain a superintendent-appointed District +Wellness Council. This advisory group will develop, recommend, +review and advise on implementation of school District policies +that address student and staff wellness. The District Wellness +Policy shall be reviewed once yearly by the District Wellness +Council and considered for updates based on other model school +wellness policies and best practices, annual report findings and +recommendations, input from schools and the community, + + +Page 7: +Superintendent’s Circular HWD-01 +Page 7 of 102 + + + +research evidence, and regulations. The District Wellness Council +shall seek ongoing feedback from BPS community stakeholders. +Additionally, the District Wellness Council will develop an annual +Wellness Action Plan with goals and SMART objectives for the +coming school year. + +This council shall include at a minimum representatives from: +families, students, school and District instructional and +operational administrators, relevant central department heads, +school food and nutrition services staff, physical education and +health education teachers, school nurses and other school health +professionals (e.g. psychologists, guidance counselors, social +workers) a school committee member, community youth serving +agencies, Boston Public Health Commission representatives, +healthcare providers and the general public. Appointees to the +maximum extent possible shall reflect the cultural, linguistic, and +ethnic composition of BPS schools. General membership and +attendance at the District Wellness Council is open to all +stakeholders and the general public. The District Wellness +Council will implement a plan for involving and engaging all of +these stakeholders. + +2.) School-based Wellness Councils +All BPS schools shall establish and maintain a school-based +wellness council. School-based wellness councils shall act as a +shared leadership team to implement wellness-related District + + +Page 8: +Superintendent’s Circular HWD-01 +Page 8 of 102 + + + +policies. Councils must assess their school’s implementation of +the Wellness Policy and create and implement an annual +Wellness Action Plan as a part of the Quality School Plan. +Principals shall name a wellness council chair(s) to coordinate the +wellness council and act as a liaison to the District, community, +and families. Wellness council chairs will attend District training. +The council shall include at a minimum a school administrator, +family representatives, students (where feasible), representatives +of a wide range of school health and health-related disciplines, +including school nurses, school food service staff, health +education and physical education teachers and other school +health professionals, such as psychologists, guidance counselors, +and social workers. To the extent feasible, members will include +operations and custodial staff, community partners and the +general public. Appointees to the maximum extent possible shall +reflect the cultural, linguistic and ethnic composition of the +school community. + + +3.) Stakeholder Participation in Councils / Informing and +Updating the Public +The District will develop a district-level communication strategy +and communication guidance for schools to increase awareness +of the policy and its importance for creating a safe, healthy, and +welcoming school. a. The following are responsibilities for +informing stakeholders about policy: +1. BPS will post the District Wellness Policy on the BPS +website. + + +Page 9: +Superintendent’s Circular HWD-01 +Page 9 of 102 + + + +2. Schools must share a link to the District Wellness Policy on +their school’s website and send a message to families +notifying them of how they may obtain a copy or otherwise +access the policy. +3. School-based Wellness Councils shall annually +communicate wellness-related policies so that all staff, +families and students are aware of the policy requirements. +4. BPS and schools shall notify families and the public about +the content of the District Wellness Policy and any updates +to the policy on an annual basis. +5. BPS will ensure that the District Wellness Policy and any +public announcement related to the policy are available in +the languages that represent the school community. + +b. The following are responsibilities for informing stakeholders +about the District Wellness Council and school-based councils: +1. BPS will make available to the public and school +community, on the BPS website and through other regular +channels of communication that BPS utilizes, a list of names +and position titles (or relationship to the school) of +individuals who are a part of the District Wellness Council, +including the name, position title, and school- based contact +information of the council leadership and subcommittee co- +chairs. +2. BPS will post the District Wellness Action Plan on the BPS + + +Page 10: +Superintendent’s Circular HWD-01 +Page 10 of 102 + + + +website to share District goals and objectives for the school +year. +3. Schools must make available to the public and school +community on their website a list of names and position +titles (or relationship to the school) of individuals who are a +part of their school-based wellness councils and include the +name, position title, and school-based contact information +of the council chairs(s). +4. Schools must post their Wellness Action Plans on their +school’s website to share local school goals and activities to +implement the policy. +5. BPS shall make available to the public and the schools the +results of the annual assessment, which is detailed in the +next section, and actively notify families of the availability of +the assessment results. + +c. The following are responsibilities for engaging stakeholders: +1. The District Wellness Council and school-based councils will +encourage diverse membership on councils and +subcommittees, attendance at meetings, and participation +of all BPS stakeholders through public comment and +feedback. +2. BPS will share information on the District website about +how the public can get involved with the District and +school-based wellness councils. + + +Page 11: +Superintendent’s Circular HWD-01 +Page 11 of 102 + + + +3. Schools must share information on their school’s website +about how the public can get involved with the school +wellness councils. +4. BPS will develop methods to educate students about +wellness policies and ways they can be involved in the +wellness councils when developmentally appropriate. + + +4.) Monitoring, Assessment and Reporting +BPS shall develop and implement an evaluation plan designed to +measure school-level implementation and student level +outcomes of all policy components of the District Wellness Policy. +Where possible the metrics will align with other District +indicators and be measurable using existing evaluation tools and +systems and be sustainable over time. This plan will be made +available to the public as a part of the District Wellness Policy +circular. + +BPS shall annually assess compliance with the District Wellness +Policy, alternating between qualitative and quantitative annual +assessments. The annual assessment will measure the extent to +which schools are in compliance with the BPS policy and the +progress made in attaining the goals of the previous year’s +Wellness Action Plan. The District Wellness Council will write an +annual report that will include: the results of assessment, the +extent to which the Boston Public School District Wellness Policy +compares to model local school wellness policies, a summary of + + +Page 12: +Superintendent’s Circular HWD-01 +Page 12 of 102 + + + +the District activities and accomplishments related to wellness +policy implementation of the previous year, and goals and +objectives for the upcoming year. This annual report shall be +presented to the superintendent, the School Committee and the +Massachusetts Department of Education. The District will +develop a strategy for reporting on compliance of each school. + +BPS shall maintain records to document compliance with +Wellness Policy including: the written District Wellness Policy; +documentation demonstrating compliance with community +involvement requirements; documentation of the annual +assessment of the District Wellness Policy; and documentation to +demonstrate compliance with the annual public notification +requirements. + +5.) Wellness Policy Leadership +School principals are responsible for ensuring their school +complies with the Wellness Policy. At the District level, the +executive director of the Office of Health and Wellness is +responsible for overseeing monitoring, reporting, and +communication of the BPS Wellness Policy. The following District +departments are responsible for supporting implementation and +monitoring of specific components of the policy: +a. Behavioral Health Services +b. Facilities & Capital Management + + +Page 13: +Superintendent’s Circular HWD-01 +Page 13 of 102 + + + +c. Food and Nutrition Services +d. Health and Wellness +e. Health Services +f. Office of Engagement +g. Office of Equity +h. Office of Opportunity Gaps +i. Safe and Welcoming Schools +j. Transportation + +The compiled department information will be reported to +instructional superintendents and operational superintendents +who are granted the authority and responsibility by the +superintendent to ensure each school complies with the policy. +BPS will provide a means of contacting the District or school +official(s) responsible for oversight by designating District or +school-based phone(s) number and/or email address for this +purpose. + +B. CULTURAL PROFICIENCY + + +The Boston Public Schools is committed to creating a culturally + + +Page 14: +Superintendent’s Circular HWD-01 +Page 14 of 102 + + + +proficient District that embraces at its fundamental core the +culturally sustaining and affirming beliefs and practices that +honor differences while mitigating the effects of concentrated +poverty and institutional racism in the effort to eliminate gaps +and promote health and wellness for all. The District is +committed to providing authentic learning opportunities for +every child in every classroom in every school to ensure they +develop into healthy, engaged, self-determined, and +independent learners that are college and career ready. The +District recognizes that Culturally and Linguistically Sustaining +Practices (CLSP) helps to create a safe, healthy and welcoming +environment that supports all students’ social, emotional, +physical and academic learning as well as their health and +wellness. Cultural Proficiency is an approach that raises +awareness of individual and institutional culture and bias, +encourages cultural learning and relationship building, and +implements CLSP, to respect, celebrate and build on cultural +strengths and diversity. Cultural diversity includes but is not +limited to group and/or individual identities based on race, +ethnicity, nationality, immigration status, religion, language, +gender, sexual orientation, gender identity, ability, social class, +and home life or family structure. Cultural Proficiency should be +integrated into the implementation of other areas of the District +Wellness Policy and is called out here to establish specific actions +to be taken by the District and the schools. + +The District will support the development of staff and +administrators’ competencies to build cultural proficiency in + + +Page 15: +Superintendent’s Circular HWD-01 +Page 15 of 102 + + + +schools, classrooms and central office departments. Schools shall +collectively assess their organizational structure, policies and +school-wide practices for bias(es) as well as examine their +physical environment, classroom curricula, instructional materials +and wellness promotions. Schools will use this assessment to +inform their annual Wellness Action Plan. The District and the +schools shall include student, family and community +participation in decision-making bodies and create structures for +feedback from students, families and communities and increased +engagement of all families in wellness-related policies and +committees. This includes recognizing specific barriers faced by +families of ELL students and ELL students with disabilities by +targeting outreach to these groups and using the Translation and +Interpretation Unit to translate family-focused communications +and to provide interpretation as requested during meetings. + +Schools will follow other cultural proficiency-related policies, +including those regarding race, ethnicity, immigration status, +religion, language, gender, sexual orientation, gender identity, +and disabilities and policies that promote family and student +engagement. The work of creating a culturally proficient District +requires the participation of departments and staff across the +District and requires engagement in interdepartmental +collaboration. + + + + +Page 16: +Superintendent’s Circular HWD-01 +Page 16 of 102 + + + +C. SCHOOL FOOD AND NUTRITION PROMOTION + +The Boston Public Schools supports lifelong healthy eating habits +for all students and staff and is committed to addressing the +increasing rates of diet-related health consequences among +these groups by creating a healthy school food environment. +Serving healthy choices in the lunchroom, limiting availability +and marketing of unhealthful foods and sugary drinks, and +making water available to students throughout the day are some +of the ways to create a healthy school food environment. BPS is +committed to ensuring food sold or served outside of the +cafeteria meets high nutritional standards. + +Boston Public Schools believes the cafeteria is an essential +setting to educate and promote healthy eating habits. Boston +Public Schools is committed to serving students nutritious and +delicious food that is less processed, more locally sourced, and +culturally responsive to reflect the diverse student population. As +an effective way to improve the nutritional quality of both foods +served in schools and consumed by students, BPS will create and +implement School Meals Nutrition Standards, going beyond +federal requirements. BPS shall undertake a constant review of +school food and the food environment to ensure safety, quality, +menu equity, and innovation. Boston Public Schools shall be an +innovator with school food, serving foods that are new and +exciting for the students. We believe that students deserve meals +reflective of their culture and tastes. We believe eating well is not + + +Page 17: +Superintendent’s Circular HWD-01 +Page 17 of 102 + + + +a privilege; it is a right. Therefore, BPS is committed to ensuring +all students are food secure. + +Key requirements of creating a healthy school food environment +are: + +1.) School Meals Program +a. Ensure all menus meet USDA-mandated requirements, as +well as Massachusetts Department of Public Health +regulations and the latest scientific evidence on healthy +eating practices. At a minimum, schools must follow Bronze +status standards for the Alliance for a Healthier Generation, +and work toward Bronze status standards for the Healthier +US School Challenge. +b. Ensure all menus offer variety and are well presented in an +appealing way, and meals and menu items are labeled to +communicate deliciousness, as well as specific ingredients. +c. Encourage students to participate in breakfast, lunch, and +afterschool meals programs and avoid stigmatizing children +who participate. +d. Provide foods that are free of unwanted ingredients +including, trans fats, high fructose corn syrup, artificial +colors, artificial sweeteners, additives (azodicarbonamide, +bromated flour), and artificial preservatives (nitrates, nitrites, + + +Page 18: +Superintendent’s Circular HWD-01 +Page 18 of 102 + + + +sulfates, sulfites, MSG, BHA, BHT, TBHQ). Menus follow the +BPS Menu and Ingredient Guidelines. The guidelines are +updated annually. +e. Reduce material used for packaging, sourcing recyclable or +compostable materials when possible and working to +promote best practices around recycling and composting. +f. Water must be available at no cost during mealtimes +wherever meals are served. + +2.) Food Safety +a. Ensure kitchen facilities (both prep and satellite locations) +are inspected twice a year by the Inspectional Services +Division (ISD - Health Department). +b. Implement a stringent and detailed internal Hazard Analysis +and Control Points (HACCP) plan that provides regulations +in following safety procedures for food recalls, emergency +preparedness to avoid foodborne illnesses, and the spread +of infectious diseases. +c. Ensure all employees who work 5+ hours are certified in +food safety. +d. Ensure all lead employees are allergy awareness certified +and have American Heart Association HeartSaver First Aid +Program 2-year certification. + + + +Page 19: +Superintendent’s Circular HWD-01 +Page 19 of 102 + + + +3.) Nutrition Education, Promotion and Food & Beverage +Marketing +a. Promote health and nutrition messages that encourage the +consumption of fruits and vegetables, whole grains, healthy +fats, low-fat dairy products, and water and other messages +consistent with research-based findings that indicate a +positive impact on health. +b. Identify opportunities to teach healthy eating habits in +health education, physical education, and other subjects, +and through cafeteria and other school-wide promotions. +c. Identify opportunities to support teachers, school staff, and +parents around modeling healthy eating habits and +following appropriate nutritional standards at school +celebrations and staff meetings. +d. Allow only food and beverage marketing on school grounds, +including items shared with students, that promote foods +and/or beverages that meet the BPS nutritional standards. + +4.) Competitive Food & Beverages +a. All schools shall follow federal, state, and local laws and +regulations for competitive foods and beverages (i.e. foods +sold, provided, or served within school buildings or on +school grounds outside of the school meals program) as +outlined in this circular. + + +Page 20: +Superintendent’s Circular HWD-01 +Page 20 of 102 + + + +b. Prohibit food sold in competition with school meals, +including food-based fundraisers and vending machines +during the school day. +c. The Food and Nutrition Services Department is solely +responsible for food and beverages sold to children during +the school day; consequently, the sale of food and beverages +by others is expressly forbidden. +d. Encourage non-food alternatives for school fundraisers, +school parties, and classroom celebrations. +e. Prohibit the use of food and beverage as a reward or means +of discipline. + +All Boston Public Schools shall follow Food and Nutrition Services +policies and circulars. + +D. COMPREHENSIVE PHYSICAL ACTIVITY AND PHYSICAL +EDUCATION + +The Boston Public Schools is committed to a District-wide, +strategic effort to increase all students’ physical activity and +fitness by bringing more physical education and physical activity +to schools; improving the quality of physical education and +recess; and increasing the equity of physical activity programs +and resources across our schools. Activities will be inclusive to + + +Page 21: +Superintendent’s Circular HWD-01 +Page 21 of 102 + + + +meet the needs, interests, abilities and cultural diversity of all +students, including students of all gender identities, students +with disabilities, and students with special healthcare needs. + +Numerous studies indicate that regularly engaging in moderate- +to-vigorous exercise contributes to overall physical and mental +health and that nurturing an exercise habit among children lays +the foundation for lifelong fitness. Research also shows that +increased physical activity increases children’s cognitive function, +ability to concentrate in class, and academic performance. Thus, +as a part of a strategic effort to improve academic performance, +BPS recognizes and promotes the benefits of a Comprehensive +Physical Activity Program, where quality physical education is the +cornerstone and additional physical activity is integrated +throughout the school day and into before and after school +programs, staff wellness and family engagement activities. + +The Boston Public Schools is committed to a strong athletics +program that offers a variety of programs and is accessible to all +students. Athletics participation can contribute to student fitness, +wellness, character development and a lifelong commitment to a +physically active lifestyle. Additionally, by establishing a safe, +supportive and engaging school environment, athletic programs +encourage school connectedness and create a climate where +healthy competition and support fill the school with spirit and a +sense of community. Research shows that healthy children are +better learners and connected students are more likely to stay in + + +Page 22: +Superintendent’s Circular HWD-01 +Page 22 of 102 + + + +school. In this way, athletics contributes to the academic success +of students. + +In accordance with state law, all schools must provide all +students in all grades with opportunities for physical activity. +Schools must offer at least 150 minutes of in-school physical +activity weekly in grades PreK-8, including required physical +education, movement breaks, recess, or lessons involving +movement structured to support moderate-to-vigorous physical +activity (MVPA). In grades PreK-8, students are expected to have +at least 20 minutes of daily recess. + +Teachers and other school and community personnel shall not +use physical activity (e.g., running laps, pushups) as punishment +nor withhold opportunities for physical activity during the school +day (including but not limited to recess, classroom physical +activity breaks, or physical education) as punishment for any +reason other than illness or safety or as approved by the school +leader. This includes denying a student physical activity time in +order to make up work unless under unusual circumstances. The +district will provide teachers and other school staff with a list of +ideas for alternative ways to discipline students. + +All schools must offer standards-based physical education (PE) +for all students in all grades. Schools are required to offer at least +45 minutes of weekly PE in grades PreK-8 and at least one + + +Page 23: +Superintendent’s Circular HWD-01 +Page 23 of 102 + + + +semester (equivalent of a half school year) of PE each year in +grades 9-12. We recommend that schools provide at least 80 +minutes of weekly PE in grades PreK-8. In order to help schools +work toward this recommendation, Boston Public Schools will +develop an implementation plan with input from current +principals and headmasters. This implementation plan will be +shared with the School Committee. + +Teachers and other school and community personnel shall not +use physical activity (e.g., running laps, pushups) as punishment; +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity +breaks or physical education) as punishment for any reason; or +deny a student physical activity time in order to make up work +unless under unusual circumstances. + +Extended day programs and out of school time, which includes +before and after school programs, are expected to offer an array +of physical activity opportunities to ensure all students are able to +participate. Schools shall offer opportunities for students to +participate in physical activity before and after the school day, +including extended day time, through a variety of methods +including physical activity clubs, physical activity in before/after +school programs, intramurals and interscholastic sports, and in +their school commute. + + + +Page 24: +Superintendent’s Circular HWD-01 +Page 24 of 102 + + + +The District recognizes that students benefit from bicycle and +pedestrian safety education to help make the trip to and from +school safer and instill confidence in students, parents and +community members. The District will develop and maintain +policies and procedures for working together with city agencies, +schools, families, and students in efforts to promote a safer and +easier trip to and from school when students and staff are +walking, bicycling, using public transit or other means of +physically active transport. The District will encourage 7-12th +grade students to use public transportation when available and +appropriate for travel to school, and will work with the local +transit agency to provide transit passes for eligible 7-12th grade +students. The District will provide resources to schools, students +and families regarding walking, riding a bicycle, using public +transit or other forms of active transportation. The District will +encourage wellness councils, school administrators and students, +staff, families and community partners to assist the District in +promoting safe, physically active travel to and from school. +Schools are encouraged to designate a transportation liaison to +facilitate communication regarding District efforts to promote +safe, physically active travel to and from school. Schools shall +participate in student transportation surveys when requested to +help the District plan for strategies to promote a safer and easier +trip to and from school when walking, bicycling, using public +transit or other means of physically active transport. + + + +Page 25: +Superintendent’s Circular HWD-01 +Page 25 of 102 + + + +E. COMPREHENSIVE HEALTH EDUCATION + +The Boston Public Schools require comprehensive Pre-K through +grade 12 health education that is medically accurate, age and +developmentally appropriate, culturally and linguistically +sustaining, and implemented in a safe and supportive learning +environment where all students feel valued. All Boston Public +Schools must take a skills-based approach to teach +comprehensive health education that addresses a variety of +topics, such as tobacco, alcohol, and substance misuse and harm +reducation, nutritional health, mental and emotional health, +personal health and wellness, physical activity, safety and injury +prevention, violence prevention, and comprehensive sexual +health education that is LGBTQ+ affirming. + +Comprehensive health education curriculum shall be modified as +needed for students with disabilities and students who are +English learners. It shall promote healthy lifestyle habits, healthy +relationships and health literacy for all students. Health +education curricula will align with the BPS Health Education +Frameworks, which integrate the Massachusetts Comprehensive +Health Curriculum Framework and National Health Education +Standards, as well as the National Sexuality Education Standards. +Qualified and trained teachers will implement the curricula. + +All schools will follow relevant promotion and graduation + + +Page 26: +Superintendent’s Circular HWD-01 +Page 26 of 102 + + + +requirements that include: Health education that includes at +minimum the Healthy and Safe Body Unit in elementary school; +two semesters of health education in grades 6 to 8 taught by a +licensed health education teacher; and a one semester course of +health education in total in grades 9 to 12 taught by a licensed +health education teacher. In addition to these course +requirements, health education topics will be integrated into +other subject areas where possible, so as to reinforce their +importance, provide additional skill practice, and demonstrate +the connections of health concepts to many other content areas. + +F. HEALTHY SCHOOL ENVIRONMENT + +The Boston Public Schools recognizes that healthy physical +environments are critical to the prevention of asthma and other +chronic and infectious diseases that impact learning. The Boston +Public Schools is committed to providing high-performing school +buildings and grounds that are clean, in good repair, have +healthy indoor air quality and water quality, sanitary and +accessible bathrooms, and use resources efficiently. BPS strives +to provide adequate facilities for physical activity that are +accessible and culturally inclusive learning environments that +positively impact productivity, health, and wellness of all students +and staff. To address environmental risk factors for chronic and +infectious disease, each school will receive an Annual +Environmental Audit to evaluate health and safety conditions +such as leaks, mold, pests, chemical storage and cleanliness. The + + +Page 27: +Superintendent’s Circular HWD-01 +Page 27 of 102 + + + +District shall maintain a Healthy Schools Taskforce (HST) to +promote and raise awareness of the health of the built +environment and ensure continuous improvement of BPS +healthy school environment policies and programs. + +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, shall comply with +existing federal and state regulations, city ordinances and District +policies related to promoting and managing healthy school +environments, including but not limited to: +○ Green Cleaners +○ Integrated Pest Management +○ Trash and Recycling +○ Infection Prevention & Control +○ Tobacco Free Environmental Policy +○ Environmental Inspection/Audit +○ Student Safety/Health in School Shops +○ BPS Water Policy +○ Laboratories and Chemical Inventory “Right to Know” Law +○ Idling of buses and other motor vehicles on school property + + + +Page 28: +Superintendent’s Circular HWD-01 +Page 28 of 102 + + + +Schools shall regularly assess the quality and quantity of BPS +facilities for active transportation, physical activity, and physical +education, including schoolyards, and report maintenance needs +for these facilities. + +G. SAFE AND SUPPORTIVE SCHOOLS + +The Boston Public Schools shall create a safe and supportive +school environment for all students that is culturally proficient, +engaging, and inclusive and one that provides skills-based +education to promote healthy relationships and development +and provides access to support services. Prevention, promotion +and intervention-based work will address and integrate social +emotional health and behavioral health. BPS will continue to +foster a variety of integrated community partnerships to +maximize support to students, families and schools. Partnerships +in this area include allied city and state agencies, universities, +hospitals and other community-based organizations. Schools will +better meet the needs of students by creating safe and inclusive +climates that are responsive to all forms of bullying and violence, +including bias-based conduct, suicide, intimate partner violence, +and sexual harassment and assault, and using screening and +promotion efforts, including mental health and substance use +screening. Special attention will be given to vulnerable student +populations, including but not limited to LGBTQ students, +refugee, asylee, documented and undocumented immigrant +students, ELL students and ELL students with disabilities, + + +Page 29: +Superintendent’s Circular HWD-01 +Page 29 of 102 + + + +expectant and parenting students, court-involved students, +students experiencing homelessness, and students experiencing +trauma. These efforts will create a safe and supportive learning +environment that optimizes academic outcomes for all students. +Implementation of these efforts requires school psychologists, +social workers, guidance counselors, school nurses, community +partners and trained classroom teachers working together on an +effective student support team. Boston Public Schools shall +develop and implement a plan for K-12 SEL standards. + +Boston Public Schools shall put in place systems that align to the +district-accepted Multi-tiered System of Supports (MTSS) +framework to ensure that all students have access to key +resources and services in a safe and supportive environment. +Schools shall adopt a MTSS Framework to support the +development of a continuum of behavioral health supports and +interventions falling across three tiers: Tier 1: Prevention and +promotion, Tier 2: At-risk interventions and services and Tier 3: +Intensive interventions and services. Embedded into MTSS is the +use of positive behavioral interventions and supports and social +emotional learning instruction designed to create safe and +supportive school climates and build the skills of staff and +students. The Comprehensive Behavioral Health Model (CBHM) +is an example of an evidence-based MTSS-Behavioral framework +designed to meet the behavioral health needs of students and +includes evidence-based practices interventions and data to +determine effectiveness. CBHM is used in many BPS schools and +will be made available to all schools. CBHM has been proven to + + +Page 30: +Superintendent’s Circular HWD-01 +Page 30 of 102 + + + +promote positive behavioral health and reduce barriers to +learning for students in participating schools. MTSS framework, +including CBHM, incorporates the following key elements: +○ Assessment including universal behavioral health screening +○ Instruction including social emotional learning curriculum +and delivery of services +○ Data based decision making +○ Building staff leadership and capacity +○ Effective District and school structures and procedures (e.g. +student support teams) + +In addition, schools shall follow all BPS policies that address +specific areas of school safety and climate including the Code of +Conduct and other related policies such as those related to crisis +management, expectant and parenting students, sexual +harassment, discrimination, and assault. + +H. HEALTH SERVICES + +The Boston Public School Health Services support students to be +healthy, engaged, safe, and academically challenged by +providing high quality, cost-effective in-school health care. BPS +nurses are responsible for evaluating and managing the health + + +Page 31: +Superintendent’s Circular HWD-01 +Page 31 of 102 + + + +needs of all students. That includes the following: +○ Case management students with special health needs, +including chronic or acute illnesses +○ Monitoring and administering medications and medical +procedures as prescribed by a student’s primary care +provider or medical specialist +○ Providing first aid and emergency care +○ Screening students for height, weight, Body Mass Index, +vision, hearing, scoliosis, substance use (screening, brief +intervention and referral to treatment) +○ Managing student medical records and immunization +records +○ Managing the control of communicable diseases +○ Coordinating medical transportation for students +○ Coordinating special dietary accommodations for students +with food allergies +○ Working with other school-based groups to provide safe +and healthy environments + +In addition, school nurses engage in one-on-one education, small +group health counseling, wellness promotion, and preventive +services as part of the provision of care coordination services. BPS +school nurses ensure access and/or referrals to the medical home + + +Page 32: +Superintendent’s Circular HWD-01 +Page 32 of 102 + + + +or private health care provider. Where lawful, Boston Public +Schools encourages positive communication and involvement +with family regarding health services. Health Services actively +collaborates with school and community support services to +increase the ability of students and families to adapt to health +and social stressors, such as chronic health conditions, adverse +childhood experiences (ACE) and other social, emotional and +economic determinants of health. BPS Health Services is +committed to building partnerships with city agencies, medical +providers, and community partners to leverage additional +resources and health services. + +Under Massachusetts Adolescent Confidentiality laws, adolescent +students may receive confidential services for diagnosis, +treatment and/or referral for drug addiction, family planning +services, sexually transmitted diseases, and mental health. In +accordance with the BPS Condom Accessibility Circular, BPS +High Schools shall provide access to condoms, with appropriate +reproductive health counseling for students. Each high school +will have a Condom Accessibility Team (CAT) which will consist of +a minimum of at least three school staff members. Condoms will +be made available through the CAT at each school. Condoms will +also be accessible from community health service partners and +the Boston Public Health Commission (BPHC). Parents and legal +guardians may exempt their children from receiving condoms by +notifying the school when they complete the family information +forms at the beginning of the school year. This exemption to not +receive condoms does not apply to other confidential health + + +Page 33: +Superintendent’s Circular HWD-01 +Page 33 of 102 + + + +services. + +I. STAFF WELLNESS + +The Boston Public Schools cares about the well-being of staff +members and understands the influence that staff actions have +on all student health behaviors. All staff shall promote a school +environment supportive of healthy behaviors. Adults are +encouraged to model healthy behaviors, especially on school +property and at school-sponsored meetings and events. Schools +are encouraged to support staff wellness initiatives. + + +II. IMPLEMENTATION GUIDELINES + +The following guidelines will ensure the implementation of the +Boston Public Schools Wellness Policy: + +A. DISTRICT WELLNESS COUNCIL: + +The superintendent will appoint members to serve on the District + + +Page 34: +Superintendent’s Circular HWD-01 +Page 34 of 102 + + + +Wellness Council. The council will: + +a. Follow bylaws that are aligned with Massachusetts +Standards for School Wellness Advisory Committees.3 +b. Annually review, and if needed recommend, District-wide +policies to promote student wellness +c. Annually set Council goals and objectives +d. Annually report progress on Council goals, objectives, +policies, and monitoring & evaluation of Wellness Policy +implementation + +B. SCHOOL-BASED WELLNESS COUNCILS: + +Schools will establish and maintain a school-based wellness +council. Principals shall name a wellness council chair(s) to +coordinate the wellness council and act as a liaison to the District, +community, and families. Wellness council chairs will attend +District training. School-based Wellness Councils on an annual +basis shall: + +3 M.G.L. 105 CMR 215 + + +Page 35: +Superintendent’s Circular HWD-01 +Page 35 of 102 + + + + +a. Convene at least 4 times per school year. +b. The council shall include at a minimum a school +administrator, family representatives, students (where +feasible), representatives of a wide range of school health +and health-related disciplines, including school nurses, +school food service staff, health education and physical +education teachers and other school health professionals, +such as psychologists, guidance counselors, and social +workers. To the extent feasible, members will include +operations and custodial staff, community partners and the +general public. Appointees to the maximum extent possible +shall reflect the cultural, linguistic and ethnic composition of +the school community +c. Implement District-level policies related to wellness. School +Wellness Councils will annually review District policies +related to wellness. If applicable, the school wellness council +will apply strategies to implement these policies. See the +Index of Federal, State, and Boston Public School wellness- +related Policies & Guidelines section on page 17. +d. Assess the school’s wellness status. Schools will use the +following surveys and audits to assess the wellness status of +school: +○ Healthy Schools Program Inventory, Alliance for a +Healthier Generation. +○ Environmental Health Inspection Audit + + +Page 36: +Superintendent’s Circular HWD-01 +Page 36 of 102 + + + +○ School Health Profiles, Centers for Disease Control and +Prevention +○ District data, such as the Youth Risk Behavior Survey +○ Other District priorities +The Health and Wellness Department will determine on an +annual basis the exact timeline and process for completing +these assessments. +e. Create and Implement a Wellness Action Plan. Schools will +complete a BPS Wellness Action Plan template and include +a link to their plan in the Wellness section of their Quality +School Plan (QSP) by Fall due date. The Wellness Council +coordinator(s) name and contact information should also be +included on the QSP. Principals are ultimately responsible +for the implementation of the Wellness Action Plan. The +Health and Wellness Department, in collaboration with the +instructional and operational superintendents will +determine on an annual basis the exact timeline and +process. The school will complete this Plan as a Quality +School Plan, or other academic improvement plans. +Wellness Action Plans must include goals and school-based +activities designed to promote student wellness based on +the results of the school’s Healthy Schools Program +Inventory, Environmental Health Inspection/Audit, annual +District priorities, and other appropriate assessment tools. A +Roster of each school’s Wellness Council will be submitted +as a part of the Wellness Action Plan template. Instructions +and a template for the Wellness Action Plan can be found + + +Page 37: +Superintendent’s Circular HWD-01 +Page 37 of 102 + + + +online at: http://www.bostonpublicschools.org/hwd +f. Engaging stakeholders: +○ Schools must make available to the public and school +community on their website a list of names and +position titles (or relationship to the school) of +individuals who are a part of their school-based +wellness councils and include the name, position title, +and school-based contact information of the council +chairs(s). +○ Schools must share information on their school’s +website about how the public can get involved with +the school wellness councils. +○ Schools must post their Wellness Action Plans on their +school’s website to share local school goals and +activities to implement the policy. +○ Schools must share a link to the District Wellness +Policy on their school’s website and send a message to +families notifying them of how they may obtain a copy +or otherwise access the policy. +○ School-based Wellness Councils shall annually +communicate wellness-related policies so that all staff, +families and students are aware of the policy +requirements. + + + +Page 38: +Superintendent’s Circular HWD-01 +Page 38 of 102 + + + +Associated Boston Public Schools District departments will +provide professional development, toolkits, resources, and +technical assistance to support the implementation of District- +level policies related to wellness. Schools will be able to access +professional development using the District-supported My +Learning Plan. Wellness related trainings will be culturally +proficient by addressing race, ethnicity, and nationality; sexual +orientation and gender identity; special needs; language and +dialect; and practical skills in mediating intercultural conflict. + +C. IMPLEMENTATION GUIDELINES FOR MONITORING AND +EVALUATION + +The Boston Public Schools Health and Wellness Department, in +collaboration with appropriate District Departments, will be +designated to ensure that each school, including out of school +time programs, complies with this policy. Other wellness-related +policies will be monitored, evaluated, and supported by the +District departments that currently oversee these policies. The +District will collect additional data than listed in this section to +monitor compliance. + +To evaluate the effectiveness of policy implementation, the BPS +Health and Wellness Department and appropriate District +departments will facilitate school-based surveys and audits +measuring changes in school environments over time. Such + + +Page 39: +Superintendent’s Circular HWD-01 +Page 39 of 102 + + + +surveys include: +a. Healthy Schools Program Assessment, Alliance for a +Healthier Generation. +b. School Health Profiles, Centers for Disease Control and +Prevention +○ Principal Survey (all school levels) +○ Lead Health Ed. Teacher Survey (schools with grades 6- +12) +○ Lead Phys. Ed. Teacher Survey (all school levels) +c. District staffing reports from the Office of Human Capital +d. Essential School Health Services Monthly Activities Report +e. School Environmental Audit + +To evaluate the effectiveness of policy implementation, the BPS +Health and Wellness Department and appropriate District +departments will facilitate anonymous student surveys +measuring changes in student outcomes over time. Where +possible, data must be reported by vulnerable subgroups (e.g. +race/ethnicity, gender, sexual identity) Such surveys include, but +are not limited to: +a. Youth Risk Behavior Survey (YRBS): +○ Middle School YRBS (conducted biennially in + + +Page 40: +Superintendent’s Circular HWD-01 +Page 40 of 102 + + + +randomized sample of schools serving students in +grades 6-8 during the Fall semester of even numbered +school years, i.e., Fall 2013, 2015, 2017, etc.). +○ High School YRBS (conducted biennially in randomized +sample of schools serving students in grades 9-12 +during the Spring semester of odd numbered school +years, i.e., Spring 2015, 2017, 2019, etc.) +b. School Climate Survey (conducted annually by the Office of +Data & Accountability) +c. FITNESSGRAM (grades 3-12) +d. Health Services SNAPNurse system + +As stated above, the annual report shall be presented to the +DWC, superintendent, the School Committee, and the +Massachusetts Department of Education, and shared with BPS +stakeholders. + +District Wellness Policy Monitoring & Evaluation Plan + +Table Abbreviations: +PO = Process Outcome; IMO = Intermediate Outcome; LTO = + + +Page 41: +Superintendent’s Circular HWD-01 +Page 41 of 102 + + + +Long-term Outcomes +General Policy/Council (GEN) Metrics +GEN Process Outcomes (PO) + + +Page 42: +Superintendent’s Circular HWD-01 +Page 42 of 102 + + + +PO1: DWC and Subcommittee Meetings [DWC Records] +PO1.1: # of Meetings (DWC & by subcommittee) +PO1.2: # of attendees +PO1.3: Action Plan completion (yes/no) +PO1.4: Review Policy (yes/no) +PO1.5: Hear Stakeholder Feedback through public comment +(yes/no) +PO1.6: Update policy (yes/no/not applicable) +PO2: Policy Communication/Public Notification (yes/no) +[DWC Records] +PO2.1: Policy Translation +PO2.2: Post to BPS website: Policy, meeting times, action +plan, membership, contact information +PO2.3: Policy in Parent Guidebook +PO2.4: Policy update presentations to School Committee +PO2.5: Policy update presentations to: BSAC, CPC, DELAC, +SPEDPAC +PO3: Policy Evaluation [DWC Records/Profiles] +PO3.1: Evaluation Plan (in place) + + +Page 43: +Superintendent’s Circular HWD-01 +Page 43 of 102 + + + +PO3.2: Annual Report (yes/no) +PO3.2.1: Alternating Qualitative & Quantitative Reports +PO3.2.2: Post to website +PO3.2.3: Share with Superintendent, School Committee, +DESE +PO3.2.4: Sent to parent councils +PO3.3: Biennial School Wellness Reports [Profiles] +PO4: Policy Trainings +PO4.1: PDs for school wellness council and teachers [HWD +Records] +PO4.2: Training materials for Principals, Superintendents, +Central Office Leaders +PO5: School-based Wellness Councils +PO5.1: % of schools submitting WAPs [HWD Records] +GEN Short-term Outcome (STO) 1: Increase awareness and +knowledge of the District Wellness Policy among BPS +families, District staff, and school leadership and staff +STO1.1: % of schools that post WAP, council members, and +council chair(s) contact information to their website [Profiles +SY19-20] + + +Page 44: +Superintendent’s Circular HWD-01 +Page 44 of 102 + + + +STO1.2: % of schools that send a communication about the +policy home to parents [Profiles] +STO1.3: % of schools that communicate policy to school staff +[Profiles] +GEN STO 2: Improve diverse stakeholder involvement on the +District Wellness Council, the DWC subcommittees & +school-based wellness councils +STO2.1: DWC membership includes representatives from +families, students, school and District instructional and +operational administrators, relevant central department +heads, school food and nutrition services staff, physical +education and health education teachers, school nurses and +other school health professionals (e.g. psychologists, +guidance counselors, social workers) a school committee +member, community youth serving agencies, Boston Public +Health Commission representatives, healthcare providers +and the general public [DWC Records] +STO2.2: # of public comments made during DWC meetings +[DWC Records] +STO2.2: #(%) of school wellness councils with 2 or more +family reps on the wellness council [WAPs] +STO2.3: #(%) of school wellness councils with 2 or more +students on the wellness council [WAPs] + + +Page 45: +Superintendent’s Circular HWD-01 +Page 45 of 102 + + + +GEN STO 3: Improve policy to align with model school +wellness policies and best practices, annual report findings +and recommendations, input from schools and the +community, research evidence, and government +regulations. [DWC records] +STO3.1: Policy updates by area +GEN STO 4: Increase the number of schools with quality +wellness councils [HWD Records] +STO4.1: #(%) of schools with wellness councils that meet +quarterly +STO4.2: #(%) of schools with identified wellness council +chair(s) +GEN IMO 1: Improve the functionality of the school-based +wellness councils [WAPs] +IMO1.1: % of WAPs with SMART Goals +IMO1.2: % of WAPs goals in each policy area +IMO1.3: % of wellness council with +IMO1.3.1: Minimum representation of member roles +IMO1.3.2: Addition representation of member roles + + +Page 46: +Superintendent’s Circular HWD-01 +Page 46 of 102 + + + +IMO1.4: % of schools with trained wellness council co-chairs +Cultural Proficiency (CP) Metrics +CP Process Outcomes: +PO1: # of trainings on Equity policy and practices (e.g. Equity +Protocol, Welcoming Schools, EQT-4) [Equity Office] +PO2: # (%) of schools that have staff trained on CLSP +PO3: # (%) of central office departments that have at least +70% staff trained on CLSP +PO4: # (%) of staff by school trained on CLSP +CP STO 1: Increased # of schools assessing organizational +structure, policies, and school-wide practices for cultural +proficiency +STO1.1: # (%) of schools with CLSP goal on their WAP +CP STO 2: Increased # of schools engaging families, +students, and community members in decision-making +[WAPS] + + +Page 47: +Superintendent’s Circular HWD-01 +Page 47 of 102 + + + +STO2.1: # of family members on school-based wellness +council +STO2.2.: # of students on school-based wellness council +STO2.3: # of community orgs on school-based wellness +council +STO2.4: # (%) of schools that engage these groups in +wellness council +CP IMO 1: Positive perceived climate around cultural +proficiency +IMO1.1: District score on Community Involvement Scale +[Climate Survey/ODA] +IMO1.2: District score on Appreciation for Diversity Scale +[Climate Survey/ODA] +IMO1.3: District score on Family/School Relationship Scale +[Climate Survey/ODA] +IMO1.4: District score on Cultural Responsiveness Scale +[Climate Survey/ODA] +IMO1.5: District score on Student/Teacher Relationships Scale +[Climate Survey/ODA] +IMO1.6: Parent perception of school climate as safe and +welcoming [Climate Survey/ODA] + + +Page 48: +Superintendent’s Circular HWD-01 +Page 48 of 102 + + + +IMO1.7: % of middle and high school students that report +having an adult at school that they can talk about issues in +their life [2017 MS & HS YRBS] +School Food & Nutrition Promotion (SFNP) Metrics +SFNP Process Outcomes (PO) +PO1: # (%) of schools participating in the School Breakfast +Program [FNS Records] +PO1.1: # (%) of schools using different models of the School +Breakfast program +PO2: % (#) of schools participating in School Lunch Program +[FNS Records] +PO2.1: % (#) of school using different models of the School +Lunch Program +PO3: # (%) of schools with cafeteria staff trained on food +safety [FNS Records] +PO4: # (%) of schools with completed kitchen inspection +[FNS records] +PO5: # of Healthy Food Environment Wellness Champions +[HWD records] +PO6: # (%) of school leaders aware of the competitive sales + + +Page 49: +Superintendent’s Circular HWD-01 +Page 49 of 102 + + + +policy [HWD Records] +PO7: # of nutrition education PDs [HWD Records] +PO8: # of staff trained at nutrition education PDs [HWD +Records] +SFNP STO 1: Increase variety of foods that are local, culturally +influenced, and clean label [FNS Records] +STO1.1: % of food items procured by the District that are local +STO1.2: % of menu items that are culturally influenced to +reflect the student population +Cafeteria Schools +Vended Meals +SFNP STO 2: Increase support of BIC from school +administration +STO2.1: #(%) of schools implementing BIC [FNS Records] +SFNP STO 3: Increase awareness of competitive sales policy +STO3.1: #(%) of school leaders that inform their staff of the +competitive sales policy [Profiles] + + +Page 50: +Superintendent’s Circular HWD-01 +Page 50 of 102 + + + +SFNP STO 4: Maintain 100% of schools with cafeteria staff +with all required certifications, inspected kitchen, and a +Hazard Analysis and Control Points plan +STO4.1: % of schools with cafeteria staff with all required +certifications, compliant kitchen, and a Hazard Analysis and +Control Points plan [FNS Records] +SFNP STO 5: Increase in schools teaching healthy eating +habits in health education, physical education, and other +subjects +STO5.1: # (%) of schools teaching nutrition education through +Comprehensive Health Education [Profiles] +SFNP STO 6: Increase in the number of satellite schools able +to provide bulk, freshly prepared, on-site meal service [FNS +Records] +STO6.1: % of schools receiving vended meals +STO6.2: % of satellite schools that are converted to be able to +provide bulk, freshly prepared, on-site meal service (In three +years, all schools implementing My Way Cafe model) +SFNP IMO 1: Increased participation in all school meal +programs + + +Page 51: +Superintendent’s Circular HWD-01 +Page 51 of 102 + + + +IMO1.1: Number or percent of schools with at least XX% of +students participating in SBP, NSLP, CACFP, and Summer +Meals Program [FNS Records] +SFNP IMO 2: Reduced food waste +IMO2.1: Difference in weight between food served and food +uneaten (thrown away) [BOSfoodlove] +SFNP IMO 3: Increase in schools that do not sell, serve or +provide food and beverages outside of the school meal plan +that do not meet BPS nutritional guidelines [Profiles] +IMO3.1: #(%) of schools where students cannot purchase +snacks, meals or beverages from school vending machines +or at a school store, fundraisers, canteen, or snack bar during +lunch +IMO3.2: #(%) of schools that sell food and/or beverages from +school vending machines or at a school store, fundraisers, +canteen, or snack bar that met BPS nutritional guidelines +SFNP IMO 4: Increase in student practicing healthy eating +habits [FNS Records] +IMO4.1: # of breakfast provided +IMO4.2: # of milk provided + + +Page 52: +Superintendent’s Circular HWD-01 +Page 52 of 102 + + + +IMO4.3: # of students choosing/served a fruit +IMO4.4: # of students choosing/served a vegetable +Physical Activity & Physical Education (PE/PA) Metrics +PE/PA Process Outcomes [HWD Records] +PO1: # of PD opportunities for PE, PA and SRTS +PO2: # of teachers in attendance at PDs +PO3: # of IC sessions for PE, PA and SRTS +PO4: Tools developed for school-based staff (Qual) +PO5: # of TA sessions +PO6: # of active PA community partnerships +PO7: # of PE curricula distributed +PO8: # of PE equipment distributed +PO9: # of MS Athletic programs +PO10: # of HS Athletic programs +PE/PA STO1: Improve the staffing capacity of schools to +provide PE according to Policy +STO1.1: #(%) of schools with PE staff FTE to provide PE + + +Page 53: +Superintendent’s Circular HWD-01 +Page 53 of 102 + + + +according to policy. +PE/PA STO 2: Increase capacity of school-based staff to +deliver high quality PE/PA programs +School day: PE, Recess, Before/After school programming +(including sports), SRTS [HWD Records] +STO2.1: #(%) of schools with PE teachers completed IC during +last 2 years +STO2.2: #(%) of schools implementing standards-based PE +curricula +STO2.3: #(%) of schools with PE teachers that have +completed PD for PE +STO2.4: #(%) of schools with teachers that have completed +PD for PA +STO2.5: #(%) of schools with teachers that have completed +PD for SRTS +STO2.6: #(%) of schools receiving training on active recess +PE/PA STO 3: Increase % of schools offering any PE +STO3.1: # (%) of schools offering any amount of PE classes +[Profiles] + + +Page 54: +Superintendent’s Circular HWD-01 +Page 54 of 102 + + + +PE/PA STO 4: Increase % of schools offering recess to grades +PreK-8 [Profiles] +STO4.1: #(%) of schools offering at least 20 min of recess for +grades PreK-5 +STO4.2: #(%) of schools offering at least 20 min of recess for +grades 6-8 +PE/PA STO 5: Increase % of schools offering before- and +after-school physical activity opportunities +STO5.1: #(%) of schools in SRTS program [HWD Records] +STO5.2: #(%) of schools with MS Athletic programs [Athletics +Dept] +STO5.3: #(%) of schools with HS Athletic programs [Athletics +Dept] +STO5.5: #(%) of schools offering opportunities for students to +participate in intramural sports programs or physical activity +clubs [Profiles] +PE/PA STO 6: Increase % of schools not withholding physical +activity as punishment +STO6.1: # (%) of schools not withholding physical activity as +punishment [Profiles] + + +Page 55: +Superintendent’s Circular HWD-01 +Page 55 of 102 + + + +PE/PA STO 7: Increase number of schools that access +resources, partnerships and supports +STO7.1: #(%) of schools with partnerships by PA/PE type +[Partnership Portal] +STO7.2: #(%) of schools with resources/supports by PA/PE +type [HWD Records] +PE/PA STO 8: Improve collaborations between the District, +city agencies, schools, families and schools around safe, +active transportation +STO8.1: # (%) of schools with identified priority walking +routes [HWD records] +STO8.2: # (%) of schools participating in Walk to School Day +[HWD Records] +STO8.3: # (%) of schools that provide pedestrian safety +education programming [HWD Records] +STO8.4: # (%) of schools that provide support for families +related to walking, rolling or transit [2019 Profiles] +STO8.5: # (%) of schools represented in requested +transportation surveys +PE/PA IMO 1: Increase % of students reporting having PE + + +Page 56: +Superintendent’s Circular HWD-01 +Page 56 of 102 + + + +[YRBS] +IMO1.1: # (%) MS and HS students reporting PE one or more +times per week +IMO1.2: # of students who receive physical education classes +(enrollment in PE course; grade on their report card) +PE/PA IMO 2: Increase % of schools providing PE according +to BPS policy [Profiles] +IMO2.1: # (%) of schools (which contain grades PreK-8) that +are providing 45 minutes of weekly PE for students in grades +PreK-8 +IMO2.2: # (%) of schools (which contain grades PreK-8) that +are providing recommended 80 min of weekly PE for +students in grades PreK-8 +IMO2.3: # (%) of schools (which contain grades 9-12) that are +providing 1 semester of PE each year for students grades 9- +12 +PE/PA IMO 3: Increase % of students reporting active +transportation to and from school +IMO3.1: % of students that report walking or biking to school +[YRBS] + + +Page 57: +Superintendent’s Circular HWD-01 +Page 57 of 102 + + + +PE/PA IMO 4: Increase % of schools with grades PreK- 8 +meeting policy for 150 minutes of weekly PA +IMO4.1: # (%) of schools providing students (PreK-8) with 150 +minutes of physical activity, including at least 45 minutes of +PE per week and 20 minutes of recess daily [Profiles] +PE/PA IMO 5: Improve the equity of access to athletic +programming [Athletics] +IMO5.1: #(%) students participating in a school sports +program +IMO5.2: #(%) of schools offering access to Athletics Programs +according to the BPS Athletics Criteria for Equity +IMO5.3: # (%) of schools with equal number of boys’ and girls’ +athletic teams +Comprehensive Health Education (CHE) Metrics +CHE Process Outcomes: [HWD records] +PO1: # of HE PD opportunities +PO2: # of teachers/staff in attendance at PDs +PO4: Tools developed for school-based staff (Qual) + + +Page 58: +Superintendent’s Circular HWD-01 +Page 58 of 102 + + + +PO5: # of TA sessions +PO6: # of HE related community partnerships +PO7: # of resources provided to schools (curriculum, +instructional supplies) +CHE STO 1: Increase capacity of school-based staff to deliver +high-quality, skills-based comprehensive health education +[HWD Records] +STO1.1: #(%) of HE teachers trained on CHE curricula +STO1.2: #(%) of teachers/staff trained on CHE curricula +STO1.3: #(%) of teachers/staff trained on Sexual Health Ed +curriculum +STO1.4: #(%) of teachers/staff reporting an increase in +knowledge and skills post PD +#(%) of schools with teachers who received IC +CHE STO2: Increase number of qualified and trained +teachers in elementary school and licensed health education +teachers in middle and high schools +STO2.1: # of qualified and trained teachers delivering health +education in Elementary schools +STO2.3: # of Licensed health education teachers delivering + + +Page 59: +Superintendent’s Circular HWD-01 +Page 59 of 102 + + + +health education in Middle and High Schools +CHE STO 3: Increased number of schools implementing +comprehensive health education curricula for all grades +[HWD Records/Profiles] +STO3.1: # (%) of schools with PreK-3 grades that use +approved curriculum +STO3.2: # (%) of schools with 4-5 grades that use Healthy & +Safe Body Unit +STO3.3: # (%) of schools with 6-8 grades that use approved +curriculum +STO3.4: # (%) of schools with 9-12 grades that use approved +curriculum +CHE STO 4: Increase the number of schools providing Health +Education [HWD Records/Profiles] +STO4.1: # (%) of schools providing HE in 2+ elementary +grades +STO4.2: # (%) of schools offering 2 semesters of HE in MS +STO4.3: # (%) of schools offering 1 semester of HE in HS +CHE STO 5: Increase number of schools that leverage + + +Page 60: +Superintendent’s Circular HWD-01 +Page 60 of 102 + + + +resources, partnerships and supports to improve the quality +of HE [Profiles/HWD] +STO5.1: # (%) of schools with partnerships to support HE +teaching [Profiles] +STO5.2: # (%) of school with partnerships to promote health +literacy among student and families +STO5.3: # (%) of schools accessing District +resources/supports [Profiles] +CHE IMO 1: Increase in number of schools providing HE +according to BPS policy [Profiles, HWD records, OHC Staffing +Data] +IMO1.1: # (%) of schools with trained BPS teachers teaching +grades 4-5 Healthy and Safe Body Unit in all classes +IMO1.2: # (%) of schools with grades 6-8 offering at least two +semesters of skills-based health education for all students +taught by a licensed health education teacher +IM1.3: # (%) of schools with grades 9-12 offering at least one +semester of skills-based health education for all students +taught by a licensed health education teacher +CHE IMO 2: Increased number of students who received +dedicated health education time [ASPEN/SIS] + + +Page 61: +Superintendent’s Circular HWD-01 +Page 61 of 102 + + + +IMO2.1: # of students who receive dedicated health +education time +CHE IMO 3: Increase Comprehensiveness and Accessibility of +Health Education Content [Profiles] +Healthy School Environment (HSE) Metrics +HSE Process Outcomes: +PO1: School Environmental Audits [Environmental +Division/BPHC records] +PO1.1: #(%) of schools with SEA +PO2: Green Cleaner Policy +PO2.1: # of safer sanitizer bottles distributed [Facilities Mgmt] +PO2.2: #(%) of programs trained to properly use Oxivir +PO3: Rapid Response [Facilities Mgmt] +PO3.1: # of custodians trained to properly clean/treat +outbreaks +PO3.2: Updated/Improved system for tracking +illness/outbreak responses +PO4: Integrated Pest Management Program [Facilities +Mgmt/IPM contractors’ records] + + +Page 62: +Superintendent’s Circular HWD-01 +Page 62 of 102 + + + +PO4.1: #(%) of Schools assigned IPM Contractors +PO4.2: #(%) of Schools with IPM Plans +PO5: Decluttering Initiative [Facilities Mgmt/Profiles (SY19- +20)] +PO5.1: Creation of a BPS Declutter Guide +PO6: Water Policy [Facilities Mgmt] +PO6.1: # (%) online and offline schools +PO6.2: # of drinking water units by type +PO7: Zero Waste Policy [Facilities Mgmt] +PO7.1: #(%) of Schools with Zero Waste Coordinators +PO7.2: #(%) of schools with zero waste equipment/bins +present +PO7.3: #(%) of schools with book recycling bins +PO7.4: #(%) of schools with textile recycling bins +PO8: Communication of HSE Policies [Facilities +Mgmt/HWD/MassCOSH records] +PO8.1: Plan/strategy to communicate the Healthy School +Environment-related policies +PO8.2: #(%) of school leaders trained on the Healthy School + + +Page 63: +Superintendent’s Circular HWD-01 +Page 63 of 102 + + + +Environment-related policies +PO9: HSE Wellness Champion Program [Facilities +Mgmt/HWD/MassCOSH records] +PO9.1: # of training sessions +PO9.2: # of schools participating in the HSE Wellness +Champions Program +HSE STO 1: Increase in use of SEAs to identify and address +HSE improvements +STO1.1: Track requests generated from SEAs [Facilities Mgmt] +STO1.1.1: #(%) of repair requested as a result of SEA +STO1.1.2: #(%) of repair requests completed as a result of SEA +STO1.2: # of Principals reported reviewing results of SEA +[Profiles] +STO1.3: # (# of schools with) WAP goals identified using SEA + + +Page 64: +Superintendent’s Circular HWD-01 +Page 64 of 102 + + + +[Profiles/WAP] +HSE STO 2: Increase in the schools with staff using green +cleaners in classrooms and offices +STO2.1: #(%) of schools with staff aware of green cleaning +policy [Profiles] +STO2.2: % of schools with staff using green cleaners in +classrooms and offices [Profiles] +STO2.3: #(%) of BPS Early Ed Programs, after-school +programs that serve food, and YMCA school-based programs +receiving and using Oxivir [Facilities] +HSE STO 3: Increase school capacity to address IPM incidents +[Profiles] +STO3.1: #(%) of schools that identified an IPM Coordinator +STO3.2: #(%) of schools with staff that know how to use IPM +log +HSE STO 4: Increase schools implementing systems to +reduce, reuse, and recycle to decrease waste and clutter +[Facilities Mgmt] + + +Page 65: +Superintendent’s Circular HWD-01 +Page 65 of 102 + + + +STO4.1: # of schools who complete declutter initiatives +# of tons recycled +STO4.2: #(%) of schools with complete and functioning Zero +Waste Programs [Facilities Mgmt] +STO4.1.1: #(%) of schools properly disposing of waste by type +STO4.1.2: # of tons of waste removed from schools +STO4.1.3: # of OIIT e-waste requests submitted in one year +STO4.1.4: # of universal and hazardous waste pick-ups in one +year +HSE STO5: Decrease in bottled water needs [Facilities Mgmt] +STO5.1: #(%) of offline schools returning to online +STO5.2: #(%) of schools undergoing water infrastructure +improvements +HSE STO 6: Decrease in causes of poor outdoor air quality +around school buildings +STO6.1: #(%) of schools where staff are aware/promote +Tobacco Free Policy [Profiles] +STO6.2: #(%) of schools that limit busing idling to no more +than 5 minutes [Profiles] + + +Page 66: +Superintendent’s Circular HWD-01 +Page 66 of 102 + + + +HSE STO 7: Improved building infrastructure to support +active transportation and active play +STO7.1: # (%) of playground assessment issues addressed +[Profiles] +STO7.2: # (%) of schools that have bike racks or other storage +systems for students and staff [Facilities Mgmt] +HSE STO 8: Increase Wellness Champion projects and +initiatives at schools [HWD Records] +STO8.1: #(%) of HSE WAP goals +STO8.2: #(%) of HSE WAP goals completed +HSE IMO 1: Decrease in infection and illness outbreaks +[Facilities Mgmt/Health Services] +IMO1.1: # of infection and illness outbreaks +HSE IMO 2: Decrease in pest-related incidents +IMO2.1: #(%) of pest incidents logged, reported, and treated +[Facilities Mgmt/IPM contractors’ records] +HSE IMO 3: Ensure water quality, maintenance, and +promotion + + +Page 67: +Superintendent’s Circular HWD-01 +Page 67 of 102 + + + +IMO3.1: #(%) of schools getting annual water system testing +IMO3.2: #(%) schools with coolers cleaned +IMO3.4: #(%) of schools that reviewed water policy with staff +HSE LTO 1: Increase the number of high-performing school +buildings with grounds that are clean and in good repair +LTO1.1: SEA Trends [Facilities Mgmt] +Safe & Supportive Schools (SSS) Metrics +SSS Process Outcomes: +PO1: # of Behavioral Health community partnerships [BPS +Partnership Portal] +PO2: #(%) of schools using universal screening for mental +health [BHS Records] +PO3: # of PDs/ # of attendees +PO3.1: Bullying/Violence Prevention [Succeed Boston] +PO3.2: Restorative Justice [Succeed Boston] +PO3.3: K-12 SEL Standards [SEL-I & SAWS Records] +PO3.4: Targeted interventions for vulnerable populations + + +Page 68: +Superintendent’s Circular HWD-01 +Page 68 of 102 + + + +[BHS/Succeed Boston/Opportunity Youth Records] +PO3.5: MTSS/CBHM [BHS Records] +PO4: #(%) of schools with Student Support Team [Profiles] +PO5: #(%) of middle and high schools with EPS liaisons +[Profiles] +PO6: #(%) of schools with a Homelessness Liaison +[Opportunity Youth] +PO7: #(%) of schools with trained Bullying Prevention +Liaisons [Profiles] +SSS STO 1: Increased # of schools trained in BPS K-12 SEL +standards +STO1.1: # (%) of schools that have all staff trained in BPS K-12 +SEL standards [Profiles] +SSS STO 2: Increased implementation of Multi-tiered System +of Supports (MTSS-B) to improve school and classroom +climate [Profiles] +STO2.1: % (#) of schools that offer tier 1 supports +STO2.2: % (#) of schools that offer tier 2 supports +STO2.3: % (#) of schools that offer tier 3 supports + + +Page 69: +Superintendent’s Circular HWD-01 +Page 69 of 102 + + + +STO2.4: % (#) of schools that implement Restorative Justice +SSS STO 3: Increased targeted interventions for vulnerable +populations [Profiles] +STO3.1: #(%) of schools with gay straight alliances +STO3.2: #(%) of schools providing additional supports to +vulnerable populations +SSS STO 4: Increased CBHM implementation fidelity [BHS +Records] +STO4.1: Tiered fidelity inventory (measure normed) schools in +CBHM model use +STO4.2: # of students screened in CBHM schools, fall and +spring screening +SSS STO 5: Increased # of schools with all staff trained on +bullying prevention +STO5.1: #(%) of schools with staff trained on bullying +prevention [Profiles] +SSS STO 6: Increase in the number of schools with behavioral +health partner supports + + +Page 70: +Superintendent’s Circular HWD-01 +Page 70 of 102 + + + +STO6.1: #(%) of schools with a minimum of 3 behavioral +supports partners [BHS Records] +SSS STO 7: Increase in schools appropriately staffed to meet +the mental, emotional, and behavioral health needs of +students as determined by the BPS staffing criteria for +school psychologists, social workers, and guidance +counselors +STO7.1: #(%) school appropriately staffed according to BPS +criteria [BHS/OHC Records] +SSS STO 8: Increased quality of Student Support Teams +STO8.1: % of schools indicating a “yes” on the following +Profiles question: “Include the following positions on their +SST: school psychologists, social workers, guidance +counselors (for only HS), school nurses, community partners +and trained classroom teachers” [Profiles] +STO8.1: % of schools achieving Quality Index TBD +SSS STO 9: Increased awareness of EPS policy and resources +for students +STO9.1: % of schools with an Expectant & Parenting Student +liaison [Profiles] + + +Page 71: +Superintendent’s Circular HWD-01 +Page 71 of 102 + + + +SSS IMO 1: Improved system for handling bullying incidents +in schools +IMO1.1: TBD +IMO1.3: # of bullying incidents reported +SSS IMO 2: Increased # schools with all teachers +implementing explicit SEL instruction +IMO2.1: # (%) of CBHM schools with all teachers teaching +explicit SEL Instruction with fidelity. [BHS Records (SEL +Instruction tool: fidelity measure)] +IMO2.2: # (%) of all schools implementing [Profiles] +SSS IMO 3: Decrease incidents of violence at schools +IMO3.1: # of students with Code of Conduct Violations +(violence)/Suspensions [SIS] +IMO3.2: # of school referrals to Succeed Boston for violent +offenses [Succeed Boston] +SSS IMO 4: Increase number of schools with safe school +climate [School Climate Survey/ODA] + + +Page 72: +Superintendent’s Circular HWD-01 +Page 72 of 102 + + + +IMO4.1: District score on Sense of Belonging Scale +IMO4.2: District score on Student Emotional Safety Scale +IMO4.3: District score on Staff Support Scale +IMO4.4: District score on Student Physical Safety Scale +SSS IMO 5: Decrease in crisis/behavioral response requests +from schools [Health Services/BHS] +IMO5.1: # of incidents where ambulance or police has been +called for behavioral health needs +SSS IMO 6: Increase SEL Skills in students +IMO6.1: BIMAS adaptive scales (CBHM schools) +IMO6.2: TBD-District-wide +SSS IMO 7: Increase in expectant and parenting students +accessing resources +IMO7.1: # (%) of schools with EPS liaisons +using/communicating liaison supports [Profiles] +Health Services Metrics +HS Process Outcomes: + + +Page 73: +Superintendent’s Circular HWD-01 +Page 73 of 102 + + + +PO1: Quality Improvement [HS Records] +PO1.1: Electronic Medical Record Protocols written +PO1.2: Formula for staffing school nurses developed +PO1.3: System for creating a universal scorecard for nursing +practice +PO1.4: Nurse support system established +PO2: Professional Development for Nurses [HS Records] +PO2.1: #(%) of nurses trained +PO2.3: #(%) of schools with nurses trained +PO2.4: # of Nursing PD opportunities by type +PO3: Nurse Liaison Technical Assistance [HS records] +PO3.1: # of TA sessions +PO3.2: # of schools receiving TA +PO4: School Nurse Direct Services [SNAPNurse] +PO4.1: # of injury visits +PO4.2: # of acute disease management visits +PO4.3: # of chronic disease management visits +PO4.4: # of visit for treatments and medications + + +Page 74: +Superintendent’s Circular HWD-01 +Page 74 of 102 + + + +PO4.5: Case management (school nurse/PCP/parent) +PO4.6: # of screenings/referral/completed referrals +PO4.7: School Nurse Referrals +PO4.7.1: # of referrals to HRCs +PO4.7.2: # of referrals to SBHCs +PO4.7.3: # of referrals for acute medical management +PO4.7.4: # of referrals for chronic disease management +PO5: # of nurse-led school staff training sessions +PO6: # of Individual and group sessions with students +PO7: # of health promotions +PO8: Community partner services +PO8.1: HRCs +PO8.2: SBHCs +PO8.3: # of schools receiving community partnerships by +type +PO9: Condom Accessibility [HWD records] +PO9.1: % of high schools with CATs +PO9.3: % of CAT members trained on how to make referrals + + +Page 75: +Superintendent’s Circular HWD-01 +Page 75 of 102 + + + +and provide condoms +HS STO 1: Increase schools appropriately staffed to meet the +medical needs of students as determined by the BPS Health +Services staffing criteria +STO1.1: # (%) school appropriately staffed according to BPS +criteria [OHC] + + +Page 76: +Superintendent’s Circular HWD-01 +Page 76 of 102 + + + +HS STO 2: Increase capacity of school-based staff to deliver +high quality nursing services +STO2.1: #(%) of schools with nurses receiving required Health +Service Professional Develop (18 hour and/or monthly +exemplar practice) +STO2.2: # of nurses reviewed using the Health Services +Scorecard +STO2.3: # of schools with 90% or greater of immunization +compliance +STO2.4: % of Individual Health Care Plans (IHCP) +STO2.5: % of schools with 90% or greater compliance with +District physical exam policy +STO2.6: # One-on-one counseling +STO2.7: # of nurses receiving National Asthma Certification +HS STO 3: Improve school-wide awareness for students with +chronic disease +STO3.1: % of schools that have all Individual Health Care +Plans (IHCP) for students with Individual Education Plans +with required signatures [SNAPNurse] +HS STO 4: Increase the % of students receiving state- + + +Page 77: +Superintendent’s Circular HWD-01 +Page 77 of 102 + + + +mandated screenings [SNAPNurse] +STO4.1: # (%) of schools with XX% of students screened +STO4.1.1: Hearing screening +STO4.1.2: Vision screening +STO4.1.3: SBIRT screening +STO4.1.4: Height & Weight (Body Mass Index) +STO4.2: # (%) of students with referrals for failed screening +STO4.3: # (%) of students with completed referrals for failed +screenings +HS STO 5: Increase % of students visiting the nurse that are +able to return to the classroom for continued learning +STO5.1: % of students returning to their classroom +[SNAPNurse] +HS STO 6: Increase the schools with nurse-lead health +promotions campaigns +STO6.1: #(%) schools conducting nurse-lead health +promotions campaigns [ESHS Data] +HS STO 7: Increase in the % of CATs making referrals and + + +Page 78: +Superintendent’s Circular HWD-01 +Page 78 of 102 + + + +providing condoms [ESHS Data] +STO7.1: # of condoms distributed by CATs +STO7.2: # of sexual health referrals by CATs +STO7.3: % of schools with functioning CATs +HS STO 8: Increase the provision of sexual health referrals +[Profiles] +STO8.1: % of middle and high schools with nurses providing +sexual health referrals to students +HS STO 9: Increase in the provision sexual health services +[Profiles] +STO9.1: % of middle and high schools with nurses providing +sexual health referrals to students +HS IMO 1: Improved school-wide management for students +with chronic disease +IMO1.1: # of dismissals from school related to chronic disease +[SNAPNurse/TBD] +Staff Wellness (SW) Metrics + + +Page 79: +Superintendent’s Circular HWD-01 +Page 79 of 102 + + + +SW Process Outcomes: +PO1: # of District communications on staff wellness related +topics [External Affairs/TBD] +PO2: DWC Staff Wellness Subcommittee co-chairs identified +[DWC Records] +PO3: # Subcommittee meetings held [DWC Records] +SW STO 1: Increased staff physical activity +STO1.1: % of staff reporting at least 30 minutes of physical +activity a day [TBD] +SW STO 2: Increased staff healthy eating +STO2.1: % of staff reporting eating 5 servings of fruits and +vegetables in a day [TBD] +SW STO 3: Increased % of schools with staff wellness +activities and initiatives [Profiles] +STO3.1: % of schools with staff wellness as a goal on their +Wellness Action Plan +STO3.2: % of schools that answered yes to “In the past school +year, did your school offer any staff wellness initiatives?” + + +Page 80: +Superintendent’s Circular HWD-01 +Page 80 of 102 + + + +SW IMO 1: Increase in teachers’ school climate +IMO1.1: Improve professional community +IMO1.2: Improve support for teacher development and +growth +SW IMO 2: Increased % of schools with an institutionalized +Staff Wellness Program +IMO2.1: % of schools with a staff wellness promotion or +program that took place for an extended duration across the +year. [Profiles/WAP] +WELLNESS POLICY LONG-TERM STUDENT IMPACTS +1. Improve student physical fitness +a. % of students achieving health fitness levels (Source: +Fitnessgram) +i. Health Fitness Zone in ⅗ assessments +ii. Health Fitness Zone for aerobic capacity +2. Reduce prevalence of health-risk behaviors among +students (Source: YRBS) +a. % of students who have ever had sexual intercourse + + +Page 81: +Superintendent’s Circular HWD-01 +Page 81 of 102 + + + +b. % of students who had sexual intercourse in the last 3 +months (i.e sexually active) +c. % of students who had sexual intercourse with four or +more persons during their life +d. % of students who have ever been pregnant or gotten +someone pregnant +e. % of students who did not go to school because they +felt unsafe at school or on their way to or from school +(in the last 30 days) +f. % of students who carried a weapon on school +property (in the last 30 days) +g. % of students who were threatened or injured with a +weapon on school property (in the past 12 months) +h. % of students who were in a physical fight on school +property (in the past 12 months) +i. % of students who were bullied on school property (in +the past 12 months) +j. % of students who were electronically bullied (in the +past 12 months) +k. % of students who experienced physical dating +violence (in the past 12 months) +l. % of students who experienced sexual dating violence + + +Page 82: +Superintendent’s Circular HWD-01 +Page 82 of 102 + + + +(in the past 12 months) +m.% of students who were ever physically forced to have +sexual intercourse (when they did not want to) +3. Increase in protective health behaviors among students +(Source: YRBS) +a. % of students who used a condom during last sexual +intercourse (among students who were currently +sexually active) +b. % of students who used effective hormonal birth +control† to prevent pregnancy (during last sexual +intercourse among students who were currently +sexually active) +c. % of students who used a condom and effective +hormonal birth control during last sexual intercourse +(among students who were currently sexually active) +d. % of students who were ever tested for HIV (not +including tests done when donating blood) +e. % of students who were physically active at least 60 +minutes per day on all 7 days +f. % of students who did not watch 3+ hours of TV (on an +average school day) +g. % of students who did not play video or computer +games or used a computer for 3+ hours per day (for + + +Page 83: +Superintendent’s Circular HWD-01 +Page 83 of 102 + + + +something that was not school work, on an average +school day) +h. % of students who ate breakfast daily (in the past +week) +i. % of students who ate fruit or drank 100% fruit juices 2+ +times per day (in the past week) +j. % of students who ate vegetables 2+ times daily (in the +past week) +k. % of students who drank 3+ glasses of water daily (in +the past week) +l. % of students who drank 1+ glasses of milk daily (in the +past week) +m.% of students who did not drink a soda (in the past +week) +n. % of students who did not drink a sugar-sweetened +beverage† (in the past week) +4. Improve feeling of school connectedness among students +(Source: YRBS & Climate Survey) +a. % of students who have at least one teacher or other +adult in their school that they can talk to if they have a +problem + + +Page 84: +Superintendent’s Circular HWD-01 +Page 84 of 102 + + + +b. District score on student engagement in school scale +c. District score on appreciation for diversity scale +d. District score on student civic participation scale +5. Improve student social-emotional wellbeing +a. District score on student social emotional health scale +b. District score on student growth mindset scale +c. District score on student perseverance and +determination scale +6. Improve student mental health outcomes (Source: YRBS) +a. % of students who felt depressed (sad or hopeless +almost every day for two weeks or more in a row that +stopped them from doing some usual activities) +b. % of students who did something to purposely hurt +themselves without wanting to die +c. % of students who seriously considered attempting +suicide +d. % of students who attempted suicide +7. Reduce prevalence of substance use among students +a. % of students who currently used tobacco products +(cigarettes, cigars, smokeless tobacco, electronic vapor + + +Page 85: +Superintendent’s Circular HWD-01 +Page 85 of 102 + + + +products) +b. % of students who currently smoked cigarettes or +cigars +c. % of students who currently used electronic vapor +products +d. % of students who currently drank alcohol +e. % of students who currently binge drank (males 5+ +drinks; females 4+ drinks in a row) +f. % of students who currently used marijuana +g. % of students who ever took prescription pain +medication without a doctor’s prescription or +differently from how a doctor told them to use it +8. Increase prevalence of students with health weight status +a. % of students with health MI status (Source: +SNAPNurse) +9. Reduce in prevalence of asthma among students +a. % of students with asthma diagnosis +(Source:SNAPNurse) +10. Reduce the prevalence of sexually transmitted diseases, +HIV, and adolescent pregnancy among students (Source: + + +Page 86: +Superintendent’s Circular HWD-01 +Page 86 of 102 + + + +BPHC) +a. Incidence rate for chlamydia among Boston youth +b. Incidence rate for gonorrhea among Boston youth +c. Incidence rate for Incidence rate for gonorrhea among +Boston youth among Boston youth +d. Prevalence of Boston youth living with HIV +e. Birth rate among adolescent females +11. Decrease number of medically-related absences among +students (Source: ODA) +a. # of medically-related absences among students +12. Improve school climate for staff (Source: School Climate +Survey) + +III. DEFINITIONS + +All students attend a Boston Public School and include but are +not limited to students with identities that are related to culture, +race, ethnicity, sexual orientation, gender, gender identity, and +ability. + + + +Page 87: +Superintendent’s Circular HWD-01 +Page 87 of 102 + + + +Bullying is a form of emotional or physical abuse that has three +defining characteristics*: +● Deliberate: A bully’s intention is to hurt someone. +● Repeated: A bully often targets the same victim again and +again. +● Power imbalanced: A bully chooses victims he or she +perceives as vulnerable. +*Bullying is different from conflict, fights, or disagreements. It +must meet the above criteria. + +Boston Public Schools Property includes all properties where +students and Boston Public School staff work or attend class. + +Comprehensive Health Education is medically accurate, age and +developmentally appropriate, culturally inclusive, implemented +in safe and supportive learning environments where all students +feel valued, and includes nutrition education. + +Comprehensive School Physical Activity Program (CSPAP) is an +approach by which school Districts and schools utilize all +opportunities for school-based physical activity to develop +physically educated students who participate in physical activity +each day and develop the knowledge, skills, and confidence to be + + +Page 88: +Superintendent’s Circular HWD-01 +Page 88 of 102 + + + +physically active for a lifetime. Quality physical education is the +cornerstone of a CSPAP. CSPAP also includes school-based +physical activity opportunities; school employee wellness and +involvement; and family and community involvement. + +Comprehensive Sexual Health Education is a planned, +sequential, Pre-K – 12 curriculum that is part of a comprehensive +school health approach which addresses age-appropriate +physical, mental, emotional and social dimensions of human +sexuality. It should allow students to develop and demonstrate +developmentally appropriate sexual health-related knowledge, +attitudes, skills and practices. The curriculum should be designed +to motivate and assist students to maintain and improve their +sexual health by delaying sexual initiation, preventing disease +and too-early pregnancy and reducing sexual health-related risk +behaviors. It should be medically accurate, developmentally +appropriate, culturally, including LGBTQ inclusive, and be +provided by qualified, trained, and certified teachers (Future of +Sex Education). + +Cultural Proficiency: esteeming culture, interacting effectively in +a variety of cultural groups, using inclusive language, committing +to continuous learning. + +Cyber bullying is bullying that takes place using electronic +technology. Examples of cyber bullying include mean text + + +Page 89: +Superintendent’s Circular HWD-01 +Page 89 of 102 + + + +messages or emails, rumors sent by email or posted on social +networking sites, and embarrassing pictures, videos, websites, or +fake profiles. + +Federally Funded Child Nutrition Programs include the National +School Lunch Program, National School Breakfast Program, After +School Snack Program, and the Child & Adult Care Food Program. + +LGBTQ is an acronym for individuals who identify as Lesbian, Gay, +Bisexual, Transgender, Queer or Questioning. + +Health Literacy is the capacity of an individual to obtain, +interpret, and understand basic health information and services +and the competence to use such information and services in +ways that are health enhancing (National Health Education +Standards). + +Health Services represents the component of a comprehensive +school health program that directly services the individual child +and monitors health trends within the District. It includes both +the school nurse programs and the school-based health center +programs. The goal of health services is to remove the +educationally relevant health obstacles to learning by ensuring +access and/or referral to primary health care services, managing + + +Page 90: +Superintendent’s Circular HWD-01 +Page 90 of 102 + + + +chronic disease conditions during school hours, preventing and +controlling communicable disease and other health problems, +providing emergency care for illness or injury, promoting and +providing optimum sanitary conditions for a safe school facility +and school environment and providing educational and +counseling opportunities for promoting and maintaining +individual family and community health. + +Nutrition Promotions are strategies, social marketing, materials, +and oral & written communications that provide methods to shift +cultural norms toward healthier foods and beverages. + +Parent engagement occurs when schools are actively involving +parents in an authentic partnership with aims of improving +individual student’s outcomes and school wide initiatives. + +Physical Education (PE) is a planned, sequential program of +curricula and instruction that helps students develop the +knowledge, attitudes, motor skills, self-management skills and +confidence needed to adopt and maintain physically active +lifestyles. PE curricula must align with the BPS PE frameworks. +PE activities that focus on a single activity, such as swimming +and dance, count as PE only if it is part of a CSPAP and aligned +with BPS PE Frameworks. + + + +Page 91: +Superintendent’s Circular HWD-01 +Page 91 of 102 + + + +Physical Activity (PA) is a behavior consisting of bodily movement +that requires energy expenditure above the normal physiological +(muscular, cardiorespiratory) requirements of a typical school +day. Recess, movement breaks, promotional activities, and cross- +curricular incorporation are some examples of PA that should +NOT be counted as PE; PA is not PE and it cannot be allocated as +PE. + +Safe and Supportive Schools create a positive school climate that +actively teaches positive behavior and engaging in prevention +activities to promote feelings of security and connectedness for +students and adults. + +Wellness is a process by which individuals move toward optimal +physical and mental health, regardless of current health status or +disability, by practicing healthy choices within an enabling +environment that encourages healthy decision-making. + + + + IV. +INDEX OF FEDERAL, STATE, AND BOSTON +PUBLIC SCHOOL WELLNESS-RELATED POLICIES & +GUIDELINES + + +Relevant and existing school policies, for which school-based + + +Page 92: +Superintendent’s Circular HWD-01 +Page 92 of 102 + + + +Wellness Councils and school staff must comply, are referenced +below. + +A. School Food and Nutrition Promotion-related policies shall be +followed by all Boston Public Schools: +○ Meals served in Boston Public Schools are in accordance +with the National School Meals Programs. Federally funded +child nutrition programs must comply with the nutrition +standards for school meals, outlined in the Healthy Hunger- +Free Kids Act of 2010. +○ 105 CMR 225: Nutrition Standards for Competitive Foods and +Beverages in Public Schools +○ Mayor Menino’s Executive Order for Healthy Beverages +○ FNS-01: Food Nutrition Services +○ FNS-02: Emergency Meal Procedures +○ FNS-03: Nutrition Policy +○ FNS-04: Responsibilities Regarding School Food Services + +B. Comprehensive Physical Activity and Physical Education- +related policies shall be followed by all Boston Public Schools: +a. Massachusetts Legislation + + +Page 93: +Superintendent’s Circular HWD-01 +Page 93 of 102 + + + +○ MGL c. 71, s. 3: Physical Education +b. District Circulars +○ HWD-02: Physical Education and Physical Activity Policy +○ ATH-01: Prevention & Management of Sports-Related +Head Injuries + +C. Comprehensive Health Education-related policies shall be +followed by all Boston Public Schools: +○ HWD-03: Comprehensive Health Education Policy +○ HWD-05: Human Sexuality Education-Parental Notification + +D. Healthy School Environment-related policies shall be followed +by all Boston Public Schools: +a. Massachusetts Legislation +○ MGL c. 90, s. 16B Idling of a motor vehicle engine on +school property +b. District Circulars +○ BPS Water Access Policy +○ FMT-07: Chemical Inventory “Right to Know” Law +○ FMT-08: System-wide Zero Waste Policy + + +Page 94: +Superintendent’s Circular HWD-01 +Page 94 of 102 + + + +○ FMT-10: Integrated Pest Management (IPM) +○ FMT-11: Green Cleaners Policy +○ FMT-14 Hearing Conservation Program +○ FMT-15: BPS/Boston Public Health Commission +Environmental Inspection/Audit Program (City +Ordinance 7.12.1-4) +○ FSE-06: Student Safety / Health in School Shops, +Laboratories and Classrooms +○ HWD-04: Whole School Health & Wellness: Healthy +School Environment Policy +○ HWD-06: Tobacco Free Environment Policy +○ SHS-04: Infection Prevention and Control in School +Settings +○ SHS-20: Asthma in Schools + +E. Safe and Supportive Schools-related policies shall be followed +by all Boston Public Schools: +a. Federal Legislation +○ Elementary and Secondary Education Act of 1965, as +amended, Title IV, Part A, Subpart 2, Section 4121 - +FEDERAL ACTIVITIES; 20 U.S.C. 7131 + + +Page 95: +Superintendent’s Circular HWD-01 +Page 95 of 102 + + + +b. Federal Regulations +○ Education Department General Administrative +Regulations (EDGAR) - 34 CFR Parts 75, 77, 79, 80, 81, 82, +84, 85, 86, 97, 98, 99 (b) The regulation in 34 CFR part 299 +○ Title VI of the Civil Rights Act of 19641 (Title VI), which +prohibits discrimination on the basis of race, color, or +national origin; +○ Section 504 of the Rehabilitation Act of 19733 (Section +504); and Title II of the Americans with Disabilities Act of +19904 (Title II). Section 504 and Title II prohibit +discrimination on the basis of disability,5 as referenced +in the Office of the Assistant Secretary’s “Dear +Colleague” letter of October 2010. +○ Title IX, Education Amendments of 1972 which prohibits +discrimination on the basis of sex, including individuals +who are pregnant or parenting. +■ Title 20 U.S.C. Sections 1681-1688 +c. Massachusetts Legislation +○ SL 2010, c.92: Bullying in Schools +○ MGL c.12, s.11H: Violation of Constitutional Rights +○ MGL c.265 s.43: Stalking +○ MGL c.265, s.43A: Criminal Harassment +○ MGL c.266, s.37E: Identity Fraud + + +Page 96: +Superintendent’s Circular HWD-01 +Page 96 of 102 + + + +○ MGL c.269, s.17: Hazing +○ MGL c.269, s.18: Failure to Report Hazing +○ MGL c.269, s.19: Schools to provide copy of hazing law to +students +○ MGL c.119, s.21: Mandated Reporters defined. +○ MGL c.119, s.51A: Mandated Reporting explained +○ MGL c.76, s. 5 An Act Relative to Gender Identity +○ CHAPTER 188 An Act Improving the Public Schools of +the Commonwealth +d. Massachusetts Regulations +○ 610 CMR 5 Hazing Reporting- Secondary Schools +○ 603 CMR 33 Hazing Reporting- Higher Educations +○ 603 CMR 49 Notification of Bullying or Retaliation +e. District Circulars + +○ ACA-18: Attendance Policies +○ ACA18A: Attendance Procedures +○ ACA-18B: Procedures for Referral to Supervisors of +Attendance +○ EQT-07: Accommodating Employees with Disabilities + + +Page 97: +Superintendent’s Circular HWD-01 +Page 97 of 102 + + + +○ EQT-05: Employee Reports of Bias +○ EQT-02: Student, Family or Other Third Party Reports of +Bias +○ EQT-01: Non-Discrimination Policy and Statement +○ EQT-06: Sexual Misconduct Toward Employees +○ EQT-03: Sexual Misconduct Toward Students +○ EQT-04: Students and Gender Identity +○ LGL-11: Sexual Orientation – Protection of Students +Against Discrimination +○ FAM-01: School Site Councils +○ FAM-02: School Parent Council +○ FAM-03: Middle and High School Student Government +○ FAM-05: Title I Family Engagement Requirements +○ FSE-01: School Safety Contingency Plans +○ FSE-02 Fire Safety Practices +○ FSE-04 Bomb Threat Procedures +○ FSE-05 Medical Emergency Management +○ FSE-06 Student Safety / Health in School Shops, +Laboratories and Classrooms + + +Page 98: +Superintendent’s Circular HWD-01 +Page 98 of 102 + + + +○ FSE-07 Public Health and Workplace Safety +○ FSE-08 Teaching Students the Containment Protocol +Mini-Session +○ LGL-01 Hazing Law +○ LGL-04 School Visitors Guidelines +○ LGL-05 Racial or Ethnic Discrimination/Harassment of +Students +○ LGL-06 Religious Holy Days +○ LGL-13 Sexual Assault Policy +○ LGL-15 Student Surveys +○ LGL-17 Religious Expression in Public Schools +○ LGL-20 Corporal Punishment +○ SAF-01 Student Search Procedures +○ SAF-02 Weapons and Objects of No Reasonable Use +○ SAF-04 Incident Data Reporting and Release +○ SAF-07 Metal Detectors +○ SAF-09 Lost Children Procedures +○ SAF-11 Sexual Offender Registry Information (SORI) +○ SAF-12: School Access Control + + +Page 99: +Superintendent’s Circular HWD-01 +Page 99 of 102 + + + +○ SHS-01: Drug and Alcohol Abuse +○ SHS-16: Suicide Prevention and Intervention +○ SPE-03: Physical Restraint Policy +○ SPE-14: Counseling Guidelines +○ SPE-15: Discipline of Students with Disabilities +○ SSS-02: Homeless Students - Guidelines and Procedures +○ SSS-07: Persistently Dangerous Schools +○ SSS-18: Bullying Prevention and Intervention Plan +○ SUP-20: Child Abuse and Neglect +○ SUP-21: Expectant & Parenting Students +○ SUP-05: Code of Discipline + +F. Health Services-related policies shall be followed by all Boston +Public Schools +○ ATH-01: Prevention & Management of Sports-Related Head +Injuries +○ FSE-05 Medical Emergencies +○ SHS-23: Condom Accessibility +○ LGL-16: Student Health Information + + +Page 100: +Superintendent’s Circular HWD-01 +Page 100 of 102 + + + +○ SHS-04: Infection Prevention and Control in School Settings +○ SHS-05: Tuberculosis Program +○ SHS-06: Immunization Law +○ SHS-08: Medication Dispensation +○ SHS-11: Life Threatening Allergies (LTA or Anaphylaxis) Policy +and Implementation +○ SHS-12: HIV/AID Policy and Guidelines +○ SHS-13: Medical Transportation +○ SHS-20: Asthma in Schools +○ SHS-21: Diabetes Policy +○ SHS-22: Automatic External Defibrillator (AED) Use and +Access Policy + +G. Cultural Proficiency-related policies shall be followed by all +Boston Public Schools +○ CAO-05: Services to Limited English Proficient Students +○ ELL-04: Title I Expenditures for English Language Learners +○ EQT-01: Non-Discrimination Policy and Statement +○ EQT-02: Student, Family or Other Third Party Reports of Bias + + +Page 101: +Superintendent’s Circular HWD-01 +Page 101 of 102 + + + +○ EQT-03: Sexual Misconduct Toward Students +○ EQT-05: Employee Reports of Bias +○ EQT-06: Sexual Misconduct Toward Employees + +○ EQT-07: Accommodating Employees with Disabilities + +○ FAM-02: School Site Councils +○ FAM-01: School Parent Council +○ FAM-03: Middle and High School Student Government +○ FAM-05: Title I Family Engagement Requirements +○ FAM-06: Boston Student Advisory Council +○ LGL-05: Racial or Ethnic Discrimination/Harassment of +Students +○ LGL-11: Sexual Orientation - Protection of Students Against +Discrimination + + + + + + +Page 102: +Superintendent’s Circular HWD-01 +Page 102 of 102 + + + + +For more information about this circular, contact: + +Owner: +Senior Executive Director of Health & Wellness +Departmen +t: +Health & Wellness +Mailing +Address: +370 Columbia Rd, Dorchester, MA 02125 +Phone: +617-635-9698 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + + + + diff --git a/data/data_txt1/Health & Wellness (HWD)/HWD-02 Phys Ed & Physical Activity.txt b/data/data_txt1/Health & Wellness (HWD)/HWD-02 Phys Ed & Physical Activity.txt new file mode 100644 index 0000000..54c745e --- /dev/null +++ b/data/data_txt1/Health & Wellness (HWD)/HWD-02 Phys Ed & Physical Activity.txt @@ -0,0 +1,588 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HWD-02 +Version 01 + +PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Regular physical activity is one of the most important factors +affecting health. It helps control weight, reduces the risk of +developing cardiovascular disease and diabetes, improves mental +health and mood, and increases longevity. Most Boston Public +School (BPS) students are not physically active for the 60 minutes +per day recommended by the Center for Disease Control. Only 16% +of BPS high school students reported being physically active for +the recommended time, and only 40% reported having weekly +physical education, according to the 2015 Boston High School +Youth Risk Behavior Survey (YRBS). Twenty-three percent of +middle school students reported being physically active for the +recommended time and 80% reported having weekly physical +education, according to the 2013 Boston Middle School YRBS. This +lack of physical activity is contributing to an epidemic of +overweight and obesity in BPS students. Measurement of +students’ Body Mass Index in 1st, 4th, 7th and 10th grades revealed +that 39% of BPS students are at an unhealthy weight (2015). + + + +Page 2: +Superintendent’s Circular HWD-02 +Page 2 of 18 + +Recent national, cumulative evidence shows clear links between +school-based physical activity, including physical education, and +academic success. Most of the studies report that physical activity +was positively related to academic performance, including +academic achievement (grades, standardized test scores); +academic behavior (on-task behavior, attendance); and factors +that can positively influence academic achievement +(concentration, attention, improved classroom behavior). Most +importantly, adding time during the school day for physical +activity does not appear to take away from academic +performance. Given these findings, the BPS recommends that +schools increase the amount of time spent in physical education +and/or increase the quality of their physical education program, +provide recess and physical activity breaks in the classroom, +promote walk/ bike to school programs, and offer non-competitive +intramural and interscholastic sports. +To improve health and academic outcomes, BPS is implementing +strategies to increase the frequency and quality of physical +education (PE) and physical activity (PA) for BPS students. A PE & +PA Task Force was formed in November 2010 to align the district’s +PE-related policies and bring the district into compliance with MA +General Laws Chapter 71, Section 3 that states: +“Physical education shall be taught as a required subject in all +grades for all students in the public schools for the purpose of +promoting the physical well-being of students.” +With input from BPS principals, physical education teachers, BPS +Wellness Council members, BPS department heads, Academic +Superintendents, Labor Relations, and other district-leaders, the + + +Page 3: +Superintendent’s Circular HWD-02 +Page 3 of 18 + +PE & PA Taskforce created the PE & PA Policy to align the former +BPS policies. + +DEFINITIONS +Comprehensive School Physical Activity Program (CSPAP): An +approach by which school districts and schools utilize all +opportunities for school-based physical activity to develop +physically educated students who participate in physical activity +each day and develop the knowledge, skills, and confidence to be +physically active for a lifetime. Quality physical education is the +cornerstone of a CSPAP. CSPAP also includes school-based +physical activity opportunities; school employee wellness and +involvement; and family and community involvement. +Physical Education (PE) is a planned, sequential program of +curricula and instruction that helps students develop the +knowledge, attitudes, motor skills, self-management skills and +confidence needed to adopt and maintain physically active +lifestyles. PE curricula must align with the BPS PE Frameworks. PE +is comprehensive and includes student learning competencies +that cross all four strands of the BPS PE Frameworks 1) Movement +2) Health-Related Fitness 3) Personal and Social 4) Lifelong +Physical Activity. PE activities that focus on a single activity, such +as swimming and dance, count as PE only if it is part of a CSPAP +and align with the BPS PE Frameworks. +Physical Activity (PA) is a behavior consisting of bodily movement +that requires energy expenditure above the normal physiological +(muscular, cardiorespiratory) requirements of a typical school day. + + +Page 4: +Superintendent’s Circular HWD-02 +Page 4 of 18 + +Recess, movement breaks, promotional activities, and cross- +curricular incorporation are some examples of PA that should NOT +be counted as PE; PA is not PE and it cannot be allocated as PE. +Moderate-to-Vigorous Physical Activity (MVPA) is measured by an +increase in heart rate, breathing, and body temperature. +Moderate physical activity refers to activities equivalent in +intensity to brisk walking or bicycling. Vigorous physical activity +produces large increases in breathing or heart rate, such as +jogging, aerobic dance or bicycling uphill. + +PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY +The Boston Public Schools is committed to a District-wide, +strategic effort to increase all students’ physical activity and fitness +by bringing more physical education and physical activity to +schools; improving the quality of physical education and recess; +and increasing the equity of physical activity programs and +resources across our schools. Activities will be inclusive to meet +the needs, interests, abilities and cultural diversity of all students, +including students of all gender identities, students with +disabilities, and students with special healthcare needs. +Numerous studies indicate that regularly engaging in moderate- +to-vigorous exercise contributes to overall physical and mental +health and that nurturing an exercise habit among children lays +the foundation for lifelong fitness. Research also shows that +increased physical activity increases children’s cognitive function, +ability to concentrate in class, and academic performance. Thus, +as a part of a strategic effort to improve academic performance, +BPS recognizes and promotes the benefits of a Comprehensive + + +Page 5: +Superintendent’s Circular HWD-02 +Page 5 of 18 + +Physical Activity Program, where quality physical education is the +cornerstone and additional physical activity is integrated +throughout the school day and into before and after school +programs, staff wellness and family engagement activities. +The Boston Public Schools is committed to a strong athletics +program that offers a variety of programs and is accessible to all +students. Athletics participation can contribute to student fitness, +wellness, character development and a lifelong commitment to a +physically active lifestyle. Additionally, by establishing a safe, +supportive and engaging school environment, athletic programs +encourage school connectedness and create a climate where +healthy competition and support fill the school with spirit and a +sense of community. Research shows that healthy children are +better learners and connected students are more likely to stay in +school. In this way, athletics contributes to the academic success +of students. +In accordance with state law, all schools must provide all students +in all grades with opportunities for physical activity. Schools must +offer at least 150 minutes of in-school physical activity weekly in +grades PreK-8, including required physical education, movement +breaks, recess, or lessons involving movement structured to +support moderate-to-vigorous physical activity (MVPA). In grades +PreK-8, students are expected to have at least 20 minutes of daily +recess. +Teachers and other school and community personnel shall not use +physical activity (e.g., running laps, pushups) as punishment nor +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity + + +Page 6: +Superintendent’s Circular HWD-02 +Page 6 of 18 + +breaks, or physical education) as punishment for any reason other +than illness or safety or as approved by the school leader. This +includes denying a student physical activity time in order to make +up work unless under unusual circumstances. The district will +provide teachers and other school staff with a list of ideas for +alternative ways to discipline students. +All schools must offer standards-based physical education (PE) for +all students in all grades. Schools are required to offer at least 45 +minutes of weekly PE in grades PreK-8 and at least one semester +(equivalent of a half school year) of PE each year in grades 9-12. +We recommend that schools provide at least 80 minutes of +weekly PE in grades PreK-8. In order to help schools work toward +this recommendation, Boston Public Schools will develop an +implementation plan with input from current principals and +headmasters. This implementation plan will be shared with the +School Committee. +Teachers and other school and community personnel shall not use +physical activity (e.g., running laps, pushups) as punishment; +withhold opportunities for physical activity during the school day +(including but not limited to recess, classroom physical activity +breaks or physical education) as punishment for any reason; or +deny a student physical activity time in order to make up work +unless under unusual circumstances. +Extended day programs and out of school time, which includes +before and after school programs, are expected to offer an array of +physical activity opportunities to ensure all students are able to +participate. Schools shall offer opportunities for students to +participate in physical activity before and after the school day, + + +Page 7: +Superintendent’s Circular HWD-02 +Page 7 of 18 + +including extended day time, through a variety of methods +including physical activity clubs, physical activity in before/after +school programs, intramurals and interscholastic sports, and in +their school commute. +The District recognizes that students benefit from bicycle and +pedestrian safety education to help make the trip to and from +school safer and instill confidence in students, parents and +community members. The District will develop and maintain +policies and procedures for working together with city agencies, +schools, families, and students in efforts to promote a safer and +easier trip to and from school when students and staff are walking, +bicycling, using public transit or other means of physically active +transport. The District will encourage 7-12th grade students to use +public transportation when available and appropriate for travel to +school, and will work with the local transit agency to provide +transit passes for eligible 7-12th grade students. The District will +provide resources to schools, students and families regarding +walking, riding a bicycle, using public transit or other forms of +active transportation. The District will encourage wellness +councils, school administrators and students, staff, families and +community partners to assist the District in promoting safe, +physically active travel to and from school. Schools are +encouraged to designate a transportation liaison to facilitate +communication regarding District efforts to promote safe, +physically active travel to and from school. Schools shall +participate in student transportation surveys when requested to +help the District plan for strategies to promote a safer and easier +trip to and from school when walking, bicycling, using public +transit or other means of physically active transport. + + +Page 8: +Superintendent’s Circular HWD-02 +Page 8 of 18 + +IMPLEMENTATION GUIDELINES +A. State law requires that all students in grade K-12 receive +physical education. + +1.) The BPS PE Curriculum must meet the following criteria: +a. The curriculum is standards-based and it aligns with BPS +PE Curriculum Frameworks. +b. The curriculum provides moderate-to-vigorous physical +activity (MVPA) during at least 50% of PE class time. +c. The PE scope and sequence for each grade level must +include district-sponsored PE curriculum, such as SPARK +in K-12th grades and Project Adventure in K-12th grades. + +2.) Student assessments in PE must include the following: +a. Graded competency (i.e. knowledge, skills, practice) and +participation (i.e. effort, proper attire, teamwork) +assessments that are reflected on all students’ report +cards. + +3.) BPS PE classes have the following requirements for scheduling: +a. Reflected on all schools’ master schedules and on all +students’ report cards. + + + +Page 9: +Superintendent’s Circular HWD-02 +Page 9 of 18 + +4.) Staffing requirements include: +a. BPS supports a learning environment in which all teachers +are highly qualified in the subject areas they teach. +Therefore, PE class must be taught by a teacher that holds +an active and valid PE teaching license from the MA +Department of Elementary and Secondary Education. +b. If a school is unable to provide all students in all grades +with PE instruction from licensed PE teachers, they should +contact the Office of Health and Wellness for support with +identifying district-approved staffing alternatives. All PE +staffing alternatives must be approved by HR, the Office of +Health and Wellness, and the school’s respective +instructional superintendent. Staffing alternatives are only +considered in extenuating circumstances or in situations +that increase opportunities for students. + +5.). School Wellness Councils are required to develop a school- +based Comprehensive School Physical Activity Plan (CSPAP) as a +part of the Wellness Action Plan that includes: +a. A school-based CSPAP Policy that documents the CSPAP +Implementation Guidelines. +b. The CSPAP Implementation Guidelines must outline how +all students in grades K-8 are to receive at least 45 minutes +of PE per week, and how all students in grades 9-12 receive +at least 1 semester of PE per grade. +c. The CSPAP Implementation Guidelines also include a plan +that outlines how the school aims to provide 150 minutes +of in-school physical activity in grades k-8, including + + +Page 10: +Superintendent’s Circular HWD-02 +Page 10 of 18 + +required physical education, movement breaks, recess, or +lessons involving movement. In grades PreK-8, students +are expected to have a minimum of 20 minutes of daily +recess; this must be included in the CSPAP. +d. School staff shall be provided resources to integrate +physical activity into their academic lessons. Contact the +Office of Health and Wellness for resources. +e. School wellness councils will work with building principals +and Facilities Management/ Planning to identify safe and +appropriate indoor and outdoor space for group physical +activity and physical education. The lack of identified +single-use physical activity spaces (i.e., gymnasiums) will +not hinder schools from offering an environment +conducive to physical activity and implementation of a +CSPAP plan. Examples include: +○ Shared classroom space (mobile physical education +classes conducted in classrooms) +○ Schoolyard +○ Creative use of hallway space or other shared spaces +in buildings +○ Repurposing classroom or other building spaces for +physical activity +○ Co-teaching with other content areas + +B. Schools shall offer daily physical activity opportunities during +the school day. +To that end principals/heads of school can: +a. Integrate daily physical activity into the classroom + + +Page 11: +Superintendent’s Circular HWD-02 +Page 11 of 18 + +setting with kinesthetic learning, cross-curricular +lessons, and team teaching +b. Encourage short physical activity breaks between +lessons or classes, as appropriate +c. Encourage school-wide physical activity promotions like +pedometer challenges, field day, dance-a-thon, walk-a- +thon, active transport, etc. +d. Provide opportunities for daily recess with at least 20 +minutes a day of supervised recess, preferably outdoors, +during which time staff encourage moderate to +vigorous activity and provide appropriate space and +equipment. In grades K-8, daily recess is required. +e. Schedule recess before lunch so that students will come +to lunch less distracted and ready to eat. + +C. Schools shall offer daily physical activity opportunities during +extended day programs and out of school time which includes +before and after school programs. +To that end principals/headmasters can: +a. Allow school spaces and facilities to be available for school- +sponsored activities that promote fitness for its students +during extended and non-school hours, as circumstances +permit. +b. Remain in alignment with best practices and +requirements for licensed school-age care programs +partnering with schools (606 CMR 7). Specifically +○ Providing daily indoor and outdoor time periods, +weather permitting, which include both small and + + +Page 12: +Superintendent’s Circular HWD-02 +Page 12 of 18 + +large muscle activities; + +○ Each school shall dedicate at least 30-60 minutes of +morning or afterschool program time to physical +activity for all students; +c. Partner with local government and community-based +agencies to support active transport to school by +reducing/eliminating hazards and increasing accessibility +(i.e., bicycle parking). + +D. Safe Routes to School Boston +The District will encourage students to be physically active before +and after school by promoting walking/ biking/rolling to school +through a comprehensive Safe Routes to School Boston program, +including encouragement, education, evaluation, +engineering/environment, enforcement, and equity strategies. +Schools should include Safe Routes to School in their Annual +Wellness Action Plans. + +a. Equity strategies: Consider the barriers and concerns, and +opportunities that face families and ensure equitable +opportunities in each strategy of this initiative. +b. Encouragement strategies: +○ Walking Promotions (e.g. Walk to School Days, +Walking Challenges, School-wide Promotions) +○ Establishing a school Park and Walk site +○ Walking School Buses +c. Education strategies: + + +Page 13: +Superintendent’s Circular HWD-02 +Page 13 of 18 + +○ Implementing an active transportation safety +curriculum in health or physical education. +○ Developing and disseminating preferred Walking +Route Maps that provide students and parents with +the additional tools to travel safely to and from +school. +○ Disseminating walking tips and simple pedestrian +safety information and promotional materials. +d. Evaluation of Need strategies: +○ Conduct a walk audit to identify concerns regarding +the physical/environmental conditions that surround +your school. +○ Conduct a travel hand tally to understand the impact +and number of students that will benefit. +e. Engineering/Environment strategies: +○ Alert proper authorities regarding environmental +safety concerns. Engineering or other environmental +issues should be reported through BOS: 311, other +pressing concerns should be reported to BPS +Transportation. +○ Increase accessibility and support for those choosing +to ride by installing secure bicycle storage and +designating facilities for storing other wheeled +devices like scooters. +f. Enforcement strategies: Share Preferred Walking Routes +with local police stations for proper crossing guard +assignment and heightened awareness on popular routes. + + + + +Page 14: +Superintendent’s Circular HWD-02 +Page 14 of 18 + +E. Community Partnerships +Providing students and families with access to safe, affordable, +and convenient places to be physically active is an important +strategy for promoting health and reducing risk for obesity. +Community partners are a vital, valuable aspect of quality physical +activity programs and can meaningfully support PE and PA in +BPS. School officials are encouraged to work with partners to +develop a written joint use agreement that delineates the terms +and conditions for joint use and the responsibilities of all parties. +Community partners must follow the BPS Community Partner +Policy. To that end, principals/heads of school can work with +community partners to: +a. Secure mini-grant funding +b. Use of facilities on and off-campus +c. Training/professional development +d. Assist with program implementation +e. Work with community partners to create additional +opportunities that meet the unique needs of their school + +F. Physical Activity and Punishment +Teachers and other school and community personnel shall not: +a. Use physical activity (e.g., running laps, pushups) as +punishment +b. Withhold opportunities for physical activity during the +school day (including but not limited to recess, +classroom physical activity breaks or physical education) +as punishment for any reason + + +Page 15: +Superintendent’s Circular HWD-02 +Page 15 of 18 + +c. Deny a student physical activity time in order to make +up work unless under unusual circumstances +The district will provide teachers and other school staff with a list +of ideas for alternative ways to discipline students. + +MONITORING, COMPLIANCE & SUPPORT + +1. Monitoring Curriculum +a. Scope and Sequence: Each school must annually +submit a PE scope and sequence for each grade level to +the School Wellness Councils; the scope and sequences +must align with BPS PE Curriculum Frameworks. The +Office of Health and Wellness can support schools in +aligning their PE scope and sequence with the BPS PE +Curriculum Frameworks. If necessary, the School +Wellness Councils may be asked to submit the school’s +PE scope and sequence. + +2. Monitoring Assessments +a. Report Cards: All students’ report cards must include a +grade for taking PE class. + +3. Monitoring school-based Comprehensive School Physical +Activity Plan (CSPAP) +a. Wellness Actions Plans: School Wellness Councils’ + + +Page 16: +Superintendent’s Circular HWD-02 +Page 16 of 18 + +CSPAP will include their school-based CSPAP Policy +that outlines how all students in all grades will receive +weekly physical activity. +b. The Office of Health and Wellness will monitor School +Wellness Councils’ CSPAP. +c. The Office of Health and Wellness will monitor the +community partner’s compliance with the BPS +Community Partner Policy.. + +4. Monitoring Scheduling and Graduation Requirements +a. Master Schedules: All schools must reflect adequate PE +on their master schedule. +b. Student Report Cards: All students’ report cards must +include PE to determine compliance with the PE & PA +Policy and to determine students’ graduation eligibility. + +5. Monitoring Staffing: +a. Staffing Reports: The Office of Human Capital will +annually conduct PE staffing reports for each school. +The PE staffing reports will be monitored to determine +compliance with the PE Staffing Policy for BPS. + +6. The Office of Health and Wellness will support schools in +their efforts by providing: +a. Yearly professional development opportunities for both +physical education teachers and school-based +personnel + + +Page 17: +Superintendent’s Circular HWD-02 +Page 17 of 18 + +b. Professional development opportunities for recess- +based personnel +c. Schools shall be provided resources to integrate +physical activity into their academic lessons +d. Resources available for school staff include: +○ Field-day guides +○ Physical Activity Curriculum +○ Physical Activity Breaks +○ Recess temperature recommendations +○ Active Recess materials +○ Guide to Before and After School Activities +○ A list of physical activity community partners and +contact information +7. Schools Non-Compliant with PE & PA Policy: +The principal and relevant school superintendent will be notified +by the Office of Health and Wellness if a school is found not to be +compliant. The Office of Health and Wellness will work directly +with the school to support the development of a CSPAP +Improvement Plan that puts the school on track for compliance +with the PE & PA Policy. +School administration, teachers, families, students, community- +based organizations, and wellness councils will be provided +information about the policy to engage and support +implementation, monitoring, and compliance. The BPS Office of +Health and Wellness will provide an implementation guide that +will include strategies and support for professional development, +curriculum, partnership development, instructional materials, +school-based PA strategies, and other resources. + + +Page 18: +Superintendent’s Circular HWD-02 +Page 18 of 18 + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & Wellness +Department: Health and Wellness +Mailing +Address: +370 Columbia Road, Dorchester, MA 02125 +Phone: +617-635-6643 +Email: +healthandwellness@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Health & Wellness (HWD)/HWD-03 Comprehensive Health Ed.txt b/data/data_txt1/Health & Wellness (HWD)/HWD-03 Comprehensive Health Ed.txt new file mode 100644 index 0000000..28082dc --- /dev/null +++ b/data/data_txt1/Health & Wellness (HWD)/HWD-03 Comprehensive Health Ed.txt @@ -0,0 +1,395 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-03 +Version 01 + + + + +COMPREHENSIVE HEALTH EDUCATION POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Health education, as defined by the CDC, helps students “acquire +functional health knowledge, strengthen attitudes and beliefs, +and practice skills needed to adopt and maintain healthy +behaviors throughout their lives.” Health education curricula +should address the National Health Education Standards (NHES), +incorporate the characteristics of an effective health education +curriculum, and be taught by qualified, trained teachers. In +addition, the American Cancer Society, the American Diabetes +Association, and the American Heart Association believe that +school health education programs can reduce health risk +behaviors such as tobacco use, poor nutrition, lack of physical +activity, drug and alcohol use, as well as actions that increase +stress and risk of injury and violence. Because these behaviors are +amenable to change, quality school health education taught by +trained and licensed health educators provides the best +opportunity to promote positive health behavior among children +and adolescents.What Works in Schools (Facts: Learning for Life +Health Education in School) + + +Page 2: +Superintendent’s Circular HWD-03 +Page 2 of 11 + + + +Health education is an integral component of quality school +programming. Schools have direct contact with a significant +number of Boston’s youth and for the critical years of students’ +social, psychological, physical, and intellectual development. As a +result, schools play an important role in improving students’ +health and social outcomes as well as promoting academic +success (CDC Healthy Schools). Healthy students are more ready +and able to learn and are less likely to experience negative +academic impact (e.g., academic failure, lower test scores, +truancy, absenteeism) than students who engage in risky health +behaviors. According to the CDC, schools cannot achieve their +primary mission of education if students are not healthy, and +schools can address the health needs of students in part through +effective comprehensive health education. Research supports +that school health programs and policies may be one of the most +efficient ways to reduce risky behaviors in students, prevent +health problems, and address the achievement gap. +Boston Public Schools (BPS) believes, in accordance with the +NHES, health education should empower students to practice +behaviors that protect and promote their health while +minimizing risks. Therefore, health education in BPS includes +teaching health skills and essential concepts such as health +literacy, health promotion, and health equity, with a strong focus +on understanding the social determinants of health. +In line with the NHES, BPS emphasizes a holistic approach to +health by shifting the focus from specific health behaviors to +overall well-being. This approach leverages the strengths and +resources within students, their families, schools, and +communities. It prioritizes equipping students with the health +skills and essential knowledge needed to assist them in living + + +Page 3: +Superintendent’s Circular HWD-03 +Page 3 of 11 + + + +healthier lives and to enable them to actively support their own +health and the health of others within a broader societal context. +The policy and implementation guidelines presented here +explain how we, at Boston Public Schools, will create effective +health education programming. + +POLICY +The Boston Public Schools require comprehensive Pre-K through +grade 12 health education that is medically accurate, age and +developmentally appropriate, culturally and linguistically +sustaining, and implemented in a safe and supportive learning +environment where all students feel valued. All Boston Public +Schools must take a skills-based approach to teach +comprehensive health education that addresses a variety of +topics, such as tobacco, alcohol, substance misuse and harm +reduction, nutritional health, mental and emotional health, +personal health and wellness, physical activity, safety and injury +prevention, violence prevention, and comprehensive sexual +health education that is LGBTQ+ affirming. + +Comprehensive health education curriculum shall be modified as +needed for students with disabilities and students who are +English learners. It shall promote healthy lifestyle habits, healthy +relationships and health literacy for all students. Health +education curricula will align with the BPS Health Education +Frameworks, which integrate the Massachusetts Comprehensive +Health and Physical Education Framework and National Health + + +Page 4: +Superintendent’s Circular HWD-03 +Page 4 of 11 + + + +Education Standards, as well as the National Sexuality Education +Standards. Qualified and trained teachers will implement the +curricula. + +All schools will follow relevant promotion and graduation +requirements that include: Health education that includes at +minimum the Healthy and Safe Body Unit in elementary school; +two semesters of health education in grades 6 to 8 taught by a +licensed health education teacher; and a one-semester course of +health education in total in grades 9 to 12 taught by a licensed +health education teacher. In addition to these course +requirements, health education topics will be integrated into +other subject areas where possible, to reinforce their importance, +provide additional skill practice, and demonstrate the +connections of health concepts to many other content areas. + +IMPLEMENTATION GUIDELINES +Boston Public Schools are committed to addressing the health +and wellness of all students, in part, through effective health +education programming. Therefore, BPS will require +comprehensive pre-K-12 health education to be taught to all +students throughout the district. The Boston Public Schools take +a comprehensive approach to review and incorporate changes in +policy, curricula, and implementation. This effort will result in a +skills-based approach to teaching health education that +promotes healthy lifestyle habits, healthy relationships, and +health literacy for all students. + + + +Page 5: +Superintendent’s Circular HWD-03 +Page 5 of 11 + + + +Schools will adhere to the following implementation guidelines: +A. School leaders or their designees are responsible for +implementing and enforcing this policy. Grade-level teams, +lead health education teacher, or other instructional lead +will determine, in collaboration with the school leader, how +their school will meet the policy requirements relating to +time, staffing, and implementation. School leaders may +consult with the Director of Health Education in the Office of +Health and Wellness on how their school can meet the +policy requirements. + +B. BPS Policy requires that all students in PreK-12 should +receive health education in line with promotion and +graduation requirements that include a minimum of: +a. The BPS Healthy and Safe Body Unit in elementary +school +b. Two semesters of health education in total grades 6 to +8 +c. A one-semester course of health education in total in +grades 9 to 12. +C. + The National Health Education Standards recommend +i. +Pre-K to grade 2 receive a minimum of 40 hours of +HE each year. +ii. +Grades 3 to 12 receive a minimum of 80 hours of + + +Page 6: +Superintendent’s Circular HWD-03 +Page 6 of 11 + + + +HE each year. +D. Staffing requirements: +a. BPS supports a learning environment in which all +teachers are highly qualified in the subject areas they +teach. Therefore: +i. +In grades K-5, HE instruction must be +implemented by trained teachers who hold an +active and valid teaching license. +ii. +In grades 6-12, HE instruction must be +implemented by trained teachers with an active +and valid health education teaching license. +b. If a school is unable to provide students with HE +instruction from licensed teachers, they should contact +the Office of Health and Wellness for support with +identifying district-approved staffing alternatives. All +HE staffing alternatives should be approved by the +Office of Human Capital, the Office of Health and +Wellness, and the school’s respective instructional +superintendent. Staffing alternatives are only +considered in extenuating circumstances or in +situations that increase opportunities for students. +E. The BPS HE curriculum must meet the following criteria. +The district-endorsed curriculum is: +a. Aligned with the 2023 Massachusetts Comprehensive +Health and Physical Education Framework and 2024 +National Health Education Standards, as well as the +2020 National Sex Education Standards + + +Page 7: +Superintendent’s Circular HWD-03 +Page 7 of 11 + + + +b. Comprehensive, standards-based, and sequential; +teaching a variety of skills and topics in such a way that +student learning and skill development is built upon +with each unit and each year +c. Inclusive of a variety of topics, such as tobacco, alcohol, +and other drug misuse; healthy eating/nutrition; +mental and emotional health; personal health and +wellness; physical activity; safety and injury prevention; +violence and bullying prevention; and comprehensive +sexual health education that is LGBTQ-inclusive +d. Medically accurate and age and developmentally- +appropriate +e. Culturally and linguistically sustaining, including but +not limited to race, gender, sexual orientation, and +cultural identity +f. Modified as needed for students with disabilities and +students who are English Learners +g. +F. District endorsed high quality instructional materials +include the following curricula: CATCH K-8 HE Journeys, +Goodheart-Wilcox Grades 6-12 Essential Health Skills and the +PreK-Grade 12 Rights, Respect, Responsibility curriculum. +G. Student assessments in HE must include graded +competency (i.e. knowledge, skills, practice) and +participation assessments that are reflected on all students’ +report cards. + + +Page 8: +Superintendent’s Circular HWD-03 +Page 8 of 11 + + + +H. Implemented in safe and supportive learning environments +in which all students feel acknowledged, respected, and +valued. +I. Schools should include cross-curricular, interdepartmental +collaborations to enhance the value and meaning of health +education programming, including opportunities for +students to think critically, globally, and inclusively to +develop health literacy to enhance health equity. +a. For example, the school recognizes World Health Day +by organizing a student-led Wellness Day. In +preparation, health education classes explore the social +determinants of health and identify Boston-based +community health resources to enhance personal, +family, and community well-being. Meanwhile, in social +studies, students research global health issues and +create maps or infographics to illustrate how different +regions are impacted by various health challenges, as +well as the role of international organizations in +addressing these issues. In math, students analyze and +compare data from the National YRBS and the Boston +YRBS creating graphs, and interpreting trends using a +strengths-based approach. In computer science, +students design a simple app or website to promote +healthy habits, such as a sleep tracker, a nutrition diary, +or a mental health check-in tool. This interdisciplinary +approach encourages and motivates healthy behaviors +by focusing on positive outcomes. +J. Professional development is an essential component of +effective policy implementation. Therefore, HE teachers will + + +Page 9: +Superintendent’s Circular HWD-03 +Page 9 of 11 + + + +attend relevant professional development opportunities. +a. Schools will support and encourage school personnel +in their professional development. +b. Teachers are expected to stay current in the fields of +health and health education through the review, +analysis, and implementation (when appropriate) of +national, state, and local health policies, procedures +and standards, research in best practice, guidelines +from international, national, and state organizations, +etc. +K. Schools should monitor (or assign another individual to +monitor) relevant student and community information that +can assist in identifying priority areas for health education. +This should include, but not be limited to, district- level +Youth Risk Behavior Survey data, School Health Profiles +data, school-level Health Services Data, and community +public health trends. Data should be used to review and +modify health education programming in order to ensure +that it is meeting the needs of the students. +L. Schools are required by the state to notify +parents/guardians about any curriculum that primarily +involves human sexual education or human sexuality issues, +and permit parents/guardians to exempt their children +without penalty from any portion of that curriculum (see +Superintendent Circular HWD-05: Human Sexual Education +Education - Parent Notification). Schools will engage +families in their child’s health education by providing access +to curricular materials and health-related information. + + +Page 10: +Superintendent’s Circular HWD-03 +Page 10 of 11 + + + +Schools will also encourage students to actively engage +parents/caregivers and other family members in promoting +healthy behaviors. +M. Should schools decide to utilize community partners to +support their health education program, they will refer to +PartnerBPS and consult with the Office of Health and +Wellness to identify the most appropriate community +partners to meet their needs. Community partners can +provide an important aspect of quality health education and +can meaningfully support and enhance programming in +BPS. If a school is using a community partner and/or +supplementary materials and curriculum to teach sexual +health education, the school must consult the Office of +Health and Wellness for vetting and recommendations. +N. The Office of Health and Wellness leads health education for +the district and will support schools by: +a. Vetting health education curriculum, materials, and +resources +b. Providing curriculum training and materials, +professional development, instructional coaching, and +technical assistance +c. Maintaining and enhancing the BPS health education +digital learning library +d. Vetting and managing partnerships to ensure +equitable support of HE education across the district +e. Collaborating to offer family health education +informational workshops and events + + +Page 11: +Superintendent’s Circular HWD-03 +Page 11 of 11 + + + +f. Coordinate with other central office department to +develop health promotions and family events on +specific health topics when applicable and align with +tier II and tier III services and programs provided by +those departments + +We recognize that effectively implementing a comprehensive +skills-based health education program can be challenging. The +Office of Health and Wellness is committed to providing training, +support, and resources to schools and school personnel to help in +the implementation of this policy. + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & Wellness +Department: +Health & Wellness +Mailing +Address: +370 Columbia Rd, Dorchester, MA 02125 +Phone: +617-635-8709 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Health & Wellness (HWD)/HWD-04 Healthy School Environment Policy.txt b/data/data_txt1/Health & Wellness (HWD)/HWD-04 Healthy School Environment Policy.txt new file mode 100644 index 0000000..c8fa85a --- /dev/null +++ b/data/data_txt1/Health & Wellness (HWD)/HWD-04 Healthy School Environment Policy.txt @@ -0,0 +1,284 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-04 +Version 01 + + + +HEALTHY SCHOOL ENVIRONMENT POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +Approximately 20% of Americans go to school every day, with +many students, teachers, staff, faculty, and administrators in +aging facilities with deteriorating conditions. Meanwhile, studies +have shown that the condition and health of the school building +and grounds directly impacts the productivity and health of its +occupants. High-performance green schools with healthy indoor +air quality, acoustical controls, revitalized schoolyards, and +daylight produce healthier, higher-performing students. A robust +amount of literature is available for identifying best practices, +guidelines, and recommendations for achieving healthy school +environments. — from the Lawrence Berkeley National +Laboratory, to the Environmental Protection Agency, to the +American Federation of Teachers Union. +In addition, the Center for Disease Controls (CDC) Whole School, +Whole Community, Whole Child (WSCC) model states a healthy +and safe physical school environment promotes learning by +ensuring the health and safety of students and staff. +Asthma is one of the leading causes of school absenteeism, and + + +Page 2: +Superintendent’s Circular HWD-04 +Page 2 of 8 + + + +children with asthma are especially vulnerable in buildings that +have evidence of environmental hazards that affect indoor air +quality. The Federal National Heart, Lung, and Blood Institutes +evidence-based guidelines for effective asthma management +recommends reducing exposure to indoor environmental +asthma triggers such as mold, dust mites, pests, pesticides, +hazardous cleaners, and disinfectants, and exposure to +environmental tobacco smoke in indoor environments. +In partnership with the Boston Healthy Homes and Schools +Collaborative (BHHSC) and the Healthy School Environment +Taskforce, Boston Public Schools has implemented many of +these evidence-based guidelines through district policies and +programs (see below). As a result of the revised District Wellness +Policy, school-based Wellness Councils, which are focused on +improving health and wellness of students and staff, will be more +closely involved in maintaining the healthiest level of indoor air +quality and environmental health of their school and school +grounds by working with Facilities Management, outside +partners, and the school community. +Considering that Boston Public Schools is the oldest school +district in the country and home to existing buildings of all ages, +it is critical that sustained resources, innovative programs, and an +ongoing focus be dedicated to designing, upgrading, and +maintaining our school buildings and grounds to fulfill whole- +school health and wellness goals. +POLICY +The Boston Public Schools recognizes that healthy physical +environments are critical to the prevention of asthma and other + + +Page 3: +Superintendent’s Circular HWD-04 +Page 3 of 8 + + + +chronic and infectious diseases that impact learning. The Boston +Public Schools is committed to providing high-performing school +buildings and grounds that are clean, in good repair, have +healthy indoor air quality and water quality, sanitary and +accessible bathrooms, and use resources efficiently. BPS strives +to provide adequate facilities for physical activity that are +accessible and culturally inclusive learning environments that +positively impact the productivity, health, and wellness of all +students and staff. To address environmental risk factors for +chronic and infectious diseases, each school will receive an +Annual Environmental Audit to evaluate health and safety +conditions such as leaks, mold, pests, chemical storage, and +cleanliness. The district shall maintain a Healthy Schools +Taskforce (HST) to promote and raise awareness of the health of +the built environment and ensure continuous improvement of +BPS healthy school environment policies and programs. +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, will comply with +existing federal and state regulations, city ordinances, and +District policies related to promoting and managing healthy +school environments, including but not limited to: +• Indoor air quality +• Green cleaners +• Integrated pest management +• Trash and recycling +• Infection prevention & control +• Tobacco-free environmental policy +• Environmental inspection/audit +• Student safety/health in school shops + + +Page 4: +Superintendent’s Circular HWD-04 +Page 4 of 8 + + + +• BPS water policy +• Laboratories and chemical Inventory “Right to Know” law +• Idling of buses and other motor vehicles on school property +Schools will regularly assess the quality and quantity of BPS +facilities for active transportation, physical activity, and physical +education, including schoolyards, and report maintenance needs +for these facilities. +IMPLEMENTATION, MONITORING & EVALUATION GUIDELINES +The Boston Public Schools and the Boston Public Health +Commission must conduct annual Environmental +Inspection/Audits (audit) to evaluate the health and safety +conditions of each school building and school grounds. The +Facilities Management Department, in partnership with school +leadership, will take action to mitigate critical issues such as +unhealthy indoor air quality, signs of pests, leaks, clutter, mold, +unsatisfactory chemical management, and critical health and +safety repairs. In addition, the audit results, along with best +practices in the Healthy School Environment Resource Toolkit, +shall be used by school principals/heads of school and school- +based Wellness Councils to develop annual environmental health +priorities and goals as part of the school’s Wellness Action Plan. +District departments and all schools, through an Environmental +Committee or school-based Wellness Council, shall comply with +existing city ordinances and District policies related to promoting +and managing healthy school environments. Examples of +relevant and existing healthy school environment policies, for +which school-based Wellness Councils and school staff must +comply, are referenced below: + + +Page 5: +Superintendent’s Circular HWD-04 +Page 5 of 8 + + + +Massachusetts Legislation +o MGL c. 90, s. 16B Idling of a motor vehicle engine on +school property +District Circulars +o BPS Water Access Policy and FMT- 20 Drinking Water +Access Circular +o FMT-07: Chemical Inventory “Right to Know” Law +o FMT-08: BPS Recycling & Zero Waste Policy +o FMT-10: Integrated Pest Management (IPM) +o FMT-11: Green Cleaners Policy +o FMT-13: Respiratory Protection Program +o FMT-14 Hearing Conservation Program +o FMT-15: Annual Environmental Inspection/Audit +Program Conducted by Boston Public Schools/Boston +Public Health Commission (City Ordinance 7.12.1-4) +o FMT-17 Volunteer Projects +o FMT-19 Cleaning and Disinfecting Body Fluid Spills +o FMT-18: Science Safety in Laboratories and Classrooms +o FSE-06: Student Safety / Health in School Shops, +Laboratories and Classrooms +o HWD-04: Healthy School Environments Policy +o HWD-06: Tobacco-Free Environment Policy +o SHS-04: Infection Prevention and Control in School +Settings +o SHS-20: Asthma in Schools +BPS Facilities Department & Boston Public Health +Commission +Boston Public Schools will ensure all schools comply + + +Page 6: +Superintendent’s Circular HWD-04 +Page 6 of 8 + + + +with healthy school environment policies. +The Facilities Management Department and the +Boston Public Health Commission will comply with City +Ordinance (Boston, MA Ordinances, ch. 10 §§ 7-14.1-14.4 +(1996)) by conducting annual environmental +inspection/audits of each school. They will +communicate a school’s results to each school leader, +and publish all results on the BPS website, available for +review by the public. +Upon completion of the audit, Facilities Management +will immediately address critical health and safety +deficiencies by filing a work order with the appropriate +division, and they will incorporate other needed work +at the school sites into the annual budgeting process. +On an ongoing basis, Facilities Management will +provide technical assistance to principals/heads of +school on environmental problems and other building- +related issues. +School leadership and school-based Wellness Councils +School administration and staff must actively +participate in ensuring the school is following district +policies and proactively manage environmental health +issues for the sake of their students and staff. +School principals/heads of school will be responsible for +reviewing their school’s annual Environmental +Audit/Inspection results and other related building +condition resources to develop environmental health +priorities for the school. + + +Page 7: +Superintendent’s Circular HWD-04 +Page 7 of 8 + + + +Administrators will engage in a collaborative planning effort +with their school-based Environmental Committee or +Wellness Council to finalize annual environmental health +priorities, goals, action steps, and evaluation efforts. +The Health and Wellness Department, in partnership with +the Facilities Management Department, will annually assess +all schools' Wellness Action Plans to ensure school leaders +and school-based Wellness Councils are taking active steps +to improve the health and cleanliness of their school +building environment. +Wellness Councils will track the progress of improved school +conditions and evaluate annually what efforts worked best. +Wellness Champions will participate in their school Wellness +Councils. + + + + +Page 8: +Superintendent’s Circular HWD-04 +Page 8 of 8 + + + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & +Wellness +Department: +Office of Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-9698 +Fax: +617-635-1502 +Email: +healthandwellness@bostonpublicschools.or +g + + +Owner: +Sustainability, Energy, and Environment +Program Director +Department: +Facilities Management +Mailing Address: +1216 Dorchester Ave., Dorchester, MA 02125 +Phone: +617-635-9576 +Fax: +617-635-9306 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt1/Health & Wellness (HWD)/HWD-06 Tobacco-Nicotine Policy.txt b/data/data_txt1/Health & Wellness (HWD)/HWD-06 Tobacco-Nicotine Policy.txt new file mode 100644 index 0000000..f3456f6 --- /dev/null +++ b/data/data_txt1/Health & Wellness (HWD)/HWD-06 Tobacco-Nicotine Policy.txt @@ -0,0 +1,496 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HWD-06 +Version 01 + + + +TOBACCO AND NICOTINE-FREE ENVIRONMENT +POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BACKGROUND +A Tobacco Policy Task Force met during the 2010-2011 school year +to review the BPS smoking policy and develop recommendations +for a comprehensive tobacco policy that addressed all tobacco +products, including e-cigarettes or electronic vapor products for +the Boston Public Schools. Task force members included +representatives from Health Services, Facilities, Health & Wellness +Department, School Safety, teachers, students, parents, and a +high school head of school. The policy was updated again in the +fall of 2019 to remain current with language around electronic +cigarettes and best practices for vaping prevention. +The Tobacco and Nicotine-Free Environment Policy is motivated +by the philosophy that every staff person, student, and visitor +should have the right to breathe clean air in their school and +work environment and that BPS is acutely aware of the serious +health risks associated with the use of tobacco or nicotine +products, both to users and non-users. The policy recognizes that +the use or promotion of tobacco or nicotine products on school + + +Page 2: +Superintendent’s Circular HWD-06 +Page 2 of 14 + + + +grounds and at off-campus school-sponsored events is +detrimental to the health and safety of students, staff, and +visitors. BPS acknowledges that adult staff and visitors serve as +role models for students and embraces its obligation to promote +positive role models in schools, and to provide an environment +for learning and working that is safe, healthy, and free from +unwanted smoke and tobacco or nicotine product use, including +vaping, for students, staff, and visitors. Therefore, a +comprehensive policy was adopted to prohibit the use of any +tobacco or nicotine products. The Boston Public Schools have +prohibited smoking on school property since 1987 when the +School Committee of the City of Boston first adopted a Smoking +Policy. +A Tobacco-Free Environment Policy has been developed to +comply with and extend beyond the Massachusetts Smoke-Free +Workplace Law (M.G.L. c. 270, § 22) and Boston’s Clean Air Works +Workplace Smoking Restrictions Regulation. Furthermore, this +policy has been reinforced by the Education Reform Act of 1993 +and M.G.L. c.71 § 2A. This policy is a part of the District Wellness +Policy (HWD-01) and Healthy School Environment Policy (HWD- +04) and is linked to the Drug and Alcohol Abuse Policy (SHS-01) +and the Boston Public Schools Code of Conduct. Substance use +intervention should be a part of a tiered approach that includes +substance use prevention education for all students as a part of +the comprehensive health education required in HWD-01. +DEFINITIONS +School property: Includes inside and outside both administrative +and school buildings, sidewalks/walkways, parking lots, +playgrounds, fields, school buses and other official vehicles, + + +Page 3: +Superintendent’s Circular HWD-06 +Page 3 of 14 + + + +loading docks, and any other facility under BPS jurisdiction. +Tobacco and nicotine products: Include but are not limited to +cigarettes, cigars, cigarillos (or little cigars), clove cigarettes, loose +tobacco, blunt wrappers, chewing tobacco (chew, dip), or any +other product not mentioned that contains tobacco of any kind. +It also includes any products containing nicotine such as +dissolvable nicotine, electronic cigarettes, nicotine gel, nicotine +water, or any other preparation of tobacco and any product or +formulation of matter containing biologically active amounts of +nicotine that is manufactured, sold, or offered for sale, or +otherwise distributed, with the expectation that the product or +matter will be introduced into the human body. +Tobacco or nicotine paraphernalia: Any device used to aid, +ingest, light, burn, or consume tobacco products, including but +not limited to pipes, rolling papers, lighters, and matches. This +also includes the use of all electronic nicotine delivery systems or +electronic smoking devices, such as e-cigarettes, e-cigars, e- +hookahs, e-pipes, vape pens, and advanced personal vaporizers. +Nicotine replacement products (NRP): Products containing +nicotine as an active ingredient that are intended to help a +person quit smoking and are regulated through the FDA’s Center +for Drug Evaluation and Research. Over-the-counter NRPs are +approved for sale to people 18 years and older. The US Public +Health Service Clinical Practice Guideline on Treating Tobacco +Use and Dependence does not recommend NRP as a component +of pediatric tobacco use interventions. NRPs include skin +patches, chewing gum, and lozenges. Prescription nicotine +replacement therapy is also available; the products are FDA- +approved only for use by adults. Electronic vapor products are + + +Page 4: +Superintendent’s Circular HWD-06 +Page 4 of 14 + + + +not considered FDA-approved nicotine replacement products. +POLICY +BPS students shall not possess, use, consume, display, distribute, +or sell any tobacco or nicotine products or tobacco or nicotine +paraphernalia at any time on school property, at off-campus, +school-sponsored events and extra-curricular activities, within +vehicles located on school property, and within 50 feet of school +property. +BPS staff, administrators, or visitors to BPS shall not use, +consume, display, or sell any tobacco or nicotine products or any +tobacco or nicotine paraphernalia at any time on school property, +at off-campus, school-sponsored events, and extra-curricular +activities, within vehicles located on school property, and within +50 feet of school property. + BPS staff and administrators shall not promote or allow the +promotion of tobacco or nicotine products, tobacco brands, +nicotine brands, or any tobacco or nicotine paraphernalia on +school property, at off-campus, school-sponsored events, and +extra-curricular activities, or within 50 feet of school property. +This includes promotion of any corporate name, trademark, logo, +symbol, motto, selling message, recognizable pattern of colors, or +any other indication of product identification identical or similar +to those used for any brand of tobacco or nicotine product +company, or manufacturer of tobacco or nicotine products +through the use of any gear, bags, clothing, any personal articles, +signs, structures, vehicles, flyers, or any other materials. +BPS will act to enforce this policy and to take appropriate action +against any students, staff, administrators, or visitors who are + + +Page 5: +Superintendent’s Circular HWD-06 +Page 5 of 14 + + + +found to have violated this policy. +BPS staff and administrators will not solicit or accept any +contributions, gifts, money, curricula, or materials from the +electronic cigarette industry, tobacco industry, and tobacco or +nicotine industry, or from any tobacco products shop. This +includes, but is not limited to, donations, monies for scholarships, +advertising, promotions, loans, or support for equipment, +uniforms, and sports and/or training facilities. It shall also be a +violation of this policy to participate in any type of service funded +by any of the industries listed above. +Exceptions/Exemptions: Tobacco and nicotine products, +paraphernalia, devices, or imitation tobacco or nicotine products +may be used for the following: +1. Instructional or work-related activities in Boston Public +Schools if the activity is conducted by a staff member or an +approved visitor and the activity does not include smoking, +vaping, chewing, or otherwise ingesting the product. +2. Use by an adult (18 years and older) of a nicotine +replacement product that has been approved by the US +Food & Drug Administration for sale as a tobacco or nicotine +cessation product, tobacco dependence product, or other +medical purposes and is being marketed and sold solely for +such an approved purpose. + +IIMPLEMENTATION GUIDELINES +A. Policy Owner: The Office of Health & Wellness (Policy +Owner) is responsible for the review and update of the + + +Page 6: +Superintendent’s Circular HWD-06 +Page 6 of 14 + + + +Tobacco Policy. The policy owner will provide policy +communication and implementation support and guidance, +including community resources for cessation and “Tobacco- +Free” signage. +B. Central Office Administration: School superintendents and +operational leaders are responsible for informing school +principals and heads of school about the Tobacco Policy. +[Central office leader] is responsible for informing all central +office department heads, supervisors, and building +administrators about the Tobacco Policy. +C. Building Administrators (i.e., School Principals and +Department Heads): It is the responsibility of building +administrators to ensure compliance with the Tobacco +Policy at all BPS schools and buildings: +1. Supervise the implementation and enforcement of the +policy at the school site. +2. Ensure that “Tobacco-Free” signs in accordance with +the Boston Public Health Commission are prominently +posted throughout the school property. Locations +must include all entrances/exits to buildings (including +basement and loading docks), athletic fields, +playgrounds, school buses/transportation vehicles, +bathrooms, and teacher lounges. If signs are needed, +please contact the Office of Health & Wellness. +3. Ensure that no marketing or promotion of tobacco or +nicotine products, tobacco brands, nicotine brands, or +any tobacco or nicotine paraphernalia occurs on +school property, at off-campus, school-sponsored +events and extra-curricular activities, or within 50 feet + + +Page 7: +Superintendent’s Circular HWD-06 +Page 7 of 14 + + + +of school property, including branding on gear, bags, +clothing, any personal articles, signs, structures, +vehicles, flyers, or any other materials. +4. Ensure that any contributions, gifts, money, curricula, +or materials from the electronic cigarette industry, +tobacco industry, and tobacco or nicotine industry or +from any tobacco products shop are neither solicited +nor accepted. +5. Inform all staff, students, parents, and visitors of their +obligations with respect to the policy. +a. This policy must appear in all student, family, and +staff handbooks. +b. Staff must sign that they have been informed of +the policy. +c. Inform students and employees how to +anonymously report a violation to the Boston +Public Health Commission: 617-534-4718. +d. Communicate this policy to all visitors, which +includes vendors and those contracted to do +work, and those permitted to use the building and +facilities before school, after school, and on the +weekends. +6. Make available information regarding tobacco +smoking and nicotine cessation options for students, +staff, and families. +7. Consider appointing a designee to support the +implementation and enforcement of this policy. +D. Boston Public Health Commission (BPHC): The BPHC is + + +Page 8: +Superintendent’s Circular HWD-06 +Page 8 of 14 + + + +responsible for the implementation of the Workplace +Smoking Restrictions Regulation. The authority to enforce +this regulation is held by the BPHC, its subsidiary programs +or designees; the City of Boston Inspectional Services +Department; the City of Boston Police Department; and the +City of Boston Fire Department. Anyone may anonymously +report a violation to the BPHC. As a result, a school or +department may receive: +1. In the case of a first violation a fine of two hundred +dollars ($200.00). +2. In the case of a second violation, within 24 months of +the first violation, a fine of seven hundred dollars +($700.00). +3. In the case of three or more violations within 24 +months of the second or current violation, a fine of one +thousand dollars ($1000.00) for each violation. +E. School Principals and Heads of School: In accordance with +the Comprehensive Health Education Policy (HWD-03), the +school administration must ensure students are receiving +the minimum health education course requirements and +receiving substance use prevention education in line with +BPS Health Education Frameworks and Student Learning +Outcomes. + +F. BPS Staff: In accordance with state law and local regulation, +all BPS staff are required to follow the Tobacco Policy. The +success of this policy will depend upon the thoughtfulness, +consideration, and cooperation of both tobacco or nicotine +users and non-users. All individuals on school properties + + +Page 9: +Superintendent’s Circular HWD-06 +Page 9 of 14 + + + +share in the responsibility to and enforcement of this policy. +1. Do not use, consume, display, or sell any tobacco or +nicotine products or any tobacco or nicotine +paraphernalia at any time on school property, at off- +campus, school-sponsored events, and extracurricular +activities, within vehicles located on school property, +and within 50 feet of school property. Exemptions are +made for only the following instances: +a. Instructional or work-related activities in Boston +Public Schools if the activity is conducted by a +staff member or an approved visitor and the +activity does not include smoking, vaping, +chewing, or otherwise ingesting the product. +b. Use by an adult (18 years and older) of a nicotine +replacement product that has been approved by +the US Food & Drug Administration for sale as a +tobacco or nicotine cessation product, tobacco +dependence product, or other medical purposes +and is being marketed and sold solely for such an +approved purpose. +2. No marketing or promotion of tobacco or nicotine +products, tobacco brands, nicotine brands, or any +tobacco or nicotine paraphernalia occurs on school +property, at off-campus, school-sponsored events and +extra-curricular activities, or within 50 feet of school +property, including branding on gear, bags, clothing, +any personal articles, signs, structures, vehicles, flyers, +or any other materials. +3. Do not solicit or accept any contributions, gifts, money, + + +Page 10: +Superintendent’s Circular HWD-06 +Page 10 of 14 + + + +curricula, or materials from the electronic cigarette +industry, the tobacco industry, and tobacco or nicotine +industry or from any tobacco products shop. +4. Complaints regarding Tobacco Policy violations should +be directed to building administrators who are +responsible for following recommended disciplinary +guidelines. +5. Anonymous complaints may also be directed to +Boston Public Health Commission (617-534-4718) +where school departments and schools may be +subject to a fine as listed above in section D. +6. Consult the building administrator, school nurse, or +the Boston Public Health Commission for information +regarding tobacco smoking and nicotine cessation. +7. Substance use prevention education to discourage the +use of tobacco and nicotine products shall be included +in comprehensive health education. Staff responsible +for teaching tobacco and nicotine-use prevention +must have adequate training and will participate in +ongoing professional development activities to +effectively deliver the education program as planned. +G. School Nurses are responsible for working with the Health +Services Department to provide local tobacco and nicotine- +use cessation resources at the school buildings. +H. Central Office: Since youth substance use prevention and +intervention must be a part of a multi-tiered approach, the +following central office departments are responsible for +supporting schools in these efforts: +1. Office of Health and Wellness is responsible for + + +Page 11: +Superintendent’s Circular HWD-06 +Page 11 of 14 + + + +providing training, instructional coaching, and +instructional materials for substance use prevention +education as a part of tier one comprehensive health +education. Additionally, the office is responsible for +maintaining health promotion materials and policy +implementation support. +2. The Health Services Department is responsible for +communicating cessation resource information to +school nurses and training on the referral process for +cessation services. +3. School Operations & Safety Division will communicate +alternatives to suspension for students found in +violation of the tobacco policy, including available +workshops and other intervention programs. +VIOLATIONS +Enforcement of this policy will be by school principals/heads of +school, building administrators, and department heads. Penalties +for violation of the Smoke-Free Workplace Law will be enforced +by school officials, the Boston Public Health Commission, and +their agents. It is recommended that building administrators, +principals, and supervisors implement disciplinary measures +consistent with the progressive measures section of the BPS +Code of Conduct: +A. Students found in violation +1. The first violation shall result in one or all of the +following: +a. Confiscation of tobacco or nicotine +products/paraphernalia + + +Page 12: +Superintendent’s Circular HWD-06 +Page 12 of 14 + + + +b. Notifying student’s family of the violation of policy +and state law and recommend that families +contact their primary care physician to discuss +prevention and cessation interventions +c. Meeting with appropriate school staff and the +student’s family +d. Providing student referrals to available cessation +programs +2. The second violation shall result in: +a. Confiscation of tobacco or nicotine +products/paraphernalia +b. Notifying student’s family of the violation of policy +and state law and recommend that families +contact their primary care physician to discuss +prevention and cessation interventions +c. Providing student referrals to available cessation +programs +d. One or more of the following: +i. Meeting with appropriate school staff and +the student’s family +ii. Participation in tobacco and nicotine +education program +3. The third violation shall result in: +a. Confiscation of tobacco or nicotine +products/paraphernalia +b. Meeting with appropriate school staff and the +student’s family +c. Participation in tobacco or nicotine education +program. Failure to participate in the education +program may result in a suspension. +d. One or more of the following: + + +Page 13: +Superintendent’s Circular HWD-06 +Page 13 of 14 + + + +i. Community service +ii. Suspension +B. Staff found in violation +1. Staff who are found to be in violation of this policy will +be subject to discipline up to and including +termination. +2. Department heads and building administrators (such +as principals) shall be responsible for any fines +administered by the Boston Public Health Commission +to the school or department, as outlined in section D. +C. Visitors found in violation +1. Visitors who are observed violating this policy shall be +asked to comply with the Tobacco and Nicotine-Free +Environment Policy. If the visitor fails to comply with +the request, they will be referred to the building +administrator or another district supervisory personnel +available. The supervisor shall decide on further action +that may include a directive to leave school property. +2. Repeated violations may result in a recommendation +to the school principal or building administrator to +prohibit the individual from entering school district +property for a specified time. If they refuse to leave, +school police may be called to have the individual +leave. + +For more information about this circular, contact: +Owner: +Senior Executive Director of Health & +Wellness + + +Page 14: +Superintendent’s Circular HWD-06 +Page 14 of 14 + + + +Department: +Health & Wellness +Mailing Address: +370 Columbia Rd., Dorchester, MA 02125 +Phone: +617-635-9698 +Email: +healthandwellness@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-01 Acceptable Use Policy.txt b/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-01 Acceptable Use Policy.txt new file mode 100644 index 0000000..95b4759 --- /dev/null +++ b/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-01 Acceptable Use Policy.txt @@ -0,0 +1,421 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +OIIT-01 +Version 01 + +ACCEPTABLE USE POLICY AND GUIDELINES +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Guidelines for Implementation of Acceptable Use Policy for +Digital Information, Communication, and Technology Resources +SCOPE OF POLICY +Boston Public Schools (BPS) provides access to technology +devices, Internet, and data systems to employees and students +for educational and business purposes. This Acceptable Use +Policy (AUP) governs all electronic activity of employees using +and accessing the district’s technology, internet, and data +systems regardless of the user’s physical location. +GUIDING PRINCIPLES +• Online tools, including social media, should be used in our +classrooms, schools, and central offices to increase +community engagement, staff and student learning, and +core operational efficiency. +• BPS has a legal and moral obligation to protect the personal +data of our students, families, and staff. +• BPS should provide a baseline set of policies and structures +to allow schools to implement technology in ways that meet +the needs of their students. All students, families, and staff + + +Page 2: +Superintendent’s Circular OIIT-01 +Page 2 of 13 + +must know their rights and responsibilities outlined in the +Acceptable Use Policy and government regulations. +• Nothing in this policy shall be read to limit an individual’s +constitutional rights to freedom of speech or expression or +to restrict an employee’s ability to engage in concerted, +protected activity with fellow employees regarding the +terms and conditions of their employment. +COMPLIANCE REQUIREMENT FOR EMPLOYEES +The Acceptable Use Policy is reviewed annually by the BPS Chief +Information Officer and is issued via the Superintendent’s +Circular. Technology users are required to verify that they have +read and will abide by the Acceptable Use Policy annually. +STUDENT AUP & CONTRACT +Copies of the Acceptable Use Policy and the student contract for +Internet use are included in the Guide to Boston Public Schools +for Families & Students, given to all students at the beginning of +the school year. The Student Contract for Internet Use must be +completed and signed by all students and their parent/guardian +after going over the AUP together. The signed contract must be +returned to the school before the student may begin using the +Internet. +CONSEQUENCES OF BREACH OF POLICY +Use of all BPS technology resources is a privilege, not a right. By +using BPS internet systems and devices, the user agrees to follow +all BPS regulations, policies, and guidelines. Students and staff +are encouraged to report misuse or breach of protocols to +appropriate personnel, including building administrators, direct + + +Page 3: +Superintendent’s Circular OIIT-01 +Page 3 of 13 + +supervisors, and the Office of Instructional and Information +Technology (OIIT). Abuse of these privileges may result in one or +more of the following consequences: +• Suspension or cancellation of use or access privileges. +• Payments for damages or repairs. +• Discipline under appropriate School Department policies, up +to and including termination of employment, subject to any +collective bargaining obligations. +• Liability under applicable civil or criminal laws. +DEFINITIONS +Freedom of Information Act (FOIA) - The FOIA is a law that allows +for the release of government documents at the request of an +individual. A FOIA request can be made to the Boston Public +Schools for electronic documents/communications stored or +transmitted through district systems unless that information +could be detrimental to governmental or personal interests. For +more information, visit http://www.foia.gov/ +Family Educational Rights and Privacy Act (FERPA) - The FERPA +law protects the privacy, accuracy, and release of information for +students and families of the Boston Public Schools. Personal +information stored or transmitted by agents of the Boston Public +Schools must abide by FERPA laws and the BPS is required to +protect the integrity and security of student and family +information. For more information, visit +http://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html +Children’s Internet Protection Act (CIPA) - Requires schools that +receive federal funding through the E-Rate program to protect + + +Page 4: +Superintendent’s Circular OIIT-01 +Page 4 of 13 + +students from content deemed harmful or inappropriate. The +Boston Public Schools is required to filter internet access for +inappropriate content, monitor the internet usage of minors, and +provide education to students and staff on safe and appropriate +online behavior. +COMMUNICATION & SOCIAL MEDIA +Employees and students are provided with district email +accounts and online tools to improve the efficiency and +effectiveness of communication, both within the organization +and with the broader community. Communication should be +consistent with professional practices used for all +correspondence. When using online tools, members of the BPS +community will use appropriate behavior: +a) when acting as a representative or employee of the Boston +Public Schools. +b) when the communication impacts or is likely to impact the +classroom or working environment in the Boston Public +Schools. +All communication sent by an employee using district property +or regarding district business could be subjected to public access +requests submitted through Freedom of Information Act (FOIA). +Users need to be aware that data and other material/files +maintained on the school district’s systems may be subject to +review, disclosure, or discovery. Use of personal email accounts +and communication tools to conduct school business is strongly +discouraged and may open an individual’s personal account to +be subject to FOIA inquiries. BPS will cooperate fully with local, +state, and federal authorities in any investigation concerning or + + +Page 5: +Superintendent’s Circular OIIT-01 +Page 5 of 13 + +related to any illegal activities or activities not in compliance with +school district policies or government regulations. +GUIDELINES FOR ONLINE COMMUNICATION +• Communication with students should not include content +of a personal nature. +• When communicating with parents/guardians of students, +employees should use email addresses and phone numbers +listed in the Student Information System (SIS) unless steps +have been taken to verify that the communication is +occurring with a parent/guardian that has educational +rights for the student. +• When communicating with a parent/guardian, refrain from +discussing any non-related students when possible. +• Employees who use internal or external social media (blogs, +X/Twitter, etc.) are expected to refrain from discussing +confidential information and/or discussing specific students. +Information that can be traced back to a specific student or +could allow a student to be publicly identified should not be +posted on any social media sites. +• When using social media, employees are expected to refrain +from posting any negative comments online about +students. +• Employees are required to notify their principal/headmaster +before setting up an online site to facilitate student learning. +Employees are encouraged to monitor/moderate online +communication to the best of their abilities. +• Employees are advised not to add any students/former +students or parents as ‘friends’ or contacts on social media + + +Page 6: +Superintendent’s Circular OIIT-01 +Page 6 of 13 + +unless the site is specifically set up to support classroom +instruction or school business. +• Employees may communicate with BPS graduates (+18 +years old) on social media but should be advised to maintain +professionalism and caution when communicating online. +• Employees are advised not to add parents/guardians of +students as ‘friends’ or contacts on social media to maintain +professionalism and to avoid any appearance of conflict of +interest. +• Avoid responding to spam or phishing attempts that require +a user to click on any links or to provide any account +information. Note: BPS will never ask for a user’s account +password for any purpose. Users are advised to report any +suspicious requests for account information directly to the +OIIT Help Desk (617-635-9200). +SOLICITATION +Web announcements and online communication promoting a +business are prohibited by the BPS Solicitation Policy. The +Superintendent’s Office may make exceptions if benefits are +judged sufficient to merit exception. + + + + +Page 7: +Superintendent’s Circular OIIT-01 +Page 7 of 13 + +USE OF COPYRIGHTED MATERIALS +Violations of copyright law that occur while using the BPS +network or other resources are prohibited and have the potential +to create liability for the district as well as for the individual. BPS +staff and students must comply with regulations on copyright +plagiarism that govern the use of material accessed through the +BPS network. +Users will refrain from using materials obtained online without +requesting permission from the owner if the use of the material +has the potential of being considered copyright infringement. +BPS will cooperate with copyright protection agencies +investigating copyright infringement by users of the computer +systems and network of the Boston Public Schools. +NETWORK USAGE +Network access and bandwidth are provided to schools for +academic and operational services. BPS reserves the right to +prioritize network bandwidth and limit certain network activities +that are negatively impacting academic and operational services. +Users are prohibited from using the BPS network to access +content that is inappropriate or illegal, including but not limited +to content that is pornographic, obscene, illegal, or promotes +violence. +NETWORK FILTERING & MONITORING +As required in the Children’s Internet Protection Act (CIPA), BPS +is required to protect students from online threats, block access +to inappropriate content, and monitor Internet use by minors on +school networks. OIIT is responsible for managing the district’s + + +Page 8: +Superintendent’s Circular OIIT-01 +Page 8 of 13 + +Internet filter and will work with the BPS community to ensure +the filter meets the academic and operational needs of each +school while protecting minors from inappropriate content. +By authorizing use of technology resources, BPS does not +relinquish control over materials on the systems or contained in +files on the systems. There is no expectation of privacy related to +information stored or transmitted over the BPS network or in +BPS systems. BPS reserves the right to access, review, copy, store, +or delete any files (unless other restrictions apply) stored on BPS +computers and all employee and student communications using +the BPS network. Electronic messages and files stored on BPS +computers or transmitted using BPS systems may be treated like +any other school property. District administrators and network +personnel may review files and messages to maintain system +integrity and, if necessary, to ensure that users are acting +responsibly. BPS may choose to deploy location tracking software +on devices for the sole purpose of locating devices identified as +lost or stolen. +PERSONAL USE +BPS recognizes that users may use BPS email, devices, and +network bandwidth for limited personal use; however, personal +use should not interfere with or impede district business and/or +cause additional financial burden on the district. Excessive use or +abuse of these privileges can be deemed in violation of the +Acceptable Use Policy. + + + + +Page 9: +Superintendent’s Circular OIIT-01 +Page 9 of 13 + +NETWORK SECURITY +The BPS Wide Area Network (WAN) infrastructure, as well as the +building-based Local Area Networks (LANs) are implemented +with performance planning and appropriate security measures in +mind. Modifications to an individual building network +infrastructure and/or use will affect LAN performance and will +reduce the efficiency of the WAN. For this reason, any additional +network electronics including, but not limited to, switches, +routers, and wireless access points must be approved, purchased, +installed, and configured solely by OIIT to ensure the safety and +efficiency of the network. Users are prohibited from altering or +bypassing security measures on electronic devices, network +equipment, and other software/online security measures without +the written consent of the chief information officer. +DATA & SYSTEMS +Access to view, edit, or share personal data on students and +employees maintained by BPS central offices, individual schools, +or by persons acting for the district must abide by local, state, +and federal regulations, including the Family Educational Rights +and Privacy Act. Student and staff information and data may only +be shared with individuals deemed eligible to have access by the +person(s) responsible for oversight of that data. Outside parties +and/or non-BPS individuals requesting protected data must +receive approval from the Office of the Legal Advisor and have a +non-disclosure agreement with the BPS. Individuals requesting +ongoing access to data through BPS systems are required to +have a designated BPS administrator who will act as a “sponsor” +to ensure the safety of the data. + + +Page 10: +Superintendent’s Circular OIIT-01 +Page 10 of 13 + +ELECTRONIC TRANSMISSION OF DATA +When educational records or private data are transmitted or +shared electronically, staff are expected to protect the privacy of +the data by password-protecting the record/file and only using +BPS systems to transmit data. Staff are also expected to ensure +records are sent only to individuals with a right to said records +and must take reasonable measures to ensure that only the +intended recipients are able to access the data. +PASSWORDS +Users are required to adhere to password requirements set forth +by the Boston Public Schools and the City of Boston when +logging into school computers, networks, and online systems. +Users are not authorized to share their password and must use +extra caution to avoid email scams that request passwords or +other personal information. +MEDIA & STORAGE +All local media (USB devices, hard drives, CDs, flash drives, etc.) +with sensitive data must be securely protected with a password +and/or encrypted to ensure the safety of the data contained. Use +of cloud-storage services for storage or transmission of files +containing sensitive information must be approved by the Office +of the Legal Advisor and OIIT. Users are encouraged to use BPS +approved data/information systems for the storage and +transmission of sensitive data whenever possible and avoid +storage on local hardware that cannot be secured. + + + + +Page 11: +Superintendent’s Circular OIIT-01 +Page 11 of 13 + +ELECTRONIC DEVICES +BPS defines electronic devices as, but not limited to, the +following: +• Laptop and desktop computers, including like-devices +• Tablets +• Wireless email and text-messaging devices, i.e., iPod +• Smartphones +• Donated devices +DEVICE SUPPORT +BPS provides basic installation, synchronization, and software +support for BPS-issued electronic devices. Devices must be +connected to the BPS network on a regular basis to receive up- +to-date software and antivirus updates and for inventory +purposes. Password protection is required on all BPS-issued +electronic devices to prevent unauthorized use in the event of +loss or theft. Users are responsible for making periodic backups +of data files stored locally on their devices. +LOSS/THEFT +Users must take reasonable measures to prevent a device from +being lost or stolen. In the event an electronic device is lost or +stolen, the user is required to immediately notify appropriate +school staff and/or their direct supervisor, local authorities, and +the OIIT Service Desk (617-635-9200). The BPS will take all +reasonable measures to recover the lost property and to ensure +the security of any information contained on the device. +RETURN OF ELECTRONIC DEVICES + + +Page 12: +Superintendent’s Circular OIIT-01 +Page 12 of 13 + +All technology purchased or donated to the BPS is considered +district property, and all equipment assigned to employees or +students must be returned prior to leaving their position or +school. All equipment containing sensitive information and data +must be returned directly to OIIT before it can be redeployed. +PERSONAL ELECTRONIC DEVICES +The use of personal electronic devices is permitted at the +discretion of the principal/head of school and chief information +officer. The BPS is not responsible for the maintenance and +security of personal electronic devices and assumes no +responsibility for loss or theft. The district reserves the right to +enforce security measures on personal devices when used to +access district tools and remove devices found to be in violation +of the AUP. +ENERGY MANAGEMENT +BPS strives to reduce our environmental footprint by pursuing +energy conservation efforts and practices. The district reserves +the right to adjust power-saving settings on electronics to reduce +the energy consumption. +TECHNOLOGY PURCHASING & DONATIONS +Technology hardware and software must be purchased or +donated through OIIT unless prior approval has been received by +OIIT and the Business Office. All technology purchases and +donations must abide by City procurement policies and are +subject to approval by OIIT. Technology pricing can include +additional expenses required to ensure proper maintenance and +security, including but not limited to warranties, + + +Page 13: +Superintendent’s Circular OIIT-01 +Page 13 of 13 + +hardware/software upgrades, virus protection, and +security/inventory software. Schools or departments applying for +technology grants, funding, or donations must budget for any +additional expenses associated with the requested technology +and can be held responsible for any additional expenses incurred. +For more information about this circular, contact: +Name: +Director of Technology +Department: +Office of Instructional and Information +Technology +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9199 +Fax: +617-635-9176 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-02 Procuring Digital Products Guidance Document.txt b/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-02 Procuring Digital Products Guidance Document.txt new file mode 100644 index 0000000..a62176a --- /dev/null +++ b/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-02 Procuring Digital Products Guidance Document.txt @@ -0,0 +1,160 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +OIIT-02 +Version 01 + + + +PROCURING DIGITAL PRODUCTS GUIDANCE +DOCUMENT +This circular will remain in effect unless rescinded or superseded by a +subsequent version +PURPOSE +This document is intended to provide guidance to Boston Public +Schools (BPS) staff on the process to procure new digital learning +technologies that use student education records or staff +information. The overarching guidance is that schools and central +office departments should continue to use already-vetted digital +products that are included with the Google Enterprise suite of +tools or those that are included in Clever. +DEFINITIONS +Digital Tool - Any digital products or learning tools that are used +to enhance or improve workflows that do not store or maintain +data/information. Examples include applications like +Smartsheets, Chrome Extensions, or personal notation tools. +These tools are exempt from this circular. +System - Any digital platform that purposely built to store, +maintain, or transfer sensitive student or staff data/information. +Examples include Aspen or EdPlan. + + +Page 2: +Superintendent’s Circular OIIT-02 +Page 2 of 5 + + + +Platform - A suite of tools and programs that allow users to +create structures to maintain information. Examples include +Google Apps, Salesforce, or Wordpress. +Learning Application - Any digital tool used in a classroom +setting that may contain content and student +information/progress. Learning applications may fall into multiple +categories, depending on how they are used, but any tool that +contains content and tracks student learning should be +considered a learning app for the purpose of this document. +Examples include Imagine Learning. +CONTEXT +BPS staff seeking online learning products or receiving offers to +use online learning products to support instruction in a digital +space has resulted in the desire to use products that may not be +aligned to BPS instructional standards, do not comply with our +technical specifications, or do not adhere to data sharing +guidelines under FERPA. Our district is committed to ensuring +that appropriate educational supports and effective learning +opportunities are provided to students. As such, this document +will outline guidance for the appropriate review of digital +learning tools in BPS. The guidelines outlined below are created +to ensure that product confidentiality and security practices +meet or exceed industry standards and adhere to the +expectations contained in the federal Family Education Rights +and Privacy Act (FERPA), the Children’s Online Privacy Protection +Act (COPPA), the Protection of Pupil Rights Amendment (PPRA), +and HIPAA regulations. This document describes the +considerations schools and central office staff should employ + + +Page 3: +Superintendent’s Circular OIIT-02 +Page 3 of 5 + + + +around protecting student data and education records, when +selecting digital learning tools. +GUIDANCE FOR BPS STAFF PROCURING DIGITAL PRODUCTS +Any tools or products that are procured (paid for or free) by +schools or departments for schoolwide or districtwide use need +to comply with the FERPA school official exception criteria1 and +specifications for technical interoperability. Exceptions are made +for tools that do not track/store/maintain student or staff +information. For example, a Chrome Extension that magnifies the +screen does not fall under these guidelines since it will not be + +1 Performs an institutional service or function for which the +educational agency or institution would otherwise use its own +employees; +Has been determined to meet the criteria set forth in in the +educational agency’s or institution’s annual notification of +FERPA rights for being a school official with a legitimate +educational interest in the education records or PII; +Is under the direct control of the educational agency or +institution regarding the use and maintenance of the education +records or PII; and +Uses the education records or PII only for authorized purposes +and does not re-disclose the education records or PII to other +parties (unless the provider has specific authorization from the +educational agency or institution to do so and it is otherwise +permitted by FERPA). See 34 CFR §99.31(a)(1)(i). + + +Page 4: +Superintendent’s Circular OIIT-02 +Page 4 of 5 + + + +accessing any sensitive information. New requests for products +should: +1. Meet the district’s technical specifications +2. Have signed or sign a data privacy agreement +3. Aligned to the Essentials for Instructional Equity +4. Serve a purpose that is distinct from currently available tools +within the district. +PROCESS FOR SUBMITTING A SPENDING APPROVAL FOR THE +DIGITAL LEARNING PRODUCT +Before a new digital learning product will be integrated, the +following steps need to be completed: +1. Review the Essentials for Instructional Equity for alignment. +2. Have the vendor submit an NDA Request to receive and sign +the MA Student Data Privacy Agreement and Technology +Specifications Template. +3. Once fully executed, follow the procurement process as +outlined in the BUSINESS SERVICES GUIDE. +4. Once the product is procured, email the BPS Clever Admin +at cleveradmin@bostonpublicschools.org + + + + + + + +Page 5: +Superintendent’s Circular OIIT-02 +Page 5 of 5 + + + +For more information about this circular, contact: +Name: +Director of Technology +Department: +Office of Instructional and Information +Technology, Office of Data & Accountability +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9200 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-03 Technology Purchasing, Acquisition & Return Guide.txt b/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-03 Technology Purchasing, Acquisition & Return Guide.txt new file mode 100644 index 0000000..c852624 --- /dev/null +++ b/data/data_txt1/Instructional & Information Technology (OIIT)/OIIT-03 Technology Purchasing, Acquisition & Return Guide.txt @@ -0,0 +1,155 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +OIIT-03 +Version 01 + +TECHNOLOGY PURCHASING, DONATIONS & +RETURN GUIDE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +PURPOSE +This document is intended to provide guidance on the +technology purchasing process, acceptance of technology +donations, and the return of technology. +TECHNOLOGY PURCHASING +All requests to procure technology that must be added to the +BPS network should be submitted to BPSTechnology (OIIT) +through the Technology Purchasing Request (Form 40), +regardless of funding source. Please visit the BPSTechnology +Purchasing Menu for technology options, pricing, and the +request form. If you’re not sure if a request form should be +submitted, please feel free to reach out. +Technology listed on the menu has been evaluated by +BPSTechnology (OIIT) experts based on industry standards, +district priorities, and school needs. Most technologies come with +the standard BPS image, and we guarantee service and support +for the equipment. Competitive pricing has been negotiated with +vendors, contracts are already in place, and BPS purchasing +guidelines have been met. + + +Page 2: +Superintendent’s Circular OIIT-03 +Page 2 of 5 + + +If you do not find what you are looking for on the menu, please +reach out. While most technologies are standardized across the +district, we may be able to get them with different specifications +(i.e. memory, storage). If you are considering technology that +cannot be supported by BPSTechnology (OIIT), please: +• examine compatibility with existing systems and digital +applications, +• be conscious of any software licensing or subscriptions +needed, +• understand the warranty coverage and how repairs will be +handled, +• ensure training is available on use and integration of the +technology, +• arrange for shipment, delivery, assembly, and installation if +necessary, +• follow the procurement process (see Business Services +Guide), and +• plan ahead to meet implementation and procurement +timelines. +BPSTechnology (OIIT) reserves the right to decline requests for +the procurement of technology. +Before submitting your request, please be sure sufficient funding +is available in technology accounts (55903, 55905, and 55907). If +paying by check/BEDF, please wait to make payment. +BPSTechnology (OIIT) will provide you with payment instructions +once the request has been reviewed and approved. + + + +Page 3: +Superintendent’s Circular OIIT-03 +Page 3 of 5 + +Only school/department leaders who are authorized by the +superintendent to make budget decisions can submit requests +to purchase technology. However, we encourage staff to work +with leaders to make technology decisions that will benefit +schools/departments as a whole. +Public funds cannot be used to provide a prize or gift to an +individual. Under the Anti-Aid Amendment of our State +Constitution and by order of the Massachusetts Supreme Judicial +Court, money raised by taxation (i.e., public money) can be used +only for public purposes and not for the advantage of private +individuals. +DONATIONS +Schools receiving technology donations from outside vendors or +partners should contact BPSTechnology (OIIT) prior to receipt for +a comprehensive consultation. Donations can differ from +BPSTechnology (OIIT) standards but must meet the minimum +system requirements for the device. All donations of technology +are the property of the Boston Public Schools and, as such, must +adhere to the same policies regarding purchased equipment. +After consultation, BPSTechnology (OIIT) reserves the right to +decline donations if they do not meet the minimum system +requirements or require additional support or resources beyond +the means of the district. +There may be additional costs associated with software, re- +imaging, repair, and maintenance. All donated computers must +be re-imaged with the standard image before being used by +students or staff to ensure that existing data/information can be +removed, and the necessary security and management software + + +Page 4: +Superintendent’s Circular OIIT-03 +Page 4 of 5 + +can be installed. +Materials funded through DonorsChoose.org are the property of +the public school at which the teacher is employed when +resources are shipped. The teacher who created the project is the +sole steward of the donation while employed at the school, +carrying out the project for which the materials were donated. +For more information, go to DonorsChoose.Org Materials +Ownership Policy. +RETURNS +All technology (laptops, desktops, cell phones, tablets, desk +phones, etc.) must be returned to BPSTechnology (OIIT) for +reimaging or recycling. Any BPSTechnology (OIIT) staff member +at either the Bolling Building or Campbell Resource Center can +collect technology and provide an electronic receipt to the +employee and RC manager, if requested. If re-imaged, the device +is held until the purchasing school/department reassigns the unit +and/or provides us with further instruction. +Technology cannot be transferred from one employee to another. +All computers, phones, and tablets must be returned to +BPSTechnology (OIIT) so that data can be properly archived and +destroyed before it is redistributed to another employee. Hard +drive contents will be archived according to the City of Boston +Records Retention Schedule by the director of records +management. Once data is archived and destroyed, the RC +manager can direct BPSTechnology (OIIT) to redeploy the +technology to another employee in their RC. +For more information about this circular, contact: + + +Page 5: +Superintendent’s Circular OIIT-03 +Page 5 of 5 + +Name: +Director of Technology Business Operations +Department: +OIIT / BPS Technology +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9190 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-01 Anti-Hazing.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-01 Anti-Hazing.txt new file mode 100644 index 0000000..3bf3a5b --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-01 Anti-Hazing.txt @@ -0,0 +1,320 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-01 +Version 01 + +HAZING LAW +Massachusetts law makes it a crime to engage in hazing +activities. Hazing means any conduct or method of initiation into +any student organization, whether on public or private property, +which willfully or recklessly endangers the physical or mental +health of any student or other person. A copy of the +Commissioner of Elementary and Secondary Education’s advisory +is attached hereto as Attachment 1. +Middle school principals, heads of school, and principals of K-8 +schools should treat hazing as a violation of Section 7.2.5 of the +Code of Conduct with attendant sanctions. They are required by +state law to take the following steps: +1. Distribute a copy of the amended law [Attachment 1] to +each school-based student organization on or before +September 15. +2. Obtain from each such student organization a statement, +signed by a designated officer of the organization, +indicating that: +a. the organization has received a copy of the law. +b. each of its members, plebes, pledges, or applicants +has received a copy of the law. +c. the organization understands and agrees to comply +with the law. + + +Page 2: +Superintendent’s Circular LGL-01 +Page 2 of 11 + +The designated officer's signature should be +witnessed by an adult (i.e., faculty advisor), who +should also sign the statement. These statements +should be retained in the main office. A sample +acknowledgment is attached to this memorandum +as Attachment 2 for your convenience. +3. Distribute a copy of the law to all students in grades 7 +through 12 at least annually. Middle school principals, +heads of school, and principals of K-8 schools must certify +that the school complies with the anti-hazing law to the +Massachusetts Department of Elementary and Secondary +Education on or before October 1, by logging into the +anti-hazing application accessible via MassEdu Gateway. +4. The law also requires anyone who knows that another +person is the victim of hazing to report such an incident +to an appropriate law enforcement official as soon as +possible and provides criminal penalties for failure to do +so. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +By September 15 Building administrators distribute Attachment +1 to all school-based student organizations. +By October 1 +Middle school principals, heads of school, and +principals of K-8 schools certify compliance +with the anti-hazing law to DESE. + + + + +Page 3: +Superintendent’s Circular LGL-01 +Page 3 of 11 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + + + +Page 4: +Superintendent’s Circular LGL-01 +Page 4 of 11 + +ATTACHMENT 1 + +REMINDER ABOUT MASSACHUSETTS LAW PROHIBITING THE +PRACTICE OF HAZING +School Year 2023-2024 Anti-Hazing Data Collection + +The anti-hazing law, which was enacted in 1985, applies only to +secondary schools in Massachusetts. Please note that a middle +school that has been designated as a secondary school by the +school committee must comply with the anti-hazing law and +regulations. +Under Massachusetts General Laws Chapter 269, Sections 17– +19 and 603 CMR 33.00, all secondary schools, both public and +private, must: +• Adopt anti-hazing policies as part of their disciplinary +policies. +• Distribute copies of the anti-hazing law to all students +enrolled full-time; to all student groups, teams, and +organizations that are part of or are recognized by the +school or are permitted by the school to use its name and +facilities; and to all known unaffiliated student groups, +teams, or organizations. +Every year, secondary school principals/heads of school must: +• Certify that you have read and understood the Anti-Hazing +Policy and that the school has complied with the law by +logging into the new Anti-Hazing application accessible via + + +Page 5: +Superintendent’s Circular LGL-01 +Page 5 of 11 + +MassEdu Gateway at https://gateway.edu.state.ma.us/ +• High school principals/heads of school (or a designee) who +need access should be assigned their school’s Anti-Hazing +user role by their district’s directory administrator. If you +have questions about this, contact your directory +administrator. +• If your school does not have a directory administrator, or if +you need help with your user ID and password, please +contact Nermina Peric at nperic@doe.ma.us. +• The schools must certify with the department on or before +October 1. By November 1, the department must notify the +Attorney General of any school that has not filed a report. +• Collect a signed acknowledgement from a contact person +for each student organization regarding distribution of +information and agreement to comply with the law. The +schools are not required to submit the Student Group Anti- +Hazing Form but should keep the form for their records. +The guidance in this memorandum is intended to ensure that all +public and private secondary schools meet their obligations +under this important law and that students know the rules, +expectations, and consequences regarding hazing. If you need +additional information about the anti-hazing law and secondary +schools' responsibilities, please contact Nermina Peric at 781-338- +3708. + + + + +Page 6: +Superintendent’s Circular LGL-01 +Page 6 of 11 + +MASSACHUSETTS GENERAL LAWS — CHAPTER 269 +C. 269, S.17. Crime of Hazing: Definition: Penalty +Whoever is a principal organizer or participant in the crime of +hazing, as defined herein, shall be punished by a fine of not more +than three thousand dollars or by imprisonment in a house of +correction for not more than one year, or both such fine and +imprisonment. +The term "hazing" as used in this section and in sections eighteen +and nineteen, shall mean any conduct or method of initiation +into any student organization, whether on public or private +property, which willfully or recklessly endangers the physical or +mental health of any student or any other person. Such conduct +shall include whipping, beating, branding, forced calisthenics, +exposure to the weather, forced consumption of any food, liquor, +beverage or drug or other substance, or any other brutal +treatment or forced physical activity which is likely to adversely +affect the physical health or safety of any such student or other +person, or which subjects such student or other person to +extreme mental stress, including extended deprivation of sleep +or rest or extended isolation. +Notwithstanding any other provisions of this section to the +contrary, consent shall not be available as a defense to any +prosecution under this action. Added by St.1985, c.536; amended +by St.1987, c.665. + + + + +Page 7: +Superintendent’s Circular LGL-01 +Page 7 of 11 + +C. 269, S.18. Duty to Report Hazing +Whoever knows that another person is the victim of hazing as +defined in section seventeen and is at the scene of such crime +shall, to the extent that such person can do so without danger or +peril to himself or others, report such crime to an appropriate law +enforcement official as soon as reasonably practicable. Whoever +fails to report such crime shall be punished by a fine or not more +than one thousand dollars. Added by St.1985, c.536; amended by +St.1987, c.665. +C. 269, S.19. Hazing Statutes To Be Provided; Statement of +Compliance and Discipline Policy Required +Each institution of secondary education and each public and +private institution of post-secondary education shall issue to +every student group, student team or student organization which +is part of such institution or is recognized by the institution or +permitted by the institution to use its name or facilities or is +known by the institution to exist as an unaffiliated student group, +student team or student organization, a copy of this section and +sections seventeen and eighteen; provided, however, that an +institution’s compliance with this section’s requirements that an +institution issue copies of this section and sections seventeen +and eighteen to unaffiliated student groups, teams or +organizations shall not constitute evidence of the institution’s +recognition or endorsement of said unaffiliated student groups, +teams or organizations. +Each such group, team or organization shall distribute a copy of +this section and sections seventeen and eighteen to each of its +members, plebes, pledges, or applicants for membership. It shall + + +Page 8: +Superintendent’s Circular LGL-01 +Page 8 of 11 + +be the duty of each such group, team or organization, acting +through its designated officer, to deliver annually, to the +institution an attested acknowledgement stating that such +group, team or organization has received a copy of this section +and said sections seventeen and eighteen, that each of its +members, plebes, pledges or applicants has received a copy of +sections seventeen and eighteen, and that such group, team or +organization understands and agrees to comply with the +provisions of this section and sections seventeen and eighteen. +Each institution of secondary education and each public or +private institution of post-secondary education shall, at least +annually, before or at the start of enrollment, deliver to each +person who enrolls as a full-time student in such institution a +copy of this section and sections seventeen and eighteen. +Each institution of secondary education and each public or +private institution of post-secondary education shall file, at least +annually, a report with the board of higher education and in the +case of secondary schools, the board of education, certifying that +such institution has complied with its responsibility to inform +student groups, teams, or organizations and to notify each full +time student enrolled by it of the provisions of this section and +sections seventeen and eighteen and also certifying that said +institution has adopted a disciplinary policy with regard to the +organizers and participants of hazing, and that such policy has +been set forth with appropriate emphasis in the student +handbook or similar means of communicating the institution's +policies to its students. The board of higher education and, in the +case of secondary institution, the board of education shall +promulgate regulations governing the content and frequency of +such reports, and shall forthwith report to the attorney general + + +Page 9: +Superintendent’s Circular LGL-01 +Page 9 of 11 + +any such institution, which fails to make such report. Added by +St.1985, c.536; amended by St.1987, c.665; St.1998, c. 161 §§ 557, 558. + + +Page 10: +Superintendent’s Circular LGL-01 +Page 10 of 11 + + ATTACHMENT 2 +SAMPLE ANNUAL STATEMENT OF ACKNOWLEDGEMENT FOR +STUDENT GROUPS, TEAMS, AND ORGANIZATIONS +ANTI-HAZING LAW, M.G.L. C. 269, §§ 17-19 + + +To: +Secondary School Principal or Head of School + +On behalf of _____________________________________________________ +(name of student group, team, or organization) +I certify that the _________________________________________________ +(name of student group, team, or organization) +and its members, plebes, pledges, or applicants for membership +have received a copy of An Act Prohibiting the Practice of Hazing, +M.G.L. c. 269, §§ 17-19; and that the + __________________________________________________________________ +(name of student group, team, or organization) +understands and agrees to comply with the law. + + + + +Page 11: +Superintendent’s Circular LGL-01 +Page 11 of 11 + +Date: ____________________________ +Signed: __________________________________________________________ +(Designated Officer) + __________________________________________________________________ +(Printed Name) + +Faculty Advisor or Leader: (for school affiliated group, team, or +organization only) ________________________________________________ + +Date Received by Principal or Designee: __________________________ + + +C: School Files + +Central Office Files + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-03 Public Record Requests.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-03 Public Record Requests.txt new file mode 100644 index 0000000..5d32917 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-03 Public Record Requests.txt @@ -0,0 +1,98 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-03 +Version 01 + + +PUBLIC RECORDS REQUESTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +School Department staff members frequently receive requests +from individuals and agencies, asking for information or +documents and cite the Freedom of Information Act (FOIA) or the +Massachusetts Public Records Law as the authority for honoring +their requests. +The Massachusetts Public Records Law, M.G.L. c. 66 §10, provides +that any person has a right to access public records. This right of +access includes the right to inspect, copy or have copies of +records provided upon payment of a reasonable fee. The +Massachusetts General Laws broadly define "public records" as +any books, papers, maps, photographs, electronic storage media, +computer files, digitally stored material, or any other information +regardless of form, which is made or received by employees of +public agencies unless the material falls into one of several +recognized exemptions. Requests for public record information +must be in writing; therefore, you should require that any oral +requests for public record information be placed in writing by the +requestor prior to responding to such a request. Such writing +must be signed, dated, and contain the address of the requestor. + + +Page 2: +Superintendent’s Circular LGL-03 +Page 2 of 3 + + +RECORDS REQUEST +All written public records requests must be sent to the Office of +Legal Advisor or filed through the City of Boston’s public records +request portal. You can access the public records request portal +by visiting https://www.boston.gov/departments/public-records +or clicking the “Public Records Request” link at the bottom of +every page of the boston.gov website. To ensure a prompt +response, use of the City’s public records request portal is the +preferred method for all requests. The Office of Legal Advisor will +review each request to see if it falls within an exception to the +public records law and will coordinate with your office or school +for the search, retrieval, and copying of such information. The law +provides that Boston Public Schools must respond to a request +for public records within ten (10) days of our receipt of such a +request. It is imperative, therefore, that once you receive a public +records request, it is faxed or delivered to the Office of Legal +Advisor. It is also imperative that, if you receive a request from +the Office of Legal Advisor to compile public records, you do so +expeditiously or call the Office of Legal Advisor if you cannot +comply in a timely manner with its request for information. +SUBPOENA +When receiving a subpoena for student records, personnel +records, medical records, or any other document, a copy of the +subpoena must be emailed or delivered immediately to the +Office of Legal Advisor for review. After that, please forward all +responsive records with the original subpoena to the Office of +Legal Advisor. Such a subpoena should be emailed or delivered +even if it is addressed to an individual, rather than the “keeper of +the records.” Witness subpoenas (i.e., a subpoena that seeks + + +Page 3: +Superintendent’s Circular LGL-03 +Page 3 of 3 + + +testimony rather than documents) should also be emailed or +delivered to the Office of Legal Advisor for appropriate +consultation. Please email legal@bostonpublicschools.org. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-04 School Visitor Guidelines.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-04 School Visitor Guidelines.txt new file mode 100644 index 0000000..b7a6144 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-04 School Visitor Guidelines.txt @@ -0,0 +1,416 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-04 +Version 01 + +SCHOOL VISITOR GUIDELINES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +It is School Committee policy to welcome all parents and other +visitors to our schools and to encourage their active support of +and involvement in the schools. However, considering the +challenges of COVID-19 and to comply with current CDC, DESE, +and district guidelines, we are asking all members of our school +communities to support our effort to limit traffic in our buildings +to only assigned students, BPS staff, BPS facilities contractors, +and approved partners as described below until further notice. +Please see Superintendent Circular SAF-12 School Access +Control. +All permitted visitors, including School Department personnel, +are expected to report to the school main office before going +elsewhere in the building. They will be required to sign in, noting +their name, affiliation, and reason for the visit; and before leaving, +to sign out of the building. Visitors will be required to park in +certain designated spaces or at certain designated times in +school parking lots. All visitors should be informed of these +procedures through such means as is determined by the school. +Occasionally, visitors may disrupt school activities: by behaving +inappropriately; by harassing staff; by shouting; or by insisting on +visiting at inappropriate times. Every effort should be made to + + +Page 2: +Superintendent’s Circular LGL-04 +Page 2 of 13 + + +work with such visitors to inform them of established procedures +in an effort to eliminate future disruptions. When such +disruptions occur, however, the building administrator may issue +the offender a Trespass Warning pursuant to M.G.L. c. 266, § 120. +Attachment A provides an example of such a letter, with +appropriate fields to be filled in by the building administrator. +Such a warning requires the offending party to contact the +building administrator, or a designee, prior to appearing at school +for any school-related matter. Additionally, depending upon the +nature of the inappropriate behavior, a building administrator +may choose to substitute any of the following restrictions in the +third paragraph of Attachment A: +1. The visitor will be required to telephone prior to visiting the +building to inform the building administrator of their intent +in visiting the building. +2. The visitor will be required to be accompanied by the +building administrator or their designee to classrooms. +3. Advance scheduling of consultations with teachers or other +providers will be required. +4. Parents delivering student[s] to school may be required to +leave the student[s] at the front door and not be permitted +to accompany them to the classroom. +This warning should expire at the end of the academic year. As is +noted on the Trespass Warning, it is appealable through the +operational leader. +Additionally, by issuing the Trespass Warning, the building +administrator is placing the disruptive visitor on notice that any +further inappropriate behavior will result in the issuance of a +Trespass Notice. If inappropriate behaviors continue, Attachment + + +Page 3: +Superintendent’s Circular LGL-04 +Page 3 of 13 + + +B provides an example of such a trespass notice, again with fields +to be completed by the building administrator. No Trespass +Notice shall issue, however, without the approval of the +superintendent or designee, which may be sought through the +operational leader, who will contact the Superintendent’s Office. +The Trespass Notice will be effective for one year from the date it +was issued and may, in the reasonable exercise of the building +administrator’s discretion and with the approval of the +superintendent or designee, be renewed thereafter. Failure to +comply with any restriction imposed by the Trespass Notice may +result in the visitor’s arrest and prosecution for criminal trespass. +Like the Trespass Warning, it is appealable at the visitor’s election +through the operational leader. +In instances of extreme behavior, such as assault or battery of an +administrator, faculty member, staff member, or student, a +building administrator with approval of the superintendent or +designee may issue a Trespass Notice without prior issuance of a +Trespass Warning. Attachment C is an example of such a notice. +Such a Trespass Notice as is contained in Attachment C should +be reserved, however, for particularly egregious behavior where +there is a particularized apprehension for the safety or well-being +for a member or members of the school community. Once issued, +or until such time it is vacated, the named visitor is prohibited, +under penalty of law, from entering or using school grounds for +any reason. This Trespass Notice is effective immediately, and its +duration is indefinite. A copy of this notice must be provided to +the Boston Police Department, the Safety Office, and the Office of +Legal Advisor, and maintained in the school’s file. A visitor’s +failure to comply with this notice will result in immediate arrest +and prosecution for trespassing if it is violated. This notice is +likewise appealable through the operational leader. + + +Page 4: +Superintendent’s Circular LGL-04 +Page 4 of 13 + + + +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular LGL-04 +Page 5 of 13 + + +ATTACHMENT A +Re: TRESPASS WARNING PURSUANT TO G. L. c. 266 § 120 +Warning notice of unacceptable conduct that incited a physical +confrontation + +Dear [Visitor name]: +By this letter I am issuing a Trespass Warning pursuant to G. L. c. +266, § 120. As a result of [description of incident] on [date], it is +necessary for [school name] to issue this warning to ensure the +safety of students, school staff, and the immediate community. +To foster and ensure effective teaching and learning, it is +necessary to maintain an environment that is positive and free of +disruption, so that the business of the school may be +appropriately completed. It has been determined that your +presence on [date] seriously disturbed the mental health of +numerous students here at [school name]. Such conduct cannot +be tolerated and does not reflect the type of behaviors we model +for our students. +We ask that you make every effort to avoid coming in or around +the area of [school name] at the arrival or dismissal of school. Any +further incident[s] that disrupts the mental health of other +students by inciting a physical confrontation during the +remainder of this academic year may next result in the issuance +of a formal Trespass Notice under G. L. c. 266, § 120. Failure to +comply with such a Trespass Notice would subject you to +immediate arrest and prosecution for violation of such a trespass +notice. +This action is being taken on behalf of and in the best interest of + + +Page 6: +Superintendent’s Circular LGL-04 +Page 6 of 13 + + +our students, staff, and community. Please contact the school at +[school phone number] if you wish to discuss this warning notice +or seek other assistance. You may also contact the Operational +Leader at [phone number] to discuss the issuance of this +Trespass Warning, including if you dispute the reasons for its +issuance. +Thank you for your cooperation in this matter. +Sincerely, + +[Principal or other responsibility official name] +[Title and school] + +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files + + + + + +Page 7: +Superintendent’s Circular LGL-04 +Page 7 of 13 + + +ATTACHMENT B +Re: TRESPASS NOTICE PURSUANT TO G. L. c. 266, §120, +Requiring that you not enter or use the [school name] property + +Dear [Visitor name]: +As a result of [description of the incident of unacceptable +behavior that prompted a previous warning and the current +notice] at the [school name] on [date of original incident], it is +necessary for me to issue this Trespass Notice pursuant to M.G.L. +c. 266, § 120. Therefore, from the date of this notice and until such +time as it is either vacated or for one calendar year whichever is +first you are not allowed to be present on the premises of the +[school name]. +Despite the warning issued on [date], a copy of which is enclosed, +your behavior continues to disrupt the teaching and learning +process and indeed places our students, staff, and faculty at risk +of harm. +I determined that your behavior on [dates of each incident for +which a warning notice was issued and the current incident +which prompts this Trespass Notice and describe behavior] +seriously disturbed the school environment and the conduct of +school activities and related school business. This cannot be +tolerated and is contrary to the mission of the [school name]. If in +the future you need to address particular school-related matters, +please contact either my designee or me by telephone so that +your concern may be addressed. +By this letter, I am formally notifying you of the Trespass Notice. A + + +Page 8: +Superintendent’s Circular LGL-04 +Page 8 of 13 + + +copy of this notice will be provided to the Boston Police +Department, the Department of Safety Services, Office of Legal +Advisor, the [school name’s] file, and will be sent to you by +regular and certified mail. This trespass notice prohibits you, +under penalty of law, from entering or using the [school name] or +from setting foot on school property for any reason. Failure to +comply with this Trespass Notice shall subject you to immediate +arrest and prosecution for violation of this Trespass Notice. This +notice will be effective for one year from the date it was issued +and may, in the reasonable exercise of my discretion, be renewed +thereafter. If renewed, I will notify you in writing prior to its +renewal. If not renewed, its effect will end one year after its +issuance. +I look forward to working with you in a cooperative manner. +Please contact me at [contact telephone and email] if you wish +to discuss this Trespass Notice or seek other assistance. You may +also contact the operational leader [number of contact person] +to discuss the issuance of this Trespass Notice. You may also +contact the operational leader if you dispute the reasons for +issuing this notice, or if, during the duration of this notice, you +wish to seek to vacate or modify its provisions. +This notice is likewise appealable through the operational leader. + + + + +Page 9: +Superintendent’s Circular LGL-04 +Page 9 of 13 + + +Thank you for your cooperation in this matter. +Sincerely, +[Principal or other responsibility official name] +[Title and school] + +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files + + + + + +Page 10: +Superintendent’s Circular LGL-04 +Page 10 of 13 + + +ATTACHMENT C + +Re: TRESPASS NOTICE, PURSUANT to G. L. c. 266, § 120, +Requiring that you not enter or use the [school name] property + +Dear [Visitor name]: +As a result of [insert detailed description of the incident of +unacceptable behavior] at the [school name] on [date of +incident], it is necessary for me to issue this Trespass Notice, +pursuant to G.L. c. 266, § 120. Therefore, from the date of this +notice, you are not allowed to be present on the premises of the +[name of school]. +I have determined that your behavior on [date of incident] placed +our students, staff, and faculty at risk of harm. Furthermore, your +actions seriously disturbed both the school environment and the +conduct of school activities and school-related business. This +cannot be tolerated. It is contrary to the mission of the [name of +school]. If in the future you have a need to address particular +school-related matters, please contact either my designee or me +by telephone so that your concerns can be addressed. +This letter serves to formally notify you of the Trespass Notice. A +copy of this notice has been provided to the Boston Police +Department, the Superintendent’s Office, the Office of Legal +Advisor, the Office of Safety Services, the [name of school]’s file, +and to you by regular and certified mail. This Trespass Notice +prohibits you, under penalty of law, from entering or using the +[name of school] or from setting foot on school property for any + + +Page 11: +Superintendent’s Circular LGL-04 +Page 11 of 13 + + +reason. Failure to comply with this trespass notice shall subject +you to immediate arrest and prosecution for violation of this +Trespass Notice. This notice will be effective immediately, and its +duration is indefinite. +I look forward to working with you in a cooperative manner. +Please contact me by telephone if you wish to discuss this +Trespass Notice or seek other assistance. You may also contact +the operational leader at [number of contact person] to discuss +the issuance of this Trespass Notice, including if you dispute the +reasons therefore. +Thank you for your cooperation in this matter. + +Sincerely, + +[Principal or other responsibility official name] +[Title and school] +cc: Boston Police Department +Superintendent +Office of Legal Advisor +Safety Services +School Files +Enclosure [attach copy of incident report if available] + +Guidelines for Visiting the Boston Public Schools +1. Until further notice, parents/guardians and staff from + + +Page 12: +Superintendent’s Circular LGL-04 +Page 12 of 13 + + +partner agencies [except for BPS facilities service +contractors and approved partner agencies, as described +above] will not be allowed in school buildings. +Parents/guardians are asked to drop off and pick up their +students on the exterior of the school building in the area[s] +designated by the school leader/staff. +2. ALL visitors MUST report to the school’s main office and sign +in before going elsewhere in the building, and they must +sign out before leaving. Some schools have a desk near the +main entrance where visitors may sign in and out. However, +if no one is sitting at the desk, the visitor must go to the +main office. +3. All visitors will receive a Visitor’s Pass when they sign in. +They must return it to the office or sign-in desk when they +leave. Please be sure your Visitor’s Pass is visible while you +are in the school or schoolyard. Visitor’s passes will not be +required at Open Houses, Parent Nights or other school- +sponsored events open to the public to the extent those +events are held. +4. For the safety of our students and staff, we will consider that +visitors who do not sign in and cannot show a Visitor’s Pass +are trespassing. A school staff member may ask them to +leave the building and schoolyard. +5. Visitors who want to meet with a teacher or administrator +should contact the school via phone or email to schedule +any discussion or virtual appointments that they would like +to have. +6. Teachers or staff who are expecting a visitor should notify +the office they are expecting a visitor and provide name and +reason prior to the visitor’s arrival. In some cases, a staff + + +Page 13: +Superintendent’s Circular LGL-04 +Page 13 of 13 + + +member may escort the visitor to the meeting place. +7. If a student is sick/injured and needs to be picked up, school +staff will contact the parent/guardian to make +arrangements and escort the student to meet the +authorized adult. +8. It is very disruptive to the classroom for parents to pick up +their children before the regular dismissal time. If this is +necessary, the parent should call the school office in +advance and pick their child up in the location designated +by the school. Parents may not go directly to the classroom +to pick up their child. The school will not release a student to +anyone other than a custodial parent without the parent’s +consent and proper identification. +9. Occasionally, visitors may disrupt school activities by +insisting on visiting classrooms unannounced, harassing +staff, shouting, or using inappropriate language. If such +disruptive behavior continues, the school administrator may +restrict the individual’s visits or deny future access to the +building, schoolyard, or virtual learning environment. +10. Thank you for your cooperation in observing these +guidelines. Be assured that our goal is to create a safe, +secure, and positive learning experience for all our students +and their families. + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-05 Subpoenas.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-05 Subpoenas.txt new file mode 100644 index 0000000..e1dfefb --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-05 Subpoenas.txt @@ -0,0 +1,48 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-05 +Version 01 + +SUBPOENAS +This circular will remain in effect unless rescinded or suspended +by a subsequent version.. +SUBPOENA: When receiving a subpoena for student records, +personnel records, medical records, or any other document, a +copy of the subpoena must be emailed or delivered +immediately to the Office of Legal Advisor for review. +Subsequent to that, please forward all responsive records with +the original subpoena to the Office of Legal Advisor. Such a +subpoena should be emailed or delivered, even if it is addressed +to an individual, rather than the “keeper of the records.” Witness +subpoenas (i.e., a subpoena that seeks testimony rather than +documents) should also be emailed or delivered to the Office of +Legal Advisor for appropriate consultation. + If sending by email, please email legal@bostonpublicschools.org. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: 2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + + + +Page 2: +Superintendent’s Circular LGL-05, 2023-2024 +September 1, 2023 +Page 2 of 2 + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-06 Religious Holy Days.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-06 Religious Holy Days.txt new file mode 100644 index 0000000..8838629 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-06 Religious Holy Days.txt @@ -0,0 +1,67 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-06 +Version 01 + +RELIGIOUS HOLY DAYS +This circular will remain in effect unless rescinded or suspended +by a subsequent version. + +It is the policy of the Boston Public Schools to make reasonable +efforts to accommodate the religious beliefs of students and +staff. State and federal laws also mandate such reasonable +accommodations. +Massachusetts General Laws, Chapter 151C, Section 2B reads, in +pertinent part, as follows: +“Any student in an educational or vocational training +institution, other than a religious or denominational +educational or vocational training institution, who is unable, +because of [their] religious beliefs, to attend classes or to +participate in any examination, study, or work requirement +on a particular day shall be excused from any such +examination or study or work requirement, and shall be +provided with an opportunity to make up such examination, +study, or work requirement which [they] may have missed +because of such absence on any particular day; provided, +however, that such makeup examination or work shall not +create an unreasonable burden upon such school. No fees of +any kind shall be charged by the institution for making +available to the said student such opportunity. No adverse + + +Page 2: +Superintendent’s Circular LGL-06, 2023-2024 +September 1, 2023 +Page 2 of 2 + +or prejudicial effects shall result to any student because of +[their] availing [themselves] of the provisions of this section.” +To accommodate the religious beliefs of students, all who +observe any holiday because of religious beliefs should be +marked “constructively present” upon submitting a valid note +from a parent or guardian (see Circular ACA-18). In addition, +teachers should refrain from giving tests on these religious +holidays and allow sufficient time for these students to make up +their work before administering tests. + +For more information about this circular, contact: +Name: +Lisa Maki +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +lmaki@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-07 Student Records.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-07 Student Records.txt new file mode 100644 index 0000000..1edd7cf --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-07 Student Records.txt @@ -0,0 +1,718 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-07 +Version 01 + +PRIVACY OF STUDENT INFORMATION AND STUDENT +RECORD PROCEDURES: HOW TO RESPOND TO +STUDENT RECORD REQUESTS IN COMPLIANCE WITH +FERPA AND STATE LAW +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +I. +GENERAL INFORMATION +These student record procedures pertain to all information +maintained by the Boston Public Schools concerning a student in +which he/she may be individually identified. +The student record consists of two parts: the transcript and the +temporary record. +A. +The transcript contains administrative records that +constitute the minimum data necessary to reflect the +student's educational progress and to operate the +educational system. The transcript is limited to the +name, address, and phone number of the student, the +student’s birth date, name, address and phone number +of the custodial parent or guardian, course titles, +grades (or the equivalent when grades are not +applicable), course credit, grade level completed, and +the year completed. The transcript must be retained for +at least sixty (60) years after the student leaves the +school system. + + +Page 2: +Superintendent’s Circular LGL-07 +Page 2 of 21 + +B. +The temporary record is all other student record +information besides the transcript. Temporary record +information may include health information, +disciplinary information, examples of student work, +special education or 504 plan documents, incident +reports, and any other information kept by the school +which identifies the student individually. Duplicates of +an original record do not need to be kept as part of the +temporary record. The temporary record should be +destroyed no later than seven (7) years after the +student leaves the school system, provided proper +notification is given as directed below. +II. +PARENTS (AND STUDENTS) HAVE A LEGAL RIGHT TO +CONTROL ACCESS TO STUDENT INFORMATION +Both federal and state law provide that a parent, and any student +that is 14 or older and/or in grade nine or above, have a legal right +to control access to the student’s educational record. The Family +Educational Rights and Privacy Act (FERPA) and Massachusetts +law define the parent’s/student’s right to access, seek to amend +and exercise control over the disclosure of personally identifiable +information in the student record. The Boston Public Schools is +legally responsible to respect and protect the parent’s/student’s +rights to privacy and control under FERPA and state law. +Violation of these legal rights can subject BPS to sanctions, +including termination of federal funding, and can subject BPS +employees to discipline, up to and including termination. +BPS notifies all students and parents of these rights annually by +means of the “Guide to BPS for Students & Families.” The Guide +for Students & Families identifies the limited types of information +that may be released without consent (see Directory Information +below). By September 30 of each year, parents and students have + + +Page 3: +Superintendent’s Circular LGL-07 +Page 3 of 21 + +a right to inform the school that such information shall not be +released without direct consent. +Schools receive requests for student record information in many +ways and from many different sources. By law, a school’s +response to a request for student records must vary depending +on who is making the request and what is being requested. +Below are descriptions of the main categories of requests that +schools may need to address. If the information below does not +directly describe a situation presented, the school should contact +the Office of Legal Advisor at legal@bostonpublicschools.org for +more direction. +III. +REQUESTS AND CONSENT BY PARENT/STUDENT +When a parent or student seeks to access, amend or consent to +sharing of student records, the following definitions will aid you +in understanding and complying with applicable law. +• A parent is the student’s natural parent, a guardian, or an +individual acting as a parent in the absence of a parent or +guardian. +• A custodial parent is any parent with whom a child +resides, whether permanently or for periods of time, and +who supervises the child. +• A non-custodial parent is any parent who does not have +physical custody of the child and who does not reside +with or supervise the child, even for short periods of time, +by court order. +• An eligible student is a student who is at least 14 years of +age and/or has entered the ninth grade. + + + + +Page 4: +Superintendent’s Circular LGL-07 +Page 4 of 21 + +A. Request to Inspect/Copy Records +1. Custodial Parents and Eligible Student. A custodial +parent, and/or an eligible student have a right to +inspect all portions of the student record upon +request. The record will be made available to the +custodial parent and/or eligible student no later +than ten (10) days after the request. The custodial +parent and/or eligible student have the right to +receive copies of any part of the record. In addition, +the custodial parent and/or eligible student may +request to have parts of the record interpreted by a +qualified professional of the school or may invite +anyone else of their choosing to inspect or interpret +the record with them. Please see Attachment 1 for +the process of fulfilling a custodial parent’s or +eligible student’s request for the student record. +2. Non-Custodial Parents. Non-custodial parents must +be given access to their children’s student records, +unless the school has been given written +documentation that establishes either: +a. The non-custodial parent has been denied legal +custody by a court based upon a threat to the +student or to the custodial parent. +b. The non-custodial parent has been denied +visitation or has supervised visitation. +c. Access to the student or to the custodial parent +has been restricted by a court-issued protective +order against the non-custodial parent, +provided such protective order does not +specifically allow access to student record +information. + + +Page 5: +Superintendent’s Circular LGL-07 +Page 5 of 21 + +d. There is an order of a probate and family court +judge which prohibits distribution of student +records to the non-custodial parent. +A school that receives a request for student record +information from a non-custodial parent should send +a copy of the notification attached as Attachment 2, +via certified and first-class mail, to the custodial +parent prior to providing student records to the non- +custodial parent. The notification must be in English +and the primary language of the custodial parent. If +no documentation related to any of the four (4) +scenarios above is received within 21 days, the records +must be provided to the non-custodial parent. If +documentation related to any of the four (4) scenarios +above is received within 21 days, it must be kept in the +student record and the non-custodial parent must be +notified, via certified and first class mail, of the reason +for denial of access. +B. Request to Amend Student Record +The custodial parent and/or eligible student have the +right to add relevant comments, information, or other +written materials to the student record. In addition, the +custodial parent and/or eligible student have the right to +make a written request that information in the record be +amended or deleted, except information created by a +special education team, which may not be amended or +deleted until after acceptance of the individualized +education plan or completion of the appeals process. +The custodial parent and/or eligible student have a right +to a conference with the school principal to make their +objections known. Within one week after the + + +Page 6: +Superintendent’s Circular LGL-07 +Page 6 of 21 + +conference, the principal must render a decision in +writing. If the custodial parent and/or eligible student +are not satisfied with the decision, it may be appealed to +the operational leader. +C. Consent to Share Student Information +The custodial parent and/or eligible student have the +legal right to consent to sharing of the student record +with any person or entity they choose. A school should +use Attachment 4 to document the custodial parent’s +and/or eligible student’s specific, informed, written +consent and include the signed consent in the student +record. +Except as specifically noted below, no individuals or +organizations other than the custodial parent, eligible +student, and authorized school personnel are allowed to +have access to information in the student record without +the specific, informed, written consent of the custodial +parent or the eligible student. +IV. +THIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING +INFORMATION: CONSENT NOT REQUIRED OR ASSUMED BY +OPERATION OF LAW +A. +Subpoenaed Records. Boston Public Schools will +produce documents requested in court orders or +lawfully issued subpoenas. Such requests should be +emailed immediately to the Office of Legal Advisor. All +records sought by the court order or subpoena should +be forwarded via courier mail or hand delivery as soon +as possible. Attachment 3 should be completed and +used to notify the parent and/or eligible student that +subpoenaed information will be provided absent + + +Page 7: +Superintendent’s Circular LGL-07 +Page 7 of 21 + +further court order. +B. +Authorized School Personnel. Authorized school +personnel (those providing direct services to the +student, administrative staff whose duties require +them to access the student record, and an evaluation +team that evaluates a student) shall have access to the +student’s school record when such access is required in +the performance of their official duties. +C. +Directory Information. Unless the parent or eligible +student has previously indicated in writing their +disapproval of the release of such information, the +school may release the following directory information: +student’s name, age, grade level, and dates of +enrollment. BPS notifies students and parents +annually of the types of information that will be +released by means of the “Guide to BPS for Students & +Families,” and allows custodial parents and students +until September 30 of each year to inform BPS that +such information will not be released without prior +consent. +D. +Military Recruiters and Higher Education Institutions. +Unless a parent or student has previously objected in +writing in response to notification through the +publication of the “Guide to BPS for Students & +Families,” military recruiters and institutions of higher +education must be provided, upon written request, +with the names, addresses and telephone numbers of +secondary school students. All requests by military +recruiters for such information must be forwarded to +the Office of Legal Advisor for centralized processing. +E. +Specified State Agencies and Local Authorities. A + + +Page 8: +Superintendent’s Circular LGL-07 +Page 8 of 21 + +school may release student record information without +prior written consent to the following agencies when +acting in their official capacities: Department of +Children and Families, Department of Youth Services, a +probation officer, or a justice of the court. Attachment +3 should be used to notify parents of such requests. +F. +Schools. When a student seeks or intends to transfer to +another school, the student record can be sent to the +receiving school. +G. +School Nurses and State Health Department. School +nurses and local and state health department officials +may have access to student health record information +when such access is required in the performance of +their official duties. For further information related to +student health information, please consult +Superintendent’s Circular LGL-16, Student Health +Information. +H. +Health or Safety Emergency. Without the consent of +the parent or eligible student, a school may disclose +information regarding a student to appropriate parties +in connection with a health or safety emergency if +knowledge of the information is necessary to protect +the health or safety of the student or individuals and if +the appropriate procedure has been followed. That +does not mean that anyone who asks, and who thinks +something is amiss or might happen, has a right to +access personally identifiable student information. +Required criteria: The regulations implementing +FERPA (34 CFR § 99.36) requires that each of the +following criteria be met: +a. +The request is made “in connection with an + + +Page 9: +Superintendent’s Circular LGL-07 +Page 9 of 21 + +emergency.” +i. “Emergency” means the request must be +related to an actual, impending, or imminent +emergency. +ii. BPS requires that a school consider the +following criteria to determine whether the +request is made in connection with an +emergency: +• The seriousness of the threat to the health +or safety of the student or others +• The need for the information to meet the +threat +• Whether the requestor is able to deal with +the emergency +• The extent to which time is of the essence +in dealing with the emergency. +iii. Any release of records is limited to the period +of the emergency; if the emergency is over no +further release of student information is +allowed. +b. +There is an articulable and significant threat to +the health or safety of the student or other +individuals. +c. +The requester (usually law enforcement, public +health officials, and medical professionals) needs +the information to protect the health or safety of +the student or other individuals. +d. +No blanket release of personally identifiable +information is allowed. Any release of + + +Page 10: +Superintendent’s Circular LGL-07 +Page 10 of 21 + +information must be narrowly tailored +considering the immediacy, magnitude, and +specificity of the threat. +e. +The determination is made on a case-by-case +basis, considering the totality of the +circumstances pertaining to the threat to the +health or safety of the student or others. +f. +Within a reasonable time after making the +disclosure, the school must record in the +student’s record the articulable and significant +threat that formed the basis for the disclosure, +and to whom the information was disclosed. +V. +THIRD PARTY REQUESTS FOR PUBLIC RECORDS +CONTAINING ONLY REDACTED AND/OR NON-STUDENT- +IDENTIFYING INFORMATION +Upon receipt of a third-party request for public records, the +school should immediately send a copy of the request via +email to the Office of Legal Advisor for review and direction. +All public records requests must be reduced to writing, +dated, and signed by the requestor, and must contain the +return address information of the requestor. For more +information, see Superintendent’s Circular LGL-3, Public +Records Requests. +VI. +DESTRUCTION OF STUDENT RECORDS +The law sets forth different time periods for the retention +and destruction of different portions of student records. +These different time periods are set forth below: +A. Transcripts - A student’s transcript must be maintained +by the school department for sixty (60) years following + + +Page 11: +Superintendent’s Circular LGL-07 +Page 11 of 21 + +the student’s graduation, transfer, or withdrawal from +the school system. +B. Periodic Review of the Temporary Record - While a +student is enrolled in a school, the principal/head of +school or his/her designee shall periodically review all +students’ temporary records and identify for destruction +any misleading, outdated, or irrelevant information. This +may include, particularly, exemplars of student work or +other impertinent information. Prior to destroying any +such information, however, the student and his/her +parent must be given written notification of the school’s +intent to destroy such information and must be given the +opportunity to receive the information or a copy of the +information prior to its destruction. +C. Temporary Record Destruction - The temporary record +of any student may be destroyed no later than seven (7) +years after the student transfers, graduates or withdraws +from the school district, if the student and his/her +parent/guardian have been given written notification +that includes the approximate date of destruction of the +temporary record and indicating their right to receive the +information in whole or in part at the time of the +student’s graduation, transfer or withdrawal from the +school system or prior to its destruction. Such notice +must be in addition to the annual notice issued by +Boston Public Schools in the “Guide to BPS For Students +& Families.” + + + + + +Page 12: +Superintendent’s Circular LGL-07 +Page 12 of 21 + + +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 13: +Superintendent’s Circular LGL-07 +Page 13 of 21 + +ATTACHMENT 1 +STUDENT RECORD REQUEST PROCEDURES +1. Parent/guardian or eligible student requests for the student’s +record are received, processed, and sent to the requestor +directly by the school. Third-party requests are received by the +Office of Legal Advisor, processed by the school, and then sent +back to the Office of Legal Advisor for transmission to the +requester. +2. The principal/head of school will be responsible for certifying +that all portions of the student record have been copied as a +response to the requestor. The principal/head of school will +complete the checklist and certification. If the request is being +sent to the parent, the certification will include the date sent to +the parent. A copy of the checklist will be sent with the record, +and the original will be retained by the school. +3. For third party requests, the principal/head of school will +complete the same process but provide the copy of the entire +record and the checklist to the Office of Legal Advisor for +review and delivery. +4. Requests received during the summer months: By June 1 of +each year, principals must identify who to contact for each +week of the summer break and provide that list to the school +superintendent. The designated individual will check for +incoming mail and for parent/guardian or eligible student +requests, will obtain the records (copy and/or print), complete +the checklist, and deliver them to the requester. In the event +of a third-party request, the same protocol will be followed but +the designated individual will send the record and the +completed checklist to the Office of Legal Advisor. + + +Page 14: +Superintendent’s Circular LGL-07 +Page 14 of 21 + +ATTACHMENT 2 +NOTICE OF NON-CUSTODIAL PARENT REQUEST +FOR STUDENT RECORDS +VIA REGISTERED MAIL AND FIRST CLASS MAIL + +Dear Custodial Parent of ________________________________________ : +This is to notify you that a request from __________________________ +was received on_____________ for the following parts of your +child’s student record: ___________________________________________. +In accordance with federal and Massachusetts law, non-custodial +parents must be given access to their children’s student records, +unless the school has been given written documentation that +establishes either: +1. The non-custodial parent was denied legal custody by court +order based upon a threat to the student or to the custodial +parent; +2. The non-custodial parent has been denied visitation or has +supervised visitation; +3. Access to the student or to the custodial parent has been +restricted by a court-issued protective order against the non- +custodial parent, provided such protective order does not +specifically allow access to student record information; or +4. There is an order of a probate and family court judge which +prohibits distribution of student records to the non-custodial +parent. + + + +Page 15: +Superintendent’s Circular LGL-07 +Page 15 of 21 + +The requested records will be released on _______________, unless +the documentation indicated in the paragraph above has been +received by the Building Administrator of the School. If you have +any questions, you may contact + +_____________________________________ at _________________________ . +Sincerely, + + __________________________________________________________________ +Signature of Principal or Other Authorized School Employee + +Date: _________________________ + +NOTE: THIS NOTICE MUST BE SENT IN BOTH ENGLISH AND THE +PRIMARY LANGUAGE OF THE CUSTODIAL PARENT. + + +Page 16: +Superintendent’s Circular LGL-07 +Page 16 of 21 + +ATTACHMENT 3 +NOTICE OF DISSEMINATION OF STUDENT RECORD TO THIRD +PARTIES FOR WHICH CONSENT IS NOT REQUIRED OR IS +ASSUMED BY OPERATION OF LAW + +Dear ____________________________________________: +This is to notify you that a: + subpoena + request from a justice + other (specify) _______________________________________________ +has been received for the following parts of your/your child's +student record: + __________________________________________________________________ + __________________________________________________________________ +The Massachusetts regulations pertaining to student records +state that the school system must comply with the above +request, but that this notification must be provided to you prior +to the release of the records. In the case of a subpoena, court +order, or request from a probation officer or the Department of +Youth Services, you have the right to attempt to have the +subpoena, order or request stopped by a court. + + + + +Page 17: +Superintendent’s Circular LGL-07 +Page 17 of 21 + +The records will be released on _________________________________ . +If you have any questions, you may contact +___________________________________ at ____________________________ . +Sincerely yours, + __________________________________________________________________ +Signature of Principal or Other Authorized School Employee +Date:_____________________________ + +NOTE: This notice must be sent in both English and the primary +language of the custodial parent. + + + + +Page 18: +Superintendent’s Circular LGL-07 +Page 18 of 21 + +ATTACHMENT 4 +PARENT’S OR STUDENT’S CONSENT FOR DISSEMINATION OF +STUDENT RECORD TO THIRD PARTY +My name is _____________________________________________. I am: + the parent/guardian of a BPS student named: + _____________________________________________________________ + a BPS student age 14 or over and in at least ninth grade. +I give permission for the following third parties to + inspect + secure a copy of +the parts of my/my child's student record noted below. +THIRD PARTIES: + __________________________________________________________________ + __________________________________________________________________ +REASONS FOR RELEASE OF RECORDS: + __________________________________________________________________ + __________________________________________________________________ + + + + +Page 19: +Superintendent’s Circular LGL-07 +Page 19 of 21 + +Parts of Record to be Released* +Permission +Granted +Permission +Denied +Transcript information (includes +identifying information, course titles, +grades or their equivalent, and grade +level completed) + + +Disciplinary record + + +Extracurricular activities + + +Teacher and counselor evaluations +and comments + + +Attendance record + + +Other (specify): + + + + + __________________________________________________________________ +**Signature of eligible student or parent/guardian +Student's Class:_____________________________Date_________________ +* Before seeking the parent's or eligible student's consent, the +school should cross out those items which have not been +requested by the third party. +** This form may be signed by a student or former student of 14 +years of age or older, or a student in the ninth grade or above, +or a custodial parent or guardian. + + + + +Page 20: +Superintendent’s Circular LGL-07 +Page 20 of 21 + +ATTACHMENT 5 +CHECKLIST FOR RETRIEVAL OF COMPLETE STUDENT RECORD + +YES N/A +Print electronic student file from ASPEN, +SNAP and EDPLAN +▢ +▢ + +Transcript information (includes identifying +information, course titles, grades or equivalent, and +grade level completed) +▢ +▢ +Disciplinary record +▢ +▢ +Nursing record +▢ +▢ + +Special education record +▢ +▢ +ELL file +▢ +▢ +Attendance records +▢ +▢ +Physical restraint records +▢ +▢ +Counseling records +▢ +▢ +Correction of student record +▢ +▢ +Other (specify): _______________________________________ ▢ +▢ +➤ The school should cross out those items which have not been +requested. + + + + + +Page 21: +Superintendent’s Circular LGL-07 +Page 21 of 21 + +Attachment 5, continued +CERTIFICATION +I, __________________________________________(Principal/School +Leader) of _______________________________________________________ +School, certify that to the best of my knowledge, all of the +components of the student record that are requested, applicable +to this student, and maintained by the school or on an electronic +BPS system have been copied and delivered to the requestor, +Name ___________________________________________________________ , +on [date]______________________. +________________________________________________ +Signature + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-08 Adherence to Court Orders.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-08 Adherence to Court Orders.txt new file mode 100644 index 0000000..cd7e3e4 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-08 Adherence to Court Orders.txt @@ -0,0 +1,48 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-08 +Version 01 + +ADHERENCE TO COURT ORDERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The purpose of this memorandum is to remind Boston Public +Schools staff of the need to continue to adhere to the court +orders entered against the District by courts of federal, state, and +local jurisdiction. Such orders have the force of law and are +binding on the District. Therefore, it is the responsibility of +administrators and staff of the Boston Public Schools to comply +with the terms of such orders. +Additionally, an order by an arbitrator or state agency may also +require compliance. Heads of school, principals, and other +administrators may contact the Office of Legal Advisor with +questions regarding adherence to court orders or the provisions +of any order. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + + + +Page 2: +Superintendent’s Circular #LGL-08, 2019-2020 +[Date] +Page 2 of 2 + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-09 Political Activity by Public Employees.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-09 Political Activity by Public Employees.txt new file mode 100644 index 0000000..24cd34e --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-09 Political Activity by Public Employees.txt @@ -0,0 +1,185 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-09 +Version 01 + +POLITICAL ACTIVITY BY PUBLIC EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Public employees have most of the same rights as other citizens +to engage in private political activity. However, the conflict of +interest law, M.G.L. c. 268A, restricts some political activity of +public employees. In addition, the campaign finance law, M.G.L. +c. 55, restricts public employees’ political fundraising. +PROHIBITED ACTIVITY +The following restrictions are imposed by law on public +employees and volunteers with respect to their participation in +political activity whether on the local, state, or federal level. +1. Participation in Political Activity +• “Political activity” includes, but is not limited to, any activity +that is in support of or in opposition to a federal, state, or +local candidate or political party or a state or local ballot +question. +• In general, a public employee may not use their public +position to engage in political activity. +• Public employees may not participate in political activity: +o during their usual business hours +o while acting in an official capacity or while in official + + +Page 2: +Superintendent’s Circular LGL-09 +Page 2 of 6 + +uniform +o with the use of other public facilities or property and +resources, such as staff time, public office space and +facilities, public office equipment such as telephones +and other communications equipment, computers, +copiers, public websites and links to public websites, or +public office supplies such as official stationery +• Partisan political and campaign activity may be conducted +by an employee only during non-business hours, including +usual lunch hour, vacation time, personal time, or during a +leave of absence without pay. +2. Prohibitions Against Public Employees Soliciting Political +Contributions +It is a violation of state law for a public employee directly or +indirectly to solicit or receive any contributions or anything of +value for any political purpose, at any time — during both +working and non-working hours. +No person employed for compensation, other than an elected +officer, by the commonwealth or any county, city or town shall +directly or indirectly solicit or receive any gift, payment, +contribution, assessment, subscription, or promise of money or +other thing of value for the political campaign purposes of any +candidate for public office or of any political committee, or for +any political purpose whatever (Mass. G.L. c. 55, Section 13, +emphasis added). +The principles supporting this prohibition — primarily to insulate +public employees from inappropriate political pressures and in +turn to ensure that employees do not use their public positions + + +Page 3: +Superintendent’s Circular LGL-09 +Page 3 of 6 + +for personal or political gain — are important and must be +strongly protected. +This prohibition includes both direct and indirect solicitation: +• A public employee may not ask any individual for a +contribution on behalf of a political candidate or committee. +• A public employee may not encourage an individual to +contribute to a candidate for public or political office or to a +political committee or sign a fundraising letter or +advertisement on behalf of a candidate or political +fundraising event. +• A public employee may not sponsor or allow the use of their +name on an invitation to a fundraising event or on a political +fundraising request. +• A public employee may not serve as a host or sponsor of a +political fundraising event. +• A public employee may not distribute or sell tickets to +political fundraising events. +It should be noted that Mass. G.L. c. 55, Section 7A, does permit +public employees, as individuals, to make financial contributions +to political campaigns. +3. Solicitation In a Public Building +No one may solicit a political contribution in a public building. +Solicitations include requests for, or receipt of, a contribution and +the distribution of fundraising letters or tickets. Any public +employee convicted of such solicitation of funds may be removed +from employment without a hearing (Mass. G.L. c. 55, Section 14). + + +Page 4: +Superintendent’s Circular LGL-09 +Page 4 of 6 + +4. Public Employees Seeking Elective Office +Public employees seeking elective office may not solicit political +contributions either directly or indirectly. +Any of the prohibitions against solicitation, which apply to public +employees, in general also apply to a public employee who is +themself a candidate for political office. Moreover, there are +other restrictions which apply: +• A public employee seeking office may attend an event held +on their behalf by a non-elected committee, but may not +encourage contributions, directly or indirectly. +• A public employee seeking public office may not give +permission to have their name appear on such invitation as +the one who encourages contributions by an individual. +PERMITTED ACTIVITY +In general, public employees of all types may engage in private +political activity, subject to the restrictions on political +fundraising imposed by G.L. c. 55. The conflict of interest law +does not prohibit a public employee from engaging in political +activity on their own time, using their own or other private +resources, and when they are acting as an individual and not as +an agent or representative of anyone else. +INFORMATION +• Elected and Policy-Making Officials: The restrictions on +public employee political activity are not the same for all +public positions. Elected officials may engage in more +political activity than appointed officials and +employees. Public employees who hold policy-making + + +Page 5: +Superintendent’s Circular LGL-09 +Page 5 of 6 + +positions have more leeway to make public statements and +to take official action on political issues than do non- +policymakers. Employees are encouraged to contact the +Office of Legal Advisor with questions. +• Campaign Finance: Employees seeking information on +particular questions are encouraged to call the +Massachusetts Office of Campaign and Political Finance +(OCPF). +• Conflict of Interest: Employees may refer to State Ethics +Commission’s Advisory No. 11-1, entitled “Public Employee +Political Activity,” a copy of which can be obtained by +clicking this link: +State Ethics Commission Advisory 11-1: Public Employee +Political Activity | Mass.gov +For information on campaign contributions and expenditures, +please see G.L. c. 55. +ENFORCEMENT +The City intends to ensure that the legal restrictions on political +activity by public employees are fully enforced. This bulletin +should serve as notice to public employees of the City of such +restrictions and their implications. + + + + + +Page 6: +Superintendent’s Circular LGL-09 +Page 6 of 6 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-10 Military Recruiters.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-10 Military Recruiters.txt new file mode 100644 index 0000000..453c261 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-10 Military Recruiters.txt @@ -0,0 +1,88 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-10 +Version 01 + +MILITARY RECRUITERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The purpose of this circular is to provide clarification on the law +requiring the release of student information and access to +students at the high school level by military recruiters. +Federal legislation requires that a local educational agency (LEA) +which receives federal funds release the names, addresses, and +telephone listings of secondary students (grade 9 and above) to +military recruiters and institutions of higher education. The Every +Student Succeeds Act (ESSA) contains similar language +concerning this obligation. +The release of student names, addresses, and telephone listings +to military recruiters and institutions of higher education requires +that LEAs provide parents and guardians with prior notification. +Such notification is provided by the Boston Public Schools in the +Guide to the Boston Public Schools for Students and Families +(“Policy Handbook”). As noted, a parent/guardian may request +that this information not be released without giving the +parent/guardian prior notification. Accordingly, copies of all such +requests by parents/guardians should be in writing and should +be on file in the school’s office. A copy of these signed requests +or a master list of these student names and student numbers + + +Page 2: +Superintendent’s Circular LGL-10 +Page 2 of 3 + +must be forwarded by October 15 by the head of school to the +Office of Data & Accountability. +If military recruiters contact a high school requesting a master +list of student names and addresses, the recruiter should be +asked to make the request directly to the Office of Data & +Accountability. +A second provision of the law authorizes direct access to high +school students by military recruiters. Usually, this access is in the +form of a request to make space available in the school for a +military recruiter to distribute literature and to speak with or +address interested students. The act requires that recruiters be +given the same access to your students as you provide generally +to post-secondary educational institutions or to prospective +employers. Please review your practices to assure that +henceforth all three (i.e., business, higher education, and military +recruiters) have the same access. + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +By October 15 +Heads of school forward to the Office of Data & +Accountability the list of students whose +names should not be given to military +recruiters. + + + +Page 3: +Superintendent’s Circular LGL-10 +Page 3 of 3 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.txt new file mode 100644 index 0000000..95f4eca --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.txt @@ -0,0 +1,127 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-14 +Version 01 + +GATHERINGS ON SCHOOL GROUNDS AND +DISTRIBUTION OF MATERIALS IN SCHOOLS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +It is permissible for schools to regulate the time, place, and +manner of any demonstration to avoid disruption of classes or +the orderly entrance and departure of students into and out of +the building. Accordingly, principals and heads of school are +advised that gatherings of three (3) or more people or +distribution of leaflets shall be regulated as follows: +1. All gatherings or demonstrations should be viewed as a +legal expression of First Amendment rights. If a building +administrator questions whether the material being +distributed is protected by First Amendment rights, the +Office of the Legal Advisor should be contacted immediately +at 617-635-9320. +2. All gatherings or demonstrations shall not disrupt school +classes or the orderly entrance and departure of students +into and out of the school building. +3. The Students’ Freedom of Expression Law (G.L. c. 71, §82) +permits students to plan peaceable assemblies on school +property for the purpose of expressing their opinions. +Building administrators may designate the time and place + + +Page 2: +Superintendent’s Circular LGL-14 +Page 2 of 4 + +for such demonstrations to avoid disruption of classes and +disorder in the school. +4. All other gatherings or demonstrations which are not +planned by students shall be restricted to areas off school +property and in such areas as not to restrict the flow of +traffic and school buses. The building administrator may +designate such areas. +5. All gatherings or demonstrations shall be reported to the +Boston Police Department (at 911), the operational leader, +and the Department of Safety Services as soon as possible +after the gathering and/or demonstration is organized. +6. Gatherings in school buildings may be limited if school is +being conducted remotely. Any in-person gatherings or +demonstrations will comply with public health guidelines +including those that mandate group size limits, physical +distancing, and the wearing of masks, as well as BPS policies +regarding access to buildings. +7. Materials and/or announcements of a public interest nature +must be submitted to the administrator in charge two +school days (at least 48 hours) prior to distribution for review +and approval in order to be distributed in a school or a +school-sponsored forum. In addition, there should be no +cost accrued by the BPS in the distribution of +materials/announcements requested by external +organizations. The following materials shall be prohibited +from circulation in schools or school-sponsored forums: +• Advertisements of for-profit and political organizations +and/or events sponsored by said organizations (including +political and commercial flyers) + + +Page 3: +Superintendent’s Circular LGL-14 +Page 3 of 4 + +• Materials including those promoting anything illegal or +immoral and/or are otherwise pervasively indecent or +vulgar +• Materials which include false and/or misleading +information and/or which interfere with the proper and +orderly operation and discipline of the school +8. Requests for collections and donations, which do not have +the authorization of the School Department, shall be +prohibited. +9. The sale of merchandise, products, etc. by a recognized +school/parent organization may be authorized with the prior +approval of a building administrator. +10. The sale and/or promotion of merchandise, products, etc. by +an external organization/agency will not be authorized +unless the proceeds are used for the support of educational +programs and prior approval has been given. +11. The sale of lottery tickets and/or other games of chance +shall be prohibited. +12. Distribution process: +• Outside groups’ literature should not be distributed to +students during instructional time and, if possible, should +not be intermingled with official school notices, but may +be posted on a bulletin board used for such materials. +• Students should not be compelled to take home or read +any outside group’s literature. +• School newsletters and notices to parents may not recruit +members for outside groups. + + + +Page 4: +Superintendent’s Circular LGL-14 +Page 4 of 4 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-15 Student Surveys.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-15 Student Surveys.txt new file mode 100644 index 0000000..cbc9214 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-15 Student Surveys.txt @@ -0,0 +1,65 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-15 +Version 01 + +STUDENT SURVEYS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +A federal statute, the Protection of Pupil Rights Amendment +(PPRA), 20 U.S.C. §1232h, affords some protections for students +and their parents before certain student surveys are conducted. +Many student surveys, however, will not come within the scope of +this statute. Please assess each student survey carefully before +administering it to determine if this policy applies. A student +survey that is anonymous or voluntary need not comply with the +following policy. Additionally, a student survey that is not +developed or administered through the use of funds received +from the United States Department of Education also does not +need to comply with this policy. +For those student surveys that are developed or administered +through the use of federal education funds and in which a +student is required to participate, the following policy applies. +This policy applies to those surveys that ask a student to reveal +any of the following information: political affiliation; mental +illness or psychological problems; sexual behavior and/or +attitudes; illegal, self-incriminating, and demeaning behavior; +critical appraisals of close family members; relationships to which +a privilege is recognized, such as clergy, medical doctors, or + + +Page 2: +Superintendent’s Circular LGL-15, 2023-2024 +September 1, 2023 +Page 2 of 2 + +attorneys; religious affiliations or beliefs; and income, other than +for eligibility for participation in a program. Prior to +administering such a survey, the student’s parent or guardian +must consent, in writing, to the student’s participation in the +survey. Also, a copy of the survey must be made available to the +parent or guardian. Any such survey should also be brought to +the attention of the Office of Legal Advisor. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-16 Student Health Information.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-16 Student Health Information.txt new file mode 100644 index 0000000..7c45aa1 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-16 Student Health Information.txt @@ -0,0 +1,140 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-16 +Version 01 + +STUDENT HEALTH INFORMATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +State and federal laws and regulations dealing with the +confidentiality of student record information recognize that +student health information is treated differently from other +student record information. It should be noted that the Health +Insurance Portability and Accountability Act, also known as +HIPAA, does not apply to student records, with some exceptions +not germane to this policy. See 65 Fed. Reg. 82805 (2000). +School health personnel may have access to student health +records when such access is required in the performance of their +official duties. See 603 Code Mass. Regs. §23.07 (4)(h). Of course, a +parent/guardian, or in some circumstances the student, may +consent to the release of student health record information to +school personnel generally. In the absence of such informed +written consent, however, the following standards should apply +to a determination of which school officials may access what +parts of a student’s health record. In the first instance, such +determinations should be made by the building administrator in +consultation with the school-based nurse. If a disagreement +arises, such concerns should be brought to the attention of the +senior director of Health Services for resolution. + + +Page 2: +Superintendent’s Circular LGL-16 +Page 2 of 4 + + +The following guidelines should be used: +1. Routine medical information. Such student health information +should be disseminated only as is appropriate to meet the +regular and effective educational mission of the school. Such +information may include information contained in an IEP or +504 Plan, previously scheduled medical appointments, health- +related incidents that may require or necessitate further +reporting, dispensation of medications, and conditions such as +food allergies, seizures, and asthma. In all events, only the +minimum necessary health record information should be +disclosed. Thus, the type of medications dispensed would, +absent more, not be disclosed in the above example. The fact +that a medical appointment necessitating early dismissal is +with a psychiatrist would also not normally be disclosed as a +matter of routine medical information. +Routine medical information is information that is appropriate +for certain staff to know in order to maximize the safety for +children. For example, a child with diabetes needs to have +teachers who are knowledgeable about the illness so the child +may have a safe learning environment. Low blood sugar can +also affect the child’s ability to concentrate. In this +circumstance it would be appropriate to notify all the child’s +teachers individually. Health information should never be +circulated by an all-staff memo. +2. +Medical information of limited dissemination. This is student +health information that is of a confidential nature and yet is of +little educational benefit in the school. This is specific +information that the Student Support Team needs to know to +provide accommodations. When possible, all diagnoses, + + +Page 3: +Superintendent’s Circular LGL-16 +Page 3 of 4 + +especially those related to mental health, should be +expressed as a functional diagnosis. For example, it should be +enough for the team to know that a child who is depressed is +getting counseling. The details of the diagnosis or the causes +of the depression are not relevant to the team’s provision of +accommodations. The nurse provides the connection with +the provider to interpret the medical information or when +clarification is required. +3. +Highly sensitive information. This is student health +information of a highly sensitive nature that has no bearing +on educational achievement and is of no educational use or +consequence and in which a high expectation of privacy +exists for students and/or parents or guardians. Such +information may include: suicide attempts, treatment for +drug or alcohol abuse, mental health diagnoses, family +planning information, maternity/paternity tests or +information, abortions, or HIV infection. This information is of +two types: (1) no accommodations or safety issues and (2) +highly sensitive information. +Medical diagnoses that have no relevance to a student’s +performance do not need to be shared. For example, a child +in therapy who is depressed but not suicidal and who is +performing well in school, does not need to have this +information shared with the school community. There are +also highly sensitive medical situations that are protected by +state regulations. These include HIV and a minor’s right to +seek medical care for pregnancy, sexually transmitted +diseases, and substance abuse, without their parents’ +consent. Any inclusion of this information in the educational +record is a violation of the adolescent’s right to privacy. With +HIV, the student/family can choose to disclose and can limit + + +Page 4: +Superintendent’s Circular LGL-16 +Page 4 of 4 + +the individuals to disclose to. In some circumstances, such +information is of such a private nature that even +dissemination to a parent or guardian is prohibited. +Questions in this regard should be directed to the Office of +Legal Advisor. Such highly sensitive health information +should, whenever possible, be segregated from the rest of a +student’s health information to reduce the chance of +inadvertent disclosure. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-17 Religious Expression in Schools.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-17 Religious Expression in Schools.txt new file mode 100644 index 0000000..48038d5 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-17 Religious Expression in Schools.txt @@ -0,0 +1,73 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-17 +Version 01 + +RELIGIOUS EXPRESSION IN PUBLIC SCHOOLS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Massachusetts General Laws chapter 71, section 82, sets forth the +law regarding the right of students to freedom of expression in +public schools. Freedom of expression must be balanced with +any disruption or disorder caused to the school. Issues related +specifically to religious expression in public schools involve +constantly developing concepts and questions of constitutional +law. Therefore, staff members are strongly encouraged to bring +specific questions of religious expression to the Office of Legal +Advisor, 617-635-9320. +Some general principles include: +• Freedom of expression of individuals or groups of +students includes the right to express their views through +speech, symbols, peaceable and planned assembly, and +written publications. +• Although the First Amendment forbids religious activity +that is sponsored by the government, it protects religious +activity initiated by private individuals that is non- +disruptive, including student prayer before meals or +during non-instructional time. Such non-disruptive +religious activity may also include speakers at student +assemblies, extracurricular events, or graduation + + +Page 2: +Superintendent’s Circular LGL-17 +Page 2 of 2 + +ceremonies who are selected on the basis of genuinely +neutral, evenhanded criteria and who retain control over +the content of their expression. Under such +circumstances, school officials may make neutral +disclaimers that the speech is the speaker’s view and not +of the school. +• Teachers, administrators, and other school employees +who, when acting in their official capacities, are acting as +agents of the state and must not encourage, discourage, +or participate in prayer or other religious expression. +(Note: this does not include the Pledge of Allegiance, +which is not considered religious expression; see Supt. +Circular LGL-18.) +• School officials may not compel students to participate in +prayer or other religious activities. + +For more information about this circular, contact: +Owner: +Lisa Maki +Department: +Office Of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-18 Display of Flag and School Ceremonies.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-18 Display of Flag and School Ceremonies.txt new file mode 100644 index 0000000..7002187 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-18 Display of Flag and School Ceremonies.txt @@ -0,0 +1,65 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-18 +Version 01 + +DISPLAY OF FLAG AND SCHOOL CEREMONIES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Massachusetts General Law requires that a “flag shall be +displayed, weather permitting, on the school building or grounds +on every school day and on every legal holiday.” In addition, we +are required to ensure that “a flag shall be displayed in every +classroom...and in each assembly hall” (M.G.L. c.71, §69). The +important patriotic and historic holidays celebrated during the +school year place a focus on our responsibility with respect to the +display of the American flag in all schools and classrooms. +Patriotic and national holidays offer the opportunity in our history +and social studies classes to provide instruction about the flag, its +origin, care, and symbolic significance. This instruction complies +with State Learning Standard 18 (Principles of American +Government). In addition, student projects may afford the +opportunity for students to conduct in-depth research on +subjects such as the flag and other patriotic symbols, documents, +speeches, and literature. +School Committee policy and Massachusetts state law require +that “public school teachers at the commencement of the 1st +class of the day lead the class in group recitation of the Pledge of +Allegiance” (M.G.L. c.71, §69). The Massachusetts Supreme Judicial + + +Page 2: +Superintendent’s Circular LGL-18 +Page 2 of 2 + +Court, however, has ruled that although students and teachers +have the right to a daily opportunity to participate in the Pledge +of Allegiance, teachers and students have a constitutional right +not to participate in the pledge. Teachers and students who +choose not to participate (i.e., recite and/or stand) may not be +penalized for declining to do so. All schools must comply with our +responsibility to display the flag and to provide daily opportunity +for recitation of the Pledge of Allegiance. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-19 Conflict of Interest Law-City Employees.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-19 Conflict of Interest Law-City Employees.txt new file mode 100644 index 0000000..848de7b --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-19 Conflict of Interest Law-City Employees.txt @@ -0,0 +1,699 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-19 +Version 01 + +CONFLICT OF INTEREST LAW – CITY EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Attached you will find a copy of the "Summary of the Conflict of +Interest Law for Municipal Employees," which outlines the +standards of ethics and conduct for all city employees. This +summary was prepared and issued by the State Ethics +Commission, the state entity charged with enforcing +Massachusetts’ conflict of interest law, M.G.L. c. 268A. +Copies of this summary should be distributed to all staff and +School Site Council members on an annual basis. It may also be +found at this link: Summary of the Conflict of Interest law. +All staff should be encouraged to read and be familiar with the +law so that we all carry out our obligations honestly and fairly, +and so that our actions are above reproach. Please use the +attachment to this circular to make copies for your staff and +School Site Council. +Annually, every City employee is required by law to sign the +acknowledgment of receipt of the attached summary via The +Hub. Alternatively, the employee may return the signed +acknowledgement to their supervisor for submission to the +Office of Human Resources. + + +Page 2: +Superintendent’s Circular LGL-19 +Page 2 of 21 + +Furthermore, every two years, all current state, county, and +municipal employees must complete online ethics training +through the State Ethics Commission. New public employees +must complete this training within 30 days of beginning public +service, and every two years thereafter. Upon completing the +program, employees should print out the completion certificate, +keep a copy for themselves, and provide a copy of the completion +certificate to Human Resources. The online training can be found +at: +Complete the Online Training Program for Municipal Employees | +Mass.gov +For specific questions regarding employment and/or individual +activity under the conflict of interest laws should be directed to +the Office of Legal Advisor. +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 3: +Superintendent’s Circular LGL-19 +Page 3 of 21 + +SUMMARY OF THE CONFLICT OF INTEREST LAW FOR +MUNICIPAL EMPLOYEES +All municipal employees must be provided with this summary of +the conflict of interest law annually. +All city and town employees must be provided with this +Summary of the Conflict of Interest Law for Municipal Employees +within 30 days of hire or election, and then annually. All city and +town employees are then required to acknowledge in writing +that they received the summary. +This summary of the conflict of interest law, General Laws +chapter 268A, is intended to help municipal employees +understand how that law applies to them. +This summary is not a substitute for legal advice, nor does it +mention every aspect of the law that may apply in a particular +situation. Municipal employees can obtain free confidential +advice about the conflict of interest law from the Commission's +Legal Division at our website, phone number, and address above. +Municipal counsel may also provide advice. +The conflict of interest law seeks to prevent conflicts between +private interests and public duties, foster integrity in public +service, and promote the public's trust and confidence in that +service by placing restrictions on what municipal employees may +do on the job, after hours, and after leaving public service, as +described below. The sections referenced below are sections of +G.L. c. 268A. +When the Commission determines that the conflict of interest +law has been violated, it can impose a civil penalty of up to + + +Page 4: +Superintendent’s Circular LGL-19 +Page 4 of 21 + +$10,000 ($25,000 for bribery cases) for each violation. In addition, +the Commission can order the violator to repay any economic +advantage he gained by the violation, and to make restitution to +injured third parties. Violations of the conflict of interest law can +also be prosecuted criminally. +1. Are you a municipal employee for conflict of interest law +purposes? +You do not have to be a full-time, paid municipal employee +to be considered a municipal employee for conflict of +interest purposes. Anyone performing services for a city or +town or holding a municipal position, whether paid or +unpaid, including full- and part-time municipal employees, +elected officials, volunteers, and consultants, is a municipal +employee under the conflict of interest law. An employee of +a private firm can also be a municipal employee, if the +private firm has a contract with the city or town and the +employee is a "key employee" under the contract, meaning +the town has specifically contracted for her services. The law +also covers private parties who engage in impermissible +dealings with municipal employees, such as offering bribes +or illegal gifts. Town meeting members and charter +commission members are not municipal employees under +the conflict of interest law. + + + + +Page 5: +Superintendent’s Circular LGL-19 +Page 5 of 21 + +2. On-the-job restrictions. +a. Bribes. Asking for and taking bribes is prohibited. (See +Section 2) +A bribe is anything of value corruptly received by a +municipal employee in exchange for the employee being +influenced in his official actions. Giving, offering, +receiving, or asking for a bribe is illegal. +Bribes are more serious than illegal gifts because they +involve corrupt intent. In other words, the municipal +employee intends to sell his office by agreeing to do or +not do some official act, and the giver intends to influence +him to do so. Bribes of any value are illegal. +b. Gifts and gratuities. Asking for or accepting a gift +because of your official position, or because of +something you can do or have done in your official +position, is prohibited. (See Sections 3, 23(b)(2), and 26). +Municipal employees may not accept gifts and gratuities +valued at $50 or more given to influence their official +actions or because of their official position. Accepting a +gift intended to reward past official action or to bring +about future official action is illegal, as is giving such gifts. +Accepting a gift given to you because of the municipal +position you hold is also illegal. Meals, entertainment +event tickets, golf, gift baskets, and payment of travel +expenses can all be illegal gifts if given in connection with +official action or position, as can anything worth $50 or +more. A number of smaller gifts together worth $50 or +more may also violate these sections. + + +Page 6: +Superintendent’s Circular LGL-19 +Page 6 of 21 + +Example of violation: A town administrator accepts +reduced rental payments from developers. +Example of violation: A developer offers a ski trip to a +school district employee who oversees the developer's +work for the school district. +Regulatory exemptions. There are situations in which a +municipal employee's receipt of a gift does not present a +genuine risk of a conflict of interest and may in fact +advance the public interest. The Commission has created +exemptions permitting giving and receiving gifts in these +situations. One commonly used exemption permits +municipal employees to accept payment of travel-related +expenses when doing so advances a public purpose. +Another commonly used exemption permits municipal +employees to accept payment of costs involved in +attendance at educational and training programs. Other +exemptions are listed on the Commission's website. +Example where there is no violation: A fire truck +manufacturer offers to pay the travel expenses of a fire +chief to a trade show where the chief can examine +various kinds of fire-fighting equipment that the town +may purchase. The chief fills out a disclosure form and +obtains prior approval from his appointing authority. +Example where there is no violation: A town treasurer +attends a two-day annual school featuring multiple +substantive seminars on issues relevant to treasurers. The +annual school is paid for in part by banks that do business +with town treasurers. The treasurer is only required to +make a disclosure if one of the sponsoring banks has +official business before her in the six months before or + + +Page 7: +Superintendent’s Circular LGL-19 +Page 7 of 21 + +after the annual school. +c. Misuse of position. Using your official position to get +something you are not entitled to, or to get someone +else something they are not entitled to, is prohibited. +Causing someone else to do these things is also +prohibited. (See Sections 23(b)(2) and 26) +A municipal employee may not use her official position to +get something worth $50 or more that would not be +properly available to other similarly situated individuals. +Similarly, a municipal employee may not use her official +position to get something worth $50 or more for +someone else that would not be properly available to +other similarly situated individuals. Causing someone else +to do these things is also prohibited. +Example of violation: A full-time town employee writes a +novel on work time, using her office computer, and +directing her secretary to proofread the draft. +Example of violation: A city councilor directs +subordinates to drive the councilor's wife to and from the +grocery store. +Example of violation: A mayor avoids a speeding ticket by +asking the police officer who stops him, "Do you know +who I am?" and showing his municipal I.D. +d. Self-dealing and nepotism. Participating as a municipal +employee in a matter in which you, your immediate +family, your business organization, or your future +employer has a financial interest is prohibited. (See +Section 19) + + +Page 8: +Superintendent’s Circular LGL-19 +Page 8 of 21 + +A municipal employee may not participate in any +particular matter in which he or a member of his +immediate family (parents, children, siblings, spouse, and +spouse's parents, children, and siblings) has a financial +interest. He also may not participate in any particular +matter in which a prospective employer, or a business +organization of which he is a director, officer, trustee, or +employee has a financial interest. Participation includes +discussing as well as voting on a matter and delegating a +matter to someone else. +A financial interest may create a conflict of interest +whether it is large or small, and positive or negative. In +other words, it does not matter if a lot of money is +involved or only a little. It also does not matter if you are +putting money into your pocket or taking it out. If you, +your immediate family, your business, or your employer +have or has a financial interest in a matter, you may not +participate. The financial interest must be direct and +immediate or reasonably foreseeable to create a conflict. +Financial interests which are remote, speculative, or not +sufficiently identifiable do not create conflicts. +Example of violation: A school committee member's wife +is a teacher in the town's public schools. The school +committee member votes on the budget line item for +teachers' salaries. +Example of violation: A member of a town affordable +housing committee is also the director of a non-profit +housing development corporation. The non-profit makes +an application to the committee, and the + + +Page 9: +Superintendent’s Circular LGL-19 +Page 9 of 21 + +member/director participates in the discussion. +Example: A planning board member lives next door to +property where a developer plans to construct a new +building. Because the planning board member owns +abutting property, he is presumed to have a financial +interest in the matter. He cannot participate unless he +provides the State Ethics Commission with an opinion +from a qualified independent appraiser that the new +construction will not affect his financial interest. +In many cases, where not otherwise required to +participate, a municipal employee may comply with the +law by simply not participating in the particular matter in +which she has a financial interest. She need not give a +reason for not participating. +There are several exemptions to this section of the law. An +appointed municipal employee may file a written +disclosure about the financial interest with his appointing +authority and seek permission to participate +notwithstanding the conflict. The appointing authority +may grant written permission if she determines that the +financial interest in question is not so substantial that it is +likely to affect the integrity of his services to the +municipality. Participating without disclosing the +financial interest is a violation. Elected employees cannot +use the disclosure procedure because they have no +appointing authority. +Example where there is no violation: An appointed +member of the town zoning advisory committee, which + + +Page 10: +Superintendent’s Circular LGL-19 +Page 10 of 21 + +will review and recommend changes to the town's by- +laws with regard to a commercial district, is a partner at a +company that owns commercial property in the district. +Prior to participating in any committee discussions, the +member files a disclosure with the zoning board of +appeals that appointed him to his position, and that +board gives him a written determination authorizing his +participation, despite his company's financial interest. +There is no violation. +There is also an exemption for both appointed and +elected employees where the employee's task is to +address a matter of general policy and the employee's +financial interest is shared with a substantial portion +(generally 10% or more) of the town's population, such as, +for instance, a financial interest in real estate tax rates or +municipal utility rates. +Regulatory exemptions. In addition to the statutory +exemptions just mentioned, the Commission has created +several regulatory exemptions permitting municipal +employees to participate in particular matters +notwithstanding the presence of a financial interest in +certain very specific situations when permitting them to +do so advances a public purpose. There is an exemption +permitting school committee members to participate in +setting school fees that will affect their own children if +they make a prior written disclosure. There is an +exemption permitting town clerks to perform election- +related functions even when they, or their immediate +family members, are on the ballot, because clerks’ +election-related functions are extensively regulated by + + +Page 11: +Superintendent’s Circular LGL-19 +Page 11 of 21 + +other laws. There is also an exemption permitting a +person serving as a member of a municipal board +pursuant to a legal requirement that the board have +members with a specified affiliation to participate fully in +determinations of general policy by the board, even if the +entity with which he is affiliated has a financial interest in +the matter. Other exemptions are listed in the +Commission's regulations, available on the Commission’s +website. +Example where there is no violation: A municipal +Shellfish Advisory Board has been created to provide +advice to the Board of Selectmen on policy issues related +to shellfishing. The Advisory Board is required to have +members who are currently commercial fishermen. A +board member who is a commercial fisherman may +participate in determinations of general policy in which +he has a financial interest common to all commercial +fishermen but may not participate in determinations in +which he alone has a financial interest, such as the +extension of his own individual permits or leases. +e. False claims. Presenting a false claim to your employer +for a payment or benefit is prohibited, and causing +someone else to do so is also prohibited. (See Sections +23(b)(4) and 26) +A municipal employee may not present a false or +fraudulent claim to his employer for any payment or +benefit worth $50 or more or cause another person to do +so. + + +Page 12: +Superintendent’s Circular LGL-19 +Page 12 of 21 + +Example of violation: A public works director directs his +secretary to fill out time sheets to show him as present at +work on days when he was skiing. +f. Appearance of conflict. Acting in a manner that would +make a reasonable person think you can be improperly +influenced is prohibited. (See Section 23(b)(3)) +A municipal employee may not act in a manner that +would cause a reasonable person to think that she would +show favor toward someone or that she can be +improperly influenced. Section 23(b)(3) requires a +municipal employee to consider whether her +relationships and affiliations could prevent her from +acting fairly and objectively when she performs her duties +for a city or town. If she cannot be fair and objective +because of a relationship or affiliation, she should not +perform her duties. However, a municipal employee, +whether elected or appointed, can avoid violating this +provision by making a public disclosure of the facts. An +appointed employee must make the disclosure in writing +to his appointing official. +Example where there is no violation: A developer who is +the cousin of the chair of the conservation commission +has filed an application with the commission. A +reasonable person could conclude that the chair might +favor her cousin. The chair files a written disclosure with +her appointing authority explaining her relationship with +her cousin prior to the meeting at which the application +will be considered. There is no violation of Sec. 23(b)(3). +g. Confidential information. Improperly disclosing or + + +Page 13: +Superintendent’s Circular LGL-19 +Page 13 of 21 + +personally using confidential information obtained +through your job is prohibited. (See Section 23(c)) +Municipal employees may not improperly disclose +confidential information, or make personal use of non- +public information they acquired in the course of their +official duties to further their personal interests. +3. After-hours restrictions. +a. Taking a second paid job that conflicts with the duties of +your municipal job is prohibited. (See Section 23(b)(1)) +A municipal employee may not accept other paid +employment if the responsibilities of the second job are +incompatible with his or her municipal job. +Example: A police officer may not work as a paid private +security guard in the town where he serves because the +demands of his private employment would conflict with +his duties as a police officer. +Divided loyalties. Receiving pay from anyone other than +the city or town to work on a matter involving the city or +town is prohibited. Acting as agent or attorney for anyone +other than the city or town in a matter involving the city +or town is also prohibited whether or not you are paid. +(See Sec. 17) +Because cities and towns are entitled to the undivided +loyalty of their employees, a municipal employee may not +be paid by other people and organizations in relation to a +matter if the city or town has an interest in the matter. In +addition, a municipal employee may not act on behalf of + + +Page 14: +Superintendent’s Circular LGL-19 +Page 14 of 21 + +other people and organizations or act as an attorney for +other people and organizations in which the town has an +interest. Acting as agent includes contacting the +municipality in person, by phone, or in writing; acting as a +liaison; providing documents to the city or town; and +serving as spokesman. +A municipal employee may always represent his own +personal interests, even before his own municipal agency +or board, on the same terms and conditions that other +similarly situated members of the public would be +allowed to do so. A municipal employee may also apply +for building and related permits on behalf of someone +else and be paid for doing so, unless he works for the +permitting agency, or an agency which regulates the +permitting agency. +Example of violation: A full-time health agent submits a +septic system plan that she has prepared for a private +client to the town's board of health. +Example of violation: A planning board member +represents a private client before the board of selectmen +on a request that town meeting consider rezoning the +client's property. +While many municipal employees earn their livelihood in +municipal jobs, some municipal employees volunteer +their time to provide services to the town or receive small +stipends. Others, such as a private attorney who provides +legal services to a town as needed, may serve in a position +in which they may have other personal or private + + +Page 15: +Superintendent’s Circular LGL-19 +Page 15 of 21 + +employment during normal working hours. In recognition +of the need not to unduly restrict the ability of town +volunteers and part-time employees to earn a living, the +law is less restrictive for "special" municipal employees +than for other municipal employees. +The status of "special" municipal employee has to be +assigned to a municipal position by vote of the board of +selectmen, city council, or similar body. A position is +eligible to be designated as "special" if it is unpaid, or if it +is part-time and the employee is allowed to have another +job during normal working hours, or if the employee was +not paid for working more than 800 hours during the +preceding 365 days. It is the position that is designated as +"special" and not the person or persons holding the +position. Selectmen in towns of 10,000 or fewer are +automatically "special"; selectman in larger towns cannot +be "specials." +If a municipal position has been designated as "special," +an employee holding that position may be paid by others, +act on behalf of others, and act as attorney for others with +respect to matters before municipal boards other than his +own, provided that he has not officially participated in the +matter, and the matter is not now, and has not within the +past year been, under his official responsibility. +Example: A school committee member who has been +designated as a special municipal employee appears +before the board of health on behalf of a client of his +private law practice, on a matter that he has not +participated in or had responsibility for as a school + + +Page 16: +Superintendent’s Circular LGL-19 +Page 16 of 21 + +committee member. There is no conflict. However, he +may not appear before the school committee, or the +school department, on behalf of a client because he has +official responsibility for any matter that comes before the +school committee. This is still the case even if he has +recused himself from participating in the matter in his +official capacity. +Example: A member who sits as an alternate on the +conservation commission is a special municipal +employee. Under town by-laws, he only has official +responsibility for matters assigned to him. He may +represent a resident who wants to file an application with +the conservation commission as long as the matter is not +assigned to him and he will not participate in it. +b. Inside track. Being paid by your city or town, directly or +indirectly, under some second arrangement in addition +to your job is prohibited, unless an exemption applies. +(See Section 20) +A municipal employee generally may not have a financial +interest in a municipal contract, including a second +municipal job. A municipal employee is also generally +prohibited from having an indirect financial interest in a +contract that the city or town has with someone else. This +provision is intended to prevent municipal employees +from having an "inside track" to further financial +opportunities. +Example of violation: Legal counsel to the town housing +authority becomes the acting executive director of the + + +Page 17: +Superintendent’s Circular LGL-19 +Page 17 of 21 + +authority, and is paid in both positions. +Example of violation: A selectman buys a surplus truck +from the town DPW. +Example of violation: A full-time secretary for the board +of health wants to have a second paid job working part- +time for the town library. She will violate Section 20 unless +she can meet the requirements of an exemption. +Example of violation: A city councilor wants to work for a +non-profit that receives funding under a contract with her +city. Unless she can satisfy the requirements of an +exemption under Section 20, she cannot take the job. +There are numerous exemptions. A municipal employee +may hold multiple unpaid or elected positions. Some +exemptions apply only to special municipal employees. +Specific exemptions may cover serving as an unpaid +volunteer in a second town position, housing-related +benefits, public safety positions, certain elected positions, +small towns, and other specific situations. Please call the +Ethics Commission's Legal Division for advice about a +specific situation. +4. After you leave municipal employment. (See Section 18) +a. Forever ban. After you leave your municipal job, you may +never work for anyone other than the municipality on a +matter that you worked on as a municipal employee. +If you participated in a matter as a municipal employee, +you cannot ever be paid to work on that same matter for +anyone other than the municipality, nor may you act for + + +Page 18: +Superintendent’s Circular LGL-19 +Page 18 of 21 + +someone else, whether paid or not. The purpose of this +restriction is to bar former employees from selling to +private interests their familiarity with the facts of +particular matters that are of continuing concern to their +former municipal employer. The restriction does not +prohibit former municipal employees from using the +expertise acquired in government service in their +subsequent private activities. +Example of violation: A former school department +employee works for a contractor under a contract that +she helped to draft and oversee for the school +department. +b. One year cooling-off period. For one year after you leave +your municipal job you may not participate in any matter +over which you had official responsibility during your last +two years of public service. +Former municipal employees are barred for one year after +they leave municipal employment from personally +appearing before any agency of the municipality in +connection with matters that were under their authority +in their prior municipal positions during the two years +before they left. +Example: An assistant town manager negotiates a three- +year contract with a company. The town manager who +supervised the assistant and had official responsibility for +the contract, but did not participate in negotiating it, +leaves her job to work for the company to which the +contract was awarded. The former manager may not call + + +Page 19: +Superintendent’s Circular LGL-19 +Page 19 of 21 + +or write the town in connection with the company's work +on the contract for one year after leaving the town. +A former municipal employee who participated as such in +general legislation on expanded gaming and related +matters may not become an officer or employee of, or +acquire a financial interest in, an applicant for a gaming +license, or a gaming licensee, for one year after his public +employment ceases. +c. Partners. Your partners will be subject to restrictions +while you serve as a municipal employee and after your +municipal service ends. +Partners of municipal employees and former municipal +employees are also subject to restrictions under the +conflict of interest law. If a municipal employee +participated in a matter, or if he has official responsibility +for a matter, then his partner may not act on behalf of +anyone other than the municipality or provide services as +an attorney to anyone but the city or town in relation to +the matter. +Example: While serving on a city's historic district +commission, an architect reviewed an application to get +landmark status for a building. His partners at his +architecture firm may not prepare and sign plans for the +owner of the building or otherwise act on the owner's +behalf in relation to the application for landmark status. +In addition, because the architect has official +responsibility as a commissioner for every matter that +comes before the commission, his partners may not + + +Page 20: +Superintendent’s Circular LGL-19 +Page 20 of 21 + +communicate with the commission or otherwise act on +behalf of any client on any matter that comes before the +commission during the time that the architect serves on +the commission. +Example: A former town counsel joins a law firm as a +partner. Because she litigated a lawsuit for the town, her +new partners cannot represent any private clients in the +lawsuit for one year after her job with the town ended. + + +This summary is not intended to be legal advice and, because it is +a summary, it does not mention every provision of the conflict +law that may apply in a particular situation. Our website, +http://www.mass.gov/ethics contains further information about +how the law applies in many situations. You can also contact the +Commission's Legal Division via our website, by telephone, or by +letter. Our contact information is at the top of this document. + +Version 7: Revised May 20, 2022 + + + + +Page 21: +Superintendent’s Circular LGL-19 +Page 21 of 21 + +ACKNOWLEDGEMENT OF RECEIPT OF SUMMARY OF THE +CONFLICT OF INTEREST LAW FOR MUNICIPAL EMPLOYEES +I, (print your first and last name): + _________________________________________________________________ , +an employee at (name of your municipal agency or department): + _________________________________________________________________ , + +hereby acknowledge that I received a copy of the summary of +the Conflict Of Interest Law for municipal employees, revised May +20, 2022. + +Signature_____________________________________Date ______________ +Municipal employees should complete the acknowledgment of +receipt and return it to the individual who provided them with a +copy of the summary. Alternatively, municipal employees may +send an email acknowledging receipt of the summary to the +individual who provided them with a copy of it. + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-20 Corporal Punishment.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-20 Corporal Punishment.txt new file mode 100644 index 0000000..f0ba0c0 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-20 Corporal Punishment.txt @@ -0,0 +1,72 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-20 +Version 01 + +CORPORAL PUNISHMENT +This Circular will remain in effect unless rescinded or superseded by a +subsequent version. +Principals and heads of school should remind staff that the use of +corporal punishment in schools is strictly forbidden by Boston +School Committee policy as well as by Massachusetts State Law +G.L. c. 71, § 37G, which provides: +(a) The power of the school committee or of any teacher or +any other employee or agent of the school committee to +maintain discipline upon school property shall not include +the right to inflict corporal punishment upon any pupil. +(b) The provisions of this section shall not preclude any +member of the school committee or any teacher or any +employee or agent of the school committee from using +such reasonable force as is necessary to protect pupils, +other persons, and themselves from an assault by a pupil. +When such an assault has occurred, the principal shall file +a detailed report of such with the school committee. +(c) The board of education shall promulgate regulations +regarding the use of physical restraint for students. Such +regulations shall not preclude any teacher or employee or +agent of the school from using reasonable force to +protect pupils, other persons, and themselves from an +assault by a pupil as set forth above in section (b). Such + + +Page 2: +Superintendent’s Circular LGL-20 +Page 2 of 2 + +regulations shall require training of all personnel +authorized to administer any forms of restraint. Such +regulations shall provide for procedures for notification to +the department and to the parents. +Corporal punishment includes but is not limited to the following: +• Slapping or hitting students +• Pulling students by their arms, shoulders, etc. +• Pushing students from one location to another +• Forcibly causing students to sit down +• Grasping students by any body part +Staff may restrain students only to protect students, other +persons, or themselves from an assault and may only use such +force as is reasonably necessary to repel such an attack. Violation +of the policy and law will result in disciplinary measures and may +result in the filing of abuse and/or criminal charges. +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.txt new file mode 100644 index 0000000..1b04c35 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-21 Use of BPS Buildings and Facilities for Political Purposes.txt @@ -0,0 +1,65 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +LGL-21 +Version 01 + +POLICY ON USE OF BPS BUILDINGS & FACILITIES FOR +POLITICAL PURPOSES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +All building administrators and managers of facilities within the +Boston Public School Department should be aware of the Boston +Public Schools’ policy on the use of its facilities for political +purposes. +No Boston Public School facility may be used for predominantly +political activity, such as activities in support of political +candidates or ballot questions. +Any use of a Boston Public School facility for a predominantly +governmental activity with an incidental political activity overlap, +such as those activities related to education laws, funding, or +policies, but not related to specific teaching or learning at a +particular school, may only occur with prior notification to and +specific approval from the superintendent or their designee. +Examples of such activities might include the signing of +education legislation, the announcement of educational policies +or results, or announcements of receipt of grants or other funds. +These examples demonstrate activities in furtherance of the +purpose for which governmental funds have been appropriated +to Boston Public Schools, with an incidental political activity + + +Page 2: +Superintendent’s Circular LG-21 +Page 2 of 2 + +associated therewith. Any use of a Boston public school or facility +for political activity without obtaining the prior approval of the +superintendent or their designee is an unauthorized use and +should be considered an “unwarranted privilege” for the +purposes of the Massachusetts Conflict of Interest Law. +For additional information, regarding political activities generally, +please see Superintendent’s Circular LGL-09 Political Activity by +Public Employees. + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Legal Advisor (LGL)/LGL-22 Sexual Offender Registry Information.txt b/data/data_txt1/Legal Advisor (LGL)/LGL-22 Sexual Offender Registry Information.txt new file mode 100644 index 0000000..1f223f1 --- /dev/null +++ b/data/data_txt1/Legal Advisor (LGL)/LGL-22 Sexual Offender Registry Information.txt @@ -0,0 +1,201 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +LGL-22 +Version 01 + +SEXUAL OFFENDER REGISTRY INFORMATION (S.O.R.I.) +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +The Sexual Offender Registry Law requires that all convicted +sexual offenders in the Commonwealth of Massachusetts register +with the police departments in the cities or towns where they live +and work. The State classifies the offender on a level of 1 to 3, +depending on the likelihood of whether the offender might +repeat his/her crimes. Once a local police department receives +the information, it can be shared with public school districts for +the protection of children. As a result of this law, Boston Public +Schools principals and heads of school can access SORI +information per the state website as described below. +The Boston Public Schools will receive the Sexual Offender +Registry Information (S.O.R.I.) from the Boston Police +Department. Pursuant to state regulations, BPD must notify all +schools in the community of a finally classified Level 3 sex +offender or a sexually dangerous predator. Information available +includes: the registered individual’s name, home and/or +workplace address, date of birth, general physical description, +charges for which they were convicted, and a photograph, if +available. +Information pertaining to the Sex Offender Registry website +should be shared with your staff to educate them on this +resource and of the public availability of S.O.R.I information. + + +Page 2: +Superintendent’s Circular LGL-22 +Page 2 of 6 + +Although S.O.R.I. information is distributed to alert communities +and protect children, it must be handled in a responsible manner. +It is against the law to distribute copies and/or use this +information in an unlawful manner, e.g., threats, extortion, etc. It +is also against the law to use the sex offender registry +information to commit a crime or to engage in illegal +discrimination or harassment of a sex offender. +The law was passed to prevent convicted offenders from preying +on innocent children. If you identify a registered offender acting +inappropriately around a school building or approaching +children, contact the Boston Police Department immediately. +Attached, please find some common questions and answers. +1. Who must register as a sex offender? +A sex offender is anyone who lives, works, or attends school +in Massachusetts who has: +• Been convicted of a sex offense +• Been adjudicated as a youthful offender or a delinquent +juvenile for a sex offense +• Been released from incarceration, parole, probation +supervision, or custody with the Department of Youth +Services for a sex offense conviction or adjudication +• Been adjudicated as a sexually dangerous person, or a +person released from civil commitment anytime from +August 1, 1981 +2. How can a principal or head of school request information +from the Sex Offender Registry Board? +Once a person registers with the Sex Offender Registry +Board and that information is shared with local police + + +Page 3: +Superintendent’s Circular LGL-22 +Page 3 of 6 + +departments, those departments can share the information +with public school districts. Local police departments have +access to information pertaining to Levels 1, 2, and 3 sex +offenders. +3. How can non-school personnel or parents request +information from the Sex Offender Registry Board? +The public may request information about sex offenders in +the community by sending a Sex Offender Inquiry Form +request to the Sex Offender Registry Board. Requests may +either be submitted online or at the following mail address: +Attn: SORI Coordinator +Sex Offender Registry Board +P.O. Box 392 +North Billerica, MA 01862 + +Please see https://www.mass.gov/how-to/request-sex- +offender-registry-information-sori for more information. +A person may also request information in person at a local +police station. +Unlike local police departments, members of the public can +only access information about Level 2 and Level 3 offenders. + + + + +Page 4: +Superintendent’s Circular LGL-22 +Page 4 of 6 + +For more information about this circular, contact: +Owner: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org +OR +Owner: +Chief of Safety Services +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 5: +Superintendent’s Circular LGL-22 +Page 5 of 6 + +SEX OFFENDER REGISTRY INFORMATION (S.O.R.I) +Questions and Answers +• What should I as a principal/head of school do with the +information I receive from Safety Services or BPD on S.O.R.I. +cases? +You should establish a secure, central file for mandatory review +by all staff members, including teachers, paraprofessionals and +volunteers who have an established pattern of work in the +school. This file will be a one-copy file, with opportunity for +staff to come and review. No copies of this S.O.R.I. information +can be made and/or distributed. +• What if upon first review, I note that one of the offenders is an +employee/volunteer at my school? +Contact the Office of Human Capital for further direction. The +Office of Human Capital will review each situation on a case- +by-case basis and will work with the Office of Legal Advisor +and the superintendent of schools on a final resolution. +• What if upon first review, I note that one of the offenders is a +student in my school? +Contact Safety Services Unit at 617-635-8000 for further +direction. +• What should I do if a parent or community member comes to +the school or calls seeking S.O.R.I. information? +The individual should be directed to the nearest police district, +which will provide the information upon request. + + + + +Page 6: +Superintendent’s Circular LGL-22 +Page 6 of 6 + +• How will S.O.R.I. be handled relative to BPS employees, BPS +students, BPS volunteers, and bus drivers? +o All employees hired henceforth will have a S.O.R.I. check +done automatically. This will be in conjunction with the +C.O.R.I. (Criminal Offender Registry Information) check that +is already in place. Also, all information regarding S.O.R.I. +offenders received by Safety Services will be run against the +current employee listing to identify any employees who +might be sex offenders. +o All information regarding S.O.R.I. offenders received by +Safety Services will be run against the current student +listing to identify any students who might be sex offenders. +o Partners in Education will request to be placed on the +Police Department’s mailing list on all S.O.R.I. cases and will +check this on a regular basis against their listing of +volunteers. +o BPS’s contracted transportation provider will request to be +placed on the Police Department’s mailing list on all S.O.R.I. +cases and will check this on a regular basis against their +listing of bus drivers. +o Community Schools will request to be placed on the Police +Department’s mailing list on all S.O.R.I. cases and will check +this on a regular basis against their listing of employees. +• What if any situation, in general, occurs in or around my +school relative to the S.O.R.I. process? +Contact Safety Services Unit immediately at 617-635-8000. + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-HS04 School Leader Screening Process.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS04 School Leader Screening Process.txt new file mode 100644 index 0000000..2e0d8e9 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS04 School Leader Screening Process.txt @@ -0,0 +1,328 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS04 +Version 01 + +SCHOOL LEADER SCREENING PROCESS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The process for recruiting, screening and hiring for school leader +vacancies requires collaboration among many offices, including +the Superintendent, Regional School Superintendents, the Office +of Human Resources, the Office of Engagement, the Division of +Schools, and the schools with vacant leadership positions. +School leader vacancies may be filled either through this process, +or through the appointment of an existing employee or an +external candidate by the Superintendent. The latter would not +require the position be posted in the manner described in this +circular. + +POSITION POSTING +A job posting for school leader positions will be available by +November 1, 2024. The application can be found by searching +'school leader'. The selection process will yield qualified +candidates for the entire district and for autonomous schools. +► Please note: Autonomous schools have the right to create +and advertise their own job postings in order to recruit + + +Page 2: +Superintendent’s Circular HRS-HS04 +Page 2 of 10 + +candidates who align with the specific vision and values of +their communities. See “AUTONOMOUS SCHOOLS”, page 8. + +MINIMUM QUALIFICATIONS +Minimum qualifications are as follows: +● Master’s degree in education or related field. +● Evidence of submission or successful completion of all MA- +PAL tasks (Massachusetts Performance Assessment for +Leaders) or +● Principal/Assistant Principal licensure or equivalent by time +of appointment. +PREFERRED QUALIFICATIONS +Preferred qualifications are as follows: +● Fluency in one or more non-English languages. +● 5+ years of experience as a school leader in a large, urban +school district. +PRE-SCREENING AND SELECTION PROCESS +The selection process consists of the following phases: +● Phase I: Application and Resume Review (Nov 2024 - Feb +2025). +● Phase II: Performance Tasks (Nov 2024 - Feb 2025). +● Phase III: School-Based Interview (Jan - April 2025). +● Phase IV: Interview with Superintendent or Superintendent +Designee (March - April 2025). + + +Page 3: +Superintendent’s Circular HRS-HS04 +Page 3 of 10 + + +Candidates who successfully advance through the first two +phases of the process will be eligible to interview with school- +based hiring teams The school-based hiring process is led by the +Regional School Superintendent or their designee. The Regional +School Superintendent or designee will convene the School +Screening Committee and serve as the Chairperson. As +Chairperson they shall decide which of the approved candidates +shall interview with the Committee, based on the characteristics +and needs of that school community. +SCHOOL SCREENING COMMITTEE GUIDELINES +The Regional School Superintendent or designee shall chair the +School Screening Committee for all school leader positions, +including those for autonomous schools. The Office of +Engagement will provide support to the Chairperson of the +School Screening Committee by coordinating the vote to +determine who will serve on the School Screening Committee as +well as by leading those committee members through a bias +training. +Members: +The membership of the School Screening Committee shall +include the following: +● The Regional School Superintendent and/or +superintendent’s designee, who serves as Chairperson. +● Three teacher members of the Boston Teachers Union (BTU) +representing the racial and ethnic diversity of the school’s + + +Page 4: +Superintendent’s Circular HRS-HS04 +Page 4 of 10 + +student population, selected by BTU members on the +School Site Council. +● One member of the Boston Association of School +Administrators and Supervisors (BASAS), as selected by the +Chairperson, with special consideration for any BASAS +members working at the school. +● Three parents from the school, selected by parent members +of the School Site Council, and representing the racial and +ethnic diversity of the school’s student population. At least +one must be an elected member of the School Site Council +or School Parent Council. +○ Among the three parent members selected, one must +be a parent of a special education student or a student +in a program for Multilingual Learners if a special +education program or program for English Learners is +in place at the school. Parent members of the School +Site Council shall select this parent. +● Optional: At the discretion of the School Screening +Committee Chairperson, one representative from a partner +organization that works closely with the school, such as a +community, business or higher education partner. +● Secondary only: One student from the School Site Council or +a student from the Student Advisory Council. +● School mergers only: In the event two schools are scheduled +to merge and, as a result must complete a screening +process for a new School Leader, the School Screening +Committee shall be comprised of the same members as +listed above, with the following adjustments: +○ Two BTU members from each school from different +racial groups, selected by BTU members on the School +Site Council + + +Page 5: +Superintendent’s Circular HRS-HS04 +Page 5 of 10 + +○ Two parents from each school, selected by parent +members of the School Site Council, and representing +the racial and ethnic diversity of the school’s student +population. At least one must be an elected member of +the School Site Council or School Parent Council. +○ The Operational Leader for the region, who shall serve +as the BASAS representative. +All Committee members shall adhere to norms of respect, +collaboration and confidentiality throughout the screening +process. In the event any committee member fails to conduct +themselves according to these norms, that member may be +removed from the process, per the discretion of the Chairperson. +Process: +Upon creation of the School Screening Committee, the +Chairperson shall give written notice to each committee member +at least five working days prior to the first meeting. Screening +Committee members shall also receive from the Chairperson a +copy of each candidate’s application materials and a screening +packet, which will include guidelines for interviewing and scoring +candidates and a list of all committee members. +School mergers only: In the event two schools are scheduled to +merge, both sitting school leaders shall have the opportunity to +be interviewed by the School Screening Committee. + +Upon convening, the Committee will: + + +Page 6: +Superintendent’s Circular HRS-HS04 +Page 6 of 10 + +● Review the responsibilities and functions of the committee, +including this Superintendent’s Circular. +● Review the job description, including the qualifications +needed for the position. +● Review the School Leader Rubric & Scoring Guide for +candidate interviews, which shall be based on candidates’ +proficiency in the standards for school-level administrators +as enumerated by DESE: +○ Instructional Leadership +○ Management and Operations +○ Family & Community Engagement +○ Professional Culture +● Committees shall use the School Leader Rubric & Scoring +Guide as the basis for their scoring. +○ Per the Guide, School Screening Committee members +shall score candidate responses in private. The +Chairperson shall then aggregate scores and +recommend the top three candidates based on these +scores (See “Reports” below). +● Establish an interview schedule. +○ Set dates and times for candidate interviews and +future meetings. +Quorum for the meetings shall be a majority of the members and +must include the Chairperson and at least one parent and one +teacher. At least one member present must be a person of color. +If any of these groups is not represented, the remaining +committee members may, by unanimous vote, decide to proceed +with meetings. Decisions of the Screening Committee must be +made with a quorum present and shall be carried by a majority of +the members present at the meetings. Voting shall be done by + + +Page 7: +Superintendent’s Circular HRS-HS04 +Page 7 of 10 + +secret ballot unless the committee decides otherwise. All +members of the Screening Committee are equal in status and +have one vote. +Representatives from the Office of Human Capital, the Office of +Equity, the Office of Engagement or the Office of Leadership +Development may attend meetings. +TIMELINE +In order to ensure the placement of strong candidates as early as +possible, School Screening Committees shall make every attempt +to move efficiently through the above-listed steps, while still +maintaining the integrity of the process. Specifically, School +Screening Committees shall aim to convene, establish an +interview schedule and determine the three highest-scoring +candidates within one month from the date a vacancy becomes +public. Should the Committee not be on pace to accomplish this, +the Chairperson reserves the right to waive the quorum +requirements listed above in order to convene meetings and +conduct interviews. +INTERIM APPOINTMENTS +Any schools which have Interim School Leaders shall convene the +School Screening Committee in January and shall conclude their +search by March 1, 2025. +Any schools with vacancies which emerge following May 1, 2025 +may, at the discretion of the Regional School Superintendent, +forgo the above-listed steps and the Superintendent shall instead +appoint an Interim School Leader for the following year. + + +Page 8: +Superintendent’s Circular HRS-HS04 +Page 8 of 10 + +SCREENING COMMITTEE MEETING NOTES +The Chairperson shall ensure that Screening Committee meeting +notes are taken at each meeting and that the following +information is accurately noted: +● Name, race, and affiliation of each Screening Committee +member. +● Dates and times of meetings. +● Attendance at each meeting. +● All votes taken. +All members may have copies of the meeting notes. After the +screening process is complete, the members of the Screening +Committee will return all resumes and meeting notes to the +Office of Leadership Development. All information disclosed at all +Screening Committee meetings is assumed confidential, both to +ensure the integrity of the hiring process and to protect +applicants whose employers may not be aware they are applying +for a position. +The Chairperson is responsible for working with the Department +of Schools to improve and/or increase the pool of applicants. +REPORTS +Per the School Leader Rubric & Scoring Guide, the Chairperson of +the Screening Committee will ensure that the scores from the +Committee’s resume screening and interviews are accurately +tracked and recorded. The Chairperson will tally the candidate +scores from the Committee and will identify the top three +recommended candidates based on these scores. The +Chairperson will then complete a School Leader Nomination + + +Page 9: +Superintendent’s Circular HRS-HS04 +Page 9 of 10 + +Form which lists these three candidates. The form will be +submitted to the Chief of Schools, the Chief of Staff and the +Executive Director of Leadership Development for next steps +with the Superintendent, who will make the final determination. +● At least one of these three candidates must be a person of +color. +● The Chairperson of the Committee may add additional +candidate(s) to the nomination form, above and beyond the +three required, per their discretion. +FINAL INTERVIEWS AND DECISION +● Upon receipt of the Screening Committee’s +recommendations, the Superintendent and/or the Regional +School Superintendent will interview recommended +candidates. +● The Regional School Superintendent and/or designee will +check references and report back information to the +Superintendent, who will determine the final appointments. +The Superintendent retains the authority to appoint the +school leader recommended by the School Screening +Committee or may choose to appoint another candidate. +● The Superintendent will notify the Screening Committee of +the final decision of the selected candidate. +● The Office of Human Resources will send offer letters to new +hires. + + + + +Page 10: +Superintendent’s Circular HRS-HS04 +Page 10 of 10 + +AUTONOMOUS SCHOOLS +All elements of this circular shall apply to autonomous schools +(Pilot, Horace Mann Charters, Innovation and In-District Charter +Schools) in the same manner they apply to non-autonomous +schools. The School Screening Committee Chairperson shall +collaborate closely with the governing boards of autonomous +schools to ensure an efficient and effective process that aligns +with the vision of the school community. +Uniquely, the governing boards of autonomous schools have the +right to create and advertise their own job postings in order to +recruit candidates who align with the specific vision and values of +their communities. Such candidates must still be vetted and +approved through Phase 1 & Phase 2 of the district-wide process +outlined above (“Pre-Screening and Selection Process,” pg.1). + +For more information about this circular, contact: +Department: +Division of Schools +Mailing Address: +Bruce C. Bolling Building, 2300 +Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-HS06 Substitute Teachers.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS06 Substitute Teachers.txt new file mode 100644 index 0000000..4495c3f --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS06 Substitute Teachers.txt @@ -0,0 +1,225 @@ +Page 1: + + + Superintendent’s +Circular +School Year 2023-2024 +NUMBER: +HRS-HS06 +Version 01 + + +SUBSTITUTE TEACHERS +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +This superintendent’s circular sets forth information regarding +the employment and professional development of substitute +teachers. +USE OF THE AUTOMATED BPS SMARTFIND EXPRESS SYSTEM +(SUBCENTRAL) +► All schools are required to use BPS SubCentral for substitute +needs. This will allow the school's central administration to +understand and better manage operations. This will also +allow OHC to monitor and accurately report fill rates as well +as recruit for hard-to-fill vacancies. +The Office of Human Resources is committed to ensuring the +active substitute pool consists of high-quality substitute teachers. +BPS SubCentral allows principals and heads of schools to view +and coordinate substitute activities and view past, current, and +future jobs for the school, helping them to better understand and +manage absenteeism. +BPS SubCentral is available via the Internet and mobile app 24 +hours a day, 7 days a week, from any Internet-enabled computer +or mobile device with an Access ID and PIN. BPS SubCentral can + + +Page 2: +Superintendent’s Circular HRS-HS06 +Page 2 of 7 + + +be accessed at https://bostonps.eschoolsolutions.com, or by +telephone at 857- 254-1707. +With BPS SubCentral, schools can create and manage their own +preferred substitute list, create absences and vacancies, and pull +individual reports unique to their school. Preferred substitutes +will be contacted first about a substitute teaching opportunity. If +the vacancy still exists after all a school’s preferred substitutes +have been contacted, the SubCentral platform will then begin +contacting other substitutes registered within the system. Those +substitutes on a particular school’s ‘Do Not Use’ list will not be +called, nor will they be able to view open substitute opportunities +for that school. +For more information on BPS SubCentral, please contact +SubCentral via email at bpsSubCentral@bostonpublicschools.org. +TYPES OF SUBSTITUTE TEACHERS +● Degree per diem substitute teachers work day-to-day +assignments to temporarily fill positions. Those with at least +a bachelor's degree who are assigned to fill a position +anticipated to be vacant for more than 20 consecutive +workdays, but less than a full year, or who serve +continuously for more than 20 consecutive workdays in the +same assignment, are considered per diem substitute +teachers covering a long-term assignment. +o A qualified and properly licensed long-term substitute will +be granted a provisional teacher contract on or before +December 1st if the assignment in which they is serving +becomes vacant for the remainder of the school year. + + +Page 3: +Superintendent’s Circular HRS-HS06 +Page 3 of 7 + + +● Non-degree per diem substitute teachers do not hold a +bachelor's degree. The non-degree per diem substitute +teachers work day-to-day assignments to fill positions on an +interim basis and may not take on long-term assignments. +● Cluster substitute teachers are assigned to a school for a full +year to cover various teacher absences in the school, as +needed, on a daily basis. The cluster substitute positions are +typically created during the budget season and charged to +the school’s budget. If schools are interested in having a +cluster substitute for the school year, please contact your +budget analyst and Human Resources staffing manager. + +MINIMUM QUALIFICATIONS +Per Diem Substitutes: +Are required to complete the Sub Skills Basic Training Course +online at www.STEDI.org; you must complete the course with at +least an 85% average and submit a Sub Diploma from the course. +Long-term Substitutes: +Must have a bachelor’s degree and at least one of the following +requirements: +● A Mass. Teaching License (out of state licenses will be +considered with teaching experience) +● Complete the Sub Skills Basic Training Course online at +www.STEDI.org; you must complete the course with at least +an 85% average. + + +Page 4: +Superintendent’s Circular HRS-HS06 +Page 4 of 7 + + +● Two years’ teaching experience. You may additionally be +asked to complete the Sub Skills Basic Training Course +online at www.STEDI.org. +● If you were successfully hired for a substitute teaching +position and you do not hold an initial teaching license from +the Massachusetts Department of Elementary and +Secondary Education, you must take and pass the Utah +Substitute Assessment test with a score of 85 or above. +● All candidates must be fingerprinted and pass a criminal +offender (CORI) and sexual offender (SORI) records check. +The criminal offender/sexual offender record check +requirement cannot be waived. +The Substitute Teaching Institute (STEDI) of Utah State University +created and oversees the Substitute Teacher Training Program. It +provides 6–13 hours of sub instructor training, either online or via +CDs, and an assessment at the completion of the program. The +cost of the program, which will be borne by the candidate, is +$39.95 plus shipping and includes the interactive SubInstructor +training (included as a CD), a substitute teacher handbook, and +the online sub assessment and SubDiploma. Information for the +candidates is posted on the BPS website. +SUBSTITUTE HIRING +All hiring for substitutes will take place through the online BPS +Career Center (TalentEd). Applicants must create a profile and +apply to the district-wide substitute teacher job posting through +the BPS Career Center (TalentEd). Applicants will be hired as a +BPS per diem substitute teacher after review of their application +in its entirety, submission of all required documentation, and + + +Page 5: +Superintendent’s Circular HRS-HS06 +Page 5 of 7 + + +successful completion and passing of a background check, which +includes fingerprinting and CORI/SORI checks. +SUBSTITUTE TEACHER REQUEST & RECOMMENDATIONS +Principals and heads of schools can either request or recommend +an individual for a per diem or long-term substitute appointment +at their specific school. To submit a per diem and long-term +substitute, the school leader or hiring manager will need to +submit the candidate for hire via the BPS Career Center +(TalentEd). All school leaders and hiring managers will have +access to the districtwide substitute job posting. Please note: +once the substitute has been hired, it is the responsibility of the +school to post the absence and vacancy in SubCentral and assign +it to the substitute as required. +PROFESSIONAL DEVELOPMENT +Long-term and cluster substitute teachers are required to +participate in up to 18 hours of professional development with +regular teachers. If this professional development is scheduled +beyond the school day, long-term and cluster substitute teachers +are paid for this time and are compensated through stipend +payments provided by the school. +New substitute teachers may also be required to attend up to +three days of training to prepare them to teach in the Boston +Public Schools. + +ADMINISTRATIVE RESPONSIBILITY +Heads of schools and principals are responsible for establishing +practices and procedures that enable substitute teachers to + + +Page 6: +Superintendent’s Circular HRS-HS06 +Page 6 of 7 + + +provide students with educationally meaningful work and allow +for the maximum educational use of the school day. As part of +this responsibility, heads of schools and principals or their +designees should consider providing substitute teachers with the +following items: +● A daily plan book, lesson plan, or other academic activity for +all classes of the absent teacher. Heads of schools and +principals are responsible for ensuring that all teachers +prepare appropriately, and continually update plan books +and lesson plans so that the lesson taught by the substitute +teacher is consistent with the subject matter being taught +to the class. +● A copy of the absent teacher’s schedule, including subjects +and levels of instruction, room assignments, administrative +assignments, lunch, and common planning time. +● Homeroom and class lists and seating plans. +● A bell schedule. +● A concise statement of school policies and procedures +regarding the taking of attendance, modes of disciplinary +referral, referral for illness, emergency procedures, and any +other pertinent information a substitute teacher may need. +● Name and location of the administrator responsible for the +school's substitute teachers. + +These materials may be kept in the school office or distributed to +substitute teachers in some other manner that is effective. + + + +Page 7: +Superintendent’s Circular HRS-HS06 +Page 7 of 7 + + +For more information about this circular, contact: +Name: +BPS SubCentral +Department: +Office of Human Resources – Sub Central +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Additional +Questions: +For additional questions, please submit an HR +Inquiry Ticket via the Beacon. This can be +found on Access Boston (access.boston.gov). + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-HS07 Staffing Reassignment and Hiring.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS07 Staffing Reassignment and Hiring.txt new file mode 100644 index 0000000..b9e9819 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS07 Staffing Reassignment and Hiring.txt @@ -0,0 +1,941 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +HRS-HS07 +Version 01 + + +STAFFING, REASSIGNMENT AND HIRING OF +PERMANENT AND PROVISIONAL TEACHERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +This circular outlines important dates and procedures regarding +the staffing of schools for the 2023-2024 school year. Reflected in +this circular are policies from the BPS-BTU Collective Bargaining +Agreement, as well as information regarding the accelerated +hiring timeline and hiring autonomy framework designed to +enable all BPS schools to attract and hire the most diverse, +qualified, and effective teachers as early as possible. +Boston Public Schools and our school leaders are committed to +building excellent schools that prepare our students to compete +and succeed in the 21st century. To cultivate world-class, global +citizens, we commit to recruiting, retaining, and promoting a +diverse, highly qualified, and effective workforce. +As an urban district with an increasingly diverse student body, it +is also imperative that schools fully comply with the Final +Judgment of the Federal Court dated July 1994 that requires +district and examination schools to employ a minimum of 25% +Black teachers and staff and 10% other minority teachers. + + + +Page 2: +Superintendent’s Circular HRS-HS07 +Page 2 of 27 + + +In addition, one of our continuous hiring goals is to increase our +number of bilingual teachers and staff to support our English +Language Learner populations. We urge school leaders to take +every possible step to help each school, and the district as a +whole, to meet these mandates and goals. +CONTENTS: links below jump to the section named. +I. Determination of School Staffing Needs +II. Posting of Teaching Positions +III. Excessing +IV. Staffing of Provisional Teachers +V. Leaves of Absence +VI. Hiring of International Teachers + + +Attachments: +ATTACHMENT 1: Application for Voluntary Excessing for Teachers +and Paraprofessionals + +ATTACHMENT 2: Application for Additional Program Areas (APA) +ATTACHMENT 3: Application Process for Job Sharing + +ATTACHMENT 4: SY 2023-24 Staffing Calendar + + + + +Page 3: +Superintendent’s Circular HRS-HS07 +Page 3 of 27 + + +I. DETERMINATION OF SCHOOL STAFFING NEEDS +Timeframe: November to February +Every fall, schools develop budget and staffing plans for the +following year based on each school’s projected enrollment. +Once a school’s estimated budget is established, the process +known as Probable Organization (“Probable Org”) begins, in +which schools, together with representatives from the Office of +Human Resources, identify their staffing plans for the upcoming +school year. +Several components make up the Probable Organization process: +ANNUAL BUDGET COLLABORATIVE AND PROBABLE +ORGANIZATION PROCESS +Central Office Responsibility +School Leader +Action Step +Timeframe +Finance Office sends schools +their enrollment projections for +the following year +Review projections +and report back to +Finance and school +superintendent if +discrepancies exist +Mid-to-late +November +Finance Office calculates each +school’s budget based on +Weighted Student Funding +(WSF), in which specific student +characteristics (e.g., special +needs, early childhood, etc.) are +assigned weights that +determine school funding above +Review budget and +complete +FutureForce Version +1, in consultation +with Budget, OHC, +OEL, and Special +Education, as +needed +December + + +Page 4: +Superintendent’s Circular HRS-HS07 +Page 4 of 27 + + +Central Office Responsibility +School Leader +Action Step +Timeframe +the school’s foundation amount +plus base per-pupil amounts. +Budget Collaboratives: +representatives of Budget, OHC, +OEL, Special Education, +Planning & Analysis, school +superintendents and school +leaders meet to map the school +structure for the following +school year in FutureForce +Version 2, including discussion +of position reductions and +additions to ensure +programmatic, enrollment, or +budget changes meet projected +student needs +Ensure all formative +assessments are +entered into +TeachPoint for all +educators on plans +of one-year or less +by January 15. This is +a contractual +deadline for all +schools. +Early-mid +January +• Office of Human Resources +prepares staffing-related +data reports for schools, +including relevant personnel +information including: +• Leaves of absence for SY +2023-24 and SY 2024-25 +• Licensure and Sheltered +English Immersion (SEI) +endorsement +Review staffing- +related data and +begin planning for +implications of +personnel changes. +Determine which +provisional teachers +(if any) can/will +receive letters of +reasonable +assurance. +Mid-January + + +Page 5: +Superintendent’s Circular HRS-HS07 +Page 5 of 27 + + +Central Office Responsibility +School Leader +Action Step +Timeframe +• Additional program area +requests +• Voluntary requests for +reassignment +• Reasonable +assurance/permanency +decisions for provisional +teachers + +Probable Organization: OHC, +Budget, OEL, Special Education, +school superintendents and +school leaders meet to map the +staffing for the following school +year in FutureForce Version 3. +Provide BTU +representative with +list of provisional +teachers +recommended to +receive Reasonable +Assurance +Late +January- +early +February +Posting Positions: School +leaders, OHC, and Budget +representatives confirm +vacancies and newly created +positions, then post positions for +the upcoming staffing cycle. +Submit job +descriptions for +vacant and newly +created positions to +OHC +Late +February + + + + +Page 6: +Superintendent’s Circular HRS-HS07 +Page 6 of 27 + + +II. POSTING OF TEACHING POSITIONS +The staffing process for the 2023-2024 school year includes a +hiring timeline designed to facilitate attracting and hiring the +most diverse, qualified, and effective teachers as early as possible. +Personnel Subcommittee +Schools must ensure that the Personnel Subcommittee of the +School Site Council is formed and ready to begin the hiring +process by March 1. Schools must submit a complete roster of +Personnel Subcommittee members to the Office of Family and +Student Engagement by the end of October. Training related to +personnel subcommittees are offered by the Office of Family and +Student Engagement, the BTU, and the Office of Human +Resources. Details about the personnel subcommittee can be +found in Superintendent’s Circular FAM-04. +Process +Hiring early will ensure that schools are able to secure the most +qualified candidates. Positions will be posted on TalentEd in early +March once Probable Org and determination of vacancies have +been concluded. Teachers who wish to apply for a position +effective the first day of school for the upcoming school year +must apply for postings online through TalentEd. Current BPS +teachers may apply for any position for which they are qualified. +Applicants who wish to be considered for inclusion in the district +priority pool must submit their applications for the priority pool +through TalentEd by March 1, 2024. Candidates for the priority +pool will undergo a competency-based phone and resume +screening process coordinated by the Office of Recruitment, +Cultivation, and Diversity. + + +Page 7: +Superintendent’s Circular HRS-HS07 +Page 7 of 27 + + +All approved hires will become effective on the first day of work +for the upcoming school year. Any teacher who accepts a new +position is not eligible to apply for any additional teaching jobs +for the 2024-2025 school year. Beginning July 1, 2023, OHC will no +longer approve lateral hires to prevent unanticipated vacancies +late in the hiring season. +Hiring Approval +The Boston Public Schools is committed to recruiting, retaining, +and promoting a highly qualified, culturally, and linguistically +diverse workforce that reflects the rich diversity of our students +and positively impacts both academic and non-academic student +learning outcomes. The Office of Equity, Office of Human +Resources, and school superintendents will establish an +accountability process to ensure that reasonable efforts have +been made to hire teachers that move schools and the district +toward meeting our workforce diversity goals. +Candidates hired must be qualified and meet diversity hiring +requirements: +• Teachers hired must hold valid licensure for the position. +• Teachers hired must move the school toward meeting or +maintaining district diversity goals. +• School hiring teams must complete reference checks. +Heads of school or principals and School Site Council Personnel +Subcommittees should also be sure to interview qualified +excessed permanent teachers. +Qualifications for Additional Program Areas +Deadline: January 1, 2024 + + +Page 8: +Superintendent’s Circular HRS-HS07 +Page 8 of 27 + + +Permanent teachers may apply for additional program area(s) to +identify a non-primary subject area(s) in which they are licensed. +Permanent teachers who wish to apply for additional program +areas must submit their request via this online form to the online +Application for Additional Program Areas. Supplemental +materials must be submitted to the Office of Human Resources +by mail or in person. Applications and complete documentation +must be submitted to the Office of Human Resources by January +15, 2024. +For additional information about applying for additional program +areas, please refer to Superintendent’s Circular HRS-HS07.1, +Qualifications for Additional Program Areas. +Job Sharing for Permanent Teachers and Paraprofessionals +1) Eligibility: All teachers requesting participation in job- +sharing must hold the appropriate license for the position. +2) Process: Permanent teachers or paraprofessionals who wish +to indicate their interest in job sharing should submit an +application via the Application for Job Sharing form by +Monday, March 25, 2024. Each candidate must submit their +own application. This submission of the application is an +indication of interest only and is not binding. +Participation in job-sharing requires approval by the +principal/head of school. The principal/head of school should +submit their approval via the Job Sharing Principal Approval form +by Monday, March 25, 2024. +For additional information about job sharing please refer to +Superintendent’s Circular HRS-HS02, Job Sharing for Permanent +Teachers and Paraprofessionals for School Year 2023-2024. The +Boston Teachers Union also holds an informational meeting + + +Page 9: +Superintendent’s Circular HRS-HS07 +Page 9 of 27 + + +every spring. Information on the specific date and time will be +shared in the BTU bulletin. +III. EXCESSING +Voluntary and Involuntary Reassignment/Excess +A. Voluntary Excessing – Teachers and Paraprofessionals +Deadline: February 1, 2024 +All permanent teachers or paraprofessionals who meet the +Voluntary Excessing eligibility criteria as outlined in the +Collective Bargaining Agreement (1) including those on +leave of absence, may voluntarily request excessing +regardless of whether there is a reduction in the number of +positions. Teachers and paraprofessionals who voluntarily +excess themselves forfeit their rights to the position they +have left. +Voluntary Excessing Requirements for Teachers: +● The teacher must hold permanent status. +● The request must be submitted to OHC by February 1, 2024 +(see instructions below). +● The teacher must possess an overall rating of Proficient or +higher on their most recent evaluation, which includes the +Formative Assessment. + +(1) Refer to the Collective Bargaining Agreement (September 1, +2018 – August 31, 2021) pp. 76-77 for a list of requirements for +teachers and pp. 136 for paraprofessionals. + + +Page 10: +Superintendent’s Circular HRS-HS07 +Page 10 of 27 + + +● The teacher may not have voluntarily excessed themselves +within the prior two years. + +Teachers and paraprofessionals who wish to request +excessing should submit their Application for Reassignment +or complete ATTACHMENT 1, Application for Reassignment, +and submit it to their head of school or principal as well as +the Office of Human Resources by February 1, 2024. The +Office of Human Resources will review all applications and +inform teachers or paraprofessionals and the school of the +results of the request. Teachers and paraprofessionals who +do not meet the above criteria will not be approved for +voluntary excessing. Requests for voluntary excessing can +be rescinded up until February 9, 2024. Approved requests +are considered binding after that date. +B. Involuntary Reassignment/Excessing +Deadline: All involuntarily excessed teachers and nurses will +be notified on or before April 15, 2024. +To stay in a current position, permanent educators must +hold the appropriate license(s) for the role to which they are +assigned; otherwise, the educator will be excessed. + +Additionally, it may be necessary to excess permanent +teachers if there is a reduction in the number of teaching +positions for the following school year, a school is identified +for closure, or the Massachusetts Department of Education +designates it as Level 4 school. When a reduction in the +number of positions occurs, involuntary excessing will be + + +Page 11: +Superintendent’s Circular HRS-HS07 +Page 11 of 27 + + +first by volunteers in a program area, then by reverse +seniority within a program area unless: +a. A teacher with more seniority voluntarily requests to be +excessed; or, +b. The excessing of the least junior teacher would prohibit +compliance with U.S. District Court Order dated July +1994. +Schools with specific types of staffing autonomy may also +involuntarily excess teachers. The school’s ability to +involuntarily excess teachers must be included in the +school’s governing document. +Placement in Positions of Suitable Professional Capacity +Permanent teachers who are not hired into vacant positions +will be assigned in a suitable professional capacity in +accordance with the BPS/BTU contract. +IV. STAFFING FOR PROVISIONAL TEACHERS +A. Reasonable Assurance for Provisional Teachers +First and second-year provisional teachers may be eligible to +receive reasonable assurance that they will continue in their +current position for the following school year. Provisional +teachers must hold a valid DESE license(s) for the position in +which they are teaching in order for a Letter of Reasonable +Assurance to be granted. No exceptions will be made. +In addition to budgetary and licensure concerns, a teacher’s +performance, as measured through the Massachusetts +Regulations on Evaluation of Educators (603 CMR 35.00), is a +major factor in determining whether a provisional teacher +receives a Letter of Reasonable Assurance. Principals and + + +Page 12: +Superintendent’s Circular HRS-HS07 +Page 12 of 27 + + +heads of school will be held accountable for ensuring that all +provisional teachers receive a Formative Assessment, which +includes an overall rating, by February 1, 2024. Provisional +teachers who have not been evaluated will not be eligible to +receive a Letter of Reasonable Assurance. +During Probable Organization, school leaders will work with +OHC to identify all provisional teachers who are eligible to +receive reasonable assurance, listing them in their Probable +Organization template. OHC will send letters of Reasonable +Assurance by April 15 to provisional teachers. +Requests for permanent appointment for current +Provisional 1 and Provisional 2 teachers will not be granted. +See section IV.A below for information regarding Provisional +3 teachers and the awarding of permanent status. +B. Permanent Appointment of Provisional Teachers +Eligibility +The Massachusetts Regulations on Evaluation of Educators +stipulate that achievement of Professional Teaching Status +(being made a permanent teacher in BPS) is dependent +upon receiving a rating of Proficient or above on all four of +the Standards of Effective Teaching Practice, as well as an +overall rating of Proficient or Exemplary. See below for +additional criteria required for permanent status. + + +Page 13: +Superintendent’s Circular HRS-HS07 +Page 13 of 27 + + +A school leader may recommend an educator (2) for +permanent appointment (3) if they meet all the following +criteria: +● The teacher is provisional, and in their third year at BPS. +● The teacher received a rating of Proficient or Exemplary +overall and on all four Standards of Effective Teaching on +a Formative Assessment, released by February 1, 2024. +● The teacher will remain in the same position in their +current school for the 2023-24 school year. +● The teacher holds a valid DESE license(s) for the content +area in which they are teaching. +● The teacher holds either an ESL license or SEI +Endorsement (Core content teachers of ELLs as required +by DESE) or a Bilingual Educator Endorsement (BEE), +should the BEE be requirement by their position. +Please note: While the head of school or principal may +recommend a Provisional 3 teacher for permanent status +based upon fulfillment of the criteria above, the teacher may +not be granted permanent status until a Summative + +(2) Educators considered teachers and eligible for Professional +Teacher Status as defined by M.G.L. c.71 § 41 include teachers, +school librarians, school adjustment counselors, school nurses, +school social workers, or school psychologists. +(3) A school leader may make the recommendation for +permanent appointment when the educator is still in their third +year to take effect on the first day of their fourth year. + + +Page 14: +Superintendent’s Circular HRS-HS07 +Page 14 of 27 + + +Evaluation is released which indicates Proficient or +Exemplary practice overall in all four standards. +If a Provisional 3 teacher does not achieve a rating of +Proficient or Exemplary overall on all four standards on their +Formative Assessment, they may be required to take a one- +year break in service. During the break in service, the +teacher would not be eligible for employment as a teacher +or substitute within Boston Public Schools. After the year- +long break in service, the teacher would once again be +eligible for vacant teaching positions, and, if hired, would +return to Provisional 1 status. +Process +To recommend a Provisional 3 teacher for Permanent +Appointment during Probable Organization, the head of +school or principal must take the following steps: +1) Release the teacher’s Formative Assessment by January +12, 2024 +2) Identify the position that the teacher will hold for the +2023-24 school year +3) Record the recommendation for Permanent +Appointment on the Provisional Review Process page in +FutureForce Version 2 + +If, upon the principal or head of school’s release of the end- +of-year Summative Evaluation, the provisional teacher has +successfully demonstrated effective teaching practice(s) by +achieving a rating of Proficient or Exemplary overall and on + + +Page 15: +Superintendent’s Circular HRS-HS07 +Page 15 of 27 + + +all four standards of effective teaching, they will become +permanent as of September 2023. +V. LEAVES OF ABSENCE +A. Planning to Take a Leave of Absence in 2024-2025 +Deadline: January 15, 2024 +Permanent teachers who are not currently on leave but +are planning to take a Leave of Absence during the 2024- +2025 school year (e.g., personal reasons, education), must +submit a leave application by January 15, 2024. +Employees must submit a request for leave electronically +via Employee Self-Service. Employees should submit +applications even if they have not officially been accepted +for a job and educational program but are in the +application process. If a teacher is not accepted into a +graduate program or job, the leave request can be +rescinded, so long as the Office of Human Resources is +notified by April 1. +For further information regarding leaves of absences, +including how to apply, please refer to Superintendent’s +Circular HRS-HS-PP13. + + + + + +Page 16: +Superintendent’s Circular HRS-HS07 +Page 16 of 27 + + +B. Currently on a Leave of Absence +Deadline: January 15, 2024 +In November 2023, teachers currently on non-medical leave +will be sent a letter informing them about the expiration of +their leave. The teacher must submit the response form that +accompanies the letter to the Office of Human Resources, +stating their request to extend their leave/intent to remain +on their leave or return from leave by January 15, 2024. If the +teacher does not respond by the deadline, they will forfeit +rights to their position. +The leave letters are sent to the address listed on the Hub. +Employees are responsible for ensuring that this address is +correct. For further information regarding leaves of +absences, please refer to Superintendent’s Circular HRS- +PP13, Absence and Leave Policy. +VI. HIRING OF INTERNATIONAL TEACHERS +International teachers are not legally permitted to work or +to be paid without proof of official United States Citizenship +& Immigration Services (USCIS) work authorization. Heads of +school, principals, or RC managers should make it a +common practice to inquire about the work authorization +status of all their potential new hires. + + + + +Page 17: +Superintendent’s Circular HRS-HS07 +Page 17 of 27 + + +For more information about this circular, contact: +Owner: +Chief Human Resources Officer +Department: +Office of Human Resources +Mailing Address: +2300 Washington Ave. Roxbury, MA 02119 +Phone: +617-635-9600 +Email: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 18: +Superintendent’s Circular HRS-HS07 +Page 18 of 27 + + +ATTACHMENT 1 +APPLICATION FOR REASSIGNMENT FOR TEACHERS AND +PARAPROFESSIONALS + +SCHOOL: ________________________________________________________ +Last Name__________________ First Name_______________Initial _____ +Maiden Name [if any} _____________________________________________ +Employee I.D. # __________________________________________________ +SELECT ONE:  Permanent Teacher  Paraprofessional + +THIS SECTION TO BE COMPLETED BY PERMANENT TEACHERS +ONLY: +I am requesting reassignment for the coming 2023-2024 +academic year, because (please check one) + I am a permanent teacher. + I am a permanent school nurse. + I am a permanent student support services coordinator +(COSESS). + I am a paraprofessional. + There is a reduction in my program area. My program area +is_________________________and my seniority date is __________ . + + +Page 19: +Superintendent’s Circular HRS-HS07 +Page 19 of 27 + + +I understand that with this declaration this decision cannot be +rescinded after February 14, 2024, and that I will be reassigned in +the coming school year in accordance with the provisions of the +Boston Teachers Union Contract. + +______________________________________________ ___________________ + + Signature +Date +PLEASE RETURN THIS FORM TO YOUR HEAD OF SCHOOL OR +PRINCIPAL AND OFFICE OF HUMAN RESOURCES. +HEADS OF SCHOOL, PRINCIPALS, AND OTHER ADMINISTRATIVE +HEADS MUST FORWARD THIS APPLICATION TO THE OFFICE OF +HUMAN RESOURCES NO LATER THAN FEBRUARY 1, 2024. +Please mail, fax, or email this form to: +Name: +School and Central Based Staffing +Department: +Office of Human Resources +Mailing Address: 2300 Washington St., Roxbury MA 02119 +Phone: +617-635-9600 +Fax: + 617-635-9326 +Email: +ohc@bostonpublicschools.org + +For additional questions, please submit an HR Inquiry Ticket via +the Beacon. This can be found on Access Boston. +An electronic version of this form can be found at: +http://www.bostonpublicschools.org/Page/1019 + + + +Page 20: +Superintendent’s Circular HRS-HS07 +Page 20 of 27 + + +ATTACHMENT 2: +APPLICATION FOR ADDITIONAL PROGRAM AREAS (APA) +2023-2024 ONLINE FORMS + +The Office of Human Resources has transitioned to using online +forms. The Application for Additional Program Areas can now be +found at the link below. Please note that employees will be +required to sign in with their Boston Public Schools Gmail +account. Supplemental materials such as transcripts can be +submitted via mail or in person to the Office of Human +Resources. +Link to Apply: +• Click Here for Additional Program Area Application +• Or copy this URL: http://goo.gl/forms/JqftW4IOx1 +Supplemental Documentation +Application approval is contingent on submission of one of the +following documents: +• Official transcript(s) indicating the completion of fifteen (15) +graduate or undergraduate course credits relevant to the +program area qualification +OR +● A signed letter from the head of school or principal, +confirming the following information: +o The subject area you taught (relevant to your +application) + + +Page 21: +Superintendent’s Circular HRS-HS07 +Page 21 of 27 + + +o The specific years (at least 2) during which you taught +the subject (must be within the last 10 years) +o Confirmation that you taught at least 50% of the +weekly schedule in that area. +Please fill out the application form and submit supplemental +documents to the contact listed below by January 12, 2024. + +For more information about this circular, please contact: +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9240 +Email: +fcanty@bostonpublicschools.org + + + + + +Page 22: +Superintendent’s Circular HRS-HS07 +Page 22 of 27 + + +ATTACHMENT 3: +APPLICATION FOR JOB SHARING +To Indicate Interest in Job Sharing +Permanent teachers or paraprofessionals who wish to +indicate their interest in job sharing should submit a request +using the online form shown below. The submission of an +application only serves an indication of interest and is not +binding. The job sharing application and principal/head of +school approval forms must be submitted via the online +form no later than 5:00 p.m. Monday March 25, 2024. +Online Forms +The Office of Human Resources now accepts job sharing +applications online. Candidate applications for job share as +well as principal/head of school approval can be submitted +through the links below. Please note that employees will be +required to sign in with their Boston Public Schools Gmail +account. These links will also be made available through +BTU and Paraprofessional representatives, the Boston +Public Schools website, and the Superintendent’s Bulletin. +Click Here for Job Sharing Request—Applicant Form +Each applicant interested in job sharing must submit their +own form. Principals must submit the form below for +approval. +Click Here for Job Sharing Request—Principal Approval Form +Principals/heads of school must submit this form to approve +a job share request. + + +Page 23: +Superintendent’s Circular HRS-HS07 +Page 23 of 27 + + +For more information about job sharing, please see +Superintendent’s Circular HRS-HS02, or contact: +Owner: +Director of School-Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington St., Roxbury MA, 02119 +Phone: +617-635-9240 +Email: +ohr@bostonpublicschools.org + + + + + + + + + + + + + +ATTACHMENT 4: +STAFFING CALENDAR + + + +Page 24: +Superintendent’s Circular HRS-HS07 +Page 24 of 27 + + +December 2023 +December 18 Deadline for teachers to submit Leave of Absence +intent letters to OHC +January 2024 +January 10 – February 4 Budget Collaborative and Probable +Organization meetings +January 15 +Deadline for: +Permanent teachers to request Personal Reasons, +or Educational Leaves, to commence at the +beginning of the next teacher work year +Permanent teachers on approved year-long leaves +to return November letter indicating intent to +return at the start of next teacher work year or +request an extension + +Teachers to submit Alternate Program Area +requests to OHC +January 17 +Deadline for teachers to submit application for +Early Notification Incentive of Termination to +receive $1,500 +Deadline for submission of Formative Assessments +for all educators on 1-year plans + +February 2024 +February 1 (contractual deadlines) +Deadline for teachers or paraprofessionals to +submit reassignment requests (Voluntary Excess) + + +Page 25: +Superintendent’s Circular HRS-HS07 +Page 25 of 27 + + + +Deadline to notify permanent teachers of excess in +Level 4, Innovation and Pilot Schools (Involuntary +Excess) + +Deadline to notify paraprofessionals of excess in +Level 5 Schools (Involuntary Excess) +February 11 +Deadline for teachers or paraprofessionals to +rescind reassignment requests (Voluntary Excess) +March 2024 +Beginning +March 1 +Teacher positions posted +March 18 +OHC sends excess and layoff notices to +paraprofessionals (tentative) +March 25 +Deadline for job share applications +April 2024 +April 1 - April 15 Paraprofessional transfer process (tentative) +April 15 +(contractual deadline) +Deadline to OHC to +notify all Permanent teachers of excess + +deadline to notify Provisional teachers of +reasonable assurance +April 27 +Excess notification to Guild members (tentative) +May 2024 +May 6 +Deadline for recommended paraprofessional +transfer applicant decisions to TalentEd (tentative) +May 9 +OHC sends assignment letters for paraprofessional +transfers (tentative) + + +Page 26: +Superintendent’s Circular HRS-HS07 +Page 26 of 27 + + + +Paraprofessional Excess Pool participant and +position lists available +May 15 +(contractual deadline) All evaluations due for +licensed educators on 1-year plans + +Guild Layoff notices issued +May 19 +Paraprofessional excess pool (tentative) +June 2024 +June 1 +(contractual deadline) Deadline for OHC to notify +Permanent teachers, BASAS, and managerial of +layoff +June 3 +Deadline for principals to submit paraprofessional +excess pool rankings to OHC +June 6 +OHC finalizes paraprofessional excess pool +assignments (tentative) +June 13 +Guild Excess Pool (tentative) +June 15 +(contractual deadline) Deadline for OHC to notify +Provisional teachers of non-renewal +July 2024 +July 1 +Deadline for the approval of internal lateral +transfers (hires). +August 2024 +August 15 +OHC sends initial Suitable Professional Capacity +assignment letters to Permanent teachers without +positions (tentative) + + + +Page 27: +Superintendent’s Circular HRS-HS07 +Page 27 of 27 + + +Please Note: Dates not subject to contractual requirements may +change. + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-HS07.1 Qualifications for Additional Program Areas.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS07.1 Qualifications for Additional Program Areas.txt new file mode 100644 index 0000000..8570849 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-HS07.1 Qualifications for Additional Program Areas.txt @@ -0,0 +1,122 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-HS07.1 +Version 01 + +QUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS +This circular will remain in effect unless rescinded by a +subsequent version. +Permanent teachers in Boston Public Schools may choose to +apply for additional program areas. These are non-primary +subject area(s) in which a teacher currently holds license(s). +QUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS +To be deemed qualified in program areas other than the +"primary" subject area in which a teacher is currently teaching, a +teacher must hold a valid license in the subject area. The Office of +Human Resources will verify licensure with the Massachusetts +Department of Education. Re-licensure does not meet this +criterion. +In addition to holding a valid license in the subject area, the +employee must satisfy at least one of the criteria below: +1. The Massachusetts State license is not more than five (5) +years old. +2. A mean score on the Praxis Exam, not more than ten (10) +years old. +3. Fifteen (15) course credits, graduate or undergraduate, +approved as relevant to the program area qualification. All + + +Page 2: +Superintendent’s Circular HRS-HS07.1 +Page 2 of 4 + +coursework must have been completed within the past five +(5) years. Original transcripts are required if claiming an area +under this provision. When submitting transcripts, please +indicate the fifteen (15) course credits relevant to the +program area qualification. If transcripts are not submitted +by the deadline, the application can be denied. +4. Two (2) years of teaching experience within Boston Public +Schools in the subject area in the last ten (10) years. A +creditable year is one in which at least 50% of the weekly +schedule is in the subject area. A letter from the head of +school or principal stating that you taught at least 50% of +the weekly schedule in that area and designation of the +specific year(s) will be required in the area you are claiming +under this provision. If a letter is not submitted by the +deadline, the application can be denied. + +Permanent teachers who wish to apply for additional program +areas must submit their request via the Additional Program Area +Request form. Supplemental materials must be submitted to the +Office of Human Resources by mail or in person. + Applications and complete documentation must be +submitted to the Office of Human Resources by January +15, 2024. Applications received after this date will not be +reviewed. +The Office of Human Resources has transitioned to using online +forms. The link to the Additional Program Area Request form can +be found below. Employees will be required to sign in with their +Boston Public Schools Gmail account. Supplemental materials + + +Page 3: +Superintendent’s Circular HRS-HS07.1 +Page 3 of 4 + +such as transcripts can be submitted via mail or in person to the +Office of Human Resources. +LINK TO APPLY +• Additional Program Area Request form +• Or copy this URL: +https://docs.google.com/forms/d/e/1FAIpQLSdD7uA5nLZH +uEKE5pP4uD-gYtf74RCtzEcYZrgeauvwmNBB- +g/viewform +SUPPLEMENTAL DOCUMENTATION + +Application approval is contingent on submission of one of the +following documents: +● Official transcript(s) indicating the completion of fifteen +(15) graduate or undergraduate course credits relevant to +the program area qualification +● A signed letter from the head of school/principal +confirming the following information: +○ The subject area you taught (relevant to your +application) +○ The specific years (at least 2) during which you taught +the subject (must be within the last 10 years) +○ Confirmation that you taught at least 50% of the +weekly schedule in that area. + +Please submit supplemental documents to the contact listed +below. +For more information about this circular, please contact: + + +Page 4: +Superintendent’s Circular HRS-HS07.1 +Page 4 of 4 + +Owner: +School Based Staffing +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Email: +For additional questions, please submit an +HR Inquiry Ticket via the Beacon. This can +be found on Access Boston +(access.boston.gov). + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-L01 Teacher Licensure.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-L01 Teacher Licensure.txt new file mode 100644 index 0000000..ba46f1c --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-L01 Teacher Licensure.txt @@ -0,0 +1,292 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-L01 +Version 01 + + + +STATE LICENSURE AND REQUIREMENTS FOR +TEACHERS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +According to Massachusetts General Law, all teachers must hold +a valid license issued by the Massachusetts Department of +Elementary and Secondary Education (DESE) in the most +appropriate subject and grade level corresponding to their +teaching assignment(s). Teachers are not hired by BPS unless +they qualify for the appropriate license or license waiver. A waiver +permits the district to employ an unlicensed teacher for one +school year only and does not count as a license. Waivers are +requested only by the BPS Office of Human Resources in rare +circumstances where there are no licensed candidates available +to fill a position. +This Superintendent’s Circular provides guidance for meeting +Massachusetts state licensure requirements. +I. DATA COLLECTION AND TRACKING PROCEDURES +To collect and track data about the licensure of BPS teachers and +paraprofessionals, the BPS Office of Human Resources requires +online reporting of critical information, including Massachusetts +Tests for Educator Licensure (MTEL) results, licensure status, + + +Page 2: +Superintendent’s Circular HRS-L01 +Page 2 of 8 + + + +coursework, and degree information of teachers. All teachers and +their administrators must comply with these data collection +procedures. Furthermore, it is every educator’s professional +responsibility to know their personal licensure status and take +the necessary steps to maintain their license validity. +II. MASSACHUSETTS STATE LICENSURE REQUIREMENTS +A. Know what license is required by your teaching position: +o The license required for your position should be made +clear to you upon hire, but when in doubt, ask your +principal/head of school, Human Resources +coordinator, or Human Resources manager. +o The fundamental requirement is that teachers must +possess the license that affords the most appropriate +fit for their teaching assignment. For example, while it +may seem acceptable for a teacher of 6th grade math +and science to work under an Elementary (1-6) license, +the MA DESE offers a Middle School Math/Science (5-8) +license which is a more appropriate license for this +teaching assignment. +o For more information about currently offered licenses +and specific requirements, visit +www.doe.mass.edu/licensurehelp. +o Individual’s official state licensure records and history +can be accessed securely through the MA DESE’s ELAR +portal at https://www.doe.mass.edu/licensure/elar/. If +you do not know your username and/or password, click +on "Forgot username/password" and it will walk you +through some steps to retrieve the username and reset + + +Page 3: +Superintendent’s Circular HRS-L01 +Page 3 of 8 + + + +the password. If you still have difficulty, you can call the +DESE Licensure Help Desk at 781-338-6600 and they +should be able to reset it for you. +o See Attachment A for guidance on which “type” of +license (Provisional, Initial, Professional, Temporary) +suits your level of preparation and/or experience. +B. Apply for the appropriate license. +o When interested in obtaining a new license, or +advancing your non-professional license, the best first +step is to apply for the license you plan to pursue. Even +if you have not yet met all of the requirements, this is +DESE's opportunity to evaluate your standing with +regard to the current requirements and give you +written instructions on what remains to be done. They +leave all applications open until you are granted the +license. +o Online applications can be submitted through the MA +DESE’s ELAR portal at +https://www.doe.mass.edu/licensure/elar/, where you +indicate which license you are interested in obtaining +and pay the application fees. Applications cost $100 for +the first submission and $25 for each additional. +o Submit official transcripts (undergraduate and +graduate) to the MA DESE by mail or in person. The +address is: +Office of Educator Licensure +Mass. Dept. of Education +75 Pleasant Street + + +Page 4: +Superintendent’s Circular HRS-L01 +Page 4 of 8 + + + +Malden, MA 02148 +o Additional documentation, such as out-of-state +teaching licenses and letters verifying applicable +teaching experience or preparation, may also need to +be submitted. +o Upon review of your application and transcripts, the +MA DESE will notify you in writing if additional +documentation or clarification is necessary, or if you +still have additional requirements to complete. This is +called the evaluation letter. It will give you instructions +on your next steps. +o Make sure your social security number appears on all +documents sent to MA DESE. +C. Take and pass all relevant MTELs. +o The test(s) you are required to take will be dictated by +the DESE, based on the application that you submitted. +General information about which tests are required for +which license can be found online at +www.doe.mass.edu/licensurehelp. If you still aren’t +certain which tests you need, and you do not have time +to wait for the DESE’s evaluation letter, you may call +the Office of Human Resources at 617-635-9600. +D. Advance or renew your license. +o Teachers who hold a temporary, provisional, or initial +license are required to be working to advance toward a +professional license. See attachment A for guidance on +the progression of licenses. + + +Page 5: +Superintendent’s Circular HRS-L01 +Page 5 of 8 + + + +o Teachers who hold a professional license must renew it +every five calendar years. There is an expiration date +associated with each individual’s professional license +indicating when it needs to be renewed. +o Renewal of a professional license requires the +completion of 150 Professional Development Points +(PDPs) within the five-year renewal period. At least 15 of +these points must be in the content of the license (i.e., +what you teach). The next 15 points must be in +pedagogy (i.e., how you teach). Fifteen points must be +in Sheltered English Immersion or English as a Second +Language (SEI or ESL), 15 points must relate to training +in schooling methods for students with disabilities +and/or diverse learning styles, and the remaining 90 +points can be in “elective activities” that address other +educational issues or improve student learning, +content knowledge, or pedagogy. +o The activities that teachers participate in to earn PDPs +should be dictated by their Individualized Professional +Development Plan (IPDP), which must be reviewed +and signed for approval by their principal/head of +school every two years. Signed copies of the approved +IPDP must be maintained in the school building. +o Visit https://www.doe.mass.edu/pd/ipdp.docx to view +or print an IPDP template. +o Online applications for renewal can be submitted +through the MA DESE’s ELAR portal at +https://www.doe.mass.edu/licensure/elar/ after all PDP +requirements have been completed. + + +Page 6: +Superintendent’s Circular HRS-L01 +Page 6 of 8 + + + +o All educators and other employees seeking licensure +related verifications must complete this form. + +For more information about this circular, contact: +Owner: +Licensure Manager +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9212 +Email: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 7: +Superintendent’s Circular HRS-L01 +Page 7 of 8 + + + +ATTACHMENT A +Massachusetts Teacher Licensure – At a Glance +MASSACHUSETTS EDUCATOR LICENSURE +Licenses granted by the Massachusetts Department of +Elementary & Secondary Education +75 Pleasant Street, Malden, MA 02148 +781-338-6600 +www.doe.mass.edu/licensurehelp + +YOU MAY START HERE… +PROVISIONAL LICENSE +TEMPORARY LICENSE +• Valid for 5 years of employment +• For people who have not +completed an approved +educator preparation program +Requires: +• A bachelor's degree +• Passing score(s) on MTEL +www.mtel.nesinc.com +• Additional coursework required +for elementary, early childhood, +moderate disabilities, severe +disabilities, library, and/or +instructional technology +• Valid for 1 calendar year +• For experienced teachers +from another state +Requires: +• Possession of a valid +educator license/certificate +from another state that is +comparable to at least an +initial license in +Massachusetts +• 3 years teaching under a +valid out-of-state +license/certificate + + + + +Page 8: +Superintendent’s Circular HRS-L01 +Page 8 of 8 + + + +…OR YOU MAY START HERE: +INITIAL LICENSE +PROFESSIONAL LICENSE +• Valid for 5 years of employment +• (May be extended one time for 5 +additional years of employment) +Requires: +• A bachelor's degree +• Passing score(s) on MTEL, +www.mtel.nesinc.com +• Completion of an approved +educator preparation program + +• Valid for 5 calendar years +Requires: +• 3 years of employment +under the Initial license +• Completion of a beginning +teacher induction program +• One of the capstone +options for the Professional +license (i.e., master’s degree +including or in addition to +12 graduate credits in +content) +• Continuing professional +development required to +renew Professional licenses +every 5 calendar years + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-L02 Paraprofessional ESSA Requirements.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-L02 Paraprofessional ESSA Requirements.txt new file mode 100644 index 0000000..b1acc6a --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-L02 Paraprofessional ESSA Requirements.txt @@ -0,0 +1,360 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-L02 +Version 01 + +REQUIREMENTS FOR PARAPROFESSIONALS +UNDER ESSA +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The US Department of Education Every Student Succeeds Act +(ESSA) requires that all instructional paraprofessionals meet +specific employment requirements in order to be designated +“Highly Qualified”. These requirements apply to all schoolwide +programs without regard to whether the positions are funded +with federal, state, or local funds. To be considered Highly +Qualified, paraprofessionals will need to possess specific skills in +reading, writing, math, and instruction (as outlined in +Attachment A of this Superintendent’s Circular). +I. ESSA REQUIREMENTS FOR PARAPROFESSIONALS +There are currently two available options for paraprofessionals to +be deemed Highly Qualified: +● Pathway 1: Associate’s Degree or 48 Credit Hours of +Coursework +The paraprofessional obtained an Associate’s (or higher) +degree OR completed at least 48 credit hours of +coursework at an institution of higher education (IHE). If +this pathway was selected the paraprofessional should +submit to the Principal/Headmaster all relevant transcripts. + + + + +Page 2: +Superintendent’s Circular HRS-L02 +Page 2 of 12 + +● Pathway 2: Formal Standardized Assessment +The paraprofessional passed a formal standardized +assessment. The Massachusetts ESE has selected both the +ParaPro Assessment and the WorkKeys Certificate of +Proficiency for Teacher Assistants as the formal state- +endorsed assessments. Either of these assessments will +enable instructional paraprofessionals to meet this +requirement. If this pathway is selected the +paraprofessional should submit to the +Principal/Headmaster an official score report confirming a +passing score. +II. RESOURCES FOR PATHWAY 2 +Information about the ParaPro Assessment, including content +overview, and registration can be accessed on-line at +http://www.ets.org/parapro. The test is generally offered as a +paper/pencil test given four times per year at Roxbury +Community College. BPS does not currently administer the +Internet-based ParaPro test. A scaled score of 464 must be +achieved in order to pass and be deemed “Highly Qualified”. +Information about the WorkKeys Proficiency Certificate for +Teacher Assistants can be accessed on-line at +http://www.act.org/workkeys/. It consists of a three-part +assessment as well as an observation-based tool known as the +Instructional Support Inventory (ISI). It is administered by +WorkSource Partners, Inc., One Harvard Street, Ste 200, +Brookline, MA 02445 (phone: 617-232-0330). To meet the +requirements of ESSA, paraprofessionals must achieve at the +following skill levels on the three-part assessment: +● Reading for Information: Skill Level 5 + + +Page 3: +Superintendent’s Circular HRS-L02 +Page 3 of 12 + +● Applied Mathematics: Skill Level 4 +● Business Writing: Skill Level 3 +III. FEDERAL DEFINITIONS +Definition of Instructional Paraprofessional +An instructional paraprofessional is an individual who provides +instruction and support for classroom teachers. Aides, assistants, +or tutors who engage in instructional support are considered to +be instructional paraprofessionals as defined by ESSA. Individuals +who work solely in non-instructional roles, such as food service, +cafeteria or playground supervision, personal care services, and +non-instructional computer assistance are not considered to be +instructional paraprofessionals. +Responsibilities of Instructional Paraprofessionals +ESEA specifies that instructional paraprofessionals may engage +in the following activities: +● Provide one-on-one tutoring for eligible students, if the +tutoring is scheduled at a time when a student would not +otherwise receive instruction from a teacher. +● Assist with classroom management, such as organizing +instructional and other materials. +● Assist in a computer laboratory. +● Provide instructional support in a library or media center. +● Provide instructional services to students under the direct +supervision of a teacher. + + +Page 4: +Superintendent’s Circular HRS-L02 +Page 4 of 12 + +All instructional paraprofessionals must be supervised directly by +teachers. Instructional paraprofessionals cannot be supervised by +a peer or group of peers. +The following two categories of paraprofessionals need only +possess a high school diploma or equivalent and are not required +to meet the additional requirements listed above: +● Paraprofessionals in Title I programs who serve primarily as +translators (as long as these paraprofessionals are proficient +in English and a language other than English); and +● Paraprofessionals working solely on parental involvement +activities. +Visit the Mass. DESE website for additional details. + +For more information about this circular, contact: +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Boston MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 + +Mary Skipper, Superintendent + + + +Page 5: +Superintendent’s Circular HRS-L02 +Page 5 of 12 + +ATTACHMENT A +Massachusetts Department of Education Learning Guidelines +for Title I Instructional Paraprofessionals +The Department of Education strongly encourages districts and +charter schools to use these guidelines as a model for all +paraprofessionals who provide instructional support to students. +BASIC ASSUMPTIONS +● Instructional paraprofessionals are respected team +members responsible for assisting in the delivery of +instruction and other student-related activities. As valued +members of the faculty, they are essential partners in the +work of Title I programs. +● Given their responsibilities, instructional paraprofessionals +must be skilled in reading, writing, and mathematics, and +familiar with instructional practices that ensure and +support the achievement of all students. +● To enhance the continuity and quality of services for +students, paraprofessionals must be encouraged and +supported in their efforts to participate in ongoing +professional development programs. +● Programs for instructional paraprofessionals are best when +they are comprehensive, acknowledge the diverse roles +paraprofessionals play in schools and provide pathways to +further education and teacher licensure, if desired. + + + + +Page 6: +Superintendent’s Circular HRS-L02 +Page 6 of 12 + +1. LITERACY DOMAIN +01 Language +A paraprofessional will know how and be able to: +● Use agreed-upon rules for informal and formal discussions +in small and large groups +● Pose questions, listen to the ideas of others, and contribute +their own information or ideas in group discussions or +interviews in order to acquire new knowledge +● Understand new vocabulary and use it correctly in reading +and writing +● Analyze and use Standard English grammar +● Describe, analyze, and use appropriately formal and +informal English +● Identify and use the correct meaning of words and phrases +● Recognize and use words with multiple meanings +● Use a paragraph or passage as the context for determining +the meaning of an unfamiliar or uncommon word or phrase +● Use dictionaries, thesauruses, and other related references +02 Literature +A paraprofessional will know how and be able to: +● Identify the basic facts and main ideas in a text and use +them as the basis for interpretation +● Identify and paraphrase the main idea of a passage +● Identify supporting evidence + + +Page 7: +Superintendent’s Circular HRS-L02 +Page 7 of 12 + +● Identify, organize, and draw conclusions using the +relationship(s) among the ideas in written material +● Identify, analyze, and apply knowledge of the theme, +structure and elements of fiction and provide evidence +from the text to support their understanding +● Identify, analyze, and apply knowledge of the purposes, +structure, and elements of nonfiction or informational +materials and provide evidence from the text to support +their understanding +● Identify, analyze, and apply knowledge of the themes, +structure, and elements of poetry and provide evidence +from the text to support their understanding +● Identify, analyze, and apply knowledge of the themes, +structure, and elements of drama and provide evidence +from the text to support their understanding +● Identify and analyze how an author’s words appeal to the +senses, create imagery, suggest mood, and set tone and +provide evidence from the text to support their +understanding +03 Composition +A paraprofessional will know how and be able to: +● Write with a clear focus, coherent organization, and +sufficient detail +● Write for different audiences and purposes +● Demonstrate adequate paragraph development and +appropriate style, tone, and word choice in their +compositions + + +Page 8: +Superintendent’s Circular HRS-L02 +Page 8 of 12 + +● Use standard English conventions in their writing, revising, +and editing +● Organize ideas in writing in a way that makes sense for +their purpose +● Gather information from a variety of sources, analyze, and +evaluate the quality of the information they obtain, and use +it to answer their own questions +● Outline, summarize, and take notes +● Interpret information presented in graphic form +2. NUMERACY DOMAIN +01 Number Sense +A paraprofessional will know how and be able to: +● Understand numbers, ways of representing numbers, +relationships among numbers, and number systems +● Understand principles and operations related to integers, +fractions, decimals, percents, ratios, and proportions +● Understand and solve problems involving integers, +fractions, decimals, percents, ratios, and proportions +● Understand meanings of mathematical operations and how +they relate to one another. +● Compute fluently and make reasonable estimates +● Know how to use standard arithmetical algorithms + + + + +Page 9: +Superintendent’s Circular HRS-L02 +Page 9 of 12 + +02 Algebra +A paraprofessional will know how and be able to: +● Understand and use patterns to model and solve problems +● Understand how to manipulate and simplify algebraic +expressions and translate problems into algebraic notation +● Understand the properties of different types of functions +and relations +03 Geometry +A paraprofessional will know how and be able to: +● Analyze characteristics and properties of two- and three- +dimensional geometric shapes +● Specify locations and describe spatial relationships using +coordinate geometry and other representational systems +● Understand the principles and properties of coordinate and +transformational geometry, apply transformations, and use +symmetry to analyze mathematical situations +● Use visualization, spatial reasoning, and geometric +modeling to solve problems. +04 Measurement and Data Analysis +A paraprofessional will know how and be able to: +● Identify measurable attributes of objects and use the +standard units, systems, and processes of measurement +● Formulate questions that can be addressed with data; and +collect, organize, and display relevant data to answer them + + +Page 10: +Superintendent’s Circular HRS-L02 +Page 10 of 12 + +● Select and use appropriate statistical methods to analyze +data +● Develop and evaluate inferences and predictions that are +based on data +3. INSTRUCTION DOMAIN +01 Curriculum Planning +A paraprofessional will know how and be able to: +● Assist with activities addressing standards that will advance +students’ level of content knowledge +● Assist with activities appropriate for the full range of +students within a classroom and appropriate to the specific +discipline, age, and level of proficiency with the English +language and Individualized Education Programs (IEP) +02 Effective Instruction +A paraprofessional will know how and be able to: +● Communicate lesson objectives clearly +● Build on students’ prior knowledge and experience +● Provide support under the guidance of a classroom teacher +to address student needs +● Help students use appropriate instructional resources to +support learning in reading, writing, and mathematics +● Help students use a variety of approaches to understand +what they read +● Help students focus their writing +● Help students relate mathematics to everyday situations + + +Page 11: +Superintendent’s Circular HRS-L02 +Page 11 of 12 + +● Employ a variety and range of instructional techniques +from direct instruction to cooperative learning groups +● Use instructional technology appropriately +● Provide regular feedback to students on their progress +● Provide formal and informal assessment of student +progress +03 Classroom Climate and Equity +A paraprofessional will know how and be able to: +● Maintain appropriate standards of behavior, mutual +respect, and safety in the classroom +● Promote achievement for all students, including those with +disabilities, those with limited English proficiency, and +those who are gifted and talented, without exception +● Promote civic and self-responsibility in the classroom, +school, and community +04 Professional Responsibilities +A paraprofessional will know how and be able to: +● Carry out their legal and ethical responsibilities. +● Carry out health, safety, and emergency procedures of the +learning environment. +● Maintain high standards and expectations for all students. +05 Professional Skills +A paraprofessional will understand how and be able to: + + +Page 12: +Superintendent’s Circular HRS-L02 +Page 12 of 12 + +● Accept supervision to reflect critically upon their classroom +experience and identify areas for further skill and +professional development. +● Work collaboratively with school personnel. +● Confer with supervisor(s) and/or content specialist(s) when +assistance is needed in supporting students’ learning +process. + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.txt new file mode 100644 index 0000000..4db8469 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.txt @@ -0,0 +1,257 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS- L03 +Version 01 + + +LICENSURE REQUIREMENTS FOR PRINCIPALS/HEADS +OF SCHOOL AND BASAS EMPLOYEES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +All principals and heads of school as well as most BASAS +employees are required to hold one of five administrative licenses +issued by the State of Massachusetts Department of Elementary +and Secondary Education (DESE). +TYPES OF ADMINISTRATOR LICENSES +The DESE issues the following five administrator licenses: +• Superintendent/Assistant Superintendent +• Principal/Assistant Principal +• Supervisor/Director +• Special Education Administrator +• School Business Administrator +REQUIREMENTS BY ADMINISTRATOR POSITION +The BPS positions/titles below require the following licenses in +the appropriate grade level(s): + + + + +Page 2: +Superintendent’s Circular HRS-L03 +Page 2 of 7 + + + +BPS Position/Title +Required License +Principal / Head of School +Principal/Assistant Principal +Assistant Principal / Head of +School +Principal/Assistant Principal +Academy Director +Supervisor/Director OR +Principal/Assistant Principal +Academy Leader +Supervisor/Director OR +Principal/Assistant Principal +Director of Instruction +Supervisor/Director OR +Principal/Assistant Principal +Director of Alternative +Education +Supervisor/Director OR +Principal/Assistant Principal +Small Learning Community +Leader +Supervisor/Director OR +Principal/Assistant Principal +Director of Curriculum, +Assessment and Placement +Supervisor/Director OR +Principal/Assistant Principal +Senior Curriculum Access +Specialist +Special Education Administrator +license OR Moderate/Severe +Disabilities teaching license in +combination with Principal/ +Assistant Principal license. +Senior Curriculum Manager +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Senior Program Director +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Program Director +Principal/Assistant Principal OR +Supervisor/Director OR Special +Education Administrator license +Some BASAS classifications may require licensure depending + + +Page 3: +Superintendent’s Circular HRS-L03 +Page 3 of 7 + + + +upon the types of duties performed. If a BASAS member is +responsible for the “Planning, Implementing, or Developing of +Curriculum and Instruction” (for 50% or more of their time), they +must hold an administrator license. Additionally, if the BASAS +administrator is responsible for the “Evaluation of Employees,'' +they must hold an administrator license. +If they are responsible for the planning, implementing, or +developing of Curriculum and Instruction, or the evaluation of +employees, the following BPS employees must hold these +licenses: +BPS Position/Title +Required License +Senior Coordinator +Principal/Assistant Principal or +Supervisor/Director or Special +Education Administrator license +Coordinator +Junior Coordinator +Director +Assistant Director +Bilingual Program Specialist +Senior Program Coordinator +MEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS +The following information outlines general guidelines that +principals, heads of school, and relevant BASAS employees +should follow to meet Massachusetts state licensure +requirements. The DESE will determine individual licensure +requirements upon review of the administrator’s application. +1. Pass the Massachusetts Test for Educator Licensure (MTEL) + + +Page 4: +Superintendent’s Circular HRS-L03 +Page 4 of 7 + + + +in Communication and Literacy Skills. To register for the +MTEL, go to: http://www.doe.mass.edu/mtel/. +2. Complete the licensure requirements for the administrator +role sought through one of the available routes: +a. Complete an Approved Program of Study. DESE +approves educator preparation programs sponsored by +higher education, professional associations, +collaboratives, school districts, charter schools, and +other organizations. Approved programs are designed +to meet the requirements for a specific administrator +license. The DESE website, +http://www.doe.mass.edu/edprep, contains a list of +approved administrator preparation programs. +b. Complete an Administrative +Apprenticeship/Internship. This route to licensure is +primarily a field-based experience requiring a +minimum of 300-500 hours depending on the license +being pursued in the role of the license sought. +Candidates completing this route must be guided by a +trained mentor (who has held a professional license in +the same role for at least three years) and participate in +seminars, workshops, and other opportunities that will +assist the candidates in adequately addressing the +Professional Standards for Administrators. +c. Be recommended for licensure through the Panel +Review process. This route is only available for +administrator licensure candidates who have specific +prerequisite experiences and for all superintendent +candidates. +3. Apply for licensure and make payment through the online + + +Page 5: +Superintendent’s Circular HRS-L03 +Page 5 of 7 + + + +process: (https://www.doe.mass.edu/licensure/apply-check- +status-license.html). +4. Submit the following supporting documentation and +information to the DESE: +a. One of the following: +i. Approved program endorsement +ii. Administrative Apprenticeship/Internship +Endorsement Form. This form is accessible +through the Guidelines for Administrator Routes +to Initial Licensure: +http://www.mass.gov/edu/docs/ese/educator- +effectiveness/licensing/panel-review- +administrator-routes.pdf +b. A letter written on official letterhead by the +superintendent/designee, principal, or previous +employer that documents the candidate has +completed three years of employment in the role of the +current license or other required experience. +c. Successful completion of the Performance Assessment +for Initial License. Applicants for the Principal/Assistant +Principal license are required to successfully complete +the Performance Assessment for Initial Licensure +(MA_PAL). This requirement is currently under +development for all other administrative licenses. +Licensure can be granted to those who satisfy all other +licensure requirements prior to this requirement +becoming available. + +d. Official transcripts of undergraduate/graduate studies +if required for specific license. + + +Page 6: +Superintendent’s Circular HRS-L03 +Page 6 of 7 + + + + +More information about the requirements for the administrator +licenses is available through the Guidelines for Administrator +Routes to Initial Licensure: +http://www.mass.gov/edu/docs/ese/educator- +effectiveness/licensing/panel-review-administrator- +routes.pdf +PROCESS FOR REPORTING LICENSURE TO THE OFFICE OF +HUMAN RESOURCES +It is the responsibility of principals, heads of school, and relevant +BASAS employees, as well as their supervisors, to ensure proper +licensure is in place and recorded in the “BPS Licenses” section of +PeopleSoft (found under “Workforce Development”) which is +maintained by the Office of Human Resources via an electronic +download from the Department of Elementary and Secondary +Education. +PROCESS FOR LICENSURE RELATED VERIFICATIONS +All educators and other employees seeking licensure related +verifications and/or loan forgiveness must complete the BPS +Educator Licensure-Related Verification Requests form. + + + + + + + +Page 7: +Superintendent’s Circular HRS-L03 +Page 7 of 7 + + + +For more Information about this circular, contact: +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM01 Performance Evaluation of Teachers.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM01 Performance Evaluation of Teachers.txt new file mode 100644 index 0000000..6d5527f --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM01 Performance Evaluation of Teachers.txt @@ -0,0 +1,58 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM01 +Version 01 + + + +PERFORMANCE EVALUATION OF TEACHERS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +Comprehensive information pertaining to the performance +evaluation of BTU under the 2011 education regulation +amendments (603 CMR 35.00) is now located at the Office of +Human ResourcesEvaluations webpage. +A summary of BTU dates and deadlines can be found on Page +73 of the BTU-BPS Collective Bargaining Agreement. +Long-Term Substitute Teachers are considered Teachers for +the purposes of performance evaluation if they have been in +position continuously for more than fifteen (15) consecutive +days. +General inquiries regarding performance evaluation of DESE- +licensed educators may be directed to: +eval@bostonpublicschools.org +Information regarding performance-related dismissal of +teachers may be found in Superintendent’s Circular #HRS- +PP19. + + + + + +Page 2: +Superintendent’s Circular HRS-PM01 +Page 2 of 2 + + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing +Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 +Phone: +617-635-9627 +E-mail: +eval@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.txt new file mode 100644 index 0000000..cee9d22 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.txt @@ -0,0 +1,345 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM02 +Version 01 + +PERFORMANCE EVALUATION OF INSTRUCTIONAL +BASAS ADMINISTRATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version.. +Heads of school, principals, and other administrative heads are +responsible for evaluating the performance of administrators +under their direct supervision. This employee group is school- +based, requires DESE licensure, and is represented as part of the +BASAS bargaining unit. Instructional BASAS administrators will +be evaluated using the VectorEvals platform as the evaluation +instrument. As of September 2023, non-instructional BASAS +administrators in roles that do not require DESE-licensure will be +evaluated using Superintendent Circular HRS-PM02A +Performance Evaluation of Non-Instructional BASAS +Administrators. +The purpose of this memorandum is to explain who is +responsible for evaluation and to outline the philosophy, +objectives, guidelines, and procedures applicable to that process. +PHILOSOPHY +The Boston Public Schools and the BASAS bargaining unit +recognize that the quality of education provided depends upon +the professional performance and the total job effectiveness of +the teachers and administrators in the system. Thus, since the +system's professionals can and should be held accountable for + + +Page 2: +Superintendent’s Circular HRS-PM02 +Page 2 of 10 + +the quality of their performance, a just and effective process for +evaluating that performance is essential. Such a process must be +organized to: +• foster effective leadership in promoting improvements of +schools and educational programs +• develop in the professional staff a clearer understanding of +the goals of education +• promote sound organizational and management +procedures +• demonstrate active support of the policies of the School +Committee and superintendent. +The performance evaluation program to be implemented to +satisfy this philosophy for administrators is diagnostic and +prescriptive, is generally positively directed, and encourages +professionals to maximize unique strengths and skills. +All instructional BASAS administrators whose evaluations are +subject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles +require DESE licensure) shall be evaluated on a cycle consistent +with those regulations. Evaluees not subject to 603 CMR 35.00 et. +seq. shall be evaluated annually, except that such employees +need not be evaluated in the following year if they remain in the +same job title and position unless the evaluator determines a +need to do so. +INSTRUMENTS/EVALUATORS +A. Instructional BASAS members shall be evaluated by a +designee of the superintendent outside the BASAS +bargaining unit. +B. The evaluation instrument to be used for instructional +BASAS administrators in DESE-licensed roles as of + + +Page 3: +Superintendent’s Circular HRS-PM02 +Page 3 of 10 + +September 2019 is known as VectorEvals. It is accessible via +the employee’s BPS Google account. Comprehensive +information pertaining to the performance evaluation of +instructional BASAS administrators under the 2011 education +regulation amendments (603 CMR 35.00) is now located at +the Office of Human Resources website: +https://www.bostonpublicschools.org/Page/8586. + +PROCEDURAL STEPS +A. Preparation - No later than 30 days after the start of a rating +year, and no later than 45 days after a change in a person’s +evaluator, the person’s evaluator shall meet with the +evaluee(s) for the purpose of explaining the diagnostic +prescriptive evaluation program, reviewing the evaluation +instrument and which parts of it may not be applicable, +answering questions, and determining additional job +related responsibilities which will be covered in the +evaluation. Within 5 days after said meeting, the evaluee will +receive a copy of a list of job related functions for which they +are responsible and on which their performance will be +evaluated. +The evaluee may propose a professional practice goal as +well as a student learning goal. All goals are subject to the +approval of the evaluator. +B. Data Gathering - It should be clearly understood by the +evaluee that the data gathering process is ongoing and +cumulative. Evaluation data includes information gathered +by observation or other means. Data should be collected +over a sufficient period and should be accessible to the +evaluee in compliance with applicable state and federal + + +Page 4: +Superintendent’s Circular HRS-PM02 +Page 4 of 10 + +laws. All complaints or derogatory comments obtained from +parents, community, etc., shall be promptly provided to the +instructional BASAS member, or they may not be used as a +basis for evaluation. +The evaluator must provide feedback within five school days +to the evaluee (via email or in person) after any observation +or collection of evidence that results in the evaluator having +a concern that one or more standards may be rated as +unsatisfactory or needs improvement on a formative or +summative evaluation for the first time. +C. Post-Evaluation Conference - Evaluation reports may be +filled out periodically throughout the school year whenever +an evaluator determines that assistance, supervision, or +intervention is deemed appropriate. Within ten (10) school +days during which the BASAS member is present following +the completion of each evaluation, the evaluator shall meet +with the evaluee for the purpose of discussing the +evaluation, providing an appraisal of professional strengths +and areas in need of improvement. +In any area where the evaluator indicates a need for +improvement, or that the evaluee is “Unsatisfactory”, the +evaluator will provide the evaluee with a written +prescription. The prescription must be fully descriptive, +instructive, reasonable, attainable, and educationally sound +as to the specific remedy sought by the evaluator. +At the post-evaluation conference, the evaluee will be +shown their written evaluation by the evaluator and will sign +it to indicate they have seen it and acknowledge that it will +be placed in their personnel file, but not to indicate +agreement or disagreement. A copy of the evaluation will be + + +Page 5: +Superintendent’s Circular HRS-PM02 +Page 5 of 10 + +provided to the evaluee, and the evaluee will be allowed to +attach comments to the evaluation. +D. Follow-Up - In general, the number and scope of the +subsequent conferences can be gauged at the first post- +evaluation conference and should be communicated to and +discussed with the evaluee at the end of that conference. +FORMATIVE ASSESSMENT/EVALUATION AND OBSERVATIONAL +FEEDBACK +A. A formative assessment shall be a part of the process used +to assess progress towards attaining goals set forth in +administrator plans, performance on Standards and +Indicators of Effective Teaching Practice, or both, and may +be used to inform employment decisions. This process may +take place at any time during the cycle of evaluation, but +typically takes place at mid-cycle. +B. A formative evaluation shall be an evaluation conducted at +the end of Year 1 for an administrator on a two-year self- +directed growth plan. This evaluation is to be used to arrive +at a rating on progress towards attaining the goals set forth +in the evaluee’s plan, performance on Standards and +Indicators of Effective Teaching Practice, or both, and may +be used to inform employment decisions. +C. If an evaluee’s performance results in a rating of “Needs +Improvement,” or “Unsatisfactory” on a formative +assessment or evaluation, the evaluation prescription may +contain a requirement that an administrator take advantage +of additional professional development training or other +opportunities. + + +Page 6: +Superintendent’s Circular HRS-PM02 +Page 6 of 10 + +SUMMATIVE EVALUATION AND REPORTS +A. A summative evaluation is an evaluation used to arrive at a +rating on each standard, an overall rating, and as a basis to +make personnel decisions. The summative evaluation +includes the evaluator’s judgments of the evaluee’s +performance against performance standards and the +evaluee’s attainment of goals set forth in the evaluee’s plan. +B. During the entire evaluation process, continuous assistance, +support, and encouragement should be extended to assist +the evaluee in meeting established objectives. +C. Continued failure to achieve an overall rating of “Proficient” +will result in additional prescriptions, warnings, additional +evaluations, and further personnel action, including +evaluation visits from other School Department +administrators. +D. An evaluee whose overall performance has been judged as +“Needs Improvement” or “Unsatisfactory” shall be notified in +writing and shall meet directly with the evaluator. +DISPUTE RESOLUTION +A. An overall rating of “Unsatisfactory” on a summative +evaluation for BASAS members shall be subject to the +grievance and arbitration procedure. An administrator may +grieve a summative rating of “Proficient” evaluation up to +and including the level of the responsible administrator +above the level of the evaluator. Any evaluation that is used +or referred to as any part of the rationale for removal, +reassignment, or any other negative action against an +employee shall be subject to the grievance and arbitration +procedures. + + +Page 7: +Superintendent’s Circular HRS-PM02 +Page 7 of 10 + +B. Any evaluation of an instructional BASAS administrator +which is overall “Unsatisfactory” shall be promptly +forwarded to BASAS along with any other recommended +professional development or corrective action plan, +provided that the BASAS member has so requested in +writing. The superintendent’s designee and BASAS agree to +meet to discuss the plan, when requested by the BASAS +member. +C. Alleged violations of the performance evaluation process are +subject to the grievance and arbitration procedures if the +employee has been dismissed. +PROCEDURES FOR DISMISSAL/DEMOTION +If the performance evaluation of an evaluee results in a +recommendation for dismissal/demotion by the evaluator +(confirmed by the head of school or other senior administrator), +the following procedures will be followed: +A. The superintendent's designee shall discuss each +recommendation for dismissal with the appropriate +evaluator and/or other senior administrator. The +superintendent's designee shall then undertake the +necessary investigation to substantiate the evaluation of the +administrator. +Based on the above, the superintendent or their designee +shall decide on the appropriateness of the recommendation +for dismissal/demotion. The evaluator and/or other senior +administrator must present supporting documents to the +Superintendent or their designee when presenting a +recommendation for dismissal. +B. The superintendent or their designee or senior + + +Page 8: +Superintendent’s Circular HRS-PM02 +Page 8 of 10 + +administrator shall submit all processed recommendations +for dismissal to the Office of Labor Relations. +C. The decisions of the superintendent or their designee shall +be confined to the following: +1. Retention - This is a rejection of the recommendation +of the evaluator based on the evidence presented on +an individual administrator. +2. Notice - The superintendent's designee, having +reviewed the materials, decides that the case does not +warrant a recommendation for dismissal/demotion, +but instead warrants placing the administrator on +notice that their performance is highly unacceptable. +This status stands as a final warning that the +administrator will be subject to additional evaluation +during the academic year and, if performance is not +improved, may be subject to dismissal/demotion. +3. Dismissal/Demotion - This recommendation is the +affirmation of the evidence presented by the evaluator. +The evaluee may call for a hearing before the +superintendent or designee thirty days after written +notification to the administrator of the +recommendation for dismissal/demotion. +D. The Office of Labor Relations shall: (1) evaluate the evidence +for dismissal/demotion; (2) review the recommendation, if +necessary, with the evaluator and/or superintendent or their +designee; and (3) determine that relevant procedures for +evaluations were substantially complied with and that the +evaluations warrant dismissal of the employee. +E. The Office of Labor Relations shall forward its analysis to the + + +Page 9: +Superintendent’s Circular HRS-PM02 +Page 9 of 10 + +superintendent of schools with copies to the principal leader +or other senior administrator. +F. The superintendent shall review the materials, make a +decision, and give notice to the employee in accordance +with G.L. c.71, Section 42. +PROCEDURES FOR DISCIPLINE +If a principal, head of school, or supervisor determines that an +administrator has violated work rules, the supervisor should +follow procedures outlined in Superintendent's Circular HRS- +PP10 Employee Discipline Procedures. Additionally, the principal, +head of school, or supervisor may consider the infraction in +evaluating the administrator's overall performance. +Failure to address job performance problems of assigned staff +through the performance evaluation process represents +unacceptable performance on the part of a supervisor. This +problem is further compounded when "problem staff" are given a +satisfactory rating by the supervisor and encouraged to transfer +to another school/department. Such failure on the part of a +supervisor represents "unsatisfactory" administrative +performance on the part of that person and they will be held +accountable by the appropriate senior administrator and +superintendent. + + + + +Page 10: +Superintendent’s Circular HRS-PM02 +Page 10 of 10 + +Please refer in advance to Superintendent's Circular HRS-PP10 +Employee Discipline Procedures. +Summary of significant dates and deadlines: +Date +Activity +June 15 +Deadline for evaluators to submit +evaluation to Instructional BASAS +Administrators via VectorEvals +platform. + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-9627 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.txt new file mode 100644 index 0000000..24e4933 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.txt @@ -0,0 +1,358 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM02A +Version 01 + + +PERFORMANCE EVALUATION OF +NON-INSTRUCTIONAL BASAS ADMINISTRATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +TABLE OF CONTENTS +Document Purpose +Purpose of Performance Management +Evaluation Process Overview +The Five-Step Process +Step 1: Self-Assessment +Step 2: Analysis, Goal setting, and Analysis +Step 3: Implementation of the Plan +Step 4: Formative Assessment +Step 5: Summative Evaluation (June 15) +Upward Feedback +Evaluation Platform and Documentation +Timeline and Tools + + +Page 2: +Superintendent’s Circular HRS-PM02A +Page 2 of 11 + + + +Appendix A: Core Competencies +Appendix B: Rating Levels +Appendix C: Goal Status Scale +DOCUMENT PURPOSE +This document describes the performance management and +evaluation process for Non-Instructional BASAS Administrators +assigned to schools and central office departments. The purpose +of this document is to provide clarity to employees and +supervisors, as well as templates and tools for use during the +process. Please refer to Circular HRS-PM02 - Performance +Evaluation of Instructional BASAS Administrators for +Instructional BASAS staff evaluation procedures. +PURPOSE OF PERFORMANCE MANAGEMENT +Boston Public Schools (BPS) students are the citizens, leaders, +scholars, entrepreneurs, advocates, and innovators of tomorrow. +As a city and district, we must ensure that 100 percent of our +students are prepared for college, career, and life in the 21st +century. We must model our district and Central Office on the +classroom we want to see. We have established a system of +performance management to affirm the ideal that everyone, +from students to the superintendent, must have sufficient +resources, information, and support to achieve efficacy in their +endeavors. + + +Page 3: +Superintendent’s Circular HRS-PM02A +Page 3 of 11 + + + +The fundamental purpose of performance management in BPS +schools and Central Office is to maximize the productivity and +impact of our employees by enabling them to perform at their +fullest potential. Our approach is designed to provide high- +quality support to schools, students, and families in BPS to +ensure our graduates are college, career, and life ready. To do so, +our performance management system will: + +1. Establish a consistent set of competencies to clearly set and +communicate expectations for employee performance. +2. Align employee efforts with department and organizational +goals. +3. Create systems and structures that gather and monitor +performance to support employee feedback, growth, and +development. +4. Identify areas of strength to leverage for increased impact, +and areas of growth for providing targeted support. +5. Provide accountability for individuals and enable them to +see their contribution to and progress toward organizational +goals. +6. Connect employee performance to incentives, recognition, +professional growth, and retention efforts. +EVALUATION PROCESS OVERVIEW +Non-instructional BASAS members may be evaluated by the +team leader, responsibility center manager, supervisor, or their + + +Page 4: +Superintendent’s Circular HRS-PM02A +Page 4 of 11 + + + +designee. The criteria for effective practice for non-instructional +BASAS administrators are identified in the Core Competencies, +which defines six categories listed below. See Appendix A for +greater detail on the Core Competencies. +1. Results Orientation +2. Collaboration and Communication +3. Job Knowledge and Skills +4. Cultural Competency & Equitable Practices +5. Responsiveness and Service Focus +6. Leadership [for staff members supervising people or +projects] + +Evaluations will result in goal +ratings, competency ratings, +and an overall performance +rating, which will be based on +the supervisor’s judgment on +evidence of performance +against the standards and +progress toward goals. +Progress toward goals will be +rated as “Goal Achieved,” “Goal +Significantly Met,” “Active +Goal,” “Goal Not Met,” and “Goal Deferred.” Greater details +on these rating levels can be found in Appendix B (at the +end of this document). + + +Page 5: +Superintendent’s Circular HRS-PM02A +Page 5 of 11 + + + +The five levels of performance which apply to performance on +each competency and the overall performance rating shall be: +“Highly Effective,” “Effective,” “Developing,” “Minimally Effective,” +and “Ineffective.” Greater details on these rating levels can be +found in Appendix B (at the end of this document). +THE FIVE-STEP PROCESS +Based on best practices in performance evaluation, BPS has +adopted a five-step process for evaluation. This process should be +followed each year by the employee and their supervisor. + +Step 1: Self-Assessment (by September 1) +The employee reviews available evidence of work performance, +prior feedback and evaluations, and the Core Competencies to +determine areas of strength and areas for further growth. The +Self-Assessment is used to inform the employee’s goals and +action plan for the upcoming year. +Step 2: Analysis, Goal Setting, and Analysis (by October 1) +Based on the employee’s self-assessment, job description, +individual aspiration, and school/department goals, the employee +and their supervisor establish 2-4 goals, related to professional +practice or performance: +● A professional practice goal relates to an identified skill or +set of knowledge that an employee wants to develop or +improve. When developing a professional practice goal, the + + +Page 6: +Superintendent’s Circular HRS-PM02A +Page 6 of 11 + + + +employee and their supervisor should both look at past +performance and feedback, as well as the employee’s +professional/career aspirations. Professional practice goals +should align to one or more of the Core Competencies. +● A performance goal is a measurable target or outcome +related to an employee’s work. Goals should align with an +employee’s team and/or departmental goal(s). +Step 3: Implementation of the Plan (ongoing) +The employee performs job duties and responsibilities, +implements the action steps toward goals, submits evidence +supporting proficiency, and meets with their supervisor to +receive and discuss feedback. The supervisor collects and reviews +evidence, provides ongoing, timely, clear, and actionable +feedback, and meets with the employee to give and discuss +feedback, including recommendations for improvement, if +applicable. +Step 4: Formative Assessment (optional by February 1) +Each employee should receive a formative assessment to provide +the employee with formal feedback on their performance against +the Core Competencies and their progress toward goals. +Typically, the formative will occur midway through the +assessment year, though may take place earlier for individuals in +need of additional support. + + +Page 7: +Superintendent’s Circular HRS-PM02A +Page 7 of 11 + + + +Step 5: Summative Evaluation (June 15) +Each employee shall receive a summative evaluation to provide +the employee with formal feedback and ratings of their +performance, and progress toward goals. +Upward Feedback +In this process, upward feedback from direct reports and school +leaders (when applicable), as well as peer feedback, should be +incorporated into an employee’s performance evaluation. +EVALUATION PLATFORM AND DOCUMENTATION +Beginning September 2023, non-instructional BASAS +administrators’ evaluations and related documentation will be +generated and stored in the BPS online performance +management platform, VectorEvals. Employees and supervisors +will receive training in accessing, navigating, and using the +platform prior to the start of their evaluation cycle. Training +modules will be available in an online, on-demand format to the +employee and their supervisor for reference, as well. + + + + + + +Page 8: +Superintendent’s Circular HRS-PM02A +Page 8 of 11 + + + +TIMELINE +Date +Activity +July - August Office, team, and individual goal setting begins. +Supervisors review of standards and expectations with +employees. +September 1 +Employee self-assessments due. +Employee goals & action plans draft due. +October 1 +Finalized employee goals & action plans due. +Ongoing +Employee check-ins, at the discretion of individual. +Provide feedback (verbal and written) to employees on +progress toward goals, observed performance, and +work products/artifacts. +Implementation also includes peer feedback. +January 1 - +February 1 +Formative assessment meetings with employees. +February 1 +Formative assessments (optional) finalized and +submitted. +June 1 +Last day to submit artifacts for review prior to +summative evaluation. +June 15 +Summative evaluations finalized and submitted. +APPENDIX A: THE CORE COMPETENCIES (LINK TO SEPARATE +DOCUMENT) + + +Page 9: +Superintendent’s Circular HRS-PM02A +Page 9 of 11 + + + +APPENDIX B: RATING LEVELS +Effectiveness +Level +Description +Highly Effective Performance far exceeded expectations due to +exceptionally high quality of work performed in all essential +areas of responsibility, resulting in an overall quality of work +that was superior; and either +included the completion of a major goal or project or +made an exceptional or unique contribution in support of +team, department, or district objectives. +This level is achievable by any employee though given +infrequently (<10% of employees). +Effective +Performance met expectations in all essential areas of +responsibility, and the quality of work overall was excellent. +Annual goals were met. +Developing +Performance consistently met expectations in all essential +areas of responsibility, at times possibly exceeding +expectations, and the quality of work overall was very good. +The most critical annual goals were met. +This level is expected for individuals who are new to the +organization or to a role. + + +Page 10: +Superintendent’s Circular HRS-PM02A +Page 10 of 11 + + + +Minimally +Effective +Performance did not consistently meet expectations – +performance failed to meet expectations in one or more +essential areas of responsibility, and/or one or more of the +most critical goals were not met. A professional +development plan to improve performance must be +attached, including timelines, and monitored to measure +progress. +Ineffective +Performance was consistently below expectations in most +essential areas of responsibility, and/or reasonable progress +toward critical goals was not made. Significant +improvement is needed in one or more important areas. A +plan to correct performance, including timelines, must be +outlined and monitored to measure progress. + + +APPENDIX C: GOAL STATUS SCALE +Goal Status +Description +Goal Achieved +All goal milestones and success measures have +been achieved for 100% of goals. +Goal Significantly +Met +All goal milestones and success measures have +been achieved for at least 85% of goal. +Active Goal +The goal is still in progress, though some +milestones may have been achieved. + + +Page 11: +Superintendent’s Circular HRS-PM02A +Page 11 of 11 + + + +Goal Not Met +For this goal, some or all milestones and success +measures have not been met. +Goal Deferred +For timing or organizational reasons, this goal has +been deferred. + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: 2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-9627 +E-mail: +eval@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .txt new file mode 100644 index 0000000..1112e81 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM03 Performance Evaluation of Members of the Administrative Guild .txt @@ -0,0 +1,880 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM03 +Version 01 + +PERFORMANCE EVALUATION OF MEMBERS OF THE +ADMINISTRATIVE GUILD +The following sets forth the philosophy, roles, responsibilities, and +procedures applicable to the evaluation process for members of +the Administrative Guild. +I. COVERAGE +The contract between the School Committee and the +Administrative Guild provides for both annual and interim +evaluations of the performance of all employees represented by +the Guild. The evaluation process relates to the duties and +responsibilities of the employee’s position, as set forth in the +employee’s job description. +The job descriptions are general in nature and are not intended +to change any employee’s existing responsibilities. The format of +the job descriptions allows supervisors to determine the specific +job duties associated with the position’s classification. +The supervisor should obtain a copy of the appropriate job +description and provide it to each employee under their +jurisdiction. The supervisor should also communicate clearly to +the employee the specific duties associated with the position as +well as any additional information pertaining to the position. +Members of the Administrative Guild can also contact their OHC +Staffing Manager to access job descriptions. + + +Page 2: +Superintendent’s Circular HRS-PM03 +Page 2 of 21 + +II. PHILOSOPHY +The Boston Public Schools recognizes that the quality of +educational service depends upon the professional performance +and total job effectiveness of all employees. Since clerical and +technical employees can and should be held accountable for the +quality of their performance, a just and effective process for +evaluating that performance is essential. True performance +evaluation involves an analysis of an employee's strengths and +weaknesses, resulting in diagnoses and prescriptions that lead to +the desired improvement of skills and performance. +All clerical and technical employees will be evaluated using the +diagnostic-prescriptive approach, and the procedures and forms +developed for the implementation of this approach. +A diagnostic-prescriptive evaluation program is positively +directed and encourages employees to maximize their unique +strengths and skills. It encourages employees to participate in +the evaluation of their own performance and to help set +objectives for self-improvement. The performance evaluation +process, however, is not intended to be a substitute for the day- +to-day communication with and supervision of employees. +An effective performance evaluation program is one that is +continuous rather than periodic and organized to: +● develop a clear understanding of the goals of the +department or school; +● assist employees in addressing more effectively the needs +of each school or department; and +● encourage cooperative staff relations through mutual trust +and respect for each employee's role. + + +Page 3: +Superintendent’s Circular HRS-PM03 +Page 3 of 21 + +III. ROLES AND RESPONSIBILITIES +Heads of school, principals, and other administrative heads have +chief responsibility for the evaluation of all staff in their +responsibility centers. Performance evaluations must be +conducted by the employee's most immediate supervisor who is +not a member of the Guild bargaining unit. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. +Further, a supervisor will also be performing unsatisfactorily if an +underperforming staff member is given a satisfactory rating and +then encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +IV. DIAGNOSIS AND RECOMMENDATIONS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. There are four possible +ratings: + +E – EXEMPLARY: +The employee’s performance of the duties and +responsibilities of their position exceeds +expectations. +P – PROFICIENT: +The employee’s performance of the duties and +responsibilities of their position meets +expectations. + + +Page 4: +Superintendent’s Circular HRS-PM03 +Page 4 of 21 + +N – NEEDS +IMPROVEMENT: +The employee’s performance of the duties and +responsibilities of their position needs +improvement. +U – UNSATISFACTORY: +The employee has failed to meet expectations +and their performance of the duties and +responsibilities of their position needs +improvement. +Every interim and annual evaluation must result in a mark for +each appropriate item on the evaluation form. In any area where +the supervisor indicates a need for improvement, they will +provide the employee with a written prescription within the +evaluation document. The diagnosis and subsequent +prescription should be fully descriptive and instructive, +suggesting specific remedies or recommendations for adoption +by the employee. The employee may suggest additional or +alternative prescriptions. +V. PERFORMANCE MANAGEMENT PROCESS +The performance of employees represented by the Guild +bargaining unit is evaluated annually. The evaluation year is from +July 1 to June 30 for each employee. +Performance evaluation activities may include, but are not +limited to, preliminary planning conferences, daily observations, +notations, formal interim evaluations, follow-up conferences, and +recommendations to the employee by the evaluator. +During the entire evaluation process, continuous administrative +assistance, support, and encouragement should be extended to +assist the employee in meeting established objectives. + + +Page 5: +Superintendent’s Circular HRS-PM03 +Page 5 of 21 + +STEP 1 – PRELIMINARY PROCEDURES +At the beginning of each evaluation year, the head of school, +principal, or other administrative head should meet with their +supervisory staff to orient them to the performance evaluation +process and to their roles and responsibilities within that process +for the upcoming year. Guild members will be evaluated by their +most direct supervisor or designee who is not a member of the +Guild bargaining unit. +For all new employees or after a change in supervision, the +evaluator must meet with the employee no later than 30 days +after the start of the evaluation year to discuss and explain the +evaluation process, the evaluation instrument, and to clarify the +responsibilities and objectives of the position. +The evaluator and the Guild member will sign the evaluation +instrument indicating the date of such meeting. +STEP 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS +NEEDED) +If at any time, including at the interim evaluation meeting (see +step 3), a supervisor finds that an employee needs major +improvement in their job performance or in accomplishing any +goal, the supervisor will prepare a written diagnosis of the +situation, recommendations for improvement, and will share this +feedback with the employee within a reasonable amount of time. +STEP 3 – INTERIM EVALUATION PROCEDURES +All new employees or employees under new supervision should +receive an interim evaluation no later than November 15, if +reasonably possible. All other employees will be evaluated a +minimum of one time during the school year. However, to +receive a rating of “Unsatisfactory” in any category on an annual + + +Page 6: +Superintendent’s Circular HRS-PM03 +Page 6 of 21 + +evaluation, an interim evaluation must have been previously +conducted. +If an interim evaluation includes a rating(s) of Unsatisfactory +and/or Needs Improvement in any category, then the supervisor +will communicate in writing the reasons for the rating(s) of +Unsatisfactory and/or Needs Improvement within the evaluation +form and provide prescriptions for improvement. A follow-up +evaluation or evaluations for an interim overall unsatisfactory +evaluation must be done after a minimum of 20 school days and +no later than 50 school days from the last evaluation during +which a member is present. All initial “Unsatisfactory” interim +evaluations should have a follow-up evaluation no less than 20 +school days during which the employee is present. +The same form is used for interim and annual evaluations. +STEP 4 – POST INTERIM MEETING EVALUATION CONFERENCE +Within ten (10) working days in which the employee is present +following the completion of an interim evaluation document, the +evaluator will meet with the employee to discuss the evaluation. +During this conference, the evaluation and a copy of it will be +provided to the employee, who will sign both the original and the +copy to indicate that they have seen and acknowledged it, but +not to indicate agreement or disagreement with its contents. The +supervisor must retain the signed copy. The employee has a right +to attach a written response to the evaluation. +If an employee receives a mark of Needs Improvement or +Unsatisfactory on any item on their performance evaluation form, +the principal, head of school, or other administrative head must +immediately submit this evaluation form to the Office of Human +Resources. + + +Page 7: +Superintendent’s Circular HRS-PM03 +Page 7 of 21 + +Interim evaluations will not be placed in the employee’s +permanent file. +STEP 5 – ANNUAL EVALUATION PROCEDURES +Annual evaluations must be completed no later than June 1 of +each year. +If an evaluation includes a rating(s) of Unsatisfactory and/or +Needs Improvement in any category, then the supervisor will +communicate in writing the reasons for the rating(s) of +Unsatisfactory and/or Needs Improvement within the evaluation +form and provide prescriptions for improvement. However, to +receive a rating of “Unsatisfactory” in any category on an annual +evaluation, an interim evaluation must have been previously +conducted. If an employee received a Needs Improvement or +Unsatisfactory rating on any item on the form, the Principal, +Head of School, other Administrative Head must immediately +submit this evaluation form to The Office of Human Resources. +STEP 6 – POST ANNUAL EVALUATION CONFERENCE +Within ten (10) working days in which the employee is present +following the completion of any evaluation document, the +evaluator will meet with the employee to discuss the evaluation. +During this conference, the evaluation and a copy of it will be +provided to the employee, who will sign both the original and the +copy to indicate that they have seen and acknowledged it, but +not to indicate agreement or disagreement with its contents. The +employee has the right to attach a written response to the +evaluation form. +If an employee receives an annual overall Unsatisfactory +evaluation, the supervisor may initiate termination by +recommending to the Superintendent that such employee be + + +Page 8: +Superintendent’s Circular HRS-PM03 +Page 8 of 21 + +terminated. +STEP 7 – SUBMIT PERFORMANCE EVALUATION FORMS TO THE +OFFICE OF HUMAN RESOURCES +At the end of each evaluation year, the principal, head of school, +or other administrative head should retain the copies of all +evaluations and send/deliver the originals of all evaluations to the +Office of Human Resources front desk. If the performance +evaluation is overall Unsatisfactory, a copy should also be sent to +the director of evaluation and performance management, Office +of Human Resources. +Note: An employee with an “Unsatisfactory” performance +evaluation has no bidding rights until that employee receives a +subsequent “satisfactory” performance evaluation. For the +purposes of this section, an “Unsatisfactory” evaluation means an +unsatisfactory rating in any two areas on an interim or annual +evaluation. +VI. PROCEDURES FOR DISCIPLINE +If a principal, head of school, or other administrative head +determines that an employee has committed an infraction of +work rules such as excessive tardiness, absences, etc., the +supervisor should follow the procedures outlined in the +Superintendent's Circular on Employee Discipline Procedures. +Additionally, the supervisor should consider the infraction in +evaluating the employee's overall performance. + + + + +Page 9: +Superintendent’s Circular HRS-PM03 +Page 9 of 21 + +VII. FORMS +The Performance Evaluation Form for Members of the +Administrative Guild is attached. +Summary of significant dates and deadlines: +DATE +ACTIVITY +Within the first 30 days +of Evaluation Year +For new employees/employees under +new supervision only: Review job +description and evaluation instrument. +Sign cover page to acknowledge +meeting. +No later than +November 15 +For new employees/employees under +new supervision only: Complete first +Interim Evaluation +June 15 +Deadline to send signed, original +copies of evaluations to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: OHC Front Desk +2300 Washington Street, 4th floor +Roxbury, Massachusetts 02119 +July 1 to June 30 +The evaluation year of an +Administrative Guild employee + + + + + + + + + + + + +Page 10: +Superintendent’s Circular HRS-PM03 +Page 10 of 21 + + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 11: +Superintendent’s Circular HRS-PM03 + +Page 11 of 21 + +BOSTON PUBLIC SCHOOLS ADMINISTRATIVE GUILD +PERFORMANCE EVALUATION FORM +Name: _________________________________Employee ID: ____________ +Current Position and Grade: ___________________ Date: ____________ +Permanent Position and Grade: __________________________________ +Department/School: _____________________________________________ +Evaluator: ________________________________________________________ +Check One: Interim Evaluation: ☐ Annual Evaluation: ☐ +Evaluator's Signature: _________________________ Date: +_____________ +Employee's Signature: _________________________ Date: ____________ +The employee's signature indicates that they have seen and +discussed the evaluation. It does not denote agreement with it. +Evaluator's Supervisor +Signature: ____________________________________ Date: _____________ +Initial Pre-Evaluation Conference: + Evaluator’s Signature:__________________________Date:____________ + +Employee’s Signature___________________________Date: + + + + + +Page 12: +Superintendent’s Circular HRS-PM03 +Page 12 of 21 + +Review the employee’s job description and then complete the +form. The following scale will be used for ranking performance: +E - EXEMPLARY +The employee’s performance of the +duties and responsibilities of their +position exceeds expectations. +P - PROFICIENT +The employee’s performance of the +duties and responsibilities of their +position meets expectations. +N - NEEDS +IMPROVEMENT +The employee’s performance of the +duties and responsibilities of their +position needs improvement. +U - UNSATISFACTORY +The employee has failed to meet +expectations and their performance of +the duties and responsibilities of their +position needs improvement. +The evaluator will circle the letter that applies, or if the form is +being completed electronically, the evaluator should underline or +bold the letter that applies. Any rating of "U" or “N” must be +accompanied by a supporting diagnosis and prescription. The +evaluator may add comments to ratings of "P" and "E" at their +discretion. + + + + + + +Page 13: +Superintendent’s Circular HRS-PM03 +Page 13 of 21 + +Performance Ratings (see Performance Standards descriptions +below): +(Place an X in the appropriate box for each +standard and overall) +E +P +N +U +Standard I: Job Functions + + + + +Standard II: Collaboration and Initiative + + + + +Standard III: Communication + + + + +Standard IV: Professionalism and Growth + + + + +Overall Rating + + + + + +Supervisor's Comments +1. How long has this employee been under your supervision? + +2. General comments, significant other achievements, +appraisal of potentialities. + + + + + + +Page 14: +Superintendent’s Circular HRS-PM03 +Page 14 of 21 + +3. This diagnosis and prescription section must be completed +for each category evaluated as U – Unsatisfactory. Identify +the item number, the observable need for improvement, the +recommendation, and the target date for improvement. + + + + + +Employee's Comments: + + +Page 15: +Superintendent’s Circular HRS-PM03 + +Page 15 of 21 + +ADMINISTRATIVE GUILD PERFORMANCE STANDARDS +Standard I: Job Functions. The employee effectively supports the district's and department/school’s +mission through demonstrated job-specific skills, knowledge, and quality of work after proper +instruction. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +I-A. Skills and +knowledge +Demonstrates a +critical lack of +necessary skills +and knowledge +to perform one's +own job, +including the +ability to +effectively use +relevant, position +specific +technology. +Demonstrates +some, but not all, of +the necessary skills +and knowledge to +perform the +employee's own job, +including the ability +to effectively use +relevant position +specific technology. +Has the necessary +technical skills and +knowledge to +perform the +employee's own job, +including the ability +to effectively use +relevant position +specific technology. +Demonstrates +proficiency AND +serves as a resource +for other employees +in similar or related +positions. + + + +Page 16: +Superintendent’s Circular HRS-PM03 +Page 16 of 21 + +I-B. Quality of +Work +Demonstrates +effectiveness at +few to none of +the +responsibilities +defined in the +employee's job +description. +Demonstrates +effectiveness at +some, but not all, of +the responsibilities +defined in the +employee's job +description. +Accurately, +competently, and in a +timely manner +performs assigned +tasks as set forth in +the job description. +Demonstrates +proficiency AND +makes significant or +noteworthy +contributions +towards helping +accomplish the +school/department +goals. + + + + + + + + + + +Page 17: +Superintendent’s Circular HRS-PM03 +Page 17 of 21 + +Standard II: Collaboration and Initiative. The employee supports the district's and the +department/school’s mission and goals by cultivating a shared vision, modeling responsibility, +accountability, and cooperation. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +II-A. +Teamwork +Demonstrates a +pattern of refusal +to support +supervisor and +others as +identified in the +job description. +Demonstrates +limited accuracy +and support of +supervisor and +others as identified +in the job +description when +asked. +Establishes and +maintains +relationships that +promote the +advancement of +common goals by +providing accurate +and reliable support. +Demonstrates +proficiency +AND takes initiative +to identify and act +upon new +opportunities to +support +school/department +missions. +II-B. +Motivation and +Initiative +Requires direct +intervention and +continual +oversight from +supervisor to +Requires increased +oversight or +reminders for +routine duties +despite receiving +Accomplishes work +after proper +instruction; seeks +clarification when +needed performs +Demonstrates +proficiency AND +recommends +solutions, as well as +takes initiative on + + +Page 18: +Superintendent’s Circular HRS-PM03 +Page 18 of 21 + +perform the +duties outlined +in job +description. +standard support. +tasks in anticipation +of or extraneous to +normal +responsibilities, +effectively copes with +the unexpected. +starting new tasks +and projects, as +appropriate, to +support district and +school/department +goals. + +Standard III: Communication. Communicates effectively, professionally and with a customer-focused +approach; speaking or writing originated by a Guild member. Cultural Proficiency: Actively creates +and maintains an environment in which students and staff of diverse backgrounds, identities, +strengths, and challenges are respected +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +III-A. Effective +Written and +Oral +Communicatio +n +Demonstrates a +pattern of +ineffectual +written, oral, and +interpersonal +communication. +Written, oral and +interpersonal +communication +occasionally lacks +clarity, timeliness, +courtesy, or +All written, oral, and +interpersonal +communication +produced is accurate, +clear, concise, +courteous, and timely. +Demonstrates +proficiency AND +models effective +public demeanor +and/or participation +skills. + + +Page 19: +Superintendent’s Circular HRS-PM03 +Page 19 of 21 + +precision. +III-B. +Culturally +Proficient +Communicatio +n +Demonstrates a +pattern of failure +to ensure +communications +are always +respectful and +demonstrate +understanding of +and sensitivity to +cultural and +other +differences. +Demonstrates +inconsistency in +ensuring all +communication is +respectful and +demonstrates an +understanding and +sensitivity to +cultural and other +differences. +Ensures that all +communication is +consistently +respectful and +demonstrates an +understanding of and +sensitivity to different +languages, cultures +and values +represented. +Demonstrates +proficiency AND +serves as a +model/resource for +staff regarding +culturally proficient +communication. + + + + + + +Page 20: +Superintendent’s Circular HRS-PM03 +Page 20 of 21 + +Standard IV: Professionalism and Growth. The employee's conduct reflects good judgment and high +standards of performance, behavior, and a willingness to grow through ongoing professional +learning. +Indicators +Unsatisfactory +Needs +Improvement +Proficient +Exemplary +IV-A. +Professional +Judgment +Demonstrates +poor judgment +and/or discloses +confidential +information +inappropriately. +Occasionally +demonstrates +questionable +judgment and +sharing of +confidential +information. +Demonstrates sound +judgment reflecting +integrity, honesty, +fairness, and +trustworthiness and +protects +confidentiality +appropriately. +Demonstrates +proficiency AND +serves as a model for +others regarding +professional +judgment. +IV-B. +Attendance +and +Punctuality +Demonstrates a +pattern of +problematic +behavior +regarding +punctuality, +Exhibits some +notable challenges +with punctuality, +attendance, or +giving notice of +time off. +Is punctual; follows +attendance policy +notice requirements. +Demonstrates +proficiency AND +ensures that vacation +and personal leave is +taken at a time that +minimally impacts + + +Page 21: +Superintendent’s Circular HRS-PM03 +Page 21 of 21 + +attendance or +giving notice of +time off. +the functioning of +the department +and/or school. +IV-C. +Feedback and +Growth +Demonstrates +resistance to +feedback related +to performance +and/or fails to +use feedback to +improve +performance. +Has notable +difficulty receiving +feedback related to +performance and/or +using feedback to +improve +performance. +Responds receptively +and constructively to +feedback related to +performance and +uses feedback to +improve +performance. +Demonstrates +proficiency AND +models the use of +feedback to +personally improve. + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.txt new file mode 100644 index 0000000..008a0cb --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.txt @@ -0,0 +1,292 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM04 +Version 01 + +PERFORMANCE EVALUATION OF NON-DESE- +LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE +ADMINISTRATORS AND OTHER BTU PROFESSIONALS + +Below is the evaluation instrument for BTU employees in roles +which do not require licensure by the Massachusetts Department +of Elementary and Secondary Education, in accordance with 603 +CMR 35.00, et seq, or where otherwise agreed upon by BPS and +BTU. +Summary of significant dates and deadlines: +Date +Activity +June 1 +Deadline for completion of annual +evaluations. +June 15 +Deadline for signed, original copies of +evaluation form (below/attached) to be +submitted to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: OHC Front Desk +2300 Washington Street, 4th floor +Roxbury, MA 02119 +July 1 to June 30 +The evaluation year of non-DESE- +licensed BTU Employees. + + + + +Page 2: +Superintendent’s Circular HRS-PM04 +Page 2 of 8 + +For more information about this circular, contact: +Name: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 3: +Superintendent’s Circular HRS-PM04 +Page 3 of 8 + + +BOSTON PUBLIC SCHOOLS PERFORMANCE EVALUATION FORM +NON-DESE-LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE +ADMINISTRATORS AND OTHER BTU PROFESSIONALS +Name of Employee ________________________ Empl No. ___________ +Position _______________________________ Dept./Level + +Evaluator ________________________________ Prior Rating + +Check One: +Interim + + +Year end + +The administrator/professional will be rated on each standard +within the various categories. There are two possible ratings: +Satisfactory (S): The performance of the administrator/ +professional meets the standards and expectations of the school +department. +Unsatisfactory (U): The administrator/professional fails to meet +the standards and their performance, as measured against these +standards, is unsatisfactory. +The evaluator will place a check or an X in the box under the +rating that describes the administrator/professional’s +performance on that standard. Any rating of “Unsatisfactory” +must be accompanied by a description of the problem and +prescription for improvement on the attached sheet. In the event +a particular standard does not apply, record “NA” for not +applicable. An overall evaluation of “Unsatisfactory” or +“Satisfactory” must be given and recorded below. + + + +Page 4: +Superintendent’s Circular HRS-PM04 +Page 4 of 8 + +Overall Rating: +Satisfactory +Unsatisfactory +Signature of Evaluator_______________________Date ____ /____/ + +Signature of Employee _______________________Date ____/____/____ +The employee's signature indicates that they have received the +evaluation and acknowledges it will be placed in their personnel +file, but it does not denote agreement with its contents. + +1. INSTRUCTIONAL LEADERSHIP ROLE +S +U +Develop plans for the effective delivery of services. + + +Monitors the quality and/or quantity of services provided. + + +Assesses operations and recommends or makes changes as +necessary. + + +Completes all required reports thoroughly, clearly, accurately, +and on time. + + +Works cooperatively with Central Office, Cluster Office, and +school personnel + + +Collaborates with external agencies as necessary. + + +Communicates, implements, and monitors compliance with +policies and procedures of the School Department and +external agencies as appropriate. + + +Demonstrates sound fiscal judgment in budgetary decisions. + + +Provides staff with leadership, orientation and training as +required. + + +Acts in accordance with prescribed organizational structure. + + +Organizes and coordinates own activities and those of staff. + + +Ensures compliance in area of responsibility with policies, +procedures, and contractual obligations of the School + + + + +Page 5: +Superintendent’s Circular HRS-PM04 +Page 5 of 8 + +Department, and all legal mandates. +Demonstrates ability to analyze and use information in +decision-making process. + + +Explains performance standards, duties and responsibilities +and evaluates staff in accordance with School Department +policies. + + + +Maintains all appropriate records required for the operation of +the unit. + + +Exercises sound judgment in the performance of one’s duties + + +Exercises sound judgment in the performance of one’s duties. + + +Communicates accurately and effectively. + + +2. PROFESSIONAL ROLE + +S +U +Carries out responsibilities in a professional manner. + + +Maintains regular attendance and punctuality. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Attends conferences, seminars, workshops, and activities that +contribute to one’s professional growth and development. + + +Utilizes appropriate resources to effectively carry out +professional responsibilities. + + +Demonstrates receptivity to constructive suggestions related to +professional role and responds appropriately. + + +Maintains professional demeanor. + + +Performs additional job-related tasks and functions assigned to +them. + + + + + +Page 6: +Superintendent’s Circular HRS-PM04 +Page 6 of 8 + +List additional mutually agreed upon standards or objectives, if +any. + + + + + +Page 7: +Superintendent’s Circular HRS-PM04 +Page 7 of 8 + +NOTES OF OBSERVATION +(Use additional pages if necessary) + + + + + + + +______________________________________________________________________ +DESCRIPTION OF THE PROBLEM AND PRESCRIPTION FOR +IMPROVEMENT +(Use additional pages if necessary) + +1. Description of the problem: + +Prescription: + + +2. Description of the problem: + +Prescription: + + +3. Description of the problem: + + +Page 8: +Superintendent’s Circular HRS-PM04 +Page 8 of 8 + + +Prescription: + + +General Comments (use additional pages if necessary): + + + + + + + + +Employee’s Comments (use additional pages if necessary): + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM05 Performance Evaluation of Lunch Monitors.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM05 Performance Evaluation of Lunch Monitors.txt new file mode 100644 index 0000000..627dac0 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM05 Performance Evaluation of Lunch Monitors.txt @@ -0,0 +1,335 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PM05 +Version 01 + +PERFORMANCE EVALUATION OF MEMBERS OF THE +LUNCH HOUR MONITORS ASSOCIATION +The contract between the School Committee and the Lunch +Monitors Association provides for both annual and interim +evaluations of the performance of all employees represented by +the Association. The evaluation process relates to the duties and +responsibilities of the employee’s position, as set forth in the +employee’s job description. +I. +ROLES AND RESPONSIBILITIES +The principal/head or school or assistant principal shall be +responsible for the evaluation of the performance of all lunch +hour monitors. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. +Further, a supervisor will also be performing unsatisfactorily if an +underperforming staff member is given a satisfactory rating and +then encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +At the end of each evaluation year, the Evaluator should retain +copies of all evaluations and send the originals of all evaluations + + +Page 2: +Superintendent’s Circular HRS-PM05 +Page 2 of 10 + +to the Office of Human Resources. +II. +EVALUATION +Preliminary Procedures +At a reasonable time period after the start of the school year, the +principal/assistant principal shall meet with the lunch hour +monitors for the purpose of explaining the evaluation program +and answering questions. The evaluation instrument will be +reviewed during this meeting. +After the evaluation has been presented to the employee, the +signed evaluation form must be submitted to the Office of +Human Resources. +Interim Evaluations +All lunch hour monitors shall receive an Interim evaluation at +least once, or as required for the efficient running of the school. +All interim evaluations should be conducted no earlier than +February 1st each year. +Annual Evaluations +Annual evaluations must be completed no later than the last day +of school each year. +Evaluation Completion +Every interim and annual evaluation must result in a mark for +each appropriate item on the evaluation form. In any area where +the supervisor indicates a need for improvement, they will +provide the evaluee with a written prescription. The diagnosis +and subsequent prescription should be fully descriptive and + + +Page 3: +Superintendent’s Circular HRS-PM05 +Page 3 of 10 + +instructive, suggesting specific remedies or recommendations +for adoption by the evaluee. +Evaluation Conference +Within ten (10) school days following the completion of an +evaluation, the evaluator shall meet with the evaluee for the +purpose of discussing the evaluation. At this meeting, the +evaluee will be shown their written evaluation and will sign it to +indicate having seen it and to acknowledge that it will be placed +in their personnel file, but not to indicate agreement or +disagreement with the evaluation results. +A copy of the evaluation shall be provided to the evaluee. The +evaluee will be allowed to attach their comments to the +evaluation. An evaluee whose overall performance has been +judged unsatisfactory shall be notified in writing and shall meet +directly with the evaluator.1 +III. RATINGS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. There are three possible +ratings: + +E - EXCELLENT: +The employee’s performance of the duties and +responsibilities of their position exceeds + +1 See Section V: Procedures for Unsatisfactory Evaluations for +more information on this process. + + +Page 4: +Superintendent’s Circular HRS-PM05 +Page 4 of 10 + +expectations. +S - SATISFACTORY: +The employee’s performance of the duties and +responsibilities of their position meets expectations. +U - UNSATISFACTORY: The employee has failed to meet expectations and +their performance of the duties and responsibilities of +their position needs improvement. +IV. PROCEDURES FOR UNSATISFACTORY EVALUATIONS +If an evaluee receives an annual overall Unsatisfactory evaluation, +plus an interim Unsatisfactory evaluation, the supervisor may +initiate termination by recommending to the Superintendent +that such employee be terminated. +If the first evaluation is Unsatisfactory, it will be followed by a +second evaluation no less than twenty-five (25) days in which the +lunch monitor is present and no more than fifty (50) days in +which the lunch monitor is present. +If the second evaluation is Unsatisfactory, the lunch monitor will +be given ten (10) school days to improve their performance. +During these ten (10) school days following the second +evaluation, the evaluator must informally evaluate the lunch +monitor, but is not required to formally observe the employee or +make any record of this evaluation. +Should the lunch monitor’s performance not improve within the +ten (10) days following an Unsatisfactory second evaluation, the +monitor may be recommended for dismissal to the +superintendent. + + +Page 5: +Superintendent’s Circular HRS-PM05 +Page 5 of 10 + + +V. PROCEDURES FOR DISCIPLINE +If an Evaluator determines that an employee has committed an +infraction of work rules such as excessive tardiness, absences, +etc., the supervisor should follow the procedures outlined in the +Superintendent's Circular on Employee Discipline Procedures.2 +Additionally, the supervisor should consider the infraction in +evaluating the evaluee’s overall performance. + + + +2 Also refer to Superintendent Circular (HRS-PP10) Employee +Discipline Procedures. at this link: +www.bostonpublicschools.org/domain/1884 + + + +Page 6: +Superintendent’s Circular HRS-PM05 +Page 6 of 10 + +VI. Summary of significant dates and deadlines: +Date +Activity +Shortly after the start of a +school year +Review job description and evaluation instrument. +Sign cover page to acknowledge meeting +No later than Feb. 1 +Complete first Interim evaluation; to be conducted +no earlier than 15 school days after the start of the +school year. +No later than the last day of +school +Deadline to complete annual evaluation. Send +signed, original copies of evaluations to: +Bruce C. Bolling Municipal Building +Office of Human Resources +Attn: HRFront Desk +2300 Washington Street, 4th floor +Roxbury, MA 02119 + + + + + + + +Page 7: +Superintendent’s Circular HRS-PM05 +Page 7 of 10 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA 02119 +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + +Page 8: +Superintendent’s Circular HRS-PM05 +Page 8 of 10 + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FOR LUNCH HOUR MONITORS +Name _______________________________ Empl ID# + +School ___________________________________________________________ +Evaluator ________________________________________________________ + +Permanent + +Provisional + +Substitute + +Last Overall Rating ______ + E= Excellent S= Satisfactory U= Unsatisfactory + + +Evaluation procedure and form reviewed on (Date): ______________ +Acknowledged (Evaluator): ______________________________________ +Acknowledged (Lunch Monitor): _________________________________ +Category (check the applicable rating box for each +category) +E +S +U +Maintains safety and order during lunch and recess. + + + +Maintains appropriate schedule for lunch and recess. + + + +Performs ordinary school tasks as directed and performs the work +accurately. + + + + + +Page 9: +Superintendent’s Circular HRS-PM05 +Page 9 of 10 + +Category (check the applicable rating box for each +category) +E +S +U +Comes to work on time and maintains good attendance. + + + +Works productively during all scheduled work hours and continues +work in the absence of supervision. + + + +Knows the work and organizes appropriately. + + + +Uses good judgment. + + + +Abides by rules and regulations and complies with oral and written +instructions. + + + +Communicates effectively and in a constructive way with students +and the school's staff. + + + +Works harmoniously with others and maintains a high level of +professionalism. + + + +Treats students with respect, fairness, and consistency. + + + +Accepts constructive criticism. + + + +Overall Rating: + + + + +_______________________________________________ _________________ + +Evaluator’s Signature +Date + +_______________________________________________ _________________ + +Lunch Hour Monitor’s Signature +Date + +Evaluator’s Comments: + + + +Page 10: +Superintendent’s Circular HRS-PM05 +Page 10 of 10 + + + + + + + + + + + +Evaluee’s Comments: + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM06 Performance Evaluation of Managerial Employees.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM06 Performance Evaluation of Managerial Employees.txt new file mode 100644 index 0000000..0a1d85d --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM06 Performance Evaluation of Managerial Employees.txt @@ -0,0 +1,326 @@ +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM06 +Version 01 + +PERFORMANCE EVALUATION OF MANAGERIAL EMPLOYEES + +TABLE OF CONTENTS +Document Purpose +Purpose of Performance Management +Evaluation Process Overview +The Five-Step Process +Step 1: Self-Assessment +Step 2: Analysis, Goal-Setting, and Analysis +Step 3: Implementation of the Plan +Step 4: Formative Assessment (Optional) +Step 5: Summative Evaluation (June 1) + +Evaluation Platform and Documentation +Timeline and Tools +Appendix A: The Core Competencies +Appendix B: Rating Levels +DOCUMENT PURPOSE +This document describes the performance management and +evaluation process for managerial employees of Boston Public +Schools (BPS), both Central Office and school-based. The + + +Page 2: +Superintendent’s Circular HRS-PM06 +Page 2 of 10 + +purpose of this document is to provide clarity to employees and +supervisors, as well as templates and tools for use during the +process. This document was created as part of a cross- +departmental working group on central office performance +management. + +PURPOSE OF PERFORMANCE MANAGEMENT +BPS students are the citizens, leaders, scholars, entrepreneurs, +advocates, and innovators of tomorrow. As a district, we must +ensure that 100 percent of our students are prepared for college, +career, and life in the 21st century. We must model the district on +the classroom we want to see. We have established a system of +performance management to affirm the ideal that everyone, +from students to the superintendent, must have sufficient +resources, information, and support to achieve efficacy in their +endeavors. +The fundamental purpose of performance management in the +BPS Central Office is to maximize the productivity and impact of +our employees by enabling them to perform at their fullest +potential. Our approach is designed to provide high-quality +support to schools, students, and families in BPS to ensure our +graduates are college, career, and life ready. To do so, our +performance management system will: +1. Establish a consistent set of competencies to clearly set and +communicate expectations for employee performance +2. Align employee efforts with department and organizational +goals +3. Create systems and structures that gather and monitor +performance in order to support employee feedback, +growth, and development + + +Page 3: +Superintendent’s Circular HRS-PM06 +Page 3 of 10 + +4. Identify areas of strength to leverage for increased impact, +and areas of growth for providing targeted support +5. Provide accountability for individuals and enable them to +see their contribution to and progress toward organizational +goals +6. Connect employee performance to incentives, recognition, +professional growth, and retention efforts. +EVALUATION PROCESS OVERVIEW +The criteria for effective practice for Central Office managerial +employees are identified in the Core Competencies, which +defines six categories: +1. Results Orientation +2. Collaboration and Communication +3. Job Knowledge and Skills +4. Cultural Competency & Equitable Practices +5. Responsiveness and Service Focus +6. Leadership [for staff members supervising people or +projects] +See Appendix A for greater detail on the set of core +competencies. +Evaluations will result in ratings on an employee’s goals, on the +six Core Competencies, and on overall performance, which will be +based on the supervisor’s judgment of performance against the +standards and progress toward goals. Progress toward goals will +be rated as Goal Achieved, Goal Significantly Met, Active Goal, +Goal Not Met, and Goal Deferred. Greater details on these rating +levels can be found in Appendix B. +The five levels of performance, which apply to performance on +each competency and the Overall performance rating shall be: + + +Page 4: +Superintendent’s Circular HRS-PM06 +Page 4 of 10 + +“Highly Effective”, “Effective”, “Developing,” “Minimally Effective,” +and “Ineffective.” Greater details on these rating levels can be +found in Appendix B. +THE FIVE-STEP PROCESS +Based on best practices in performance evaluation, BPS has +adopted a five-step process for evaluation. This process should be +followed each year by employees and supervisors. +Five-Step Process Overview + +STEP 1: Self-Assessment (by September 1) +Employee reviews available evidence of work performance, prior +feedback and evaluations, and the Core Competencies to +determine areas of strength and areas for further growth. The +Self-Assessment is used to inform the employee’s goals and +action plan for the upcoming year. +STEP 2: Analysis, Goal-Setting, and Analysis (by October 1) +Based on the employee’s self-assessment, job description, +individual aspiration, and school/department goals, the employee +and supervisor establish 2-4 goals, related to professional + + +Page 5: +Superintendent’s Circular HRS-PM06 +Page 5 of 10 + +practice or performance: +● A professional practice goal relates to an identified skill or +set of knowledge that an employee wants to develop or +improve. When developing a professional practice goal, +employees and supervisors should both look at past +performance and feedback, as well as the employee’s +professional/career aspirations. Professional practice goals +should align to one or more of the Core Competencies +● A performance goal is a measurable target or outcome +related to an employee’s work. Goals should align with an +employee’s team and/or departmental goal(s). +STEP 3: Implementation of the Plan (Ongoing) +The employee performs job duties and responsibilities, +implements the action steps toward goals, submits evidence +supporting proficiency, and meets with their supervisor to +receive and discuss feedback. The supervisor collects and reviews +evidence, provides ongoing, timely, clear, and actionable +feedback, and meets with the employee to give and discuss +feedback, including recommendations for improvement, if +applicable. +STEP 4: Formative Assessment (Optional or By February 1) +Each employee should receive a Formative Assessment to +provide the employee with written feedback on their +performance against the Core Competencies and their progress +toward goals. Typically, the formative will occur midway through +the assessment year, though it may take place at other times for +individuals in need of additional support. +Professional Development Plans are implemented when an + + +Page 6: +Superintendent’s Circular HRS-PM06 +Page 6 of 10 + +employee’s performance is rated Minimally Effective under one +or more competencies, or overall. They are meant to include +increased supervision and support for improvement in specific +areas identified by the supervisor. +Performance Improvement Plans (PIPs) are implemented when +an employee’s performance is rated Ineffective under one or +more competencies, or overall. They are more highly directed +plans that are typically followed by another evaluation and may +result in employment action if performance is not sufficiently +improved. +STEP 5: Summative Evaluation (June 1) +Each employee shall receive a Summative Evaluation to provide +the employee with written feedback and ratings of their +performance and progress toward goals. + +EVALUATION PLATFORM AND DOCUMENTATION +Managerial employee performance evaluations and related +documentation are generated and stored in the BPS online +performance management platform, VectorEvals. Employees +and supervisors will receive training in accessing, navigating, and +using the platform prior to the start of their evaluation cycle. +Training modules will be available in an online, on-demand +format to employees and supervisors for reference, as well. + + + + +Page 7: +Superintendent’s Circular HRS-PM06 +Page 7 of 10 + +TIMELINE +Date +Activity +July - August +● Office, team, and individual goal-setting begins +● Supervisors review of standards and expectations with employees +September 1 +● Employee Self-Assessments due +● Employee Goals & Action Plans draft due +October 1 +● Finalized Employee Goals & Action Plans due +Ongoing +● Employee check-ins, at the discretion of supervisor +● Provide feedback (verbal and written) to employees on progress toward +goals, observed performance, and work products/artifacts. +● Implementation also includes peer feedback. +January +● Formative Assessment meetings with employees (Optional) +February 1 +● Formative Assessments finalized and submitted (Optional) +May 21 - 25 +● Last day to submit artifacts for review prior to Summative Evaluation +June 1 +● Summative Evaluations finalized and submitted + +APPENDIX A: CORE COMPETENCIES (LINK TO SEPARATE +DOCUMENT) + + + + +Page 8: +Superintendent’s Circular HRS-PM06 +Page 8 of 10 + +APPENDIX B: OVERALL EFFECTIVENESS LEVELS (BELOW) +Effectiveness +Level +Description +Highly Effective +Performance far exceeded expectations due to exceptionally high +quality of work performed in all essential areas of responsibility, +resulting in an overall quality of work that was superior; and either +included the completion of a major goal or project, or +made an exceptional or unique contribution in support of team, +department, or district objectives. +This level is achievable by any employee though given infrequently +(<10% of employees) +Effective +Performance met expectations in all essential areas of responsibility, +and the quality of work overall was excellent. Annual goals were met. +Developing +Performance consistently met expectations in all essential areas of +responsibility, at times possibly exceeding expectations, and the quality +of work overall was very good. The most critical annual goals were +met. +This level is expected for individuals who are new to the organization +or to a role. +Minimally Effective Performance did not consistently meet expectations – performance +failed to meet expectations in one or more essential areas of +responsibility, and/or one or more of the most critical goals were not +met. A professional development plan (not necessarily a PIP) to +improve performance must be implemented, including timelines, and +monitored to measure progress. +Ineffective +Performance was consistently below expectations in most essential +areas of responsibility, and/or reasonable progress toward critical goals +was not made. Significant improvement is needed in one or more + + +Page 9: +Superintendent’s Circular HRS-PM06 +Page 9 of 10 + +Effectiveness +Level +Description +important areas. A Performance Improvement Plan (PIP) to correct +performance, including timelines, must be outlined and monitored to +measure progress. + +Goal Status Scale +Goal Status +Description +Goal Achieved: +All goal milestones and success measures have been achieved for +100% of goals. +Goal Significantly +Met: +All goal milestones and success measures have been achieved for at +least 85% of goal. +Active Goal: +The goal is still in progress, though some milestones may have been +achieved. +Goal Not Met: +For this goal, some or all milestones and success measures have not +been met. +Goal Deferred: +For timing or organizational reasons, this goal has been deferred. + + + + + + + +Page 10: +Superintendent’s Circular HRS-PM06 +Page 10 of 10 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA 02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.txt new file mode 100644 index 0000000..0a4cff8 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.txt @@ -0,0 +1,261 @@ +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM07 +Version 01 + +PERFORMANCE EVALUATION OF CLASSROOM +PARAPROFESSIONALS +EMPLOYEES COVERED BY THIS CIRCULAR: +● Coverage Paraprofessional +● Instructional Paraprofessional +● One-to-One Paraprofessional +● Surround Care Paraprofessional +FORMAL EVALUATION +All staff shall be formally evaluated using standards and +indicators reasonably related to a paraprofessional performance, +with a mark for each standard and an overall rating. Overall +ratings shall be “Exemplary,” “Proficient,” “Needs Improvement,” +and “Unsatisfactory,” and shall be transmitted to +paraprofessionals by the last business day prior to May 15 via the +VectorEvals platform. A paraprofessional may sign the evaluation +digitally only if the paraprofessional does so on a BPS-issued +computer. If the paraprofessional does not have access to a BPS- +issued computer, the form must be printed from VectorEvals for +their signature and then uploaded as a PDF attachment to the +digital form. +Paraprofessionals will generally be evaluated formally every two +years, except as set forth in section (7) of Schedule, Meetings, and +Procedures below. During each school year, each principal/head +of school or their designee will identify approximately one-half of + + +Page 2: +Superintendent’s Circular HRS-PM07 +Page 2 of 8 + +the staff for which that administrator is responsible for evaluating +during that year. The process of identifying the evaluees will be +determined by the responsible administrator. An administrator +may also evaluate a staff member not originally identified if +assistance, supervision, or intervention is deemed appropriate +based on informal observation. +EVALUATORS +1. No supervisor shall supervise or evaluate a relative. +2. the head of school, principal, or other administrative head +outside of the bargaining unit will be responsible for all +evaluations. However, they may be assisted by other +qualified persons (who are not members of the bargaining +unit) designated by the School Department. +SCHEDULE, MEETINGS, AND PROCEDURES +1. At the beginning of each school year, the responsible +building administrator or their designee shall meet with +paraprofessionals for the purpose of explaining the +evaluation program and instrument and answering +questions. The building administrator may be assisted by +other qualified persons designated by the School +Department. Classroom visits may be a combination of +announced and unannounced observations. +For any classroom visit resulting in written feedback +indicating a deficiency in the paraprofessional’s practice, the +responsible supervisor shall provide such written feedback +to the paraprofessional before releasing the next formative +or summative evaluation. +2. If a paraprofessional’s performance results in an overall + + +Page 3: +Superintendent’s Circular HRS-PM07 +Page 3 of 8 + +Formative Evaluation or Summative Evaluation rating of +“Needs Improvement” or “Unsatisfactory,” the evaluation +prescription may contain a requirement that the +paraprofessional take advantage of additional professional +development training or other opportunities offered by or +through the School Department to correct a weakness or +deficiency which caused the less than proficient rating. +Formative refers to evaluations that at a minimum are +twenty (20) school days apart. +Regardless of the rating mark, within ten (10) school days +following the last observation used as the basis of the +evaluation, the responsible building administrator (or +designee) shall meet with the paraprofessional to discuss +the evaluation. At this meeting, the paraprofessional will be +given two (2) copies of the written evaluation, signed, and +dated by the responsible building administrator. +The paraprofessional shall sign and return one (1) copy to +indicate having received it, but not to indicate agreement or +disagreement. No paraprofessional shall be asked to sign an +incomplete evaluation form. Paraprofessionals shall be +allowed to attach their written comments to the evaluation +form. A paraprofessional whose overall performance is +determined less than “Proficient” at any point during the +school year shall be notified in writing and shall meet +directly with the responsible building administrator. + +3. In any area where the responsible building administrator or +their designee indicates a need for improvement, they will +provide the paraprofessional with a written prescription. +The paraprofessional may attach comments to the + + +Page 4: +Superintendent’s Circular HRS-PM07 +Page 4 of 8 + +prescription. +If the paraprofessional continues to need improvement after +allowing adequate time to improve, the responsible +administrator may include a prescription in the evaluation +that the paraprofessional may voluntarily take the +opportunity of additional training or in-service training to +correct a deficiency. +4. If a paraprofessional receives an “Unsatisfactory” on at least +four (4) formative evaluations within a twelve (12) month +period in which the paraprofessional reported to work, or on +at least two (2) formative evaluations plus a summative +evaluation, the principal/head of school may initiate +termination by recommending to the superintendent that +the paraprofessional be terminated. If the superintendent +approves the head of school’s/principal’s recommendation, +the principal/head of school shall notify the paraprofessional +in writing of their intent to dismiss the paraprofessional. The +paraprofessional may then request a meeting with the +principal/head of school to discuss their intent to dismiss. +This request must be made in writing within ten (10) days of +the paraprofessional’s receipt of the intent to dismiss notice. +Overall “Unsatisfactory” evaluation ratings need not occur in +consecutive months. +An overall rating of “Unsatisfactory” on a summative +evaluation must be preceded by a rating of “Unsatisfactory” +on at least two (2) formative evaluations during that school +year. A paraprofessional may be removed from the +classroom, dismissed, or suspended for just cause prior to +the completion of the prescriptive period specified in this +paragraph. + + +Page 5: +Superintendent’s Circular HRS-PM07 +Page 5 of 8 + +5. After each of the first three (3) formative evaluation overall +“Unsatisfactory” ratings that are based in whole or in part +upon classroom performance, the responsible building +administrator shall conduct a follow-up evaluation. This +evaluation shall include observation of classroom +performance and take place no sooner than twenty (20) +school days and no later than fifty (50) school days after the +previous “Unsatisfactory” evaluation. +If an overall formative evaluation “Unsatisfactory” rating is +based upon grounds other than classroom performance, +then the responsible administrator must clearly convey the +reasons in writing to the paraprofessional and follow +prescribed procedures for progressive discipline. +6. A formative or summative evaluation with an overall +“Unsatisfactory” rating shall be maintained as a permanent +part of the employee’s personnel record and may be grieved +and arbitrated. An employee may grieve a summative +evaluation with an overall rating other than “Unsatisfactory” +up to but not beyond the level of the Step 2 hearing officer, +who shall have the authority to rectify the grievance. Any +such grievance shall be dealt with expeditiously. In the +event of a concurrent dismissal, the grievances shall be +merged and treated as a single grievance. + +Notwithstanding the above, disputes concerning the +paraprofessional's rating in any of the individual standards +found within a formative or summative evaluation not +resulting in an overall "Unsatisfactory" rating are neither +grievable nor arbitrable. Similarly, disputes concerning +comments made by the responsible administrator within an + + +Page 6: +Superintendent’s Circular HRS-PM07 +Page 6 of 8 + +observation or formative and summative evaluation are +neither grievable nor arbitrable. +7. The following individuals shall be evaluated annually by the +last business day prior to November 15 if possible: +a. Paraprofessionals who were evaluated during the +previous school year as “Unsatisfactory” overall or in a +particular area. +b. All paraprofessionals who are new to the building. + + + + + +Page 7: +Superintendent’s Circular HRS-PM07 +Page 7 of 8 + +Summary of significant dates and deadlines: +Date +Activity +By the last business day +prior to November 15 +● Evaluation of paraprofessionals who +received an “Unsatisfactory” in their +evaluation from the prior school year. +● Evaluation p who are new to the school +building. +By the last business day +prior to May 15 +● Deadline to submit evaluation on +VectorEvals platform. +A paraprofessional may sign the +evaluation digitally only if the +paraprofessional does so on a BPS- +issued computer. If the +paraprofessional does not, the form +must be printed from VectorEvals for +them to sign and then uploaded as a +PDF attachment to the digital form. +● Evaluation of paraprofessionals due +every 2 years (except for +paraprofessionals new to the building +or who received an “Unsatisfactory” +rating the previous school year). + + + + + +Page 8: +Superintendent’s Circular HRS-PM07 +Page 8 of 8 + +For more information about this circular, contact: +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, +MA 02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +► Click to view a SAMPLE Classroom Paraprofessional +Evaluation Form (PDF). Evaluators should use VectorEvals to +submit their evaluations. + + + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.txt new file mode 100644 index 0000000..564c7fa --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.txt @@ -0,0 +1,262 @@ +Page 1: + + + Superintendent’s +Circular + +NUMBER: +HRS-PM07A +Version 01 + +PERFORMANCE EVALUATION OF NON-CLASSROOM +PARAPROFESSIONALS +INCLUDED EMPLOYEES IN THIS CIRCULAR: +● Community Field Coordinator (CFC) +● Health Para +● Library Para +● Physical Ed Para +● Security Para +● Sign Language Interpreter +● Swim Para +● Cota Para +● Family Liaison +FORMAL EVALUATION +All staff shall be formally evaluated using standards and +indicators reasonably related to a paraprofessional performance, +with a mark for each standard and an overall rating. Overall +ratings shall be: “Exemplary,” “Proficient,” “Needs +Improvement,” and “Unsatisfactory,” and shall be transmitted to +Paraprofessionals by the last business day prior to May 15 via the +VectorEvals platform. If the para has access to a BPS-issued +computer, they may sign digitally. If the para does not, the form +must be printed from VectorEvals for them to sign and then +uploaded as a PDF attachment to the digital form. +Paraprofessionals will generally be evaluated formally every two + + +Page 2: +Superintendent’s Circular HRS-PM07A +Page 2 of 8 + +years, except as set forth in section 7 below. During each school +year, each principal/head of school or director will identify +approximately one-half of the staff for which that administrator is +responsible for evaluating during that year. The process of +identifying the evaluees will be determined by the responsible +administrator. An administrator may also evaluate a staff +member not originally identified, if assistance, supervision, or +intervention is deemed appropriate based on informal +observation. +EVALUATORS +1. No supervisor shall supervise or evaluate a relative. +2. The head of school, principal, or other administrative head +outside of the bargaining unit will be responsible for all +evaluations. However, they may be assisted by other +qualified persons (who are not members of the bargaining +unit) designated by the School Department +SCHEDULE, MEETINGS, AND PROCEDURES +1. At the beginning of each school year, the responsible +administrator or their designee shall meet with +Paraprofessionals for the purpose of explaining the +evaluation program and instrument and answering +questions. The building administrator may be assisted by +other qualified persons designated by the School +Department. Classroom visits may be a combination of +announced and unannounced visits. +For any classroom visit resulting in written feedback +indicating a deficiency in the paraprofessional’s practice, the +responsible supervisor shall provide such written feedback + + +Page 3: +Superintendent’s Circular HRS-PM07A +Page 3 of 8 + +to the paraprofessional before releasing the next Formative +or Summative Evaluation. +2. Within ten (10) school days during which the +paraprofessional is present following the last observation to +be used as the basis of the evaluation, regardless of the +rating mark, the responsible administrator or designee shall +meet with the paraprofessional for the purpose of +discussing the evaluation. At this meeting, the +paraprofessional will be given two (2) copies of the written +evaluation, signed, and dated by the responsible +administrator. +The paraprofessional shall sign and return one (1) copy to +indicate having received it, but not to indicate agreement or +disagreement. No paraprofessional shall be asked to sign an +incomplete evaluation form. Paraprofessionals shall be +allowed to attach their written comments to the evaluation +form. A paraprofessional whose overall performance has +been judged as less than proficient at any point during the +school year shall be so notified in writing and shall meet +directly with the responsible administrator. +3. In any area where the responsible administrator or designee +indicates a need for improvement, they will provide the +paraprofessional with a written prescription. The +paraprofessional may attach comments to the prescription. +If a paraprofessional’s performance results in an overall +formative evaluation or summative evaluation rating of +“Needs Improvement” or “Unsatisfactory”, the evaluation +prescription may contain a requirement that a +paraprofessional takes advantage of additional professional + + +Page 4: +Superintendent’s Circular HRS-PM07A +Page 4 of 8 + +development training or other opportunities offered by or +through the School Department to correct a weakness or +deficiency which caused the less than proficient rating. For +purposes of this contract, “formative” means evaluations +that at a minimum are twenty (20) school days apart. +If, after allowing adequate time to improve, the +paraprofessional continues to need improvement, the +responsible administrator may include in the evaluation +prescription that the paraprofessional may voluntarily take +advantage of training or in-service training to correct a +deficiency. +4. If the responsible administrator had adjudged a +paraprofessional’s practice with an overall rating of +“Unsatisfactory” on at least four (4) formative evaluations +within a twelve (12) month period in which the +Paraprofessional reported to work or on at least (2) +formative evaluations plus a summative evaluation, the +responsible administrator may initiate termination by +recommending to the Superintendent that such +paraprofessional be terminated. If the Superintendent +approves the principal’s recommendation, the principal shall +notify the paraprofessional, in writing, of their intent to +dismiss the paraprofessional. The paraprofessional may then +request a meeting with the principal to discuss their intent +to dismiss. This request must be made in writing within ten +(10) days of the paraprofessional’s receipt of the intent to +dismiss notice. Overall “Unsatisfactory” evaluation ratings +need not occur in consecutive months. +An overall rating of “Unsatisfactory” on a summative + + +Page 5: +Superintendent’s Circular HRS-PM07A +Page 5 of 8 + +evaluation rating must be preceded by at least two +formative overall “Unsatisfactory” ratings during that school +year. A paraprofessional may be removed from the +classroom, dismissed, or suspended for just cause prior to +the completion of the prescriptive period specified in this +paragraph. +5. After each of the first three (3) formative evaluation overall +“Unsatisfactory” ratings that are based in whole or in part +upon observed performance, the responsible administrator +shall conduct a follow-up evaluation. This evaluation shall +include observation of performance and take place no +sooner than twenty (20) school days and no later than fifty +(50) school days after the previous “Unsatisfactory” +evaluation. +If an overall formative evaluation “Unsatisfactory” rating is +based upon other than performance, then the responsible +administrator must clearly convey the reasons in writing to +the paraprofessional and follow prescribed procedures for +progressive discipline. +6. A formative or summative evaluation with an overall +“Unsatisfactory” rating shall be maintained as a permanent +part of the employee’s personnel record and may be grieved +and arbitrated. an employee may grieve a summative +evaluation with an overall rating other than “Unsatisfactory” +up to but not beyond the level of the Step 2 hearing officer, +who shall have the authority to rectify the grievance. Any +such grievance shall be dealt with expeditiously. In the +event of a concurrent dismissal, the grievances shall be +merged and treated as a single grievance. + + +Page 6: +Superintendent’s Circular HRS-PM07A +Page 6 of 8 + +Notwithstanding the above, disputes concerning the +paraprofessional's rating in any of the individual standards +found within a formative or summative evaluation not +resulting in an overall "Unsatisfactory" rating are neither +grievable nor arbitrable. Similarly, disputes concerning +comments made by the responsible administrator within an +observation or formative and summative evaluation are +neither grievable nor arbitrable. +7. The following individuals shall be evaluated annually prior to +November 15 if possible: +a. Paraprofessionals who were evaluated during the +previous school year as “Unsatisfactory” overall or in a +particular area. +b. All paraprofessionals who are new to the building. + + + + + +Page 7: +Superintendent’s Circular HRS-PM07A +Page 7 of 8 + +Summary of significant dates and deadlines: +Date +Activity +By the last business day +prior to November 15 +● Evaluation of Paraprofessionals who +received an “Unsatisfactory” in their +evaluation from the prior school year. +● Evaluation of Paraprofessionals who are +new to the school building. +By the last business day +prior to May 15 +● Deadline to submit evaluation on +VectorEvals platform. +* If the para has access to a BPS-issued +computer, they may sign digitally. If +para does not, the form must be +printed from VectorEvals for them to +sign and then uploaded as a PDF +attachment to the digital form. +● Evaluation of paraprofessionals due +every 2 years except for +paraprofessionals new to the building +or who received a “Does Not Meet +Standards” rating the previous school +year. + + + + + +Page 8: +Superintendent’s Circular HRS-PM07A +Page 8 of 8 + +For more information about this circular, contact: + +Owner: +Director of Evaluation and Performance +Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + +► Click to view a SAMPLE Non-Classroom Paraprofessional +Evaluation Form (PDF). Evaluators should use VectorEvals to +submit their evaluations. + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.txt new file mode 100644 index 0000000..9906403 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM08 Performance Evaluation of Bus_Cab Monitors.txt @@ -0,0 +1,281 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM08 +Version 01 + +2024BUS MONITOR PERFORMANCE EVALUATION +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +According to the collective bargaining agreement between the +Boston School Committee and the United Steelworkers of +America, Local 2936, a principal or head of school (or designee) is +responsible for completing a performance evaluation for each +transportation monitor assigned to the school. This includes both +SPED cab monitors and transportation attendants hired by the +school to ride the regular buses. The purpose of this evaluation is +to assess the performance of monitors assigned to schools. +SPED CAB MONITORS +A performance evaluation form will be sent to principals/heads of +school (or designee) along with a list of monitors who are +assigned to their school. Principals must submit a form for each +of their assigned monitors via email to +bpsdot@bostonpublicschools.org by May 23, 2025 for all assigned +(not standby) bus monitors that monitor their students. Using the +evaluation form, the principal/head of school or designee will +assess the monitor’s performance. To assist school leaders in +completing this form, information about the monitors' duties and +responsibilities is included in this circular. + + + +Page 2: +Superintendent’s Circular HRS-PM08 +Page 2 of 8 + +If you have any questions regarding the evaluation form or +process, please contact the assistant director of the Monitors +Unit, Transportation Department at 617-230-3561. +TRANSPORTATION ATTENDANTS +The principal/head of school of any school with a transportation +attendant assigned to a regular bus must complete (or designate +someone to complete) an evaluation form and send it as a PDF +attachment via email to bpsdot@bostonpublicschools.org and +eval@bostonpublicschools.org by May 23. + +If you have any questions regarding the evaluation form or +process, please contact the Director of Evaluation and +Performance Management, at 617-635-9627. +DUTIES AND RESPONSIBILITIES FOR SPECIAL EDUCATION BUS +MONITORS +Special Education bus monitors have been assigned to monitor +and assist students with special needs while they are being +transported to and from school. Their primary responsibilities +include: +● Boarding the vehicle before or at the same time as the first +monitor-required student on the route and remaining on the +vehicle at all times until every monitor-required student has +reached their stop +● Attending to the special needs of monitor-required students, +although monitors are also responsible for the general +supervision of all students on the vehicle +● Riding with the students in the back of the vehicle and not in +the front seat unless only the front seat is available + + +Page 3: +Superintendent’s Circular HRS-PM08 +Page 3 of 8 + +● Assisting students in and out of the vehicle if necessary. This +includes setting up and collapsing wheelchairs or other +equipment when necessary +● Exhibiting proper behavior at all times +● Ensuring that all students wear seat belts +● Ensuring that students not leave the vehicle anywhere other +than their assigned stops. If a student leaves the vehicle +without authorization, the driver must be instructed to contact +the dispatcher immediately +● Prohibiting the consumption of food or beverages, smoking, or +bringing radios on the vehicle +● Notifying the school to which the monitor is assigned and the +operations coordinator at the yard if the monitor will be absent +from work. Notification must take place by 4:30 am for the +morning or at least two hours prior to the scheduled reporting +time for the afternoon +● Performing other related duties as directed by the supervisors. + +Summary of significant dates and deadlines: +Date +Activity +May 23 +Deadline for principals/heads of school to submit signed copies +as PDF attachments via email to +bpsdot@bostonpublicschools.org and +eval@bostonpublicschools.org. + + + + + +Page 4: +Superintendent’s Circular HRS-PM08 +Page 4 of 8 + +For more information about this circular, contact: +Owner: +Assistant Director of the Monitors Unit +Department: +Transportation Department +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-230-3561 +Fax: +617-635-7705 +Email: +bpsdot@bostonpublicschools.org + + +Name: +Director of Evaluation and Performance Management +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 + + +Email +eval@bostonpublicschools.org + + + + + + + + Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular HRS-PM08 +Page 5 of 8 + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +BUS MONITOR – SCHOOL YEAR 2024-2025 + +NAME OF MONITOR _________________________DATE + + +EMPLOYEE # ___________NAME OF SCHOOL + +A.M.______ P.M._______ BUS NUMBER + + +Please review the position overview and complete the form. The +following scale will be used for ranking performance. +U UNSATISFACTORY: The employee has failed to meet +expectations and their performance of the position's duties and +responsibilities needs improvement. +N NEEDS IMPROVEMENT: The employee’s performance of this +position’s duties and responsibilities needs improvement. +S MEETS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities meets expectations. +E EXCEEDS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities exceeds expectations. + +Quality of Work: performs assigned tasks as per job +description accurately and competently. +U N S E +Skills and Knowledge: demonstrates level of skill and +knowledge required to do the job. +U N S E +Attendance and Punctuality: is punctual, gives notice +of sick, personal, and other leave. +U N S E + + +Page 6: +Superintendent’s Circular HRS-PM08 +Page 6 of 8 + +Professional Demeanor: maintains professional +demeanor, is tactful, cooperative, and courteous to +people at all levels of the School Department and +the public. +U N S E + +Recommendations/Comments: + + +_____________________________________________ + + +Evaluator’s Signature +Date +_____________________________________________ + + +Principal/Head of School +Date +Please submit signed, scanned copies via email to: +bpsdot@bostonpublicschools.org + + + + + + + +Page 7: +Superintendent’s Circular HRS-PM08 +Page 7 of 8 + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +TRANSPORTATION ATTENDANT – SUMMER 2025 + +NAME OF TRANSPORTATION +ATTENDANT: _______________________________ DATE + +EMPLOYEE # ____________NAME OF SCHOOL + + + +The following scale will be used for ranking performance. +U UNSATISFACTORY: The employee has failed to meet +expectations and their performance of the position's duties and +responsibilities needs improvement. +N NEEDS IMPROVEMENT: The employee’s performance of this +position’s duties and responsibilities needs improvement. +S MEETS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities meets expectations. +E EXCEEDS EXPECTATIONS: The employee's performance of the +position's duties and responsibilities exceeds expectations. +Quality of Work: performs assigned tasks as per job +description accurately and competently. +U N S E +Skills and Knowledge: demonstrates level of skill and +knowledge required to do the job. +U N S E +Attendance and Punctuality: is punctual, gives notice +of sick, personal, and other leave. +U N S E +Professional Demeanor: maintains professional +demeanor, is tactful, cooperative, and courteous to + + +Page 8: +Superintendent’s Circular HRS-PM08 +Page 8 of 8 + +people at all levels of the School Department and +the public. +U N S E + + + +Recommendations/Comments: + + +_____________________________________________ + + +Evaluator’s Signature +Date +_____________________________________________ + + +Principal/Head of School +Date +Please submit signed, scanned copies via email to: +bpsdot@bostonpublicschools.org + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM09 Performance Evaluation of Cluster Substitutes.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM09 Performance Evaluation of Cluster Substitutes.txt new file mode 100644 index 0000000..abd3aa4 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM09 Performance Evaluation of Cluster Substitutes.txt @@ -0,0 +1,156 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PM09 +Version 01 + +CLUSTER SUBSTITUTE PERFORMANCE EVALUATION +Cluster Substitute Teachers are: +Those teachers who are assigned to a school for a full year to +rotate into the various teacher absence positions in the school, as +needed, on a daily basis. +A cluster substitute teacher shall be given two (2) overall +performance evaluations for the academic year by the +appropriate building administrator or their designee outside of +the bargaining unit. The evaluation instrument for use with +Cluster Substitutes is attached to this Circular. +EVALUATION CRITERIA (RATING OPTIONS: YES, NO, N/A) +1. Teaching Ability: Conveys clear and concise instruction. +Focuses on student achievement and content meaningful to +students. Accommodates the varied needs of students. +2. Classroom Management: Accountable for classroom +environment and culture. Ability to effectively deal with +negative student behavior. Focused and productive when +faced with challenges and a willingness to adapt classroom +instruction to meet the need/culture of the school. +3. School Fit: Respects the opinion of others. Creates a positive +relationship with administrators, teachers, school staff and +students. Demonstrates interest and skills that match the + + +Page 2: +Superintendent’s Circular HRS-PM09 +Page 2 of 5 + +school’s culture and needs. Interacts appropriately with +supervisors, colleagues, parents, and students. +4. Summary Question: “Would you use this substitute teacher at +your school going forward?” (“Yes” constitutes a rating of +“Meets Expectations.”) +The evaluator may provide written comments in addition to +ratings. +Date +Activity +January 15 (recommended) +Meet with cluster substitute teachers to discuss +performance. Completion of evaluation form. +May 15 +Complete and submit final evaluation form of all Cluster +Substitutes within the school. +June 1 +Deadline for signed, original copies of evaluation form +(below/attached) to be submitted to: +Bruce C. Bolling Municipal Building +Office of Human Resources (Attn: Performance +Management Team) +2300 Washington Street, 4th floor +Roxbury, MA 02119 + + + + + + +Page 3: +Superintendent’s Circular HRS-PM09 +Page 3 of 5 + +For more information about this circular, contact: +Name: +Director of Evaluation and Performance Management +Department: +Office of Human Resources + + +Email: +eval@bostonpublicschools.org +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 4: +Superintendent’s Circular HRS-PM09 +Page 4 of 5 + +BOSTON PUBLIC SCHOOLS +SUBSTITUTE MANAGEMENT DEPARTMENT EVALUATION FORM +Substitute Name + +BPS ID: ________________ +School Name: ________________________________Date: + + +Evaluator Name: ____________________________ Title: + + +SUMMARY QUESTION: Would you use this substitute teacher at +your school going forward? ◻ Yes ◻ No +(YES constitutes a rating of “Meets Expectations”) +TEACHING ABILITY: Demonstrates an appropriate knowledge of +content. +Conveys ideas and Information clearly. +Yes / No / NA +Makes content meaningful to students. +Yes / No / NA +Addresses the multiple and varied needs of +classroom students. +Yes / No / NA +Focuses on achieving results with students. +Yes / No / NA + + + + +Page 5: +Superintendent’s Circular HRS-PM09 +Page 5 of 5 + +CLASSROOM MANAGEMENT: Demonstrates ability to deal +effectively with negative student behavior. +Assumes accountability for classroom environment +and culture. +Yes / No / NA +Demonstrates ability to deal effectively with +negative student behavior. +Yes / No / NA +Remains productive and focused when faced +with challenges. +Yes / No / NA +Displays a willingness to adapt classroom +management style to meet a particular need/ +culture of school. +Yes / No / NA +SCHOOL FIT: Demonstrates skills and needs for development +that can be a good fit for the school. +Respects the opinion of others. +Yes / No / NA +Create positive relationships with administrators, +teachers, school staff and students. +Yes / No / NA +Demonstrates interest and skills that match the +school’s culture and needs. +Yes / No / NA +Interacts appropriately with supervisors, +colleagues, parents, and students. +Yes / No / NA +COMMENTS: + + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PM10 Performance Evaluation of ABA Specialists.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM10 Performance Evaluation of ABA Specialists.txt new file mode 100644 index 0000000..0b7ad51 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PM10 Performance Evaluation of ABA Specialists.txt @@ -0,0 +1,873 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PM10 +Version 01 + + +PERFORMANCE EVALUATION OF ABA SPECIALISTS +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +The following sets forth the coverage, philosophy, roles and +responsibilities and procedures applicable to the evaluation +process of Applied Behavior Analysis (ABA) specialists. +I. COVERAGE +The performance management process covers all ABA specialists. +The evaluation process relates to the duties and responsibilities +of the employee’s position, as set forth in the employee’s job +description. +II. PHILOSOPHY +Performance management is one of the key processes driving +the comprehensive reform of the Boston Public Schools. The +performance management process for ABA specialists is +designed to: (a) align the work of ABA specialists with the +superintendent’s district wide priorities and with team goals and +(b) improve the work performance of ABA specialists. +III. ROLES AND RESPONSIBILITIES +The performance management process for ABA specialists will +be led by the assistant superintendent of special education, + + +Page 2: +Superintendent’s Circular HRS-PM10 +Page 2 of 25 + + +assistant director for ABA, and program directors for ABA. ABA +specialists will be evaluated by their immediate supervisors +unless the assistant director designates another person to +conduct the evaluation. +A supervisor’s failure to address the job performance problems of +their staff through the performance evaluation process +represents unacceptable performance for which the supervisor +will be held accountable. Further, a supervisor will also be +performing unsatisfactorily if an underperforming staff member +is given a “Proficient” rating and then the staff member is +encouraged to transfer to another school or department. A +supervisor who does this will be held accountable as part of their +performance evaluation. +IV. DIAGNOSIS AND RECOMMENDATIONS +The performance evaluation process should provide each +employee with an appraisal of their strengths and identify areas +in need of improvement. The employee will be evaluated on each +standard within the various categories. +There are four possible ratings: 1) Unsatisfactory; 2) Needs +Improvement; 3) Proficient; and 4) Exemplary. +V. PERFORMANCE MANAGEMENT PROCESS +Supervisors will conduct evaluations of their ABA specialists every +year. The period for the performance evaluation for ABA +specialists will cover September 1 – August 30 of the school year +in which the employee is being evaluated. A supervisor may +evaluate staff members more frequently if they choose to do so +but must complete no fewer than 5 (five) direct observations over + + +Page 3: +Superintendent’s Circular HRS-PM10 +Page 3 of 25 + + +the course of the school year. +Supervisors are expected to provide timely written feedback to +their staff members, especially for employees who, upon +observation, are not meeting the expectations of the supervisor. +An employee who is not meeting their supervisor’s expectations +should have been informed of the supervisor’s concerns and +provided recommendations for improvement through written +feedback before the performance evaluation meeting and should +be given a reasonable amount of time to address the observed +deficient performance. +Step 1 – REVIEW GOALS AND PROFESSIONAL DEVELOPMENT +PLAN FOR THE COMING SCHOOL YEAR (September-October) +Supervisors will meet individually with each of their ABA +specialists to jointly review the employee’s goals and professional +development plan for the September 1 - August 30 period. When +possible, goal development should be done during the prior +year’s performance evaluation meeting. +During this meeting, the employee and their supervisor should +review the employee’s job description to ensure the employee’s +goals and professional development plans are in alignment with +the job description. +If there is a change in the employee’s goals and professional +development plan after the prior year’s performance evaluation +meeting, the revised goals and professional development plan +must be documented. + + +Page 4: +Superintendent’s Circular HRS-PM10 +Page 4 of 25 + + +Step 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (as +needed) +If at any time, including at the interim evaluation meeting (see +step 3), a supervisor finds that an employee needs major +improvement in their job performance or in accomplishing any +goal, the supervisor will prepare a written diagnosis of the +situation and make recommendations for improvement. +The supervisor must share their written feedback with the +employee within a reasonable amount of time, and thereafter +should meet at least monthly with the employee to discuss their +job performance. These meetings must be held until the +employee’s job performance meets the supervisor’s expectations. +If the employee’s job performance does not improve sufficiently, +the employee may be separated from employment. +Step 3 – COMPLETE STAFF OBSERVATIONS AND DATA CHECKS +(September-May) +As outlined in the ABA specialist evaluation, at least 5 (five) +observations must be completed prior to the final performance +evaluation in May. These observations must include direct +observation of the ABA specialist performing essential job +functions and working with students. The observations may or +may not be announced and can occur at any time throughout +the year. Following each observation session, the program +director for ABA will provide written and vocal feedback to the +ABA specialist outlining the strengths and areas of growth seen +during the observation. +As part of each observation, data checks and programming +analyses will be conducted. These data checks will assess the + + +Page 5: +Superintendent’s Circular HRS-PM10 +Page 5 of 25 + + +performance with programming and data entry for some portion +of the time between observations. +Step 4 – HOLD INTERIM EVALUATION MEETING (February- +March). +ABA specialists will submit a formative self-assessment no later +than February 10. This self-assessment will include the ABA +specialist’s assessment of their work performance and feedback +from previous observations to be incorporated into the interim +evaluation. +Supervisors will hold an interim evaluation meeting with each of +their ABA specialists no later than March 1. During this meeting, +the supervisor must give oral feedback on (1) the employee’s +progress in achieving their goals, and (2) the employee’s overall +job performance, especially with reference to the employee’s job +description and customer focus. In addition, a written interim +evaluation will be provided in a timely manner after the interim +evaluation meeting. +Step 5 – COMPLETE PERFORMANCE EVALUATION FORMS (May). +The supervisor will prepare a performance evaluation on each +ABA specialist each school year by filling out the Performance +Evaluation Form – ABA Specialists attached at the end of this +circular. + + + + +Page 6: +Superintendent’s Circular HRS-PM10 +Page 6 of 25 + + +Step 6 – CONDUCT PERFORMANCE EVALUATION MEETING +(June) + +The supervisor will meet with the employee to discuss their +performance evaluation. The meeting will cover the employee’s +job performance, their progress toward their annual goals, and +their overall performance. +During this meeting, based on the employee’s performance +evaluation, the supervisor and employee should establish the +employee’s goals for the coming school year. These goals should +be tentative if the department’s (and team’s) goals have not been +set. Similarly, the supervisor and employee should also discuss +the employee’s professional development plan for the coming +school year, with particular reference to the areas of growth or +challenge identified in the performance evaluation. +Step 7 – EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE +The employee’s signature on the evaluation instrument +acknowledges receipt, and not necessarily agreement with the +content of the evaluation. The employee may provide a written +response to the evaluation within 10 (ten) days of receiving the +performance evaluation form. +Step 8 – SUBMIT PERFORMANCE EVALUATION FORMS TO +HUMAN RESOURCES (June) +The supervisor will submit completed performance evaluation +forms to Human Resources no later than June 1. Step increases +are automatic. + + +Page 7: +Superintendent’s Circular HRS-PM10 +Page 7 of 25 + + +Step 9 – FOLLOW UP FOR AN EMPLOYEE WHO RECEIVES AN +“UNSATISFACTORY” RATING +If an ABA specialist receives an “Unsatisfactory'' rating on their +performance evaluation, the supervisor should meet with the +employee at least monthly to discuss their job performance. +These meetings must be held until the employee’s job +performance meets the supervisor’s expectations. If the +employee’s job performance does not improve sufficiently, the +employee may be separated from employment. +VII. PROCEDURES FOR DISCIPLINE +If a supervisor determines that an ABA specialist has committed +an infraction of work rules, the supervisor should follow the +procedures outlined in Superintendent’s Circular – Employee +Discipline Procedures (see footnote below)1. Additionally, the +supervisor may consider the infraction in evaluating the +employee’s overall performance. +VIII. FORMS +The Performance Evaluation Form – ABA Specialists is attached. + + + +(Footnote) Refer to Superintendent’s Circular HRS-PP10 +“Employee Discipline Procedures” under the category “Human +Resources” on the Superintendent’s Circulars page of the BPS +website for more information. + + +Page 8: +Superintendent’s Circular HRS-PM10 +Page 8 of 25 + + +IX. SUMMARY OF SIGNIFICANT DATES AND DEADLINES +STEP INCREASES ARE AUTOMATIC. Please adhere to the given +deadlines for submission. + +Date +Activity +September 1 - +October 15 +Finalize goals and professional +development plan for the coming year +Monthly, as needed +and outlined in a +performance +improvement plan +Prepare diagnosis and +recommendations +No later than +February 10 +Request self-assessment +February 1 - March 1 +Hold Formative Evaluation meeting +No later than May 31 +Complete Performance Evaluation forms +No later than May 31 +Conduct Summative Performance +Evaluation meeting +No later than June 1 +Submit Performance Evaluation forms to +Human Resources +Monthly, as needed +and outlined in a +performance +improvement plan +Follow up for an employee who receives +an “Unsatisfactory” rating + + + + + +Page 9: +Superintendent’s Circular HRS-PM10 +Page 9 of 25 + + +For more information about this circular, contact: +Owner: +Assistant Director for Applied Behavior +Analysis +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-8599 +Email: +ohc@bostonpublicschools.org +Mary Skipper, Superintendent + + + + +Page 10: +Superintendent’s Circular HRS-PM10 +Page 10 of 25 + + +BOSTON PUBLIC SCHOOLS +PERFORMANCE EVALUATION FORM +ABA SPECIALISTS + +Name of Employee: ______________________________________________ +Employee Identification #:________________________________________ +Department: ABA +School: ___________________________________________________________ +Position: ABA specialist +Evaluator: ________________________________________________________ + +SECTION I: JOB PERFORMANCE +Please rate the employee’s performance according to the +following competencies, as measured by documented +opportunities. A documented opportunity will consist of written +feedback from a program director as a result of a direct +observation or data analysis from work products. Documented +opportunities will include no fewer than 5 measured +opportunities for each subcategory listed below. +Each objective was rated in one of four categories: + +1 +Unsatisfactory +Employee meets the objective for 65% or less +of documented opportunities. + + +Page 11: +Superintendent’s Circular HRS-PM10 +Page 11 of 25 + + +2 Needs +Improvement +Employee meets the objective for 66% to 75% +of documented opportunities. +3 Proficient +Employee meets the objective for 76 to 85% +of documented opportunities. +4 Exemplary +Employee meets the objective for 86% or +greater of documented opportunities. +*The numbers listed above will be what is indicated in the rating +box for each area in the evaluation below. + +A. Data Collection +A-1: Accurately conducts and implements +all required assessments, including +preference assessments, Skills +Assessments, and Core Skills Assessments. +Self Rating + +Supervisor Rating + + +A-2: Accurately updates targets as needed, +and proactively implements any +programmatic changes given by the +program director or strand specialist. +Self Rating + +Supervisor Rating + + +A-3: Accurately takes programmatic data (both behavior and +acquisition) in a timely manner. + + +Page 12: +Superintendent’s Circular HRS-PM10 +Page 12 of 25 + + +Self Sup + + +Unsatisfactory +Runs less than 24 ACE sessions per +week across all programs and +students per week across 5 or more +measured opportunities for the year. + + +Needs +Improvement +Runs between 25 and 49 ACE +sessions per week across all +programs and students per week +across 5 or more measured +opportunities for the year. + + +Proficient +Runs between 50 and 74 sessions +per week across all ACE programs +and students across 5 or more +measured opportunities for the year. + + +Exemplary +Runs at least 75 sessions per week +across all ACE programs and +students across 5 or more measured +opportunities for the year. + + + + + +Page 13: +Superintendent’s Circular HRS-PM10 +Page 13 of 25 + + + +A-4: Follows prompting hierarchies and +error correction procedures as prescribed by +ACE and/or Program Director. +Self Rating + +Supervisor Rating + + +A-5: Ensures that challenging behavior data +collection sheets are updated as necessary, +and that challenging behavior data +collection sheets are filed in the correct +place. +Self Rating + +Supervisor Rating + + +A-6: Identifies when there is a problem with +data/data collection, and appropriately +brings to the attention of the Program +Director. +Self Rating + +Supervisor Rating + + +Overall Comments on Data Collection: + + + + +Page 14: +Superintendent’s Circular HRS-PM10 +Page 14 of 25 + + +B. Behavior Support +B-1: Develops, maintains, and shares any +necessary materials to follow through with +behavior plans (token boards, timers, visuals, +etc.) as written. +Self Rating + +Supervisor Rating + + +B-2: Follows each Behavior Support Plan as +written for student, including effective +antecedent strategies, reinforcement +procedures, following crisis procedures, and +seeking help when needed. +Self Rating + +Supervisor Rating + + +B-3: Responds to any behaviors not outlined +in the behavior support plan using standard +ABA techniques. + + + +Self Rating + +Supervisor Rating + + +Overall Comments on Behavior Support: + + + + + +Page 15: +Superintendent’s Circular HRS-PM10 +Page 15 of 25 + + +C. Professionalism +C-1: Participates in feedback sessions and +accepts feedback given by Program Director. +Engages in consultation with Program +Director and/or Strand Specialist. +Communicates with the Strand Specialist, +Program Director, and other school-based +staff, including keeping student schedules +up to date, sharing with all necessary parties, +and following the set schedule. Is flexible +when caseloads or school assignment +requires change, due to caseload demands +or due to specific needs of a student or +students. If there is a concern regarding +caseload and/or programmatic changes, +professionally communicates the concern to +the Program Director. +*This language does not constitute +expansion of caseloads beyond the contract +limits +Self Rating + +Supervisor Rating + + +C-2: Follows Office of Special Education +administrative procedures, such as signing +in/out, requesting absences (sick or personal +days) on ESS in a timely manner, using +planning time effectively, following cell +phone use policy, and arriving to +work/meetings on time. +Self Rating + +Supervisor Rating + + + + +Page 16: +Superintendent’s Circular HRS-PM10 +Page 16 of 25 + + +C-3: Consistently exudes a professional +disposition towards Special Education, +Applied Behavior Analysis, students, and +families, as well as other school personnel; +and maintains student confidentiality. +Self Rating + +Supervisor Rating + + +C-4: Demonstrates fluent use of technology +necessary to complete job requirements, +such as Google Drive, EdPlan, ACE, Teach +Now, etc. Ensures that all appropriate +technology is up to date. +Self Rating + +Supervisor Rating + + +C-5: Engages in and attends all professional +development activities as scheduled, +including all that were described in the prior +year’s professional development plan. +Self Rating + +Supervisor Rating + + +Overall Comments on Professionalism: + + + + + + +Page 17: +Superintendent’s Circular HRS-PM10 +Page 17 of 25 + + +D. Direct Service +D-1: Ensures that tasks are prepared and +ready for instruction on time and efficiently. +Demonstrates fluency with materials +necessary to conduct direct service sessions, +such as token boards, first/then boards, etc. +Self Rating + +Supervisor Rating + + +D-2: Activates appropriate programs as +outlined in the IEP within 2 weeks of +notification of a signed IEP, and implements +all programs as written on the curriculum +sheet across multiple settings including +inclusion, specials, lunch/recess, etc. +Self Rating + +Supervisor Rating + + +D-3: Establishes attending and reinforcers +before beginning the session. Prompts +functional communication as necessary. +Completes the prescribed number of trials for +each program according to the prescription +sheet. Keeps student break time to a +reasonable duration. +Self Rating + +Supervisor Rating + + + + + + +Page 18: +Superintendent’s Circular HRS-PM10 +Page 18 of 25 + + + +D-4: Ensures that the student is clear on +how and when reinforcement is delivered, +and delivers reinforcement on prescribed +schedules. +Self Rating + +Supervisor Rating + + +D-5: Builds rapport with the students and is +always engaging and energetic when +working with students. +Self Rating + +Supervisor Rating + + +Overall Comments on Direct Service: + + + + + + +Page 19: +Superintendent’s Circular HRS-PM10 +Page 19 of 25 + + +E. Communication/Written Skills +E-1: Completes progress reports and annual +reviews at least 1 week before the due date, +by referencing the ABA specialist Task Due +Google Calendar when applicable and using +planning time effectively. Ensures that each +document is complete with proper spelling, +grammar, and data, following the most +recent format provided by the program +directors. +Self Rating + +Supervisor Rating + + +E-2: Completes EdPlan session notes within +24 hours of each session and takes no more +than 10 minutes per 60-minute session to do +so. +Self Rating + +Supervisor Rating + + +E-3: Ensures that written communications +are clear, concise, and free of error, utilizing +appropriate professional language. +Self Rating + +Supervisor Rating + + + + + + +Page 20: +Superintendent’s Circular HRS-PM10 +Page 20 of 25 + + +E-4: Communicates questions and concerns +in a professional manner with teachers, ABA +specialists, strand specialists, program +directors, and paraprofessionals, as +demonstrated by initiation and response to +emails within 48 hours. +Self Rating + +Supervisor Rating + + +E-5: Responds to emails within 2 working +days and completes RMTS (Random Moment +Time Study) moments within the 48 hour +timeline as required by state agencies. +Self Rating + +Supervisor Rating + + +Overall Comments on Communication/Written Skills: + + + + +Page 21: +Superintendent’s Circular HRS-PM10 +Page 21 of 25 + + +SECTION II: PERFORMANCE AGAINST PAST YEAR’S GOALS +Provide a concise description of each of the employee’s goals for +the past year. Mark whether the employee achieved the goal. +Provide specific data supporting your assessment that the goal +was or was not achieved. + +Goal 1: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Goal 2: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Goal 3: +To what extent did the employee achieve this goal? + Met +Did not meet +Description of results and comments: + + +Page 22: +Superintendent’s Circular HRS-PM10 +Page 22 of 25 + + +SECTION III: GOALS FOR NEXT YEAR +Please list the employee’s goals for next year. Goals are to be set +by supervisor and agreed to by employee. These goals should +align with the department’s goals and priorities and include key +performance indicators. +Goal 1: + +Goal 2: + +Goal 3: + + + + +Page 23: +Superintendent’s Circular HRS-PM10 +Page 23 of 25 + + +SECTION IV: OVERALL PERFORMANCE +Please rate the employee’s overall performance this year. If the +employee receives a “Does Not Meet Expectations” rating, their +supervisor must provide a diagnosis and recommendations for +how the employee must improve their performance in the +following Additional Comments section. The supervisor may also +use this section to provide other additional comments on the +employee’s performance. + + Unsatisfactory + Proficient + Needs Improvement + Exemplary + +Comments: + + + + + + + +Page 24: +Superintendent’s Circular HRS-PM10 +Page 24 of 25 + + +SECTION V: PROFESSIONAL DEVELOPMENT PLAN +Describe the employee’s Professional Development Plan for the +coming year. This plan should help the employee build skills +and/or knowledge to accomplish their goals for the year. Please +describe the specific areas that the employee is trying to develop, +and the related activities that they will take part in this year. + +1. Skill/Knowledge Development Area 1: + +Related activities to help develop skill: + + + +2. Skill/Knowledge Development Area 2: + +Related activities to help develop skill: + + + +3. Skill/Knowledge Development Area 3: + +Related activities to help develop skill: + + + + + + + + +Page 25: +Superintendent’s Circular HRS-PM10 +Page 25 of 25 + + +SECTION VI: ACKNOWLEDGEMENTS + + ____________________________________________ ____________________ + +Evaluator’s Signature +Date + + + ____________________________________________ ____________________ + +Employee’s Signature +Date + +The employee’s signature indicates that they have seen the +evaluation and acknowledge that it will be placed in their +personnel file, but it does not denote agreement with the +evaluation. + + + +The employee may provide a written response to the evaluation +in the space provided below, and/or in attached pages. + +Employee Comments: + + + + + + + + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.txt new file mode 100644 index 0000000..cdfcef6 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.txt @@ -0,0 +1,403 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP01 +Version 01 + +CONTRACTUAL BENEFITS: CAREER AWARDS, SALARY +LANES, SALARY STEPS, ACADEMIC LADDER CREDITS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Boston Public Schools offer numerous contractual benefits such +as career awards and salary lane increases based on the +completion of accredited coursework, degrees, academic ladder +credits, and continuing education units. To receive these benefits, +employees must submit the appropriate documentation +(described below) to the Office of Human Capital. Once their +documentation is submitted, employees will receive confirmation +via email, within 4 to 6 weeks, except during peak seasons. +1. CAREER AWARDS +Career awards are issued monthly by anniversary date, based on +a monthly reporting cycle in the Office of Human Capital, and +vary by union affiliation. PS03s are no longer needed to initiate +this process, except for BASAS members, who are required to +submit a request via PS03. If an award is not received, the +employee should then submit a PS03 to the Office of Human +Capital to address the issue: +• In the “Pay Adjustment” category, place a checkmark in the +career award block and specify the career award requested. +• Indicate initial date of employment. +• Sign and date the “Originator’s signature/date” block. + + +Page 2: + +Superintendent’s Circular HRS-PP01 +Page 2 of 12 + +Career awards are effective on an employee's anniversary date. +Employees will see their career award reflected within 2-3 pay +periods. Denied applicants will receive an email from the Office of +Human Capital (to the employee’s bostonpublicschools.org email +address) providing the reason for the denial. +Paraprofessionals: Career awards are awarded by the number of +working days completed, not (wholly) by academic year +completed. The schedule of awards is as follows: +Step +Length of Service +2 +3 Years +3 +6 Years +4 +9 Years +5 +12 Years +Career Award +1,800 Paraprofessional Seniority Days +Career Award +2,800 Paraprofessional Seniority Days +Career Award +3,800 Paraprofessional Seniority Days +Career Award +4,800 Paraprofessional Seniority Days +Career Award +5,800 Paraprofessional Seniority Days + +BTU: Career Awards are awarded at the completion of the +threshold year, for the start of the next academic year. +All other collective bargaining units: Career awards are awarded +on an employee’s anniversary date based on a monthly reporting +cycle. +2. SALARY LANES +Employees who qualify by contract for a change in salary lane as + + +Page 3: + +Superintendent’s Circular HRS-PP01 +Page 3 of 12 + +a result of the completion of accredited course work and degrees +must submit a PS-03 to receive this benefit. Lane changes are +not made automatically. +• In the “Pay Adjustment” category, place a checkmark in the +salary lane block and specify the salary lane requested. +• Attach official original transcripts documenting accredited +courses and/or degree completion. Transcripts for +accredited graduate coursework must include a passing +grade and/or a degree conferred date for acceptance. +Electronic transcripts must be sent directly from the +institution to EmployeeServices@BostonPublicSchools.org. +Boston Public Schools In-Service and Academic Ladder +certificate(s) must be printed. An In-service/Academic +Ladder transcript summary is not acceptable. +• Sign and date the “Originator’s signature/date” block. +➢ Employees should only submit credits/degrees when +applying for salary lane advancement; employees +should not submit single or multiple credits below the +threshold for lane advancement. +Approved applicants can expect to see a change in their salary +within 3-4 pay periods following submission of a salary lane +application. Denied applicants will receive an email from the +Office of Human Capital (to the employee’s +bostonpublicschools.org email address) providing the reason for +the denial. Please note that this process will take longer in the +summer months (June – September). +Salary lane changes will be processed retroactively to September +1 if the application is received in the Office of Human Capital by +the close of business on September 30. Otherwise, the change +will be effective on the first day of the month following complete + + +Page 4: + +Superintendent’s Circular HRS-PP01 +Page 4 of 12 + +submission of all documentation during the school year. +Submissions after May 31 will be effective for the start of the +following school year. +Note: Boston Public Schools reserves the right to approve salary +lane advancement for only those courses that are related to the +field of education or enhance advancement up the educational +career ladder. Requests for pre-approval of any courses shall be +responded to by the Office of Human Capital promptly. Courses +must meet the following criteria: +Accredited College or University Courses +1. Courses must be granted by an accredited college or +university listed on the Accredited Institutions of Post- +Secondary Education registry and deemed acceptable by +the American Council on Education. +2. Courses must award graduate credit. If the transcript does +not clearly state the course is at graduate level, then the +applicant must supply a letter from the institution verifying +the course is offered for graduate credit. Note: for +paraprofessionals, undergraduate credit and in-service +credits are acceptable for salary lane advancement, up to a +bachelor’s degree. +3. Courses are evaluated by the semester hour only. Courses +taken by the quarter credit hour will be converted by the +metric specified by the respective institution. If a conversion +rate is not specified, Boston Public Schools will use a .75 to +1.0 ratio. +4. Courses must clearly relate to the field of education in the +Boston Public Schools. + + +Page 5: + +Superintendent’s Circular HRS-PP01 +Page 5 of 12 + +Academic Ladder Credit +An Academic Ladder Credit, also known as an “ALC”, is a new +“credit” for academic lane advancement. ALCs are equal in value +to in-service credits, with no cap on the amount one can earn. +Each ALC course has a clearly articulated target competency and +a range of options for demonstrating this competency through +artifacts or reflections. ALCs require approximately 12 hours of +“seat time” per credit. Credit will not be awarded until the +educator submits a final product demonstrating successful +implementation of a specific instructional practice. Options for +demonstrating may include lesson or unit plans, videos, student +work analyses, reflections, or some combination of these. +Employees should only submit ALC credits/degrees when +applying for salary lane advancement. When doing so, employees +should submit the actual ALC completion certificate from Vector. +Only ALCs approved by the Boston Public Schools will be +awarded credit for salary. +Available ALC courses can be found on Vector. Additionally, a list +of frequently asked questions can be found in APPENDIX A. +In-Service Courses +Course credit may be granted for courses previously offered by +the Boston Public Schools. Only courses approved by the Boston +Public Schools will be awarded credit for salary purposes. +Employees should submit the actual in-service completion +certificate, available on Vector. The transcript summary is not +accepted. Please note that no more than 30 in-service credits +may be used for lane advancement during each employee’s +lifetime career with Boston Public Schools. + + +Page 6: + +Superintendent’s Circular HRS-PP01 +Page 6 of 12 + +Continuing Education Units (CEUs) +CEUs, also known as contact hours, are accepted at the rate of 15 +contact hours for 1 graduate credit, not to exceed 30 graduate +credits. Please note that .1 CEU is the equivalent of 1 contact hour. +This applies to nurses, speech and language pathologists, school +psychologists, social workers, adjustment counselors, guidance +counselors, occupational and physical therapists, vision teachers, +and lead sign language interpreters only. CEUs are only accepted +from approved CEU providers. The Boston Public Schools is not +an approved CEU provider. +Professional Development Points (PDPs) +Although professional development points may be awarded for +the completion of in-service courses, they are not applicable for +salary lane advancement. PDPs are most used as evidence +toward maintaining professional licensure. +3. SALARY STEPS +Salary step increases are automatically awarded based on the +date specified in the applicable collective bargaining agreement. +An employee who believes that they are being compensated on +an incorrect step of the salary schedule should submit a PS-03 to +the Office of Human Capital, as follows: + + + + +Page 7: + +Superintendent’s Circular HRS-PP01 +Page 7 of 12 + +• In the “Pay Adjustment” category, place a checkmark in the +salary step block and specify the salary step requested. +• Include a brief explanation for the request in the “Additional +Explanation” section. +• Sign and date the “Originator’s signature/date” block. +Salary Steps as Related to Inside and Outside Service +There is no longer a cap on the amount of Inside Service credits +available for salary step adjustments/placement. Instead, the +credit is based on prior eligible years of service. To qualify, an +employee must have worked a minimum of 120 days in a +qualifying academic year. +A maximum of three years is awarded for an outside service +salary step adjustment. To qualify, an employee must provide +original documentation from a previous employer, specifically +certifying the named employee has completed a minimum of 160 +days in the appropriate licensed capacity for each year. +Individuals should not knowingly falsify information and should +understand that applications are signed under the pains and +penalties of perjury. +As salary lane and salary step advancements are contractual +entitlements, employees should forward these PS-03 requests +directly to the Office of Human Capital. No further signatures are +necessary. + + + + +Page 8: + +Superintendent’s Circular HRS-PP01 +Page 8 of 12 + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +May 31 +Academic year deadline for salary lane changes +to be processed effective in the same year. +June, July & +August +Submissions effective for the start of the next +school year. +September 30 + +Deadline for submitting salary lane changes to +be processed retroactively to September 1. + +4. NATIONAL BOARD-CERTIFIED TEACHERS +When you achieve or renew National Board Certification, please +submit the official notification letter and a PS03 Form. The Office +of Human Capital will review and verify the candidate's successful +completion of board certification, inception and expiration dates +via the NBPTS website. The National Board differential is +effective on the 1st of the month following an eligible +submission. Recertifications will be effective on the renewal date +as long as the request is received prior to the expiration date. If +recertification received after the original expiration date the +renewal will be dated for the first of the month following receipt. + + + + + +Page 9: + +Superintendent’s Circular HRS-PP01 +Page 9 of 12 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 10: + +Superintendent’s Circular HRS-PP01 +Page 10 of 12 + +APPENDIX A +Academic Ladder Credits: Frequently Asked Questions +• What is an Academic Ladder Credit (ALC), and how does it +differ from an in-service credit? +An Academic Ladder Credit, also known as ALC, is a new +“credit” for academic lane advancement. ALCs are equal in +value to in-service credits, with no cap on the amount one +can earn. ALCs require approximately 12 hours of “seat time” +per credit, but credit is not awarded until the educator +submits a final product demonstrating successful +implementation of a specific instructional practice. +• What do I need to do to earn ALCs? +ALCs are earned by demonstrating competence in the +practices learned in the course. While courses are +approximately 12 hours of instruction (in person or online), +credits are not awarded simply for attendance and +participation. Each ALC course will have a clearly articulated +target competency and a range of options for +demonstrating it through artifacts or reflections. +• What kinds of options might be available for +demonstrating competencies? +Each course will be different, but options include: lesson or +unit plans, videos, student work analyses, reflections, or +some combination of these. +• Who determines whether I have demonstrated a +competency? +A team of BTU educators and central office administrators + + +Page 11: + +Superintendent’s Circular HRS-PP01 +Page 11 of 12 + +will review product submissions and award credits using a +rubric made available to all course participants. Those who +do not earn credits on their first submission will receive +feedback and an opportunity to resubmit. +• Am I eligible to take any ALC course I want? +While any educator is technically able to apply for any ALC +course, because earning an ALC requires demonstrating +competence in a skill, it will be difficult to complete courses +that are not relevant to your context. OHC or APL reserves +the right to refuse admittance to those educators for whom +the content may not be relevant. +• Is there a limit to the number of ALCs I can receive in a year +or over my career? +No. ALCs are not subject to the same cap as in-service +credits. +• Can you use ALCs in combination with graduate credits, +etc. towards advancement? +Yes. Employees may use combinations of graduate credits, +in-service credits and ALCs for lane advancement. However, +a teacher must possess a master’s degree to advance to the +master’s lanes and must possess a doctorate degree to +advance to the doctorate lane. +• How do I submit my ALC credits to the Office of Human +Capital for credit toward lane advancement? +Employees should only submit ALC credits/degrees when +applying for salary lane advancement. When doing so, +employees should submit the actual ALC completion + + +Page 12: + +Superintendent’s Circular HRS-PP01 +Page 12 of 12 + +certificate from TeachPoint, along with any other graduate +or in-service credits, and a completed PS03 to the Office of +Human Capital (4th Floor, Bolling Building). Only ALCs +approved by the Boston Public Schools will be awarded +credit for salary. +• Are ALC courses portable outside BPS? +No. +• Are non-BTU members eligible to earn ALCs? +While non-BTU members may participate in ALC courses, +only BTU members are eligible to receive credits. +• Are paraprofessionals eligible to receive ALCs? +Yes. Please note that because earning an ALC requires +demonstrating competence in a skill, it will be difficult to +complete courses that are not relevant to your role or +context. OHC or APL reserves the right to refuse admittance +to those educators for whom the content may not be +relevant. +• I have an idea for an ALC course. How can I make that +happen? +Contact the Office of Academics and Professional Learning. + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP05 Attendance Monitoring.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP05 Attendance Monitoring.txt new file mode 100644 index 0000000..9a6fabf --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP05 Attendance Monitoring.txt @@ -0,0 +1,180 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PP05 +Version 01 + +EMPLOYEE ATTENDANCE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Poor attendance adversely affects the work we can accomplish +and the morale of all Boston Public Schools employees. +Attendance will be monitored throughout the year at all levels. +Any excessive absences, tardiness, or perceived abuse of time +off/leave benefits will be investigated and may subject the +employee to discipline. The procedures described herein may not +occur if the superintendent exercises their statutory authority to +dismiss, demote, or suspend. +ATTENDANCE MONITORING PROCESS +1. Sign in/out: Managers1 must establish and supervise a paper +sign in/out procedure that provides an accurate record of +the date and time of arrival and departure of all employees + +1 The term "manager" refers to positions such as academic +superintendent, senior officer, headmaster, principal, senior +program director, and director. A manager may in some cases +delegate authority to carry out these procedures to supervisory +personnel reporting to them. + + + +Page 2: +Superintendent’s Circular HRS-PP05 +Page 2 of 5 + +assigned to them. Employees must comply with the sign +in/out process. An employee who fails to comply with the +procedure, falsifies such a record, and/or fraudulently +reports their or another’s time will be subject to discipline +up to and including termination. +2. Report your absence/early departure: Managers must +establish a process to report an absence/early departure due +to illness. Employees must follow the process created and +implemented by their manager for each absence/early +departure. If the employee fails to follow the protocol +established by the manager, the employee’s absence/early +departure will be unexcused, and the employee will not be +paid for the day(s)/hour(s) of absence(s). The employee may +also be subject to discipline up to and including termination. +a. Employees not serving in schools must follow the +protocol set by their manager. In the case of early +departure, the employee must notify their manager +before leaving the building. +b. If the employee’s absence is for more than five (5) +consecutive days, refer to the Absence and Leaves +circular. Regardless of the duration of the time off due +to illness, managers may at any time request medical +documentation from the employee to substantiate +their absence. +3. Reasonable accommodations: An employee seeking +reasonable accommodations for a disability may contact the +Office of Equity (617-635-9650) to begin an interactive +dialogue process. Employees who inform their managers +about a disability will be referred to the Office of Equity by +the manager. The district will attempt to provide reasonable + + +Page 3: +Superintendent’s Circular HRS-PP05 +Page 3 of 5 + +accommodations unless it would cause an undue hardship +or fundamentally alter the district’s programs. Medical +information concerning any employee will be maintained in +strict confidence. +Chapter 151B and the ADA define a person with a disability +as someone who: (1) has a physical or mental impairment +that substantially limits one or more major life activities; (2) +has a record of such an impairment; or (3) is regarded as +having such an impairment. Major life activities include, but +are not limited to: caring for one’s self, performing manual +tasks, seeing, hearing, speaking, breathing, or learning. +The person may also qualify for an extended or intermittent +leave of absence. Please refer to the Absence and Leave +Policy circular and your collective bargaining agreement or +conditions of employment for more information. +For more information about the reasonable +accommodations process, please see Superintendent’s +Circular EQT-07. +PATTERNS OF ABUSE +When a manager determines that an employee’s absences +and/or tardiness exhibits a pattern of abuse and/or raises +concern, the manager will address it directly with the employee +in the way the manager deems appropriate (i.e., informal +meeting versus investigatory meeting). The employee will have +the right to union representation at all types of meetings. +In the past, the following scenarios have been deemed as +patterns of abuse (the list is not exhaustive/exclusive): + + +Page 4: +Superintendent’s Circular HRS-PP05 +Page 4 of 5 + +1. +Four (4) or more separate absences before or after the +weekend or holiday/vacation +2. +Sick absences lasting six (6) or more consecutive days +without a physician’s certificate +3. +Scattered sick days/leave throughout the school year +exceeding or projected to exceed fifteen (15) or more days +4. +Two (2) or more absences, consecutive or closely +patterned, following layoff notification +5. +Two (2) or more absences, consecutive or closely +patterned, following contract non-renewal notification +6. +Two (2) or more absences immediately following poor +performance evaluation +7. +Absence during a previously scheduled investigatory +meeting +8. +Absence after receiving a notice of an investigatory +meeting +9. +Absence on day of release or scheduled release of poor +performance evaluation +10. +Patterns of two (2) days out, two in, one out, etc. +11. +Tardiness: two (2) or more days within a one-week period +12. +Tardiness: two (2) or more days within a two-week period +CONSEQUENCES FOR ABUSE AND/OR EXCESSIVE +ABSENTEEISM/TARDINESS: +The following are the consequences an employee will face when +they have been deemed to engage in a pattern of abuse and/or +excessive absenteeism/tardiness. These consequences can be +applied individually or in conjunction with one another. +1. +Discipline up to and including termination + + +Page 5: +Superintendent’s Circular HRS-PP05 +Page 5 of 5 + +2. +Requirement to provide medical documentation +substantiating each absence (past, present, and future) +3. +No pay for time out of work if the employee fails to +provide requested medical documentation for absences; +the absences will be unexcused. +4. +Issuance of an “unsatisfactory/does not meet standards” +rating on the employee's performance evaluation +attendance/punctuality standard. +For more information about this circular, contact: +Owner: +Employee Services +Department: +Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Fax: +617-635-7957 +E-mail: +OHCLeaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.txt new file mode 100644 index 0000000..0281e38 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP06 Confidentiality of Personnel Records and Employment Verification.txt @@ -0,0 +1,117 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP06 +Version 01 + + +CONFIDENTIALITY OF PERSONNEL RECORDS AND +EMPLOYMENT VERIFICATIONS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +State laws and regulations regulate disclosure of information +collected about personnel by the Boston Public Schools. These +laws and regulations provide that, with some exceptions such as +personnel and medical records, the School Department's records +must be available for public inspection. State law further provides +that individuals may review and challenge information in the files +concerning them. +PERSONNEL RECORDS +The Office of Human resources maintains both publicly available +and confidential files about each employee. The Office of Human +resources will disclose allowable information when requested to +do so in writing. +Please note that the following are public records, which will be +released upon receipt of a written request: +● Names +● Other materials or data relating to a specifically named +individual, the release of which would not publicize intimate +details of a highly personal nature. + + +Page 2: +Superintendent’s Circular HRS-PP06 +Page 2 of 4 + + + +Confidential information is not released, such as social security +numbers, home addresses and phone numbers, transcripts, +medical forms, and evaluations. +Only an employee may view their entire file unless a court order +or other legal mandates require otherwise. An employee may +view their file in the Office of Human resources by appointment +only. To schedule an appointment, place an HR Inquiry request +via the Beacon. This can be found for internal employees by +navigating to Access.Boston.gov. +To obtain a copy of your personnel card for the City of Boston +Retirement Board, please place an HR inquiry request via the +Beacon. This can be found for internal employees by navigating +to Access.Boston.gov. Any former employee will need to submit a +request via email at ohr@bostonpublicschools.org. +EMPLOYMENT VERIFICATION +All inquiries regarding employees, employment status, and other +such information must be directed to the Office of Human +resources, where official personnel records are maintained. +If an employee is seeking employment verification (mortgage, +housing, substitute time, standard verification, etc.), they should +create an HR Inquiry request via Beacon. An employee must scan +and attach the verification to the HR Inquiry submission. If an +employee needs an email address to submit to their potential +mortgage company, housing office or any other loan provider, +they should provide the OHR email ohr@bostonpublicschools.org +or fax a request to 617-635-7957. Please note that requests for + + +Page 3: +Superintendent’s Circular HRS-PP06 +Page 3 of 4 + + +employment verification are processed in the order they are +received and take between 5 and 10 business days to complete. If +salary/payroll information is needed, it can take longer than 5-10 +business days. Please plan accordingly. +Any subpoenas for records should be directed to the Office of the +Legal Advisor, 2300 Washington Street, Roxbury, MA 02119. +LICENSURE RELATED EMPLOYMENT VERIFICATIONS +All educators and other employees seeking licensure related +verification must complete the BPS Educator Licensure +Verification Requests form. +For loan forgiveness requests, please submit an HR Inquiry with +forms attached on the Beacon via Access.Boston.gov. All former +employees must email ohr@bostonpublicschools.org and include +any supporting documentation. + + + + +Page 4: +Superintendent’s Circular HRS-PP06 +Page 4 of 4 + + +For more information about this circular, contact: +Owner: +Shared Services +Department: +Office of Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-7956 +Additional +Questions: +For additional questions, please submit an HR +Inquiry Ticket via the Beacon. This can be +found on Access Boston (access.boston.gov). + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP07 Workers' Compensation Procedures.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP07 Workers' Compensation Procedures.txt new file mode 100644 index 0000000..fc11319 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP07 Workers' Compensation Procedures.txt @@ -0,0 +1,242 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP07 +Version 01 + + +WORKERS’ COMPENSATION PROCEDURES +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +OBJECTIVE +The Boston Public Schools Workers’ Compensation Service is +located within Boston City Hall, 6th Floor, Room 613. Workers’ +Compensation Service administers benefits for city workers, +including Boston Public Schools employees. The Workers’ +Compensation Service strives to ensure effective and efficient +delivery of benefits and collects injury data for state and federal +reporting requirements. +ADMINISTERING WORKERS’ COMPENSATION BENEFITS +For the City of Boston Workers’ Compensation Service to provide +adequate service, it is imperative that all work-related injuries be +reported as soon as possible, preferably within twenty-four hours +of the occurrence. +For the Workers’ Compensation Service to provide timely +benefits, your cooperation in obtaining medical documentation is +critical. If a case is reported late, or if the Workers’ Compensation +Service does not have sufficient medical documentation, the +employee’s receipt of benefits may be delayed. + + + +Page 2: +Superintendent’s Circular HRS-PP07 +Page 2 of 7 + + +► It is the employee’s responsibility to request complete +medical treatment records for the work-related injury +and provide them or have them sent to the Workers’ +Compensation Service. Out-of-work notes are NOT +sufficient to maintain workers’ compensation benefits. +Incomplete or late reports of injury could also subject Boston +Public Schools to financial penalties. +● To find the City’s accident report form, as well as a +complete guide to the city’s workers’ compensation +process, please see the City of Boston Workers’ +Compensation Service employee guide at +https://www.boston.gov/departments/human- +resources/workers-compensation-process. +● The accident report can be accessed directly at +https://www.boston.gov/sites/default/files/file/2022/02/ +accident-report-form_2-7-2022.pdf. +STEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF +YOUR EMPLOYMENT +If emergency services (i.e., life threatening, bleeding, head +injuries, severe fractures, etc.) are necessary: +1. Seek out emergency care (via ambulance if necessary) at +the closest emergency care facility to where you were +injured. +2. Fill out and sign the accident report form. Submit it to the +workers’ compensation office and your supervisor or human +resources representative in your department. If you are +unable to fill it out, you can have someone else fill it out for +you. + + +Page 3: +Superintendent’s Circular HRS-PP07 +Page 3 of 7 + + +3. Medical documentation must be sent to Workers’ +Compensation Services (Room 613). +4. A supervisor’s signature is requested solely for the purpose +of notification that an injury occurred. A supervisor’s +signature does not indicate that the supervisor +agrees/disagrees with the report, nor does it indicate the +supervisor witnessed the accident. +5. Reasonable and necessary medical expenses for accepted +work-related injuries will be covered by Workers’ +Compensation Service, regardless of whether time has been +lost due to the injury. However, salary replacement benefits +for accepted work-related injuries are given only if the +employee lost 5 days or more. Substantial medical +documentation is required for employees who have lost 5 +days or more. +6. A representative from Workers’ Compensation will contact +you to follow up on your injury. They will also explain your +benefits and discuss your medical treatment. If you haven’t +heard back within seven (7) days of reporting your injury, +you can speak with a case manager by calling 617-635-3193 +or emailing workerscompstaff@boston.gov. + WHILE ON WORKERS’ COMPENSATION +While on workers’ compensation, the employee must maintain +an approved leave of absence status with the Office of Human +resources by applying for a leave of absence on the HUB and +providing a WH-380-E form or medical +certification/documentation on official letterhead from a health +care provider. For more information on leaves of absence, please +see Superintendent’s Circular HRS-PP13. + + +Page 4: +Superintendent’s Circular HRS-PP07 +Page 4 of 7 + + +While on workers’ compensation, the employee is permitted to +use available sick, personal, or vacation time to supplement the +difference in workers’ compensation earnings to continue to +receive 100% of their normal earnings. This applies to employees +who have available time and have completed the Workers' +Compensation Earnings Consent Form, allowing the use of +earned time. Without consent, the Office of Human resources will +not supplement your workers’ compensation earnings. The +consent form can be accessed directly at: +https://docs.google.com/forms/d/e/1FAIpQLSf0E_fnOzpBy2kNdqn +HyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform. +Supplementing your WC earnings allows employees to maintain +their normal deductions (retirement, union dues, health +insurance, etc.). For some unions, it also minimizes the impact of +earnings that are normally paid over the summer. To be sure of +the financial impact that supplementing (or not supplementing) +your WC earnings will have your pay once you return to work, +please reach out to the BPS Payroll team at 617-635-9460. +Employees are permitted up to 1 year of leave for an injury related +to an approved Workers’ Compensation injury. Employees who +are absent more than 1 year may have an essential functions +meeting held to determine whether they are able to continue +their employment with BPS. +EMPLOYEE RETURNING TO WORK +An employee who is ready to return to work after having been +out due to a work-related injury must have medical clearance +from their doctor. Before returning to work, the employee must +provide copies of the medical clearance note to both OHR and + + +Page 5: +Superintendent’s Circular HRS-PP07 +Page 5 of 7 + + +the Workers’ Compensation Service and inform both offices of +their intent to return and the intended date. The clearance note +should be emailed to OHRLeaves@bostonpublicschools.org as +well as workerscompstaff@boston.gov. +Transitional modified work may be offered by the Boston Public +Schools to employees who have been injured on the job and can +return to work on a modified basis. The Boston Public Schools +makes reasonable accommodations in compliance with the ADA +and M.G.L. c. 151B for employees with handicaps or disabilities, as +outlined in Superintendent's Circular EQT-01. If you wish to seek +reasonable accommodations, please contact the Office of Equity +at 617-635-9650 or accommodations@bostonpublicschools.org to +engage in an interactive dialogue prior to your return. +The goals of the Workers’ Compensation office are to ensure that +eligible injured employees receive quality and timely medical +services, receive timely benefits, and return to the job as quickly +as possible. Your case manager will remain in constant contact +with you, and you will be required to maintain contact and +provide the necessary medical information to your case manager +so that these goals can be achieved. +All accident reports regarding an employee’s injury should be +forwarded to Workers’ Compensation Services (address at the +bottom of this circular). +Any additional information or questions can be forwarded to the +employee’s case manager. Case managers are assigned based on +the employee’s last name. + + +Page 6: +Superintendent’s Circular HRS-PP07 +Page 6 of 7 + + +MEDICAL TREATMENT INFORMATION FOR ALL EMPLOYEES +REGARDING WORKERS’ COMPENSATION +If you need medical care for your work injury or illness, contact a +medical provider. Let them know that you are seeking workers’ +compensation coverage for the treatment. The city currently +does not have any preferred medical providers. +WORKERS’ COMPENSATION CHECKLIST +As this circular is comprehensive, and to prevent delays in +processing, please ensure that you have completed the following +action items when applying for/returning from workers' +compensation. +APPLYING FOR WORKERS’ COMPENSATION +● Complete and submit the Report of Occupational Injury or +Accident. This report should be verified and signed by your +supervisor. +● Review Superintendent’s Circular HRS-PP13 Absence and +Leave Policy. +● Complete a leave of absence application form and submit +WH-380-E form or physician’s certificate. +● Send medical updates to both the City of Boston Workers’ +Compensation Unit and the Office of Human resources to +maintain your leave of absence and workers' compensation +benefits. +● If applicable, complete the workers' compensation +supplemental earnings consent form if you wish to +supplement your benefit with accrued time. + + +Page 7: +Superintendent’s Circular HRS-PP07 +Page 7 of 7 + + +RETURNING FROM WORKERS’ COMPENSATION +● Send both Human resources and City of Boston Workers' +Compensation Unit medical documentation certifying the +ability to return to work with/without restrictions. +For more information about this circular, contact: +Department: +Workers’ Compensation Service +Mailing Address: +Boston City Hall, Room 613, Boston, MA 02201 +Phone: +617-635-3193 +Fax: +617-635-3119 + +For submitting forms to the Office of Human resources: +Owner: +Employee Services +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +OHRleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP08 Incentive for Early Notification of Termination for BTU.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP08 Incentive for Early Notification of Termination for BTU.txt new file mode 100644 index 0000000..cb5fdbe --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP08 Incentive for Early Notification of Termination for BTU.txt @@ -0,0 +1,90 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP08 +Version 01 + +INCENTIVE FOR EARLY NOTIFICATION OF TERMINATION +FOR BOSTON TEACHERS UNION — TEACHERS UNIT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +To assist hiring for the 2024-2025 school year, the Boston Public +Schools is offering a one-time incentive for early notification of +termination to members of the BTU Teachers Union. +1. An individual must be a permanent BTU teacher, have a +minimum of ten (10) years of continuous service in the +Boston Public Schools, and must meet the minimum age +requirement of fifty-five (55) years. +2. Eligible employees presently on paid or unpaid leave of +absence can apply by completing the online application for +Incentive for Early Notification of Termination and +submitting it to the Office of Human Resources (application +link located below). +3. A Separation Agreement must be completed in order for the +Office of Human Resources to accept the application in full. +Once the application is accepted in full, it is binding on both +parties and irrevocable. +4. Applicants understand that the termination must be +effective between June 30, 2025 and August 31, 2025. + + +Page 2: +Superintendent’s Circular HRS-PP08 +Page 2 of 3 + +5. Applicants will be ineligible for hire into full-time positions +at Boston Public Schools for the school year 2024-2025. +6. Applicants further understand that: +a. They will not be eligible for unemployment +compensation, and +b. Acceptance of this incentive shall not affect any rights +of a member under the Teacher Retirement Law. +7. Applications must be filed with the Office of Human +Resources by the close of business on Friday, January 10, +2025. If accepted, a one-time payment of $1,500 will be +made by Friday, February 28, 2025. +8. Individuals planning to retire must also file an “Intent to +Retire” form with the City of Boston Retirement Board. The +incentive application does not replace this process. Please +note that pursuant to Retirement Board policy, an individual +cannot file an “Intent to Retire” more than forty-five (45) +days before the retirement date. +9. BTU/Teachers Unit employees wishing to apply for this +incentive for early notification of termination must submit +the following Google form to the Office of Human +Resources: +Application for Incentive for Early Notification of Termination + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Application Deadline +Payment +Friday, January 10 +Friday, February 28 + + + +Page 3: +Superintendent’s Circular HRS-PP08 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Employee Information +Department: +Office of Human Resources +Mailing +Address: +2300 Washington Street, Roxbury, MA 02119 +Fax: +617-635-7957 +Email: +employeeinformation@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP09 Criminal History Screening.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP09 Criminal History Screening.txt new file mode 100644 index 0000000..47a9bb9 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP09 Criminal History Screening.txt @@ -0,0 +1,1464 @@ +Page 1: + + +Superintendent’s +Circular + +NUMBER: +HRS-PP09 + + +CRIMINAL HISTORY SCREENING +This policy circular shall remain in effect unless rescinded or +replaced by a subsequent version. +The Boston School Committee and superintendent are +committed to providing a safe learning and work environment +for Boston Public Schools students and employees. Following all +applicable federal and state laws and regulations regarding +Criminal Offender Record Information (CORI), including +fingerprinting and Sex Offender Registry Information (SORI), it is +the policy of the Boston Public Schools to conduct a criminal +background check (“CORI check”) at least once every three (3) +years on current and prospective employees, contracted service +providers, volunteers, school transportation providers, and other +individuals who may have direct and unmonitored contact with +children.1 The Boston Public Schools criminal history screening +policy applies to all current and prospective: +a. full-time or part-time employees and candidates for +employment, including promotions +b. substitute employees +c. student teachers, apprentices, and interns + +1 See also the Boston Public Schools Sexual Offender Registry +Information (SORI) Policy. + + +Page 2: +Superintendent’s Circular HRS-PP09 +Page 2 of 32 + +d. employees of educational programs +e. individuals who regularly provide school-related +transportation to children +f. contractors +g. volunteers, subcontractors, and laborers who perform work +in school buildings or on school grounds 2 +The Department of Criminal Justice Information Services (DCJIS) +provides Boston Public Schools with “Required 2” access to CORI. +Required 2 access produces a CORI record that includes all +adult/youthful offender convictions, non-convictions, and +pending offenses but does not list any sealed, juvenile, civil, or +non-incarcerable crimes. The following practices and procedures +are applicable when CORI and other criminal history checks, +including fingerprint screening, are part of a general background +check for employment or volunteer work in BPS. +CONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) +SCREENING +Criminal history checks, including CORI checks and fingerprint +screenings, will only be conducted as authorized by the +Department of Criminal Justice Information Services (DCJIS) +under Mass. Gen. Laws c. 6, §§ 172 and 172B ½, c. 71, § 38R, 28 CFR +20.33(a)(3), and Public Law 92‐544. Boston Public Schools will only +perform a criminal history check after receiving a completed + +2 Volunteers, subcontractors, and laborers will not be subject to +fingerprinting. + + +Page 3: +Superintendent’s Circular HRS-PP09 +Page 3 of 32 + +CORI/Fingerprinting Acknowledgement Form and confirming +the individual’s identity. +NOTE: BPS policy and procedures for criminal history checks +including fingerprint screening are also subject to the +regulations, policies, and procedures promulgated by the DCJIS +and state board of elementary and secondary education. In +accordance with those procedures, all candidates’ fingerprints +will be searched against the Automated Fingerprint +Identification System (AFIS) fingerprint database which is +maintained by the Massachusetts State Police and the Federal +Bureau of Investigation’s (FBI) Integrated Automated Fingerprint +Identification System (IAFIS) fingerprint database. A fee will be +required to conduct a fingerprint screen. +In the instance that the Boston Public Schools requests an +additional CORI Check from the DCJIS on an individual whose +CORI has already been obtained within a year of signing the +original CORI/Fingerprinting Acknowledgement Form, the +individual will receive notice within 72 hours that it intends to +conduct an additional CORI check. A current employee being +considered for promotion must submit to a CORI check, +regardless of whether a CORI check has been conducted within +that year. +ACCESS TO CRIMINAL HISTORY INFORMATION (CORI AND +FINGERPRINT SCREENING) +All criminal history information obtained from the DCJIS is +confidential, and access to the information must be limited to +those individuals who have a “need to know.” This may include, +but is not limited to, staff submitting the CORI requests and staff + + +Page 4: +Superintendent’s Circular HRS-PP09 +Page 4 of 32 + +members of the CORI/Criminal History Review Panel. The Boston +Public Schools maintains and keeps a current list of each +individual authorized to have access to, or view, a CORI and the +results of a fingerprint screen. This list must be updated every six +(6) months and is subject to inspection at any time only upon +request by the DCJIS. +CORI TRAINING +The Boston Public Schools is an agency required to maintain a +CORI Policy under Mass. Gen. Laws c. 6, §171A. Accordingly, all +personnel authorized to conduct criminal history background +checks or inspect CORI information will review and familiarize +themselves with the educational and relevant training materials +regarding CORI laws and regulations made available by the +DCJIS. +USE OF CRIMINAL HISTORY IN BACKGROUND SCREENING +The Boston Public Schools shall only access, for employment +purposes, the CORI and fingerprinting information for candidates +who are otherwise qualified for the position for which they have +applied and for current employees during periodic criminal +background checks. +Unless otherwise provided by law, a criminal record will not +automatically disqualify an individual for employment, contract +work, subcontract work, volunteering, or interning. Suitability +determinations based on criminal background checks will be +consistent with this policy and applicable laws or regulations. +I. +Verifying a Subject’s Identity + + +Page 5: +Superintendent’s Circular HRS-PP09 +Page 5 of 32 + +If a criminal record is received from the DCJIS, the information is +to be closely compared with the information on the +CORI/Fingerprinting Acknowledgement Form and any other +identifying information provided by an individual to ensure the +record belongs to the individual. +If the information in the CORI record provided does not precisely +match the identification information provided by the individual, a +determination is to be made by a Boston Public Schools +employee(s) authorized to make such determinations based on a +comparison of the CORI record and documents provided by the +individual. +II. +Inquiring About Criminal History +In connection with any decision regarding employment, +internships, or volunteer opportunities within the Boston Public +Schools, the individual shall be provided with a copy of their +criminal history record, whether obtained from the DCJIS or any +other source, before asking the subject questions about their +criminal history. The source(s) of the criminal history record is +also to be disclosed to the subject. + + + + + +Page 6: +Superintendent’s Circular HRS-PP09 +Page 6 of 32 + +III. +Determining Suitability +When an individual’s CORI record or fingerprint screen lists one +or more offenses, the first step is to convene the CORI/Criminal +History Review Panel. The panel will verify that the criminal +record belongs to the individual and that the individual has not +disputed the criminal record’s accuracy based on the procedure +described in Section V of this policy. +Findings from CORI Investigations – No Further Review – +Outstanding Warrants +1) If the CORI investigation reveals a conviction of a Table B +crime that is a felony more than ten years old or a Table B +crime that is a misdemeanor more than five years old, and +there are no subsequent convictions or pending cases of +any kind, the CORI/Criminal History Review Panel will not +consider such crime. For purposes of computing the five- +and ten-year periods, the period will run from the date any +court supervision, probation, or sentence was terminated. +2) If the CORI investigation reveals an outstanding warrant for +any offense, the CORI/Criminal History Review Panel will +inform the candidate that they are ineligible for +employment unless the warrant is removed. +3) Storage, retention, and destruction of all CORI reports, +including those with a finding of “no record,” shall follow +DCJIS regulations at 803 CMR 2.00: Criminal Offender +Record Information (CORI). + + + + + +Page 7: +Superintendent’s Circular HRS-PP09 +Page 7 of 32 + +Findings from CORI Investigation - Crimes Subject to Review +1) If the CORI investigation reveals a conviction of a Table A +crime, regardless of when it occurred, or a pending Table A +crime, or a conviction of a Table B crime within the five- and +ten-year periods or a pending Table B crime, the +CORI/Criminal History Review Panel will carefully consider +the following factors in its decision to hire or not hire the +candidate: +a. time since the conviction or pending offense +b. age of the candidate at the time of the offense +c. nature and specific circumstances of the offense +d. the sentence imposed and the length of any period of +incarceration +e. relationship of the criminal act to the nature of the +work to be performed +f. number of offenses +g. whether offenses were committed in association with a +dependence on drugs or alcohol, from which the +candidate has since recovered +h. any relevant evidence of rehabilitation or lack thereof, +such as information about compliance with conditions +of parole or probation, including orders of no contact +with victims and witnesses; and the individual’s +conduct and experience since the time of the offense, +including but not limited to educational or professional +certifications obtained; and + + +Page 8: +Superintendent’s Circular HRS-PP09 +Page 8 of 32 + +i. any other relevant information, including information +submitted by the candidate or requested by the +CORI/Criminal History Review Panel. +2) The CORI/Criminal History Review Panel, using a form +prescribed by BPS, will also make a written determination of +its decision to hire or not hire such candidate. This form will +document the factors and rationale for the decision of the +CORI/Criminal History Review Panel. A copy of such written +determination will be maintained by the CORI/Criminal +History Review Panel in a secure location, together with the +CORI and criminal record disclosure information that may +have been requested under this policy. +Completion of the written determination form will serve to +confirm that the CORI/Criminal History Review Panel has +carefully reviewed the CORI and other relevant information, +including information provided by the candidate, so that the +vulnerable populations served by BPS are protected, and +candidates with criminal histories are given a fair +opportunity to be employed and to reintegrate successfully +into the workforce. +3) If the CORI/Criminal History Review Panel decides to hire a +candidate with a CORI showing a conviction of or pending +Table A crime, the CORI/Criminal History Review Panel will +submit the prescribed form to the Chief Human Resources +Officer, the Superintendent of Schools, or their designees. +The CORI/Criminal History Review Panel will not proceed to +hire the candidate for ten business days from the date the +Chief Human Resources Officer or the Superintendent of +Schools, or their designees receive the form. During such +time, the Chief Human Resources Officer, the + + +Page 9: +Superintendent’s Circular HRS-PP09 +Page 9 of 32 + +Superintendent of Schools, or their designees may +disapprove the hire or request additional information. +Notwithstanding the foregoing, a CORI/Criminal History +Review Panel may proceed to hire the candidate before the +expiration of the five days if the Chief Human Resources +Officer or the Superintendent of Schools or their designees, +after receiving the prescribed form, informs the +CORI/Criminal History Review Panel that they do not intend +to disapprove the hire or request additional information. +4) If the CORI/Criminal History Review Panel does not wish to +hire a candidate with a Table A crime or a Table B crime +within the five- and ten-year period, the prescribed form will +be completed and maintained on file in a secure location. +ADVERSE DECISIONS BASED ON CRIMINAL HISTORY +INFORMATION (CORI AND FINGERPRINT SCREENING) +If the Boston Public Schools is inclined to make an adverse +decision based on criminal history background check results, the +candidate will be notified immediately. The candidate shall be +provided with a copy of the Boston Public Schools Criminal +History Screening policy and their criminal history. The source(s) +of the criminal history will also be revealed. The individual will +then be provided with an opportunity to dispute the accuracy of +the information. Individuals shall also be provided a copy of +DCJIS’ Information Concerning the Process for Correcting a +Criminal Record. The Boston Public Schools will stay the decision +for a brief time and document the steps taken to comply with +this procedure. +SECONDARY DISSEMINATION LOGS + + +Page 10: +Superintendent’s Circular HRS-PP09 +Page 10 of 32 + +All CORIs obtained from the DCJIS are confidential and can only +be disseminated as authorized under the applicable law and +regulations. A central secondary dissemination log shall be used +to record any dissemination of a CORI outside this organization, +including dissemination at the individual’s request. +CORI/CRIMINAL HISTORY REVIEW PANEL +The Boston Public Schools CORI/Criminal History Review Panel +shall consist of four or more of the following individuals: the +Deputy Superintendent of Operations, the Chief Human +Resources Officer, the Director of Transportation, the Director of +Facilities, the Director of Labor Relations, the Director of Equity, +or their designees. The panel, as well as the Superintendent, +Legal Advisor, and Chief Operations Officer, shall all have access +to criminal history information on a case-by-case basis as is +necessary to perform their job functions. When reviewing an +individual’s criminal history information to determine whether an +individual is qualified for employment as a BPS employee or is +qualified to work as a contractor, subcontractor, laborer, intern, or +volunteer, the panel will review such factors as outlined in +Section VII. The panel will determine whether an individual +qualifies for employment or will commence work as a contractor, +subcontractor, laborer, intern, or volunteer. The decision made by +the CORI/Criminal History Review Panel shall be recorded and +shall be made by a majority of members present. A minimum of +four panel members must be present for a decision to be made. +In the interests of confidentiality and the furtherance of the +protection of school children, the identity of the panel reviewing +a particular subject’s confidential criminal history will not be +disclosed. + + +Page 11: +Superintendent’s Circular HRS-PP09 +Page 11 of 32 + +REGISTRATION PROCESS FOR FINGERPRINTING +You must submit to fingerprinting as part of your criminal +background screening to work for Boston Public Schools. Please +follow the steps below to register for an appointment to get +fingerprinted at the nearest site (most likely Dorchester) +operated by MorphoTrust USA. +The below summarizes the procedure to register and get your +fingerprints taken. For further information and details, please see +the state’s guide, “Statewide Applicant Fingerprint Identification +Services (SAFIS) Program: Registration Guide,” available at the +following link: https://www.mass.gov/files/2017-06/safis- +registration-guide-dcf-fv1-0_0.pdf +Step 1: Sign up for an appointment online or over the phone. + +https://ma.ibtfingerprint.com/ + +866-349-8130 +Step 2: Give the Provider ID for Boston Public Schools. + +Enter the following number as the district Provider ID: +00350000 +Step 3: Pay a fee for the FBI and state government agencies +to process your fingerprints. +Licensed educators: $55 +Non-licensed staffers: $35 +Step 4: Make an appointment and get a Registration +Confirmation Number. You will need to bring the +Registration Confirmation Number with you to your +appointment. +Step 5: +Go to your appointment and bring a proper ID. + +Your ID must contain a photo, your full name, and +date of birth and be unexpired. + + +Page 12: +Superintendent’s Circular HRS-PP09 +Page 12 of 32 + +Step 6: +Obtain a receipt from MorphoTrust showing your +fingerprints were taken. + +Keep your receipt and make a copy of it. +Step 7: +Mail the copy of your receipt to: +BPS Office of Human Capital +2300 Washington Street, 4th Floor +Boston MA 02119 +MISCELLANEOUS +a) All individuals covered by the Boston Public Schools CORI +Policy must submit an annual CORI Acknowledgment Form +within ten days or following a request from the Office of +Human Capital. +b) A CORI Acknowledgment Form is valid for one year from the +date the individual signs the form or until the conclusion of +a subject’s employment, whichever comes first, and must be +maintained for a minimum of one year from the date of +execution. Within the year, the Boston Public Schools may +submit an additional request for CORI but will first provide a +72-hour written notice. If the individual objects to an +additional CORI, the CORI Acknowledgment Form becomes +invalid. However, the Boston Public Schools may make an +adverse employment decision based on an individual’s +objection to a request for CORI. Criminal history information +will be maintained confidentially, on a need-to-know basis +only, by the Office of Human Capital. A limited number of +designated individuals will routinely review criminal history +information. The Office of Human resourcesdesignee(s) will +receive and maintain all properly obtained criminal history + + +Page 13: +Superintendent’s Circular HRS-PP09 +Page 13 of 32 + +information and will keep the assistant superintendent of +Human resourcesinformed. +c) CORI information will remain segregated and secured from +all personnel files or other personnel information. Hard +copies will be stored in a locked, secured location. If the +Boston Public Schools retains electronic copies of CORI +reports, then the Boston Public Schools will password +protect and encrypt the reports. The reports will not be +maintained for more than seven (7) years after the +employee’s last date of employment or after the final +decision not to hire the candidate. +d) For any adverse decision based on the criminal background +check results, the individual will be notified immediately, +either in person or by telephone, fax, email, or letter. +e) CORI information may be used only to further the protection +of children and for no other purpose. Access to such +information shall be obtained in accordance with Mass. Gen +Laws c. 6, §§167 to 168, inclusive. Improper use of CORI +information is both a civil and a criminal offense and may +subject an employee to discipline. + + + + + +Page 14: +Superintendent’s Circular HRS-PP09 +Page 14 of 32 + +For more information about this circular, contact: +Owner: +Director of Labor Relations +Department: +Office of Labor Relations +Mailing Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-1576 +Email: +OLR@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 15: +Superintendent’s Circular HRS-PP09 +Page 15 of 32 + +TABLE A +Crime Name +MGL +ABANDON CHILD UNDER 10, RESULTING IN DEATH c. 119, § 39 +ABUSE OF PATIENT IN LONG TERM CARE FACILITY c. 265, § 38 +ANIMALS, CRUELTY TO +c. 272, § 77 +ARMED CAREER CRIMINAL +c. 269, § 10G +ARSON OF DWELLING HOUSE +c. 266, § 1 +ASSAULT, AGGRAVATED +c. 265, § 13A(b) +ASSAULT & BATTERY, DANGEROUS WEAPON, +AGGRAVATED +c. 265, § 15A(c) +ASSAULT & BATTERY, DANGEROUS WEAPON, +VICTIM 60 AND OLDER +c. 265, § 15A(a) +ASSAULT & BATTERY ON CHILD +c. 265, § 13J +ASSAULT & BATTERY ON ELDER OR PERSON WITH +DISABILITY +c. 265, § 13K +ASSAULT & BATTERY, INTIMIDATION, +RACE/COLOR/RELIGION +c. 265, §§ 39(a) and +39(b) +ASSAULT & BATTERY ON PERSON WITH +INTELLECTUAL DISABILTY +c. 265, § 13F +ASSAULT WITH INTENT TO MURDER OR ROB, +ARMED +c. 265, § 18(b) +ASSAULT WITH INTENT TO MURDER OR ROB, +VICTIM 60 AND OLDER, ARMED +c. 265, § 18(a) +ASSAULT IN DWELLING, ARMED +c. 265, § 18A +ASSAULT BY DANGEROUS WEAPON, VICTIM 60 +AND OLDER +c. 265, § 15B(a) + + +Page 16: +Superintendent’s Circular HRS-PP09 +Page 16 of 32 + +ASSAULT WITH INTENT TO MURDER OR MAIM +c. 265, § 15 +ASSAULT WITH INTENT TO RAPE +c. 265, § 24 +ASSAULT WITH INTENT TO RAPE CHILD UNDER 16 +c. 265, § 24B +BREAKING AND ENTERING NIGHT, +BLDG/SHIP/MOTOR VEHICLE, INTENT TO COMMIT +FELONY + +c. 266, § 16 +CARJACKING, ARMED +c. 265, § 21A +CHILD IN NUDE OR SEXUAL ACT, POSE/EXHIBIT OR +DISTRIBUTE MATERIAL +c. 272, §§ 29A and 29B +CHILD ENTICEMENT +c. 265, § 26C +CIVIL RIGHTS VIOLATION, BODILY INJURY +c. 265, § 37 +CRIMINAL HARASSMENT, SUBSEQUENT OFFENSE +c. 265, § 43A(B) +DRUGS, DISTRIBUTE TO MINOR +c. 94C, § 32F +DRUGS, TRAFFICKING IN COCAINE +c. 94C, § 32E(b)(1)-(4) +DRUGS, TRAFFICKING IN HEROIN +c. 94C, § 32E(c)(4) +DRUGS, TRAFFICKING IN MARIJUANA +c. 94C, § 32E(a)(4) +ELDER/DISABLED, PERMIT ABUSE ON +c. 265, § 13K(a ½) +EXPLOSION, MALICIOUS +c. 266, § 102B +(c. 266, §101 prior to +July 15, 2010) + +EXTORTION +c. 265, § 25 +FIREARM, ARMED CAREER CRIMNAL +c. 269, § 10G +HOME INVASION +c. 265, § 18C +IDENTITY FRAUD +c. 266, § 37E + + +Page 17: +Superintendent’s Circular HRS-PP09 +Page 17 of 32 + +INCEST +c. 272, § 17 +INDECENT ASSAULT & BATTERY ON PERSON 14 OR +OVER +c. 265, § 13H +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14 +c. 265, § 13B +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14, AGGRAVATED +c. 265, § 13B½ +INDECENT ASSAULT & BATTERY ON CHILD UNDER +14, AGGRAVATED, SUBSEQUENT EVENT +c. 265, § 13B¾ +INDECENT ASSAULT & BATTERY ON +DIABLED/PERSON OVER 60 +c. 265, § 13K +INDECENT ASSAULT & BATTERY ON RETARDED +PERSON +c. 265, § 13F +KIDNAPPING +c. 265, § 26 +KIDNAPPING MINOR BY RELATIVE, ENDANGER +SAFETY +c. 265, § 26A +MANSLAUGHTER (Voluntary or Involuntary) +c. 265, § 13 +MAYHEM +c. 265, § 14 +MURDER +c. 265, §§ 1 and 2 +OBSCENE PICTURES, DISTRIBUTING +c. 272, §§ 28 and 29 +OBSCENE MATERIALS HARMFUL TO MINOR, +DISTRIBUTE OR POSSESS WITH INTENT TO +DISTRIBUTE +c. 272, § 28 +PHOTOGRAPH UNSUSPECTING NUDE PERSON/ +PHOTOGRAPH OF UNSUSPECTING NUDE PERSON, +DISSEMINATE +c. 272, §§ 105(b) and (c) +c.272, §§104(b) and (c) +prior to March 7, 2014 +PRESCRIPTION; FORGERY, ALTER, SUBSEQUENT +OFFENSE +c. 94C, § 33(c) + + +Page 18: +Superintendent’s Circular HRS-PP09 +Page 18 of 32 + +PROSTITUTION, DERIVE SUPPORT FROM +c. 272, § 7 +PROSTITUTION, DERIVE SUPPORT FROM CHILD +c. 272, § 4B +PROSTITUTION, INDUCE MINOR TO +c. 272, § 4A +PROSTITUTION, MAINTAIN HOUSE OF +c. 272, § 6 +PROSTITUTION/UNLAWFUL SEX/ABDUCT PERSON +FOR +c. 272, § 2 +PROSTITUTION/SOLICITATION (With Person under +18); +PROSTITUTION/SOLICITATION (With person under +14); Prior to February 19, 2012 +c. 272, § 53A(b) +RAPE +c. 265, § 22(b) +RAPE, AGGRAVATED +c. 265, § 22(a) +RAPE & ABUSE OF A CHILD, AGGRAVATED +c. 265, § 23A +RAPE & ABUSE OF A CHILD, AGGRAVATED, +SUBSEQUENT EVENT +c. 265, § 23B +RAPE OF CHILD WITH FORCE +c. 265, § 22A +RAPE OF CHILD WITH FORCE, AGGRAVATED +c. 265, § 22B +RAPE OF CHILD WITH FORCE, AGGRAVATED, +SUBSEQUENT EVENT +c. 265, § 22C +RAPE OF CHILD (STATUTORY) +c. 265, § 23 +RECKLESS ENDANGERMENT TO CHILDREN +c. 265, § 13L +ROBBERY, ARMED +c. 265, § 17 +SEX OFFENDER, FAILURE TO REGISTER +c. 6, § 178H(a) +SEXUAL CONDUCT WITH CHILD UNDER 18, PAY +FOR OR FOR FEE; SEXUAL CONDUCT WITH CHILD +UNDER 14, PAY FOR OR FOR A FEE; Prior to +February 19, 2012 +c. 272, § 53A(b) +SEXUAL INTERCOURSE, ADMINISTER DRUGS FOR +c. 272, § 3 + + +Page 19: +Superintendent’s Circular HRS-PP09 +Page 19 of 32 + +SEXUAL INTERCOURSE, INDUCE MINOR +c. 272, § 4 +STALKING +c. 265, § 43(a) +STALKING IN VIOLATION OF RESTRAINING ORDER c. 265, § 43(b) +UNNATURAL ACTS WITH CHILD UNDER 16 +c. 272, § 35A +VIOLATE DOMESTIC PROTECTIVE ORDER +c. 208, § 34C +VIOLATION OF PROTECTIVE ORDER (209A) +c. 209A, § 7 +WEAPON OF MASS DESTRUCTION +c. 266, § 102C +CONSPIRACY TO COMMIT ANY OF THE ABOVE +TABLE A CRIMES +c. 274, § 7 + + + + +Page 20: +Superintendent’s Circular HRS-PP09 +Page 20 of 32 + +ACCESSORY BEFORE THE FACT OF ANY OF THE +ABOVE TABLE A CRIMES +c. 274, § 2 +ATTEMPT TO COMMIT ANY OF THE ABOVE TABLE A +CRIMES +c. 274, § 6 + + + + + +Page 21: +Superintendent’s Circular HRS-PP09 +Page 21 of 32 + +TABLE B + +Crime Name + +MGL +Felony or +Mis-demeanor +ABANDON CHILD UNDER 10 +c. 119, § 39 +M +ACCESSORY AFTER FACT (VARIABLE) +c. 274, § 4 +F +ACCOSTING; LEWD & LASCIVIOUS +CONDUCT; INDECENT EXPOSURE +c. 272, § 53 +M +AFFRAY, SUBSEQUENT OFFENSE AFFRAY +(Prior to August 1, 2009) +c. 272, § 53 +M +AID ESCAPE FROM CUSTODY +c. 268, § 17 +M +ALCOHOLIC BEVERAGES, SELL/DELIVER +TO PERSON UNDER 21 +c. 138, § 34 +M +ALIEN IN POSSESS OF FIREARM +c. 140, § 131H +M +ASSAULT +c. 265, § 13A(a) +M +ASSAULT WITH INTENT TO ROB, +UNARMED +c. 265, § 20 +F +ASSAULT & BATTERY +c. 265, § 13A(a) +M +ASSAULT & BATTERY ON PUBLIC +SERVANT/POLICE OFFICER +c. 265, § 13D +M +ASSAULT & BATTERY ON CORRECTIONAL +OFFICER +c. 127, § 38B +F +ASSAULT & BATTERY DANGEROUS +WEAPON +c. 265, § 15A(b) +F +ASSAULT BY DANGEROUS WEAPON +c. 265, § 15B(b) +F +ASSAULT WITH HYPODERMIC NEEDLE, +SYRINGE +c. 265, § 15C(a) +F + + +Page 22: +Superintendent’s Circular HRS-PP09 +Page 22 of 32 + +ASSAULT & BATTERY WITH HYPODERMIC +NEEDLE, SYRINGE +c. 265, § 15C(b) +F +ATTEMPT TO INJURE DEPOSITORY OF +VALUABLES +c. 266, § 16 +F +BETTING; TAKING, ALLOWING +c. 271, § 17 +M +BODY ARMOR, USE OF IN COMMISSION +OF FELONY +c. 269, § 10D +F +BOMB SCARE /HIJACK THREAT +c. 269, § 14 +F +BOMB/EXPLOSIVES, UNLAWFUL +POSSESSION + + +c. 266, §102. +c. 148, § 35 prior +to July 15, 2010 +F +(M prior to July +15, 2010) +BREAKING AND ENTERING DAY, INTENT +TO COMMIT FELONY, PERSON IN FEAR +c. 266, § 17 + +F +BREAKING AND ENTERING DAY, INTENT +TO COMMIT FELONY +c. 266, § 18 +F +BREAKING AND ENTERING RAILROAD +CAR +c. 266, § 19 +F +BREAKING AND ENTERING TRUCK, +INTENT TO COMMIT FELONY +c. 266, § 20A +F +BREAKING AND ENTERING, INTENT TO +COMMIT MISDEMEANOR +c. 266, § 16A +M +BRIBERY OF A POLICE OFFICER +(state/local official or member of the +judiciary) +c. 268A, § 2 +F +BRIBERY/GIFTS TO INFLUENCE +BUSINESS AFFAIRS +c. 271, § 39 +F +BURGLARIOUS TOOLS, MAKE OR +POSSESS +c. 266, § 49 +F + + +Page 23: +Superintendent’s Circular HRS-PP09 +Page 23 of 32 + +BURGLARIOUS TOOLS, MOTOR VEHICLE +MASTER KEY, MAKE OR POSSESS +c. 266, § 49 +F +BURGLARY, ARMED +c. 266, § 14 +F +BURGLARY, UNARMED +c. 266, § 15 +F +BURNING BUILDING +c. 266, § 2 +F +BURNING MOTOR VEHICLE OR +PERSONAL PROPERTY +c. 266, § 5 +F +BURNING TO DEFRAUD INSURANCE CO. c. 266, § 10 +F +BURN MOTOR VEHICLE, WILLFUL & +MALICIOUS +c. 266, § 127 +F +CIVIL RIGHTS VIOLATION, NO BODILY +INJURY +c. 265, § 37 +M +COMPOUNDING OR CONCEALING +FELONY +c. 268, § 36 +F +CONTRIBUTE TO DELINQUENCY OF +CHILD +c. 119, § 63 +M +CONFINE OR PUT IN FEAR TO STEAL OR +ATTEMPT TO STEAL +c. 265, § 21 +F +CREDIT CARD, LARCENY OR MISUSE OF +c. 266, § 37B +M +CREDIT CARD, UNAUTHORIZED USE, +OVER $250 +c. 266, § 37C +F +CRIMINAL HARASSMENT +c. 265, § 43A(a) M +DANGEROUS WEAPON, CARRYING +c. 269, §§ 10(b) +and 10(d) + +F +DANGEROUS WEAPON, UNLAWFUL +POSSESSION +c. 269, § 10(b) +F +DEFACEMENT OF REAL OR PERSONAL +PROPERTY +c. 266, § 126A +F + + +Page 24: +Superintendent’s Circular HRS-PP09 +Page 24 of 32 + +DESTRUCTION OF PROPERTY OVER $250, +MALICIOUS +c. 266, § 127 +F +DISORDERLY CONDUCT +c. 272, § 53 +M +DRUGS, LARCENY FROM AUTHORIZED +PERSON +c. 94C, § 37 +F +DRUGS, FAILURE TO KEEP RECORDS +c. 94C, § 15 +M +DRUGS, ILLEGAL POSSESSION CLASS C +SUBSTANCE +c. 94C, § 34 +M +DRUGS, ILLEGAL POSSESSION CLASS D +SUBSTANCE +c. 94C, § 34 +M +DRUGS, ILLEGAL POSSESSESSION CLASS +E SUBSTANCE +c. 94C, § 34 +M +DRUGS, DISPENSE WITHOUT +PRESCRIPTION OR WHEN NOT +REGISTERED +c. 94C, § 25 +M +DRUG PARAPHENELIA, DISTRIBUTE OR +INTEND TO DISTRIBUTE +c. 94C, § 32I(a) +M +DRUG PARAPHENELIA, SELL TO MINOR +c. 94C, § 32I(B) +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS A SUBSTANCE +c. 94C, § 32 +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS B SUBSTANCE +c. 94C, § 32A +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS C SUBSTANCE +c. 94C, § 32B +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS D SUBSTANCE +c. 94C, § 32C +F +DRUGS, MANUFACTURE/DISTRIBUTE +CLASS E SUBSTANCE +c. 94C, § 32D(a) M + + +Page 25: +Superintendent’s Circular HRS-PP09 +Page 25 of 32 + +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS B SUBSTANCE +c. 94C, § 32A +F +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS A SUBSTANCE IN, ON, OR NEAR +SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, +MANUFACTURE/DISTRIBUTE/DISPENSE +CLASS B SUBSTANCE IN, ON, OR NEAR +SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, MOTOR VEHICLE HOMICIDE, +NEGLIGENT OPERATION +c. 90, § 24G(b) +F +DRUGS, POSSESS CLASS A SUBSTANCE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS A SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32(a) +F +DRUGS, POSSESS CLASS B SUBSTANCE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS B SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32A(a) F +DRUGS, POSSESS CLASS C SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32B(a) F +DRUGS, POSSESS CLASS C SUBSTANCE, +SUBSEQUENT OFFENSE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS D SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32C(a) M +DRUGS, POSSESS CLASS D SUBSTANCE, +SUBSEQUENT OFFENSE +c. 94C, § 34 +M +DRUGS, POSSESS CLASS E SUBSTANCE, +INTENT TO DISTRIBUTE +c. 94C, § 32D +M + + +Page 26: +Superintendent’s Circular HRS-PP09 +Page 26 of 32 + +DRUGS, POSSESS CONTROLLED +SUBSTANCE WITH INTENT TO +DISTRIBUTE, SUBSEQUENT OFFENSE + +c. 94C, § 32(b) + +F +DRUGS, POSSESS COUNTERFEIT +SUBSTANCES WITH INTENT TO +DISTRIBUTE + +c. 94C, § 32G + +M +DRUGS, POSSESS CLASS A SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, POSSESS CLASS B SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, POSSESS CLASS D SUBSTANCE +WITH INTENT TO DISTRIBUTE IN, ON, OR +NEAR SCHOOL/PARK + +c. 94C, § 32J + +F +DRUGS, TRAFFICKING IN COCAINE IN, +ON, OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, TRAFFICKING IN HEROIN IN, ON, +OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, TRAFFICKING IN MARIJUANA IN, +ON, OR NEAR SCHOOL/PARK +c. 94C, § 32J +F +DRUGS, UNLAWFULLY OBTAINING +CONTROLLED SUBSTANCE, FALSE +PRESCRIPTION, FRAUD, FALSE +REGISTRATION +c. 94C, § 33 +F +EMBEZZLEMENT +c. 266, §§ 51-52, +55-59 +F + + +Page 27: +Superintendent’s Circular HRS-PP09 +Page 27 of 32 + +ENTER WITHOUT BREAKING, +BLDG/SHIP/MOTOR VEHICLE, INTENT TO +COMMIT A FELONY, PERSON IN FEAR +c. 266, § 17 +F +ENTER WITHOUT BREAKING A +DWELLING IN NIGHT, INTENT TO COMMIT +FELONY +c. 266, § 18 +F +ENTER WITHOUT BREAKING, TRUCK, +WITH INTENT TO COMMIT FELONY +c. 266, § 20A +F +ESCAPE BY PRISONER +c. 268, § 16 +F +ESCAPE, FURLOUGH +c. 268, § 16 +F +EXPLOSIVES, THROWING +c. 266, § 102 +F +EXPLOSIVES, THROW/PLACE/EXPLODE +OR POSSESS WITH INTENT TO INJURE + +c. 266, § 102 + +F +FIREARM, CARRYING LOADED +RIFLE/SHOTGUN +c. 269, § 12D(a) +M +FIREARM, CARRYING LOADED OR +UNLOADED FIREARM ON A PUBLIC WAY; +UNENCLOSED CASE + +c. 269, § 12D(b) + +F +FIREARM, DISCHARGE WITHIN 500 FT. +OF A BUILDING +c. 269, § 12E +M +FIREARM, DISCHARGE WITHIN 500 FT. +OF A DWELLING OR NEAR HIGHWAY + +c. 131, § 58 + +M +FIREARM LICENSE/ID CARD, FALSE +c. 140, § 131I +F +FIREARM, POSSESS WITHOUT FIREARMS +ID +c. 269, § 10(h) +M +FIREARM, POSSESS OF, SERIAL/ID +NUMBER OBLITERATED +c. 269, § 11C +F + + +Page 28: +Superintendent’s Circular HRS-PP09 +Page 28 of 32 + +FIREARM, POSSESS OF, SERIAL/ID +NUMBER OBLITERATED, USED IN +COMMISION OR ATTEMPTED +COMMISION OF A FELONY + +c. 269, § 11B + +F +FIREARM, SELL WITHOUT LICENSE +c. 140, § 128 +F +FIREARM, SHOTGUN, BARREL UND 18 +“SAWED OFF”, POSSESS, SUBSEQUENT +OFFENSE +c. 269, § 10(d) +F +FIREARM, SHOTGUN, BARREL UND 18 +“SAWED OFF”, POSSESS +c. 269, § 10(c) +F +FIREARM UNATTENDED +c. 269, § 10(h) +F +FIREARM, UNLAWFUL POSSESSION, +COMMISSION FELONY +c. 265, § 18B +F +FIREARM, SHOTGUN, UNLAWFUL +POSSESSION +c. 140, § 129C +M +FIREARM VIOLATION, CARRY WITH +AMMUNITION +c. 269, § 10(n) +M +FORGED INSTRUMENT, UTTER +c. 267, § 5 +F +FUGITIVE FROM JUSTICE +c. 276, § 19 +M +GUN PERMIT, FALSE INFORMATION FOR c. 140, § 129 +M +HOAX DEVICE/SUBSTANCE, +POSSESS/TRANSPORT/USE +c. 266, § 102A ½; +c. 266, §102 +prior to July 15, +2010 + +F +INDECENT EXPOSURE +c. 272, § 53 +M +INFERNAL MACHINE, POSSESS +c. 266, § 102A +c. 266, §102 +prior to July 15, +2010 +F + + +Page 29: +Superintendent’s Circular HRS-PP09 +Page 29 of 32 + +KIDNAPPING MINOR BY RELATIVE +c. 265, § 26A +M +KILL BEAST, WILLFUL & MALICIOUS +c. 266, § 112 +F +LARCENY, MOTOR VEHICLE OR TRAILER c. 266, § 28 +F +LARCENY, PERSON +c. 266, § 25 +F +LARCENY, PERSON 65+ +c. 266, § 25 +F +LARCENY BY CHECK UNDER $250 +c. 266, § 37 +M +LARCENY BY CHECK OVER $250 +c. 266, § 37 +F +LARCENY FIREARM +c. 266, § 30 +F +LARCENY IN BLDG, SHIP, VESSEL, OR RR +CAR +c. 266, § 20 +F +LARCENY IN TRUCK/TRAILER +c. 266, § 20B +F +LARCENY OVER $250 +c. 266, § 30 +F +LARCENY UNDER $250 +c. 266, §30 +M +LARCENY, BANK EMPLOYEE OR OFFICER c. 266, § 52 +F +LEAVE SCENE AFTER PERSONAL INJURY, +MOTOR VEHICLE +c. 90, § +24(2)(a1/2)(1) +M +LEWD & LASCIVIOUS CONDUCT +c. 272, § 53 +M +LEWDNESS, OPEN & GROSS +c. 272, § 16 +F +LIQUOR, PROCURE FOR MINOR +c. 138, § 34 +M +MACHINE OR SAWED OFF SHOT GUN, +POSSESSION OF +c. 269, § 10(c) +F +MACHINE GUN, POSSESSION OF +WITHOUT LICENSE +c. 269, § 10(c) +F +MANSLAUGHTER BY OPERATING UNDER +THE INFLUENCE +c. 265, § 13 ½ +F +MEDICAL ASSISTANCE (MEDICAID) +FRAUD +c. 118E, § 40 +F + + +Page 30: +Superintendent’s Circular HRS-PP09 +Page 30 of 32 + +MEDICAL ASSISTANCE (MEDICAID) +KICKBACK +c. 118E, § 41 +F +MOTOR VEHICLE HOMICIDE, RECKLESS +OPERATION +c. 90, § 24G(b) +F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE DRUGS, NEGLIGENT OR +RECKLESS +c. 90, § 24G(a) +F +MOTOR VEHICLE, USE OF IN +COMMISSION OF FELONY +c. 90, § 24(2)(a) F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE LIQUOR +c. 90, § 24G(b) +F +MOTOR VEHICLE HOMICIDE, UNDER +INFLUENCE LIQUOR, NEGLIGENT OR +RECKLESS +c. 90, § 24G(b) +F +MOTOR VEHICLE, OPERATING AFTER +LICENSE REVOKED FOR DRUNK DRIVING +c. 90, § 23 +M +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, ALCOHOL +c. 90, § +24(1)(a)(1) +M +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, ALCOHOL, 3rd +AND SUBSEQUENT OFFENSE +c. 90, § +24(1)(a)(1) + +F +MOTOR VEHICLE, OPERATING UNDER +INFLUENCE OF DRUGS, LIQUOR, 3rd AND +SUBSEQUENT OFFENSE +c. 90, § 24 +F +MOTOR VEHICLE, TAKE WITHOUT +AUTHORITY, STEAL PARTS +c. 266, § 28 +F +OBSCENE MATERIALS, POSSESS WITH +INTENT TO DISTRIBUTE +c. 272, § 29 +F +OBSCENE LITERATURE, SELL TO MINOR +c. 272, § 28 +F + + +Page 31: +Superintendent’s Circular HRS-PP09 +Page 31 of 32 + +OBSTRUCTION OF JUSTICE +Common law +M [See c. 279, § 5 +re: penalty for +Common Law +Crimes.] +PERJURY +c. 268, § 1 +F +PRESCRIPTION; FORGERY, ALTER +c. 94C, § 33(b) +F +PRESCRIPTION, UTTER FALSE +c. 94C, § 33 +F +PRISONER, DELIVER ARTICLES TO OR +FROM INMATE +c. 268, § 31 +F +PRISONER, DELIVER DRUGS TO +c. 268, § 28 +F +PROSTITUTION/SOLICITATION +c. 272, § 53A +M +PROSTITUTION, ENGAGING IN SEX +“JOHN” +c. 272, § 53A +M +PROSTITUTION, KEEP HOUSE OF +c. 272, § 24 +M +PROSTITUTE, SOLICIT FOR +c. 272, § 8 +M +RESISTING ARREST +c. 268, § 32B +M +RIOT +c. 269, § 1 +M +ROBBERY, UNARMED +c. 265, § 19(b) +F +ROBBERY, UNARMED, VICTIM 60+ +c. 265, § 19(a) +F +SHOPLIFTING, 3rd OR SUBSEQUENT +OFFENSE +c. 266, § 30A +M +STOLEN PROPERTY, RECEIVE, OVER $250 c. 266, § 60 +F +STOLEN MOTOR VEHICLE, RECEIVE/BUY c. 266, § 28(a) +F +TELECOMMUNICATIONS FRAUD +c. 166, § 42A +M +TELEPHONE CALLS, ANNOYING OR +OBSCENE +c. 269, § 14A +M +UNNATURAL ACTS +c. 272, § 35 +F + + +Page 32: +Superintendent’s Circular HRS-PP09 +Page 32 of 32 + +VANDALIZE +CHURCH/SYNAGOGUE/CEMETERY +c. 266, § 127A +F +VANDALIZE +SCHOOL/CHURCH/EDUCATIONAL BLDG +c. 266, § 98 +F +WITNESS, INTIMIDATE OR RETALIATE +AGAINST +c. 268, § 13B +F +CONSPIRACY TO COMMIT ANY OF +ABOVE TABLE B CRIMES + + +ATTEMPTS TO COMMIT ANY OF THE +ABOVE TABLE B CRIMES + + +ACCESSORY BEFORE ANY OF THE +ABOVE TABLE B CRIMES + + + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP11 Drug Free Workplace Policy and Procedure.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP11 Drug Free Workplace Policy and Procedure.txt new file mode 100644 index 0000000..e2737c3 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP11 Drug Free Workplace Policy and Procedure.txt @@ -0,0 +1,75 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP11 +Version 01 + +DRUG FREE WORKPLACE POLICY AND PROCEDURE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +It is the policy of the Boston Public Schools to maintain a +workplace free from all unlawful drugs and substances and to +insist that all staff, students, contracted providers, and others +who work, attend, and/or visit facilities under the jurisdiction of +the School Department avoid unlawful drug and substance use +and abuse at all times. In compliance with the federal Drug-Free +Workplace Act of 1988 (P.L. 100-690) and its implementing +regulations, all employees of the Boston Public Schools, +contracted providers, students, and visitors to facilities under the +jurisdiction of the School Committee are hereby notified that the +unlawful manufacture, distribution, dispensation, possession, or +use of a controlled substance (as listed in schedules I-V of Section +202 of the Controlled Substances Act) is prohibited. Violations of +this policy shall be subject to the provisions of federal and state +law, to procedures relative to the discipline of employees, and to +the provisions of the Code of Conduct of the Boston Public +Schools. +All employees must abide by this policy as a condition of +employment. Employees must notify their immediate supervisor +within forty-eight (48) hours of any conviction (including a plea of +nolo contendre) of a violation of any federal or state criminal drug +law by an action committed in the workplace. The employee’s +immediate supervisor will notify the Office of Human Capital. + + +Page 2: +Superintendent’s Circular HRS-PP11 +Page 2 of 2 + +Within ten (10) days of receiving notice of such a conviction, it will +be the responsibility of the superintendent or designee to notify +the funding agency in those cases where the employee is directly +engaged in the performance of work and is paid through a direct +federal grant. The Development Office will prepare, annually for +the Office of Human Capital, a list of employees covered by this +provision of the regulations. +Within thirty (30) days of receiving notice of such conviction, an +investigation will be initiated. It will be the responsibility of the +superintendent to recommend disciplinary action, including but +not limited to suspension or dismissal. +Boston Public Schools staff should be made aware of the services +available through the City of Boston Employee Assistance +Program (B.E.A.P.). Responsibility Center managers and directors +are urged to refer to the B.E.A.P. any employee who +demonstrates symptoms of drug or alcohol abuse at 617-635- +2200 or eap@boston.gov. The program is located at 43 Hawkins +St., Boston. +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Capital +Mailing Address: 2300 Washington Street, Roxbury MA 02119 +Fax: +617-635-7956 +Phone: +617-635-9600 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP12 Massachusetts Domestic Violence Leave Policy.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP12 Massachusetts Domestic Violence Leave Policy.txt new file mode 100644 index 0000000..bdfce79 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP12 Massachusetts Domestic Violence Leave Policy.txt @@ -0,0 +1,103 @@ +Page 1: + + +Superintendent’s +Circular + NUMBER: +HRS-PP12 +Version 01 + +DOMESTIC VIOLENCE LEAVE POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools is committed to the health and safety of +our employees and their families. This circular is intended to +comply with applicable state laws (1 ) that are designed to protect +victims of domestic violence. Should you or your family member +be a victim of domestic violence or abusive behavior, you are +encouraged to communicate with the Office of Human resources +about the situation. +Boston Public Schools must provide employees with up to 15 +days of time off in a 12-month period, if: +• the employee or their family member is the victim of +abusive behavior (such as domestic violence, stalking, sexual +assault, or kidnapping); and +• the purpose of the leave is to seek medical attention, +counseling, secure housing, or obtain legal or other victim +services directly related to the abusive behavior against the +employee or family member of the employee. + +(1) Section 52E of Chapter 149 of the Massachusetts General Laws +(Section 10 of Chapter 260 of the Acts of 2014) + + +Page 2: +Superintendent’s Circular HRS-PP12 +Page 2 of 3 + +For purposes of this policy, a family member includes: +• Married spouses +• Persons "in a substantive dating or engagement +relationship" AND who reside together +• Persons having a child in common regardless of whether +they have ever married or resided together +• A parent, step-parent, child, step-child, sibling, grandparent, +or grandchild +• Persons in a guardianship relationship +You are immediately eligible for this leave upon the beginning of +your employment. Employees may use accrued sick, personal, +and vacation time to remain in paid status during a covered leave +under this policy. If no accrued time is available, leave under this +policy will be unpaid. +We request that you provide appropriate advance notice of this +leave (as required by the current leave policy), unless there is an +imminent danger to your immediate health and safety (in which +case, we must receive notification within 3 workdays that the +leave was taken or is being taken for reasons covered by this +policy). If you take this leave, please provide documentation +evidencing that you or your family member has been a victim of +domestic violence or abusive behavior within 30 days of the leave +request. Such forms of documentation may include: +• A court issued protective order +• An official document from a court, provider, or public +agency +• A police report or statement of a victim or witness provided +to the police + + +Page 3: +Superintendent’s Circular HRS-PP12 +Page 3 of 3 + +• Official legal documentation attesting to perpetrator’s guilt +• Medical documentation of treatment for the abusive +behavior +• A sworn statement from the employee attesting to being a +victim of abusive behavior +• A sworn statement from a professional who has assisted the +employee or the employee's family, e.g., a counselor, social +worker, health care worker, or member of the clergy. +Perpetrators of domestic violence are not entitled to leave under +this statute. +Provided you have submitted proper documentation, your +employment is protected for leave taken under this policy. If you +have questions at any time as to how this policy applies to you, +please do not hesitate to contact the Office of Human resources. +For more information about this circular, contact: +Name: +Employee Services – Leave of Absence Team +Department: +Office of Human resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP13 Employee Sick Leave Policy.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP13 Employee Sick Leave Policy.txt new file mode 100644 index 0000000..ebc0141 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP13 Employee Sick Leave Policy.txt @@ -0,0 +1,335 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP13 +Version 01 + +EMPLOYEE SICK LEAVE POLICY +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +The Boston School Committee will not permit any abuse of sick +leave privileges. Sick leave is a benefit only to be used for +absences caused by illness, injury, or exposure to contagious +diseases. Those employees who use sick leave for any other +purpose do a disservice to our students, to their co-workers, and +to the taxpayers. A public perception that School Department +employees abuse sick leave will undermine confidence in and +support for public education in Boston. +Accordingly, it is and shall be the policy of the Boston School +Committee to monitor the sick leave practices of all its +employees, to detect any sick leave abuse, and to discipline any +employee found to have abused the sick leave privileges. No +legitimate sick leave will be denied. No abuse will be tolerated. +The Superintendent shall develop and promulgate appropriate +rules and procedures to implement this sick leave policy. Copies +of this policy shall be prominently posted at all work locations. +Attached you will find a document entitled Employee Sick Leave +Policy Guidelines. The document provides specific details +regarding (1) the responsibility of each manager with regard to +sick leave, (2) managerial intervention required, and (3) + + +Page 2: +Superintendent’s Circular HRS-PP13 +Page 2 of 10 + +procedures mandated to ensure the effective implementation of +the Employee Sick Leave Policy. A copy of these guidelines +should be posted in the school office, and a copy should be made +available in teachers' rooms for review by staff. +The School Committee’s Employee Sick Leave Policy and +Guidelines cover all employees of the Boston Public Schools. In +accordance with the guidelines, employees absent for six (6) or +more consecutive working days must apply for a leave of absence +through the online application and provide a WH-380-E/F form or +medical certification/documentation on official letterhead from a +health care provider as determined by their Collective Bargaining +Agreement, as well as a fitness for duty report to return to work. +The medical certification should be on the physician's letterhead +and should include: +1. A statement that the physician understands the nature of +the employee's duties and that the employee is incapable of +performing the duties and responsibilities of their position. +2. A statement of anticipated duration of the absence or the +expected date of the return to work (if the duration is +unknown, the letter should indicate when the employee will +be seeing a physician again and an updated letter would be +required after that visit). +► Failure to provide the proper physician's certificate +when required may lead to loss of pay. +Absences interrupted by weekends and/or holidays are +considered consecutive. +All managers are directed to discuss the guidelines with all staff +members at the beginning of the school year to ensure mutual + + +Page 3: +Superintendent’s Circular HRS-PP13 +Page 3 of 10 + +understanding. Please note the guidelines are consistent with +the BTU and BASAS contracts. +The Office of Human Resources has information readily available +on an employee's accumulated benefits such as vacation, sick +leave, and personal days. It is also able to monitor the attendance +of the entire School Department workforce. Principals, heads of +school, and other administrative heads will be provided with +periodic attendance data for employees under their jurisdiction. +These reports are expected to assist managers in providing +appropriate supervision for individuals who exhibit problematic +attendance patterns. +For more information about this circular, contact: +Owner: +Leave of Absence Team +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +OHRLeaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + +Page 4: +Superintendent’s Circular HRS-PP13 +Page 4 of 10 + + +EMPLOYEE SICK LEAVE POLICY GUIDELINES +STATEMENT +The term “manager,” as used in these guidelines, refers to +positions such as academic superintendent, senior officer, head +of school, principal, program director, and director. It is expected +that managers may in some cases delegate authority to carry out +these procedures to supervisory personnel reporting to them. +PURPOSE +The purpose of these guidelines is to improve employee +attendance and eliminate any abuse of sick leave benefits. Their +consistent application by managers, and compliance by all +employees, will make a substantial contribution toward our +ultimate goal of providing an effective and high-quality +education for the students in the Boston Public Schools. +THE MANAGER HAS PRIMARY RESPONSIBILITY FOR +EFFECTIVELY IMPLEMENTING THESE GUIDELINES: +1. Managerial Responsibility: Absenteeism is one of the +primary reasons for a manager's inability to accomplish +expected results, since it results in less than optimal student +progress, missed deadlines, low quality of work due to +inexperienced replacements, scheduling and coverage +problems, and low morale of employees who must assume +the absentee's workload. Employee motivation and +attendance are key factors affecting the productivity of each + + +Page 5: +Superintendent’s Circular HRS-PP13 +Page 5 of 10 + +unit in the school system. A good attendance practice +within a school or department is indicative of a well- +motivated and supervised workforce. Therefore, managers +should realize that it is in their own best interest to develop +and to maintain good attendance practices, since their +effectiveness is measured by the accomplishments of their +schools and departments. + +2. Managerial Judgment: Managers will be expected to +implement these procedures, to counsel employees, and to +take remedial action when a patterned abuse occurs. Each +supervisor should analyze each situation based on its merits, +considering such factors as length of service, total sick leave +accumulation, number of occurrences (frequency), patterns +of absenteeism, such as before and after weekends, holidays +and vacations, severity rate (the duration of absence), and +the employee's medical history that is previously known to +the manager and/or from information that may be required +to be on file with the School Department. + +Major attendance problems facing managers are: +a. +"Pre-retirement illness" — attempts by long-time +employees to exhaust their sick leave benefits before +retirement +b. +"Pre-layoff illness" — attempts by employees who +received a notice for layoff to exhaust their sick leave +benefits before the layoff becomes effective + +c. +"Post contract non-renewal illness" —attempts by +employees whose contract has not been renewed +prior to exhausting sick leave. + + +Page 6: +Superintendent’s Circular HRS-PP13 +Page 6 of 10 + +3. Managerial Intervention: It is important that the manager +intervene as soon as an absence pattern is detectable. The +manager can discuss the reasons for the pattern or the +absences and can prevent the pattern of absences from +becoming worse. +Each manager must review the attendance records of each +employee in their organization at least on a quarterly basis +to monitor attendance practices and to determine if there +are patterns of sick leave abuse. Each employee whose +number of days or the number of occurrences exceed five +consecutive days absent, and there is reasonable cause to +believe that the absence is not an appropriate use of sick +leave, must be interviewed by the manager. The purpose of +this interview is to determine whether there is any +possibility of sick leave abuse. A written record must be kept +concerning the nature of the supervisory discussion or +interview. + + + + +Page 7: +Superintendent’s Circular HRS-PP13 +Page 7 of 10 + +PROCEDURAL REQUIREMENTS +To ensure the effective implementation of the Employee Sick +Leave Policy, employees must adhere to the following +procedures: +1. Notification +a. Employees Serving in Schools: These employees are +not entitled to sick leave without loss of pay unless +they have notified their head of school or principal, in +accordance with the schedule established by the +appropriate head of school/principal. Each employee +must indicate the nature of the illness and the period +of anticipated absence. If, at the expiration of the +anticipated period, the employee is not recovered, the +employee must again notify the head of +school/principal of the reason for the additional period +of anticipated absence in accordance with established +practice at their school. Each school must maintain and +post in appropriate locations a standard policy for +notice of absence. +b. Employees Not Serving in Schools: These employees +are not entitled to sick leave without loss of pay unless +they have notified their manager of the absence, its +cause, and anticipated duration before the expiration +of the first fifteen (15) minutes after their normal +reporting time or as soon as practical. If, at the +expiration of the anticipated duration, the employee is +not recovered, the employee must again notify the +manager of the reason for the additional period of + + +Page 8: +Superintendent’s Circular HRS-PP13 +Page 8 of 10 + +anticipated absence the day before the employee is +expected to return to work. +c. Illness During Work Hours: When an employee +becomes ill during regular work hours, the employee +must notify the manager. The manager will record the +length of absence. +d. Failure to Notify: Employees failing to give proper +notice in the absence of extenuating circumstances +shall be considered without authorization and are +subject to progressive disciplinary action. +e. Reporting time: All managers must ensure that all +time reporting is entered into the system consistent +with established procedures in order that employee’s +absences are correctly charged and leave balances +maintained. As usual, Department Time Summary +Reports must be submitted to the BPS Payroll Office in +accordance with the payroll schedule. +2. Physician's Certificate: If the absence is of six (6) or more +consecutive working days' duration, a physician's certificate +will be required upon return to work, or prior to return if +requested. When the record of repeated absences reflects a +clear pattern of abuse — such as consistent three (3) days +present, two (2) days absent — the manager should request +a physician's certificate, even though it may not be required +under the relevant collective bargaining contract. In such +circumstances, the employee should be advised that a +physician's certificate may be the only adequate refutation + + +Page 9: +Superintendent’s Circular HRS-PP13 +Page 9 of 10 + +to the charge of sick leave abuse. The physician's certificate +should include the following: +a. A statement that the physician understands the nature +of the employee's duties and that the employee is +incapable of performing the duties and responsibilities +of their position. +b. A statement of anticipated duration of the absence or +the expected date of return to work (if the duration is +unknown, the letter should indicate when the +employee will be seeing the physician again, and an +updated letter would be required after that visit). +If the physician's certificate does not include these +statements, the manager must notify the employee to +obtain the omitted information before authorizing sick +leave. +ALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A +CONFIDENTIAL BASIS. +If, during the interview, the supervisor learns that an employee +has a chronic or disabling condition which may qualify that +person for consideration as a handicapped individual, (1) you +should contact the Office of Equity at 617-635-9650. + +(1) +1A handicapped individual includes someone who has, has +had, or is thought of as having a physical or mental condition +that substantially limits a major life activity, including working. +The condition may be permanent or temporary. + + +Page 10: +Superintendent’s Circular HRS-PP13 +Page 10 of 10 + +A handicapped individual is defined as any person who has a +physical or mental impairment which substantially limits one or +more major life activities, such as: caring for oneself, performing +manual tasks, seeing, hearing, speaking, breathing, or learning. +The Office of Human Resources and Office of the Legal Advisor +are available for advice and counsel. +While the managers are the central figures in managing +attendance, the Office of Human Resources and Office of the +Legal Advisor are prepared to provide them with the following +technical support: +1. Advise managers in their effort to change unacceptable +absence patterns. +2. Provide an early referral system for health, emotional, +alcoholic, or drug-related matters. +3. Provide an effective mechanism for a centralized sick leave +and vacation reporting system. +4. Interpret policy and procedures and assist in the resolution +of operating problems. +5. Provide advice concerning the implementation of +progressive disciplinary action. + + + + + + + + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP13A Family and Medical Leave Act.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP13A Family and Medical Leave Act.txt new file mode 100644 index 0000000..aab6aaa --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP13A Family and Medical Leave Act.txt @@ -0,0 +1,354 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +HRS-PP13A +Version 01 + +FAMILY AND MEDICAL LEAVE ACT AND SMALL +NECESSITIES LEAVE ACT +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Eligible employees are entitled to take up to 12 weeks of leave for +family or medical leave under federal law and up to 24 hours of +leave for family obligations under state law during a fiscal year +(July 1 through June 30). School-based employees who report to a +principal/head of school (except custodians, cafeteria workers, +and itinerants) may submit their leave requests via the Hub. +FEDERAL FAMILY AND MEDICAL LEAVE ACT +1. Eligibility +Employees who have been employed in the Boston Public +Schools for at least 12 months at the BPS and who have +worked at least 1,250 hours in the prior 12-month period are +eligible. +2. Purpose +● For incapacity due to pregnancy, prenatal medical care, +or childbirth + + +Page 2: +Superintendent’s Circular HRS-PP13A +Page 2 of 11 + +● To care for a son or daughter within the first 12 months +after birth, adoption or placement for adoption or foster +care +● Because the employee is needed to care for a spouse, son, +daughter, or parent who has a serious health condition. +○ Son or daughter means a biological, adopted, or foster +child, a stepchild, a legal ward, or a child of a person +standing in loco parentis, who is either under age 18, or +age 18 or older and incapable of self-care because of a +mental or physical disability. Parent does not include +in-laws. +● Because of the employee's own serious health condition +which makes the employee unable to perform their job. +A serious health condition means an illness, injury, +impairment or physical or mental condition that involves: +○ a period of incapacity or treatment connected with +inpatient care +○ a period of incapacity requiring absence of more than 3 +calendar days from work or daily activities also +involving continuing treatment by a health care +provider +○ any period of incapacity due to pregnancy or for +prenatal care +○ any period of incapacity due to a chronic serious health +condition (e.g., asthma, diabetes, epilepsy) +○ any period of incapacity that is permanent or long term +due to a condition for which treatment may not be +effective (e.g., Alzheimer’s, stroke, terminal diseases) +○ a period of absence to receive multiple treatments for +an injury or condition which would result in incapacity + + +Page 3: +Superintendent’s Circular HRS-PP13A +Page 3 of 11 + +for more than three days if not treated (e.g., +chemotherapy, physical therapy, dialysis). +3. Length of Leave +Subject to FMLA qualification, up to 12 weeks of leave may +be taken in any fiscal year. For qualifying exigencies arising +out of the fact that the employee’s spouse, son, daughter, or +parent is on active duty or call to active duty status as a +member of the National Guard or Reserves in support of a +contingency operation to permit a "spouse, son, daughter, +parent, or next of kin" to take up to 26 work weeks of leave +to care for a "member of the Armed Forces, including a +member of the National Guard or Reserves, who is +undergoing medical treatment, recuperation, or therapy, is +otherwise in outpatient status, or is otherwise on temporary +disability retired list, for a serious injury or illness." +Qualifying exigencies include: +● Issues arising from a covered military member’s short +notice deployment (i.e., deployment on seven or less days +of notice) for a period of seven days from the date of +notification +● Military events and related activities such as official +ceremonies, programs, or events sponsored by the +military or family support or assistance programs and +informational briefings sponsored or promoted by the +military, military service organizations, or the American +Red Cross that are related to the active duty or call to +active duty status of a covered military member; + + +Page 4: +Superintendent’s Circular HRS-PP13A +Page 4 of 11 + +● Certain childcare and related activities arising from the +active duty or call to active duty status of a covered +military member, such as arranging for alternative +childcare, providing childcare on a non-routine, urgent, +immediate need basis, enrolling, or transferring a child in +a new school or day care facility, and attending certain +meetings at a school or a day care facility if they are +necessary due to circumstances arising from the active +duty or call to active duty of the covered military member +● Making or updating financial and legal arrangements to +address a covered military member’s absence +● Attending counseling provided by someone other than a +health care provider for oneself, the covered military +member, or the child of the covered military member, the +need for which arises from the active duty or call to active +duty status of a covered military member +● Taking up to five days of leave to spend time with a +covered military member who is on short-term +temporary, rest and recuperation leave during +deployment +● Attending to certain post-deployment activities, +including attending arrival ceremonies, reintegration +briefings and events, and other official ceremonies or +programs sponsored by the military for a period of 90 +days following the termination of the covered military +member’s active duty status, and addressing issues +arising from the death of a covered military member +● Any other event that the employee and employer agree is +a qualifying exigency + + +Page 5: +Superintendent’s Circular HRS-PP13A +Page 5 of 11 + +Special restrictions apply to teachers requesting leaves, +depending on the length and timing of the leave(s). Please +call the Office of Human Resources for advice regarding +special rules that apply to teachers in these situations. +4. Requesting a Leave of Absence: Notice Requirement +If the need for leave is foreseeable, an employee must +provide BPS with at least 30 days notice. If 30 days notice is +not practicable, notice must be given as soon as possible, +generally the same or next business day. All employees +must submit their leave request through the online Request +for Leave of Absence application (instructions and more +information below in Section 8). +Employees requesting absences of 5 days or less to fulfill +National Guard or Military Reserve responsibilities must +submit a request on ess.boston.gov and provide supporting +documentation to the Responsibility Center manager. +Absences of 6 days or more must be submitted through the +online application. +5. Certification(s)/Documentation +WH-380-E/F form or medical certification/documentation +on official letterhead from a health care provider is required +for leave because of a serious health condition. Second or +third opinions may be required, as well as a fitness for duty +report to return to work. +6. Paid or Unpaid Leave and Benefits +Leave is unpaid except to the extent that accrued sick leave, +personal leave, or vacation leave applies, as provided in + + +Page 6: +Superintendent’s Circular HRS-PP13A +Page 6 of 11 + +applicable collective bargaining agreements or school +department policy. Employees who are taking leave for their +own serious health condition will be required to use their +accrued paid sick leave and vacation leave during their +FMLA leave until such paid leave has been exhausted. +Employees who are taking FMLA leave to care for their +spouse, child, or parent will be required to use all accrued +paid vacation leave during their FMLA leave until such paid +leave has been exhausted. After an employee’s accrued paid +leave has been exhausted, any remaining FMLA leave will be +unpaid. +Medical insurance as part of a group health plan must be +maintained. However, benefits do not accrue during unpaid +leave unless otherwise provided by the terms of an +applicable collective bargaining agreement. +7. Relationship to Other Leaves Provided by Collective +Bargaining Agreements or Policy +This leave neither diminishes nor augments any greater +leave for the same purpose which may be provided for in a +collective bargaining agreement or other law or policy. + + + + +Page 7: +Superintendent’s Circular HRS-PP13A +Page 7 of 11 + +8. Requesting Leave of Absence +All employees must submit a request for leave electronically +via the online application. Once the leave request is +submitted electronically, it is automatically sent to the +principal/head of school of the employee’s school for +notification and to the Office of Human Resources for +review. Employees and supervisors will automatically be +notified whether the leave was approved, denied, or is +pending due to documentation, through their BPS email. To +request a leave: +● Access the Office of Human Resources Workspace. +○ Click on “Office of Human Resources Workspace.” +○ Click on “Forms” tab. +○ From the drop-down menu, select “Leave +Request.” +○ Read through the instructions and complete +application. +● Access the application to request a leave of absence +online. +SMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR +FAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] +1. Eligibility +Employees who have been employed for at least 12 months +at the BPS and who have worked at least 1,250 hours in the +prior 12-month period are eligible (same as for federal family +and medical leave). + + + +Page 8: +Superintendent’s Circular HRS-PP13A +Page 8 of 11 + +2. Purpose +● To participate in school activities directly related to the +advancement of the employee's son or daughter, such as +a parent-teacher conference or interview for a new +school. +○ A son or daughter includes foster child, a legal +ward or a child of a person standing in loco +parentis, under 18 years of age or older but +incapable of self-care. +○ School includes Head Start or a licensed day care +facility. +● To accompany a son or daughter to a routine medical or +dental appointment, such as a routine check-up or +vaccination. +● Accompany an elderly relative (60 years or more) to a +routine medical or dental appointment or for other +professional services, such as interviewing at a nursing +home. +3. Length of Leave and Increments +Leave may be taken in increments of at least one hour for +up to 24 hours in any fiscal year. +This leave augments leave taken under the federal Family +and Medical Leave Act, as it is for a different purpose. It +does not diminish any greater leave which may be provided +for in a collective bargaining agreement or other school +policy. +REQUEST FOR LEAVE: NOTICE REQUIREMENTS + + +Page 9: +Superintendent’s Circular HRS-PP13A +Page 9 of 11 + +If the need for leave is foreseeable, employees must give the +Office of Human Resources at least seven (7) days prior notice. If +the need is not foreseeable, the employee must notify their +Responsibility Center manager as soon as practicable given the +circumstances of the case. To the extent possible, employees +must provide written notice of the need for leave. +1. Certification/Documentation +All employees must use the attached certification (page 7) +to request a SNLA leave. Applying for this leave cannot be +done through the Hub. The original copy must be submitted +to the Responsibility Center manager, who will forward it to +the Office of Human Resources. +2. Paid or Unpaid Leave +Leave for family obligations is unpaid unless an employee +chooses to substitute accrued vacation or personal time for +the unpaid leave, as provided in the applicable collective +bargaining agreement, school department policy, and +except as may be provided for in state law or city ordinance. + + + + + +Page 10: +Superintendent’s Circular HRS-PP13A +Page 10 of 11 + +For more information about this circular, contact: + +Owner: +Leave of Absence Team +Department: +Office of Human Resources +Mailing Address: +Bruce C. Bolling Building, 2300 Washington +Street, Roxbury, MA 02119 +Phone +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 11: +Superintendent’s Circular HRS-PP13A +Page 11 of 11 + +SMALL NECESSITIES LEAVE ACT +EMPLOYEE LEAVE FOR FAMILY OBLIGATIONS UP TO +TWENTY-FOUR (24) HOURS +EMPLOYEE'S CERTIFICATION +I certify that on ________________________I will/did take _____________ + hours of leave for the following purpose: + to participate in school activities directly related to the +educational advancement of a son or daughter. + to accompany a son or daughter to routine medical or +dental appointments, such as check-ups or +vaccinations. + to accompany an elderly relative to routine medical or +dental appointment or appointment for other +professional services related to the elder's care. +Furthermore, I understand that this absence will be recorded +with the use of my (please select one): + Sick Time + Comp. Time + + + Floating Holiday + Vacation Time + Personal Time + + + + +Employee’s Signature: ____________________________________________ +Employee’s Name (print): _________________________________________ +Employee’s ID Number: _____________________ +Date: ________________________________________ +Submit original copy to Responsibility Center Manager. + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP14 Leave for Cancer Screening and Organ Donations.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP14 Leave for Cancer Screening and Organ Donations.txt new file mode 100644 index 0000000..b1504ee --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP14 Leave for Cancer Screening and Organ Donations.txt @@ -0,0 +1,121 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP14 +Version 01 + +PAID LEAVE FOR CANCER SCREENING AND/OR LIVING +ORGAN DONATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Two additional paid leave benefits are available to City of Boston +employees for annual cancer screenings and living organ +donations. +ANNUAL CANCER SCREENING +The mayor has signed an executive order that allows all City of +Boston employees to use up to four (4) hours of leave per +calendar year for various types of cancer screening. (Types of +cancer screening that fall under the four hours off per year policy +are as follows: breast, prostate, colon, skin, thyroid, oral cavity, +lymph nodes, reproductive organs, and lungs). +The following procedure is in effect in the Boston Public Schools: +• Employees will be allowed up to four (4) hours of leave, per +calendar year, that can be used intermittently or in one (1) +four-hour period. +• Employees must make a request through their +Responsibility Center manager. + + +Page 2: +Superintendent’s Circular HRS-PP14 +Page 2 of 4 + +• A signed copy of a medical document verifying the date that +the employee was given a cancer screening must be filed +with the Responsibility Center manager. +• This time is not charged to any accumulated sick leave; and +time in position, creditable service, pay, leave and health +benefits are all protected while on this type of leave. +To report time for an annual cancer screening, please add an +absence event on the timesheet using the absence name “Pre- +Cancer Screening.” +LIVING ORGAN DONATION +Effective October 3, 2006, the mayor has issued an executive +order adopting An Act Relative to Living Organ Donation which +grants leave of absence without loss of pay for living organ +donation. It applies to leave taken by an employee to provide live +organ donation to be transplanted into another individual. Live +organ donation includes donation of kidney, liver, pancreas, lung, +intestine, or heart (domino transplants). +All City of Boston employees are eligible for this leave, which +includes full-time, part-time, seasonal, and temporary employees +eligible for paid leave benefits. It does not include independent +contractors, substitutes, cab monitors, transportation attendants, +intermittent, or any other employees who are not eligible for paid +leave benefits. +The following procedure is in effect in the Boston Public Schools: +• Employees will be allowed a maximum total of 30 days of +paid leave in a calendar year to donate an organ. +• This time only covers days taken for the medical procedure + + +Page 3: +Superintendent’s Circular HRS-PP14 +Page 3 of 4 + +and the recovery from it. +• Part-time employees will receive a prorated portion of the +30 days based on their part-time schedule. +• Leave can be used intermittently. +• Employee must obtain a letter on a physician’s letterhead +disclosing that the employee is approved to be a live organ +donor and the type of organ being donated. +• A signed copy of a medical document verifying the date of +the living organ donation procedure that the employee has +undergone must be submitted to Human Resources +through their Responsibility Center manager (e.g., principal +or department head). +• This time is not charged to any accumulated sick leave; time +in position, creditable service, pay, leave, and health benefits +are protected while on this type of leave. +To report time for a living organ donation, please add an +absence event on the timesheet using the absence name +“Organ Donation.” +Questions on specific health insurance coverage should be +directed to Health Benefits and Insurance at 617-635-4570 or to +your health insurance provider. More information about live +organ donation may be found at the following link: +https://optn.transplant.hrsa.gov/resources/living-donation + + + + + +Page 4: +Superintendent’s Circular HRS-PP14 +Page 4 of 4 + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9255 +Fax: +617-635-7957 +Email: +ohrleaves@bostonpublicschools.org + + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP15 Sick Leave Donation Program.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP15 Sick Leave Donation Program.txt new file mode 100644 index 0000000..6d1ab80 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP15 Sick Leave Donation Program.txt @@ -0,0 +1,385 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +HRS-PP15 +Version 01 +SICK LEAVE DONATION PROGRAM +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +Boston Public Schools will be continuing the Sick Leave Donation +Program with Administrative Guild, BASAS, BTU, managerial, and +School Police Patrolmen's Association. +PURPOSE +The Sick Leave Donation Program is a voluntary program where +eligible employees can donate sick leave hours to help a seriously +ill or injured colleague who has exhausted their sick, personal, +vacation, and/or compensatory leave entitlements. An eligible +employee who wants to withdraw hours from the Sick Leave +Bank must be on an approved leave of absence. Please refer to +Superintendent’s Circular HRS-PP13 for more information +regarding the process to apply for a leave of absence. If time is +awarded by the Sick Leave Donation Committee, recipients can +withdraw sick leave hours from the leave bank and maintain +active pay status. +Membership and eligibility requirements by unit are detailed in +the attachment. +THE DONATION PROCESS +When the sick leave bank for a union/group becomes depleted, + + +Page 2: +Superintendent’s Circular HRS-PP15 +Page 2 of 12 + +an email notification will be sent to all members requesting the +donation of an additional day(s). All employees who wish to enroll +will be required to complete an online form during the +aforementioned period. All donations are irrevocable. +SICK LEAVE COMMITTEE +The leave committee for each union/group will consist of six +members: three administrative members from the union/group +and three administrative members from the Boston Public +Schools district (appointed by the superintendent or their +designee). A majority vote (4 of 6) is required to grant awards of +sick leave time. All decisions are made on a case-by-case basis. +APPLICATION PROCESS FOR SICK BANK MEMBERS +1. Complete a Sick Leave Bank Donation Withdrawal Request +form, including submission of medical documentation and a +letter stating the reason for the request in accordance with +the application deadline listed on the form. +2. The Leave Bank Committee will meet and review all +pertinent information. Committee will render a decision and +Human Capital will inform the employee and supervisor of +the decision. +3. If approved, the Office of Human Capital representative will +add donated hours to the recipient’s leave accrual balance +in PeopleSoft. +4. Withdrawals from the leave bank cease when the recipient +has either returned to work or withdrawn the maximum +number of hours allotted from their union or conditions of +employment. +There is no appeal procedure. The decision of the Sick Leave + + +Page 3: +Superintendent’s Circular HRS-PP15 +Page 3 of 12 + +Bank Committee is final. +APPLICATION DEADLINE +The Sick Bank Oversight Committee meets on the first +Wednesday of each month. +To be included on the agenda, your application, along with all +supporting documentation, must be submitted by the close of +business on the preceding Friday. + +For more information about this circular, contact: +Owner: +Manager of Employee Information Systems +Department: +Human Resources +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9649 +Fax: +617-635-7957 +Email: +ohr@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + +Page 4: +Superintendent’s Circular HRS-PP15 +Page 4 of 12 + +ATTACHMENT A: +SICK LEAVE DONATION PROGRAM: MEMBERSHIP +REQUIREMENTS AND ELIGIBILITY BY UNIT +BASAS + +Membership Requirements: +• To establish this program, there must be at least 50 eligible +BASAS employees who participate in it. +• A BASAS employee must be permanent or entering their +third consecutive year of Boston Public Schools service to be +eligible to participate. +• A BASAS employee must donate one sick day (eight hours) +to enroll in the program. +• Donation days (hours) will be deducted from the donor’s +accumulated sick leave balance. +Eligibility for Recipient: +• Only BASAS employees who have donated to the sick leave +donation program are eligible to apply for sick leave time. +• Applicants for sick leave time must have exhausted all +accumulated sick and personal leave to be eligible to +receive sick leave donations. +• Recipients may use donated sick leave only for work time +lost due to personal illness. Recipients may not use donated +time for absences caused by an illness of a family member. +• The application form for sick time must be completed and +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy. + + +Page 5: +Superintendent’s Circular HRS-PP15 +Page 5 of 12 + +• For employees receiving benefits pursuant to a disability +plan, the combination of disability payments and donated +sick days may not, on a day-to-day basis, equal more than +the employee’s daily rate of pay. +• For employees receiving workers’ compensation benefits, +the combination of workers’ compensation payments and +donated sick days may not, on a daily basis, equal more than +the employee’s daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient per school year. In exceptional +circumstances, the committee may also grant additional 30- +day increments, up to a maximum of 90 days (including the +original 30 days). +• Requests for sick leave time may not be made retroactively. +• Days that have been granted but are not used will revert to +the sick leave bank. +BOSTON TEACHERS UNION (BTU) +Membership Requirements: +• To establish this program, there must be at least 500 +teacher unit members and 100 paraprofessional unit +members. +• Must be a BTU member to participate in the program. +• Teacher unit members must be permanent or entering their +fourth consecutive year of service. Paraprofessional +members must have at least three consecutive years of +service. +• Must donate one sick day for inclusion in the program. +• Donations will be deducted from the donor’s accumulated + + +Page 6: +Superintendent’s Circular HRS-PP15 +Page 6 of 12 + +sick leave balance. +• Donations and withdrawals can only be in the same BTU +unit (e.g., teachers cannot donate to or withdraw from the +paraprofessional unit; paraprofessionals cannot donate to or +withdraw from the teacher unit). +Eligibility for Recipient: +• Must have exhausted all accumulated sick leave and other +paid leaves (e.g., personal days, etc.). +• Application for the BTU sick bank withdrawal must be +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy, of a serious illness, which prevents the employee’s +immediate return to work. +• For those individuals who have a disability plan, the +combination of disability payment and sick bank days do +not, on a day-to-day basis, equal more than the daily rate of +pay. +• For those individuals who are receiving worker’s +compensation, the combination of workers’ compensation +payment and sick bank days do not, on a daily basis, equal +more than the daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient. In exceptional circumstances, the +Committee may also grant additional 30-day increments, up +to a maximum of 90 days (including the original 30 days). +• Requests/withdrawals cannot be made retroactively. +• Days requested and granted but not used will revert to the +sick leave bank. +• This program is for employees only and cannot be used for + + +Page 7: +Superintendent’s Circular HRS-PP15 +Page 7 of 12 + +the illness of family members. +• This program does not meet for the months of June – +September for the following reasons: +o June: The bank only issues donations in 30-day +increments and the month of June does not have 30 +school days. +o July – August: Employees do not work these months +and therefore would not be eligible to use +sick/personal time. +o September: Employees receive sick/personal +entitlements up front and therefore, would have time +to use at the beginning of the school year. +CUSTODIAN +Membership Requirements: +• To establish this program, there must be at least 100 +Custodian Bank members. +• Must be a custodian to participate. +• Must have completed three or more years of continuous +service with the union to be eligible. +• Must donate two sick days for the first year, and thereafter +one sick day annually during enrollment period. +• Donation days will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. +• Employees must have exhausted all accumulated sick leave +and other paid time. + + +Page 8: +Superintendent’s Circular HRS-PP15 +Page 8 of 12 + +• The bank is for employees’ illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving worker’s +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. +ADMINISTRATIVE GUILD +Membership Requirements: +• To establish this program, there must be at least 100 Guild +bank members. +• Must be Administrative Guild members to participate. +• Must have completed three or more years of continuous +service to be eligible to participate. +• Must donate one sick day to enroll in the program. +• Donation day will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. + + +Page 9: +Superintendent’s Circular HRS-PP15 +Page 9 of 12 + +• Employees must have exhausted all accumulated sick leave +and other paid time. +• The bank is for employee’s illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving workers’ +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. +MANAGEMENT +Membership Requirements: +• To establish this program, there must be at least 100 eligible +Managerial employees who participate in it. +• A Managerial employee must be permanent or entering +their fourth consecutive year of Boston Public Schools +service to be eligible to participate. +• A Managerial employee must donate one sick day (eight +hours) to enroll in the program. +• Donation days (hours) will be deducted from the donor’s +accumulated sick leave balance. + + +Page 10: +Superintendent’s Circular HRS-PP15 +Page 10 of 12 + +Eligibility for Recipient: +• Only Managerial employees who have donated to the sick +leave donation program are eligible to apply for sick leave +time. +• Applicants for sick leave time must have exhausted all +accumulated sick, personal, and vacation leave to be eligible +to receive sick leave donations. +• Recipients may use donated sick leave only for work time +lost due to personal illness. Recipients may not use donated +time for absences caused by an illness of a family member. +• The application form for sick time must be completed and +accompanied by adequate medical evidence, pursuant to +Superintendent’s Circular HRS-PP13, Employee Sick Leave +Policy, of a serious illness. +• For employees receiving benefits pursuant to a disability +plan, the combination of disability payments and donated +sick days may not, on a day- to-day basis, equal more than +the employee’s daily rate of pay. +• For employees receiving worker’s compensation benefits, +the combination of worker’s compensation payments and +donated sick days may not, on a daily basis, equal more than +the employee’s daily rate of pay. +• Provided there is available sick leave in the bank, the +committee has the authority to grant up to 30 days of sick +leave to a recipient. In exceptional circumstances, the +committee may also grant additional 30-day increments, up +to a maximum of ninety 90 days (including the original 30 +days). +• Requests for sick leave time may not be made retroactively. +• Days that have been granted but are not used will revert to + + +Page 11: +Superintendent’s Circular HRS-PP15 +Page 11 of 12 + +the sick leave bank. +SCHOOL POLICE PATROLMEN ASSOCIATION +Membership Requirements: +• To establish this program, there must be at least 25 +Association bank members. +• Must be association members to participate. +• Must have completed three or more years of continuous +service to be eligible to participate. +• Must donate one sick day to enroll in the program. +• Donation day will be deducted from an employee’s sick +leave balance. +Eligibility for Recipient: +• Only employees who have donated to the sick leave bank +will be eligible to apply for sick leave bank time. +• Employees must have exhausted all accumulated sick leave +and other paid time. +• The bank is for employee’s illness only and cannot be used +for illness of family members. +• All requests for sick leave bank grants must be submitted in +writing, accompanied by medical certification. +• Individuals who have a disability plan and are receiving +disability payments or who are receiving workers’ +compensation payments will be eligible for sick leave bank +grants such that in combination with the sick leave bank +payment the amount shall not exceed the individual’s daily +rate of pay. +• Individuals are eligible to receive up to 30 days of sick leave +time at one time and may request an additional 30 days, for + + +Page 12: +Superintendent’s Circular HRS-PP15 +Page 12 of 12 + +a maximum of 60 days. +• Time granted and not used shall revert to the sick leave +bank. + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP16 Employee Savings and Investment Benefits.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP16 Employee Savings and Investment Benefits.txt new file mode 100644 index 0000000..c0eb6fb --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP16 Employee Savings and Investment Benefits.txt @@ -0,0 +1,139 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP16 +Version 01 + + +EMPLOYEE SAVINGS AND INVESTMENT BENEFITS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +FLEXIBLE SPENDING ACCOUNT +The City of Boston’s Flexible Spending Accounts are administered +by Cafeteria Plan Advisors, Inc. Flex spending lets you deduct pre- +tax money for out-of-pocket medical expenses, dependent care, +and transportation. Annual enrollment for flex spending occurs in +November for the plan year beginning January 1. Participants of +this program will receive a Benny Card at the start of the new +year that they can begin using immediately for eligible expenses. +● Read more about Flexible Spending +● Download the Flexible Spending Application +● Cafeteria Plan Advisors, Inc. website + +To contact Cafeteria Plan Advisors directly with questions: +Mailing Address: 420 Washington Street, Suite 100, Braintree, +MA 02184 +Phone: +1-800-544-2340 +FAX: +1-781-848-8477 +Email: +info@cpa125.com + + +Page 2: +Superintendent’s Circular HRS-PP16 +Page 2 of 4 + + +RETIREMENT PLANNING +State-Boston Retirement System +All employees are eligible to participate in the State Boston +Retirement System. For more information, visit the Retirement +Board website. +Voluntary Retirement Plans +Employees are eligible to participate in two types of voluntary +deferred compensation retirement plans: +• Massachusetts Deferred Comp 457 SMART Plan +• 403(b) tax-sheltered annuities +See information below on these two types of voluntary deferred +compensation plans. +DEFERRED COMPENSATION +1. 457 SMART Plan +Employees are eligible to participate in the +Commonwealth’s Deferred Compensation Plan (also known +as a Section 457 Plan). This allows an employee to shelter +income from federal and state income tax through a payroll +deduction. Additional information is available at the +Massachusetts Deferred Compensation Smart Plan website. +Click here for more information Deferred Compensation (IRS +457). +2. 403(b) Plans +Employees are eligible to participate, at no cost, in tax- +sheltered annuities (also known as 403(b) plans). An annuity +is a tax-saving retirement planning device that allows an + + +Page 3: +Superintendent’s Circular HRS-PP16 +Page 3 of 4 + + +employee to shelter income from federal and state income +tax through a payroll deduction. A representative at a +participating company will provide a payroll deduction form, +which you may also download and print out here. This form +must be filled out and submitted according to BPS 403(b) +procedures. +o AIG/VALIC (Variable Annuity Life Insurance Co.), +Nashua, NH. (603) 594-8340 +o American United Life Insurance Company +o Ameriprise Financial Services, Inc., Minneapolis, MN +(800) 862-7919 +o Ameritas Life Insurance Corporation, Lincoln, NE (800) +745-1112 +o ASPire Financial Services, Tampa, FL (866) 634-5873 +o AXA Equitable Life Insurance Company, Wellesley, MA +(781) 237-8264 +o Commonwealth Annuity and Life Ins. Co., Topeka, KS +(800) 457-9047 +o Fidelity Investments Mutual Funds +o Great American Advisors, Inc., Cincinnati, OH (800) 216- +3354 +o Great American Financial Resources, Inc., Cincinnati, +OH (888) 497-8556 +o Horace Mann, Springfield, IL (866) 999-1945 +o Kemper Annuity and Life Ins. Co., Topeka, KS (800) 457- +9047 +o Lincoln Investment Planning Mutual Funds, Waltham, +MA (781) 647-3050 +o Lincoln National Life Insurance Company, Fort Wayne, +IN (800) 454-6265 +o MetLife, Bloomfield, CT (860) 768-0139 + + +Page 4: +Superintendent’s Circular HRS-PP16 +Page 4 of 4 + + +o MetLife of CT, Bloomfield, CT (860) 768-0139 +o Midland National Life +o North American Company for Life and Health +o New York Life Insurance Company, Sleepy Hollow, NY +(914) 846-5608 +o Protective Life, Topeka, KS (800) 457-9047 +o The Union Central Life Ins. Co., Cincinnati, OH (800) +825-1551 +VOLUNTARY INSURANCE +Other insurance providers offer short and long-term disability. +They also offer optional life insurance and critical illness coverage. +These are voluntary insurance programs. Please be advised that +these benefits are not administered by the Health Benefits Office. +For more information about this circular, contact: +Owner: +Employee Services, Office Human Resources +Phone: +617-635-9600 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.txt new file mode 100644 index 0000000..b39b86d --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.txt @@ -0,0 +1,219 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP17 +Version 01 + +EMPLOYEE RESIGNATION, RETIREMENT, AND +SEPARATION PROCEDURE +This circular will remain in effect unless rescinded or superseded +by a subsequent version. +A resignation is a voluntary action taken by an employee who +wishes to terminate their employment with the Boston Public +Schools. +RESIGNATION/SEPARATION +An employee shall notify their immediate supervisor regarding +termination of employment with Boston Public Schools. This +notice must be in writing, state the employee’s last day of work, +and be signed by the employee. A sample resignation letter +(found on page 7) may be used to provide written notice. +To submit a resignation letter: +1. Complete the resignation termination form by clicking on +the link Termination/Retirement/Resignation Notification +Form. Complete the form and upload a signed letter of +resignation. Please enter a personal email address on the +resignation/termination form to receive the final email +notification acknowledging your resignation from the Office +of Human Resources. + + +Page 2: +Superintendent’s Circular HRS-PP17 +Page 2 of 7 + +2. The resignation form will send an email notification to your +supervisor. +3. Supervisors will approve/process, and notification will then +be sent to the Office of Human Resources to process. +4. An email notification finalizing the process will be emailed +to your personal email address that you provide on the +resignation/termination form. +5. For those unable to access the link, you can have a +supervisor or secretary complete the form on your behalf. +The supervisor will submit via the online process for +entering resignation/retirement/terminations. Please +provide your personal email address to receive the final +email notification acknowledging your resignation from the +Office of Human Resources. +RETIREMENTS +1. An employee who is planning to retire must first file an +“Intent to Retire” with the City of Boston Retirement Board. +Please note that pursuant to Retirement Board policy, an +employee cannot file the Intent to Retire more than four (4) +months prior to their intended retirement date. +2. After you submit your signed Intent to Retire form to the +Boston State Retirement Board, please complete the +Resignation/Retirement form by clicking on the link +Termination/Retirement/Resignation Notification Form. +3. Upload a signed letter resigning for the purpose of retiring +along with your signed Intent To Retire form that you +submitted to the Retirement Board. Please enter a personal +email address on the retirement/resignation form to receive + + +Page 3: +Superintendent’s Circular HRS-PP17 +Page 3 of 7 + +an email notification acknowledging your +retirement/resignation when finalized by the Office of +Human Resources. +4. Resignation/Retirement form will send an email notification +to your supervisor who will sign off on the notification of +your resignation/retirement and submit notification to the +Office of Human Resources to finalize the retirement +termination process. +5. For those unable to access the link, you can have a +supervisor or secretary complete the form on your behalf. +The supervisor will submit via the online process for +entering resignation/retirement/terminations. Please +provide your personal email address to receive the final +email notification acknowledging your +retirement/resignation. +For more information on the retirement process, employees +should contact the Boston Retirement Board for an appointment +by telephone at 617-635-4311 or via email at +retirementboard@boston.gov. The Retirement Board is located +at 1 City Hall Square, Room 816, Boston, MA 02201-2038. +CANCELLATION OF RESIGNATION/RETIREMENT +Resignations and retirements may be canceled before an +employee’s effective date of termination. A signed letter must be +received by the Office of Human Resources and Retirement +Board if canceling retirement prior to the close of business on the +original resignation/retirement date. +Once the resignation effective date has passed, an employee may +return to the Boston Public Schools only through the + + +Page 4: +Superintendent’s Circular HRS-PP17 +Page 4 of 7 + +reemployment process by applying for a position. +EMPLOYEE SEPARATION CHECKLIST (EMPLOYEE PORTION): +Terminating employees are advised to complete the following +prior to exiting Boston Public Schools: +1. Complete the resignation/retirement termination +notification form and upload a signed letter of resignation to +your school/dept or OHC over the summer months by +clicking on the link Termination/Retirement/Resignation +Notification Form. See sample resignation letter on page 4 +of this circular. +2. Please return any Boston Public Schools property that you +still have in your possession, e.g., keys, cell phone, laptop, +etc., on or before your last day of employment. For keys and +school building materials, please contact your school leader +to arrange to return those items. +3. L4L Laptop (Laptops for Learning), please call the OIIT +Service Desk, 617-635-9200 to schedule an appointment to +return the laptop, bag, and peripherals. +4. Enter all Absence Requests on Employee Self Service (ESS). +5. Cancel any meetings or out of district activities that are +scheduled prior to the last day of employment and work +with your supervisor to achieve a smooth transfer of duties. +6. Update your home address for future correspondence (i.e., +final paycheck, W2, benefit information, severance etc.); +remove mailing address if home address is same as mailing +address. +7. Remove all personal files from district servers and + + +Page 5: +Superintendent’s Circular HRS-PP17 +Page 5 of 7 + +computers. +8. Inform your supervisor of the location of job-related files and +make those files accessible to the supervisor. +EMPLOYEE SEPARATION CHECKLIST (SUPERVISOR PORTION): +An employee’s supervisor is responsible for collecting the +following applicable items and/or addressing the following +issues: +1. Have the employee enter the resignation/retirement letter +on the electronic termination form at this link +Termination/Retirement/Resignation Notification Form, or +you or your secretary can complete the form and upload the +employee’s signed letter of resignation on the employee’s +behalf. A sample letter is located on page 4 of this circular. +2. Process all absences on Employee Self Service in a timely +manner. +3. Obtain the following items (all that apply): +a. Keys (office, building, cabinet, desk, vehicles, other). +b. Badge/ID (office, building, other). +c. Department issued equipment (computers, laptops +(except L4L laptops), printers, modems, etc.) See above +for L4L laptop returns to OIIT. +d. Cell phone and accessories, pager, radios. +e. Department issued uniforms. +f. Department issued property. + + +Page 6: +Superintendent’s Circular HRS-PP17 +Page 6 of 7 + +BENEFITS +An employee may be eligible to continue to purchase certain +benefits after they leave. Upon loss of coverage for an employee +and/or their eligible dependent(s), a COBRA notification packet +will be mailed to the employee and/or their eligible dependent(s). +The law requires that this packet be sent by mail to the last +known address of the employee and/or the employee's eligible +dependent(s). For additional information on COBRA, see COBRA +Questions and Answers. +Please contact the City of Boston Health Benefits Office at 617- +635-4570 for further information. +The Office of Human Resources provides this FAQ Retirements, +Resigning, Non-Renewal, Lay Off. + +For more information about this circular, contact: +Owner: +Employee Services +Department: +Office of Human Resources +Mailing Address: +2300 Washington Street, Roxbury MA 02119 +Fax: +617-635-7957 +Email: +employeeservices@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 7: +Superintendent’s Circular HRS-PP17 +Page 7 of 7 + +SAMPLE EMPLOYEE RESIGNATION LETTER +Employee Name: +Employee Address: +Date: + +Dear (Principal/Head of School/Supervisor), +This letter is to inform you that I will be resigning from my +position as [name of position] at [name of school or department] +effective [date]. +Optional: May include reasons for resigning in the body of the +form. +I certify that this resignation is executed by me voluntarily and of +my own free will. + +Employee Name: +Employee Signature: +Date: + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP19 Performance-Related Dismissal Process for Teachers.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP19 Performance-Related Dismissal Process for Teachers.txt new file mode 100644 index 0000000..8b9763f --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP19 Performance-Related Dismissal Process for Teachers.txt @@ -0,0 +1,144 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +HRS-PP19 +Version 01 + + + +PERFORMANCE-RELATED DISMISSAL PROCESS +FOR TEACHERS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +In the event the performance evaluation of a teacher results in a +recommendation for dismissal by a Principal or Head of School, +the following procedures will be followed: (1) the Superintendent +shall review all processed recommendations for dismissal and (2) +if the Superintendent approves the recommendation to dismiss +the teacher, the Principal or Head of School may institute +dismissal proceedings set forth in M.G.L. c. 71, section 42. +Note: A teacher may be removed from the classroom, dismissed, +or suspended for just cause prior to the completion of the +evaluation-related process specified in this Circular. +TERMINATION REQUIREMENTS +The minimum requirements to proceed with a teacher +termination can be met in one of two ways, both in cases where +the teacher was placed on an Improvement Plan: +If the Evaluator determines that the Educator is not making +substantial progress toward proficiency, the Evaluator shall +recommend to the superintendent that the Educator be +dismissed. + + +Page 2: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +If the evaluator determines that the Educator’s practice +remains at the level of unsatisfactory, the Evaluator shall +recommend to the superintendent that the Educator be +dismissed. + +Copies of the following information will be submitted to the +Superintendent via the Office of Labor Relations in order to move +forward with a recommendation for termination: +1. +All less-than-proficient performance evaluations you are +relying on for potential termination. +2. +All other performance evaluations within the last two years. +3. +All written feedback to the teacher following an observation +in which you saw a need for improvement. +4. +All correspondence regarding pre-evaluation and post- +evaluation meetings. +5. +All written notes from pre-evaluation or post-evaluation +meetings. +6. +A log documenting all artifacts (e.g., syllabus, lesson plan, +evidence of planning, etc.) submitted to you by the teacher. +7. +All notes and correspondence from the teacher concerning +evaluations, classroom observations, and other matters +relating to their performance. +8. +Correspondence from teachers, parents, or other individuals +regarding a teacher’s performance, complimentary or +critical. +9. +Attendance and tardiness records and correspondence if +attendance and/or tardiness is an issue or if the teacher’s +absences have affected contractually required timelines. + + +Page 3: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +10. +A log documenting any allegations of discrimination brought +by the teacher to the BPS Office of Equity or the +Massachusetts Commission Against Discrimination (MCAD), +e.g., race, age, gender, disability. +11. +All documentation about any disciplinary action taken +against the teacher, only if relevant to performance issues. +12. +A draft letter from the principal notifying the teacher of BPS’ +intent to dismiss based on unsatisfactory performance. + +Steps of the termination procedure: +1. +The principal/head of school recommends to the +Superintendent that a teacher be terminated. +2. +If the Superintendent approves the recommendation, the +teacher receives a letter from the principal/head of school +notifying them of BPS’ intent to dismiss. +3. +The teacher has 10 school days after receiving the notice +of intent to dismiss to meet with the principal/head of +school to review the decision. +4. +After the meeting, if the termination decision remains +unchanged, the principal/head of school sends the +teacher a letter communicating the termination decision. +5. +The teacher with professional teacher status may seek +review of the termination decision within 30 days by filing +a petition for arbitration with the Commissioner of +Education. + + +For more information about this circular, contact: + + +Page 4: +Superintendent’s Circular HRS-PP19 +Page 2 of 2 + + +Owner: +Director of Labor Relations +Department: +Office of Labor Relations +Mailing +Address: +2300 Washington Street, 4th Floor, Boston, MA +02119 +Phone: +617-635-1576 +Fax: +617-635-7959 +E-mail: +ohc@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Office of Human Resources (HRS)/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.txt b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.txt new file mode 100644 index 0000000..37c2aa4 --- /dev/null +++ b/data/data_txt1/Office of Human Resources (HRS)/HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.txt @@ -0,0 +1,97 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +HRS-PP20 +Version 01 + + + +CHANGES IN PAY FREQUENCY FOR +PARAPROFESSIONALS AND COMMUNITY FIELD +COORDINATORS +This circular will remain in effect unless rescinded or superseded +by a subsequent version. + +Pursuant to the Memorandum of Agreement between the School +Committee of the City of Boston and The Boston Teachers Union, +Local 66, AFT, AFL-CIO (‘Union’), Article III, Compensation and +Benefits Section A: “Add – If 200 paraprofessionals choose the +option, a paraprofessional shall have the option of being paid +biweekly over 26 paychecks”. +1. Paraprofessionals and community field coordinators may +elect to be paid biweekly over 26 paychecks. +2. An employee must be active or on paid leave at the +beginning of the school year. +3. Applications can be submitted to the Payroll Unit via fax to +617-635-9003, via Google form +https://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq- +i9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or +US postal service to 2300 Washington Street, Roxbury MA +02119, Attn: Payroll, only during the open enrollment period +which begins on April 1 and ends on June 1. +4. Applicants who wish to change their pay frequency from 10 + + +Page 2: +Superintendent’s Circular HRS-PP20 +September 1, 2023 +Page 2 of 3 + + + +months to 12 months or 12 months to 10 months must notify +Payroll by submitting the Para Pay Frequency application or +completing the Google form prior to the June 1 deadline to +be effective September of the next school year. +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +April 1 +Para pay frequency open enrollment period begins. +June 1 +Para pay frequency open enrollment period closes. + +For more information about this circular, contact: +Department: +Office of Human Capital +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9600 +Fax: +617-635-9003 + +Mary Skipper, Superintendent + + +Page 3: +Superintendent’s Circular HRS-PP20 +September 1, 2023 +Page 3 of 3 + + + +APPLICATION FOR CHANGE IN PAY FREQUENCY FOR ALL +PARAPROFESSIONALS & COMMUNITY FIELD COORDINATORS + Change from 21 to 26 payments (paid 12 months): +I am electing to change my paycheck frequency to 26 +payments. I understand that this request cannot be reversed +until the next school year. + Change from 26 to 21 payments (paid 10 months): +I am electing to change my paycheck frequency to 21 +payments. I understand that this request cannot be reversed +until the next school year. +Name: ___________________________________________________________ +Employee I.D.: ____________________________________________________ +School/Department: ______________________________________________ +Signature: _______________________________________________________ +Date: __________________________ +Please submit your completed form on or before June 1. The +change will become effective in September of the new school +year. If you have any questions regarding this matter, please +contact the Office of Human Capital at 617-635-9600. + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-01 Student Search Procedures.txt b/data/data_txt1/Safety Services (SAF)/SAF-01 Student Search Procedures.txt new file mode 100644 index 0000000..088fd5e --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-01 Student Search Procedures.txt @@ -0,0 +1,221 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-01 +Version 01 + +STUDENT SEARCH PROCEDURES +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +School leaders, principals, and other administrative personnel are +responsible for enforcing the Student Code of Conduct and for +establishing a safe and secure environment for learning in the +schools under their supervision. The United States Supreme +Court in the case of New Jersey v. T.L.O., 469 U. S. 325 (1985) has +issued a decision that affects how school personnel may enforce +school rules and maintain an atmosphere conducive to teaching +and learning. +The Supreme Court’s decision established constitutional +standards for student searches by school officials and school +employees. Specifically, the Court ruled that the Fourth +Amendment to the United States Constitution, which prohibits +unreasonable searches and seizures by government employees, +is not violated when public school administrators and teachers +conduct student searches if there are reasonable grounds to +believe that the search will yield evidence of either a violation of +law, a violation of school rules, or both. +In announcing its ruling, the Court rejected the school board’s +argument that school officials, like parents, are exempt from the +requirements of the Fourth Amendment. At the same time, the +Court rejected the student’s claim that school officials must +obtain warrants or meet the more rigorous “probable cause” +standard, applicable to searches by law enforcement officials, +before conducting student searches on school property. Rather, + + +Page 2: +Superintendent’s Circular SAF-01 +Page 2 of 6 + +the Court struck a balance between the student’s legitimate +expectations of privacy in the school setting and the school’s +equally legitimate need to maintain an environment in which +learning can take place. The Court held that the “legality of a +search of a student should depend simply on the reasonableness, +under all the circumstances, of the search.” +To be legal, a student search must be reasonable in two respects. +First there must be reasonable suspicion to believe that the +student has in their possession evidence tending to show either a +violation of law or a violation of school rules. To reasonably +suspect something, school officials must have facts of sufficient +quantity and certainty to establish that the suspicion is likely to +be true. Mere suspicion, hearsay, or a single isolated fact, +unsupported by further evidence, is generally not enough to +meet the reasonable suspicion standard. Second, the scope of +the search must be reasonable in relation to the intrusion on the +student’s privacy. There must be a likelihood that the area +searched will yield the item(s) being sought. +The determination of whether a search is reasonable is a +question of judgment without definite benchmarks. School +officials must exercise common sense and good judgment to +ensure that student searches conform to the “reasonableness” +standard. +In conducting student searches, school personnel should adhere +to the following guidelines: +1. Only administrators who are authorized under Boston +Public Schools’ Code of Conduct to suspend students from +school should conduct student searches. The authority to +conduct student searches should be limited to school +leaders, principals, other administrative officials, and +personnel specifically designated by school leaders, heads of + + +Page 3: +Superintendent’s Circular SAF-01 +Page 3 of 6 + +schools, principals, and other administrative personnel to +suspend students. +2. If the school administrator believes that a student may have +in their possession a firearm, weapon, dangerous object, or +drugs, or otherwise fears that a search would jeopardize +their safety, the administrator should not search the student +until the student has notified the Safety Services +Department to be present during the search. +It should be noted that the Supreme Court specifically did +not decide in the T.L.O. case what standard should apply to +student searches conducted by school officials in +conjunction with or at the behest of a law enforcement +agency. However, the Court noted that the higher standard +of “probable cause” has been applied to student searches +involving law enforcement agencies by a lower federal +court. Thus, it may be expected that Massachusetts courts +will closely scrutinize student searches conducted by school +officials in conjunction with police officers. Consequently, +such searches may be deemed reasonable only if based +upon the more stringent probable cause standard. However, +the presence of a police officer or safety specialist for the +purpose of ensuring the safety of the administrator should +not alone trigger the higher standard. +3. Authorized personnel should search only students of the +same sex. All searches must be conducted in the presence +of another staff member of the same sex, who shall serve as +a witness. A male administrator may not search a female +student. If a female administrator is not available to search a +female student, the administrator may designate another +female staff member to conduct the search. If a male +administrator is not available to search a male student, the + + +Page 4: +Superintendent’s Circular SAF-01 +Page 4 of 6 + +administrator may designate another male staff member to +conduct the search. It is important to emphasize that +searches must always be done by a staff member of the +same sex, and must always be done in the presence of a +witness of the same sex. +4. Before conducting a student search, the administrator must +be confident that the reasonableness standard, as outlined +by the T.L.O. decision (The United States Supreme Court in +the case of New Jersey v. T.L.O., 469 U. S. 325) has been +satisfied. +5. The manner and method of the search should be tailored to +the circumstances. The scope of the search normally should +be limited to those areas and objects that could reasonably +be expected to contain the item(s) being sought. The basis +for the suspicion that a student possesses evidence of a +violation of the law or school rule should increase in direct +proportion to the extent of the intrusion upon the student’s +privacy in conducting the search. A body search of a student +requires a higher level of suspicion than a search of a +student’s book bag. + +In determining whether and how to conduct a student +search, school officials must consider such factors as the +danger posed by the object being sought; the likelihood of +the evidence being disposed of or destroyed; and the age, +sex, and prior disciplinary record of the student. The more +serious the threat posed by the item(s) being sought, the +more likely a court will be to find the search reasonable. On +the other hand, it is likely that a court would strike down a +search that involved the wholesale rummaging through a +student’s personal property without individualized suspicion + + +Page 5: +Superintendent’s Circular SAF-01 +Page 5 of 6 + +that the student had violated either the law or school rules. +Student searches must not become general and +exploratory. +6. School Department employees are not allowed to conduct +strip searches. Strip searches are searches in which a +student is asked to remove articles of clothing that could +result in the exposure of undergarments. +7. An administrator should never use physical force in +attempting to conduct a search. If a student refuses to +submit to a search, the Department of Safety Services (617- +635-8000) should be called for assistance. +8. Searches of student lockers and desks, which remain the +property of the Boston Public Schools while used by +students, should be based upon reasonable grounds to +suspect that they will yield evidence of either violation of +law or school rules. Refer to Superintendent’s Circular SAF- +03 Locker Policy for related information. + +9. If a search by a school administrator yields evidence that a +law has been violated, the administrator should notify the +Department of Safety Services. +School leaders/principals must incorporate salient and pertinent +information from this memorandum into all school-based rules +and student handbooks. Students and parents must be informed +that such information serves as prior and ample notice of the +School Department’s procedure for student searches. The phrase +“prior and ample notice” is to be included in school-based rules +and student handbooks. + + + + +Page 6: +Superintendent’s Circular SAF-01 +Page 6 of 6 + +For more information about this circular, contact: +Name: +Legal Advisor +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +legal@bostonpublicschools.org +OR +Owner: +Deputy Chief of Safety Services +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-02 Weapons and Objects of No Reasonable Use.txt b/data/data_txt1/Safety Services (SAF)/SAF-02 Weapons and Objects of No Reasonable Use.txt new file mode 100644 index 0000000..98b2153 --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-02 Weapons and Objects of No Reasonable Use.txt @@ -0,0 +1,135 @@ +Page 1: + +Superintendent’s +Circular +NUMBER: +SAF-02 +Version 01 + +WEAPONS AND OBJECTS OF NO REASONABLE USE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +The Code of Conduct lists as grounds for suspension or expulsion +the possession of any dangerous weapon, including but not +limited to a firearm, knife, razor blade, club, explosive, taser, stun +gun mace/pepper spray, tear gas, brass knuckles, studded +bracelet, other dangerous weapons, or dangerous objects of no +reasonable use to the student at school. (See Code of Conduct +Sections 7.4 and 14.13). +Heads of school and principals should note that as of January +1999, the Boston City Council enacted an ordinance restricting +the sale, possession, and use of laser pointer devices (Ord. 1999 c. +2 § 4)). As a result of that ordinance, persons under twenty-one +years of age are prohibited from possessing any laser pointer +device on any school property within the City of Boston. Laser +pens and other laser pointer devices are considered to be objects +of no reasonable use within the meaning of the Code of Conduct. +Students found in possession of such devices are subject to the +provisions of Section 7.4 of the code. Students may also be +subject to non-criminal court proceedings, under MGL, c.40, +s.21D. +Heads of school and principals must communicate to students +that the possession of any weapon or object of no reasonable use +in school, on the way to school, or during school-related activities + + +Page 2: +Superintendent’s Circular SAF-02 +Page 2 of 4 + +is strictly forbidden, and that violations of this rule will be dealt +with appropriately. Students must also be advised that under +certain circumstances when evidence exists of serious +misconduct outside of school — for example, a student’s being +charged with or convicted of a felony, such that the student’s +continued presence in school will have a substantial detrimental +effect on the general welfare of the school — these shall be +considered school related offenses and shall be dealt with in +accordance with Section 7.0 of the Code of Conduct. +Heads of school and principals must incorporate salient and +pertinent information from the above two paragraphs into all +school-based rules and student handbooks. Students and +parents must be informed that such information serves as prior +and ample notice of the School Department’s policy regarding +weapons and other objects of no reasonable use. The phrase +“prior and ample notice" is to be included in school-based rules +and student handbooks. +The Educational Reform Act of 1993 requires that all student +handbooks include the following information. Such information is +to be incorporated into all school-based rules as well. +1. Any student found in possession of a dangerous weapon, +including but not limited to a firearm or a knife; or found in +possession of a controlled substance, including but not +limited to marijuana, cocaine, or heroin, on school premises +or at a school sponsored or school related event, including +athletic games, may be subject to expulsion. + + +Page 3: +Superintendent’s Circular SAF-02 +Page 3 of 4 + +2. Any student who assaults a staff member on school +grounds, or at a school sponsored, or school related event, +including athletic games, may be subject to expulsion. +Massachusetts law requires all school staff personnel to report in +writing to their immediate supervisor any incident involving a +student’s possession or use of a dangerous weapon on school +premises, (MGL, c.71, s.31 L). Refer to MGL, c.269, s.10 and the Code +of Conduct for definitions of dangerous weapons. +If a dangerous weapon or an object of no reasonable use is +confiscated, the following steps are to be taken: +1. Each item is to be kept in the possession of the +administrator, who will notify the Department of Safety +Services immediately upon confiscation. If the item is a +firearm, the Boston Police are to be immediately notified by +telephone, using the 911 emergency line. School Department +personnel will comply with subsequent instructions issued +by the police. +2. Safety Services will hold items, other than firearms, making +them available for hearings, conferences, and court +proceedings for a reasonable period. +3. Following any parental conferences and court proceedings, +items which are classified as dangerous weapons under +MGL, c. 269, s.10 or MGL, c. 140, s.131 J shall be turned over to +the Boston Police by the Department of Safety Services. +4. In no instances will a dangerous weapon or an object of no +reasonable use be returned to a student. The Department of +Safety Services will be responsible for returning any + + +Page 4: +Superintendent’s Circular SAF-02 +Page 4 of 4 + +property not classified as a dangerous weapon to the parent +or legal guardian upon written request. +5. Objects of no reasonable use not claimed by a parent or +guardian within a reasonable period will be turned over to +the Boston Police Department for destruction. +All staff members are expected to meet the same standards that +hold for students. Employees of the Boston Public School are +prohibited from bringing firearms or other dangerous weapons +onto school property at any time. Except for law enforcement +officials, it is a violation under federal and state law for anyone to +bring a firearm, loaded or unloaded, into an elementary school, a +secondary school, or a college or university, even if that person is +otherwise licensed to carry a firearm. +For more information about this circular, contact: +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-03 Locker Policy.txt b/data/data_txt1/Safety Services (SAF)/SAF-03 Locker Policy.txt new file mode 100644 index 0000000..d3ccf3a --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-03 Locker Policy.txt @@ -0,0 +1,119 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +SAF-03 +Version 01 + +LOCKER POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Consistent with the policy outlined in Superintendent’s Circular +SAF-02, Weapons and Objects of No Reasonable Use, this +memorandum explains the Boston Public Schools’ policy +regarding student locker searches. +All students and parents must understand that lockers are the +property of the Boston School Department, made available for +students’ use and convenience. Lockers remain the property of +the Boston School Department while being used by students. +School administrators, other school department personnel, +including but not limited to teachers, custodians, and school +police have authority to search student lockers; any personal +effects found within lockers; and places of concealment within +those personal effects. Students will be held accountable for the +contents of their lockers and the contents of their personal +effects. Any contraband or evidence of a crime found because of +a locker search will be turned over to the appropriate authorities. +The information from the above paragraph is to be included in all +school-based rules and all student handbooks. Students and +parents must be informed that such information serves as prior +and ample notice of the School Department’s student locker +policy. The phrase “prior and ample notice” is to be included in + + +Page 2: +Superintendent’s Circular SAF-03 +Page 2 of 4 + +school-based rules and student handbooks. +In implementing the locker policy, each school must adhere to +the following guidelines: +1. Each school will determine its own procedure for assigning +lockers and issuing padlocks and locker keys. This procedure +must be included in the school-based rules and student +handbook. Students must adhere to all school-based rules +pertaining to locker use. +2. Only school issued padlocks and locker keys are to be used. +All unauthorized padlocks are to be removed immediately +upon detection, and the locker and its contents immediately +searched by the school leader, principal, or designee. +3. Locker assignments are to be documented. This document +is to contain the student’s name and the appropriate master +key information or the padlock combination. This document +is to be kept in a secure but readily available place in the +main office of the school. +4. Students are not to share lockers, unless authorized by the +school leader, principal, or other building administrator. +5. All unused lockers are to be cleaned out and locked or +sealed to prevent unauthorized use. +6. School leaders and principals will arrange for periodic +inspection of lockers by school personnel, including at least +one general cleanup during the school year. Personal effects +removed from lockers are to be inventoried and reasonable +efforts made to return property to its owners. Contraband +and evidence of a crime is to be inventoried and turned over +to the appropriate public safety agency. + + +Page 3: +Superintendent’s Circular SAF-03 +Page 3 of 4 + +7. School leaders, principals, and other school department +personnel will conduct inspections of student lockers when +it has been reasonably determined that a safety or security +problem exists, or that there is reasonable suspicion that the +student has evidence in the locker tending to show either a +violation of the law or a violation of school rules. Personal +effects are to be inventoried and reasonable efforts made to +return property to its owner. Contraband and evidence of a +crime is to be inventoried and turned over to the +appropriate public safety agency. +8. Students whose lockers contain contraband or evidence of a +crime will be subject to the provisions of the Code of +Conduct and to the applicable criminal statutes. If +contraband or evidence of a crime is confiscated from a +student's locker, procedures detailed in Superintendent +Circular SAF-02, Weapons and Objects of No Reasonable +Use, cited above are to be followed. + + + + + + +Page 4: +Superintendent’s Circular SAF-03 +Page 4 of 4 + +For more information about this circular, contact: +Name: +Deputy Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release (1).txt b/data/data_txt1/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release (1).txt new file mode 100644 index 0000000..a51a67d --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release (1).txt @@ -0,0 +1,179 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-04 +Version 01 + +INCIDENT DATA AND NOTIFICATIONS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +It is Boston Public Schools’ policy that all building administrators +and responsibility center managers report all incidents +completely, promptly, and accurately to the Department of +Safety Services and appropriate public safety agencies. +Administrators and responsibility center managers must be +aware that often an incident occurring at one site may +precipitate a similar or related incident at another site. Timely +reporting of incidents will help ensure a prompt and appropriate +response by the School Department, public safety agencies, and +other agencies whose support may be required. + +In addition to reporting all incidents to the Department of Safety +Services, building administrators and responsibility center +managers must report all serious incidents to the +Superintendent’s Office and to the appropriate assistant +superintendent. Serious incidents are considered to be those that +require or precipitate the assistance of the Police Department, +Fire Department, Emergency Medical Services, or the +Department of Children and Families in other than a routine and +ancillary manner. Any situation that could result in the request +for the closing of a school building is also to be considered a +serious incident reportable to the Superintendent’s Office and +the appropriate assistant superintendent. Since personnel from +the superintendent’s staff work with city officials to address +many of these issues and the Office of Communications + + +Page 2: +Superintendent’s Circular SAF-04 +Page 2 of 4 + +coordinates responses to media inquiries, it is imperative that the +Superintendent’s Office be notified of serious incidents in a +timely manner. + +Building administrators and responsibility center managers must +immediately notify the appropriate public safety agency by way +of the 911 emergency telephone line of any situation that poses +imminent danger. These calls should be made by the on-site +administrator or manager using conventional or cellular +telephones. The School Department’s two-way radio system is +not designed to access 911 emergency services and should only +be used when conventional or cellular telephones are +unavailable. + +When accessing emergency services through the enhanced 911 +system, the caller must give the complete address, succinctly +state the nature of the problem, and follow any instructions +issued by the dispatcher. + +The following chart lists some typical incidents occurring on +School Department grounds, and the appropriate order of +notifications to be made. + + +Incident +Order of Notification +Arrest +Department of Safety Services, Police +Arson (or Attempt to +Burn) +Fire, Department of Safety Services, +Facilities +Assault +Department of Safety Services, Police +Bomb Threat +Police, Department of Safety Services, +Superintendent’s Office +Demonstration +Police, Department of Safety Services, +Superintendent’s Office + + +Page 3: +Superintendent’s Circular SAF-04 +Page 3 of 4 + +Drug Possession +Department of Safety Services, Police +Extortion +Department of Safety Services, Police +Facility Damage +Facilities, Superintendent’s Office, +Department of Safety Services +Larceny +Department of Safety Services, Police, +Facilities +Fire (No matter how +small) +Fire, Department of Safety Services, +Facilities +Medical Emergency +EMS, Department of Safety +Services,Superintendent’s Office (if +major event) +Police Assistance +(Unspecified) +Department of Safety Services, Police +Robbery +Department of Safety Services, Police +Sex Offense +Department of Safety Services, Police, +Superintendent’s Office, Equity +School Closings +(Emergency) +Superintendent’s Office, Department of +Safety Services, Police +Technical Assistance +(Safety and Security) +Department of Safety Services, Facilities +Threats +Department of Safety Services, BPD +School Unit +Trespassers +Department of Safety Services, Police +Vandalism +Department of Safety Services, Facilities +Weapons +Department of Safety Services, Police + +Administrators and responsibility center managers are to note +that requests from the media or from other parties for incident +reports, written statements, or other documents should be +referred to the Office of Legal Advisor at 617-635-9320. + + + +Page 4: +Superintendent’s Circular SAF-04 +Page 4 of 4 + +School leaders, principals, and program directors are reminded +that they are required to sign off on all incident reports prepared +by School Department employees (excluding Safety Services +reports), including but not limited to teachers and other school +staff. + +For related information, refer to: +● Superintendent’s Circular FMT-12, Report of Loss or Damage +Resulting from Fire, Theft, Vandalism, or Unlawful Acts +● Superintendent’s Circular FSE-01, School Safety / +Contingency Plans +● Superintendent’s Circular FSE-02, Fire Safety Practices. + +For more information about this circular, contact: + +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing +Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release.txt b/data/data_txt1/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release.txt new file mode 100644 index 0000000..a51a67d --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-04 Incident Data Reporting and Release.txt @@ -0,0 +1,179 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-04 +Version 01 + +INCIDENT DATA AND NOTIFICATIONS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +It is Boston Public Schools’ policy that all building administrators +and responsibility center managers report all incidents +completely, promptly, and accurately to the Department of +Safety Services and appropriate public safety agencies. +Administrators and responsibility center managers must be +aware that often an incident occurring at one site may +precipitate a similar or related incident at another site. Timely +reporting of incidents will help ensure a prompt and appropriate +response by the School Department, public safety agencies, and +other agencies whose support may be required. + +In addition to reporting all incidents to the Department of Safety +Services, building administrators and responsibility center +managers must report all serious incidents to the +Superintendent’s Office and to the appropriate assistant +superintendent. Serious incidents are considered to be those that +require or precipitate the assistance of the Police Department, +Fire Department, Emergency Medical Services, or the +Department of Children and Families in other than a routine and +ancillary manner. Any situation that could result in the request +for the closing of a school building is also to be considered a +serious incident reportable to the Superintendent’s Office and +the appropriate assistant superintendent. Since personnel from +the superintendent’s staff work with city officials to address +many of these issues and the Office of Communications + + +Page 2: +Superintendent’s Circular SAF-04 +Page 2 of 4 + +coordinates responses to media inquiries, it is imperative that the +Superintendent’s Office be notified of serious incidents in a +timely manner. + +Building administrators and responsibility center managers must +immediately notify the appropriate public safety agency by way +of the 911 emergency telephone line of any situation that poses +imminent danger. These calls should be made by the on-site +administrator or manager using conventional or cellular +telephones. The School Department’s two-way radio system is +not designed to access 911 emergency services and should only +be used when conventional or cellular telephones are +unavailable. + +When accessing emergency services through the enhanced 911 +system, the caller must give the complete address, succinctly +state the nature of the problem, and follow any instructions +issued by the dispatcher. + +The following chart lists some typical incidents occurring on +School Department grounds, and the appropriate order of +notifications to be made. + + +Incident +Order of Notification +Arrest +Department of Safety Services, Police +Arson (or Attempt to +Burn) +Fire, Department of Safety Services, +Facilities +Assault +Department of Safety Services, Police +Bomb Threat +Police, Department of Safety Services, +Superintendent’s Office +Demonstration +Police, Department of Safety Services, +Superintendent’s Office + + +Page 3: +Superintendent’s Circular SAF-04 +Page 3 of 4 + +Drug Possession +Department of Safety Services, Police +Extortion +Department of Safety Services, Police +Facility Damage +Facilities, Superintendent’s Office, +Department of Safety Services +Larceny +Department of Safety Services, Police, +Facilities +Fire (No matter how +small) +Fire, Department of Safety Services, +Facilities +Medical Emergency +EMS, Department of Safety +Services,Superintendent’s Office (if +major event) +Police Assistance +(Unspecified) +Department of Safety Services, Police +Robbery +Department of Safety Services, Police +Sex Offense +Department of Safety Services, Police, +Superintendent’s Office, Equity +School Closings +(Emergency) +Superintendent’s Office, Department of +Safety Services, Police +Technical Assistance +(Safety and Security) +Department of Safety Services, Facilities +Threats +Department of Safety Services, BPD +School Unit +Trespassers +Department of Safety Services, Police +Vandalism +Department of Safety Services, Facilities +Weapons +Department of Safety Services, Police + +Administrators and responsibility center managers are to note +that requests from the media or from other parties for incident +reports, written statements, or other documents should be +referred to the Office of Legal Advisor at 617-635-9320. + + + +Page 4: +Superintendent’s Circular SAF-04 +Page 4 of 4 + +School leaders, principals, and program directors are reminded +that they are required to sign off on all incident reports prepared +by School Department employees (excluding Safety Services +reports), including but not limited to teachers and other school +staff. + +For related information, refer to: +● Superintendent’s Circular FMT-12, Report of Loss or Damage +Resulting from Fire, Theft, Vandalism, or Unlawful Acts +● Superintendent’s Circular FSE-01, School Safety / +Contingency Plans +● Superintendent’s Circular FSE-02, Fire Safety Practices. + +For more information about this circular, contact: + +Owner: +Deputy Chief of Safety +Department: +Safety Services +Mailing +Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-08 Release of Students to Authorized Persons.txt b/data/data_txt1/Safety Services (SAF)/SAF-08 Release of Students to Authorized Persons.txt new file mode 100644 index 0000000..1dd6763 --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-08 Release of Students to Authorized Persons.txt @@ -0,0 +1,176 @@ +Page 1: + + + +Superintendent’s +Circular +NUMBER: +SAF-08 +Version 01 + +RELEASE OF STUDENTS TO AUTHORIZED PERSONS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +School leaders/principals must use extraordinary care in releasing +a child to a parent or guardian. Such care should be further +emphasized when an administrator has been informed that a +court order exists prohibiting release of that child to a certain +person or persons. It is essential to exercise extreme caution in +this area to prevent a parent or guardian from attempting to +remove a child from school. It is both essential and mandatory +that school leaders/principals regularly update the Student +Emergency Information Card (Form 460). +If telephone notification is received from a parent or guardian to +release a student to a third party, it is the responsibility of the +building administrator to verify. A suggested procedure is to ask +for the telephone number from which the party is calling, cross- +check that number with the information from the emergency +card, and then call the party back at that number. +School leaders/principals must require proper identification from +any person removing a child from school. No child is to be +released to anyone other than a custodial parent without the +parent's consent and proper identification. +School leaders/principals should note that the Department of +Children and Families (DCF) has statutory authority to take + + +Page 2: +Superintendent’s Circular SAF-08 +Page 2 of 5 + +immediate custody of any child if DCF has reasonable cause to +believe that such action is necessary to protect the child from +abuse or neglect. In such cases, the child will be brought before +the court on the next business day. Such emergency measures +are usually taken without the consent of the parent. However, +before school leaders/principals release any child to an agent of +the DCF, the agent should be required to present their official +photo identification and prepare a simple signed statement to +the effect that the Department of Children and Families is +exercising its authority to take immediate custody of the child on +the grounds of suspected abuse or neglect. +Under no circumstances should a child be sent to any location by +way of a taxicab, or any other transportation service based solely +on notification received by telephone. +School leaders/principals having doubts about the release of a +student should immediately contact the Boston Police +Department by calling 911 and Boston Public Schools Safety +Services Department at 617-635-8000. +There are some situations in which parents have authorized a +third party to transport their children to or from school on a +regular basis in a van, bus, or some vehicle other than that +assigned by the BPS Transportation Department. School leaders, +principals, and program directors must obtain written permission +from such parents authorizing alternative transportation +arrangements. The attached form, Parent Permission to Release +Student to Authorized Persons, must be completed by the parent +before administrators put a child into a vehicle operated by a +third party. + + +Page 3: +Superintendent’s Circular SAF-08 +Page 3 of 5 + +It is important to record the name of the driver, the name of the +bus company (if applicable), the type of vehicle, and the vehicle +registration number. School leaders, principals, and program +directors are to retain a copy of each completed form. +For more information about this circular, contact: +Owner: +Office of Legal Advisor Director +Department: +Office of Legal Advisor +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9320 +Fax: +617-635-9327 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + +Page 4: +Superintendent’s Circular SAF-08 +Page 4 of 5 + +PARENT PERMISSION TO RELEASE STUDENT TO +AUTHORIZED PERSONS + +The Boston School Department is concerned about the safety +and wellbeing of all students and consequently will release a +child to a third party (someone other than the parent or legal +guardian) only with the parent’s or guardian’s written +authorization. If you plan to release your child to a third party, +you must complete this form and return it to the principal of +your child’s school. + +Date_____________________________ +I, as parent or guardian, give permission for [print name of +student] + +to be transported to and/or from the [print name of school] + + + +by [name of third-party driver] + +from [start date] _________________ to [end date] +. + + + + +Page 5: +Superintendent’s Circular SAF-08 +Page 5 of 5 + +I further understand that [name of third-party driver] +________________________________________ will be responsible for my +child’s transportation services and safety. I release the Boston +School Department from any liability in case of any accident, +injury, and/or other claim as a result of the Boston School +Department releasing my child to the person or agency named +above. +Signature of Parent/Guardian: + +Home/Cell Phone Number: + +Work Phone Number: + +Address: + + + +Name of third-party company or individual: + + +Phone Number: + +Type of vehicle (check as appropriate): +☐ Van ☐ Bus ☐ Automobile ☐ Other Vehicle +Vehicle Registration Number: + + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-09 Lost Children Procedures.txt b/data/data_txt1/Safety Services (SAF)/SAF-09 Lost Children Procedures.txt new file mode 100644 index 0000000..8c30395 --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-09 Lost Children Procedures.txt @@ -0,0 +1,670 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-09 +Version 01 + + LOST CHILDREN PROCEDURES +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +From time to time, students may be “lost” — that is, a student +leaves home in the morning but does not arrive at school, or a +student arrives at school but is missing later in the day, or the +student may leave school at dismissal and not arrive at home. The +following are standard procedures to follow whenever any of these +scenarios should happen. +STANDARD PROCEDURES +The first receiver of information will: + +• Gather as much information as possible from the person +reporting the lost child, including name, student number, +school address and phone number, bus stop, bus number, +names of friends/classmates, if known, clothing description, +and the name and phone number of the caller. +• Notify Safety Services: Inform the safety specialist assigned or +present at the building, and they will inform BSP dispatch. If +there is not a safety specialist at the school, the designated +school staff should call Safety Services dispatch at 617-635- +8000 to initiate immediate support. +• Notify the appropriate official: operational leader and school +superintendent. +• Notify the principal/head of school and/or program director. + + +Page 2: +Superintendent’s Circular SAF-09 +Page 2 of 9 + + +The principal/head of school or program director will: +• Contact the student’s parent/guardian. +• Contact teacher(s), student(s), and other(s) who may have +information about the lost student. +The operational leader or the school superintendent will: + +• Make every effort to assist in locating the student. +• Once the child is located, arrange to get the child home. BPS +Transportation may be used as needed, subject to availability. +• Notify the first receiver of information and principal/head of +school of the child's school that the child is located. +Safety Services will: +• Notify Boston Police and assist in coordinating the search +process for lost children. +• If a transported student, call the bus company (who in turn will +call the bus driver) and check students who travel on the same +bus. +• Notify the Superintendent's Office. + + + + + + +Page 3: +Superintendent’s Circular SAF-09 +Page 3 of 9 + +IF LATE SITUATION: +Safety Services will: +• Coordinate search process for lost children +• Update parent/guardian of the situation and assure him/her of +continued efforts +• Provide parents/guardians with telephone numbers of central +Transportation and Safety Services as additional resources +• If the student is transported, call the bus company, who in turn +will call the bus driver, and check students who travel on the +same bus +• Notify the Superintendent's Office +• Notify the Boston Police Department +• Notify the first receiver of information, principal/head of school, +Transportation, and Superintendent’s Office that the child is +located. +If the Boston Police Department finds a child wandering, it informs +BPS Safety Services of the located child. Boston Police will arrange +to get the child home. +IMPORTANT TELEPHONE NUMBERS +Boston Police Department ............................. 911 +BPS Department of Safety Services ........... 617-635-8000 +Assistant Superintendent .............................. 617 293-7048 +Central Transportation ...................................... 617-635-9520 + + + +Transdev (Bus Company) ................................. 617-603-7800 +Superintendent’s Office ................................... 617-635-9050 + + + + + + + +Page 4: +Superintendent’s Circular SAF-09 +Page 4 of 9 + +For more information about this circular, contact: +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 5: +Superintendent’s Circular SAF-09 +Page 5 of 9 + + + + +Page 6: +Superintendent’s Circular SAF-09 +Page 6 of 9 + +BOSTON PUBLIC SCHOOLS +INCIDENT REPORT + +Obtain as much of the following information as possible: +Received by: + + + + + + + + + + +Date: + + + + Time: + + + + + + +Child’s Name: + + + + + Student # + + + +Speaks English: ☐Yes ☐No Language: + + + + + +Spec. Needs ☐Yes ☐No +Name of Parent/Guardian: + + + + + + + + +School: + + + + Grade: + + Dismissal Time: + + +Address: + + + + + + + + + + + +Phone # (Home): + + + + (Emergency): + + + +Place of Incident: + + + + + + + Bus # + + +Description of Incident + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Need Medical Help? ☐Yes ☐No Type of Help? + + + + +Request for Medical Transportation? + + + + + + +Student Sent to Hospital? + + + + + + + + +Parent Contacted? + + + + + Time? + + + +Names of Child’s Friends/Classmates/Witness + + + + + + + + + + + + + + + + + + +(Use next page for additional information) + + + +Page 7: +Superintendent’s Circular SAF-09 +Page 7 of 9 + +Notified Parties + +Parent/Guardian: + + + + + + + + + + + +Parent/Guardian’s Signature: + + + + + + + + + +School Leader: + + + + + + + + + + + +School Leader Signature: + + + + + + + + + + +Safety Notified/Time: + Contact Person: + + + + + + + + + + +School Supt’s Office Notified/Time: + + +Contact Person: + + + + + + + + + + + + + + + + + + + + + + + +---------- End of the Incident Report ---------- + + + +Page 8: +Superintendent’s Circular SAF-09 +Page 8 of 9 + +BOSTON PUBLIC SCHOOLS +LOST CHILD REPORT +Obtain as much of the following information as possible: +Received by: + + + + + + + + + + +Date: + + + + Time: + + + + + + +Child’s Name: + + + + + Student # + + + +Speaks English: ☐Yes ☐No Language: + + + + + +Spec. Needs ☐Yes ☐No +Name of Parent/Guardian: + + + + + + + + +School: + + + + Grade: + + Dismissal Time: + + +Address: + + + + + + + + + + + +Phone # (Home): + + + + (Emergency): + + + +Place of Incident: + + + + + + + Bus # + + +Description of Incident + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + +Need Medical Help? ☐Yes ☐No Type of Help? + + + + +Request for Medical Transportation? + + + + + + +Student Sent to Hospital? + + + + + + + + +Parent Contacted? + + + + + Time? + + + +Names of Child’s Friends/Classmates/Witness + + + + + + + + + + + + + + + + + + +(Use next page for additional information) +Caller’s Information + + +Page 9: +Superintendent’s Circular SAF-09 +Page 9 of 9 + +Caller’s Name: + + + + + Phone # + + + +Relationship to Child +☐ Parent ☐ Other + + + + + + + + + +Specify: Relative (Aunt, Grandfather, etc.), Friend, Teacher, etc + +Notify the Following Parties: +☐ Principal / Head of School +Notified Time + + + +☐ Safety: 635-8000 +Notified Time + + + +☐ Operational Leader +Notified Time + + + +☐ Boston Police: 911* +Notified Time + + + + *(If child not found within 1 hour of drop-off or by 4:30 p.m. or if +warranted by other circumstances) + +Important Telephone Numbers: +Welcome Centers: +• Dorchester 635-8015 +• East Boston 635-9597 +• Roxbury 635-9010 +• Roslindale 635-8040 +TransDev (Bus Company): +• Readville Yard 532-2580 +• Washington St. Yard 532-2560 +• Charlestown Yard 532-2550 +• Freeport St. Yard 532-2570 + +☐ Resolved + + + + + + + + + + +Date/Time +---------- End of the Lost Child Report ---------- + + + diff --git a/data/data_txt1/Safety Services (SAF)/SAF-12 School Access Control.txt b/data/data_txt1/Safety Services (SAF)/SAF-12 School Access Control.txt new file mode 100644 index 0000000..18a7795 --- /dev/null +++ b/data/data_txt1/Safety Services (SAF)/SAF-12 School Access Control.txt @@ -0,0 +1,219 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SAF-12 +Version 01 + +SCHOOL ACCESS CONTROL + +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +AMENDMENT FOR SY 2024-2025: +The safety, health, and wellness of our students, staff, and +families is our highest priority at Boston Public Schools. +Parents/guardians are asked to drop off and pick up their +students on the exterior of the school building at the area(s) +designated by your school leader/staff. +● Parents/guardians should contact their school directly, via +phone or email, to schedule any discussion or virtual +appointments that they would like to have on behalf of their +student. +● If a student is sick or injured and needs to be picked up, +school staff will contact the parent/guardian to make +arrangements and escort the student to meet the +authorized adult. School staff will verify identification of the +individual prior to releasing the student via exterior camera +and intercom. + + + +Page 2: +Superintendent’s Circular SAF-12 +Page 2 of 7 + +SAFETY PROTOCOLS PERTAINING TO INDIVIDUALS IN AND +OUTSIDE THE FACILITY +If school staff have safety concerns pertaining to an individual +outside or inside the facility, they should immediately contact the +Department of Safety Services/Boston at 617-635-8000. In the +case of any imminent threat to student or staff safety, the Boston +Police Department should be notified immediately by dialing 911. +The Boston Public Schools Safety Services Department should +also be notified by dialing 617-635-8000. +Each school in the district must, through its School Safety +Contingency Plan, have clear and comprehensive school access +control protocols in place. School access control plans must +adhere to the following: +● Ensure that only those students, staff and others who are +authorized to be in the school building are admitted to the +facility. +● Require all staff (school based, central office, +contractors/vendors, etc.) to wear and prominently display +their BPS identification cards at all times while on school +property and during school-based activities (e.g., field trips, +school assemblies, outdoor activities). All staff are also +required to follow all school access protocols and +procedures as outlined in this circular. +● Employ a standard operating procedure that all doors to the +school building are locked and secured at all times, while +simultaneously allowing for appropriate egress from inside +the building. +● School secretaries and other staff should NOT admit any +visitor to the building until they can reasonably ascertain the + + +Page 3: +Superintendent’s Circular SAF-12 +Page 3 of 7 + +identity of the individual seeking entrance and the reason for +entry. Staff must use an intercom, camera buzzers and +monitors to assist them with observing and communicating +with any individual seeking access to the facility. +● Secretaries and other staff should NOT allow (buzz in) people +in without knowing or asking the visitor the reason for being +at the school. The camera buzzer shall be used to identify the +person and the reason for their visit before allowing them to +enter school premises “Hello, how can you help you, do you +have an appointment?,... please indicate the reason for your +visit and the person who is hosting you during your visit…” +● Post appropriate signs directing visitors to the main office. +● Any staff member that finds a person in a school building +without an appropriate visitor pass or BPS ID is encouraged +to inquire of the person’s business or reason for being there. +The person should be directed to the main office for further +assistance. If the person may be creating an unsafe +environment, please follow the procedure as outlined above +under “Important Note.” +● ALL staff should inform the designee at the main office in +the event they are expecting a visitor and provide name and +reason prior to the visitor’s arrival. In the event a family +member, partner, or friend is dropping something off for a +staff member, the main office designee MUST obtain verbal +confirmation from the employee PRIOR to allow access to +the facility per this circular. If verification cannot be +obtained, the individual is not to be allowed in the facility. +REQUIREMENTS FOR ALL VISITORS +● Upon admittance, report immediately to the main office + + +Page 4: +Superintendent’s Circular SAF-12 +Page 4 of 7 + +(staff allowing entrance to the facility should confirm arrival +to the main office and sign-in etc.). +● Present photo identification. +● If an individual cannot produce a photo ID, staff should +request another form of identification and/or gain +confirmation from school staff that the person is known to +the school. If additional support is needed to confirm +identification, staff should obtain support from the head of +school/principal or designee before authorizing a visit to +continue. +● Sign the visitor’s log, including full name, time in and time +out, reason for visit, and affiliation (i.e., student, vendor, +department, agency etc.). Please see Superintendent +Circular LGL-04, School Visitors Guidelines. +● After completing the sign-in process, all visitors are to +remain in the main office, or designated area, while waiting +for staff escort to appointments or meetings. All visitors +must be in an area attended by staff to avoid any +unauthorized movement through the building for the +duration of their visit. +● If an authorized visitor states that they are wearing an ankle +monitor or staff observes an ankle monitor on a visitor, staff +should follow the procedures outlined above. + +HEAD OF THE SCHOOL AND FACULTY +● Mandate that ALL visitors to the building be issued and +prominently display a visitor identification badge received at +the time of sign-in at the main office. +● Identify designated meeting space, close to the main office, + + +Page 5: +Superintendent’s Circular SAF-12 +Page 5 of 7 + +to prevent visitors from moving throughout the building. +Classroom access should be limited to special events and +open houses. +● Ensure the safety and security of students and the integrity +of the school building entrances during recess, physical +education, and activities that might occur outdoors, and +during student arrival and dismissal times, by assigning staff +to closely monitor all aspects of the movement of students +and any open doors to accommodate transition in and out +of the building. +● Prohibit prospective BPS employees from beginning their +work until they have been fully hired, and therefore CORI +and SORI cleared by the Office of Human Capital. +● Demand that any facilities and physical plant contractors +slated to work in the building prominently display their +green BPS identification cards, which demonstrate that they +have been CORI and SORI cleared. +● Prohibit staff (including all vendors, contractors, and staff +from other departments), students, or others from +“propping open” doors or creating other potential +inconspicuous means of unauthorized entry into the school +building. +District personnel will look for these elements when reviewing +school safety plans. In addition, specialists from BPS Safety +Services will conduct proactive site visits to assist and provide +input and support on school access control. +School safe mode and internal threat procedures should be +explicitly planned, discussed, and documented by all staff +members. In addition to conducting evacuation procedure drills, + + +Page 6: +Superintendent’s Circular SAF-12 +Page 6 of 7 + +school safe mode drills must be conducted in September and +January of each school year (see Supt. Circular FSE-08, Safe Mode +and Internal Threat Drill Procedures). +All staff members must exercise extreme vigilance regarding +school building security: remain alert for trespassers, unsecured +doors, and/or suspicious persons or activity around the school. +School employees should not compromise their own safety or +that of students when undertaking these security measures. +Sound judgment and reasonable action by all school-based +personnel are expected. Any potential threats to student or staff +safety should be reported at once to the principal/head of school +or their designee (in the event they are out of the building). +RELATED SUPERINTENDENT CIRCULARS +● LGL-04 School Visitor Guidelines +● FSE-01 School Safety Contingency Plans +● SAF-07 Metal Detectors +● SAF-08 Release of Students to Authorized Persons +● SAF-11 Sexual Offender Registry Information (S.O.R.I.) + + + + +Page 7: +Superintendent’s Circular SAF-12 +Page 7 of 7 + +For more information about this circular, contact: +Owner: +Chief of Safety +Department: +Safety Services +Mailing Address: +213 Townsend Street, Dorchester, 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department-Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Community Partners (SCP)/SCP-01 School-Community Partners.txt b/data/data_txt1/School Community Partners (SCP)/SCP-01 School-Community Partners.txt new file mode 100644 index 0000000..b557ad4 --- /dev/null +++ b/data/data_txt1/School Community Partners (SCP)/SCP-01 School-Community Partners.txt @@ -0,0 +1,167 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SCP-01 +Version 01 + + +SCHOOL COMMUNITY PARTNERS + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BPS deeply values the essential role that School-Community +Partners play in our collective efforts to eliminate opportunity +and achievement gaps. To advance our goals of providing BPS +students and families equitable access to high-quality partner +opportunities and create more coherence, alignment, and +understanding of the complex and extensive partnership +landscape, BPS requires the implementation of this PartnerBPS +(www.partnerbps.org) Policy for all BPS schools and for all BPS +School-Community Partners. +POLICY STATEMENT +Any School-Community Partner providing any services in any +BPS school must register and update their information annually +via the PartnerBPS Partnership Platform. BPS requires all School- +Community Partners to be fully registered and approved via the +PartnerBPS platform before providing any services within any +school. + +DEFINITION OF A SCHOOL-COMMUNITY PARTNER +A School-Community Partner is an organization, group, or + + +Page 2: +Superintendent’s Circular SCP-01 +Page 2 of 5 + + +coalition that intentionally collaborates with the Boston Public +Schools to provide ongoing, direct services to BPS students, staff, +families, and/or other members of the school community. This +broad definition encompasses a variety of groups, including +community-based organizations, colleges and universities, +businesses or corporations, hospitals, government agencies, +cultural institutions, nonprofit or non-governmental +organizations and faith-based organizations. + +IMPLEMENTATION PROCEDURES FOR SCHOOLS +A. School principals/school leaders/heads of school and/or a +school staff member designated by the principal/head of +school must identify all School-Community Partners +providing services within the school building at the start of +each school year within the www.partnerBPS.org website. +This can be an agreement, contract, or Scope of Work +outlining services provided and expectations on both sides. +If the partner is a paid partner, the school is responsible for +entering the requisition before the partner begins providing +services to the school and providing this requisition number +to the partner. No Boston Public School employee, other +than those listed below, is authorized to enter a contract +with any vendor. This includes, but is not limited to +contracts, agreements, memorandums of understanding, +grants, partnership agreements, or any other expenditure +that binds the district to payment for services/goods. This +includes purchases for services or goods for under $10,000. +B. If additional School-Community Partners begin work at the +school site during the school year, the designated school +staff must also ensure the partner is registered and all + + +Page 3: +Superintendent’s Circular SCP-01 +Page 3 of 5 + + +agreements entered www.partnerBPS.org before services +can begin. +C. The school designee must ensure that all current School- +Community Partners are registered on PartnerBPS by +August 31st of the upcoming academic school year. +D. School leader or designee will require all new partners +brokered throughout the school year to register in +PartnerBPS before beginning services at the school. +E. School leaders or designee must review their PartnerBPS +School Partnership profile annually to verify and rate the +partnerships listed on their profile. Review, verification, and +rating should be conducted by June 30, before the end of +the school year. +F. Schools should use PartnerBPS as a resource for accessing +and brokering partner opportunities and helping students +and families identify and access partner opportunities. + +IMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY +PARTNERS +All School-Community Partners must be fully registered and +approved on PartnerBPS.org before providing any type of service +in a BPS school. +In order for School-Community Partners to be considered fully +registered, they must complete three steps: organization +registration, program registration, and partnership registration. +Further instructions and tutorial information on registering for +PartnerBPS can be found at https://partnerbps.org/help-school- +community-partners/. +All registered School-Community Partners must update their + + +Page 4: +Superintendent’s Circular SCP-01 +Page 4 of 5 + + +PartnerBPS profile by September 30 before providing their +services in schools. Updates should include registration of all +school partnerships for the upcoming year, an update of current +information in organization and program profiles, and +completion of any questions that have been added by the +School-Community Partnerships team. +As part of this process, School-Community Partners should work +with partner schools to establish a school-based partnership +agreement which they should then upload onto PartnerBPS.org. +In addition to the annual updates, School-Community Partners +should regularly monitor their profiles and keep information up +to date. At minimum, review and necessary revisions should be +completed by November 1 and April 1 of each school year. +All School-Community Partners are required to be aware of and +follow the guidelines outlined within the Guide for School +Community Partners. +Appropriate and authorized BPS staff reserve the right to deny +approval of partners if they do not meet basic safety or quality +standards set forth by BPS, including those found within the +Guide for School Community Partners. +IMPLEMENTATION MONITORING & SUPPORT +A. The Office of Family and Community Advancement’s +Partnerships Team will approve and/or follow up with +registering partners after registration completion. If +additional information is required before registration +approval can be granted, the Team will contact the +administrator of the respective PartnerBPS account for +more information. + + +Page 5: +Superintendent’s Circular SCP-01 +Page 5 of 5 + + +B. The Partnerships Team will provide partners and schools +with ongoing PartnerBPS technical assistance and support +using the site. In addition, support resources are available +online at https://partnerbps.org/help-school-community- +partners/. + +For more information about this circular, contact: +Owner: +Director of Partnerships +Department: Office of Family and Community Advancement +Mailing +Address: +2300 Washington Street, Roxbury, MA 02119 +Email: +ofca-staff@bostonpublicschools.org + + Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-01 Drug and Alcohol Abuse.txt b/data/data_txt1/School Health Services (SHS)/SHS-01 Drug and Alcohol Abuse.txt new file mode 100644 index 0000000..bf046a1 --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-01 Drug and Alcohol Abuse.txt @@ -0,0 +1,302 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-01 +Version 01 + +DRUG AND ALCOHOL MISUSE AND HARM REDUCTION – +UPDATE ON PROCEDURES + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +EDUCATION OF STUDENTS IN THE PREVENTION OF ALCOHOL, +MARIJUANA, TOBACCO AND OTHER DRUG DEPENDENCY + +While substance misuse prevention and harm reduction should +be a part of a comprehensive health education program, certain +curricula should be used to complement and supplement health +education curriculum materials for grades K-12. Substance +misuse prevention and harm reduction may also be integrated +into reading/language arts, social studies, and science classes. +The National Health Education Standards and performance +expectations provide the functional health knowledge, beliefs, +and skills necessary for students to adopt and maintain healthy +behaviors, reduce risk behaviors associated with substance +misuse, achieve health literacy, and enhance health outcomes. + + + +The Boston Public Schools scope and sequence for Health +Education recommends the following substance prevention +curriculum, including: + + +Page 2: +Superintendent’s Circular SHS-01 +Page 2 of 9 + +• CATCH Curriculum Grades K-6: Tobacco, Alcohol and Other +Drug Prevention (contact the Office of Health and Wellness +for access); +• Essential Health Skills for Middle Schools & High Schools, G- +W Publisher: Tobacco, Alcohol and Other Drug Prevention +(contact the Office of Health and Wellness for access); +• Stanford University K-12, Tobacco Prevention Toolkit, which +includes e-cigarette use of any type, including nicotine, +cannabis/THC, and/or non-nicotine products; +• Stanford University Grades 6-12, Cannabis Awareness and +Prevention Toolkit. + + +EARLY IDENTIFICATION AND INTERVENTION +Even though a student may not possess or use substances at +school, they may still have serious problems involving alcohol or +drugs that demand the attention and assistance of school +personnel. School nurses, school counselors and social +workersphave been trainedin identification and the medical +effects of substance use or addiction. The District will continue to +provide in-service programs and workshops, to craise staff +awareness, understand the protocols and procedures in place +when dealing with a student who is suspected of using or has +been identified as needing support regarding substance abuse. +School staff should be alert to those symptoms in students which +may indicate problems with substance abuse and follow the +protocols outlined in this circular. +These symptoms may include one or more of the following: +abrupt change in mood or attitude; sudden decline in attendance + + +Page 3: +Superintendent’s Circular SHS-01 +Page 3 of 9 + +or performance in school; sudden resistance to discipline; +impaired relationships with family or friends; drowsiness or +inattention to discussion or surroundings; weight loss; inattention +to dress; unusual flare-ups of temper; stealing; heightened +secrecy about actions or possessions; and association with new +friends, especially with individuals known to be substance users. + +SCREENING +Screening, Brief Intervention, and Referral to Treatment (SBIRT) +focuses on prevention, early detection, risk assessment, brief +counseling and referral for assessment that can be utilized in the +school setting. This tool is frequently used by the school nurse to +assess the acuity of the problem and to develop next steps. Use +of a validated screening tool will enable BPS school teams to +detect risk for substance use related problems and brief +intervention strategies will help to address these concerns at an +early stage in adolescents. +In March 2016, the Massachusetts Legislature enacted an Act +relative to Substance Use, Treatment, Education and Prevention +(STEP Act), which outlines the requirements for public schools in +the Commonwealth to engage in substance use screening and +education. Legislation can be found at +https://malegislature.gov/Laws/SessionLaws/Acts/2016/Chapter52 +(see Sections 15, 63, 64, 66). +BPS has implemented the use of the approved and validated +CRAFFT-II screening tool that is approved by the Massachusetts +Department of Public Health (DPH) and Department of +Elementary and Secondary Education (DESE). Per legislation, +SBIRT screening will be provided annually to students in grades 7 + + +Page 4: +Superintendent’s Circular SHS-01 +Page 4 of 9 + +and 9. Parents/guardians must be notified about the screening +prior to the start of the year and must be given the option to opt +out in writing. Please Refer to SBIRT in Schools. Staff conducting +the SBIRT screening must complete a mandatory training +through the MA Department of Public Health/BU Shield. +SBIRT in Schools Resource Toolkit + +COUNSELING/REFERRAL +When it is suspected that a student is either using or abusing +marijuana, alcohol or other drugs, or there are strong indications +that such is the case, the student should be referred to the school +nurse for a wellness check, the school social worker and the +parent/guardian/caregiver shall be notified. The student may be +referred to the Student Support Team(SST) and/or the school +administrator for a referral to the voluntary Substance Use +Program (SUP) at Succeed Boston. The Substance Use Program +(SUP) is a voluntary program for students whose use of drugs or +alcohol is of concern. The program provides education and +counseling about the effects of drugs, alcohol, and vaping and +provides students with alternative ways to deal with stress. +Referral for outside services will be provided as needed. The +student may participate in the voluntary intensive program for +up to five days and upon discharge will be referred to appropriate +outside services. Students may be referred to the Student +Support Team (SST) by teachers or by any other school staff +member. Students may self-refer because of a problem with +substance abuse. The team should be prepared to assist the +student by providing them with a source of early intervention in + + +Page 5: +Superintendent’s Circular SHS-01 +Page 5 of 9 + +the form of individual or group counseling by a provider agency +which serves the school or is available in the community. + +RE-ENTRY +Follow-up is a crucial phase of a student's recovery after +returning from treatment for substance abuse. An after-care +program should be devised by school staff in collaboration with +the facility which has provided treatment services. The plan +should include a review of the student's school program with +parents, guidance counselor, and case manager; placements in +an appropriate class schedule; and follow-up meetings. + +REPORTING OF INCIDENTS RELATED TO DRUG/ALCOHOL USE +1. +All School Department personnel are under obligation to +report to the principal, head of school, or other designated +administrator any and all incidents or suspected incidents +involving the use, possession, or distribution of any drug, +alcoholic beverage, while they are under the authority of the +Boston School Department. + +2. +All School Department personnel are to understand that in +the event they are subpoenaed to testify in a court of law or +other proceeding, they are obligated to reveal any +information pertaining to drug, alcohol, and weapons +incidents, even if such information was given to them in +confidence. + + + +Page 6: +Superintendent’s Circular SHS-01 +Page 6 of 9 + +3. +All School personnel are to understand that they are +prohibited from "making deals" with students whereby they +agree not to notify law enforcement agencies of known or +suspected illegal activities involving drug, alcohol, + +4. +Each and every incident or suspected incident is to be +reported immediately to the appropriate principal, head of +school or designated administrator, in accordance with +School Department policy and procedure. + +5. +Students are considered to be under the authority of the +Boston School Department when they are on School +Department property, on School Department buses, at or +near school bus stops, while on their way to or from school, +or participating in school sponsored activities conducted off +school grounds. + +6. +Any student who is suspected of or who has admitted to +being under the influence of drugs or alcohol must be +immediately escorted to the office of the principal, head of +school, or designated administrator. + +7. +Students involved in incidents described in items 1, 5, and 6 +shall be considered in Massachusetts General Laws, Chapter +94C (Controlled Substances Act), Chapter 138 (Alcoholic +Liquors), Chapter 119 (Protection and Care of Children and +Proceedings against Them), and Chapter 169-10 (Dangerous +Weapons, Unlawfully Carrying). + + + +Page 7: +Superintendent’s Circular SHS-01 +Page 7 of 9 + +8. +Use of drugs and/or alcohol is prohibited.Students deemed +to be in violation of school rules after an investigation by the +principal, head of school or designated administrator will be +appropriately disciplined, but law enforcement and EMS +assistance may be requested in cases where it is apparent +that the student is engaging in disorderly or dangerous +behavior. + +9. +In some cases, if a student is found to be in possession of +drugs, alcohol or weapons or to be under the influence of +drugs or alcohol is to be considered in violation of +Massachusetts General Law. In such cases the principal, +head of school, or designated administrator is obligated to +summon the Boston Police Department, which will assume +responsibility for criminal prosecution in the event that such +prosecution is warranted. + +10. +In all such cases where students are found or suspected to +be involved in any incident involving substance abuse, a +safety specialist will take custody of any and all evidence +including drugs and alcohol. + +11. +The Department of Safety Services will coordinate record- +keeping functions. + + + + + + + +Page 8: +Superintendent’s Circular SHS-01 +Page 8 of 9 + +DISCIPLINARY PROCEDURES RELATING TO DRUG/ALCOHOL +ABUSE + +1. +Sections 7.7 .1 of the Code of Conduct requires that sale, +distribution, or possession with intent to sell or distribute of +any prescribed or non-prescribed controlled substances in +school, on school grounds, or while under school jurisdiction +may result in expulsion. + +2. +Section 7.4.2 of the Code of Conduct allows for suspension, +long term suspension, alternative program placement, or +expulsion if a student is found in possession of any non- +prescribed controlled substance, narcotic drug, +hallucinogenic drug, amphetamine, barbiturate, marijuana, +alcoholic beverage, or intoxicant of any kind. + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 9: +Superintendent’s Circular SHS-01 +Page 9 of 9 + + + + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-04 Infection Prevention Control.txt b/data/data_txt1/School Health Services (SHS)/SHS-04 Infection Prevention Control.txt new file mode 100644 index 0000000..228658b --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-04 Infection Prevention Control.txt @@ -0,0 +1,470 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-04 +Version 01 + + + +INFECTION PREVENTION AND CONTROL IN +SCHOOL SETTINGS +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Schools can minimize the risk of disease transmission through +student and staff awareness and simple infection control +practices at the school and classroom level. +MODES OF TRANSMISSION +Diseases have different modes of transmission. Diseases can be +spread through direct contact, indirect contact, droplet, or +airborne transmission. The following guidelines minimize the +risks for all modes of transmission. +The single most important step in preventing exposure to and +transmission of any infection is anticipating contact with +infectious materials in routine as well as emergency situations. +Based on the type of possible contact, the responder should be +prepared to use the appropriate precautions and techniques +prior to providing care. Diligent and proper hand washing, the +use of barriers, appropriate disposal of waste products and +needles, and proper decontamination measures will enhance +protection of students and staff. + + + + +Page 2: +Superintendent’s Circular SHS-04 +Page 2 of 14 + + + +UNIVERSAL (STANDARD) PRECAUTIONS +The Centers for Disease Control (CDC) have long recommended +"universal blood and body-fluid precautions" to prevent +transmission of hepatitis B, human immunodeficiency virus (HIV), +and other infections, as well as to decrease the risk for exposure +to responders and students. As it is not possible to identify all +infected individuals, these precautions must be used with every +student. Universal precautions pertain to all blood and body +fluids. For bloodborne infections, these precautions do not apply +to other body fluids and material, such as saliva, sputum, feces, +tears, nasal secretions, vomitus, and urine, unless blood is visible +in the materials. However, these other fluids and body wastes can +be sources of other infections and should be handled as if they +are infectious, utilizing the same precautions. This is the basis of +standard precautions to be used with all body fluids, blood, and +other potentially infectious material. +TRANSMISSION BASED PRECAUTIONS +The CDC has recommended “transmission-based precautions” as +the second tier of basic infection control, to be used in addition to +standard precautions for individuals who may be infected or +colonized with certain infectious agents for which additional +precautions are needed to prevent infection transmission. +Contact Precautions +Use contact precautions for those with known or suspected +infections that represent an increased risk for contact +transmission. Proper personal protective equipment (PPE) + + +Page 3: +Superintendent’s Circular SHS-04 +Page 3 of 14 + + + +includes the use of gloves and gown for all interactions that may +involve contact with the student or the student’s environment. +Droplet Precautions +Use droplet precautions for students known or suspected to be +infected with pathogens transmitted by respiratory droplets +generated by coughing, sneezing, or talking. Proper personal +protective equipment (PPE) includes the use of masks, both for +the patient and school nurse, during all interactions. +Airborne Precautions +Use airborne precautions for those individuals known or +suspected to be infected with pathogens transmitted by the +airborne route (e.g., COVID-19, tuberculosis, measles, chickenpox, +disseminated herpes zoster). Proper PPE includes a fit-tested, +NIOSH-approved N95 or higher level of respiratory protection for +healthcare personnel and a mask on the patient. +RESPIRATORY HYGIENE +In addition to spread by bodily fluids, infections can be spread by +respiratory droplets that are generated when people sneeze, +cough, laugh, or exhale. Respiratory hygiene is a term adopted by +the CDC and Massachusetts Department of Public Health +(MDPH) to describe measures that can be taken to decrease the +risk for spreading respiratory illnesses by droplet and airborne +transmission. A universal “respiratory hygiene/cough etiquette” +policy includes: +• Covering the mouth and nose with a tissue when coughing +or sneezing + + +Page 4: +Superintendent’s Circular SHS-04 +Page 4 of 14 + + + +• Disposing of used tissues in a wastebasket +• Practicing hand hygiene (washing) often +• Coughing or sneezing into elbow +HAND WASHING +Proper hand washing is crucial to preventing the spread of +infection. Use of running water, lathering with soap, and using +friction to clean all surfaces of the hands are key. Rinse well with +running water and dry hands with paper towels. If soap and +water are unavailable, hand sanitizer may be used. +• Hands should be washed before physical contact with +students and after the contact is completed. +• Hands should be washed after contact with any used +equipment. If hands (or other skin) become soiled with +blood or body fluids, they should be washed immediately +before touching anything else. +• Hands should be washed whether gloves are worn or not +and after gloves are removed. +• Textured jewelry on the hands or wrists (such as rings and +stones) should be removed prior to washing and kept off +until completion of the care procedure and hands are +rewashed. + + + + +Page 5: +Superintendent’s Circular SHS-04 +Page 5 of 14 + + + +BARRIER PROTECTION +Barriers include disposable gloves, protective eyewear, and gown. +The use of a barrier is intended to reduce the risk for contact with +blood and body fluids for the caregiver, as well as to control the +spread of infectious agents from student to student. It is essential +that appropriate barriers be used when contact with potentially +infectious material is possible. Gloves should be worn when direct +care of the student may involve contact with blood and body +fluids, as well for contact with urine, feces, and respiratory +secretions. Gloves should be disposed of after each use and not +reused. +Gloves should be worn: +• When changing a diaper or catheterizing a student +• When changing dressings or sanitary napkins +• When providing mouth, nose, or tracheal care +• If the caregiver has broken skin on the hands (even around +the nails) +• When cleaning up spills of blood (e.g., nosebleeds), body +fluids and wastes, and soiled supplies +Gowns or aprons may be worn to protect the caregiver's clothing +if spattering of body fluids is possible. The apron or gown should +be laundered or disposed of after each care session and should +not be reused. +In addition, protective eye wear and masks should be worn if +splashing of body fluids is likely to occur (such as mouth +suctioning or care of a student who is coughing). + + + +Page 6: +Superintendent’s Circular SHS-04 +Page 6 of 14 + + + +Chux or other waterproof barriers should be used to cover any +work surface if drainage or splashing with blood or body fluids +are possible. The barrier should be disposed of after each care +session and should not be reused. +DISPOSAL OF WASTE +All used or contaminated supplies (including gloves and other +barriers) except for syringes, needles, and other sharp +implements should be placed in a plastic bag which is then +sealed. This bag should be placed in a second plastic bag, which +is also sealed. The double-bagged waste can then be thrown in +the garbage, out of the reach of children or animals. Bodily +wastes such as urine, vomitus, or feces should be disposed of in +the toilet. +Needles, syringes, and other sharp objects should be immediately +placed in FDA-cleared sharps disposal containers. To reduce the +risk of an accidental needle stick or cut, needles should not be +recapped, bent, or removed from the syringe before disposal. +Once it is full, the container should be sealed and brought to +Health Services central administration for disposal in a large +biohazard container. Health Services will arrange for pickup by a +biohazard waste disposal company for proper disposal at least +annually. +CLEANUP PROCEDURES +Spills of blood and body fluids that are covered under standard +precautions should be cleaned up immediately. + + + +Page 7: +Superintendent’s Circular SHS-04 +Page 7 of 14 + + + +The CDC method of clean-up is as follows: +• Wear gloves. +• Mop up the spill with paper towels or other absorbent +material. +• Using a solution of one-part household bleach (sodium +hypochlorite) in ten parts of water; wash the area well. +• Dispose of gloves, soiled towels, and other waste in a sealed +double plastic bag in the garbage as outlined above. +Routine environmental clean-up procedures for facilities (such as +the health room and bathrooms) does not require any +modification unless contamination with blood or body fluids +should occur. If so, the area should be decontaminated using the +procedure outlined above. Regular cleaning of surfaces which are +not visibly contaminated with potentially infectious material, +such as toilet seats and tabletops, can be done with the standard +cleaning and removal of obvious soil. +LAUNDRY PROCEDURES +Whenever possible, disposable barriers should be used if +contamination with body fluids or blood is possible. If sheets, +towels, or clothing become soiled, they should be handled as +little as possible. Wash with hot water and detergent for at least +25 minutes. Cool water washing is also acceptable if an +appropriate detergent is used for the water temperature. + + + + +Page 8: +Superintendent’s Circular SHS-04 +Page 8 of 14 + + + +PREGNANT WOMEN +Pregnant women are at no higher risk for infection than other +care-providers as long as appropriate precautions are observed. +However, due to the possibility of in-utero transmission of viral +infections such as cytomegalovirus (CMV) or HIV, as well as the +potential for adverse outcomes with certain infections, pregnant +women should be especially careful to observe standard +precautions. +GENERAL INFECTION CONTROL PROCEDURES +The purpose of the procedures outlined herein is to establish +basic guidelines to address the role of staff in all incidents +requiring concern about infection control. Such incidents may +include, but not be limited to, a bleeding nose, sneezing, +coughing, uncontrollable urinating, and sudden bowel +movement. +Head of school/principal shall: +• Ensure that all staff are familiar with this policy and that the +provisions of this policy are implemented. +Classroom teacher shall: +• Encourage the use of class wide respiratory hygiene, +especially during flu season and other respiratory illness +upticks. +• Reassure and calm students involved in hygiene +emergencies. +• Notify the school nurse of any infectious disease concerns. + + +Page 9: +Superintendent’s Circular SHS-04 +Page 9 of 14 + + + +• Notify custodians of infection control needs +School nurse shall: +• Review infection control procedures annually at the +beginning of the school year with classroom staff. +• Assist the classroom staff in developing hygiene plans +appropriate for the classroom as well as individual students. +• Notify Health Services of cases and possible clusters. +School custodian shall: +• Refer to and follow the steps identified in Superintendent +Circular FMT-19 for cleaning related to possible infectious +bodily fluids. + BITE EMERGENCY PROCEDURES +The purpose of the procedures outlined herein is to establish +basic guidelines intended to assist students and staff who have +encountered a human or animal bite that breaks the skin. +Background information for human bites: +Biting is very common among young children but usually does +not lead to any serious infectious disease concerns. If the skin is +punctured or broken, bacteria may be introduced into the wound +that can lead to blood-borne infection which needs to be treated +by a healthcare professional. Blood-borne infection could be of +concern if the biter breaks the skin and blood is drawn into the +biter’s mouth or if the biter has bleeding gums or mouth sores. +Hepatitis B, Hepatitis C and HIV are some pathogens of concern +although the risk of transmission of these viruses is very low in + + +Page 10: +Superintendent’s Circular SHS-04 +Page 10 of 14 + + + +school settings. For HIV, there have not been any reported cases +of transmission in school settings. +The “biter” might be considered at higher risk than the “bitee” +due to the exposure to the blood from the wound if the skin is +broken. Each human bite represents a unique set of +circumstances and requires an individualized response. In most +biting episodes there are no communicable disease extenuating +circumstances, and the episodes are treated with standard +precautions. There is a heightened sense of urgency when one of +the children has a communicable disease. The school nurse is +responsible for guiding the response, working with the +headmaster/principal, and ensuring that confidentiality is +maintained. +Background information for animal bites: +Animal bites are common since children can behave +unpredictably and animals have normal protective instincts. An +animal bite that breaks or punctures the skin will require +immediate medical attention due to the risk of bacterial and viral +infection. The longer the animal’s mouth germs stay in the +wound, the greater the risk of potential infection that will require +antibiotics. +Animals can also transmit rabies, a very serious viral infection +that infects the nervous system. Although any mammal bite can +transmit rabies, the bites of some wild animals (e.g., bats, +raccoons, skunks, foxes, coyotes) and some stray and +unvaccinated pet dogs and cats are of greatest concern. Wild +animals should not be kept or allowed to visit schools. All + + +Page 11: +Superintendent’s Circular SHS-04 +Page 11 of 14 + + + +suspected animal bites should be promptly reported to public +health authorities by Health Services. +In the event of an animal or human bite that breaks the skin: +Principal/head of school shall: +• Ensure that all staff are familiar with this policy and that the +provisions of this policy are implemented. +Classroom teacher shall: +• Reassure and calm the students. +• Employ standard precautions in evaluating the bite. +• Notify the school nurse immediately. +• Have the student wash the area with soap and water +immediately. +• Report action taken to the headmaster/principal. +For human bites, school nurse shall: +• Provide first aid to the child who was bitten by washing any +broken skin and applying a cold compress to any bruise. +• Review known medical information of both the “biter” and +the “bitee.” If there is a known communicable disease issue, +the nurse must consult with Health Services administration +for more specific guidance. Confidentiality must be +respected throughout the consultation. +• Contact the student's parent/guardian to report the incident +and recommend next steps. +• Refer both the “biter” and “bitee” to their primary care +provider for further guidance. This may include any or all the +following: risk counseling; hepatitis and HIV testing; + + +Page 12: +Superintendent’s Circular SHS-04 +Page 12 of 14 + + + +prophylaxis. The treatment approach is at the discretion of +the primary care provider and the family. +• Notify Health Services prior to calling the families if there is a +known communicable disease issue with one or both +students. +• Be a liaison to the primary care provider as requested by the +parent and within the boundaries of confidentiality. +• Document the incident in SNAP for students. If a staff +member was involved, the staff member must file a Report +of Injury Form [see Superintendent’s Circular HRS-PP07, +Worker’s Compensation Procedures] within 7 days. +For animal bites, school nurse shall: +• Immediately provide first aid to the child who was bitten by +washing any broken skin and applying a cold compress to +any bruise. +• Notify Health Services prior to calling parent/guardian. An +animal bite that breaks or punctures the skin needs +immediate wound care to reduce the risk of infection. All +animal bites should be reported within 24 hours. +• Contact the student's parent/guardian to report the incident +and recommend next steps. +• Refer the student to their primary care provider for further +guidance. The treatment approach is at the discretion of the +primary care provider and the family. +• Be a liaison to the primary care provider as requested by the +parent and within the boundaries of confidentiality. + + +Page 13: +Superintendent’s Circular SHS-04 +Page 13 of 14 + + + +EMPLOYEE NEEDLESTICK MANAGEMENT +When a needlestick occurs: +• Gently bleed the area, wash, and immediately flush with +soap and water. +• The employee who has had the needle stick should call their +primary care provider. +• If the risk assessment of the primary care provider and/or +school nurse is that the needle stick represents an exposure +to blood or body fluids, it is advisable that the employee +seek management at an emergency department that can +provide the latest in prophylactic management; the +employee’s primary care provider will be able to assist with +this. +• Health Services should be notified for further guidance. +• The employee should complete an incident report and +Worker’s Compensation form after the situation has been +stabilized. +LIST OF TERMS USED ABOVE +Blood-borne infection: infectious germs present in blood that can +cause disease in humans. +Communicable disease: an illness caused by an infectious agent +or its toxins that occurs through the direct or indirect +transmission of the infectious agent or its products from an +infected individual or via an animal to a susceptible animal or +human host. + + +Page 14: +Superintendent’s Circular SHS-04 +Page 14 of 14 + + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Date +Activity +September 2024 +All staff should have universal precaution +review by school nurse + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Health Services +Mailing Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Fax: +617-635-7937 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-05 Tuberculosis Program.txt b/data/data_txt1/School Health Services (SHS)/SHS-05 Tuberculosis Program.txt new file mode 100644 index 0000000..140f4e9 --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-05 Tuberculosis Program.txt @@ -0,0 +1,72 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-05 +Version 01 + + + +TUBERCULOSIS PROGRAM +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY ON TUBERCULOSIS TESTING +All students must have an assessment of tuberculosis risk. Staff +are no longer required to show evidence of TB skin test screening +at time of employment. +PROTOCOL FOR TUBERCULOSIS PROGRAM +Students: +● At the time of registration for entry into the Boston Public +Schools, if parents present with information on TB +screening, the data will be entered along with the +immunization data into the student(s) electronic health +record. +● No child will have school registration delayed because of +lack of tuberculosis screening documentation. +● It is the responsibility of the primary care health provider, +and NOT the school system, to ensure that appropriate +screening for tuberculosis is occurring in the community. +● The school nurse may choose to check a child’s PPD +(Mantoux) or monitor preventive therapy at the request of +the primary care provider. The primary care provider must +submit a written physician order to the school nurse for +services. + + +Page 2: +Superintendent’s Circular SHS-05 +Page 2 of 2 + + + +● Written documentation of an in-school PPD test result or +the monitoring of preventive therapy will be provided to the +primary care provider by the school nurse. +● Students with active disease will be excluded from school +until placed on treatment and written documentation by +BPHC TB Control of non-contiguous state is presented. +Staff: +● Staff are no longer required to have TB screening as +candidates for hiring. The regulation of Communicable +Tuberculosis Periodic Examination of School Personnel has +been repealed in the Massachusetts General Laws. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-06 Immunization Law.txt b/data/data_txt1/School Health Services (SHS)/SHS-06 Immunization Law.txt new file mode 100644 index 0000000..26d7ac8 --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-06 Immunization Law.txt @@ -0,0 +1,224 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-06 +Version 01 + + + +IMMUNIZATION LAW +This circular will remain in effect unless rescinded or superseded by a +subsequent version +THE IMMUNIZATION REGULATIONS +It is the policy of the Boston Public Schools to enforce the School +Immunization Law, Chapter 76, Section 15, of the Massachusetts +General Laws: +“No child shall, except as hereinafter provided, be admitted to +school except upon presentation of a physician's certificate that +the child has been successfully immunized against diphtheria, +pertussis, tetanus, measles and poliomyelitis and such other +communicable diseases as may be specified from time to time by +the department of public health. A child shall be admitted to +school upon certification by a physician that he has personally +examined such child and that in his opinion, the physical +condition of the child is such that his health would be +endangered by such vaccination or by any of such +immunizations. Such certification shall be submitted at the +beginning of each school year to the physician in charge of the +school health program. If the physician in charge of the school +health program does not agree with the opinion of the child's +physician, the matter shall be referred to the department of +public health, whose decision will be final. In the absence of an +emergency or epidemic of disease declared by the department of +public health, no child whose parent or guardian states in writing + + +Page 2: +Superintendent’s Circular SHS-06 +Page 2 of 6 + + + +that vaccination or immunization conflicts with his sincere +religious beliefs shall be required to present said physician's +certificate in order to be admitted to school.” + +MCKINNEY-VENTO HOMELESS ASSISTANCE ACT +Under the McKinney-Vento Homeless Assistance Act, state and +local educational agencies must ensure that homeless children +and youths have equal access to the same free, appropriate +public education, including a public preschool education, as +provided to other children and youths. Children and youth who +are homeless are to be enrolled in school, even if the child or +youth is unable to produce records normally required for +enrollment, such as previous academic records, medical records, +proof of residency, or other documentation. If the child or youth +needs to obtain immunizations, or immunization or medical +records, the enrolling school shall immediately refer the parent or +guardian of the child or youth to the local educational agency +liaison who shall assist in obtaining necessary immunizations or +medical records. + +PROTOCOL FOR ENFORCING IMMUNIZATION REQUIREMENTS +New students, during the priority registration period: +● Parents must bring proof of immunizations upon registering +for school at all Welcome Center locations. +● It is preferred that all students be up to date with all state- +required immunizations at the time of registration for the +upcoming school year. If the child’s medical appointment + + +Page 3: +Superintendent’s Circular SHS-06 +Page 3 of 6 + + + +falls between the priority registration period and September +of the upcoming school year, the parent must provide a +valid appointment card with all the following information on +it: +o registering student’s full name +o registering student’s date of birth +o name of the clinic/hospital where the appointment is +scheduled. +o date of the registering student’s appointment for +vaccination and/or physical exam +• If the student does not have the appropriate immunizations +during the priority registration period, the student will be +registered but will not be allowed to attend until the +immunization documents are submitted to either the +Welcome Center or the student’s assigned school prior to +the start of school. +• The type and number of immunizations vary with age and +whether the student-initiated the immunization process +after the age of 7 years or before. See attached state +guidelines. + +New students, current rolling registration: +• Parents must bring proof of immunizations upon registering +for school at all Welcome Center locations. +• All students must have all state-required immunizations at +the time of registration in order to attend school during the +current school year. In the event the child’s physical +examination appointment falls after the date of registration, +the parent must provide a valid appointment card with all +the following information on it: + + +Page 4: +Superintendent’s Circular SHS-06 +Page 4 of 6 + + + +o registering student’s full name +o registering student’s date of birth +o name of the clinic/hospital where the appointment is +scheduled. +o date of the registering student’s appointment for +vaccination and/or physical exam +● If the student is not up to date with immunizations prior to +starting the current school year, the student will be +registered but will not be allowed to attend until the +immunization documents are submitted to either the +Welcome Center, the Health Services Department, or the +student’s assigned school. +● The type and number of immunizations vary with age and +whether the student-initiated the immunization process +after the age of 7 years or before. See attached state +guidelines. + +Continuing students: +• All continuing students who are identified as being behind +on immunizations will be notified that they will be excluded +from school if there is no compliance with immunization +updating. This is a necessary action because if there is a +vaccine-preventable disease outbreak at the school (i.e., +measles), all susceptible students and staff (i.e., those with +no record of vaccination, disease, or blood test for immunity) +MUST be excluded from school for the duration of the +disease outbreak per the MA Department of Public Health +and Boston Public Health Commission. +• It is important to note that students whose immunization + + +Page 5: +Superintendent’s Circular SHS-06 +Page 5 of 6 + + + +schedule has been interrupted and are in the process of +being immunized (i.e., awaiting the next DPT/TD or polio +dose and in the specified time interval between doses) may +remain in school until the next dose is given. + +EXCEPTIONS +ALL EXEMPTIONS RELIGIOUS/MEDICAL EXEMPTIONS MUST BE +RENEWED ANNUALLY BY PARENT/GUARDIAN. +• Students at any level whose parent or guardian provides a +statement in writing that all immunizations or a specific +immunization conflict with their sincere religious beliefs. +• Students at any level who present a physician's certificate +exempting a child from an immunization(s) due to a medical +contraindication: the reason why an individual cannot +medically receive the vaccine(s). + +The Massachusetts Department of Public Health has +immunization recommendations based on grade. Please refer to +the MDPH website for the current schedule and detailed +immunization guidelines. +Department +Contact Information +Health +Services +Office: 617-635-6788 Fax: 617-635-7937 +Welcome +Services +Office: 617-635-9085 Fax: 617-635-9703 + + + +Page 6: +Superintendent’s Circular SHS-06 +Page 6 of 6 + + + + +Date +Activity +September +All new students and students entering grades, +K2, 1, 4, 6, 10, 11 will be asked to provide an updated +immunization record prior to the start of the +school year in compliance with current +Massachusetts Department of Public Health +requirements. +Monthly +Letters will be sent to parents/guardians +requesting immunization records for students +with missing immunizations. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-08 Medication Administration.txt b/data/data_txt1/School Health Services (SHS)/SHS-08 Medication Administration.txt new file mode 100644 index 0000000..8d3d6e9 --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-08 Medication Administration.txt @@ -0,0 +1,455 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +SHS-08 +Version 01 + +MEDICATION ADMINISTRATION +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY FOR ADMINISTRATION OF MEDICATIONS +The school nurse is the supervisor of the medication +administration program in the school. The school nurse is the +only staff authorized to administer medication except in two +situations: (1) during field trips and (2) in the event of a life- +threatening allergic reaction requiring administration of +Epinephrine via an autoinjector. The school nurse is responsible +for training designated staff in the administration of medication +in these two situations. This policy is in accordance with +Massachusetts state regulations for administration of medication +in public schools (105 CMR 210.000). The protocol has been +approved by the Massachusetts Department of Public Health. For +more detailed information, please refer to the 105 CMR 210: +DEPARTMENT OF PUBLIC HEALTH +PROTOCOL FOR ADMINISTRATION OF MEDICATION +This section is a summary of the medication protocol. The full +protocol is in the Nurses’ Protocol and Procedure Manual and +contains the referenced forms. + + +Page 2: +Superintendent’s Circular SHS-08 +Page 2 of 14 + +General: +● The school nurse shall be the supervisor of the medication +administration program in the school. +● All school nurses will have read the complete Medication +Policy and 105 CMR 210.000- THE ADMINISTRATION OF +PRESCRIPTION MEDICATIONS IN PUBLIC AND PRIVATE +SCHOOLS annually. +● The school nurse, in collaboration with the parent or guardian, +shall establish a medication administration plan for each +student receiving medication, in accordance with the details of +the full medication policy. +● In accordance with standard nursing practice, the school nurse +may refuse to administer, or allow to be administered, any +medication which, based on their individual assessment and +professional judgment, has the potential to be harmful, +dangerous, or inappropriate. In these cases, the +parent/guardian and licensed prescriber shall be notified +immediately by the school nurse and the reason for refusal +explained. The school nurse will document the above in the +electronic medical record (EMR). +● Health Services administration is accountable for reviewing all +aspects of medication administration and ensuring that the +Massachusetts Standards of Nursing Practice are upheld. +When inconsistencies are discovered, the school nurse will be +counseled, and the head of school/principal informed. When +inadequacies continue (despite appropriate counseling and +support), the issue and the measures taken will be +documented in the nurse’s performance evaluation. Auditing + + +Page 3: +Superintendent’s Circular SHS-08 +Page 3 of 14 + +will occur as part of routine site visit or as incidents deem +necessary. +Handling, Storage, and Disposal of Medications +● All prescription medications shall lie stored in their original +pharmacy or manufacturer labeled containers and, in such +manner, as to render them safe and effective. +● All prescription medications to be administered by school +personnel shall be kept in a securely locked cabinet used +exclusively for medications, which is kept locked except when +opened to obtain medications. The medication cabinet is to be +accessed solely by the school nurse. The cabinet shall be +substantially constructed and anchored securely to a solid +surface. Prescription medications requiring refrigeration shall +be stored in either a locked box in a refrigerator or in a locked +refrigerator maintained at temperatures of 38F to 42F. +● Access to stored prescription medications shall be limited to +persons authorized to administer prescription medications and +to self-medicating students, to the extent permitted by school +policy developed pursuant to 105 CMR 210.006(B)(8). Access to +keys and knowledge of the location of keys shall be restricted +to the maximum extent possible. Students who are self- +medicating shall not have access to other students’ +medications. +● Parents or guardians may retrieve the prescription +medications from the school at any time. +● No more than a 30 school-day supply of the prescription +medication for a student shall be stored at the school. + + +Page 4: +Superintendent’s Circular SHS-08 +Page 4 of 14 + +● Where possible, all unused, discontinued, or outdated +prescription medications shall be returned to the parent or +guardian and the return appropriately documented. In +extenuating circumstances, with parental consent, when +possible, such prescription medications may be destroyed by +the school nurse in accordance with any applicable policies of +the Massachusetts Department of Public Health, Division of +Food and Drugs. +● The school nurse is responsible for maintaining the +confidentiality of a students’ health record, including +medications. Do not discuss or share information about +students or medications with other school staff or people +outside school unless directed to do so by the school nurse. +Refer all questions or comments about students or +medications to the school nurse. +Medication Orders/Parental Consent +● The school nurse shall ensure that there is a proper medication +order from a licensed prescriber which is renewed annually +and when changes are made to the orders. The +parent/guardian must sign a consent for the administration of +the medication every time a change is made. +● A new order must be obtained at the beginning of the +academic year for all daily medications/treatments and any +PRN medications. +● All students with medication orders should have a medication +administration plan and an IHP. +● Medication orders will be transcribed into the Electronic +Medical Record (EMR) using the date the order was written by + + +Page 5: +Superintendent’s Circular SHS-08 +Page 5 of 14 + +the prescriber until the end of the school year. (The official end +of the school year is the last day of the Extended School Year +(ESY) program. +● A telephone order or an order for any change in medication +shall be received only by the school nurse. Any such verbal +order must be followed by a written order within three school +days. +● The prescriber Medication Order form should be used. It is +recommended that the Boston Public Schools Medication +Order Form be completed by the prescriber, as the form +contains the necessary information about the medication. +Orders may be accepted from a prescriber that has not used +the BPS Medication Order form as long as all necessary +information is on the letter or form. The parent/guardian must +consent to the administration of medication in school. +Reporting and Documentation of Medication Errors +● A medication error includes any failure to administer +medication as prescribed for a particular student, including +failure to administer the medication: +● within appropriate time frames (the appropriate time frame +should be addressed in the medication administration plan) +● in the correct dosage +● in accordance with accepted practice +● to the correct student +In the event of a medication error, the school nurse shall notify +the parent or guardian immediately. (The school nurse shall +document the effort to reach the parent or guardian.) If there is a + + +Page 6: +Superintendent’s Circular SHS-08 +Page 6 of 14 + +question of potential harm to the student, the nurse shall also +notify the student's licensed prescriber or school physician. +Medication errors shall be reported to the Health Services +nursing leadership and documented by the school nurse utilizing +the medication error report form. These reports shall be retained +by Health Services leadership and within the student electronic +health record where applicable. They shall be made available to +the Department of Public Health upon request. +All medication errors resulting in serious illness/injury requiring +medical care shall be immediately reported to the Health +Services leadership who will make the decision, as necessary, to +further report to the Department of Public Health, Drug Control +Program utilizing the Drug Incident Report. +All suspected diversion or tampering of drugs shall be reported to +the Health Services nursing leadership and to the Department of +Public Health, Division of Food and Drugs. +The school nurse shall review reports of medication errors and +take necessary steps to ensure appropriate medication +administration in the future. +Over The Counter (OTC) Medications, i.e., Non-Prescription +Medications +● The school nurse shall follow the Board of Registration in +Nursing protocols listed in their Advisory Ruling (AR) +Medication Administration of Over-the-Counter Drugs (AR 92- +05) regarding required provider orders and safety steps in the +administration of OTC medications in schools. (Board of +Registration in Nursing Advisory Ruling 92-05 + + +Page 7: +Superintendent’s Circular SHS-08 +Page 7 of 14 + +● The school physician is responsible for the OTC Standing +Orders policy, in consultation with the Office of Health Services +nursing leadership and feedback from the school nurse body +and will sign off on a standing order for administration of OTC +medications (Appendix). +● OTC medications may only be administered once during any +school day (except as noted). If requested more than two times +in any given week, or a pattern of regular usage develops, the +school nurse will contact the parent/guardian for provider +guidance per Standing Order protocol. +● OTC medication may NOT be administered without parental +permission. +● A one-time dose of an OTC medication may be administered +with verbal parental/guardian consent in the event that a +paper consent form has not been signed, the parent/guardian +must return a signed consent form within two school days +following the administration for future administration. +Herbal Preparations +● Herbal preparations/medications are to be considered over- +the-counter medications and are subject to the same +regulations and require parental permission. +● Herbal preparations/medications must be listed in the U.S. +Pharmacopeia (USP.org) in order to be given in school. +● The OTC standing orders do not cover herbal +preparations/medications and require a prescription from an +appropriate and duly licensed prescriber. + + +Page 8: +Superintendent’s Circular SHS-08 +Page 8 of 14 + +Special Medication Situations +● For short-term medications, i.e., those requiring administration +for ten school days or fewer, the pharmacy-labeled container +may be used in lieu of a licensed prescriber’s order. +● Investigational new drugs may be administered in the schools +with (a) a written order by a licensed prescriber, (b) written +consent of the parent or guardian, and (c) a pharmacy-labeled +container for dispensing. If there is a question, the school +nurse may seek consultation and/or approval from the school +physician to administer the medication in the school setting. +Controlled Substances +● Students may require medications that fall under the category +of “controlled substances.” +● The detailed protocol for administration of controlled +substances is in the BPS Nurses Protocol and Procedure +Manual. +Medications During Transport +● Asthma exacerbations may occur while in transport. A self- +medication plan would address this issue and allow for the +child to carry and self-administer the medication without the +supervision of the school nurse. The student should be advised +to report to the school nurse if they require treatment en route +to or from school. +● Emergency medications, other than Epinephrine, cannot be +administered by the bus driver/transportation monitor. The +driver is expected to pull over and call 911 EMS if there is an + + +Page 9: +Superintendent’s Circular SHS-08 +Page 9 of 14 + +emergent need and there are no licensed personnel +accompanying the child. +Anaphylaxis +● Nurses, in conjunction with building administrators, MUST +have a plan in place to ensure the safety of those children with +life threatening allergies requiring the administration of +Epinephrine. +● In the event of a life-threatening, previously undiagnosed +anaphylactic reaction, the school nurse may administer +epinephrine in the protocol dosages. +● The school physician is responsible for reviewing and renewing +the anaphylaxis protocol on an annual basis. +● Refer to Superintendent Circular SHS-11 “Life Threatening +Allergies (LTA or Anaphylaxis)” for specifics. +Asthma +● If a child with known asthma has a severe exacerbation while +at school and there is no order for medications administered +via nebulizer from the child’s primary care provider, the nurse +may administer a nebulizer or Metered Dose Inhaler (MDI) +treatment, under the school physician’s order and according to +the asthma protocol (BPS protocol and procedure manual). +● The emergent use of nebulizer should occur within the context +of the child’s primary or specialty care management. After the +first episode of medication administered via nebulizer or MDI +utilizing standing orders, every effort should be made to +secure a treatment plan which includes use of PRN nebulizer +with feedback to the family and/or the primary care provider. + + +Page 10: +Superintendent’s Circular SHS-08 +Page 10 of 14 + +● If there are no subsequent medication treatment orders from +the patient’s primary care provider, the parent will be notified +and 911 will be accessed in the event of an asthma +exacerbation. +Delegation/Supervision for Field Trips and Life-Threatening +Allergic Reactions +● The school nurse shall have final decision-making authority +with respect to delegating administration of medications to +unlicensed personnel in the school system. Boston Public +Schools is registered with the Department of Public Health +and has chosen to limit delegation to field trips only. +● When medication administration is delegated by the school +nurse to unlicensed school personnel, such personnel shall be +under the supervision of the school nurse for the purposes of +medication administration. +● After consultation with the principal or administrator +responsible for a given school, the school nurse shall be +responsible to select, train, and supervise the school personnel +approved by the school nurse to administer medications on +field trips. When necessary to protect student health and +safety, the school nurse may rescind such selection. +● A school nurse shall be on duty in the school system while +medications are being administered by designated unlicensed +school personnel, and available by telephone should +consultation be required. +● The administration of parenteral medications may not be +delegated. + + +Page 11: +Superintendent’s Circular SHS-08 +Page 11 of 14 + +● Medications to be administered pursuant to PRN (“as needed”) +orders may be delegated to be administered by authorized +school personnel while on a field trip after an assessment by or +consultation with the school nurse for each dose. +Note: any medications that require a nursing assessment +may not be delegated with the exception of asthma +medications. +● For each school, an updated list of unlicensed school +personnel who have been trained in the administration of +Epinephrine shall be maintained by the school nurse. Upon +request, a parent shall be provided with a list of school +personnel trained to administer medications on field trips and +in life threatening cases. Note: It is the expectation that all +school staff are trained by the school nurse in Epinephrine via +an autoinjector administration twice a year and complete a +return-demonstration to the nurse. +● Designated, trained medication delegation school personnel +shall be listed on the specific student’s medication +administration plan. +● Principals/head of school or the district department +sponsoring the trips have the primary responsibility to ensure +that all procedures pertaining to field trips are followed by +their school and establish clear and transparts internal +protocols for field trip requests and approvals at the school +level. +● Before approval of a field trip, the lead chaperone must consult +with the school leader to determine if and what type of +medical assistance is needed for participating students. To +ensure accessibility, this step is crucial, and must take place + + +Page 12: +Superintendent’s Circular SHS-08 +Page 12 of 14 + +before the field trip is secured. For additional questions, please +consult the Health Services Department. Additionally, to +thoroughly support a student's participation in a field trip, at +least six weeks before departure (much longer for international +and overnight field trip programs), consult with, and when +necessary, receive training from the school nurse regarding +any students who have medical needs. +● Refer to Superintendent’s Circular CAO-22 General Guidelines +and Procedures for All Field Trips for additional information. +Self-Administration of Medications +Consistent with school policy, students may self-administer +prescription medication provided that certain conditions are met. +For the purposes of 105 CMR 210.000, “self-administration” shall +mean that the student is able to consume or apply prescription +medication in the manner directed by the licensed prescriber, +without additional assistance or direction. +For a child to self-administer, the following must be in place: +● Parent/guardian approval. +● An assessment by the school nurse that the student is capable +of self-medication administration. +● The school nurse develops an individualized medication +administration plan (105 CMR 210.005(E) for that student which +is agreed to by the parent/guardian and contains: +○ Documentation by a designated school personnel or by +the student, when the student is assessed as capable by +the school nurse, that medication was self-administered. +○ Periodic review of process by school nurse + + +Page 13: +Superintendent’s Circular SHS-08 +Page 13 of 14 + +○ Determines a safe place for storing the medication for the +individual student, while providing for accessibility if the +student’s health needs require it. +○ Documentation of teacher’s and student’s knowledge of +the medication dose, frequency, and side effects, the +disease process for which the medication is being +administered, the safety of the plan and the student’s +ability to self-administer the medication, and the student’s +compliance with the identified plan. +● A medication order from a licensed prescriber for this student’s +medication. +● In the absence of a school nurse, the school administrator will +contact a health services administrator to assist with the +development of an appropriate plan of care which includes all +the above. +● All self-medication administration plans must be renewed +annually. +Health Services administration is accountable for reviewing all +aspects of medication administration and ensuring that the +Massachusetts Standards of Nursing Practice are upheld. When +inconsistencies are discovered, the school nurse will be +counseled, and the head of school/principal informed. +Summary of significant dates and deadlines: +Month +Activity +January +Send an updated list of nurses/schools +to MA DPH. + + + +Page 14: +Superintendent’s Circular SHS-08 +Page 14 of 14 + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-11 Life Threatening Allergies.txt b/data/data_txt1/School Health Services (SHS)/SHS-11 Life Threatening Allergies.txt new file mode 100644 index 0000000..9bf4cce --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-11 Life Threatening Allergies.txt @@ -0,0 +1,356 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-11 +Version 01 + + + + LIFE-THREATENING ALLERGIES (LTA OR ANAPHYLAXIS) +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY +The Massachusetts Department of Education recommends that +all school districts have policies and protocols regarding the care +of students with life-threatening food allergies. This is in addition +to 2012, c.77, An Act Relative to Medical Emergency Response +Plans for Schools, requiring local school districts to develop +efficient written medical response plans for responding to life- +threatening emergencies. + +Massachusetts Department of Public Health Regulations +governing the Administration of Prescription Medications in +Public and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) +authorize school personnel who are trained and tested for +competency to administer epinephrine by auto-injector to +individuals with previously diagnosed life-threatening allergies +who are experiencing an anaphylactic event. School districts +must be registered with the Massachusetts Department of Public +Health for this purpose. + + + +Page 2: +Superintendent’s Circular SHS-11 +Page 2 of 10 + + + +BACKGROUND ON ANAPHYLAXIS +Anaphylaxis is a sudden, severe, potentially fatal, systemic allergic +reaction that can involve various areas of the body (such as the +skin, respiratory tract, gastrointestinal tract, and cardiovascular +system). Symptoms occur within minutes to two hours after +contact with the allergy-causing substance, but in rare instances +may occur up to four hours later. Anaphylactic reactions can be +mild to life-threatening. The annual incidence of anaphylactic +reactions is about 30 per 100,000 persons, and individuals with +asthma, eczema, or hay fever are at a greater relative risk of +experiencing anaphylaxis. The most common allergens in +children are food and bee-sting. +Because of the life-threatening nature of this condition, it is +important for schools to develop and implement care plans for all +children identified with life-threatening allergic reactions. +The Massachusetts Department of Public Health regulations +provides for the administration of epinephrine by auto-injector by +non-medical personnel who have been trained by the school +nurse in the administration of epinephrine by auto-injector +delivery. In consultation with the school physician, the school +nurse leader has the final decision-making authority about the +program, which must be in accordance with MA DPH standards. +This includes school-sponsored programs as well as before and +after school when a nurse is not immediately available. +The Boston School Committee, as part of the Superintendent's +Circular SHS-08 Medication Administration, has approved the +training of administration of epinephrine by auto-injector for +students with identified allergies under the supervision of the + + +Page 3: +Superintendent’s Circular SHS-11 +Page 3 of 10 + + + +school nurse. +The purpose of these Administrative Procedures and Guidelines +is to: +• Provide a safe and healthy learning environment for all +students +• Protect the rights of students with food allergies to +participate in all school activities +• Reduce the likelihood of severe or potentially life- +threatening allergic reactions during school +• Ensure a rapid and effective response in the case of a +severe or potentially life-threatening allergic reaction. + +EDUCATION AND TRAINING +Staff to be trained includes, but are not limited to, teachers, +paraprofessionals, food service staff, school leaders, support staff, +and student interns/teachers. +Education and training by the school nurse will include: +• Identification of potential food allergens +• Role and responsibilities in the prevention and reducing +risks +• Recognizing allergic reactions +• Responding to an allergic reaction +• How to administer an epinephrine auto-injector +(EpiPen®). + + + +Page 4: +Superintendent’s Circular SHS-11 +Page 4 of 10 + + + +ROLES AND RESPONSIBILITIES +Role of the Parent: +• Inform the school nurse if their child has a Life- +Threatening Allergy (with specific information regarding +the allergen (i.e. food types, insect, medication)) +• Provide the school with a list of allergens, the Individual +Health Plan (IHP) (preferably with a Food Allergy action +plan, where appropriate), and a physician order for +epinephrine auto-injector administration +• Provide physician/provider documentation regarding +allergy, diagnosis and treatment +• Work with the school nurse, school leader, and classroom +teacher to develop and implement the Allergy Action Plan ++/or IHP for ensuring that their child is safe from potential +allergens +• Provide an epinephrine auto-injector(s) and other +physician-ordered emergency medication if indicated to +the school nurse +• Sign release of information/permission for identified +school staff to have information about their child’s allergy +• Provide current contact information, including emergency +contacts +• Ensure that the pre-school and after-school staff have the +appropriate information. + + + + + +Page 5: +Superintendent’s Circular SHS-11 +Page 5 of 10 + + + +Role of the School Administrator: +• Support training for school staff, provided by the school +nurse at the beginning of every school year and as needed +• Support faculty, staff, and parents in implementing all +aspects of the LTA (Life-Threatening Allergy) program +• Consider a school-wide policy, with input from the School +Site Council, for avoiding LTA's wherever possible (i.e., +peanut-free zones, no food at functions, etc.) +• Provide emergency communication devices (two-way +radio, intercom, walkie-talkie, cell phone) for all school +activities, including transportation, that involve a student +with life-threatening allergies +• Ensure there is a contingency plan in the case of a +substitute nurse, teacher, or food service personnel +• Ensure that 911/EMS is activated (in the event of an +exposure). +Role of the School Nurse: +• Provide training at least annually (beginning of school +year) for school staff that will include information on food +allergies, risk reduction procedures, how to recognize an +allergic reaction, and how to respond in the event of an +allergic reaction, including the use of an epinephrine auto- +injector. Training will include a return demonstration by +school staff on the administration of an epinephrine auto- +injector. +• Obtain an Individual Health Plan (IHP) from the +family/primary care provider (this should include the +specifics about a food allergy action plan) +• Develop a plan for child management in the classroom, + + +Page 6: +Superintendent’s Circular SHS-11 +Page 6 of 10 + + + +lunchroom, playground, field trips, and emergency +situations +• Ensure that all other staff members who have contact +with students with life-threatening allergies (LTAs) are +familiar with their IHPs on a need-to-know basis +• Provide a list of students with life-threatening allergies (if +consent is given by parent) to all staff on a need-to-know +basis (including transportation staff) +• Conduct in-service training and education for appropriate +staff regarding a child's life-threatening allergens, +symptoms, risk reduction procedures, emergency +procedures, and how to administer an epinephrine auto- +injector +• Post general emergency protocol and location of an +epinephrine auto-injector; Epinephrine should not be +locked away but should be available to school staff in a +secure location and must be readily available for use in an +emergency situation +• Ensure that all IHPs for children with LTAs are readily +available for transport with EMS +• Ensure that there is a contingency plan in place in all +school-related venues where substitutes are utilized +• Communicate with parents on a regular basis to discuss +issues relating to the plan +• In the event of epinephrine auto-injector administration, +complete the Massachusetts Department of Public +Health’s epinephrine auto-injector administration form +and alert Health Services + +Role of the Teacher: + + +Page 7: +Superintendent’s Circular SHS-11 +Page 7 of 10 + + + +• Receive training at least annually to recognize symptoms +of allergic reaction and to understand their role as a +responder in the event of an allergic reaction; including +the use of an epinephrine auto-injector (i.e.EpiPen®) +• Collaborate with the school nurse and parent/guardian to +develop and implement a plan for ensuring that their child +is safe from potential allergens, including field trips, +classroom festivities, arts & crafts activities, and cafeteria +management +• Maintain a list of all students in the classroom with LTA; +include the list in the substitute teacher folder +• Participate in a team meeting for a child with life- +threatening allergies and in-service training about LTAs +• Keep accessible the child's emergency plan with a photo +(where possible) in the classroom (with parent's +permission) or keep with the lesson plan +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the child's food/other allergies +and necessary safeguards by both verbal communication +and in an organized, prominent, and accessible written +format +• Coordinate with the parent on providing a lesson plan +about food allergies for the class and discuss anaphylaxis +in age-appropriate terms, with the child's permission +• Remind students never to share or trade food +• Inform parents about events involving food +• Provide the school nurse 4-6 weeks in advance with dates +for field trips & school-sponsored off-site activities +• Discuss with the parent the process for ensuring before +and after school continuity of access to epinephrine auto- +injector administration and allergen reduction. + + +Page 8: +Superintendent’s Circular SHS-11 +Page 8 of 10 + + + +Role of Off-site Staff (Athletics): +• Maintain a list of all students in their charge who have LTA +• Athletic coaches will be informed via review of sports +clearances in ASPEN of any students on their teams who +have LTAs +• Coaches will participate in training at the school level that +will include information on Life-Threatening Allergies, risk +reduction procedures, how to recognize an allergic +reaction, and how to respond in the event of an allergic +reaction, including the use of an epinephrine auto-injector +and return demonstration +• Encourage these students to carry the epinephrine auto- +injectors to all practices and events +• Ensure the off-site staff has knowledge of the child with +the allergy, their specific allergy, and symptoms that they +may suffer during a reaction: +o Ensure that the off-site staff knows to call 911 or +other emergency numbers and request an +Advanced Life Support unit if a reaction occurs. +o Allow a responsible child to carry their own +epinephrine auto-injector in their backpack. +• Keep accessible the child's emergency plan in the specific +venue (with parent's permission) +• Inform substitutes about the child's food/other allergies +and necessary safeguards by both verbal communication +and in an organized, prominent, and accessible written +format. +Role of Food Services: +• Provide a food preparation environment that follows + + +Page 9: +Superintendent’s Circular SHS-11 +Page 9 of 10 + + + +sound food handling to avoid cross-contamination and +procedures to address food-allergic students +• Ensure all food service staff are able to recognize +symptoms of allergic reaction and to understand their +roles as a responder in the event of an allergic reaction; +including the use of an epinephrine auto-injector. +Role of the School Transportation Company: +• Provide training for all bus drivers on managing life- +threatening allergies +• Be familiar with local EMS procedures +• Have functioning communication equipment to access +EMS +• Maintain a policy of “No food/drink consumed on the bus”. + +Details of management and all necessary forms are available in +the Nurses’ Protocol and Procedure Manual (available to BPS +School Nurses) +• Managing Food Allergies in Schools The Role of School +Teachers and Paraeducators +• FAACT Education for School Personnel + +REFERENCES +Mass.gov Report epi-pen administration +Mass.gov School Health Services: Medication Administration + + + +Page 10: +Superintendent’s Circular SHS-11 +Page 10 of 10 + + + +Summary of significant dates and deadlines: +Date +Activity +September 2024 +All staff should have a Life-Threatening Allergy +review & epinephrine auto-injector demonstration +by the school nurse + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-13 Transportation Medical Accommodation.txt b/data/data_txt1/School Health Services (SHS)/SHS-13 Transportation Medical Accommodation.txt new file mode 100644 index 0000000..3c3d2a5 --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-13 Transportation Medical Accommodation.txt @@ -0,0 +1,330 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-13 +Version 01 + + + +TRANSPORTATION, MEDICAL ACCOMMODATION +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +Some students may be eligible for transportation +accommodation based on medical needs. The following +guidelines and processes refer to transportation for student +medical indications only. Transportation accommodations for +medical needs do not include transportation accommodations +written into an Individualized Education Program (IEP). +BACKGROUND +Medical transportation is warranted when a student’s illness, +managed by a health care professional, requires the assistance of +transportation as an accommodation to enable the student to +attend school. Transportation accommodations for medical +needs should not substitute for treatment of specific medical +conditions. The school, through the Student Support Team, is +encouraged to explore creative solutions to assist these families +with extraordinary needs. Children with chronic medical +conditions that cannot be remediated by medication or therapy +may be granted renewal each year. Renewal is collaboratively +determined by the school nurse and central office staff. Schools +will be notified in the spring to begin the transportation renewal +process. No student should be considered “renewed” until + + +Page 2: +Superintendent’s Circular SHS-13 +Page 2 of 11 + + + +receiving written notification that will be sent according to the +Transportation Office policy. +POLICY IMPLEMENTATION GUIDELINES +Parent/Guardian Role: +• Inform the school nurse of medical diagnosis and provide +supporting medical documentation that may require +transportation as an accommodation. +• Communicate with the school nurse and their child’s health +care provider regarding the need for medical transportation. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Principal/Head of School Role: +• Review, discuss, and approve each case with the Student +Support Team and/or school nurse. +• Designate a member of the Student Support Team to +collaborate with the school nurse to inform +parents/guardians of eligibility determination. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Nurse Role: +• Provide parents/guardians with a release of medical +information form to be signed to obtain consent to speak +with the student’s licensed health care provider. + + +Page 3: +Superintendent’s Circular SHS-13 +Page 3 of 11 + + + +• Contact the licensed healthcare provider to inform them of +the BPS transportation accommodation policy, discuss the +request submitted by the parent/guardian, and share +clinical observations related to the child’s medical condition. +• Present the case to the Student Support Team, including +notes taken during discussions with the parent/guardian +and licensed health care provider to determine the +appropriate accommodations, if any. +• Document all relevant and objective information related to +transportation in the student’s electronic health record. +• If the school nurse does not believe transportation is +warranted based on the above criteria, but any other +participant in the process disagrees, the case is referred to +School Health Services for further clarification and +resolution. +Student Support Team Role: +• Discuss medical transportation request cases as referred by +the school nurse. +• Each request should be considered individually, and other +options must be reviewed prior to authorization of medical +transportation. If additional support is needed, the Student +Support Team may make referrals for 504 or special +education concerns. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. + + +Page 4: +Superintendent’s Circular SHS-13 +Page 4 of 11 + + + +Coordinator of Special Education (COSE) Role: +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +shall discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team shall consider transportation needs. As part of this +consideration, the team shall include the school nurse. If +special transportation is found to be necessary for the +student to benefit from special education services and make +meaningful educational progress, it can be added to the IEP. +• If a student is referred for consideration for a 504 +accommodation plan and/or special education and related +services, the COSE will process the request for +transportation as appropriate. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. +School Health Services Role: +• A member of the Health Services administrative team will +be available to discuss any request for transportation as an +accommodation for medical needs. +• School Health Services will consult with any party involved +in the transportation as an accommodation for the medical +needs process regarding the eligibility determination. +• In some cases, School Health Services may overturn the + + +Page 5: +Superintendent’s Circular SHS-13 +Page 5 of 11 + + + +initial determination or provide recommendations for +alternative accommodations to support the student’s needs. +Department of Transportation Role: +• After approval, the parent/guardian of the student will be +notified by mail of transportation specifics (time of pick- +up/drop-off/bus numbers/effective date). School staff may +access route information via Aspen. +• Collaborate with School Health Services regarding the +medical transportation renewal process. +• Transportation requests for students who are healthy, but +whose parents or guardians are ill, will not be approved. + +ELIGIBILITY DETERMINATION +A student determined to be eligible: +• The school nurse will fill out the Request for Medical +Transportation form provided below and submit it to +school-based leadership for final approval; the signed form +will be sent via email to the school’s Transportation Officer +within the Department of Transportation by the school +leader and/or school transportation coordinator. +• Once approved, the parent/guardian of the student will be +notified by mail of transportation specifics (time of pick- +up/drop-off/bus numbers/effective date). School staff may +access route information via Aspen. + + +Page 6: +Superintendent’s Circular SHS-13 +Page 6 of 11 + + + +A student determined NOT eligible: +• The parent/guardian will be notified by the principal +designee in collaboration with the school nurse. +• All participants in the process may seek further assistance +by contacting Health Services at 617-635-6788 or the +Department of Transportation at 617-635-9520. + +SPECIFIC GUIDELINES +Asthma: Transportation as an accommodation for asthma is +reserved for severe asthmatics that are adhering to a treatment +plan, have a rescue inhaler at school, and have an Asthma Action +Plan on file with the school nurse. If asthma impacts a student’s +ability to walk to a school bus or MBTA stop, further medical +evaluation and treatment may be necessary and should be +discussed with the child’s health care provider. Even the most +compliant students with asthma may need medical +transportation during the cold winter months. Mild, episodic +asthmatic students on intermittent medications do not qualify +for medical transportation. +Sickle Cell: Please refer to Superintendent’s Circular SHS-25. +Ambulation: Students with conditions that significantly affect +ambulation, such as leg braces, crutches, lower extremity +fractures, or amputations may be eligible for transportation as an +accommodation. Students who can ambulate and fully +participate in the school program should not be authorized for +medical transportation. +Seizure Disorder: Students experiencing current, intermittent + + +Page 7: +Superintendent’s Circular SHS-13 +Page 7 of 11 + + + +seizure activity are eligible for transportation accommodation +until stabilized. In general, if seizures are well controlled, medical +transportation will not be provided. +Emotional/Behavioral Problems: Children with emotional and/or +behavioral issues which impact their transportation to or from +school should be discussed at the Student Support Team +meeting before any referral is made for this type of +transportation accommodation. ADHD, depression/anxiety, +impulsivity, and other behavioral issues have an impact on +teaching and learning as well as school access. Behavioral +modification and other modalities may be more beneficial to the +child’s overall functioning than just transportation alone. The +school nurse will gather the medically relevant information for +the team. +Other: Neuromuscular disorders, cardiac disease, and other +medical conditions should be reviewed on an individual basis; +consult with School Health Services as needed. + + + + +Page 8: +Superintendent’s Circular SHS-13 +Page 8 of 11 + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 9: +Superintendent’s Circular SHS-13 +Page 9 of 11 + + + +REQUEST FOR TRANSPORTATION ACCOMMODATION, +MEDICAL NEEDS +(For school system use only) +Student Name _________________________Student ID # ____________ +School_ _________________________________________________________ +Hours: _____________________________ +Transportation will only be provided for the official hours of the +school. +School Nurse (please print) ______________________________________ +Principal/Head of School (please print) __________________________ +Does the student currently receive any kind of transportation +from Boston Public Schools? Yes No +If yes, please describe why the additional accommodation is +being requested. ________________________________________________ + _________________________________________________________________ +Does the student currently receive services related to a 504 or +IEP? Yes No +If yes, please discuss adding this accommodation to the student’s +current educational plan, instead of submitting the request in +this manner. Call Health Services for additional information and +support. + + +Page 10: +Superintendent’s Circular SHS-13 +Page 10 of 11 + + + +MEDICAL CERTIFICATION: +Reason for request: ______________________________________________ + _________________________________________________________________ +Healthcare Provider/ Clinic Name: _______________________________ +Is all relevant data documented in the student’s electronic health +record?  Yes  No + +DURATION OF MEDICAL TRANSPORTATION: Any +accommodation lasting longer than 6-8 weeks will be reviewed +by School Health Services in collaboration with the BPS +Department of Transportation. + Wheelchair van #weeks _________ + Cold winter months  School year + +AUTHORIZATION: +Date the request was submitted to school nurse: ________________ +Date the request was discussed at SST meeting: ________________ +Principal/head of school signature ______________________________ +Date: _______________________________ +School nurse signature __________________________________________ + + +Page 11: +Superintendent’s Circular SHS-13 +Page 11 of 11 + + + +Date: _______________________________ +Name of Transportation Officer: _________________________________ +Date faxed/emailed to Transportation Officer: ___________________ + +***************** +DEPARTMENT OF TRANSPORTATION ONLY +Date processed by Transportation Unit: _________________________ + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-16 Suicide Prevention & Intervention.txt b/data/data_txt1/School Health Services (SHS)/SHS-16 Suicide Prevention & Intervention.txt new file mode 100644 index 0000000..2f70c0f --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-16 Suicide Prevention & Intervention.txt @@ -0,0 +1,688 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-16 +Version 01 + + + +SUICIDE PREVENTION AND INTERVENTION +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +It is the policy of the Boston Public Schools (BPS) to provide an +array of services for students through the utilization of internal +and external support resources to promote their social and +emotional growth and well-being. In those cases where +individual students are at-risk or in-crisis, all staff will collaborate +in providing those supports needed to ensure the student’s +safety and well-being. When there is an acute crisis within the +school community, staff will collaborate, under the direction of +the building administrator and with support from the Behavioral +Health Services District Crisis Team (as needed/appropriate), in +addressing those problems and issues raised by that death +among students, staff, and parents. +POLICY GUIDELINES +The following policy guidelines have been established to address +the issue of suicide prevention and intervention and will be +followed in all schools: +1. All staff should be aware of suicide distress signals and +symptoms outlined herein. +2. All staff have an obligation to be knowledgeable about and + + +Page 2: +Superintendent’s Circular SHS-16 +Page 2 of 18 + + + +to cooperate fully in the implementation of the BPS Suicide +Prevention and Intervention Policy Statement and Policy +Guidelines. +3. Building administrators will provide leadership in +addressing the issue of suicide prevention and intervention +and will establish and maintain the following support +mechanisms required to address the issue within the wider +school community: +a. Implement prevention and intervention strategies +according to a multi-tiered system of support (MTSS) +framework. +b. Be sure that staff is knowledgeable about the purpose +of the Student Success Team (SST), its membership, +and the process for making referrals to the team. +c. Ensure the provision of in-service training for staff in +the fall of each school year concerning the issues of +suicide/crisis intervention and prevention, including +suicide risk assessment procedures. +d. Establish and maintain linkages with appropriate +community-based support agencies that will assist the +school in addressing this issue. +e. Provide information and services to students with a +view to implementing fully the letter and spirit of the +Boston Public Schools Suicide Prevention and +Intervention Policy. +Finally, it is paramount to highlight that racism undermines +mental health. Therefore, BPS is committed to culturally and +linguistically sustaining practices (CLSP) in all that is done in +supporting students and families. This means that we pledge to +work against individual racism, interpersonal racism, and +institutional racism in all their forms by creating systems that + + +Page 3: +Superintendent’s Circular SHS-16 +Page 3 of 18 + + + +work for our students and families. It is also well understood that +there is an increased risk of suicide amongst traditionally +marginalized groups, particularly in LGBTQ+ students. +KEY TERMS +It is essential that all Boston Public Schools staff understand the +following terms. +Suicide: Death caused by self-directed injurious behavior with +intent to die as a result of the behavior. +Suicide Attempt: A non-fatal, self-directed, potentially injurious +behavior with at least some intent to die as a result of the +behavior. +Suicidal Ideation: Thinking about, considering, or planning +suicide1. +Self-Injury: The act of deliberately harming one’s own body, +such as cutting or burning, as a way to cope with emotional +pain2. +TIERED PREVENTION & INTERVENTION STRATEGIES +It should be the goal of the school community to work together, +under the leadership of the building administrator, to establish +and maintain a program of suicide prevention. Schools are +important settings for suicide prevention for the following +reasons: school personnel interact regularly with students and +play an important role in keeping students safe; suicide has a + +1 NIMH » Home +2 Self-injury/cutting - Symptoms and causes + + +Page 4: +Superintendent’s Circular SHS-16 +Page 4 of 18 + + + +negative impact on an entire school community; and creating +and maintaining a safe and supportive learning environment is +part of the mission of BPS3. Prevention efforts should follow an +MTSS continuum, with low-intensity prevention efforts for all +students and more intensive prevention efforts for those with +higher risk. The following prevention and intervention strategies +are strongly recommended as part of a school-based suicide +prevention approach. + Tier 1 Prevention +School Climate +and Culture +Building a safe and supportive school +climate is a vital step in suicide prevention. +Schools should consider how they are +teaching kids to ask for help and how they +are creating safe spaces for relationship- +building. +School-Wide +Psychoeducation +Break Free From Depression (grades 9-12) +Signs of Suicide (grades 6-12) +Social Emotional Learning curriculum +(grades pre-K to 12) + +3 Schools + + +Page 5: +Superintendent’s Circular SHS-16 +Page 5 of 18 + + + +Universal +Behavioral Health +Screening +Using a universal behavioral health +screening tool (e.g. BIMAS-2) at least twice +per year helps schools assess students’ +level of risk and identify appropriate +prevention strategies. +The Trevor Project — Saving Young LGBTQ +Lives +Samaritans 24-hour Hotline +Samaritans IM Here Online Chat Program +Knowing Risk +Factors & Warning +Signs +Ensure that all staff are familiar with +suicide symptoms and report student +concerns to the building administrator in a +timely fashion. (See page 9-10 for a list of +warning signs along with common risk and +protective factors.) + + + + + +Page 6: +Superintendent’s Circular SHS-16 +Page 6 of 18 + + + + Tier 2 Prevention & Intervention Strategies +Structures and protocols to address and provide support to +students presenting at risk. +Person(s) +Responsible +Response Protocol +Student Success +Team (SST) +The SST should provide a systematic +process for identifying and addressing the +needs of students in need of support +services and emphasize suicide prevention +strategies. This can consist of guardian +contact regarding concerns, referral to a +partner or other agency for provision of +services, such as group counseling, etc. + + Tier 3 Intervention Strategies +All school staff should be familiar with intervention strategies and +protocols and be trained once per year. Different levels of +intervention (suicide risk assessment, safety planning, +emergency response, and postvention) are required, depending +on the nature and seriousness of the situation. +1. Student has made suicidal gestures or statements. +The BPS Suicide Risk Assessment (SRA) should be initiated +immediately if there is concern that a student has thoughts +about suicide. The SRA will guide the process for (1) gathering +information about the concern, (2) developing an appropriate +intervention plan, and (3) documenting both. + + +Page 7: +Superintendent’s Circular SHS-16 +Page 7 of 18 + + + +Person +Responsible +Response Protocol +Staff Person on +Scene +1. Keep the student safe. +a. Supervise the student by ensuring +they are in the presence of a staff +member. +b. Call 911 if there is a concern about +imminent danger. The BEST team +and / or a safety check may be +appropriate. +2. Notify the school administrator. +3. Report the situation to the designated +school leader(s). +Head of +School/Principal +or Designee +1. Continue the support initiated by the +staff person. +2. Contact the parent/guardian and request +their immediate presence. +3. Consult with the appropriate members of +the school’s student success team (SST), +such as the nurse, school psychologist, +social worker, student support +coordinator, etc. +4. Identify the professionals completing the +SRA. The SRA must be conducted: +a. In the student’s preferred language +b. By at least TWO people, one of +which must be a BPS employed +professional and a licensed mental +health professional. If these + + +Page 8: +Superintendent’s Circular SHS-16 +Page 8 of 18 + + + +individuals are not available at the +school, please call the Office of +Social Work at 617-971-8292. +5. Use of the Boston Emergency Services +Team (BEST) should be considered (1-800- +981-4357). The parent/guardian may also +opt to take the student to a nearby BEST +community clinic. +6. Submit reports as required. +BPS employed +professional and +a licensed mental +health +professional +1. Complete the BPS Suicide Risk +Assessment and determine the level of +risk. +2. Work with the student to create a +Student Safety Plan +3. Identify appropriate supportive services +and list them in the intervention plan at +the end of the SRA document. +a. Possible High-Risk Interventions: +i. +Guardian takes their student for +immediate intervention with a +health care provider. +ii. +Guardian and/or school to +contact BEST team at 1-800- +981-4357. +iii. +Contact BPS School Police at +617-635-8000. +iv. +Call 911 if necessary. +b. Possible Low Risk Interventions: + + +Page 9: +Superintendent’s Circular SHS-16 +Page 9 of 18 + + + +i. +Guardian to speak with the +student about this incident or +concern. +ii. +Teacher to monitor student’s +behavior and report any +changes or concerns. +iii. +Referral to outside agencies +for support +iv. +Referral to Student Success +Team or other school-based +supports +4. Scan and upload a copy of the completed +intervention plan and signature page, +along with the student safety plan to +Aspen. Retain SRA interview pages in a +clinical file in an agreed upon location in +your school. +5. Share the Student Safety Plan with +parents/caregivers and all appropriate +school-based personnel and community- +based partners. +6. Create a re-entry plan for students when +they return to school. + + + + + + + +Page 10: +Superintendent’s Circular SHS-16 +Page 10 of 18 + + + +Parent / Family +Collaboration +Notify the Student’s Legal Guardian(s) or +Emergency Contact(s). These may include: + Legal Guardian(s) listed in ASPEN. + Emergency Contact(s) listed in ASPEN. + Legal Guardian(s) has been asked to +come to school to discuss the student’s +needs. + Record if the Legal Guardian(s) have +NOT been notified and why they have +not been notified. + Share the SRA interview and plan for +any interventions and collaborate +around follow-up. + +2. Suicide Attempt Has Occurred +Person +Responsible +Response Protocol +Staff Person on +Scene +1. Initiate first aid, if appropriate. +2. Contact the head of school/principal or +designee (e.g., nurse, social worker, +school psychologist). +3. Contact the school nurse. +4. Do not leave the person alone. +5. Remove anything that may enable the +person to hurt themself. + + +Page 11: +Superintendent’s Circular SHS-16 +Page 11 of 18 + + + +School Nurse +1. Initiate required medical procedures. +2. Accompany (or ensure that a staff +member accompanies) the student to +the hospital. +3. Remain with the student until the +parent / caregiver arrives or for as long +as possible. +4. Inform the building administrator of the +student’s condition. This includes +informing the administrator when the +staff member is leaving the hospital. +Head of +School/Principal +or Designee +1. Initiate the procedures in +Superintendent’s Circular, FSE-05 +Medical Emergency Management +2. Contact the legal guardian and inform +them of the situation and the hospital to +which the student is being taken, if +applicable. +3. Accompany the student to the hospital, +if applicable +4. Contact the Superintendent’s Office +(617-635-9055) to report the incident. +5. Complete required reports. + + + + + +Page 12: +Superintendent’s Circular SHS-16 +Page 12 of 18 + + + +3. Postvention +Structures and protocols to address school need after a +completed suicide. +Postvention should be tailored to a specific situation, handled +case by case by your school's mental health staff and the crisis +team. Call your assigned District Social Worker or the Director of +Social Work, Jenna Parafincczuk at 617-971-8292 +Person Responsible +Response Protocol +Head of +school/Principal or +Designee +Call and notify your assigned District +Social Worker for assistance in +planning and carrying out Postvention +steps for ensuring safety and +addressing the psychological needs of +students and staff. +RELEASING STUDENTS TO PARENT/CAREGIVER +The head of school/principal or designee should release the +student to the parent after: +• Providing the parent/caregiver with the name of a medical +person, a mental health worker, or a resource agency +• Urging the parent to immediately bring the student to that +person or agency +• Urging the parent to provide the school with any follow-up +information that may be forthcoming from medical or +mental health personnel in order for the school to better +provide for the student +If a parent/caregiver or emergency contact cannot be contacted + + +Page 13: +Superintendent’s Circular SHS-16 +Page 13 of 18 + + + +after two hours, Department of Children and Families should be +contacted at the hot line (1-800-792-5200) and/or emergency +medical procedures should be implemented. Under no +circumstances should a child be allowed to go home without a +parent/guardian. The student should be kept at the school until a +DCF worker arrives. In these cases, schools should initiate the +procedures in Supertintendent’s Circular SUP-20, Child Abuse +and Neglect Procedures. +REFERRAL TO EXTERNAL SUPPORT AGENCIES +It is recommended that all students, both those “in-crisis” and +those who have exhibited or expressed any symptoms of suicide, +be referred for support by external agencies with staff trained +and experienced in providing suicide intervention. +RETURNING TO SCHOOL +All students returning to school after a period of absence are +required to bring notes of explanation/excuse for the absence, +signed by the parent/guardian. For students returning to school +after emergency treatment for suicide intervention, schools +should make all reasonable efforts to obtain documentation from +a medical/mental health provider indicating that the student is +able and safe to return to school. Failure of the school to receive +such documentation, however, will not be grounds for excluding +the student from school. Those students unable to return for +medical or mental health reasons after a crisis situation may +qualify for services under the provisions of Superintendent’s +Circular SSS-19 Home and Hospital Instruction. +All returning students should report first to the school nurse (or +other trained student support staff, such as the school + + +Page 14: +Superintendent’s Circular SHS-16 +Page 14 of 18 + + + +psychologist or social worker), who will take the following +actions: +1. Review and file the letter from the medical/mental health +provider as part of a confidential health record. +2. Accompany the student to the homeroom for re-admission. +Every effort should be made to do this with sensitivity and to +maintain as great a degree of confidentiality as possible. +3. Inform the head of school/principal of the student’s return. +4. Bring the case to the school’s SST for review and assignment +of an internal liaison person. +This liaison person will monitor the student’s re-entry and serve +as the person to whom staff should report recurring warning +signs. The liaison might be a homeroom or subject area teacher, +a school psychologist, a guidance counselor, the nurse, or other +member of the faculty who is trusted by the student. The liaison +might also serve as the link with the parent/guardian concerning +the student’s status and, with written permission of the +parent/guardian, serve as a liaison with any external agency staff +providing special support to the student. + + + + + +Page 15: +Superintendent’s Circular SHS-16 +Page 15 of 18 + + + +APPENDEUM: +SUICIDE WARNING SIGNS +Warning signs are indicators that a student may be in danger of +committing suicide and may need urgent help. +Verbal +Behavioral +• Talking about and/or +making suicide plans +• Talking about and/or +gathering suicide +methods/information +• Statements that family +and friends would not +miss them +• Expressions of +hopelessness and/or +anger at self and the +world +• Talking about seeking +revenge +• Talking about feeling +trapped or being in +unbearable pain +• Talking about being a +burden to others + +• Looking for a way to kill +oneself +• Increasing the use of +alcohol or drugs +• Acting anxious, agitated, +or restless +• Sleeping too little or too +much +• Withdrawing or feeling +isolated +• Scratching, cutting, +marking body, or other +self-injurious behaviors +• Writing of suicidal notes +or posting on social media +• Making final +arrangements +• Giving away prized +possessions + + +Page 16: +Superintendent’s Circular SHS-16 +Page 16 of 18 + + + +• Reading, writing, and/or +art about death +• Sudden positive behavior +change following a period +of depression +ENVIRONMENTAL WARNING SIGNS +• Recent loss through death +• Recent loss through suicide +• Anniversary of a significant loss +• Recent experiences of violence +• Justice system involvement +• Anniversary of a significant loss + + + + +Page 17: +Superintendent’s Circular SHS-16 +Page 17 of 18 + + + +SUICIDE RISK FACTORS +Risk factors are characteristics that make it more likely a student +might consider, attempt, or die by suicide. +Individual +Environmental +• LGBTQ+ Identity +• Substance Abuse +• Medication use +• History of mental disorders, +particularly clinical depression +(that has not been dx or +treated properly) +• Prior suicide attempts +• Hopelessness / A Burden +• Hallucinations +• Delusions +• Impulsive or aggressive +tendencies +• Cultural and religious beliefs +(e.g., belief that suicide is noble +resolution of a personal +dilemma) +• Physical Illness +• Unwillingness to seek help +because of the stigma +attached to mental health and +substance abuse disorders or +to suicidal thoughts +• Interpersonal conflict +• Isolation / aloneness +• Parent suicide +attempts / family +history +• Early loss / +separation from +family +• Cultural sanctions for +suicide +• Loss (relational, +social, work or +financial) +• Local epidemics of +suicide +• Barriers to accessing +mental health +treatment +• Easy to access lethal +methods + + + +Page 18: +Superintendent’s Circular SHS-16 +Page 18 of 18 + + + +SUICIDE PROTECTIVE FACTORS +Protective factors are characteristics that make it less likely that a +student will engage in suicidal behavior. +• Effective clinical care for mental, physical, and substance +abuse disorders +• Easy access to a variety of clinical interventions and support +for help seeking +• Family and community support (connectedness) +• Support from ongoing medical and mental health care +relationships +• Skills in problem solving, conflict resolution, and nonviolent +ways of handling disputes +• Cultural and religious beliefs that discourage suicide and +support instincts for self-preservation +For more information about this circular, contact: +Owner: +Director of Social Work, Division of Student +Support +Department: +Social Work +Mailing Address: +205 Roxbury Street, Roxbury, MA 02119 +Phone: +617-971-8292 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-20 Asthma in Schools.txt b/data/data_txt1/School Health Services (SHS)/SHS-20 Asthma in Schools.txt new file mode 100644 index 0000000..9ef4b03 --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-20 Asthma in Schools.txt @@ -0,0 +1,277 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SHS-20 +Version 01 + +ASTHMA IN SCHOOLS +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +The Boston Public Schools recognizes that a clear, concise policy +on asthma management in school can impact academic +achievement. All schools must have protocols and procedures for +children with asthma and evaluate the implementation of these +plans regularly. This document outlines the comprehensive and +collaborative nature of managing a child’s asthma within a school +setting. +BACKGROUND ON ASTHMA +Because asthma is one of the most common chronic childhood +illnesses and a major cause of student absences, it is important +for schools to adopt a comprehensive, coordinated approach to +addressing asthma. +While asthma affects people of all ages, races, genders, and +segments of society, the burden is not equally shared across +racial and ethnic groups. It is most often a disease of the young +and of the poor. In 2020, 25.3 million Americans reported a +diagnosis of asthma. Of those, 21 million were adults, and 4.2 +million were children.1 Nearly half of children (52.7%) and adults +with asthma living below the poverty level reported an asthma + + +Page 2: +Superintendent’s Circular SHS-20 +Page 2 of 9 + +attack in the past year2, which is an indication of poor asthma +control. Children and people living below the poverty level are +among the groups most likely to have asthma, and to suffer from +severe asthma attacks, hospitalization, and even death. Asthma +morbidity and mortality are disproportionately burdensome for +African Americans and Hispanics, who are least likely to have +access to health education and adequate healthcare. +A comprehensive plan includes management and support +systems, appropriate health and mental health services, +educational programs for staff and students, appropriate and +reasonable environmental remediation, and communication +systems with home and child clinicians. +These components need to be integrated with community efforts +that include the medical and mental health fields, housing and +community air quality improvements, and active engagement of +families. +This document links with the Medication Administration Policy +and Management of Life-Threatening Allergic Reaction policies. +PROTOCOL FOR IMPLEMENTATION +Role of the Parent +• At the time of registration, the parent/guardian should +inform the Welcome Center staff of any health concerns of +their child, including asthma. The Health Services +Department remains available to support any student or +parent/guardian wishing to discuss this information +privately. +• Complete emergency forms indicating that their child has + + +Page 3: +Superintendent’s Circular SHS-20 +Page 3 of 9 + +asthma and include emergency numbers. +• Provide the school nurse with a current Asthma Action Plan +and emergency management plan from the student’s +physician and/or pulmonologist. It is recommended that the +parent/guardian meet with the school nurse in person to +discuss their child’s plan. +• Review with your child’s primary care provider/specialist and +sign all asthma forms presented by the school nurse. These +may include a combination of the following: +o Permission for a school nurse to communicate with the +family and the primary care provider/specialist +o Authorization to dispense medication +o Consent for child’s self-administration of asthma +medicine (when developmentally appropriate) +o The Parent/Guardian Asthma Questionnaire +o The Asthma Action Plan +• Provide the school with a pharmacy-labeled supply of +medications (oral and inhalers), including nebulizer +medications, masks, and tubing. Most health rooms have +nebulizers but are not equipped with extra masks and +tubing. +• Participate in the Asthma Action Plan for their child with the +child’s health practitioner and deliver the completed asthma +action plan to the school nurse. +• Provide a cell phone number or other emergency number/s +• Assure that the pre-school and after-school staff has the +appropriate information and training. + + +Page 4: +Superintendent’s Circular SHS-20 +Page 4 of 9 + +Role of the School Administrator +• Support faculty, staff, and parents in implementing all +aspects of the asthma management program, including +self-management. +• Support the development of a schoolwide policy, with input +from the School Site Council, for management of the school +environment, which includes, but is not limited to: +o Maintaining an active Integrated Pest Management +Program +o Review of and action on annual school inspections +o Use of green cleaners +o Enforcement of the tobacco-free policy +• Ensure there is a contingency plan for a substitute nurse, +teacher, or food service personnel who is not familiar with +the child. +• Ensure that the classroom staff is informed about asthma +prevention, management, and emergency response. +• Support program development, especially in schools with +higher than the state average of students diagnosed with +asthma or with large numbers of absenteeism related to +asthma. +• Review environmental inspections and ensure that all work +orders occur in a timely fashion. +• Support the student support team, the school nurse, and +the classroom teacher in identifying children with increased +absenteeism in relation to asthma. +• Inform the school nurse 4-6 weeks in advance of field trips + + +Page 5: +Superintendent’s Circular SHS-20 +Page 5 of 9 + +to thoroughly support a student's participation in a field trip +and ensure adequate planning time (e.g., staff training, +preparation of medications) +Role of the Student (where it is developmentally appropriate) +• Sign off on self-administration plan guidelines. +• Participate in self-management program(s) such as Open +Airways or Kickn’ Asthma to help better identify triggers +that may cause asthma symptoms and response. +• Complete the “Student Breathing/Asthma Questionnaire.” +Role of the School Nurse +• Obtain and review the student’s current Asthma Action Plan +(AAP) and other pertinent information from the student’s +parents/guardians and health care providers, including +medication administration permission form. +• Obtain releases for nurse/health care provider +communication and physician authorization for medication. +• Administer medication per provider order, monitor asthma +control, coordinate care, and maintain records. +• Provide safe storage and easy access to prescribed +medication when needed. +• Promote and encourage independence and self-care +consistent with the student’s ability, skill, maturity, and +development as indicated in the AAP. After reviewing the +AAP with the parents/guardians and student, implement, +review, and update the plan throughout the school year as +needed. + + +Page 6: +Superintendent’s Circular SHS-20 +Page 6 of 9 + +• Develop a plan for student management in the classroom, +lunchroom, playground, and athletic field that provides +routine and emergency care. +• Complete with the student (where developmentally +appropriate) the Student Breathing/Asthma questionnaire. +• Ensure that all other staff members (including coaches) who +have contact with children with asthma are familiar with +their Asthma Action Plan on a need-to-know basis. Teachers +should be contacted individually rather than with lists +posted. +• Provide a list of students with life-threatening allergies as a +component to their asthma (if consent is given by parent) to +all staff on a need-to-know basis; lists must be maintained in +a confidential manner to protect students’ privacy. +• Conduct in-service training and education for appropriate +staff regarding asthma symptoms, risk reduction +procedures, and emergency procedures. This information +should be reviewed annually, preferably at the beginning of +the school year. +• Ensure that there is a contingency plan in place in all school- +related venues where substitutes are utilized. +• Communicate with parents regularly to discuss issues +relating to the plan. +Role of the Teacher +• Maintain a discrete list of all students in the classroom with +asthma; lists must be maintained in a confidential manner +to protect students’ privacy. + + +Page 7: +Superintendent’s Circular SHS-20 +Page 7 of 9 + +• Participate in asthma awareness professional development +opportunities, as needed. +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the child's asthma needs on a +need-to-know basis, while maintaining student +confidentiality. +• Provide the school nurse with an adequate warning (4-6 +weeks for field trips) about school-sponsored off-site +activities. +• Notify the school nurse of any concerns. +Role of Off-site Staff +• Maintain a list of all students with severe persistent asthma; +lists must be maintained in a confidential manner to protect +students’ privacy. +• Coaches will be informed of any students on their teams +who have asthma (through review in ASPEN/Sports +Clearance form) and trained in asthma awareness and +maximizing athletic performance. +• Allow responsible students to self-medicate during practices +and sports events; students must have a self-medication +plan on file with the school nurse. + Role of the Coordinator of Special Education (COSE): +• If a student is referred for consideration for a 504 +accommodation plan and/or special education, the COSE +will process as appropriate; the parent/guardian, school +nurse, and other school staff must be involved in the plan + + +Page 8: +Superintendent’s Circular SHS-20 +Page 8 of 9 + +development and implementation. +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +will discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team shall consider transportation needs (team shall include +school nurse). If special transportation is necessary, it can be +added to the IEP. + +REFERENCES +Managing Asthma: A Guide for Schools +Asthma Self-Management Skills, American Lung Association +CDC Strategies for Managing Asthma in Schools +1CDC Most Recent National Asthma Data +2American Lung Association Controlling Childhood Asthma +and Reducing Emergencies Initiative + + + + +Page 9: +Superintendent’s Circular SHS-20 +Page 9 of 9 + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-21 Diabetes Policy.txt b/data/data_txt1/School Health Services (SHS)/SHS-21 Diabetes Policy.txt new file mode 100644 index 0000000..8ed134f --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-21 Diabetes Policy.txt @@ -0,0 +1,462 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-21 +Version 01 + + + +DIABETES POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BACKGROUND +Diabetes is a chronic disease in which the body does not make or +properly use insulin. Insulin is a hormone produced by the +pancreas that is needed to convert sugar and starches into +energy for the body. People with diabetes have increased blood +glucose (sugar) levels because they lack or have insufficient +insulin or are resistant to insulin’s effects. High levels of glucose +build up in the blood and spill into the urine; as a result the body +loses its main source of fuel. +There are many types of diabetes that affect children. The most +common types seen in school settings include: +• Type 1 (formerly called “Insulin-Dependent” or “Juvenile- +Onset”) Diabetes Mellitus: This type of diabetes is considered +a disease of the immune system because the immune +system destroys the cells in the pancreas that produce the +hormone insulin. People with type 1 diabetes must inject +insulin every day because their bodies cannot produce +insulin. It needs to be injected under the skin to be +absorbed; it cannot be taken by mouth because it would not +be effective. +• Type 2 (formerly called “Non-Insulin Dependent” or “Adult- + + +Page 2: +Superintendent’s Circular SHS-21 +Page 2 of 13 + + + +Onset”) Diabetes Mellitus: People with type 2 diabetes +produce insulin, but the cells of the body do not respond +normally to the insulin. This is referred to as insulin +resistance. Type 2 diabetes can often be managed with diet +and exercise, but some students also need medications +taken by mouth (oral hypoglycemic agents), insulin +injections, or both to help glucose enter their cells. +• Pre-Diabetes: Pre-diabetes is a condition in which blood +glucose levels are higher than normal, but not yet high +enough to be classified as diabetes. Before people develop +type 2 diabetes, they almost always have pre-diabetes. +• Gestational Diabetes (may affect teens who are pregnant): +Gestational diabetes results from pregnancy hormones that +cause the body to become resistant to its own insulin. +Diabetes is the third most common chronic health disease +affecting an estimated 2.22/1,000 children and adolescents +according to The Search for Diabetes in Youth (SEARCH) Study +(Pettitt et al., 2014). Children and adolescents are defined as +youth under the age of 20 years. In 2009, approximately 191,986 or +one in 433 youth with diabetes lived in the U.S. From these, 87% +have type 1 diabetes and 11% have type 2 diabetes (Pettitt et al., +2014). In the years 2008 to 2009, 18,436 youth were newly +diagnosed with type 1 diabetes and 5,089 youth were newly +diagnosed with type 2 diabetes (Centers for Disease Control and +Prevention [CDC], 2014). As the sixth leading cause of death by +disease in the United States, long-term complications of diabetes +include heart disease, stroke, blindness, kidney failure, nerve +disease, gum disease, and amputation of the foot or leg. +Although there is no cure, diabetes can be managed, and +complications can be delayed or prevented. + + +Page 3: +Superintendent’s Circular SHS-21 +Page 3 of 13 + + + +Advances in diabetes technology continue to enhance students' +ability to manage diabetes at school, thus improving their quality +of life. Children and adolescents monitor blood glucose levels +several times a day via blood glucose meters and continuous +glucose monitors, conduct carbohydrate calculations, and inject +insulin via syringe, pen, and pump to attain blood glucose control +(Brown, 2016). Intensive resources and consistent evidenced- +based interventions will achieve the long-term health benefits of +optimal diabetes control, according to the landmark study from +the Diabetes Control and Complications Trial Research Group +(DCCT, 1993). +Coordination and collaboration among members of the school +health team and the student’s personal diabetes health care +team are essential for helping students manage their diabetes in +the school setting. Members of the school health team include +the student with diabetes, parents/guardians, school nurse, +teacher(s), school leader, COSES, social worker, coach, physical +education teacher, food service staff, and other school staff +members. In addition, it is essential for team members to +understand the federal and state laws that may apply to students +with diabetes, including Section 504 of the Rehabilitation Act of +1973, the Americans with Disabilities Act, and the Individuals with +Disabilities Education Act. +The purpose of these Administrative Procedures and Guidelines +is to: +• Provide a safe and healthy learning environment for all +students +• Protect the rights of students with diabetes to participate in +all school activities + + +Page 4: +Superintendent’s Circular SHS-21 +Page 4 of 13 + + + +• Ensure proper medical management and safety of the +student, minimizing the possibility that diabetes related +emergencies might disrupt their educational and classroom +activities +• Facilitate self-management so that the student may +gradually assume responsibility for their care +• Reduce the likelihood of severe or potentially life- +threatening diabetic emergencies during school +• Ensure a rapid and effective response in the case of a severe +or potentially life threatening diabetic emergency +EDUCATION AND TRAINING +Staff to be trained includes, but are not limited to, teachers, +paraprofessionals, food service staff, school leaders, support staff, +and student interns/teachers. Coordination and collaboration +among members of the school health team and the student’s +personal diabetes health care team are essential for helping +students manage their diabetes in the school setting. +Education and training for key personnel by the school nurse will +include: +• an overview of diabetes +• signs and symptoms of diabetes, including +hyper/hypoglycemia +• role and responsibilities in prevention and reducing risks +• recognizing and responding to a diabetic emergency +• review of the student’s Individual Health Plan (IHP) and +Diabetes Emergency Action plan + + +Page 5: +Superintendent’s Circular SHS-21 +Page 5 of 13 + + + +ROLES AND RESPONSIBILITIES +Role of the Parent/Guardian +• At the time of registration, inform the Welcome Center staff +of any health concerns of their child, including Type 1 +Diabetes. The Health Services Department remains +available to support any student or parent/guardian wishing +to discuss this information privately. +• Provide the school nurse with a current diabetes medical +management plan and emergency management plan from +the student’s endocrinologist. It is recommended that the +parent/guardian meet with the school nurse in person to +discuss their child’s plan. +• Actively participate with the school nurse in creating an +individualized healthcare plan for school that supports the +student’s medical, educational, and developmental needs +• Provide the school nurse with the necessary supplies +needed to care for the student during the school day: +insulin, glucometer, glucagon, syringes, etc. In the case of an +insulin pump: extra insulin delivery catheter, insulin, insulin +receptacle. +• Provide the school nurse with the carbohydrate count for +each item when lunch or snack is brought from home. +• Provide current contact information including cell phone +numbers (if available), emergency numbers, and at least two +back up numbers to call if parents/guardians are not +reachable. +• Educate after-school activities personnel about the diabetic +management plan and provide a plan as necessary. + + +Page 6: +Superintendent’s Circular SHS-21 +Page 6 of 13 + + + +Role of the School Administrator +• Facilitate diabetes management training for school +personnel. +• Support faculty, staff, and parents in implementing all +aspects of the Diabetes Management Plan. +• Identify all staff members who have responsibility for the +student with diabetes throughout the school day and +during school-sponsored extracurricular activities and field +trips. +• Ensure there is a contingency plan in the case of a +substitute nurse, teacher, or food service personnel. +• Ensure that the classroom staff have been trained in an +overview of diabetes, how to recognize and respond to +hypoglycemia and hyperglycemia and the steps to take in +the event of an emergency. +• Make certain that emergency communication devices (e.g., +walkie-talkie, intercom, cell phone, etc.) are always present +and functional. +• Promote a supportive learning environment for students +with diabetes to manage their diabetes safely and +effectively at school. +• Inform the school nurse 4-6 weeks in advance of field trips +to thoroughly support a student's participation in a field trip +and ensure adequate planning time (e.g. necessity for +nursing support during the field trip). +• Understand the federal and state laws that may apply to +students with diabetes, including Section 504 of the +Rehabilitation Act of 1973, the Americans with Disabilities + + +Page 7: +Superintendent’s Circular SHS-21 +Page 7 of 13 + + + +Act, and the Individuals with Disabilities Education Act. +Role of the School Nurse: +• Obtain and review the student’s current Diabetes Medical +Management Plan (DMMP) along with other pertinent +information from the student’s parents/guardians and +health care providers. +• Obtain releases for nurse/health care provider +communication and physician authorization for medication. +• Develop an Individualized Health Care Plan (IHP). Promote +and encourage independence and self-care consistent with +the student’s ability, skill, maturity, and development as +indicated in the DMMP. After reviewing the IHP with the +parents/guardians and student, implement, review, and +update the plan throughout the school year as needed. +• Develop a plan for student management in the classroom, +lunchroom, playground, athletics, and field trips that +provides for routine and emergency care. These would +include blood glucose monitoring; urine/blood ketone +testing; insulin administration; glucagon administration; and +assistance with carbohydrate counting. +• Perform or assist the student with routine and emergency +diabetes care tasks, including blood glucose monitoring, +urine or blood ketone testing, insulin and other medication +administration, carbohydrate counting, and glucagon +administration. +• Maintain accurate documentation in the electronic health +record of all diabetes care provided at school. Document +communications with the student, the parents/guardians, + + +Page 8: +Superintendent’s Circular SHS-21 +Page 8 of 13 + + + +and the student’s personal diabetes health care team, and +document communications related to the training and +supervision of trained diabetes personnel. +• Ensure that all other staff members who have contact with +students with diabetes are familiar with their Individual +Health Care Plans (IHPs) on a need-to-know basis. +• Provide a list of students with diabetes (if consent given by +parent) to all staff on a need-to-know basis, including bus +drivers. +• Conduct in-service training and education for appropriate +staff regarding a student’s symptoms; risk reduction +procedures; emergency procedures; and appropriate +responses to symptoms of diabetic emergencies. This +includes PE instructors and coaches. This training should be +repeated annually or when a student transfers classrooms or +schools. +• Ensure that there is a contingency plan in place for all +school-related venues where substitutes are utilized. +• Encourage the students to eat all meals and snacks fully and +on time. Be flexible with time requirements for eating and +provide the parent or guardian with the carbohydrate +menu. +• Make certain that emergency communication devices (e.g., +walkie-talkie, intercom, cell phone, etc.) are always present +and functional. +• Participate in the teams that develop and implement the +student’s Section 504 Plan, other education plan, or +individualized education program. Contribute to IEP, and +504 implementation of diabetes related issues, where + + +Page 9: +Superintendent’s Circular SHS-21 +Page 9 of 13 + + + +appropriate. +• Communicate with the student’s parents/guardians and— +with their permission—communicate with the student’s +personal diabetes health care team about progress as well +as any concerns about the student’s diabetes management +or health status, such as hypoglycemia episodes, +hyperglycemia, general attitude, emotional issues, and self- +management. +Role of the Coordinator of Special Education (COSE): +• If a student is referred for consideration for a 504 +accommodation plan and/or special education, the COSE +will process as appropriate. The parent/guardian, school +nurse and other school staff must be involved in the plan +development and implementation. +• If a student is eligible for a 504 accommodation plan (or is +being evaluated for a 504 accommodation plan), the team +will discuss eligibility for transportation. +• If a student already has an IEP (or is being evaluated) and +transportation may be necessary for the medical condition +(but not necessarily the area of educational disability), the +team will consider transportation needs (team will include +school nurse). If special transportation is found to be +necessary, it can be added to the IEP. + +Role of the Teacher +• Have a list of all students in the classroom with chronic +diseases, including diabetes. + + +Page 10: +Superintendent’s Circular SHS-21 +Page 10 of 13 + + + +• Participate in team meetings for students with diabetes and +participate in in-service training provided by the school +nurse. +• Be prepared to respond immediately to the signs and +symptoms of hypoglycemia (low blood glucose) and +hyperglycemia (high blood glucose), in accordance with the +student’s Emergency Care Plans for Hypoglycemia and +Hyperglycemia. +• Keep accessible the student’s emergency plan with a photo +(where possible) in the classroom (with parent's permission) +or keep with the lesson plan. +• Inform volunteers, student teachers, aides, specialists, and +substitute teachers about the student’s condition both +through verbal communication and in an organized, +prominent, and accessible written format. +• Recognize that eating meals and snacks on time is a critical +component of diabetes management. +• Coordinate with parent/guardian to provide lesson plans to +accommodate any learning needs. +• Support the student in participating in all school-sponsored +activities. +• Inform the school nurse 4-6 weeks in advance of field trips +to ensure adequate planning time for supports. +• Notify the school nurse and parents/guardians in advance of +changes in the school schedule, such as class parties, field +trips, and other special events. + + +Page 11: +Superintendent’s Circular SHS-21 +Page 11 of 13 + + + +Role of Physical Education Teacher and Coaches +• Have a list of all students in their charge who have diabetes. +• Coaches will be told of any students on their teams who +have diabetes through review in ASPEN/Sports Clearance, +and will be trained in identification of symptoms of diabetes +emergencies. +• Participate in in-service training about diabetes as needed. +• Keep accessible the student's emergency plan with a photo +(where possible) in the specific venue (with parent's +permission). +• Allow students with diabetes to wear their insulin pump +and/or sensor and medical ID during physical activity. +• Designate a safe place for students to keep their diabetes +supplies, including their insulin pump, if they remove it +during physical activity. +• Make sure blood glucose monitoring equipment and a +quick-acting form of glucose are available at all activity sites. +• Include the student’s Emergency Care Plans for +Hypoglycemia and Hyperglycemia and diabetes supplies in +the first aid pack that goes out to physical education +activities, practices, and games. +• Allow the student to monitor blood glucose levels and/or +administer insulin, as outlined in the student’s health care +plans and education plans. +• Recognize that a change in the student’s behavior could be +a symptom of blood glucose changes. +• Understand and be aware that hypoglycemia (low blood +glucose) can occur during and after physical activity. + + +Page 12: +Superintendent’s Circular SHS-21 +Page 12 of 13 + + + +• Inform substitutes about the student’s diagnosis and the +signs and symptoms of hyper or hypoglycemia. +Role of Food Services +• Work with health services to provide access to carbohydrate +menus to parents and school nurses and assist in +carbohydrate counting activities. +• Make available and maintain current food labels for all meal +plans. Provide nutrition information on all menu items and a +la carte items to the school staff and parents/guardians. +Role of the Office of Transportation +• Provide training for all bus monitors for medical +emergencies, including but not limited to Heartsaver +CPR/AED, Heartsaver First Aid. +• Know local EMS (Emergency Medical Services) procedures. +• Have functioning communication equipment to access EMS +• Understand that a student with diabetes may need to have +a snack to regulate their blood sugar, despite the policy of +no food eating allowed on the bus. +• Encourage 1:1 communication between bus monitors and +school-based staff as well as between bus monitors and +parents/guardians. +Role of the School Bus Company +• Provide training for all bus drivers for medical emergencies, +including but not limited to Heartsaver CPR/AED and +Heartsaver First Aid. + + +Page 13: +Superintendent’s Circular SHS-21 +Page 13 of 13 + + + +• Know local EMS (Emergency Medical Services) procedures. +• Have functioning communication equipment to access EMS. +• Understand that a student with diabetes may need to have +a snack to regulate their blood sugar, despite the policy of +no food eating allowed on the bus. +REFERENCES +• Massachusetts | ADA +• Diabetes Management in the School Setting +• Diabetes | Healthy Schools | CDC +• Diabetes Care Tasks at School | ADA +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-22 Automatic External Defibrillator Policy.txt b/data/data_txt1/School Health Services (SHS)/SHS-22 Automatic External Defibrillator Policy.txt new file mode 100644 index 0000000..8b3645c --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-22 Automatic External Defibrillator Policy.txt @@ -0,0 +1,648 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SHS-22 +Version 01 + +RESPONSE TO CARDIAC ARREST IN SCHOOLS AND +SCHOOL PROPERTY: AUTOMATIC EXTERNAL +DEFIBRILLATOR (AED) USE AND ACCESS POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY STATEMENT +The Boston Public Schools recognizes that an Emergency +Medical Response Plan is multifaceted and is designed to +respond to life-threatening medical emergencies in the first +minutes before emergency medical services arrive. The elements +of the policy include: effective communication throughout the +individual school and the district, a coordinated and practiced +response plan, risk reduction, training and equipment for first aid +and CPR, and a lay rescuer AED program. +This policy addresses the Cardiac Arrest Plan and focuses on CPR +and AED use. It interfaces with Superintendent’s Circulars FSE- +05 Medical Emergencies; FSE-01 School Safety and Contingency +Plans; and SHS-11 Life-Threatening Allergies. It is also coordinated +with the City of Boston Public Access Defibrillator Program +(PAD). Detailed procedures and protocols, including a +Memorandum of Agreement between BPS and Boston EMS, are +available through Facilities Management. + + + + +Page 2: +Superintendent’s Circular SHS-22 +Page 2 of 22 + +BACKGROUND +Sudden cardiac arrest (SCA) presents a potential life-threatening +situation to students, staff, and visitors, and quick response +actions and interventions like cardio-pulmonary resuscitation +(CPR) and proper use of an automatic external defibrillator (AED) +within the first two (2) minutes significantly increases the chance +of SCA survival. +PROTOCOL FOR DISTRICTWIDE RESPONSIBILITIES +The City of Boston’s Public Access Defibrillator Program (PAD) +requires that a systemwide policy be established that interfaces +with the district's School Safety and Contingency Plans. These +plans are submitted each year. +In BPS, the AED/CPR policy is directed by an AED/CPR +Committee. This systemwide AED Committee includes but is not +limited to representation from Health Services, Facilities +Management (Environmental and Safety), BPS Operations, and +City of Boston’s Emergency Management Services (BEMS). The +responsibility of this team is to oversee the AED and CPR +program, including quality assurance, data review of critical +incidents, equipment maintenance, inventory management, +coordinated and practiced response exercises, and lay CPR and +AED training. +• All school buildings have been provided with AEDs. All BPS +school buildings with an AED will need to register their +individual plans along with their annual safety contingency +plans. Staff who have been trained in CPR will be added to + + +Page 3: +Superintendent’s Circular SHS-22 +Page 3 of 22 + +the school safety contingency plan and reviewed/updated +annually. +• AEDs have been provided to the BPS Athletics Program for +selected coaches to have in their possession during any +athletic event or practice. The BPS Athletic Program shall +meet the same requirements and intent of the AED/CPR +program for school buildings, including providing an +inventory of the AEDs and their designated coaches (those +coaches who are responsible for the AED during their sport’s +season). +PROTOCOL FOR INDIVIDUAL SCHOOL RESPONSIBILITIES +Principal/Head of School: +• Ensures that there is an appropriately trained AED/CPR +coordinator at their school.* +• Ensures that there is the required number of CPR trained +personnel in the school. +• Includes the AED/CPR plan in the annual safety and +contingency plan submission to the director of Fire Safety +and Emergency Preparedness. +• Reviews and submits the annual AED/CPR plan to Safety +Services (safety and contingency plan). +• Oversees the placement of AEDs. +• Ensures that the required staff are appropriately trained in +CPR and AED use. + + +Page 4: +Superintendent’s Circular SHS-22 +Page 4 of 22 + +• Ensures periodic checks are done to better ensure safe and +continuous operability and access to the AED. These checks +shall include but not be limited to the following: +o Daily check of AED indicator light: Check the active +status indicator light on your AED. It varies depending +on the brand. If any problems contact Richard Deraney, +Director of Safety/Emergency Preparedness. +o Weekly check: Check the condition of the AED and +accessories (including but not limited to the AED, the +pads (infant and adult), and the AED alarmed metal +cabinet. +o Monthly check: Check pads and battery pack for +expiration dates and AED signage throughout the +building. +o Quarterly submission of logs to the AED/CPR +committee. +* A member of your school site safety team is strongly +recommended. +School Nurse: +• Reviews plans with the AED/CPR coordinator. +• Is up to date in CPR/AED training as required by +employment. +• Includes plan in substitute school nurse folder. + +Athletic Coaches: +• Participate in training in CPR/AED. + + +Page 5: +Superintendent’s Circular SHS-22 +Page 5 of 22 + +• Ensure that protocols are in place. +• Review plans with the school nurse. +BPS Athletics: +• Ensures that all coaches are in compliance with AED/CPR +guidelines. +• Ensures that all athletic trainers providing services to BPS +Athletics are in compliance with AED/CPR guidelines. +Trained Staff: +• Reviews CPR/AED plan for individual school. +• Reviews Safety and contingency plans for school. +• Participates in training. + +Detailed information on protocols and training is available in +Health Services & Safety Services, when available. + + + + +Page 6: +Superintendent’s Circular SHS-22 +Page 6 of 22 + +Date +Activity +October 1 +Annual Review of AED Program. This will be part of +the school’s Building Safety and Fire Safety Plans. If +there are any changes, you will submit a copy to +BPS Safety/Emergency Preparedness. +October 1 +BPS Athletics shall provide a list of coaches with +AEDS and training verifications to +Safety/Emergency Preparedness +November 1 +School leaders and building administrators shall +contact Office of Health and Wellness: Physical +Education to receive Anytime (Hands Only) CPR +training and equipment for their physical +education teachers. +May 1 +9th grade Physical Education teachers shall receive +Anytime CPR training as needed and implement +the lesson with their students. +June 1 +Annual Review of AED Policy by AED Committee + + + + + +Page 7: +Superintendent’s Circular SHS-22 +Page 7 of 22 + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Contact: +Director of Safety & Emergency Management +Department: Safety & Emergency Management +Mailing +Address: +205 Townsend Street Boston, MA 02121 +Phone: +(617) 635-9122 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 8: +Superintendent’s Circular SHS-22 +Page 8 of 22 + +BOSTON PUBLIC SCHOOLS +MEMORANDUM OF AGREEMENT +AUTOMATIC EXTERNAL DEFIBRILLATION PROGRAM + +THIS AGREEMENT is made and entered into on ________________ +and is between the Boston Public Schools (BPS) and Boston +Emergency Medical Services (EMS). +The purpose of this agreement is to establish training and quality +assurance programs for the utilization of automatic external +defibrillators (AED) by volunteer, trained Boston Public Schools +personnel. Those trained personnel will function under the +medical supervision of the BPS medical director and the assistant +director of Health Services in collaboration with EMS medical +director. +The Parties now mutually agree to the following: +The Boston Public Schools (BPS) agrees: +1. To identify an AED/CPR coordinator from Safety Services to +assume responsibility for coordinating the AED/CPR +committee and monthly meetings. This committee will +include representation from EMS and oversee aspects of the +Public Access Defibrillation program in BPS. +2. To conduct CPR/AED training programs that are approved +by the American Heart Association, American Red Cross, +American Safety and Health Institute, or BPS approved +equivalent. + + +Page 9: +Superintendent’s Circular SHS-22 +Page 9 of 22 + +3. To establish a quality assurance program that reviews all +AED response events with the EMS medical director, BPS +medical director, assistant director of Health Services, EMS +liaison, and BPS responders. +4. To maintain a database for AED training programs and +share trained personnel information rosters with the EMS. +5. To notify EMS annually of the types of AEDs and location of +units in each building. +6. To maintain database information regarding the AED daily +checks and maintenance information for each unit. +7. To follow the protocols approved by Boston Public Schools +for AED use in BPS. +8. To notify EMS of any changes in program, location, or +equipment. +9. In case of an incident, provide EMS with cardiac event data +cards for evaluation and feedback. +10. Work collaboratively with the EMS on student CPR training +programs +Boston EMS agrees to: +1. Identify the medical director of EMS as the overall medical +director of the BPS AED program. +2. Identify an EMS liaison that will collaborate with BPS on AED +implementation in the schools. +3. Maintain records of location/types of machines, trained +personnel sent by BPS program coordinator. + + +Page 10: +Superintendent’s Circular SHS-22 +Page 10 of 22 + +4. Provide feedback, after a response incident, from the +cardiac event data card to BPS CPR/AED coordinator and +BPS medical director and other members of the AED/CPR +committee for review. +5. Provide “Train the Trainer” CPR/AED programs to BPS +designated volunteer employees. + +This memorandum will be reviewed on an annual basis. + __________________________________________________________________ + +In witness whereof, the parties hereto execute this Agreement +through their duly authorized representatives as of ________ day +of ________________, 20____. +BOSTON EMERGENCY MEDICAL SERVICES +By: ______________________________________ Date: _________________ + +Its: _______________________________________________________________ + +BOSTON PUBLIC SCHOOLS + +___________________________________________Date: _______________ + +Mary Skipper, Superintendent + + + + + +Page 11: +Superintendent’s Circular SHS-22 +Page 11 of 22 + +BOSTON PUBLIC SCHOOLS +PUBLIC ACCESS DEFIBRILLATION PROGRAM AND +CPR GUIDELINES + +PURPOSE: The purpose of the Boston Public Schools Public +Access Defibrillation (PAD) Program guidelines is to assist +employees of the Boston Public Schools who are trained and +willing to do CPR, including use of an Automatic External +Defibrillator (AED) in the event such use is necessary. These +guidelines do not create an obligation to do CPR and use the +AEDs, nor to create any expectation that either an AED or trained +employee will be present at every event. The guidelines should +make clear that by increasing the availability of AEDs and +increasing the number of persons trained to use them, that both +the school and larger community may be aided. Evidence shows +that time is a significant factor in victim survival rate, and on-site +responders are more likely to arrive faster than EMS to begin aid +to incidents of “sudden death”. By equipping and training +voluntary employees in the use of AEDs, we will increase the +potential to save lives through AED intervention. +DEFINITION: The condition “sudden death” occurs when the +electrical impulses of the human heart malfunction, causing a +disturbance in the heart’s electrical rhythm called “ventricular +fibrillation (VF)”. This erratic and ineffective electrical heart +rhythm causes complete cessation of the heart’s normal function +of pumping oxygenated blood, resulting in “sudden death”. The +most effective treatment for this condition is the administration +of an electrical current to the heart by a defibrillator, within the + + +Page 12: +Superintendent’s Circular SHS-22 +Page 12 of 22 + +shortest time possible of VF onset. Each minute of delay in +defibrillator use decreases the survival rate by 10%. +PROGRAM PROCEDURES: The Boston Public Schools anticipates +that where reasonably possible, employees who have been +trained and who are present when an incident occurs will react +by activating the EMS system (calling 9-1-1 or 9-9-1-1), begin CPR, +and utilize the AED available to them according to the guidelines +of the American Heart Association. +PROGRAM OVERSIGHT: The City of Boston’s Public Access +Defibrillator Program (PAD) requires that a systemwide policy be +established. This system-wide AED committee includes but is +not limited to representation from Health Services (Health +Services), Facilities Management (Environmental and Safety), BPS +Operations, and City of Boston’s Emergency Management +Services (BEMS). This committee meets monthly and guides the +program implementation and quality assurance. +The EMS medical director agrees to act as the medical director +for the BPS PAD Program, ensuring its consistency with the +Community AED Public Access program and reviewing each +deployment of the AED with the BPS team. +The Boston Public Schools physician / medical director is +responsible for: writing prescriptions for purchase of AEDs; +reviewing and approving guidelines for emergency procedures +related to the use of AEDs; reviewing all AED deployments; and +coordination with the local EMS medical director for consistency +of operation. +The BPS assistant director of Health Services (nursing director) +will be the overall AED coordinator of the program, chairing the + + +Page 13: +Superintendent’s Circular SHS-22 +Page 13 of 22 + +CPR/AED committee. This systemwide AED committee includes +but is not limited to representation from Health Services (Health +Services), Facilities Management (Environmental and Safety), BPS +Operations, and City of Boston’s Emergency Management +Services (BEMS). The responsibility of this team is to oversee the +AED and CPR program, including quality assurance, data review +of critical incidents, equipment maintenance and inventory +management, coordinated procurement of funding, practiced +response exercises, and lay CPR and AED training. +PRE-PROGRAM EVALUATION AND AED SELECTION +Only US FDA approved AEDs will be provided for this program. +The program manager and Facilities Management Department +will maintain the specification/technical information sheet for +each approved AED on file assigned and/or donated to the PAD +program. +All BPS schools have at least one AED. +AEDs have been provided to the BPS Athletics Program for +selected coaches to have in their possession during any athletic +event or practice. The BPS Athletics Program shall meet the +same requirements and intent of the AED program for school +buildings. + + + + +Page 14: +Superintendent’s Circular SHS-22 +Page 14 of 22 + +TRAINING +All volunteer employees and coaches will participate in a +recognized CPR/AED initial training course which will include the +following content: +• Proper use, maintenance, and periodic inspection of AED. +• Assessment of an unconscious person to determine if a +cardiac arrest has occurred and the appropriateness of +applying the AED. +• Defibrillator safety precaution to enable the user to +administer a shock without jeopardizing the safety of the +victim, the user, or other persons on the scene. +• Rapid accurate assessment of the victim’s post-shock status +to determine if further activation of AED is necessary. +• The role of the initial rescuer in the coordination of care for +the cardiac arrest victim on arrival of EMS personnel. +• Scenario based practice consistent with common scenarios +that rescuers may face. +• Routine AED maintenance, troubleshooting options, and +special situations that initial rescuers may encounter. +Employees will only be held to the standards of “Good Samaritan” +status and shall only be expected to use an AED if they have +successfully completed the CPR/AED training and feel confident +using the device. + + + + +Page 15: +Superintendent’s Circular SHS-22 +Page 15 of 22 + +SKILLS REVIEW AND PROFICIENCY DEMONSTRATION +The AED team candidate will need to demonstrate proficiency in +adult CPR and the following: +• Safe and effective use of the AED training device that +conforms to the unit assigned to that location or building. +• Perform a single or multi-shock practical exam conducted +by a qualified AHA or ARC instructor. +• Demonstrate common trouble-shooting techniques used +with the AED. +• All AED team members will participate in a CPR/AED skills +proficiency review annually. The PAD program manager will +maintain the proper training and review documentation. +LOCATION OF AEDS +All BPS school buildings with an AED must register their plan +with BPS Safety Services. All school buildings have been provided +with AEDs. If additional AEDs are to be purchased, it must be +done through BPS HS or with the approval of BPS HS. AED will be +numbered for internal identification and inventory. These records +shall be kept and maintained under BPS HS. +All AEDs shall be located immediately outside the main +administrative office unless a written exemption with stated +reasons for another location is provided. All AEDs are placed in an +alarmed metal cabinet with an identifying AED location sign +above it. Other signs identifying AED location will be placed in +common areas throughout the school building. For additional +signage or if there are any missing or broken signs, please + + +Page 16: +Superintendent’s Circular SHS-22 +Page 16 of 22 + +contact Facilities Management – Environmental Section at 617- +635-8300. +AEDs are located outside the main administrative office because +it is a well-identified location with continued access during +school occupancy and operating hours. In cases of BPS school +buildings sharing the building complex with another BPS school +program or DYFS Community School or Center, if possible, a +location may be chosen that would allow access to both +programs’ operating hours. All AEDs shall be kept in the alarmed +metal cabinet, with the exception of AEDs provided specifically +for BPS Athletics Department. +MAINTENANCE AND TESTING +Maintenance and testing will be conducted according to the +requirements of the FDA and the AED manufacturer. +Documentation of maintenance and testing will be maintained in +the PAD program manager’s office (nursing coordinator) for a +period of two years. Documentation will record the date of +testing and the signature of the person performing the testing. If +a problem with the AED is identified, the AED coordinator must +be notified immediately. +Responsibility for overall maintenance check assignments in +each location will be with the BPS AED/CPR coordinator in +coordination with a designated person in each building. A +person in each building will be responsible for: +• Daily visual checks and documentation during the actual +contracted school year. (Summer locations and checks will + + +Page 17: +Superintendent’s Circular SHS-22 +Page 17 of 22 + +be determined by summer program use of the buildings, +and Boston EMS will be notified of the Summer Plan.) +• Prompt notification of PAD program manager for any +equipment or supply needs. The designated building +coordinator will be responsible for scheduling AED training +courses in their building. Authorized AHA instructors will +assist with training on AED use. +USE OF THE AED +General +• Scene safety is vital. Rescuers are volunteers and are not +expected to place themselves at risk to provide aid to +others. To assess for scene safety: +o Verify that the victim is not in contact with any live +electrical connections. +o Remove the victim from any exposure to water to a dry +surface. +o Refrain from use of any portable radios near the victim +while AED is analyzing. +• During school hours, the building program coordinator will +be notified of any event occurring that may require the use +of an AED. +• During afterschool hours, a trained athletic coach or their +designee may move the AED from its current location to +support Athletic Department activities. A visible notice +must be clearly stating the location of the AED as well as the +location of the nearest AED, if another one exists. + + +Page 18: +Superintendent’s Circular SHS-22 +Page 18 of 22 + +• Contracted and community activities are not guaranteed +access to the AED or a trained AED operator as part of +standard school facility rental contracts. +Actual Use of AED in a Cardiac Event +• Determine unresponsiveness of the victim and activate the +Emergency Response Plan (Call 9-1-1). +o If a victim is unresponsive, call 9-1-1 (or 9-9-1-1) and get +AED. +o Assess victim (airway, breathing circulation). +o Initiate CPR, if required, while AED is brought to the +victim's side. +o Designate a person to wait for a facility entry to direct +EMS to location. +o Notify nursing coordinator of use to assign backup AED +unit, if available +• Upon arrival of AED, place AED next to the head of the +victim, close to the AED operator. +• Prepare to use the AED: +o Turn power ON. +o Bare and prepare chest for AED use. +o Attach AED to victim (picture guides on each pad for +proper placement location). +o Stop CPR while the AED device analyzes the heart +rhythm. + + +Page 19: +Superintendent’s Circular SHS-22 +Page 19 of 22 + +o Follow the machine prompts for further action. If a +shock is indicated, be sure all rescuers are “clear” +before shock is administered. +• Upon arrival, EMS shall take charge of the victim. +o Provide victim information (name, age, known medical +history, time of incident). +o Provide information as to current condition and +number of shocks delivered. +o Defibrillator pads and electrodes shall remain in place +on the victim. EMS will utilize BPS AED through +transport of victims to hospital to maintain continuity +of event recording. +AFTER USE OF AED +• First responders will notify the program coordinator by +phone of the incident, complete an incident report, and fax +to the program coordinator. +• A Critical Incident debriefing session will be held or +scheduled within 24 hours for initial responders. (Boston +EMS may not be immediately available.) +• The health services director and program coordinator will be +notified of AED use and: +o Complete follow-up report for medical directors. +o Arrange for a quality improvement meeting of AED +responders. +o The AED will be checked and put back in readiness +state. + + +Page 20: +Superintendent’s Circular SHS-22 +Page 20 of 22 + +o Restock AED inventory. +o Clean AED if needed according to manufacturer +recommendations. +o Document AED return readiness. + + + + +Page 21: +Superintendent’s Circular SHS-22 +Page 21 of 22 + +BOSTON PUBLIC SCHOOLS +AUTOMATED EXTERNAL DEFIBRILLATOR PROGRAM +PARTICIPATION REQUEST FORM + +_________________________________________________ (Name of person +requesting) requests implementation of the AED Program for + _________________________________________________________________ . + +(Name of school / site) +I understand that to be eligible for the AED Program, the +following requirements must be met: +Funding / resources have been identified for the purchase and +maintenance of an “APPROVED” AED. (Please consult program +manager for list of qualifications for approved AEDs.) +Funding source: _________________________________________________ + +At least 2 staff have been identified to be trained in CPR and AED. +Staff member: ___________________________________________________ +Staff member: ___________________________________________________ +At least 1 primary staff member and 1 back-up (in case of +absence) have been identified to be the building coordinator. + +List staff member and back-up: + + +Page 22: +Superintendent’s Circular SHS-22 +Page 22 of 22 + +Primary: __________________________________________________________ +Back-up: _________________________________________________________ +Planned location of the AED in the building: + __________________________________________________________________ + + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-23 Condom Accessibility.txt b/data/data_txt1/School Health Services (SHS)/SHS-23 Condom Accessibility.txt new file mode 100644 index 0000000..8b3c8c0 --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-23 Condom Accessibility.txt @@ -0,0 +1,409 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +SHS-23 +Version 01 + + + +CONDOM ACCESSIBILITY +This circular will remain in effect unless rescinded or superseded by a +subsequent version + +BACKGROUND +In June 2017, the School Committee voted to revise the district +Wellness Policy, which includes provisions on sexual health +education and condom accessibility in high schools. The goal of +this policy is to support the sexual and reproductive health of +students and to prevent negative sexual health outcomes and +their impact on student learning. This policy establishes access to +information and resources for students in order to reduce the +spread of HIV and other sexually transmitted infections (STIs) as +well as decrease the number of unintended pregnancies. This +policy increases the access and agency of BPS students to care +for their personal health and well-being. The revised policy states: +Under Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) +adolescents may seek and consent to confidential family +planning services without parental notification. Family Planning +services include testing and treatment for sexually transmitted +infections and HIV, all birth control options, pregnancy testing, +and emergency contraception. + + +Page 2: +Superintendent’s Circular SHS-23 +Page 2 of 10 + + + +BPS High Schools shall provide access to free condoms with +appropriate reproductive health counseling for students. Each +high school (grades 9-12) will have a Condom Accessibility Team +(CAT) which will consist of a minimum of at least three school +staff members. Condoms will be made available through the +CAT at each high school. Condoms will also be accessible at +some schools from school-based health centers and the Boston +Public Health Commission’s (BPHC) Health Resource Centers +(HRCs). Parents and caregivers may exempt their students from +receiving condoms from the BPS CAT by notifying the school +when they complete the family information forms at the +beginning of the school year. This condom opt-out does not +apply to other confidential health services. + +Under this policy, the Office of Health Services, along with the +Office of Health and Wellness, is charged with enacting systems +and practices to ensure that all students have access to key +resources and services that are developmentally appropriate and +support sexual and reproductive health in a safe and supportive +environment. +BPS high schools have three possible venues for the delivery of +sexual health services: 1) through BPS CAT members; 2) school- +based health centers run by BPHC or neighborhood health +centers that provide medical, reproductive, and mental health +services, including STI/pregnancy testing, options counseling, +access to contraceptives/condoms, treatment for STIs, and +comprehensive routine health care; and 3) school-based health +resource centers (HRCs) overseen by the Boston Public Health + + +Page 3: +Superintendent’s Circular SHS-23 +Page 3 of 10 + + + +Commission, which provide individual counseling, condom +access, and STI testing and treatment for gonorrhea and +chlamydia, where available. Annually, all BPS CAT members must +participate in appropriate training related to the condom +accessibility program. +The following chart summarizes the services available and +staffing model for each location. + +Please note: +Under Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) +adolescents may seek and consent to confidential family planning +services without parental notification. Family planning services include +testing and treatment for sexually transmitted infections and HIV, all +birth control options, pregnancy testing, and emergency +contraception. + + + + + +Page 4: +Superintendent’s Circular SHS-23 +Page 4 of 10 + + + + +Location +School-based +Health Centers +Run by BPHC +School-based Health +Centers Run by +Community Health +Centers +Health Resource +Centers * +BPS High School +CAT + + +Services + +A clinical setting +offering routine +health care and +acute care +services, +including mental +health +counseling and +sexual & +reproductive +health care. +A clinical setting +offering routine +health care and +acute care services, +including mental +health counseling +and sexual +reproductive health +care. +Classroom sexual +health +education; 1:1 +education; +condom +availability; + +STI screening, +treatment and +referral, where +available. +Free internal and +external condoms, +oral dams, lubricant, +and educational +materials to +students not opted +out of the program +as these products +are available. + +Confidential sexual +health referrals +made available to +any students in need +of sexual health care. + +*a barrier method +that reduces the risk +of STIs +**lubricants increase +the effectiveness of +condoms, reducing +breakage. + + +Page 5: +Superintendent’s Circular SHS-23 +Page 5 of 10 + + + + + +Staffing +Staffed by: +● +Nurse +Practitioner +● +Mental +Health +Clinician +● +Health +Educator +● +Health +Coordinator +● +Admin +Assistant +Staffed by: +Nurse Practitioners +or Physician +Assistants +A team of two +Health Educators +assigned to 2 +high schools +A minimum of +three* trained school +staff members. + +*Schools are +encouraged to add +more CAT members +to increase access +points within the +school. Each +additional member +must complete CAT +training. It is +important that +students receive +supplies from +trusted, caring +adults. This may +include the school +nurse, health +teachers, trained +teachers of sexual +health, social +workers, school +counselors, family +liaisons, and/or other +staff able to +complete the +training. + + + + + + +Page 6: +Superintendent’s Circular SHS-23 +Page 6 of 10 + + + +IMPLEMENTATION +The implementation of condom accessibility will be directed by +the Office of Health & Wellness (OHW), with support from and +integration with the Office of Health Services at both the central +and individual school levels. + +SCHOOL-BASED IMPLEMENTATION +Each high school serving students in grades 9-12 will have a +Condom Accessibility Team (CAT) which will consist of at least +three school staff members. Schools are encouraged to add +additional interested staff to the CAT. The CAT shall meet at least +biannually to oversee its responsibilities and report back to the +Wellness Council. + + Condom Accessibility Team responsibilities: +● Participate in CAT training organized and led by the Office of +Health and Wellness +● All parents and caregivers will be notified of the policy in the +Guide to the BPS for Students & Families and have the option +to opt their student out of the condom accessibility program +by informing the student’s school. Additional communications +to notify parents and caregivers through the school’s +preferred communication channels is also recommended. + + +Page 7: +Superintendent’s Circular SHS-23 +Page 7 of 10 + + + +● Distribute communication information provided by the Office +of Health and Wellness, such as brochures, posters, stickers, +etc. that outline the Condom Accessibility program +● Post information advertising who the CAT members are so +that students are aware of this program and know who and +where to locate CAT members in the school +● Store condoms in secure, appropriate storage that does not +experience extreme low or high temperatures to preserve +effectiveness +● Ensure that the school wellness council is updated on CAT +functionality in the school +● Advocate for all students to receive the BPS Comprehensive +Sexual Health Education Program +● Provide CAT team member names to the Office of Health and +Wellness annually and add any new team members +throughout the year +● Document referrals and provide tracking as outlined in the +training +● Ensure that student confidentiality is maintained as per +Massachusetts State Law +● Ensure that parental/caregiver opt-out is clearly and +confidently documented in the nurse electronic health record +(SNAP) and communicated to all CAT members and other +appropriate staff, including HRC staff involved in condom +accessibility + + +Page 8: +Superintendent’s Circular SHS-23 +Page 8 of 10 + + + +● Please note: CAT members are required to file a 51a only when +there is reasonable suspicion of physical or emotional harm by +abuse, not based solely on the age of the student. + +DISTRICT-BASED IMPLEMENTATION +Office of Health Services responsibilities: +● Align the condom accessibility process with the overall Health +Services action plan +● In partnership with OHW, monitor referral tracking data +within SNAP and assess district capacity to implement the +condom accessibility program +● Promote and complete CAT training +● Partner with OHW instructional coaches to review +questions/concerns brought forward during the CAT training +● Promote the sexual health services referral resource 211 Help +Steps at https://www.helpsteps.com/#/ +● Coordinate and communicate with adolescent community +sexual health programming, including school-based health +centers + +Office of Health and Wellness responsibilities: +● Include the condom accessibility process in overall wellness +action planning. + + +Page 9: +Superintendent’s Circular SHS-23 +Page 9 of 10 + + + +● Review and approve all reproductive health materials that are +to be distributed in the schools by CAT members, including +materials donated by community partners. All community +organizations interested in donating condoms and other +materials should contact the Office of Health and Wellness +before delivering materials to the schools. +● Oversee ordering and storing of condoms for the district and +distribution to schools. +● Coordinate and communicate with adolescent community +sexual health programming including school-based health +centers and Health Resource Centers. +● Collaborate with the Office of Health Services to provide +training, marketing materials, and implementation tools to +schools and technical assistance. +● Provide updates and promotions for the BPS sexual health +services referral guide (Y2Connect). +● In partnership with Health Services, monitor referral tracking +data, providing all high schools a system for tracking and +reporting, and assess the district capacity to implement the +condom accessibility program. + + + + + +Page 10: +Superintendent’s Circular SHS-23 +Page 10 of 10 + + + + +SUMMARY OF SIGNIFICANT DATES AND DEADLINES +Month +Activity +August +● Parental and Caregiver Opt-out information +included in Family Handbook +● Parents and caregivers who do not want their +student to receive condoms at school should +email or submit in writing their intentions to the +school principal and include the school nurse(s) +in this communication. + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-24 Diapering and Toileting Accidents Policy.txt b/data/data_txt1/School Health Services (SHS)/SHS-24 Diapering and Toileting Accidents Policy.txt new file mode 100644 index 0000000..58dc39f --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-24 Diapering and Toileting Accidents Policy.txt @@ -0,0 +1,198 @@ +Page 1: + + + + Superintendent’s +Circular + NUMBER: +SHS-24 +Version 01 + +DIAPERING AND TOILETING ACCIDENTS POLICY +This circular will remain in effect unless rescinded or superseded by a +subsequent version +BACKGROUND +Toilet training typically occurs between 18 months and 3½ years +of a child’s developmental stage. +Individuals with disabilities may face more significant obstacles +with toilet training than persons without diagnosed disabilities. +This may be partly due to the individual’s challenges with +communication, medicines, social interaction, sensory sensitivity, +or making changes in their routine. +Even for individuals without disabilities, toilet training can +present both the caregiver and child with obstacles to immediate +success, and most children will continue to have toileting +accidents well beyond the time they stop wearing diapers. +POLICY STATEMENT +The Boston Public Schools acknowledges that toileting +procedures should be planned based on individual children’s +needs and be culturally appropriate according to the children’s +families’ needs and beliefs. The Boston Public Schools staff will be +aware of the diverse styles of toileting students due to cultural or +religious practices. Program staff will use a variety of formal and +informal strategies (including conversations) to become + + +Page 2: + + +Superintendent’s Circular SHS-24 +Page 2 of 6 +acquainted with and learn from families about their preferred +child-rearing practices, including toilet training. +The Boston Public Schools will be aware of and accommodate +the need to maintain privacy for toileting and dressing. +Boston Public Schools staff will interact in a positive manner +during toileting procedures and support students in developing +their self-help in this area. +DIAPERING PROCEDURES +Toileting accidents and diaper changing will ONLY be handled by +a classroom teacher, classroom paraprofessional, and/or other +adult designated by the school principal. Parents will not be +required to change diapers and volunteers will not change +diapers and/or assist with toileting at the school site during +school hours. +Each school year, the principal will complete and sign off on a +form that states in writing who is designated to help students +with toileting and changing diapers and who will help children +with toileting accidents (see attached form). +It is not the responsibility of the school nurse to assist with +toileting and diaper changes, except for caring for students who +have an ostomy/colostomy, require urinary catheterization, or +have other genito-urinary diagnosis. + + + + +Page 3: + + +Superintendent’s Circular SHS-24 +Page 3 of 6 +Staff will follow these diapering procedures: +● Staff to assess children for signs that diapers or pull-ups are +wet or contain feces at least every two hours when children +are awake and when children awaken from a rest period. +● Diapers are changed when wet or soiled. +● Children wearing cloth or disposable training pants and +children who have accidents. +● Changing should be initiated within 5 minutes of discovery +that they are wet or soiled unless circumstances clearly +make it unreasonably difficult to do so. +● Staff will change children’s diapers or soiled underwear in +the designated changing areas and not elsewhere in the +facility. +In the changing area, staff post and follow these procedures for +changing diapers or pull-ups: +● At all times, caregivers have a hand on the child to ensure +safety is maintained when the child is being changed on an +elevated surface. +● Bring supplies (e.g., clean diaper, wipes, diaper cream, +gloves, plastic or waterproof bag for soiled clothing, extra +clothes) to the diapering/changing area. +● Diaper cream (provided by the family): if used, dispense it +onto a tissue and/or cotton ball and cover the diaper +changing surface with disposable liner (paper or chuck). +● Put on gloves. + + + + +Page 4: + + +Superintendent’s Circular SHS-24 +Page 4 of 6 +● Changing table, if used: place the child on a diapering +surface and unfasten diaper. Keep one hand on the child at +all times. +● Clean the child with disposable wipes. Always wipe front to +back. +● Keep soiled diapers/clothing away from any surfaces that +cannot be easily cleaned. +● Securely bag soiled clothing. +● Place used wipes in the soiled diaper or pull-up. +● Put the soiled diaper/pull-up into two plastic bags and tie up +the bags. +● Discard the bags with the soiled diaper/pull-up and wipes in +the covered trash can. +● Remove and discard gloves. +● Apply diaper cream, if needed, with a tissue and/or cotton +ball or a freshly gloved finger. +● Put on a fresh diaper or help the child put on a fresh pull-up +or clean clothes. +● Help the child to get dressed. Wash the child’s hands with +soap and water and place them in a safe, supervised area. +● When a diaper changing table is used: +o Remove liner from the changing surface and discard in +the trash can. +o Wipe up any visible soil with damp paper towels or a +baby wipe. +o Clean the entire surface with disinfectant. +o Wash your hands with soap and water. + + +Page 5: + + +Superintendent’s Circular SHS-24 +Page 5 of 6 +RESOURCES +● BPS Department of Early Childhood +● BPS Department of Special Education +● NAEYC Early Learning Program Accreditation Standards + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 6: + + +Superintendent’s Circular SHS-24 +Page 6 of 6 + +Adults Designated to Change Diapers, Assist Students with +Toileting, and/or Assist Children with Toileting Accidents +School: + +School Year: + +Name 1: + +Position: + +Name 2: + +Position: + + +Name 3: + +Position: + +Name 4: + +Position: + + +Principal Signature: + +Date: + + + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-25 Sickle Cell Disease Policy.txt b/data/data_txt1/School Health Services (SHS)/SHS-25 Sickle Cell Disease Policy.txt new file mode 100644 index 0000000..ea2175e --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-25 Sickle Cell Disease Policy.txt @@ -0,0 +1,421 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-25 +Version 01 + + + +SICKLE CELL DISEASE POLICY AND IMPLEMENTATION + +This circular will remain in effect unless rescinded or superseded by a +subsequent version +POLICY BACKGROUND +BPS recognizes that a clear, comprehensive policy on Sickle Cell +Disease (SCD) management in school can have an impact on +academic achievement and support the general wellbeing of +students with SCD. + +POLICY STATEMENT +BPS acknowledges that SCD is a disability that substantially +limits a major life activity, and qualifies students with SCD for a +comprehensive evaluation and consideration of eligibility under +Section 504 of the Rehabilitation Act of 1973 (Section 504) to +determine the services and accommodations they may need to +attain a free appropriate public education. As part of BPS’s +commitment to maintaining an educational environment that is +welcoming, inclusive, and encouraging, such that all students are +able to flourish, all schools must follow established protocols and +procedures for addressing the needs of children with SCD and +regularly evaluate the implementation of these plans. + + + +Page 2: +Superintendent’s Circular SHS-25 +Page 2 of 12 + + + + +BPS acknowledges that the successful implementation of this +policy at the district and school levels relies on fostering and +maintaining a culture of awareness and acceptance regarding +SCD through acknowledging the history of SCD and the unique +challenges students with SCD face. With this in mind, BPS +recognizes that: +● People with SCD have long faced harmful stigmas, many +with racially charged origins. +● People with SCD are often challenged about the seriousness +of their disease or even its existence. +● Students with SCD have long experienced barriers to their +health and success at school. + +IMPLEMENTATION IN BOSTON PUBLIC SCHOOLS +Sickle Cell Disease Basics +SCD refers to a group of genetic blood disorders. It affects +individuals of all races and ethnicities, but in the United States it +is especially prevalent among African Americans and Hispanics. +Complications include but are not limited to severe anemia, +susceptibility to infections, insomnia, jaundice, frequent +urination, dehydration, chronic pain, and episodes of extreme, +debilitating pain. Pain episodes (also known as “crises”) can cause +tissue and organ damage, lead to hospitalizations, and have life- +threatening consequences. People with SCD are also at +heightened risk for anxiety, depression, post-traumatic stress + + +Page 3: +Superintendent’s Circular SHS-25 +Page 3 of 12 + + + + +disorder, social isolation, delayed social development, visible +strokes, and “silent strokes” that may go unnoticed but can affect +learning abilities in the short and long terms. Pain episodes and +other complications may be triggered by a wide variety of +physical and psychological stressors. +As a result of these complications and the side effects of +medications, many children with SCD experience frequent +absences and difficulty focusing or engaging as they usually do +at school, particularly with regard to physical activities. On days +free from harsher symptoms and side effects, many students +with SCD still experience baseline symptoms and health +vulnerabilities that require modifications to standard +participation requirements. +Additionally, the biology and history of SCD create the following +unique challenges: +● SCD pain is often “invisible.” People with SCD learn coping +mechanisms (such as staying still and quiet) that may seem +counterintuitive. SCD pain therefore often goes undetected +by others, leading to challenges about the seriousness or +existence of the pain. +● Symptoms such as jaundice, short stature, and delayed +social development, along with repeated absences, can +make students with SCD targets of bullying and +harassment. +● Medications used to treat people with SCD, such as opioid +pain medications and hydroxyurea (a chemotherapy drug + + +Page 4: +Superintendent’s Circular SHS-25 +Page 4 of 12 + + + + +that can also help some people with SCD), can cause serious +and disruptive side effects and carry stigmas of their own. +● Individuals with SCD have historically been stigmatized in +the community, hospitals, schools, the armed services, and +places of employment. Labeled a “Black disease,” SCD has +historically been associated with claims of racial weakness +and genetic inferiority. + +OVERVIEW – ADDRESSING NEEDS OF BPS STUDENTS WITH SCD +A. +CHILD FIND: Identification, Location, Immediate +Accommodations & Evaluation + +1. Identification and Location +BPS acknowledges that, due to the stigmas noted above, many +parents choose not to identify their child with SCD instead of +seeking supportive services and accommodations for their +children. To overcome this challenge, BPS utilizes multiple +strategies as part of an outreach and public awareness campaign +to raise awareness of SCD and its effects on learning to assure +families that BPS is a willing partner to create a community of +support, collaboration, and understanding around students with +SCD. These strategies include but are not limited to: +● Collaboration with local medical centers that treat +children with SCD and leveraging these to develop +strategies for identification and location (e.g., sharing + + +Page 5: +Superintendent’s Circular SHS-25 +Page 5 of 12 + + + + +outreach materials with clinics, providing “know your +rights” materials for families in clinics that see students +with SCD, meeting with medical providers to develop +additional strategies etc.) +● Ensuring that all communications are available in +multiple languages and/or modes in order to be +accessible to all families +● Ensuring that the outreach and public awareness +campaign includes outreach to preschools, early +intervention providers and community support +providers, who are likely to have students that are or +will enroll in BPS (i.e. located in Greater Boston) +● Additional strategies developed with input from the +SCD Advisory Group + +Specific considerations regarding enrollment: +Upon identifying a child with SCD at enrollment, BPS ensures +proper placement in a school with appropriate health and related +services. Given stigmas related to SCD, BPS gives special +attention to ensuring the privacy of students with SCD. This +includes appropriately limiting the scope of releases parents sign +regarding disclosures of their child’s SCD status. Further, BPS +ensures appropriate efforts are made to initiate and maintain +connections between school health staff and students with SCD, +their parents, and their medical teams upon enrollment of the +student (or upon identification if after enrollment). This includes + + +Page 6: +Superintendent’s Circular SHS-25 +Page 6 of 12 + + + + +providing information to parents and school health staff and +ensuring privacy rights are maintained. + +2. Interim Services/Supports Pursuant to Section 504 +BPS acknowledges that, because SCD is a physical disability that +substantially limits major life activities, students with SCD are +entitled to certain accommodations upon identification and +location to ensure their health, safety, and equal educational +opportunities, pending the completion of a comprehensive +evaluation. All rights and protections pursuant to Section 504, +including procedural safeguards, are ensured upon identifying +and locating students with SCD. BPS ensures that the interim +accommodations implemented pursuant to Section 504 include +the following: +● Two sets of textbooks, one for school and the other for +home +● Unlimited bathroom access as needed +● Unlimited access as needed to the school nurse or +school health official +● Unlimited access as needed to communicate with +parent and/or physician if they are experiencing +symptoms that are unfamiliar or are ones their +physicians told them to contact them about if +experienced + + +Page 7: +Superintendent’s Circular SHS-25 +Page 7 of 12 + + + + +● Unlimited water access as needed through access to a +water bottle and water fountains +● Time/permission to access medication (including +prescribed opioids), as needed +● Permission to wear a coat indoors whenever feeling +cold and to stay indoors or be exempt from outdoor +activities whenever it is too hot, too cold, or when air +quality is poor +● Permission to move away from indoor AC or heating +units +● Consideration for door-to-door transportation, except +in the very limited circumstances where it would be +impractical (e.g., student resides next door or across +the street from the school building they attends) +● Permission to access an elevator, if relevant, and to +leave class early to get to the next one (or alternatively, +extra time between classes) +● Modified participation in gym class, based on student +needs +● Proactive plans to address academic and +social/emotional supports upon return to school from +absences including supplemental instruction provided +by qualified subject-area teachers and service +providers in order to scaffold missed and ongoing +instruction in the classroom and to enable students to +catch up with and stay on pace with classmates + + +Page 8: +Superintendent’s Circular SHS-25 +Page 8 of 12 + + + + +3. Comprehensive Evaluation +BPS ensures that all students with SCD receive a timely, +comprehensive evaluation of all areas of suspected disability to +determine the nature and extent of a student’s need, if any, for +specialized instruction or related aids and services. BPS ensures +that a neuropsychological evaluation is considered as part of a +comprehensive evaluation for any student with SCD. + +B. +FREE APPROPRIATE PUBLIC EDUCATION +To address needs for students with SCD, BPS ensures that—as +part of special education and related services that may be +identified through comprehensive evaluations—any 504 plans +and/or IEPs specifically address challenges students with SCD +face related to health and safety needs, academic needs, social- +emotional needs, resuming school after absences, and +stagnations and/or declines in academic progress or +performance. BPS therefore ensures the utilization of a checklist +of potential accommodations at each Section 504/IEP Team +meeting for a student with SCD. The checklist is considered in +addition to all other appropriate services and supports +determined necessary for an individual student with SCD to +receive a free appropriate public education. BPS ensures that +documentation of each item’s consideration by the 504 or IEP +team is included in meeting minutes and provided to parents. + + + +Page 9: +Superintendent’s Circular SHS-25 +Page 9 of 12 + + + + +BPS ensures that neither Individual Health Plans (IHPs) nor +Individual Collaborative Health Plans (ICHPs) are used in lieu of a +504 Plan, IEP or interim accommodation plan. +Additional points requiring particular attention: +1. Continually Updating Health and Safety Services/Supports +BPS ensures that the 504 Plans and/or IEPs of children with SCD +reflect the up-to-date health and safety needs of the child, +recognizing that these needs may change during the course of +the year. BPS ensures that any new information received +regarding changed needs for a student with SCD will be +addressed in light of the student’s 504 Plan or IEP. + +2. Tracking Effects of Absences and Sudden Changes in +Needs +BPS ensures that, when a child with SCD has had absences and +there has been a lack of expected progress toward annual goals +in an IEP and/or in the general curriculum, discussions are +promptly held regarding how the absences are interfering with +academic progress and how this interference can be overcome, +including consideration of instruction in the summer. BPS also +ensures that sudden drops in academic performance and sudden +increases in social-emotional needs that are experienced by +students with SCD are detected and responded to appropriately. + +3. Designation Director of Constituent Services If and When +Services or Supports Are Not Provided + + +Page 10: +Superintendent’s Circular SHS-25 +Page 10 of 12 + + + + +BPS ensures that students with SCD, their parents, and (with +proper consent/privacy precautions) their medical team have +access to the Boston Public Schools Director of Constituent +Services to escalate concerns they have about a child with SCD +not receiving a free appropriate public education. This process is +separate from and does not preclude due process and grievance +rights available under Section 504 and IDEA. These mechanisms +are necessary given the severity and swiftness of the health, +academic, and social-emotional consequences that can occur for +children with SCD. + +C. +ENSURING APPROPRIATE CULTURE WITHIN BPS +REGARDING SCD +BPS ensures that the culture regarding SCD with BPS includes: +● believing students with SCD when they communicate that +they: are in pain, are having some other complication, or are +unable to perform a certain task due to their symptoms +● not blaming or shaming students with SCD or their parents +for their challenges +● identifying challenges quickly and working collaboratively +to find appropriate solutions +● facilitating awareness that children with SCD are members +of school communities +● facilitating an understanding of what SCD is and its +implications for health and safety + + +Page 11: +Superintendent’s Circular SHS-25 +Page 11 of 12 + + + + +● facilitating an understanding of the services/supports that +students with SCD may need to ensure their health and +safety, as well as an understanding of the importance of +adhering to these accommodations +● facilitating an understanding of the special education and +related services a student with SCD may need to ensure +their access to a free appropriate public education + +1. Awareness and Trainings +As part of ensuring an appropriate culture regarding SCD, BPS +conducts ongoing outreach and public awareness campaigns +that address each aspect of an appropriate culture described +above. BPS also conducts ongoing training for all teachers, +administrators, nurses, and other relevant staff. Training covers all +necessary topics to ensure that all BPS staff coming into contact +with students with SCD have the necessary knowledge and +awareness to properly implement all policies, protocols, and +procedures regarding SCD and to appropriately support the +student with SCD. School nurses receive additional periodic +training in managing the medical needs of students with SCD. + +2. Scope and Frequency of Awareness and Training Activities +BPS ensures that awareness and training efforts are wide enough +in scope to reach all appropriate personnel and repeat with +enough frequency to reach any new or temporary personnel who +may enter over the course of a school year. + + +Page 12: +Superintendent’s Circular SHS-25 +Page 12 of 12 + + + + +D. +DATA MONITORING +BPS conducts sufficient data monitoring to track successes and +failures in the implementation of its policies, protocols, and +procedures regarding SCD. This monitoring includes +documenting instances where students with SCD, their parents, +and/or their medical team had to escalate concerns about health +and safety services/supports being provided or followed and/or a +free appropriate public education being properly provided. The +data produced is regularly reported through summary statistics +without personally identifiable information to the SCD Advisory +Group and publicly via BPS website postings and press releases. + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/School Health Services (SHS)/SHS-26 Administration of Naloxone.txt b/data/data_txt1/School Health Services (SHS)/SHS-26 Administration of Naloxone.txt new file mode 100644 index 0000000..d817f6b --- /dev/null +++ b/data/data_txt1/School Health Services (SHS)/SHS-26 Administration of Naloxone.txt @@ -0,0 +1,297 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SHS-26 +Version 01 + + + +ADMINISTRATION OF NALOXONE +This circular will remain in effect unless rescinded or superseded by a +subsequent version +To recognize and respond to potential life-threatening opioid +overdose as part of the MDPH opioid overdose prevention +program, the Boston Public Schools will maintain a systemwide +plan for addressing a potentially life-threatening opioid overdose +reaction. +Additionally: +• This plan will be supplemented by any building-based +medical emergency response plan. +• The director of Health Services will have the responsibility +for the development and management of the intranasal +Naloxone administration program in the school setting in +accordance with MDPH protocols. +• The school physician will provide oversight to monitor the +program and creation of the standing order for the district, +to be renewed annually. +• Training per MDPH protocols will be provided for all school +nurse responders. +Naloxone is the only Schedule IV controlled substance in +Massachusetts that can be prescribed to someone other than the +ultimate user. The Massachusetts Controlled Substances Act, + + +Page 2: +Superintendent’s Circular SHS-26 +Page 2 of 9 + + + +M.G.L. c.94C,§19(b), authorizes naloxone to be prescribed or +dispensed to a person for use on someone else. It is the policy of +the Boston Public Schools that all schools shall provide and +maintain naloxone on-site in each school facility. To treat a case +of suspected opioid overdose in a school setting, any school +nurse may administer naloxone during an emergency to any +student, staff, or visitor suspected of having an opioid-related +drug overdose, whether or not there is a previous history of +opioid abuse, per 105 CMR 210.000, The Administration of +Prescription Medications in Public and Private Schools. +Because naloxone is treated differently than any other +prescription medication, and because any person can possess +and administer naloxone, pursuant to the standing order, it is the +policy of the Massachusetts Department of Public Health School +Health Unit that individual possession and use of naloxone is not +covered by 105 CMR 210.000. This means that pursuant to M.G.L. +c.94c,§19(g) any staff member of the Boston Public Schools who, +in good faith, attempts to render emergency care by +administering naloxone to a person reasonably believed to be +experiencing an opiate related overdose, shall not be liable from +the attempt to render emergency care and may carry and +administer naloxone on school property and school events, as +permitted within M.G.L. c. 94C, §§ 19(d) and 34A9e). This immunity +does not apply to acts or omissions constituting gross +negligence. +BACKGROUND +Recognizing that fatal and non-fatal overdoses from opioids play +an increasing role in the mortality and morbidity of +Massachusetts residents, the Massachusetts Department of + + +Page 3: +Superintendent’s Circular SHS-26 +Page 3 of 9 + + + +Public Health launched the Overdose Education and Naloxone +Distribution (OEND) prevention program using intranasal +Naloxone in an attempt to reverse this trend. Naloxone is an +opioid antagonist which means it displaces the opioid from +receptors in the brain. An overdose occurs because the opioid is +on the same receptor site in the brain that is responsible for +breathing. Rapid administration of naloxone may be lifesaving in +patients with an overdose due to opioids. Naloxone usually acts +dramatically, allowing slowed or absent breathing to resume. It is +both safe and effective and has no potential for abuse. Naloxone +has been used by paramedics in ambulances and by emergency +room clinicians for decades. +SIGNS AND SYMPTOMS OF OPIOID OVERDOSE +School nurses may administer naloxone to a patient (student, +staff member or visitor) in the event of respiratory depression, +unresponsiveness, or respiratory arrest, when an opioid overdose +is suspected. +The following are signs of an opioid overdose: +• Blue skin tinge-usually lips and fingertips show first. +• Body is very limp. +• Face is very pale. +• Pulse is slow, erratic, or not present. +• Vomiting. +• Choking sounds, gurgling, snoring/gasping noise. +• Breathing is very slow, irregular or has stopped. +• Unresponsive. + + +Page 4: +Superintendent’s Circular SHS-26 +Page 4 of 9 + + + +ROLE OF SCHOOL HEALTH SERVICES +• Develops policy for administration of naloxone and presents +to BPS School Committee for approval; reviews policy +annually. +• Provides annual education and training for school nurses by +approved MDPH organizations. +• Secures and distributes naloxone kits to each school/school +nurse. +• Determines proper disposal of used +/or expired naloxone. +ROLE OF SCHOOL LEADER +• Supports and facilitates access to school nurse training on +administration of naloxone. +• Supports substance abuse prevention education as part of a +comprehensive health education program. +• The school leader and staff should be alert to those +symptoms in students which may indicate problems with +substance abuse so that they may initiate assistance to +students in need of early intervention. +ROLE OF SCHOOL NURSE +• Participates in a training program offered by Health +Services. +• Provides safe storage and easy access to naloxone. +• Is alert to symptoms in students which may indicate +problems with substance abuse in order to initiate +assistance to students in need of early intervention. + + +Page 5: +Superintendent’s Circular SHS-26 +Page 5 of 9 + + + +• Refers the student to the Student Support Team if the +student is struggling with substance use. +• Administers naloxone following the procedure as listed +below in the event of respiratory depression, +unresponsiveness, or respiratory arrest, when an opioid +overdose is suspected and activate EMS. +PROCEDURE: +1. Activate EMS via Medical Emergency Response Plan. The +nurse or designee must call 911 in all potential overdose +situations. +2. Assessment: ABC’s: Airway, Breathing, Circulation. When +an individual is suspected of an opioid overdose, the nurse +will conduct an initial assessment of the level of +consciousness and respiratory status. +a. For individuals with no pulse: initiate CPR per BLS +guidelines. +b. For individuals with a pulse but who are not breathing: +establish an airway and perform rescue breathing +using a face mask or shield. +c. Check for: foreign body in airway, level of +consciousness or unresponsiveness, very low +respiratory rate or not breathing, no response to sternal +rub, respiratory status, gasping for air while asleep or +odd snoring pattern, pale or bluish skin, slow heart rate, +low blood pressure. Pinpoint pupils and track marks +may be present, although absence of these findings +does not exclude opioid overdose. + + +Page 6: +Superintendent’s Circular SHS-26 +Page 6 of 9 + + + +d. For individuals who have a pulse and are breathing: +assess if there is depression of the respiratory status as +evidenced by: +i. a very low respiration rate. +ii. interpretation of pulse oximetry measurement, if +immediately available. +e. Assess for decrease in level of consciousness as +evidenced by: +i. difficult to arouse (responds to physical stimuli +but does not communicate or follow commands; +may move spontaneously) or +ii. unable to arouse (minimal or no response to +noxious stimuli, does not communicate or follow +commands). +f. Nurse determines need for naloxone administration. +3. Administration: Intranasal administration of naloxone +a. Assess person for contraindications or precaution, per +available information. +b. How to use naloxone nasal spray: +i. Follow manufacturer’s instructions for proper +administration. +ii. Step 1. Lay the person on their back to receive a +dose of naloxone nasal spray. +iii. Step 2. Remove naloxone nasal spray from the +box. Peel back the tab with the circle to open the +naloxone nasal spray. +iv. Step 3. Hold the naloxone nasal spray with your + + +Page 7: +Superintendent’s Circular SHS-26 +Page 7 of 9 + + + +thumb on the bottom of the red plunger and your +first and middle fingers on either side of the +nozzle. +v. Step 4. Tilt the person’s head back and provide +support under the neck with your hand. Gently +insert the tip of the nozzle into one nostril until +your fingers on either side of the nozzle are +against the bottom of the person’s nose. +vi. Step 5. Press the red plunger firmly to give the +dose of naloxone nasal spray. +vii. Step 6. Remove the naloxone nasal spray from the +nostril after giving the dose. +viii. If the person does not respond in 3 mins, repeat +the steps and give the second dose of naloxone +nasal spray in a box. +ix. Monitor until EMS arrives. +x. Place the victim in the recovery position and stay +with the victim. +4. Monitor the individual: Naloxone blocks the opioid from +acting so it can cause withdrawal symptoms with opioid +tolerance. +a. Remain with the victim until emergency support +arrives; The victim may breathe but not have full +arousal OR They may require continued rescue +breathing and support. +Following the incident, debrief with the school team and health +services. + + +Page 8: +Superintendent’s Circular SHS-26 +Page 8 of 9 + + + +Documentation: +1. Record the encounter in SNAP. +2. Complete an Incident report. +3. Complete a “911” report. +4. Include the individual’s presentation, route of +administration of naloxone, and dose administered. Also +include the individual’s response to the naloxone +administration. +Storage: Store at 59° to 86°, away from direct sunlight +Disposal: Empty, administered naloxone nasal spray should +be returned to the original packaging and disposed of in a +waste receptacle. +REFERENCES +• BPS SHS-01 Drug and Alcohol Abuse – Update On +Procedures +• BPS SHS-08 Medication Administration +• NASN Naloxone Toolkit for School Nurses +• MDPH Bureau of Substance Addiction Services + + + + + +Page 9: +Superintendent’s Circular SHS-26 +Page 9 of 9 + + + +For more information about this circular, contact: +Owner: +Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: +443 Warren Street Suite 2, Dorchester, MA +02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Special Education (SPE)/SPE-14 Counseling Guidelines .txt b/data/data_txt1/Special Education (SPE)/SPE-14 Counseling Guidelines .txt new file mode 100644 index 0000000..8ba6993 --- /dev/null +++ b/data/data_txt1/Special Education (SPE)/SPE-14 Counseling Guidelines .txt @@ -0,0 +1,302 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +SPE-14 +Version 01 + + + +NON-IEP COUNSELING GUIDELINES +This circular will remain in effect unless rescinded or superseded by a +subsequent version +INTRODUCTION +Counseling services are provided to Boston Public School +students in myriad formats and modalities. Students with and +without disabilities may receive counseling services within +Boston Public Schools. Students with disabilities may have IEPs +that contain counseling as a related service mandating the +frequency and duration of counseling. Non-disabled students +without IEPs may be participating in counseling sessions +formulated as a result of a recommendation of the Student +Support Team in collaboration with staff from the Behavioral +Health Services department. As a result of partnerships with +external agencies, counseling also may be provided to BPS +students by mental health providers who are not BPS employees. +With this document, the Boston Public Schools seeks to ensure a +standard level of practice for the provision of counseling services +so that consistent practices may be implemented in assisting +students to overcome school-based issues which may be +hindering their achievement. +All mental health providers must conform with the Standards for +School-based Mental Health Services developed in partnership +between BPS and members of the Boston School-Based + + +Page 2: +Superintendent’s Circular SPE-14 +Page 2 of 9 + + + +Behavioral Health Collaborative. These standards can be +obtained on the Boston Public Schools website at +https://www.bostonpublicschools.org/domain/2443. +BACKGROUND +The American Psychological Association has defined counseling +as a process to help individuals towards overcoming obstacles to +their personal growth, wherever these may be encountered and +towards achieving development of their personal growth. +Massachusetts Department of Mental Health states further that +mental health counselors render professional services to +individuals, families, or groups. They apply principles, methods, +and theories of counseling and psychotherapeutic techniques to +define goals and develop a treatment plan of action aimed +towards the prevention, treatment, and resolution of mental and +emotional dysfunction. +The American Counseling Association states that “counselors +encourage client growth and development in ways that foster +the client’s interest and welfare; counselors avoid fostering +dependent counseling relationships. The ACA states further that +“counselors practice in specialty areas new to them only after +appropriate education, training, and supervised experience. +While developing new skills in specialty areas, counselors take +steps to ensure the competence of their work and to protect +others from possible harm.” +Boston Public Schools Counseling Work +In addition to these standard definitions and professional ethics +of practice, all BPS and non-BPS providers should understand + + +Page 3: +Superintendent’s Circular SPE-14 +Page 3 of 9 + + + +and demonstrate that their counseling work should support +teaching and learning goals and effective teaching practices. +Ultimately, the goal of counseling is to support success within the +classroom. +PRIOR TO COUNSELING +1. The Student Support Team serves as the hub of student +services within the school. The Student Support Team +facilitator should have knowledge of the referral for +counseling, and the recommendation for counseling should +emerge from the Student Support Team. When necessary, +counseling referrals can also be made outside of the SST +process. +2. The direct service provider designated to be the counseling +provider should be clear about (1) the scope of the work +requested in counseling, (2) the reason for the referral, and +(3) the expected outcome in counseling. If unclear regarding +the reason for counseling, a meeting should be scheduled +between the counselor provider and the referring agent to +discuss these concerns. +3. The direct service provider should counsel students +regarding behaviors that impact teaching and learning, +academic achievement, and daily school functioning. +4. Specific issues that are trauma related, i.e., physical and/or +sexual abuse (onset being past or present), death and dying, +and behaviors that may need psychiatric intervention and +may necessitate a 51A Report, should be brought to the +attention of the principal/head of school or the designated +administrator and the direct service provider’s supervisor. +These issues should be referred to the appropriate + + +Page 4: +Superintendent’s Circular SPE-14 +Page 4 of 9 + + + +community counseling agency/mental health facility. +5. Written consent must be obtained from the student, parent, +or legal guardian before beginning counseling (see attached +consent form). If a student is receiving counseling through +an outside provider, but in a BPS building, parent/guardian +should also sign the agency specific consent form. +6. The direct service provider must outline goals and objectives +for the individual student (see attached form). Furthermore, +it is recommended that the direct service provider +formulate the goals and objectives with input from the +parent/legal guardian. +7. Parents/legal guardians should be informed that pertinent +information regarding specific students may be discussed at +the Student Support Team meetings. All ethical professional +standards of confidentiality will be maintained regarding +the specific nature of the counseling sessions(s). +8. All direct service providers should maintain professional, +proper, safe, and appropriate safeguards for the student(s) +and themselves. +COUNSELING PRACTICE +All direct service providers who are counseling students should: +● Have a consistent counseling schedule which is +documented and provided to their principal/head of school, +supervisor, and the needed personnel in the individual +schools (i.e., teacher, OSS coordinator, Student Support +coordinator, guidance counselor, and other school +administrators). + + + +Page 5: +Superintendent’s Circular SPE-14 +Page 5 of 9 + + + +● Meet in rooms that provide appropriate space and levels of +confidentiality. +● Guarantee a measure of safety and protection for the +student and provider, including consideration of the +distance between a counselor and student and leaving the +door ajar at all times. +● Not engage in any physical contact with the student(s) due +to the possible risk of psychological harm to the student as a +result of the physical contact (i.e., cradling, “touch therapy,” +caressing, massaging, and petting). This requirement of no +physical contact is due to the possibility of psychological +and/or physical harm to the student as a result of such +contact. +● Document each session held and keep progress notes on +each student. Provisions should be made for sharing themes +of concern and critical information with the parent/legal +guardian. +● Share specific information that relates to the student’s +academic progress with appropriate staff. +● Respond to inquiries from the principal/head of school +regarding the student’s progress in counseling. +TERMINATING COUNSELING SERVICES +When counseling goals and objectives have been reached and/or +there have been several documented absences and/or instances +of resistance by the student, as well as several documented +attempts to provide counseling services, termination of +counseling services may be appropriate. The direct service +provider should: + + +Page 6: +Superintendent’s Circular SPE-14 +Page 6 of 9 + + + +1. Notify the student’s parent or legal guardian. +2. Notify (in writing) appropriate school personnel +(principal/head of school, Student Support coordinator, OSS +coordinator, supervisor, teacher, or other school +administrator). +3. Summarize progress and recommendation and follow-up as +needed (this could be facilitated during the Student Support +Team meeting, discussions within small learning +communities, common planning time, and/or teacher +parent conferences). +SUMMARY +Direct service providers, both BPS and non-BPS staff, are an +integral component of helping students reach their fullest +academic achievement. Lack of knowledge or misunderstanding +of ethical and professional practice standards are not a defense +against charges of unethical and/or inappropriate practice +conduct. It is important that these practice standards are +maintained and adhered to for the safety of students and the +direct service provider. These practice standards ensure a safe, +protected, and ethical delivery of service for both students and +the staff members who serve them. If it is determined that these +guidelines have not been followed and/or that inappropriate, +unethical and/or unprofessional conduct has occurred, Boston +Public Schools will take any such action as is appropriate under +the circumstances. Such action may range from discipline to +termination from employment or termination of any contract +with Boston Public Schools as BPS deems appropriate under the +circumstances. + + +Page 7: +Superintendent’s Circular SPE-14 +Page 7 of 9 + + + + +For more information about this circular, contact: +Name: +Director of Social Work +Department: +Social Work +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: + 617-635-8294 +Email: +socialwork@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 8: +Superintendent’s Circular SPE-14 +Page 8 of 9 + + + +CONSENT FOR SCHOOL-BASED NON-IEP +COUNSELING SERVICES +I, _________________________________________________________________ +(Print Name of Parent/Legal Guardian) +have been provided with the reason (s) my child, +__________________________________________________________________ +(Print Child’s Name) +has been recommended for school-based counseling services. +The reason (s) for the recommended school-based counseling +services are: + + + +I give consent for __________________________________________ +(school name) to refer my child for the following school-based +counseling services (check all that are applied). I understand that +these services may be provided by a community mental health +agency in partnership with the school. +□ Individual Counseling +□ Group Counseling + +BPS Staff Member: _______________________________________________ +(Insert staff name) +Outside Agency staff: +__________________________________________________________________ + +(Insert staff name) + + +Page 9: +Superintendent’s Circular SPE-14 +Page 9 of 9 + + + +I also give consent for the school to release my child’s student +record, health, and other confidential information to the school- +based counseling service provider and for my child to participate +in these school-based counseling services. +I understand that my participation in my child’s school-based +counseling services will be appreciated and strongly encouraged. +I have read this Consent for School-Based Counseling Services +and understand its terms. I sign it voluntarily and with full +knowledge of its significance. + +___________________________________________ __________________ +Parent/Legal Guardian Signature Date + + + + + + + + diff --git a/data/data_txt1/Special Education (SPE)/SPE-20 SPED Screening for 3 and 4 Year Olds.txt b/data/data_txt1/Special Education (SPE)/SPE-20 SPED Screening for 3 and 4 Year Olds.txt new file mode 100644 index 0000000..daa77ec --- /dev/null +++ b/data/data_txt1/Special Education (SPE)/SPE-20 SPED Screening for 3 and 4 Year Olds.txt @@ -0,0 +1,93 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SPE-20 +Version 01 + + +SPECIAL EDUCATION SCREENING PROGRAM FOR +THREE- AND FOUR-YEAR-OLD CHILDREN +This circular will remain in effect unless rescinded or superseded by a +subsequent version +Massachusetts state law mandates that each school system in the +state locate, identify, and provide special educational services for +children ages three and four who may either have a substantial +disability or possibly experience challenges in a regular preschool or +kindergarten program. +The Boston Public Schools will continue its ongoing screening +program for three- and four-year-olds who are not attending a +BPS school, to take place on the following dates: +SCREENING DATES: +● +Thursday, October 17, 2024 @ CASH High School Annex, Dorchester +● +Wednesday, December 4, 2024 @ Mario Umana Academy, E Boston +● +Thursday, March 6, 2025 @ CASH High School Annex, Dorchester +● +Wednesday, March 26, 2025 Mario Umana Academy, East Boston +● +Thursday, April 17, 2025 @ CASH High School Annex, Dorchester + + +This screening is available to any child, ages three and four, who +resides in the City of Boston. The screening program, coordinated + + +Page 2: +Superintendent’s Circular SPE-20 +Page 2 of 3 + +by the Office of Special Education, includes screening in the areas +of readiness skills and language. A parent interview is conducted +as well. +Notices will be available in the language of the home, when +indicated as necessary by the family. Efforts will be made to +disseminate notices at community centers, day care centers, and +community preschools. +Summary of significant dates and deadlines: +Date +Location +Thursday, October 17, 2024 +CASH High School Annex, Dorchester +Wednesday, December 4, 2024 Mario Umana Academy, East Boston +Thursday, March 6, 2025 +CASH High School Annex, Dorchester +Wednesday, March 26, 2025 +Mario Umana Academy, East Boston +Thursday, April 17, 2025 +CASH High School Annex, Dorchester + + + + +Page 3: +Superintendent’s Circular SPE-20 +Page 3 of 3 + +For more information about this circular, contact: +Owner: +Assistant Director for Early Childhood +Department: +Office of Special Education +Mailing Address: +2300 Washington Street 5th Floor, Roxbury, +MA 02119 +Phone: +617-635-8599 +Fax: +617-635-6834 +Email: +all-acad-division@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + + + + diff --git a/data/data_txt1/Student Support Services (SSS)/SSS-02 Homeless Students.txt b/data/data_txt1/Student Support Services (SSS)/SSS-02 Homeless Students.txt new file mode 100644 index 0000000..000155d --- /dev/null +++ b/data/data_txt1/Student Support Services (SSS)/SSS-02 Homeless Students.txt @@ -0,0 +1,310 @@ +Page 1: + + + Superintendent’s +Circular + NUMBER: +SSS-02 +Version 01 + +HOMELESS STUDENTS — GUIDELINES AND +PROCEDURES +This circular will remain in effect unless rescinded or +superseded by a subsequent version +INTRODUCTION +The McKinney-Vento Homeless Assistance Act, reauthorized in +December 2015 through the federal Every Student Succeeds Act +(ESSA), ensures educational rights and protection for children +and youth experiencing homelessness. +DEFINITION OF HOMELESSNESS +The federal government defines a child or youth who is homeless +as one who lacks a fixed regular and adequate residence or has a +primary nighttime residence not designed for or ordinarily used +as a regular sleeping accommodation for human beings. +(McKinney-Vento Homeless Assistance Act, Section 103 (A) (1) (2)). +Under the federal definition, the following children are +considered homeless: +• Children and youth who are sharing the housing of other +persons due to loss of housing, economic hardship, or a +similar reason; are living in motels, hotels, trailer parks, or +camping grounds due to lack of alternative adequate + + +Page 2: +Superintendent’s Circular SSS-02 +Page 2 of 10 + +accommodations; are living in emergency or transitional +shelters; are abandoned in hospital; or are awaiting foster +care placement. +• Children and youth who have a primary nighttime residence +that is a public or private place not designed for or ordinarily +used as a regular sleeping accommodation for human +beings. +• Children and youth who are living in cars, parks, public +spaces, abandoned buildings, substandard housing, bus or +train stations, or similar settings. +• Unaccompanied youth – youth not in the physical custody +of a parent or guardian. +Boston Public Schools (BPS) is responsible for ensuring the +identification, enrollment, attendance, and academic success of +students who are homeless. All personnel should be aware of the +unique needs of children, adolescents, and families who are +homeless. This growing population may be at risk due to the +transitional nature and status of their lives. For children and +adolescents, school may represent stability and consistency in +what otherwise is often an unstable situation. We are committed +to supporting our students who are experiencing homelessness +and strive to keep students in their home schools. +STATEMENT OF PURPOSE AND SCOPE +This circular is intended to provide school staff with guidance +regarding the rights of students who are homeless and provide +them with the education services needed to ensure they have an +equal opportunity to meet the same academic standards to +which all students are held. There are, however, some procedures + + +Page 3: +Superintendent’s Circular SSS-02 +Page 3 of 10 + +that may differ from the standard procedures. These may include +choice of school, registration, transportation, record transfer, and +confidentiality. +SCHOOL SELECTION +A student who is experiencing homelessness has the right to +continue attending the school of origin (i.e., the school they were +attending when permanently housed or the school in which they +were last enrolled) or a school within the new community where +they are temporarily housed. This right is guaranteed under the +McKinney-Vento Homeless Assistance Act. +SCHOOL ASSIGNMENT AND TRANSPORTATION +If a student who is attending the Boston Public Schools becomes +homeless and needs transportation, the family should visit one of +the BPS Welcome Centers: +https://www.bostonpublicschools.org/welcomecenters +Families requesting reassignment should also visit any of the +Welcome Centers at various locations: +• Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040 +• Dorchester: 1216 Dorchester Ave. Dorchester, 617-635-8015 +• Roxbury: 2300 Washington St., Roxbury, 617-635-9010 +• East Boston: 312 Border Street, Boston, MA 02128, +617-635-9597 +Families who are experiencing homelessness and move into +Boston have the right to enroll their children in the Boston Public +Schools. They should go to any Welcome Center Site to register. +An individual may be considered to be homeless if that person is +“doubled-up,” a term that refers to a situation where individuals + + +Page 4: +Superintendent’s Circular SSS-02 +Page 4 of 10 + +are unable to maintain their housing situation and are forced to +stay with a series of friends and/or extended family members. +Students who become homeless and move to a shelter or other +facilities outside the school district may continue to attend their +school of origin. Transportation will be available if they reside +within an hour of their school. Please contact the Homeless +Education Resource Network (HERN) or 617-6359620 to discuss +any difficulty that a child temporarily without a home may be +experiencing. +DISPUTE RESOLUTION +If a dispute arises over enrollment and/or transportation, the local +school district must immediately enroll the homeless student in +the school in which enrollment is sought pending resolution of +the dispute, and must provide the parent, guardian, or +unaccompanied youth with both a written statement of the +school placement decision and a notice of the right to appeal the +decision. The school district must refer the unaccompanied +youth, parent, or guardian to the homeless education liaison, who +will expeditiously carry out the dispute resolution process. The +final decision in such a situation resides with the Massachusetts +commissioner of education. +Reimbursement is available at the City of Boston mileage rate for +parents who are sheltered outside of Boston and transport their +children back to the school district. +ATTENDANCE WAIVERS +Students experiencing homelessness may have absences +excused and will be assessed on a case-by-case basis. + + +Page 5: +Superintendent’s Circular SSS-02 +Page 5 of 10 + +An absence may be excused for the following reasons: +• Students who are homeless in or out of district and are +awaiting transportation. +• Students who are tardy due to placement issues. +Please contact Assistant Director, Opportunity Youth, for further +information (Operations-Department- +Heads@bostonpublicschools.org) +SCHOOL ENROLLMENT AND RECORD TRANSFER +Principals and heads of school should follow all current +procedures for the transfer of academic and health records for +students who are experiencing homelessness. Although not +mandated, it is helpful if students who are temporarily without +homes provide the following documentation at the time of +registration: +• Birth certificate +• Immunization and medical records +• Special Education Individual Educational Plan (IEP) +SERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT +LIVING IN SHELTERS +Students not living in shelters and are “doubled-up” and identify +themselves as being homeless will have access to all services as +outlined in this memorandum. +A. Curriculum on Homeless Issues/Professional Development +It is important to teach all staff and students about homelessness +and its causes and conditions to ensure all students understand +that homelessness is caused by lack of affordable housing and + + +Page 6: +Superintendent’s Circular SSS-02 +Page 6 of 10 + +not the fault of a child temporarily without a home or their +parent. The BPS Homeless Education Resource Network (HERN), +as well as the Massachusetts Department of Elementary and +Secondary Education, have several videos on homelessness +available as well as expertise in workshop and curriculum +planning. In addition, training and seminars on homelessness are +available through HERN and are free to Boston Public Schools +faculty and staff. To arrange for these at your school or to enroll in +an upcoming professional development opportunity, contact +Assistant Director, Opportunity Youth Operations-Department- +Heads@bostonpublicschools.org +Identification of a School-based Homeless Liaison +Each school in the district must identify one staff member +to serve as the main contact point for homeless services if +one does not already exist (e.g., the school-based homeless +liaison) to work in concert with HERN to connect the school +and students and families experiencing homelessness, or at +risk of homelessness, to city and state resources. The school- +based homeless liaison works collaboratively with HERN to +ensure that students experiencing homelessness have the +necessary individualized resources and support to learn. +HERN provides multiple opportunities for school-based +homeless liaisons to receive targeted professional +development throughout the school year. School-based +homeless liaisons serve an essential role in ensuring that all +staff and students in their school understand the available +services and process to request assistance. +By October 1, school leaders should submit the name, contact +information and title of their designated school-based homeless + + +Page 7: +Superintendent’s Circular SSS-02 +Page 7 of 10 + +liaison to the Senior Director of Opportunity Youth Operations- +Department-Heads@bostonpublicschools.org +Identification and Referrals of Students Experiencing +Homelessness +Students and families experiencing homelessness or at risk +of homelessness may request assistance using the HERN +referral form, which is available electronically on the ASPEN +Student Information System (SIS). A student or family +member may request that any BPS staff member with +ASPEN access submit a referral form on their behalf. This +process increases access to assistance by allowing the +referral to be submitted by a BPS staff member with whom +the student or family member has a trusting relationship. +This process will also increase the identification of students +experiencing homelessness by making it easier for students +and family members to make the request at the school level. +School-based homeless liaisons are expected to inform all +staff members in their school of the availability of the form +on ASPEN and their role in being able to submit a referral on +the student’s behalf. Once the form is submitted, HERN will +proceed with its normal process of verifying the information. +Once information has been verified and the student’s +service needs have been identified, HERN will contact the +designated school-based liaison to work collaboratively to +institute a service plan for the student and/or family. The +hard copy version of the HERN referral form will still be +accepted and can be submitted directly to the HERN office +or any of the three BPS Welcome Centers. + + +Page 8: +Superintendent’s Circular SSS-02 +Page 8 of 10 + +CONFIDENTIALITY +For many reasons, homeless families may not want to reveal that +their living status has changed. While most shelters encourage +parents to notify the schools of a change in residence, they +cannot mandate it, since state and federal laws which regulate +confidentiality are very restrictive. Children who are temporarily +without homes present many of the same characteristics as +other at-risk children. Therefore, the best practice is to +strengthen the communications between all parents and school +personnel so that procedures are in place to reach out to families +and students who are in transition or educationally at-risk. This +means, at a minimum, schools should communicate frequently +with parents and stress the necessity of updating the student’s +emergency information. +Schools, and school-based homeless liaisons in particular, are +encouraged to maintain up-to-date records of students +experiencing homelessness in the ASPEN SIS and communicate +with HERN regularly to ensure adequate assistance and provision +of services to students and families experiencing homelessness. +In serving students who are homeless, please be mindful of the +following: +• Many students and parents who are temporarily without +homes prefer to keep their current living situations private. +• Students and their families may feel threatened and/or +embarrassed if approached by school staff. Thus, to respect +their privacy and confidentiality, school staff should not +approach students or their families directly to discuss their +temporary lack of permanent residence. Rather, students + + +Page 9: +Superintendent’s Circular SSS-02 +Page 9 of 10 + +and families should be given the opportunity to raise the +issue themselves if they so choose. +• It may not be necessary for staff members to know that a +student is homeless. Thus, school staff should be told this +information on an as needed basis only. +In the event of an emergency, or when services and information +are lacking for a child believed to be homeless, contact Assistant +Director, Opportunity Youth at 617-6359620 or Operations- +Department-Heads@bostonpublicschools.org +Senior Director of Health Services, 617-635-6788, should be +notified if families do not present current immunization records +at the time of registration. +Home and Hospital Instruction provides services for students +who are homeless and are impaired physically and/or mentally. +For additional information, contact Home and Hospital program +coordinator, 617-635-6633. + + + + +Page 10: +Superintendent’s Circular SSS-02 +Page 10 of 10 + +For more information about this circular, contact: +Owner: +Senior Director +Department: +Department of Opportunity Youth +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-9620 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Student Support Services (SSS)/SSS-07 Persistently Dangerous Schools Standards for Determination.txt b/data/data_txt1/Student Support Services (SSS)/SSS-07 Persistently Dangerous Schools Standards for Determination.txt new file mode 100644 index 0000000..d91e711 --- /dev/null +++ b/data/data_txt1/Student Support Services (SSS)/SSS-07 Persistently Dangerous Schools Standards for Determination.txt @@ -0,0 +1,196 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-07 +Version 01 + + + + +“PERSISTENTLY DANGEROUS” SCHOOLS – +STANDARDS FOR DETERMINATION +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +BACKGROUND +Section 9532 of the Elementary and Secondary Education Act +(ESEA), as amended by the Every Student Succeeds Act of 2015 +(ESSA) states: +Each State receiving funds under this chapter shall establish +and implement a statewide policy requiring that a student +attending a persistently dangerous public elementary +school or secondary school, as determined by the State in +consultation with a representative sample of local +educational agencies, or who becomes a victim of a violent +criminal offense, as determined by State law, while in or on +the grounds of a public elementary school or secondary +school that the student attends, be allowed to attend a safe +public elementary school or secondary school within the +local educational agency, including a public charter school. +20 U.S.C. § 7912. + + + +Page 2: +Superintendent’s Circular SSS-07 +Page 2 of 6 + + +STANDARDS +The Massachusetts Department of Elementary and Secondary +Education, at a meeting of the State Board of Education on +March 25, 2003, established the standards to determine an +“unsafe” or “persistently dangerous” school. A school may be +deemed unsafe either as a whole entity or for an individual +student who becomes a victim of a violent criminal offense. +These standards were implemented as of July 1, 2003. Following +are the standards for (1) individual students and (2) the whole +school determination. + +INDIVIDUAL STUDENT OPTION +Beginning in the 2003/2004 school year, any student who during +school hours becomes a victim of a “violent criminal offense” (as +defined by Massachusetts General Laws Chapter 140, Section 121) +which takes place in or on the grounds of a public elementary or +secondary school that the student attends must be allowed, to +the extent feasible, to transfer immediately to another public +school within the school district. For purposes of this policy, “in or +on the grounds” of the school includes school premises, school +buses, and attendance at school sponsored or school related +events including athletic games and field trips. + + + + +Page 3: +Superintendent’s Circular SSS-07 +Page 3 of 6 + + + +WHOLE SCHOOL OPTION +To be designated as “persistently dangerous,” a school must +meet either of the following criteria for three consecutive years +beginning with the most recent enrollment data available to the +Department, as well as the prior two years: + +• One or more students have been expelled for violation of +the Federal Gun-Free Schools Act, v.z. Section 7.3.1. of the +BPS Code of Discipline (October 2006 ed), or; + +• The number of students who have been expelled from +school for a period greater than 45 days under Mass. +General Laws Chapter 71, Section 37H for weapons or +physical assaults or for violent crimes as defined by Mass. +General Laws Chapter 140, Section 121 exceeds 1.5% of the +student enrollment. The rate will be based on each +individual school’s enrollment data submitted to the +Department (i.e., October Report). + +Students who qualify for a safety transfer under either of the +aforementioned options will be transferred through the safety +transfer process (Superintendent’s Circular AMT-07, Safety +Transfer Request Procedures). Documentation of a “violent +criminal offense” must be attached to the safety transfer request +form in the case of a single student option request. It is +anticipated that the Department of Elementary and Secondary +Education (DESE) will designate schools as “persistently +dangerous” based on the aforementioned criteria prior to the + + +Page 4: +Superintendent’s Circular SSS-07 +Page 4 of 6 + + +start of school each year. Such a designation will be forwarded +directly to the superintendent by the Massachusetts Department +of Elementary and Secondary Education. + +REMEDIAL ACTION +For any school that meets either standard for a “persistently +dangerous “ school designation for two consecutive years, +DESE will request that the school and district evaluate their needs +and adopt or revise a corrective action plan to ensure a safe school +environment for all students and staff. The school and district shall +maintain the corrective action plan as a public record. To the +extent feasible, DESE will provide technical assistance to the +school and district. + +For any school that meets either standard for a “persistently +dangerous “ school designation for three consecutive years, +DESE will designate the school as “persistently dangerous.” +Parents may then exercise their right to have their child attend a +safe public elementary or secondary school within the local +educational agency (school district). The school will be required to +submit a corrective action plan to DESE. To the extent feasible, +DESE will collaborate with other state and local agencies to +provide support and technical assistance to the school and +district. +If DESE notifies a school or district that the school is or may be +designated as “persistently dangerous,” school officials will have +ten working days to present information to DESE that may have a +bearing on the designation. The local officials’ response may + + +Page 5: +Superintendent’s Circular SSS-07 +Page 5 of 6 + + +include any or all of the following: + +1. Clarification of the disciplinary incident data submitted +2. The school’s safety plan +3. Local efforts to address the school’s safety concerns +4. The school safety data reported to the state consistent with +requirements of ESEA, Title IVA +5. Safe and Drug-Free Schools and Communities Act, section +4112 (c) (3) +6. More current data that the school may have available +7. Any extenuating circumstances +8. Any other information the school officials believe may be +relevant + +The Massachusetts Department of Elementary and Secondary +Education will review the information provided by the school +officials before making a final determination. +It is important to note that failure to transfer a student in a timely +manner as required by the law and the Massachusetts +Department of Elementary and Secondary Education could result +in the loss of federal funds. + + + + + + + +Page 6: +Superintendent’s Circular SSS-07 +Page 6 of 6 + + + +For more information about this circular, contact: +Owner: +Deputy Superintendent of Operations +Department: +Deputy Superintendent of Operations +Mailing +Address: +2300 Washington Street, Boston, MA 02119 +Phone: +617-635-9643 +E-mail: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + diff --git a/data/data_txt1/Student Support Services (SSS)/SSS-09 Employment Permit Applictions and Issuance of Work Permits.txt b/data/data_txt1/Student Support Services (SSS)/SSS-09 Employment Permit Applictions and Issuance of Work Permits.txt new file mode 100644 index 0000000..9961a6e --- /dev/null +++ b/data/data_txt1/Student Support Services (SSS)/SSS-09 Employment Permit Applictions and Issuance of Work Permits.txt @@ -0,0 +1,140 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-09 +Version 01 + + + +EMPLOYMENT PERMIT APPLICATIONS AND ISSUANCE +OF WORK PERMITS FOR STUDENTS AGES 14 +THROUGH 17 +This circular will remain in effect unless rescinded or superseded +by a subsequent version + +During the school year, all Boston Public School students +requiring working papers (employment permits and educational +certificates) will obtain such from guidance counselors or +designated staff in their individual schools. +• Guidance counselors will supervise the issuance of working +papers, but the secretary designated by the principal or +head of school will perform the clerical process of issuing +the papers. +• Principals and heads of school will determine the time that +the secretary will perform this function. +• Occasionally, exceptional circumstances (e.g., heavy +workload, unscheduled assignments) occur, making it +impossible for the secretary to perform this task. During +those times, the guidance counselor will process working +papers. +Charter schools are public schools. Charter school students will +obtain the employment permit from their school staff. + + +Page 2: +Superintendent’s Circular SSS-09 +Page 2 of 4 + + + +Parochial, private, and METCO school students who are residents +of Boston will obtain the required permits/certificates through +the Welcome Centers of the Boston Public Schools using the +online process located on the BPS website +www.bostonpublicschools.org. Boston Public School students +can also obtain their permits/certificates using the online process +located on the Boston Public Schools website +www.bostonpublicschools.org when their school is not in session +(e.g., summer months, school vacations, etc.). + +PROCEDURE +All students under the age of 18 must obtain a work permit +before starting a new job per Massachusetts General Laws, +Chapter 149, Sections 86-89. +The following process must be followed as outlined in the +Commonwealth of Massachusetts Employment Permit +Application for 14 through 17-year-olds. +1. All students must obtain a Promise of Employment. +2. The employer must complete the Promise of Employment +section and sign off on it. +3. ONLY 14 and 15-year-olds must obtain a signed physician’s +certificate of health. +4. All students must have their parent/guardian sign the +permit application. +5. The student must also sign the permit application. + + +Page 3: +Superintendent’s Circular SSS-09 +Page 3 of 4 + + + +6. When the permit application is completed, it should be +returned to the school guidance +7. counselor or the school designee. + +The school staff will verify the date of birth and issue a work +permit. The employment permit application will be kept on file. If +it is during non-school periods, or the student does not attend a +Boston Public School, but is a resident of Boston, the student will +utilize the BPS online Youth Work Permit Request form located +on the website www.bostonpublicschools.org. Proof of the +student's age, such as a birth certificate, passport, immunization +record, etc., should be provided. An employment permit will then +be issued. +Please note that a work permit may not be issued to a parent. +Massachusetts General Laws Chapter 149, Section 89 requires +that the child appear in person with proper identification. +According to the Commonwealth of Massachusetts +(https://www.mass.gov/service-details/youth-employment- +permit-information): all teens under 18 years of age must +complete a work permit application and get a work permit +before starting a new job. Please see the complete summary of +the Massachusetts laws regulating child labor for further +information. +With very limited exceptions, minors under the age of 14 may not +work. All minors under the age of 18 must complete an +employment permit application and get their permit before +starting a new job. You can download Youth Employment Permit + + +Page 4: +Superintendent’s Circular SSS-09 +Page 4 of 4 + + + +Application and Youth Permit Process. You can also access these +forms in Spanish, Portuguese, Chinese, and Vietnamese. +FORMS +1. Employment permit applications can be found and printed +at https://www.mass.gov/service-details/youth- +employment-permit-information +2. When school is not in session, please complete this form +and upload the required documents. Once completed, a +BPS Welcome Services team member will contact you +within two business days regarding the next steps for your +work permit. Parochial, private and METCO school students +that are Boston residents may utilize this form during the +entire year. +For more information about this circular, contact: +Name: +Director of Guidance, Office of Schools & +Accountability +Department: Guidance Services, Office of Schools & +Accountability +Mailing +Address: +443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-8030 +E-mail: +cchiu@bostonpublicschools.org; Operations- +Department-Heads@bostonpublicschools.org +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Student Support Services (SSS)/SSS-18 Bullying Prevention and Intervention Plan.txt b/data/data_txt1/Student Support Services (SSS)/SSS-18 Bullying Prevention and Intervention Plan.txt new file mode 100644 index 0000000..46e147c --- /dev/null +++ b/data/data_txt1/Student Support Services (SSS)/SSS-18 Bullying Prevention and Intervention Plan.txt @@ -0,0 +1,1418 @@ +Page 1: + + + + + Superintendent’s +Circular +NUMBER: +SSS-18 +Version 01 + + +BULLYING PREVENTION AND INTERVENTION PLAN +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. + +BOSTON PUBLIC SCHOOLS STATEMENT AGAINST STUDENT +BULLYING +Boston Public Schools will not tolerate any unlawful or disruptive +behavior, including bullying, harassment, cyberbullying, +discrimination, retaliation, or hate crimes in all forms and types +towards others in any school or at school-related activities. Boston +Public Schools will promptly investigate all reports and +complaints of bullying and take prompt, effective action to end +that behavior and prevent its recurrence. Action will include, +where appropriate, referral to a law enforcement agency. Boston +Public Schools will support this Bullying Prevention and +Intervention Plan (“Plan”) in all aspects of its activities, including +its curricula, instructional programs, staff development, family +meetings/training, and extracurricular activities. +Students, staff, families/caregivers, and any others who are +concerned or want to report bullying may confidently talk to a +trusted staff member or call the Safe Space and Bullying +Prevention Hotline, 617-592-2378. Additional resources and +support can be found at Succeed Boston. Succeed Boston leads +this districtwide initiative. + + +Page 2: + +Superintendent’s Circular SSS-18 +Page 2 of 44 + +The Student Handbook, AUP (Acceptable Use Policy), and the +Boston Public Schools Code of Conduct are updated annually to +assure alignment, to include language prohibiting bullying, and +cyberbullying, and to clearly define the consequences connected +to it. The district and principals/heads of schools at all levels in the +Boston Public Schools play a critical role in the ongoing +development and implementation of the Bullying Prevention and +Intervention Plan in the context of other whole school and +community efforts to promote a positive school climate. +Principals/school leaders have a primary role in teaching students +to be civil to one another and promoting understanding of and +respect for diversity and difference. Principals/school leaders have +a responsibility for setting priorities and for staying up to date +with this policy and current research on ways to prevent and +effectively respond to bullying. +The Boston Public Schools will not tolerate any unlawful or +disruptive behavior, including any form of bullying, cyberbullying, +or retaliation, in our school buildings, on school grounds, on +school buses and at school bus stops, on a school bus or other +vehicle owned, leased, or used by a school district; or through the +use of technology or an electronic device owned, leased, or used +by a school district, and or in school-related activities. +Schools will promptly investigate all reports and complaints of +bullying, cyberbullying, and retaliation and take prompt action to +end that behavior and restore the target’s sense of safety. The +Boston Public Schools will support this commitment in all aspects +of our school community, including curricula, instructional +programs, staff development, extracurricular activities, and +families/caregivers involvement. +A student who knowingly makes a false accusation of bullying will + + +Page 3: + +Superintendent’s Circular SSS-18 +Page 3 of 44 + +be subject to disciplinary action as defined by the BPS Code of +Conduct. +This Plan has been approved by the Massachusetts Department of +Elementary and Secondary Education and is posted at the BPS +Anti Bulling web page. Copies of this plan shall be posted and +readily accessible in all schools in an area visible to +families/caregivers and staff. The Plan will be reviewed and +updated biennially, as mandated by M.G.L. c. 71, § 37O. +PUBLIC INVOLVEMENT +As required by M.G.L. c. 71, § 37O, this Plan has been developed in +consultation with various constituencies. Since May 3, 2010, the +Boston Public Schools has met biennially with families/caregivers, +teachers, school administrators, students, central administrators, +and community stakeholders to develop this Plan. +Effective SY 2024-2025, an advisory group of teachers, +administrators, families/caregivers and community members will +be developed to review and make recommendations related to +curricula, professional development, community and family +engagement, and the Plan itself. Consultation will include, at a +minimum, notice and a public comment period prior to adoption. +STATEMENT OF PURPOSE +The Boston Public Schools believes that school communities +serve as a network of support for its diverse students, families, and +staff. We are committed to providing our students with equal +educational opportunities and a safe and welcoming learning +environment where all students and community members treat +each other with respect and appreciate the rich diversity in our +schools. + + +Page 4: + +Superintendent’s Circular SSS-18 +Page 4 of 44 + +The Boston Public Schools recognizes that certain students may +be more vulnerable to become targets of bullying, harassment, or +teasing based on actual or perceived characteristics, including +race, color, religion, ancestry, national origin, sex, socioeconomic, +status, homelessness, academic status, gender identity or +expression, physical appearance, or sensory, disability, or by +association with a person who has or is perceived to have one or +more of these characteristics. The Boston Public Schools will +continuously work to identify specific steps it will take to create a +safe, supportive environment for vulnerable populations in the +school community, and provide all students with the skills, +knowledge, and strategies to prevent or respond to bullying, +harassment, or teasing. +Under M.G.L. Ch. 71, § 37O, at the beginning of each school year, +each school will provide the community, including students, +administrators, external providers, families/caregivers, and staff +with: +● Written notice of its policies for reporting acts of bullying +and retaliation, +● A description of the reporting procedures and resources, +including the name and contact information of the +principal/school leader or designee +● A copy of the Bullying Incident Reporting Form and +information about electronic reporting and +● Shall provide and post the available resources (including the +number to the Safe Space and Bullying Hotline and +information about electronic reporting) in the school’s main +office, the school’s website, all counseling offices/spaces, the +school nurse’s office, and other locations determined by the + + +Page 5: + +Superintendent’s Circular SSS-18 +Page 5 of 44 + +principal/school leader or designee +The Boston Public Schools Bullying Prevention and Intervention +Plan shall be incorporated in student and staff handbooks, on the +school and district website, and made available to +families/caregivers. +DEFINITIONS UNDER M.G.L. CH. 71, § 37O +Note: The following definitions contain terms and/or phrases that +are different from the language of the statute. The language of +the definitions in this circular is drafted to align with the +definitions that are used in the Boston Public Schools Code of +Conduct. BPS relies on these definitions when reviewing student +conduct under the Code: +● Bullying: BPS has replaced the word “victim” in the statute +with the word “target.” +● Cyberbullying: BPS has added (iv) to the definition contained +in the statute. +● Retaliation: this definition is not provided for under the +statute but is operative in the Code of Conduct. +● School Community: BPS has added “staff” to the definition +contained in the statute. +● Perpetrator: this definition is not provided for under the +statute but is operative in the Code of Conduct. +● Aggressor is a student who engages in bullying or +cyberbullying. +Bullying is the repeated use by one or more students or by a +member of school staff including, but not limited to, an educator, + + +Page 6: + +Superintendent’s Circular SSS-18 +Page 6 of 44 + +administrator, school nurse, cafeteria worker, custodian, bus +driver, athletic coach, advisor to an extracurricular activity, or +paraprofessional of a written, verbal, or electronic expression or a +physical act or gesture or any combination thereof, directed at a +target that: +I. +Causes physical or emotional harm to the target or damage +to the target's property +II. +Places the target in reasonable fear of harm to themselves +or of damage to their property +III. +Creates a hostile environment at school for the target +IV. +Infringes on the rights of the target at school +V. +Materially and substantially disrupts the education process +or the orderly operation of a school. +Cyberbullying is bullying through the use of technology or any +electronic communication which shall include, but shall not be +limited to, any transfer of signs, signals, writing, images, sounds, +data, or intelligence of any nature transmitted in whole or in part +by a wire, radio, electromagnetic, photoelectric or photo-optical +system, including, but not limited to, electronic mail, internet +communications, instant messages or facsimile communications. +Cyber-bullying shall also include: +I. +The creation of a web page or blog in which the creator +assumes the identity of another person +II. +The knowing impersonation of another person as the author +of posted content or messages, if the creation or +impersonation creates any of the conditions enumerated in + + +Page 7: + +Superintendent’s Circular SSS-18 +Page 7 of 44 + +clauses (iv) to (v), inclusive, of the definition of bullying +III. +The distribution by electronic means of a communication to +more than one person or the posting of material on an +electronic medium that may be accessed by one or more +persons, if the distribution or posting creates any of the +conditions enumerated in clauses (i) to (v), inclusive, of the +definition of bullying +IV. +The use of the internet and/or social media used for bullying +outside of school that disrupts the normal functioning of the +school day. + + + + + +Page 8: + +Superintendent’s Circular SSS-18 +Page 8 of 44 + +Hostile Environment is a situation in which bullying causes the +school environment to be permeated with intimidation, ridicule, +or insult that is sufficiently severe or pervasive to alter the +conditions of a student’s education. +Retaliation is any form of intimidation, reprisal, or harassment +directed against a student who reports bullying, provides +information during an investigation of bullying, or witnesses or +has reliable information about bullying. +The School Community consists of students, staff and +families/caregivers. +Staff includes, but is not limited to, educators, administrators, +counselors, school nurses, cafeteria workers, custodians, bus +drivers, athletic coaches, advisors to extracurricular activities, +support staff, and paraprofessionals. +Target is a student against whom bullying, cyberbullying, or +retaliation has been perpetrated. + +POLICIES AND PROCEDURES FOR REPORTING AND +RESPONDING TO BULLYING AND RETALIATION +To support efforts to respond promptly and effectively to bullying +and retaliation, the Boston Public Schools have policies and +procedures in place for receiving and responding to reports of +bullying or retaliation. These policies and procedures ensure that +members of the school community – students, +families/caregivers, and staff – know what will happen when +incidents of bullying are reported or occur (Attachment 1). +The Boston Public Schools, in accordance with MA Law M.G.L. c. + + +Page 9: + +Superintendent’s Circular SSS-18 +Page 9 of 44 + +71, § 37O, has designated the principal/school leader or designee +as the person responsible for receiving reports, recording +incidents, and investigating all incidents. The principal/head of +school or designee is responsible for responding to and resolving +all cases. All bullying allegations, no matter how they were +reported, (e.g., through the Safe Space and Bullying reporting +form or directly to the school leader, or directly to staff at the +school), shall be submitted to Succeed Boston using the Safe +Schools & Bullying Investigation form. All findings, including +supporting information, including witness statements (target, +aggressor, and any other relevant person) findings, and +conclusions, shall be submitted to Succeed Boston within five +school days, and findings of bullying shall be documented in the +BPS Student Information System (SIS). +A. Reporting Bullying or Retaliation +Reports of bullying or retaliation can be made by staff, students, +families/caregivers or others, and can be submitted through the +Safe Space and Bullying Prevention Hotline at 617-592-2378 or +directly online through the Safe Schools and Bullying Prevention +Incident Reporting Form. To report in your native language, +please call the Hotline and ask for translation services. Allegations +may also be submitted via email, text, or through the Bullying +Incident Reporting Form (Attachment 3). +All employees are required to report immediately to the +principal/school leader or designee, any instance of bullying or +retaliation the staff member becomes aware of or witnesses. +Reports may be made anonymously (see Attachment 3 for the +Boston Public Schools Safe Schools and Bullying Prevention and +Intervention Reporting Form and Attachment 4 for the Boston + + +Page 10: + +Superintendent’s Circular SSS-18 +Page 10 of 44 + +Public Schools Safe Schools and Bullying Prevention and +Intervention Anonymous Reporting Form). +Use of the Boston Public Schools Safe Schools and Bullying +Prevention and Intervention Reporting Form is not required as a +condition to making a report. +1. Reporting by Staff +A staff member shall report immediately to the principal/school +leader or designee when they witness or become aware of +conduct that may be bullying or retaliation. The requirement to +report to the principal/school leader or designee does not limit +the authority of the staff member to respond to behavioral or +disciplinary incidents consistent with each school’s policies and +procedures for behavior management and discipline. +2. Reporting by Students, Families/Caregivers, and Others +Boston Public Schools expects students, families/caregivers, and +others who witness or become aware of an instance of bullying or +retaliation involving a student to report it to the principal/school +leader or designee. +Reports may be made anonymously or not by calling the Safe +Schools and Bullying Prevention Hotline (617-592-2378) or filing a +report online using the Safe Space and Bullying Prevention +Reporting form. No disciplinary action will be taken against an +alleged aggressor solely based on an anonymous report. +Students, families/caregivers, and others may request assistance +from a staff member to complete a written report. Students will +be provided practical, safe, private, and age-appropriate ways to +report and discuss an incident of bullying with a staff member or +with the principal/school leader. + + +Page 11: + +Superintendent’s Circular SSS-18 +Page 11 of 44 + +3. Responding to a report of bullying or retaliation +Before fully investigating the allegations of bullying or retaliation, +the principal/school leader or designee will take steps to assess +the need to restore a sense of safety to the alleged target and/or +to protect the alleged target from possible further incidents. The +principal/school leader or designee shall contact the +families/caregivers prior to any investigation. Notice will be +consistent with state regulations at 603 CMR 49.00. +Under M.G.L. c. 71, § 37O, for children with special needs, the +Principal/Head of School will review the child’s IEP to +determine whether or not the child’s disability impacted or +impacts their ability to comply with the Code of Conduct +and/or this policy, and where appropriate, convene a TEAM +meeting to discuss and decide the appropriate +determination which may include behavioral support +services or other specialized services. +The principal/Head of School or designee shall inform the parent +or guardian of the target about the Department of Elementary +and Secondary Education’s Problem Resolution System (PRS) and +the process for accessing that system, regardless of the outcome +of the bullying determination. +Responses to promote safety may include, but not be limited to: +● Creating a personal safety or support plan +● Pre-determining seating arrangements for the target and/or +the aggressor in the classroom, at lunch, or on the bus +● Identifying a staff member who will act as a “safe person” for +the target +● Altering the aggressor’s schedule and access to the target. + + +Page 12: + +Superintendent’s Circular SSS-18 +Page 12 of 44 + + +The principal/school leader or designee will take additional steps +to promote safety during and after the investigation, as necessary. +They will implement appropriate strategies to protect students +from bullying or retaliation as a result of witnessing, providing +information during an investigation, reporting bullying or +retaliation or providing reliable information about a reported act +of bullying or retaliation. +The confidentiality of students and witnesses reporting alleged +acts of bullying will be maintained to the extent possible, given +the school’s obligation to investigate the matter. +B. Obligations to Notify Others +1. Notice to Families/Caregivers: +Within 24 hours of receipt of the bullying complaint and before +interviewing students, the principal/school leader or designee will +notify the families/caregivers of the target and the aggressor of +the allegations and their intent to interview their child. +Families of all student witnesses who may be interviewed will be +notified of their intent to interview their child. Should they +choose, the family has the right to be present for the interview +with their child. Upon completion of the investigation (not +beyond five school days after the receipt of the complaint), the +principal/school leader will notify the families/caregivers of the +target and the aggressor of the findings of the investigation and +the procedures used in responding to the complaint. +To ensure the safety of students and compliance with all BPS +mandates and State laws, repeated allegations from +families/caregivers and/or no response from the head of school + + +Page 13: + +Superintendent’s Circular SSS-18 +Page 13 of 44 + +will be forwarded to the Operational Leader and the School +Superintendent for follow-up assistance. +2. Notice to Another School or District: +If the reported incident involves students from more than one +school district, charter school, nonpublic school, approved private +special education day or residential school, or collaborative +school, the principal/school leader or designee first informed of +the incident will promptly notify by telephone the principal/school +leader or designee of the other school(s) of the incident so that +each school may take appropriate action. All communications will +be in accordance with state and federal privacy laws and +regulations and 603 CMR 23.00. +3. Notice to Law Enforcement: +At any point after receiving a report of bullying or retaliation, +including after an investigation, if the principal/school leader or +designee has a reasonable basis to believe that criminal charges +may be pursued against the aggressor, the principal/school leader +shall consult with their Operational Leader, the School +Superintendent, the Office of Safety Services and/or the Boston +Police Department School Unit, and other individuals the +principal/school leader or designee deems appropriate. +Note that pursuant to 603 CMR 49.06(2), notification to law +enforcement is not required in those situations in which the +school leader determines that the bullying and retaliation can +be handled appropriately within the school district or school. +Also, if an incident occurs on school grounds and involves a +former student under the age of 21 who is no longer enrolled +in school, the principal/head of school or designee shall +contact their Operational Leader, the School Superintendent, +the Office of Safety Services and/or the Boston Police +Department School Unit, for notification to law enforcement if + + +Page 14: + +Superintendent’s Circular SSS-18 +Page 14 of 44 + +they have a reasonable basis to believe that criminal charges +may be pursued against the aggressor. +In making this determination, the principal/School leader will, +consistent with the Plan and with applicable school or district +policies and procedures, consult with their Operational Leader, +the School Superintendent, Office of Safety Services and/or the +Boston Police Department School Unit and other individuals +the principal/school leader or designee deems appropriate. +The Superintendent’s Office shall be notified. + + + + +Page 15: + +Superintendent’s Circular SSS-18 +Page 15 of 44 + +C. Investigation (see Attachment 1) +The principal/school leader or designee will promptly investigate +all reports of bullying or retaliation and, in doing so, will consider +all available information known, including the nature of the +allegation(s) and the ages of the students involved. All reports of +staff on student bullying shall be investigated as such, and the +Office of Labor Relations shall be notified. +During the investigation, the school leader or their designee shall +notify the families/caregivers of the intent to interview their child +and will proceed (in the presence of the families/caregivers, if +requested) to gather information, interview students, staff, +witnesses, and others as necessary. +The principal/school leader or designee will remind the alleged +aggressor, target, and witnesses that retaliation is strictly +prohibited and will result in disciplinary action, per section 7.6.3 of +the Boston Public Schools Code of Conduct. +Interviews will be conducted by the principal/school leader or +designee, and in consultation with the school counselor, as +appropriate. To the extent practicable and given their obligation +to investigate and address the matter, the principal/school leader +or designee will maintain confidentiality during the investigative +process. The principal/school leader or designee will maintain a +written record of the investigation and upon completion, will file +and forward the Safe Schools and Bullying Prevention +Investigation Form and any additional materials to +saws@bostonpublicschools.org. +Procedures for investigating reports of bullying and retaliation will +be consistent with district policies and procedures for +investigations and for possible disciplinary action. If necessary, the + + +Page 16: + +Superintendent’s Circular SSS-18 +Page 16 of 44 + +principal/school leader or designee will consult with Succeed +Boston regarding consultation or appeals from +families/caregivers. The Office of the Superintendent shall be +notified should legal counsel pertaining to the investigation of the +alleged report be necessary. (See Attachment 1 for more specifics.) +D. Determinations +The principal/school leader or designee will make a determination +of bullying based upon the definition of bullying, the interviews +with students, staff, and families/caregivers. If, after investigation, +bullying or retaliation is substantiated, the principal/school leader +or designee will take steps reasonably calculated to prevent +recurrence and to ensure that the target is not restricted in +participating in school or in benefiting from school activities. +Within 5 days of receipt of the allegation, the principal/school +leader or designee will: +1. Determine what remedial action is required (e.g., +Safety/Support Plan, seating plan), if any +2. Determine what responsive actions and/or disciplinary +action is necessary, if any +3. Notify the families/caregivers of the target and the +aggressor about the results of the investigation and, if +bullying or retaliation is found, what action is being taken to +prevent further acts of bullying or retaliation +4. Submit the investigation and findings using the Safe +Schools and Bullying Prevention Investigation Form and, if +bullying was found, document the finding in the BPS SIS. +Depending upon the circumstances, the principal/school leader or +designee may choose to consult with the student’s teacher(s) +and/or school counselor, and the target’s or aggressor’s + + +Page 17: + +Superintendent’s Circular SSS-18 +Page 17 of 44 + +families/caregivers, to identify any underlying social or emotional +issue(s) that may have contributed to the bullying behavior and to +assess the level of need for additional social skills development. +All notices to families/caregivers must comply with applicable +state and federal privacy laws and regulations. Because of the +legal requirements regarding the confidentiality of student +records, the principal/head of school or designee cannot report +specific information to the target’s families/caregivers about the +disciplinary action taken unless it involves a “stay away” order or +other directives that the target must be aware of in order to +report violations. +For students with disabilities, the principal/school leader will +review the child’s IEP to determine whether the child’s disability +impacted or impacts their ability to comply with the Code of +Conduct and/or this policy, and where appropriate, convene a +TEAM meeting to discuss and decide the appropriate +determination which may include behavioral support services or +other specialized services. +NEW: Right to Appeal decisions related to the bullying +investigation, findings, and/or response may be submitted +using this link. + + + + +Page 18: + +Superintendent’s Circular SSS-18 +Page 18 of 44 + +E. Planning & Oversight +The following school or district leaders are responsible for the +following tasks under the Plan: +Task +Responsible Party +1) Receiving reports on bullying +Succeed Boston, School +Administrators, School Staff +2) Collecting and analyzing building- +and/or school-wide data on bullying +to assess the present problem and to +measure improved outcomes +Succeed Boston, +Superintendent’s Office, Office of +Data and Accountability, +RP/SAWS +3) Creating a process for recording +and tracking incident reports, and for +accessing information related to +targets and aggressors +Succeed Boston, Office of Data +and Accountability +4) Planning for the ongoing +professional development that is +required by the law +Succeed Boston +5) Planning supports that respond to +the needs of targets and aggressors +Succeed Boston, RP/SAWS, +Regional Liaison Teams +6) Choosing and implementing the +curricula that the school or district +will use +Succeed Boston, Office of Equity, +Bullying Prevention and +Intervention Advisory Group + + +Page 19: + +Superintendent’s Circular SSS-18 +Page 19 of 44 + +7) Developing new or revising current +policies and protocols under the Plan, +including an Internet Safety Plan, and +designating key staff to be in charge +of implementation +Principals, school leaders, +Succeed Boston, Office of the +Legal Advisor, Office of Equity, +Bullying Prevention and +Intervention Advisory Group +8) Amending district-wide and +school-based student and staff +handbooks and Codes of Conduct +Succeed Boston, Operational +Leaders, BPS Code of Conduct +Team and Office of the Legal +Advisor +9) Leading the families/caregivers or +family engagement efforts and +drafting information materials +Succeed Boston, Office of Family +and Community Advancement, +Parent University +10) Reviewing and updating the Plan +biennially, or more frequently as +needed +Superintendent’s Office, +Succeed Boston, Bullying +Prevention and Intervention +Advisory Group, Office of the +Legal Advisor, Office of Equity +As required by Chapter 86, of the Acts +of 2014, which amended G.L. c. 71, +§37O, the Boston Public Schools will +administer a department-developed +student survey at least once every +four years to assess “school climate +and the prevalence, nature and +severity of bullying in schools.” (G.L. c. +71, §37O(k)). This may include results +of the student/staff/family climate +Succeed Boston, Office of Data +and Accountability, Operational +Team + + + + +Page 20: + +Superintendent’s Circular SSS-18 +Page 20 of 44 + +survey. + +Each school community member is responsible for: +1. complying with this Plan, where applicable +2. ensuring that they do not harass, discriminate against, or +commit a crime against another person on school grounds +or in a school-related activity because of that person’s race, +color, religion, national origin, ethnicity, sex, sexual +orientation, age, or disability +3. ensuring that they do not bully another person on +school grounds or in a school-related activity +4. ensuring that they do not retaliate against any other +person for reporting or filing a complaint, for aiding or +encouraging the filing or a report or complaint, or for +cooperating in an investigation of harassment, bullying, +discrimination, or a hate crime + +5. cooperating in the investigation of reports or complaints +of harassment, bullying discrimination, retaliation, or a hate +crime. +TRAINING & PROFESSIONAL DEVELOPMENT +As required under M. G. L. c. 71, § 37O, Boston Public Schools +requires annual bullying prevention and intervention training +(available in person or asynchronously) for all school staff, +including lunch monitors, school police officers, secretaries, bus + + +Page 21: + +Superintendent’s Circular SSS-18 +Page 21 of 44 + +drivers, teachers, administrators, and all other itinerant staff. All +training is posted on Vector. For more information contact +Succeed Boston @ the Counseling and Intervention Center, (617) +635-8123. +Annual Staff Training on the Plan +Boston Public Schools will offer professional development to all +administrators, teachers, paraprofessionals, and all ancillary staff +members under the employment of the Boston Public Schools. +This includes Identifying Bullying Behavior, Types of Bullying, +Roles of Aggressors/Targets/Bystanders, Rights and +Responsibilities under the Law M. G. L. c. 71, § 37O, Information +regarding the most-risk populations (including LGBTQ+ students, +students with disabilities, English Language Learners), Internet +Safety, Reporting Responsibility, Adult Bias, and Addressing +Student Bias-Based Speech and Behavior. +Advanced Training +To provide effective bullying prevention and intervention services +and to build capacity, each school shall have at least 2 staff +trained as Bullying +Intervention Specialists (BIS). These specialists will: +● Serve as a resource to their school community on bullying +related matters +● Lead relevant training within their school community +● Coordinate the reporting and/or investigating of incidents if +designated by their school leader. +The Regional RP/SAWS will provide semi-annual training to the +regional BIS teams that will further develop best practices and + + +Page 22: + +Superintendent’s Circular SSS-18 +Page 22 of 44 + +resources. +Boston Public Schools will provide a 2-day Bullying Intervention +Specialist professional development quarterly throughout the +year. The advanced bullying intervention specialist training (see +Attachment 2) will be posted on Vector. +The training will include: +i. developmentally appropriate strategies to prevent and +intervene in bullying incidents +ii. information regarding the complex interaction and +power differential that can take place between and +among an aggressor, target, and witnesses to the +bullying +iii. research findings on bullying, and resources for the +development of programs in schools +iv. information on the incidence and nature of +cyberbullying and internet safety issues +v. bias-based bullying and sexual harassment +vi. issues specific to LGBTQ+ students +viii. students with disabilities +● legal rights/IDEA/FAPE +ix. adult bias and impact on bullying intervention +and prevention. +● The Regional RP/SAWS will continue to share literature +covering the latest information in bullying prevention & +intervention. This literature will include strategies for + + +Page 23: + +Superintendent’s Circular SSS-18 +Page 23 of 44 + +creating a culture and environment that will prevent +bullying. +● Professional Development opportunities to identify +strategies for students with disabilities who are either +accused of or are targets of bullying (per BPS Code of +Conduct). +● Annual updated electronic links to the Bullying Prevention +and Intervention Protocols. + + + + +Page 24: + +Superintendent’s Circular SSS-18 +Page 24 of 44 + + +ACCESS TO RESOURCES AND SERVICES +A key aspect of promoting positive school climates that provide +students with feelings of belonging and safety is ensuring that +the underlying emotional needs of all students are addressed. +These students include targets, aggressors, and bystanders of +bullying or cyberbullying. The Boston Public Schools will also +address the emotional needs of these students’ families. Please +see Anti-Bullying Resources for further information. +Identifying resources in schools +● School staff, together with building administrators, will work +to identify the school’s capacity to provide counseling, case +management, and other services for students (targets, +aggressors, bystanders) and their families. Curricula and +resources can be accessed through the Boston Public +School’s Succeed Boston’s website succeedboston.org +● Schools will conduct an annual review of staffing and +programs that support the creation of positive school +environments, focusing on early interventions and intensive +services, and develop recommendations and action steps to +fill resource and service gaps. +● The Boston Public Schools will continue to work in +collaboration with local and state agencies to adopt +evidence-based curricula and to provide additional +preventive services to students, families/caregivers and all +school staff. + + + + +Page 25: + +Superintendent’s Circular SSS-18 +Page 25 of 44 + + +Counseling and other services +● Succeed Boston’s Student Support and Prevention +Workshops provide an alternative to a suspension to +increase students’ understanding about the impact of +bullying, build empathy and social and emotional skills to +stop and prevent bullying. +● School counselors, nurses, school psychologists, and special +educators provide a variety of skill-based services to students +within the educational setting that include ongoing +emotional support, risk assessment, crisis intervention, and +help with community-based counseling referrals when +appropriate. +● School staff meet with families/caregivers and teachers as +needed to help address students’ academic, social, +emotional, and behavioral concerns as collaboratively as +possible. +● Regional liaisons, especially the RP/SAWS, will work with +school teams and administrators to develop and, if needed, +co-facilitate culturally and linguistically appropriate +resources to identified families. +● School counselors maintain up-to-date information on +community-based mental health referrals as well as +Community Service Agencies (CSAs) within the local area, +providing services to students and families. +● Regional liaisons, especially the RP/SAWS, will work +collaboratively with and support the BIS, school counselors, +school psychologists, and intensive special needs educators + + +Page 26: + +Superintendent’s Circular SSS-18 +Page 26 of 44 + +to: +1. Develop behavior plans and groups for students to build +upon their social and emotional skills, +2. Educate and support families/caregivers, +3. Conduct workshops for families/caregivers +4. Connect families/caregivers of outside resources to build +skills +STUDENTS WITH DISABILITIES +As required by M. G. L. c. 71B, § 3, as amended by Chapter 92 of the +Acts of 2010, when the IEP Team determines that the student has +a disability that affects social skills development or the student +may participate in or is vulnerable to bullying, harassment, or +teasing because of their disability, the Team will consider what +should be included in the IEP to develop the student’s skills and +proficiencies to avoid and respond to bullying, harassment, or +teasing. +REFERRAL TO OUTSIDE SERVICES +Boston Public Schools school counselors and other specialists will +help students and families access appropriate and timely services +necessary to address student needs as a result of bullying. +Referrals shall comply with relevant laws and policies. +ACADEMIC & NON-ACADEMIC ACTIVITIES +The Boston Public Schools will provide age-appropriate +instruction on bullying prevention in each grade and incorporate +it into the school’s or district’s curricula. Succeed Boston provides +online Student Support and Prevention Workshops to students in + + +Page 27: + +Superintendent’s Circular SSS-18 +Page 27 of 44 + +grades 1-12 to learn about the impact of bullying and develop skills +to stop and prevent bullying. +Effective instruction will include classroom approaches, whole +school initiatives, focused strategies for bullying prevention, and +social skills development. +Specific bullying prevention approaches: +● Using scripts and role plays to develop skills. +● Empowering students to take action by knowing what to do +when they witness other students engaged in acts of +bullying or retaliation, including seeking adult assistance. +● Helping students understand the dynamics of bullying and +cyberbullying, including the underlying power imbalance. +● Build and reinforce student empathy. +● Reinforce and elevate students who model being helpful +bystanders +● Emphasizing cyber safety, including safe and appropriate +use of electronic communication technologies +● Enhancing students’ skills for engaging in healthy +relationships and resolving conflicts with respectful +communications. +● Engaging students in a safe, supportive school environment +that +● is respectful of diversity and difference. + + + + +Page 28: + +Superintendent’s Circular SSS-18 +Page 28 of 44 + +General teaching approaches that support bullying prevention +efforts: +● Create a strong anti-bullying plan that will be enforced first +and foremost by adults +● Build in learning and embed bullying in the curriculum (e.g., +ELA, social studies, history, health classes) +● Empower bystanders who witness bullying activities with +skills and support to intervene appropriately +● Promote acceptance and respect in order to improve the +school climate to include all students in meaningful ways +● Help students and staff understand the definition of bullying +– what it is and what it isn’t (e.g., conflict, fighting, teasing) +● Recognize the dynamics and complexities involved in +aggressor-target relationships +● Develop intervention programs that will reduce the +prevalence of bullying behaviors and create a safe school +climate that fosters positive learning experiences for all +students +● Be creative in developing strategies to promote social +competence for children who are aggressors, targets of +bullying, and bystanders +● Develop ways to help students who are aggressors find more +prosocial ways of experiencing positive rewards +● Build an effective support system for protecting targets of +bullying. + + +Page 29: + +Superintendent’s Circular SSS-18 +Page 29 of 44 + +The Boston Public Schools has incorporated a range of +individualized strategies and interventions that may be used in +response to remediate a student’s skills or to prevent further +incidents of bullying and/or retaliation. Combining and +incorporating a Multi-Tiered System of Support (MTSS), social and +emotional skill building, school-wide positive behavior +interventions and supports (PBIS) focused on prevention services +school-wide, creates a level change across the classroom, school, +and district. These changes not only improve outcomes but +address and improve the academic and non-academic needs of +all students, including students with disabilities. +TEACHING APPROPRIATE BEHAVIOR THROUGH SKILL BUILDING +Upon the principal/school leader or designee determining that +bullying or retaliation has occurred, the law requires that the +school or district use a range of responses that balance the need +for accountability with the need to teach appropriate behavior. +M.G.L. c. 71, § 37O. +Skill-building approaches that the principal/school leader or +designee may consider include: +● referring students to Succeed Boston online Student +Support and Prevention Workshops for students in grades 1- +12 to learn about the impact of bullying and develop skills to +stop and prevent bullying +● providing relevant push in support and co-facilitation of +educational and social and emotional skill building activities +for individual students or groups of students, in consultation +with school counselors and other appropriate school +personnel +● implementing a range of academic and nonacademic + + +Page 30: + +Superintendent’s Circular SSS-18 +Page 30 of 44 + +positive behavioral supports to help students understand +prosocial ways to achieve their goals. +● meeting with families/caregivers to support and to reinforce +the anti-bullying curricula and social skills building activities +at home +● adopting support plans to include a focus on developing +specific social skills; making a referral for evaluation. +TAKING DISCIPLINARY ACTION +If the principal/school leader or designee decides that disciplinary +action is appropriate, the disciplinary action will be determined +based on facts found by the principal/school leader or designee, +including the nature of the conduct, the age of the student(s) +involved, a child’s IEP where appropriate, and the need to balance +accountability with the teaching of appropriate behavior. +Discipline will be consistent with the Boston Public Schools +Bullying Prevention and Intervention Plan, the Boston Public +Schools Code of Conduct, and with the school-based student +handbook. Discipline procedures for students with disabilities are +governed by the federal Individuals with Disabilities Education +Act (IDEA), which should be read in cooperation with state laws +regarding student discipline. +If the principal/school leader or designee determines that a +student knowingly made a false allegation of bullying or +retaliation, that student may be subject to disciplinary action +consistent with the BPS Code of Conduct. + + + + +Page 31: + +Superintendent’s Circular SSS-18 +Page 31 of 44 + + +PROMOTING SAFETY FOR THE TARGET AND OTHERS +The principal/school leader or designee(s) will consider what +adjustments (including a safety/support/action plan) are needed +in the school environment to assure the target's sense of safety +and that of others. +Within a reasonable period following the determination and the +ordering of remedial and/or disciplinary action, the +principal/school leader or designee will contact the target and the +families/caregivers to determine whether there has been a +recurrence of the prohibited conduct and whether additional +supportive measures are needed. If so, the principal/school leader +or designee will work with appropriate school staff to implement +them immediately. +COLLABORATION WITH FAMILIES/CAREGIVERS +The Boston Public Schools Bullying Prevention and Intervention +Plan includes strategies to engage and collaborate with students’ +families/caregivers to increase the capacity of each of our schools +as well as the district to prevent and respond to bullying. +Resources for families/caregivers and communication with them +are essential aspects of effective collaboration. The bullying +prevention and intervention curricula used by the schools shall be +made available to families/caregivers and include: +1. How families/caregivers can reinforce the curricula at +home and support the school or district plan +2. The dynamics of bullying +3. Online safety and cyberbullying + + +Page 32: + +Superintendent’s Circular SSS-18 +Page 32 of 44 + +Families/caregivers will also be notified in writing each year about +the student-related sections of the Boston Public Schools Bullying +Prevention and Intervention Plan and the Boston Public Schools +Internet Acceptable Use Policy. +Schools will collaborate with School Site Councils and parent +organizations to create families/caregivers’ resources and +information networks. Schools will join with these +families/caregivers groups to offer education programs for them +that are focused on the components of the anti-bullying curricula +and any social competency curricula used by the school(s). +Schools will annually inform families/caregivers of enrolled +students about the anti-bullying curricula that are being used. +This notice will include information about the dynamics of +bullying, including cyberbullying and online safety. All notices +and information made available to families/caregivers will be in +hard copy and electronic formats and will be available in the +language(s) most prevalent in BPS. Each school will post the +Boston Public Schools Bullying Prevention and Intervention Plan +and related information on its website. +RELATIONSHIP TO OTHER LAWS +Consistent with state and federal laws and the policies of the +school or district, no person shall be discriminated against in +admission to a public school of any town or in obtaining the +advantages, privilege, and courses of study of such public school +on account of race, color, sex, religion, national origin, or sexual +orientation. Nothing in the Boston Public Schools Bullying +Prevention and Intervention Plan prevents the school or district +from taking action to remediate discrimination or harassment +based on a person’s membership, or perceived membership, in a +legally protected category under local, state, or federal law, or + + +Page 33: + +Superintendent’s Circular SSS-18 +Page 33 of 44 + +school or district policies. +In addition, nothing in this Plan is designed or intended to limit +the authority of the school or district to take disciplinary action or +other action under M.G.L. c. 71, §§ 37H or 37H½, other applicable +laws, or local school or district policies in response to violent, +harmful, or disruptive behavior, regardless of whether this Plan +covers the behavior. +For more information about this circular, contact: +Owner: +Senior Director of Succeed Boston @ the +Counseling and Intervention Center +Department: +Succeed Boston @ the Counseling and +Intervention Center +Mailing +Address: +515 Hyde Park Ave, Roslindale, MA 02131 +Phone: +617-635-8123 +Email: +Operations-Department- +Heads@bostonpublicschools.org +saws@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 34: + +Superintendent’s Circular SSS-18 +Page 34 of 44 + + +ATTACHMENTS: +1. How to Conduct a Bullying Investigation +2. Professional Development — Bullying Intervention Specialist +Training +3. Safe Schools and Bullying Prevention and Intervention +Reporting Form + + + + +Page 35: + +Superintendent’s Circular SSS-18 +Page 35 of 44 + +ATTACHMENT 1: +HOW TO COMPLETE A BULLYING INVESTIGATION +Step 1: After contacting families/caregivers, set up a +meeting with the alleged targeted student (target) +Are there safety concerns? If yes, develop a safety plan with the +input of the target and the families/caregivers. +a. Consider class seating, bus, lunch, recess, and “specials.” +b. With the help of the targeted student, identify a trusted +adult the student can go to for assistance. +● Notify the trusted adult of the plan. +● Notify the teacher(s) of the allegation and the trusted +adult. +c. Consider an inconspicuous way the target could signal in +real-time that something was happening and/or the target +needed to leave the room to go to a prior agreed-upon class, +office, person. +d. Take a statement from the target and get the names of +witnesses if any. +Step 2: After contacting the families/caregivers of the alleged +aggressor, set up a meeting with the student. +Are there any safety concerns? If yes, develop a safety or action +plan with the input of the aggressor and the families/caregivers. +a. Consider class seating, bus, lunch, recess, and +“specials.” + + +Page 36: + +Superintendent’s Circular SSS-18 +Page 36 of 44 + +b. With the help of the aggressor, identify a trusted adult +the student can go to for assistance. +c. Notify the trusted adult of the plan. +d. Notify the teacher(s) of the allegation and the trusted +adult. +e. Consider an inconspicuous way the target could signal in +real-time that something was happening, and/or the target +needed to leave the room to go to a prior agreed-upon +class, office, or person. +If there are no safety concerns for the aggressor, develop an +action plan that keeps the target and aggressor separate. +a. Consider class seating arrangements, lunch bus, “specials” +and recess. +b. Notify the teacher(s) of the allegation, and any action +plans developed. +c. Take a statement from the alleged aggressor. +Step 3: Document statements from all witnesses +Step 4: Assess whether the situation meets the standard for +bullying: +1. Power imbalance +2. Repeated +3. Intentional + + + + +Page 37: + +Superintendent’s Circular SSS-18 +Page 37 of 44 + + +Step 5: Does this allegation involve targeting based on, or +perceived, membership in a protected class (race, color, national +origin, ethnicity, religion, pregnancy, homelessness, criminal +record, sex, sexual orientation, gender identity, disability, age, +genetics, or active military status?) If yes, contact the Boston +Public Schools Office of Equity. +If no, proceed to step 6. +Step 6: All allegations of bullying that have been investigated +must be filed with Succeed Boston by completing the Safe +Space and Bullying Prevention Investigation Reporting Form +and documented in the BPS SIS. +1. Document dates of meetings and calls with +families/caregivers. +2. Document all interviews. +3. Determine if the allegation is bullying, retaliation, simple +conflict, or Code of Conduct violation. +4. Document action taken. +5. Schedule a date to follow up with all parties. +6. Document incident in SIS under the Conduct Module +Section 7.1. of the Code of Conduct. +Please note: +● Upon receipt of the bullying complaint, the principal/school +leader or designee must confirm receipt of the complaint to +the families/caregivers within 24 hours. + + +Page 38: + +Superintendent’s Circular SSS-18 +Page 38 of 44 + +● The investigation must be completed within 5 school days, +and the principal/school leader or designee will notify the +families/caregivers of the target and the aggressor of the +findings, and of the procedures for responding to it. +● To ensure the safety of students and compliance with all BPS +mandates and State laws, repeated allegations from +families/caregivers and/or no response from the +principal/school leader will be forwarded to the operational +leader and the school superintendent for follow-up. + + + + +Page 39: + +Superintendent’s Circular SSS-18 +Page 39 of 44 + +ATTACHMENT 2: +BOSTON PUBLIC SCHOOLS 12 HOUR PROFESSIONAL +DEVELOPMENT +“Bullying Intervention Specialist Training” +To build capacity across the district and effectively deal with +allegations of bullying, each school must have at least two staff +complete the 12-hour training leading to certification as a +“Bullying Intervention Specialist.” Once certified, these specialists +will lead the annual bullying prevention and intervention training +at their schools and will spearhead the creation and maintenance +of Caring Communities and Bully Free Schools. Succeed Boston +will offer quarterly training sessions throughout the school year. +Please register on Teach Point. +In this training, staff will: +● Learn about state and district regulations, procedures and +protocols +● Become familiar with BPS reporting and investigation +protocols +● Develop safety plans for targets and action plans for +aggressors +● Learn about the different types of bullying +● Differentiate between bullying and conflict and how to +respond to each +● Understand the role school staff play in preventing bullying +● Learn about culturally and linguistically sustaining practices + + +Page 40: + +Superintendent’s Circular SSS-18 +Page 40 of 44 + +that lead to spaces that feel safe, welcoming and are +inclusive +● Understand how adult bias and micro-aggression impact +staff’s ability to effectively develop relationships with +students involved in bullying +● Develop an awareness of suicide and suicide prevention +resources +● Understand the unique way bullying impacts LGBTQ+ and +ELL students and students with disabilities +○ Become familiar with FAPE and IDEA as they relate to +bullying +● Develop strategies to empower bystanders +● Learn to differentiate bullying and bias-based speech and +behavior +● Learn best practices to address bullying +● Listening and talking to families with empathy +● Become familiar with resources to develop and implement +school-based programs. +● Develop plans for family workshops + + + + +Page 41: + +Superintendent’s Circular SSS-18 +Page 41 of 44 + +ATTACHMENT 3: +SAFE SPACE AND BULLYING PREVENTION REPORTING +FORM - Boston Public Schools +1. Name of the person reporting this bullying allegation. +Write "NA" if you want to report anonymously. Note, +no disciplinary action will be taken solely on the basis +of an anonymous report. +2. Phone number of the person reporting this bullying +allegation. Write "NA" to remain anonymous +3. Who is reporting this bullying allegation? +○ I'm a student reporting for myself +○ I'm a student reporting for another student +○ I'm a family member/caregiver reporting on +behalf of my child +○ I'm a school staff member (admin, educators, +support staff, etc.) reporting for a student +4. Name and email of person completing this form (if +different than above): Write "NA" if not relevant. +5. Role of person completing this form (if different than +above) +○ Bullying Hotline Staff (Succeed Boston staff only) +○ BPS Help Line Staff +○ School Staff member + + +Page 42: + +Superintendent’s Circular SSS-18 +Page 42 of 44 + +○ NA +6. Have you already reported this incident to the school +leader? +○ Yes +○ No +7. Name of alleged target: +8. Student ID# of alleged target: (Please put 0 if +unknown) +9. School of alleged target: +10. Grade of alleged target: +11. Does the alleged target receive special education +services? +○ Yes +○ No +○ Unsure +12. Name and grade of the alleged aggressor(s): (If the +alleged aggressor is an adult, please indicate) +13. Do any alleged aggressor(s) attend a different school? +If yes, please type the name of the school(s) below. (If +not, please write "NA") +14. Date, time, and location of incident(s): (If not known, +please write "NA") + + +Page 43: + +Superintendent’s Circular SSS-18 +Page 43 of 44 + + +15. If the incident occurred on a school bus, please list +the bus number below: (If not on a bus, please write +"NA") +16. Describe the incident, including names, details of +what happened, and specific words used. You may +send additional evidence (i.e., video, screenshots, +emails) to saws@bostonpublicschools.org. +17. Witnesses: List the names of any people who saw the +incident or may have information about it: (If none, +please write "NA") +18. Does this bullying allegation involve bias-based +speech or behavior? “Bias-based” bullying, including +cyberbullying or harassment, is when a person is +bullied because of membership in, or perceived +membership in, a protected class. Protected classes: +race, color, age, physical or mental disability, +pregnancy and pregnancy-related conditions, +criminal record, homelessness, sex/gender, gender +identity, religion, national origin, ancestry, sexual +orientation, genetics, natural or protective hairstyle, +socioeconomics, and retaliation. Please note: All +investigations involving bias-based speech or +behavior will be forwarded to the Office of Equity by +Succeed Boston. +○ Yes +○ No + + +Page 44: + +Superintendent’s Circular SSS-18 +Page 44 of 44 + +19. Are you concerned for the student's safety? +○ Yes +○ No + + diff --git a/data/data_txt1/Student Support Services (SSS)/SSS-19 Home & Hospital Instruction Policy.txt b/data/data_txt1/Student Support Services (SSS)/SSS-19 Home & Hospital Instruction Policy.txt new file mode 100644 index 0000000..0fc9cf6 --- /dev/null +++ b/data/data_txt1/Student Support Services (SSS)/SSS-19 Home & Hospital Instruction Policy.txt @@ -0,0 +1,373 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SSS-19 +Version 01 + + + +HOME AND HOSPITAL INSTRUCTION SERVICES +This circular will remain in effect unless rescinded or superseded +by a subsequent version + + +POLICY +The intent of Boston Public Schools (BPS) Home and Hospital +Instruction is to provide a student receiving a publicly funded +education with the opportunity to make educational progress +even when a physician determines that the student is medically +unable to attend school. In compliance with Massachusetts +regulation 603 CMR 28.03(3), BPS Home and Hospital Instruction +collaborates with schools, parents, agencies, and hospitals to +ensure alignment of educational goals and curriculum for +accurate service delivery to provide, at a minimum, the +instruction necessary to enable the student to maintain progress +in their courses of study and minimize the educational loss that +might occur during the period when the student is confined at +home or in a hospital. Services are provided with sufficient +frequency to allow the student to continue their educational +program, as long as such services do not interfere with the +medical needs of the student. + + +Page 2: +Superintendent’s Circular SSS-19 +Page 2 of 13 + + + +INTENT OF MASSACHUSETTS REGULATIONS ON EDUCATIONAL +SERVICES IN THE HOME OR HOSPITAL +Home and Hospital Instruction is not to be confused with Special +Education services, “unless the student has been determined +eligible for such services, and the services include services on the +student’s IEP.” Home and Hospital Instruction is a special type of +service provided under the Americans with Disabilities Act (ADA) +and state law for the purpose of ensuring that medically involved +students receiving a publicly funded education have equal access +to education as do their counterparts. Publicly funded education +includes Boston Public Schools, charter schools, Boston resident +students who are enrolled at out of district schools, including +METCO and private placements, and students on private tuition +(see Attachment B). Students who are on private tuition are +eligible only if they have an Individualized Education Program +(IEP) or fall under the special education umbrella. +The eligibility guidelines of Home and Hospital Instruction are: +● A physician determines that a student is physically unable +to attend school. +● A student has been or will be out of school for more than 14 +consecutive days or can be anticipated to accumulate more +than 14 absences in a school year at home or in a hospital +(i.e., sickle cell disease, cancer treatment, etc.). +● When it is deemed by the student’s attending physician or +pediatrician that they will be confined to a home or hospital +setting for more than 60 (sixty) days, the student will then +be evaluated by the Special Education Department under +state guideline/regulation 603 CMR 28.04(4). When it is + + +Page 3: +Superintendent’s Circular SSS-19 +Page 3 of 13 + + + +known that a student will be out for more than 60 (sixty) +days, it is recommended that the physician complete the 60 +Day Physician Statement. +● A student is marked Constructively Present (CP) for the +period during which the student receives home/hospital- +based services and receives a passing grade for all work that +has been satisfactorily completed. No home/hospital-based +instruction will be provided over the summer break unless +designated in an IEP and the child is unable to attend +Extended School Year. +IMPLEMENTATION OF HOME AND HOSPITAL INSTRUCTION +Role of the parent: +● Provide consent for the exchange of information between +the student's physician and the district to ensure an open +line of communication between service providers. +● Maintain communication with the school to ensure that +grading is occurring according to classroom guidelines. +● Inform school of the student’s medical needs that will +require home and hospital instruction. +● Provide the school nurse with all the medical information to +ensure that when the student is in school, the medications, +procedures, and protocols are in place to ensure medical +safety and optimal learning. This includes completing, along +with the physician of record, the Individual Collaborative +Health Plan (ICHP) form if the physician indicates that the +student’s health during this period will affect the provision +of full educational services and this form has not previously + + +Page 4: +Superintendent’s Circular SSS-19 +Page 4 of 13 + + + +been completed. +● Ensure that the student’s physician of record completes the +Home and Hospital Physician Statement form and the ICHP. +● Participate in the action plan for their child based on the +ICHP and the Physician Statement. +● Provide an appropriate learning environment at home. +● Ensure that someone over the age of 18 is at home when the +tutoring occurs (or arranges a neutral meeting place such as +a library), notify the central office if the tutor does not keep +the appointment, and sign the instructor’s sheet after each +session. +Role of the physician: +● Submits a completed Physician Statement (see Attachment +A) verifying the medical or psychological illness to the +school’s nurse for verification. When it is known that a +student will be out for more than 60 days, it is +recommended that the physician complete the 60 Day +Physician Statement. +The Physician Statement should include the date the +student will be confined, medical diagnosis, expected return +date, and medical information that may prevent the student +from accessing the provision of a full education. +● If the physician identifies on the Physician Statement that +the student’s health during this period will affect the +provision of full educational services, the physician needs to +complete the ICHP in conjunction with the parent. +● The physician is expected to remain aware of the time frame + + +Page 5: +Superintendent’s Circular SSS-19 +Page 5 of 13 + + + +the child is out of school. +● Participate in a re-entry plan to ensure the child can return +to the school environment without impediments. +ROLE OF THE SCHOOL ADMINISTRATOR: +● Identifies a person to be the school contact (i.e., guidance +counselor, student support staff, nurse, or administrator) +who will serve as a liaison for students who are home and +hospital bound. +● Submit the designated point of contact to the Home and +Hospital Instruction Program within the Department of +Opportunity Youth (OY). +● If needed, refer a school-based teacher to Home and +Hospital Instruction to serve as the home tutor. +● Ensure appropriate school-level communications to prompt +a timely N1 team meeting with special education for +students who will be out for more than 60 days. +● Oversee the coordination of key school staff to ensure +students in Home and Hospital Instruction have school- +based support in the areas of academics, curriculum, +attendance, and testing as appropriate and necessary. +Role of the school nurse: +● The school nurse reviews and submits the completed +Physician’s Statement form and non-BPS student form to +Home and Hospital Instruction (617-635-6633) for +coordination of services. +● Communicate with the Home and Hospital Instruction team + + +Page 6: +Superintendent’s Circular SSS-19 +Page 6 of 13 + + + +as needed to ensure students have appropriate access to +services and tutoring. +● Coordinate with the physician or medical provider as +needed to confirm, verify, or request updates to information +in Physician Statement. +● Collaborate with the school-based and Special Education +team to ensure appropriate support of the student’s +academic goals while in Home and Hospital Instruction. +● Request a medical update from the physician after 2 +months if the student still needs home tutoring. +● When it is known that a student will be out for more than 60 +days, it is recommended that the school nurse coordinate +with the family and/or medical provider to ensure that the +physician completes the 60 Day Physician Statement. +Role of the teacher: +● Ensure that the student follows the same classroom syllabus +and rubric as the non-medically involved students. +● Modify home and hospital assignments as needed so the +student can continue to make academic progress. +● Correct the work and assign appropriate grades to the +student. +● Notify parents of the student’s progress. +Role of the identified school-based contact to Home and +Hospital Instruction: +● Determine if online curriculum is appropriate and posts +online. + + +Page 7: +Superintendent’s Circular SSS-19 +Page 7 of 13 + + + +● Collect materials/assignments from the student’s teachers +for the home and hospital instructors. +● If students are hospitalized, the school contact provides +materials/assignments to parents. Work can also be faxed +or emailed to the hospital instructors. +● If a student is homebound, the school contact provides +materials/assignments to the home instructors. +● Communicate frequently with the Home & Hospital +Instruction Program, home-based instructors, students, and +parents to assure continuity of services and that student +needs are being met. +● Receive completed work from the home or hospital +instructors and deliver the work to the student’s teachers. +● Ensure students are not being marked absent but as +Constructively Present (CP). Students’ attendance should +reflect “Home Tutoring” as the “reason code” to avoid “did +not report’ (DNR) and automatic withdrawal from school. +● Ensure grades are entered and report cards are generated. +● Sign off on home instructor timesheet once monthly. +● Retain copy of scholastic and attendance records. +● Work with the Office of Special Education to assure qualified +students are evaluated for an IEP or 504 plan. +Role of Home and Hospital Instruction: +● Oversee the Home and Hospital Instruction program, +including tutor recruitment, application, assignment, +payment, and training. + + +Page 8: +Superintendent’s Circular SSS-19 +Page 8 of 13 + + + +● Identify tutoring vendors in conjunction with the hospital. +● Identify a home instructor once eligibility is confirmed. +● Maintain a tracking system of all students receiving Home +and Hospital Instruction. +● Provide training on protocol and procedures to all Home +and Hospital instructors. +● Perform quality assurance monitoring, which can include +random visits to tutoring sites. +● Assist schools in academic advising. +● Determine, in conjunction with the school, the family and +the medical needs, the length and frequency of tutoring +sessions. In general, the length should not exceed 3 hours in +one sitting, and the frequency is generally 3 times per week, +with a range of 2- 10 hours. +Role of the Home and Hospital instructors: +● Participate in the Home and Hospital Instruction training +program and review/implement the Protocol and Procedure +Manual for Home Instructors. +● Confirm tutoring assignments with the school within 24 +hours of receipt. +● Maintain communication with the school’s designated +school-based contact person. +● Complete scholastic records on individual students. +● Maintain a timesheet with daily parental sign-off. +● Provide direct tutorial services on an individualized basis to +assigned students. + + +Page 9: +Superintendent’s Circular SSS-19 +Page 9 of 13 + + + +● Arrange designated material pick-up times with the school’s +contact. +● Schedule tutoring sessions with parents. + +For more information about this circular, contact: +Owner: +Senior Director, Office of Health Services +Department: +Office of Health Services +Mailing Address: 443 Warren Street, Dorchester, MA 02121 +Phone: +617-635-6788 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + + + +Page 10: +Superintendent’s Circular SSS-19 +Page 10 of 13 + + + + + + +Page 11: +Superintendent’s Circular SSS-19 +Page 11 of 13 + + + + + + + + +Page 12: +Superintendent’s Circular SSS-19 +Page 12 of 13 + + + +ATTACHMENT B +This form is to be completed by the school on Non-BPS students: +Private, Charter, Out of District, Private Placement and METCO +This student is currently receiving hospital/home tutorial services +through Boston Public Schools. In addition to the Physician’s +Statement (form 603 CMR 28.3(3)c), please submit the following +information for the referred student: + +Student Name: ___________________________________________________ +Address: __________________________________________________________ +Parent/Guardian: _________________________________________________ +Telephone: Home______________________Cell ______________________ +Date of Birth: ___________________________________________________ +Race: ____________________________________________________________ +M______ F______ Grade: ____________ +School Name: ____________________________________________________ +School Address: __________________________________________________ +School Phone: ____________________________________________________ +School Contact: __________________________________________________ +Email Address: ___________________________________________________ +FAX #: _____________________________ + + +Page 13: +Superintendent’s Circular SSS-19 +Page 13 of 13 + + + +Is the student receiving special education services? +Yes____ No_____ Unknown ______ + +Please return this form to: +Home and Hospital Program Coordinator +Boston Public School, Home and Hospital Instruction +443 Warren Street, Dorchester, MA 02121, Suite #2 +or email to: Operations-Department Heads@bostonpublicschools.org +Contact Information: +Office 617-635-6633 +FAX 617-635-6635 + + + diff --git a/data/data_txt1/Superintendent's Office (SUP)/SUP-19 De-Escalation and Physical Restraint Policy.docx.txt b/data/data_txt1/Superintendent's Office (SUP)/SUP-19 De-Escalation and Physical Restraint Policy.docx.txt new file mode 100644 index 0000000..301faa8 --- /dev/null +++ b/data/data_txt1/Superintendent's Office (SUP)/SUP-19 De-Escalation and Physical Restraint Policy.docx.txt @@ -0,0 +1,1082 @@ +Page 1: +Superintendent’s +Circular +NUMBER: +SUP-19 +Version 01 +DE-ESCALATION, PHYSICAL RESTRAINT, +SECLUSION AND TIME-OUT POLICY +This Circular will remain in effect unless rescinded or superseded +by a subsequent version. +I. INTRODUCTION +The purpose of this circular is to ensure that every student +participating in a Boston Public Schools program is free from the +use of physical restraint inconsistent with state law and district +policy and to ensure that physical restraint is used only in +emergency situations of last resort, after other lawful and less +intrusive alternatives have failed or been deemed inappropriate, +and with extreme caution. The purpose of the circular is also to +state that the use of seclusion is prohibited by law and in the +Boston Public Schools. This circular is consistent with regulations +established by the Massachusetts Department of Elementary and +Secondary Education, 603 CMR 46.00 and with school district +policy. +The Massachusetts Department of Elementary and Secondary +Education established regulations governing the use of physical +restraints on students. These regulations supersede all previously +established procedures. The Boston Public Schools must follow +the provisions of 603 CMR 46.00, which regulates physical +restraint on students in Massachusetts public school districts, +charter schools, and collaborative and special education schools. + + +Page 2: +Superintendent’s Circular SUP-19 +Page 2 of 35 +Physical restraint should be administered only when needed to +protect a student or other students and staff from assault or +imminent danger of serious physical harm. Physical restraint +should be administered in the least intrusive manner possible +and should be used to prevent or minimize harm to the student. +Boston Public Schools does not use Seclusion. Seclusion shall +mean the involuntary confinement of a student alone in a room +or area from which the student is physically prevented from +leaving. Seclusion does not include a time-out, which shall mean +a behavioral support strategy developed pursuant to 603 CMR +46.04(1) in which a student temporarily separates from the +learning activity or the classroom, either by choice or by direction +from staff, for the purpose of calming. During time-out, a student +must be continuously observed by a staff member. Staff shall be +with the student or immediately available to the student at all +times. The space used for time-out must be clean, safe, sanitary, +and appropriate for the purpose of calming. Time-out shall cease +as soon as the student has calmed and no time-out can exceed +30 minutes without the express approval of the School Leader or +their designee. +II. DEFINITIONS +Mechanical restraint shall mean the use of any physical device or +equipment to restrict a student's freedom of movement. +Mechanical restraint does not include devices implemented by +trained school personnel, or utilized by a student that have been +prescribed by an appropriate medical or related services +professional, and are used for the specific and approved + + +Page 3: +Superintendent’s Circular SUP-19 +Page 3 of 35 +positioning or protective purposes for which such devices were +designed. Examples of such devices include: adaptive devices or +mechanical supports used to achieve proper body position, +balance, or alignment to allow greater freedom of mobility than +would be possible without the use of such devices or mechanical +supports; vehicle safety restraints when used as intended during +the transport of a student in a moving vehicle; restraints for +medical immobilization; or orthopedically prescribed devices that +permit a student to participate in activities without risk of harm. +*BPS prohibits this type of restraint* +Medication restraint shall mean the administration of +medication for the purpose of temporarily controlling behavior. +Medication prescribed by a licensed physician and authorized by +the parent/guardian for administration in the school setting is not +medication restraint. *BPS prohibits this type of restraint* +Physical escort shall mean a temporary touching or holding, +without the use of force, of the hand, wrist, arm, shoulder, or +back for the purpose of inducing a student who is agitated to +walk to a safe location. +Physical restraint shall mean direct physical contact that +prevents or significantly restricts a student's freedom of +movement. Physical restraint does not include: brief physical +contact to promote student safety, providing physical guidance +or prompting when teaching a skill, redirecting attention, +providing comfort, or a physical escort. +Prone restraint shall mean a physical restraint in which a student +is placed face down on the floor or another surface, and physical + + +Page 4: +Superintendent’s Circular SUP-19 +Page 4 of 35 +pressure is applied to the student's body to keep the student in +the face-down position. *BPS prohibits this type of restraint* +Seclusion shall mean the involuntary confinement of a student +alone in a room or area from which the student is physically +prevented from leaving. Seclusion does not include a time-out as +defined in 603 CMR 46.02. *Seclusion is prohibited in public +schools and in BPS* +Time-out shall mean a behavioral support strategy developed +pursuant to 603 CMR 46.04(1) in which a student temporarily +separates from the learning activity or the classroom, either by +choice or by direction from staff, for the purpose of calming. +During time-out, a student must be continuously observed by a +staff member. Staff shall be with the student or immediately +available to the student at all times. The space used for time-out +must be clean, safe, sanitary, and appropriate for the purpose of +calming. Time-out shall cease as soon as the student has calmed +and no time-out can exceed 20 minutes without the express +approval of the School Leader or their designee. +III. PHYSICAL RESTRAINT PROCEDURES +A. METHODS FOR PREVENTING VIOLENCE AND ENGAGING +PARENTS/GUARDIANS +The BPS Behavioral Health Services department has school +psychologists assigned to all BPS schools and has social +workers that provide district-wide services. The Behavioral + + +Page 5: +Superintendent’s Circular SUP-19 +Page 5 of 35 +Health Services department provides a wide continuum of +behavioral health services including prevention, at-risk and +intensive services. In addition, the Behavioral Health Services +team is the mental health crisis response team for the +district and works with educational staff to identify and +respond to unsafe situations. +In addition, BPS has developed a multi-tiered system of +supports for preventing student violence, self-injurious +behavior, and suicide, including individual crisis planning +and de-escalation of potentially dangerous behavior +occurring among groups of students or with an individual +student. The Comprehensive Behavioral Health Model +(CBHM) is a multi-tiered system of supports (MTSS) designed +to promote students' social, emotional, and behavioral +wellbeing. MTSS is a three-tier model of service delivery for +educational and behavioral services in a school setting. This +model is also often called Response to Intervention (RtI). In +BPS, the Academic Achievement Framework (AAF) is a +version of RtI focused on students' social and behavioral +learning. CBHM is focused on students' social and behavioral +learning. The goal of the CBHM Lighthouse model is to +create safe and supportive learning environments in which +students may grow and thrive academically, personally, and +socially. This includes providing the right amount of services +and supports at the right time when a student absolutely +needs them. +These models are based on the logic that the majority of +students can and will be successful when provided with +evidence-informed instruction and preventative + + +Page 6: +Superintendent’s Circular SUP-19 +Page 6 of 35 +interventions. Appropriate interventions and the use of data +to assess progress help ensure that students who benefit +from progressively more intensive services will not need +them over the long-term. +BPS engages with parents and caregivers at a school level, +through the Guide for Families and Students and through +the Special Education Parent Advisory Council (or SEPAC) to +engage parents and caregivers in discussions about restraint +prevention and the use of restraint solely as an emergency +procedure. +B. USE OF RESTRAINT +Physical restraint should be administered only when needed +to protect a student or other students and staff from assault +or imminent serious physical harm. Physical restraint can +only be used as a last resort in an emergency when a +student’s behavior poses a threat of imminent, serious +physical harm to himself or herself or others, and the +student does not respond to verbal directives or other lawful +and less intrusive behavior interventions, or such +interventions are deemed inappropriate under the +circumstances. Physical restraint shall be limited to the use +of such reasonable force as is necessary, for the least +amount of time necessary, to protect a student or another +member of the school community from assault or imminent, +serious, physical harm. A physical restraint may only be + + +Page 7: +Superintendent’s Circular SUP-19 +Page 7 of 35 +administered by school personnel who have been properly +trained in the use of physical restraint. +C. USE OF TIME-OUT +Seclusion does not include a time-out. A time-out is not a +restraint. A time-out is a behavioral support strategy in +which a student temporarily separates from the learning +activity or the classroom, either by choice or by direction +from staff, for the purpose of calming. Time-outs are +permitted as a behavioral strategy if the student is with a +staff member or is continuously observed by a staff member +who is immediately available to the student at all times. The +space used for time-out must be clean, safe, sanitary, and +appropriate for the purpose of calming. Time-out shall cease +as soon as the student has calmed. Time-out may not be +used for discipline or punishment. The preference is for +time-out to be implemented within a classroom to the +greatest extent possible. Staff must document in Aspen the +antecedent behavior prior to the time-out, any other +behavioral support strategies attempted, and the time, date, +duration and location of any time-out used as a behavioral +support strategy. The school leader must give and +document approval for any time-out to continue more than +30 minutes based on the individual student's continuing +agitation. + + +Page 8: +Superintendent’s Circular SUP-19 +Page 8 of 35 +D. OTHER LIMITATIONS ON USE OF RESTRAINT +Physical restraint shall be limited to using such reasonable +force as is necessary to protect a student or another +member of the school community from assault or imminent, +serious, physical harm. 603 CMR 46.03(3). +Instances when restraint is not to be used: +1. Physical restraint is not to be used as a means of +discipline or punishment. 603 CMR +46.03(2)(a). +2. Physical restraint is not to be used when the student +cannot be safely restrained because it is medically +contraindicated for reasons including but not limited to +asthma, seizures, cardiac condition, obesity, bronchitis, +communication-related disabilities, or risk of vomiting. +603 CMR 46.03(2)(b). +3. Physical restraint is not to be used as a response to the +destruction of property, school disruption, refusal of the +student to comply with public education program rules +or staff directive, or verbal threats when those actions +do not constitute a threat of assault, or imminent, +serious, physical harm. 603 CMR 46.03(2)(c). +4. Physical restraint should not be used as a standard +response for any individual student. No written +individual behavior plan or individualized education +program (IEP) may include the use of physical restraint + + +Page 9: +Superintendent’s Circular SUP-19 +Page 9 of 35 +as a standard response to any behavior. 603 CMR +46.03(2)(d). +5. Boston Public Schools prohibits the following forms of +restraint: mechanical, medication, seclusion, prone, and +prone restraints. +Nothing in this document, or in 603 CMR 46.00, prohibits: +1. the right of an individual to report to appropriate +authorities a crime committed by a student or another +individual. +2. law enforcement, judicial authorities, or school security +personnel from exercising their responsibilities, +including the physical detainment of a student or other +persons alleged to have committed a crime or posing a +security risk. +3. the exercise of an individual’s responsibilities as a +mandated reporter of child abuse/neglect according to +MGL c. 119, s 51A to the appropriate state agency. +4. the protection afforded publicly funded students under +other state or federal laws, including those laws that +provide for the rights of students who have been found +eligible to receive special education or related services. + + +Page 10: +Superintendent’s Circular SUP-19 +Page 10 of 35 +E. PROPER ADMINISTRATION OF PHYSICAL RESTRAINT +●Restraint must be implemented only by trained and +actively certified personnel. Whenever possible, the +restraint shall be witnessed by at least one person who +did not engage in the restraint. As an exception, in the +event of an emergency situation where no trained staff +are available to protect students and staff from imminent +harm, the restraint may be implemented until properly +trained staff have arrived. +●Restraints must be implemented in a way that does not +prevent a student from breathing or speaking. +●The use of unnecessary force in administering physical +restraint is expressly prohibited. Intervening staff can use +only the amount of force necessary to protect the +students or others from physical injury. Staff shall select +the safest and least intrusive method that is likely to be +effective for the student. +●If a student indicates or is observed to be in significant +physical distress (difficulty breathing, signs or indicators +of pain or discomfort, change in color or alertness, etc.), +the student shall be released immediately, and medical +assistance should be sought. +●Students shall be released from physical restraint as soon +as it is safe to do so, meaning that the student is no +longer a danger to themselves or others and/or a plan has +been made to manage the student safely without having +to use physical management. + + +Page 11: +Superintendent’s Circular SUP-19 +Page 11 of 35 +●In the rare event that a student is in crisis for more than +20 minutes, restraints over 20 minutes must have +approval from the school leader. The school leader must +document that approval was granted for any restraint +over 20 minutes. +●Follow up procedures following restraint must be +implemented. These include a debrief with the student (if +appropriate), a review of the incident with staff, and any +needed follow up with student witnesses. +●The school nurse should assess the student’s physical +condition after any restraint. +F. SAFETY REQUIREMENTS +Pursuant to 603 CMR 46.05(5), the following is required: +1. A restraint shall not be administered in a manner that +prevents the student from speaking or breathing. +2. A restraint shall be administered in such a way to +prevent or minimize physical harm. +3. During a restraint, a staff member shall continuously +monitor the physical status of the student including +skin temperature and color, and respiration. +4. If at any time during the restraint the student +expresses or demonstrates significant physical distress +including, but not limited to, difficulty breathing, the +restraint will immediately terminate, and medical +assistance will be sought. + + +Page 12: +Superintendent’s Circular SUP-19 +Page 12 of 35 +5. Program staff will review and consider any known +medical or psychological limitations, known or +suspected trauma history, and/or behavioral +intervention plans regarding the use of physical +restraint on an individual student. +6. During a restraint, staff will continuously talk to and +engage the student in an attempt to de-escalate +behavior and to end the restraint as soon as possible. +7. Staff administering physical restraint will use the safest +method available that is appropriate to the situation. +8. If a student is restrained for a period longer than 20 +minutes, program staff shall obtain approval from the +school leader. The approval shall be based upon the +student’s continued agitation during the restraint +justifying the need for continued restraint. +9. After the release of a student from restraint, the +incident, when applicable, will be reviewed with the +student and the behavior that led up to the restraint +will be addressed. +10. +The staff person(s) who administered the restraint +will also have a review to discuss whether proper +restraint procedures were followed and consider +whether any follow-up is appropriate for students who +witnessed the incident. + + +Page 13: +Superintendent’s Circular SUP-19 +Page 13 of 35 +IV. REPORTING REQUIREMENTS +A. FOLLOWING EACH RESTRAINT +Following the use of any physical intervention of any +duration that meets the definition of physical restraint under +DESE regulations, several steps must be taken to notify +appropriate parties and report the restraint in both BPS and +DESE systems: +●Notify School Administration: Notify school +administration verbally as soon as possible, and provide +written report by the next school working day. In the +event that the school leader was involved in the +restraint, the restraint must be reported to the School +Superintendent or Operational Leader within the same +timeline. +●Notify Parents/Guardians: The school leader or +director of the program notifies the parent/guardian +verbally as soon as possible (by the end of the day of +incident), and by written report in the language of the +home to an email provided by the parent/guardian or +by regular mail postmarked within 3 working days of +the incident. The written report shall include: +○Student information, the names of those involved +in the restraint, and observer names (if any). The +report will also include the name of the +administrator notified if the event went beyond 20 +minutes. + + +Page 14: +Superintendent’s Circular SUP-19 +Page 14 of 35 +○Date and time of the restraint, including +beginning and ending timesA brief summary of +the event in progress at the time of restraint, the +immediate antecedent to the challenging +behavior, efforts/attempts at de-escalation, any +alternatives to restraint tried, and documentation +of any injuries to staff or students. The summary +should also include description of the holds used +and why they were necessary, any reaction of the +student to the restraint, how the restraint ended. +○Any further actions taken by the school, +opportunities for the parent/guardian to discuss +the restraint, any consequences that may be +imposed on the student, or any other related +matter. +Important note: The school leader will print a copy of +the same report submitted to DESE (see “Report to +DESE” below) as written documentation of the +restraint and email or mail it to the parent/guardian. +The report to DESE should contain the required +information listed above. +●Record in Aspen: a conduct incident must be recorded +in Aspen within 24 hours, detailing attempts to +de-escalate, provide limits, type of restraint used and +duration. The use of restraint should be added as a +conduct action of “Restraint-Physical.” +●Report to DESE: all restraints must also be reported to +DESE via the DESE Security Portal + + +Page 15: +Superintendent’s Circular SUP-19 +Page 15 of 35 +(https://gateway.edu.state.ma.us/edu/myportal/meoe) +within three business days. The school leader is +responsible for ensuring that all reporting timelines are +adhered to and that the restraint is uploaded to the +portal in a timely manner. +○In the event of an injury during restraint, a copy of +the written report must be sent to DESE within +three school working days. In addition, the school +must also send the copy of the record of restraints +maintained by the school leader for the 30-day +period before the date of the reported incident. +The program will be notified of any additional +steps needed within 30 calendar days of receipt of +the reports. +B. DATA REVIEW +1. Individual Student Review +The school leader shall conduct a weekly review of the +data to identify any students who have been restrained +multiple times that week. If students are identified as +having been involved in multiple restraints in a week, the +school leader will convene a support team to: +(a) review and discussion of the written reports +submitted in accordance with 603 CMR 46.06 and any +comments provided by the student and +parent/guardian about such reports and the use of the +restraints; + + +Page 16: +Superintendent’s Circular SUP-19 +Page 16 of 35 +(b) an analysis of the circumstances leading up to each +restraint, including factors such as time of day, day of +the week, antecedent events, and individuals involved; +(c) consideration of factors that may have contributed +to escalation of behaviors, consideration of alternatives +to restraint, including de-escalation techniques and +possible interventions, and such other strategies and +decisions as appropriate, with the goal of reducing or +eliminating the use of restraint in the future; +​ +(d) agreement on a written plan of action by the +program. +*If the school leader directly participated in the restraint, a +duly qualified individual designated by the superintendent +or board of trustees shall lead the review team's +discussion. The school leader shall ensure that a record of +each individual student review is maintained and made +available for review by the Department or the +parent/guardian, upon request. +2. Monthly School-Wide Review +The school leader will complete a monthly review of all +school-wide restraint data. The review should look for +patterns like time of day or day of week, individuals +involved, types of restraints or durations for specific +students, duration of restraints, and the number and +types of injuries. Based on this review, the school leader +may decide that updates or retraining are needed or any +other actions needed with the goal of reducing or + + +Page 17: +Superintendent’s Circular SUP-19 +Page 17 of 35 +eliminating restraints +V. TRAINING REQUIREMENTS +A. FOR ALL STAFF +The laws of MA require that all school district staff that +interact with students receive an annual Prevention of +Restraint and Seclusion and De-Escalation Training. To +respond to this requirement BPS has created an +asynchronous online learning module consistent with 603 +CMR 46.04(2). The training must be completed within the +month of September of every school year. For employees +hired after the beginning of the school year, the training +must be completed within the first month of their hire. +Each school leader shall determine a time and method to +provide all program staff with training regarding the +program's restraint prevention and behavior support policy +and requirements when restraint is used. +Training shall include information on the following: +(a) The role of the student, family, and staff in +preventing restraint; +(b) The program's restraint prevention and behavior +support policy and procedures, including use of +time-out as a behavior support strategy distinct from +seclusion; +(c) Interventions that may preclude the need for + + +Page 18: +Superintendent’s Circular SUP-19 +Page 18 of 35 +restraint, including de-escalation of problematic +behaviors and other alternatives to restraint in +emergency circumstances; +(d) When behavior presents an emergency that +requires physical restraint, the types of permitted +physical restraints and related safety considerations, +including information regarding the increased risk of +injury to a student when any restraint is used, in +particular a restrain of extended duration; +(e) Administering physical restraint in accordance with +medical or psychological limitations, known or +suspected trauma history, and/or behavioral +intervention plans applicable to an individual student; +and +(f) Identification of program staff who have received +in-depth training pursuant to 603 CMR 46.04(3) in the +use of physical restraint +Below is the link to the training. +De-escalation training link +B. FOR ALL STAFF AUTHORIZED TO SERVE AS A +SCHOOL-WIDE RESOURCE ON THE PROPER +ADMINISTRATION OF PHYSICAL RESTRAINT +At the beginning of each school year, school leaders are +required to identify program staff who are authorized to +serve as a school-wide resource to assist in ensuring proper +administration of physical restraint. These individuals will + + +Page 19: +Superintendent’s Circular SUP-19 +Page 19 of 35 +participate in in-depth training in the use of physical +restraint. Such training will include the content described in +603 CMR 46.04(4) and be competency-based and be at least +sixteen (16) hours in length with at least one refresher +training occurring annually thereafter. This training will be in +the Safety Care Program and provided by the Office of Social +Work Department or Special Education. Staff can register for +Safety Care training on Vector. +Only public education program personnel who have +received Safety Care training shall administer physical +restraint on students. Whenever possible, the administration +of restraint shall be witnessed by at least one adult who +does not participate in the restraint. However, the training +requirements shall not preclude a teacher, employee, or +agent of the public education program from using +reasonable force to protect students, other persons, or +themselves from assault or imminent, serious physical +harm. 603 CMR 46.05(1) +C. PROPER ADMINISTRATION OF RESTRAINT +Please review the Proper Administration of Restraint in Section III +above. This section gives additional details directly from the state +regulations. +1. Trained Personnel. Only public education program +personnel who have received training pursuant to 603 +CMR 46.03(2) or (3) shall administer physical restraint +on students. Whenever possible, the administration of + + +Page 20: +Superintendent’s Circular SUP-19 +Page 20 of 35 +a restraint shall be witnessed by at least one adult who +does not participate in the restraint. The training +requirements shall not preclude a teacher, employee or +agent of a public education program from using +reasonable force to protect students, other persons or +themselves from assault or imminent, serious, physical +harm. +2. Use of Force. A person administering a physical +restraint shall use only the amount of force necessary +to protect the student or others from serious physical +injury or harm. +3. Safest Method. A person administering physical +restraint shall use the safest method available and +appropriate to the situation subject to the safety +requirements set forth in 603 CMR 46.05(5). Floor +restraints, including prone restraints otherwise +permitted under 603 CMR 46.03(1)(b), shall be +prohibited in Boston Public Schools. +4. Duration of Restraint. All physical restraint must be +terminated as soon as the student is no longer an +immediate danger to himself or others, or the student +indicates that he or she cannot breathe, or if the +student is observed to be in severe distress, such as +having difficulty breathing, or sustained or prolonged +crying or coughing. + + +Page 21: +Superintendent’s Circular SUP-19 +Page 21 of 35 +5. Safety Requirements. Additional requirements for the +use of physical restraint: +(a) No restraint shall be administered in such a way +that the student is prevented from breathing or +speaking. During the administration of a restraint, +a staff member shall continuously monitor the +physical status of the student, including skin +temperature and color, and respiration. +(b) Restraint shall be administered in such a way so +as to prevent or minimize physical harm. If, at any +time during a physical restraint, the student +expresses or demonstrates significant physical +distress including, but not limited to, difficulty +breathing, the student shall be released from the +restraint immediately, and school staff shall take +steps to seek medical assistance. +(c) If a student is restrained for a period longer than +20 minutes, program staff shall obtain the +approval of the principal. The approval shall be +based upon the student's continued agitation +during the restraint justifying the need for +continued restraint. +(d) Program staff shall review and consider any +known medical or psychological limitations, +known or suspected trauma history, and/or +behavioral intervention plans regarding the use of +physical restraint on an individual student. + + +Page 22: +Superintendent’s Circular SUP-19 +Page 22 of 35 +(e) After the release of a student from a restraint, the +public education program shall implement +follow-up procedures. These procedures shall +include reviewing the incident with the student to +address the behavior that precipitated the +restraint, reviewing the incident with the staff +person(s) who administered the restraint to +discuss whether proper restraint procedures were +followed, and consideration of whether any +follow-up is appropriate for students who +witnessed the incident. +D. REPORTING REQUIREMENTS +Please review the Reporting Requirements in Section IV +above. This section gives additional details directly from the +state regulations. +1. +Circumstances under which a physical restraint must +be reported. Program staff shall report the use of any +physical restraint as specified in 603 CMR 46.06(2). +2. Informing the Principal. The program staff member +who administered the restraint shall verbally inform the +School Leader of the restraint as soon as possible, and +by written report no later than the next school working +day. The written report shall be provided to the School +Leaderfor review of the use of the restraint. If the +School Leaderhas administered the restraint, the +School Leadershall prepare the report and submit it to + + +Page 23: +Superintendent’s Circular SUP-19 +Page 23 of 35 +an individual or team designated by the +superintendent or board of trustees for review. The +School Leadershall maintain an on-going record of all +reported instances of physical restraint, which shall be +made available for review by the Department or the +student's parent/guardian, upon request. +3. Informing Parents/Guardians. The School Leadershall +make reasonable efforts to verbally inform the +student's parent/guardian of the restraint within 24 +hours of the event, and shall notify the parent/guardian +by written report sent either within three school +working days of the restraint to an email address +provided by the parent/guardian for communications +about the student, or by regular mail postmarked no +later than three school working days of the restraint. If +the program customarily provides a parent/guardian of +a student with report cards and other necessary +school-related information in a language other than +English, the written restraint report shall be provided to +the parent/guardian in that language. The School +Leader shall provide the student and the +parent/guardian an opportunity to comment orally and +in writing on the use of the restraint and on +information in the written report. +4. Contents of Report. The written report required by 603 +CMR 46.06(2) and (3) shall include: (a) The name of the +student; the names and job titles of the staff who +administered the restraint, and observers, if any; the +date of the restraint; the time the restraint began and + + +Page 24: +Superintendent’s Circular SUP-19 +Page 24 of 35 +ended; the name of the School Leader or designee who +was verbally informed following the restraint; and, as +applicable, the name of the School Leader or designee +who approved continuation of a restraint beyond 20 +minutes pursuant to 603 CMR 46.05(5)(c). (b) A +description of the activity in which the restrained +student and other students and staff in the same room +or vicinity were engaged immediately preceding the +use of physical restraint; the behavior that prompted +the restraint; the efforts made to prevent escalation of +behavior, including the specific de-escalation strategies +used; alternatives to restraint that were attempted; and +the justification for initiating physical restraint. (c) A +description of the administration of the restraint +including the holds used and reasons such holds were +necessary; the student's behavior and reactions during +the restraint; how the restraint ended; and +documentation of injury to the student and/or staff, if +any, during the restraint and any medical care +provided. (d) Information regarding any further +action(s) that the school has taken or may take, +including any consequences that may be imposed on +the student. (e) Information regarding opportunities for +the student's parent/guardian to discuss with school +officials the administration of the restraint, any +consequences that may be imposed on the student, +and any other related matter. +5. Individual Student Review. The School Leader shall +conduct a weekly review of restraint data to identify + + +Page 25: +Superintendent’s Circular SUP-19 +Page 25 of 35 +students who have been restrained multiple times +during the week. If such students are identified, the +School Leadershall convene one or more review teams +as the School Leader deems appropriate to assess each +student's progress and needs. The assessment shall +include at least the following: (a) review and discussion +of the written reports submitted in accordance with +603 CMR 46.06 and any comments provided by the +student and parent/guardian about such reports and +the use of the restraints; (b) an analysis of the +circumstances leading up to each restraint, including +factors such as time of day, day of the week, +antecedent events, and individuals involved; (c) +consideration of factors that may have contributed to +escalation of behaviors, consideration of alternatives to +restraint, including de-escalation techniques and +possible interventions, and such other strategies and +decisions as appropriate, with the goal of reducing or +eliminating the use of restraint in the future; (d) an +agreement on a written plan of action by the +program.If the School Leader directly participated in +the restraint, a duly qualified individual designated by +the superintendent or board of trustees shall lead the +review team's discussion. The School Leader shall +ensure that a record of each individual student review +is maintained and made available for review by the +Department or the parent/guardian, upon request. +6. Administrative Review. The School Leader shall +conduct a monthly review of school-wide restraint data. + + +Page 26: +Superintendent’s Circular SUP-19 +Page 26 of 35 +This review shall consider patterns of use of restraints +by similarities in the time of day, day of the week, or +individuals involved; the number and duration of +physical restraints school-wide and for individual +students; the duration of restraints; and the number +and type of injuries, if any, resulting from the use of +restraint. The School Leader shall determine whether it +is necessary or appropriate to modify the school's +restraint prevention and management policy, conduct +additional staff training on restraint reduction or +prevention strategies, such as training on positive +behavioral interventions and supports, or take such +other action as necessary or appropriate to reduce or +eliminate restraints. +7. Report All Restraint-related Injuries to the Department. +When a physical restraint has resulted in an injury to a +student or program staff member, the program shall +send a copy of the written report required by 603 CMR +46.06(4) to the Department postmarked no later than +three school working days of the administration of the +restraint. The program shall also send the Department +a copy of the record of physical restraints maintained +by the School Leader pursuant to 603 CMR 46.06(2) for +the 30-day period prior to the date of the reported +restraint. +8. Report All Physical Restraints to the Department. Every +program shall collect and annually report data to the +Department regarding the use of physical restraints. + + +Page 27: +Superintendent’s Circular SUP-19 +Page 27 of 35 +Such data shall be reported in a manner and form +directed by the Department. +VI. COMPLAINT PROCEDURE +A. INFORMAL COMPLAINTS +Parents/guardians or students will notify the school leader or +designee of any concerns regarding restraint practices and +procedures. If a designee receives the complaint or a +concern, that designee shall notify the school leader within +the school day. The school leader shall attempt, within their +authority, to work with the parent/guardian to resolve the +complaint fairly and expeditiously. If the parent/guardian is +not satisfied with the resolution or does not choose an +informal resolution, then the parent/guardian may proceed +with the formal complaint process. +B. FORMAL COMPLAINTS +A complaint may be submitted to the Regional School +Superintendent regarding any restraint. +A complaint may be submitted to the Problem Resolution +System at the Massachusetts Department of Elementary +and Secondary Education at +https://www.doe.mass.edu/prs/intake/default.html. +For more information or questions on: + + +Page 28: +Superintendent’s Circular SUP-19 +Page 28 of 35 +Topic +Department & +Contact +Email +General Restraint +Policy, DESE +Requirements and +Documentation +Office of Specialized +Services +Kay Seale, Chief of +Specialized Services +Christine Trevisone, +Senior Advisor of +Specialized Services +kseale@bostonpublicscho +ols.org +ctrevisone@bostonpublics +chools.org +Safety-Care +(De-Escalation and +Physical Restraint +Training) – ABA +Strand +Office of Specialized +Services +Zachary Houston, +Assistant Director ABA +zhouston@bostonpublicsc +hools.org +Safety-Care +(De-Escalation and +Physical Restraint +Training) – non-ABA +schools +Office of Student +Support +Jenna Parafinczuk, +Director of Social Work +jparafinczuk@bostonpubli +cschools.org + + +Page 29: +Superintendent’s Circular SUP-19 +Page 29 of 35 +De-Escalation +Training +Office of Behavioral +Health +Andria Amador, Senior +Director of Behavioral +Health Services +aamador@bostonpublicsc +hools.org +Reporting +Schools Department +Drew Echelson, Chief +of Schools and +Accountability, or +Operational Leader for +Region +dechelson@bostonpublics +chools.org +● +Region 1: Jeichael +Henderson: +jhenderson@bostonp +ublicschools.org +● +Region 2: Courtney +Kinney: +cmaginnis@bostonp +ublicschools.org +● +Region 3: Michelle +Jordan: +mjordan2@bostonpu +blicschools.org +● +Region 4: Naima +Abdal-Khallaq: + + +Page 30: +Superintendent’s Circular SUP-19 +Page 30 of 35 +nabdalkhallaq@bosto +npublicschools.org +● +Region 5: Kristen +Weeks: +kweeks@bostonpubli +cschools.org +● +Region 6: Monique +Carter: +mcarter3@bostonpu +blicschools.org +● +Region 7: Nelson +Miranda: +nmiranda@bostonpu +blicschools.org +● +Region 8: Zach Solis: +zsolis@bostonpublics +chools.org +● +Region 9: Rui Gomes: +rgomes2@bostonpub +licschools.org +Mary Skipper, Superintendent + + +Page 31: +Superintendent’s Circular SUP-19 +Page 31 of 35 +ATTACHMENT A: QUICK REFERENCE DO’S AND DON’TS +FOR CRISIS INTERVENTION IN BOSTON PUBLIC SCHOOLS +In Massachusetts, the use of physical restraint in public schools is +highly regulated, and it should only be employed as a last resort +to ensure the safety of students and staff. It is essential for teachers +and school staff to follow specific guidelines and best practices +when using physical restraint. Here's a list of Do's and Don'ts for +staff using physical restraint in public schools in Boston: +Do's: +●Use the Least Restrictive Method: Use the least restrictive +means of intervention. Alternatives to restraint, including but +not limited to verbal or other de-escalation techniques, +should be attempted before resorting to physical restraint. +●Safety First: Physical restraint should only be used when +there is a threat of assault or imminent serious physical harm. +It should never be used as a form of punishment or discipline. +●Training: Teachers and staff should receive proper training in +safe and effective restraint techniques, including annual +refresher training. +●Documentation: Document the incident thoroughly, +including the reason for restraint, the duration, and any +injuries sustained. This documentation should be completed +as soon as possible after the incident. The documentation +should contain the facts of the incident and restraint rather +than conclusions. + + +Page 32: +Superintendent’s Circular SUP-19 +Page 32 of 35 +●Documentation of Time-Outs: Staff should document in +Aspen the antecedent behavior and the time, date, duration +and location of any time-out used as a behavioral support +strategy. The school leader must give approval for any +time-out to continue more than 30 minutes based on the +individual student's continuing agitation. +●Communication: Maintain open and effective +communication with other staff members during a restraint +to ensure a coordinated and safe response.In the rare event +that a student is in crisis for more than 20 minutes, +restraints over 20 minutes must have approval from the +school leader. The school leader must document that +approval was granted for any restraint over 20 minutes. +●Notify Parents/Guardians: The principal or director of the +program notifies the parent/guardian, verbally as soon as +possible (within 24 hours), and by written report within 3 +school working days by providing a copy of the physical +restraint report submitted to DESE. +●Monitoring: Continuously monitor the student's physical and +emotional well-being during the restraint. All physical +restraint must be terminated as soon as the student is no +longer an immediate danger to themself or others, or the +student indicates that they cannot breathe, or if the student +is observed to be in severe distress, such as having difficulty +breathing, or sustained or prolonged crying or coughing. + + +Page 33: +Superintendent’s Circular SUP-19 +Page 33 of 35 +●Legal Compliance: Be aware of and follow all relevant laws, +regulations, and school policies regarding the use of physical +restraint in schools. +●Seek Medical Attention: If there are any injuries or signs of +distress during the restraint, seek immediate medical +attention for the student or impacted individual. +●School Nurse Assessment: Whenever possible, the school +nurse should assess the student’s physical condition +following a restraint. +Do nots: +●DON’T Implement Unnecessary Restraint: Do not use +physical restraint unless there is a threat of assault or an +imminent serious physical harm. It should not be used for +minor infractions or as a convenience for staff. +●DON’T Seclude: Always maintain visibility and ensure +continued communication with the student. Also ensure the +presence of another staff member if possible. Under no +circumstances may a student be left alone in a room or area +from which the student is physically prevented from leaving. +Doors cannot be locked during any time-out. +●DON’T Use Protracted Restraint: Do not continue the +restraint once the student is no longer an immediate danger +to themself or others, or if the student indicates they cannot +breathe or is observed to be in severe distress. + + +Page 34: +Superintendent’s Circular SUP-19 +Page 34 of 35 +●DON’T Restrain the Head or Neck: Do not use any form of +restraint that puts pressure on a student's head, neck, or +throat, as it can be dangerous and potentially lethal. +●DON’T Use Untrained Staff: Do not allow untrained or +unauthorized staff to engage in physical restraint. Only +trained personnel should be involved in the process. +●DON’T Use Mechanical Restraints: Do not use mechanical +restraints, such as handcuffs, on students in public schools. +●DON’T Use Restraints for Revenge or Punishment: Do not +use physical restraint as a means of revenge, discipline, or +punishment. Restraint should always be a last resort to +protect the safety of all involved. +●DON’T Fail to Report: Do not neglect to report the use of +physical restraint to school administration, parents/guardians, +and relevant authorities as required by law and school policy. +Reports should be carefully written to record the facts of the +incident and restraint. +Remember that the use of physical restraint in public schools is +a sensitive and potentially risky action that should only be used +when all other means of ensuring safety have been exhausted. +Compliance with Massachusetts laws and regulations is +essential to protect the well-being and rights of all students +involved. + + +Page 35: +Superintendent’s Circular SUP-19 +Page 35 of 35 +ATTACHMENT B: NOTIFICATION PROCESS + + diff --git a/data/data_txt1/Superintendent's Office (SUP)/SUP-20 Child Abuse and Neglect.txt b/data/data_txt1/Superintendent's Office (SUP)/SUP-20 Child Abuse and Neglect.txt new file mode 100644 index 0000000..3ace907 --- /dev/null +++ b/data/data_txt1/Superintendent's Office (SUP)/SUP-20 Child Abuse and Neglect.txt @@ -0,0 +1,534 @@ +Page 1: + + + Superintendent’s +Circular +NUMBER: +SUP-20 +Version 01 + + +CHILD ABUSE AND NEGLECT + +THIS CIRCULAR WILL REMAIN IN EFFECT UNLESS RESCINDED OR +SUPERSEDED BY A SUBSEQUENT VERSION +GENERAL INFORMATION +Massachusetts General Law (Chapter 119, Section 51A) requires +that certain persons who in their professional capacity have +reasonable cause to believe that a child under the age of +eighteen (18) years is suffering serious physical or emotional +injury resulting from abuse, including sexual abuse, or neglect, +including malnutrition, inflicted upon them SHALL +IMMEDIATELY, VIA TELEPHONE, REPORT THIS ABUSE OR +NEGLECT TO THE DEPARTMENT OF CHILDREN AND FAMILIES, +either via the attached Area Offices Telephone Directory or via +the 24-hour reporting hotline: 1-800-792-5200. + +Within forty-eight (48) hours of the initial oral report, these +professionals are required under Massachusetts law to notify the +Department of Children and Families (DCF) in writing using the +attached Report Form. The Report Form should be sent by +registered mail, with return receipt requested, to the appropriate +DCF Area Office. A new Report Form must be completed for +each new injury or re-injury. + + + +Page 2: +Superintendent’s Circular SUP-20 +Page 2 of 15 + +WHO MUST REPORT? +By law, the following professionals, among others, are “mandated +reporters” and must report cases of child abuse or neglect to +DCF: physicians, medical interns, medical examiners, dentists, +nurses, teachers, educational administrators, guidance +counselors, family counselors, probation officers, school +attendance officers, social workers, psychologists, and police +officers. When these professionals are employed at a school, they +must either notify DCF directly or, alternatively, notify the person +in charge of the school or that person’s designated agent. Out of +an abundance of caution, however, all school professional staff in +the Boston Public Schools are required to report to DCF any +instance of neglect or abuse that they observe or which is +brought to their attention. + +Please note that all employees are required to report any +suspected or alleged bias-based conduct toward a student +or sexual misconduct toward a student under circulars EQT- +02 and EQT-03. This report must be made to a school +administrator and/or directly to the Office of Equity. A +determination will then be made whether it meets the +standard for a report to the Department of Children and +Families under SUP-20. Please see Attachment 1, Procedures +for Reporting Suspected Child Abuse and Neglect Cases. + +Nothing in this policy prohibits a school professional from +notifying DCF directly when such school professional has +reasonable cause to believe abuse or neglect occurred. In the +event that a school professional notifies the building +administrator in charge of an incident of suspected abuse or + + +Page 3: +Superintendent’s Circular SUP-20 +Page 3 of 15 + +neglect, that building administrator must make a report to DCF +following the procedures outlined in this circular. + +Any other person may report a case of child abuse or neglect +when there is reasonable cause to believe that a child’s health or +welfare is being harmed, or is at substantial risk of being harmed, +as a result of abuse or neglect. +WHAT TO REPORT? +Any incident in which there is reasonable cause to believe that a +child’s physical or mental health or welfare is harmed or is +threatened with substantial risk of harm through abuse or +neglect must be reported. Truancy by itself is not a reportable +matter. This means that a child missing school is not, on its own, +a reason to report. +ABUSE. Abuse includes: +• Physical, mental, or emotional injury by other than +accidental means, i.e., beatings, cuttings, burns, broken +bones, multiple bruises +• Physical dependency on an addictive drug at birth +• Any sexual act against another person either by force, or by +threat of force or bodily injury, or against the person’s will. +This includes a sexual act against another person who is +incapable of giving consent either because of their +temporary or permanent mental or physical incapacity or +because s/he is a minor. Such crimes as indecent assault +and battery, rape, rape with force, rape and abuse, assault +with intent to rape and unnatural and lascivious acts +constitute a sexual assault. + + +Page 4: +Superintendent’s Circular SUP-20 +Page 4 of 15 + +Indecent assault and battery includes, but is not limited to, +inappropriate and unwanted touching of private body parts. +A person under the age of 14 is legally unable to consent to +this type of sexual activity. +NEGLECT. Neglect is deemed to exist when the person or persons +responsible for a child’s care, although financially able to do so, +fail to provide the child with: +• Adequate food, clothing, shelter, education, or medical care +• Proper supervision and/or guardianship. + +The attached Procedures for Reporting Suspected Child Abuse or +Neglect detail the relevant reporting procedures to be followed +by Boston Public School employees. + +IMMUNITY +All reports will be held in strict confidence. A person required to +report who does in fact make a report, including a report of +abuse or neglect by personnel in the public school system, shall +not be held liable in any civil or criminal action by reason of that +report. In addition, a person who, although not required to do so +by statute, voluntarily makes a report shall not be liable in any +civil or criminal action by reason of that report if it was made in +good faith and that person did not perpetuate, inflict, or cause +the reported abuse or neglect. +In accordance with Massachusetts law (Massachusetts General +Laws Chapter 119, Section 51B), persons who are mandatory +reporters of child abuse shall share any relevant information +requested by the Department of Children and Families during +the investigation of a specific 51A child abuse report. Those +persons who are required to share information are protected + + +Page 5: +Superintendent’s Circular SUP-20 +Page 5 of 15 + +from civil or criminal liability for providing such information +without parental consent. +CONSEQUENCES FOR VIOLATIONS OF THE REPORTING +REQUIREMENT +Under Massachusetts law, any person required to make oral and +written reports of suspected child abuse or neglect who fails to +do so and any person who knowingly files a frivolous report will +be subject to penalties as prescribed by law. +Boston Public School employees required by law to report +suspected child abuse or neglect who fail to do so in accordance +with the attached procedures will be subject to discipline. +PROHIBITION OF RETALIATION +Retaliation against any Boston Public School student or +employee for filing a complaint of abuse or neglect, including a +report of abuse or neglect against personnel in the public school +system, is strictly prohibited. +In accordance with both Massachusetts law and the attached +Procedures, any Boston Public School employees who +themselves perpetuate, inflict, or cause the abuse of any child will +be subject to discipline as outlined in the attached Procedures. +ATTACHMENTS: +• Procedures for Reporting Suspected Child Abuse and +Neglect Cases +• Area Offices and Telephone Directory Guide for Reporting +Purposes +• DCF 51A Reporting Form + + + + +Page 6: +Superintendent’s Circular SUP-20 +Page 6 of 15 + +For more information about this circular, contact: +Owner: +Chief of Student Support +Mailing +Address: +2300 Washington Street, Boston MA, 02119 +Phone: +617-635-9000 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + +Page 7: +Superintendent’s Circular SUP-20 +Page 7 of 15 + +ATTACHMENT 1 + (p. 1 of 6) + +PROCEDURES FOR REPORTING SUSPECTED +CHILD ABUSE AND NEGLECT CASES + +1. Pursuant to Massachusetts General Law Chapter 119, Section +51A, a mandated reporter is required to report when they has +“reasonable cause to believe” that a child under the age of +eighteen (18) years is suffering from abuse or neglect. Out of +an abundance of caution, however, all school professional +staff in the Boston Public Schools are required to report to +DCF any instance of neglect or abuse that they observe or +which is brought to their attention. + +2. Upon such suspicion of abuse or neglect of a child under 18 +years of age, a teacher, or any other mandated reporter, will +immediately report their concerns to the building +administrator and will confer with the school nurse. Such +abuse includes but is not limited to physical, mental, or +emotional injury by other than accidental means (e.g. +beatings, cuttings, burns, broken bones, multiple bruises). In +the event of suspected physical abuse, a school nurse should +be contacted to immediately examine and document the +child’s physical condition. Appropriate Special Education and +Support Services staff should be notified of the situation +concerning the suspected abuse or neglect. + + + + + +Page 8: +Superintendent’s Circular SUP-20 +Page 8 of 15 + +ATTACHMENT 1 + (p. 2 of 6) + +3. Upon suspicion of sexual assault, please refer immediately +to the Equity Circular on Sexual Misconduct Toward Students +(EQT-03) and follow the reporting procedures outlined in that +circular. School personnel responding to sexual assault +concerns will obtain only basic minimal facts of the alleged +incident. These basic facts should include: (1) when the +incident occurred; (2) where the incident occurred; (3) who +assaulted the student, if known; (4) the nature of the +incident; and (5) whether there are known witnesses and/or +other victims. In an attempt to minimize the emotional +stress victims of abuse experience and to preserve the +integrity and reliability of the required DCF and law +enforcement investigations, additional interviews and more +detailed probing questioning are not to be conducted by +school officials. A student who reports being a victim of a +sexual assault should never be asked to submit a written +report detailing the incident nor be asked to discuss the +incident with the alleged perpetrator present at any time +and under any circumstances. School personnel are +mandated reporters but should not investigate the +allegations or prepare a probing and/or detailed incident +report. + +4. The building administrator or designee shall compile any and +all relevant information from school professionals with +knowledge of the incident and student. They shall also +compile any and all relevant information from school records +to be used when reporting the case to the appropriate DCF + + +Page 9: +Superintendent’s Circular SUP-20 +Page 9 of 15 + +Area Office and have all such information and records +available for DCF. + +5. The building administrator must report to DCF even if they +believe that the teacher, nurse, or other mandated reporter is +mistaken in suspecting abuse or neglect. The building +administrator may not substitute their judgment for that of +any mandated reporter within the school. The failure to file +a report as mandated by law will subject the building +administrator (or other mandated reporter who fails to +meet their statutory obligations) to discipline in +accordance with BPS employee discipline procedures. + +6. The building administrator or designee must immediately +call the DCF Screening Area Office to report the case. If the +report must be made after 5:00 PM, the building +administrator or designee must immediately call the DCF +Hotline number at 1-800-792-5200. + +7. The child must not be sent home from school before the +verbal 51A report is filed with DCF. A written report must be +forwarded within 48 hours. + +8. Within 48 hours of the initial oral report, the building +administrator or designee will send written notification to the +DCF Area Office via fax or via the Virtual Gateway Portal at +Mass.gov. A confidential copy of the written notification form +(copy attached) should be retained in the office of the +principal or headmaster. + + + + +Page 10: +Superintendent’s Circular SUP-20 +Page 10 of 15 + +ATTACHMENT 1 + (p. 4 of 6) + + +9. If the alleged abuser is an employee of the Boston School +Department, a copy of the notification should also be +forwarded to the BPS Office of the Labor Relations. If an +investigation confirms the allegations, the offending +employee will be subject to discipline in accordance with +BPS employee discipline procedures. + +10. The building administrator, in consultation with others as +necessary, will decide how, when, and by whom the family, +including the child who is suspected of being abused or +neglected, will be notified of this report. Although the school +is not required by law to notify the family, such notification is +recommended. In deciding whether to notify, the building +administrator and others should consider whether +notification will create a substantial risk to the student’s +health, safety, or welfare. DCF and the police and the +Department of Social Work can provide consultation in +making this determination to ensure the child’s safety and +well-being. + +11. DCF investigators, who report to the school in order to +conduct one phase of their investigation, should be required +to identify themselves and to verify their assignment to the +case. School-based staff should encourage them to interview +the child at home in the presence of the parent or caregiver, +unless the 51A has been filed against the parent. In this latter +case, the interview of the child may be conducted in school +in the presence of the building administrator or designee. + + + +Page 11: +Superintendent’s Circular SUP-20 +Page 11 of 15 + +ATTACHMENT 1 + (p. 5 of 6) + + +12. Within sixty (60) days of filing a report, the building +administrator should receive a feedback report from DCF +detailing the department’s findings and specifying the social +services that the department intends to offer the child. This +feedback report may be used to plan further collaboration +with other professionals assisting the family. + +13. Certain cases that the schools report to DCF (sexual abuse +and exploitation, serious physical abuse, and some others) +will also be referred by DCF to the local police and the District +Attorney’s Office for investigation. In these circumstances, +these agencies will typically conduct a multidisciplinary team +investigation. This investigation will typically include an +interview with the alleged victim(s), alleged perpetrators(s), +and witness(es). Relevant investigative information will be +provided to the school when appropriate, and as permitted +by law. + +14. Throughout the reporting, investigation, and follow-up +process, school documentation must be done in a way that +ensures confidentiality. Accordingly, reports of suspected +abuse or neglect will not be part of a child’s educational +record, but will instead be kept separately. The school will +maintain files of the 51A reports of suspected abuse or +neglect for no more than five years. + + + + + + +Page 12: +Superintendent’s Circular SUP-20 +Page 12 of 15 + +ATTACHMENT 1 + (p. 6 of 6) + +15. When a building administrator seeks to remove a child from +school because of, for example, a disciplinary emergency +removal or illness, a parent may not always be available to +pick the child up. Other childcare, eldercare, school or work +responsibilities, or lack of transportation may delay or +prevent a parent from being able to immediately pick up the +child from school. This is not, on its own, a reportable matter. +Maintaining the child’s safety at school or ensuring that the +child has a safe way to return home is the building +administrator’s responsibility. + +16. Importantly, a special education dispute is not, on its own, a +reportable matter. A parent disagreeing with school staff’s +opinions that a child needs a particular special education +placement, service, or evaluation is not a reportable matter. +In such situations, school staff should contact the assigned +special education district assistant program director. + +17. Each school building will designate a representative who will +ensure that, in the event of the building administrator’s +absence, the above reporting procedures are followed as +required by law. School Health will make arrangements for +emergency nursing staff coverage so that the required +investigation, discussed above, will begin before the end of +the day. + + + + +Page 13: +Superintendent’s Circular SUP-20 +Page 13 of 15 + +EMERGENCY PROTOCOL + +In the event of a clear emergency where the life or safety of a child +is in imminent danger, the building administrator, designee, or +other mandated reporter should immediately notify the +appropriate DCF Area Office and file the required 51A Report. +After 5:00 PM, the school official should use the Massachusetts +Child Abuse Emergency Hotline, at 1-800-792-5200. A written +report must be filed within forty-eight hours. + +Massachusetts General Laws Chapter 119, Section 51B(3) authorizes +the Department of Children and Families to take a child into +immediate temporary custody, without parental permission or +prior notice, if the department has reasonable cause to believe +that this action is necessary to protect the child from further +abuse or neglect. Emergency responses by the Department of +Children and Families may include law enforcement, +depending upon the nature of the incident reported. If DCF +seeks to exercise this authority in the school setting, the building +administrator shall: + +1. Verify the DCF representative’s identification and retain a copy +of the identification in the student record + +2. Contact the DCF representative’s immediate supervisor to verify +the need for the DCF action + +3. +Maintain a log, which should be filed with the office copy of +the 51A report, of the action, the DCF employee(s) involved, and +the DCF Area Office involved; and provide any other pertinent +information related to the suspected abuse or neglect. + + + + +Page 14: +Superintendent’s Circular SUP-20 +Page 14 of 15 + + +ATTACHMENT 2 + + + + + + + + + + + +DEPARTMENT OF CHILDREN AND FAMILIES +Boston-Brookline Region Area Directory + +Boston Regional Office +1785 Columbus Ave. Fifth Floor +Roxbury, MA 02119-1041Local Number: (617) 989-9200 +Fax Number: (617) 989-9250 + +Hyde Park Area Office +1530 River Street +Hyde Park, MA 02136 +Local Number: (617) 363-5000 +Fax Number: (617) 363-5175 + +Dimock Street Area Office +30 Dimock Street +Roxbury, MA 02119 +Local Number: (617) 989-2800 +Fax Number: (617) 445-9147 + +Park Street Area Office +50 Park Street +Dorchester, MA 02122 +Local Number: (617) 822-4700 +Fax Number: (617) 282-1019 + + + + + +Page 15: +Superintendent’s Circular SUP-20 +Page 15 of 15 + +Harbor Area Office +80 Everett Avenue, Suite 100Chelsea, MA 01250 +Local Number: (617) 660-3400 +Fax Number: (617) 884-0215 + + +BOSTON POLICE DEPARTMENT – FAMILY JUSTICE CENTER +(Formerly the Sexual Assault Unit) + +Main Number: (617) 343-4400 + +SUFFOLK COUNTY DISTRICT ATTORNEY’S OFFICE + +Main Number: (617) 619-4000 +Child Abuse Unit: (617) 619-4300 + + + + +ATTACHMENT 3 + +DCF 51A Reporting Form + + diff --git a/data/data_txt1/Transportation (TRN)/TRN-01 Schedule of School Hours.txt b/data/data_txt1/Transportation (TRN)/TRN-01 Schedule of School Hours.txt new file mode 100644 index 0000000..6a410f3 --- /dev/null +++ b/data/data_txt1/Transportation (TRN)/TRN-01 Schedule of School Hours.txt @@ -0,0 +1,98 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +TRN-01 +Version 01 + + +SCHEDULE OF SCHOOL HOURS +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +Attached is an alphabetical listing of opening and closing hours +for each school for the school year. This listing includes an AM +bus drop-off time for each school when staff must be available to +accept students, an AM bell, a PM bell, and an early dismissal +time and day of week. +Please pay special attention to the AM and PM bell times for your +school. No changes may be made to these schedules — including +to early dismissals — without the written permission of the chief +operating officer. All requests for changes to bell times for the +subsequent school year must be made in writing to the chief +operating officer before the end of October. +Please note the following regarding any requested changes: +● Any requested bell time changes must be for either +7:30am, 8:30am, or 9:30am AM bell times in order to align +with the District’s 3-tier bell schedule +● No requested bell time changes for an 8:30am start can be +accommodated at this time, as the transportation +operation is at capacity during the 2nd tier. +IMPORTANT NOTES ON TRANSPORTATION: +● All BPS buses are scheduled to arrive at schools 15 minutes + + +Page 2: +Superintendent’s Circular TRN-01 +Page 2 of 3 + + +before the scheduled AM bell time to give students time +to settle in and have breakfast before instruction starts. +Adequate staff assistance is needed to make sure buses +are unloaded as they arrive, as efficiently and safely as +possible, so that these buses can get to the next +scheduled location on time. Buses are expected to depart +the school for their next trip no more than 10 minutes after +their arrival. In some cases, with agreement from the +school, buses are scheduled to arrive more than 15 +minutes before the scheduled AM bell time +● PM buses are scheduled to arrive at each schools’ PM bell +time. Adequate staff assistance and the appropriate +dismissal procedure are needed to make sure buses are +loaded as they arrive. Buses are expected to depart 10 +minutes after the PM bell to get to their next scheduled +location on time. +● On the day before Thanksgiving and the last two days of +school in June, all schools will dismiss pupils a uniform +two (2) hours and thirty (30) minutes earlier than their full- +day PM bell time, unless operationally there is a need to +modify dismissal. The uniform two hour and thirty-minute +early release will apply to all schools, regardless of any +regularly scheduled early release or past practice. +● Certain specialized programs/schools have hours that are +subject to determination by the superintendent or +designee. + + + + + +Page 3: +Superintendent’s Circular TRN-01 +Page 3 of 3 + + + +For more information about this circular, contact: +Owner: +Executive Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department-Heads@bostonpublicschools.org +Mary Skipper, Superintendent + +ATTACHMENT: + +BOSTON PUBLIC SCHOOLS SCHEDULE OF SCHOOL HOURS + + + diff --git a/data/data_txt1/Transportation (TRN)/TRN-02 Student Transportation Safety and Discipline.txt b/data/data_txt1/Transportation (TRN)/TRN-02 Student Transportation Safety and Discipline.txt new file mode 100644 index 0000000..4cc25e2 --- /dev/null +++ b/data/data_txt1/Transportation (TRN)/TRN-02 Student Transportation Safety and Discipline.txt @@ -0,0 +1,352 @@ +Page 1: + + +Superintendent’s +Circular +NUMBER: +TRN-02 +Version 01 + + + +STUDENT TRANSPORTATION SAFETY & DISCIPLINE +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +HEAD OF SCHOOL/PRINCIPAL EXPECTATIONS +The school bus is considered an "extension of the classroom" in +terms of expected student behavior. The school is responsible for +working with students and parents/guardians to address +behaviors of students and parents/guardians that take place on +or are related to bus service that are not consistent with school +and district policies. This policy reinforces the Standards of +Behavior for Boston Public School students. The head of +school/principal is responsible for implementing the Code of +Conduct and Standards of Behavior as they apply to students and +parents/guardians while utilizing school transportation and the +MBTA. The head of school/principal will also communicate +student/parent/guardian obligations at the start of the school +year via student presentations and notification to +parents/guardians through School-Based Rules. Please note that +the Code of Conduct includes procedures for the denial of +transportation. +The head of school/principal will apply all approved Boston Public +Schools policies and procedures to matters of regular +transportation service and field trips, athletics, and late bus runs. + + +Page 2: +Superintendent’s Circular TRN-02 +Page 2 of 10 + + + +INCIDENT REPORTING AND RESPONSE +The head of school/principal will report all incidents, maintain all +records, and take appropriate action as prescribed in applicable +Superintendent's Circulars, including but not limited to any state +or federal reporting (e.g., mandated reporting to DCF or the SSDR +report for DESE, etc.). In the event of a school transportation +incident resulting in student injury, the school administrator will +contact the parent(s)/guardian(s) and provide appropriate +information in accordance with Superintendent's Circular FSE-05, +Medical Emergency Management. The head of school/principal +will maintain copies of all incident reports filed by drivers and +utilize reports for remedial actions. +BPS school buses are equipped with two cameras. One camera +faces out from the bus forward to record oncoming traffic. The +second camera is focused inward on the bus from the front of the +bus. Cameras do not record sound. Only in emergency situations +(e.g. active missing student investigation) may camera footage +be accessed in real time and only by Department of +Transportation personnel. When an incident is reported, +depending on the nature of the incident, a review of video +footage of the reported incident may be requested by a school, a +parent/guardian, or a member of the district transportation team. +In most situations, student conduct investigations will rely on +incident reports from students and adults on board the bus, +rather than camera footage. Any requests for bus footage must +run through the BPS Transportation Department. Cameras have +limited video storage capacity that typically store 7 (seven) to 10 +(ten) days of footage, depending on bus usage. Cameras are not +actively monitored. Neither BPS DOT nor the bus vendor will use +cameras for any purpose other than investigating specific + + +Page 3: +Superintendent’s Circular TRN-02 +Page 3 of 10 + + + +allegations. +When incidents occur that are related to bus transportation, BPS +DOT can work with schools on implementing solutions to +support successful student transportation on BPS buses. Some +strategies that have been effective in the past include but are not +limited to school-led mediations with parents/guardians, +students, bus drivers, bus monitors, and school staff; school-led in +depth training for drivers and/or monitors; school assigned bus +seating plans; addition of a bus attendant by the school to the +bus. In very limited circumstances, requiring approval of the +Director of BPS DOT, a student, driver, or monitor may be +reassigned. Such reassignment will be a last resort only after +other strategies have been exhausted. This helps ensure that +students are fully supported in learning how to successfully +navigate yellow bus transportation. +RELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING +BUS ARRIVALS AND DISMISSALS +The head of school/principal or their designee is responsible for +monitoring transportation service and the performance of school +bus drivers and monitors. This includes daily one-on-one contact +by school staff with a driver upon their arrival and departure from +a school. Heads of school/principals are advised and encouraged +to make all efforts to maintain a positive relationship with all +drivers and bus monitors and to also endeavor to work +constructively with all BPS and Transdev staff with whom they +come in contact throughout the school year. +School administrative staff are responsible for managing safe and +efficient bus arrival and dismissal processes. All buses assigned to + + +Page 4: +Superintendent’s Circular TRN-02 +Page 4 of 10 + + + +a school are together scheduled to be fully loaded or unloaded +within a ten-minute window. To be on time for all subsequent +trips, in the morning all buses must be unloaded and depart the +school by the school’s bell time. In the afternoon, all buses +assigned to a school must load and depart the school by 10 +minutes after the bell time. +When arriving at schools, buses may not allow students to unload +until a member of the school staff is present to meet students. +This ensures that a school staff member is present to take +responsibility for students before students exit the bus. Schools +are responsible for maintaining up-to-date bus rosters and +ensuring students are placed on their assigned bus during bus +dismissal. BPS Transportation Department operations support is +available to review bus loading and unloading procedures upon +request. +Heads of school/principals are encouraged to make time +available to meet with drivers who wish to confer with them on a +voluntary basis throughout the school year for the purpose of +maintaining their transportation safety/discipline program. +Heads of school/principals may provide drivers with a seating +plan for each bus, but they should work constructively with +drivers and monitors in the implementation of such a plan. If a +seating plan is put in place, students should be instructed to +remain in their assigned seats throughout the trip. +The head of school/principal or their designee should regularly +interview students to make assessments of the quality of +transportation service and are also asked to monitor ridership +and notify BPS Transportation if any bus assignments are not +being utilized. Schools can provide student opt out information in + + +Page 5: +Superintendent’s Circular TRN-02 +Page 5 of 10 + + + +our Support Portal. This link provides a walkthrough. We ask +schools to utilize our Support Portal to ensure accountability +within our team and support our effort to reduce follow-up times. +The head of school/principal or their designee may occasionally +ride school buses for first-hand observation of operations, but +notification to the Transportation Department must be made in +advance to ensure that buses are within capacity requirements +for ridership. +Monitors assigned through the special education process are +essential members of a student’s support team. Schools are +responsible for training bus monitors on IEP required student +specific supports. Monitors must be included in students’ +support teams for training on an ongoing basis to be prepared to +best meet the needs of our students who ride the bus and to help +ensure students can succeed in the least restrictive environment. +Schools may contact the BPS DOT Monitors Unit to arrange +meetings with monitors throughout the school year. +Please remember that bus drivers and bus monitors are +important members of our school community. When they are at +your school, per district policy, they are permitted to use +restroom facilities. Bus drivers and bus monitors are expected to +present identification to enter any building. Just like for all other +members of our school and district staff, please ensure that these +team members have access to bathroom facilities in your +building as needed. +SAFETY EDUCATION AND EVACUATION DRILLS +The head of school/principal will support all safety education +efforts relative to transportation and initiate programs within the + + +Page 6: +Superintendent’s Circular TRN-02 +Page 6 of 10 + + + +first week of the school year and throughout the school year. +School bus evacuation drills are to be conducted in accordance +with M.G.L., Chapter 90, Section 9B, which mandates school bus +evacuation instruction and drills. Evidence of completed +instruction and drills must be kept on file by the head of +school/principal. BPS Transportation, Transdev Safety, and BPS +Safety Services personnel will assist school administrators in +conducting bus evacuation drills as required by M.G.L. Chapter +90, section 9B. +ROLE OF THE BPS TRANSPORTATION DEPARTMENT +• The Transportation Department acts as the liaison between +the bus company, school personnel, parents/guardians, BPS +Safety Services, and Boston Police Department. +• The Transportation Department monitors contractual +compliance by vendors relative to the employment of +drivers and driver conduct. +• The Transportation Department records all complaints +regarding driver behavior and forwards them to the +company for remedial action by the bus company. The +Director of Transportation may, in extreme circumstances, +order suspension or reassignment of drivers subject to +consultation with the bus vendor and the collective +bargaining agreement between drivers and bus company. +• The Transportation Department completes bus routing and +planning to create efficient bus schedules that minimize +ride time for students and optimize deployment of drivers, +monitors, and buses. Where necessary, the Transportation +Department will revise routes or pick-up points to reduce + + +Page 7: +Superintendent’s Circular TRN-02 +Page 7 of 10 + + + +potential safety problems. +• The Transportation Department provides parents/guardians +with advice relative to procedures to assist in the resolution +of transportation issues. +• The Transportation Department notifies the head of +school/principal of any school bus accident, including a list +of the students onboard the bus and any other relevant +information. In the event an accident occurs after school +hours, the Transportation Department will attempt to notify +the Head of School/Principal at home. +• In the event of a school transportation accident or incident +resulting in student injury, BPS Transportation implements +the following procedures: +o Ensures Transdev Safety staff has properly followed +procedures and notified police or emergency medical +services as necessary. +o Notifies the school building administrator, principal +leader, assistant superintendent of operations, and +operational leader, relaying all available information. +Building administrators are then responsible for +notifying parents/guardians. +• If the building administrator or other school-based staff is +not available, BPS Transportation Department staff will +notify parents/guardians or emergency contact person. +ROLE OF THE BUS COMPANY – TRANSDEV TRANSPORTATION +The bus company will comply with all requirements contained in +its contract with the School Committee, its collective bargaining +agreements with its staff, and all Massachusetts laws and + + +Page 8: +Superintendent’s Circular TRN-02 +Page 8 of 10 + + + +regulations as they pertain to school bus safety and reporting. +The bus company will adhere to the Incident Response & Report +Process as outlined below: +1. The Transdev Safety Desk will log all calls and deployment +requests sent into the Safety Desk by drivers or safety staff, +BPS Transportation, or others and will submit those along +with any incident reports generated after an incident. +2. In an emergency, Transdev Safety Desk will call BPS or EMS +and deploy Transdev road safety supervisors to all serious +incidents and accidents. Transdev Safety Desk will notify +BPS Transportation staff immediately upon learning of any +serious incident and will continue to supply timely details +from the scene as they become available. In the event of a +school transportation incident resulting in student injury +after normal operating hours, Transdev Safety Desk staff and +BPS Transportation Call Center staff will assist school +administrators in the parent/guardian notification process. +3. Transdev drivers will provide as much specific information +as possible over the radio to Safety Desk and in their written +reports, mainly the names and student numbers of involved +students. Drivers should also fill out incident reports and +give copies to school administrators and their branch +supervisors daily. All incident reports are logged on a +computer database at the bus company. +4. Transdev safety staff and BPS Transportation work together +to communicate with heads of school/principals and police +where necessary to assist in the resolution of incidents. +Heads of school/principals are required to contact +parents/guardians and discipline students when necessary. + + +Page 9: +Superintendent’s Circular TRN-02 +Page 9 of 10 + + + +The bus company will instruct drivers to meet with heads of +school/principals after the "dry runs" of bus routes before the +opening of school. Heads of school/principals should be prepared +to discuss their student transportation safety/discipline program +with drivers at that time and throughout the year. Drivers may +also be made available to meet with the head of school/principal +on an ongoing basis. Arrangements for meetings can be made by +contacting the BPS Transportation Department. +Transdev road safety supervisors and driver trainers will inspect +the safety and accessibility of pick-up and drop-off locations +throughout the city as requested. + + + + + +Page 10: +Superintendent’s Circular TRN-02 +Page 10 of 10 + + + +For more information about this circular, contact: +Owner: +Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department- +Heads@bostonpublicschools.org +OR +Owner: +Chief of Student Support +Department: +Student Support Office +Mailing Address: +213 Townsend Street, Dorchester, MA 02121 +Phone: +617-635-8000 +Fax: +617-635-8006 +Email: +Operations-Department- +Heads@bostonpublicschools.org + +Mary Skipper, Superintendent + + diff --git a/data/data_txt1/Transportation (TRN)/TRN-03 Field Trip & Athletics Transportation.txt b/data/data_txt1/Transportation (TRN)/TRN-03 Field Trip & Athletics Transportation.txt new file mode 100644 index 0000000..52b07b6 --- /dev/null +++ b/data/data_txt1/Transportation (TRN)/TRN-03 Field Trip & Athletics Transportation.txt @@ -0,0 +1,457 @@ +Page 1: + + + + Superintendent’s +Circular +NUMBER: +TRN-03 +Version 01 + +FIELD TRIP TRANSPORTATION +This Circular will remain in effect unless rescinded or superseded by a +subsequent version +This circular outlines the steps that must be followed when +transporting students to field trips where BPS transportation or +an approved outside supplier is used. Additionally, this circular +outline general rules regarding transporting students in the +Boston Public Schools with other approved transportation +suppliers. +School buses or approved transportation suppliers’ +vehicles should be used to transport students to and +from field trips. Privately owned vehicles from non- +approved suppliers or leased vans are not to be +utilized to transport students to and from field trips, +except in the case of a genuine emergency. Staff who +utilize their own vehicles risk being legally liable if +students are injured while riding in their automobiles. + +Transdev is the supplier currently under contract with the Boston +Public Schools (BPS) to provide transportation services on BPS +yellow school buses, including field trips. All field trip +transportation must utilize BPS school buses, unless the request +cannot be accommodated based on capacity limitations, or an +approved transportation supplier. + + +Page 2: +Superintendent’s Circular TRN-03 +Page 2 of 12 + +Arrangements with other suppliers are subject to the designation +of that supplier as approved by Nate Kuder, the Chief Financial +Officer, and may be made by individual schools/departments +subject to purchasing regulations. The approved supplier list can +be found at the end of this circular. +Staff should be aware of their responsibility to consult with and +obtain the approval of their respective school leader or +department head, using school/BPS letterhead, to make +agreements or exchange money with parents, outside +transportation companies, travel agencies, etc. +When requesting buses for field trips, school leaders should be +aware that BPS has the greatest bus availability between 9:30 +a.m. and 12:30 p.m. However, we encourage and welcome schools +to submit all of their field trip requests as outlined in this circular. +In the event that a request cannot be met, school leaders should +explore the opportunity to order buses from approved suppliers +who are not restricted to the use of the BPS school bus fleet. A +list of approved suppliers is attached at the end of this circular. If +the Transportation Department is unable to provide service at +the time requested, Transportation will aim to provide notice to +the school leader via email at least one week in advance of the +requested trip date. The Transportation Department does not +recommend particular suppliers for field trips and does +recommend the use of our primary supplier, Transdev, whenever +possible. + +All field trips must be budgeted on account 52811, regardless of +the supplier. If you do not have a field trip account (account + + +Page 3: +Superintendent’s Circular TRN-03 +Page 3 of 12 + +52811), you must submit a budget transfer within your +organization code to create the appropriate budget line. +If students in 7th through 12th grade will be utilizing the MBTA +for a field trip, schools can email schooltrips@mbta.com and/or +submit a request through the School Field Trip Submission Form +should they need to acquire MBTA passes for students who do +not already have a pass because they live within the school’s walk +zone. + +Please refer to the following circulars for guidelines and +procedures for the planning and implementation of BPS field +trips: CAO-22 General Guidelines for All Field Trips, CAO-23 Day +Field Trip Guidelines, CAO-24 Overnight Field Trips Guidelines, +and CAO-25 International Field Trip Guidelines. + +I. +FIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus +Fleet + +1. Obtain the necessary signatures from BPS authorities at +least four (4) weeks prior to any +planned field trip, as outlined in the field trips circulars +referenced above. + +2. Submit your request via the Supplemental Transportation +Request Form to arrange for booking yellow bus +transportation with Transdev at least two (2) weeks in +advance of the field trip. If you would prefer to use a +transportation supplier from the attached approved + + +Page 4: +Superintendent’s Circular TRN-03 +Page 4 of 12 + +transportation suppliers list, please use the requisition +process in the BAIS FN system. + +3. Once your field trip request through BPS has been +processed, you will receive an invoice from the BPS DOT +Supplemental Transportation Manager, Kyle Lewis. This +invoice will detail payment options. Please continue reading +for general payment information. + +4. Field trip transportation requests funded through external +grants must include the appropriate grant ID and program +codes. In the event that funds for an external grant have not +been activated in BAIS FN, you will need to use general +funds (fund 100) for the trip. After the grant funds are loaded +into BAIS FN, please email Kyle Lewis, the Supplemental +Transportation Manager, requesting that they submit an +expenditure transfer on your behalf to move field trip +expenses from fund 100 to your grant. +i. +As a reminder, all schools planning to have field +trips should budget for them using account code +52811 +b. Please note that in cases where a school has indicated +that they would like to use ESSER or Title I META, the +school will need to provide confirmation that this +spending has been approved by their ESSER Liaison or +the district’s Title I Coordinator, Imani Penn +(ipenn@bostonpublicschools.org). + +5. The Transportation Department will only order those field +trips utilizing the district’s yellow bus fleet, managed by + + +Page 5: +Superintendent’s Circular TRN-03 +Page 5 of 12 + +Transdev. If you will be using a different vendor for your field +trip, please see section II. +6. Payments should be made through a budget transfer or +check. Field trip transportation will not be scheduled unless +the transfer is submitted, or the check is mailed at least five +(5) school days prior to the date of the trip. +a. Fund 100/general funds: Transfers should be made to +the following chartfield in the BPS Transportation +budget: +i. +Org: 101081 +ii. +Fund: 100 +iii. +Account: 52805 +iv. +Program: 2695 +v. +Class: 0000 +vi. +Bud Ref/Year: 2024 +b. Fund 200/grants: BPS Transportation will submit an +expenditure transfer to the Grants Office on your +behalf. Please confirm the necessary approvals and the +budget line you would like to use to fund your field trip +via email to the Supplemental Transportation Manager, +Kyle Lewis, at least five (5) days before your scheduled +field trip +c. Check: Please confirm the check was mailed via email +to the Supplemental Transportation Manager, Kyle +Lewis, at least five (5) school days prior to the planned +trip. Checks should be made out to the Boston Public +Schools Transportation Department and mailed to: +Kyle Lewis, BPS Transportation Department +Bruce C. Bolling Building +2300 Washington Street +Roxbury, MA 02119 + + +Page 6: +Superintendent’s Circular TRN-03 +Page 6 of 12 + +Note: Full bus capacity for the BPS yellow bus fleet is +approximately seventy (70) elementary school students, sixty (60) +middle school students and forty-five (45) adults/high school +students. An adult MUST ride with students on any and all field +trips on BPS buses. + +7. Final confirmation for any transportation services provided +by Transdev should be made three (3) school days before +the scheduled trip by contacting Kyle Lewis, the +Supplemental Transportation Manager at Operations- +Department-Heads@bostonpublicschools.org or 617-635- +9418. Notice of any changes or canceled trips must be +provided to the Transportation Department at least three (3) +school days in advance, except in case of emergency. + +The bus price schedule for the BPS fleet (Transdev) is as follows: +Inside Route 128 +Discounted Rate: + +$132.50 each way if your trip is between 9:30 a.m. +and 12:30 p.m. (Buses must be back to your school +by 12:30 p.m., or the trip will be billed at the regular +rate). + +Regular Rate: + +$190.00 each way or $380.00 for a round trip +Outside Route 128 Regular Rate: +$540.00 (in-state), $1,050.00 (out-of-state) + + +Page 7: +Superintendent’s Circular TRN-03 +Page 7 of 12 + +Layover Charges +In some cases, if a school requires the bus to stay +on-site, it will cost $42.00 per hour for layover time. + + +II. FIELD TRIP TRANSPORTATION CHECKLIST - Approved Private +Transportation Supplier +1. Obtain the necessary signatures from BPS authorities at +least four (4) weeks prior to any planned field trip, as +outlined in the field trips circulars referenced above. A +Request for Waiver form (attached) must be used if +requesting the use of suppliers not under contract with the +Boston Public Schools; supplier options are limited to those +on the attached Approved Field Trip Transportation +Suppliers list. Assurances are required for the use of all non- +BPS carriers, as noted on the waiver form. This form must be +attached to the field trip request form appropriate for the +type of trip you are conducting (based on the Field Trips +circulars referred to above) and forwarded to the Office of +the Chief Financial Officer (do not send to theTransportation +Department). +2. All trips booked with approved private transportation +suppliers (this does not include Transdev) must be organized +utilizing the requisition procedures in PeopleSoft BAIS FN. +Please complete the requisition for an approved +transportation supplier at least ten (10) school days prior to +the date of the trip to ensure that a purchase order (PO) can +be dispatched to the bus company ahead of the field trip. +3. Please note that requisitions with incorrect account codes +cannot be processed, therefore you will need to confirm that +funds for your field trip are in account 52811. If you do not + + +Page 8: +Superintendent’s Circular TRN-03 +Page 8 of 12 + +have a field trip account in your budget (account 52811), you +must submit a budget transfer within your organization +code to create the appropriate budget line. Transportation +requests funded through external grants must include the +appropriate grant ID and expense codes. +4. The details of the requested field trip must be entered on +the requisition in the header details panel using the +comment section. The details must include the following +information: +a. Contact person +b. Phone number +c. Email +d. Pick-up location +e. Site to be visited +f. Address +g. Site telephone number +h. Site contact person +i. Purpose of trip +j. Date of trip +k. Departure time +l. Time back at school +m. Number of students +n. Number of buses needed +o. Adults riding along +5. For requisitions to post, a valid budget check must be done. +Requisitions that do not pass a budget check will not be +processed. It is the responsibility of the school ordering the +trip to ensure that all budget checks have passed and that a +purchase order has been dispatched. Refer to the BAIS FN +PeopleSoft training material titled “Creating a Requisition” if +you need assistance in this procedure. + + + +Page 9: +Superintendent’s Circular TRN-03 +Page 9 of 12 + +For more information about this circular, contact: +Owner: +Director of Transportation +Department: +Transportation +Mailing Address: +2300 Washington Street, Roxbury, MA 02119 +Phone: +617-635-9643 +Fax: +617-635-9541 +Email: +Operations-Department- +Heads@bostonpublicschools.org + + +Mary Skipper, Superintendent + + +Page 10: +Superintendent’s Circular TRN-03 +Page 10 of 12 + +REQUEST FOR WAIVER FORM TO USE SCHOOL BUS SUPPLIERS +NOT CURRENTLY APPROVED AND UNDER CONTRACT + +This form must be used when utilizing suppliers that are not already under +contract with the Boston Public Schools. + + +I am hereby requesting a waiver to use non-Boston Public School +transportation for the field trip +requested on the attached Field Trip Request Form (based on the Field Trips +circulars referenced above). + +SCHOOL: + +DATE OF TRIP: + +DESTINATION: + +BUS COMPANY (CARRIER): + +RENTAL COMPANY CARRIER: + +The building administrator must check each of the following to indicate +documentation on file in the school providing assurances noted: + +● Three informal quotes received from potential non-BPS transportation +carriers. + + +Page 11: +Superintendent’s Circular TRN-03 +Page 11 of 12 + +● Carrier selected is licensed by the Commonwealth to provide charter +service. +● Carrier drivers are properly licensed to provide charter service. +● Carrier drivers are all CORI & SORI checked. +● Carrier maintains a minimum bodily liability insurance policy of $1 +million per occurrence. + + +APPROVALS: + + +___________________________________________ +________________________ +Signature of Principal/Head of School + + + +Date + + +___________________________________________ +________________________ +School Superintendent + + + Date + + +___________________________________________ +________________________ +Chief Financial Officer + +Date + +THIS FORM SHOULD BE SUBMITTED TO THE PARTIES LISTED ABOVE. +ALLOW AT LEAST TEN SCHOOL DAYS FOR APPROVAL + + +Page 12: +Superintendent’s Circular TRN-03 +Page 12 of 12 + +APPROVED FIELD TRIP TRANSPORTATION SUPPLIERS +Supplier Name +Supplier ID +Phone +Number +Address +Adams Motor +Transportation Inc. +0000003388 +617-296-1930 +631 Walk Hill Street, +Mattapan, MA 02126 +Chantals, Inc. +0000053323 +617-293-0754 35 Nikisch Avenue, Boston, +MA 02131 +Crystal Transport, +Inc. +0000001421 +617-787-1544 +1616 Hyde Park Ave, +Boston, MA 02136 +Dollar Ride ECO +Ride LLC/ ECO +Ride Group +Transportation +0000071239 + +62 Huntington Street, +Brockton, MA 02301 +Eastern Bus +Company +0000000396 +617-628-6868 PO Box 514, Somerville, MA +02143 +Local Motion, Inc. +0000022242 +781-535-6344 66B Rocsam Park Road, +Braintree, MA 02184 +People Care-iers, +Inc. +0000003949 +617-361-1515 +270 Islington Road, +Newton, MA 02466 +Tony’s +Transportation, +Inc. +0000055218 +617-719-3777 +66 Glendale Street, PO Box +220815, Boston, MA 02125 +Vocell Bus +Company, Inc. +0000000385 +781-393-0220 378 Commercial Street, +Malden, MA 02148 + + + diff --git a/data/dataset.zip b/data/dataset.zip new file mode 100644 index 0000000..1399957 Binary files /dev/null and b/data/dataset.zip differ diff --git a/data/pipeline/pipeline.png b/data/pipeline/pipeline.png new file mode 100644 index 0000000..13f9983 Binary files /dev/null and b/data/pipeline/pipeline.png differ diff --git a/dataset-documentation/DATASETDOC-fa24.md b/dataset-documentation/DATASETDOC-fa24.md new file mode 100644 index 0000000..59e0a09 --- /dev/null +++ b/dataset-documentation/DATASETDOC-fa24.md @@ -0,0 +1,162 @@ +***Project Information*** + +* What is the project name? + * BU Hariri: Wheelock / BPS Policy Help Bot +* What is the link to your project’s GitHub repository? + * Link: https://github.com/BU-Spark/ml-bps-policy-bot +* What is the link to your project’s Google Drive folder? \*\**This should be a Spark\! Owned Google Drive folder \- please contact your PM if you do not have access\*\** + * Link: https://drive.google.com/drive/u/1/folders/1mseCWp-9CYDDgeV8qY8qoM0IxdG0Xq-- +* In your own words, what is this project about? What is the goal of this project? + * Our project aims to supports Boston Public Schools by simplifying access to English language public policy information through an intuitive RAG-based chatbot. Acting as a virtual assistant, the chatbot helps staff find policy-related answers and documents quickly, saving time on administrative tasks. By organizing policy documents into searchable pieces and using smart retrieval tools, it delivers accurate, clear responses through a user-friendly interface. With a focus on privacy and reliability, the chatbot enhances decision-making and streamlines navigating complex policies. +* Who is the client for the project? + * Boston Public School +* Who are the client contacts for the project? + * (Director of BPS - Michael Miller) +* What class was this project part of? + * DS549 + +***Dataset Information*** + +* What data sets did you use in your project? Please provide a link to the data sets, this could be a link to a folder in your GitHub Repo, Spark\! owned Google Drive Folder for this project, or a path on the SCC, etc. + * Link: https://github.com/BU-Spark/ml-bps-policy-bot/tree/main/data/data_json/ +* Please provide a link to any data dictionaries for the datasets in this project. If one does not exist, please create a data dictionary for the datasets used in this project. **(Example of data dictionary)** +# Data Dictionary for JSON Dataset + +This data dictionary describes the structure of the dataset used in the project. Each entry in the dataset corresponds to a chunk of a document stored in a Google Drive link. + +## Fields + +| **Field Name** | **Description** | **Data Type** | **Example** | +|-----------------|------------------------------------------------------------------------------------------------------|---------------|-------------| +| `folder_name` | The name of the folder containing the file. | String | "Food and Nutrition Services" | +| `file_name` | The name of the file that contains the content. | String | "FNS-02 Emergency Meal Procedures" | +| `chunk_id` | An identifier for the specific chunk or part of the document, indicating its order in the sequence. | Integer | 1 | +| `uri` | A link to the file stored on Google Drive, providing access to the document. | String (URL) | "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link" | +| `content` | The actual content or text from the document for the specific chunk. | String | "Page 1: Superintendent’s Circular NUMBER: FNS-02 Version 01 ..." | + +## Key Insights: + +- **`folder_name`**: Represents the broader category or directory the file belongs to (e.g., "Food and Nutrition Services"). +- **`file_name`**: The specific name of the file, such as "FNS-02 Emergency Meal Procedures". +- **`chunk_id`**: A unique identifier used to break the document into smaller parts or chunks, which are likely sections of the full document. +- **`uri`**: The Google Drive link where the document can be accessed. It provides a direct URL to view or download the file. +- **`content`**: The content from that specific chunk of the document. This is often a snippet of a larger document, possibly a few pages or sections, presented as text. + +## Usage: +This structure can be used across multiple entries in the dataset. Each entry will contain a set of chunks, each with its own `chunk_id`, `uri`, and `content`, corresponding to different sections of documents stored under various folders. + +* What keywords or tags would you attach to the data set? + * **Keywords/Tags:** + NLP (Natural Language Processing) + RAG (Retrieval-Augmented Generation) + Chatbot + Policy Retrieval + Question Answering + Document-based Chatbot + Emergency Procedures NLP + Text Generation + Policy Interpretation + Knowledge Base + Information Retrieval + Text Summarization + Semantic Search + Policy Automation + Document Querying + * **Domain(s) of Application:** + NLP (specifically for building chatbots, question answering, and information retrieval systems) + Civic Tech (related to public policy and services) + Education (with a focus on school policies and emergency procedures) + +*The following questions pertain to the datasets you used in your project.* +*Motivation* + +* For what purpose was the dataset created? Was there a specific task in mind? Was there a specific gap that needed to be filled? Please provide a description. + * The JSON file was created with the goal of providing enriched data to the FAISS vector database, enhancing retrieval and similarity search capabilities. We would continue to use this dataset for everything in our project, including EDA, summarization, tagging, and vector db. + +*Composition* + +* What do the instances that comprise the dataset represent (e.g., documents, photos, people, countries)? Are there multiple types of instances (e.g., movies, users, and ratings; people and interactions between them; nodes and edges)? What is the format of the instances (e.g., image data, text data, tabular data, audio data, video data, time series, graph data, geospatial data, multimodal (please specify), etc.)? Please provide a description. + * The instances consist of publicly accessible policy of Boston Public School. +* How many instances are there in total (of each type, if appropriate)? + * There are a total of 189 documents(instances). +* Does the dataset contain all possible instances or is it a sample (not necessarily random) of instances from a larger set? If the dataset is a sample, then what is the larger set? Is the sample representative of the larger set? If so, please describe how this representativeness was validated/verified. If it is not representative of the larger set, please describe why not (e.g., to cover a more diverse range of instances, because instances were withheld or unavailable). + * The dataset contains all the possible instances. It was cross-verified by the client. +* What data does each instance consist of? “Raw” data (e.g., unprocessed text or images) or features? In either case, please provide a description. + * It contains textual information only. +* Is there any information missing from individual instances? If so, please provide a description, explaining why this information is missing (e.g., because it was unavailable). This does not include intentionally removed information, but might include redacted text. + * No information is missing. +* Are there recommended data splits (e.g., training, development/validation, testing)? If so, please provide a description of these splits, explaining the rationale behind them + * No data splits +* Are there any errors, sources of noise, or redundancies in the dataset? If so, please provide a description. + * No erros, sources of noise, or redundancies in the dataset. +* Is the dataset self-contained, or does it link to or otherwise rely on external resources (e.g., websites, tweets, other datasets)? If it links to or relies on external resources, + * Are there guarantees that they will exist, and remain constant, over time; + * Are there official archival versions of the complete dataset (i.e., including the external resources as they existed at the time the dataset was created)? + * Are there any restrictions (e.g., licenses, fees) associated with any of the external resources that might apply to a dataset consumer? Please provide descriptions of all external resources and any restrictions associated with them, as well as links or other access points as appropriate. + * Answer: The dataset is locally stored on github branch. +* Does the dataset contain data that might be considered confidential (e.g., data that is protected by legal privilege or by doctor-patient confidentiality, data that includes the content of individuals’ non-public communications)? If so, please provide a description. + * No, we're working with publicly accessible data. +* Does the dataset contain data that, if viewed directly, might be offensive, insulting, threatening, or might otherwise cause anxiety? If so, please describe why. + * No, there is no such data in out dataset. +* Is it possible to identify individuals (i.e., one or more natural persons), either directly or indirectly (i.e., in combination with other data) from the dataset? If so, please describe how. + * No, dataset contains policy documents. +* Dataset Snapshot, if there are multiple datasets please include multiple tables for each dataset. + + +| Size of dataset | | +| :---- | :---- | +| Number of instances | 189 | +| Number of fields | N/A | +| Labeled classes | N/A| +| Number of labels |N/A | + + + +*Collection Process* + +* What mechanisms or procedures were used to collect the data (e.g., API, artificially generated, crowdsourced \- paid, crowdsourced \- volunteer, scraped or crawled, survey, forms, or polls, taken from other existing datasets, provided by the client, etc)? How were these mechanisms or procedures validated? + * The dataset is publicly accessible on the BPS website. We created a web scraper to scrape the links and then downloaded pdf text files from the drive links. We then stored our data in .txt file. +* If the dataset is a sample from a larger set, what was the sampling strategy (e.g., deterministic, probabilistic with specific sampling probabilities)? + * The dataset is not a sample of larger set. +* Over what timeframe was the data collected? Does this timeframe match the creation timeframe of the data associated with the instances (e.g., recent crawl of old news articles)? If not, please describe the timeframe in which the data associated with the instances was created. + * The dataset was created during Fall 2024 semester. The dataset itself contains files from Boston Public School policy website for the year of 2024/25. + Link: https://www.bostonpublicschools.org/domain/1884 + +*Preprocessing/cleaning/labeling* + +* Was any preprocessing/cleaning/labeling of the data done (e.g., discretization or bucketing, tokenization, part-of-speech tagging, SIFT feature extraction, removal of instances, processing of missing values)? If so, please provide a description. If not, you may skip the remaining questions in this section. + * Dataset was used raw. +* Were any transformations applied to the data (e.g., cleaning mismatched values, cleaning missing values, converting data types, data aggregation, dimensionality reduction, joining input sources, redaction or anonymization, etc.)? If so, please provide a description. + * No tranformations applied. +* Was the “raw” data saved in addition to the preprocessed/cleaned/labeled data (e.g., to support unanticipated future uses)? If so, please provide a link or other access point to the “raw” data, this could be a link to a folder in your GitHub Repo, Spark\! owned Google Drive Folder for this project, or a path on the SCC, etc. + * N/A +* Is the code that was used to preprocess/clean the data available? If so, please provide a link to it (e.g., EDA notebook/EDA script in the GitHub repository). + * The EDA was perfomed on dataset to understand it. However, raw data was used. No cleaning was perfomed on the dataset. + +*Uses* + +* What tasks has the dataset been used for so far? Please provide a description. + * Dataset was used to create a RAG-based chatbot for Boston Public School to assist the affliated teachers and lawyers with BPS policy related question. +* What (other) tasks could the dataset be used for? + * N/A +* Is there anything about the composition of the dataset or the way it was collected and preprocessed/cleaned/labeled that might impact future uses? + * N/A +* Are there tasks for which the dataset should not be used? If so, please provide a description. + * N/A + +*Distribution* + +* Based on discussions with the client, what access type should this dataset be given (eg., Internal (Restricted), External Open Access, Other)? + * Dataset is already publicly accessible. + Link: https://www.bostonpublicschools.org/domain/1884 + +*Maintenance* + +* If others want to extend/augment/build on/contribute to the dataset, is there a mechanism for them to do so? If so, please provide a description. + * We have code written to scrape the data, convert to text, and finally create metadata. All of it is available on github repository. + +*Other* + +* Is there any other additional information that you would like to provide that has not already been covered in other sections? + * N/A + diff --git a/project-UI/chainlitmain.py b/project-UI/chainlitmain.py new file mode 100644 index 0000000..244003e --- /dev/null +++ b/project-UI/chainlitmain.py @@ -0,0 +1,109 @@ +import chainlit as cl +from langchain_core.prompts import PromptTemplate +from langchain_core.runnables import RunnablePassthrough +from langchain_core.output_parsers import StrOutputParser +from langchain_openai import ChatOpenAI +from langchain.vectorstores import FAISS +from langchain.embeddings import HuggingFaceEmbeddings +import os +import json + +os.environ["OPENAI_API_KEY"] = "OPENAI_API_KEY" + +# Initialize Embeddings and FAISS +modelPath = "sentence-transformers/all-MiniLM-l6-v2" + +embeddings = HuggingFaceEmbeddings( + model_name=modelPath, + model_kwargs={'device': 'cpu'}, + encode_kwargs={'normalize_embeddings': False} +) + +# Load FAISS Index +loaded_db = FAISS.load_local("code/faiss_index", embeddings, allow_dangerous_deserialization=True) +retriever = loaded_db.as_retriever(search_type="similarity", search_kwargs={"k": 4}) + +# LLM Configuration +llm = ChatOpenAI(model="gpt-4o-mini") + +# Prompt Template +template = """ +You are a highly knowledgeable and professional policy advisor for Boston Public Schools. Your role is to provide precise, context-specific answers to questions based solely on the information provided in the context. + +### Guidelines: +1. **Scope Limitation**: Only use the information provided in the "Context" to answer the question. Do not infer, assume, or incorporate external information. +2. **Out-of-Scope Questions**: If a question is unrelated to any policy, politely respond that it is beyond the scope of your knowledge as a policy advisor and feel free to continue the answer based on the "question". Finally, append "[0]__[0]" at the end of the answer for the developer to use, only if the "question" is unrelated to the task. +3. **Citing Policy**: Always conclude your response by explicitly citing the policy name(s) used to formulate your answer. If no policy is applicable, don't mention anything. + +### Additional Considerations: +- **Ambiguities**: If the context lacks sufficient information to answer the question definitively, mention this and provide a response based on the provided context. +- **Clarity and Professionalism**: Ensure all responses are concise but comprehensive, clear, and professional. + +### Input Structure: +Context: {context} +Question: {question} +""" + +custom_rag_prompt = PromptTemplate.from_template(template) + +def format_docs(docs): + return "\n\n".join( + f"{doc.page_content}\n\nSource: {doc.metadata.get('file_name', 'Unknown File')}, Folder: {doc.metadata.get('folder_name', 'Unknown Folder')}" + for doc in docs + ) + +rag_chain = ( + { + "context": retriever | format_docs, + "question": RunnablePassthrough() + } + | custom_rag_prompt + | llm + | StrOutputParser() +) + +@cl.on_chat_start +async def on_chat_start(): + """ + Initializes the chatbot session. + """ + await cl.Message( + content="Hi! I am the policy advisor for Boston Public School. How can I assist you today?" + ).send() + +@cl.on_message +async def on_message(message: cl.Message): + """ + Handles user queries and returns answers based on retrieved documents. + """ + try: + # Invoke the RAG chain to get the main response + response = rag_chain.invoke(message.content) + + marker = "[0]__[0]" + # Check if the response contains the marker + if marker in response: + # Remove the marker from the response + full_response = response.replace(marker, "").strip() + else: + # Retrieve relevant documents + retrieved_documents = retriever.invoke(message.content) + + # Initialize a list to collect formatted links + links = [] + for i, item in enumerate(retrieved_documents, 1): # Iterate through the list of Document objects + link = item.metadata.get('link') # Access the 'link' key within the 'metadata' attribute + file_name = item.metadata.get('file_name') # Access the 'file_name' key within the 'metadata' attribute + if link: + # Append each link in Markdown format for clickability + links.append(f"**Source {i}:** [{file_name}]({link})") + + # Join the response with links, separating links by a new line + full_response = f"{response}\n\n**References:**\n" + "\n".join(links) if links else response + + # Send the response back to the user + await cl.Message(content=full_response).send() + + except Exception as e: + # Send the error message back to the user + await cl.Message(content=f"An error occurred: {str(e)}").send() diff --git a/project-UI/main.py b/project-UI/main.py new file mode 100644 index 0000000..68b2dc8 --- /dev/null +++ b/project-UI/main.py @@ -0,0 +1,91 @@ +from fastapi import FastAPI +from fastapi.responses import HTMLResponse +from fastapi.staticfiles import StaticFiles +from chainlit.utils import mount_chainlit + +app = FastAPI() + +# Mount static files directory +app.mount("/static", StaticFiles(directory="code/static"), name="static") + +# Mount Chainlit app at /chainlit +mount_chainlit(app=app, target="code/chainlitmain.py", path="/chainlit") + +# Serve the main webpage +@app.get("/", response_class=HTMLResponse) +async def get_homepage(): + html_content = """ + + + + FastAPI with Chainlit + + + + +

Welcome to Boston Public School Policy Chatbot

+
+ Chat with Chainlit +
+
+ +
+ + + """ + return HTMLResponse(content=html_content) diff --git a/project-chatbot/.chainlit/config.toml b/project-chatbot/.chainlit/config.toml new file mode 100644 index 0000000..28e1afd --- /dev/null +++ b/project-chatbot/.chainlit/config.toml @@ -0,0 +1,121 @@ +[project] +# Whether to enable telemetry (default: true). No personal data is collected. +enable_telemetry = true + + +# List of environment variables to be provided by each user to use the app. +user_env = [] + +# Duration (in seconds) during which the session is saved when the connection is lost +session_timeout = 3600 + +# Enable third parties caching (e.g LangChain cache) +cache = false + +# Authorized origins +allow_origins = ["*"] + +# Follow symlink for asset mount (see https://github.com/Chainlit/chainlit/issues/317) +# follow_symlink = false + +[features] +# Process and display HTML in messages. This can be a security risk (see https://stackoverflow.com/questions/19603097/why-is-it-dangerous-to-render-user-generated-html-or-javascript) +unsafe_allow_html = false + +# Process and display mathematical expressions. This can clash with "$" characters in messages. +latex = false + +# Automatically tag threads with the current chat profile (if a chat profile is used) +auto_tag_thread = true + +# Allow users to edit their own messages +edit_message = true + +# Authorize users to spontaneously upload files with messages +[features.spontaneous_file_upload] + enabled = true + accept = ["*/*"] + max_files = 20 + max_size_mb = 500 + +[features.audio] + # Threshold for audio recording + min_decibels = -45 + # Delay for the user to start speaking in MS + initial_silence_timeout = 3000 + # Delay for the user to continue speaking in MS. If the user stops speaking for this duration, the recording will stop. + silence_timeout = 1500 + # Above this duration (MS), the recording will forcefully stop. + max_duration = 15000 + # Duration of the audio chunks in MS + chunk_duration = 1000 + # Sample rate of the audio + sample_rate = 44100 + +[UI] +# Name of the assistant. +name = "Assistant" + +# Description of the assistant. This is used for HTML tags. +# description = "" + +# Large size content are by default collapsed for a cleaner ui +default_collapse_content = true + +# Chain of Thought (CoT) display mode. Can be "hidden", "tool_call" or "full". +cot = "full" + +# Link to your github repo. This will add a github button in the UI's header. +# github = "" + +# Specify a CSS file that can be used to customize the user interface. +# The CSS file can be served from the public directory or via an external link. +custom_css = "/public/custom.css" + +# Specify a Javascript file that can be used to customize the user interface. +# The Javascript file can be served from the public directory. +# custom_js = "/public/test.js" + +# Specify a custom font url. +# custom_font = "https://fonts.googleapis.com/css2?family=Inter:wght@400;500;700&display=swap" + +# Specify a custom meta image url. +# custom_meta_image_url = "https://chainlit-cloud.s3.eu-west-3.amazonaws.com/logo/chainlit_banner.png" + +# Specify a custom build directory for the frontend. +# This can be used to customize the frontend code. +# Be careful: If this is a relative path, it should not start with a slash. +# custom_build = "./public/build" + +[UI.theme] + default = "dark" + #layout = "wide" + #font_family = "Inter, sans-serif" +# Override default MUI light theme. (Check theme.ts) +[UI.theme.light] + #background = "#FAFAFA" + #paper = "#FFFFFF" + + [UI.theme.light.primary] + #main = "#F80061" + #dark = "#980039" + #light = "#FFE7EB" + [UI.theme.light.text] + #primary = "#212121" + #secondary = "#616161" + +# Override default MUI dark theme. (Check theme.ts) +[UI.theme.dark] + #background = "#FAFAFA" + #paper = "#FFFFFF" + + [UI.theme.dark.primary] + #main = "#F80061" + #dark = "#980039" + #light = "#FFE7EB" + [UI.theme.dark.text] + #primary = "#EEEEEE" + #secondary = "#BDBDBD" + +[meta] +generated_by = "1.3.2" diff --git a/project-chatbot/.chainlit/translations/bn.json b/project-chatbot/.chainlit/translations/bn.json new file mode 100644 index 0000000..e6bbda3 --- /dev/null +++ b/project-chatbot/.chainlit/translations/bn.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u09b8\u09c7\u099f\u09bf\u0982\u09b8", + "settingsKey": "S", + "APIKeys": "\u098f\u09aa\u09bf\u0986\u0987 \u0995\u09c0", + "logout": "\u09b2\u0997\u0986\u0989\u099f" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u09a8\u09a4\u09c1\u09a8 \u0986\u09a1\u09cd\u09a1\u09be" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0995\u09be\u09b0\u09cd\u09af \u09a4\u09be\u09b2\u09bf\u0995\u09be", + "loading": "\u09b2\u09cb\u09a1\u0964\u0964\u0964", + "error": "\u098f\u0995\u099f\u09bf \u09a4\u09cd\u09b0\u09c1\u099f\u09bf \u09b8\u0982\u0998\u099f\u09bf\u09a4 \u09b9\u09af\u09bc\u09c7\u099b\u09c7" + } + }, + "attachments": { + "cancelUpload": "\u0986\u09aa\u09b2\u09cb\u09a1 \u09ac\u09be\u09a4\u09bf\u09b2 \u0995\u09b0\u09c1\u09a8", + "removeAttachment": "\u09b8\u0982\u09af\u09c1\u0995\u09cd\u09a4\u09bf \u09b8\u09b0\u09be\u09a8" + }, + "newChatDialog": { + "createNewChat": "\u09a8\u09a4\u09c1\u09a8 \u099a\u09cd\u09af\u09be\u099f \u09a4\u09c8\u09b0\u09bf \u0995\u09b0\u09ac\u09c7\u09a8?", + "clearChat": "\u098f\u099f\u09bf \u09ac\u09b0\u09cd\u09a4\u09ae\u09be\u09a8 \u09ac\u09be\u09b0\u09cd\u09a4\u09be\u0997\u09c1\u09b2\u09bf \u09b8\u09be\u09ab \u0995\u09b0\u09ac\u09c7 \u098f\u09ac\u0982 \u098f\u0995\u099f\u09bf \u09a8\u09a4\u09c1\u09a8 \u099a\u09cd\u09af\u09be\u099f \u09b6\u09c1\u09b0\u09c1 \u0995\u09b0\u09ac\u09c7\u0964", + "cancel": "\u09ac\u09be\u09a4\u09bf\u09b2", + "confirm": "\u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4" + }, + "settingsModal": { + "settings": "\u09b8\u09c7\u099f\u09bf\u0982\u09b8", + "expandMessages": "\u09ac\u09be\u09b0\u09cd\u09a4\u09be\u0997\u09c1\u09b2\u09bf \u09aa\u09cd\u09b0\u09b8\u09be\u09b0\u09bf\u09a4 \u0995\u09b0\u09c1\u09a8", + "hideChainOfThought": "\u099a\u09bf\u09a8\u09cd\u09a4\u09be\u09b0 \u09b6\u09c3\u0999\u09cd\u0996\u09b2 \u09b2\u09c1\u0995\u09be\u09a8", + "darkMode": "\u09a1\u09be\u09b0\u09cd\u0995 \u09ae\u09cb\u09a1" + }, + "detailsButton": { + "using": "\u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0", + "running": "\u099a\u09b2\u09ae\u09be\u09a8", + "took_one": "{{count}} \u09aa\u09a6\u0995\u09cd\u09b7\u09c7\u09aa \u09a8\u09bf\u09af\u09bc\u09c7\u099b\u09c7", + "took_other": "{{count}}\u099f\u09bf \u09aa\u09a6\u0995\u09cd\u09b7\u09c7\u09aa \u09a8\u09bf\u09af\u09bc\u09c7\u099b\u09c7" + }, + "auth": { + "authLogin": { + "title": "\u0985\u09cd\u09af\u09be\u09aa\u099f\u09bf \u0985\u09cd\u09af\u09be\u0995\u09cd\u09b8\u09c7\u09b8 \u0995\u09b0\u09a4\u09c7 \u09b2\u0997\u0987\u09a8 \u0995\u09b0\u09c1\u09a8\u0964", + "form": { + "email": "\u0987-\u09ae\u09c7\u0987\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be", + "password": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1", + "noAccount": "\u0995\u09cb\u09a8\u0993 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a8\u09c7\u0987?", + "alreadyHaveAccount": "\u0987\u09a4\u09bf\u09ae\u09a7\u09cd\u09af\u09c7 \u098f\u0995\u099f\u09bf \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u0986\u099b\u09c7?", + "signup": "\u09b8\u09be\u0987\u09a8 \u0986\u09aa \u0995\u09b0\u09cb", + "signin": "\u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09cb", + "or": "\u09ac\u09be", + "continue": "\u0985\u09ac\u09bf\u09b0\u09a4", + "forgotPassword": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09ad\u09c1\u09b2\u09c7 \u0997\u09c7\u099b\u09c7\u09a8?", + "passwordMustContain": "\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1\u09c7 \u0985\u09ac\u09b6\u09cd\u09af\u0987 \u09a5\u09be\u0995\u09a4\u09c7 \u09b9\u09ac\u09c7:", + "emailRequired": "\u0987\u09ae\u09c7\u09b2 \u098f\u0995\u099f\u09bf \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u09c0\u09af\u09bc \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "passwordRequired": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u098f\u0995\u099f\u09bf \u0986\u09ac\u09b6\u09cd\u09af\u0995 \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0" + }, + "error": { + "default": "\u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09a4\u09c7 \u0985\u0995\u09cd\u09b7\u09ae\u0964", + "signin": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "oauthsignin": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "redirect_uri_mismatch": "\u09aa\u09c1\u09a8\u0983\u09a8\u09bf\u09b0\u09cd\u09a6\u09c7\u09b6\u09bf\u09a4 URI OAUTH \u0985\u09cd\u09af\u09be\u09aa \u0995\u09a8\u09ab\u09bf\u0997\u09be\u09b0\u09c7\u09b6\u09a8\u09c7\u09b0 \u09b8\u09be\u09a5\u09c7 \u09ae\u09bf\u09b2\u099b\u09c7 \u09a8\u09be\u0964", + "oauthcallbackerror": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "oauthcreateaccount": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "emailcreateaccount": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "callback": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "oauthaccountnotlinked": "\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09b0\u09bf\u099a\u09af\u09bc \u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4 \u0995\u09b0\u09a4\u09c7, \u0986\u09aa\u09a8\u09bf \u09ae\u09c2\u09b2\u09a4 \u09af\u09c7 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f\u099f\u09bf \u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0 \u0995\u09b0\u09c7\u099b\u09c7\u09a8 \u09b8\u09c7\u0987 \u098f\u0995\u0987 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09c1\u09a8\u0964", + "emailsignin": "\u0987-\u09ae\u09c7\u0987\u09b2\u099f\u09bf \u09aa\u09cd\u09b0\u09c7\u09b0\u09a3 \u0995\u09b0\u09be \u09af\u09be\u09af\u09bc\u09a8\u09bf\u0964", + "emailverify": "\u0985\u09a8\u09c1\u0997\u09cd\u09b0\u09b9 \u0995\u09b0\u09c7 \u0986\u09aa\u09a8\u09be\u09b0 \u0987\u09ae\u09c7\u09b2\u099f\u09bf \u09af\u09be\u099a\u09be\u0987 \u0995\u09b0\u09c1\u09a8, \u098f\u0995\u099f\u09bf \u09a8\u09a4\u09c1\u09a8 \u0987\u09ae\u09c7\u09b2 \u09aa\u09cd\u09b0\u09c7\u09b0\u09a3 \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964", + "credentialssignin": "\u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5 \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964 \u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09cd\u09b0\u09a6\u09a4\u09cd\u09a4 \u09ac\u09bf\u09ac\u09b0\u09a3\u0997\u09c1\u09b2\u09bf \u09b8\u09a0\u09bf\u0995 \u0995\u09bf\u09a8\u09be \u09a4\u09be \u09aa\u09b0\u09c0\u0995\u09cd\u09b7\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "sessionrequired": "\u098f\u0987 \u09aa\u09c3\u09b7\u09cd\u09a0\u09be\u099f\u09bf \u0985\u09cd\u09af\u09be\u0995\u09cd\u09b8\u09c7\u09b8 \u0995\u09b0\u09a4\u09c7 \u09a6\u09af\u09bc\u09be \u0995\u09b0\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09c1\u09a8\u0964" + } + }, + "authVerifyEmail": { + "almostThere": "\u0986\u09aa\u09a8\u09bf \u09aa\u09cd\u09b0\u09be\u09af\u09bc \u09b8\u09c7\u0996\u09be\u09a8\u09c7 \u09aa\u09cc\u0981\u099b\u09c7\u099b\u09c7\u09a8! \u0986\u09ae\u09b0\u09be \u098f\u0995\u099f\u09bf \u0987\u09ae\u09c7\u0987\u09b2 \u09aa\u09be\u09a0\u09bf\u09af\u09bc\u09c7\u099b\u09bf ", + "verifyEmailLink": "\u0986\u09aa\u09a8\u09be\u09b0 \u09b8\u09be\u0987\u09a8\u0986\u09aa \u09b8\u09ae\u09cd\u09aa\u09c2\u09b0\u09cd\u09a3 \u0995\u09b0\u09a4\u09c7 \u09a6\u09af\u09bc\u09be \u0995\u09b0\u09c7 \u09b8\u09c7\u0987 \u0987\u09ae\u09c7\u09b2\u09c7\u09b0 \u09b2\u09bf\u0999\u09cd\u0995\u099f\u09bf\u09a4\u09c7 \u0995\u09cd\u09b2\u09bf\u0995 \u0995\u09b0\u09c1\u09a8\u0964", + "didNotReceive": "\u0987\u09ae\u09c7\u0987\u09b2 \u0996\u09c1\u0981\u099c\u09c7 \u09aa\u09be\u099a\u09cd\u099b\u09c7\u09a8 \u09a8\u09be?", + "resendEmail": "\u0987\u09ae\u09c7\u0987\u09b2 \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09aa\u09be\u09a0\u09be\u09a8", + "goBack": "\u09ab\u09bf\u09b0\u09c7 \u09af\u09be\u0993", + "emailSent": "\u0987\u09ae\u09c7\u09b2 \u09b8\u09ab\u09b2\u09ad\u09be\u09ac\u09c7 \u09aa\u09be\u09a0\u09be\u09a8\u09cb \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964", + "verifyEmail": "\u0986\u09aa\u09a8\u09be\u09b0 \u0987\u09ae\u09c7\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be \u09af\u09be\u099a\u09be\u0987 \u0995\u09b0\u09c1\u09a8" + }, + "providerButton": { + "continue": "{{provider}} \u09a6\u09bf\u09af\u09bc\u09c7 \u099a\u09be\u09b2\u09bf\u09af\u09bc\u09c7 \u09af\u09be\u09a8", + "signup": "{{provider}} \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0986\u09aa \u0995\u09b0\u09c1\u09a8" + }, + "authResetPassword": { + "newPasswordRequired": "\u09a8\u09a4\u09c1\u09a8 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u098f\u0995\u099f\u09bf \u0986\u09ac\u09b6\u09cd\u09af\u0995 \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "passwordsMustMatch": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u0985\u09ac\u09b6\u09cd\u09af\u0987 \u09ae\u09bf\u09b2\u09a4\u09c7 \u09b9\u09ac\u09c7", + "confirmPasswordRequired": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4 \u0995\u09b0\u09be \u098f\u0995\u099f\u09bf \u0986\u09ac\u09b6\u09cd\u09af\u0995 \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "newPassword": "\u09a8\u09a4\u09c1\u09a8 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1", + "confirmPassword": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4 \u0995\u09b0\u09c1\u09a8", + "resetPassword": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09b0\u09bf\u09b8\u09c7\u099f \u0995\u09b0\u09c1\u09a8" + }, + "authForgotPassword": { + "email": "\u0987-\u09ae\u09c7\u0987\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be", + "emailRequired": "\u0987\u09ae\u09c7\u09b2 \u098f\u0995\u099f\u09bf \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u09c0\u09af\u09bc \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "emailSent": "\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1\u099f\u09bf \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09b8\u09c7\u099f \u0995\u09b0\u09be\u09b0 \u09a8\u09bf\u09b0\u09cd\u09a6\u09c7\u09b6\u09be\u09ac\u09b2\u09c0\u09b0 \u099c\u09a8\u09cd\u09af \u09a6\u09af\u09bc\u09be \u0995\u09b0\u09c7 \u0987\u09ae\u09c7\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be {{email}} \u09aa\u09b0\u09c0\u0995\u09cd\u09b7\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "enterEmail": "\u0986\u09aa\u09a8\u09be\u09b0 \u0987\u09ae\u09c7\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be \u09b2\u09bf\u0996\u09c1\u09a8 \u098f\u09ac\u0982 \u0986\u09ae\u09b0\u09be \u0986\u09aa\u09a8\u09be\u0995\u09c7 \u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09b8\u09c7\u099f \u0995\u09b0\u09a4\u09c7 \u09a8\u09bf\u09b0\u09cd\u09a6\u09c7\u09b6\u09be\u09ac\u09b2\u09c0 \u09aa\u09be\u09a0\u09be\u09ac\u0964", + "resendEmail": "\u0987\u09ae\u09c7\u0987\u09b2 \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09aa\u09be\u09a0\u09be\u09a8", + "continue": "\u0985\u09ac\u09bf\u09b0\u09a4", + "goBack": "\u09ab\u09bf\u09b0\u09c7 \u09af\u09be\u0993" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0987\u09a4\u09bf\u09b9\u09be\u09b8 \u09a6\u09c7\u0996\u09be\u09a8", + "lastInputs": "\u09b8\u09b0\u09cd\u09ac\u09b6\u09c7\u09b7 \u0987\u09a8\u09aa\u09c1\u099f", + "noInputs": "\u098f\u09a4 \u09ab\u09be\u0981\u0995\u09be...", + "loading": "\u09b2\u09cb\u09a1\u0964\u0964\u0964" + } + }, + "inputBox": { + "input": { + "placeholder": "\u098f\u0996\u09be\u09a8\u09c7 \u0986\u09aa\u09a8\u09be\u09b0 \u09ac\u09be\u09b0\u09cd\u09a4\u09be \u099f\u09be\u0987\u09aa \u0995\u09b0\u09c1\u09a8..." + }, + "speechButton": { + "start": "\u09b0\u09c7\u0995\u09b0\u09cd\u09a1\u09bf\u0982 \u09b6\u09c1\u09b0\u09c1 \u0995\u09b0\u09c1\u09a8", + "stop": "\u09b0\u09c7\u0995\u09b0\u09cd\u09a1\u09bf\u0982 \u09ac\u09a8\u09cd\u09a7 \u0995\u09b0\u09c1\u09a8" + }, + "SubmitButton": { + "sendMessage": "\u09ac\u09be\u09b0\u09cd\u09a4\u09be \u09aa\u09cd\u09b0\u09c7\u09b0\u09a3 \u0995\u09b0\u09c1\u09a8", + "stopTask": "\u09b8\u09cd\u099f\u09aa \u099f\u09be\u09b8\u09cd\u0995" + }, + "UploadButton": { + "attachFiles": "\u09ab\u09be\u0987\u09b2 \u09b8\u0982\u09af\u09c1\u0995\u09cd\u09a4 \u0995\u09b0\u09c1\u09a8" + }, + "waterMark": { + "text": "\u09b8\u0999\u09cd\u0997\u09c7 \u09a8\u09bf\u09b0\u09cd\u09ae\u09bf\u09a4" + } + }, + "Messages": { + "index": { + "running": "\u099a\u09b2\u09ae\u09be\u09a8", + "executedSuccessfully": "\u09b8\u09ab\u09b2\u09ad\u09be\u09ac\u09c7 \u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09bf\u09a4 \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "failed": "\u09ac\u09cd\u09af\u09b0\u09cd\u09a5", + "feedbackUpdated": "\u09ab\u09bf\u09a1\u09ac\u09cd\u09af\u09be\u0995 \u0986\u09aa\u09a1\u09c7\u099f \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "updating": "\u0986\u09a7\u09c1\u09a8\u09bf\u0995\u09c0\u0995\u09b0\u09a3" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0986\u09aa\u09a8\u09be\u09b0 \u09ab\u09be\u0987\u09b2\u0997\u09c1\u09b2\u09bf \u098f\u0996\u09be\u09a8\u09c7 \u09ab\u09c7\u09b2\u09c7 \u09a6\u09bf\u09a8" + }, + "index": { + "failedToUpload": "\u0986\u09aa\u09b2\u09cb\u09a1 \u0995\u09b0\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5 \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "cancelledUploadOf": "\u098f\u09b0 \u0986\u09aa\u09b2\u09cb\u09a1 \u09ac\u09be\u09a4\u09bf\u09b2", + "couldNotReachServer": "\u09b8\u09be\u09b0\u09cd\u09ad\u09be\u09b0\u09c7 \u09aa\u09cc\u0981\u099b\u09be\u09a8\u09cb \u09af\u09be\u09af\u09bc\u09a8\u09bf", + "continuingChat": "\u09aa\u09c2\u09b0\u09cd\u09ac\u09ac\u09b0\u09cd\u09a4\u09c0 \u099a\u09cd\u09af\u09be\u099f \u0985\u09ac\u09bf\u09b0\u09a4 \u09b0\u09be\u0996\u09be" + }, + "settings": { + "settingsPanel": "\u09b8\u09c7\u099f\u09bf\u0982\u09b8 \u09aa\u09cd\u09af\u09be\u09a8\u09c7\u09b2", + "reset": "\u09b0\u09bf\u09b8\u09c7\u099f", + "cancel": "\u09ac\u09be\u09a4\u09bf\u09b2", + "confirm": "\u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u09aa\u09cd\u09b0\u09a4\u09bf\u0995\u09cd\u09b0\u09bf\u09af\u09bc\u09be: \u09b8\u09ac", + "feedbackPositive": "\u09aa\u09cd\u09b0\u09a4\u09bf\u0995\u09cd\u09b0\u09bf\u09af\u09bc\u09be: \u0987\u09a4\u09bf\u09ac\u09be\u099a\u0995", + "feedbackNegative": "\u09aa\u09cd\u09b0\u09a4\u09bf\u0995\u09cd\u09b0\u09bf\u09af\u09bc\u09be: \u09a8\u09c7\u09a4\u09bf\u09ac\u09be\u099a\u0995" + }, + "SearchBar": { + "search": "\u09b8\u09a8\u09cd\u09a7\u09be\u09a8" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u098f\u099f\u09bf \u09a5\u09cd\u09b0\u09c7\u09a1\u09c7\u09b0 \u09aa\u09be\u09b6\u09be\u09aa\u09be\u09b6\u09bf \u098f\u09b0 \u09ac\u09be\u09b0\u09cd\u09a4\u09be \u098f\u09ac\u0982 \u0989\u09aa\u09be\u09a6\u09be\u09a8\u0997\u09c1\u09b2\u09bf\u0993 \u09ae\u09c1\u099b\u09c7 \u09ab\u09c7\u09b2\u09ac\u09c7\u0964", + "cancel": "\u09ac\u09be\u09a4\u09bf\u09b2", + "confirm": "\u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4", + "deletingChat": "\u099a\u09cd\u09af\u09be\u099f \u09ae\u09cb\u099b\u09be \u09b9\u099a\u09cd\u099b\u09c7", + "chatDeleted": "\u099a\u09cd\u09af\u09be\u099f \u09ae\u09cb\u099b\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7" + }, + "index": { + "pastChats": "\u0985\u09a4\u09c0\u09a4 \u099a\u09cd\u09af\u09be\u099f" + }, + "ThreadList": { + "empty": "\u0996\u09be\u09b2\u09bf\u0964\u0964\u0964", + "today": "\u0986\u099c", + "yesterday": "\u0997\u09a4\u0995\u09be\u09b2", + "previous7days": "Previous 7 \u09a6\u09bf\u09a8", + "previous30days": "\u09aa\u09c2\u09b0\u09cd\u09ac\u09ac\u09b0\u09cd\u09a4\u09c0 30 \u09a6\u09bf\u09a8" + }, + "TriggerButton": { + "closeSidebar": "\u09b8\u09be\u0987\u09a1\u09ac\u09be\u09b0 \u09ac\u09a8\u09cd\u09a7 \u0995\u09b0\u09c1\u09a8", + "openSidebar": "\u09b8\u09be\u0987\u09a1\u09ac\u09be\u09b0 \u0996\u09c1\u09b2\u09c1\u09a8" + } + }, + "Thread": { + "backToChat": "\u099a\u09cd\u09af\u09be\u099f\u09c7 \u09ab\u09bf\u09b0\u09c7 \u09af\u09be\u09a8", + "chatCreatedOn": "\u098f\u0987 \u099a\u09cd\u09af\u09be\u099f\u099f\u09bf \u09a4\u09c8\u09b0\u09bf \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09bf\u09b2" + } + }, + "header": { + "chat": "\u0986\u09b2\u09be\u09aa", + "readme": "\u09b0\u09bf\u09a1\u09ae\u09bf" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u09b8\u09b0\u09ac\u09b0\u09be\u09b9\u0995\u09be\u09b0\u09c0\u09a6\u09c7\u09b0 \u0986\u09a8\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u09b8\u09ab\u09b2\u09ad\u09be\u09ac\u09c7 \u09b8\u0982\u09b0\u0995\u09cd\u09b7\u09a3 \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "requiredApiKeys": "\u0986\u09ac\u09b6\u09cd\u09af\u0995 API \u0995\u09c0", + "requiredApiKeysInfo": "\u098f\u0987 \u0985\u09cd\u09af\u09be\u09aa\u099f\u09bf \u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0 \u0995\u09b0\u09a4\u09c7, \u09a8\u09bf\u09ae\u09cd\u09a8\u09b2\u09bf\u0996\u09bf\u09a4 API \u0995\u09c0\u0997\u09c1\u09b2\u09bf\u09b0 \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u0964 \u0995\u09c0\u0997\u09c1\u09b2\u09bf \u0986\u09aa\u09a8\u09be\u09b0 \u09a1\u09bf\u09ad\u09be\u0987\u09b8\u09c7\u09b0 \u09b8\u09cd\u09a5\u09be\u09a8\u09c0\u09af\u09bc \u09b8\u09cd\u099f\u09cb\u09b0\u09c7\u099c\u09c7 \u09b8\u099e\u09cd\u099a\u09bf\u09a4 \u09b0\u09af\u09bc\u09c7\u099b\u09c7\u0964" + }, + "Page": { + "notPartOfProject": "\u0986\u09aa\u09a8\u09bf \u098f\u0987 \u09aa\u09cd\u09b0\u0995\u09b2\u09cd\u09aa\u09c7\u09b0 \u0985\u0982\u09b6 \u09a8\u09a8\u0964" + }, + "ResumeButton": { + "resumeChat": "\u099a\u09cd\u09af\u09be\u099f \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09b6\u09c1\u09b0\u09c1 \u0995\u09b0\u09c1\u09a8" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/en-US.json b/project-chatbot/.chainlit/translations/en-US.json new file mode 100644 index 0000000..d6d3fea --- /dev/null +++ b/project-chatbot/.chainlit/translations/en-US.json @@ -0,0 +1,229 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "Settings", + "settingsKey": "S", + "APIKeys": "API Keys", + "logout": "Logout" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "New Chat" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f Task List", + "loading": "Loading...", + "error": "An error occurred" + } + }, + "attachments": { + "cancelUpload": "Cancel upload", + "removeAttachment": "Remove attachment" + }, + "newChatDialog": { + "createNewChat": "Create new chat?", + "clearChat": "This will clear the current messages and start a new chat.", + "cancel": "Cancel", + "confirm": "Confirm" + }, + "settingsModal": { + "settings": "Settings", + "expandMessages": "Expand Messages", + "hideChainOfThought": "Hide Chain of Thought", + "darkMode": "Dark Mode" + }, + "detailsButton": { + "using": "Using", + "used": "Used" + }, + "auth": { + "authLogin": { + "title": "Login to access the app.", + "form": { + "email": "Email address", + "password": "Password", + "noAccount": "Don't have an account?", + "alreadyHaveAccount": "Already have an account?", + "signup": "Sign Up", + "signin": "Sign In", + "or": "OR", + "continue": "Continue", + "forgotPassword": "Forgot password?", + "passwordMustContain": "Your password must contain:", + "emailRequired": "email is a required field", + "passwordRequired": "password is a required field" + }, + "error": { + "default": "Unable to sign in.", + "signin": "Try signing in with a different account.", + "oauthsignin": "Try signing in with a different account.", + "redirect_uri_mismatch": "The redirect URI is not matching the oauth app configuration.", + "oauthcallbackerror": "Try signing in with a different account.", + "oauthcreateaccount": "Try signing in with a different account.", + "emailcreateaccount": "Try signing in with a different account.", + "callback": "Try signing in with a different account.", + "oauthaccountnotlinked": "To confirm your identity, sign in with the same account you used originally.", + "emailsignin": "The e-mail could not be sent.", + "emailverify": "Please verify your email, a new email has been sent.", + "credentialssignin": "Sign in failed. Check the details you provided are correct.", + "sessionrequired": "Please sign in to access this page." + } + }, + "authVerifyEmail": { + "almostThere": "You're almost there! We've sent an email to ", + "verifyEmailLink": "Please click on the link in that email to complete your signup.", + "didNotReceive": "Can't find the email?", + "resendEmail": "Resend email", + "goBack": "Go Back", + "emailSent": "Email sent successfully.", + "verifyEmail": "Verify your email address" + }, + "providerButton": { + "continue": "Continue with {{provider}}", + "signup": "Sign up with {{provider}}" + }, + "authResetPassword": { + "newPasswordRequired": "New password is a required field", + "passwordsMustMatch": "Passwords must match", + "confirmPasswordRequired": "Confirm password is a required field", + "newPassword": "New password", + "confirmPassword": "Confirm password", + "resetPassword": "Reset Password" + }, + "authForgotPassword": { + "email": "Email address", + "emailRequired": "email is a required field", + "emailSent": "Please check the email address {{email}} for instructions to reset your password.", + "enterEmail": "Enter your email address and we will send you instructions to reset your password.", + "resendEmail": "Resend email", + "continue": "Continue", + "goBack": "Go Back" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "Show history", + "lastInputs": "Last Inputs", + "noInputs": "Such empty...", + "loading": "Loading..." + } + }, + "inputBox": { + "input": { + "placeholder": "Type your message here..." + }, + "speechButton": { + "start": "Start recording", + "stop": "Stop recording" + }, + "SubmitButton": { + "sendMessage": "Send message", + "stopTask": "Stop Task" + }, + "UploadButton": { + "attachFiles": "Attach files" + }, + "waterMark": { + "text": "Built with" + } + }, + "Messages": { + "index": { + "running": "Running", + "executedSuccessfully": "executed successfully", + "failed": "failed", + "feedbackUpdated": "Feedback updated", + "updating": "Updating" + } + }, + "dropScreen": { + "dropYourFilesHere": "Drop your files here" + }, + "index": { + "failedToUpload": "Failed to upload", + "cancelledUploadOf": "Cancelled upload of", + "couldNotReachServer": "Could not reach the server", + "continuingChat": "Continuing previous chat" + }, + "settings": { + "settingsPanel": "Settings panel", + "reset": "Reset", + "cancel": "Cancel", + "confirm": "Confirm" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "Feedback: All", + "feedbackPositive": "Feedback: Positive", + "feedbackNegative": "Feedback: Negative" + }, + "SearchBar": { + "search": "Search" + } + }, + "DeleteThreadButton": { + "confirmMessage": "This will delete the thread as well as it's messages and elements.", + "cancel": "Cancel", + "confirm": "Confirm", + "deletingChat": "Deleting chat", + "chatDeleted": "Chat deleted" + }, + "index": { + "pastChats": "Past Chats" + }, + "ThreadList": { + "empty": "Empty...", + "today": "Today", + "yesterday": "Yesterday", + "previous7days": "Previous 7 days", + "previous30days": "Previous 30 days" + }, + "TriggerButton": { + "closeSidebar": "Close sidebar", + "openSidebar": "Open sidebar" + } + }, + "Thread": { + "backToChat": "Go back to chat", + "chatCreatedOn": "This chat was created on" + } + }, + "header": { + "chat": "Chat", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "Failed to fetch providers:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "Saved successfully", + "requiredApiKeys": "Required API Keys", + "requiredApiKeysInfo": "To use this app, the following API keys are required. The keys are stored on your device's local storage." + }, + "Page": { + "notPartOfProject": "You are not part of this project." + }, + "ResumeButton": { + "resumeChat": "Resume Chat" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/gu.json b/project-chatbot/.chainlit/translations/gu.json new file mode 100644 index 0000000..561eb96 --- /dev/null +++ b/project-chatbot/.chainlit/translations/gu.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0aa8\u0acb", + "settingsKey": "S", + "APIKeys": "API \u0a95\u0ac0\u0a93", + "logout": "\u0aac\u0ab9\u0abe\u0ab0 \u0aa8\u0ac0\u0a95\u0ab3\u0acb" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0aa8\u0ab5\u0acb \u0ab8\u0a82\u0ab5\u0abe\u0aa6" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0a95\u0abe\u0ab0\u0acd\u0aaf \u0aaf\u0abe\u0aa6\u0ac0", + "loading": "\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac7...", + "error": "\u0aad\u0ac2\u0ab2 \u0a89\u0aa6\u0acd\u0aad\u0ab5\u0ac0" + } + }, + "attachments": { + "cancelUpload": "\u0a85\u0aaa\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0ac1\u0a82 \u0ab0\u0aa6 \u0a95\u0ab0\u0acb", + "removeAttachment": "\u0a9c\u0acb\u0aa1\u0abe\u0aa3\u0aa8\u0ac7 \u0aa6\u0ac2\u0ab0 \u0a95\u0ab0\u0acb" + }, + "newChatDialog": { + "createNewChat": "\u0ab6\u0ac1\u0a82 \u0aa8\u0ab5\u0ac1\u0a82 \u0ab8\u0a82\u0ab5\u0abe\u0aa6 \u0aac\u0aa8\u0abe\u0ab5\u0ab5\u0ac1\u0a82 \u0a9b\u0ac7?", + "clearChat": "\u0a86 \u0ab5\u0ab0\u0acd\u0aa4\u0aae\u0abe\u0aa8 \u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0abe\u0a93\u0aa8\u0ac7 \u0ab8\u0abe\u0aab \u0a95\u0ab0\u0ab6\u0ac7 \u0a85\u0aa8\u0ac7 \u0aa8\u0ab5\u0ac0 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4 \u0ab6\u0ab0\u0ac2 \u0a95\u0ab0\u0ab6\u0ac7.", + "cancel": "\u0ab0\u0aa6\u0acd\u0aa6", + "confirm": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb" + }, + "settingsModal": { + "settings": "\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0aa8\u0acb", + "expandMessages": "\u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0abe\u0a93 \u0ab5\u0abf\u0ab8\u0acd\u0aa4\u0ac3\u0aa4 \u0a95\u0ab0\u0acb", + "hideChainOfThought": "\u0ab5\u0abf\u0a9a\u0abe\u0ab0\u0aa8\u0ac0 \u0ab8\u0abe\u0a82\u0a95\u0ab3 \u0a9b\u0ac1\u0aaa\u0abe\u0ab5\u0acb", + "darkMode": "\u0a98\u0abe\u0a9f\u0ac0 \u0ab8\u0acd\u0aa5\u0abf\u0aa4\u0abf" + }, + "detailsButton": { + "using": "\u0ab5\u0abe\u0aaa\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac0\u0a8f", + "running": "\u0a9a\u0abe\u0ab2\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0ac1 \u0a9b\u0ac7", + "took_one": "{{count}} \u0aaa\u0a97\u0ab2\u0ac1\u0a82 \u0aad\u0ab0\u0acd\u0aaf\u0ac1\u0a82", + "took_other": "{{count}} \u0aaa\u0a97\u0ab2\u0abe\u0a82\u0a93 \u0ab2\u0ac0\u0aa7\u0abe" + }, + "auth": { + "authLogin": { + "title": "\u0a8f\u0aaa\u0acd\u0ab2\u0abf\u0a95\u0ac7\u0ab6\u0aa8\u0aa8\u0ac7 \u0a8d\u0a95\u0acd\u0ab8\u0ac7\u0ab8 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0ab2\u0acb\u0a97\u0abf\u0aa8 \u0a95\u0ab0\u0acb.", + "form": { + "email": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab8\u0ab0\u0aa8\u0abe\u0aae\u0ac1\u0a82", + "password": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1", + "noAccount": "\u0a96\u0abe\u0aa4\u0ac1\u0a82 \u0aa8\u0aa5\u0ac0?", + "alreadyHaveAccount": "\u0aaa\u0ab9\u0ac7\u0ab2\u0ac7\u0aa5\u0ac0 \u0a9c \u0a96\u0abe\u0aa4\u0ac1\u0a82 \u0a9b\u0ac7?", + "signup": "\u0ab8\u0abe\u0a87\u0aa8 \u0a85\u0aaa \u0a95\u0ab0\u0acb", + "signin": "\u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0acb", + "or": "\u0a85\u0aa5\u0ab5\u0abe", + "continue": "\u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0acb", + "forgotPassword": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0aad\u0ac2\u0ab2\u0ac0 \u0a97\u0aaf\u0abe?", + "passwordMustContain": "\u0aa4\u0aae\u0abe\u0ab0\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0ab8\u0aae\u0abe\u0ab5\u0aa4\u0acb \u0a9c \u0ab9\u0acb\u0ab5\u0acb \u0a9c\u0acb\u0a87\u0a8f:", + "emailRequired": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "passwordRequired": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7" + }, + "error": { + "default": "\u0aaa\u0acd\u0ab0\u0ab5\u0ac7\u0ab6 \u0a95\u0ab0\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0a85\u0ab8\u0aae\u0ab0\u0acd\u0aa5.", + "signin": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "oauthsignin": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "redirect_uri_mismatch": "\u0ab0\u0ac0\u0aa1\u0abe\u0aaf\u0ab0\u0ac7\u0a95\u0acd\u0a9f URI \u0a8f oauth \u0a8f\u0aaa\u0acd\u0ab2\u0abf\u0a95\u0ac7\u0ab6\u0aa8 \u0ab0\u0ac2\u0aaa\u0ab0\u0ac7\u0a96\u0abe\u0a82\u0a95\u0aa8 \u0ab8\u0abe\u0aa5\u0ac7 \u0aac\u0a82\u0aa7\u0aac\u0ac7\u0ab8\u0aa4\u0ac0 \u0aa8\u0aa5\u0ac0.", + "oauthcallbackerror": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "oauthcreateaccount": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "emailcreateaccount": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "callback": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "oauthaccountnotlinked": "\u0aa4\u0aae\u0abe\u0ab0\u0ac0 \u0a93\u0ab3\u0a96\u0aa8\u0ac0 \u0aaa\u0ac1\u0ab7\u0acd\u0a9f\u0abf \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7, \u0aa4\u0aae\u0ac7 \u0a9c\u0ac7 \u0aae\u0ac2\u0ab3\u0aad\u0ac2\u0aa4 \u0ab0\u0ac0\u0aa4\u0ac7 \u0a89\u0aaa\u0aaf\u0acb\u0a97 \u0a95\u0ab0\u0acd\u0aaf\u0acb \u0ab9\u0aa4\u0acb \u0aa4\u0ac7 \u0a9c \u0a8f\u0a95\u0abe\u0a89\u0aa8\u0acd\u0a9f \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0acb.", + "emailsignin": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0aae\u0acb\u0a95\u0ab2\u0ac0 \u0ab6\u0a95\u0abe\u0aaf\u0acb \u0aa8\u0ab9\u0abf.", + "emailverify": "\u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0aa4\u0aae\u0abe\u0ab0\u0abe \u0a87\u0aae\u0ac7\u0a87\u0ab2\u0aa8\u0ac0 \u0a96\u0abe\u0aa4\u0acd\u0ab0\u0ac0 \u0a95\u0ab0\u0acb, \u0a8f\u0a95 \u0aa8\u0ab5\u0ac1\u0a82 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aae\u0acb\u0a95\u0ab2\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0a86\u0ab5\u0acd\u0aaf\u0ac1\u0a82 \u0a9b\u0ac7.", + "credentialssignin": "\u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3. \u0aa4\u0aae\u0ac7 \u0aaa\u0ac2\u0ab0\u0ac0 \u0aaa\u0abe\u0aa1\u0ac7\u0ab2\u0ac0 \u0ab5\u0abf\u0a97\u0aa4\u0acb \u0ab8\u0abe\u0a9a\u0ac0 \u0a9b\u0ac7 \u0aa4\u0ac7 \u0a9a\u0a95\u0abe\u0ab8\u0acb.", + "sessionrequired": "\u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0a86 \u0aaa\u0ac3\u0ab7\u0acd\u0aa0\u0aa8\u0ac7 \u0a8d\u0a95\u0acd\u0ab8\u0ac7\u0ab8 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0acb." + } + }, + "authVerifyEmail": { + "almostThere": "\u0aa4\u0aae\u0ac7 \u0aa4\u0acb \u0ab2\u0a97\u0aad\u0a97 \u0aa4\u0acd\u0aaf\u0abe\u0a82 \u0a9c \u0a9b\u0acb! \u0a85\u0aae\u0ac7 \u0a86\u0aa8\u0abe \u0aaa\u0ab0 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aae\u0acb\u0a95\u0ab2\u0acd\u0aaf\u0acb \u0a9b\u0ac7 ", + "verifyEmailLink": "\u0aa4\u0aae\u0abe\u0ab0\u0ac1\u0a82 \u0ab8\u0abe\u0a87\u0aa8\u0a85\u0aaa \u0aaa\u0ac2\u0ab0\u0acd\u0aa3 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0aa4\u0ac7 \u0a87\u0aae\u0ac7\u0a87\u0ab2\u0aa8\u0ac0 \u0ab2\u0abf\u0a82\u0a95 \u0aaa\u0ab0 \u0a95\u0acd\u0ab2\u0abf\u0a95 \u0a95\u0ab0\u0acb.", + "didNotReceive": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab6\u0acb\u0aa7\u0ac0 \u0ab6\u0a95\u0aa4\u0abe \u0aa8\u0aa5\u0ac0?", + "resendEmail": "\u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aab\u0ab0\u0ac0 \u0aae\u0acb\u0a95\u0ab2\u0acb", + "goBack": "\u0aaa\u0abe\u0a9b\u0abe \u0a9c\u0abe\u0a93", + "emailSent": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab8\u0aab\u0ab3\u0aa4\u0abe\u0aaa\u0ac2\u0ab0\u0acd\u0ab5\u0a95 \u0aae\u0acb\u0a95\u0ab2\u0abe\u0a88 \u0a97\u0aaf\u0acb.", + "verifyEmail": "\u0aa4\u0aae\u0abe\u0ab0\u0abe \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0a8f\u0aa1\u0acd\u0ab0\u0ac7\u0ab8\u0aa8\u0ac0 \u0a96\u0abe\u0aa4\u0acd\u0ab0\u0ac0 \u0a95\u0ab0\u0acb" + }, + "providerButton": { + "continue": "{{provider}} \u0ab8\u0abe\u0aa5\u0ac7 \u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0acb", + "signup": "{{provider}} \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a85\u0aaa \u0a95\u0ab0\u0acb" + }, + "authResetPassword": { + "newPasswordRequired": "\u0aa8\u0ab5\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "passwordsMustMatch": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1\u0acb \u0aac\u0a82\u0aa7\u0aac\u0ac7\u0ab8\u0aa4\u0abe \u0a9c \u0ab9\u0acb\u0ab5\u0abe \u0a9c\u0acb\u0a88\u0a8f", + "confirmPasswordRequired": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "newPassword": "\u0aa8\u0ab5\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1", + "confirmPassword": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1", + "resetPassword": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1\u0aa8\u0ac7 \u0aaa\u0ac1\u0aa8:\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0abf\u0aa4 \u0a95\u0ab0\u0acb" + }, + "authForgotPassword": { + "email": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab8\u0ab0\u0aa8\u0abe\u0aae\u0ac1\u0a82", + "emailRequired": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "emailSent": "\u0ab8\u0ac2\u0a9a\u0aa8\u0abe\u0a93 \u0aae\u0abe\u0a9f\u0ac7 \u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0aa4\u0aae\u0abe\u0ab0\u0ac1\u0a82 \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0ab0\u0abf\u0ab8\u0ac5\u0a9f \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0a8f\u0aa1\u0acd\u0ab0\u0ac7\u0ab8 {{email}} \u0a9a\u0a95\u0abe\u0ab8\u0acb.", + "enterEmail": "\u0aa4\u0aae\u0abe\u0ab0\u0ac1\u0a82 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0a8f\u0aa1\u0acd\u0ab0\u0ac7\u0ab8 \u0aa6\u0abe\u0a96\u0ab2 \u0a95\u0ab0\u0acb \u0a85\u0aa8\u0ac7 \u0a85\u0aae\u0ac7 \u0aa4\u0aae\u0abe\u0ab0\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0ab0\u0ac0\u0ab8\u0ac7\u0a9f \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0aa4\u0aae\u0aa8\u0ac7 \u0ab8\u0ac2\u0a9a\u0aa8\u0abe\u0a93 \u0aae\u0acb\u0a95\u0ab2\u0ac0\u0ab6\u0ac1\u0a82.", + "resendEmail": "\u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aab\u0ab0\u0ac0 \u0aae\u0acb\u0a95\u0ab2\u0acb", + "continue": "\u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0acb", + "goBack": "\u0aaa\u0abe\u0a9b\u0abe \u0a9c\u0abe\u0a93" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0a87\u0aa4\u0abf\u0ab9\u0abe\u0ab8 \u0aac\u0aa4\u0abe\u0ab5\u0acb", + "lastInputs": "\u0a9b\u0ac7\u0ab2\u0acd\u0ab2\u0abe \u0a87\u0aa8\u0aaa\u0ac1\u0a9f\u0acd\u0ab8", + "noInputs": "\u0a86\u0ab5\u0abe \u0a96\u0abe\u0ab2\u0ac0...", + "loading": "\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac7..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0aa4\u0aae\u0abe\u0ab0\u0acb \u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0acb \u0a85\u0ab9\u0ac0\u0a82 \u0a9f\u0abe\u0a87\u0aaa \u0a95\u0ab0\u0acb..." + }, + "speechButton": { + "start": "\u0ab0\u0ac7\u0a95\u0acb\u0ab0\u0acd\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0ac1\u0a82 \u0ab6\u0ab0\u0ac2 \u0a95\u0ab0\u0acb", + "stop": "\u0ab0\u0ac7\u0a95\u0acb\u0ab0\u0acd\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0ac1\u0a82 \u0aac\u0a82\u0aa7 \u0a95\u0ab0\u0acb" + }, + "SubmitButton": { + "sendMessage": "\u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0acb \u0aae\u0acb\u0a95\u0ab2\u0acb", + "stopTask": "\u0a95\u0abe\u0ab0\u0acd\u0aaf\u0aa8\u0ac7 \u0a85\u0a9f\u0a95\u0abe\u0ab5\u0acb" + }, + "UploadButton": { + "attachFiles": "\u0aab\u0abe\u0a87\u0ab2\u0acb\u0aa8\u0ac7 \u0a9c\u0acb\u0aa1\u0acb" + }, + "waterMark": { + "text": "\u0aa8\u0ac0 \u0ab8\u0abe\u0aa5\u0ac7 \u0aac\u0abf\u0ab2\u0acd\u0a9f \u0aa5\u0aaf\u0ac7\u0ab2" + } + }, + "Messages": { + "index": { + "running": "\u0a9a\u0abe\u0ab2\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0ac1 \u0a9b\u0ac7", + "executedSuccessfully": "\u0ab8\u0aab\u0ab3\u0aa4\u0abe\u0aaa\u0ac2\u0ab0\u0acd\u0ab5\u0a95 \u0a9a\u0ab2\u0abe\u0ab5\u0acd\u0aaf\u0ac7\u0ab2 \u0a9b\u0ac7", + "failed": "\u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3", + "feedbackUpdated": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6 \u0ab8\u0ac1\u0aa7\u0abe\u0ab0\u0ac7\u0ab2 \u0a9b\u0ac7", + "updating": "\u0ab8\u0ac1\u0aa7\u0abe\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac0\u0a8f" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0aa4\u0aae\u0abe\u0ab0\u0ac0 \u0aab\u0abe\u0a87\u0ab2\u0acb\u0aa8\u0ac7 \u0a85\u0a82\u0ab9\u0abf \u0aae\u0ac2\u0a95\u0acb" + }, + "index": { + "failedToUpload": "\u0a85\u0aaa\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3", + "cancelledUploadOf": "\u0aa8\u0ac1\u0a82 \u0a85\u0aaa\u0ab2\u0acb\u0aa1 \u0ab0\u0aa6 \u0aa5\u0aaf\u0ac7\u0ab2 \u0a9b\u0ac7", + "couldNotReachServer": "\u0ab8\u0ab0\u0acd\u0ab5\u0ab0 \u0ab8\u0ac1\u0aa7\u0ac0 \u0aaa\u0ab9\u0acb\u0a82\u0a9a\u0ac0 \u0ab6\u0a95\u0acd\u0aaf\u0abe \u0aa8\u0ab9\u0abf\u0a82", + "continuingChat": "\u0aaa\u0ab9\u0ac7\u0ab2\u0abe\u0aa8\u0ac0 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4\u0aa8\u0ac7 \u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac7" + }, + "settings": { + "settingsPanel": "\u0aaa\u0ac7\u0aa8\u0ab2 \u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0aa8\u0acb", + "reset": "\u0aaa\u0ac1\u0aa8:\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0abf\u0aa4 \u0a95\u0ab0\u0acb", + "cancel": "\u0ab0\u0aa6\u0acd\u0aa6", + "confirm": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6: \u0aac\u0aa7\u0abe", + "feedbackPositive": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6: \u0ab9\u0a95\u0abe\u0ab0\u0abe\u0aa4\u0acd\u0aae\u0a95", + "feedbackNegative": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6: \u0aa8\u0a95\u0abe\u0ab0\u0abe\u0aa4\u0acd\u0aae\u0a95" + }, + "SearchBar": { + "search": "\u0ab6\u0acb\u0aa7\u0ab5\u0ac1\u0a82" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0a86 \u0aa5\u0acd\u0ab0\u0ac7\u0aa1\u0aa8\u0ac0 \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0aa5\u0ac7 \u0aa4\u0ac7\u0aa8\u0abe \u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0abe \u0a85\u0aa8\u0ac7 \u0aa4\u0aa4\u0acd\u0ab5\u0acb\u0aa8\u0ac7 \u0aaa\u0aa3 \u0a95\u0abe\u0aa2\u0ac0 \u0aa8\u0abe\u0a96\u0ab6\u0ac7.", + "cancel": "\u0ab0\u0aa6\u0acd\u0aa6", + "confirm": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb", + "deletingChat": "\u0a9a\u0ac5\u0a9f\u0aa8\u0ac7 \u0a95\u0abe\u0aa2\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac0\u0a8f", + "chatDeleted": "\u0a9a\u0ac5\u0a9f \u0aa1\u0abf\u0ab2\u0ac0\u0a9f \u0aa5\u0a88 \u0a97\u0a88" + }, + "index": { + "pastChats": "\u0aad\u0ac2\u0aa4\u0a95\u0abe\u0ab3\u0aa8\u0ac0 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4\u0acb" + }, + "ThreadList": { + "empty": "\u0a96\u0abe\u0ab2\u0ac0...", + "today": "\u0a86\u0a9c\u0ac7", + "yesterday": "\u0a97\u0a87\u0a95\u0abe\u0ab2\u0ac7", + "previous7days": "\u0aaa\u0ab9\u0ac7\u0ab2\u0abe\u0aa8\u0abe \u0aed \u0aa6\u0abf\u0ab5\u0ab8\u0acb", + "previous30days": "\u0aaa\u0ab9\u0ac7\u0ab2\u0abe\u0aa8\u0abe \u0ae9\u0ae6 \u0aa6\u0abf\u0ab5\u0ab8\u0acb" + }, + "TriggerButton": { + "closeSidebar": "\u0aac\u0abe\u0a9c\u0ac1\u0aaa\u0a9f\u0acd\u0a9f\u0ac0\u0aa8\u0ac7 \u0aac\u0a82\u0aa7 \u0a95\u0ab0\u0acb", + "openSidebar": "\u0aac\u0abe\u0a9c\u0ac1\u0aaa\u0a9f\u0acd\u0a9f\u0ac0 \u0a96\u0acb\u0ab2\u0acb" + } + }, + "Thread": { + "backToChat": "\u0ab8\u0a82\u0ab5\u0abe\u0aa6\u0aae\u0abe\u0a82 \u0aaa\u0abe\u0a9b\u0abe \u0a9c\u0abe\u0a93", + "chatCreatedOn": "\u0a86 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4 \u0aa4\u0ac7\u0aa8\u0ac0 \u0aaa\u0ab0 \u0aac\u0aa8\u0abe\u0ab5\u0ac7\u0ab2 \u0ab9\u0aa4\u0ac0" + } + }, + "header": { + "chat": "\u0ab8\u0a82\u0ab5\u0abe\u0aa6", + "readme": "\u0ab0\u0ac0\u0aa1\u0aae\u0ac7" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0aaa\u0acd\u0ab0\u0aa6\u0abe\u0aa4\u0abe\u0a93\u0aa8\u0ac7 \u0ab2\u0abe\u0ab5\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3\u0aa4\u0abe:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0ab8\u0aab\u0ab3\u0aa4\u0abe\u0aaa\u0ac2\u0ab0\u0acd\u0ab5\u0a95 \u0ab8\u0a82\u0a97\u0acd\u0ab0\u0ab9\u0abe\u0aaf\u0ac7\u0ab2", + "requiredApiKeys": "\u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 API \u0a95\u0ac0\u0a93", + "requiredApiKeysInfo": "\u0a86 \u0a8f\u0aaa\u0acd\u0ab2\u0abf\u0a95\u0ac7\u0ab6\u0aa8\u0aa8\u0acb \u0a89\u0aaa\u0aaf\u0acb\u0a97 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7, \u0aa8\u0ac0\u0a9a\u0ac7\u0aa8\u0ac0 API \u0a95\u0ac0\u0a93 \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a9b\u0ac7. \u0a95\u0ac0\u0a93 \u0aa4\u0aae\u0abe\u0ab0\u0abe \u0aa1\u0abf\u0ab5\u0abe\u0a87\u0ab8\u0aa8\u0abe \u0ab8\u0acd\u0aa5\u0abe\u0aa8\u0abf\u0a95 \u0ab8\u0acd\u0a9f\u0acb\u0ab0\u0ac7\u0a9c \u0aaa\u0ab0 \u0ab8\u0a82\u0a97\u0acd\u0ab0\u0ab9\u0abf\u0aa4 \u0aa5\u0abe\u0aaf \u0a9b\u0ac7." + }, + "Page": { + "notPartOfProject": "\u0aa4\u0aae\u0ac7 \u0a86 \u0aaa\u0acd\u0ab0\u0acb\u0a9c\u0ac7\u0a95\u0acd\u0a9f\u0aa8\u0acb \u0aad\u0abe\u0a97 \u0aa8\u0aa5\u0ac0." + }, + "ResumeButton": { + "resumeChat": "\u0aab\u0ab0\u0ac0 \u0ab6\u0ab0\u0ac2 \u0a95\u0ab0\u0acb \u0ab8\u0a82\u0ab5\u0abe\u0aa6" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/he-IL.json b/project-chatbot/.chainlit/translations/he-IL.json new file mode 100644 index 0000000..c367dfa --- /dev/null +++ b/project-chatbot/.chainlit/translations/he-IL.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", + "settingsKey": "S", + "APIKeys": "API Keys", + "logout": "\u05d4\u05ea\u05e0\u05ea\u05e7" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u05e6'\u05d0\u05d8 \u05d7\u05d3\u05e9" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f Task List", + "loading": "\u05d8\u05d5\u05e2\u05df...", + "error": "\u05e9\u05d2\u05d9\u05d0\u05d4" + } + }, + "attachments": { + "cancelUpload": "\u05d1\u05d8\u05dc \u05d4\u05e2\u05dc\u05d0\u05d4", + "removeAttachment": "\u05d4\u05e1\u05e8 \u05e7\u05d5\u05d1\u05e5 \u05de\u05e6\u05d5\u05e8\u05e3" + }, + "newChatDialog": { + "createNewChat": "\u05e6\u05d5\u05e8 \u05e6'\u05d0\u05d8 \u05d7\u05d3\u05e9?", + "clearChat": "\u05e4\u05e2\u05d5\u05dc\u05d4 \u05d6\u05d5 \u05ea\u05e0\u05e7\u05d4 \u05d0\u05ea \u05d4\u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d4\u05e0\u05d5\u05db\u05d7\u05d9\u05d5\u05ea \u05d5\u05ea\u05ea\u05d7\u05d9\u05dc \u05e6'\u05d0\u05d8 \u05d7\u05d3\u05e9.", + "cancel": "\u05d1\u05d8\u05dc", + "confirm": "\u05d0\u05e9\u05e8" + }, + "settingsModal": { + "settings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", + "expandMessages": "\u05d4\u05e8\u05d7\u05d1 \u05d4\u05d5\u05d3\u05e2\u05d5\u05ea", + "hideChainOfThought": "\u05d4\u05e1\u05ea\u05e8 \u05e9\u05e8\u05e9\u05e8\u05ea \u05de\u05d7\u05e9\u05d1\u05d5\u05ea", + "darkMode": "\u05de\u05e6\u05d1 \u05db\u05d4\u05d4" + }, + "detailsButton": { + "using": "\u05de\u05e9\u05ea\u05de\u05e9 \u05d1-", + "running": "\u05e8\u05e5", + "took_one": "\u05dc\u05e7\u05d7 \u05e6\u05e2\u05d3 {{count}}", + "took_other": "\u05dc\u05e7\u05d7 \u05e6\u05e2\u05d3\u05d9\u05dd {{count}}" + }, + "auth": { + "authLogin": { + "title": "\u05d4\u05ea\u05d7\u05d1\u05e8 \u05db\u05d3\u05d9 \u05dc\u05d2\u05e9\u05ea \u05dc\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4.", + "form": { + "email": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "password": "\u05e1\u05d9\u05e1\u05de\u05d0", + "noAccount": "\u05d0\u05d9\u05df \u05dc\u05da \u05d7\u05e9\u05d1\u05d5\u05df?", + "alreadyHaveAccount": "\u05db\u05d1\u05e8 \u05d9\u05e9 \u05dc\u05da \u05d7\u05e9\u05d1\u05d5\u05df?", + "signup": "\u05d4\u05d9\u05e8\u05e9\u05dd", + "signin": "\u05d4\u05d9\u05db\u05e0\u05e1", + "or": "\u05d0\u05d5", + "continue": "\u05d4\u05de\u05e9\u05da", + "forgotPassword": "\u05e9\u05db\u05d7\u05ea \u05e1\u05d9\u05e1\u05de\u05d4?", + "passwordMustContain": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d4 \u05e9\u05dc\u05da \u05d7\u05d9\u05d9\u05d1\u05ea \u05dc\u05d4\u05db\u05d9\u05dc:", + "emailRequired": "\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d4\u05d5\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "passwordRequired": "\u05e1\u05d9\u05e1\u05de\u05d4 \u05d4\u05d9\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4" + }, + "error": { + "default": "\u05dc\u05d0 \u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05d9\u05db\u05e0\u05e1.", + "signin": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "oauthsignin": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "redirect_uri_mismatch": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d4-URI \u05dc\u05d4\u05e4\u05e0\u05d9\u05d4 \u05d0\u05d9\u05e0\u05d4 \u05ea\u05d5\u05d0\u05de\u05ea \u05dc\u05ea\u05e6\u05d5\u05e8\u05ea \u05d4\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4 \u05e9\u05dc oauth.", + "oauthcallbackerror": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "oauthcreateaccount": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "emailcreateaccount": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "callback": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "oauthaccountnotlinked": "\u05db\u05d3\u05d9 \u05dc\u05d0\u05e9\u05e8 \u05d0\u05ea \u05d6\u05d4\u05d5\u05ea\u05da, \u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d0\u05d5\u05ea\u05d5 \u05d7\u05e9\u05d1\u05d5\u05df \u05e9\u05d1\u05d5 \u05d4\u05e9\u05ea\u05de\u05e9\u05ea \u05d1\u05de\u05e7\u05d5\u05e8.", + "emailsignin": "\u05dc\u05d0 \u05e0\u05d9\u05ea\u05df \u05dc\u05e9\u05dc\u05d5\u05d7 \u05d0\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc.", + "emailverify": "\u05d0\u05e0\u05d0 \u05d0\u05e9\u05e8 \u05d0\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e9\u05dc\u05da, \u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d7\u05d3\u05e9 \u05e0\u05e9\u05dc\u05d7.", + "credentialssignin": "\u05d4\u05db\u05e0\u05d9\u05e1\u05d4 \u05e0\u05db\u05e9\u05dc\u05d4. \u05d1\u05d3\u05d5\u05e7 \u05e9\u05d4\u05e4\u05e8\u05d8\u05d9\u05dd \u05e9\u05e1\u05d9\u05e4\u05e7\u05ea \u05e0\u05db\u05d5\u05e0\u05d9\u05dd.", + "sessionrequired": "\u05d0\u05e0\u05d0 \u05d4\u05d9\u05db\u05e0\u05e1 \u05db\u05d3\u05d9 \u05dc\u05d2\u05e9\u05ea \u05dc\u05d3\u05e3 \u05d6\u05d4." + } + }, + "authVerifyEmail": { + "almostThere": "\u05d0\u05ea\u05d4 \u05db\u05de\u05e2\u05d8 \u05e9\u05dd! \u05e9\u05dc\u05d7\u05e0\u05d5 \u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d0\u05dc ", + "verifyEmailLink": "\u05d0\u05e0\u05d0 \u05dc\u05d7\u05e5 \u05e2\u05dc \u05d4\u05e7\u05d9\u05e9\u05d5\u05e8 \u05d1\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d6\u05d4 \u05db\u05d3\u05d9 \u05dc\u05d4\u05e9\u05dc\u05d9\u05dd \u05d0\u05ea \u05d4\u05d4\u05e8\u05e9\u05de\u05d4 \u05e9\u05dc\u05da.", + "didNotReceive": "\u05dc\u05d0 \u05de\u05d5\u05e6\u05d0 \u05d0\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc?", + "resendEmail": "\u05e9\u05dc\u05d7 \u05e9\u05d5\u05d1 \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "goBack": "\u05d7\u05d6\u05d5\u05e8 \u05d0\u05d7\u05d5\u05e8\u05d4", + "emailSent": "\u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e0\u05e9\u05dc\u05d7 \u05d1\u05d4\u05e6\u05dc\u05d7\u05d4.", + "verifyEmail": "\u05d0\u05de\u05ea \u05d0\u05ea \u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e9\u05dc\u05da" + }, + "providerButton": { + "continue": "\u05d4\u05de\u05e9\u05da \u05e2\u05dd {{provider}}", + "signup": "\u05d4\u05d9\u05e8\u05e9\u05dd \u05e2\u05dd {{provider}}" + }, + "authResetPassword": { + "newPasswordRequired": "\u05e1\u05d9\u05e1\u05de\u05d4 \u05d7\u05d3\u05e9\u05d4 \u05d4\u05d9\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "passwordsMustMatch": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0\u05d5\u05ea \u05d7\u05d9\u05d9\u05d1\u05d5\u05ea \u05dc\u05d4\u05ea\u05d0\u05d9\u05dd", + "confirmPasswordRequired": "\u05d0\u05d9\u05e9\u05d5\u05e8 \u05e1\u05d9\u05e1\u05de\u05d4 \u05d4\u05d5\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "newPassword": "\u05e1\u05d9\u05e1\u05de\u05d0 \u05d7\u05d3\u05e9\u05d4", + "confirmPassword": "\u05d0\u05e9\u05e8 \u05e1\u05d9\u05e1\u05de\u05d0", + "resetPassword": "\u05d0\u05e4\u05e1 \u05e1\u05d9\u05e1\u05de\u05d4" + }, + "authForgotPassword": { + "email": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "emailRequired": "\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d4\u05d5\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "emailSent": "\u05d0\u05e0\u05d0 \u05d1\u05d3\u05d5\u05e7 \u05d0\u05ea \u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc {{email}} \u05dc\u05e7\u05d1\u05dc\u05ea \u05d4\u05d5\u05e8\u05d0\u05d5\u05ea \u05dc\u05d0\u05d9\u05e4\u05d5\u05e1 \u05d4\u05e1\u05d9\u05e1\u05de\u05d4 \u05e9\u05dc\u05da.", + "enterEmail": "\u05d4\u05d6\u05df \u05d0\u05ea \u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e9\u05dc\u05da \u05d5\u05d0\u05e0\u05d5 \u05e0\u05e9\u05dc\u05d7 \u05dc\u05da \u05d4\u05d5\u05e8\u05d0\u05d5\u05ea \u05dc\u05d0\u05d9\u05e4\u05d5\u05e1 \u05d4\u05e1\u05d9\u05e1\u05de\u05d4 \u05e9\u05dc\u05da.", + "resendEmail": "\u05e9\u05dc\u05d7 \u05e9\u05d5\u05d1 \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "continue": "\u05d4\u05de\u05e9\u05da", + "goBack": "\u05d7\u05d6\u05d5\u05e8 \u05d0\u05d7\u05d5\u05e8\u05d4" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u05d4\u05e6\u05d2 \u05d4\u05d9\u05e1\u05d8\u05d5\u05e8\u05d9\u05d4", + "lastInputs": "\u05e7\u05dc\u05d8 \u05d0\u05d7\u05e8\u05d5\u05df", + "noInputs": "\u05e8\u05d9\u05e7...", + "loading": "\u05d8\u05d5\u05e2\u05df..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u05db\u05ea\u05d5\u05d1 \u05d4\u05d5\u05d3\u05e2\u05d4 \u05db\u05d0\u05df..." + }, + "speechButton": { + "start": "\u05d4\u05ea\u05d7\u05dc \u05d4\u05e7\u05dc\u05d8\u05d4", + "stop": "\u05e2\u05e6\u05d5\u05e8 \u05d4\u05e7\u05dc\u05d8\u05d4" + }, + "SubmitButton": { + "sendMessage": "\u05e9\u05dc\u05d7 \u05d4\u05d5\u05d3\u05e2\u05d4", + "stopTask": "\u05e2\u05e6\u05d5\u05e8 \u05de\u05e9\u05d9\u05de\u05d4" + }, + "UploadButton": { + "attachFiles": "\u05e6\u05e8\u05e3 \u05e7\u05d1\u05e6\u05d9\u05dd" + }, + "waterMark": { + "text": "\u05e0\u05d1\u05e0\u05d4 \u05e2\u05dd" + } + }, + "Messages": { + "index": { + "running": "\u05e8\u05e5", + "executedSuccessfully": "\u05d1\u05d5\u05e6\u05e2 \u05d1\u05d4\u05e6\u05dc\u05d7\u05d4", + "failed": "\u05e0\u05db\u05e9\u05dc", + "feedbackUpdated": "\u05de\u05e9\u05d5\u05d1 \u05e2\u05d5\u05d3\u05db\u05df", + "updating": "\u05de\u05e2\u05d3\u05db\u05df" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u05e9\u05d7\u05e8\u05e8 \u05d0\u05ea \u05d4\u05e7\u05d1\u05e6\u05d9\u05dd \u05e9\u05dc\u05da \u05db\u05d0\u05df" + }, + "index": { + "failedToUpload": "\u05d4\u05e2\u05dc\u05d0\u05d4 \u05e0\u05db\u05e9\u05dc\u05d4", + "cancelledUploadOf": "\u05d4\u05e2\u05dc\u05d0\u05d4 \u05e9\u05dc \u05d1\u05d5\u05d8\u05dc\u05d4", + "couldNotReachServer": "\u05dc\u05d0 \u05e0\u05d9\u05ea\u05df \u05d4\u05d9\u05d4 \u05dc\u05d4\u05d2\u05d9\u05e2 \u05dc\u05e9\u05e8\u05ea", + "continuingChat": "\u05de\u05de\u05e9\u05d9\u05da \u05d1\u05e6'\u05d0\u05d8 \u05d4\u05e7\u05d5\u05d3\u05dd" + }, + "settings": { + "settingsPanel": "\u05dc\u05d5\u05d7 \u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", + "reset": "\u05d0\u05e4\u05e1", + "cancel": "\u05d1\u05d8\u05dc", + "confirm": "\u05d0\u05e9\u05e8" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u05de\u05e9\u05d5\u05d1: \u05d4\u05db\u05dc", + "feedbackPositive": "\u05de\u05e9\u05d5\u05d1: \u05d7\u05d9\u05d5\u05d1\u05d9", + "feedbackNegative": "\u05de\u05e9\u05d5\u05d1: \u05e9\u05dc\u05d9\u05dc\u05d9" + }, + "SearchBar": { + "search": "\u05d7\u05d9\u05e4\u05d5\u05e9" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u05e4\u05e2\u05d5\u05dc\u05d4 \u05d6\u05d5 \u05ea\u05de\u05d7\u05e7 \u05d0\u05ea \u05d4\u05e9\u05e8\u05e9\u05d5\u05e8 \u05d5\u05db\u05df \u05d0\u05ea \u05d4\u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d5\u05d4\u05e8\u05db\u05d9\u05d1\u05d9\u05dd \u05e9\u05dc\u05d5.", + "cancel": "\u05d1\u05d8\u05dc", + "confirm": "\u05d0\u05e9\u05e8", + "deletingChat": "\u05de\u05d5\u05d7\u05e7 \u05e6'\u05d0\u05d8", + "chatDeleted": "\u05d4\u05e6'\u05d0\u05d8 \u05e0\u05de\u05d7\u05e7" + }, + "index": { + "pastChats": "\u05e6'\u05d0\u05d8\u05d9\u05dd \u05e7\u05d5\u05d3\u05de\u05d9\u05dd" + }, + "ThreadList": { + "empty": "\u05e8\u05d9\u05e7...", + "today": "\u05d4\u05d9\u05d5\u05dd", + "yesterday": "\u05d0\u05ea\u05de\u05d5\u05dc", + "previous7days": "7 \u05d9\u05de\u05d9\u05dd \u05e7\u05d5\u05d3\u05de\u05d9\u05dd", + "previous30days": "30 \u05d9\u05de\u05d9\u05dd \u05e7\u05d5\u05d3\u05de\u05d9\u05dd" + }, + "TriggerButton": { + "closeSidebar": "\u05e1\u05d2\u05d5\u05e8 \u05e1\u05e8\u05d2\u05dc \u05e6\u05d3", + "openSidebar": "\u05e4\u05ea\u05d7 \u05e1\u05e8\u05d2\u05dc \u05e6\u05d3" + } + }, + "Thread": { + "backToChat": "\u05d7\u05d6\u05d5\u05e8 \u05dc\u05e6'\u05d0\u05d8", + "chatCreatedOn": "\u05d4\u05e6'\u05d0\u05d8 \u05d4\u05d6\u05d4 \u05e0\u05d5\u05e6\u05e8 \u05d1\u05ea\u05d0\u05e8\u05d9\u05da" + } + }, + "header": { + "chat": "\u05e6'\u05d0\u05d8", + "readme": "\u05d0\u05d5\u05d3\u05d5\u05ea" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u05e0\u05db\u05e9\u05dc\u05d4 \u05d4\u05d1\u05d0\u05ea \u05e1\u05e4\u05e7\u05d9\u05dd:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u05e0\u05e9\u05de\u05e8 \u05d1\u05d4\u05e6\u05dc\u05d7\u05d4", + "requiredApiKeys": "\u05de\u05e4\u05ea\u05d7\u05d5\u05ea API \u05e0\u05d3\u05e8\u05e9\u05d9\u05dd", + "requiredApiKeysInfo": "\u05db\u05d3\u05d9 \u05dc\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4 \u05d6\u05d5, \u05e0\u05d3\u05e8\u05e9\u05d9\u05dd \u05de\u05e4\u05ea\u05d7\u05d5\u05ea \u05d4-API \u05d4\u05d1\u05d0\u05d9\u05dd. \u05d4\u05de\u05e4\u05ea\u05d7\u05d5\u05ea \u05de\u05d0\u05d5\u05d7\u05e1\u05e0\u05d9\u05dd \u05d1\u05d0\u05d7\u05e1\u05d5\u05df \u05d4\u05de\u05e7\u05d5\u05de\u05d9 \u05e9\u05dc \u05d4\u05de\u05db\u05e9\u05d9\u05e8 \u05e9\u05dc\u05da." + }, + "Page": { + "notPartOfProject": "\u05d0\u05ea\u05d4 \u05dc\u05d0 \u05d7\u05dc\u05e7 \u05de\u05d4\u05e4\u05e8\u05d5\u05d9\u05e7\u05d8 \u05d4\u05d6\u05d4." + }, + "ResumeButton": { + "resumeChat": "\u05d4\u05de\u05e9\u05da \u05e6'\u05d0\u05d8" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/hi.json b/project-chatbot/.chainlit/translations/hi.json new file mode 100644 index 0000000..26b8844 --- /dev/null +++ b/project-chatbot/.chainlit/translations/hi.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "settingsKey": "\u0926\u0915\u094d\u0937\u093f\u0923\u0940", + "APIKeys": "\u090f\u092a\u0940\u0906\u0908 \u0915\u0941\u0902\u091c\u0940", + "logout": "\u0932\u0949\u0917\u0906\u0909\u091f" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0928\u0908 \u091a\u0948\u091f" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0915\u093e\u0930\u094d\u092f \u0938\u0942\u091a\u0940", + "loading": "\u0932\u094b\u0921\u0964\u0964\u0964", + "error": "\u0915\u094b\u0908 \u0924\u094d\u0930\u0941\u091f\u093f \u0909\u0924\u094d\u092a\u0928\u094d\u0928 \u0939\u0941\u0908" + } + }, + "attachments": { + "cancelUpload": "\u0905\u092a\u0932\u094b\u0921 \u0930\u0926\u094d\u0926 \u0915\u0930\u0947\u0902", + "removeAttachment": "\u0905\u0928\u0941\u0932\u0917\u094d\u0928\u0915 \u0928\u093f\u0915\u093e\u0932\u0947\u0902" + }, + "newChatDialog": { + "createNewChat": "\u0928\u0908 \u091a\u0948\u091f \u092c\u0928\u093e\u090f\u0901?", + "clearChat": "\u092f\u0939 \u0935\u0930\u094d\u0924\u092e\u093e\u0928 \u0938\u0902\u0926\u0947\u0936\u094b\u0902 \u0915\u094b \u0938\u093e\u092b\u093c \u0915\u0930\u0947\u0917\u093e \u0914\u0930 \u090f\u0915 \u0928\u0908 \u091a\u0948\u091f \u0936\u0941\u0930\u0942 \u0915\u0930\u0947\u0917\u093e\u0964", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u0928\u093e", + "confirm": "\u0938\u0941\u0926\u0943\u0922\u093c \u0915\u0930\u0928\u093e" + }, + "settingsModal": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "expandMessages": "\u0938\u0902\u0926\u0947\u0936\u094b\u0902 \u0915\u093e \u0935\u093f\u0938\u094d\u0924\u093e\u0930 \u0915\u0930\u0947\u0902", + "hideChainOfThought": "\u0935\u093f\u091a\u093e\u0930 \u0915\u0940 \u0936\u094d\u0930\u0943\u0902\u0916\u0932\u093e \u091b\u093f\u092a\u093e\u090f\u0902", + "darkMode": "\u0921\u093e\u0930\u094d\u0915 \u092e\u094b\u0921" + }, + "detailsButton": { + "using": "\u0915\u093e \u0909\u092a\u092f\u094b\u0917 \u0915\u0930\u0915\u0947", + "running": "\u092d\u093e\u0917\u0928\u093e", + "took_one": "{{count}} \u0915\u0926\u092e \u0909\u0920\u093e\u092f\u093e", + "took_other": "{{count}} \u0915\u0926\u092e \u0909\u0920\u093e\u090f" + }, + "auth": { + "authLogin": { + "title": "\u0910\u092a \u0924\u0915 \u092a\u0939\u0941\u0902\u091a\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0932\u0949\u0917\u093f\u0928 \u0915\u0930\u0947\u0902\u0964", + "form": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u093e", + "password": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "noAccount": "\u0915\u094d\u092f\u093e \u0906\u092a\u0915\u0947 \u092a\u093e\u0938 \u0916\u093e\u0924\u093e \u0928\u0939\u0940\u0902 \u0939\u0948?", + "alreadyHaveAccount": "\u092a\u0939\u0932\u0947 \u0938\u0947 \u0939\u0940 \u090f\u0915 \u0916\u093e\u0924\u093e \u0939\u0948?", + "signup": "\u0928\u093e\u092e \u0932\u093f\u0916\u094b", + "signin": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0947\u0902", + "or": "\u0928\u0939\u0940\u0902 \u0924\u094b", + "continue": "\u091c\u093e\u0930\u0940 \u0930\u0916\u0928\u093e", + "forgotPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u092d\u0942\u0932 \u0917\u090f?", + "passwordMustContain": "\u0906\u092a\u0915\u0947 \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u092e\u0947\u0902 \u0939\u094b\u0928\u093e \u091a\u093e\u0939\u093f\u090f:", + "emailRequired": "\u0908\u092e\u0947\u0932 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "passwordRequired": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948" + }, + "error": { + "default": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0928\u0947 \u092e\u0947\u0902 \u0905\u0938\u092e\u0930\u094d\u0925.", + "signin": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "oauthsignin": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "redirect_uri_mismatch": "\u0930\u0940\u0921\u093e\u092f\u0930\u0947\u0915\u094d\u091f \u092f\u0942\u0906\u0930\u0906\u0908 \u0913\u0925 \u0910\u092a \u0915\u0949\u0928\u094d\u092b\u093c\u093f\u0917\u0930\u0947\u0936\u0928 \u0938\u0947 \u092e\u0947\u0932 \u0928\u0939\u0940\u0902 \u0916\u093e \u0930\u0939\u093e \u0939\u0948\u0964", + "oauthcallbackerror": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "oauthcreateaccount": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "emailcreateaccount": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "callback": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "oauthaccountnotlinked": "\u0905\u092a\u0928\u0940 \u092a\u0939\u091a\u093e\u0928 \u0915\u0928\u094d\u092b\u093c\u0930\u094d\u092e \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f, \u0909\u0938\u0940 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0947\u0902 \u091c\u093f\u0938\u0915\u093e \u0907\u0938\u094d\u0924\u0947\u092e\u093e\u0932 \u0906\u092a\u0928\u0947 \u092a\u0939\u0932\u0947 \u0915\u093f\u092f\u093e \u0925\u093e.", + "emailsignin": "\u0908-\u092e\u0947\u0932 \u0928\u0939\u0940\u0902 \u092d\u0947\u091c\u0940 \u091c\u093e \u0938\u0915\u0940.", + "emailverify": "\u0915\u0943\u092a\u092f\u093e \u0905\u092a\u0928\u093e \u0908\u092e\u0947\u0932 \u0938\u0924\u094d\u092f\u093e\u092a\u093f\u0924 \u0915\u0930\u0947\u0902, \u090f\u0915 \u0928\u092f\u093e \u0908\u092e\u0947\u0932 \u092d\u0947\u091c\u093e \u0917\u092f\u093e \u0939\u0948\u0964", + "credentialssignin": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0935\u093f\u092b\u0932 \u0930\u0939\u093e. \u091c\u093e\u0902\u091a\u0947\u0902 \u0915\u093f \u0906\u092a\u0915\u0947 \u0926\u094d\u0935\u093e\u0930\u093e \u092a\u094d\u0930\u0926\u093e\u0928 \u0915\u093f\u090f \u0917\u090f \u0935\u093f\u0935\u0930\u0923 \u0938\u0939\u0940 \u0939\u0948\u0902\u0964", + "sessionrequired": "\u0915\u0943\u092a\u092f\u093e \u0907\u0938 \u092a\u0943\u0937\u094d\u0920 \u0924\u0915 \u092a\u0939\u0941\u0902\u091a\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0947\u0902\u0964" + } + }, + "authVerifyEmail": { + "almostThere": "\u0906\u092a \u0932\u0917\u092d\u0917 \u0935\u0939\u093e\u0901 \u0939\u0948\u0902! \u0939\u092e\u0928\u0947 \u090f\u0915 \u0908\u092e\u0947\u0932 \u092d\u0947\u091c\u093e \u0939\u0948 ", + "verifyEmailLink": "\u0915\u0943\u092a\u092f\u093e \u0905\u092a\u0928\u093e \u0938\u093e\u0907\u0928\u0905\u092a \u092a\u0942\u0930\u093e \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0909\u0938 \u0908\u092e\u0947\u0932 \u092e\u0947\u0902 \u0926\u093f\u090f \u0917\u090f \u0932\u093f\u0902\u0915 \u092a\u0930 \u0915\u094d\u0932\u093f\u0915 \u0915\u0930\u0947\u0902\u0964", + "didNotReceive": "\u0908\u092e\u0947\u0932 \u0928\u0939\u0940\u0902 \u092e\u093f\u0932 \u0930\u0939\u093e \u0939\u0948?", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u0903 \u092d\u0947\u091c\u0947\u0902", + "goBack": "\u092a\u0938 \u091c\u093e\u0913", + "emailSent": "\u0908\u092e\u0947\u0932 \u0938\u092b\u0932\u0924\u093e\u092a\u0942\u0930\u094d\u0935\u0915 \u092d\u0947\u091c\u093e \u0917\u092f\u093e\u0964", + "verifyEmail": "\u0905\u092a\u0928\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u093e \u0938\u0924\u094d\u092f\u093e\u092a\u093f\u0924 \u0915\u0930\u0947\u0902" + }, + "providerButton": { + "continue": "{{provider}} \u0915\u0947 \u0938\u093e\u0925 \u091c\u093e\u0930\u0940 \u0930\u0916\u0947\u0902", + "signup": "{{provider}} \u0915\u0947 \u0938\u093e\u0925 \u0938\u093e\u0907\u0928 \u0905\u092a \u0915\u0930\u0947\u0902" + }, + "authResetPassword": { + "newPasswordRequired": "\u0928\u092f\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "passwordsMustMatch": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u092e\u0947\u0932 \u0916\u093e\u0928\u093e \u091a\u093e\u0939\u093f\u090f", + "confirmPasswordRequired": "\u092a\u0941\u0937\u094d\u091f\u093f \u0915\u0930\u0947\u0902 \u0915\u093f \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "newPassword": "\u0928\u092f\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "confirmPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0915\u0940 \u092a\u0941\u0937\u094d\u091f\u093f \u0915\u0930\u0947\u0902", + "resetPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0947\u0902" + }, + "authForgotPassword": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u093e", + "emailRequired": "\u0908\u092e\u0947\u0932 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "emailSent": "\u0905\u092a\u0928\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0928\u0947 \u0915\u0947 \u0928\u093f\u0930\u094d\u0926\u0947\u0936\u094b\u0902 \u0915\u0947 \u0932\u093f\u090f \u0915\u0943\u092a\u092f\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u093e {{email}} \u0926\u0947\u0916\u0947\u0902\u0964", + "enterEmail": "\u0905\u092a\u0928\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u093e \u0926\u0930\u094d\u091c \u0915\u0930\u0947\u0902 \u0914\u0930 \u0939\u092e \u0906\u092a\u0915\u094b \u0905\u092a\u0928\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0928\u093f\u0930\u094d\u0926\u0947\u0936 \u092d\u0947\u091c\u0947\u0902\u0917\u0947\u0964", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u0903 \u092d\u0947\u091c\u0947\u0902", + "continue": "\u091c\u093e\u0930\u0940 \u0930\u0916\u0928\u093e", + "goBack": "\u092a\u0938 \u091c\u093e\u0913" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0907\u0924\u093f\u0939\u093e\u0938 \u0926\u093f\u0916\u093e\u090f\u0902", + "lastInputs": "\u0905\u0902\u0924\u093f\u092e \u0907\u0928\u092a\u0941\u091f", + "noInputs": "\u0910\u0938\u0947 \u0916\u093e\u0932\u0940...", + "loading": "\u0932\u094b\u0921\u0964\u0964\u0964" + } + }, + "inputBox": { + "input": { + "placeholder": "\u0905\u092a\u0928\u093e \u0938\u0902\u0926\u0947\u0936 \u092f\u0939\u093e\u0901 \u091f\u093e\u0907\u092a \u0915\u0930\u0947\u0902..." + }, + "speechButton": { + "start": "\u0930\u093f\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u0936\u0941\u0930\u0942 \u0915\u0930\u0947\u0902", + "stop": "\u0930\u093f\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u092c\u0902\u0926 \u0915\u0930\u094b" + }, + "SubmitButton": { + "sendMessage": "\u0938\u0902\u0926\u0947\u0936 \u092d\u0947\u091c\u0947\u0902", + "stopTask": "\u0915\u093e\u0930\u094d\u092f \u092c\u0902\u0926 \u0915\u0930\u094b" + }, + "UploadButton": { + "attachFiles": "\u092b\u093c\u093e\u0907\u0932\u0947\u0902 \u0905\u0928\u0941\u0932\u0917\u094d\u0928 \u0915\u0930\u0947\u0902" + }, + "waterMark": { + "text": "\u0915\u0947 \u0938\u093e\u0925 \u0928\u093f\u0930\u094d\u092e\u093f\u0924" + } + }, + "Messages": { + "index": { + "running": "\u092d\u093e\u0917\u0928\u093e", + "executedSuccessfully": "\u0938\u092b\u0932\u0924\u093e\u092a\u0942\u0930\u094d\u0935\u0915 \u0928\u093f\u0937\u094d\u092a\u093e\u0926\u093f\u0924", + "failed": "\u0905\u0938\u092b\u0932", + "feedbackUpdated": "\u092a\u094d\u0930\u0924\u093f\u0915\u094d\u0930\u093f\u092f\u093e \u0905\u092a\u0921\u0947\u091f \u0915\u0940 \u0917\u0908", + "updating": "\u0905\u0926\u094d\u092f\u0924\u0928" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0905\u092a\u0928\u0940 \u092b\u093c\u093e\u0907\u0932\u0947\u0902 \u092f\u0939\u093e\u0901 \u0921\u094d\u0930\u0949\u092a \u0915\u0930\u0947\u0902" + }, + "index": { + "failedToUpload": "\u0905\u092a\u0932\u094b\u0921 \u0915\u0930\u0928\u0947 \u092e\u0947\u0902 \u0935\u093f\u092b\u0932", + "cancelledUploadOf": "\u0915\u093e \u0905\u092a\u0932\u094b\u0921 \u0930\u0926\u094d\u0926 \u0915\u093f\u092f\u093e \u0917\u092f\u093e", + "couldNotReachServer": "\u0938\u0930\u094d\u0935\u0930 \u0924\u0915 \u0928\u0939\u0940\u0902 \u092a\u0939\u0941\u0901\u091a \u0938\u0915\u093e", + "continuingChat": "\u092a\u093f\u091b\u0932\u0940 \u091a\u0948\u091f \u091c\u093e\u0930\u0940 \u0930\u0916\u0928\u093e" + }, + "settings": { + "settingsPanel": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938 \u092a\u0948\u0928\u0932", + "reset": "\u0930\u0940\u0938\u0947\u091f", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u0928\u093e", + "confirm": "\u0938\u0941\u0926\u0943\u0922\u093c \u0915\u0930\u0928\u093e" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u092a\u094d\u0930\u0924\u093f\u092a\u0941\u0937\u094d\u091f\u093f: \u0938\u092d\u0940", + "feedbackPositive": "\u092a\u094d\u0930\u0924\u093f\u092a\u0941\u0937\u094d\u091f\u093f: \u0938\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915", + "feedbackNegative": "\u092a\u094d\u0930\u0924\u093f\u092a\u0941\u0937\u094d\u091f\u093f: \u0928\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915" + }, + "SearchBar": { + "search": "\u0922\u0942\u0901\u0922" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u092f\u0939 \u0925\u094d\u0930\u0947\u0921 \u0915\u0947 \u0938\u093e\u0925-\u0938\u093e\u0925 \u0907\u0938\u0915\u0947 \u0938\u0902\u0926\u0947\u0936\u094b\u0902 \u0914\u0930 \u0924\u0924\u094d\u0935\u094b\u0902 \u0915\u094b \u092d\u0940 \u0939\u091f\u093e \u0926\u0947\u0917\u093e\u0964", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u0928\u093e", + "confirm": "\u0938\u0941\u0926\u0943\u0922\u093c \u0915\u0930\u0928\u093e", + "deletingChat": "\u091a\u0948\u091f \u0939\u091f\u093e\u0928\u093e", + "chatDeleted": "\u091a\u0948\u091f \u0939\u091f\u093e\u0908 \u0917\u0908" + }, + "index": { + "pastChats": "\u092a\u093f\u091b\u0932\u0940 \u091a\u0948\u091f" + }, + "ThreadList": { + "empty": "\u0916\u093e\u0932\u0940\u0964\u0964\u0964", + "today": "\u0906\u091c", + "yesterday": "\u092c\u0940\u0924\u093e \u0939\u0941\u0906 \u0915\u0932", + "previous7days": "\u092a\u093f\u091b\u0932\u0947 7 \u0926\u093f\u0928", + "previous30days": "\u092a\u093f\u091b\u0932\u0947 30 \u0926\u093f\u0928" + }, + "TriggerButton": { + "closeSidebar": "\u0938\u093e\u0907\u0921\u092c\u093e\u0930 \u092c\u0902\u0926 \u0915\u0930\u0947\u0902", + "openSidebar": "\u0938\u093e\u0907\u0921\u092c\u093e\u0930 \u0916\u094b\u0932\u0947\u0902" + } + }, + "Thread": { + "backToChat": "\u091a\u0948\u091f \u092a\u0930 \u0935\u093e\u092a\u0938 \u091c\u093e\u090f\u0902", + "chatCreatedOn": "\u092f\u0939 \u091a\u0948\u091f \u0907\u0938 \u092a\u0930 \u092c\u0928\u093e\u0908 \u0917\u0908 \u0925\u0940" + } + }, + "header": { + "chat": "\u091a\u0948\u091f", + "readme": "\u0930\u0940\u0921\u092e\u0940" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u092a\u094d\u0930\u0926\u093e\u0924\u093e\u0913\u0902 \u0915\u094b \u0932\u093e\u0928\u0947 \u092e\u0947\u0902 \u0935\u093f\u092b\u0932:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0938\u092b\u0932\u0924\u093e\u092a\u0942\u0930\u094d\u0935\u0915 \u0938\u0939\u0947\u091c\u093e \u0917\u092f\u093e", + "requiredApiKeys": "\u0906\u0935\u0936\u094d\u092f\u0915 \u090f\u092a\u0940\u0906\u0908 \u0915\u0941\u0902\u091c\u0940", + "requiredApiKeysInfo": "\u0907\u0938 \u0910\u092a \u0915\u093e \u0909\u092a\u092f\u094b\u0917 \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f, \u0928\u093f\u092e\u094d\u0928\u0932\u093f\u0916\u093f\u0924 \u090f\u092a\u0940\u0906\u0908 \u0915\u0941\u0902\u091c\u093f\u092f\u094b\u0902 \u0915\u0940 \u0906\u0935\u0936\u094d\u092f\u0915\u0924\u093e \u0939\u094b\u0924\u0940 \u0939\u0948\u0964 \u091a\u093e\u092c\u093f\u092f\u093e\u0901 \u0906\u092a\u0915\u0947 \u0921\u093f\u0935\u093e\u0907\u0938 \u0915\u0947 \u0938\u094d\u0925\u093e\u0928\u0940\u092f \u0938\u0902\u0917\u094d\u0930\u0939\u0923 \u092a\u0930 \u0938\u0902\u0917\u094d\u0930\u0939\u0940\u0924 \u0915\u0940 \u091c\u093e\u0924\u0940 \u0939\u0948\u0902\u0964" + }, + "Page": { + "notPartOfProject": "\u0906\u092a \u0907\u0938 \u092a\u0930\u093f\u092f\u094b\u091c\u0928\u093e \u0915\u093e \u0939\u093f\u0938\u094d\u0938\u093e \u0928\u0939\u0940\u0902 \u0939\u0948\u0902\u0964" + }, + "ResumeButton": { + "resumeChat": "\u091a\u0948\u091f \u092b\u093f\u0930 \u0938\u0947 \u0936\u0941\u0930\u0942 \u0915\u0930\u0947\u0902" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/kn.json b/project-chatbot/.chainlit/translations/kn.json new file mode 100644 index 0000000..d09db5f --- /dev/null +++ b/project-chatbot/.chainlit/translations/kn.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0cb8\u0cc6\u0c9f\u0ccd\u0c9f\u0cbf\u0c82\u0c97\u0ccd \u0c97\u0cb3\u0cc1", + "settingsKey": "S", + "APIKeys": "API \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0cc1", + "logout": "\u0cb2\u0cbe\u0c97\u0ccd \u0c94\u0c9f\u0ccd" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0cb9\u0cca\u0cb8 \u0c9a\u0cbe\u0c9f\u0ccd" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0c95\u0cbe\u0cb0\u0ccd\u0caf \u0caa\u0c9f\u0ccd\u0c9f\u0cbf", + "loading": "\u0cb2\u0ccb\u0ca1\u0ccd \u0c86\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6...", + "error": "\u0ca6\u0ccb\u0cb7 \u0cb8\u0c82\u0cad\u0cb5\u0cbf\u0cb8\u0cbf\u0ca6\u0cc6" + } + }, + "attachments": { + "cancelUpload": "\u0c85\u0caa\u0ccd \u0cb2\u0ccb\u0ca1\u0ccd \u0cb0\u0ca6\u0ccd\u0ca6\u0cc1 \u0cae\u0cbe\u0ca1\u0cbf", + "removeAttachment": "\u0cb2\u0c97\u0ca4\u0ccd\u0ca4\u0cc1 \u0ca4\u0cc6\u0c97\u0cc6\u0ca6\u0cc1\u0cb9\u0cbe\u0c95\u0cbf" + }, + "newChatDialog": { + "createNewChat": "\u0cb9\u0cca\u0cb8 \u0c9a\u0cbe\u0c9f\u0ccd \u0cb0\u0c9a\u0cbf\u0cb8\u0cac\u0cc7\u0c95\u0cc6?", + "clearChat": "\u0c87\u0ca6\u0cc1 \u0caa\u0ccd\u0cb0\u0cb8\u0ccd\u0ca4\u0cc1\u0ca4 \u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca4\u0cc6\u0cb0\u0cb5\u0cc1\u0c97\u0cca\u0cb3\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6 \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0cb9\u0cca\u0cb8 \u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0caa\u0ccd\u0cb0\u0cbe\u0cb0\u0c82\u0cad\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6.", + "cancel": "\u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0cae\u0cbe\u0ca1\u0cbf", + "confirm": "\u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf" + }, + "settingsModal": { + "settings": "\u0cb8\u0cc6\u0c9f\u0ccd\u0c9f\u0cbf\u0c82\u0c97\u0ccd \u0c97\u0cb3\u0cc1", + "expandMessages": "\u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb5\u0cbf\u0cb8\u0ccd\u0ca4\u0cb0\u0cbf\u0cb8\u0cbf", + "hideChainOfThought": "\u0c9a\u0cbf\u0c82\u0ca4\u0ca8\u0cc6\u0caf \u0cb8\u0cb0\u0caa\u0cb3\u0cbf\u0caf\u0ca8\u0ccd\u0ca8\u0cc1 \u0cae\u0cb0\u0cc6\u0cae\u0cbe\u0ca1\u0cc1", + "darkMode": "\u0ca1\u0cbe\u0cb0\u0ccd\u0c95\u0ccd \u0cae\u0ccb\u0ca1\u0ccd" + }, + "detailsButton": { + "using": "\u0cac\u0cb3\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "running": "\u0c9a\u0cb2\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "took_one": "{{count}} \u0cb9\u0cc6\u0c9c\u0ccd\u0c9c\u0cc6 \u0c87\u0c9f\u0ccd\u0c9f\u0cbf\u0ca6\u0cc6", + "took_other": "{{count}} \u0cb9\u0cc6\u0c9c\u0ccd\u0c9c\u0cc6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca4\u0cc6\u0c97\u0cc6\u0ca6\u0cc1\u0c95\u0cca\u0c82\u0ca1\u0cb0\u0cc1" + }, + "auth": { + "authLogin": { + "title": "\u0c85\u0caa\u0ccd\u0cb2\u0cbf\u0c95\u0cc7\u0cb6\u0ca8\u0ccd \u0caa\u0ccd\u0cb0\u0cb5\u0cc7\u0cb6\u0cbf\u0cb8\u0cb2\u0cc1 \u0cb2\u0cbe\u0c97\u0cbf\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf.", + "form": { + "email": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8", + "password": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd", + "noAccount": "\u0c96\u0cbe\u0ca4\u0cc6 \u0c87\u0cb2\u0ccd\u0cb2\u0cb5\u0cc7?", + "alreadyHaveAccount": "\u0c88\u0c97\u0cbe\u0c97\u0cb2\u0cc7 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0ca6\u0ccd\u0ca6\u0cc0\u0cb0\u0cbe?", + "signup": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c85\u0caa\u0ccd \u0cae\u0cbe\u0ca1\u0cbf", + "signin": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf", + "or": "\u0c85\u0ca5\u0cb5\u0cbe", + "continue": "\u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0cb8\u0cbf", + "forgotPassword": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc6\u0ca4\u0cbf\u0ca6\u0ccd\u0ca6\u0cc0\u0cb0\u0cbe?", + "passwordMustContain": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c87\u0cb5\u0cc1\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c92\u0cb3\u0c97\u0cca\u0c82\u0ca1\u0cbf\u0cb0\u0cac\u0cc7\u0c95\u0cc1:", + "emailRequired": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6", + "passwordRequired": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6" + }, + "error": { + "default": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0c85\u0cb8\u0cae\u0cb0\u0ccd\u0ca5\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6.", + "signin": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "oauthsignin": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "redirect_uri_mismatch": "\u0cae\u0cb0\u0cc1\u0ca8\u0cbf\u0cb0\u0ccd\u0ca6\u0cc7\u0cb6\u0ca8\u0ca6 URI \u0c86\u0ccd\u0caf\u0caa\u0ccd \u0c95\u0cbe\u0ca8\u0ccd\u0cab\u0cbf\u0c97\u0cb0\u0cc7\u0cb6\u0ca8\u0ccd \u0c97\u0cc6 \u0cb9\u0ccb\u0cb2\u0cbf\u0c95\u0cc6\u0caf\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0cb2\u0ccd\u0cb2.", + "oauthcallbackerror": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "oauthcreateaccount": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "emailcreateaccount": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "callback": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "oauthaccountnotlinked": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c97\u0cc1\u0cb0\u0cc1\u0ca4\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca6\u0cc3\u0ca2\u0cc0\u0c95\u0cb0\u0cbf\u0cb8\u0cb2\u0cc1, \u0ca8\u0cc0\u0cb5\u0cc1 \u0cae\u0cc2\u0cb2\u0ca4\u0c83 \u0cac\u0cb3\u0cb8\u0cbf\u0ca6 \u0c85\u0ca6\u0cc7 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf.", + "emailsignin": "\u0c87-\u0cae\u0cc7\u0cb2\u0ccd \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cb2\u0cc1 \u0cb8\u0cbe\u0ca7\u0ccd\u0caf\u0cb5\u0cbe\u0c97\u0cb2\u0cbf\u0cb2\u0ccd\u0cb2.", + "emailverify": "\u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf, \u0cb9\u0cca\u0cb8 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6.", + "credentialssignin": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6. \u0ca8\u0cc0\u0cb5\u0cc1 \u0c92\u0ca6\u0c97\u0cbf\u0cb8\u0cbf\u0ca6 \u0cb5\u0cbf\u0cb5\u0cb0\u0c97\u0cb3\u0cc1 \u0cb8\u0cb0\u0cbf\u0caf\u0cbe\u0c97\u0cbf\u0cb5\u0cc6\u0caf\u0cc7 \u0c8e\u0c82\u0ca6\u0cc1 \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf.", + "sessionrequired": "\u0c88 \u0caa\u0cc1\u0c9f\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0caa\u0ccd\u0cb0\u0cb5\u0cc7\u0cb6\u0cbf\u0cb8\u0cb2\u0cc1 \u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf." + } + }, + "authVerifyEmail": { + "almostThere": "\u0ca8\u0cc0\u0cb5\u0cc1 \u0cac\u0cb9\u0cc1\u0ca4\u0cc7\u0c95 \u0c85\u0cb2\u0ccd\u0cb2\u0cbf\u0ca6\u0ccd\u0ca6\u0cc0\u0cb0\u0cbf! \u0ca8\u0cbe\u0cb5\u0cc1 \u0c97\u0cc6 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cbf\u0ca6\u0ccd\u0ca6\u0cc7\u0cb5\u0cc6 ", + "verifyEmailLink": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cb8\u0cc8\u0ca8\u0ccd \u0c85\u0caa\u0ccd \u0caa\u0cc2\u0cb0\u0ccd\u0ca3\u0c97\u0cca\u0cb3\u0cbf\u0cb8\u0cb2\u0cc1 \u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0c86 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0ca8\u0cb2\u0ccd\u0cb2\u0cbf\u0cb0\u0cc1\u0cb5 \u0cb2\u0cbf\u0c82\u0c95\u0ccd \u0c95\u0ccd\u0cb2\u0cbf\u0c95\u0ccd \u0cae\u0cbe\u0ca1\u0cbf.", + "didNotReceive": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb9\u0cc1\u0ca1\u0cc1\u0c95\u0cb2\u0cc1 \u0cb8\u0cbe\u0ca7\u0ccd\u0caf\u0cb5\u0cbf\u0cb2\u0ccd\u0cb2\u0cb5\u0cc7?", + "resendEmail": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cae\u0ca4\u0ccd\u0ca4\u0cc6 \u0c95\u0cb3\u0cbf\u0cb8\u0cbf", + "goBack": "\u0cb9\u0cbf\u0c82\u0ca6\u0cc6 \u0cb9\u0cc6\u0cc2\u0cd5\u0c97\u0cc1", + "emailSent": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0caf\u0cb6\u0cb8\u0ccd\u0cb5\u0cbf\u0caf\u0cbe\u0c97\u0cbf \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6.", + "verifyEmail": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf" + }, + "providerButton": { + "continue": "{{provider}} \u0ca8\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0cb8\u0cbf", + "signup": "{{provider}} \u0ca8\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c85\u0caa\u0ccd \u0cae\u0cbe\u0ca1\u0cbf" + }, + "authResetPassword": { + "newPasswordRequired": "\u0cb9\u0cca\u0cb8 \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6", + "passwordsMustMatch": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c97\u0cb3\u0cc1 \u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0c95\u0cc6\u0caf\u0cbe\u0c97\u0cac\u0cc7\u0c95\u0cc1", + "confirmPasswordRequired": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c8e\u0c82\u0ca6\u0cc1 \u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf", + "newPassword": "\u0cb9\u0cca\u0cb8 \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd", + "confirmPassword": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf", + "resetPassword": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cbf" + }, + "authForgotPassword": { + "email": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8", + "emailRequired": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6", + "emailSent": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cb2\u0cc1 \u0cb8\u0cc2\u0c9a\u0ca8\u0cc6\u0c97\u0cb3\u0cbf\u0c97\u0cbe\u0c97\u0cbf \u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8 {{email}} \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf.", + "enterEmail": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca8\u0cae\u0cc2\u0ca6\u0cbf\u0cb8\u0cbf \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cb2\u0cc1 \u0ca8\u0cbe\u0cb5\u0cc1 \u0ca8\u0cbf\u0cae\u0c97\u0cc6 \u0cb8\u0cc2\u0c9a\u0ca8\u0cc6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0cc7\u0cb5\u0cc6.", + "resendEmail": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cae\u0ca4\u0ccd\u0ca4\u0cc6 \u0c95\u0cb3\u0cbf\u0cb8\u0cbf", + "continue": "\u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0cb8\u0cbf", + "goBack": "\u0cb9\u0cbf\u0c82\u0ca6\u0cc6 \u0cb9\u0cc6\u0cc2\u0cd5\u0c97\u0cc1" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0c87\u0ca4\u0cbf\u0cb9\u0cbe\u0cb8 \u0ca4\u0ccb\u0cb0\u0cbf\u0cb8\u0cc1", + "lastInputs": "\u0c95\u0cca\u0ca8\u0cc6\u0caf \u0c87\u0ca8\u0ccd \u0caa\u0cc1\u0c9f\u0ccd \u0c97\u0cb3\u0cc1", + "noInputs": "\u0c8e\u0c82\u0ca4\u0cb9 \u0c96\u0cbe\u0cb2\u0cbf...", + "loading": "\u0cb2\u0ccb\u0ca1\u0ccd \u0c86\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0c87\u0cb2\u0ccd\u0cb2\u0cbf \u0cac\u0cc6\u0cb0\u0cb3\u0c9a\u0ccd\u0c9a\u0cbf\u0cb8\u0cbf..." + }, + "speechButton": { + "start": "\u0cb0\u0cc6\u0c95\u0cbe\u0cb0\u0ccd\u0ca1\u0cbf\u0c82\u0c97\u0ccd \u0caa\u0ccd\u0cb0\u0cbe\u0cb0\u0c82\u0cad\u0cbf\u0cb8\u0cbf", + "stop": "\u0cb0\u0cc6\u0c95\u0cbe\u0cb0\u0ccd\u0ca1\u0cbf\u0c82\u0c97\u0ccd \u0ca8\u0cbf\u0cb2\u0ccd\u0cb2\u0cbf\u0cb8\u0cc1" + }, + "SubmitButton": { + "sendMessage": "\u0cb8\u0c82\u0ca6\u0cc7\u0cb6 \u0c95\u0cb3\u0cbf\u0cb8\u0cbf", + "stopTask": "\u0ca8\u0cbf\u0cb2\u0ccd\u0cb2\u0cbf\u0cb8\u0cc1 \u0c95\u0cbe\u0cb0\u0ccd\u0caf" + }, + "UploadButton": { + "attachFiles": "\u0cab\u0cc8\u0cb2\u0ccd \u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb2\u0c97\u0ca4\u0ccd\u0ca4\u0cbf\u0cb8\u0cbf" + }, + "waterMark": { + "text": "\u0c87\u0ca6\u0cb0\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0ca8\u0cbf\u0cb0\u0ccd\u0cae\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6" + } + }, + "Messages": { + "index": { + "running": "\u0c9a\u0cb2\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "executedSuccessfully": "\u0caf\u0cb6\u0cb8\u0ccd\u0cb5\u0cbf\u0caf\u0cbe\u0c97\u0cbf \u0c95\u0cbe\u0cb0\u0ccd\u0caf\u0c97\u0ca4\u0c97\u0cca\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "failed": "\u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "feedbackUpdated": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6 \u0ca8\u0cb5\u0cc0\u0c95\u0cb0\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "updating": "\u0ca8\u0cb5\u0cc0\u0c95\u0cb0\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cab\u0cc8\u0cb2\u0ccd \u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c87\u0cb2\u0ccd\u0cb2\u0cbf \u0cac\u0cbf\u0ca1\u0cbf" + }, + "index": { + "failedToUpload": "\u0c85\u0caa\u0ccd \u0cb2\u0ccb\u0ca1\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "cancelledUploadOf": "\u0c85\u0caa\u0ccd \u0cb2\u0ccb\u0ca1\u0ccd \u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0c97\u0cca\u0c82\u0ca1\u0cbf\u0ca6\u0cc6", + "couldNotReachServer": "\u0cb8\u0cb0\u0ccd\u0cb5\u0cb0\u0ccd \u0ca4\u0cb2\u0cc1\u0caa\u0cb2\u0cc1 \u0cb8\u0cbe\u0ca7\u0ccd\u0caf\u0cb5\u0cbe\u0c97\u0cb2\u0cbf\u0cb2\u0ccd\u0cb2", + "continuingChat": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 \u0c9a\u0cbe\u0c9f\u0ccd \u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0caf\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6" + }, + "settings": { + "settingsPanel": "\u0cb8\u0cc6\u0c9f\u0ccd\u0c9f\u0cbf\u0c82\u0c97\u0ccd \u0c97\u0cb3 \u0cab\u0cb2\u0c95", + "reset": "\u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cbf", + "cancel": "\u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0cae\u0cbe\u0ca1\u0cbf", + "confirm": "\u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6: \u0c8e\u0cb2\u0ccd\u0cb2\u0cb5\u0cc2", + "feedbackPositive": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6: \u0ca7\u0ca8\u0cbe\u0ca4\u0ccd\u0cae\u0c95", + "feedbackNegative": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6: \u0ca8\u0c95\u0cbe\u0cb0\u0cbe\u0ca4\u0ccd\u0cae\u0c95" + }, + "SearchBar": { + "search": "\u0cb9\u0cc1\u0ca1\u0cc1\u0c95\u0cc1" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0c87\u0ca6\u0cc1 \u0ca5\u0ccd\u0cb0\u0cc6\u0ca1\u0ccd \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0c85\u0ca6\u0cb0 \u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0c97\u0cb3\u0cc1 \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0c85\u0c82\u0cb6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c85\u0cb3\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6.", + "cancel": "\u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0cae\u0cbe\u0ca1\u0cbf", + "confirm": "\u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf", + "deletingChat": "\u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "chatDeleted": "\u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6" + }, + "index": { + "pastChats": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 \u0c9a\u0cbe\u0c9f\u0ccd \u0c97\u0cb3\u0cc1" + }, + "ThreadList": { + "empty": "\u0c96\u0cbe\u0cb2\u0cbf...", + "today": "\u0c87\u0c82\u0ca6\u0cc1", + "yesterday": "\u0ca8\u0cbf\u0ca8\u0ccd\u0ca8\u0cc6", + "previous7days": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 7 \u0ca6\u0cbf\u0ca8\u0c97\u0cb3\u0cc1", + "previous30days": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 30 \u0ca6\u0cbf\u0ca8\u0c97\u0cb3\u0cc1" + }, + "TriggerButton": { + "closeSidebar": "\u0cb8\u0cc8\u0ca1\u0ccd \u0cac\u0cbe\u0cb0\u0ccd \u0cae\u0cc1\u0c9a\u0ccd\u0c9a\u0cc1", + "openSidebar": "\u0cb8\u0cc8\u0ca1\u0ccd \u0cac\u0cbe\u0cb0\u0ccd \u0ca4\u0cc6\u0cb0\u0cc6\u0caf\u0cbf\u0cb0\u0cbf" + } + }, + "Thread": { + "backToChat": "\u0c9a\u0cbe\u0c9f\u0ccd \u0c97\u0cc6 \u0cb9\u0cbf\u0c82\u0ca4\u0cbf\u0cb0\u0cc1\u0c97\u0cbf", + "chatCreatedOn": "\u0c88 \u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0c88 \u0ca8\u0cb2\u0ccd\u0cb2\u0cbf \u0cb0\u0c9a\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6" + } + }, + "header": { + "chat": "\u0c9a\u0cbe\u0c9f\u0ccd", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0caa\u0cc2\u0cb0\u0cc8\u0c95\u0cc6\u0ca6\u0cbe\u0cb0\u0cb0\u0ca8\u0ccd\u0ca8\u0cc1 \u0c95\u0cb0\u0cc6\u0ca4\u0cb0\u0cb2\u0cc1 \u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0caf\u0cb6\u0cb8\u0ccd\u0cb5\u0cbf\u0caf\u0cbe\u0c97\u0cbf \u0c89\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "requiredApiKeys": "\u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 API \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0cc1", + "requiredApiKeysInfo": "\u0c88 \u0c85\u0caa\u0ccd\u0cb2\u0cbf\u0c95\u0cc7\u0cb6\u0ca8\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cac\u0cb3\u0cb8\u0cb2\u0cc1, \u0c88 \u0c95\u0cc6\u0cb3\u0c97\u0cbf\u0ca8 \u0c8e\u0caa\u0cbf\u0c90 \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0cc1 \u0cac\u0cc7\u0c95\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cb5\u0cc6. \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cb8\u0cbe\u0ca7\u0ca8\u0ca6 \u0cb8\u0ccd\u0ca5\u0cb3\u0cc0\u0caf \u0cb8\u0c82\u0c97\u0ccd\u0cb0\u0cb9\u0ca3\u0cc6\u0caf\u0cb2\u0ccd\u0cb2\u0cbf \u0cb8\u0c82\u0c97\u0ccd\u0cb0\u0cb9\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6." + }, + "Page": { + "notPartOfProject": "\u0ca8\u0cc0\u0cb5\u0cc1 \u0c88 \u0caf\u0ccb\u0c9c\u0ca8\u0cc6\u0caf \u0cad\u0cbe\u0c97\u0cb5\u0cbe\u0c97\u0cbf\u0cb2\u0ccd\u0cb2." + }, + "ResumeButton": { + "resumeChat": "\u0c9a\u0cbe\u0c9f\u0ccd \u0caa\u0cc1\u0ca8\u0cb0\u0cbe\u0cb0\u0c82\u0cad\u0cbf\u0cb8\u0cbf" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/ml.json b/project-chatbot/.chainlit/translations/ml.json new file mode 100644 index 0000000..fca2fe0 --- /dev/null +++ b/project-chatbot/.chainlit/translations/ml.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d23\u0d19\u0d4d\u0d19\u0d7e", + "settingsKey": "S", + "APIKeys": "API \u0d15\u0d40\u0d15\u0d7e", + "logout": "\u0d32\u0d4b\u0d17\u0d4b\u0d1f\u0d4d\u0d1f\u0d4d" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0d1f\u0d3e\u0d38\u0d4d\u0d15\u0d4d \u0d32\u0d3f\u0d38\u0d4d\u0d31\u0d4d\u0d31\u0d4d", + "loading": "\u0d32\u0d4b\u0d21\u0d3f\u0d02\u0d17\u0d4d...", + "error": "\u0d12\u0d30\u0d41 \u0d2a\u0d3f\u0d36\u0d15\u0d4d \u0d38\u0d02\u0d2d\u0d35\u0d3f\u0d1a\u0d4d\u0d1a\u0d41" + } + }, + "attachments": { + "cancelUpload": "\u0d05\u0d2a\u0d4d\u0d32\u0d4b\u0d21\u0d4d \u0d31\u0d26\u0d4d\u0d26\u0d3e\u0d15\u0d4d\u0d15\u0d41\u0d15", + "removeAttachment": "\u0d05\u0d31\u0d4d\u0d31\u0d3e\u0d1a\u0d4d\u0d1a\u0d4d \u0d2e\u0d46\u0d28\u0d4d\u0d31\u0d4d \u0d28\u0d40\u0d15\u0d4d\u0d15\u0d02\u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15" + }, + "newChatDialog": { + "createNewChat": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d09\u0d23\u0d4d\u0d1f\u0d3e\u0d15\u0d4d\u0d15\u0d23\u0d4b?", + "clearChat": "\u0d07\u0d24\u0d4d \u0d28\u0d3f\u0d32\u0d35\u0d3f\u0d32\u0d46 \u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d15\u0d4d\u0d32\u0d3f\u0d2f\u0d7c \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15\u0d2f\u0d41\u0d02 \u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d06\u0d30\u0d02\u0d2d\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15\u0d2f\u0d41\u0d02 \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d02.", + "cancel": "\u0d15\u0d4d\u0d2f\u0d3e\u0d7b\u0d38\u0d7d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d4d", + "confirm": "\u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + }, + "settingsModal": { + "settings": "\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d23\u0d19\u0d4d\u0d19\u0d7e", + "expandMessages": "\u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d35\u0d3f\u0d15\u0d38\u0d3f\u0d2a\u0d4d\u0d2a\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "hideChainOfThought": "\u0d1a\u0d3f\u0d28\u0d4d\u0d24\u0d2f\u0d41\u0d1f\u0d46 \u0d36\u0d43\u0d02\u0d16\u0d32 \u0d2e\u0d31\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "darkMode": "\u0d21\u0d3e\u0d7c\u0d15\u0d4d\u0d15\u0d4d \u0d2e\u0d4b\u0d21\u0d4d" + }, + "detailsButton": { + "using": "\u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d02", + "running": "\u0d13\u0d1f\u0d41\u0d28\u0d4d\u0d28\u0d41", + "took_one": "{{count}} \u0d38\u0d4d\u0d31\u0d4d\u0d31\u0d46\u0d2a\u0d4d\u0d2a\u0d4d \u0d0e\u0d1f\u0d41\u0d24\u0d4d\u0d24\u0d41", + "took_other": "{{count}} \u0d38\u0d4d\u0d31\u0d4d\u0d31\u0d46\u0d2a\u0d4d\u0d2a\u0d41\u0d15\u0d7e \u0d0e\u0d1f\u0d41\u0d24\u0d4d\u0d24\u0d41" + }, + "auth": { + "authLogin": { + "title": "\u0d05\u0d2a\u0d4d\u0d32\u0d3f\u0d15\u0d4d\u0d15\u0d47\u0d37\u0d7b \u0d06\u0d15\u0d4d\u0d38\u0d38\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d32\u0d4b\u0d17\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15.", + "form": { + "email": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02", + "password": "Password", + "noAccount": "\u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d07\u0d32\u0d4d\u0d32\u0d47?", + "alreadyHaveAccount": "\u0d12\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d23\u0d4d\u0d1f\u0d4b?", + "signup": "\u0d38\u0d48\u0d7b \u0d05\u0d2a\u0d4d\u0d2a\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15", + "signin": "\u0d38\u0d48\u0d7b \u0d07\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15", + "or": "\u0d05\u0d32\u0d4d\u0d32\u0d46\u0d19\u0d4d\u0d15\u0d3f\u0d7d", + "continue": "\u0d24\u0d41\u0d1f\u0d30\u0d41\u0d15", + "forgotPassword": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2e\u0d31\u0d28\u0d4d\u0d28\u0d4b?", + "passwordMustContain": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d3f\u0d7d \u0d07\u0d28\u0d3f\u0d2a\u0d4d\u0d2a\u0d31\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d35 \u0d05\u0d1f\u0d19\u0d4d\u0d19\u0d3f\u0d2f\u0d3f\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d23\u0d02:", + "emailRequired": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d2f \u0d12\u0d30\u0d41 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d", + "passwordRequired": "Password \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d41\u0d33\u0d4d\u0d33 \u0d12\u0d30\u0d41 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d" + }, + "error": { + "default": "\u0d38\u0d48\u0d28\u0d4d \u0d07\u0d28\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d28\u0d4d \u0d15\u0d34\u0d3f\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d3f\u0d32\u0d4d\u0d32.", + "signin": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "oauthsignin": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "redirect_uri_mismatch": "\u0d31\u0d40\u0d21\u0d2f\u0d31\u0d15\u0d4d\u0d1f\u0d4d \u0d2f\u0d41\u0d06\u0d7c\u0d10 \u0d13\u0d24\u0d4d\u0d24\u0d4d \u0d06\u0d2a\u0d4d\u0d2a\u0d4d \u0d15\u0d4b\u0d7a\u0d2b\u0d3f\u0d17\u0d31\u0d47\u0d37\u0d28\u0d41\u0d2e\u0d3e\u0d2f\u0d3f \u0d2a\u0d4a\u0d30\u0d41\u0d24\u0d4d\u0d24\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d41\u0d28\u0d4d\u0d28\u0d3f\u0d32\u0d4d\u0d32.", + "oauthcallbackerror": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "oauthcreateaccount": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "emailcreateaccount": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "callback": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "oauthaccountnotlinked": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d10\u0d21\u0d28\u0d4d\u0d31\u0d3f\u0d31\u0d4d\u0d31\u0d3f \u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d4d, \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e \u0d06\u0d26\u0d4d\u0d2f\u0d02 \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a \u0d05\u0d24\u0d47 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15.", + "emailsignin": "\u0d07-\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d3e\u0d7b \u0d15\u0d34\u0d3f\u0d1e\u0d4d\u0d1e\u0d3f\u0d32\u0d4d\u0d32.", + "emailverify": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15, \u0d12\u0d30\u0d41 \u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d05\u0d2f\u0d1a\u0d4d\u0d1a\u0d3f\u0d1f\u0d4d\u0d1f\u0d41\u0d23\u0d4d\u0d1f\u0d4d.", + "credentialssignin": "\u0d38\u0d48\u0d7b \u0d07\u0d7b \u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41. \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e \u0d28\u0d7d\u0d15\u0d3f\u0d2f \u0d35\u0d3f\u0d36\u0d26\u0d3e\u0d02\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d36\u0d30\u0d3f\u0d2f\u0d3e\u0d23\u0d4b \u0d0e\u0d28\u0d4d\u0d28\u0d4d \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "sessionrequired": "\u0d08 \u0d2a\u0d47\u0d1c\u0d4d \u0d06\u0d15\u0d4d\u0d38\u0d38\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d4d \u0d26\u0d2f\u0d35\u0d3e\u0d2f\u0d3f \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15." + } + }, + "authVerifyEmail": { + "almostThere": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d3f\u0d35\u0d3f\u0d1f\u0d46 \u0d0e\u0d24\u0d4d\u0d24\u0d3e\u0d31\u0d3e\u0d2f\u0d3f! \u0d1e\u0d19\u0d4d\u0d19\u0d7e \u0d12\u0d30\u0d41 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d05\u0d2f\u0d1a\u0d4d\u0d1a\u0d3f\u0d1f\u0d4d\u0d1f\u0d41\u0d23\u0d4d\u0d1f\u0d4d ", + "verifyEmailLink": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d38\u0d48\u0d28\u0d2a\u0d4d\u0d2a\u0d4d \u0d2a\u0d42\u0d7c\u0d24\u0d4d\u0d24\u0d3f\u0d2f\u0d3e\u0d15\u0d4d\u0d15\u0d3e\u0d7b \u0d06 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d32\u0d3f\u0d32\u0d46 \u0d32\u0d3f\u0d19\u0d4d\u0d15\u0d3f\u0d7d \u0d15\u0d4d\u0d32\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15.", + "didNotReceive": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d15\u0d23\u0d4d\u0d1f\u0d46\u0d24\u0d4d\u0d24\u0d3e\u0d7b \u0d15\u0d34\u0d3f\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d3f\u0d32\u0d4d\u0d32\u0d47?", + "resendEmail": "Email \u0d35\u0d40\u0d23\u0d4d\u0d1f\u0d41\u0d02 \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "goBack": "\u0d24\u0d3f\u0d30\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d2a\u0d4b\u0d15\u0d42", + "emailSent": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d1c\u0d2f\u0d15\u0d30\u0d2e\u0d3e\u0d2f\u0d3f \u0d05\u0d2f\u0d1a\u0d4d\u0d1a\u0d41.", + "verifyEmail": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02 \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + }, + "providerButton": { + "continue": "{{provider}} \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d24\u0d41\u0d1f\u0d30\u0d41\u0d15", + "signup": "{{provider}} \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d7b \u0d05\u0d2a\u0d4d\u0d2a\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15" + }, + "authResetPassword": { + "newPasswordRequired": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d41\u0d33\u0d4d\u0d33 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d", + "passwordsMustMatch": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d41\u0d15\u0d7e \u0d2a\u0d4a\u0d30\u0d41\u0d24\u0d4d\u0d24\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d23\u0d02", + "confirmPasswordRequired": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d47\u0d23\u0d4d\u0d1f\u0d24\u0d4d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d23\u0d4d", + "newPassword": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d", + "confirmPassword": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "resetPassword": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + }, + "authForgotPassword": { + "email": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02", + "emailRequired": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d2f \u0d12\u0d30\u0d41 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d", + "emailSent": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d41\u0d33\u0d4d\u0d33 \u0d28\u0d3f\u0d7c\u0d26\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e\u0d15\u0d4d\u0d15\u0d3e\u0d2f\u0d3f {{email}} \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02 \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "enterEmail": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02 \u0d28\u0d7d\u0d15\u0d41\u0d15, \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d41\u0d33\u0d4d\u0d33 \u0d28\u0d3f\u0d7c\u0d26\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d1e\u0d19\u0d4d\u0d19\u0d7e \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e\u0d15\u0d4d\u0d15\u0d4d \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d02.", + "resendEmail": "Email \u0d35\u0d40\u0d23\u0d4d\u0d1f\u0d41\u0d02 \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "continue": "\u0d24\u0d41\u0d1f\u0d30\u0d41\u0d15", + "goBack": "\u0d24\u0d3f\u0d30\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d2a\u0d4b\u0d15\u0d42" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0d1a\u0d30\u0d3f\u0d24\u0d4d\u0d30\u0d02 \u0d15\u0d3e\u0d23\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "lastInputs": "\u0d05\u0d35\u0d38\u0d3e\u0d28 \u0d07\u0d7b\u0d2a\u0d41\u0d1f\u0d4d\u0d1f\u0d41\u0d15\u0d7e", + "noInputs": "\u0d36\u0d42\u0d28\u0d4d\u0d2f\u0d2e\u0d3e\u0d2f...", + "loading": "\u0d32\u0d4b\u0d21\u0d3f\u0d02\u0d17\u0d4d..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d02 \u0d07\u0d35\u0d3f\u0d1f\u0d46 \u0d1f\u0d48\u0d2a\u0d4d\u0d2a\u0d41\u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15..." + }, + "speechButton": { + "start": "\u0d31\u0d46\u0d15\u0d4d\u0d15\u0d4b\u0d7c\u0d21\u0d3f\u0d02\u0d17\u0d4d \u0d06\u0d30\u0d02\u0d2d\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "stop": "\u0d31\u0d46\u0d15\u0d4d\u0d15\u0d4b\u0d7c\u0d21\u0d3f\u0d02\u0d17\u0d4d \u0d28\u0d3f\u0d7c\u0d24\u0d4d\u0d24\u0d41\u0d15" + }, + "SubmitButton": { + "sendMessage": "\u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d02 \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "stopTask": "\u0d1c\u0d4b\u0d32\u0d3f \u0d28\u0d3f\u0d7c\u0d24\u0d4d\u0d24\u0d41\u0d15" + }, + "UploadButton": { + "attachFiles": "\u0d2b\u0d2f\u0d32\u0d41\u0d15\u0d7e \u0d05\u0d31\u0d4d\u0d31\u0d3e\u0d1a\u0d4d\u0d1a\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15" + }, + "waterMark": { + "text": "\u0d28\u0d3f\u0d7c\u0d2e\u0d4d\u0d2e\u0d3f\u0d1a\u0d4d\u0d1a\u0d24\u0d4d" + } + }, + "Messages": { + "index": { + "running": "\u0d13\u0d1f\u0d41\u0d28\u0d4d\u0d28\u0d41", + "executedSuccessfully": "\u0d35\u0d3f\u0d1c\u0d2f\u0d15\u0d30\u0d2e\u0d3e\u0d2f\u0d3f \u0d28\u0d1f\u0d2a\u0d4d\u0d2a\u0d3f\u0d32\u0d3e\u0d15\u0d4d\u0d15\u0d3f", + "failed": "\u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41", + "feedbackUpdated": "\u0d2b\u0d40\u0d21\u0d4d\u0d2c\u0d3e\u0d15\u0d4d\u0d15\u0d4d \u0d05\u0d2a\u0d4d \u0d21\u0d47\u0d31\u0d4d\u0d31\u0d41\u0d1a\u0d46\u0d2f\u0d4d \u0d24\u0d41", + "updating": "\u0d05\u0d2a\u0d4d \u0d21\u0d47\u0d31\u0d4d\u0d31\u0d4d" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2b\u0d2f\u0d32\u0d41\u0d15\u0d7e \u0d07\u0d35\u0d3f\u0d1f\u0d46 \u0d07\u0d1f\u0d41\u0d15" + }, + "index": { + "failedToUpload": "\u0d05\u0d2a\u0d4d \u0d32\u0d4b\u0d21\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d7d \u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41", + "cancelledUploadOf": "\u0d05\u0d2a\u0d4d \u0d32\u0d4b\u0d21\u0d4d \u0d31\u0d26\u0d4d\u0d26\u0d3e\u0d15\u0d4d\u0d15\u0d3f", + "couldNotReachServer": "\u0d38\u0d46\u0d7c\u0d35\u0d31\u0d3f\u0d7d \u0d0e\u0d24\u0d4d\u0d24\u0d3e\u0d7b \u0d15\u0d34\u0d3f\u0d1e\u0d4d\u0d1e\u0d3f\u0d32\u0d4d\u0d32", + "continuingChat": "\u0d2e\u0d41\u0d2e\u0d4d\u0d2a\u0d24\u0d4d\u0d24\u0d46 \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d24\u0d41\u0d1f\u0d30\u0d41\u0d28\u0d4d\u0d28\u0d41" + }, + "settings": { + "settingsPanel": "\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d23 \u0d2a\u0d3e\u0d28\u0d7d", + "reset": "\u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "cancel": "\u0d15\u0d4d\u0d2f\u0d3e\u0d7b\u0d38\u0d7d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d4d", + "confirm": "\u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "Feedback: \u0d0e\u0d32\u0d4d\u0d32\u0d3e\u0d02", + "feedbackPositive": "Feedback: \u0d2a\u0d4b\u0d38\u0d3f\u0d31\u0d4d\u0d31\u0d40\u0d35\u0d4d", + "feedbackNegative": "Feedback: \u0d28\u0d46\u0d17\u0d31\u0d4d\u0d31\u0d40\u0d35\u0d4d" + }, + "SearchBar": { + "search": "\u0d24\u0d3f\u0d30\u0d2f\u0d41\u0d15" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0d07\u0d24\u0d4d \u0d24\u0d4d\u0d30\u0d46\u0d21\u0d41\u0d02 \u0d05\u0d24\u0d3f\u0d28\u0d4d\u0d31\u0d46 \u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d02 \u0d18\u0d1f\u0d15\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d02 \u0d07\u0d32\u0d4d\u0d32\u0d3e\u0d24\u0d3e\u0d15\u0d4d\u0d15\u0d41\u0d02.", + "cancel": "\u0d15\u0d4d\u0d2f\u0d3e\u0d7b\u0d38\u0d7d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d4d", + "confirm": "\u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "deletingChat": "\u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d07\u0d32\u0d4d\u0d32\u0d3e\u0d24\u0d3e\u0d15\u0d4d\u0d15\u0d7d", + "chatDeleted": "\u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d28\u0d40\u0d15\u0d4d\u0d15\u0d02 \u0d1a\u0d46\u0d2f\u0d4d\u0d24\u0d41" + }, + "index": { + "pastChats": "Past Chats" + }, + "ThreadList": { + "empty": "\u0d36\u0d42\u0d28\u0d4d\u0d2f\u0d02...", + "today": "\u0d07\u0d28\u0d4d\u0d28\u0d4d", + "yesterday": "\u0d07\u0d28\u0d4d\u0d28\u0d32\u0d46", + "previous7days": "Previous 7 \u0d26\u0d3f\u0d35\u0d38\u0d02", + "previous30days": "Previous 30 \u0d26\u0d3f\u0d35\u0d38\u0d02" + }, + "TriggerButton": { + "closeSidebar": "\u0d38\u0d48\u0d21\u0d4d \u0d2c\u0d3e\u0d7c \u0d05\u0d1f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "openSidebar": "\u0d38\u0d48\u0d21\u0d4d \u0d2c\u0d3e\u0d7c \u0d24\u0d41\u0d31\u0d15\u0d4d\u0d15\u0d41\u0d15" + } + }, + "Thread": { + "backToChat": "\u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d3f\u0d32\u0d47\u0d15\u0d4d\u0d15\u0d4d \u0d2e\u0d1f\u0d19\u0d4d\u0d19\u0d41\u0d15", + "chatCreatedOn": "\u0d08 \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d07\u0d35\u0d3f\u0d1f\u0d46 \u0d38\u0d43\u0d37\u0d4d\u0d1f\u0d3f\u0d1a\u0d4d\u0d1a\u0d41" + } + }, + "header": { + "chat": "\u0d38\u0d02\u0d2d\u0d3e\u0d37\u0d23\u0d02", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0d26\u0d3e\u0d24\u0d3e\u0d15\u0d4d\u0d15\u0d33\u0d46 \u0d15\u0d4a\u0d23\u0d4d\u0d1f\u0d41\u0d35\u0d30\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d7d \u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0d35\u0d3f\u0d1c\u0d2f\u0d15\u0d30\u0d2e\u0d3e\u0d2f\u0d3f \u0d38\u0d02\u0d30\u0d15\u0d4d\u0d37\u0d3f\u0d1a\u0d4d\u0d1a\u0d41", + "requiredApiKeys": "\u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d41\u0d33\u0d4d\u0d33 API \u0d15\u0d40\u0d15\u0d7e", + "requiredApiKeysInfo": "\u0d08 \u0d05\u0d2a\u0d4d\u0d32\u0d3f\u0d15\u0d4d\u0d15\u0d47\u0d37\u0d7b \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d4d, \u0d07\u0d28\u0d3f\u0d2a\u0d4d\u0d2a\u0d31\u0d2f\u0d41\u0d28\u0d4d\u0d28 \u0d0e\u0d2a\u0d3f\u0d10 \u0d15\u0d40\u0d15\u0d7e \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d23\u0d4d. \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d09\u0d2a\u0d15\u0d30\u0d23\u0d24\u0d4d\u0d24\u0d3f\u0d28\u0d4d\u0d31\u0d46 \u0d2a\u0d4d\u0d30\u0d3e\u0d26\u0d47\u0d36\u0d3f\u0d15 \u0d38\u0d02\u0d2d\u0d30\u0d23\u0d24\u0d4d\u0d24\u0d3f\u0d32\u0d3e\u0d23\u0d4d \u0d15\u0d40\u0d15\u0d7e \u0d38\u0d02\u0d2d\u0d30\u0d3f\u0d1a\u0d4d\u0d1a\u0d3f\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d4d." + }, + "Page": { + "notPartOfProject": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e \u0d08 \u0d2a\u0d26\u0d4d\u0d27\u0d24\u0d3f\u0d2f\u0d41\u0d1f\u0d46 \u0d2d\u0d3e\u0d17\u0d2e\u0d32\u0d4d\u0d32." + }, + "ResumeButton": { + "resumeChat": "\u0d38\u0d02\u0d2d\u0d3e\u0d37\u0d23\u0d02 \u0d2a\u0d41\u0d28\u0d30\u0d3e\u0d30\u0d02\u0d2d\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/mr.json b/project-chatbot/.chainlit/translations/mr.json new file mode 100644 index 0000000..f0011ce --- /dev/null +++ b/project-chatbot/.chainlit/translations/mr.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "settingsKey": "S", + "APIKeys": "\u090f\u092a\u0940\u0906\u092f \u0915\u0940\u091c", + "logout": "Logout" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0928\u0935\u0940\u0928 \u0917\u092a\u094d\u092a\u093e" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0915\u093e\u0930\u094d\u092f \u0938\u0942\u091a\u0940", + "loading": "\u0932\u094b\u0921\u093f\u0902\u0917...", + "error": "\u090f\u0915 \u0924\u094d\u0930\u0941\u091f\u0940 \u091d\u093e\u0932\u0940" + } + }, + "attachments": { + "cancelUpload": "\u0905\u092a\u0932\u094b\u0921 \u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "removeAttachment": "\u0938\u0902\u0932\u0917\u094d\u0928\u0924\u093e \u0915\u093e\u0922\u0942\u0928 \u091f\u093e\u0915\u093e" + }, + "newChatDialog": { + "createNewChat": "\u0928\u0935\u0940\u0928 \u091a\u0945\u091f \u0924\u092f\u093e\u0930 \u0915\u0930\u093e?", + "clearChat": "\u092f\u093e\u092e\u0941\u0933\u0947 \u0938\u0927\u094d\u092f\u093e\u091a\u0947 \u092e\u0947\u0938\u0947\u091c \u0915\u094d\u0932\u093f\u0905\u0930 \u0939\u094b\u0924\u0940\u0932 \u0906\u0923\u093f \u0928\u0935\u0940\u0928 \u091a\u0945\u091f \u0938\u0941\u0930\u0942 \u0939\u094b\u0908\u0932.", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "confirm": "\u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e" + }, + "settingsModal": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "expandMessages": "\u0938\u0902\u0926\u0947\u0936 \u093e\u0902\u091a\u093e \u0935\u093f\u0938\u094d\u0924\u093e\u0930 \u0915\u0930\u093e", + "hideChainOfThought": "\u0935\u093f\u091a\u093e\u0930\u093e\u0902\u091a\u0940 \u0938\u093e\u0916\u0933\u0940 \u0932\u092a\u0935\u093e", + "darkMode": "\u0921\u093e\u0930\u094d\u0915 \u092e\u094b\u0921" + }, + "detailsButton": { + "using": "\u0935\u093e\u092a\u0930\u0924", + "running": "\u0927\u093e\u0935\u0924 \u0906\u0939\u0947.", + "took_one": "{{count}} \u092a\u093e\u090a\u0932 \u0909\u091a\u0932\u0932\u0947", + "took_other": "{{count}} \u092a\u093e\u0935\u0932\u0947 \u0909\u091a\u0932\u0932\u0940" + }, + "auth": { + "authLogin": { + "title": "\u0905 \u0945\u092a\u092e\u0927\u094d\u092f\u0947 \u092a\u094d\u0930\u0935\u0947\u0936 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0932\u0949\u0917\u093f\u0928 \u0915\u0930\u093e.", + "form": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e", + "password": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "noAccount": "\u0916\u093e\u0924\u0947 \u0928\u093e\u0939\u0940 \u0915\u093e?", + "alreadyHaveAccount": "\u0906\u0927\u0940\u091a \u0916\u093e\u0924\u0947 \u0906\u0939\u0947 \u0915\u093e?", + "signup": "\u0938\u093e\u0907\u0928 \u0905\u092a \u0915\u0930\u093e", + "signin": "\u0938\u093e\u0907\u0928 \u0907\u0928", + "or": "\u0915\u093f\u0902\u0935\u093e", + "continue": "\u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e", + "forgotPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0935\u093f\u0938\u0930\u0932\u093e?", + "passwordMustContain": "\u0906\u092a\u0932\u094d\u092f\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921\u092e\u0927\u094d\u092f\u0947 \u0939\u0947 \u0905\u0938\u0923\u0947 \u0906\u0935\u0936\u094d\u092f\u0915 \u0906\u0939\u0947:", + "emailRequired": "\u0908\u092e\u0947\u0932 \u0939\u0947 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947", + "passwordRequired": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0939\u0947 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947" + }, + "error": { + "default": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u0938 \u0905\u0915\u094d\u0937\u092e.", + "signin": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "oauthsignin": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "redirect_uri_mismatch": "\u0930\u093f\u0921\u093e\u092f\u0930\u0947\u0915\u094d\u091f \u092f\u0942\u0906\u0930\u0906\u092f \u0911\u0925 \u0905\u0945\u092a \u0915\u0949\u0928\u094d\u092b\u093f\u0917\u0930\u0947\u0936\u0928\u0936\u0940 \u091c\u0941\u0933\u0924 \u0928\u093e\u0939\u0940.", + "oauthcallbackerror": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "oauthcreateaccount": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "emailcreateaccount": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "callback": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "oauthaccountnotlinked": "\u0906\u092a\u0932\u0940 \u0913\u0933\u0916 \u0928\u093f\u0936\u094d\u091a\u093f\u0924 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940, \u0906\u092a\u0923 \u092e\u0942\u0933\u0935\u093e\u092a\u0930\u0932\u0947\u0932\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u093e.", + "emailsignin": "\u0908-\u092e\u0947\u0932 \u092a\u093e\u0920\u0935\u0924\u093e \u0906\u0932\u093e \u0928\u093e\u0939\u0940.", + "emailverify": "\u0915\u0943\u092a\u092f\u093e \u0906\u092a\u0932\u094d\u092f\u093e \u0908\u092e\u0947\u0932\u091a\u0940 \u092a\u0921\u0924\u093e\u0933\u0923\u0940 \u0915\u0930\u093e, \u090f\u0915 \u0928\u0935\u0940\u0928 \u0908\u092e\u0947\u0932 \u092a\u093e\u0920\u0935\u093f\u0932\u093e \u0917\u0947\u0932\u093e \u0906\u0939\u0947.", + "credentialssignin": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0905\u092f\u0936\u0938\u094d\u0935\u0940 \u091d\u093e\u0932\u0947. \u0906\u092a\u0923 \u0926\u093f\u0932\u0947\u0932\u093e \u0924\u092a\u0936\u0940\u0932 \u092f\u094b\u0917\u094d\u092f \u0906\u0939\u0947 \u0939\u0947 \u0924\u092a\u093e\u0938\u093e.", + "sessionrequired": "\u0915\u0943\u092a\u092f\u093e \u092f\u093e \u092a\u0943\u0937\u094d\u0920\u093e\u0935\u0930 \u092a\u094d\u0930\u0935\u0947\u0936 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u093e." + } + }, + "authVerifyEmail": { + "almostThere": "\u0924\u0942 \u091c\u0935\u0933\u091c\u0935\u0933 \u0924\u093f\u0925\u0947\u091a \u0906\u0939\u0947\u0938! \u0906\u092e\u094d\u0939\u0940 \u090f\u0915 \u0908\u092e\u0947\u0932 \u092a\u093e\u0920\u0935\u0932\u093e \u0906\u0939\u0947. ", + "verifyEmailLink": "\u0906\u092a\u0932\u0947 \u0938\u093e\u0907\u0928\u0905\u092a \u092a\u0942\u0930\u094d\u0923 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0915\u0943\u092a\u092f\u093e \u0924\u094d\u092f\u093e \u0908\u092e\u0947\u0932\u092e\u0927\u0940\u0932 \u0932\u093f\u0902\u0915\u0935\u0930 \u0915\u094d\u0932\u093f\u0915 \u0915\u0930\u093e.", + "didNotReceive": "\u0908\u092e\u0947\u0932 \u0938\u093e\u092a\u0921\u0924 \u0928\u093e\u0939\u0940 \u0915\u093e?", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u094d\u0939\u093e \u092a\u093e\u0920\u0935\u093e", + "goBack": "\u092a\u0930\u0924 \u091c\u093e", + "emailSent": "\u0908\u092e\u0947\u0932 \u092f\u0936\u0938\u094d\u0935\u0940\u0930\u093f\u0924\u094d\u092f\u093e \u092a\u093e\u0920\u0935\u093f\u0932\u093e.", + "verifyEmail": "\u0906\u092a\u0932\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e \u092a\u0921\u0924\u093e\u0933\u0942\u0928 \u092a\u0939\u093e" + }, + "providerButton": { + "continue": "{{provider}} \u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e", + "signup": "{{provider}} \u0938\u0939 \u0938\u093e\u0907\u0928 \u0905\u092a \u0915\u0930\u093e" + }, + "authResetPassword": { + "newPasswordRequired": "\u0928\u0935\u0940\u0928 \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0939\u0947 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947", + "passwordsMustMatch": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u091c\u0941\u0933\u0923\u0947 \u0906\u0935\u0936\u094d\u092f\u0915 \u0906\u0939\u0947", + "confirmPasswordRequired": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947 \u092f\u093e\u091a\u0940 \u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e", + "newPassword": "\u0928\u0935\u0940\u0928 \u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "confirmPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u091a\u0940 \u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e", + "resetPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u093e" + }, + "authForgotPassword": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e", + "emailRequired": "\u0908\u092e\u0947\u0932 \u0939\u0947 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947", + "emailSent": "\u0906\u092a\u0932\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u094d\u092f\u093e \u0938\u0942\u091a\u0928\u093e\u0902\u0938\u093e\u0920\u0940 \u0915\u0943\u092a\u092f\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e {{email}} \u0924\u092a\u093e\u0938\u093e.", + "enterEmail": "\u0906\u092a\u0932\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e \u092a\u094d\u0930\u0935\u093f\u0937\u094d\u091f \u0915\u0930\u093e \u0906\u0923\u093f \u0906\u092e\u094d\u0939\u0940 \u0906\u092a\u0932\u094d\u092f\u093e\u0932\u093e \u0906\u092a\u0932\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u094d\u092f\u093e \u0938\u0942\u091a\u0928\u093e \u092a\u093e\u0920\u0935\u0942.", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u094d\u0939\u093e \u092a\u093e\u0920\u0935\u093e", + "continue": "\u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e", + "goBack": "\u092a\u0930\u0924 \u091c\u093e" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0907\u0924\u093f\u0939\u093e\u0938 \u0926\u093e\u0916\u0935\u093e", + "lastInputs": "\u0936\u0947\u0935\u091f\u091a\u0940 \u092e\u093e\u0939\u093f\u0924\u0940", + "noInputs": "\u0907\u0924\u0915\u0940 \u0930\u093f\u0915\u093e\u092e\u0940...", + "loading": "\u0932\u094b\u0921\u093f\u0902\u0917..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0924\u0941\u092e\u091a\u093e \u092e\u0947\u0938\u0947\u091c \u0907\u0925\u0947 \u091f\u093e\u0908\u092a \u0915\u0930\u093e..." + }, + "speechButton": { + "start": "\u0930\u0947\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u0938\u0941\u0930\u0942 \u0915\u0930\u093e", + "stop": "\u0930\u0947\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u0925\u093e\u0902\u092c\u0935\u093e" + }, + "SubmitButton": { + "sendMessage": "\u0938\u0902\u0926\u0947\u0936 \u092a\u093e\u0920\u0935\u093e", + "stopTask": "\u0915\u093e\u0930\u094d\u092f \u0925\u093e\u0902\u092c\u0935\u093e" + }, + "UploadButton": { + "attachFiles": "\u092b\u093e\u0908\u0932\u094d\u0938 \u0938\u0902\u0932\u0917\u094d\u0928 \u0915\u0930\u093e" + }, + "waterMark": { + "text": "\u092f\u093e\u0938\u0939 \u092c\u093e\u0902\u0927\u0932\u0947 \u0906\u0939\u0947" + } + }, + "Messages": { + "index": { + "running": "\u0927\u093e\u0935\u0924 \u0906\u0939\u0947.", + "executedSuccessfully": "\u092f\u0936\u0938\u094d\u0935\u0940\u0930\u093f\u0924\u094d\u092f\u093e \u0930\u093e\u092c\u0935\u093f\u0932\u0940", + "failed": "\u0905\u092a\u092f\u0936\u0940 \u0920\u0930\u0932\u0947", + "feedbackUpdated": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f \u0905\u0926\u094d\u092f\u092f\u093e\u0935\u0924", + "updating": "\u0905\u0926\u094d\u092f\u092f\u093e\u0935\u0924 \u0915\u0930\u0923\u0947" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0906\u092a\u0932\u094d\u092f\u093e \u092b\u093e\u092f\u0932\u0940 \u092f\u0947\u0925\u0947 \u091f\u093e\u0915\u093e" + }, + "index": { + "failedToUpload": "\u0905\u092a\u0932\u094b\u0921 \u0915\u0930\u0923\u094d\u092f\u093e\u0924 \u0905\u092a\u092f\u0936 \u0906\u0932\u0947", + "cancelledUploadOf": "\u0930\u0926\u094d\u0926 \u0915\u0947\u0932\u0947\u0932\u0947 \u0905\u092a\u0932\u094b\u0921", + "couldNotReachServer": "\u0938\u0930\u094d\u0935\u094d\u0939\u0930\u092a\u0930\u094d\u092f\u0902\u0924 \u092a\u094b\u0939\u094b\u091a\u0942 \u0936\u0915\u0932\u0947 \u0928\u093e\u0939\u0940", + "continuingChat": "\u092e\u093e\u0917\u0940\u0932 \u0917\u092a\u094d\u092a\u093e \u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e" + }, + "settings": { + "settingsPanel": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938 \u092a\u0945\u0928\u0947\u0932", + "reset": "\u0930\u0940\u0938\u0947\u091f \u0915\u0930\u093e", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "confirm": "\u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f: \u0938\u0930\u094d\u0935", + "feedbackPositive": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f: \u0938\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915", + "feedbackNegative": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f: \u0928\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915" + }, + "SearchBar": { + "search": "\u0936\u094b\u0927\u0923\u0947" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0939\u0947 \u0927\u093e\u0917\u093e \u0924\u0938\u0947\u091a \u0924\u094d\u092f\u093e\u0924\u0940\u0932 \u0938\u0902\u0926\u0947\u0936 \u0906\u0923\u093f \u0918\u091f\u0915 \u0921\u093f\u0932\u0940\u091f \u0915\u0930\u0947\u0932.", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "confirm": "\u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e", + "deletingChat": "\u091a\u0945\u091f \u0921\u093f\u0932\u0940\u091f \u0915\u0930\u0923\u0947", + "chatDeleted": "\u091a\u0945\u091f \u0921\u093f\u0932\u0940\u091f" + }, + "index": { + "pastChats": "\u092e\u093e\u0917\u0940\u0932 \u0917\u092a\u094d\u092a\u093e" + }, + "ThreadList": { + "empty": "\u0930\u093f\u0915\u094d\u0924\u0964\u0964\u0964", + "today": "\u0906\u091c", + "yesterday": "\u0915\u093e\u0932", + "previous7days": "\u092e\u093e\u0917\u0940\u0932 7 \u0926\u093f\u0935\u0938", + "previous30days": "\u092e\u093e\u0917\u0940\u0932 \u0969\u0966 \u0926\u093f\u0935\u0938" + }, + "TriggerButton": { + "closeSidebar": "\u0938\u093e\u0907\u0921\u092c\u093e\u0930 \u092c\u0902\u0926 \u0915\u0930\u093e", + "openSidebar": "\u0913\u092a\u0928 \u0938\u093e\u0907\u0921\u092c\u093e\u0930" + } + }, + "Thread": { + "backToChat": "\u092a\u0930\u0924 \u0917\u092a\u094d\u092a\u093e \u092e\u093e\u0930\u093e\u092f\u0932\u093e \u091c\u093e", + "chatCreatedOn": "\u0939\u0947 \u091a\u0945\u091f \u0924\u092f\u093e\u0930 \u0915\u0930\u0923\u094d\u092f\u093e\u0924 \u0906\u0932\u0947 \u0939\u094b\u0924\u0947." + } + }, + "header": { + "chat": "\u092c\u0915\u0935\u093e\u0926 \u0915\u0930\u0923\u0947\u0902", + "readme": "\u0935\u093e\u091a\u093e" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u092a\u094d\u0930\u0926\u093e\u0924\u094d\u092f\u093e\u0902\u0928\u093e \u0906\u0923\u0923\u094d\u092f\u093e\u0924 \u0905\u092a\u092f\u0936\u0940:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u092f\u0936\u0938\u094d\u0935\u0940\u0930\u093f\u0924\u094d\u092f\u093e \u0935\u093e\u091a\u0935\u0932\u0947", + "requiredApiKeys": "\u0906\u0935\u0936\u094d\u092f\u0915 \u090f\u092a\u0940\u0906\u092f \u091a\u093e\u0935\u094d\u092f\u093e", + "requiredApiKeysInfo": "\u0939\u0947 \u0905\u0945\u092a \u0935\u093e\u092a\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0916\u093e\u0932\u0940\u0932 \u090f\u092a\u0940\u0906\u092f \u091a\u093e\u0935\u094d\u092f\u093e \u0906\u0935\u0936\u094d\u092f\u0915 \u0906\u0939\u0947\u0924. \u091a\u093e\u0935\u094d\u092f\u093e \u0906\u092a\u0932\u094d\u092f\u093e \u0921\u093f\u0935\u094d\u0939\u093e\u0907\u0938\u091a\u094d\u092f\u093e \u0938\u094d\u0925\u093e\u0928\u093f\u0915 \u0938\u094d\u091f\u094b\u0930\u0947\u091c\u0935\u0930 \u0938\u0902\u0917\u094d\u0930\u0939\u093f\u0924 \u0915\u0947\u0932\u094d\u092f\u093e \u091c\u093e\u0924\u093e\u0924." + }, + "Page": { + "notPartOfProject": "\u0924\u0941\u092e\u094d\u0939\u0940 \u092f\u093e \u092a\u094d\u0930\u0915\u0932\u094d\u092a\u093e\u091a\u093e \u092d\u093e\u0917 \u0928\u093e\u0939\u0940." + }, + "ResumeButton": { + "resumeChat": "\u091a\u0945\u091f \u092a\u0941\u0928\u094d\u0939\u093e \u0938\u0941\u0930\u0942 \u0915\u0930\u093e" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/ta.json b/project-chatbot/.chainlit/translations/ta.json new file mode 100644 index 0000000..b1eccf5 --- /dev/null +++ b/project-chatbot/.chainlit/translations/ta.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0b85\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd", + "settingsKey": "S", + "APIKeys": "API \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd", + "logout": "\u0bb5\u0bc6\u0bb3\u0bbf\u0baf\u0bc7\u0bb1\u0bc1" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0baa\u0ba3\u0bbf \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bcd", + "loading": "\u0b8f\u0bb1\u0bcd\u0bb1\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1...", + "error": "\u0b92\u0bb0\u0bc1 \u0baa\u0bbf\u0bb4\u0bc8 \u0b8f\u0bb1\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1" + } + }, + "attachments": { + "cancelUpload": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0ba4\u0bcd\u0ba4\u0bc8 \u0bb0\u0ba4\u0bcd\u0ba4\u0bc1\u0b9a\u0bc6\u0baf\u0bcd", + "removeAttachment": "\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc8 \u0b85\u0b95\u0bb1\u0bcd\u0bb1\u0bc1" + }, + "newChatDialog": { + "createNewChat": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8 \u0b89\u0bb0\u0bc1\u0bb5\u0bbe\u0b95\u0bcd\u0b95\u0bb5\u0bbe?", + "clearChat": "\u0b87\u0ba4\u0bc1 \u0ba4\u0bb1\u0bcd\u0baa\u0bcb\u0ba4\u0bc8\u0baf \u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0b95\u0bb3\u0bc8 \u0b85\u0bb4\u0bbf\u0ba4\u0bcd\u0ba4\u0bc1 \u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8\u0ba4\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bc1\u0bae\u0bcd.", + "cancel": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1", + "confirm": "\u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0b9a\u0bc6\u0baf\u0bcd" + }, + "settingsModal": { + "settings": "\u0b85\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd", + "expandMessages": "\u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0b95\u0bb3\u0bc8 \u0bb5\u0bbf\u0bb0\u0bbf\u0bb5\u0bbe\u0b95\u0bcd\u0b95\u0bc1", + "hideChainOfThought": "\u0b9a\u0bbf\u0ba8\u0bcd\u0ba4\u0ba9\u0bc8\u0b9a\u0bcd \u0b9a\u0b99\u0bcd\u0b95\u0bbf\u0bb2\u0bbf\u0baf\u0bc8 \u0bae\u0bb1\u0bc8\u0ba4\u0bcd\u0ba4\u0bc1", + "darkMode": "\u0b87\u0bb0\u0bc1\u0ba3\u0bcd\u0b9f \u0baa\u0baf\u0ba9\u0bcd\u0bae\u0bc1\u0bb1\u0bc8" + }, + "detailsButton": { + "using": "\u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf", + "running": "\u0b93\u0b9f\u0bc1\u0ba4\u0bb2\u0bcd", + "took_one": "{{count}} \u0b85\u0b9f\u0bbf \u0b8e\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1 \u0bb5\u0bc8\u0ba4\u0bcd\u0ba4\u0bbe\u0bb0\u0bcd", + "took_other": "{{count}} \u0baa\u0b9f\u0bbf\u0b95\u0bb3\u0bc8 \u0b8e\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbe\u0bb0\u0bcd" + }, + "auth": { + "authLogin": { + "title": "\u0baa\u0baf\u0ba9\u0bcd\u0baa\u0bbe\u0b9f\u0bcd\u0b9f\u0bc8 \u0b85\u0ba3\u0bc1\u0b95 \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0b95.", + "form": { + "email": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf", + "password": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd", + "noAccount": "\u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1 \u0b87\u0bb2\u0bcd\u0bb2\u0bc8\u0baf\u0bbe?", + "alreadyHaveAccount": "\u0b8f\u0bb1\u0bcd\u0b95\u0ba9\u0bb5\u0bc7 \u0b92\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1 \u0b89\u0bb3\u0bcd\u0bb3\u0ba4\u0bbe?", + "signup": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc1\u0baa\u0bc6\u0bb1\u0bc1", + "signin": "\u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0b95", + "or": "\u0b85\u0bb2\u0bcd\u0bb2\u0ba4\u0bc1", + "continue": "\u0ba4\u0bca\u0b9f\u0bb0\u0bcd", + "forgotPassword": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bb1\u0ba8\u0bcd\u0ba4\u0bc1\u0bb5\u0bbf\u0b9f\u0bcd\u0b9f\u0bc0\u0bb0\u0bcd\u0b95\u0bb3\u0bbe?", + "passwordMustContain": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bbf\u0bb2\u0bcd \u0b87\u0bb5\u0bc8 \u0b87\u0bb0\u0bc1\u0b95\u0bcd\u0b95 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd:", + "emailRequired": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b92\u0bb0\u0bc1 \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "passwordRequired": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd" + }, + "error": { + "default": "\u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0b87\u0baf\u0bb2\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8.", + "signin": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "oauthsignin": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "redirect_uri_mismatch": "\u0bb5\u0bb4\u0bbf\u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1 URI oauth \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1 \u0b89\u0bb3\u0bcd\u0bb3\u0bae\u0bc8\u0bb5\u0bc1\u0b9f\u0ba9\u0bcd \u0baa\u0bca\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8.", + "oauthcallbackerror": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "oauthcreateaccount": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "emailcreateaccount": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "callback": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "oauthaccountnotlinked": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b85\u0b9f\u0bc8\u0baf\u0bbe\u0bb3\u0ba4\u0bcd\u0ba4\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4, \u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0bc1\u0ba4\u0bb2\u0bbf\u0bb2\u0bcd \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0baf \u0b85\u0ba4\u0bc7 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf\u0bb5\u0bc1\u0bae\u0bcd.", + "emailsignin": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa \u0b87\u0baf\u0bb2\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8.", + "emailverify": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b99\u0bcd\u0b95\u0bb3\u0bcd, \u0b92\u0bb0\u0bc1 \u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1.", + "credentialssignin": "\u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0bb5\u0bc1 \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1. \u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bb5\u0bb4\u0b99\u0bcd\u0b95\u0bbf\u0baf \u0bb5\u0bbf\u0bb5\u0bb0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bb0\u0bbf\u0baf\u0bbe\u0ba9\u0ba4\u0bbe \u0b8e\u0ba9\u0bcd\u0bb1\u0bc1 \u0b9a\u0bb0\u0bbf\u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "sessionrequired": "\u0b87\u0ba8\u0bcd\u0ba4\u0baa\u0bcd \u0baa\u0b95\u0bcd\u0b95\u0ba4\u0bcd\u0ba4\u0bc8 \u0b85\u0ba3\u0bc1\u0b95 \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf\u0bb5\u0bc1\u0bae\u0bcd." + } + }, + "authVerifyEmail": { + "almostThere": "\u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0bbf\u0b9f\u0bcd\u0b9f\u0ba4\u0bcd\u0ba4\u0b9f\u0bcd\u0b9f \u0bb5\u0ba8\u0bcd\u0ba4\u0bc1\u0bb5\u0bbf\u0b9f\u0bcd\u0b9f\u0bc0\u0bb0\u0bcd\u0b95\u0bb3\u0bcd! -\u0b95\u0bcd\u0b95\u0bc1 \u0b92\u0bb0\u0bc1 \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bbf\u0baf\u0bc1\u0bb3\u0bcd\u0bb3\u0bcb\u0bae\u0bcd ", + "verifyEmailLink": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0baa\u0ba4\u0bbf\u0bb5\u0bc1\u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bb2\u0bc8 \u0ba8\u0bbf\u0bb1\u0bc8\u0bb5\u0bc1\u0b9a\u0bc6\u0baf\u0bcd\u0baf \u0b85\u0ba8\u0bcd\u0ba4 \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bbf\u0bb2\u0bcd \u0b89\u0bb3\u0bcd\u0bb3 \u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc8\u0b95\u0bcd \u0b95\u0bbf\u0bb3\u0bbf\u0b95\u0bcd \u0b9a\u0bc6\u0baf\u0bcd\u0baf\u0bb5\u0bc1\u0bae\u0bcd.", + "didNotReceive": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8\u0b95\u0bcd \u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95 \u0bae\u0bc1\u0b9f\u0bbf\u0baf\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8\u0baf\u0bbe?", + "resendEmail": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bb5\u0bc1\u0bae\u0bcd", + "goBack": "\u0baa\u0bbf\u0ba9\u0bcd \u0b9a\u0bc6\u0bb2\u0bcd", + "emailSent": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bb5\u0bc6\u0bb1\u0bcd\u0bb1\u0bbf\u0b95\u0bb0\u0bae\u0bbe\u0b95 \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1.", + "verifyEmail": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b88\u0bae\u0bc6\u0baf\u0bbf\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf\u0baf\u0bc8\u0b9a\u0bcd \u0b9a\u0bb0\u0bbf\u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + }, + "providerButton": { + "continue": "{{provider}} \u0b89\u0b9f\u0ba9\u0bcd \u0ba4\u0bca\u0b9f\u0bb0\u0bb5\u0bc1\u0bae\u0bcd", + "signup": "{{provider}} \u0b89\u0b9f\u0ba9\u0bcd \u0baa\u0ba4\u0bbf\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0b95" + }, + "authResetPassword": { + "newPasswordRequired": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "passwordsMustMatch": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb1\u0bcd\u0b95\u0bb3\u0bcd \u0baa\u0bca\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd", + "confirmPasswordRequired": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bb5\u0bc1\u0bae\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "newPassword": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd", + "confirmPassword": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bb5\u0bc1\u0bae\u0bcd", + "resetPassword": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8" + }, + "authForgotPassword": { + "email": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf", + "emailRequired": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b92\u0bb0\u0bc1 \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "emailSent": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0ba4\u0bb1\u0bcd\u0b95\u0bbe\u0ba9 \u0bb5\u0bb4\u0bbf\u0bae\u0bc1\u0bb1\u0bc8\u0b95\u0bb3\u0bc1\u0b95\u0bcd\u0b95\u0bc1 {{email}} \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf\u0baf\u0bc8 \u0b9a\u0bb0\u0bbf\u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "enterEmail": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf\u0baf\u0bc8 \u0b89\u0bb3\u0bcd\u0bb3\u0bbf\u0b9f\u0bb5\u0bc1\u0bae\u0bcd, \u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8\u0b95\u0bcd\u0b95 \u0ba8\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bc1\u0b95\u0bcd\u0b95\u0bc1 \u0bb5\u0bb4\u0bbf\u0bae\u0bc1\u0bb1\u0bc8\u0b95\u0bb3\u0bc8 \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bc1\u0bb5\u0bcb\u0bae\u0bcd.", + "resendEmail": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bb5\u0bc1\u0bae\u0bcd", + "continue": "\u0ba4\u0bca\u0b9f\u0bb0\u0bcd", + "goBack": "\u0baa\u0bbf\u0ba9\u0bcd \u0b9a\u0bc6\u0bb2\u0bcd" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0bb5\u0bb0\u0bb2\u0bbe\u0bb1\u0bcd\u0bb1\u0bc8\u0b95\u0bcd \u0b95\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1\u0b95", + "lastInputs": "\u0b95\u0b9f\u0bc8\u0b9a\u0bbf \u0b89\u0bb3\u0bcd\u0bb3\u0bc0\u0b9f\u0bc1\u0b95\u0bb3\u0bcd", + "noInputs": "\u0b85\u0bb5\u0bcd\u0bb5\u0bb3\u0bb5\u0bc1 \u0bb5\u0bc6\u0bb1\u0bc1\u0bae\u0bc8...", + "loading": "\u0b8f\u0bb1\u0bcd\u0bb1\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0baf\u0bc8 \u0b87\u0b99\u0bcd\u0b95\u0bc7 \u0ba4\u0b9f\u0bcd\u0b9f\u0b9a\u0bcd\u0b9a\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0b95..." + }, + "speechButton": { + "start": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0baf\u0ba4\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bc1", + "stop": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0bb5\u0ba4\u0bc8 \u0ba8\u0bbf\u0bb1\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1" + }, + "SubmitButton": { + "sendMessage": "\u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bc1", + "stopTask": "\u0baa\u0ba3\u0bbf\u0baf\u0bc8 \u0ba8\u0bbf\u0bb1\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1" + }, + "UploadButton": { + "attachFiles": "\u0b95\u0bcb\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bc8 \u0b87\u0ba3\u0bc8\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + }, + "waterMark": { + "text": "\u0b89\u0b9f\u0ba9\u0bcd \u0b95\u0b9f\u0bcd\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1" + } + }, + "Messages": { + "index": { + "running": "\u0b93\u0b9f\u0bc1\u0ba4\u0bb2\u0bcd", + "executedSuccessfully": "\u0bb5\u0bc6\u0bb1\u0bcd\u0bb1\u0bbf\u0b95\u0bb0\u0bae\u0bbe\u0b95 \u0b9a\u0bc6\u0baf\u0bb2\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1", + "failed": "\u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1", + "feedbackUpdated": "\u0b95\u0bb0\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1 \u0baa\u0bc1\u0ba4\u0bc1\u0baa\u0bcd\u0baa\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1", + "updating": "\u0baa\u0bc1\u0ba4\u0bc1\u0baa\u0bcd\u0baa\u0bbf\u0b95\u0bcd\u0b95\u0bbf\u0bb1\u0ba4\u0bc1" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0bcb\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bc8 \u0b87\u0b99\u0bcd\u0b95\u0bc7 \u0bb5\u0bbf\u0b9f\u0bc1\u0b99\u0bcd\u0b95\u0bb3\u0bcd:" + }, + "index": { + "failedToUpload": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0bc1\u0bb5\u0ba4\u0bbf\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf", + "cancelledUploadOf": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0baf\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f \u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0bae\u0bcd", + "couldNotReachServer": "\u0b9a\u0bc7\u0bb5\u0bc8\u0baf\u0b95\u0ba4\u0bcd\u0ba4\u0bc8 \u0b85\u0b9f\u0bc8\u0baf \u0bae\u0bc1\u0b9f\u0bbf\u0baf\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8", + "continuingChat": "\u0ba4\u0bca\u0b9f\u0bb0\u0bc1\u0bae\u0bcd \u0bae\u0bc1\u0ba8\u0bcd\u0ba4\u0bc8\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8" + }, + "settings": { + "settingsPanel": "\u0b85\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd \u0b95\u0bc1\u0bb4\u0bc1", + "reset": "\u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8", + "cancel": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1", + "confirm": "\u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0b9a\u0bc6\u0baf\u0bcd" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0baa\u0bbf\u0ba9\u0bcd\u0ba9\u0bc2\u0b9f\u0bcd\u0b9f\u0bae\u0bcd: \u0b85\u0ba9\u0bc8\u0ba4\u0bcd\u0ba4\u0bc1\u0bae\u0bcd", + "feedbackPositive": "\u0baa\u0bbf\u0ba9\u0bcd\u0ba9\u0bc2\u0b9f\u0bcd\u0b9f\u0bae\u0bcd: \u0ba8\u0bc7\u0bb0\u0bcd\u0bae\u0bb1\u0bc8", + "feedbackNegative": "\u0baa\u0bbf\u0ba9\u0bcd\u0ba9\u0bc2\u0b9f\u0bcd\u0b9f\u0bae\u0bcd: \u0b8e\u0ba4\u0bbf\u0bb0\u0bcd\u0bae\u0bb1\u0bc8" + }, + "SearchBar": { + "search": "\u0ba4\u0bc7\u0b9f\u0bc1" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0b87\u0ba4\u0bc1 \u0ba8\u0bc2\u0bb2\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b85\u0ba4\u0ba9\u0bcd \u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0b95\u0bb3\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b95\u0bc2\u0bb1\u0bc1\u0b95\u0bb3\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0bc1\u0bae\u0bcd.", + "cancel": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1", + "confirm": "\u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0b9a\u0bc6\u0baf\u0bcd", + "deletingChat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1", + "chatDeleted": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1" + }, + "index": { + "pastChats": "\u0b95\u0b9f\u0ba8\u0bcd\u0ba4 \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0b95\u0bb3\u0bcd" + }, + "ThreadList": { + "empty": "\u0b95\u0bbe\u0bb2\u0bbf\u0baf\u0bbe\u0ba9...", + "today": "\u0b87\u0ba9\u0bcd\u0bb1\u0bc1", + "yesterday": "\u0ba8\u0bc7\u0bb1\u0bcd\u0bb1\u0bc1", + "previous7days": "\u0bae\u0bc1\u0ba8\u0bcd\u0ba4\u0bc8\u0baf 7 \u0ba8\u0bbe\u0b9f\u0bcd\u0b95\u0bb3\u0bcd", + "previous30days": "\u0bae\u0bc1\u0ba8\u0bcd\u0ba4\u0bc8\u0baf 30 \u0ba8\u0bbe\u0b9f\u0bcd\u0b95\u0bb3\u0bcd" + }, + "TriggerButton": { + "closeSidebar": "\u0baa\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bc8 \u0bae\u0bc2\u0b9f\u0bc1", + "openSidebar": "\u0baa\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bc8\u0ba4\u0bcd \u0ba4\u0bbf\u0bb1\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + } + }, + "Thread": { + "backToChat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0b95\u0bcd\u0b95\u0bc1 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b9a\u0bc6\u0bb2\u0bcd\u0bb2\u0bb5\u0bc1\u0bae\u0bcd", + "chatCreatedOn": "\u0b87\u0ba8\u0bcd\u0ba4 \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8 \u0b89\u0bb0\u0bc1\u0bb5\u0bbe\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f \u0ba4\u0bc7\u0ba4\u0bbf" + } + }, + "header": { + "chat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8", + "readme": "\u0bb0\u0bc0\u0b9f\u0bcd\u0bae\u0bc0" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0bb5\u0bb4\u0b99\u0bcd\u0b95\u0bc1\u0ba8\u0bb0\u0bcd\u0b95\u0bb3\u0bc8\u0baa\u0bcd \u0baa\u0bc6\u0bb1\u0bc1\u0bb5\u0ba4\u0bbf\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0bb5\u0bc6\u0bb1\u0bcd\u0bb1\u0bbf\u0b95\u0bb0\u0bae\u0bbe\u0b95 \u0b9a\u0bc7\u0bae\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1", + "requiredApiKeys": "\u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 API \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd", + "requiredApiKeysInfo": "\u0b87\u0ba8\u0bcd\u0ba4 \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0bbe\u0b9f\u0bcd\u0b9f\u0bc8\u0baa\u0bcd \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4, \u0baa\u0bbf\u0ba9\u0bcd\u0bb5\u0bb0\u0bc1\u0bae\u0bcd API \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8. \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd \u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bbe\u0ba4\u0ba9\u0ba4\u0bcd\u0ba4\u0bbf\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0bb3\u0bc2\u0bb0\u0bcd \u0b9a\u0bc7\u0bae\u0bbf\u0baa\u0bcd\u0baa\u0b95\u0ba4\u0bcd\u0ba4\u0bbf\u0bb2\u0bcd \u0b9a\u0bc7\u0bae\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0bae\u0bcd." + }, + "Page": { + "notPartOfProject": "\u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b87\u0ba8\u0bcd\u0ba4\u0ba4\u0bcd \u0ba4\u0bbf\u0b9f\u0bcd\u0b9f\u0ba4\u0bcd\u0ba4\u0bbf\u0ba9\u0bcd \u0b92\u0bb0\u0bc1 \u0baa\u0b95\u0bc1\u0ba4\u0bbf\u0baf\u0bbe\u0b95 \u0b87\u0bb2\u0bcd\u0bb2\u0bc8." + }, + "ResumeButton": { + "resumeChat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/te.json b/project-chatbot/.chainlit/translations/te.json new file mode 100644 index 0000000..60ada30 --- /dev/null +++ b/project-chatbot/.chainlit/translations/te.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0c38\u0c46\u0c1f\u0c4d\u0c1f\u0c3f\u0c02\u0c17\u0c4d \u0c32\u0c41", + "settingsKey": "S", + "APIKeys": "API Keys", + "logout": "Logout" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0c1f\u0c3e\u0c38\u0c4d\u0c15\u0c4d \u0c32\u0c3f\u0c38\u0c4d\u0c1f\u0c4d", + "loading": "\u0c32\u0c4b\u0c21\u0c3f\u0c02\u0c17\u0c4d...", + "error": "\u0c12\u0c15 \u0c26\u0c4b\u0c37\u0c02 \u0c38\u0c02\u0c2d\u0c35\u0c3f\u0c02\u0c1a\u0c3f\u0c02\u0c26\u0c3f" + } + }, + "attachments": { + "cancelUpload": "\u0c05\u0c2a\u0c4d \u0c32\u0c4b\u0c21\u0c4d \u0c30\u0c26\u0c4d\u0c26\u0c41 \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f", + "removeAttachment": "\u0c05\u0c1f\u0c3e\u0c1a\u0c4d \u0c2e\u0c46\u0c02\u0c1f\u0c4d \u0c24\u0c4a\u0c32\u0c17\u0c3f\u0c02\u0c1a\u0c41" + }, + "newChatDialog": { + "createNewChat": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c02\u0c1a\u0c3e\u0c32\u0c3e?", + "clearChat": "\u0c07\u0c26\u0c3f \u0c2a\u0c4d\u0c30\u0c38\u0c4d\u0c24\u0c41\u0c24 \u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c32\u0c28\u0c41 \u0c15\u0c4d\u0c32\u0c3f\u0c2f\u0c30\u0c4d \u0c1a\u0c47\u0c38\u0c4d\u0c24\u0c41\u0c02\u0c26\u0c3f \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d\u0c28\u0c41 \u0c2a\u0c4d\u0c30\u0c3e\u0c30\u0c02\u0c2d\u0c3f\u0c38\u0c4d\u0c24\u0c41\u0c02\u0c26\u0c3f.", + "cancel": "\u0c30\u0c26\u0c4d\u0c26\u0c41", + "confirm": "\u0c27\u0c4d\u0c30\u0c41\u0c35\u0c2a\u0c30\u0c1a\u0c41" + }, + "settingsModal": { + "settings": "\u0c38\u0c46\u0c1f\u0c4d\u0c1f\u0c3f\u0c02\u0c17\u0c4d \u0c32\u0c41", + "expandMessages": "\u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c32\u0c28\u0c41 \u0c35\u0c3f\u0c38\u0c4d\u0c24\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "hideChainOfThought": "\u0c06\u0c32\u0c4b\u0c1a\u0c28\u0c3e \u0c17\u0c4a\u0c32\u0c41\u0c38\u0c41\u0c28\u0c41 \u0c26\u0c3e\u0c1a\u0c02\u0c21\u0c3f", + "darkMode": "\u0c21\u0c3e\u0c30\u0c4d\u0c15\u0c4d \u0c2e\u0c4b\u0c21\u0c4d" + }, + "detailsButton": { + "using": "\u0c09\u0c2a\u0c2f\u0c4b\u0c17\u0c3f\u0c02\u0c1a\u0c21\u0c02", + "running": "\u0c30\u0c28\u0c4d\u0c28\u0c3f\u0c02\u0c17\u0c4d", + "took_one": "{{count}} \u0c05\u0c21\u0c41\u0c17\u0c41 \u0c35\u0c47\u0c38\u0c3f\u0c02\u0c26\u0c3f", + "took_other": "{{count}} \u0c05\u0c21\u0c41\u0c17\u0c41\u0c32\u0c41 \u0c35\u0c47\u0c38\u0c3f\u0c02\u0c26\u0c3f" + }, + "auth": { + "authLogin": { + "title": "\u0c2f\u0c3e\u0c2a\u0c4d \u0c2f\u0c3e\u0c15\u0c4d\u0c38\u0c46\u0c38\u0c4d \u0c1a\u0c47\u0c38\u0c41\u0c15\u0c4b\u0c35\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c32\u0c3e\u0c17\u0c3f\u0c28\u0c4d \u0c05\u0c35\u0c4d\u0c35\u0c02\u0c21\u0c3f.", + "form": { + "email": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e", + "password": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d", + "noAccount": "\u0c2e\u0c40\u0c15\u0c41 \u0c05\u0c15\u0c4c\u0c02\u0c1f\u0c4d \u0c32\u0c47\u0c26\u0c3e?", + "alreadyHaveAccount": "\u0c07\u0c2a\u0c4d\u0c2a\u0c1f\u0c3f\u0c15\u0c47 \u0c16\u0c3e\u0c24\u0c3e \u0c09\u0c02\u0c26\u0c3e?", + "signup": "\u0c38\u0c46\u0c56\u0c28\u0c4d \u0c05\u0c2a\u0c4d", + "signin": "\u0c38\u0c46\u0c56\u0c28\u0c4d \u0c07\u0c28\u0c4d", + "or": "\u0c32\u0c47\u0c26\u0c3e", + "continue": "\u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c41", + "forgotPassword": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c2e\u0c30\u0c4d\u0c1a\u0c3f\u0c2a\u0c4b\u0c2f\u0c3e\u0c30\u0c3e?", + "passwordMustContain": "\u0c2e\u0c40 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c32\u0c4b \u0c07\u0c35\u0c3f \u0c09\u0c02\u0c21\u0c3e\u0c32\u0c3f:", + "emailRequired": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d", + "passwordRequired": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d" + }, + "error": { + "default": "\u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02 \u0c38\u0c3e\u0c27\u0c4d\u0c2f\u0c02 \u0c15\u0c3e\u0c26\u0c41.", + "signin": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "oauthsignin": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "redirect_uri_mismatch": "\u0c30\u0c40\u0c21\u0c48\u0c30\u0c46\u0c15\u0c4d\u0c1f\u0c4d URI \u0c13\u0c2f\u0c42\u0c24\u0c4d \u0c2f\u0c3e\u0c2a\u0c4d \u0c15\u0c3e\u0c28\u0c4d\u0c2b\u0c3f\u0c17\u0c30\u0c47\u0c37\u0c28\u0c4d \u0c15\u0c41 \u0c38\u0c30\u0c3f\u0c2a\u0c4b\u0c32\u0c21\u0c02 \u0c32\u0c47\u0c26\u0c41.", + "oauthcallbackerror": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "oauthcreateaccount": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "emailcreateaccount": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "callback": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "oauthaccountnotlinked": "\u0c2e\u0c40 \u0c17\u0c41\u0c30\u0c4d\u0c24\u0c3f\u0c02\u0c2a\u0c41\u0c28\u0c41 \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f, \u0c2e\u0c40\u0c30\u0c41 \u0c2e\u0c4a\u0c26\u0c1f \u0c09\u0c2a\u0c2f\u0c4b\u0c17\u0c3f\u0c02\u0c1a\u0c3f\u0c28 \u0c05\u0c26\u0c47 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f.", + "emailsignin": "\u0c07-\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c2a\u0c02\u0c2a\u0c21\u0c02 \u0c38\u0c3e\u0c27\u0c4d\u0c2f\u0c02 \u0c15\u0c3e\u0c26\u0c41.", + "emailverify": "\u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f \u0c2e\u0c40 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f, \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c2a\u0c02\u0c2a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f.", + "credentialssignin": "\u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f. \u0c2e\u0c40\u0c30\u0c41 \u0c05\u0c02\u0c26\u0c3f\u0c02\u0c1a\u0c3f\u0c28 \u0c35\u0c3f\u0c35\u0c30\u0c3e\u0c32\u0c41 \u0c38\u0c30\u0c3f\u0c17\u0c4d\u0c17\u0c3e \u0c09\u0c28\u0c4d\u0c28\u0c3e\u0c2f\u0c4b \u0c32\u0c47\u0c26\u0c4b \u0c1a\u0c46\u0c15\u0c4d \u0c1a\u0c47\u0c38\u0c41\u0c15\u0c4b\u0c02\u0c21\u0c3f.", + "sessionrequired": "\u0c08 \u0c2a\u0c47\u0c1c\u0c40\u0c28\u0c3f \u0c2f\u0c3e\u0c15\u0c4d\u0c38\u0c46\u0c38\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02 \u0c15\u0c4a\u0c30\u0c15\u0c41 \u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f." + } + }, + "authVerifyEmail": { + "almostThere": "\u0c2e\u0c40\u0c30\u0c41 \u0c26\u0c3e\u0c26\u0c3e\u0c2a\u0c41 \u0c05\u0c15\u0c4d\u0c15\u0c21\u0c47 \u0c09\u0c28\u0c4d\u0c28\u0c3e\u0c30\u0c41! \u0c2e\u0c47\u0c2e\u0c41 \u0c26\u0c40\u0c28\u0c3f\u0c15\u0c3f \u0c12\u0c15 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c2a\u0c02\u0c2a\u0c3e\u0c2e\u0c41 ", + "verifyEmailLink": "\u0c2e\u0c40 \u0c38\u0c48\u0c28\u0c4d \u0c05\u0c2a\u0c4d \u0c2a\u0c42\u0c30\u0c4d\u0c24\u0c3f \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f \u0c06 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c32\u0c4b\u0c28\u0c3f \u0c32\u0c3f\u0c02\u0c15\u0c4d \u0c2a\u0c48 \u0c15\u0c4d\u0c32\u0c3f\u0c15\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f.", + "didNotReceive": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c15\u0c28\u0c41\u0c17\u0c4a\u0c28\u0c32\u0c47\u0c15\u0c2a\u0c4b\u0c2f\u0c3e\u0c30\u0c3e?", + "resendEmail": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c24\u0c3f\u0c30\u0c3f\u0c17\u0c3f \u0c2a\u0c02\u0c2a\u0c02\u0c21\u0c3f", + "goBack": "\u0c35\u0c46\u0c28\u0c15\u0c4d\u0c15\u0c3f \u0c35\u0c46\u0c33\u0c4d\u0c33\u0c41", + "emailSent": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c35\u0c3f\u0c1c\u0c2f\u0c35\u0c02\u0c24\u0c02\u0c17\u0c3e \u0c2a\u0c02\u0c2a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f.", + "verifyEmail": "\u0c2e\u0c40 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e\u0c28\u0c41 \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f" + }, + "providerButton": { + "continue": "{{provider}} \u0c24\u0c4b \u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "signup": "{{provider}} \u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c05\u0c2a\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f" + }, + "authResetPassword": { + "newPasswordRequired": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d", + "passwordsMustMatch": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c32\u0c41 \u0c24\u0c2a\u0c4d\u0c2a\u0c28\u0c3f\u0c38\u0c30\u0c3f\u0c17\u0c3e \u0c38\u0c30\u0c3f\u0c2a\u0c4b\u0c32\u0c3e\u0c32\u0c3f", + "confirmPasswordRequired": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c3f \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "newPassword": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d", + "confirmPassword": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c28\u0c41 \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "resetPassword": "\u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d" + }, + "authForgotPassword": { + "email": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e", + "emailRequired": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d", + "emailSent": "\u0c2e\u0c40 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c38\u0c42\u0c1a\u0c28\u0c32 \u0c15\u0c4a\u0c30\u0c15\u0c41 \u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f {{email}} \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e\u0c28\u0c41 \u0c24\u0c28\u0c3f\u0c16\u0c40 \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f.", + "enterEmail": "\u0c2e\u0c40 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e\u0c28\u0c41 \u0c28\u0c2e\u0c4b\u0c26\u0c41 \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c2e\u0c40 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c28\u0c41 \u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2e\u0c47\u0c2e\u0c41 \u0c2e\u0c40\u0c15\u0c41 \u0c38\u0c42\u0c1a\u0c28\u0c32\u0c41 \u0c2a\u0c02\u0c2a\u0c41\u0c24\u0c3e\u0c2e\u0c41.", + "resendEmail": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c24\u0c3f\u0c30\u0c3f\u0c17\u0c3f \u0c2a\u0c02\u0c2a\u0c02\u0c21\u0c3f", + "continue": "\u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c41", + "goBack": "\u0c35\u0c46\u0c28\u0c15\u0c4d\u0c15\u0c3f \u0c35\u0c46\u0c33\u0c4d\u0c33\u0c41" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0c1a\u0c30\u0c3f\u0c24\u0c4d\u0c30\u0c28\u0c41 \u0c1a\u0c42\u0c2a\u0c3f\u0c02\u0c1a\u0c41", + "lastInputs": "\u0c1a\u0c3f\u0c35\u0c30\u0c3f \u0c07\u0c28\u0c4d \u0c2a\u0c41\u0c1f\u0c4d \u0c32\u0c41", + "noInputs": "\u0c05\u0c02\u0c24 \u0c16\u0c3e\u0c33\u0c40\u0c17\u0c3e...", + "loading": "\u0c32\u0c4b\u0c21\u0c3f\u0c02\u0c17\u0c4d..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0c2e\u0c40 \u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c28\u0c4d\u0c28\u0c3f \u0c07\u0c15\u0c4d\u0c15\u0c21 \u0c1f\u0c48\u0c2a\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f..." + }, + "speechButton": { + "start": "\u0c30\u0c3f\u0c15\u0c3e\u0c30\u0c4d\u0c21\u0c3f\u0c02\u0c17\u0c4d \u0c2a\u0c4d\u0c30\u0c3e\u0c30\u0c02\u0c2d\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "stop": "\u0c30\u0c3f\u0c15\u0c3e\u0c30\u0c4d\u0c21\u0c3f\u0c02\u0c17\u0c4d \u0c06\u0c2a\u0c02\u0c21\u0c3f" + }, + "SubmitButton": { + "sendMessage": "\u0c38\u0c02\u0c26\u0c47\u0c36\u0c02 \u0c2a\u0c02\u0c2a\u0c41", + "stopTask": "\u0c38\u0c4d\u0c1f\u0c3e\u0c2a\u0c4d \u0c1f\u0c3e\u0c38\u0c4d\u0c15\u0c4d" + }, + "UploadButton": { + "attachFiles": "\u0c2b\u0c48\u0c33\u0c4d\u0c32\u0c28\u0c41 \u0c1c\u0c4b\u0c21\u0c3f\u0c02\u0c1a\u0c41" + }, + "waterMark": { + "text": "\u0c26\u0c40\u0c28\u0c3f\u0c24\u0c4b \u0c28\u0c3f\u0c30\u0c4d\u0c2e\u0c3f\u0c02\u0c1a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f" + } + }, + "Messages": { + "index": { + "running": "\u0c30\u0c28\u0c4d\u0c28\u0c3f\u0c02\u0c17\u0c4d", + "executedSuccessfully": "\u0c35\u0c3f\u0c1c\u0c2f\u0c35\u0c02\u0c24\u0c02\u0c17\u0c3e \u0c05\u0c2e\u0c32\u0c41 \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f", + "failed": "\u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f", + "feedbackUpdated": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d \u0c05\u0c2a\u0c4d \u0c21\u0c47\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f", + "updating": "\u0c05\u0c2a\u0c4d \u0c21\u0c47\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0c2e\u0c40 \u0c2b\u0c48\u0c33\u0c4d\u0c32\u0c28\u0c41 \u0c07\u0c15\u0c4d\u0c15\u0c21 \u0c21\u0c4d\u0c30\u0c3e\u0c2a\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f" + }, + "index": { + "failedToUpload": "\u0c05\u0c2a\u0c4d \u0c32\u0c4b\u0c21\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02 \u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f", + "cancelledUploadOf": "\u0c30\u0c26\u0c4d\u0c26\u0c41 \u0c1a\u0c47\u0c38\u0c3f\u0c28 \u0c05\u0c2a\u0c4d \u0c32\u0c4b\u0c21\u0c4d", + "couldNotReachServer": "\u0c38\u0c30\u0c4d\u0c35\u0c30\u0c4d \u0c15\u0c41 \u0c1a\u0c47\u0c30\u0c41\u0c15\u0c4b\u0c35\u0c21\u0c02 \u0c38\u0c3e\u0c27\u0c4d\u0c2f\u0c02 \u0c15\u0c3e\u0c32\u0c47\u0c26\u0c41", + "continuingChat": "\u0c2e\u0c41\u0c28\u0c41\u0c2a\u0c1f\u0c3f \u0c1a\u0c3e\u0c1f\u0c4d \u0c28\u0c41 \u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c3f\u0c02\u0c1a\u0c21\u0c02" + }, + "settings": { + "settingsPanel": "\u0c38\u0c46\u0c1f\u0c4d\u0c1f\u0c3f\u0c02\u0c17\u0c4d\u0c38\u0c4d \u0c2a\u0c4d\u0c2f\u0c3e\u0c28\u0c46\u0c32\u0c4d", + "reset": "\u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d", + "cancel": "\u0c30\u0c26\u0c4d\u0c26\u0c41", + "confirm": "\u0c27\u0c4d\u0c30\u0c41\u0c35\u0c2a\u0c30\u0c1a\u0c41" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d: \u0c05\u0c28\u0c4d\u0c28\u0c40", + "feedbackPositive": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d: \u0c2a\u0c3e\u0c1c\u0c3f\u0c1f\u0c3f\u0c35\u0c4d", + "feedbackNegative": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d: \u0c28\u0c46\u0c17\u0c46\u0c1f\u0c3f\u0c35\u0c4d" + }, + "SearchBar": { + "search": "\u0c35\u0c46\u0c24\u0c41\u0c15\u0c41" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0c07\u0c26\u0c3f \u0c25\u0c4d\u0c30\u0c46\u0c21\u0c4d\u0c24\u0c4b \u0c2a\u0c3e\u0c1f\u0c41 \u0c26\u0c3e\u0c28\u0c3f \u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c32\u0c41 \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c0e\u0c32\u0c3f\u0c2e\u0c46\u0c02\u0c1f\u0c4d\u0c32\u0c28\u0c41 \u0c24\u0c4a\u0c32\u0c17\u0c3f\u0c38\u0c4d\u0c24\u0c41\u0c02\u0c26\u0c3f.", + "cancel": "\u0c30\u0c26\u0c4d\u0c26\u0c41", + "confirm": "\u0c27\u0c4d\u0c30\u0c41\u0c35\u0c2a\u0c30\u0c1a\u0c41", + "deletingChat": "\u0c1a\u0c3e\u0c1f\u0c4d \u0c28\u0c41 \u0c21\u0c3f\u0c32\u0c40\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02", + "chatDeleted": "\u0c1a\u0c3e\u0c1f\u0c4d \u0c21\u0c3f\u0c32\u0c40\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f" + }, + "index": { + "pastChats": "\u0c17\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d \u0c32\u0c41" + }, + "ThreadList": { + "empty": "\u0c16\u0c3e\u0c33\u0c40...", + "today": "\u0c08 \u0c30\u0c4b\u0c1c\u0c41", + "yesterday": "\u0c28\u0c3f\u0c28\u0c4d\u0c28", + "previous7days": "\u0c2e\u0c41\u0c28\u0c41\u0c2a\u0c1f\u0c3f 7 \u0c30\u0c4b\u0c1c\u0c41\u0c32\u0c41", + "previous30days": "\u0c2e\u0c41\u0c28\u0c41\u0c2a\u0c1f\u0c3f 30 \u0c30\u0c4b\u0c1c\u0c41\u0c32\u0c41" + }, + "TriggerButton": { + "closeSidebar": "\u0c15\u0c4d\u0c32\u0c4b\u0c1c\u0c4d \u0c38\u0c48\u0c21\u0c4d \u0c2c\u0c3e\u0c30\u0c4d", + "openSidebar": "\u0c13\u0c2a\u0c46\u0c28\u0c4d \u0c38\u0c48\u0c21\u0c4d \u0c2c\u0c3e\u0c30\u0c4d" + } + }, + "Thread": { + "backToChat": "\u0c1a\u0c3e\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c24\u0c3f\u0c30\u0c3f\u0c17\u0c3f \u0c35\u0c46\u0c33\u0c4d\u0c32\u0c02\u0c21\u0c3f", + "chatCreatedOn": "\u0c08 \u0c1a\u0c3e\u0c1f\u0c4d \u0c26\u0c40\u0c28\u0c3f\u0c32\u0c4b \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c02\u0c1a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f" + } + }, + "header": { + "chat": "\u0c2e\u0c41\u0c1a\u0c4d\u0c1a\u0c1f\u0c3f\u0c02\u0c1a\u0c41", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0c2a\u0c4d\u0c30\u0c4a\u0c35\u0c48\u0c21\u0c30\u0c4d\u0c32\u0c28\u0c41 \u0c2a\u0c4a\u0c02\u0c26\u0c21\u0c02\u0c32\u0c4b \u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0c35\u0c3f\u0c1c\u0c2f\u0c35\u0c02\u0c24\u0c02\u0c17\u0c3e \u0c38\u0c47\u0c35\u0c4d \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f", + "requiredApiKeys": "\u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 API \u0c15\u0c40\u0c32\u0c41", + "requiredApiKeysInfo": "\u0c08 \u0c2f\u0c3e\u0c2a\u0c4d \u0c09\u0c2a\u0c2f\u0c4b\u0c17\u0c3f\u0c02\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f, \u0c08 \u0c15\u0c4d\u0c30\u0c3f\u0c02\u0c26\u0c3f API \u0c15\u0c40\u0c32\u0c41 \u0c05\u0c35\u0c38\u0c30\u0c02 \u0c05\u0c35\u0c41\u0c24\u0c3e\u0c2f\u0c3f. \u0c15\u0c40\u0c32\u0c41 \u0c2e\u0c40 \u0c2a\u0c30\u0c3f\u0c15\u0c30\u0c02 \u0c2f\u0c4a\u0c15\u0c4d\u0c15 \u0c38\u0c4d\u0c25\u0c3e\u0c28\u0c3f\u0c15 \u0c38\u0c4d\u0c1f\u0c4b\u0c30\u0c47\u0c1c\u0c40\u0c32\u0c4b \u0c28\u0c3f\u0c32\u0c4d\u0c35 \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c24\u0c3e\u0c2f\u0c3f." + }, + "Page": { + "notPartOfProject": "\u0c2e\u0c40\u0c30\u0c41 \u0c08 \u0c2a\u0c4d\u0c30\u0c3e\u0c1c\u0c46\u0c15\u0c4d\u0c1f\u0c41\u0c32\u0c4b \u0c2d\u0c3e\u0c17\u0c02 \u0c15\u0c3e\u0c26\u0c41." + }, + "ResumeButton": { + "resumeChat": "\u0c30\u0c46\u0c1c\u0c4d\u0c2f\u0c42\u0c2e\u0c4d \u0c1a\u0c3e\u0c1f\u0c4d" + } + } +} \ No newline at end of file diff --git a/project-chatbot/.chainlit/translations/zh-CN.json b/project-chatbot/.chainlit/translations/zh-CN.json new file mode 100644 index 0000000..b0c5f54 --- /dev/null +++ b/project-chatbot/.chainlit/translations/zh-CN.json @@ -0,0 +1,229 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u8bbe\u7f6e", + "settingsKey": "S", + "APIKeys": "API \u5bc6\u94a5", + "logout": "\u767b\u51fa" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u65b0\u5efa\u5bf9\u8bdd" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u4efb\u52a1\u5217\u8868", + "loading": "\u52a0\u8f7d\u4e2d...", + "error": "\u53d1\u751f\u9519\u8bef" + } + }, + "attachments": { + "cancelUpload": "\u53d6\u6d88\u4e0a\u4f20", + "removeAttachment": "\u79fb\u9664\u9644\u4ef6" + }, + "newChatDialog": { + "createNewChat": "\u521b\u5efa\u65b0\u5bf9\u8bdd\uff1f", + "clearChat": "\u8fd9\u5c06\u6e05\u9664\u5f53\u524d\u6d88\u606f\u5e76\u5f00\u59cb\u65b0\u7684\u5bf9\u8bdd\u3002", + "cancel": "\u53d6\u6d88", + "confirm": "\u786e\u8ba4" + }, + "settingsModal": { + "settings": "\u8bbe\u7f6e", + "expandMessages": "\u5c55\u5f00\u6d88\u606f", + "hideChainOfThought": "\u9690\u85cf\u601d\u8003\u94fe", + "darkMode": "\u6697\u8272\u6a21\u5f0f" + }, + "detailsButton": { + "using": "\u4f7f\u7528", + "used": "\u5df2\u7528" + }, + "auth": { + "authLogin": { + "title": "\u767b\u5f55\u4ee5\u8bbf\u95ee\u5e94\u7528\u3002", + "form": { + "email": "\u7535\u5b50\u90ae\u7bb1\u5730\u5740", + "password": "\u5bc6\u7801", + "noAccount": "\u6ca1\u6709\u8d26\u6237\uff1f", + "alreadyHaveAccount": "\u5df2\u6709\u8d26\u6237\uff1f", + "signup": "\u6ce8\u518c", + "signin": "\u767b\u5f55", + "or": "\u6216\u8005", + "continue": "\u7ee7\u7eed", + "forgotPassword": "\u5fd8\u8bb0\u5bc6\u7801\uff1f", + "passwordMustContain": "\u60a8\u7684\u5bc6\u7801\u5fc5\u987b\u5305\u542b\uff1a", + "emailRequired": "\u7535\u5b50\u90ae\u7bb1\u662f\u5fc5\u586b\u9879", + "passwordRequired": "\u5bc6\u7801\u662f\u5fc5\u586b\u9879" + }, + "error": { + "default": "\u65e0\u6cd5\u767b\u5f55\u3002", + "signin": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "oauthsignin": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "redirect_uri_mismatch": "\u91cd\u5b9a\u5411URI\u4e0eOAuth\u5e94\u7528\u914d\u7f6e\u4e0d\u5339\u914d\u3002", + "oauthcallbackerror": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "oauthcreateaccount": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "emailcreateaccount": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "callback": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "oauthaccountnotlinked": "\u4e3a\u4e86\u9a8c\u8bc1\u60a8\u7684\u8eab\u4efd\uff0c\u8bf7\u4f7f\u7528\u6700\u521d\u4f7f\u7528\u7684\u540c\u4e00\u8d26\u6237\u767b\u5f55\u3002", + "emailsignin": "\u65e0\u6cd5\u53d1\u9001\u90ae\u4ef6\u3002", + "emailverify": "\u8bf7\u9a8c\u8bc1\u60a8\u7684\u7535\u5b50\u90ae\u4ef6\uff0c\u5df2\u53d1\u9001\u4e00\u5c01\u65b0\u90ae\u4ef6\u3002", + "credentialssignin": "\u767b\u5f55\u5931\u8d25\u3002\u8bf7\u68c0\u67e5\u60a8\u63d0\u4f9b\u7684\u8be6\u7ec6\u4fe1\u606f\u662f\u5426\u6b63\u786e\u3002", + "sessionrequired": "\u8bf7\u767b\u5f55\u4ee5\u8bbf\u95ee\u6b64\u9875\u9762\u3002" + } + }, + "authVerifyEmail": { + "almostThere": "\u60a8\u5feb\u6210\u529f\u4e86\uff01\u6211\u4eec\u5df2\u5411 ", + "verifyEmailLink": "\u8bf7\u5355\u51fb\u8be5\u90ae\u4ef6\u4e2d\u7684\u94fe\u63a5\u4ee5\u5b8c\u6210\u6ce8\u518c\u3002", + "didNotReceive": "\u6ca1\u627e\u5230\u90ae\u4ef6\uff1f", + "resendEmail": "\u91cd\u65b0\u53d1\u9001\u90ae\u4ef6", + "goBack": "\u8fd4\u56de", + "emailSent": "\u90ae\u4ef6\u5df2\u6210\u529f\u53d1\u9001\u3002", + "verifyEmail": "\u9a8c\u8bc1\u60a8\u7684\u7535\u5b50\u90ae\u4ef6\u5730\u5740" + }, + "providerButton": { + "continue": "\u4f7f\u7528{{provider}}\u7ee7\u7eed", + "signup": "\u4f7f\u7528{{provider}}\u6ce8\u518c" + }, + "authResetPassword": { + "newPasswordRequired": "\u65b0\u5bc6\u7801\u662f\u5fc5\u586b\u9879", + "passwordsMustMatch": "\u5bc6\u7801\u5fc5\u987b\u4e00\u81f4", + "confirmPasswordRequired": "\u786e\u8ba4\u5bc6\u7801\u662f\u5fc5\u586b\u9879", + "newPassword": "\u65b0\u5bc6\u7801", + "confirmPassword": "\u786e\u8ba4\u5bc6\u7801", + "resetPassword": "\u91cd\u7f6e\u5bc6\u7801" + }, + "authForgotPassword": { + "email": "\u7535\u5b50\u90ae\u7bb1\u5730\u5740", + "emailRequired": "\u7535\u5b50\u90ae\u7bb1\u662f\u5fc5\u586b\u9879", + "emailSent": "\u8bf7\u68c0\u67e5\u7535\u5b50\u90ae\u7bb1{{email}}\u4ee5\u83b7\u53d6\u91cd\u7f6e\u5bc6\u7801\u7684\u6307\u793a\u3002", + "enterEmail": "\u8bf7\u8f93\u5165\u60a8\u7684\u7535\u5b50\u90ae\u7bb1\u5730\u5740\uff0c\u6211\u4eec\u5c06\u53d1\u9001\u91cd\u7f6e\u5bc6\u7801\u7684\u6307\u793a\u3002", + "resendEmail": "\u91cd\u65b0\u53d1\u9001\u90ae\u4ef6", + "continue": "\u7ee7\u7eed", + "goBack": "\u8fd4\u56de" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u663e\u793a\u5386\u53f2", + "lastInputs": "\u6700\u540e\u8f93\u5165", + "noInputs": "\u5982\u6b64\u7a7a\u65f7...", + "loading": "\u52a0\u8f7d\u4e2d..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u5728\u8fd9\u91cc\u8f93\u5165\u60a8\u7684\u6d88\u606f..." + }, + "speechButton": { + "start": "\u5f00\u59cb\u5f55\u97f3", + "stop": "\u505c\u6b62\u5f55\u97f3" + }, + "SubmitButton": { + "sendMessage": "\u53d1\u9001\u6d88\u606f", + "stopTask": "\u505c\u6b62\u4efb\u52a1" + }, + "UploadButton": { + "attachFiles": "\u9644\u52a0\u6587\u4ef6" + }, + "waterMark": { + "text": "\u4f7f\u7528" + } + }, + "Messages": { + "index": { + "running": "\u8fd0\u884c\u4e2d", + "executedSuccessfully": "\u6267\u884c\u6210\u529f", + "failed": "\u5931\u8d25", + "feedbackUpdated": "\u53cd\u9988\u66f4\u65b0", + "updating": "\u6b63\u5728\u66f4\u65b0" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u5728\u8fd9\u91cc\u62d6\u653e\u60a8\u7684\u6587\u4ef6" + }, + "index": { + "failedToUpload": "\u4e0a\u4f20\u5931\u8d25", + "cancelledUploadOf": "\u53d6\u6d88\u4e0a\u4f20", + "couldNotReachServer": "\u65e0\u6cd5\u8fde\u63a5\u5230\u670d\u52a1\u5668", + "continuingChat": "\u7ee7\u7eed\u4e4b\u524d\u7684\u5bf9\u8bdd" + }, + "settings": { + "settingsPanel": "\u8bbe\u7f6e\u9762\u677f", + "reset": "\u91cd\u7f6e", + "cancel": "\u53d6\u6d88", + "confirm": "\u786e\u8ba4" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u53cd\u9988\uff1a\u5168\u90e8", + "feedbackPositive": "\u53cd\u9988\uff1a\u6b63\u9762", + "feedbackNegative": "\u53cd\u9988\uff1a\u8d1f\u9762" + }, + "SearchBar": { + "search": "\u641c\u7d22" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u8fd9\u5c06\u5220\u9664\u7ebf\u7a0b\u53ca\u5176\u6d88\u606f\u548c\u5143\u7d20\u3002", + "cancel": "\u53d6\u6d88", + "confirm": "\u786e\u8ba4", + "deletingChat": "\u5220\u9664\u5bf9\u8bdd", + "chatDeleted": "\u5bf9\u8bdd\u5df2\u5220\u9664" + }, + "index": { + "pastChats": "\u8fc7\u5f80\u5bf9\u8bdd" + }, + "ThreadList": { + "empty": "\u7a7a\u7684...", + "today": "\u4eca\u5929", + "yesterday": "\u6628\u5929", + "previous7days": "\u524d7\u5929", + "previous30days": "\u524d30\u5929" + }, + "TriggerButton": { + "closeSidebar": "\u5173\u95ed\u4fa7\u8fb9\u680f", + "openSidebar": "\u6253\u5f00\u4fa7\u8fb9\u680f" + } + }, + "Thread": { + "backToChat": "\u8fd4\u56de\u5bf9\u8bdd", + "chatCreatedOn": "\u6b64\u5bf9\u8bdd\u521b\u5efa\u4e8e" + } + }, + "header": { + "chat": "\u5bf9\u8bdd", + "readme": "\u8bf4\u660e" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u83b7\u53d6\u63d0\u4f9b\u8005\u5931\u8d25:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u4fdd\u5b58\u6210\u529f", + "requiredApiKeys": "\u5fc5\u9700\u7684API\u5bc6\u94a5", + "requiredApiKeysInfo": "\u8981\u4f7f\u7528\u6b64\u5e94\u7528\uff0c\u9700\u8981\u4ee5\u4e0bAPI\u5bc6\u94a5\u3002\u8fd9\u4e9b\u5bc6\u94a5\u5b58\u50a8\u5728\u60a8\u7684\u8bbe\u5907\u672c\u5730\u5b58\u50a8\u4e2d\u3002" + }, + "Page": { + "notPartOfProject": "\u60a8\u4e0d\u662f\u6b64\u9879\u76ee\u7684\u4e00\u90e8\u5206\u3002" + }, + "ResumeButton": { + "resumeChat": "\u6062\u590d\u5bf9\u8bdd" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/config.toml b/project-chatbot/code/.chainlit/config.toml new file mode 100644 index 0000000..40c7195 --- /dev/null +++ b/project-chatbot/code/.chainlit/config.toml @@ -0,0 +1,121 @@ +[project] +# Whether to enable telemetry (default: true). No personal data is collected. +enable_telemetry = true + + +# List of environment variables to be provided by each user to use the app. +user_env = [] + +# Duration (in seconds) during which the session is saved when the connection is lost +session_timeout = 3600 + +# Enable third parties caching (e.g LangChain cache) +cache = false + +# Authorized origins +allow_origins = ["*"] + +# Follow symlink for asset mount (see https://github.com/Chainlit/chainlit/issues/317) +# follow_symlink = false + +[features] +# Process and display HTML in messages. This can be a security risk (see https://stackoverflow.com/questions/19603097/why-is-it-dangerous-to-render-user-generated-html-or-javascript) +unsafe_allow_html = false + +# Process and display mathematical expressions. This can clash with "$" characters in messages. +latex = false + +# Automatically tag threads with the current chat profile (if a chat profile is used) +auto_tag_thread = true + +# Allow users to edit their own messages +edit_message = true + +# Authorize users to spontaneously upload files with messages +[features.spontaneous_file_upload] + enabled = true + accept = ["*/*"] + max_files = 20 + max_size_mb = 500 + +[features.audio] + # Threshold for audio recording + min_decibels = -45 + # Delay for the user to start speaking in MS + initial_silence_timeout = 3000 + # Delay for the user to continue speaking in MS. If the user stops speaking for this duration, the recording will stop. + silence_timeout = 1500 + # Above this duration (MS), the recording will forcefully stop. + max_duration = 15000 + # Duration of the audio chunks in MS + chunk_duration = 1000 + # Sample rate of the audio + sample_rate = 44100 + +[UI] +# Name of the assistant. +name = "Assistant" + +# Description of the assistant. This is used for HTML tags. +# description = "" + +# Large size content are by default collapsed for a cleaner ui +default_collapse_content = true + +# Chain of Thought (CoT) display mode. Can be "hidden", "tool_call" or "full". +cot = "full" + +# Link to your github repo. This will add a github button in the UI's header. +# github = "" + +# Specify a CSS file that can be used to customize the user interface. +# The CSS file can be served from the public directory or via an external link. +# custom_css = "/public/test.css" + +# Specify a Javascript file that can be used to customize the user interface. +# The Javascript file can be served from the public directory. +# custom_js = "/public/test.js" + +# Specify a custom font url. +# custom_font = "https://fonts.googleapis.com/css2?family=Inter:wght@400;500;700&display=swap" + +# Specify a custom meta image url. +# custom_meta_image_url = "https://chainlit-cloud.s3.eu-west-3.amazonaws.com/logo/chainlit_banner.png" + +# Specify a custom build directory for the frontend. +# This can be used to customize the frontend code. +# Be careful: If this is a relative path, it should not start with a slash. +# custom_build = "./public/build" + +[UI.theme] + default = "dark" + #layout = "wide" + #font_family = "Inter, sans-serif" +# Override default MUI light theme. (Check theme.ts) +[UI.theme.light] + #background = "#FAFAFA" + #paper = "#FFFFFF" + + [UI.theme.light.primary] + #main = "#F80061" + #dark = "#980039" + #light = "#FFE7EB" + [UI.theme.light.text] + #primary = "#212121" + #secondary = "#616161" + +# Override default MUI dark theme. (Check theme.ts) +[UI.theme.dark] + #background = "#FAFAFA" + #paper = "#FFFFFF" + + [UI.theme.dark.primary] + #main = "#F80061" + #dark = "#980039" + #light = "#FFE7EB" + [UI.theme.dark.text] + #primary = "#EEEEEE" + #secondary = "#BDBDBD" + +[meta] +generated_by = "1.3.2" diff --git a/project-chatbot/code/.chainlit/translations/bn.json b/project-chatbot/code/.chainlit/translations/bn.json new file mode 100644 index 0000000..e6bbda3 --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/bn.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u09b8\u09c7\u099f\u09bf\u0982\u09b8", + "settingsKey": "S", + "APIKeys": "\u098f\u09aa\u09bf\u0986\u0987 \u0995\u09c0", + "logout": "\u09b2\u0997\u0986\u0989\u099f" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u09a8\u09a4\u09c1\u09a8 \u0986\u09a1\u09cd\u09a1\u09be" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0995\u09be\u09b0\u09cd\u09af \u09a4\u09be\u09b2\u09bf\u0995\u09be", + "loading": "\u09b2\u09cb\u09a1\u0964\u0964\u0964", + "error": "\u098f\u0995\u099f\u09bf \u09a4\u09cd\u09b0\u09c1\u099f\u09bf \u09b8\u0982\u0998\u099f\u09bf\u09a4 \u09b9\u09af\u09bc\u09c7\u099b\u09c7" + } + }, + "attachments": { + "cancelUpload": "\u0986\u09aa\u09b2\u09cb\u09a1 \u09ac\u09be\u09a4\u09bf\u09b2 \u0995\u09b0\u09c1\u09a8", + "removeAttachment": "\u09b8\u0982\u09af\u09c1\u0995\u09cd\u09a4\u09bf \u09b8\u09b0\u09be\u09a8" + }, + "newChatDialog": { + "createNewChat": "\u09a8\u09a4\u09c1\u09a8 \u099a\u09cd\u09af\u09be\u099f \u09a4\u09c8\u09b0\u09bf \u0995\u09b0\u09ac\u09c7\u09a8?", + "clearChat": "\u098f\u099f\u09bf \u09ac\u09b0\u09cd\u09a4\u09ae\u09be\u09a8 \u09ac\u09be\u09b0\u09cd\u09a4\u09be\u0997\u09c1\u09b2\u09bf \u09b8\u09be\u09ab \u0995\u09b0\u09ac\u09c7 \u098f\u09ac\u0982 \u098f\u0995\u099f\u09bf \u09a8\u09a4\u09c1\u09a8 \u099a\u09cd\u09af\u09be\u099f \u09b6\u09c1\u09b0\u09c1 \u0995\u09b0\u09ac\u09c7\u0964", + "cancel": "\u09ac\u09be\u09a4\u09bf\u09b2", + "confirm": "\u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4" + }, + "settingsModal": { + "settings": "\u09b8\u09c7\u099f\u09bf\u0982\u09b8", + "expandMessages": "\u09ac\u09be\u09b0\u09cd\u09a4\u09be\u0997\u09c1\u09b2\u09bf \u09aa\u09cd\u09b0\u09b8\u09be\u09b0\u09bf\u09a4 \u0995\u09b0\u09c1\u09a8", + "hideChainOfThought": "\u099a\u09bf\u09a8\u09cd\u09a4\u09be\u09b0 \u09b6\u09c3\u0999\u09cd\u0996\u09b2 \u09b2\u09c1\u0995\u09be\u09a8", + "darkMode": "\u09a1\u09be\u09b0\u09cd\u0995 \u09ae\u09cb\u09a1" + }, + "detailsButton": { + "using": "\u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0", + "running": "\u099a\u09b2\u09ae\u09be\u09a8", + "took_one": "{{count}} \u09aa\u09a6\u0995\u09cd\u09b7\u09c7\u09aa \u09a8\u09bf\u09af\u09bc\u09c7\u099b\u09c7", + "took_other": "{{count}}\u099f\u09bf \u09aa\u09a6\u0995\u09cd\u09b7\u09c7\u09aa \u09a8\u09bf\u09af\u09bc\u09c7\u099b\u09c7" + }, + "auth": { + "authLogin": { + "title": "\u0985\u09cd\u09af\u09be\u09aa\u099f\u09bf \u0985\u09cd\u09af\u09be\u0995\u09cd\u09b8\u09c7\u09b8 \u0995\u09b0\u09a4\u09c7 \u09b2\u0997\u0987\u09a8 \u0995\u09b0\u09c1\u09a8\u0964", + "form": { + "email": "\u0987-\u09ae\u09c7\u0987\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be", + "password": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1", + "noAccount": "\u0995\u09cb\u09a8\u0993 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a8\u09c7\u0987?", + "alreadyHaveAccount": "\u0987\u09a4\u09bf\u09ae\u09a7\u09cd\u09af\u09c7 \u098f\u0995\u099f\u09bf \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u0986\u099b\u09c7?", + "signup": "\u09b8\u09be\u0987\u09a8 \u0986\u09aa \u0995\u09b0\u09cb", + "signin": "\u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09cb", + "or": "\u09ac\u09be", + "continue": "\u0985\u09ac\u09bf\u09b0\u09a4", + "forgotPassword": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09ad\u09c1\u09b2\u09c7 \u0997\u09c7\u099b\u09c7\u09a8?", + "passwordMustContain": "\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1\u09c7 \u0985\u09ac\u09b6\u09cd\u09af\u0987 \u09a5\u09be\u0995\u09a4\u09c7 \u09b9\u09ac\u09c7:", + "emailRequired": "\u0987\u09ae\u09c7\u09b2 \u098f\u0995\u099f\u09bf \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u09c0\u09af\u09bc \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "passwordRequired": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u098f\u0995\u099f\u09bf \u0986\u09ac\u09b6\u09cd\u09af\u0995 \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0" + }, + "error": { + "default": "\u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09a4\u09c7 \u0985\u0995\u09cd\u09b7\u09ae\u0964", + "signin": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "oauthsignin": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "redirect_uri_mismatch": "\u09aa\u09c1\u09a8\u0983\u09a8\u09bf\u09b0\u09cd\u09a6\u09c7\u09b6\u09bf\u09a4 URI OAUTH \u0985\u09cd\u09af\u09be\u09aa \u0995\u09a8\u09ab\u09bf\u0997\u09be\u09b0\u09c7\u09b6\u09a8\u09c7\u09b0 \u09b8\u09be\u09a5\u09c7 \u09ae\u09bf\u09b2\u099b\u09c7 \u09a8\u09be\u0964", + "oauthcallbackerror": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "oauthcreateaccount": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "emailcreateaccount": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "callback": "\u098f\u0995\u099f\u09bf \u09ad\u09bf\u09a8\u09cd\u09a8 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09be\u09b0 \u099a\u09c7\u09b7\u09cd\u099f\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "oauthaccountnotlinked": "\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09b0\u09bf\u099a\u09af\u09bc \u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4 \u0995\u09b0\u09a4\u09c7, \u0986\u09aa\u09a8\u09bf \u09ae\u09c2\u09b2\u09a4 \u09af\u09c7 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f\u099f\u09bf \u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0 \u0995\u09b0\u09c7\u099b\u09c7\u09a8 \u09b8\u09c7\u0987 \u098f\u0995\u0987 \u0985\u09cd\u09af\u09be\u0995\u09be\u0989\u09a8\u09cd\u099f \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09c1\u09a8\u0964", + "emailsignin": "\u0987-\u09ae\u09c7\u0987\u09b2\u099f\u09bf \u09aa\u09cd\u09b0\u09c7\u09b0\u09a3 \u0995\u09b0\u09be \u09af\u09be\u09af\u09bc\u09a8\u09bf\u0964", + "emailverify": "\u0985\u09a8\u09c1\u0997\u09cd\u09b0\u09b9 \u0995\u09b0\u09c7 \u0986\u09aa\u09a8\u09be\u09b0 \u0987\u09ae\u09c7\u09b2\u099f\u09bf \u09af\u09be\u099a\u09be\u0987 \u0995\u09b0\u09c1\u09a8, \u098f\u0995\u099f\u09bf \u09a8\u09a4\u09c1\u09a8 \u0987\u09ae\u09c7\u09b2 \u09aa\u09cd\u09b0\u09c7\u09b0\u09a3 \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964", + "credentialssignin": "\u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5 \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964 \u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09cd\u09b0\u09a6\u09a4\u09cd\u09a4 \u09ac\u09bf\u09ac\u09b0\u09a3\u0997\u09c1\u09b2\u09bf \u09b8\u09a0\u09bf\u0995 \u0995\u09bf\u09a8\u09be \u09a4\u09be \u09aa\u09b0\u09c0\u0995\u09cd\u09b7\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "sessionrequired": "\u098f\u0987 \u09aa\u09c3\u09b7\u09cd\u09a0\u09be\u099f\u09bf \u0985\u09cd\u09af\u09be\u0995\u09cd\u09b8\u09c7\u09b8 \u0995\u09b0\u09a4\u09c7 \u09a6\u09af\u09bc\u09be \u0995\u09b0\u09c7 \u09b8\u09be\u0987\u09a8 \u0987\u09a8 \u0995\u09b0\u09c1\u09a8\u0964" + } + }, + "authVerifyEmail": { + "almostThere": "\u0986\u09aa\u09a8\u09bf \u09aa\u09cd\u09b0\u09be\u09af\u09bc \u09b8\u09c7\u0996\u09be\u09a8\u09c7 \u09aa\u09cc\u0981\u099b\u09c7\u099b\u09c7\u09a8! \u0986\u09ae\u09b0\u09be \u098f\u0995\u099f\u09bf \u0987\u09ae\u09c7\u0987\u09b2 \u09aa\u09be\u09a0\u09bf\u09af\u09bc\u09c7\u099b\u09bf ", + "verifyEmailLink": "\u0986\u09aa\u09a8\u09be\u09b0 \u09b8\u09be\u0987\u09a8\u0986\u09aa \u09b8\u09ae\u09cd\u09aa\u09c2\u09b0\u09cd\u09a3 \u0995\u09b0\u09a4\u09c7 \u09a6\u09af\u09bc\u09be \u0995\u09b0\u09c7 \u09b8\u09c7\u0987 \u0987\u09ae\u09c7\u09b2\u09c7\u09b0 \u09b2\u09bf\u0999\u09cd\u0995\u099f\u09bf\u09a4\u09c7 \u0995\u09cd\u09b2\u09bf\u0995 \u0995\u09b0\u09c1\u09a8\u0964", + "didNotReceive": "\u0987\u09ae\u09c7\u0987\u09b2 \u0996\u09c1\u0981\u099c\u09c7 \u09aa\u09be\u099a\u09cd\u099b\u09c7\u09a8 \u09a8\u09be?", + "resendEmail": "\u0987\u09ae\u09c7\u0987\u09b2 \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09aa\u09be\u09a0\u09be\u09a8", + "goBack": "\u09ab\u09bf\u09b0\u09c7 \u09af\u09be\u0993", + "emailSent": "\u0987\u09ae\u09c7\u09b2 \u09b8\u09ab\u09b2\u09ad\u09be\u09ac\u09c7 \u09aa\u09be\u09a0\u09be\u09a8\u09cb \u09b9\u09af\u09bc\u09c7\u099b\u09c7\u0964", + "verifyEmail": "\u0986\u09aa\u09a8\u09be\u09b0 \u0987\u09ae\u09c7\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be \u09af\u09be\u099a\u09be\u0987 \u0995\u09b0\u09c1\u09a8" + }, + "providerButton": { + "continue": "{{provider}} \u09a6\u09bf\u09af\u09bc\u09c7 \u099a\u09be\u09b2\u09bf\u09af\u09bc\u09c7 \u09af\u09be\u09a8", + "signup": "{{provider}} \u09a6\u09bf\u09af\u09bc\u09c7 \u09b8\u09be\u0987\u09a8 \u0986\u09aa \u0995\u09b0\u09c1\u09a8" + }, + "authResetPassword": { + "newPasswordRequired": "\u09a8\u09a4\u09c1\u09a8 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u098f\u0995\u099f\u09bf \u0986\u09ac\u09b6\u09cd\u09af\u0995 \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "passwordsMustMatch": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u0985\u09ac\u09b6\u09cd\u09af\u0987 \u09ae\u09bf\u09b2\u09a4\u09c7 \u09b9\u09ac\u09c7", + "confirmPasswordRequired": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4 \u0995\u09b0\u09be \u098f\u0995\u099f\u09bf \u0986\u09ac\u09b6\u09cd\u09af\u0995 \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "newPassword": "\u09a8\u09a4\u09c1\u09a8 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1", + "confirmPassword": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4 \u0995\u09b0\u09c1\u09a8", + "resetPassword": "\u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09b0\u09bf\u09b8\u09c7\u099f \u0995\u09b0\u09c1\u09a8" + }, + "authForgotPassword": { + "email": "\u0987-\u09ae\u09c7\u0987\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be", + "emailRequired": "\u0987\u09ae\u09c7\u09b2 \u098f\u0995\u099f\u09bf \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u09c0\u09af\u09bc \u0995\u09cd\u09b7\u09c7\u09a4\u09cd\u09b0", + "emailSent": "\u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1\u099f\u09bf \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09b8\u09c7\u099f \u0995\u09b0\u09be\u09b0 \u09a8\u09bf\u09b0\u09cd\u09a6\u09c7\u09b6\u09be\u09ac\u09b2\u09c0\u09b0 \u099c\u09a8\u09cd\u09af \u09a6\u09af\u09bc\u09be \u0995\u09b0\u09c7 \u0987\u09ae\u09c7\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be {{email}} \u09aa\u09b0\u09c0\u0995\u09cd\u09b7\u09be \u0995\u09b0\u09c1\u09a8\u0964", + "enterEmail": "\u0986\u09aa\u09a8\u09be\u09b0 \u0987\u09ae\u09c7\u09b2 \u09a0\u09bf\u0995\u09be\u09a8\u09be \u09b2\u09bf\u0996\u09c1\u09a8 \u098f\u09ac\u0982 \u0986\u09ae\u09b0\u09be \u0986\u09aa\u09a8\u09be\u0995\u09c7 \u0986\u09aa\u09a8\u09be\u09b0 \u09aa\u09be\u09b8\u0993\u09af\u09bc\u09be\u09b0\u09cd\u09a1 \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09b8\u09c7\u099f \u0995\u09b0\u09a4\u09c7 \u09a8\u09bf\u09b0\u09cd\u09a6\u09c7\u09b6\u09be\u09ac\u09b2\u09c0 \u09aa\u09be\u09a0\u09be\u09ac\u0964", + "resendEmail": "\u0987\u09ae\u09c7\u0987\u09b2 \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09aa\u09be\u09a0\u09be\u09a8", + "continue": "\u0985\u09ac\u09bf\u09b0\u09a4", + "goBack": "\u09ab\u09bf\u09b0\u09c7 \u09af\u09be\u0993" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0987\u09a4\u09bf\u09b9\u09be\u09b8 \u09a6\u09c7\u0996\u09be\u09a8", + "lastInputs": "\u09b8\u09b0\u09cd\u09ac\u09b6\u09c7\u09b7 \u0987\u09a8\u09aa\u09c1\u099f", + "noInputs": "\u098f\u09a4 \u09ab\u09be\u0981\u0995\u09be...", + "loading": "\u09b2\u09cb\u09a1\u0964\u0964\u0964" + } + }, + "inputBox": { + "input": { + "placeholder": "\u098f\u0996\u09be\u09a8\u09c7 \u0986\u09aa\u09a8\u09be\u09b0 \u09ac\u09be\u09b0\u09cd\u09a4\u09be \u099f\u09be\u0987\u09aa \u0995\u09b0\u09c1\u09a8..." + }, + "speechButton": { + "start": "\u09b0\u09c7\u0995\u09b0\u09cd\u09a1\u09bf\u0982 \u09b6\u09c1\u09b0\u09c1 \u0995\u09b0\u09c1\u09a8", + "stop": "\u09b0\u09c7\u0995\u09b0\u09cd\u09a1\u09bf\u0982 \u09ac\u09a8\u09cd\u09a7 \u0995\u09b0\u09c1\u09a8" + }, + "SubmitButton": { + "sendMessage": "\u09ac\u09be\u09b0\u09cd\u09a4\u09be \u09aa\u09cd\u09b0\u09c7\u09b0\u09a3 \u0995\u09b0\u09c1\u09a8", + "stopTask": "\u09b8\u09cd\u099f\u09aa \u099f\u09be\u09b8\u09cd\u0995" + }, + "UploadButton": { + "attachFiles": "\u09ab\u09be\u0987\u09b2 \u09b8\u0982\u09af\u09c1\u0995\u09cd\u09a4 \u0995\u09b0\u09c1\u09a8" + }, + "waterMark": { + "text": "\u09b8\u0999\u09cd\u0997\u09c7 \u09a8\u09bf\u09b0\u09cd\u09ae\u09bf\u09a4" + } + }, + "Messages": { + "index": { + "running": "\u099a\u09b2\u09ae\u09be\u09a8", + "executedSuccessfully": "\u09b8\u09ab\u09b2\u09ad\u09be\u09ac\u09c7 \u09b8\u09ae\u09cd\u09aa\u09be\u09a6\u09bf\u09a4 \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "failed": "\u09ac\u09cd\u09af\u09b0\u09cd\u09a5", + "feedbackUpdated": "\u09ab\u09bf\u09a1\u09ac\u09cd\u09af\u09be\u0995 \u0986\u09aa\u09a1\u09c7\u099f \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "updating": "\u0986\u09a7\u09c1\u09a8\u09bf\u0995\u09c0\u0995\u09b0\u09a3" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0986\u09aa\u09a8\u09be\u09b0 \u09ab\u09be\u0987\u09b2\u0997\u09c1\u09b2\u09bf \u098f\u0996\u09be\u09a8\u09c7 \u09ab\u09c7\u09b2\u09c7 \u09a6\u09bf\u09a8" + }, + "index": { + "failedToUpload": "\u0986\u09aa\u09b2\u09cb\u09a1 \u0995\u09b0\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5 \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "cancelledUploadOf": "\u098f\u09b0 \u0986\u09aa\u09b2\u09cb\u09a1 \u09ac\u09be\u09a4\u09bf\u09b2", + "couldNotReachServer": "\u09b8\u09be\u09b0\u09cd\u09ad\u09be\u09b0\u09c7 \u09aa\u09cc\u0981\u099b\u09be\u09a8\u09cb \u09af\u09be\u09af\u09bc\u09a8\u09bf", + "continuingChat": "\u09aa\u09c2\u09b0\u09cd\u09ac\u09ac\u09b0\u09cd\u09a4\u09c0 \u099a\u09cd\u09af\u09be\u099f \u0985\u09ac\u09bf\u09b0\u09a4 \u09b0\u09be\u0996\u09be" + }, + "settings": { + "settingsPanel": "\u09b8\u09c7\u099f\u09bf\u0982\u09b8 \u09aa\u09cd\u09af\u09be\u09a8\u09c7\u09b2", + "reset": "\u09b0\u09bf\u09b8\u09c7\u099f", + "cancel": "\u09ac\u09be\u09a4\u09bf\u09b2", + "confirm": "\u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u09aa\u09cd\u09b0\u09a4\u09bf\u0995\u09cd\u09b0\u09bf\u09af\u09bc\u09be: \u09b8\u09ac", + "feedbackPositive": "\u09aa\u09cd\u09b0\u09a4\u09bf\u0995\u09cd\u09b0\u09bf\u09af\u09bc\u09be: \u0987\u09a4\u09bf\u09ac\u09be\u099a\u0995", + "feedbackNegative": "\u09aa\u09cd\u09b0\u09a4\u09bf\u0995\u09cd\u09b0\u09bf\u09af\u09bc\u09be: \u09a8\u09c7\u09a4\u09bf\u09ac\u09be\u099a\u0995" + }, + "SearchBar": { + "search": "\u09b8\u09a8\u09cd\u09a7\u09be\u09a8" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u098f\u099f\u09bf \u09a5\u09cd\u09b0\u09c7\u09a1\u09c7\u09b0 \u09aa\u09be\u09b6\u09be\u09aa\u09be\u09b6\u09bf \u098f\u09b0 \u09ac\u09be\u09b0\u09cd\u09a4\u09be \u098f\u09ac\u0982 \u0989\u09aa\u09be\u09a6\u09be\u09a8\u0997\u09c1\u09b2\u09bf\u0993 \u09ae\u09c1\u099b\u09c7 \u09ab\u09c7\u09b2\u09ac\u09c7\u0964", + "cancel": "\u09ac\u09be\u09a4\u09bf\u09b2", + "confirm": "\u09a8\u09bf\u09b6\u09cd\u099a\u09bf\u09a4", + "deletingChat": "\u099a\u09cd\u09af\u09be\u099f \u09ae\u09cb\u099b\u09be \u09b9\u099a\u09cd\u099b\u09c7", + "chatDeleted": "\u099a\u09cd\u09af\u09be\u099f \u09ae\u09cb\u099b\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7" + }, + "index": { + "pastChats": "\u0985\u09a4\u09c0\u09a4 \u099a\u09cd\u09af\u09be\u099f" + }, + "ThreadList": { + "empty": "\u0996\u09be\u09b2\u09bf\u0964\u0964\u0964", + "today": "\u0986\u099c", + "yesterday": "\u0997\u09a4\u0995\u09be\u09b2", + "previous7days": "Previous 7 \u09a6\u09bf\u09a8", + "previous30days": "\u09aa\u09c2\u09b0\u09cd\u09ac\u09ac\u09b0\u09cd\u09a4\u09c0 30 \u09a6\u09bf\u09a8" + }, + "TriggerButton": { + "closeSidebar": "\u09b8\u09be\u0987\u09a1\u09ac\u09be\u09b0 \u09ac\u09a8\u09cd\u09a7 \u0995\u09b0\u09c1\u09a8", + "openSidebar": "\u09b8\u09be\u0987\u09a1\u09ac\u09be\u09b0 \u0996\u09c1\u09b2\u09c1\u09a8" + } + }, + "Thread": { + "backToChat": "\u099a\u09cd\u09af\u09be\u099f\u09c7 \u09ab\u09bf\u09b0\u09c7 \u09af\u09be\u09a8", + "chatCreatedOn": "\u098f\u0987 \u099a\u09cd\u09af\u09be\u099f\u099f\u09bf \u09a4\u09c8\u09b0\u09bf \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09bf\u09b2" + } + }, + "header": { + "chat": "\u0986\u09b2\u09be\u09aa", + "readme": "\u09b0\u09bf\u09a1\u09ae\u09bf" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u09b8\u09b0\u09ac\u09b0\u09be\u09b9\u0995\u09be\u09b0\u09c0\u09a6\u09c7\u09b0 \u0986\u09a8\u09a4\u09c7 \u09ac\u09cd\u09af\u09b0\u09cd\u09a5:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u09b8\u09ab\u09b2\u09ad\u09be\u09ac\u09c7 \u09b8\u0982\u09b0\u0995\u09cd\u09b7\u09a3 \u0995\u09b0\u09be \u09b9\u09af\u09bc\u09c7\u099b\u09c7", + "requiredApiKeys": "\u0986\u09ac\u09b6\u09cd\u09af\u0995 API \u0995\u09c0", + "requiredApiKeysInfo": "\u098f\u0987 \u0985\u09cd\u09af\u09be\u09aa\u099f\u09bf \u09ac\u09cd\u09af\u09ac\u09b9\u09be\u09b0 \u0995\u09b0\u09a4\u09c7, \u09a8\u09bf\u09ae\u09cd\u09a8\u09b2\u09bf\u0996\u09bf\u09a4 API \u0995\u09c0\u0997\u09c1\u09b2\u09bf\u09b0 \u09aa\u09cd\u09b0\u09af\u09bc\u09cb\u099c\u09a8\u0964 \u0995\u09c0\u0997\u09c1\u09b2\u09bf \u0986\u09aa\u09a8\u09be\u09b0 \u09a1\u09bf\u09ad\u09be\u0987\u09b8\u09c7\u09b0 \u09b8\u09cd\u09a5\u09be\u09a8\u09c0\u09af\u09bc \u09b8\u09cd\u099f\u09cb\u09b0\u09c7\u099c\u09c7 \u09b8\u099e\u09cd\u099a\u09bf\u09a4 \u09b0\u09af\u09bc\u09c7\u099b\u09c7\u0964" + }, + "Page": { + "notPartOfProject": "\u0986\u09aa\u09a8\u09bf \u098f\u0987 \u09aa\u09cd\u09b0\u0995\u09b2\u09cd\u09aa\u09c7\u09b0 \u0985\u0982\u09b6 \u09a8\u09a8\u0964" + }, + "ResumeButton": { + "resumeChat": "\u099a\u09cd\u09af\u09be\u099f \u09aa\u09c1\u09a8\u09b0\u09be\u09af\u09bc \u09b6\u09c1\u09b0\u09c1 \u0995\u09b0\u09c1\u09a8" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/en-US.json b/project-chatbot/code/.chainlit/translations/en-US.json new file mode 100644 index 0000000..d6d3fea --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/en-US.json @@ -0,0 +1,229 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "Settings", + "settingsKey": "S", + "APIKeys": "API Keys", + "logout": "Logout" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "New Chat" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f Task List", + "loading": "Loading...", + "error": "An error occurred" + } + }, + "attachments": { + "cancelUpload": "Cancel upload", + "removeAttachment": "Remove attachment" + }, + "newChatDialog": { + "createNewChat": "Create new chat?", + "clearChat": "This will clear the current messages and start a new chat.", + "cancel": "Cancel", + "confirm": "Confirm" + }, + "settingsModal": { + "settings": "Settings", + "expandMessages": "Expand Messages", + "hideChainOfThought": "Hide Chain of Thought", + "darkMode": "Dark Mode" + }, + "detailsButton": { + "using": "Using", + "used": "Used" + }, + "auth": { + "authLogin": { + "title": "Login to access the app.", + "form": { + "email": "Email address", + "password": "Password", + "noAccount": "Don't have an account?", + "alreadyHaveAccount": "Already have an account?", + "signup": "Sign Up", + "signin": "Sign In", + "or": "OR", + "continue": "Continue", + "forgotPassword": "Forgot password?", + "passwordMustContain": "Your password must contain:", + "emailRequired": "email is a required field", + "passwordRequired": "password is a required field" + }, + "error": { + "default": "Unable to sign in.", + "signin": "Try signing in with a different account.", + "oauthsignin": "Try signing in with a different account.", + "redirect_uri_mismatch": "The redirect URI is not matching the oauth app configuration.", + "oauthcallbackerror": "Try signing in with a different account.", + "oauthcreateaccount": "Try signing in with a different account.", + "emailcreateaccount": "Try signing in with a different account.", + "callback": "Try signing in with a different account.", + "oauthaccountnotlinked": "To confirm your identity, sign in with the same account you used originally.", + "emailsignin": "The e-mail could not be sent.", + "emailverify": "Please verify your email, a new email has been sent.", + "credentialssignin": "Sign in failed. Check the details you provided are correct.", + "sessionrequired": "Please sign in to access this page." + } + }, + "authVerifyEmail": { + "almostThere": "You're almost there! We've sent an email to ", + "verifyEmailLink": "Please click on the link in that email to complete your signup.", + "didNotReceive": "Can't find the email?", + "resendEmail": "Resend email", + "goBack": "Go Back", + "emailSent": "Email sent successfully.", + "verifyEmail": "Verify your email address" + }, + "providerButton": { + "continue": "Continue with {{provider}}", + "signup": "Sign up with {{provider}}" + }, + "authResetPassword": { + "newPasswordRequired": "New password is a required field", + "passwordsMustMatch": "Passwords must match", + "confirmPasswordRequired": "Confirm password is a required field", + "newPassword": "New password", + "confirmPassword": "Confirm password", + "resetPassword": "Reset Password" + }, + "authForgotPassword": { + "email": "Email address", + "emailRequired": "email is a required field", + "emailSent": "Please check the email address {{email}} for instructions to reset your password.", + "enterEmail": "Enter your email address and we will send you instructions to reset your password.", + "resendEmail": "Resend email", + "continue": "Continue", + "goBack": "Go Back" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "Show history", + "lastInputs": "Last Inputs", + "noInputs": "Such empty...", + "loading": "Loading..." + } + }, + "inputBox": { + "input": { + "placeholder": "Type your message here..." + }, + "speechButton": { + "start": "Start recording", + "stop": "Stop recording" + }, + "SubmitButton": { + "sendMessage": "Send message", + "stopTask": "Stop Task" + }, + "UploadButton": { + "attachFiles": "Attach files" + }, + "waterMark": { + "text": "Built with" + } + }, + "Messages": { + "index": { + "running": "Running", + "executedSuccessfully": "executed successfully", + "failed": "failed", + "feedbackUpdated": "Feedback updated", + "updating": "Updating" + } + }, + "dropScreen": { + "dropYourFilesHere": "Drop your files here" + }, + "index": { + "failedToUpload": "Failed to upload", + "cancelledUploadOf": "Cancelled upload of", + "couldNotReachServer": "Could not reach the server", + "continuingChat": "Continuing previous chat" + }, + "settings": { + "settingsPanel": "Settings panel", + "reset": "Reset", + "cancel": "Cancel", + "confirm": "Confirm" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "Feedback: All", + "feedbackPositive": "Feedback: Positive", + "feedbackNegative": "Feedback: Negative" + }, + "SearchBar": { + "search": "Search" + } + }, + "DeleteThreadButton": { + "confirmMessage": "This will delete the thread as well as it's messages and elements.", + "cancel": "Cancel", + "confirm": "Confirm", + "deletingChat": "Deleting chat", + "chatDeleted": "Chat deleted" + }, + "index": { + "pastChats": "Past Chats" + }, + "ThreadList": { + "empty": "Empty...", + "today": "Today", + "yesterday": "Yesterday", + "previous7days": "Previous 7 days", + "previous30days": "Previous 30 days" + }, + "TriggerButton": { + "closeSidebar": "Close sidebar", + "openSidebar": "Open sidebar" + } + }, + "Thread": { + "backToChat": "Go back to chat", + "chatCreatedOn": "This chat was created on" + } + }, + "header": { + "chat": "Chat", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "Failed to fetch providers:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "Saved successfully", + "requiredApiKeys": "Required API Keys", + "requiredApiKeysInfo": "To use this app, the following API keys are required. The keys are stored on your device's local storage." + }, + "Page": { + "notPartOfProject": "You are not part of this project." + }, + "ResumeButton": { + "resumeChat": "Resume Chat" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/gu.json b/project-chatbot/code/.chainlit/translations/gu.json new file mode 100644 index 0000000..561eb96 --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/gu.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0aa8\u0acb", + "settingsKey": "S", + "APIKeys": "API \u0a95\u0ac0\u0a93", + "logout": "\u0aac\u0ab9\u0abe\u0ab0 \u0aa8\u0ac0\u0a95\u0ab3\u0acb" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0aa8\u0ab5\u0acb \u0ab8\u0a82\u0ab5\u0abe\u0aa6" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0a95\u0abe\u0ab0\u0acd\u0aaf \u0aaf\u0abe\u0aa6\u0ac0", + "loading": "\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac7...", + "error": "\u0aad\u0ac2\u0ab2 \u0a89\u0aa6\u0acd\u0aad\u0ab5\u0ac0" + } + }, + "attachments": { + "cancelUpload": "\u0a85\u0aaa\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0ac1\u0a82 \u0ab0\u0aa6 \u0a95\u0ab0\u0acb", + "removeAttachment": "\u0a9c\u0acb\u0aa1\u0abe\u0aa3\u0aa8\u0ac7 \u0aa6\u0ac2\u0ab0 \u0a95\u0ab0\u0acb" + }, + "newChatDialog": { + "createNewChat": "\u0ab6\u0ac1\u0a82 \u0aa8\u0ab5\u0ac1\u0a82 \u0ab8\u0a82\u0ab5\u0abe\u0aa6 \u0aac\u0aa8\u0abe\u0ab5\u0ab5\u0ac1\u0a82 \u0a9b\u0ac7?", + "clearChat": "\u0a86 \u0ab5\u0ab0\u0acd\u0aa4\u0aae\u0abe\u0aa8 \u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0abe\u0a93\u0aa8\u0ac7 \u0ab8\u0abe\u0aab \u0a95\u0ab0\u0ab6\u0ac7 \u0a85\u0aa8\u0ac7 \u0aa8\u0ab5\u0ac0 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4 \u0ab6\u0ab0\u0ac2 \u0a95\u0ab0\u0ab6\u0ac7.", + "cancel": "\u0ab0\u0aa6\u0acd\u0aa6", + "confirm": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb" + }, + "settingsModal": { + "settings": "\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0aa8\u0acb", + "expandMessages": "\u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0abe\u0a93 \u0ab5\u0abf\u0ab8\u0acd\u0aa4\u0ac3\u0aa4 \u0a95\u0ab0\u0acb", + "hideChainOfThought": "\u0ab5\u0abf\u0a9a\u0abe\u0ab0\u0aa8\u0ac0 \u0ab8\u0abe\u0a82\u0a95\u0ab3 \u0a9b\u0ac1\u0aaa\u0abe\u0ab5\u0acb", + "darkMode": "\u0a98\u0abe\u0a9f\u0ac0 \u0ab8\u0acd\u0aa5\u0abf\u0aa4\u0abf" + }, + "detailsButton": { + "using": "\u0ab5\u0abe\u0aaa\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac0\u0a8f", + "running": "\u0a9a\u0abe\u0ab2\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0ac1 \u0a9b\u0ac7", + "took_one": "{{count}} \u0aaa\u0a97\u0ab2\u0ac1\u0a82 \u0aad\u0ab0\u0acd\u0aaf\u0ac1\u0a82", + "took_other": "{{count}} \u0aaa\u0a97\u0ab2\u0abe\u0a82\u0a93 \u0ab2\u0ac0\u0aa7\u0abe" + }, + "auth": { + "authLogin": { + "title": "\u0a8f\u0aaa\u0acd\u0ab2\u0abf\u0a95\u0ac7\u0ab6\u0aa8\u0aa8\u0ac7 \u0a8d\u0a95\u0acd\u0ab8\u0ac7\u0ab8 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0ab2\u0acb\u0a97\u0abf\u0aa8 \u0a95\u0ab0\u0acb.", + "form": { + "email": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab8\u0ab0\u0aa8\u0abe\u0aae\u0ac1\u0a82", + "password": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1", + "noAccount": "\u0a96\u0abe\u0aa4\u0ac1\u0a82 \u0aa8\u0aa5\u0ac0?", + "alreadyHaveAccount": "\u0aaa\u0ab9\u0ac7\u0ab2\u0ac7\u0aa5\u0ac0 \u0a9c \u0a96\u0abe\u0aa4\u0ac1\u0a82 \u0a9b\u0ac7?", + "signup": "\u0ab8\u0abe\u0a87\u0aa8 \u0a85\u0aaa \u0a95\u0ab0\u0acb", + "signin": "\u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0acb", + "or": "\u0a85\u0aa5\u0ab5\u0abe", + "continue": "\u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0acb", + "forgotPassword": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0aad\u0ac2\u0ab2\u0ac0 \u0a97\u0aaf\u0abe?", + "passwordMustContain": "\u0aa4\u0aae\u0abe\u0ab0\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0ab8\u0aae\u0abe\u0ab5\u0aa4\u0acb \u0a9c \u0ab9\u0acb\u0ab5\u0acb \u0a9c\u0acb\u0a87\u0a8f:", + "emailRequired": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "passwordRequired": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7" + }, + "error": { + "default": "\u0aaa\u0acd\u0ab0\u0ab5\u0ac7\u0ab6 \u0a95\u0ab0\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0a85\u0ab8\u0aae\u0ab0\u0acd\u0aa5.", + "signin": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "oauthsignin": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "redirect_uri_mismatch": "\u0ab0\u0ac0\u0aa1\u0abe\u0aaf\u0ab0\u0ac7\u0a95\u0acd\u0a9f URI \u0a8f oauth \u0a8f\u0aaa\u0acd\u0ab2\u0abf\u0a95\u0ac7\u0ab6\u0aa8 \u0ab0\u0ac2\u0aaa\u0ab0\u0ac7\u0a96\u0abe\u0a82\u0a95\u0aa8 \u0ab8\u0abe\u0aa5\u0ac7 \u0aac\u0a82\u0aa7\u0aac\u0ac7\u0ab8\u0aa4\u0ac0 \u0aa8\u0aa5\u0ac0.", + "oauthcallbackerror": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "oauthcreateaccount": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "emailcreateaccount": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "callback": "\u0a85\u0ab2\u0a97 \u0a96\u0abe\u0aa4\u0abe \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0acb \u0aaa\u0acd\u0ab0\u0aaf\u0aa4\u0acd\u0aa8 \u0a95\u0ab0\u0acb.", + "oauthaccountnotlinked": "\u0aa4\u0aae\u0abe\u0ab0\u0ac0 \u0a93\u0ab3\u0a96\u0aa8\u0ac0 \u0aaa\u0ac1\u0ab7\u0acd\u0a9f\u0abf \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7, \u0aa4\u0aae\u0ac7 \u0a9c\u0ac7 \u0aae\u0ac2\u0ab3\u0aad\u0ac2\u0aa4 \u0ab0\u0ac0\u0aa4\u0ac7 \u0a89\u0aaa\u0aaf\u0acb\u0a97 \u0a95\u0ab0\u0acd\u0aaf\u0acb \u0ab9\u0aa4\u0acb \u0aa4\u0ac7 \u0a9c \u0a8f\u0a95\u0abe\u0a89\u0aa8\u0acd\u0a9f \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0acb.", + "emailsignin": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0aae\u0acb\u0a95\u0ab2\u0ac0 \u0ab6\u0a95\u0abe\u0aaf\u0acb \u0aa8\u0ab9\u0abf.", + "emailverify": "\u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0aa4\u0aae\u0abe\u0ab0\u0abe \u0a87\u0aae\u0ac7\u0a87\u0ab2\u0aa8\u0ac0 \u0a96\u0abe\u0aa4\u0acd\u0ab0\u0ac0 \u0a95\u0ab0\u0acb, \u0a8f\u0a95 \u0aa8\u0ab5\u0ac1\u0a82 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aae\u0acb\u0a95\u0ab2\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0a86\u0ab5\u0acd\u0aaf\u0ac1\u0a82 \u0a9b\u0ac7.", + "credentialssignin": "\u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3. \u0aa4\u0aae\u0ac7 \u0aaa\u0ac2\u0ab0\u0ac0 \u0aaa\u0abe\u0aa1\u0ac7\u0ab2\u0ac0 \u0ab5\u0abf\u0a97\u0aa4\u0acb \u0ab8\u0abe\u0a9a\u0ac0 \u0a9b\u0ac7 \u0aa4\u0ac7 \u0a9a\u0a95\u0abe\u0ab8\u0acb.", + "sessionrequired": "\u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0a86 \u0aaa\u0ac3\u0ab7\u0acd\u0aa0\u0aa8\u0ac7 \u0a8d\u0a95\u0acd\u0ab8\u0ac7\u0ab8 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a87\u0aa8 \u0a95\u0ab0\u0acb." + } + }, + "authVerifyEmail": { + "almostThere": "\u0aa4\u0aae\u0ac7 \u0aa4\u0acb \u0ab2\u0a97\u0aad\u0a97 \u0aa4\u0acd\u0aaf\u0abe\u0a82 \u0a9c \u0a9b\u0acb! \u0a85\u0aae\u0ac7 \u0a86\u0aa8\u0abe \u0aaa\u0ab0 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aae\u0acb\u0a95\u0ab2\u0acd\u0aaf\u0acb \u0a9b\u0ac7 ", + "verifyEmailLink": "\u0aa4\u0aae\u0abe\u0ab0\u0ac1\u0a82 \u0ab8\u0abe\u0a87\u0aa8\u0a85\u0aaa \u0aaa\u0ac2\u0ab0\u0acd\u0aa3 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0aa4\u0ac7 \u0a87\u0aae\u0ac7\u0a87\u0ab2\u0aa8\u0ac0 \u0ab2\u0abf\u0a82\u0a95 \u0aaa\u0ab0 \u0a95\u0acd\u0ab2\u0abf\u0a95 \u0a95\u0ab0\u0acb.", + "didNotReceive": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab6\u0acb\u0aa7\u0ac0 \u0ab6\u0a95\u0aa4\u0abe \u0aa8\u0aa5\u0ac0?", + "resendEmail": "\u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aab\u0ab0\u0ac0 \u0aae\u0acb\u0a95\u0ab2\u0acb", + "goBack": "\u0aaa\u0abe\u0a9b\u0abe \u0a9c\u0abe\u0a93", + "emailSent": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab8\u0aab\u0ab3\u0aa4\u0abe\u0aaa\u0ac2\u0ab0\u0acd\u0ab5\u0a95 \u0aae\u0acb\u0a95\u0ab2\u0abe\u0a88 \u0a97\u0aaf\u0acb.", + "verifyEmail": "\u0aa4\u0aae\u0abe\u0ab0\u0abe \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0a8f\u0aa1\u0acd\u0ab0\u0ac7\u0ab8\u0aa8\u0ac0 \u0a96\u0abe\u0aa4\u0acd\u0ab0\u0ac0 \u0a95\u0ab0\u0acb" + }, + "providerButton": { + "continue": "{{provider}} \u0ab8\u0abe\u0aa5\u0ac7 \u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0acb", + "signup": "{{provider}} \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0a87\u0aa8 \u0a85\u0aaa \u0a95\u0ab0\u0acb" + }, + "authResetPassword": { + "newPasswordRequired": "\u0aa8\u0ab5\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "passwordsMustMatch": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1\u0acb \u0aac\u0a82\u0aa7\u0aac\u0ac7\u0ab8\u0aa4\u0abe \u0a9c \u0ab9\u0acb\u0ab5\u0abe \u0a9c\u0acb\u0a88\u0a8f", + "confirmPasswordRequired": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "newPassword": "\u0aa8\u0ab5\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1", + "confirmPassword": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1", + "resetPassword": "\u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1\u0aa8\u0ac7 \u0aaa\u0ac1\u0aa8:\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0abf\u0aa4 \u0a95\u0ab0\u0acb" + }, + "authForgotPassword": { + "email": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0ab8\u0ab0\u0aa8\u0abe\u0aae\u0ac1\u0a82", + "emailRequired": "\u0a88-\u0aae\u0ac7\u0a88\u0ab2 \u0a8f \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a95\u0acd\u0ab7\u0ac7\u0aa4\u0acd\u0ab0 \u0a9b\u0ac7", + "emailSent": "\u0ab8\u0ac2\u0a9a\u0aa8\u0abe\u0a93 \u0aae\u0abe\u0a9f\u0ac7 \u0a95\u0ac3\u0aaa\u0abe \u0a95\u0ab0\u0ac0\u0aa8\u0ac7 \u0aa4\u0aae\u0abe\u0ab0\u0ac1\u0a82 \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0ab0\u0abf\u0ab8\u0ac5\u0a9f \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0a8f\u0aa1\u0acd\u0ab0\u0ac7\u0ab8 {{email}} \u0a9a\u0a95\u0abe\u0ab8\u0acb.", + "enterEmail": "\u0aa4\u0aae\u0abe\u0ab0\u0ac1\u0a82 \u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0a8f\u0aa1\u0acd\u0ab0\u0ac7\u0ab8 \u0aa6\u0abe\u0a96\u0ab2 \u0a95\u0ab0\u0acb \u0a85\u0aa8\u0ac7 \u0a85\u0aae\u0ac7 \u0aa4\u0aae\u0abe\u0ab0\u0acb \u0aaa\u0abe\u0ab8\u0ab5\u0ab0\u0acd\u0aa1 \u0ab0\u0ac0\u0ab8\u0ac7\u0a9f \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7 \u0aa4\u0aae\u0aa8\u0ac7 \u0ab8\u0ac2\u0a9a\u0aa8\u0abe\u0a93 \u0aae\u0acb\u0a95\u0ab2\u0ac0\u0ab6\u0ac1\u0a82.", + "resendEmail": "\u0a87\u0aae\u0ac7\u0a87\u0ab2 \u0aab\u0ab0\u0ac0 \u0aae\u0acb\u0a95\u0ab2\u0acb", + "continue": "\u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0acb", + "goBack": "\u0aaa\u0abe\u0a9b\u0abe \u0a9c\u0abe\u0a93" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0a87\u0aa4\u0abf\u0ab9\u0abe\u0ab8 \u0aac\u0aa4\u0abe\u0ab5\u0acb", + "lastInputs": "\u0a9b\u0ac7\u0ab2\u0acd\u0ab2\u0abe \u0a87\u0aa8\u0aaa\u0ac1\u0a9f\u0acd\u0ab8", + "noInputs": "\u0a86\u0ab5\u0abe \u0a96\u0abe\u0ab2\u0ac0...", + "loading": "\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac7..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0aa4\u0aae\u0abe\u0ab0\u0acb \u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0acb \u0a85\u0ab9\u0ac0\u0a82 \u0a9f\u0abe\u0a87\u0aaa \u0a95\u0ab0\u0acb..." + }, + "speechButton": { + "start": "\u0ab0\u0ac7\u0a95\u0acb\u0ab0\u0acd\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0ac1\u0a82 \u0ab6\u0ab0\u0ac2 \u0a95\u0ab0\u0acb", + "stop": "\u0ab0\u0ac7\u0a95\u0acb\u0ab0\u0acd\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aa8\u0ac1\u0a82 \u0aac\u0a82\u0aa7 \u0a95\u0ab0\u0acb" + }, + "SubmitButton": { + "sendMessage": "\u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0acb \u0aae\u0acb\u0a95\u0ab2\u0acb", + "stopTask": "\u0a95\u0abe\u0ab0\u0acd\u0aaf\u0aa8\u0ac7 \u0a85\u0a9f\u0a95\u0abe\u0ab5\u0acb" + }, + "UploadButton": { + "attachFiles": "\u0aab\u0abe\u0a87\u0ab2\u0acb\u0aa8\u0ac7 \u0a9c\u0acb\u0aa1\u0acb" + }, + "waterMark": { + "text": "\u0aa8\u0ac0 \u0ab8\u0abe\u0aa5\u0ac7 \u0aac\u0abf\u0ab2\u0acd\u0a9f \u0aa5\u0aaf\u0ac7\u0ab2" + } + }, + "Messages": { + "index": { + "running": "\u0a9a\u0abe\u0ab2\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0ac1 \u0a9b\u0ac7", + "executedSuccessfully": "\u0ab8\u0aab\u0ab3\u0aa4\u0abe\u0aaa\u0ac2\u0ab0\u0acd\u0ab5\u0a95 \u0a9a\u0ab2\u0abe\u0ab5\u0acd\u0aaf\u0ac7\u0ab2 \u0a9b\u0ac7", + "failed": "\u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3", + "feedbackUpdated": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6 \u0ab8\u0ac1\u0aa7\u0abe\u0ab0\u0ac7\u0ab2 \u0a9b\u0ac7", + "updating": "\u0ab8\u0ac1\u0aa7\u0abe\u0ab0\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac0\u0a8f" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0aa4\u0aae\u0abe\u0ab0\u0ac0 \u0aab\u0abe\u0a87\u0ab2\u0acb\u0aa8\u0ac7 \u0a85\u0a82\u0ab9\u0abf \u0aae\u0ac2\u0a95\u0acb" + }, + "index": { + "failedToUpload": "\u0a85\u0aaa\u0ab2\u0acb\u0aa1 \u0a95\u0ab0\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3", + "cancelledUploadOf": "\u0aa8\u0ac1\u0a82 \u0a85\u0aaa\u0ab2\u0acb\u0aa1 \u0ab0\u0aa6 \u0aa5\u0aaf\u0ac7\u0ab2 \u0a9b\u0ac7", + "couldNotReachServer": "\u0ab8\u0ab0\u0acd\u0ab5\u0ab0 \u0ab8\u0ac1\u0aa7\u0ac0 \u0aaa\u0ab9\u0acb\u0a82\u0a9a\u0ac0 \u0ab6\u0a95\u0acd\u0aaf\u0abe \u0aa8\u0ab9\u0abf\u0a82", + "continuingChat": "\u0aaa\u0ab9\u0ac7\u0ab2\u0abe\u0aa8\u0ac0 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4\u0aa8\u0ac7 \u0a9a\u0abe\u0ab2\u0ac1 \u0ab0\u0abe\u0a96\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac7" + }, + "settings": { + "settingsPanel": "\u0aaa\u0ac7\u0aa8\u0ab2 \u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0aa8\u0acb", + "reset": "\u0aaa\u0ac1\u0aa8:\u0ab8\u0ac1\u0aaf\u0acb\u0a9c\u0abf\u0aa4 \u0a95\u0ab0\u0acb", + "cancel": "\u0ab0\u0aa6\u0acd\u0aa6", + "confirm": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6: \u0aac\u0aa7\u0abe", + "feedbackPositive": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6: \u0ab9\u0a95\u0abe\u0ab0\u0abe\u0aa4\u0acd\u0aae\u0a95", + "feedbackNegative": "\u0aaa\u0acd\u0ab0\u0aa4\u0abf\u0ab8\u0abe\u0aa6: \u0aa8\u0a95\u0abe\u0ab0\u0abe\u0aa4\u0acd\u0aae\u0a95" + }, + "SearchBar": { + "search": "\u0ab6\u0acb\u0aa7\u0ab5\u0ac1\u0a82" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0a86 \u0aa5\u0acd\u0ab0\u0ac7\u0aa1\u0aa8\u0ac0 \u0ab8\u0abe\u0aa5\u0ac7 \u0ab8\u0abe\u0aa5\u0ac7 \u0aa4\u0ac7\u0aa8\u0abe \u0ab8\u0a82\u0aa6\u0ac7\u0ab6\u0abe \u0a85\u0aa8\u0ac7 \u0aa4\u0aa4\u0acd\u0ab5\u0acb\u0aa8\u0ac7 \u0aaa\u0aa3 \u0a95\u0abe\u0aa2\u0ac0 \u0aa8\u0abe\u0a96\u0ab6\u0ac7.", + "cancel": "\u0ab0\u0aa6\u0acd\u0aa6", + "confirm": "\u0a96\u0abe\u0aa4\u0ab0\u0ac0 \u0a95\u0ab0\u0acb", + "deletingChat": "\u0a9a\u0ac5\u0a9f\u0aa8\u0ac7 \u0a95\u0abe\u0aa2\u0ac0 \u0ab0\u0ab9\u0acd\u0aaf\u0abe \u0a9b\u0ac0\u0a8f", + "chatDeleted": "\u0a9a\u0ac5\u0a9f \u0aa1\u0abf\u0ab2\u0ac0\u0a9f \u0aa5\u0a88 \u0a97\u0a88" + }, + "index": { + "pastChats": "\u0aad\u0ac2\u0aa4\u0a95\u0abe\u0ab3\u0aa8\u0ac0 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4\u0acb" + }, + "ThreadList": { + "empty": "\u0a96\u0abe\u0ab2\u0ac0...", + "today": "\u0a86\u0a9c\u0ac7", + "yesterday": "\u0a97\u0a87\u0a95\u0abe\u0ab2\u0ac7", + "previous7days": "\u0aaa\u0ab9\u0ac7\u0ab2\u0abe\u0aa8\u0abe \u0aed \u0aa6\u0abf\u0ab5\u0ab8\u0acb", + "previous30days": "\u0aaa\u0ab9\u0ac7\u0ab2\u0abe\u0aa8\u0abe \u0ae9\u0ae6 \u0aa6\u0abf\u0ab5\u0ab8\u0acb" + }, + "TriggerButton": { + "closeSidebar": "\u0aac\u0abe\u0a9c\u0ac1\u0aaa\u0a9f\u0acd\u0a9f\u0ac0\u0aa8\u0ac7 \u0aac\u0a82\u0aa7 \u0a95\u0ab0\u0acb", + "openSidebar": "\u0aac\u0abe\u0a9c\u0ac1\u0aaa\u0a9f\u0acd\u0a9f\u0ac0 \u0a96\u0acb\u0ab2\u0acb" + } + }, + "Thread": { + "backToChat": "\u0ab8\u0a82\u0ab5\u0abe\u0aa6\u0aae\u0abe\u0a82 \u0aaa\u0abe\u0a9b\u0abe \u0a9c\u0abe\u0a93", + "chatCreatedOn": "\u0a86 \u0ab5\u0abe\u0aa4\u0a9a\u0ac0\u0aa4 \u0aa4\u0ac7\u0aa8\u0ac0 \u0aaa\u0ab0 \u0aac\u0aa8\u0abe\u0ab5\u0ac7\u0ab2 \u0ab9\u0aa4\u0ac0" + } + }, + "header": { + "chat": "\u0ab8\u0a82\u0ab5\u0abe\u0aa6", + "readme": "\u0ab0\u0ac0\u0aa1\u0aae\u0ac7" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0aaa\u0acd\u0ab0\u0aa6\u0abe\u0aa4\u0abe\u0a93\u0aa8\u0ac7 \u0ab2\u0abe\u0ab5\u0ab5\u0abe\u0aae\u0abe\u0a82 \u0aa8\u0abf\u0ab7\u0acd\u0aab\u0ab3\u0aa4\u0abe:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0ab8\u0aab\u0ab3\u0aa4\u0abe\u0aaa\u0ac2\u0ab0\u0acd\u0ab5\u0a95 \u0ab8\u0a82\u0a97\u0acd\u0ab0\u0ab9\u0abe\u0aaf\u0ac7\u0ab2", + "requiredApiKeys": "\u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 API \u0a95\u0ac0\u0a93", + "requiredApiKeysInfo": "\u0a86 \u0a8f\u0aaa\u0acd\u0ab2\u0abf\u0a95\u0ac7\u0ab6\u0aa8\u0aa8\u0acb \u0a89\u0aaa\u0aaf\u0acb\u0a97 \u0a95\u0ab0\u0ab5\u0abe \u0aae\u0abe\u0a9f\u0ac7, \u0aa8\u0ac0\u0a9a\u0ac7\u0aa8\u0ac0 API \u0a95\u0ac0\u0a93 \u0a9c\u0ab0\u0ac2\u0ab0\u0ac0 \u0a9b\u0ac7. \u0a95\u0ac0\u0a93 \u0aa4\u0aae\u0abe\u0ab0\u0abe \u0aa1\u0abf\u0ab5\u0abe\u0a87\u0ab8\u0aa8\u0abe \u0ab8\u0acd\u0aa5\u0abe\u0aa8\u0abf\u0a95 \u0ab8\u0acd\u0a9f\u0acb\u0ab0\u0ac7\u0a9c \u0aaa\u0ab0 \u0ab8\u0a82\u0a97\u0acd\u0ab0\u0ab9\u0abf\u0aa4 \u0aa5\u0abe\u0aaf \u0a9b\u0ac7." + }, + "Page": { + "notPartOfProject": "\u0aa4\u0aae\u0ac7 \u0a86 \u0aaa\u0acd\u0ab0\u0acb\u0a9c\u0ac7\u0a95\u0acd\u0a9f\u0aa8\u0acb \u0aad\u0abe\u0a97 \u0aa8\u0aa5\u0ac0." + }, + "ResumeButton": { + "resumeChat": "\u0aab\u0ab0\u0ac0 \u0ab6\u0ab0\u0ac2 \u0a95\u0ab0\u0acb \u0ab8\u0a82\u0ab5\u0abe\u0aa6" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/he-IL.json b/project-chatbot/code/.chainlit/translations/he-IL.json new file mode 100644 index 0000000..c367dfa --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/he-IL.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", + "settingsKey": "S", + "APIKeys": "API Keys", + "logout": "\u05d4\u05ea\u05e0\u05ea\u05e7" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u05e6'\u05d0\u05d8 \u05d7\u05d3\u05e9" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f Task List", + "loading": "\u05d8\u05d5\u05e2\u05df...", + "error": "\u05e9\u05d2\u05d9\u05d0\u05d4" + } + }, + "attachments": { + "cancelUpload": "\u05d1\u05d8\u05dc \u05d4\u05e2\u05dc\u05d0\u05d4", + "removeAttachment": "\u05d4\u05e1\u05e8 \u05e7\u05d5\u05d1\u05e5 \u05de\u05e6\u05d5\u05e8\u05e3" + }, + "newChatDialog": { + "createNewChat": "\u05e6\u05d5\u05e8 \u05e6'\u05d0\u05d8 \u05d7\u05d3\u05e9?", + "clearChat": "\u05e4\u05e2\u05d5\u05dc\u05d4 \u05d6\u05d5 \u05ea\u05e0\u05e7\u05d4 \u05d0\u05ea \u05d4\u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d4\u05e0\u05d5\u05db\u05d7\u05d9\u05d5\u05ea \u05d5\u05ea\u05ea\u05d7\u05d9\u05dc \u05e6'\u05d0\u05d8 \u05d7\u05d3\u05e9.", + "cancel": "\u05d1\u05d8\u05dc", + "confirm": "\u05d0\u05e9\u05e8" + }, + "settingsModal": { + "settings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", + "expandMessages": "\u05d4\u05e8\u05d7\u05d1 \u05d4\u05d5\u05d3\u05e2\u05d5\u05ea", + "hideChainOfThought": "\u05d4\u05e1\u05ea\u05e8 \u05e9\u05e8\u05e9\u05e8\u05ea \u05de\u05d7\u05e9\u05d1\u05d5\u05ea", + "darkMode": "\u05de\u05e6\u05d1 \u05db\u05d4\u05d4" + }, + "detailsButton": { + "using": "\u05de\u05e9\u05ea\u05de\u05e9 \u05d1-", + "running": "\u05e8\u05e5", + "took_one": "\u05dc\u05e7\u05d7 \u05e6\u05e2\u05d3 {{count}}", + "took_other": "\u05dc\u05e7\u05d7 \u05e6\u05e2\u05d3\u05d9\u05dd {{count}}" + }, + "auth": { + "authLogin": { + "title": "\u05d4\u05ea\u05d7\u05d1\u05e8 \u05db\u05d3\u05d9 \u05dc\u05d2\u05e9\u05ea \u05dc\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4.", + "form": { + "email": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "password": "\u05e1\u05d9\u05e1\u05de\u05d0", + "noAccount": "\u05d0\u05d9\u05df \u05dc\u05da \u05d7\u05e9\u05d1\u05d5\u05df?", + "alreadyHaveAccount": "\u05db\u05d1\u05e8 \u05d9\u05e9 \u05dc\u05da \u05d7\u05e9\u05d1\u05d5\u05df?", + "signup": "\u05d4\u05d9\u05e8\u05e9\u05dd", + "signin": "\u05d4\u05d9\u05db\u05e0\u05e1", + "or": "\u05d0\u05d5", + "continue": "\u05d4\u05de\u05e9\u05da", + "forgotPassword": "\u05e9\u05db\u05d7\u05ea \u05e1\u05d9\u05e1\u05de\u05d4?", + "passwordMustContain": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d4 \u05e9\u05dc\u05da \u05d7\u05d9\u05d9\u05d1\u05ea \u05dc\u05d4\u05db\u05d9\u05dc:", + "emailRequired": "\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d4\u05d5\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "passwordRequired": "\u05e1\u05d9\u05e1\u05de\u05d4 \u05d4\u05d9\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4" + }, + "error": { + "default": "\u05dc\u05d0 \u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05d9\u05db\u05e0\u05e1.", + "signin": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "oauthsignin": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "redirect_uri_mismatch": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d4-URI \u05dc\u05d4\u05e4\u05e0\u05d9\u05d4 \u05d0\u05d9\u05e0\u05d4 \u05ea\u05d5\u05d0\u05de\u05ea \u05dc\u05ea\u05e6\u05d5\u05e8\u05ea \u05d4\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4 \u05e9\u05dc oauth.", + "oauthcallbackerror": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "oauthcreateaccount": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "emailcreateaccount": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "callback": "\u05e0\u05e1\u05d4 \u05dc\u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d7\u05e9\u05d1\u05d5\u05df \u05d0\u05d7\u05e8.", + "oauthaccountnotlinked": "\u05db\u05d3\u05d9 \u05dc\u05d0\u05e9\u05e8 \u05d0\u05ea \u05d6\u05d4\u05d5\u05ea\u05da, \u05d4\u05d9\u05db\u05e0\u05e1 \u05e2\u05dd \u05d0\u05d5\u05ea\u05d5 \u05d7\u05e9\u05d1\u05d5\u05df \u05e9\u05d1\u05d5 \u05d4\u05e9\u05ea\u05de\u05e9\u05ea \u05d1\u05de\u05e7\u05d5\u05e8.", + "emailsignin": "\u05dc\u05d0 \u05e0\u05d9\u05ea\u05df \u05dc\u05e9\u05dc\u05d5\u05d7 \u05d0\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc.", + "emailverify": "\u05d0\u05e0\u05d0 \u05d0\u05e9\u05e8 \u05d0\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e9\u05dc\u05da, \u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d7\u05d3\u05e9 \u05e0\u05e9\u05dc\u05d7.", + "credentialssignin": "\u05d4\u05db\u05e0\u05d9\u05e1\u05d4 \u05e0\u05db\u05e9\u05dc\u05d4. \u05d1\u05d3\u05d5\u05e7 \u05e9\u05d4\u05e4\u05e8\u05d8\u05d9\u05dd \u05e9\u05e1\u05d9\u05e4\u05e7\u05ea \u05e0\u05db\u05d5\u05e0\u05d9\u05dd.", + "sessionrequired": "\u05d0\u05e0\u05d0 \u05d4\u05d9\u05db\u05e0\u05e1 \u05db\u05d3\u05d9 \u05dc\u05d2\u05e9\u05ea \u05dc\u05d3\u05e3 \u05d6\u05d4." + } + }, + "authVerifyEmail": { + "almostThere": "\u05d0\u05ea\u05d4 \u05db\u05de\u05e2\u05d8 \u05e9\u05dd! \u05e9\u05dc\u05d7\u05e0\u05d5 \u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d0\u05dc ", + "verifyEmailLink": "\u05d0\u05e0\u05d0 \u05dc\u05d7\u05e5 \u05e2\u05dc \u05d4\u05e7\u05d9\u05e9\u05d5\u05e8 \u05d1\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d6\u05d4 \u05db\u05d3\u05d9 \u05dc\u05d4\u05e9\u05dc\u05d9\u05dd \u05d0\u05ea \u05d4\u05d4\u05e8\u05e9\u05de\u05d4 \u05e9\u05dc\u05da.", + "didNotReceive": "\u05dc\u05d0 \u05de\u05d5\u05e6\u05d0 \u05d0\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc?", + "resendEmail": "\u05e9\u05dc\u05d7 \u05e9\u05d5\u05d1 \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "goBack": "\u05d7\u05d6\u05d5\u05e8 \u05d0\u05d7\u05d5\u05e8\u05d4", + "emailSent": "\u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e0\u05e9\u05dc\u05d7 \u05d1\u05d4\u05e6\u05dc\u05d7\u05d4.", + "verifyEmail": "\u05d0\u05de\u05ea \u05d0\u05ea \u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e9\u05dc\u05da" + }, + "providerButton": { + "continue": "\u05d4\u05de\u05e9\u05da \u05e2\u05dd {{provider}}", + "signup": "\u05d4\u05d9\u05e8\u05e9\u05dd \u05e2\u05dd {{provider}}" + }, + "authResetPassword": { + "newPasswordRequired": "\u05e1\u05d9\u05e1\u05de\u05d4 \u05d7\u05d3\u05e9\u05d4 \u05d4\u05d9\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "passwordsMustMatch": "\u05d4\u05e1\u05d9\u05e1\u05de\u05d0\u05d5\u05ea \u05d7\u05d9\u05d9\u05d1\u05d5\u05ea \u05dc\u05d4\u05ea\u05d0\u05d9\u05dd", + "confirmPasswordRequired": "\u05d0\u05d9\u05e9\u05d5\u05e8 \u05e1\u05d9\u05e1\u05de\u05d4 \u05d4\u05d5\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "newPassword": "\u05e1\u05d9\u05e1\u05de\u05d0 \u05d7\u05d3\u05e9\u05d4", + "confirmPassword": "\u05d0\u05e9\u05e8 \u05e1\u05d9\u05e1\u05de\u05d0", + "resetPassword": "\u05d0\u05e4\u05e1 \u05e1\u05d9\u05e1\u05de\u05d4" + }, + "authForgotPassword": { + "email": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "emailRequired": "\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d4\u05d5\u05d0 \u05e9\u05d3\u05d4 \u05d7\u05d5\u05d1\u05d4", + "emailSent": "\u05d0\u05e0\u05d0 \u05d1\u05d3\u05d5\u05e7 \u05d0\u05ea \u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc {{email}} \u05dc\u05e7\u05d1\u05dc\u05ea \u05d4\u05d5\u05e8\u05d0\u05d5\u05ea \u05dc\u05d0\u05d9\u05e4\u05d5\u05e1 \u05d4\u05e1\u05d9\u05e1\u05de\u05d4 \u05e9\u05dc\u05da.", + "enterEmail": "\u05d4\u05d6\u05df \u05d0\u05ea \u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e9\u05dc\u05da \u05d5\u05d0\u05e0\u05d5 \u05e0\u05e9\u05dc\u05d7 \u05dc\u05da \u05d4\u05d5\u05e8\u05d0\u05d5\u05ea \u05dc\u05d0\u05d9\u05e4\u05d5\u05e1 \u05d4\u05e1\u05d9\u05e1\u05de\u05d4 \u05e9\u05dc\u05da.", + "resendEmail": "\u05e9\u05dc\u05d7 \u05e9\u05d5\u05d1 \u05d0\u05d9\u05de\u05d9\u05d9\u05dc", + "continue": "\u05d4\u05de\u05e9\u05da", + "goBack": "\u05d7\u05d6\u05d5\u05e8 \u05d0\u05d7\u05d5\u05e8\u05d4" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u05d4\u05e6\u05d2 \u05d4\u05d9\u05e1\u05d8\u05d5\u05e8\u05d9\u05d4", + "lastInputs": "\u05e7\u05dc\u05d8 \u05d0\u05d7\u05e8\u05d5\u05df", + "noInputs": "\u05e8\u05d9\u05e7...", + "loading": "\u05d8\u05d5\u05e2\u05df..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u05db\u05ea\u05d5\u05d1 \u05d4\u05d5\u05d3\u05e2\u05d4 \u05db\u05d0\u05df..." + }, + "speechButton": { + "start": "\u05d4\u05ea\u05d7\u05dc \u05d4\u05e7\u05dc\u05d8\u05d4", + "stop": "\u05e2\u05e6\u05d5\u05e8 \u05d4\u05e7\u05dc\u05d8\u05d4" + }, + "SubmitButton": { + "sendMessage": "\u05e9\u05dc\u05d7 \u05d4\u05d5\u05d3\u05e2\u05d4", + "stopTask": "\u05e2\u05e6\u05d5\u05e8 \u05de\u05e9\u05d9\u05de\u05d4" + }, + "UploadButton": { + "attachFiles": "\u05e6\u05e8\u05e3 \u05e7\u05d1\u05e6\u05d9\u05dd" + }, + "waterMark": { + "text": "\u05e0\u05d1\u05e0\u05d4 \u05e2\u05dd" + } + }, + "Messages": { + "index": { + "running": "\u05e8\u05e5", + "executedSuccessfully": "\u05d1\u05d5\u05e6\u05e2 \u05d1\u05d4\u05e6\u05dc\u05d7\u05d4", + "failed": "\u05e0\u05db\u05e9\u05dc", + "feedbackUpdated": "\u05de\u05e9\u05d5\u05d1 \u05e2\u05d5\u05d3\u05db\u05df", + "updating": "\u05de\u05e2\u05d3\u05db\u05df" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u05e9\u05d7\u05e8\u05e8 \u05d0\u05ea \u05d4\u05e7\u05d1\u05e6\u05d9\u05dd \u05e9\u05dc\u05da \u05db\u05d0\u05df" + }, + "index": { + "failedToUpload": "\u05d4\u05e2\u05dc\u05d0\u05d4 \u05e0\u05db\u05e9\u05dc\u05d4", + "cancelledUploadOf": "\u05d4\u05e2\u05dc\u05d0\u05d4 \u05e9\u05dc \u05d1\u05d5\u05d8\u05dc\u05d4", + "couldNotReachServer": "\u05dc\u05d0 \u05e0\u05d9\u05ea\u05df \u05d4\u05d9\u05d4 \u05dc\u05d4\u05d2\u05d9\u05e2 \u05dc\u05e9\u05e8\u05ea", + "continuingChat": "\u05de\u05de\u05e9\u05d9\u05da \u05d1\u05e6'\u05d0\u05d8 \u05d4\u05e7\u05d5\u05d3\u05dd" + }, + "settings": { + "settingsPanel": "\u05dc\u05d5\u05d7 \u05d4\u05d2\u05d3\u05e8\u05d5\u05ea", + "reset": "\u05d0\u05e4\u05e1", + "cancel": "\u05d1\u05d8\u05dc", + "confirm": "\u05d0\u05e9\u05e8" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u05de\u05e9\u05d5\u05d1: \u05d4\u05db\u05dc", + "feedbackPositive": "\u05de\u05e9\u05d5\u05d1: \u05d7\u05d9\u05d5\u05d1\u05d9", + "feedbackNegative": "\u05de\u05e9\u05d5\u05d1: \u05e9\u05dc\u05d9\u05dc\u05d9" + }, + "SearchBar": { + "search": "\u05d7\u05d9\u05e4\u05d5\u05e9" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u05e4\u05e2\u05d5\u05dc\u05d4 \u05d6\u05d5 \u05ea\u05de\u05d7\u05e7 \u05d0\u05ea \u05d4\u05e9\u05e8\u05e9\u05d5\u05e8 \u05d5\u05db\u05df \u05d0\u05ea \u05d4\u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d5\u05d4\u05e8\u05db\u05d9\u05d1\u05d9\u05dd \u05e9\u05dc\u05d5.", + "cancel": "\u05d1\u05d8\u05dc", + "confirm": "\u05d0\u05e9\u05e8", + "deletingChat": "\u05de\u05d5\u05d7\u05e7 \u05e6'\u05d0\u05d8", + "chatDeleted": "\u05d4\u05e6'\u05d0\u05d8 \u05e0\u05de\u05d7\u05e7" + }, + "index": { + "pastChats": "\u05e6'\u05d0\u05d8\u05d9\u05dd \u05e7\u05d5\u05d3\u05de\u05d9\u05dd" + }, + "ThreadList": { + "empty": "\u05e8\u05d9\u05e7...", + "today": "\u05d4\u05d9\u05d5\u05dd", + "yesterday": "\u05d0\u05ea\u05de\u05d5\u05dc", + "previous7days": "7 \u05d9\u05de\u05d9\u05dd \u05e7\u05d5\u05d3\u05de\u05d9\u05dd", + "previous30days": "30 \u05d9\u05de\u05d9\u05dd \u05e7\u05d5\u05d3\u05de\u05d9\u05dd" + }, + "TriggerButton": { + "closeSidebar": "\u05e1\u05d2\u05d5\u05e8 \u05e1\u05e8\u05d2\u05dc \u05e6\u05d3", + "openSidebar": "\u05e4\u05ea\u05d7 \u05e1\u05e8\u05d2\u05dc \u05e6\u05d3" + } + }, + "Thread": { + "backToChat": "\u05d7\u05d6\u05d5\u05e8 \u05dc\u05e6'\u05d0\u05d8", + "chatCreatedOn": "\u05d4\u05e6'\u05d0\u05d8 \u05d4\u05d6\u05d4 \u05e0\u05d5\u05e6\u05e8 \u05d1\u05ea\u05d0\u05e8\u05d9\u05da" + } + }, + "header": { + "chat": "\u05e6'\u05d0\u05d8", + "readme": "\u05d0\u05d5\u05d3\u05d5\u05ea" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u05e0\u05db\u05e9\u05dc\u05d4 \u05d4\u05d1\u05d0\u05ea \u05e1\u05e4\u05e7\u05d9\u05dd:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u05e0\u05e9\u05de\u05e8 \u05d1\u05d4\u05e6\u05dc\u05d7\u05d4", + "requiredApiKeys": "\u05de\u05e4\u05ea\u05d7\u05d5\u05ea API \u05e0\u05d3\u05e8\u05e9\u05d9\u05dd", + "requiredApiKeysInfo": "\u05db\u05d3\u05d9 \u05dc\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4 \u05d6\u05d5, \u05e0\u05d3\u05e8\u05e9\u05d9\u05dd \u05de\u05e4\u05ea\u05d7\u05d5\u05ea \u05d4-API \u05d4\u05d1\u05d0\u05d9\u05dd. \u05d4\u05de\u05e4\u05ea\u05d7\u05d5\u05ea \u05de\u05d0\u05d5\u05d7\u05e1\u05e0\u05d9\u05dd \u05d1\u05d0\u05d7\u05e1\u05d5\u05df \u05d4\u05de\u05e7\u05d5\u05de\u05d9 \u05e9\u05dc \u05d4\u05de\u05db\u05e9\u05d9\u05e8 \u05e9\u05dc\u05da." + }, + "Page": { + "notPartOfProject": "\u05d0\u05ea\u05d4 \u05dc\u05d0 \u05d7\u05dc\u05e7 \u05de\u05d4\u05e4\u05e8\u05d5\u05d9\u05e7\u05d8 \u05d4\u05d6\u05d4." + }, + "ResumeButton": { + "resumeChat": "\u05d4\u05de\u05e9\u05da \u05e6'\u05d0\u05d8" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/hi.json b/project-chatbot/code/.chainlit/translations/hi.json new file mode 100644 index 0000000..26b8844 --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/hi.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "settingsKey": "\u0926\u0915\u094d\u0937\u093f\u0923\u0940", + "APIKeys": "\u090f\u092a\u0940\u0906\u0908 \u0915\u0941\u0902\u091c\u0940", + "logout": "\u0932\u0949\u0917\u0906\u0909\u091f" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0928\u0908 \u091a\u0948\u091f" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0915\u093e\u0930\u094d\u092f \u0938\u0942\u091a\u0940", + "loading": "\u0932\u094b\u0921\u0964\u0964\u0964", + "error": "\u0915\u094b\u0908 \u0924\u094d\u0930\u0941\u091f\u093f \u0909\u0924\u094d\u092a\u0928\u094d\u0928 \u0939\u0941\u0908" + } + }, + "attachments": { + "cancelUpload": "\u0905\u092a\u0932\u094b\u0921 \u0930\u0926\u094d\u0926 \u0915\u0930\u0947\u0902", + "removeAttachment": "\u0905\u0928\u0941\u0932\u0917\u094d\u0928\u0915 \u0928\u093f\u0915\u093e\u0932\u0947\u0902" + }, + "newChatDialog": { + "createNewChat": "\u0928\u0908 \u091a\u0948\u091f \u092c\u0928\u093e\u090f\u0901?", + "clearChat": "\u092f\u0939 \u0935\u0930\u094d\u0924\u092e\u093e\u0928 \u0938\u0902\u0926\u0947\u0936\u094b\u0902 \u0915\u094b \u0938\u093e\u092b\u093c \u0915\u0930\u0947\u0917\u093e \u0914\u0930 \u090f\u0915 \u0928\u0908 \u091a\u0948\u091f \u0936\u0941\u0930\u0942 \u0915\u0930\u0947\u0917\u093e\u0964", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u0928\u093e", + "confirm": "\u0938\u0941\u0926\u0943\u0922\u093c \u0915\u0930\u0928\u093e" + }, + "settingsModal": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "expandMessages": "\u0938\u0902\u0926\u0947\u0936\u094b\u0902 \u0915\u093e \u0935\u093f\u0938\u094d\u0924\u093e\u0930 \u0915\u0930\u0947\u0902", + "hideChainOfThought": "\u0935\u093f\u091a\u093e\u0930 \u0915\u0940 \u0936\u094d\u0930\u0943\u0902\u0916\u0932\u093e \u091b\u093f\u092a\u093e\u090f\u0902", + "darkMode": "\u0921\u093e\u0930\u094d\u0915 \u092e\u094b\u0921" + }, + "detailsButton": { + "using": "\u0915\u093e \u0909\u092a\u092f\u094b\u0917 \u0915\u0930\u0915\u0947", + "running": "\u092d\u093e\u0917\u0928\u093e", + "took_one": "{{count}} \u0915\u0926\u092e \u0909\u0920\u093e\u092f\u093e", + "took_other": "{{count}} \u0915\u0926\u092e \u0909\u0920\u093e\u090f" + }, + "auth": { + "authLogin": { + "title": "\u0910\u092a \u0924\u0915 \u092a\u0939\u0941\u0902\u091a\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0932\u0949\u0917\u093f\u0928 \u0915\u0930\u0947\u0902\u0964", + "form": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u093e", + "password": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "noAccount": "\u0915\u094d\u092f\u093e \u0906\u092a\u0915\u0947 \u092a\u093e\u0938 \u0916\u093e\u0924\u093e \u0928\u0939\u0940\u0902 \u0939\u0948?", + "alreadyHaveAccount": "\u092a\u0939\u0932\u0947 \u0938\u0947 \u0939\u0940 \u090f\u0915 \u0916\u093e\u0924\u093e \u0939\u0948?", + "signup": "\u0928\u093e\u092e \u0932\u093f\u0916\u094b", + "signin": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0947\u0902", + "or": "\u0928\u0939\u0940\u0902 \u0924\u094b", + "continue": "\u091c\u093e\u0930\u0940 \u0930\u0916\u0928\u093e", + "forgotPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u092d\u0942\u0932 \u0917\u090f?", + "passwordMustContain": "\u0906\u092a\u0915\u0947 \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u092e\u0947\u0902 \u0939\u094b\u0928\u093e \u091a\u093e\u0939\u093f\u090f:", + "emailRequired": "\u0908\u092e\u0947\u0932 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "passwordRequired": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948" + }, + "error": { + "default": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0928\u0947 \u092e\u0947\u0902 \u0905\u0938\u092e\u0930\u094d\u0925.", + "signin": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "oauthsignin": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "redirect_uri_mismatch": "\u0930\u0940\u0921\u093e\u092f\u0930\u0947\u0915\u094d\u091f \u092f\u0942\u0906\u0930\u0906\u0908 \u0913\u0925 \u0910\u092a \u0915\u0949\u0928\u094d\u092b\u093c\u093f\u0917\u0930\u0947\u0936\u0928 \u0938\u0947 \u092e\u0947\u0932 \u0928\u0939\u0940\u0902 \u0916\u093e \u0930\u0939\u093e \u0939\u0948\u0964", + "oauthcallbackerror": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "oauthcreateaccount": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "emailcreateaccount": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "callback": "\u0915\u093f\u0938\u0940 \u0926\u0942\u0938\u0930\u0947 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0915\u0947 \u0926\u0947\u0916\u0947\u0902.", + "oauthaccountnotlinked": "\u0905\u092a\u0928\u0940 \u092a\u0939\u091a\u093e\u0928 \u0915\u0928\u094d\u092b\u093c\u0930\u094d\u092e \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f, \u0909\u0938\u0940 \u0916\u093e\u0924\u0947 \u0938\u0947 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0947\u0902 \u091c\u093f\u0938\u0915\u093e \u0907\u0938\u094d\u0924\u0947\u092e\u093e\u0932 \u0906\u092a\u0928\u0947 \u092a\u0939\u0932\u0947 \u0915\u093f\u092f\u093e \u0925\u093e.", + "emailsignin": "\u0908-\u092e\u0947\u0932 \u0928\u0939\u0940\u0902 \u092d\u0947\u091c\u0940 \u091c\u093e \u0938\u0915\u0940.", + "emailverify": "\u0915\u0943\u092a\u092f\u093e \u0905\u092a\u0928\u093e \u0908\u092e\u0947\u0932 \u0938\u0924\u094d\u092f\u093e\u092a\u093f\u0924 \u0915\u0930\u0947\u0902, \u090f\u0915 \u0928\u092f\u093e \u0908\u092e\u0947\u0932 \u092d\u0947\u091c\u093e \u0917\u092f\u093e \u0939\u0948\u0964", + "credentialssignin": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0935\u093f\u092b\u0932 \u0930\u0939\u093e. \u091c\u093e\u0902\u091a\u0947\u0902 \u0915\u093f \u0906\u092a\u0915\u0947 \u0926\u094d\u0935\u093e\u0930\u093e \u092a\u094d\u0930\u0926\u093e\u0928 \u0915\u093f\u090f \u0917\u090f \u0935\u093f\u0935\u0930\u0923 \u0938\u0939\u0940 \u0939\u0948\u0902\u0964", + "sessionrequired": "\u0915\u0943\u092a\u092f\u093e \u0907\u0938 \u092a\u0943\u0937\u094d\u0920 \u0924\u0915 \u092a\u0939\u0941\u0902\u091a\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0947\u0902\u0964" + } + }, + "authVerifyEmail": { + "almostThere": "\u0906\u092a \u0932\u0917\u092d\u0917 \u0935\u0939\u093e\u0901 \u0939\u0948\u0902! \u0939\u092e\u0928\u0947 \u090f\u0915 \u0908\u092e\u0947\u0932 \u092d\u0947\u091c\u093e \u0939\u0948 ", + "verifyEmailLink": "\u0915\u0943\u092a\u092f\u093e \u0905\u092a\u0928\u093e \u0938\u093e\u0907\u0928\u0905\u092a \u092a\u0942\u0930\u093e \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0909\u0938 \u0908\u092e\u0947\u0932 \u092e\u0947\u0902 \u0926\u093f\u090f \u0917\u090f \u0932\u093f\u0902\u0915 \u092a\u0930 \u0915\u094d\u0932\u093f\u0915 \u0915\u0930\u0947\u0902\u0964", + "didNotReceive": "\u0908\u092e\u0947\u0932 \u0928\u0939\u0940\u0902 \u092e\u093f\u0932 \u0930\u0939\u093e \u0939\u0948?", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u0903 \u092d\u0947\u091c\u0947\u0902", + "goBack": "\u092a\u0938 \u091c\u093e\u0913", + "emailSent": "\u0908\u092e\u0947\u0932 \u0938\u092b\u0932\u0924\u093e\u092a\u0942\u0930\u094d\u0935\u0915 \u092d\u0947\u091c\u093e \u0917\u092f\u093e\u0964", + "verifyEmail": "\u0905\u092a\u0928\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u093e \u0938\u0924\u094d\u092f\u093e\u092a\u093f\u0924 \u0915\u0930\u0947\u0902" + }, + "providerButton": { + "continue": "{{provider}} \u0915\u0947 \u0938\u093e\u0925 \u091c\u093e\u0930\u0940 \u0930\u0916\u0947\u0902", + "signup": "{{provider}} \u0915\u0947 \u0938\u093e\u0925 \u0938\u093e\u0907\u0928 \u0905\u092a \u0915\u0930\u0947\u0902" + }, + "authResetPassword": { + "newPasswordRequired": "\u0928\u092f\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "passwordsMustMatch": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u092e\u0947\u0932 \u0916\u093e\u0928\u093e \u091a\u093e\u0939\u093f\u090f", + "confirmPasswordRequired": "\u092a\u0941\u0937\u094d\u091f\u093f \u0915\u0930\u0947\u0902 \u0915\u093f \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "newPassword": "\u0928\u092f\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "confirmPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0915\u0940 \u092a\u0941\u0937\u094d\u091f\u093f \u0915\u0930\u0947\u0902", + "resetPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0947\u0902" + }, + "authForgotPassword": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u093e", + "emailRequired": "\u0908\u092e\u0947\u0932 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u092b\u093c\u0940\u0932\u094d\u0921 \u0939\u0948", + "emailSent": "\u0905\u092a\u0928\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0928\u0947 \u0915\u0947 \u0928\u093f\u0930\u094d\u0926\u0947\u0936\u094b\u0902 \u0915\u0947 \u0932\u093f\u090f \u0915\u0943\u092a\u092f\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u093e {{email}} \u0926\u0947\u0916\u0947\u0902\u0964", + "enterEmail": "\u0905\u092a\u0928\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u093e \u0926\u0930\u094d\u091c \u0915\u0930\u0947\u0902 \u0914\u0930 \u0939\u092e \u0906\u092a\u0915\u094b \u0905\u092a\u0928\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f \u0928\u093f\u0930\u094d\u0926\u0947\u0936 \u092d\u0947\u091c\u0947\u0902\u0917\u0947\u0964", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u0903 \u092d\u0947\u091c\u0947\u0902", + "continue": "\u091c\u093e\u0930\u0940 \u0930\u0916\u0928\u093e", + "goBack": "\u092a\u0938 \u091c\u093e\u0913" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0907\u0924\u093f\u0939\u093e\u0938 \u0926\u093f\u0916\u093e\u090f\u0902", + "lastInputs": "\u0905\u0902\u0924\u093f\u092e \u0907\u0928\u092a\u0941\u091f", + "noInputs": "\u0910\u0938\u0947 \u0916\u093e\u0932\u0940...", + "loading": "\u0932\u094b\u0921\u0964\u0964\u0964" + } + }, + "inputBox": { + "input": { + "placeholder": "\u0905\u092a\u0928\u093e \u0938\u0902\u0926\u0947\u0936 \u092f\u0939\u093e\u0901 \u091f\u093e\u0907\u092a \u0915\u0930\u0947\u0902..." + }, + "speechButton": { + "start": "\u0930\u093f\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u0936\u0941\u0930\u0942 \u0915\u0930\u0947\u0902", + "stop": "\u0930\u093f\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u092c\u0902\u0926 \u0915\u0930\u094b" + }, + "SubmitButton": { + "sendMessage": "\u0938\u0902\u0926\u0947\u0936 \u092d\u0947\u091c\u0947\u0902", + "stopTask": "\u0915\u093e\u0930\u094d\u092f \u092c\u0902\u0926 \u0915\u0930\u094b" + }, + "UploadButton": { + "attachFiles": "\u092b\u093c\u093e\u0907\u0932\u0947\u0902 \u0905\u0928\u0941\u0932\u0917\u094d\u0928 \u0915\u0930\u0947\u0902" + }, + "waterMark": { + "text": "\u0915\u0947 \u0938\u093e\u0925 \u0928\u093f\u0930\u094d\u092e\u093f\u0924" + } + }, + "Messages": { + "index": { + "running": "\u092d\u093e\u0917\u0928\u093e", + "executedSuccessfully": "\u0938\u092b\u0932\u0924\u093e\u092a\u0942\u0930\u094d\u0935\u0915 \u0928\u093f\u0937\u094d\u092a\u093e\u0926\u093f\u0924", + "failed": "\u0905\u0938\u092b\u0932", + "feedbackUpdated": "\u092a\u094d\u0930\u0924\u093f\u0915\u094d\u0930\u093f\u092f\u093e \u0905\u092a\u0921\u0947\u091f \u0915\u0940 \u0917\u0908", + "updating": "\u0905\u0926\u094d\u092f\u0924\u0928" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0905\u092a\u0928\u0940 \u092b\u093c\u093e\u0907\u0932\u0947\u0902 \u092f\u0939\u093e\u0901 \u0921\u094d\u0930\u0949\u092a \u0915\u0930\u0947\u0902" + }, + "index": { + "failedToUpload": "\u0905\u092a\u0932\u094b\u0921 \u0915\u0930\u0928\u0947 \u092e\u0947\u0902 \u0935\u093f\u092b\u0932", + "cancelledUploadOf": "\u0915\u093e \u0905\u092a\u0932\u094b\u0921 \u0930\u0926\u094d\u0926 \u0915\u093f\u092f\u093e \u0917\u092f\u093e", + "couldNotReachServer": "\u0938\u0930\u094d\u0935\u0930 \u0924\u0915 \u0928\u0939\u0940\u0902 \u092a\u0939\u0941\u0901\u091a \u0938\u0915\u093e", + "continuingChat": "\u092a\u093f\u091b\u0932\u0940 \u091a\u0948\u091f \u091c\u093e\u0930\u0940 \u0930\u0916\u0928\u093e" + }, + "settings": { + "settingsPanel": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938 \u092a\u0948\u0928\u0932", + "reset": "\u0930\u0940\u0938\u0947\u091f", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u0928\u093e", + "confirm": "\u0938\u0941\u0926\u0943\u0922\u093c \u0915\u0930\u0928\u093e" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u092a\u094d\u0930\u0924\u093f\u092a\u0941\u0937\u094d\u091f\u093f: \u0938\u092d\u0940", + "feedbackPositive": "\u092a\u094d\u0930\u0924\u093f\u092a\u0941\u0937\u094d\u091f\u093f: \u0938\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915", + "feedbackNegative": "\u092a\u094d\u0930\u0924\u093f\u092a\u0941\u0937\u094d\u091f\u093f: \u0928\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915" + }, + "SearchBar": { + "search": "\u0922\u0942\u0901\u0922" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u092f\u0939 \u0925\u094d\u0930\u0947\u0921 \u0915\u0947 \u0938\u093e\u0925-\u0938\u093e\u0925 \u0907\u0938\u0915\u0947 \u0938\u0902\u0926\u0947\u0936\u094b\u0902 \u0914\u0930 \u0924\u0924\u094d\u0935\u094b\u0902 \u0915\u094b \u092d\u0940 \u0939\u091f\u093e \u0926\u0947\u0917\u093e\u0964", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u0928\u093e", + "confirm": "\u0938\u0941\u0926\u0943\u0922\u093c \u0915\u0930\u0928\u093e", + "deletingChat": "\u091a\u0948\u091f \u0939\u091f\u093e\u0928\u093e", + "chatDeleted": "\u091a\u0948\u091f \u0939\u091f\u093e\u0908 \u0917\u0908" + }, + "index": { + "pastChats": "\u092a\u093f\u091b\u0932\u0940 \u091a\u0948\u091f" + }, + "ThreadList": { + "empty": "\u0916\u093e\u0932\u0940\u0964\u0964\u0964", + "today": "\u0906\u091c", + "yesterday": "\u092c\u0940\u0924\u093e \u0939\u0941\u0906 \u0915\u0932", + "previous7days": "\u092a\u093f\u091b\u0932\u0947 7 \u0926\u093f\u0928", + "previous30days": "\u092a\u093f\u091b\u0932\u0947 30 \u0926\u093f\u0928" + }, + "TriggerButton": { + "closeSidebar": "\u0938\u093e\u0907\u0921\u092c\u093e\u0930 \u092c\u0902\u0926 \u0915\u0930\u0947\u0902", + "openSidebar": "\u0938\u093e\u0907\u0921\u092c\u093e\u0930 \u0916\u094b\u0932\u0947\u0902" + } + }, + "Thread": { + "backToChat": "\u091a\u0948\u091f \u092a\u0930 \u0935\u093e\u092a\u0938 \u091c\u093e\u090f\u0902", + "chatCreatedOn": "\u092f\u0939 \u091a\u0948\u091f \u0907\u0938 \u092a\u0930 \u092c\u0928\u093e\u0908 \u0917\u0908 \u0925\u0940" + } + }, + "header": { + "chat": "\u091a\u0948\u091f", + "readme": "\u0930\u0940\u0921\u092e\u0940" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u092a\u094d\u0930\u0926\u093e\u0924\u093e\u0913\u0902 \u0915\u094b \u0932\u093e\u0928\u0947 \u092e\u0947\u0902 \u0935\u093f\u092b\u0932:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0938\u092b\u0932\u0924\u093e\u092a\u0942\u0930\u094d\u0935\u0915 \u0938\u0939\u0947\u091c\u093e \u0917\u092f\u093e", + "requiredApiKeys": "\u0906\u0935\u0936\u094d\u092f\u0915 \u090f\u092a\u0940\u0906\u0908 \u0915\u0941\u0902\u091c\u0940", + "requiredApiKeysInfo": "\u0907\u0938 \u0910\u092a \u0915\u093e \u0909\u092a\u092f\u094b\u0917 \u0915\u0930\u0928\u0947 \u0915\u0947 \u0932\u093f\u090f, \u0928\u093f\u092e\u094d\u0928\u0932\u093f\u0916\u093f\u0924 \u090f\u092a\u0940\u0906\u0908 \u0915\u0941\u0902\u091c\u093f\u092f\u094b\u0902 \u0915\u0940 \u0906\u0935\u0936\u094d\u092f\u0915\u0924\u093e \u0939\u094b\u0924\u0940 \u0939\u0948\u0964 \u091a\u093e\u092c\u093f\u092f\u093e\u0901 \u0906\u092a\u0915\u0947 \u0921\u093f\u0935\u093e\u0907\u0938 \u0915\u0947 \u0938\u094d\u0925\u093e\u0928\u0940\u092f \u0938\u0902\u0917\u094d\u0930\u0939\u0923 \u092a\u0930 \u0938\u0902\u0917\u094d\u0930\u0939\u0940\u0924 \u0915\u0940 \u091c\u093e\u0924\u0940 \u0939\u0948\u0902\u0964" + }, + "Page": { + "notPartOfProject": "\u0906\u092a \u0907\u0938 \u092a\u0930\u093f\u092f\u094b\u091c\u0928\u093e \u0915\u093e \u0939\u093f\u0938\u094d\u0938\u093e \u0928\u0939\u0940\u0902 \u0939\u0948\u0902\u0964" + }, + "ResumeButton": { + "resumeChat": "\u091a\u0948\u091f \u092b\u093f\u0930 \u0938\u0947 \u0936\u0941\u0930\u0942 \u0915\u0930\u0947\u0902" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/kn.json b/project-chatbot/code/.chainlit/translations/kn.json new file mode 100644 index 0000000..d09db5f --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/kn.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0cb8\u0cc6\u0c9f\u0ccd\u0c9f\u0cbf\u0c82\u0c97\u0ccd \u0c97\u0cb3\u0cc1", + "settingsKey": "S", + "APIKeys": "API \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0cc1", + "logout": "\u0cb2\u0cbe\u0c97\u0ccd \u0c94\u0c9f\u0ccd" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0cb9\u0cca\u0cb8 \u0c9a\u0cbe\u0c9f\u0ccd" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0c95\u0cbe\u0cb0\u0ccd\u0caf \u0caa\u0c9f\u0ccd\u0c9f\u0cbf", + "loading": "\u0cb2\u0ccb\u0ca1\u0ccd \u0c86\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6...", + "error": "\u0ca6\u0ccb\u0cb7 \u0cb8\u0c82\u0cad\u0cb5\u0cbf\u0cb8\u0cbf\u0ca6\u0cc6" + } + }, + "attachments": { + "cancelUpload": "\u0c85\u0caa\u0ccd \u0cb2\u0ccb\u0ca1\u0ccd \u0cb0\u0ca6\u0ccd\u0ca6\u0cc1 \u0cae\u0cbe\u0ca1\u0cbf", + "removeAttachment": "\u0cb2\u0c97\u0ca4\u0ccd\u0ca4\u0cc1 \u0ca4\u0cc6\u0c97\u0cc6\u0ca6\u0cc1\u0cb9\u0cbe\u0c95\u0cbf" + }, + "newChatDialog": { + "createNewChat": "\u0cb9\u0cca\u0cb8 \u0c9a\u0cbe\u0c9f\u0ccd \u0cb0\u0c9a\u0cbf\u0cb8\u0cac\u0cc7\u0c95\u0cc6?", + "clearChat": "\u0c87\u0ca6\u0cc1 \u0caa\u0ccd\u0cb0\u0cb8\u0ccd\u0ca4\u0cc1\u0ca4 \u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca4\u0cc6\u0cb0\u0cb5\u0cc1\u0c97\u0cca\u0cb3\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6 \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0cb9\u0cca\u0cb8 \u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0caa\u0ccd\u0cb0\u0cbe\u0cb0\u0c82\u0cad\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6.", + "cancel": "\u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0cae\u0cbe\u0ca1\u0cbf", + "confirm": "\u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf" + }, + "settingsModal": { + "settings": "\u0cb8\u0cc6\u0c9f\u0ccd\u0c9f\u0cbf\u0c82\u0c97\u0ccd \u0c97\u0cb3\u0cc1", + "expandMessages": "\u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb5\u0cbf\u0cb8\u0ccd\u0ca4\u0cb0\u0cbf\u0cb8\u0cbf", + "hideChainOfThought": "\u0c9a\u0cbf\u0c82\u0ca4\u0ca8\u0cc6\u0caf \u0cb8\u0cb0\u0caa\u0cb3\u0cbf\u0caf\u0ca8\u0ccd\u0ca8\u0cc1 \u0cae\u0cb0\u0cc6\u0cae\u0cbe\u0ca1\u0cc1", + "darkMode": "\u0ca1\u0cbe\u0cb0\u0ccd\u0c95\u0ccd \u0cae\u0ccb\u0ca1\u0ccd" + }, + "detailsButton": { + "using": "\u0cac\u0cb3\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "running": "\u0c9a\u0cb2\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "took_one": "{{count}} \u0cb9\u0cc6\u0c9c\u0ccd\u0c9c\u0cc6 \u0c87\u0c9f\u0ccd\u0c9f\u0cbf\u0ca6\u0cc6", + "took_other": "{{count}} \u0cb9\u0cc6\u0c9c\u0ccd\u0c9c\u0cc6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca4\u0cc6\u0c97\u0cc6\u0ca6\u0cc1\u0c95\u0cca\u0c82\u0ca1\u0cb0\u0cc1" + }, + "auth": { + "authLogin": { + "title": "\u0c85\u0caa\u0ccd\u0cb2\u0cbf\u0c95\u0cc7\u0cb6\u0ca8\u0ccd \u0caa\u0ccd\u0cb0\u0cb5\u0cc7\u0cb6\u0cbf\u0cb8\u0cb2\u0cc1 \u0cb2\u0cbe\u0c97\u0cbf\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf.", + "form": { + "email": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8", + "password": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd", + "noAccount": "\u0c96\u0cbe\u0ca4\u0cc6 \u0c87\u0cb2\u0ccd\u0cb2\u0cb5\u0cc7?", + "alreadyHaveAccount": "\u0c88\u0c97\u0cbe\u0c97\u0cb2\u0cc7 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0ca6\u0ccd\u0ca6\u0cc0\u0cb0\u0cbe?", + "signup": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c85\u0caa\u0ccd \u0cae\u0cbe\u0ca1\u0cbf", + "signin": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf", + "or": "\u0c85\u0ca5\u0cb5\u0cbe", + "continue": "\u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0cb8\u0cbf", + "forgotPassword": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc6\u0ca4\u0cbf\u0ca6\u0ccd\u0ca6\u0cc0\u0cb0\u0cbe?", + "passwordMustContain": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c87\u0cb5\u0cc1\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c92\u0cb3\u0c97\u0cca\u0c82\u0ca1\u0cbf\u0cb0\u0cac\u0cc7\u0c95\u0cc1:", + "emailRequired": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6", + "passwordRequired": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6" + }, + "error": { + "default": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0c85\u0cb8\u0cae\u0cb0\u0ccd\u0ca5\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6.", + "signin": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "oauthsignin": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "redirect_uri_mismatch": "\u0cae\u0cb0\u0cc1\u0ca8\u0cbf\u0cb0\u0ccd\u0ca6\u0cc7\u0cb6\u0ca8\u0ca6 URI \u0c86\u0ccd\u0caf\u0caa\u0ccd \u0c95\u0cbe\u0ca8\u0ccd\u0cab\u0cbf\u0c97\u0cb0\u0cc7\u0cb6\u0ca8\u0ccd \u0c97\u0cc6 \u0cb9\u0ccb\u0cb2\u0cbf\u0c95\u0cc6\u0caf\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0cb2\u0ccd\u0cb2.", + "oauthcallbackerror": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "oauthcreateaccount": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "emailcreateaccount": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "callback": "\u0cac\u0cc7\u0cb0\u0cc6 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0caa\u0ccd\u0cb0\u0caf\u0ca4\u0ccd\u0ca8\u0cbf\u0cb8\u0cbf.", + "oauthaccountnotlinked": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c97\u0cc1\u0cb0\u0cc1\u0ca4\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca6\u0cc3\u0ca2\u0cc0\u0c95\u0cb0\u0cbf\u0cb8\u0cb2\u0cc1, \u0ca8\u0cc0\u0cb5\u0cc1 \u0cae\u0cc2\u0cb2\u0ca4\u0c83 \u0cac\u0cb3\u0cb8\u0cbf\u0ca6 \u0c85\u0ca6\u0cc7 \u0c96\u0cbe\u0ca4\u0cc6\u0caf\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf.", + "emailsignin": "\u0c87-\u0cae\u0cc7\u0cb2\u0ccd \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cb2\u0cc1 \u0cb8\u0cbe\u0ca7\u0ccd\u0caf\u0cb5\u0cbe\u0c97\u0cb2\u0cbf\u0cb2\u0ccd\u0cb2.", + "emailverify": "\u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf, \u0cb9\u0cca\u0cb8 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6.", + "credentialssignin": "\u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6. \u0ca8\u0cc0\u0cb5\u0cc1 \u0c92\u0ca6\u0c97\u0cbf\u0cb8\u0cbf\u0ca6 \u0cb5\u0cbf\u0cb5\u0cb0\u0c97\u0cb3\u0cc1 \u0cb8\u0cb0\u0cbf\u0caf\u0cbe\u0c97\u0cbf\u0cb5\u0cc6\u0caf\u0cc7 \u0c8e\u0c82\u0ca6\u0cc1 \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf.", + "sessionrequired": "\u0c88 \u0caa\u0cc1\u0c9f\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0caa\u0ccd\u0cb0\u0cb5\u0cc7\u0cb6\u0cbf\u0cb8\u0cb2\u0cc1 \u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0cb8\u0cc8\u0ca8\u0ccd \u0c87\u0ca8\u0ccd \u0cae\u0cbe\u0ca1\u0cbf." + } + }, + "authVerifyEmail": { + "almostThere": "\u0ca8\u0cc0\u0cb5\u0cc1 \u0cac\u0cb9\u0cc1\u0ca4\u0cc7\u0c95 \u0c85\u0cb2\u0ccd\u0cb2\u0cbf\u0ca6\u0ccd\u0ca6\u0cc0\u0cb0\u0cbf! \u0ca8\u0cbe\u0cb5\u0cc1 \u0c97\u0cc6 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cbf\u0ca6\u0ccd\u0ca6\u0cc7\u0cb5\u0cc6 ", + "verifyEmailLink": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cb8\u0cc8\u0ca8\u0ccd \u0c85\u0caa\u0ccd \u0caa\u0cc2\u0cb0\u0ccd\u0ca3\u0c97\u0cca\u0cb3\u0cbf\u0cb8\u0cb2\u0cc1 \u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0c86 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0ca8\u0cb2\u0ccd\u0cb2\u0cbf\u0cb0\u0cc1\u0cb5 \u0cb2\u0cbf\u0c82\u0c95\u0ccd \u0c95\u0ccd\u0cb2\u0cbf\u0c95\u0ccd \u0cae\u0cbe\u0ca1\u0cbf.", + "didNotReceive": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb9\u0cc1\u0ca1\u0cc1\u0c95\u0cb2\u0cc1 \u0cb8\u0cbe\u0ca7\u0ccd\u0caf\u0cb5\u0cbf\u0cb2\u0ccd\u0cb2\u0cb5\u0cc7?", + "resendEmail": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cae\u0ca4\u0ccd\u0ca4\u0cc6 \u0c95\u0cb3\u0cbf\u0cb8\u0cbf", + "goBack": "\u0cb9\u0cbf\u0c82\u0ca6\u0cc6 \u0cb9\u0cc6\u0cc2\u0cd5\u0c97\u0cc1", + "emailSent": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0caf\u0cb6\u0cb8\u0ccd\u0cb5\u0cbf\u0caf\u0cbe\u0c97\u0cbf \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6.", + "verifyEmail": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf" + }, + "providerButton": { + "continue": "{{provider}} \u0ca8\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0cb8\u0cbf", + "signup": "{{provider}} \u0ca8\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0cb8\u0cc8\u0ca8\u0ccd \u0c85\u0caa\u0ccd \u0cae\u0cbe\u0ca1\u0cbf" + }, + "authResetPassword": { + "newPasswordRequired": "\u0cb9\u0cca\u0cb8 \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6", + "passwordsMustMatch": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c97\u0cb3\u0cc1 \u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0c95\u0cc6\u0caf\u0cbe\u0c97\u0cac\u0cc7\u0c95\u0cc1", + "confirmPasswordRequired": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c8e\u0c82\u0ca6\u0cc1 \u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf", + "newPassword": "\u0cb9\u0cca\u0cb8 \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd", + "confirmPassword": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf", + "resetPassword": "\u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cbf" + }, + "authForgotPassword": { + "email": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8", + "emailRequired": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 \u0cab\u0cc0\u0cb2\u0ccd\u0ca1\u0ccd \u0c86\u0c97\u0cbf\u0ca6\u0cc6", + "emailSent": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cb2\u0cc1 \u0cb8\u0cc2\u0c9a\u0ca8\u0cc6\u0c97\u0cb3\u0cbf\u0c97\u0cbe\u0c97\u0cbf \u0ca6\u0caf\u0cb5\u0cbf\u0c9f\u0ccd\u0c9f\u0cc1 \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8 {{email}} \u0caa\u0cb0\u0cbf\u0cb6\u0cc0\u0cb2\u0cbf\u0cb8\u0cbf.", + "enterEmail": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0cb5\u0cbf\u0cb3\u0cbe\u0cb8\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca8\u0cae\u0cc2\u0ca6\u0cbf\u0cb8\u0cbf \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0caa\u0cbe\u0cb8\u0ccd \u0cb5\u0cb0\u0ccd\u0ca1\u0ccd \u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cb2\u0cc1 \u0ca8\u0cbe\u0cb5\u0cc1 \u0ca8\u0cbf\u0cae\u0c97\u0cc6 \u0cb8\u0cc2\u0c9a\u0ca8\u0cc6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c95\u0cb3\u0cc1\u0cb9\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0cc7\u0cb5\u0cc6.", + "resendEmail": "\u0c87\u0cae\u0cc7\u0cb2\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cae\u0ca4\u0ccd\u0ca4\u0cc6 \u0c95\u0cb3\u0cbf\u0cb8\u0cbf", + "continue": "\u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0cb8\u0cbf", + "goBack": "\u0cb9\u0cbf\u0c82\u0ca6\u0cc6 \u0cb9\u0cc6\u0cc2\u0cd5\u0c97\u0cc1" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0c87\u0ca4\u0cbf\u0cb9\u0cbe\u0cb8 \u0ca4\u0ccb\u0cb0\u0cbf\u0cb8\u0cc1", + "lastInputs": "\u0c95\u0cca\u0ca8\u0cc6\u0caf \u0c87\u0ca8\u0ccd \u0caa\u0cc1\u0c9f\u0ccd \u0c97\u0cb3\u0cc1", + "noInputs": "\u0c8e\u0c82\u0ca4\u0cb9 \u0c96\u0cbe\u0cb2\u0cbf...", + "loading": "\u0cb2\u0ccb\u0ca1\u0ccd \u0c86\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0cb5\u0ca8\u0ccd\u0ca8\u0cc1 \u0c87\u0cb2\u0ccd\u0cb2\u0cbf \u0cac\u0cc6\u0cb0\u0cb3\u0c9a\u0ccd\u0c9a\u0cbf\u0cb8\u0cbf..." + }, + "speechButton": { + "start": "\u0cb0\u0cc6\u0c95\u0cbe\u0cb0\u0ccd\u0ca1\u0cbf\u0c82\u0c97\u0ccd \u0caa\u0ccd\u0cb0\u0cbe\u0cb0\u0c82\u0cad\u0cbf\u0cb8\u0cbf", + "stop": "\u0cb0\u0cc6\u0c95\u0cbe\u0cb0\u0ccd\u0ca1\u0cbf\u0c82\u0c97\u0ccd \u0ca8\u0cbf\u0cb2\u0ccd\u0cb2\u0cbf\u0cb8\u0cc1" + }, + "SubmitButton": { + "sendMessage": "\u0cb8\u0c82\u0ca6\u0cc7\u0cb6 \u0c95\u0cb3\u0cbf\u0cb8\u0cbf", + "stopTask": "\u0ca8\u0cbf\u0cb2\u0ccd\u0cb2\u0cbf\u0cb8\u0cc1 \u0c95\u0cbe\u0cb0\u0ccd\u0caf" + }, + "UploadButton": { + "attachFiles": "\u0cab\u0cc8\u0cb2\u0ccd \u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0cb2\u0c97\u0ca4\u0ccd\u0ca4\u0cbf\u0cb8\u0cbf" + }, + "waterMark": { + "text": "\u0c87\u0ca6\u0cb0\u0cca\u0c82\u0ca6\u0cbf\u0c97\u0cc6 \u0ca8\u0cbf\u0cb0\u0ccd\u0cae\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6" + } + }, + "Messages": { + "index": { + "running": "\u0c9a\u0cb2\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "executedSuccessfully": "\u0caf\u0cb6\u0cb8\u0ccd\u0cb5\u0cbf\u0caf\u0cbe\u0c97\u0cbf \u0c95\u0cbe\u0cb0\u0ccd\u0caf\u0c97\u0ca4\u0c97\u0cca\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "failed": "\u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "feedbackUpdated": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6 \u0ca8\u0cb5\u0cc0\u0c95\u0cb0\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "updating": "\u0ca8\u0cb5\u0cc0\u0c95\u0cb0\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cab\u0cc8\u0cb2\u0ccd \u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c87\u0cb2\u0ccd\u0cb2\u0cbf \u0cac\u0cbf\u0ca1\u0cbf" + }, + "index": { + "failedToUpload": "\u0c85\u0caa\u0ccd \u0cb2\u0ccb\u0ca1\u0ccd \u0cae\u0cbe\u0ca1\u0cb2\u0cc1 \u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "cancelledUploadOf": "\u0c85\u0caa\u0ccd \u0cb2\u0ccb\u0ca1\u0ccd \u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0c97\u0cca\u0c82\u0ca1\u0cbf\u0ca6\u0cc6", + "couldNotReachServer": "\u0cb8\u0cb0\u0ccd\u0cb5\u0cb0\u0ccd \u0ca4\u0cb2\u0cc1\u0caa\u0cb2\u0cc1 \u0cb8\u0cbe\u0ca7\u0ccd\u0caf\u0cb5\u0cbe\u0c97\u0cb2\u0cbf\u0cb2\u0ccd\u0cb2", + "continuingChat": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 \u0c9a\u0cbe\u0c9f\u0ccd \u0cae\u0cc1\u0c82\u0ca6\u0cc1\u0cb5\u0cb0\u0cbf\u0caf\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6" + }, + "settings": { + "settingsPanel": "\u0cb8\u0cc6\u0c9f\u0ccd\u0c9f\u0cbf\u0c82\u0c97\u0ccd \u0c97\u0cb3 \u0cab\u0cb2\u0c95", + "reset": "\u0cae\u0cb0\u0cc1\u0cb9\u0cca\u0c82\u0ca6\u0cbf\u0cb8\u0cbf", + "cancel": "\u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0cae\u0cbe\u0ca1\u0cbf", + "confirm": "\u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6: \u0c8e\u0cb2\u0ccd\u0cb2\u0cb5\u0cc2", + "feedbackPositive": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6: \u0ca7\u0ca8\u0cbe\u0ca4\u0ccd\u0cae\u0c95", + "feedbackNegative": "\u0caa\u0ccd\u0cb0\u0ca4\u0cbf\u0c95\u0ccd\u0cb0\u0cbf\u0caf\u0cc6: \u0ca8\u0c95\u0cbe\u0cb0\u0cbe\u0ca4\u0ccd\u0cae\u0c95" + }, + "SearchBar": { + "search": "\u0cb9\u0cc1\u0ca1\u0cc1\u0c95\u0cc1" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0c87\u0ca6\u0cc1 \u0ca5\u0ccd\u0cb0\u0cc6\u0ca1\u0ccd \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0c85\u0ca6\u0cb0 \u0cb8\u0c82\u0ca6\u0cc7\u0cb6\u0c97\u0cb3\u0cc1 \u0cae\u0ca4\u0ccd\u0ca4\u0cc1 \u0c85\u0c82\u0cb6\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0c85\u0cb3\u0cbf\u0cb8\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6.", + "cancel": "\u0cb0\u0ca6\u0ccd\u0ca6\u0cc1\u0cae\u0cbe\u0ca1\u0cbf", + "confirm": "\u0ca6\u0cc3\u0ca2\u0caa\u0ca1\u0cbf\u0cb8\u0cbf", + "deletingChat": "\u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cbf\u0ca6\u0cc6", + "chatDeleted": "\u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6" + }, + "index": { + "pastChats": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 \u0c9a\u0cbe\u0c9f\u0ccd \u0c97\u0cb3\u0cc1" + }, + "ThreadList": { + "empty": "\u0c96\u0cbe\u0cb2\u0cbf...", + "today": "\u0c87\u0c82\u0ca6\u0cc1", + "yesterday": "\u0ca8\u0cbf\u0ca8\u0ccd\u0ca8\u0cc6", + "previous7days": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 7 \u0ca6\u0cbf\u0ca8\u0c97\u0cb3\u0cc1", + "previous30days": "\u0cb9\u0cbf\u0c82\u0ca6\u0cbf\u0ca8 30 \u0ca6\u0cbf\u0ca8\u0c97\u0cb3\u0cc1" + }, + "TriggerButton": { + "closeSidebar": "\u0cb8\u0cc8\u0ca1\u0ccd \u0cac\u0cbe\u0cb0\u0ccd \u0cae\u0cc1\u0c9a\u0ccd\u0c9a\u0cc1", + "openSidebar": "\u0cb8\u0cc8\u0ca1\u0ccd \u0cac\u0cbe\u0cb0\u0ccd \u0ca4\u0cc6\u0cb0\u0cc6\u0caf\u0cbf\u0cb0\u0cbf" + } + }, + "Thread": { + "backToChat": "\u0c9a\u0cbe\u0c9f\u0ccd \u0c97\u0cc6 \u0cb9\u0cbf\u0c82\u0ca4\u0cbf\u0cb0\u0cc1\u0c97\u0cbf", + "chatCreatedOn": "\u0c88 \u0c9a\u0cbe\u0c9f\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0c88 \u0ca8\u0cb2\u0ccd\u0cb2\u0cbf \u0cb0\u0c9a\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6" + } + }, + "header": { + "chat": "\u0c9a\u0cbe\u0c9f\u0ccd", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0caa\u0cc2\u0cb0\u0cc8\u0c95\u0cc6\u0ca6\u0cbe\u0cb0\u0cb0\u0ca8\u0ccd\u0ca8\u0cc1 \u0c95\u0cb0\u0cc6\u0ca4\u0cb0\u0cb2\u0cc1 \u0cb5\u0cbf\u0cab\u0cb2\u0cb5\u0cbe\u0c97\u0cbf\u0ca6\u0cc6:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0caf\u0cb6\u0cb8\u0ccd\u0cb5\u0cbf\u0caf\u0cbe\u0c97\u0cbf \u0c89\u0cb3\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cbf\u0ca6\u0cc6", + "requiredApiKeys": "\u0c85\u0cb5\u0cb6\u0ccd\u0caf\u0c95 API \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0cc1", + "requiredApiKeysInfo": "\u0c88 \u0c85\u0caa\u0ccd\u0cb2\u0cbf\u0c95\u0cc7\u0cb6\u0ca8\u0ccd \u0c85\u0ca8\u0ccd\u0ca8\u0cc1 \u0cac\u0cb3\u0cb8\u0cb2\u0cc1, \u0c88 \u0c95\u0cc6\u0cb3\u0c97\u0cbf\u0ca8 \u0c8e\u0caa\u0cbf\u0c90 \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0cc1 \u0cac\u0cc7\u0c95\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0cb5\u0cc6. \u0c95\u0cc0\u0cb2\u0cbf\u0c97\u0cb3\u0ca8\u0ccd\u0ca8\u0cc1 \u0ca8\u0cbf\u0cae\u0ccd\u0cae \u0cb8\u0cbe\u0ca7\u0ca8\u0ca6 \u0cb8\u0ccd\u0ca5\u0cb3\u0cc0\u0caf \u0cb8\u0c82\u0c97\u0ccd\u0cb0\u0cb9\u0ca3\u0cc6\u0caf\u0cb2\u0ccd\u0cb2\u0cbf \u0cb8\u0c82\u0c97\u0ccd\u0cb0\u0cb9\u0cbf\u0cb8\u0cb2\u0cbe\u0c97\u0cc1\u0ca4\u0ccd\u0ca4\u0ca6\u0cc6." + }, + "Page": { + "notPartOfProject": "\u0ca8\u0cc0\u0cb5\u0cc1 \u0c88 \u0caf\u0ccb\u0c9c\u0ca8\u0cc6\u0caf \u0cad\u0cbe\u0c97\u0cb5\u0cbe\u0c97\u0cbf\u0cb2\u0ccd\u0cb2." + }, + "ResumeButton": { + "resumeChat": "\u0c9a\u0cbe\u0c9f\u0ccd \u0caa\u0cc1\u0ca8\u0cb0\u0cbe\u0cb0\u0c82\u0cad\u0cbf\u0cb8\u0cbf" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/ml.json b/project-chatbot/code/.chainlit/translations/ml.json new file mode 100644 index 0000000..fca2fe0 --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/ml.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d23\u0d19\u0d4d\u0d19\u0d7e", + "settingsKey": "S", + "APIKeys": "API \u0d15\u0d40\u0d15\u0d7e", + "logout": "\u0d32\u0d4b\u0d17\u0d4b\u0d1f\u0d4d\u0d1f\u0d4d" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0d1f\u0d3e\u0d38\u0d4d\u0d15\u0d4d \u0d32\u0d3f\u0d38\u0d4d\u0d31\u0d4d\u0d31\u0d4d", + "loading": "\u0d32\u0d4b\u0d21\u0d3f\u0d02\u0d17\u0d4d...", + "error": "\u0d12\u0d30\u0d41 \u0d2a\u0d3f\u0d36\u0d15\u0d4d \u0d38\u0d02\u0d2d\u0d35\u0d3f\u0d1a\u0d4d\u0d1a\u0d41" + } + }, + "attachments": { + "cancelUpload": "\u0d05\u0d2a\u0d4d\u0d32\u0d4b\u0d21\u0d4d \u0d31\u0d26\u0d4d\u0d26\u0d3e\u0d15\u0d4d\u0d15\u0d41\u0d15", + "removeAttachment": "\u0d05\u0d31\u0d4d\u0d31\u0d3e\u0d1a\u0d4d\u0d1a\u0d4d \u0d2e\u0d46\u0d28\u0d4d\u0d31\u0d4d \u0d28\u0d40\u0d15\u0d4d\u0d15\u0d02\u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15" + }, + "newChatDialog": { + "createNewChat": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d09\u0d23\u0d4d\u0d1f\u0d3e\u0d15\u0d4d\u0d15\u0d23\u0d4b?", + "clearChat": "\u0d07\u0d24\u0d4d \u0d28\u0d3f\u0d32\u0d35\u0d3f\u0d32\u0d46 \u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d15\u0d4d\u0d32\u0d3f\u0d2f\u0d7c \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15\u0d2f\u0d41\u0d02 \u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d06\u0d30\u0d02\u0d2d\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15\u0d2f\u0d41\u0d02 \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d02.", + "cancel": "\u0d15\u0d4d\u0d2f\u0d3e\u0d7b\u0d38\u0d7d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d4d", + "confirm": "\u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + }, + "settingsModal": { + "settings": "\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d23\u0d19\u0d4d\u0d19\u0d7e", + "expandMessages": "\u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d35\u0d3f\u0d15\u0d38\u0d3f\u0d2a\u0d4d\u0d2a\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "hideChainOfThought": "\u0d1a\u0d3f\u0d28\u0d4d\u0d24\u0d2f\u0d41\u0d1f\u0d46 \u0d36\u0d43\u0d02\u0d16\u0d32 \u0d2e\u0d31\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "darkMode": "\u0d21\u0d3e\u0d7c\u0d15\u0d4d\u0d15\u0d4d \u0d2e\u0d4b\u0d21\u0d4d" + }, + "detailsButton": { + "using": "\u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d02", + "running": "\u0d13\u0d1f\u0d41\u0d28\u0d4d\u0d28\u0d41", + "took_one": "{{count}} \u0d38\u0d4d\u0d31\u0d4d\u0d31\u0d46\u0d2a\u0d4d\u0d2a\u0d4d \u0d0e\u0d1f\u0d41\u0d24\u0d4d\u0d24\u0d41", + "took_other": "{{count}} \u0d38\u0d4d\u0d31\u0d4d\u0d31\u0d46\u0d2a\u0d4d\u0d2a\u0d41\u0d15\u0d7e \u0d0e\u0d1f\u0d41\u0d24\u0d4d\u0d24\u0d41" + }, + "auth": { + "authLogin": { + "title": "\u0d05\u0d2a\u0d4d\u0d32\u0d3f\u0d15\u0d4d\u0d15\u0d47\u0d37\u0d7b \u0d06\u0d15\u0d4d\u0d38\u0d38\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d32\u0d4b\u0d17\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15.", + "form": { + "email": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02", + "password": "Password", + "noAccount": "\u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d07\u0d32\u0d4d\u0d32\u0d47?", + "alreadyHaveAccount": "\u0d12\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d23\u0d4d\u0d1f\u0d4b?", + "signup": "\u0d38\u0d48\u0d7b \u0d05\u0d2a\u0d4d\u0d2a\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15", + "signin": "\u0d38\u0d48\u0d7b \u0d07\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15", + "or": "\u0d05\u0d32\u0d4d\u0d32\u0d46\u0d19\u0d4d\u0d15\u0d3f\u0d7d", + "continue": "\u0d24\u0d41\u0d1f\u0d30\u0d41\u0d15", + "forgotPassword": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2e\u0d31\u0d28\u0d4d\u0d28\u0d4b?", + "passwordMustContain": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d3f\u0d7d \u0d07\u0d28\u0d3f\u0d2a\u0d4d\u0d2a\u0d31\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d35 \u0d05\u0d1f\u0d19\u0d4d\u0d19\u0d3f\u0d2f\u0d3f\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d23\u0d02:", + "emailRequired": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d2f \u0d12\u0d30\u0d41 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d", + "passwordRequired": "Password \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d41\u0d33\u0d4d\u0d33 \u0d12\u0d30\u0d41 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d" + }, + "error": { + "default": "\u0d38\u0d48\u0d28\u0d4d \u0d07\u0d28\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d28\u0d4d \u0d15\u0d34\u0d3f\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d3f\u0d32\u0d4d\u0d32.", + "signin": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "oauthsignin": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "redirect_uri_mismatch": "\u0d31\u0d40\u0d21\u0d2f\u0d31\u0d15\u0d4d\u0d1f\u0d4d \u0d2f\u0d41\u0d06\u0d7c\u0d10 \u0d13\u0d24\u0d4d\u0d24\u0d4d \u0d06\u0d2a\u0d4d\u0d2a\u0d4d \u0d15\u0d4b\u0d7a\u0d2b\u0d3f\u0d17\u0d31\u0d47\u0d37\u0d28\u0d41\u0d2e\u0d3e\u0d2f\u0d3f \u0d2a\u0d4a\u0d30\u0d41\u0d24\u0d4d\u0d24\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d41\u0d28\u0d4d\u0d28\u0d3f\u0d32\u0d4d\u0d32.", + "oauthcallbackerror": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "oauthcreateaccount": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "emailcreateaccount": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "callback": "\u0d2e\u0d31\u0d4d\u0d31\u0d4a\u0d30\u0d41 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d3e\u0d7b \u0d36\u0d4d\u0d30\u0d2e\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "oauthaccountnotlinked": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d10\u0d21\u0d28\u0d4d\u0d31\u0d3f\u0d31\u0d4d\u0d31\u0d3f \u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d4d, \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e \u0d06\u0d26\u0d4d\u0d2f\u0d02 \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a \u0d05\u0d24\u0d47 \u0d05\u0d15\u0d4d\u0d15\u0d57\u0d23\u0d4d\u0d1f\u0d4d \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15.", + "emailsignin": "\u0d07-\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d3e\u0d7b \u0d15\u0d34\u0d3f\u0d1e\u0d4d\u0d1e\u0d3f\u0d32\u0d4d\u0d32.", + "emailverify": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15, \u0d12\u0d30\u0d41 \u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d05\u0d2f\u0d1a\u0d4d\u0d1a\u0d3f\u0d1f\u0d4d\u0d1f\u0d41\u0d23\u0d4d\u0d1f\u0d4d.", + "credentialssignin": "\u0d38\u0d48\u0d7b \u0d07\u0d7b \u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41. \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e \u0d28\u0d7d\u0d15\u0d3f\u0d2f \u0d35\u0d3f\u0d36\u0d26\u0d3e\u0d02\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d36\u0d30\u0d3f\u0d2f\u0d3e\u0d23\u0d4b \u0d0e\u0d28\u0d4d\u0d28\u0d4d \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "sessionrequired": "\u0d08 \u0d2a\u0d47\u0d1c\u0d4d \u0d06\u0d15\u0d4d\u0d38\u0d38\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d4d \u0d26\u0d2f\u0d35\u0d3e\u0d2f\u0d3f \u0d38\u0d48\u0d28\u0d3f\u0d7b \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15." + } + }, + "authVerifyEmail": { + "almostThere": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d3f\u0d35\u0d3f\u0d1f\u0d46 \u0d0e\u0d24\u0d4d\u0d24\u0d3e\u0d31\u0d3e\u0d2f\u0d3f! \u0d1e\u0d19\u0d4d\u0d19\u0d7e \u0d12\u0d30\u0d41 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d05\u0d2f\u0d1a\u0d4d\u0d1a\u0d3f\u0d1f\u0d4d\u0d1f\u0d41\u0d23\u0d4d\u0d1f\u0d4d ", + "verifyEmailLink": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d38\u0d48\u0d28\u0d2a\u0d4d\u0d2a\u0d4d \u0d2a\u0d42\u0d7c\u0d24\u0d4d\u0d24\u0d3f\u0d2f\u0d3e\u0d15\u0d4d\u0d15\u0d3e\u0d7b \u0d06 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d32\u0d3f\u0d32\u0d46 \u0d32\u0d3f\u0d19\u0d4d\u0d15\u0d3f\u0d7d \u0d15\u0d4d\u0d32\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15.", + "didNotReceive": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d15\u0d23\u0d4d\u0d1f\u0d46\u0d24\u0d4d\u0d24\u0d3e\u0d7b \u0d15\u0d34\u0d3f\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d3f\u0d32\u0d4d\u0d32\u0d47?", + "resendEmail": "Email \u0d35\u0d40\u0d23\u0d4d\u0d1f\u0d41\u0d02 \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "goBack": "\u0d24\u0d3f\u0d30\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d2a\u0d4b\u0d15\u0d42", + "emailSent": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d1c\u0d2f\u0d15\u0d30\u0d2e\u0d3e\u0d2f\u0d3f \u0d05\u0d2f\u0d1a\u0d4d\u0d1a\u0d41.", + "verifyEmail": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02 \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + }, + "providerButton": { + "continue": "{{provider}} \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d24\u0d41\u0d1f\u0d30\u0d41\u0d15", + "signup": "{{provider}} \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d38\u0d48\u0d7b \u0d05\u0d2a\u0d4d\u0d2a\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15" + }, + "authResetPassword": { + "newPasswordRequired": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d41\u0d33\u0d4d\u0d33 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d", + "passwordsMustMatch": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d41\u0d15\u0d7e \u0d2a\u0d4a\u0d30\u0d41\u0d24\u0d4d\u0d24\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d23\u0d02", + "confirmPasswordRequired": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d47\u0d23\u0d4d\u0d1f\u0d24\u0d4d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d23\u0d4d", + "newPassword": "\u0d2a\u0d41\u0d24\u0d3f\u0d2f \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d", + "confirmPassword": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "resetPassword": "\u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + }, + "authForgotPassword": { + "email": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02", + "emailRequired": "\u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d2f \u0d12\u0d30\u0d41 \u0d2b\u0d40\u0d7d\u0d21\u0d3e\u0d23\u0d4d", + "emailSent": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d41\u0d33\u0d4d\u0d33 \u0d28\u0d3f\u0d7c\u0d26\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e\u0d15\u0d4d\u0d15\u0d3e\u0d2f\u0d3f {{email}} \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02 \u0d2a\u0d30\u0d3f\u0d36\u0d4b\u0d27\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15.", + "enterEmail": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d07\u0d2e\u0d46\u0d2f\u0d3f\u0d7d \u0d35\u0d3f\u0d32\u0d3e\u0d38\u0d02 \u0d28\u0d7d\u0d15\u0d41\u0d15, \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2a\u0d3e\u0d38\u0d4d \u0d35\u0d47\u0d21\u0d4d \u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d41\u0d33\u0d4d\u0d33 \u0d28\u0d3f\u0d7c\u0d26\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d7e \u0d1e\u0d19\u0d4d\u0d19\u0d7e \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e\u0d15\u0d4d\u0d15\u0d4d \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d02.", + "resendEmail": "Email \u0d35\u0d40\u0d23\u0d4d\u0d1f\u0d41\u0d02 \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "continue": "\u0d24\u0d41\u0d1f\u0d30\u0d41\u0d15", + "goBack": "\u0d24\u0d3f\u0d30\u0d3f\u0d1a\u0d4d\u0d1a\u0d4d \u0d2a\u0d4b\u0d15\u0d42" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0d1a\u0d30\u0d3f\u0d24\u0d4d\u0d30\u0d02 \u0d15\u0d3e\u0d23\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "lastInputs": "\u0d05\u0d35\u0d38\u0d3e\u0d28 \u0d07\u0d7b\u0d2a\u0d41\u0d1f\u0d4d\u0d1f\u0d41\u0d15\u0d7e", + "noInputs": "\u0d36\u0d42\u0d28\u0d4d\u0d2f\u0d2e\u0d3e\u0d2f...", + "loading": "\u0d32\u0d4b\u0d21\u0d3f\u0d02\u0d17\u0d4d..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d02 \u0d07\u0d35\u0d3f\u0d1f\u0d46 \u0d1f\u0d48\u0d2a\u0d4d\u0d2a\u0d41\u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15..." + }, + "speechButton": { + "start": "\u0d31\u0d46\u0d15\u0d4d\u0d15\u0d4b\u0d7c\u0d21\u0d3f\u0d02\u0d17\u0d4d \u0d06\u0d30\u0d02\u0d2d\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "stop": "\u0d31\u0d46\u0d15\u0d4d\u0d15\u0d4b\u0d7c\u0d21\u0d3f\u0d02\u0d17\u0d4d \u0d28\u0d3f\u0d7c\u0d24\u0d4d\u0d24\u0d41\u0d15" + }, + "SubmitButton": { + "sendMessage": "\u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d02 \u0d05\u0d2f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "stopTask": "\u0d1c\u0d4b\u0d32\u0d3f \u0d28\u0d3f\u0d7c\u0d24\u0d4d\u0d24\u0d41\u0d15" + }, + "UploadButton": { + "attachFiles": "\u0d2b\u0d2f\u0d32\u0d41\u0d15\u0d7e \u0d05\u0d31\u0d4d\u0d31\u0d3e\u0d1a\u0d4d\u0d1a\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d15" + }, + "waterMark": { + "text": "\u0d28\u0d3f\u0d7c\u0d2e\u0d4d\u0d2e\u0d3f\u0d1a\u0d4d\u0d1a\u0d24\u0d4d" + } + }, + "Messages": { + "index": { + "running": "\u0d13\u0d1f\u0d41\u0d28\u0d4d\u0d28\u0d41", + "executedSuccessfully": "\u0d35\u0d3f\u0d1c\u0d2f\u0d15\u0d30\u0d2e\u0d3e\u0d2f\u0d3f \u0d28\u0d1f\u0d2a\u0d4d\u0d2a\u0d3f\u0d32\u0d3e\u0d15\u0d4d\u0d15\u0d3f", + "failed": "\u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41", + "feedbackUpdated": "\u0d2b\u0d40\u0d21\u0d4d\u0d2c\u0d3e\u0d15\u0d4d\u0d15\u0d4d \u0d05\u0d2a\u0d4d \u0d21\u0d47\u0d31\u0d4d\u0d31\u0d41\u0d1a\u0d46\u0d2f\u0d4d \u0d24\u0d41", + "updating": "\u0d05\u0d2a\u0d4d \u0d21\u0d47\u0d31\u0d4d\u0d31\u0d4d" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d2b\u0d2f\u0d32\u0d41\u0d15\u0d7e \u0d07\u0d35\u0d3f\u0d1f\u0d46 \u0d07\u0d1f\u0d41\u0d15" + }, + "index": { + "failedToUpload": "\u0d05\u0d2a\u0d4d \u0d32\u0d4b\u0d21\u0d4d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d7d \u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41", + "cancelledUploadOf": "\u0d05\u0d2a\u0d4d \u0d32\u0d4b\u0d21\u0d4d \u0d31\u0d26\u0d4d\u0d26\u0d3e\u0d15\u0d4d\u0d15\u0d3f", + "couldNotReachServer": "\u0d38\u0d46\u0d7c\u0d35\u0d31\u0d3f\u0d7d \u0d0e\u0d24\u0d4d\u0d24\u0d3e\u0d7b \u0d15\u0d34\u0d3f\u0d1e\u0d4d\u0d1e\u0d3f\u0d32\u0d4d\u0d32", + "continuingChat": "\u0d2e\u0d41\u0d2e\u0d4d\u0d2a\u0d24\u0d4d\u0d24\u0d46 \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d24\u0d41\u0d1f\u0d30\u0d41\u0d28\u0d4d\u0d28\u0d41" + }, + "settings": { + "settingsPanel": "\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d23 \u0d2a\u0d3e\u0d28\u0d7d", + "reset": "\u0d2a\u0d41\u0d28\u0d03\u0d15\u0d4d\u0d30\u0d2e\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "cancel": "\u0d15\u0d4d\u0d2f\u0d3e\u0d7b\u0d38\u0d7d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d4d", + "confirm": "\u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "Feedback: \u0d0e\u0d32\u0d4d\u0d32\u0d3e\u0d02", + "feedbackPositive": "Feedback: \u0d2a\u0d4b\u0d38\u0d3f\u0d31\u0d4d\u0d31\u0d40\u0d35\u0d4d", + "feedbackNegative": "Feedback: \u0d28\u0d46\u0d17\u0d31\u0d4d\u0d31\u0d40\u0d35\u0d4d" + }, + "SearchBar": { + "search": "\u0d24\u0d3f\u0d30\u0d2f\u0d41\u0d15" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0d07\u0d24\u0d4d \u0d24\u0d4d\u0d30\u0d46\u0d21\u0d41\u0d02 \u0d05\u0d24\u0d3f\u0d28\u0d4d\u0d31\u0d46 \u0d38\u0d28\u0d4d\u0d26\u0d47\u0d36\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d02 \u0d18\u0d1f\u0d15\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d02 \u0d07\u0d32\u0d4d\u0d32\u0d3e\u0d24\u0d3e\u0d15\u0d4d\u0d15\u0d41\u0d02.", + "cancel": "\u0d15\u0d4d\u0d2f\u0d3e\u0d7b\u0d38\u0d7d \u0d1a\u0d46\u0d2f\u0d4d\u0d2f\u0d4d", + "confirm": "\u0d38\u0d4d\u0d25\u0d3f\u0d30\u0d40\u0d15\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15", + "deletingChat": "\u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d07\u0d32\u0d4d\u0d32\u0d3e\u0d24\u0d3e\u0d15\u0d4d\u0d15\u0d7d", + "chatDeleted": "\u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d28\u0d40\u0d15\u0d4d\u0d15\u0d02 \u0d1a\u0d46\u0d2f\u0d4d\u0d24\u0d41" + }, + "index": { + "pastChats": "Past Chats" + }, + "ThreadList": { + "empty": "\u0d36\u0d42\u0d28\u0d4d\u0d2f\u0d02...", + "today": "\u0d07\u0d28\u0d4d\u0d28\u0d4d", + "yesterday": "\u0d07\u0d28\u0d4d\u0d28\u0d32\u0d46", + "previous7days": "Previous 7 \u0d26\u0d3f\u0d35\u0d38\u0d02", + "previous30days": "Previous 30 \u0d26\u0d3f\u0d35\u0d38\u0d02" + }, + "TriggerButton": { + "closeSidebar": "\u0d38\u0d48\u0d21\u0d4d \u0d2c\u0d3e\u0d7c \u0d05\u0d1f\u0d2f\u0d4d\u0d15\u0d4d\u0d15\u0d41\u0d15", + "openSidebar": "\u0d38\u0d48\u0d21\u0d4d \u0d2c\u0d3e\u0d7c \u0d24\u0d41\u0d31\u0d15\u0d4d\u0d15\u0d41\u0d15" + } + }, + "Thread": { + "backToChat": "\u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d3f\u0d32\u0d47\u0d15\u0d4d\u0d15\u0d4d \u0d2e\u0d1f\u0d19\u0d4d\u0d19\u0d41\u0d15", + "chatCreatedOn": "\u0d08 \u0d1a\u0d3e\u0d31\u0d4d\u0d31\u0d4d \u0d07\u0d35\u0d3f\u0d1f\u0d46 \u0d38\u0d43\u0d37\u0d4d\u0d1f\u0d3f\u0d1a\u0d4d\u0d1a\u0d41" + } + }, + "header": { + "chat": "\u0d38\u0d02\u0d2d\u0d3e\u0d37\u0d23\u0d02", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0d26\u0d3e\u0d24\u0d3e\u0d15\u0d4d\u0d15\u0d33\u0d46 \u0d15\u0d4a\u0d23\u0d4d\u0d1f\u0d41\u0d35\u0d30\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d7d \u0d2a\u0d30\u0d3e\u0d1c\u0d2f\u0d2a\u0d4d\u0d2a\u0d46\u0d1f\u0d4d\u0d1f\u0d41:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0d35\u0d3f\u0d1c\u0d2f\u0d15\u0d30\u0d2e\u0d3e\u0d2f\u0d3f \u0d38\u0d02\u0d30\u0d15\u0d4d\u0d37\u0d3f\u0d1a\u0d4d\u0d1a\u0d41", + "requiredApiKeys": "\u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d41\u0d33\u0d4d\u0d33 API \u0d15\u0d40\u0d15\u0d7e", + "requiredApiKeysInfo": "\u0d08 \u0d05\u0d2a\u0d4d\u0d32\u0d3f\u0d15\u0d4d\u0d15\u0d47\u0d37\u0d7b \u0d09\u0d2a\u0d2f\u0d4b\u0d17\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d3f\u0d28\u0d4d, \u0d07\u0d28\u0d3f\u0d2a\u0d4d\u0d2a\u0d31\u0d2f\u0d41\u0d28\u0d4d\u0d28 \u0d0e\u0d2a\u0d3f\u0d10 \u0d15\u0d40\u0d15\u0d7e \u0d06\u0d35\u0d36\u0d4d\u0d2f\u0d2e\u0d3e\u0d23\u0d4d. \u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d33\u0d41\u0d1f\u0d46 \u0d09\u0d2a\u0d15\u0d30\u0d23\u0d24\u0d4d\u0d24\u0d3f\u0d28\u0d4d\u0d31\u0d46 \u0d2a\u0d4d\u0d30\u0d3e\u0d26\u0d47\u0d36\u0d3f\u0d15 \u0d38\u0d02\u0d2d\u0d30\u0d23\u0d24\u0d4d\u0d24\u0d3f\u0d32\u0d3e\u0d23\u0d4d \u0d15\u0d40\u0d15\u0d7e \u0d38\u0d02\u0d2d\u0d30\u0d3f\u0d1a\u0d4d\u0d1a\u0d3f\u0d30\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d28\u0d4d\u0d28\u0d24\u0d4d." + }, + "Page": { + "notPartOfProject": "\u0d28\u0d3f\u0d19\u0d4d\u0d19\u0d7e \u0d08 \u0d2a\u0d26\u0d4d\u0d27\u0d24\u0d3f\u0d2f\u0d41\u0d1f\u0d46 \u0d2d\u0d3e\u0d17\u0d2e\u0d32\u0d4d\u0d32." + }, + "ResumeButton": { + "resumeChat": "\u0d38\u0d02\u0d2d\u0d3e\u0d37\u0d23\u0d02 \u0d2a\u0d41\u0d28\u0d30\u0d3e\u0d30\u0d02\u0d2d\u0d3f\u0d15\u0d4d\u0d15\u0d41\u0d15" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/mr.json b/project-chatbot/code/.chainlit/translations/mr.json new file mode 100644 index 0000000..f0011ce --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/mr.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "settingsKey": "S", + "APIKeys": "\u090f\u092a\u0940\u0906\u092f \u0915\u0940\u091c", + "logout": "Logout" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0928\u0935\u0940\u0928 \u0917\u092a\u094d\u092a\u093e" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0915\u093e\u0930\u094d\u092f \u0938\u0942\u091a\u0940", + "loading": "\u0932\u094b\u0921\u093f\u0902\u0917...", + "error": "\u090f\u0915 \u0924\u094d\u0930\u0941\u091f\u0940 \u091d\u093e\u0932\u0940" + } + }, + "attachments": { + "cancelUpload": "\u0905\u092a\u0932\u094b\u0921 \u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "removeAttachment": "\u0938\u0902\u0932\u0917\u094d\u0928\u0924\u093e \u0915\u093e\u0922\u0942\u0928 \u091f\u093e\u0915\u093e" + }, + "newChatDialog": { + "createNewChat": "\u0928\u0935\u0940\u0928 \u091a\u0945\u091f \u0924\u092f\u093e\u0930 \u0915\u0930\u093e?", + "clearChat": "\u092f\u093e\u092e\u0941\u0933\u0947 \u0938\u0927\u094d\u092f\u093e\u091a\u0947 \u092e\u0947\u0938\u0947\u091c \u0915\u094d\u0932\u093f\u0905\u0930 \u0939\u094b\u0924\u0940\u0932 \u0906\u0923\u093f \u0928\u0935\u0940\u0928 \u091a\u0945\u091f \u0938\u0941\u0930\u0942 \u0939\u094b\u0908\u0932.", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "confirm": "\u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e" + }, + "settingsModal": { + "settings": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938", + "expandMessages": "\u0938\u0902\u0926\u0947\u0936 \u093e\u0902\u091a\u093e \u0935\u093f\u0938\u094d\u0924\u093e\u0930 \u0915\u0930\u093e", + "hideChainOfThought": "\u0935\u093f\u091a\u093e\u0930\u093e\u0902\u091a\u0940 \u0938\u093e\u0916\u0933\u0940 \u0932\u092a\u0935\u093e", + "darkMode": "\u0921\u093e\u0930\u094d\u0915 \u092e\u094b\u0921" + }, + "detailsButton": { + "using": "\u0935\u093e\u092a\u0930\u0924", + "running": "\u0927\u093e\u0935\u0924 \u0906\u0939\u0947.", + "took_one": "{{count}} \u092a\u093e\u090a\u0932 \u0909\u091a\u0932\u0932\u0947", + "took_other": "{{count}} \u092a\u093e\u0935\u0932\u0947 \u0909\u091a\u0932\u0932\u0940" + }, + "auth": { + "authLogin": { + "title": "\u0905 \u0945\u092a\u092e\u0927\u094d\u092f\u0947 \u092a\u094d\u0930\u0935\u0947\u0936 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0932\u0949\u0917\u093f\u0928 \u0915\u0930\u093e.", + "form": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e", + "password": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "noAccount": "\u0916\u093e\u0924\u0947 \u0928\u093e\u0939\u0940 \u0915\u093e?", + "alreadyHaveAccount": "\u0906\u0927\u0940\u091a \u0916\u093e\u0924\u0947 \u0906\u0939\u0947 \u0915\u093e?", + "signup": "\u0938\u093e\u0907\u0928 \u0905\u092a \u0915\u0930\u093e", + "signin": "\u0938\u093e\u0907\u0928 \u0907\u0928", + "or": "\u0915\u093f\u0902\u0935\u093e", + "continue": "\u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e", + "forgotPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0935\u093f\u0938\u0930\u0932\u093e?", + "passwordMustContain": "\u0906\u092a\u0932\u094d\u092f\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921\u092e\u0927\u094d\u092f\u0947 \u0939\u0947 \u0905\u0938\u0923\u0947 \u0906\u0935\u0936\u094d\u092f\u0915 \u0906\u0939\u0947:", + "emailRequired": "\u0908\u092e\u0947\u0932 \u0939\u0947 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947", + "passwordRequired": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0939\u0947 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947" + }, + "error": { + "default": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u0938 \u0905\u0915\u094d\u0937\u092e.", + "signin": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "oauthsignin": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "redirect_uri_mismatch": "\u0930\u093f\u0921\u093e\u092f\u0930\u0947\u0915\u094d\u091f \u092f\u0942\u0906\u0930\u0906\u092f \u0911\u0925 \u0905\u0945\u092a \u0915\u0949\u0928\u094d\u092b\u093f\u0917\u0930\u0947\u0936\u0928\u0936\u0940 \u091c\u0941\u0933\u0924 \u0928\u093e\u0939\u0940.", + "oauthcallbackerror": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "oauthcreateaccount": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "emailcreateaccount": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "callback": "\u0935\u0947\u0917\u0933\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u093e \u092a\u094d\u0930\u092f\u0924\u094d\u0928 \u0915\u0930\u093e.", + "oauthaccountnotlinked": "\u0906\u092a\u0932\u0940 \u0913\u0933\u0916 \u0928\u093f\u0936\u094d\u091a\u093f\u0924 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940, \u0906\u092a\u0923 \u092e\u0942\u0933\u0935\u093e\u092a\u0930\u0932\u0947\u0932\u094d\u092f\u093e \u0916\u093e\u0924\u094d\u092f\u093e\u0938\u0939 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u093e.", + "emailsignin": "\u0908-\u092e\u0947\u0932 \u092a\u093e\u0920\u0935\u0924\u093e \u0906\u0932\u093e \u0928\u093e\u0939\u0940.", + "emailverify": "\u0915\u0943\u092a\u092f\u093e \u0906\u092a\u0932\u094d\u092f\u093e \u0908\u092e\u0947\u0932\u091a\u0940 \u092a\u0921\u0924\u093e\u0933\u0923\u0940 \u0915\u0930\u093e, \u090f\u0915 \u0928\u0935\u0940\u0928 \u0908\u092e\u0947\u0932 \u092a\u093e\u0920\u0935\u093f\u0932\u093e \u0917\u0947\u0932\u093e \u0906\u0939\u0947.", + "credentialssignin": "\u0938\u093e\u0907\u0928 \u0907\u0928 \u0905\u092f\u0936\u0938\u094d\u0935\u0940 \u091d\u093e\u0932\u0947. \u0906\u092a\u0923 \u0926\u093f\u0932\u0947\u0932\u093e \u0924\u092a\u0936\u0940\u0932 \u092f\u094b\u0917\u094d\u092f \u0906\u0939\u0947 \u0939\u0947 \u0924\u092a\u093e\u0938\u093e.", + "sessionrequired": "\u0915\u0943\u092a\u092f\u093e \u092f\u093e \u092a\u0943\u0937\u094d\u0920\u093e\u0935\u0930 \u092a\u094d\u0930\u0935\u0947\u0936 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0938\u093e\u0907\u0928 \u0907\u0928 \u0915\u0930\u093e." + } + }, + "authVerifyEmail": { + "almostThere": "\u0924\u0942 \u091c\u0935\u0933\u091c\u0935\u0933 \u0924\u093f\u0925\u0947\u091a \u0906\u0939\u0947\u0938! \u0906\u092e\u094d\u0939\u0940 \u090f\u0915 \u0908\u092e\u0947\u0932 \u092a\u093e\u0920\u0935\u0932\u093e \u0906\u0939\u0947. ", + "verifyEmailLink": "\u0906\u092a\u0932\u0947 \u0938\u093e\u0907\u0928\u0905\u092a \u092a\u0942\u0930\u094d\u0923 \u0915\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0915\u0943\u092a\u092f\u093e \u0924\u094d\u092f\u093e \u0908\u092e\u0947\u0932\u092e\u0927\u0940\u0932 \u0932\u093f\u0902\u0915\u0935\u0930 \u0915\u094d\u0932\u093f\u0915 \u0915\u0930\u093e.", + "didNotReceive": "\u0908\u092e\u0947\u0932 \u0938\u093e\u092a\u0921\u0924 \u0928\u093e\u0939\u0940 \u0915\u093e?", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u094d\u0939\u093e \u092a\u093e\u0920\u0935\u093e", + "goBack": "\u092a\u0930\u0924 \u091c\u093e", + "emailSent": "\u0908\u092e\u0947\u0932 \u092f\u0936\u0938\u094d\u0935\u0940\u0930\u093f\u0924\u094d\u092f\u093e \u092a\u093e\u0920\u0935\u093f\u0932\u093e.", + "verifyEmail": "\u0906\u092a\u0932\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e \u092a\u0921\u0924\u093e\u0933\u0942\u0928 \u092a\u0939\u093e" + }, + "providerButton": { + "continue": "{{provider}} \u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e", + "signup": "{{provider}} \u0938\u0939 \u0938\u093e\u0907\u0928 \u0905\u092a \u0915\u0930\u093e" + }, + "authResetPassword": { + "newPasswordRequired": "\u0928\u0935\u0940\u0928 \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0939\u0947 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947", + "passwordsMustMatch": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u091c\u0941\u0933\u0923\u0947 \u0906\u0935\u0936\u094d\u092f\u0915 \u0906\u0939\u0947", + "confirmPasswordRequired": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947 \u092f\u093e\u091a\u0940 \u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e", + "newPassword": "\u0928\u0935\u0940\u0928 \u092a\u093e\u0938\u0935\u0930\u094d\u0921", + "confirmPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u091a\u0940 \u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e", + "resetPassword": "\u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u093e" + }, + "authForgotPassword": { + "email": "\u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e", + "emailRequired": "\u0908\u092e\u0947\u0932 \u0939\u0947 \u090f\u0915 \u0906\u0935\u0936\u094d\u092f\u0915 \u0915\u094d\u0937\u0947\u0924\u094d\u0930 \u0906\u0939\u0947", + "emailSent": "\u0906\u092a\u0932\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u094d\u092f\u093e \u0938\u0942\u091a\u0928\u093e\u0902\u0938\u093e\u0920\u0940 \u0915\u0943\u092a\u092f\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e {{email}} \u0924\u092a\u093e\u0938\u093e.", + "enterEmail": "\u0906\u092a\u0932\u093e \u0908\u092e\u0947\u0932 \u092a\u0924\u094d\u0924\u093e \u092a\u094d\u0930\u0935\u093f\u0937\u094d\u091f \u0915\u0930\u093e \u0906\u0923\u093f \u0906\u092e\u094d\u0939\u0940 \u0906\u092a\u0932\u094d\u092f\u093e\u0932\u093e \u0906\u092a\u0932\u093e \u092a\u093e\u0938\u0935\u0930\u094d\u0921 \u0930\u0940\u0938\u0947\u091f \u0915\u0930\u0923\u094d\u092f\u093e\u091a\u094d\u092f\u093e \u0938\u0942\u091a\u0928\u093e \u092a\u093e\u0920\u0935\u0942.", + "resendEmail": "\u0908\u092e\u0947\u0932 \u092a\u0941\u0928\u094d\u0939\u093e \u092a\u093e\u0920\u0935\u093e", + "continue": "\u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e", + "goBack": "\u092a\u0930\u0924 \u091c\u093e" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0907\u0924\u093f\u0939\u093e\u0938 \u0926\u093e\u0916\u0935\u093e", + "lastInputs": "\u0936\u0947\u0935\u091f\u091a\u0940 \u092e\u093e\u0939\u093f\u0924\u0940", + "noInputs": "\u0907\u0924\u0915\u0940 \u0930\u093f\u0915\u093e\u092e\u0940...", + "loading": "\u0932\u094b\u0921\u093f\u0902\u0917..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0924\u0941\u092e\u091a\u093e \u092e\u0947\u0938\u0947\u091c \u0907\u0925\u0947 \u091f\u093e\u0908\u092a \u0915\u0930\u093e..." + }, + "speechButton": { + "start": "\u0930\u0947\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u0938\u0941\u0930\u0942 \u0915\u0930\u093e", + "stop": "\u0930\u0947\u0915\u0949\u0930\u094d\u0921\u093f\u0902\u0917 \u0925\u093e\u0902\u092c\u0935\u093e" + }, + "SubmitButton": { + "sendMessage": "\u0938\u0902\u0926\u0947\u0936 \u092a\u093e\u0920\u0935\u093e", + "stopTask": "\u0915\u093e\u0930\u094d\u092f \u0925\u093e\u0902\u092c\u0935\u093e" + }, + "UploadButton": { + "attachFiles": "\u092b\u093e\u0908\u0932\u094d\u0938 \u0938\u0902\u0932\u0917\u094d\u0928 \u0915\u0930\u093e" + }, + "waterMark": { + "text": "\u092f\u093e\u0938\u0939 \u092c\u093e\u0902\u0927\u0932\u0947 \u0906\u0939\u0947" + } + }, + "Messages": { + "index": { + "running": "\u0927\u093e\u0935\u0924 \u0906\u0939\u0947.", + "executedSuccessfully": "\u092f\u0936\u0938\u094d\u0935\u0940\u0930\u093f\u0924\u094d\u092f\u093e \u0930\u093e\u092c\u0935\u093f\u0932\u0940", + "failed": "\u0905\u092a\u092f\u0936\u0940 \u0920\u0930\u0932\u0947", + "feedbackUpdated": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f \u0905\u0926\u094d\u092f\u092f\u093e\u0935\u0924", + "updating": "\u0905\u0926\u094d\u092f\u092f\u093e\u0935\u0924 \u0915\u0930\u0923\u0947" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0906\u092a\u0932\u094d\u092f\u093e \u092b\u093e\u092f\u0932\u0940 \u092f\u0947\u0925\u0947 \u091f\u093e\u0915\u093e" + }, + "index": { + "failedToUpload": "\u0905\u092a\u0932\u094b\u0921 \u0915\u0930\u0923\u094d\u092f\u093e\u0924 \u0905\u092a\u092f\u0936 \u0906\u0932\u0947", + "cancelledUploadOf": "\u0930\u0926\u094d\u0926 \u0915\u0947\u0932\u0947\u0932\u0947 \u0905\u092a\u0932\u094b\u0921", + "couldNotReachServer": "\u0938\u0930\u094d\u0935\u094d\u0939\u0930\u092a\u0930\u094d\u092f\u0902\u0924 \u092a\u094b\u0939\u094b\u091a\u0942 \u0936\u0915\u0932\u0947 \u0928\u093e\u0939\u0940", + "continuingChat": "\u092e\u093e\u0917\u0940\u0932 \u0917\u092a\u094d\u092a\u093e \u091a\u093e\u0932\u0942 \u0920\u0947\u0935\u093e" + }, + "settings": { + "settingsPanel": "\u0938\u0947\u091f\u093f\u0902\u0917\u094d\u0938 \u092a\u0945\u0928\u0947\u0932", + "reset": "\u0930\u0940\u0938\u0947\u091f \u0915\u0930\u093e", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "confirm": "\u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f: \u0938\u0930\u094d\u0935", + "feedbackPositive": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f: \u0938\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915", + "feedbackNegative": "\u0905\u092d\u093f\u092a\u094d\u0930\u093e\u092f: \u0928\u0915\u093e\u0930\u093e\u0924\u094d\u092e\u0915" + }, + "SearchBar": { + "search": "\u0936\u094b\u0927\u0923\u0947" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0939\u0947 \u0927\u093e\u0917\u093e \u0924\u0938\u0947\u091a \u0924\u094d\u092f\u093e\u0924\u0940\u0932 \u0938\u0902\u0926\u0947\u0936 \u0906\u0923\u093f \u0918\u091f\u0915 \u0921\u093f\u0932\u0940\u091f \u0915\u0930\u0947\u0932.", + "cancel": "\u0930\u0926\u094d\u0926 \u0915\u0930\u093e", + "confirm": "\u092a\u0941\u0937\u094d\u091f\u0940 \u0915\u0930\u093e", + "deletingChat": "\u091a\u0945\u091f \u0921\u093f\u0932\u0940\u091f \u0915\u0930\u0923\u0947", + "chatDeleted": "\u091a\u0945\u091f \u0921\u093f\u0932\u0940\u091f" + }, + "index": { + "pastChats": "\u092e\u093e\u0917\u0940\u0932 \u0917\u092a\u094d\u092a\u093e" + }, + "ThreadList": { + "empty": "\u0930\u093f\u0915\u094d\u0924\u0964\u0964\u0964", + "today": "\u0906\u091c", + "yesterday": "\u0915\u093e\u0932", + "previous7days": "\u092e\u093e\u0917\u0940\u0932 7 \u0926\u093f\u0935\u0938", + "previous30days": "\u092e\u093e\u0917\u0940\u0932 \u0969\u0966 \u0926\u093f\u0935\u0938" + }, + "TriggerButton": { + "closeSidebar": "\u0938\u093e\u0907\u0921\u092c\u093e\u0930 \u092c\u0902\u0926 \u0915\u0930\u093e", + "openSidebar": "\u0913\u092a\u0928 \u0938\u093e\u0907\u0921\u092c\u093e\u0930" + } + }, + "Thread": { + "backToChat": "\u092a\u0930\u0924 \u0917\u092a\u094d\u092a\u093e \u092e\u093e\u0930\u093e\u092f\u0932\u093e \u091c\u093e", + "chatCreatedOn": "\u0939\u0947 \u091a\u0945\u091f \u0924\u092f\u093e\u0930 \u0915\u0930\u0923\u094d\u092f\u093e\u0924 \u0906\u0932\u0947 \u0939\u094b\u0924\u0947." + } + }, + "header": { + "chat": "\u092c\u0915\u0935\u093e\u0926 \u0915\u0930\u0923\u0947\u0902", + "readme": "\u0935\u093e\u091a\u093e" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u092a\u094d\u0930\u0926\u093e\u0924\u094d\u092f\u093e\u0902\u0928\u093e \u0906\u0923\u0923\u094d\u092f\u093e\u0924 \u0905\u092a\u092f\u0936\u0940:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u092f\u0936\u0938\u094d\u0935\u0940\u0930\u093f\u0924\u094d\u092f\u093e \u0935\u093e\u091a\u0935\u0932\u0947", + "requiredApiKeys": "\u0906\u0935\u0936\u094d\u092f\u0915 \u090f\u092a\u0940\u0906\u092f \u091a\u093e\u0935\u094d\u092f\u093e", + "requiredApiKeysInfo": "\u0939\u0947 \u0905\u0945\u092a \u0935\u093e\u092a\u0930\u0923\u094d\u092f\u093e\u0938\u093e\u0920\u0940 \u0916\u093e\u0932\u0940\u0932 \u090f\u092a\u0940\u0906\u092f \u091a\u093e\u0935\u094d\u092f\u093e \u0906\u0935\u0936\u094d\u092f\u0915 \u0906\u0939\u0947\u0924. \u091a\u093e\u0935\u094d\u092f\u093e \u0906\u092a\u0932\u094d\u092f\u093e \u0921\u093f\u0935\u094d\u0939\u093e\u0907\u0938\u091a\u094d\u092f\u093e \u0938\u094d\u0925\u093e\u0928\u093f\u0915 \u0938\u094d\u091f\u094b\u0930\u0947\u091c\u0935\u0930 \u0938\u0902\u0917\u094d\u0930\u0939\u093f\u0924 \u0915\u0947\u0932\u094d\u092f\u093e \u091c\u093e\u0924\u093e\u0924." + }, + "Page": { + "notPartOfProject": "\u0924\u0941\u092e\u094d\u0939\u0940 \u092f\u093e \u092a\u094d\u0930\u0915\u0932\u094d\u092a\u093e\u091a\u093e \u092d\u093e\u0917 \u0928\u093e\u0939\u0940." + }, + "ResumeButton": { + "resumeChat": "\u091a\u0945\u091f \u092a\u0941\u0928\u094d\u0939\u093e \u0938\u0941\u0930\u0942 \u0915\u0930\u093e" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/ta.json b/project-chatbot/code/.chainlit/translations/ta.json new file mode 100644 index 0000000..b1eccf5 --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/ta.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0b85\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd", + "settingsKey": "S", + "APIKeys": "API \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd", + "logout": "\u0bb5\u0bc6\u0bb3\u0bbf\u0baf\u0bc7\u0bb1\u0bc1" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0baa\u0ba3\u0bbf \u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bb2\u0bcd", + "loading": "\u0b8f\u0bb1\u0bcd\u0bb1\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1...", + "error": "\u0b92\u0bb0\u0bc1 \u0baa\u0bbf\u0bb4\u0bc8 \u0b8f\u0bb1\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1" + } + }, + "attachments": { + "cancelUpload": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0ba4\u0bcd\u0ba4\u0bc8 \u0bb0\u0ba4\u0bcd\u0ba4\u0bc1\u0b9a\u0bc6\u0baf\u0bcd", + "removeAttachment": "\u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc8 \u0b85\u0b95\u0bb1\u0bcd\u0bb1\u0bc1" + }, + "newChatDialog": { + "createNewChat": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8 \u0b89\u0bb0\u0bc1\u0bb5\u0bbe\u0b95\u0bcd\u0b95\u0bb5\u0bbe?", + "clearChat": "\u0b87\u0ba4\u0bc1 \u0ba4\u0bb1\u0bcd\u0baa\u0bcb\u0ba4\u0bc8\u0baf \u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0b95\u0bb3\u0bc8 \u0b85\u0bb4\u0bbf\u0ba4\u0bcd\u0ba4\u0bc1 \u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8\u0ba4\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bc1\u0bae\u0bcd.", + "cancel": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1", + "confirm": "\u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0b9a\u0bc6\u0baf\u0bcd" + }, + "settingsModal": { + "settings": "\u0b85\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd", + "expandMessages": "\u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0b95\u0bb3\u0bc8 \u0bb5\u0bbf\u0bb0\u0bbf\u0bb5\u0bbe\u0b95\u0bcd\u0b95\u0bc1", + "hideChainOfThought": "\u0b9a\u0bbf\u0ba8\u0bcd\u0ba4\u0ba9\u0bc8\u0b9a\u0bcd \u0b9a\u0b99\u0bcd\u0b95\u0bbf\u0bb2\u0bbf\u0baf\u0bc8 \u0bae\u0bb1\u0bc8\u0ba4\u0bcd\u0ba4\u0bc1", + "darkMode": "\u0b87\u0bb0\u0bc1\u0ba3\u0bcd\u0b9f \u0baa\u0baf\u0ba9\u0bcd\u0bae\u0bc1\u0bb1\u0bc8" + }, + "detailsButton": { + "using": "\u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf", + "running": "\u0b93\u0b9f\u0bc1\u0ba4\u0bb2\u0bcd", + "took_one": "{{count}} \u0b85\u0b9f\u0bbf \u0b8e\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1 \u0bb5\u0bc8\u0ba4\u0bcd\u0ba4\u0bbe\u0bb0\u0bcd", + "took_other": "{{count}} \u0baa\u0b9f\u0bbf\u0b95\u0bb3\u0bc8 \u0b8e\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbe\u0bb0\u0bcd" + }, + "auth": { + "authLogin": { + "title": "\u0baa\u0baf\u0ba9\u0bcd\u0baa\u0bbe\u0b9f\u0bcd\u0b9f\u0bc8 \u0b85\u0ba3\u0bc1\u0b95 \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0b95.", + "form": { + "email": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf", + "password": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd", + "noAccount": "\u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1 \u0b87\u0bb2\u0bcd\u0bb2\u0bc8\u0baf\u0bbe?", + "alreadyHaveAccount": "\u0b8f\u0bb1\u0bcd\u0b95\u0ba9\u0bb5\u0bc7 \u0b92\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1 \u0b89\u0bb3\u0bcd\u0bb3\u0ba4\u0bbe?", + "signup": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc1\u0baa\u0bc6\u0bb1\u0bc1", + "signin": "\u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0b95", + "or": "\u0b85\u0bb2\u0bcd\u0bb2\u0ba4\u0bc1", + "continue": "\u0ba4\u0bca\u0b9f\u0bb0\u0bcd", + "forgotPassword": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bb1\u0ba8\u0bcd\u0ba4\u0bc1\u0bb5\u0bbf\u0b9f\u0bcd\u0b9f\u0bc0\u0bb0\u0bcd\u0b95\u0bb3\u0bbe?", + "passwordMustContain": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bbf\u0bb2\u0bcd \u0b87\u0bb5\u0bc8 \u0b87\u0bb0\u0bc1\u0b95\u0bcd\u0b95 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd:", + "emailRequired": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b92\u0bb0\u0bc1 \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "passwordRequired": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd" + }, + "error": { + "default": "\u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0b87\u0baf\u0bb2\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8.", + "signin": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "oauthsignin": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "redirect_uri_mismatch": "\u0bb5\u0bb4\u0bbf\u0bae\u0bbe\u0bb1\u0bcd\u0bb1\u0bc1 URI oauth \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1 \u0b89\u0bb3\u0bcd\u0bb3\u0bae\u0bc8\u0bb5\u0bc1\u0b9f\u0ba9\u0bcd \u0baa\u0bca\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8.", + "oauthcallbackerror": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "oauthcreateaccount": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "emailcreateaccount": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "callback": "\u0bb5\u0bc7\u0bb1\u0bca\u0bb0\u0bc1 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf \u0bae\u0bc1\u0baf\u0bb1\u0bcd\u0b9a\u0bbf\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "oauthaccountnotlinked": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b85\u0b9f\u0bc8\u0baf\u0bbe\u0bb3\u0ba4\u0bcd\u0ba4\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4, \u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0bc1\u0ba4\u0bb2\u0bbf\u0bb2\u0bcd \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bbf\u0baf \u0b85\u0ba4\u0bc7 \u0b95\u0ba3\u0b95\u0bcd\u0b95\u0bc1\u0b9f\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf\u0bb5\u0bc1\u0bae\u0bcd.", + "emailsignin": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa \u0b87\u0baf\u0bb2\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8.", + "emailverify": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1\u0b99\u0bcd\u0b95\u0bb3\u0bcd, \u0b92\u0bb0\u0bc1 \u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1.", + "credentialssignin": "\u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0bb5\u0bc1 \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1. \u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bb5\u0bb4\u0b99\u0bcd\u0b95\u0bbf\u0baf \u0bb5\u0bbf\u0bb5\u0bb0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bb0\u0bbf\u0baf\u0bbe\u0ba9\u0ba4\u0bbe \u0b8e\u0ba9\u0bcd\u0bb1\u0bc1 \u0b9a\u0bb0\u0bbf\u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "sessionrequired": "\u0b87\u0ba8\u0bcd\u0ba4\u0baa\u0bcd \u0baa\u0b95\u0bcd\u0b95\u0ba4\u0bcd\u0ba4\u0bc8 \u0b85\u0ba3\u0bc1\u0b95 \u0b89\u0bb3\u0bcd\u0ba8\u0bc1\u0bb4\u0bc8\u0baf\u0bb5\u0bc1\u0bae\u0bcd." + } + }, + "authVerifyEmail": { + "almostThere": "\u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0bbf\u0b9f\u0bcd\u0b9f\u0ba4\u0bcd\u0ba4\u0b9f\u0bcd\u0b9f \u0bb5\u0ba8\u0bcd\u0ba4\u0bc1\u0bb5\u0bbf\u0b9f\u0bcd\u0b9f\u0bc0\u0bb0\u0bcd\u0b95\u0bb3\u0bcd! -\u0b95\u0bcd\u0b95\u0bc1 \u0b92\u0bb0\u0bc1 \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bbf\u0baf\u0bc1\u0bb3\u0bcd\u0bb3\u0bcb\u0bae\u0bcd ", + "verifyEmailLink": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0baa\u0ba4\u0bbf\u0bb5\u0bc1\u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bb2\u0bc8 \u0ba8\u0bbf\u0bb1\u0bc8\u0bb5\u0bc1\u0b9a\u0bc6\u0baf\u0bcd\u0baf \u0b85\u0ba8\u0bcd\u0ba4 \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bbf\u0bb2\u0bcd \u0b89\u0bb3\u0bcd\u0bb3 \u0b87\u0ba3\u0bc8\u0baa\u0bcd\u0baa\u0bc8\u0b95\u0bcd \u0b95\u0bbf\u0bb3\u0bbf\u0b95\u0bcd \u0b9a\u0bc6\u0baf\u0bcd\u0baf\u0bb5\u0bc1\u0bae\u0bcd.", + "didNotReceive": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8\u0b95\u0bcd \u0b95\u0ba3\u0bcd\u0b9f\u0bc1\u0baa\u0bbf\u0b9f\u0bbf\u0b95\u0bcd\u0b95 \u0bae\u0bc1\u0b9f\u0bbf\u0baf\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8\u0baf\u0bbe?", + "resendEmail": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bb5\u0bc1\u0bae\u0bcd", + "goBack": "\u0baa\u0bbf\u0ba9\u0bcd \u0b9a\u0bc6\u0bb2\u0bcd", + "emailSent": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bb5\u0bc6\u0bb1\u0bcd\u0bb1\u0bbf\u0b95\u0bb0\u0bae\u0bbe\u0b95 \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1.", + "verifyEmail": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b88\u0bae\u0bc6\u0baf\u0bbf\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf\u0baf\u0bc8\u0b9a\u0bcd \u0b9a\u0bb0\u0bbf\u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + }, + "providerButton": { + "continue": "{{provider}} \u0b89\u0b9f\u0ba9\u0bcd \u0ba4\u0bca\u0b9f\u0bb0\u0bb5\u0bc1\u0bae\u0bcd", + "signup": "{{provider}} \u0b89\u0b9f\u0ba9\u0bcd \u0baa\u0ba4\u0bbf\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0b95" + }, + "authResetPassword": { + "newPasswordRequired": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "passwordsMustMatch": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb1\u0bcd\u0b95\u0bb3\u0bcd \u0baa\u0bca\u0bb0\u0bc1\u0ba8\u0bcd\u0ba4 \u0bb5\u0bc7\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd", + "confirmPasswordRequired": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bb5\u0bc1\u0bae\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "newPassword": "\u0baa\u0bc1\u0ba4\u0bbf\u0baf \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd", + "confirmPassword": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0bb5\u0bc1\u0bae\u0bcd", + "resetPassword": "\u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8" + }, + "authForgotPassword": { + "email": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf", + "emailRequired": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0b92\u0bb0\u0bc1 \u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 \u0baa\u0bc1\u0bb2\u0bae\u0bcd", + "emailSent": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0ba4\u0bb1\u0bcd\u0b95\u0bbe\u0ba9 \u0bb5\u0bb4\u0bbf\u0bae\u0bc1\u0bb1\u0bc8\u0b95\u0bb3\u0bc1\u0b95\u0bcd\u0b95\u0bc1 {{email}} \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf\u0baf\u0bc8 \u0b9a\u0bb0\u0bbf\u0baa\u0bbe\u0bb0\u0bcd\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd.", + "enterEmail": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bcd \u0bae\u0bc1\u0b95\u0bb5\u0bb0\u0bbf\u0baf\u0bc8 \u0b89\u0bb3\u0bcd\u0bb3\u0bbf\u0b9f\u0bb5\u0bc1\u0bae\u0bcd, \u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0b9f\u0bb5\u0bc1\u0b9a\u0bcd\u0b9a\u0bca\u0bb2\u0bcd\u0bb2\u0bc8 \u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8\u0b95\u0bcd\u0b95 \u0ba8\u0bbe\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bc1\u0b95\u0bcd\u0b95\u0bc1 \u0bb5\u0bb4\u0bbf\u0bae\u0bc1\u0bb1\u0bc8\u0b95\u0bb3\u0bc8 \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bc1\u0bb5\u0bcb\u0bae\u0bcd.", + "resendEmail": "\u0bae\u0bbf\u0ba9\u0bcd\u0ba9\u0b9e\u0bcd\u0b9a\u0bb2\u0bc8 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bb5\u0bc1\u0bae\u0bcd", + "continue": "\u0ba4\u0bca\u0b9f\u0bb0\u0bcd", + "goBack": "\u0baa\u0bbf\u0ba9\u0bcd \u0b9a\u0bc6\u0bb2\u0bcd" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0bb5\u0bb0\u0bb2\u0bbe\u0bb1\u0bcd\u0bb1\u0bc8\u0b95\u0bcd \u0b95\u0bbe\u0b9f\u0bcd\u0b9f\u0bc1\u0b95", + "lastInputs": "\u0b95\u0b9f\u0bc8\u0b9a\u0bbf \u0b89\u0bb3\u0bcd\u0bb3\u0bc0\u0b9f\u0bc1\u0b95\u0bb3\u0bcd", + "noInputs": "\u0b85\u0bb5\u0bcd\u0bb5\u0bb3\u0bb5\u0bc1 \u0bb5\u0bc6\u0bb1\u0bc1\u0bae\u0bc8...", + "loading": "\u0b8f\u0bb1\u0bcd\u0bb1\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0baf\u0bc8 \u0b87\u0b99\u0bcd\u0b95\u0bc7 \u0ba4\u0b9f\u0bcd\u0b9f\u0b9a\u0bcd\u0b9a\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0b95..." + }, + "speechButton": { + "start": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0baf\u0ba4\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bc1", + "stop": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0bb5\u0ba4\u0bc8 \u0ba8\u0bbf\u0bb1\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1" + }, + "SubmitButton": { + "sendMessage": "\u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf \u0b85\u0ba9\u0bc1\u0baa\u0bcd\u0baa\u0bc1", + "stopTask": "\u0baa\u0ba3\u0bbf\u0baf\u0bc8 \u0ba8\u0bbf\u0bb1\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1" + }, + "UploadButton": { + "attachFiles": "\u0b95\u0bcb\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bc8 \u0b87\u0ba3\u0bc8\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + }, + "waterMark": { + "text": "\u0b89\u0b9f\u0ba9\u0bcd \u0b95\u0b9f\u0bcd\u0b9f\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1" + } + }, + "Messages": { + "index": { + "running": "\u0b93\u0b9f\u0bc1\u0ba4\u0bb2\u0bcd", + "executedSuccessfully": "\u0bb5\u0bc6\u0bb1\u0bcd\u0bb1\u0bbf\u0b95\u0bb0\u0bae\u0bbe\u0b95 \u0b9a\u0bc6\u0baf\u0bb2\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1", + "failed": "\u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf\u0baf\u0bc1\u0bb1\u0bcd\u0bb1\u0ba4\u0bc1", + "feedbackUpdated": "\u0b95\u0bb0\u0bc1\u0ba4\u0bcd\u0ba4\u0bc1 \u0baa\u0bc1\u0ba4\u0bc1\u0baa\u0bcd\u0baa\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1", + "updating": "\u0baa\u0bc1\u0ba4\u0bc1\u0baa\u0bcd\u0baa\u0bbf\u0b95\u0bcd\u0b95\u0bbf\u0bb1\u0ba4\u0bc1" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b95\u0bcb\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bc8 \u0b87\u0b99\u0bcd\u0b95\u0bc7 \u0bb5\u0bbf\u0b9f\u0bc1\u0b99\u0bcd\u0b95\u0bb3\u0bcd:" + }, + "index": { + "failedToUpload": "\u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0bc1\u0bb5\u0ba4\u0bbf\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf", + "cancelledUploadOf": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1 \u0b9a\u0bc6\u0baf\u0bcd\u0baf\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f \u0baa\u0ba4\u0bbf\u0bb5\u0bc7\u0bb1\u0bcd\u0bb1\u0bae\u0bcd", + "couldNotReachServer": "\u0b9a\u0bc7\u0bb5\u0bc8\u0baf\u0b95\u0ba4\u0bcd\u0ba4\u0bc8 \u0b85\u0b9f\u0bc8\u0baf \u0bae\u0bc1\u0b9f\u0bbf\u0baf\u0bb5\u0bbf\u0bb2\u0bcd\u0bb2\u0bc8", + "continuingChat": "\u0ba4\u0bca\u0b9f\u0bb0\u0bc1\u0bae\u0bcd \u0bae\u0bc1\u0ba8\u0bcd\u0ba4\u0bc8\u0baf \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8" + }, + "settings": { + "settingsPanel": "\u0b85\u0bae\u0bc8\u0baa\u0bcd\u0baa\u0bc1\u0b95\u0bb3\u0bcd \u0b95\u0bc1\u0bb4\u0bc1", + "reset": "\u0bae\u0bc0\u0b9f\u0bcd\u0b9f\u0bae\u0bc8", + "cancel": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1", + "confirm": "\u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0b9a\u0bc6\u0baf\u0bcd" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0baa\u0bbf\u0ba9\u0bcd\u0ba9\u0bc2\u0b9f\u0bcd\u0b9f\u0bae\u0bcd: \u0b85\u0ba9\u0bc8\u0ba4\u0bcd\u0ba4\u0bc1\u0bae\u0bcd", + "feedbackPositive": "\u0baa\u0bbf\u0ba9\u0bcd\u0ba9\u0bc2\u0b9f\u0bcd\u0b9f\u0bae\u0bcd: \u0ba8\u0bc7\u0bb0\u0bcd\u0bae\u0bb1\u0bc8", + "feedbackNegative": "\u0baa\u0bbf\u0ba9\u0bcd\u0ba9\u0bc2\u0b9f\u0bcd\u0b9f\u0bae\u0bcd: \u0b8e\u0ba4\u0bbf\u0bb0\u0bcd\u0bae\u0bb1\u0bc8" + }, + "SearchBar": { + "search": "\u0ba4\u0bc7\u0b9f\u0bc1" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0b87\u0ba4\u0bc1 \u0ba8\u0bc2\u0bb2\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b85\u0ba4\u0ba9\u0bcd \u0b9a\u0bc6\u0baf\u0bcd\u0ba4\u0bbf\u0b95\u0bb3\u0bcd \u0bae\u0bb1\u0bcd\u0bb1\u0bc1\u0bae\u0bcd \u0b95\u0bc2\u0bb1\u0bc1\u0b95\u0bb3\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0bc1\u0bae\u0bcd.", + "cancel": "\u0bb0\u0ba4\u0bcd\u0ba4\u0bc1", + "confirm": "\u0b89\u0bb1\u0bc1\u0ba4\u0bbf\u0b9a\u0bc6\u0baf\u0bcd", + "deletingChat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0bc1\u0b95\u0bbf\u0bb1\u0ba4\u0bc1", + "chatDeleted": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8 \u0ba8\u0bc0\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1" + }, + "index": { + "pastChats": "\u0b95\u0b9f\u0ba8\u0bcd\u0ba4 \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0b95\u0bb3\u0bcd" + }, + "ThreadList": { + "empty": "\u0b95\u0bbe\u0bb2\u0bbf\u0baf\u0bbe\u0ba9...", + "today": "\u0b87\u0ba9\u0bcd\u0bb1\u0bc1", + "yesterday": "\u0ba8\u0bc7\u0bb1\u0bcd\u0bb1\u0bc1", + "previous7days": "\u0bae\u0bc1\u0ba8\u0bcd\u0ba4\u0bc8\u0baf 7 \u0ba8\u0bbe\u0b9f\u0bcd\u0b95\u0bb3\u0bcd", + "previous30days": "\u0bae\u0bc1\u0ba8\u0bcd\u0ba4\u0bc8\u0baf 30 \u0ba8\u0bbe\u0b9f\u0bcd\u0b95\u0bb3\u0bcd" + }, + "TriggerButton": { + "closeSidebar": "\u0baa\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bc8 \u0bae\u0bc2\u0b9f\u0bc1", + "openSidebar": "\u0baa\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0bbf\u0baf\u0bc8\u0ba4\u0bcd \u0ba4\u0bbf\u0bb1\u0b95\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + } + }, + "Thread": { + "backToChat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0b95\u0bcd\u0b95\u0bc1 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0b9a\u0bc6\u0bb2\u0bcd\u0bb2\u0bb5\u0bc1\u0bae\u0bcd", + "chatCreatedOn": "\u0b87\u0ba8\u0bcd\u0ba4 \u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8 \u0b89\u0bb0\u0bc1\u0bb5\u0bbe\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f \u0ba4\u0bc7\u0ba4\u0bbf" + } + }, + "header": { + "chat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8", + "readme": "\u0bb0\u0bc0\u0b9f\u0bcd\u0bae\u0bc0" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0bb5\u0bb4\u0b99\u0bcd\u0b95\u0bc1\u0ba8\u0bb0\u0bcd\u0b95\u0bb3\u0bc8\u0baa\u0bcd \u0baa\u0bc6\u0bb1\u0bc1\u0bb5\u0ba4\u0bbf\u0bb2\u0bcd \u0ba4\u0bcb\u0bb2\u0bcd\u0bb5\u0bbf:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0bb5\u0bc6\u0bb1\u0bcd\u0bb1\u0bbf\u0b95\u0bb0\u0bae\u0bbe\u0b95 \u0b9a\u0bc7\u0bae\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bcd\u0b9f\u0ba4\u0bc1", + "requiredApiKeys": "\u0ba4\u0bc7\u0bb5\u0bc8\u0baf\u0bbe\u0ba9 API \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd", + "requiredApiKeysInfo": "\u0b87\u0ba8\u0bcd\u0ba4 \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0bbe\u0b9f\u0bcd\u0b9f\u0bc8\u0baa\u0bcd \u0baa\u0baf\u0ba9\u0bcd\u0baa\u0b9f\u0bc1\u0ba4\u0bcd\u0ba4, \u0baa\u0bbf\u0ba9\u0bcd\u0bb5\u0bb0\u0bc1\u0bae\u0bcd API \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd \u0ba4\u0bc7\u0bb5\u0bc8. \u0bb5\u0bbf\u0b9a\u0bc8\u0b95\u0bb3\u0bcd \u0b89\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b9a\u0bbe\u0ba4\u0ba9\u0ba4\u0bcd\u0ba4\u0bbf\u0ba9\u0bcd \u0b89\u0bb3\u0bcd\u0bb3\u0bc2\u0bb0\u0bcd \u0b9a\u0bc7\u0bae\u0bbf\u0baa\u0bcd\u0baa\u0b95\u0ba4\u0bcd\u0ba4\u0bbf\u0bb2\u0bcd \u0b9a\u0bc7\u0bae\u0bbf\u0b95\u0bcd\u0b95\u0baa\u0bcd\u0baa\u0b9f\u0bc1\u0bae\u0bcd." + }, + "Page": { + "notPartOfProject": "\u0ba8\u0bc0\u0b99\u0bcd\u0b95\u0bb3\u0bcd \u0b87\u0ba8\u0bcd\u0ba4\u0ba4\u0bcd \u0ba4\u0bbf\u0b9f\u0bcd\u0b9f\u0ba4\u0bcd\u0ba4\u0bbf\u0ba9\u0bcd \u0b92\u0bb0\u0bc1 \u0baa\u0b95\u0bc1\u0ba4\u0bbf\u0baf\u0bbe\u0b95 \u0b87\u0bb2\u0bcd\u0bb2\u0bc8." + }, + "ResumeButton": { + "resumeChat": "\u0b85\u0bb0\u0b9f\u0bcd\u0b9f\u0bc8\u0baf\u0bc8 \u0bae\u0bc0\u0ba3\u0bcd\u0b9f\u0bc1\u0bae\u0bcd \u0ba4\u0bca\u0b9f\u0b99\u0bcd\u0b95\u0bb5\u0bc1\u0bae\u0bcd" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/te.json b/project-chatbot/code/.chainlit/translations/te.json new file mode 100644 index 0000000..60ada30 --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/te.json @@ -0,0 +1,231 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u0c38\u0c46\u0c1f\u0c4d\u0c1f\u0c3f\u0c02\u0c17\u0c4d \u0c32\u0c41", + "settingsKey": "S", + "APIKeys": "API Keys", + "logout": "Logout" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u0c1f\u0c3e\u0c38\u0c4d\u0c15\u0c4d \u0c32\u0c3f\u0c38\u0c4d\u0c1f\u0c4d", + "loading": "\u0c32\u0c4b\u0c21\u0c3f\u0c02\u0c17\u0c4d...", + "error": "\u0c12\u0c15 \u0c26\u0c4b\u0c37\u0c02 \u0c38\u0c02\u0c2d\u0c35\u0c3f\u0c02\u0c1a\u0c3f\u0c02\u0c26\u0c3f" + } + }, + "attachments": { + "cancelUpload": "\u0c05\u0c2a\u0c4d \u0c32\u0c4b\u0c21\u0c4d \u0c30\u0c26\u0c4d\u0c26\u0c41 \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f", + "removeAttachment": "\u0c05\u0c1f\u0c3e\u0c1a\u0c4d \u0c2e\u0c46\u0c02\u0c1f\u0c4d \u0c24\u0c4a\u0c32\u0c17\u0c3f\u0c02\u0c1a\u0c41" + }, + "newChatDialog": { + "createNewChat": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c02\u0c1a\u0c3e\u0c32\u0c3e?", + "clearChat": "\u0c07\u0c26\u0c3f \u0c2a\u0c4d\u0c30\u0c38\u0c4d\u0c24\u0c41\u0c24 \u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c32\u0c28\u0c41 \u0c15\u0c4d\u0c32\u0c3f\u0c2f\u0c30\u0c4d \u0c1a\u0c47\u0c38\u0c4d\u0c24\u0c41\u0c02\u0c26\u0c3f \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d\u0c28\u0c41 \u0c2a\u0c4d\u0c30\u0c3e\u0c30\u0c02\u0c2d\u0c3f\u0c38\u0c4d\u0c24\u0c41\u0c02\u0c26\u0c3f.", + "cancel": "\u0c30\u0c26\u0c4d\u0c26\u0c41", + "confirm": "\u0c27\u0c4d\u0c30\u0c41\u0c35\u0c2a\u0c30\u0c1a\u0c41" + }, + "settingsModal": { + "settings": "\u0c38\u0c46\u0c1f\u0c4d\u0c1f\u0c3f\u0c02\u0c17\u0c4d \u0c32\u0c41", + "expandMessages": "\u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c32\u0c28\u0c41 \u0c35\u0c3f\u0c38\u0c4d\u0c24\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "hideChainOfThought": "\u0c06\u0c32\u0c4b\u0c1a\u0c28\u0c3e \u0c17\u0c4a\u0c32\u0c41\u0c38\u0c41\u0c28\u0c41 \u0c26\u0c3e\u0c1a\u0c02\u0c21\u0c3f", + "darkMode": "\u0c21\u0c3e\u0c30\u0c4d\u0c15\u0c4d \u0c2e\u0c4b\u0c21\u0c4d" + }, + "detailsButton": { + "using": "\u0c09\u0c2a\u0c2f\u0c4b\u0c17\u0c3f\u0c02\u0c1a\u0c21\u0c02", + "running": "\u0c30\u0c28\u0c4d\u0c28\u0c3f\u0c02\u0c17\u0c4d", + "took_one": "{{count}} \u0c05\u0c21\u0c41\u0c17\u0c41 \u0c35\u0c47\u0c38\u0c3f\u0c02\u0c26\u0c3f", + "took_other": "{{count}} \u0c05\u0c21\u0c41\u0c17\u0c41\u0c32\u0c41 \u0c35\u0c47\u0c38\u0c3f\u0c02\u0c26\u0c3f" + }, + "auth": { + "authLogin": { + "title": "\u0c2f\u0c3e\u0c2a\u0c4d \u0c2f\u0c3e\u0c15\u0c4d\u0c38\u0c46\u0c38\u0c4d \u0c1a\u0c47\u0c38\u0c41\u0c15\u0c4b\u0c35\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c32\u0c3e\u0c17\u0c3f\u0c28\u0c4d \u0c05\u0c35\u0c4d\u0c35\u0c02\u0c21\u0c3f.", + "form": { + "email": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e", + "password": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d", + "noAccount": "\u0c2e\u0c40\u0c15\u0c41 \u0c05\u0c15\u0c4c\u0c02\u0c1f\u0c4d \u0c32\u0c47\u0c26\u0c3e?", + "alreadyHaveAccount": "\u0c07\u0c2a\u0c4d\u0c2a\u0c1f\u0c3f\u0c15\u0c47 \u0c16\u0c3e\u0c24\u0c3e \u0c09\u0c02\u0c26\u0c3e?", + "signup": "\u0c38\u0c46\u0c56\u0c28\u0c4d \u0c05\u0c2a\u0c4d", + "signin": "\u0c38\u0c46\u0c56\u0c28\u0c4d \u0c07\u0c28\u0c4d", + "or": "\u0c32\u0c47\u0c26\u0c3e", + "continue": "\u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c41", + "forgotPassword": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c2e\u0c30\u0c4d\u0c1a\u0c3f\u0c2a\u0c4b\u0c2f\u0c3e\u0c30\u0c3e?", + "passwordMustContain": "\u0c2e\u0c40 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c32\u0c4b \u0c07\u0c35\u0c3f \u0c09\u0c02\u0c21\u0c3e\u0c32\u0c3f:", + "emailRequired": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d", + "passwordRequired": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d" + }, + "error": { + "default": "\u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02 \u0c38\u0c3e\u0c27\u0c4d\u0c2f\u0c02 \u0c15\u0c3e\u0c26\u0c41.", + "signin": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "oauthsignin": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "redirect_uri_mismatch": "\u0c30\u0c40\u0c21\u0c48\u0c30\u0c46\u0c15\u0c4d\u0c1f\u0c4d URI \u0c13\u0c2f\u0c42\u0c24\u0c4d \u0c2f\u0c3e\u0c2a\u0c4d \u0c15\u0c3e\u0c28\u0c4d\u0c2b\u0c3f\u0c17\u0c30\u0c47\u0c37\u0c28\u0c4d \u0c15\u0c41 \u0c38\u0c30\u0c3f\u0c2a\u0c4b\u0c32\u0c21\u0c02 \u0c32\u0c47\u0c26\u0c41.", + "oauthcallbackerror": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "oauthcreateaccount": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "emailcreateaccount": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "callback": "\u0c35\u0c47\u0c30\u0c4a\u0c15 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2a\u0c4d\u0c30\u0c2f\u0c24\u0c4d\u0c28\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f.", + "oauthaccountnotlinked": "\u0c2e\u0c40 \u0c17\u0c41\u0c30\u0c4d\u0c24\u0c3f\u0c02\u0c2a\u0c41\u0c28\u0c41 \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f, \u0c2e\u0c40\u0c30\u0c41 \u0c2e\u0c4a\u0c26\u0c1f \u0c09\u0c2a\u0c2f\u0c4b\u0c17\u0c3f\u0c02\u0c1a\u0c3f\u0c28 \u0c05\u0c26\u0c47 \u0c16\u0c3e\u0c24\u0c3e\u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f.", + "emailsignin": "\u0c07-\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c2a\u0c02\u0c2a\u0c21\u0c02 \u0c38\u0c3e\u0c27\u0c4d\u0c2f\u0c02 \u0c15\u0c3e\u0c26\u0c41.", + "emailverify": "\u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f \u0c2e\u0c40 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f, \u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c2a\u0c02\u0c2a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f.", + "credentialssignin": "\u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f. \u0c2e\u0c40\u0c30\u0c41 \u0c05\u0c02\u0c26\u0c3f\u0c02\u0c1a\u0c3f\u0c28 \u0c35\u0c3f\u0c35\u0c30\u0c3e\u0c32\u0c41 \u0c38\u0c30\u0c3f\u0c17\u0c4d\u0c17\u0c3e \u0c09\u0c28\u0c4d\u0c28\u0c3e\u0c2f\u0c4b \u0c32\u0c47\u0c26\u0c4b \u0c1a\u0c46\u0c15\u0c4d \u0c1a\u0c47\u0c38\u0c41\u0c15\u0c4b\u0c02\u0c21\u0c3f.", + "sessionrequired": "\u0c08 \u0c2a\u0c47\u0c1c\u0c40\u0c28\u0c3f \u0c2f\u0c3e\u0c15\u0c4d\u0c38\u0c46\u0c38\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02 \u0c15\u0c4a\u0c30\u0c15\u0c41 \u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f \u0c38\u0c48\u0c28\u0c4d \u0c07\u0c28\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f." + } + }, + "authVerifyEmail": { + "almostThere": "\u0c2e\u0c40\u0c30\u0c41 \u0c26\u0c3e\u0c26\u0c3e\u0c2a\u0c41 \u0c05\u0c15\u0c4d\u0c15\u0c21\u0c47 \u0c09\u0c28\u0c4d\u0c28\u0c3e\u0c30\u0c41! \u0c2e\u0c47\u0c2e\u0c41 \u0c26\u0c40\u0c28\u0c3f\u0c15\u0c3f \u0c12\u0c15 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c2a\u0c02\u0c2a\u0c3e\u0c2e\u0c41 ", + "verifyEmailLink": "\u0c2e\u0c40 \u0c38\u0c48\u0c28\u0c4d \u0c05\u0c2a\u0c4d \u0c2a\u0c42\u0c30\u0c4d\u0c24\u0c3f \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f \u0c06 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c32\u0c4b\u0c28\u0c3f \u0c32\u0c3f\u0c02\u0c15\u0c4d \u0c2a\u0c48 \u0c15\u0c4d\u0c32\u0c3f\u0c15\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f.", + "didNotReceive": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c15\u0c28\u0c41\u0c17\u0c4a\u0c28\u0c32\u0c47\u0c15\u0c2a\u0c4b\u0c2f\u0c3e\u0c30\u0c3e?", + "resendEmail": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c24\u0c3f\u0c30\u0c3f\u0c17\u0c3f \u0c2a\u0c02\u0c2a\u0c02\u0c21\u0c3f", + "goBack": "\u0c35\u0c46\u0c28\u0c15\u0c4d\u0c15\u0c3f \u0c35\u0c46\u0c33\u0c4d\u0c33\u0c41", + "emailSent": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c35\u0c3f\u0c1c\u0c2f\u0c35\u0c02\u0c24\u0c02\u0c17\u0c3e \u0c2a\u0c02\u0c2a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f.", + "verifyEmail": "\u0c2e\u0c40 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e\u0c28\u0c41 \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f" + }, + "providerButton": { + "continue": "{{provider}} \u0c24\u0c4b \u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "signup": "{{provider}} \u0c24\u0c4b \u0c38\u0c48\u0c28\u0c4d \u0c05\u0c2a\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f" + }, + "authResetPassword": { + "newPasswordRequired": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d", + "passwordsMustMatch": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c32\u0c41 \u0c24\u0c2a\u0c4d\u0c2a\u0c28\u0c3f\u0c38\u0c30\u0c3f\u0c17\u0c3e \u0c38\u0c30\u0c3f\u0c2a\u0c4b\u0c32\u0c3e\u0c32\u0c3f", + "confirmPasswordRequired": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d \u0c05\u0c28\u0c3f \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "newPassword": "\u0c15\u0c4a\u0c24\u0c4d\u0c24 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d", + "confirmPassword": "\u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c28\u0c41 \u0c27\u0c43\u0c35\u0c40\u0c15\u0c30\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "resetPassword": "\u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d" + }, + "authForgotPassword": { + "email": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e", + "emailRequired": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c05\u0c28\u0c47\u0c26\u0c3f \u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 \u0c2b\u0c40\u0c32\u0c4d\u0c21\u0c4d", + "emailSent": "\u0c2e\u0c40 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c38\u0c42\u0c1a\u0c28\u0c32 \u0c15\u0c4a\u0c30\u0c15\u0c41 \u0c26\u0c2f\u0c1a\u0c47\u0c38\u0c3f {{email}} \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e\u0c28\u0c41 \u0c24\u0c28\u0c3f\u0c16\u0c40 \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f.", + "enterEmail": "\u0c2e\u0c40 \u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c1a\u0c3f\u0c30\u0c41\u0c28\u0c3e\u0c2e\u0c3e\u0c28\u0c41 \u0c28\u0c2e\u0c4b\u0c26\u0c41 \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c2e\u0c40 \u0c2a\u0c3e\u0c38\u0c4d \u0c35\u0c30\u0c4d\u0c21\u0c4d \u0c28\u0c41 \u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c2e\u0c47\u0c2e\u0c41 \u0c2e\u0c40\u0c15\u0c41 \u0c38\u0c42\u0c1a\u0c28\u0c32\u0c41 \u0c2a\u0c02\u0c2a\u0c41\u0c24\u0c3e\u0c2e\u0c41.", + "resendEmail": "\u0c07\u0c2e\u0c46\u0c2f\u0c3f\u0c32\u0c4d \u0c28\u0c3f \u0c24\u0c3f\u0c30\u0c3f\u0c17\u0c3f \u0c2a\u0c02\u0c2a\u0c02\u0c21\u0c3f", + "continue": "\u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c41", + "goBack": "\u0c35\u0c46\u0c28\u0c15\u0c4d\u0c15\u0c3f \u0c35\u0c46\u0c33\u0c4d\u0c33\u0c41" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u0c1a\u0c30\u0c3f\u0c24\u0c4d\u0c30\u0c28\u0c41 \u0c1a\u0c42\u0c2a\u0c3f\u0c02\u0c1a\u0c41", + "lastInputs": "\u0c1a\u0c3f\u0c35\u0c30\u0c3f \u0c07\u0c28\u0c4d \u0c2a\u0c41\u0c1f\u0c4d \u0c32\u0c41", + "noInputs": "\u0c05\u0c02\u0c24 \u0c16\u0c3e\u0c33\u0c40\u0c17\u0c3e...", + "loading": "\u0c32\u0c4b\u0c21\u0c3f\u0c02\u0c17\u0c4d..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u0c2e\u0c40 \u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c28\u0c4d\u0c28\u0c3f \u0c07\u0c15\u0c4d\u0c15\u0c21 \u0c1f\u0c48\u0c2a\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f..." + }, + "speechButton": { + "start": "\u0c30\u0c3f\u0c15\u0c3e\u0c30\u0c4d\u0c21\u0c3f\u0c02\u0c17\u0c4d \u0c2a\u0c4d\u0c30\u0c3e\u0c30\u0c02\u0c2d\u0c3f\u0c02\u0c1a\u0c02\u0c21\u0c3f", + "stop": "\u0c30\u0c3f\u0c15\u0c3e\u0c30\u0c4d\u0c21\u0c3f\u0c02\u0c17\u0c4d \u0c06\u0c2a\u0c02\u0c21\u0c3f" + }, + "SubmitButton": { + "sendMessage": "\u0c38\u0c02\u0c26\u0c47\u0c36\u0c02 \u0c2a\u0c02\u0c2a\u0c41", + "stopTask": "\u0c38\u0c4d\u0c1f\u0c3e\u0c2a\u0c4d \u0c1f\u0c3e\u0c38\u0c4d\u0c15\u0c4d" + }, + "UploadButton": { + "attachFiles": "\u0c2b\u0c48\u0c33\u0c4d\u0c32\u0c28\u0c41 \u0c1c\u0c4b\u0c21\u0c3f\u0c02\u0c1a\u0c41" + }, + "waterMark": { + "text": "\u0c26\u0c40\u0c28\u0c3f\u0c24\u0c4b \u0c28\u0c3f\u0c30\u0c4d\u0c2e\u0c3f\u0c02\u0c1a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f" + } + }, + "Messages": { + "index": { + "running": "\u0c30\u0c28\u0c4d\u0c28\u0c3f\u0c02\u0c17\u0c4d", + "executedSuccessfully": "\u0c35\u0c3f\u0c1c\u0c2f\u0c35\u0c02\u0c24\u0c02\u0c17\u0c3e \u0c05\u0c2e\u0c32\u0c41 \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f", + "failed": "\u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f", + "feedbackUpdated": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d \u0c05\u0c2a\u0c4d \u0c21\u0c47\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f", + "updating": "\u0c05\u0c2a\u0c4d \u0c21\u0c47\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u0c2e\u0c40 \u0c2b\u0c48\u0c33\u0c4d\u0c32\u0c28\u0c41 \u0c07\u0c15\u0c4d\u0c15\u0c21 \u0c21\u0c4d\u0c30\u0c3e\u0c2a\u0c4d \u0c1a\u0c47\u0c2f\u0c02\u0c21\u0c3f" + }, + "index": { + "failedToUpload": "\u0c05\u0c2a\u0c4d \u0c32\u0c4b\u0c21\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02 \u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f", + "cancelledUploadOf": "\u0c30\u0c26\u0c4d\u0c26\u0c41 \u0c1a\u0c47\u0c38\u0c3f\u0c28 \u0c05\u0c2a\u0c4d \u0c32\u0c4b\u0c21\u0c4d", + "couldNotReachServer": "\u0c38\u0c30\u0c4d\u0c35\u0c30\u0c4d \u0c15\u0c41 \u0c1a\u0c47\u0c30\u0c41\u0c15\u0c4b\u0c35\u0c21\u0c02 \u0c38\u0c3e\u0c27\u0c4d\u0c2f\u0c02 \u0c15\u0c3e\u0c32\u0c47\u0c26\u0c41", + "continuingChat": "\u0c2e\u0c41\u0c28\u0c41\u0c2a\u0c1f\u0c3f \u0c1a\u0c3e\u0c1f\u0c4d \u0c28\u0c41 \u0c15\u0c4a\u0c28\u0c38\u0c3e\u0c17\u0c3f\u0c02\u0c1a\u0c21\u0c02" + }, + "settings": { + "settingsPanel": "\u0c38\u0c46\u0c1f\u0c4d\u0c1f\u0c3f\u0c02\u0c17\u0c4d\u0c38\u0c4d \u0c2a\u0c4d\u0c2f\u0c3e\u0c28\u0c46\u0c32\u0c4d", + "reset": "\u0c30\u0c40\u0c38\u0c46\u0c1f\u0c4d", + "cancel": "\u0c30\u0c26\u0c4d\u0c26\u0c41", + "confirm": "\u0c27\u0c4d\u0c30\u0c41\u0c35\u0c2a\u0c30\u0c1a\u0c41" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d: \u0c05\u0c28\u0c4d\u0c28\u0c40", + "feedbackPositive": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d: \u0c2a\u0c3e\u0c1c\u0c3f\u0c1f\u0c3f\u0c35\u0c4d", + "feedbackNegative": "\u0c2b\u0c40\u0c21\u0c4d \u0c2c\u0c4d\u0c2f\u0c3e\u0c15\u0c4d: \u0c28\u0c46\u0c17\u0c46\u0c1f\u0c3f\u0c35\u0c4d" + }, + "SearchBar": { + "search": "\u0c35\u0c46\u0c24\u0c41\u0c15\u0c41" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u0c07\u0c26\u0c3f \u0c25\u0c4d\u0c30\u0c46\u0c21\u0c4d\u0c24\u0c4b \u0c2a\u0c3e\u0c1f\u0c41 \u0c26\u0c3e\u0c28\u0c3f \u0c38\u0c02\u0c26\u0c47\u0c36\u0c3e\u0c32\u0c41 \u0c2e\u0c30\u0c3f\u0c2f\u0c41 \u0c0e\u0c32\u0c3f\u0c2e\u0c46\u0c02\u0c1f\u0c4d\u0c32\u0c28\u0c41 \u0c24\u0c4a\u0c32\u0c17\u0c3f\u0c38\u0c4d\u0c24\u0c41\u0c02\u0c26\u0c3f.", + "cancel": "\u0c30\u0c26\u0c4d\u0c26\u0c41", + "confirm": "\u0c27\u0c4d\u0c30\u0c41\u0c35\u0c2a\u0c30\u0c1a\u0c41", + "deletingChat": "\u0c1a\u0c3e\u0c1f\u0c4d \u0c28\u0c41 \u0c21\u0c3f\u0c32\u0c40\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c02", + "chatDeleted": "\u0c1a\u0c3e\u0c1f\u0c4d \u0c21\u0c3f\u0c32\u0c40\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f" + }, + "index": { + "pastChats": "\u0c17\u0c24 \u0c1a\u0c3e\u0c1f\u0c4d \u0c32\u0c41" + }, + "ThreadList": { + "empty": "\u0c16\u0c3e\u0c33\u0c40...", + "today": "\u0c08 \u0c30\u0c4b\u0c1c\u0c41", + "yesterday": "\u0c28\u0c3f\u0c28\u0c4d\u0c28", + "previous7days": "\u0c2e\u0c41\u0c28\u0c41\u0c2a\u0c1f\u0c3f 7 \u0c30\u0c4b\u0c1c\u0c41\u0c32\u0c41", + "previous30days": "\u0c2e\u0c41\u0c28\u0c41\u0c2a\u0c1f\u0c3f 30 \u0c30\u0c4b\u0c1c\u0c41\u0c32\u0c41" + }, + "TriggerButton": { + "closeSidebar": "\u0c15\u0c4d\u0c32\u0c4b\u0c1c\u0c4d \u0c38\u0c48\u0c21\u0c4d \u0c2c\u0c3e\u0c30\u0c4d", + "openSidebar": "\u0c13\u0c2a\u0c46\u0c28\u0c4d \u0c38\u0c48\u0c21\u0c4d \u0c2c\u0c3e\u0c30\u0c4d" + } + }, + "Thread": { + "backToChat": "\u0c1a\u0c3e\u0c1f\u0c4d \u0c1a\u0c47\u0c2f\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f \u0c24\u0c3f\u0c30\u0c3f\u0c17\u0c3f \u0c35\u0c46\u0c33\u0c4d\u0c32\u0c02\u0c21\u0c3f", + "chatCreatedOn": "\u0c08 \u0c1a\u0c3e\u0c1f\u0c4d \u0c26\u0c40\u0c28\u0c3f\u0c32\u0c4b \u0c38\u0c43\u0c37\u0c4d\u0c1f\u0c3f\u0c02\u0c1a\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f" + } + }, + "header": { + "chat": "\u0c2e\u0c41\u0c1a\u0c4d\u0c1a\u0c1f\u0c3f\u0c02\u0c1a\u0c41", + "readme": "Readme" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u0c2a\u0c4d\u0c30\u0c4a\u0c35\u0c48\u0c21\u0c30\u0c4d\u0c32\u0c28\u0c41 \u0c2a\u0c4a\u0c02\u0c26\u0c21\u0c02\u0c32\u0c4b \u0c35\u0c3f\u0c2b\u0c32\u0c2e\u0c48\u0c02\u0c26\u0c3f:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u0c35\u0c3f\u0c1c\u0c2f\u0c35\u0c02\u0c24\u0c02\u0c17\u0c3e \u0c38\u0c47\u0c35\u0c4d \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c3f\u0c02\u0c26\u0c3f", + "requiredApiKeys": "\u0c05\u0c35\u0c38\u0c30\u0c2e\u0c48\u0c28 API \u0c15\u0c40\u0c32\u0c41", + "requiredApiKeysInfo": "\u0c08 \u0c2f\u0c3e\u0c2a\u0c4d \u0c09\u0c2a\u0c2f\u0c4b\u0c17\u0c3f\u0c02\u0c1a\u0c21\u0c3e\u0c28\u0c3f\u0c15\u0c3f, \u0c08 \u0c15\u0c4d\u0c30\u0c3f\u0c02\u0c26\u0c3f API \u0c15\u0c40\u0c32\u0c41 \u0c05\u0c35\u0c38\u0c30\u0c02 \u0c05\u0c35\u0c41\u0c24\u0c3e\u0c2f\u0c3f. \u0c15\u0c40\u0c32\u0c41 \u0c2e\u0c40 \u0c2a\u0c30\u0c3f\u0c15\u0c30\u0c02 \u0c2f\u0c4a\u0c15\u0c4d\u0c15 \u0c38\u0c4d\u0c25\u0c3e\u0c28\u0c3f\u0c15 \u0c38\u0c4d\u0c1f\u0c4b\u0c30\u0c47\u0c1c\u0c40\u0c32\u0c4b \u0c28\u0c3f\u0c32\u0c4d\u0c35 \u0c1a\u0c47\u0c2f\u0c2c\u0c21\u0c24\u0c3e\u0c2f\u0c3f." + }, + "Page": { + "notPartOfProject": "\u0c2e\u0c40\u0c30\u0c41 \u0c08 \u0c2a\u0c4d\u0c30\u0c3e\u0c1c\u0c46\u0c15\u0c4d\u0c1f\u0c41\u0c32\u0c4b \u0c2d\u0c3e\u0c17\u0c02 \u0c15\u0c3e\u0c26\u0c41." + }, + "ResumeButton": { + "resumeChat": "\u0c30\u0c46\u0c1c\u0c4d\u0c2f\u0c42\u0c2e\u0c4d \u0c1a\u0c3e\u0c1f\u0c4d" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.chainlit/translations/zh-CN.json b/project-chatbot/code/.chainlit/translations/zh-CN.json new file mode 100644 index 0000000..b0c5f54 --- /dev/null +++ b/project-chatbot/code/.chainlit/translations/zh-CN.json @@ -0,0 +1,229 @@ +{ + "components": { + "atoms": { + "buttons": { + "userButton": { + "menu": { + "settings": "\u8bbe\u7f6e", + "settingsKey": "S", + "APIKeys": "API \u5bc6\u94a5", + "logout": "\u767b\u51fa" + } + } + } + }, + "molecules": { + "newChatButton": { + "newChat": "\u65b0\u5efa\u5bf9\u8bdd" + }, + "tasklist": { + "TaskList": { + "title": "\ud83d\uddd2\ufe0f \u4efb\u52a1\u5217\u8868", + "loading": "\u52a0\u8f7d\u4e2d...", + "error": "\u53d1\u751f\u9519\u8bef" + } + }, + "attachments": { + "cancelUpload": "\u53d6\u6d88\u4e0a\u4f20", + "removeAttachment": "\u79fb\u9664\u9644\u4ef6" + }, + "newChatDialog": { + "createNewChat": "\u521b\u5efa\u65b0\u5bf9\u8bdd\uff1f", + "clearChat": "\u8fd9\u5c06\u6e05\u9664\u5f53\u524d\u6d88\u606f\u5e76\u5f00\u59cb\u65b0\u7684\u5bf9\u8bdd\u3002", + "cancel": "\u53d6\u6d88", + "confirm": "\u786e\u8ba4" + }, + "settingsModal": { + "settings": "\u8bbe\u7f6e", + "expandMessages": "\u5c55\u5f00\u6d88\u606f", + "hideChainOfThought": "\u9690\u85cf\u601d\u8003\u94fe", + "darkMode": "\u6697\u8272\u6a21\u5f0f" + }, + "detailsButton": { + "using": "\u4f7f\u7528", + "used": "\u5df2\u7528" + }, + "auth": { + "authLogin": { + "title": "\u767b\u5f55\u4ee5\u8bbf\u95ee\u5e94\u7528\u3002", + "form": { + "email": "\u7535\u5b50\u90ae\u7bb1\u5730\u5740", + "password": "\u5bc6\u7801", + "noAccount": "\u6ca1\u6709\u8d26\u6237\uff1f", + "alreadyHaveAccount": "\u5df2\u6709\u8d26\u6237\uff1f", + "signup": "\u6ce8\u518c", + "signin": "\u767b\u5f55", + "or": "\u6216\u8005", + "continue": "\u7ee7\u7eed", + "forgotPassword": "\u5fd8\u8bb0\u5bc6\u7801\uff1f", + "passwordMustContain": "\u60a8\u7684\u5bc6\u7801\u5fc5\u987b\u5305\u542b\uff1a", + "emailRequired": "\u7535\u5b50\u90ae\u7bb1\u662f\u5fc5\u586b\u9879", + "passwordRequired": "\u5bc6\u7801\u662f\u5fc5\u586b\u9879" + }, + "error": { + "default": "\u65e0\u6cd5\u767b\u5f55\u3002", + "signin": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "oauthsignin": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "redirect_uri_mismatch": "\u91cd\u5b9a\u5411URI\u4e0eOAuth\u5e94\u7528\u914d\u7f6e\u4e0d\u5339\u914d\u3002", + "oauthcallbackerror": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "oauthcreateaccount": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "emailcreateaccount": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "callback": "\u5c1d\u8bd5\u4f7f\u7528\u4e0d\u540c\u7684\u8d26\u6237\u767b\u5f55\u3002", + "oauthaccountnotlinked": "\u4e3a\u4e86\u9a8c\u8bc1\u60a8\u7684\u8eab\u4efd\uff0c\u8bf7\u4f7f\u7528\u6700\u521d\u4f7f\u7528\u7684\u540c\u4e00\u8d26\u6237\u767b\u5f55\u3002", + "emailsignin": "\u65e0\u6cd5\u53d1\u9001\u90ae\u4ef6\u3002", + "emailverify": "\u8bf7\u9a8c\u8bc1\u60a8\u7684\u7535\u5b50\u90ae\u4ef6\uff0c\u5df2\u53d1\u9001\u4e00\u5c01\u65b0\u90ae\u4ef6\u3002", + "credentialssignin": "\u767b\u5f55\u5931\u8d25\u3002\u8bf7\u68c0\u67e5\u60a8\u63d0\u4f9b\u7684\u8be6\u7ec6\u4fe1\u606f\u662f\u5426\u6b63\u786e\u3002", + "sessionrequired": "\u8bf7\u767b\u5f55\u4ee5\u8bbf\u95ee\u6b64\u9875\u9762\u3002" + } + }, + "authVerifyEmail": { + "almostThere": "\u60a8\u5feb\u6210\u529f\u4e86\uff01\u6211\u4eec\u5df2\u5411 ", + "verifyEmailLink": "\u8bf7\u5355\u51fb\u8be5\u90ae\u4ef6\u4e2d\u7684\u94fe\u63a5\u4ee5\u5b8c\u6210\u6ce8\u518c\u3002", + "didNotReceive": "\u6ca1\u627e\u5230\u90ae\u4ef6\uff1f", + "resendEmail": "\u91cd\u65b0\u53d1\u9001\u90ae\u4ef6", + "goBack": "\u8fd4\u56de", + "emailSent": "\u90ae\u4ef6\u5df2\u6210\u529f\u53d1\u9001\u3002", + "verifyEmail": "\u9a8c\u8bc1\u60a8\u7684\u7535\u5b50\u90ae\u4ef6\u5730\u5740" + }, + "providerButton": { + "continue": "\u4f7f\u7528{{provider}}\u7ee7\u7eed", + "signup": "\u4f7f\u7528{{provider}}\u6ce8\u518c" + }, + "authResetPassword": { + "newPasswordRequired": "\u65b0\u5bc6\u7801\u662f\u5fc5\u586b\u9879", + "passwordsMustMatch": "\u5bc6\u7801\u5fc5\u987b\u4e00\u81f4", + "confirmPasswordRequired": "\u786e\u8ba4\u5bc6\u7801\u662f\u5fc5\u586b\u9879", + "newPassword": "\u65b0\u5bc6\u7801", + "confirmPassword": "\u786e\u8ba4\u5bc6\u7801", + "resetPassword": "\u91cd\u7f6e\u5bc6\u7801" + }, + "authForgotPassword": { + "email": "\u7535\u5b50\u90ae\u7bb1\u5730\u5740", + "emailRequired": "\u7535\u5b50\u90ae\u7bb1\u662f\u5fc5\u586b\u9879", + "emailSent": "\u8bf7\u68c0\u67e5\u7535\u5b50\u90ae\u7bb1{{email}}\u4ee5\u83b7\u53d6\u91cd\u7f6e\u5bc6\u7801\u7684\u6307\u793a\u3002", + "enterEmail": "\u8bf7\u8f93\u5165\u60a8\u7684\u7535\u5b50\u90ae\u7bb1\u5730\u5740\uff0c\u6211\u4eec\u5c06\u53d1\u9001\u91cd\u7f6e\u5bc6\u7801\u7684\u6307\u793a\u3002", + "resendEmail": "\u91cd\u65b0\u53d1\u9001\u90ae\u4ef6", + "continue": "\u7ee7\u7eed", + "goBack": "\u8fd4\u56de" + } + } + }, + "organisms": { + "chat": { + "history": { + "index": { + "showHistory": "\u663e\u793a\u5386\u53f2", + "lastInputs": "\u6700\u540e\u8f93\u5165", + "noInputs": "\u5982\u6b64\u7a7a\u65f7...", + "loading": "\u52a0\u8f7d\u4e2d..." + } + }, + "inputBox": { + "input": { + "placeholder": "\u5728\u8fd9\u91cc\u8f93\u5165\u60a8\u7684\u6d88\u606f..." + }, + "speechButton": { + "start": "\u5f00\u59cb\u5f55\u97f3", + "stop": "\u505c\u6b62\u5f55\u97f3" + }, + "SubmitButton": { + "sendMessage": "\u53d1\u9001\u6d88\u606f", + "stopTask": "\u505c\u6b62\u4efb\u52a1" + }, + "UploadButton": { + "attachFiles": "\u9644\u52a0\u6587\u4ef6" + }, + "waterMark": { + "text": "\u4f7f\u7528" + } + }, + "Messages": { + "index": { + "running": "\u8fd0\u884c\u4e2d", + "executedSuccessfully": "\u6267\u884c\u6210\u529f", + "failed": "\u5931\u8d25", + "feedbackUpdated": "\u53cd\u9988\u66f4\u65b0", + "updating": "\u6b63\u5728\u66f4\u65b0" + } + }, + "dropScreen": { + "dropYourFilesHere": "\u5728\u8fd9\u91cc\u62d6\u653e\u60a8\u7684\u6587\u4ef6" + }, + "index": { + "failedToUpload": "\u4e0a\u4f20\u5931\u8d25", + "cancelledUploadOf": "\u53d6\u6d88\u4e0a\u4f20", + "couldNotReachServer": "\u65e0\u6cd5\u8fde\u63a5\u5230\u670d\u52a1\u5668", + "continuingChat": "\u7ee7\u7eed\u4e4b\u524d\u7684\u5bf9\u8bdd" + }, + "settings": { + "settingsPanel": "\u8bbe\u7f6e\u9762\u677f", + "reset": "\u91cd\u7f6e", + "cancel": "\u53d6\u6d88", + "confirm": "\u786e\u8ba4" + } + }, + "threadHistory": { + "sidebar": { + "filters": { + "FeedbackSelect": { + "feedbackAll": "\u53cd\u9988\uff1a\u5168\u90e8", + "feedbackPositive": "\u53cd\u9988\uff1a\u6b63\u9762", + "feedbackNegative": "\u53cd\u9988\uff1a\u8d1f\u9762" + }, + "SearchBar": { + "search": "\u641c\u7d22" + } + }, + "DeleteThreadButton": { + "confirmMessage": "\u8fd9\u5c06\u5220\u9664\u7ebf\u7a0b\u53ca\u5176\u6d88\u606f\u548c\u5143\u7d20\u3002", + "cancel": "\u53d6\u6d88", + "confirm": "\u786e\u8ba4", + "deletingChat": "\u5220\u9664\u5bf9\u8bdd", + "chatDeleted": "\u5bf9\u8bdd\u5df2\u5220\u9664" + }, + "index": { + "pastChats": "\u8fc7\u5f80\u5bf9\u8bdd" + }, + "ThreadList": { + "empty": "\u7a7a\u7684...", + "today": "\u4eca\u5929", + "yesterday": "\u6628\u5929", + "previous7days": "\u524d7\u5929", + "previous30days": "\u524d30\u5929" + }, + "TriggerButton": { + "closeSidebar": "\u5173\u95ed\u4fa7\u8fb9\u680f", + "openSidebar": "\u6253\u5f00\u4fa7\u8fb9\u680f" + } + }, + "Thread": { + "backToChat": "\u8fd4\u56de\u5bf9\u8bdd", + "chatCreatedOn": "\u6b64\u5bf9\u8bdd\u521b\u5efa\u4e8e" + } + }, + "header": { + "chat": "\u5bf9\u8bdd", + "readme": "\u8bf4\u660e" + } + } + }, + "hooks": { + "useLLMProviders": { + "failedToFetchProviders": "\u83b7\u53d6\u63d0\u4f9b\u8005\u5931\u8d25:" + } + }, + "pages": { + "Design": {}, + "Env": { + "savedSuccessfully": "\u4fdd\u5b58\u6210\u529f", + "requiredApiKeys": "\u5fc5\u9700\u7684API\u5bc6\u94a5", + "requiredApiKeysInfo": "\u8981\u4f7f\u7528\u6b64\u5e94\u7528\uff0c\u9700\u8981\u4ee5\u4e0bAPI\u5bc6\u94a5\u3002\u8fd9\u4e9b\u5bc6\u94a5\u5b58\u50a8\u5728\u60a8\u7684\u8bbe\u5907\u672c\u5730\u5b58\u50a8\u4e2d\u3002" + }, + "Page": { + "notPartOfProject": "\u60a8\u4e0d\u662f\u6b64\u9879\u76ee\u7684\u4e00\u90e8\u5206\u3002" + }, + "ResumeButton": { + "resumeChat": "\u6062\u590d\u5bf9\u8bdd" + } + } +} \ No newline at end of file diff --git a/project-chatbot/code/.env.example b/project-chatbot/code/.env.example new file mode 100644 index 0000000..26a28cb --- /dev/null +++ b/project-chatbot/code/.env.example @@ -0,0 +1,3 @@ +export OPENAI_API_KEY='your-openai-api-key' +export LANGCHAIN_API_KEY='your-langchain-api-key' +export LANGCHAIN_TRACING_V2="true" \ No newline at end of file diff --git a/project-chatbot/code/__init__.py b/project-chatbot/code/__init__.py new file mode 100644 index 0000000..4c2d73b --- /dev/null +++ b/project-chatbot/code/__init__.py @@ -0,0 +1 @@ +# This can be empty, it just marks the directory as a Python package diff --git a/project-chatbot/code/chainlit.config.toml b/project-chatbot/code/chainlit.config.toml new file mode 100644 index 0000000..df1bcd7 --- /dev/null +++ b/project-chatbot/code/chainlit.config.toml @@ -0,0 +1,5 @@ +[project] +enable_telemetry = false + +[UI] +name = "Boston Public School Policy Advisor" \ No newline at end of file diff --git a/project-chatbot/code/chainlit.md b/project-chatbot/code/chainlit.md new file mode 100644 index 0000000..ad49c6b --- /dev/null +++ b/project-chatbot/code/chainlit.md @@ -0,0 +1,3 @@ +# Welcome to Boston Public School Policy Advisor! + +I am here to help you with any questions about Boston Public School policies. diff --git a/project-chatbot/code/chainlit_main.py b/project-chatbot/code/chainlit_main.py new file mode 100644 index 0000000..9c6a423 --- /dev/null +++ b/project-chatbot/code/chainlit_main.py @@ -0,0 +1,41 @@ +import os +import chainlit as cl +from rag_processor import RAGProcessor # Import the RAG Processor +from dotenv import load_dotenv + +# Load environment variables +load_dotenv() +# Set OpenAI API Key (Consider using environment variables in production) +os.environ["OPENAI_API_KEY"] = os.getenv("OPENAI_API_KEY") + +# Initialize RAG Processor +rag_processor = RAGProcessor() + +@cl.on_chat_start +async def on_chat_start(): + """ + Initializes the chatbot session. + """ + await cl.Message( + content="Hi! I am the policy advisor for Boston Public School. How can I assist you today?" + ).send() + +@cl.on_message +async def on_message(message: cl.Message): + """ + Handles user queries and returns answers based on retrieved documents. + """ + try: + # Process the query using the RAG processor + full_response = rag_processor.process_query(message.content) + + # Send the response back to the user + await cl.Message(content=full_response).send() + + except Exception as e: + # Send the error message back to the user + await cl.Message(content=f"An error occurred: {str(e)}").send() + +if __name__ == "__main__": + # This allows running the script directly if needed + cl.run() diff --git a/project-chatbot/code/faiss_index/index.faiss b/project-chatbot/code/faiss_index/index.faiss new file mode 100644 index 0000000..fdc887c Binary files /dev/null and b/project-chatbot/code/faiss_index/index.faiss differ diff --git a/project-chatbot/code/faiss_index/index.pkl b/project-chatbot/code/faiss_index/index.pkl new file mode 100644 index 0000000..7e4484f Binary files /dev/null and b/project-chatbot/code/faiss_index/index.pkl differ diff --git a/project-chatbot/code/main.py b/project-chatbot/code/main.py new file mode 100644 index 0000000..e78dd3b --- /dev/null +++ b/project-chatbot/code/main.py @@ -0,0 +1,91 @@ +from fastapi import FastAPI +from fastapi.responses import HTMLResponse +from fastapi.staticfiles import StaticFiles +from chainlit.utils import mount_chainlit + +app = FastAPI() + +# Mount static files directory +app.mount("/static", StaticFiles(directory="code/static"), name="static") + +# Mount Chainlit app at /chainlit +mount_chainlit(app=app, target="code/chainlit_main.py", path="/chainlit") + +# Serve the main webpage +@app.get("/", response_class=HTMLResponse) +async def get_homepage(): + html_content = """ + + + + FastAPI with Chainlit + + + + +

Welcome to Boston Public School Policy Chatbot

+
+ Chat with Chainlit +
+
+ +
+ + + """ + return HTMLResponse(content=html_content) diff --git a/project-chatbot/code/rag_processor.py b/project-chatbot/code/rag_processor.py new file mode 100644 index 0000000..b659a1b --- /dev/null +++ b/project-chatbot/code/rag_processor.py @@ -0,0 +1,164 @@ +import os +from typing import List, Optional + +from langchain_core.prompts import PromptTemplate +from langchain_core.runnables import RunnablePassthrough +from langchain_core.output_parsers import StrOutputParser +from langchain_openai import ChatOpenAI +from langchain.vectorstores import FAISS +from langchain.embeddings import HuggingFaceEmbeddings +from langchain.docstore.document import Document + +class RAGProcessor: + def __init__( + self, + embedding_model: str = "sentence-transformers/all-MiniLM-l6-v2", + faiss_index_path: str = "code/faiss_index", + llm_model: str = "gpt-4o-mini" + ): + """ + Initialize RAG Processor with configurable parameters. + + Args: + embedding_model (str): Path to embedding model + faiss_index_path (str): Path to FAISS index + llm_model (str): Language model to use + """ + # Initialize Embeddings + self.embeddings = HuggingFaceEmbeddings( + model_name=embedding_model, + model_kwargs={'device': 'cpu'}, + encode_kwargs={'normalize_embeddings': False} + ) + + # Load FAISS Index + self.vector_store = FAISS.load_local( + faiss_index_path, + self.embeddings, + allow_dangerous_deserialization=True + ) + + # Configure Retriever + self.retriever = self.vector_store.as_retriever( + search_type="similarity", + search_kwargs={"k": 4} + ) + + # Configure LLM + self.llm = ChatOpenAI(model=llm_model) + + def _format_documents(self, docs: List[Document]) -> str: + """ + Format retrieved documents into a readable string. + + Args: + docs (List[Document]): Retrieved documents + + Returns: + str: Formatted document string + """ + return "\n\n".join( + f"{doc.page_content}\n\nSource: {doc.metadata.get('file_name', 'Unknown File')}, Folder: {doc.metadata.get('folder_name', 'Unknown Folder')}" + for doc in docs + ) + + def create_rag_prompt(self, custom_template: Optional[str] = None) -> PromptTemplate: + """ + Create a RAG prompt template. + + Args: + custom_template (Optional[str]): Custom prompt template + + Returns: + PromptTemplate: Configured prompt template + """ + default_template = """ + You are a highly knowledgeable and professional policy advisor for Boston Public Schools. Your role is to provide precise, context-specific answers to questions based solely on the information provided in the context. + + ### Guidelines: + 1. **Scope Limitation**: Only use the information provided in the "Context" to answer the question. Do not infer, assume, or incorporate external information. + 2. **Out-of-Scope Questions**: If a question is unrelated to any policy, politely respond that it is beyond the scope of your knowledge as a policy advisor and feel free to continue the answer based on the "question". Do not mention anything that you're unsure of. If you're unsure of the question or its relation to the context, acknowledge this in your response. Finally, append "[0]__[0]" at the end of the answer for the developer to use, only if the "question" is unrelated to the task. + 3. **Citing Policy**: Always conclude your response by explicitly citing the policy name(s) used to formulate your answer. If no policy is applicable, don't mention anything. + + ### Additional Considerations: + - **Ambiguities**: If the context lacks sufficient information to answer the question definitively, mention this and provide a response based on the provided context. + - **Clarity and Professionalism**: Ensure all responses are concise but comprehensive, clear, and professional. + + ### Input Structure: + Context: {context} + Question: {question} + """ + + template = custom_template or default_template + return PromptTemplate.from_template(template) + + def create_rag_chain(self, custom_template: Optional[str] = None): + """ + Create a RAG (Retrieval-Augmented Generation) chain. + + Args: + custom_template (Optional[str]): Custom prompt template + + Returns: + Configured RAG chain + """ + prompt = self.create_rag_prompt(custom_template) + + rag_chain = ( + { + "context": self.retriever | self._format_documents, + "question": RunnablePassthrough() + } + | prompt + | self.llm + | StrOutputParser() + ) + + return rag_chain + + def get_references(self, query: str) -> List[str]: + """ + Retrieve reference links for a given query. + + Args: + query (str): User query + + Returns: + List[str]: Formatted reference links + """ + retrieved_documents = self.retriever.invoke(query) + + links = [] + seen_links = set() + + for item in retrieved_documents: + link = item.metadata.get('link') + file_name = item.metadata.get('file_name') + if link and link not in seen_links: + seen_links.add(link) + links.append(f"**Source {len(links) + 1}:** [{file_name}]({link})") + + return links + + def process_query(self, query: str, custom_template: Optional[str] = None) -> str: + """ + Process a user query and return the response with optional references. + + Args: + query (str): User query + custom_template (Optional[str]): Custom prompt template + + Returns: + str: Processed response with optional references + """ + rag_chain = self.create_rag_chain(custom_template) + response = rag_chain.invoke(query) + + marker = "[0]__[0]" + if marker in response: + full_response = response.replace(marker, "").strip() + else: + links = self.get_references(query) + full_response = f"{response}\n\n**References:**\n" + "\n".join(links) if links else response + + return full_response diff --git a/project-chatbot/code/static/images/chainlit.png b/project-chatbot/code/static/images/chainlit.png new file mode 100644 index 0000000..de71d16 Binary files /dev/null and b/project-chatbot/code/static/images/chainlit.png differ diff --git a/project-chatbot/data/json/chunked_data_all_text_files_with_links.json b/project-chatbot/data/json/chunked_data_all_text_files_with_links.json new file mode 100644 index 0000000..8e84044 --- /dev/null +++ b/project-chatbot/data/json/chunked_data_all_text_files_with_links.json @@ -0,0 +1,33903 @@ +[ + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFNS-02 \nVersion 01 \n \n1 \nEMERGENCY MEAL PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n In the event of an unforeseen emergency, school staff must \nadhere to the following procedures to ensure meals are made \navailable to students in a safe and timely manner. “Emergency” is \ndefined as equipment breakdown, weather, facility issues, etc. or \na situation that prevents staff from serving safe meals during the \nallotted mealtimes scheduled. The procedures are: \n1. Principal or custodian should inform onsite food service \npersonnel that there is an emergency preventing the service" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "of meals and approximately how long the emergency will \nlast. Often this is difficult to assess. However, if the \nemergency is anticipated to be longer than 60 to 90 \nminutes after the start of the school day, alternative meal \nservice plans need to be made to ensure students receive \nmeals in a safe and timely manner. \n2. The Food and Nutrition Services Department should be \ninformed immediately. The phone number is 617-635-9144. \nThe onsite Food Services Staff should also contact their \nrespective field coordinator. \n3. Once the Food and Nutrition Services Department is \nnotified about the emergency, a contingency plan that" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FNS-02 \nPage 2 of 9 \n \nincludes an alternate menu, mealtimes, or location will be \njointly decided upon. A substitute emergency meal (shelf-\nstable) which meets regulations may be provided if the \nemergency prevents access to the kitchen. \n4. If there is an emergency just before lunch, the onsite Food \nServices staff should be notified immediately. If needed, \nappropriate arrangements will be made to ensure students \nare fed quickly and efficiently. Food and Nutrition Services \nmay need to provide an alternative meal, depending on the \nemergency. Delays may be expected. All staff should be \nflexible and patient." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "flexible and patient. \n5. When and if the administration makes the decision to send \nthe student body to another school or alternative location, \nthe Food and Nutrition Services Department needs to be \nnotified immediately to ensure food is available at the new \nlocation. \n6. This plan of action is dependent on cooperation from \neveryone. \n7. During a declared state of emergency, the attached \ninstructions will be followed to issue USDA commodities." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FNS-02 \nPage 3 of 9 \n \nFor more information about this circular, contact: \nOwner: \nDeputy Director \nDepartment: \nFood and Nutrition Services \nMailing Address: \n370 Columbia Road, Dorchester, MA 02125 \nPhone: \n617-635-9158 \nFax: \n617-635-9304 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FNS-02 \nPage 4 of 9 \n \nMASSACHUSETTS PLAN FOR UTILIZATION OF USDA DONATED \nFOODS FOR DISASTER RELIEF \n1. Purpose: The purpose of this plan is to establish the \nprocedure for obtaining the United States Department of \nAgriculture (USDA) donated commodities in Massachusetts \nduring a presidential disaster. \n2. Background: The Secretary of Agriculture is responsible for \nensuring that adequate stocks of food are available for \ngroup feeding or household distribution in any area \nsuffering from a major disaster or emergency. During a \ndisaster, food that has been purchased by the USDA for use \nin the state's food programs is made available to disaster" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "organizations in that state. Food that is stored in school or \nstate warehouses can be used immediately. The USDA will \nreplace this food. \n3. General: \n• USDA donated foods will not be distributed to \nindividual families except when the Secretary of \nAgriculture determines that the commercial channels \nof trade have been disrupted because of the \nemergency caused by a disaster. \n• In Massachusetts, USDA foods (which become the \nproperty of the Commonwealth) are distributed by the \nMassachusetts Department of Elementary and \nSecondary Education, Nutrition Programs and Services, \n75 Pleasant Street, Malden, MA 02148-4906. \n• Contact should be made with the local authorities to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "establish a plan to procure these items. All foods are \nfree of charge to the Red Cross. There may be a small" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FNS-02 \nPage 5 of 9 \n \nservice charge for handling. \n• Food items are also stored in bulk in four warehouses \nthroughout the Commonwealth. In the event sufficient \nfoods are not available in the schools, they may be \nrequested by the school lunch personnel through their \nchannels or through the American Red Cross Mass Bay \nChapter office. \n• Transportation needed to move the food to the disaster \narea is not available from the Department of \nElementary and Secondary Education. It is \nrecommended that chapters develop local \ncontingency plans. The key to prompt and efficient \ntransportation of these foods is prior planning by the \nchapter." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "chapter. \n• Food will be released when the President has declared \na disaster area, or when the Commonwealth has \nrequested a declaration. They will also be released \nupon request of Red Cross or governmental authorities \nwhen a disaster appears to be imminent, people being \nevacuated, or mass feeding is needed for a substantial \nnumber of dislocated families and individuals. \n4. Procedure for obtaining USDA donated foods for Red Cross \nmass feeding: \n• When the feeding is being done by school lunch \npersonnel: \no They will make food available from their supply. \no When additional foods are required, they will \nrequest them." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FNS-02 \nPage 6 of 9 \n \n• When the feeding is being done by other than school \nlunch personnel, the Red Cross will make its request \nthrough the Mass Bay office of the Red Cross. It will \ninclude a synopsis of the disaster situation and the \nestimated amounts and kinds of food commodities \nrequired. \n• The nearest warehouse or other facility will be \ninstructed to release the food. \n• The Red Cross will dispatch the necessary \ntransportation to pick up the foods. \n• In all instances, temporary receipts will be signed, \nfollowed by more formal procedures. \n5. Procedures for returning used foods: \n• If a large amount of food is to be returned, the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Department of Elementary and Secondary Education \nwill send an agent to the Red Cross to arrange the \ndetails of the return. If only a small amount is to be \nreturned, the Red Cross will be instructed to turn it \nover to the designated school in the area. In either \ncase, the Red Cross should obtain and file a receipt for \nthe returned food. \n6. Procedure for reporting on USDA donated foods: \n• After mass feeding is completed, the Red Cross will be \nadvised on the information necessary to enable the \nDepartment of Elementary and Secondary Education \nto report on commodities distributed for disaster relief, \nincluding certification that all food products were used" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "in accordance with existing regulations and used for \nmass feeding." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FNS-02 \nPage 7 of 9 \n \n• The program for use of USDA donated foods in the \ndisaster will be considered completed when all unused \nfood has been returned and the above report has been \nsubmitted. \nAmerican Red Cross: \nLiberty Black \nDirector of Disaster Services \nMass. DESE: \nRobert M. Leshin \nDirector, Office for Food and Nutrition Programs" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FNS-02 \nPage 8 of 9 \n \nMASSACHUSETTS DEPARTMENT OF ELEMENTARY AND \nSECONDARY EDUCATION \n75 Pleasant Street, Malden, Massachusetts 02148-4906 \n \nTelephone: (781) 338-3000 \nTTY: N.E.T. Relay 1-800-439-2370 \nMEMORANDUM \nTo: \nAll School and Child and Adult Care Food Program \nSponsors \nFrom: \n Kathleen C. Millett \nFormer Executive Director, Office for Nutrition, Health \nand Safety Programs \nDate: \n January 26, 2015 \nSubject: Procedures for Using USDA Foods During an \nEmergency \nIn the case where a school or childcare setting is officially \ndesignated as an emergency shelter, USDA Foods may be \nreplaced. This memorandum serves to identify the process to use" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "the USDA Foods and request replacement. After approval from \nthis office, USDA donated foods will be made available to the \nAmerican Red Cross or public schools for feeding in a congregate \nsetting. The following steps are to be used to receive food \nassistance for food services during an emergency declaration. \nFirst, contact Marion Browning of the food distribution section at \nmbrowning@doe.mass.edu or 781-338-6460, email is preferred, \nwith your immediate food needs, along with the estimated \nnumber of meals to be served. If you are unable to reach Ms." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FNS-02 \nPage 9 of 9 \n \nBrowning, please email me at kmillett@doe.mass.edu or 781-338-\n6479. Include the following information to the extent possible: \n• Description of major disaster or emergency situation. \n• Number of people requiring meals and congregate meal \nservice period. \n• Quantity and types of food needed for congregate meal \nservice. \n• Number and location of sites providing congregate meal \nservice. \nOnce the request for donated foods is approved, you may use any \nUSDA donated foods available at your school. After the crisis has \npassed, please report the following information to the \ncommodity distribution section:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-02 Emergency Meal Procedures", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link", + "content": "commodity distribution section: \n• Amount of USDA commodities actually utilized. \n• Number of days of the meal service and number of meals \nactually served (i.e., 2,000 persons, three meals per day for \nfive days). \nWe will make every effort to replace the value of USDA donated \nfoods used with inventory from our warehouse." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFNS-03 \nVersion 01 \n \nFOOD AND NUTRITION POLICY ON COMPETITIVE FOOD \nAND BEVERAGES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThese guidelines will cover food and beverages that are sold, \nprovided, or served to students within school buildings or on \nschool grounds, in the student stores, cafeterias, classrooms, \nhallways, and vending machines, all of which are sold outside of \n(i.e., in competition with) the federally funded School Meal \nProgram. These guidelines also apply to fundraisers, classroom \nactivities, and school events. This includes food and beverages" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "supplied by schools during official transportation to and from \nschool and district-sponsored activities, including but not limited \nto field trips and interscholastic sporting events where the school \nis the visiting team. See the Implementation Guidelines section \nfor details. \nINTRODUCTION \nIn response to continuing concerns regarding childhood \noverweight and obesity as well as other diet-related diseases in \nour city’s school-aged children, the Boston School Committee \nhas approved the following policy language regarding beverages \nand food in schools." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FNS-03 \nPage 2 of 21 \n \nThese guidelines were first adopted on July 1, 2004, and were \nimplemented with the start of school in September 2004. They \nwere updated in April 2011 and June 2015 to take into \nconsideration new federal and state nutrition guidelines that \nimpact the overall health and wellness of our students and staff, \nspecifically the Healthy Hunger-Free Kids Act, 2010. Most recently, \nthey were updated in August 2017 to reflect changes in the \nDistrict Wellness Policy. This document is intended to assist \nschool administrators in implementing these guidelines in their \nschools." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "schools. \nAll such competitive foods shall meet the criteria outlined in the \nimplementation guidelines that follow. This includes food and \nbeverages sold, provided, or served to students in: \n● School cafeterias, specifically “a la carte” entrees and \nsnacks \n● Vending machines \n● School stores \n● School snack bars \n● Concession stands \n● Classrooms and hallways \n● Booster sales \n● Fundraising activities \n● School-sponsored or school-related events, including \nthose with school-sponsored transportation occurring off \nschool grounds, such as sporting events and field days \n● Food trucks on school grounds \n \nThese guidelines apply to entrees, snacks, side items, and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "desserts offered or sold outside of the school meals program." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FNS-03 \nPage 3 of 21 \n \nItems that would be considered entrées if sold in the \nreimbursable meal program, but are sold a la carte as \nCompetitive Foods, are not subject to these guidelines. This \npolicy will be reviewed once yearly by a sub-committee of the \nBoston Public Schools (BPS) District Wellness Council. \nBACKGROUND \nSchools across the city, state, and nation have been grappling \nwith developing meaningful and applicable guidelines on this \nissue of obesity for the past decade. Earlier “Competitive Food \nGuidelines,” set forth by USDA and individual state departments \nof education, prohibited only the sale of foods of minimal" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "nutritional value (Federal Register: 7 CFR Part 210.11). These \nstandards attempted to address types of foods and beverages \nsold, provided, or served to students within school buildings. \nWhile some state standards may have been useful thirty years \nago, most are outdated, as they do not address the growing \navailability of vending machines, foods, candy, and soda sold \ninside and outside of the cafeteria at fundraisers or in student \nstores. Competitive foods are relatively low in nutrient density \nand high in fat, added sugar, and calories. Neither a la carte nor \ncompetitive foods are bound by dietary guidelines that the \nNational School Lunch (NSLP), National School Breakfast, and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "After School Snack Programs must adhere to. \nNational and state departments of education, school boards, food \npolicy advocacy organizations, the American Academy of \nPediatrics, the Center for Science in the Public Interest, state \ndietetic and school food service associations, and other \nrepresentative groups have met over the past several years to \nestablish or recommend nutrition standards to promote healthy" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FNS-03 \nPage 4 of 21 \n \neating habits among children. Massachusetts A La Carte Food \nStandards to Promote a Healthier School Environment is a \nguideline that has been established by the Massachusetts Action \nfor Healthy Kids, first adopted in January 2004 and updated in \nDecember 2009. These guidelines, along with the Institute of \nMedicine, the Alliance for a Healthier Generation Competitive \nFoods and School Beverage Guidelines, nutrition standards from \nthe School Nutrition Bill (H4459, S2322), and the HealthierUS \nSchool Challenge informed the latest revision to our policy. In \naccordance with Mayor Menino’s Executive Order Relative to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Healthy Beverage Options1, all beverages sold on school grounds \nshall meet the city’s Healthy Options Beverage Standards. \nPOLICY \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthy foods and sugary drinks, and making \nwater available to students throughout the day are some of the \nways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "cafeteria meets high nutritional standards. \nBPS believes the cafeteria is an essential setting to educate and \npromote healthy eating habits. BPS is committed to serving \nstudents nutritious and delicious food that is less processed, \nmore locally sourced, and culturally responsive to reflect the \ndiverse student population. As an effective way to improve the \nnutritional quality of foods served in schools and consumed by" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FNS-03 \nPage 5 of 21 \n \nstudents, the district created and implemented menu and \ningredient guidelines exceeding federal requirements. BPS will \ncontinue a constant review of school food and the food \nenvironment to ensure safety, quality, menu equity, and \ninnovation. The district will be an innovator with school food, \nserving foods that are new and exciting for the students. We \nbelieve that students deserve meals reflective of their culture and \ntastes. We believe eating well is not a privilege; it is a right. \nKey requirements of creating a healthy school food environment \nare: \nSchool Meals Program" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "are: \nSchool Meals Program \n● Ensure all menus meet USDA-mandated requirements, as \nwell as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow \nBronze status standards for the Alliance for a Healthier \nGeneration2, and work toward Bronze status standards \nfor the HealthierUS School Challenge3. \n● Ensure all menus offer variety and are well presented in \nan appealing way, and meals and menu items are labeled \nto communicate deliciousness, as well as specific \ningredients. \n● Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "children who participate. \n● Provide food with “clean” labels that are free of unwanted \ningredients, including trans fats, high fructose corn syrup, \nartificial colors, artificial sweeteners, additives" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FNS-03 \nPage 6 of 21 \n \n(azodicarbonamide, bromated flour), and artificial \npreservatives (nitrates, nitrites, sulfates, sulfites, MSG, \nBHA, BHT, TBHQ). \n● Reduce material used for packaging, sourcing recyclable \nor compostable materials when possible, and working to \npromote best practices around recycling and \ncomposting. \n● Make water available at no cost during mealtimes \nwherever meals are served. \nFood Safety \n● Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department). \n● Implement a stringent and detailed internal Hazard" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Analysis and Control Points (HACCP) plan that provides \nregulations in following safety procedures for food recalls, \nemergency preparedness to avoid foodborne illnesses, \nand the spread of infectious diseases. \n● Ensure all employees who work 5+ hours are Food Safety. \n● Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification. \nNutrition Education, Promotion and Food & Beverage Marketing \n● Promote health and nutrition messages that encourage \nthe consumption of fruits and vegetables, whole grains, \nhealthy fats, low-fat dairy products, and water; and other" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FNS-03 \nPage 7 of 21 \n \nmessages consistent with research-based findings that \nindicate a positive impact on health. \n● Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \n● Identify opportunities to support teachers, school staff, \nand parents around modeling healthy eating habits and \nfollowing appropriate nutritional standards at school \ncelebrations and staff meetings. \n● Only allow food and beverage marketing on school \ngrounds, including items shared with students, that \npromote foods and/or beverages that meet the BPS" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "promote foods and/or beverages that meet the BPS \nnutritional standards. \nCompetitive Food & Beverages \n● Follow federal, state, and local laws and Forbid the sale of \nfood and beverages by anyone other than the Food and \nNutrition Services Department, which is solely responsible \nfor food and beverages sold to children during the school \nday. regulations for competitive foods and beverages (i.e., \nfoods sold, provided, or served within school buildings or \non school grounds outside of the school meals program) \nin all schools, as outlined in this circular. \n● Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "during the school day. \n● Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FNS-03 \nPage 8 of 21 \n \n● Prohibit the use of food and beverage as a reward or \nmeans of discipline. \nAll BPS schools shall follow Food and Nutrition Services policies \nand circulars. \nIMPLEMENTATION GUIDELINES \nCompetitive Food and Beverages \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FNS-03 \nPage 9 of 21 \n \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding.1,2,3,4,5,6,7 \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \n \n1 Regulatory Authority M.G.L. C.15, § 1G \n2 Federal Register, 2013, 7 CFR Parts 210 and 220, National School \nLunch Program and School Breakfast Program: Nutrition \nStandards for All Foods Sold in Schools as Required by the \nHealthy, Hunger-Free Kids Act of 2010; Interim Final Rule, U.S. \nDepartment of Agriculture, 78 (125) (June 28, 2013)." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "3 Federal Register, 2014, 7 CFR Parts 210 and 220, Local School \nWellness Policy Implementation under the Healthy, Hunger-Free \nKids Act of 2010: Proposed Rule, U.S. Department of Agriculture, \n79 (38) (February 26, 2014). \n4 Massachusetts General Laws (2010). Chapter 111, Section 223, \n5 State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law),. \n6 Massachusetts Department of Public Health (2010), Nutrition \nStandards for Competitive Foods and Beverages in Public \nSchools, 105 CMR 225.000 \n7 Massachusetts Department of Public Health (2012). “Students, \nHealthy Schools: Revised Guidance for Implementing the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Massachusetts School Nutrition Standards for Competitive Foods \nand Beverages”" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FNS-03 \nPage 10 of 21 \n \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nThe income for the total food and beverage service regularly \nmaintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages. Food sales operated for \nprofit (this includes bake and candy sales) shall not operate \nduring the regular school day. \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "the breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nCanteen Services at School Site Locations \n7 CFR 210, 220 Competitive Foods: Federal regulations prevent \nthe sale of candy, gum, and carbonated beverages to students on \nschool premises from the beginning of the school day to the end \nof the last lunch period. \nThe sale of food items from canteen trucks (with the exception of \nan open campus), school stores, or other areas that compete with \nschool meals, time, and money is in violation of federal \nregulations. These sales further divert income essential to the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "financial well-being of the Food and Nutrition Services program. \nUse of canteen services on school premises by students should \nbe prohibited." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FNS-03 \nPage 11 of 21 \n \nPreparation of all competitive foods and beverages must meet \nstate and federal food safety guidelines. \nIn accordance with 105 CMR 225.100, nutrition information must \nbe made available to students for non-prepackaged competitive \nfoods and beverages as of August 1, 2013. This requirement shall \nnot apply to the sale or provision of fresh fruits or fresh \nvegetables, and foods or beverages sold during the school day at \nbooster sales, concession stands and other school-sponsored or \nschool-related fundraisers and events. \nNo competitive food and beverages shall be sold, served, or \nprovided during school mealtimes." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "provided during school mealtimes. \nImplementation guidelines must comply with or exceed nutrition \nstandards delineated by 105 CMR 225.000: Nutrition Standards \nfor Competitive Foods and Beverages in Public Schools. \nAll foods sold, served, or provided at schools should meet the \nguidelines given in FNS-06. \nBeverages \nThe total beverage product line must meet the following criteria: \n● Schools may sell, provide, or serve only plain water and \njuice. All milk is unflavored. No flavored milk will be \noffered to students. Beverages such as soft drinks, fruit \ndrinks with the minimal nutritional value, and sports \ndrinks cannot be sold, provided, or served to students" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "anywhere in school buildings or on the school campus. \n● Plain drinking water must be readily available during the \nschool day at no cost." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FNS-03 \nPage 12 of 21 \n \n● Drinking water must be caffeine-free, have 0 mg of \nsodium, and have no nutritive or non-nutritive \nsweeteners. Natural flavorings and carbonation are \nacceptable. \n● Beverages shall not contain added sugars, including high \nfructose corn syrup and non-nutritive sweeteners. \n● No beverages shall contain artificial sweeteners. \n● Competitive juice beverages will not be offered in \nelementary schools (i.e., grades PreK-5). Fruit and/or \nvegetable based drinks sold in middle and high schools \n(i.e., grades 6-12) must be composed of no less than 100% \nfruit/vegetable juices with no added sweeteners, not to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "exceed 4 ounces in middle schools (i.e. grades 6-8), and \nnot to exceed 8 ounces in high school (i.e., grades 9-12), \nwith 120 calories/8 oz. plus 10% Daily Value of 3 vitamins \nand nutrients, such as Vitamin A, C, D and calcium \n● All milk and milk substitute products shall be pasteurized \nfluid types of low fat (1%) or skim (fat free) milk which \nmeet USDA, state, and local standards for milk. All milk \nshall contain Vitamins A and D at levels specified by the \nFood and Drug Administration and shall be consistent \nwith the state and local standards for such milk. All milk, \nflavored milk, and milk substitute container sizes shall not \nexceed 8 ounces." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "exceed 8 ounces. \n● Soy, rice, and other milk-substitute drinks shall be \ncalcium and vitamin-fortified and shall contain no more \nthan 22 grams total sugars per 8 ounces. \n● No beverages shall contain more than trace amounts of \ncaffeine." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FNS-03 \nPage 13 of 21 \n \n● City of Boston agencies in BPS buildings may offer 8 oz. of \n100% juice or low-fat and nonfat milk products in vending \nmachines available only outside of the school day. \nFoods \nFresh fruits and/or non-fried vegetables must be offered \nwherever competitive foods are sold, provided, or served to \nstudents except in non-refrigerated vending machines and \nvending machines offering only beverages. Use of fryolators in \npreparing competitive foods is prohibited. \nIn addition, competitive foods must meet the following \nnutritional criteria per item: \n• Any other food that meets all the following criteria:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "a. ≤ 35% of total calories from fat. \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nii. Fruit and nut combination products are exempt \nfrom the above limitation. \niii. If products are dairy, they must be non-fat or low \nfat dairy." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FNS-03 \nPage 14 of 21 \n \nb. ≤ 10% of calories from saturated fat OR ≤1g saturated \nfat \ni. Nuts, nut butters, and seeds are exempt from \nabove limitation and are permitted if served in 1 oz \nportions. \nc. 0g trans fat \nd. ≤ 35% of weight from total sugars in foods \ni. Non-fat or low-fat yogurt with a maximum of 30g \nsugar per 8 ounces. \ne. ≤ 200 mg sodium \ni. A la carte entrees like cheese sandwiches, \nvegetables with sauce, and soups must be less \nthan 480 mg sodium if they contain one or more \nof the following: \n1. ≥2g fiber \n2. ≥5g protein \n3. ≥10% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "magnesium, potassium, or iron \nf. Meet 1 of the following calorie requirements: \ni. \n≤100 calories \nii. \nVegetables with sauce and soups can have 150 \ncalories if they contain two or more of the \nfollowing: ≥2g fiber; or ≥5g protein; or ≥10% DV of \nVitamin A, C, E, folate, calcium, magnesium, \npotassium, or iron; or ≥½ serving (¼ cup) of fruit \nor vegetables. \niii. \nOther foods can have calorie limits per below if \nthey contain one or more of the following:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular FNS-03 \nPage 15 of 21 \n \n1. ≥ 2g fiber \n2. ≥ 5g protein \n3. ≥ 10% DV of Vitamin A, C, E, folate, calcium, \nmagnesium, potassium, or iron \n4. ≥ ½ serving (1/4 cup) of fruit or vegetables: \na. \n≤ 150 calories for elementary schools \nb. \n≤ 180 calories for middle and \nc. \n≤ 200 calories for high schools \n• Bread and other whole grain-based products shall have a \nwhole grain (such as whole wheat) listed as the first \ningredient or contain grains that are at least 51% whole \ngrains. \n• No more than trace amounts of caffeine are allowed in \nfoods. \n• Foods must contain no artificial sweeteners. \n• Foods must have limited added sweeteners as much as" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "possible. \n• Fruits shall have no added sweeteners and have 0g total fat. \nSince fresh fruits and vegetables vary in size and calories \nnaturally, they have no calorie limit. \n• Fruits packaged in their own juices or dried will not exceed \nthe following calorie limits: 150 calories for elementary \nschools, 180 calories for middle schools and 200 calories for \nhigh schools. \n• Dried fruit and nut combination products (commonly \nknown as trail mix) can be included within these guidelines \nif they meet the following standards: \na. The items found in the combination product include \nonly unsweetened dried fruit, nuts, and/or seeds." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular FNS-03 \nPage 16 of 21 \n \nb. The product contains no added sweeteners. \nc. The combination product is exempt from the ≤ 35% of \ntotal calories from fat requirement, but must meet all \nrequirements around calories, saturated fat, trans fat, \nsodium, sugar, and positive nutrients. \n• Any one egg or equal amount of egg equivalent is allowable \nif it contains no added fat. \n• Any reduced-fat or part-skim cheese ≤1 oz. \nTime Of Day \nThe guidelines apply to all food and beverages (outside the USDA \nSchool Meals and After School Snack Program) provided to \nstudents on school grounds during the regular and extended" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "school day when events are primarily under the control of the \nschool or third parties on behalf of the school. \nThe extended school day is the time before or after the official \nschool day that includes activities such as clubs, yearbook, band \nand choir practice, student government, drama, sports practices, \nintramural sports, and childcare/latchkey programs. \nVending machines, including those controlled by other entities in \nBPS buildings and grounds, shall comply with these guidelines at \nall times. Automatic timers will be used to limit access to \ncompetitive foods and beverages in vending machines during \nthe school day, including during school mealtimes." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Fundraisers, Classroom Parties, Food Rewards, and Meetings \nAll fundraisers must meet Boston Public Schools’ \nimplementation guidelines for competitive food. No food-based" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular FNS-03 \nPage 17 of 21 \n \nfundraisers are permitted during school meals. The building \nadministrator or designee is responsible for approving all \nfundraisers. Classroom parties must also comply with Boston \nPublic School’s competitive food guidelines and notification of \nthe cafeteria manager is requested to help the cafeteria plan \nappropriately. Principals and staff will promote a school \nenvironment supportive of healthy eating. Adults are encouraged \nto model healthy eating by serving nutritious food and beverages \nat school meetings and events. \nTeachers and staff should refrain from providing candy and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "snacks of minimal nutritional value as rewards for students and \ninstead integrate practices of non-food rewards. Food and \nbeverage cannot be used as a reward means of discipline. \nIf schools participate in fundraising involving food and beverages, \nthe fundraiser should support a healthy school environment and \nbe free from solicitation of foods that do not meet the \nspecifications of the Dietary Guidelines for Americans. \nFundraisers should not include the sale of candy, beverages, and \nsnacks that do not meet the Boston Public Schools’ \nimplementation guidelines for competitive foods. \n \nSchools should develop communication and tools to provide to" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "PTA and other groups who are conducting fundraising, \ncelebrations, meetings, and rewards for the school so that non-\nfood activities are used. \nAllergies \nSchools should consider all students with food allergies and \nmake appropriate plans and accommodations in any food-based" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular FNS-03 \nPage 18 of 21 \n \nfundraiser, celebration, and/or reward according to the guidance \nprovided in Superintendent’s Circular SHS-11, which provides \nmore information on student allergies. \nSupport For Implementation \nThis is a citywide initiative, with the Boston Public Schools taking \nthe lead to implement healthy snack and beverage guidelines. \nThe Mayor’s Office, the Boston Public Health Commission (BPHC), \nand the Boston Centers for Youth and Families (BCYF) are all in \nfull support of these policies. \nTo assist with this transition, Food and Nutrition Services will \ncontinue meeting with vendors and manufacturers to discuss" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "product specifications that meet these guidelines. Language \nreferencing new policies is included in the Request for Bids for \nbeverages, dairy and ice cream, and snack food products. \nVendors who are awarded single-year or multiple-year contracts \nmust comply with the stated guidelines. \nWith assistance from the School Wellness Council, students, \nteachers, parents, and administrators will be informed and \neducated about the new guidelines. Technical support will be \nprovided to help schools and agency partners adjust to the \nrevised standards, including providing resources on healthful \nforms of fundraising and meeting guidelines. The" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "forms of fundraising and meeting guidelines. The \nCommonwealth of Massachusetts passed a School Nutrition Bill \n(H4459, S2322). The BPS implementation guidelines have been \nrevised to include state nutritional standards. \nMONITORING AND COMPLIANCE \nSchools will monitor compliance in the following ways:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular FNS-03 \nPage 19 of 21 \n \n● School wellness councils should assess and track their \nschool’s compliance with this policy and include \nimplementing goals on their Wellness Action Plan to \nensure compliance with the policy. \n● All schools will biennially complete the School Health \nProfiles Surveys (Profiles), including questions on \ncompetitive foods and beverages. Individual school \nreports will be shared back with schools after completing \nProfiles, stating whether the school is complying with the \npolicy. \nThe principal and relevant operational leaders will be notified by \nFNS and the Office of Health & Wellness if a school is found to not" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "be compliant. School administration, families, students, and \nWellness Council will be provided information about the policy to \nengage and support monitoring, enforcement, and compliance." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular FNS-03 \nPage 20 of 21 \n \nDEFINITIONS \nFood of Minimal Nutritional Value: Food that provides less than \nfive percent of the Reference Daily Intakes (RDI) for each of eight \nspecified nutrients per serving. \nA La Carte Foods: Sold typically in the cafeteria by the school \nfood service department. They are separately and individually \npriced and are not usually part of the NSLP. \nCompetitive Foods: Competitive foods or beverages means all \nfoods or beverages sold or provided in public schools, other than \nnon-sweetened carbonated water and those items sold or \nprovided as part of federal nutrition programs such as the School" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Breakfast Program, School Lunch Program, and the Child and \nAdult Care including those offered in: School cafeterias; school \nstores; school snack bars; concession stands, booster sales, \nvending machines; fundraising activities; school-sponsored or \nschool-related events; food trucks, and any other location in \npublic schools. \nREFERENCES \nAlliance for a Healthier Generation Standards \nHealthier US School Challenge Standards" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-03 Competitive Foods Guidelines", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular FNS-03 \nPage 21 of 21 \n \nFor more information about this circular, contact: \n \nOwner: \nDeputy Director \nDepartment: \nFood and Nutrition Services \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: \n617-635-9143 \nFax: \n617-635-9304 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOwner: \nSenior Executive Director \nDepartment: \nOffice of Health and Wellness \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-6643 \nFax: \n617-635-1502 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFNS-06 \nVersion 01 \n \n \n \n1 \nFOOD AND NUTRITION SERVICES MENU AND \nINGREDIENT GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS) Food and Nutrition Services \n(FNS) Menu and Ingredient Guidelines are the benchmarks for \nfood quality, food safety, nutrition, and variety. They are applied \nprimarily to menu development and procurement and support \nthe Nutrition Standard of Food and Nutrition Services. They \npertain to all USDA programs administered by FNS. \nFNS continuously monitors its work related to these guidelines" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "and updates them annually between school years. The guidelines \nare informed by sources of evidence-based research, and ad hoc \nrelated to ingredients and standards for operation. \nFNS Menu and Ingredient Guidelines align with the Good Food \nPurchasing Program and continuously strive to meet the Menus \nof Change Principles of the Culinary Institute of America. These \nvalues and principles, respectively, are embedded within the FNS \nMenu and Ingredient Guidelines. \nThe Menu and Ingredient Guidelines are grouped below under \nthe following headings:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FNS-06 \nPage 2 of 17 \n \n \n \n \nA. Provide nourishing and culturally diverse food choices \naccording to regulations \nB. Offer variety of whole, fresh, local foods \nC. Establish levels for some fats, sugar, sodium \nD. Eliminate additives \nE. Define animal welfare standards \nF. Other \n \nA. Provide nourishing and culturally diverse food choices that \nmeet or exceed USDA National School Lunch and School \nBreakfast Program guidelines as well as guidelines of \nMassachusetts Department of Public Health, City of Boston, \nand Boston Public Schools Wellness Policy. \nFNS strictly follows or exceeds the USDA National School" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Lunch and School Breakfast Programs Meal Pattern for the \nhealthy meal choices that it offers and the frequency that \nchoices are served. \nFor Boston schools: \n• Menus follow at least a four-week cycle and continuously \nevolve for diversity, updates, variety, and trends, reflecting \nstudent preferences. \n• Menus for all BPS food service models are as much like \neach other as possible. \n• Lunch menus have at least one vegetarian entrée daily \nand feature at least one vegan protein option per menu \ncycle during in-person meal service." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FNS-06 \nPage 3 of 17 \n \n \n \nB. Offer a variety of whole foods that are fresh, high quality, \nemphasize local, and foods, as purchased, that retain most \nof their inherent physical, chemical, sensory and nutritional \nproperties. These foods should meet the food quality \nrequirement as noted throughout these Guidelines. \n• Menus favor local, seasonal ingredients. Local items are \nfeatured based on availability, primarily on salad bars, as \nwell as one or more additional local meal components \nduring the week, to include whole grains, fish, and dairy, \nwithin budget parameters. Local, defined as New \nEngland, is intended to increase in volume over time for" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "all service models. \n• Menus offer a variety of fruits and vegetables. \no FNS offers at least two fruits (minimum one fresh; may \nalso serve unsweetened canned/frozen, packed in its \nown juice, and dried fruit at breakfast and lunch) \no FNS offers at least three fresh vegetables and one fresh \nfruit daily at schools (MWCs) with salad bars. Schools \nwithout salad bars offer a minimum of one or more \nfresh fruit and/or vegetables daily. \no Frozen and canned vegetables (salt-free or low-\nsodium) may be served, as appropriate. \no Legumes/beans are offered at a minimum of once per \nweek at all sites for lunch. \n• Menus offer legumes and beans as a plant-based protein" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "option to meet the meat alternate component \nrequirements of meal pattern. \n• Menus will provide all the weekly grains as whole grain-\nrich and offered in salad bars, sides, and entrees. Local" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FNS-06 \nPage 4 of 17 \n \n \n \nwhole grain-rich items will be featured. \n• Menus offer a variety of lean proteins, including animal \nand plant-based options (i.e.., chicken, turkey, beef, fish, \ntofu, beans). Menus offer commercially purchased whole \nmuscle meat or entrees made from whole muscle meat, \nwith no fillers. \n• Beef is lean, USDA Grade Choice or better, and contains \n100% beef only. \n• Eggs are USDA Grade A or equivalent and USDA \ninspected; frozen eggs are USDA inspected. \n• Seafood must be U.S. Department of Commerce-\ninspected. \n• FNS offers foods that have as little packaging as possible," + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "with the goal of eliminating all but reasonable, necessary \npackaging. Packaged foods include those served \nselectively, at the discretion of FNS and primarily in \nsettings that have no cooking equipment, for Breakfast in \nthe Classroom, field trips, and occasionally for grab-and-\ngo carts. Where possible, meals offered in the classroom, \nfor field trips and on carts align with meals offered in \ndining rooms. \n• FNS is moving away from unitized/packaged meals \ntoward on-site meal preparation. \nC. Decrease the amount of saturated fat, monitor added \nsugar and excess sodium. \n• Menu choices favor entrees that are low in saturated fat \n(less than 10% based on the average for a 5-day menu" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "week)." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FNS-06 \nPage 5 of 17 \n \n \n \n• Healthy oil(s) are used in most food preparation. Butter is \nused sparingly. \n• All liquid milk is rBGH-free. \n• All dairy is low fat (1%) or non-fat (skim), excluding butter. \n• FNS currently observes USDA Target 1 sodium limits: \no In line with the federal rules, on or before school year \n2024-2025, FNS intends to decrease average daily \nsodium levels to reach Target 2 standards established \nby the USDA Final Rule “Nutrition Standards in the \nNational School Lunch and School Breakfast Programs \n(1/26/12)”. \n• Added sugar content is monitored by following the below \nguidelines, with the aim to decrease daily added sugar" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "intake: \no Cereal may contain no more than 6 gm added sugar \n(1.5 teaspoons) (for 1 grain equivalent) and must be \nidentical nutritional/ingredients with retail product. \no Breakfast grain/grain components may contain up to 8 \ngm (2 teaspoons) added sugar. \no For two grain equivalents, there will be no more than \n14 gm (4.5 teaspoons) added sugar. \no Yogurt may have 15 gm of added sugar (4.5+ \nteaspoons) or less per serving. \n• Beverages may include fruit-infused water at hydration \nstations in school dining rooms. \nD. Eliminate additives and ingredients that aren’t needed for \nproduct integrity." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FNS-06 \nPage 6 of 17 \n \n \n \n• The following unnecessary or unnatural ingredients are \nprohibited from menu items. \n• Additives and ingredients will be monitored and adjusted \naccording to evidence-based research. \n• Coloring: \no Artificial colors (including synthetic food dyes) \no Annatto and Cochineal extract/carmine \no Caramel color class III and IV avoided in beverages, \nfood, and sauces. Caramel color class IV may be \nfeatured in gravies, which are used sparingly. \n• Artificial flavors: artificial synthetic flavors \n• Artificial preservatives: Benzoates & benzoic acid, \nBHA/BHT/TBHQ; nitrates/nitrites; propyl gallate, sulfites" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "• Artificial sweeteners & other sugar free non-nutritive, low \ncalorie and reduced calorie sweeteners: Sucralose, \naspartame, saccharine, Neotame, acesulfame k \n[acesulfame potassium] \n• Flavor enhancers: GMP, MSG \n• Binders and Fillers: isolate vegetable proteins and \nhydrolyzed vegetable protein as filler \n• Thickening agents: Carrageenan \n• Caffeine \n• Sugary syrups: High fructose corn syrup (HFCS), high \nmaltose corn syrup, high dextrose corn syrup, tapioca \nsyrup \n• Partially hydrogenated oils; trans fats \n• Emulsifiers:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FNS-06 \nPage 7 of 17 \n \n \n \no Brominated Vegetable Oil (BVO) \no Carboxymethylcellulose (CMC) and Polysorbates \n• Flour treatment agents: (azodicarbonamide, bleached \nflour, bromated flour [potassium bromate], potassium \niodate) \n• Nitrites/Nitrates and Processed Meat: Meat that has been \ntransformed through salting., curing, fermentation, \nsmoking, or other processes to enhance flavor or improve \npreservation. Examples of processed meat include hot \ndogs (frankfurters), deli meat, ham, sausage, corned beef, \nbeef jerky and canned meat. \n• Rendered meat, irradiated meat, meat with latent Tgf-\nbeta binding protein (LTBP)*" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "beta binding protein (LTBP)* \n• Ammonium hydroxide, vegetable protein analogues, or \nextenders \nE. Work toward procurement of animals untreated with \nhormones, steroids, or antibiotics that serve no vital \nfunction. \n• Due to growing concerns of animal husbandry practices, \nFNS supports responsible use of antibiotics in animals. \no Menu features chickens raised without the use of \nantibiotics ever. \n▪ Menu features entrees utilizing chicken products \nfollowing One Health Certified (OHC) standards.37 \nOHC addresses several important areas of animal \nagriculture within a sustainable continuous \nimprovement process. \no Menu features turkey products produced under a" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FNS-06 \nPage 8 of 17 \n \n \n \nUSDA process verified program that includes \ncompliance with the following Certified Responsible \nAntibiotic Use (CRAU) criteria: \ni. No administration of antibiotics pre-hatch \nii. Antibiotics with analogues in human medicine are \nnot allowed for: \n▪ Disease prevention \n▪ Growth promotion \n▪ Feed efficiency, or \n▪ Weight gain \niii. Antibiotics with human analogs can only be used \ntherapeutically to: \n• Treat disease in poultry with bacterial disease \n• Control disease in poultry exposed to infectious \nbacteria \n• FNS is opposed to the use of hormones and steroid \ngrowth promoters in beef and dairy cattle production." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "FNS continues to research food products from beef or \ndairy cattle produced without hormone growth \npromoters and grass-fed products as options become \navailable. FNS acknowledges some USDA commodity \nproducts (beef, dairy and poultry) are purchased without \nthe transparency of animal practices, and therefore, FNS \nlimits how often these products are served. USDA \ncommodity proteins may be made from whole muscle \nmeat or restructured meat*. \nF. Other guidelines are observed as follows:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FNS-06 \nPage 9 of 17 \n \n \n \n• All school dining areas are peanut aware. No school \nkitchens will serve peanuts or tree nuts. \n• FNS accommodates students with medically prescribed \ndietary requirements. \n \nFor more information about this circular, contact: \nOwner: \nNutrition Manager \nDepartment: \nFood and Nutrition Services \nMailing Address: \n370 Columbia Road, Dorchester, MA 02125 \nPhone: \n617-635-9144 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FNS-06 \nPage 10 of 17 \n \n \n \nREFERENCES \n1 Center for Good Food Purchasing. \nhttps://goodfoodpurchasing.org. Last reviewed 2020. Accessed \nJanuary 26, 2020. \n2 Menus of Change. https://www.menusofchange.org. Last \nreviewed 2021. Accessed May 14, 2021. \n3 Michigan State University. What is a processed food? \nhttps://www.canr.msu.edu/news/what_is_a_processed_food \n4 American Heart Association. Healthy Cooking Oils. \nhttps://www.heart.org/en/healthy-living/healthy-eating/eat-\nsmart/fats/healthy-cooking-oils. Last reviewed April 24, 2018. \nAccessed January 14, 2020. \n5 American Heart Association. Children should eat less than 25" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "grams of added sugars daily. \nhttps://newsroom.heart.org/news/children-should-eat-less-than-\n25-grams-of-added-sugars-daily \n6 Center for Science in the Public Interest. Chemical Cuisine, \nLearn About Food Additives. https://cspinet.org/eating-\nhealthy/chemical-cuisine. Published 2014. Accessed June 26, 2019. \n7 Kobylewski S, Jacobson MF. Food dyes: A Rainbow of Risks. \nWashington D.C.; 2010. https://cspinet.org/new/pdf/food-dyes-\nrainbow-of-risks.pdf. \n8 Lefferts LY, Jacobson MF, MacCleery L. Seeing Red: Time for \nAction in Food Dyes. Washington D.C.; 2016. \nhttp://cspinet.org/reports/seeing-red-report.pdf." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FNS-06 \nPage 11 of 17 \n \n \n \n9 Conners CK, Goyette CH, Southwick DA, Lees JM, Andrulonis PA. \nFood additives and hyperkinesis: a controlled double-blind \nexperiment. Pediatrics. 1976;58(2):154-166. \n10 Stevenson J, Buitelaar J, Cortese S, et al. Research review: the \nrole of diet in the treatment of attention deficit/hyperactivity \ndisorder—an appraisal of the evidence on efficacy and \nrecommendations on the design of future studies. J Child \nPsychol Psychiatry. 2014;55(5):416-427. doi:10.1111/jcpp.12215. \n11 Bateman B, Warner JO, Hutchinson E, et al. The effects of a \ndouble blind, placebo controlled, artificial food colourings and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "benzoate preservative challenge on hyperactivity in a general \npopulation sample of preschool children. Arch Dis Child. 2004; \n89:506-511. doi:10.1136/adc.2003.031435. \n12 McCann D, Barrett A, Cooper A, et al. Food additives and \nhyperactive behavior in 3-year-old and 8/9-year-old children in \nthe community: a randomized, double-blinded, placebo- \ncontrolled trial. Lancet. 2007;370(9598):1560-1567. doi:10.1016/ \nS0140-6736(07)61306-3. \n13 Saeed MG, Sayeed SA, Ashraf S, et al. Investigations of In vitro \nDigestibility of Proteins Bound to Food Colors. Journal of \nPharmacy and Nutrition Sciences. 2011, 1, 34-40. \n14 USDA Food and Drug Administration D of H and HS. Specific" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Food Labeling Requirements. Code of Federal Regulations. \nhttps://www.accessdata.fda.gov/scripts/cdrh/cfdocs/cfcfr/CFRSea\nrch.cfm?CFRPart=101. \n15 Piper, P. Potential safety issues surrounding the use of \nbenzoate preservatives. Beverages. 2018;4(2):33. doi:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FNS-06 \nPage 12 of 17 \n \n \n \n10.3390/beverages4020033. \n16 NTP (National Toxicology Program). 2016. Report on \nCarcinogens, Fourteenth Edition.; Research Triangle Park, NC: U.S. \nDepartment of Health and Human Services, Public Health \nService. https://ntp.niehs.nih.gov/go/roc14. \n17 Jakszyn P, Gonzalez C-A. Nitrosamine and related food intake \nand gastric and esophageal cancer risk: a systematic review of \nthe epidemiological evidence. World J Gastroenterol. \n2006;12(27):4296-4303. \nhttp://www.ncbi.nlm.nih.gov/pubmed/16865769. \n18 Alhoff J, Grandjean C. In vivo studies in Syrian golden hamsters:" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "a transplacental bioassay of ten nitrosamines. Natl Cancer Inst \nMonogr. 1979;(51):251-255. \nhttp://www.ncbi.nlm.nih.gov/pubmed/481578. \n19 International Agency for Research on Cancer (IARC). IARC \nMonographs evaluate consumption of red meat and processed \nmeat. 2015. doi: https://www.iarc.fr/en/media-\ncentre/pr/2015/pdfs/pr240_E.pdf. \n20 National Toxicology Program. Carcinogenesis Bioassay of \nPropyl Gallate in F344 Rats and B6C3F1 Mice. Bethesda; 1982. \nhttps://ntp.niehs.nih.gov/ntp/htdocs/lt_rpts/tr240.pdf. \n21 Ham J, Lim W, Park S, et al. Synthetic phenolic antioxidant \npropyl gallate induces male infertility through disruption of" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "calcium homeostasis and mitochondrial function. Environ \nPollut.2019 May; 248:845-856. Doi: 10.1016/j.envpol.2019.02.087. \n22 Abdo KM, Kari FW. The sensitivity of the NTP bioassay for \ncarcinogen hazard evaluation can be modulated by dietary" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FNS-06 \nPage 13 of 17 \n \n \n \nrestriction. Exp Toxicol Pathol. 1996;48(2-3):129-137. doi: \n10.1016/S0940-2993(96)80033-9. \n23 Soffritti M, Belpoggi F, Degli Esposti D, Lambertini L, Tibaldi E, \nRigano A. First experimental demonstration of the multipotential \ncarcinogenic effects of aspartame administered in the feed to \nSprague-Dawley rats. Environ Health Perspect. 2006;114(3):379-\n385. http://www.ncbi.nlm.nih.gov/pubmed/16507461. \n24 Schernhammer ES, Bertrand KA, Birmann BM, Sampson L, \nWillett WC, Feskanich D. Consumption of artificial sweetener-and \nsugar-containing soda and risk of lymphoma and leukemia in" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "men and women. Am J Clin Nutr. 2012;96(6):1419-1428. \ndoi:10.3945/ajcn.111.030833. \n25 M. S, M. P, E. T, et al. Sucralose administrated in feed, beginning \nprenatally through lifespan, induces hematopoietic neoplasias in \nmale swiss mice. Int J Occup Environ Health. 2016;22(1):7-17. doi: \n10.1080/10773525.2015.1106075. \n \n26 Liauchonak I, Qorri B, Dawoud F, Riat Y, Szewczuk MR. Non-\nNutritive Sweeteners and Their Implications on the Development \nof Metabolic Syndrome. Nutrients. 2019; 11(3):644. \n27 Raiten DJ, Talbot JM, Fisher KD. Executive summary from the \nreport: analysis of adverse reactions to monosodium glutamate \n(MSG). J Nutr. 1995;125(11):2891S-2906S." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "(MSG). J Nutr. 1995;125(11):2891S-2906S. \nhttp://www.ncbi.nlm.nih.gov/pubmed/7472671. \n28 Bray GA, Nielsen SJ, Popkin BM. Consumption of high-fructose \ncorn syrup in beverages may play July 2019 a role in the epidemic \nof obesity. Am J Clin Nutr. 2004; 79(4):537-543." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FNS-06 \nPage 14 of 17 \n \n \n \nhttp://www.ncbi.nlm.nih.gov/pubmed/15051594. \n29 American Heart Association. Trans Fats. \nhttp://www.heart.org/HEARTORG/HealthyLiving/HealthEating/Nu\ntrition/TransFats_UCM_301120_Article.jsp#.V2HUpvkrJhE. \n30 US Food and Drug Administration. Frequently Asked Questions \non Azodicarbonamide (ADA). \nhttp://www.fda.gov/Food/IngredientsPackagingLabeling/FoodAd\nditivesIngredients/ucm387497.htm. \n31 Bukhari SSI, Azam I, Abbasi MH, Daud M, Sheikh N, Batool A, \nMahmood R, and Mukhtar M. Effect of Alloxan on IL-6 Gene \nExpression in Mus musulus. Biologia (Pakistan). 2018; 64(1):69-73." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "https://www.gcu.edu.pk/Publications/Biologia/Vol64_No1_2018.pd\nf#page=65. \n32 International Agency for Research on Cancer (IARC). \nSummaries & Evaluations Potassium Bromate (Group 2B). 1999. \nhttp://www.inchem.org/documents/iarc/vol73/73-17.html \n33 US EPA IRISD. Bromate CASRN 15541-45-4. IRIS Assessments. \nhttps://cfpub.epa.gov/ncea/iris2/chemicalLanding.cfm?substance\n_nmbr=1002. Published 2001. Accessed July 24, 2019. \n34 Cornucopia Institute. Behind the Bean: The Heroes and \nCharlatans of the Natural and Organic Soy Foods Industry.; 2009. \nhttps://www.cornucopia.org/wp-\ncontent/uploads/2017/09/behindthebean_color_final.pdf. \n35 Berkeley Wellness. Ask the Experts, Hexane in Soy Food." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Berkeley Wellness, Univ Calif. May 2012. \nhttps://www.berkeleywellness.com/healthy-eating/food-\nsafety/article/hexane-soy-food." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular FNS-06 \nPage 15 of 17 \n \n \n \n36 Women’s Health. ‘Soy Protein Isolate’ Is in So Many Things—But \nIs It Healthy?; 2019. \nhttps://www.womenshealthmag.com/food/a27559289/soy-\nisolate-protein/. \n37 One Health Certification Foundation. Five Core Principles. \nhttps://onehealthcertified.org/about/core-principles/ \n38 U.S. Department of Agriculture. Certified Responsible Antibiotic \nUse. https://www.ams.usda.gov/services/auditing/crau \nMinneapolis Public Schools Culinary and Wellness Services True \nFood Nutrition Philosophy 2019-2020 \n(https://cws.mpls.k12.mn.us/uploads/cws_nutrition_philosophy.pd\nf) and Culinary & Wellness Services Ingredient Guide" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "(https://cws.mpls.k12.mn.us/uploads/mps_ingredient_guide_full.p\ndf) served as models for the Boston Public Schools Food and \nNutrition Services Menu and Ingredient Guidelines. \nHealthy School Campaign Ingredient Guidelines \nhttps://www.google.com/url?q=https://healthyschoolscampaign.o\nrg/dev/wp-content/uploads/2020/01/Ingredient-Guide-\n2021.pdf&sa=D&source=docs&ust=1689510987098278&usg=AOvVa\nw2a5uRgrXBkhb6Xz9zJ6ESc" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-06 Menu Standards and Guidelines", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular FNS-06 \nPage 16 of 17 \n \n \n \nNOTES: \n*Sugar calculation \n \nYogurt: \n12 grams of sugar in 4 oz. of “Sweetened Yogurt” \n15 grams of sugar in 4 oz. vanilla-flavored yogurt \n \nBreakfast Condiment: \n6 grams of sugar in 1 oz. “Yogurt Dipping Sauce” \n8 grams of sugar in .4 oz. of table syrup individual \npackage \n\n\nPage 17:\nSuperintendent’s Circular FNS-06 \nPage 17 of 17" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFNS-04 \nVersion 01 \n \n1 \nRESPONSIBILITIES REGARDING SCHOOL \nFOOD SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nFood and Nutrition services is a federally funded program. The \nprogram’s operating revenue is supported by reimbursement \nfrom meals served to students. The department is audited \nannually, consisting of a review of the Community Eligibility \nProgram which includes point of service, accountability, fiscal \naccountability, and overall procedures. \nSchool leaders share responsibility with the executive director of" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Food and Nutrition Services in ensuring that all federal, state, and \nlocal regulations applicable to the school’s food services are \nimplemented and administered daily. There are area field \ncoordinators who are assigned to oversee school-site foodservice \noperations. \nSCHOOL LUNCH AND BREAKFAST PROGRAMS \nBreakfast and Lunch Periods: \n● The state mandates sufficient time must be allocated for \nthe students to eat lunch. At least a 30-minute lunch \nperiod is recommended, whenever possible. No less than \n20 minutes can be designated for a lunch period." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FNS-04 \nPage 2 of 10 \n \n● If there is a change to the meal service time, the school \nleader must notify the Food Services staff immediately. \nAny changes to service impacts staffing and must be \nreviewed and discussed before finalizing. \n● Breakfast programs should be scheduled at least 15 to 30 \nminutes before the start of school. This time is needed for \nFood Services staff to have the necessary capability for \naccurate meal counting and reporting. \n● Supervision is required at breakfast as well as lunch \nservice. The school leader can make an administrative \nassignment or arrange for volunteers to provide student" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "supervision. Food Service employees will not assume \nresponsibility for supervising students. \nBreakfast After the Bell: \nAs a continuation from SY2018-2019, the Massachusetts State \nBudget mandates public schools with at least 60 percent of their \nstudent population eligible for free or reduced-price meals to \nserve breakfast after the instructional day begins. All BPS schools \nmust comply with this regulation. \nFNS understands implementing a change in breakfast service \nstyle has its challenges and has several resources available \nincluding marketing, equipment, and programs to ensure proper \nimplementation of a comprehensive breakfast after the bell" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "program that provides access to meals. FNS will keep cafeterias \nopen 30 minutes past the bell time to continue provision of \nbreakfast to all students." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FNS-04 \nPage 3 of 10 \n \nLunch Menu: \nFederal regulations mandate lunch to consist of the following: \n● Meat or meat alternates \n● Whole grains \n● Vegetables \n● Fruits \n● Milk \nBreakfast Menu: \nFederal regulations mandate breakfast to consist of the \nfollowing: \n● Meat or meat alternates \n● Whole grains \n● Fruits \n● Vegetables \n● Milk \nThe menu as printed must be followed by FNS staff unless onsite \nfood service staff receive approval from Food Services supervisory \nstaff to make adjustments. Menu planning is the sole \nresponsibility of the Department of Food and Nutrition Services. \nSchool administrators are encouraged to discuss their menu" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "interest with the executive director of food services, 617-635-9144. \nCOMMUNITY ELIGIBILITY PROGRAM \nThis school year (2023-2024), in conjunction with the United \nStates Department of Agriculture (USDA) and the Massachusetts \nDepartment of Elementary and Secondary Education, Boston \nPublic Schools (BPS) will continue to participate in the" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FNS-04 \nPage 4 of 10 \n \nCommunity Eligibility Provision (CEP), created by the Healthy, \nHunger-Free Kids Act of 2010. This is available for schools with \nhigh percentages of low-income children to provide breakfast \nand lunch to all students at no cost to them. The program \nincreases participation in school meals, reduces labor costs for \nschools, and brings additional revenue to the school district from \nthe USDA. In short, it allows for a healthier student body and a \nhealthier school meal budget. \nAll students in a Community Eligibility Provision (CEP) school are \ndeemed as economically disadvantaged, and students are" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "provided all meals — breakfast, lunch, after-school meals, and \nsummer meals — at no cost. In the event a student requests a \nsecond meal, the cost is $4.00 . Students must pay at the time of \nthe meal request. There are no credits or charges allowed. \nSchool administrators may establish a revolving fund to cover the \ncost of second meals for students without means. Second meals \nwill not be provided without a source of payment. \nAFTER SCHOOL MEAL PROGRAM \nSupper meals are available at no charge to schools that have \nafter school enrichment programs. Program directors must \ncontact this office to arrange for student meals. There is a brief" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "application process that should be completed at least 2 weeks \nprior to program start-up. All program directors are required to \nattend one mandatory annual training session. Program \nadministrators are responsible for completing the daily tally \nsheets to document meals served. Tardy submission of these \nreports could result in the discontinuance of the program." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FNS-04 \nPage 5 of 10 \n \nSUMMER MEAL PROGRAM \nMeals are provided throughout the City of Boston to all children. \nMeals consist of breakfast and lunch and are free to all children \nthrough age 18. \nFRESH FRUIT AND VEGETABLE PROGRAM (FFVP) \nThe goal of the FFVP is to introduce children to fresh fruits and \nvegetables, to include new and different varieties, and to increase \noverall acceptance and consumption of fresh, unprocessed \nproduce among children. The FFVP also encourages healthier \nschool environments by promoting nutrition education. \nUSE OF SCHOOL LUNCH FOR DISCIPLINARY ACTION \n● The National School Lunch Act and the State Department" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "of Elementary and Secondary Education prohibit the \ndenial of meals and milk as disciplinary action against \nschool children. \n● Students may not be denied any part of the meal. \n● Students may not have a portion of the breakfast or lunch \nperiod taken away. \n● Any action that interferes with the student’s right to \naccess meals or that discriminates against students in \nany way in the provision of meals is prohibited. \nCOMPLIANCE WITH PROGRAM REGULATIONS \nWe ask that school administrators assist with the enforcement of \nprogram regulations (e.g., federal regulations do not permit free \nor reduced reimbursement to ineligible children. There is no" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "reimbursement for adult meals.) School administration will be \ncharged for meals in which payment has not been received for" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FNS-04 \nPage 6 of 10 \n \nstudent second meals and adult meals. Outstanding charges will \nbe posted against individual school instructional supply \naccounts. \nMEAL SERVICE ACCOUNTABILITY OF SCHOOL \nADMINISTRATORS \nTo participate in the school lunch and breakfast programs, it is \nnecessary for a contract to be in effect between the \nCommonwealth of Massachusetts and the superintendent of \nschools. This agreement stipulates that state-approved controls \nare maintained to account for meals served. \n● School administrators are required to comply with the \napproved system in operation at the particular school site." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "● To assist with decreasing meal waste and improving \naccountability, it is recommended that elementary \nteachers ask students beforehand who will be eating \nlunch in the cafeteria or classroom and give that \ninformation to the food service staff one hour before \nlunch so they can have more accurate counts. \n● School leaders are to ensure that all students know their \nstudent ID numbers, required to be entered at the point \nof sale for accountability of each meal. \n● Milk cannot be served without payment. \n● Meal counts must be taken at the “point of service” (end \nof the line) when a student has received a reimbursable \nmeal. Five food components must be offered for lunch" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "and three components for breakfast. \n● In schools with classroom meal service, it is necessary to \naccount for the meal served at the time of service." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FNS-04 \nPage 7 of 10 \n \nCOMPETITIVE FOOD SALES AND VENDING MACHINES \nRegulations on competitive food sales in schools and vending \nmachines are contained in regulations established by the \nMassachusetts Board of Education. Failure to follow these \nregulations may result in loss of federal funding (see FNS 03 \nNutrition Policy). \nRegulatory Authority: \n● M.G.L. C.15, § 1G \n● Federal Register, 2013, 7 CFR Parts 210 and 220, National \nSchool Lunch Program and School Breakfast Program: \nNutrition Standards for All Foods Sold in Schools as \nRequired by the Healthy, Hunger-Free Kids Act of 2010; \nInterim Final Rule, U.S. Department of Agriculture, 78 (125)" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "(June 28, 2013). \n● Federal Register, 2014, 7 CFR Parts 210 and 220, Local \nSchool Wellness Policy Implementation under the \nHealthy, Hunger-Free Kids Act of 2010: Proposed Rule, U.S. \nDepartment of Agriculture, 79 (38) (February 26, 2014). \n● Massachusetts General Laws (2010). Chapter 111, Section \n223. \n● General Law - Part I, Title XVI, Chapter 111, Section 223. \n● State of Massachusetts, Chapter 96 of the Acts of 2012 \n(amendment to 2010 law), Acts of 2012 Chapter 96 - \nSession Laws. \n● Massachusetts Department of Public Health (2010), \nNutrition Standards for Competitive Foods and Beverages \nin Public Schools,105 CMR 225.000 \n● Massachusetts Department of Public Health (2012)." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "“Students, Healthy Schools: Revised Guidance for" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FNS-04 \nPage 8 of 10 \n \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages” Healthy \nStudents, Healthy Schools: Revised GuIdance for \nImplementing the Massachusetts School Nutrition \nStandards for Competitive Foods and Beverages \nOnly Food Services is permitted to sell to students. \nThe Food and Nutrition Services Department is solely responsible \nfor food and beverages sold to children during the school day; \nconsequently, the sale of food and beverages by others is \nexpressly forbidden. \nAll income must accrue to Food Services. \nThe income for the total food and beverage service regularly" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "maintained on school premises shall accrue to the school food \nservices program to be used solely for the operation or \nimprovement of such service. This shall include the income from \nthe sale of a la carte foods and beverages and vending machines, \nmanaged by the Food and Nutrition Services Department. Food \nsales operated for profit (this includes bake and candy sales) shall \nnot operate during the regular school day." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FNS-04 \nPage 9 of 10 \n \nFood items allowed for sale: \nThe sale of a la carte foods shall be restricted to those items \nrecognized as contributing to or permitted to be served as part of \nthe breakfast or lunch. This restriction automatically eliminates \nthe sale of candy, carbonated beverages, etc. Fundraising \nactivities can only operate after school hours. \nVending machines: \n603 CMR 29.01 Non-Profit Lunch Program/Use of Vending \nMachines: Vending machines are not to be in use during school \nhours. \nCanteen services at school site locations: \n603 CMR 29.05 Competitive Foods: \nFederal regulations prevent the sale of candy, gum, and" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "carbonated beverages to students on school premises from the \nbeginning of the school day to the end of the last lunch period. \nThe sale of food items from canteen trucks, school stores or other \nareas that compete with school meals, time, and money is in \nviolation of federal regulations. These sales further divert income \nessential to the financial wellbeing of the Food and Nutrition \nServices program. \n► Use of canteen services on school premises by students \nshould be prohibited." + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FNS-04 \nPage 10 of 10 \n \nCATERING SPECIAL FUNCTIONS AND FIELD TRIPS \nSpecial function considerations: \n● Schools planning special activities should contact the \ncafeteria manager/satellite attendant AND Office of Food \nand Nutrition Services with advance notice of the event. A \nwritten request for use of the cafeteria facility or hiring of \npersonnel must be made in writing at least 7 days before \nthe event. \n● Food and supplies or cooking utensils will not be \nprovided free of charge. Schools requesting such services \nwill be charged a fee to cover costs. \n● All evening and weekend functions will require hiring" + }, + { + "folder_name": "Food and Nutrition Services", + "file_name": "FNS-04 Responsibilities4 Regarding School Food Services", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link", + "content": "Food Services staff at an overtime rate. All costs must be \npaid prior to the date of the event. Credit will be given if \nthe event is canceled with 48 hours’ notice. \n \nFor more information about this circular, contact: \nOwner: \nDeputy Director \nDepartment: \nFood and Nutrition Services \nMailing Address: \n370 Columbia Road, Dorchester, MA 02125 \nPhone: \n617-635-9158 \nFax: \n617-635-9304 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-19 \nVersion 01 \n \n \n \nBPS MAILROOM AND COPY CENTER GUIDELINES \nBPS POSTAGE & PRINTING POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nWe are responsible for directing the operational performance of \nthe mailroom and Copy Center to ensure an efficient, cost-\neffective, and secure operation. Responsibilities include \nmanaging the processing of high-volume daily mail, loading and \ndelivery of heavy shipments, scanning, copying, printing, and \nsending and receiving all sorts of documents. \nMAILROOM OPERATIONS \nAdhering to the following guidelines will facilitate a smoother" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "operation of the mailroom at the Bolling Building: \n• Only school-related items will be processed through the \nmailroom for postage. \no These items need to be properly sealed and bundled. \no Items need to have a school return address. We need \nto know who is sending each mailing to keep track and \nto avoid missing undeliverable mail. \n• Each school/department will be charged for postage used." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-19 \nPage 2 of 5 \n \n \no Each school / department should have a budget line \nallocated for mailing purposes. \n• Personal mail will not be processed through the mailroom \nfor postage (e.g., mortgage, utility, credit card payments, \nbirthday cards, mail returns, etc.). \no The mailroom is not responsible for receiving or storing \npersonal deliveries (e.g., personal packages from \nAmazon, Walmart, Target, etc.). \n• All interoffice mail should be addressed as follows: \no Name of person, school, and/or department where the \nmail should be delivered \no Cluster number \no Return address (who is sending the mail?)" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "o Return address (who is sending the mail?) \n• Please do not put sticky notes on the outside of every \nenvelope (adhesive glue could damage the postage \nmachine). One per bundle is fine. \n• Advance notice is required for mailings of over 2000 pieces \nof mail. Please contact Mailroom & Copy Center by phone \n617-635-9075 or email, finance-\nstaff@bostonpublicschools.org. \n• Schools and departments will be charged for each mailing \nover 100 pieces of mail. \n• UPS, FEDEX, DHL: BPS does not have a business account \nwith any shipping carriers. \no All mail and packages intended to be shipped through \nany of these carriers should be prepaid by the sender." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-19 \nPage 3 of 5 \n \n \nCOURIER SERVICES \nAlso known as cluster mail, starting at the Bolling Building, our \ncourier delivers and picks up interoffice mail 2 times a week to \nour cluster offices located throughout the district. Each school is \na part of a cluster (previously known as zones, networks, TLTs) \nAdhering to the following guidelines will facilitate a smoother \noperation of the courier services: \n• The courier is an EXTERNAL vendor under contract, not BPS \noperated. \n• All mail should be clearly marked, including the sender and \nreceiver. \no Each school belongs to a cluster; if unsure, please \ncontact the mailroom for the latest information." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "contact the mailroom for the latest information. \n• The courier runs on Tuesday and Thursday of each week. \n• The current contract requires the courier to pick up no more \nthan 3 bins of mail per cluster. \no If on a certain day a cluster office has more than 3 bins \nof outgoing mail, the courier could pick up the excess \non the next run. \n• The courier DOES NOT GO TO EACH SCHOOL. \no Special runs can be requested at an additional charge \npaid to the vendor." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-19 \nPage 4 of 5 \n \n \nCOPY CENTER OPERATIONS \nThe BPS Copy Center provides various copy and printing \nfunctions. With our copying and finishing, we can have your \nmanuals, student handbooks, presentations, letters to students, \nand much more completed in-house, saving BPS and the city \nmoney. \n● Our printing services offer: \n○ Mass production copying and printing. \n■ Black & White \n■ Color \n○ Posters up to 24x36 inches \n○ Three-hole punch \n○ Staple finishing \n● Printing services NOT offered by the BPS Copy Center: \n○ Envelopes \n○ Books \n○ Lamination \n○ Postcards \n○ Banners, etc. \nAdhering to the following guidelines will facilitate a smoother" + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "operation of our in-house printing services: \n● Printing services work on a first come-first served basis. \n● Advanced notice is required for all jobs. \n○ Please consider that there is a high volume of requests \nduring the beginning and end of the school year, as \nwell as during the summer as schools prepare for the \nnew school year." + }, + { + "folder_name": "Finance", + "file_name": "FIN-19 BPS Postage & Printing Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-19 \nPage 5 of 5 \n \n \nCHARGES FOR PRINTING SERVICES \nEach job will be charged to the schools at lower than market \ncost. Please contact the Copy Center for the latest quote. \n \nFor more information about this circular, contact: \nOwner: \nMailroom & Copy Center \nDepartment: \nBusiness Services \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9075 \nE-mail: \nfinance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n● Essential Training Guide is available here. \n● Business Services Guide is available here." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-10 \nVersion 01 \n \nGRANTS GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS GRANTS \nAll grants going to the Boston Public Schools — to the district as \na whole, individual schools, or central offices — must adhere to \nfederal, state, city, and district policy. This circular contains the \ngrant management standards and procedures the district uses to \nensure all funds are lawfully expended. \nBased on the funding source, grants will be housed in either the \nOffice of Grants and External Funding or the Boston Educational" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Development Foundation (BEDF). All federal and state grants, as \nwell as some private grants, are housed in the Office of Grants \nand External Funding and must adhere to the following \ninformation. Private grants that are housed in the Boston \nEducational Development Foundation (BEDF) 501c3 account \nmust adhere to the rules and regulations of BEDF. Information on \nBEDF can be found in Superintendent’s Circular FIN-09. \nROLES AND RESPONSIBILITIES \nAll grants must adhere to federal, state, city, and Boston Public \nSchools requirements for purchasing, accounting, auditing, civil" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-10 \nPage 2 of 14 \n \nrights, access, and confidentiality, as well as established \nguidelines set forth by the funder. Regulations for state and \nfederal grants are published in the Grants Management \nProcedural Manual published by the Bureau of Grants \nManagement of the Massachusetts Department of Education. All \nfederal grants must comply with EDGAR 2 C.F.R.§ 200. All policies \nand procedures, as well as internal controls and grant \nmanagement standards used by the BPS to ensure that all funds \nare lawfully expended are outlined in the Fiscal Policies and \nProcedures Manual. \nAny individual who works under a grant, expends grant funds, or" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "oversees a department that utilizes grant funds is responsible for \nlawfully expending grant funds. \nGRANT GUIDELINES FOR GRANTS IN THE OFFICE OF GRANTS \nAND EXTERNAL FUNDING \nThe following documents are required when seeking grant \nfunding: \n• Intent to Apply Form \n• School Committee Approval Form \n• Boston Fiscal Policies and Procedures \n• Grants Subrecipient and Responsibilities \nProgram managers and grant applicants are responsible for \nimplementing the following rules for seeking and managing \ngrants: \n1. Most federal and state grants follow the ‘supplement and \nnot supplant’ rule. This means grant money must not be \nused to replace positions previously funded with local" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-10 \nPage 3 of 14 \n \nmoney and should not be used to fund non-salary items \nthat are the responsibility of the local school district. For \nexample, grant funds may not be used to fund classroom \nteachers or administrative personnel, as these positions are \nconsidered core. A clear indication of supplanting is shifting \na position from GSP to a grant. \n2. Grant-funded programs should be self-sufficient. Awarded \nfunds must cover all expenses of the program, including \nwages, benefits, supplies, transportation, utilities, custodial \nrequirements, and fees. Please consult the Office of Grants \nand External Funding and the Budget Office for approval of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "any exceptions. If technology is involved, applicants should \nconsult with the Office of Information and Instructional \nTechnology (OIIT) to ensure that they are in support of the \nproposal. \n3. All BPS policies, procedures, rules, and regulations apply to \ngrant- funded programs. Regular personnel, budget, and \nbusiness procedures apply to grant funded programs in the \nsame way they apply to locally funded programs. Please \nreference appropriate budget, business, and human capital \nmemoranda for rules and procedures. \n4. No agreement to apply for or be a subrecipient of a grant is \nto be entered into with an outside organization or entity on" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "behalf of the district without the approval of the Grants and \nExternal Funds Office. \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for grant opportunities from a variety of sources. Grant \ndevelopment should be a team process within the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-10 \nPage 4 of 14 \n \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the grant to be \ninvolved. Heads of school, principals, and other administrative \nheads must be aware and pre-approve grant proposals for \nprograms that will take place under their supervision. \nINTENT TO APPLY \nAll BPS entities planning to pursue a grant opportunity must \nsubmit an online Intent to Apply form for all federal and state \ngrants, as well as private grants over $10,000. The Intent to Apply \nform should be submitted as soon as the funding opportunity \nand applicant have been identified, but no less than 3 weeks" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "before the grant due date. This will ensure that potential grant \napplications are consistent with BPS goals and policies and are \nnot in conflict with BPS solicitations for funds to the same \nagencies and donors. \nYour intent to apply will be reviewed on a weekly basis. Upon \napproval, you will receive a completed Grant Cover Page with \nyour submitted information and details on next steps. \nSuperintendent Signature \nThe Office of Grants and External Funding will facilitate obtaining \nthe superintendent’s signature on your behalf. Please submit the \nIntent to Apply form, and the Office of Grants and External \nFunding will contact you within ten (10) days with next steps. All" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "documents requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. All proposals must be submitted through the Intent to Apply \nform and obtain approval to move forward from the Grants \nReview Team before signatures will be obtained." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-10 \nPage 5 of 14 \n \nLetter of Support \nThe Office of Grants and External Funding will facilitate and \nobtain all signatures on letters of support from the \nsuperintendent and mayor (for federal grants). Once the Intent to \nApply has been reviewed and approved by the Grants Review \nTeam, please draft a letter of support for signature. All letters \nrequiring signature must be submitted at least one week (7 days) \nbefore they are due. \nIf you are requesting a letter of support from BPS not tied to a \nBPS grant application, please complete the online Letter of \nSupport Request Form. The Office of Grants and External" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Funding will follow up with next steps. \nBUDGET CREATION \nThe Office of Grants and External Funding can assist with \ndeveloping and reviewing your application’s budget. Once you \ncomplete the online Intent to Apply Form, the Office of Federal \nand Grants will contact you. Please reply to this communication \nto schedule time to create and review your budget. All budgets \nmust adhere to BPS, state, and federal regulations and budgets \nthat do not adhere will need to be amended before BPS will \napprove or allow spending. \nSUPERINTENDENT SIGNATURE \nAll grant applications that will be submitted to external funders \n(private, state, and federal) must have internal BPS approval prior" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "to submission. The Office of Grants and External Funding will \nfacilitate this process. \nAfter completing the Intent to Apply form, the Office of Grants" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-10 \nPage 6 of 14 \n \nand External Funding will contact you with next steps. All \ndocuments requiring signature (including electronic signature) \nmust be submitted at least one week (7 days) before they are \ndue. The superintendent is the only authorized representative \nwho can sign grant proposals on behalf of BPS. \nBPS can submit the grant to the funder on the requester’s behalf. \nIn some cases, grants can also be submitted directly from the \nprogram manager, if so preferred, but only after all prior steps are \ncompleted. \nONCE GRANT HAS BEEN AWARDED \nSchool Committee Approval \nAll grants being managed through the Office of Grants and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "External Funding must be approved by the School Committee \nbefore they can be officially accepted by BPS. Similarly, the \nSchool Committee’s approval is required before the Office of \nGrants and External Funding can gain access to the grant funds \nin conjunction with City Hall. Therefore, as soon as a grant \napplication has been submitted, the grant may be submitted for \nSchool Committee approval. \nTo obtain School Committee approval, three steps must be \ncompleted: \n1. A packet of School Committee materials is submitted to the \nOffice of Federal and State Grants. This packet includes a \ncomplete School Committee Acceptance Form, the full" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "grant budget, the grant narrative, the signed cover page (if \navailable), MOA/MOU (if available), and award letter (if \navailable). This must be submitted no later than 14 days prior" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-10 \nPage 7 of 14 \n \nto any School Committee meeting. \n2. A meeting is held between the program manager and the \nOffice of Grants and External Funding. \n3. The program manager attends the School Committee \nmeeting, answering any questions that may arise \nsurrounding the grant. \nOnce the grant has been approved by the School Committee, \nofficial confirmation of the School Committee acceptance will be \nsent out to the requester via email approximately 2 days after the \nSchool Committee vote. \nPlease contact Coordinator, Office of Grants and External \nFunding at finance-staff@bostonpublicschools.org, with any" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "questions about or requests for School Committee approval. \nGrant Set-up \nOnce a ‘notice of payment’ (official award letter from grantor), \nfunding wire or MOA/executed contract has been received by the \nOffice of Grants and External Funding and the grant has received \nSchool Committee approval, the grant set-up process will begin. \nDuring the set-up process, the Office of Grants and External \nFunding will map the submitted budget to the BAIS \nFinancials/PeopleSoft system. The grant will be set up according \nto the budget that was approved by the funder. Once the budget \nis set up within BPS, it is set up in the City of Boston’s system. The" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Office of Grants and External Funding will alert program \nmanagers once this occurs and spending may then begin. This \nprocess takes approximately eight days from the date the \npayment notice is received. For questions on grant set up, please \ncontact the coordinator of Federal and State Grants, Carlos" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FIN-10 \nPage 8 of 14 \n \nCoordinator, Office of Grants and External Funding (finance-\nstaff@bostonpublicschools.org). \nGRANT SPENDING \nGrant Monitoring and Spending \nIt is the responsibility of the program manager to monitor the \nspending of the grant. This includes: assuring that the grant \nfunds are being used for allowable expenses; spending according \nto the grant timeline; working closely with the Business Office to \nprocess any contracts and/or procurement needs; entering all \nrequisitions; monitoring purchase orders; entering receipt for \ngoods/services; and submitting invoices to Accounts Payable for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "all work orders related to their budgeted grant funds. It is the \nresponsibility of the program manager’s supervisor to assure \nthese responsibilities are fully completed according to \nrequirements and to offer assistance, when necessary. \nThroughout the life of a grant, the budget may need to be \nadjusted. This is done through budget transfers in the BAIS \nFinancials system. Changes may be made among grant lines but \nnot into or out of a grant to make changes to the grand total. \nChanges to the initial grant intent are NOT allowable. \nBefore any changes are made to the approved grant budget, \napproval should be obtained from the funder. An amendment" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "may be required. If so, the Office of Grants and External Funding \nwill help with completing and filing the amendment. Please \ncontact Carlos Martinez, Coordinator of Federal and State Grants, \nregarding amendments." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FIN-10 \nPage 9 of 14 \n \nSubrecipient Monitoring and Spending \nIn accordance with the Uniform Grant Guidance, all sub awards \n— where BPS is serving as the pass-through entity — must be \nclearly identified and managed according to the standards set \nforth by Federal Regulations, 2 CFR 200.331. The program \nmanager is responsible for communicating federal regulations \nand assuring that subrecipients adhere to sub-award regulations. \nPlease contact the Office of Grants and External Funding for \nmore information about subrecipient monitoring. \nGrant Spending Reports \nProgram managers will receive quarterly spend-down reports" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "from the Office of Grants and External Funding. The report is \ndesigned to provide a high-level overview of spending, as well as \nspending details. It is the responsibility of program managers to \nlook through the report, identify any errors in spending, and \nreport back any programmatic changes that may have affected \nthe budget timeline. \nAmendments \nAn amendment is necessary when there is a modification to the \nscope or finances of a previously approved grant application. \nWhen the scope of a project changes significantly or the \nexpenditure of a budgeted category exceeds a variance of 10% or \n$10,000, whichever is greater, an amendment is needed." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Amendments should be submitted at least 30 days prior to the \ndesired change. Most federal and state grants require a final \namendment to be filed no later than 30 days prior to the end of \nthe grant. The Office of Grants and External Funding will submit \nany amendments necessary but will need justification from the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FIN-10 \nPage 10 of 14 \n \nProgram Manager on why the changes occurred. \nGRANT CLEAN UP AND CLOSE OUT \nGrant Clean-up \nIn the final weeks of the grant, clean-up must occur for most \ngrants. To close out a grant and file a final amendment, there \nmay not be any remaining requisitions, and all purchase orders \nmust be fully received. It is the responsibility of the program \nmanager to assure that the grant is clean for close and final \nreports. \nPrior to the grant end date, all requisitions must either be \ncanceled or converted to purchase orders. All purchase orders \nmust be fully received in BAIS financials by the grant end date. If" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "a purchase order will not be paid in full, the remainder must be \ncanceled prior the grant end date. It is the responsibility of the \nprogram manager to monitor clean up, work with the Business \nOffice to convert requisitions, cancel POs, and enter receipts for \ngoods and services. \nStipend requests (PS08s) must be submitted and approved \nbefore stipend work can be performed. Final stipend paperwork \n(PS09s) must be submitted within two weeks of the stipend \nperiod ending, hence no later than two weeks of the grant end \ndate. Failure to purchase items or submit stipend requests by the \nabove deadlines may result in forfeiting of funds. \nGrant Outcomes Reporting" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Grant Outcomes Reporting \nAt the conclusion of each grant, program managers must report \nthe outcomes of their SMART goals presented to the School \nCommittee. The Office of Grants and External Funding will reach" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FIN-10 \nPage 11 of 14 \n \nout to program managers for this information. This report will be \nshared with the School Committee and key stakeholders. \nGrant Close \nGrant funds must be spent prior to the grant end date. Funds not \nutilized by this end date will be forfeited. For grant compliance \npurposes, only funds that are encumbered — as defined by being \non a purchase order and fully received in BAIS financials — or \nexpended by the grant end date can be claimed under the grant. \nThe program manager is responsible for assuring that this occurs \nby the grant end date. \nFISCAL REPORTING \nAll fiscal reporting will be completed by, or must be reviewed by," + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "the Office of Grants and External Funding/Auditing Department. \nNo fiscal report may be submitted to the funder without review \nby the Office of Grants and External Funding/Auditing \nDepartment. \nFINAL REPORTS \nFinal financial reports will be completed by the Auditing \nDepartment. Final reports are due to the funder 60 days after the \ngrant closes. To assure that a final report is filed on time, all \nrequisitions and open purchase orders should be cleaned up as \nsoon as possible after the grant end date. Once the final report \nhas been completed and submitted, a copy will be sent to the \nprogram manager for record-keeping purposes. \nMULTI-YEAR GRANTS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "MULTI-YEAR GRANTS \nMulti-year or continuing federal and state grant accounts must" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FIN-10 \nPage 12 of 14 \n \nbe established at the start of each fiscal year. Accounts are not \nautomatically opened or carried forward from year to year. \nTherefore, responsible administrative heads, department \nmanagers, and relevant program managers should share, on an \nannual basis, all award notification from their respective funders \nwith the Office of Grants and External Funding \nPROGRAMMATIC REPORTING \nProgrammatic grant reports are the responsibility of the program \nmanager who is supervising the grant implementation. Please \nshare all such completed reports with the Office of Grants and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "External Funding. Grant-related financial reports and requests for \nrevenue are managed by the BPS Business Office. However, \nplease share any relevant details for these well in advance, with \nDirector of State & Federal Grants (finance-\nstaff@bostonpublicschools.org) and/or Coordinator, Office of \nGrants and External Funding (finance-\nstaff@bostonpublicschools.org), so they can be submitted to the \nfunder by the intended deadline." + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FIN-10 \nPage 13 of 14 \n \nGRANTS MANAGEMENT RESOURCES \nGrants Website \nThe Office of Grants and External Funding provides information \nabout grants at BPS, resources for finding grant opportunities, \ncontact information, process and policy information, the \nquarterly newsletters, and constant updates that may impact \ngrants. \nInternal Grants Management Library \nThis internal resource provides detailed information about \nmanaging a grant in BPS. This searchable and constantly \nupdated document includes common grant application answers, \nkey application documents, how-to guides on running common \nreports, and step-by-step instructions on how to manage a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "budget, contact information, and information on how to perform \nmost grant activities in BPS. \nCONTACT INFORMATION FOR OFFICE OF GRANTS AND \nEXTERNAL FUNDING \nDirector of State & Federal Grants \n617-635-9577 \nEmail: finance-staff@bostonpublicschools.org \n \nSenior Grants Manager \n617-635-8582 \nEmail: finance-staff@bostonpublicschools.org" + }, + { + "folder_name": "Finance", + "file_name": "FIN-10 Grants Guidelines", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FIN-10 \nPage 14 of 14 \n \n \nCoordinator, Office of Grants and External Funding 617-635-9084 \nEmail: finance-staff@bostonpublicschools.org \n \nAccounting Coordinator \n617-635-9466 \nEmail: TBD \n \nExternal Funding Analyst - Please see Superintendent’s Circular \nFIN-04, Student Activity Accounts. \n \nFor more information about this circular, contact: \nOwner: \nDirector of State & Federal Grants \nDepartment: \nDirector of Grants and External Funding, Finance \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington St., \nBoston, MA 02119 \nPhone: \n617-635-9577 \nEmail: \nfinance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nFIN-21 \nVersion 01 \n \nCREATING A BPS-RECOGNIZED INDEPENDENT 501C3 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools encourages schools to seek and \nreceive external resources to supplement their instructional and \nprogrammatic strategies. To this end, the Boston Public Schools \nhas partnered with the Boston Educational Development Fund \n(BEDF) to serve as a 501c3 fiscal agent to receive financial \ndonations as charitable contributions, eligible for tax deductions \nby the donor. Independently, as a fiscal partner to schools, BEDF" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link", + "content": "manages funds, creates financial reports, and offers technical \nassistance to schools in their pursuits of private funds. BPS \nschools are entitled to utilize BEDF as a fiscal agent in pursuit of \nprivate funding. \nIn the case that a school wishes to pursue establishing and \nmanaging an independent 501c3, formal approval is required. \nSCHOOLS WITH EXISTING INDEPENDENT 501C3S \nSchools with existing 501c3s, registered with the proper federal \nand state authorizing agencies, must complete the BPS \nIndependent 501c3 Form to update BPS on current details \nincluding board structure, status, and operating revenue. \nIndependent 501c3s with strong governance boards and rationale" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link", + "content": "will receive recognition from BPS." + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-21 \nPage 2 of 3 \n \nSCHOOLS SEEKING TO ESTABLISH A BPS-RECOGNIZED \nINDEPENDENT 501C3 \nTo request to establish a 501c3, all schools must have the \nfollowing: \n• A strong rationale for the need for a separate, independent \n501c3. \n• A draft plan for the 501c3 including governance board. \n• A track record of managing private investments \nappropriately and on-time reporting OR someone on the \ngoverning board with this experience. \n• An estimate of anticipated annual revenue and revenue \nsources. \nFor a school to establish a 501c3, the following outlined steps \nmust be completed, and approval given by the superintendent:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link", + "content": "• All schools must complete a BPS Independent 501c3 . \n• Submitted requests will be reviewed by the chief financial \nofficer and superintendent and approved if a strong \napplication is submitted. \nCOMPLIANCE AND ACCOUNTABILITY \nBPS reserves the right to alert foundations/nonprofit partners to \nthe existence of 501c3 that are considered to be out of \ncompliance or that have been created without proper approval \nfrom the Superintendent’s Office. \nBPS believes in the ability to provide timely, accurate, and \nthorough reports to our philanthropic partners and takes \nseriously the significant commitment of time and expertise that \nthis places on a school community to run an independent 501c3." + }, + { + "folder_name": "Finance", + "file_name": "FIN-21 BPS-Recognized Independent 501c3s", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-21 \nPage 3 of 3 \n \nWe encourage the use of our established partner, BEDF, to \nresponsibly manage funds. BPS has put these requirements in \nplace to ensure proper management of all funds and proper \nreporting, to support schools in philanthropic pursuits, and to \nprovide a low-cost 501c3 to house private funding. \n \nFor more information about this circular, contact: \nOwner: \nChief of Finance \nDepartment: \nFinance \nMailing Address: \nBruce C. Bolling Building, \n2300 Washington St., Boston, MA 02119 \nPhone: \n617-635-7962 \nEmail: (preferred) finance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nFIN-14 \nVersion 01 \n \n \n \n \nRESOLUTION OF OVERPAYMENT OF SALARIES \nFOR FORMER EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nWith the multitude of daily transactions, corrections on both the \nfinancial and payroll component are warranted. The following \nprocess must be strictly followed when an overpayment occurs. \n1. When this transaction is identified, notification is \ngenerated from the payroll unit to the accounting unit. \n2. This notification states the name and the amount of \nthe salary overpayment. \n3. Immediate request for payback is forwarded to the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view?usp=drive_link", + "content": "individual through the United States Post Office and/or \nemail by the accounting unit. \n4. To finalize this transaction, the employee is requested \nto return the amount overpaid, payable to the City of \nBoston – Boston Public Schools, Bank Check or Money \nOrder. \n5. Upon receipt, the check is deposited with the City \nTreasurer, and the adjustments of the employee’s \nannual wages are activated. \n6. If further resolution is warranted, the employee should" + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-14 \nPage 2 of 2 \n \n \n \nsubstantiate their claim with supporting \ndocumentation. In the event of a financial hardship, the \naccounting unit will review the circumstances and \nmake a payment plan recommendation to the \nbusiness manager. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Payroll \nDepartment: \nOffice of Human Capital \nMailing Address: \nBruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: \n617-635-9600 \nAdditional \nQuestions \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston (finance-\nstaff@bostonpublicschools.org)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-14 Overpayment of Salaries", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view?usp=drive_link", + "content": "staff@bostonpublicschools.org). \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed, and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from home is not eligible for \nreimbursement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "reimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers \n \n$600.00 per “full” \nschool year (flat \nrate) \nor \n65.5¢ per mile for \nperiod 7/01/23 thru \n12/31/23 \n \nAll other BTU members \n \n65.5¢ per mile for \nperiod 7/01/23 thru \n12/31/23" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-02 \nPage 2 of 5 \n \n \n \n \nSupervisors of Attendance \n \n \n65.5¢ per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \n \nBASAS \n \n \n \n65.5¢ per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \n \nManagement \n \n \n \n65.5¢ per mile for \nperiod 7/01/23 thru \n12/31/23 \n \n \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager’s \nbudget (Account 52803 Mileage)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-02 \nPage 3 of 5 \n \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most \neconomical. Original receipts must be produced/provided for \nreimbursement. \n \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed “City of Boston Special Draft/Non Order \nForm” – it must be filled out completely with: \n• School/Department \n• Date" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "• School/Department \n• Date \n• Full name of the person being reimbursed \n• Full address of the person being reimbursed \n• Vendor # \n• Funding source \n• Full “detailed” description \n• Amount to be reimbursed \n• Must be signed by the employee’s immediate \nsupervisor \n \n2. Submit the “Certification Form” attesting “under penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.”" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-02 \nPage 4 of 5 \n \n \n3. Submit a completed “Mileage Detail Form” - List the total \nnumber of miles traveled each day and total-up each page – \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests “must be” submitted at \nthe end of each month or quarterly – 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "Vendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n● ONLY Submit Single-Sided reimbursements packet – Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n● DO NOT highlight or put scotch tape on receipts because it \nfades the receipts – use staples, only legible receipts will be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-02 \nPage 5 of 5 \n \n \nreimbursed – Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year - You cannot use current school year \nfunds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n \nFor more information about this circular, contact: \nName: \nUnit Leader of Business Services/Accounts \nPayable \nDepartment: \nBusiness Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: \n617-635-9472 \nE-mail:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02a Mileage Reimbursement", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link", + "content": "Phone: \n617-635-9472 \nE-mail: \nfinance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-20 \nVersion 01 \n \nMANAGING YOUR STIPENDS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests. \n \nDEFINITION OF STIPEND WORK FOR UNION POSITIONS (BTU, \nBASAS, GUILD) \n● Stipend work consists of activities that are distinct and \nseparate from an individual’s job and not an extension of it. \n○ Some examples of stipend work include staff training \nbeyond the contractual PD and Saturday or evening \nschools for teachers. \n● Stipend work is not to be performed during the period of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "time that constitutes the normal workday. \n● For BASAS staff, they must perform their school day hours \nfor the year prior to being eligible for a stipend. \n \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n— SCHOOLS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-20 \nPage 2 of 13 \n \n \n● Stipend work consists of activities that are distinct and \nseparate from an individual’s job and not an extension of it. \nSchool-based managerial employees cannot receive a \nstipend unless their contractual school days (223) are \ncompleted. Stipend work is not to be performed during the \nperiod of time that constitutes the normal workday. \n● These stipends must be for activities that are outside of the \njob description of the managerial employee. \n● Stipend opportunities for managerial employees in schools \nmust be posted in the school or on TalentEd. \n● To authorize a stipend request for an individual in a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "leadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor’s written approval, a signed superintendent’s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR MANAGERIAL POSITIONS \n— CENTRAL OFFICE \n● Stipend work consists of activities that are distinct and \nseparate from an individual’s job and not an extension of it. \n● Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n● Managerial employees in central offices are only eligible to \nreceive stipends that have been posted through the Office" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "of Human Capital. These stipends must be for activities that \nare outside of the job description of the managerial \nemployee. \n● Central office managerial employees may not apply for \nstipends unless they have been posted on TalentEd via the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-20 \nPage 3 of 13 \n \n \nOffice of Human Capital. Please connect with your OHC \nstaffing manager if you are interested in posting a stipend \nopportunity on TalentEd. \n● To authorize a stipend request for an individual in a \nleadership position, Tiers D through F, the submitter will be \nrequired to attach one of the following to their request: the \nsupervisor’s written approval, a signed superintendent’s \nmemo, or an email approving the work. \nDEFINITION OF STIPEND WORK FOR SCHOOL LEADERS \n● Stipend work consists of activities that are distinct and \nseparate from an individual’s job and not an extension of it." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "● Stipend work is not to be performed during the period of \ntime that constitutes the normal workday. \n● School leader stipends must be for activities that are outside \nof the job description of the school leader. \n● In order for a school leader to receive a stipend, it must be \neither posted on TalentEd or the stipend request must be \nsubmitted along with a signed memo to the \nsuperintendent. \nDEFINITION OF STIPEND POSTING \nStipend work must be offered to individuals at schools in \naccordance with the policies of the School Committee. \nSpecifically, the work must be distributed equitably and based on \ndemonstrated competence and qualifications." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "demonstrated competence and qualifications. \nIn schools, stipend opportunities must be posted to the staff. \nThese postings may be internal to the school, so long as all non-" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-20 \nPage 4 of 13 \n \n \nmanagerial employees at the school have the opportunity to \napply. An email to all school staff is an appropriate method of \nposting. OHC or Budget may ask for proof of posting at any time \nafter a stipend authorization request (formerly referred to as a \nPS08) has been submitted. School-based managerial staff may \napply to their school’s internal posting if eligible. School-based \nstipend opportunities can be posted on TalentEd as well. \nIn central office departments, stipend opportunities must also be \nposted. These postings must be done through the Office of \nHuman Capital. Central office managerial employees may not" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "apply for stipends unless they have been posted on TalentEd via \nthe Office of Human Capital. \nAUTHORIZATION TOOLS \nStipend Authorization Request (SAR) – request for authorization \nbefore work starts (must be submitted at least two weeks prior to \nthe first day of work). SARs for summer work should be \nsubmitted before the end of May. If an SAR is submitted after the \nwork has started, the submitter is required to provide an \nexplanation as part of the request. \nPay Certification Request (formerly referred to as a PS09) – \nrequest for payment after work is completed (must be submitted \nno later than two weeks after the work is completed). If an SPC is" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "submitted after the work has started, the submitter is required to \nprovide an explanation as part of the request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-20 \nPage 5 of 13 \n \n \nSCHEDULE FOR AUTHORIZATION \nDepartment heads or principals should plan in advance and \nrequest SARs on time. \n● SARs must be submitted at least two weeks before work \nstarts, except in the case of summer work. If a stipend is \nrequested late, the submitter will have to write in an \nexplanation when prompted in the online system. \n● SARs for summer work should be submitted before the end \nof May. \n● Pay certification requests should be submitted no later than \ntwo weeks after the work has ended. \n● Pay certification requests that need to be processed in the \nlast paycheck in June must be submitted by the Wednesday" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "prior to the pay period end date. \n \nIn addition, due to the Budget Collaborative and Probable Org \nschedule between December and February, please allow \nadditional time for SAR approvals and submit them at least three \nweeks before work starts. \nAUTHORIZATION PROCESS \nAll stipend work must be authorized in advance by the Office of \nHuman Capital and Budget Office. \nAuthorization from Budget and HC must be received via the \napproved SAR before the work starts. A department head does \nnot have independent authority to authorize stipend work. \nDepartments or schools are responsible for informing employees \nwhen a pay certification request has been submitted for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-20 \nPage 6 of 13 \n \n \npayment. Please review the stipend guidance around submitting \nSARs and pay certification requests. Additional guidance on the \nstipend process can be found on the Budget Office \nResources/Stipends page. \nWORKFLOW FOR STIPENDS \n1. Stipend work opportunity is posted (internally for schools \nand on TalentEd for central office) and individuals are \nchosen to perform this work. \n2. Secretary or department head’s designee originates stipend \nauthorization request (SAR). \na. Submitter cannot be one of the employees to receive a \nstipend. \nb. Submitter must complete the authorization process for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "all individuals that are flagged. This could include the \nfollowing: \ni. Tier C, D, E, or F Managerial employees (will \nrequire approval by department head or division \nlead to be submitted along with the SAR) \nii. School Leaders \niii. Employees outside of the submitter’s department \niv. Submitter must provide an explanation for any \nlate requests \n3. Principal or department head gives first-level approval. \n4. HC reviews to confirm the below items for approval (please \nalso see Process and Selection section for additional details \non the OHC approval process):" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-20 \nPage 7 of 13 \n \n \na. That the submitter isn’t a recipient of the stipend \nb. That the opportunity has been posted appropriately \nc. That the employee is eligible to receive the stipend \nd. That the Superintendent’s Memo has been submitted if \nthe stipend is for school leaders. \n5. Payroll reviews to again confirm that the employee is \neligible to receive the stipend. \n6. Budget reviews to confirm the below guidelines for \napproval: \na. That there are enough funds available in the budget to \ncover the expense \nb. That the stipend funding information is correct, such as \nthe budget year \nc. That the stipend is allowable under the grant if it is in" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "fund 200 \nd. That the commitment letter (which includes a \ndescription of the work, the staff member’s name, and \nthe amount of the stipend) is attached to the stipend \nauthorization request form (SAR) for Reimbursable \ngrant stipends. \ne. That the hours worked are included if the stipend is \nabove $5,000 for an individual \nf. That the budget director approves the stipend if it is \nabove $10,000 for an individual \n7. Department or school should regularly monitor their \nstipend request for approval status updates." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FIN-20 \nPage 8 of 13 \n \n \n8. Secretary or department head’s designee informs employee \nthat work can start. \n9. Time sheets are maintained in the school or department \nand may be subject to periodic audits. \n10. Department head or principal monitors completion and \nquality of work. \n11. Work ends. \n12. Secretary or department head’s designee submits pay \ncertification, due the Wednesday before the pay period end \ndate. \n13. Payroll processes pay certification requests and checks for \nthe following (see Payroll Guidelines, below): \na. Confirm that the funds don’t go out prior to the end \ndate. \n14. Stipend is paid to employee as a supplement to regular" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "paycheck. \nNOTE: If an employee is listed on more than one eForm for \nvarious stipends, they cannot be paid out in the same pay period. \nA warning notice will appear when trying to add the additional \nstipend. Will have to hold that payment until the employee has \nbeen paid out by the other in-process pay certification request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FIN-20 \nPage 9 of 13 \n \n \nBUDGET GUIDELINES \nAll stipends and overtime payments are paid out of account \n51202. \nStipend Authorization Requests (SAR): \n● Departments are responsible for tracking their original \nbudget in 51202 and the SAR approvals that have been \nissued against this original budget. Contact your Financial \nAnalyst if you have questions about your available funds for \nstipends. \n● SAR approvals do not “encumber” funds in the All Funds \nreport. All 51202 funds will appear to be available until the \npay certifications are paid out. In your All Funds report, \nplease do not depend on the “Available” amount in account" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "51202 to track stipends. Stipend requests must be tracked \nby the department; the Stipend Tracker template can be \nfound here. \n● For all single stipend payments that amount to $5,000 or \nmore per individual, please fill out the hourly rate portion of \nthe SAR eForm. \n \nStipend Pay Certification Requests: \n● Processed Stipend Pay Certification Requests will move \nfunds from the Available budget to the Expense line. \n● It is possible to issue partial payment on a Stipend Pay \nCertification Requests if only some of the work was \ncompleted, or if only some of the employees should be paid." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FIN-20 \nPage 10 of 13 \n \n \n● If the work ends early and you are paying out the full \nstipend before the end date on the form, you must leave a \nnote to explain this on the Stipend Pay Certification \nRequest. \n \nStipends paid from grants: \n● Any stipend payments being made from a grant funding \nsource need to be for work done during the grant time \nperiod. Stipends cannot be paid for work that may have \nbegun before the start date of the grant or continuing after \nthe grant end date. \n● All stipends on grants must be allowable under the grant, \nand it is the responsibility of the school or department to" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "ensure that they are complying with grant guidelines. \n● For Reimbursable grant stipends, attach the commitment \nletter (which includes a description of the work, the staff \nmember’s name, and the amount of the stipend) to the \nstipend authorization request form (SAR). \nPROCESS AND SELECTION \n● Departments must ensure that the activities covered by \novertime and stipend requests meet and conform to the \ndefinitions listed at the top of this circular. \n● Departments are expected to internally post and advertise \nopportunities to ensure that individuals do not receive a \ndisproportionate share of overtime and stipend \nassignments." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FIN-20 \nPage 11 of 13 \n \n \n● For stipends that managerial employees in central offices \nmay receive, the posting must be done via the Office of \nHuman Capital. \n● Departments are expected to select qualified individuals \nand make selections in an equitable way. \n● Departments must ensure that the work is done in a \ncomplete and satisfactory way before issuing authorization \nfor payment. \n● Timesheets are required for those working overtime or \nstipended hours. \n● Timesheets for all stipends and overtime must be retained \nin a central location at the department for 7 years. \nThe Office of Human Capital may inquire with a department to" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "be sure that it is specifically conforming to these guidelines and \nprocedures. \nSINGLE OR CUMULATIVE PAYMENT THRESHOLDS \nIn circumstances where the single payment to an individual or \nthe sum of payments in one fiscal year to an individual meets the \nthresholds in the table below, there is an additional approval \nrequirement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FIN-20 \nPage 12 of 13 \n \n \n \nSingle or \nCumulative \nStipend \nAmount \nNon-Autonomous School \nApproval Process \n Central Office \n Approval Process \nGreater than \nor equal to \n$5,000 \nDepending on the situation, \nstipend authorization may be \nheld at HC or Budget \napproval step for further \nquestions. You will be \nrequired to submit the hours \nworked and hourly rate for \nstipends amounting to $5,000 \nor more for an individual. \nDepending on the \nsituation, a stipend \nauthorization may be held \nat the HC or Budget \napproval step for further \nquestions. \nGreater than \nor equal to \n$10,000 \nBudget director approval \nrequired. When submitting a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "required. When submitting a \nstipend authorization that \namounts to $10,000 or more \nper individual, please fill out \nthe hourly rate portion of the \nstipend authorization eForm. \nPlease send an email \nexplaining the reasons for \nexceeding this threshold to \nyour financial analyst in the \nBudget Office. \nBudget director approval \nis required. When \nsubmitting a stipend \nauthorization, please send \nan email explaining the \nreasons for exceeding this \nthreshold to your financial \nanalyst in the Budget \nOffice. \nThere are no additional approvals necessary for autonomous \nschools that submit single or cumulative stipends greater than or \nequal to $5,000." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FIN-20 \nPage 13 of 13 \n \n \nThe stipend thresholds for single or cumulative payments listed \nabove are not impacted by: \n● Regular differential payments for employees in a formal \nExtended Learning program \n● Regular differentials for academic coaches or athletic \ncoaches \n● Regular differentials for lead teachers \n● Regular payments to instructors in formal Summer School \nand Acceleration Academies \n● Regular inclusion buyback payments for employees who \nuse more than one certification while teaching in the \nclassroom. \n \nPlease use the Budget Office /Stipends reference document as \nyour guide to initiating online stipend requests." + }, + { + "folder_name": "Finance", + "file_name": "FIN-20 Managing Stipends", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link", + "content": "For more information about this circular, contact: \nOwner: \nChief of Finance \nDepartment: \nBudget Office \nMailing Address: 2300 Washington Street. Roxbury, MA 02119 \nPhone: \n617-635-9000 \nEmail: \nfinance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-12 \nVersion 01 \n \n \nTRUST FUNDS FOR SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis memorandum provides procedures for making awards from \ncentrally administered trusts that benefit schools. Heads of \nschools and principals are responsible for knowing the eligibility \nof their schools for trust funds, for ensuring that trust fund \npurchases are appropriately selected, and for following \nprocedures for the awards. Please submit your requests to the \nFinance Office as soon as possible and no later than May 31, 2024. \nLate requests will not be processed. \n1." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Late requests will not be processed. \n1. \nELIGIBILITY FOR AWARDS \nSee Attachment 1 for awards by school. \nSee Attachment 2 for a description of the awards listed in \nalphabetical order. \n2. \nPROCEDURES FOR REQUESTING FUNDS \nSubmit a detailed list of items including the item name, publisher \nand/or vendor, and the cost, together with a cover memorandum \ngiving the name of the trust and the total requested. Separate \nletterhead must be used for each award request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-12 \nPage 2 of 14 \n \n \n3. \nPROCEDURES FOR RECEIVING FUNDS \nChecks will be sent directly to the recipient at the address \nprovided by the school. Principals/heads of schools should retain \nrecords of all requests, receipt of checks, and documentation of \npurchases for five years. Documentation of purchases should be \navailable on request. \n \nELEMENTARY SCHOOLS \nAWARD \nALL ELEMENTARY SCHOOLS \nPeter F. Degrand Award \nCharlestown Schools \nDevens Infant School \nDorchester Schools \nBowdoin \nDorchester Schools \nStoughton School \nDorchester/South Boston Schools Gibson School Fund \nCondon Elementary School \nNorcross School Library" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Norcross School Library \nBlackstone Elementary School \nWebb Franklin \nEliot k-8 School \nAbigail Smith \nHarvard-Kent Elementary \nDevens Infant School \nJoseph J. Hurley K-8 School \nWebb Franklin \nQuincy Elementary School \nAbigail Smith \n \nMartin Milmore Award \nWarren-Prescott K-8 School \nDevens Infant School \nWinthrop Elementary School \nHenry B. Hall Award \n \nMIDDLE SCHOOLS \nAWARD \nTimilty Middle School (closed) \nSherwin School Graduates \nWashington Irving Middle School \nHarrington Trust Fund \nHIGH SCHOOLS" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-12 \nPage 3 of 14 \n \n \nDorchester Academy \nBowdoin Dorchester \n \nGibson School Fund \n \nStoughton School \nBoston Community Leadership \nAcademy \nAnna & Alice Maguire \nBoston Latin Academy \nBowdoin Dorchester \n \nGibson School Fund \n \nPersis P. Drake \n \nStoughton School \nRoxbury Memorial \nScholarship \nBrighton High School \nElvira B. Smith \nBurke High School \nBowdoin Dorchester \n \nGibson School Fund \n \nStoughton School \nEnglish High School \nWilliam Stewart \nExcel High School \nGibson School Fund \nHorace Mann School \nSusan E. Gavett \n \nMrs. John A. Lewis \n \nSamuel E. Sawyer \n \nAdams/Osgood Fund \nMadison Park High School \nCostello C. Converse" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Costello C. Converse \n \n \nCENTRAL OFFICE \nSuperintendent \nTeachers Waterston \n \nTRUST FUNDS FOR SCHOOLS ADMINISTERED CENTRALLY \nBowdoin Dorchester \nJames Bowdoin" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-12 \nPage 4 of 14 \n \n \nConverse \nCostello C. Converse \nDeGrand \nPeter F. DeGrand \nDevens \nDevens Infant School \nDrake \nPersis P. Drake \nEastburn \nJohn Eastburn Fund \nGibson \nChristopher Gibson \nHall \nHenry B. Hall \nHarrington \nFrancis E.; Alice S. \nHorace Mann \nSusan E. Gavett \nHorace Mann \nMrs. John A. Lewis \nHorace Mann \nSamuel E. Sawyer \nHorace Mann \nAdams/Osgood Fund \n \n \nMilmore \nMartin Milmore \n \nMaguire \nAlice and Anna Maguire \nNorcross \nNorcross School Library \nSherwin \nSherwin School Graduates \nSmith, A. \nAbiel Smith \nSmith, E. \nElvira Bush Smith \nStewart \nWilliam Stewart \nStoughton \nStoughton School \nWaterston \nTeachers Waterston" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Stoughton School \nWaterston \nTeachers Waterston \nWebb Franklin \nWebb Franklin" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-12 \nPage 5 of 14 \n \n \nBOWDOIN DORCHESTER bequest of James Bowdoin established \nin 1889. \nEligibility: Schools located in Dorchester only (Dorchester \naddress). \nCriteria: \nTo benefit the public schools \nAward: \n$750 total. A check divided to schools who apply. \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nCONVERSE FUND in memory of Costello C. Converse, established \nin 1931. \nEligibility: Madison Park Technical Vocational High School \nCriteria: \nGeneral uses and purposes of the school. \nAward:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "General uses and purposes of the school. \nAward: \n$500 available; check payable to the school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nPETER F. DEGRAND to purchase books for kindergarten, first, and \nsecond grades. \nEligibility: For the purchase of books for students attending \nkindergarten, first and second grades in the City of \nBoston. \nCriteria: \nExcellent attendance \nAward: \n$2,500 available. A check divided to the schools that \napply. \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "submitted on school/office letterhead. \n \nDEVENS INFANT SCHOOL K1&2 - 2 grades." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-12 \nPage 6 of 14 \n \n \nEligibility: Schools located in Charlestown for kindergarten, \ngrades one and two. \nCriteria: \nExcellent attendance for the use and benefit of \nchildren \nAward: \n$100 available. A check divided to the schools that \napply. \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nDRAKE FUND gift of Persis P. Drake \nEligibility: Boston Latin Academy \nCriteria: \nTo benefit the school \nAward: \n$200 available, payable to the school \nSubmit: \nSubmit a request to the Finance Office with a detailed" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "list of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nJOHN EASTBURN SCHOOL FUND \nEligibility: High school seniors who are Boston residents (proof \nof residence required) and are pursuing a teaching \ncurriculum at the University of Massachusetts. \nAward: \n$1,000 available \nSubmit: \nSubmit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-12 \nPage 7 of 14 \n \n \nGIBSON SCHOOL FUND a bequest from Christopher Gibson \nestablished in 1674. \nEligibility: Schools located in the Dorchester neighborhood, \nwhich in 1674, included South Boston. \nCriteria: \nFor library books and teaching equipment \nAward: \n$9,500 total available: A check payable (in proportion) \nto the schools that apply. \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHENRY B. HALL for books and supplies. \nEligibility: John Winthrop School \nCriteria: \nBooks and supplies \nAward:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Criteria: \nBooks and supplies \nAward: \n$17,000 available, payable to the school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nFRANCIS E. & ALICE S. HARRINGTON TRUST FUND \n Eligibility: Washington Irving Middle School \nCriteria: \nTwo top students who obtain the highest combined \ngrade average in French or another foreign language \nfor two academic years. \nAward: \n$100 available \nSubmit: \nSubmit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "requests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FIN-12 \nPage 8 of 14 \n \n \nANNA & ALICE MAGUIRE for the school located at 152 Arlington \nStreet. \nEligibility: Boston High School (now Boston Community \nLeadership Academy) \nCriteria \nPurchase of books for students in attendance \nAward: \n$50 available; payable to school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nHORACE MANN SCHOOL FUNDS \nSusan E. Gavett bequest, received in 1909. \nAward: $450 check payable to school \nMrs. John A. Lewis legacy, received in 1903. \nAward: $100 check payable to school \nSamuel E. Sawyer, received in 1895." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Samuel E. Sawyer, received in 1895. \nAward: $150 check payable to school \nAdams/Osgood Fund, received in 1936. \nAward: $4,000 check payable to school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FIN-12 \nPage 9 of 14 \n \n \nMARTIN MILMORE \nEligibility: Josiah Quincy and others from the former Brimmer \nSchool District \nCriteria: \nEqual distribution among eligible schools \nAward: \n$50 total available, payable to the school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nNORCROSS SCHOOL LIBRARY to assist school libraries within the \nformer Norcross School District. \nEligibility: Condon Elementary School \nCriteria: \nTo assist the library \nAward: \n$100 available, payable to the school \nSubmit:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "$100 available, payable to the school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nROXBURY MEMORIAL SCHOLARSHIP FUND \nEligibility: One male and one female in the graduating class at \nBoston Latin Academy. \nCriteria: \nStrongest academic growth \nAward: \n$850 available \nSubmit: \nSubmit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FIN-12 \nPage 10 of 14 \n \n \nSHERWIN SCHOOL GRADUATES for K-8 schools within the \nformer Sherwin School district. \nEligibility: Timilty Middle School (closed) \nCriteria: \nFor the benefit of the school \nAward: \n$100 available, payable to the school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ABIGAIL FUND for books in equal portions for Quincy and \nEliot Schools. \nEligibility: Quincy and Eliot Schools \nCriteria: \nPurchase of books \nAward: \n$800 available / $400 per school if both schools apply. \nSubmit:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Submit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead. \n \nSMITH, ELVIRA FUND in memory of Elvira B. Smith, established in \n1940. \nEligibility: Brighton High School \nCriteria: \nBooks, and/or other educational materials for the \nhistory department as directed by the headmaster \nwith approval of the head of the History Dept. \nAward: \n$50 available. Check payable to the school \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FIN-12 \nPage 11 of 14 \n \n \nSTOUGHTON SCHOOL supplements the salaries of temporary \nsubstitute teachers in high and grammar schools in Dorchester. \nEligibility: Schools with a Dorchester address \nCriteria: \nSubstitute teachers, supplement to regular \ncompensation in the form of additional days’ work \n \nAward: \n$300 available \nSubmit: \nSubmit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead. \n \nTEACHERS WATERSTON for lectures to teachers regarding \nnatural history or any of its various departments." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Eligibility: At the discretion of the superintendent \nCriteria: \nLectures to teachers regarding natural history or any \nof its various departments. \nAward: \n$500 available \nSubmit: \nSubmit a request to the Finance Office. Date and \nlecture information required. \n \nWEBB FRANKLIN \nEligibility: Blackstone and Hurley Schools \nCriteria: \nBooks for students \nAward: \n$275 available/$137.50 per school if both schools apply. \nSubmit: \nSubmit a request to the Finance Office with a detailed \nlist of items being purchased. All requests must be \nsubmitted on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FIN-12 \nPage 12 of 14 \n \n \nWILLIAM STEWART \nEligibility: English High School \nCriteria: \nBest all-around scholar-athlete at English High School \nAward: \n$2,500 available \nSubmit: \nSubmit a request to the Finance Office. Nominating \nprocedure with name, address, date of birth, student \nnumber, and Social Security number of recipient. All \nrequests must be on school/office letterhead." + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FIN-12 \nPage 13 of 14 \n \n \nAPPLICATION FOR TRUST FUND \n1. Submit this form for each student receiving a cash or savings \nbond award, or submit a typewritten list with this \ninformation. \n2. No student can receive a check or savings bond without a \nSocial Security number. \nTitle of Award: \nStudent's Name: \nStudent’s Street Address and Apt.#: \nCity or Town: \nZip Code: \nStudent’s Date of Birth: \nStudent’s Social Security Number: \nStudent’s ID Number: \nName of School: \nSchool Street Address: \nCity or Town: \nZip Code:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-12 Trust Funds for Schools", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FIN-12 \nPage 14 of 14 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \n \nDate \nActivity \nMay 31, 2024 \nAll requests must be submitted to the Finance \nOffice. \n \n \nFor more information about this circular, contact: \n \nOwner: \nSpecial Assistant to the Chief of Finance \nDepartment: \nFinance Office \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9485 \nScan documents to: finance-staff@bostonpublicschools.org \nEmail: \nfinance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 1:\n \n \n \n Superintendent’s \nCircular \n NUMBER: \nFIN-01 \nVersion 01 \n \n \nTRAVEL POLICY – PROCEDURES FOR APPROVAL AND \nREIMBURSEMENT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMost Boston Public School business is conducted locally, on-line \nor by telephone. Under some special and limited circumstances, \novernight or out-of-state travel may be required. These \ncircumstances usually arise if the Boston Public Schools is \nobliged to send staff out-of-state if a strong case can be made \nthat such travel would substantially benefit the district. \nIn all cases, a request for subsidized travel requires justification," + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "prior notification, and prior approval. BPS is not obligated to \nreimburse any employee for travel costs that were not approved \naccording to this policy. \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTRAVEL APPROVAL \n1. Applicants must secure approval using the online form; sign \nin here. Directions for this process are in the BPS Travel \nRequest documentation document. It is the sole obligation \nof the traveler to determine that sufficient funds are \navailable for reimbursement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-01 \nPage 2 of 8 \n \n2. No travel should occur until the traveler receives a fully \nAPPROVED travel request. Any travel request that is \nreceived AFTER the travel has occurred will NOT be \nreimbursed. \n3. All overnight and out of state travel requires prior approval \nand must be submitted at least 20 days prior to departure \ndate. When you apply, the online form will go through the \nfollowing approvers for signatures: school leader, school \nsuperintendent/division chief, financial analyst, chief \nfinancial officer, and operations manager/superintendent. \nThe traveler will need to follow their travel approval" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "application online in case there is a question that an \napprover may have or a denial which they will note on the \napplication. When the application is approved, you are then \neligible to travel and receive any reimbursements owed to \nyou. \n4. Please note that only these two accounts must be used: \n• 52802 for planes, trains, busses, taxis, Ubers/Lyfts etc. – \nthe cost associated with getting there. \n• 52804 for conference fees, hotel, food etc. – the cost \nassociated with being there. \nYou should also use these two accounts when doing \nrequisitions for travel. \n5. Supporting documentation describing the conference and \nthe purpose of your attendance must be attached to the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "online travel request form with any other pertinent \ninformation. \n6. All staff planning to attend an overnight or out-of-town \nconference are required upon their return to prepare a" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-01 \nPage 3 of 8 \n \nreport of the presentations/workshops, etc., attended and to \nsubmit their report to their immediate supervisor, who shall \ndetermine the format of this report. \n7. If travel is being paid for by the conference host, the BPS \nEmployee Disclosure Form (3 pages) must be attached to \nyour “Travel Approval Form” application. \nREIMBURSEMENT OF TRAVEL EXPENSES \nTo secure prompt reimbursement for travel, reimbursement \nrequests must be submitted to the Business Office within fifteen \n(15) business days after the travel has occurred. The traveler must \nsubmit the following forms, documentation/receipts to Accounts" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Payable, Office of the Business Manager (emails accepted): \n1. A completed City of Boston Special Draft/Non Order Form, \nfilled out completely with: \n• School/department \n• Date \n• Full name of person being reimbursed \n• Full address of person being reimbursed \n• Vendor # (see NOTE below) \n• Funding source \n• Full detailed description: name of conference, dates, and \nplace/state where held \n• Amount being reimbursed \n• Signed by the employee’s immediate supervisor. \n2. A copy of City of Boston and County of Suffolk Travel Expense \nVoucher (attached). This form must be filled out completely \nwith each daily expense, then signed on the lower right by" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "the person taking the trip and on the lower left by the \ndepartment head." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-01 \nPage 4 of 8 \n \n3. The “Certification Form” attesting, under the pains and \npenalties of perjury, that the requested reimbursement was \nincurred as reasonable expenses in the service of the City of \nBoston. \n4. A copy of the approved Request for Travel Approval form \nMUST be attached. \nIMPORTANT NOTES: \nBPS does not reimburse taxes for expenditures. BPS will \nreimburse taxes and tips on FOOD ONLY. \nReimbursements cannot exceed the amount authorized by the \nSuperintendent. Only in extreme conditions can this original \namount be increased via an amended travel form which must be \nsubmitted to the Finance Office prior to travel." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "If travel substitution occurs, an amended form approved by the \nSuperintendent is required before travel. A copy of the “Travel \nApproval” must be submitted with each request for \nreimbursement. \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file to be reimbursed. Go to \nwww.boston.gov/procurement, click on \"Go to Supplier Portal,\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \nIf submitting by paper: \n• ONLY submit single-sided reimbursements packet – not \ndouble-sided. \n• 12-point font or larger on 8.5 x 11 white paper." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-01 \nPage 5 of 8 \n \n• DO NOT highlight or put scotch tape on receipts because \nit fades the receipts; use staples. Only legible receipts will \nbe reimbursed. Must submit copies of all cash register \nreceipts on 8.5 x 11 paper. \nALLOWABLE EXPENSES \n1. Economy class commercial carrier charges (airlines, trains, \nbuses) are to be used at all times. The maximum \nreimbursement will be limited to the lowest commercial \ncarrier fare to the destination. The maximum limitation \ndoes not apply for in-state travel. \n2. Hotel charges are limited to $200.00 per night. Exceptions \nto this limit will only be approved if:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "to this limit will only be approved if: \na) basic accommodations are unavailable, or \nb) basic accommodations are too distant from the event, \nor \nc) the event is being held at a specific hotel. \n3. The purchase of meals will be reimbursed when supported \nby original receipts, not to exceed $50.00 per day. A \nmaximum of $25.00 per day will be allowed without \nreceipts. Each person traveling must pay for their own \nmeals (NOT other individuals or group meals) unless \notherwise noted on the Travel Approval Request; the name \nof each individual must be listed on the Travel Approval \nRequest prior to travel. \na) Gratuities cannot exceed 20%." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "a) Gratuities cannot exceed 20%. \nb) Original receipts must include an itemized breakdown \nof what was ordered. If an itemized breakdown is not \nprovided, the $25.00 per-diem allowance will be \nreimbursed. \nc) Reimbursement for room service also requires the \nsubmission of an itemized breakdown." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-01 \nPage 6 of 8 \n \n4. Conference registration fees must be supported by original \ndocumentation. \nLOCAL TRANSPORTATION CHARGES \n1. Car rentals/gas and airport parking must be listed on the \n“Travel Approval” if reimbursement is to be requested. \n2. Charges claimed for taxis/Lyfts/Ubers must be supported by \noriginal receipts. \n3. Travel by automobile is eligible for reimbursement at the \ncurrent IRS allowable rate per mile (see Superintendent’s \nCircular FIN-02 – Mileage) \n4. Tolls and parking charges must be supported by original \nreceipts. \nMISCELLANEOUS TRAVEL ISSUES \n1. Travel by City Contractors/Vendors. Some contracts and/or" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "service agreements may require the vendor to travel on \nbehalf of the Boston Public Schools. The City of Boston \nTravel Policy must be incorporated by reference into the \ncontract/agreements prior to execution. \n2. Conflicting Obligations. It is generally not permissible, \nwithout the prior review and approval of the Office of Legal \nAdvisor, to engage in travel sponsored by a third party. \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. You cannot use current school year \nfunds to pay for prior school year expenses." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-01 \nPage 7 of 8 \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \nFor more information about this circular, contact: \nOwner: \nPrincipal Account Clerk Accounts Payable \nBusiness Services \nDepartment: \nOperations \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9472 \nEmail: \nfinance-staff@bostonpublicschools.org" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FIN-01 \nPage 8 of 8 \n \nCITY OF BOSTON AND COUNTY OF SUFFOLK \nTRAVEL EXPENSE VOUCHER \nTHIS FORM IS SUBMITTED WITH REIMBURSEMENT RECEIPTS \nTO THE AUDITING DEPARTMENT (Business Office). \nORIGINAL TO BE FILED IN AUDITOR'S OFFICE \n \n \nMonth of: \n \n \n \nName of Official or Employee: \nDepartment and Unit: Boston Public Schools \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nDay \nDescription \nPRIVATE \nAUTOMOBILE \nRail-\nRoad \nFares \nBus Taxi and \nother fares \n \nMeals \n \nHOTEL \nTele-\nphone \n& Tele-\ngraph \nAll Other \nTOTAL \n \n \nMiles \nAmount \n \n \nBreak\n-fast \nLunch \nDinner \n \n \nItem \nAmount" + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "TOTALS \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nBy signing this voucher you certify that each item of expenditure was incurred and was necessary in the service of the City or County \nand complies with the regulations on the back of this voucher. \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nI hereby certify that I have personally examined this statement, that I approve of each item of \nexpense hereon, that each item conforms to the regulations printed on the back, the amounts \ncharged are reasonable and the expenditures necessary in the service of the City or County." + }, + { + "folder_name": "Finance", + "file_name": "FIN-01 Travel Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link", + "content": "Signature \n \n \n \nSignature \n \n \n \nDepartment Head \n \n \n \n \nEmployee" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-16 \nVersion 01 \n \n \n \nBUDGET TRANSFERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPlease use the online reference document Budget Transfers as \nyour guide to initiating online budget transfer requests. \n \nINTRODUCTION \nEach year, departments review their budgets and allocate money \nfor various goods and services for the next fiscal year. Funds are \nallocated to budget lines reflective of their intended use. As \nneeds change, departments often want to reallocate money \nbetween budget lines. This can be accomplished through a \nbudget transfer. Budget transfers are the mechanism by which" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "available budgeted resources are moved from one budget line \nitem to another in the Boston Public Schools financial system \n(PeopleSoft). \nAll budget transfer requests are entered directly into the \nPeopleSoft financial system by authorized users (principals, \nheads of school, responsibility center managers, or their \ndesignees). The Budget Office no longer accepts paper transfer \nforms. A detailed “job aid” follows on how an online budget \ntransfer request is initiated." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-16 \nPage 2 of 5 \n \n \n \nThe on-line budget transfer request process involves 6 basic \ncomponents: \n1) Navigate to the transfer “form” (budget journal) in \nPeopleSoft. \n2) Enter data (explanation, budget codes, dollars, and/or FTEs). \n3) Complete a budget error check. \n4) Save the completed transfer. \n5) Send to the Budget Office for approval. \n6) Track the progress of your transfer online. \nINCREMENTAL APPROACH \nBudget transfers employ an “incremental” approach, meaning \nthat if dollars are being moved from a particular line item, a \nnegative dollar value will be associated with that line item." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "Conversely, if resources are being moved to a line item, the dollar \nvalue in the amount column will be a positive figure. Budget \ntransfers must sum to $0. For example, if a principal wished to \nmove $3,000.00 from a contracts line item to a stipends line item, \nthe transfer lines might look like this: \nAccount \nFund \nRC \nProgram \nSubclass \nAmount \n52907 \nContracted \nServices \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2112 \nElem Ed. \n \n \n0000 \n- \n$3,000.00 \n51202 Prof. \nOT/ Stipends \n100 \nGeneral \nFund \n101203 \nAdams \nSchool \n2014 \nGrade 4 \n \n \n0000 \n$3,000.00" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-16 \nPage 3 of 5 \n \n \n \nBudget transfers involving additions, deletions, or changes to full-\ntime equivalent (FTE) positions also follow an incremental \napproach. Therefore, a negative FTE would be associated with the \nreduction or deletion of a position, and a positive FTE with the \ncreation or increase of a position. For example, if I wished to \nreduce a position from a 0.8 FTE to a 0.6 FTE, I would type -0.2 in \nthe FTE column (“statistic amount” in the budget journal) for that \nbudget line. If I wished to delete that position entirely, I would \nhave put -0.8 in the FTE column. If I had wished to increase the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "position to 1.0 FTE, I would have typed 0.2 in the FTE column. \nWhenever a budget transfer involves a position, the position \nnumber should be identified in the “reference” field in the \nbudget transfer. If requesting a new position, leave the reference \nfield blank, to be filled in by the Budget Office when the new \nposition is created. \nREQUIREMENTS & RESTRICTIONS \n1. The authorizer requesting the transfer must have BAIS FN \naccess. \n2. No Responsibility Center will be allowed to transfer funds \narising from staff vacancies. These “lag funds” make up the \nBoston Public Schools contingency fund and will be \nreallocated at the sole discretion of the superintendent." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "Exceptions to this policy will only be made upon written \nrequest and written approval by the chief financial officer. \n3. Funds should not be transferred out of personnel accounts \n(starting with 51__) or substitute accounts. Under normal \ncircumstances, adjustments to budget line items associated \nwith positions will be rare and must be explicitly approved" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-16 \nPage 4 of 5 \n \n \n \nby the Office of Human Capital prior to the budget transfer \nrequest being approved. \n4. Budget transfer requests that lack sufficient explanatory \ndetail in the “Long Description” text box on the budget \njournal header will not be approved. \n5. In concert with the annual requisition deadline, budget \ntransfers for any fiscal year will not be processed after the \nApril requisition deadline of that fiscal year. The only \nexception to this policy may be transfers for grants which \nextend beyond June 30. \n6. Transfer requests which exceed the “available amount” left" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "in a particular line will not be processed (in other words, you \ncannot transfer funds which you have already spent!). \n7. Line-item budget transfers can only take place within a \nfunding source (i.e., General Fund to General Fund or Title 1 \nto Title 1), but not between the General Fund and a grant, \nnor between two separate grants. \n8. Title I EL funds (programs that begin with 24__) cannot be \ntransferred to another program, as this funding can only be \nused for ELLs. Likewise, partnership funds (program 2536), \nand parent support services funds (Fund 200 program 2515) \nshould not be moved to another program. Homeless \nservices funds (program 2533) should be kept in the same" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "code where possible but are not fully restricted. \n9. Authority to request budget transfers is reserved to \nprincipals, heads of school, and RC managers, unless and \nuntil they explicitly delegate that authority to a designee in \nwriting to the chief financial officer or the budget director." + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-16 \nPage 5 of 5 \n \n \n \n10. While the on-line budget transfer protocol has made the \nexecution of budget transfers simple and efficient, there is \nno substitute for thoughtful, forward-looking resource \nplanning. The Budget Office is glad to assist with such \nplanning. \n \nPLEASE USE THE ONLINE REFERENCE DOCUMENT BUDGET \nTRANSFERS AS YOUR GUIDE TO INITIATING ONLINE BUDGET \nTRANSFER REQUESTS. \n \nFor more information about this circular, contact: \nOwner: \nBudget Director \nDepartment: \nBudget Office \nMailing Address: \n2300 Washington Street. Roxbury, MA 02119 \nPhone: \n617-635-6772 \nE-mail: \nfinance-staff@bostonpublicschools.org" + }, + { + "folder_name": "Finance", + "file_name": "FIN-16 Budget Transfers", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link", + "content": "finance-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nFIN-11 \nVersion 01 \n \nSCHOLARSHIPS, AWARDS, AND HONORS FOR \nSTUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \n \nThis circular provides procedures for making awards from \ncentrally administered trusts that benefit individual students. \nSuperintendent’s Circular FIN-12 deals with trusts benefiting \nschools. Fifteen trusts are listed in the attachment to this \nmemorandum. Those involving many schools are: \n \nALICE F. CASEY AWARDS \n \nCHARLOTTE FELLMAN AWARDS MARY DOROTHEA \nDEVEREAUX AWARDS \nSAMUEL GROSS DAVIS AWARDS \nMATHEMATICS AWARD \nMARY C. MCLAUGHLIN AWARD" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "MATHEMATICS AWARD \nMARY C. MCLAUGHLIN AWARD \nMARY GRASSA O'NEILL AWARD \nAll elementary schools \nAll elementary and middle \nschools \nList attached \nList attached \nAll schools \nAll schools K-12 \nAll schools 1-12" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-11 \nPage 2 of 17 \n \nPrincipals and heads of schools are responsible for knowing the \neligibility of their schools and students for scholarships and \nawards, for ensuring that recipients of awards have been \nappropriately selected, and for following procedures for the \ndisbursement of the awards. Please submit your requests to the \nChief Financial Office as soon as possible but no later than May 31, \n2024. Late requests will not be processed. \n \n \nELIGIBILITY FOR AWARDS \nSee the following pages for a list of awards by level and school \nand for a description of awards listed in alphabetical order. \n \nSELECTION PROCEDURES" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "SELECTION PROCEDURES \nIn addition to criteria specific to each trust, equal opportunity \npolicies apply to selection procedures. \n● Teachers, or a committee of teachers, recommend a \nnominee. \n● The head of school or principal approves nomination(s)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-11 \nPage 3 of 17 \n \n \nDISBURSEMENT PROCEDURES \n● Provide the information required for the award on the \nattached application form OR on the letterhead of the \nschool, signed by the principal/head of school. If schools \nare eligible for more than one award, use separate \nletterhead for each award. \n● Submit the memorandum to the Chief Financial Office by \nMay 31, 2024; late submissions will not be funded. \n● Checks will be sent directly to the recipients at the \naddress provided by the school. Checks cannot be issued \nwithout a Social Security number. All monetary awards are \ndisbursed through the City of Boston Trust Office." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "● Present the awards at a suitable ceremony developed \nwithin each school. \n● Maintain records of receipt of awards. Schools should \nmaintain records of receipts by students, and copies of all \nsubmissions. If it is not possible to obtain a signature, \nmaintain a dated record of the name, address and method \nof transmittal. Documentation of receipts should be \navailable upon request." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-11 \nPage 4 of 17 \n \nTRUST AWARDS \nAznive \nGrace N. Aznive \nCasey \nAlice F. Casey \nDavis \nSamuel Gross Davis \nDevereaux \nMary Dorothea Devereaux \nFellman \nCharlotte Fellman \nFranklin \nBenjamin Franklin \nGeorgeAnna \nJudson George \nGoldberg \nJacob Goldberg \nGoulston \nEdward J. Goulston \nHoffman \nEnsign David A. Hoffman \nLatin \nLatin School Prize \nLawrence \nLawrence High School \nLawrence Latin \nLawrence Latin School \nMathematics \nMathematics Award \nMcLaughlin \nMary McLaughlin \nMorrison \nHelen C. Morrison \nGrassa O’Neill \nGrassa O’Neill \n \n \nTRUST AWARDS BY SCHOOL \n \nELEMENTARY SCHOOLS \nAll Elementary Schools \nAlice F. Casey" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-11 \nPage 5 of 17 \n \n \n \n \n \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \n \nMary Grassa O’Neill \nMason Elementary \nSamuel Gross Davis \nTobin K-8 \nSamuel Gross Davis \nEliot K-8 \nJacob Goldberg \nWinship Elementary \nMary Dorothea Devereaux \nEllis Elementary \nSamuel Gross Davis \nHale Elementary \nSamuel Gross Davis \nHennigan Elementary \nSamuel Gross Davis \nHigginson/Lewis K-8 \nSamuel Gross Davis \nJ. F. Kennedy Elementary \nSamuel Gross Davis \nTrotter Elementary \nSamuel Gross Davis" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-11 \nPage 6 of 17 \n \n \nMIDDLE SCHOOLS \nAll Middle Schools \n \n \n \n \nMary Dorothea Devereaux \nCharlotte Fellman \nMathematics Achievement \nMary McLaughlin Reading \n \nMary Grassa O’Neill \nDearborn Middle \nSamuel Gross Davis \nHigginson/Lewis K-8 \nSamuel Gross Davis \nTimilty Middle \nSamuel Gross Davis \n \n \nHIGH SCHOOLS \nAll High Schools \n \n \n \n \n \nMary Dorothea Devereaux \nGrace Aznive Art Scholarship \nFranklin Medal \nMathematics Achievement \nMary McLaughlin Reading \nMary Grassa O’Neill \nBoston Latin School \nSamuel Gross Davis \nLawrence Latin School \nLatin School Prize \nBoston Latin Academy \nSamuel Gross Davis \nBrighton High \nAnna Judson George" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-11 \nPage 7 of 17 \n \nEnglish High \nEdward J. Goulston \nLawrence High School Fund \nMadison Park High/Technical/ Vocational \nHigh School \nSamuel Gross Davis \nO’Bryant School of Mathematics & Science \nSamuel Gross Davis \nHelen C. Morrison \nCarter School \nSamuel Gross Davis" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FIN-11 \nPage 8 of 17 \n \nTRUST AWARD DESCRIPTIONS \n \nAZNIVE ART SCHOLARSHIP FUND in memory of Grace Aznive, a \nformer BPS teacher, was established in 1955. The scholarship is for \noutstanding seniors planning to attend art school. Please call 617-\n635-6769 for more information. \n \nCASEY AWARD in honor of Alice F. Casey, a former associate \nsuperintendent of the Boston Public Schools, was established \n1977. \nEligibility: \nAll elementary schools, one student in each classroom, grades 1-5 \nCriteria: \nElementary students who have demonstrated the highest degree of \nsocial and academic growth during the school year and have shown" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "outstanding and positive attitudes toward classmates of all racial and \nethnic backgrounds while promoting a positive spirit of integration \nwithin their classroom and school community. Current satisfactory \ngrades in conduct and effort and improved grades in class work or report \ncard; concern for students and staff; participation in school activities; \nhelpful and enthusiastic attitude; recognition of rights of others. \nAward: \nAlice F. Casey Certificate \nSubmit: \nSubmit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed. \n \n \nDEVEREAUX AWARD is a gift of Mary Dorothea Devereaux, \nformerly a Boston Public Schools teacher, established in 1965." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Eligibility: \nOne girl and one boy in the graduating class of the following schools: \n● \nAll high schools \n● \nAll middle schools \n● \nWinship Elementary School" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FIN-11 \nPage 9 of 17 \n \nCriteria: \nFor students who, as a result of the tutelage of their teachers, have \nexhibited exemplary personal development and growth of character. \nUnder no circumstances shall scholastic achievement or athletic ability \nbe used as criteria. \nAward: \n$25 check, issued by the City of Boston Treasury Department. \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nFELLMAN AWARD is in honor of Charlotte Fellman, a former \nassociate director of music, established 1984. \nEligibility:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Eligibility: \nTwo graduating eighth grade students from each middle school and each \nK-8 school and one graduating fifth grade student from each elementary \nschool. \nCriteria: \nOutstanding talent and positive social attitude toward classmates of all \nracial and ethnic backgrounds; participation in the musical life of the \nschool or community; interest in continuing in music; outstanding \nmusical talent and helpful and enthusiastic attitude toward classmates. \nAward: \nCertificate of Recognition \nSubmit: \nSubmit request to Chief Financial Office on school letterhead, with \nnumber of certificates needed. \n \n \nFRANKLIN CERTIFICATE is a gift of Benjamin Franklin. \nEligibility: \nAll high schools" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Eligibility: \nAll high schools \nCriteria: \nHigh rank in scholarship and conduct \nAward: \nA certificate \nSubmit: \nNominating procedure, and name and address of recipients. \nNominations submitted to the Guidance Department." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FIN-11 \nPage 10 of 17 \n \n \n \n \n \n \nGEORGE SCHOLARSHIP is in memory of Anna Judson George \nand was established 1923. \nEligibility: \nA graduating senior from Brighton High School \nCriteria: \nFor excellence in English, to be used for their higher education \nAward: \n$225 check payable to recipient \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with names, \naddresses, dates of birth, student numbers and Social Security numbers \nof recipients. \n \nGOLDBERG TRUST is in honor of Jacob Goldberg upon the \noccasion of completion of 50 years of outstanding service to his \nemployer, W. M. Filene & Sons Company. This trust was" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "established in 1962. \nEligibility: \nA member of the graduating class of the Eliot School \nCriteria: \nFor leadership qualities \nAward: \n$400 check payable to recipient \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FIN-11 \nPage 11 of 17 \n \n \nGOULSTON AWARD is in memory of Edward S. Goulston and was \nestablished in 1929. \nEligibility: \nA member of the graduating class of English High School \nCriteria: \nDeserving pupil to be used for their higher education \nAward: \n$250 check; payable to recipient \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nHOFFMAN SCHOLARSHIP is in memory of Ensign David A. \nHoffman and was established in 1920. \n \n \nEligibility: \nA member of the graduating class of East Boston High School \nCriteria:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Criteria: \nA scholar who most nearly combines the highest attributes of an all \naround student in studies, athletic ability and morality. \nAward: \n$175 check; payable to recipient \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FIN-11 \nPage 12 of 17 \n \n \n \nLATIN SCHOOL PRIZE is for the encouragement of scholars at \nBoston Latin School. \nEligibility: \nStudents from Boston Latin School \nCriteria: \nExcellence in scholarship \nAward: \n$250 total available, check payable to student(s) \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \n \nLAWRENCE HIGH SCHOOL FUND is from a gift of Abbott \nLawrence in 1844. \nEligibility: \nStudents from English High School \nCriteria: \nHigh rank in various subjects of the course of study \nAward:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Award: \n$525 total available, checks payable to the student(s) \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FIN-11 \nPage 13 of 17 \n \n \nLAWRENCE LATIN SCHOOL FUND is from a gift of Abbott \nLawrence in 1845. \nEligibility: \nStudents from Boston Latin School \nCriteria: \nHigh rank in various subjects of literature and science \nAward: \n$475 total available, checks payable to the student(s) \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMORRISON FUND is a legacy of Helen C. Morrison, established in \n1972. \nEligibility: \nStudents from Technical High Schools \nCriteria: \nTo assist worthy and needy students at technical high schools; funds can" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "be used either to assist students currently attending technical high \nschools in Boston or as scholarships at an institution of higher learning. \nAward: \n$2,525 total available; check(s) payable to recipient(s) \nSubmit: \nSubmit request to Chief Financial Office on school letterhead with name, \naddress, date of birth, student number and Social Security number of \nrecipient. \n \nMARY GRASSA O’NEILL WRITING AWARD: The Boston School \nCommittee and Superintendent Mary Skipper wish to award \ncertificates to selected students in recognition of achievement in \nwriting. Schools should make requests for certificates directly to \nthe Program Director/ELA, OPL@bostonpublicschools.org. These" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "certificates will be sent directly to your school, and the schools \nwill complete the certificates for distribution to selected \nstudents." + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FIN-11 \nPage 14 of 17 \n \nMATHEMATICS ACHIEVEMENT AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to \nselected students in recognition of achievement in mathematics. \nSchools should make requests for certificates directly to the \nProgram Director, Mathematics, OPL@bostonpublicschools.org. \nThese certificates will be sent directly to your school, and the \nschools will complete the certificates for distribution to selected \nstudents. \n \nMARY C. MCLAUGHLIN READING AWARD: The Boston School \nCommittee and \nSuperintendent Mary Skipper wish to award certificates to" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "selected students in recognition of achievement in \nreading/language arts. Schools should make requests for \ncertificates directly to the Program Director/ELA, \nOPL@bostonpublicschools.org. These certificates will be sent \ndirectly to your school, and the schools will complete the \ncertificates for distribution to selected students. \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nMay 31, 2024 \nAll requests must be submitted to the CFO. \n \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular FIN-11 \nPage 15 of 17 \n \nOwner: \nSpecial Assistant to the Chief of Finance \nDepartment: \nChief Financial Office \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9485 \nScan Documents to \nfinance-staff@bostonpublicschools.org \nEmail: \nfinance-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \nATTACHMENT: \nApplication for Awards form" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular FIN-11 \nPage 16 of 17 \n \nAPPLICATION FOR AWARDS \n \nThis form may be used for each student receiving a cash / savings \nbond award; or submit a typewritten list on school letterhead \nwith all of this information. No student may receive a check or \nsavings bond without a Social Security number. \n \nTITLE OF AWARD: \n_____________________________________________________ \n \n \nSTUDENT'S NAME: \n____________________________________________________ \n \n \nSTUDENT’S STREET ADDRES \n______________________________________________ APT.#:____ \n \n \n \n \n \n \n \n \n \nCITY OR TOWN: ___________________________ZIP CODE: _________ \n \n \nSTUDENT’S DATE OF BIRTH" + }, + { + "folder_name": "Finance", + "file_name": "FIN-11 Scholarships, Awards, and Honors for Students", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular FIN-11 \nPage 17 of 17 \n \n____________________________________________ \n \n \nSTUDENT’S SSN: \n______________________________________________ \n \n \nSTUDENT’S ID NUMBER: \n______________________________________________ \n \n \nSCHOOL: \n______________________________________________________ \n \n \nSCHOOL STREET ADDRESS: \n__________________________________________ \n \n \nCITY OR TOWN: ______________________ ZIP CODE: _____________" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nFIN-04 \nVersion 01 \n \n \n \nSTUDENT ACTIVITY ACCOUNTS: \nOPERATING PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThis Student Activity Accounts: Operating Procedures \nSuperintendent’s Circular was put together in accordance with \nMassachusetts General Law Chapter 71 Section 47. The Student \nActivity Account Policy was approved by the School Committee \nin the fall of 2018. \nAll students should have an opportunity to take part in co-\ncurricular activities. As such, Boston Public Schools have \nmigrated to a new business process for managing student" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "activity accounts. Student activity funds are managed under an \n“Agency Account,” housed under the City’s tax ID number. \nDEFINITION AND CATEGORIES OF STUDENT ACTIVITY \nACCOUNTS \nStudent activity accounts may only be used for the express \npurpose of conducting student activities, which are broadly \ndefined to be: \n● Co-curricular in nature. \n● Contingent on a fee or on fundraising. \n● For the sole benefit of students." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-04 \nPage 2 of 13 \n \n \nBoston Public Schools recognizes the following categories as \nstudent activities: \n● SOCAL = Socials, such as a dance or pizza party \n● EVENT= Special events, such as a graduation or Science Fair \n● FLDTR = Field trips, such as transportation costs or entrance \nfees \n● CLUBS = School leader-approved student clubs, such as a \nStudent Council or Debate Club \n● STORE = Bookstore, only when bookstore is run by students \nand proceeds will benefit students directly \n● ATHLT = Athletics, only when funds are student-driven and \nproceeds will benefit specific student activities directly" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "● SNDRY = Miscellaneous activities (this is NOT a catch-all, see \nStudent Activity Accounts on the BPS website for approved \nlist) \n● BNKFE = Bank fees, such as fees for returned checks \nESTABLISHING A STUDENT ACTIVITY ACCOUNT \nStudent activity funds will be managed utilizing a Student \nActivity Agency Account. The Agency Account is a master \naccount maintained by the City’s Collector-Treasurer and is \nutilized to record deposits and expenses. All student activity \naccounts must utilize the City of Boston’s tax ID number and be \nauthorized by the BPS chief financial officer and city treasurer. \nSchools seeking to set up a new student activity account within" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "the Student Activity Agency Account must contact the BPS \nFinance Office." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-04 \nPage 3 of 13 \n \nWhen a new school leader begins at a BPS school, they should \ncontact the BPS Finance Office. Accounts should be reconciled \nprior to the account changing hands. \nDEPOSIT PROCEDURE \nTo deposit funds into your school’s student activity account: \n1. Deposit funds at a Boston Citizens Bank branch using the \nunique deposit slips provided to your school. This is critical to \nensuring funds are deposited to your school’s subaccount \nand simplifying the reconciliation process. \na. If depositing funds for use in multiple different student \nactivities, schools must use a separate deposit slip for \neach pool of money." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "each pool of money. \n2. Complete the revenue breakdown form within 2 business \ndays of the deposit date to designate the funds to a program \n(SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, \nBNKFE) and class (grade level). This allows the deposited \nfunds to be applied to your school’s subaccount and \nreflected in BAIS Financials. \na. If a deposit is for multiple grades or undefined, utilize \nthe “0000” for all grades. \n3. Allow at least 5 business days for the deposit to be booked to \nyour school’s subaccount and reflected in BAIS Financials. \nSchools must notify the BPS Finance Office when they are \nrunning low on unique deposit slips, not when they’ve run out of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "deposit slips, so additional deposit slips may be ordered and \ndelivered to the school." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-04 \nPage 4 of 13 \n \nTRANSFER PROCEDURE \nTo request a transfer within your school’s student activity \naccount: \n1. Submit the transfer request form, which requires a \njustification letter be attached documenting the request. \nTransfer Request Justification Template \n2. Allow at least 5 business days for the transfer to be reflected \nin BAIS Financials. \nEXPENDITURE PROCEDURE \nStandard Purchasing \nTo make a purchase out of your school’s student activity account: \n1. Confirm the company/venue is already an approved city \nvendor by looking them up in BAIS Financials or determine if \nthe individual needs to be “hired” and paid through the city’s" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "payroll system. \na. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nb. New vendors should register online (see step-by-step \nguidelines for registering online). \n2. After confirming the company/venue is an approved city \nvendor, enter a requisition for student activities using the \nfollowing information: \nFund Number: 470" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-04 \nPage 5 of 13 \n \nAccount: Should be appropriate to the requisition. An \nexample is account 52811 for a field trip. If unsure, review \nthe account code list or contact BPS Purchasing. \nProgram: An alpha entry matching the revenue breakdown \nof SOCAL, EVENT, FLDTR, CLUBS, STORE, ATHLT, SNDRY, or \nBNKFE. \nClass: An alphanumeric entry matching the revenue \nbreakdown of: 0000 (all grades); BPSK0; BPSK1; BPSK2; \nBPS01; BPS02; BPS03; BPS04; BPS05; BPS06; BPS07; BPS08; \nBPS09; BPS10; BPS11; BPS12 \nBud Ref: 0000 \n3. Follow the standard purchasing guidelines outlined in the \nBusiness Services Manual to complete the requisition and \npurchase process." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "purchase process. \nReimbursement \nTo request a reimbursement out of your school’s student activity \naccount: \n1. Confirm the person is already properly hired or an approved \ncity vendor by looking them up in BAIS Financials. \nb. If you have a question about whether a \ncompany/venue is an approved city vendor or should \nbe hired, please email \nVendor.Questions@cityofboston.gov or call 617-635-\n4564. \nc. New vendors should register online (see step-by-step \nguidelines for registering online)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-04 \nPage 6 of 13 \n \n2. After confirming the person is an approved city vendor, \ncomplete and submit a hard copy of the Non Order form \nwith details of the expense, funding source, and amount. \nReimbursement instructions can be found in \nSuperintendent’s Circular FIN-03. \n \nStaff seeking reimbursement out of the Student Activity Account \ncan receive reimbursement for tax on purchases; however, tax \ncan be saved by going through the standard purchasing process. \nReach out to Lisa Greaves or Bob Cass with any reimbursement \nquestions. \nThe Business Services Guide may be a helpful resource for further \ninquiries on purchasing." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "inquiries on purchasing. \nCHECKING STUDENT ACTIVITY ACCOUNT BALANCES \nTo check your school’s student activity account balance: \n1. Log into BAIS Financials. \n2. From the main menu drop-down options, select \nREPORTING TOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to “Search by,” select QUERY NAME from the drop-\ndown options. \n6. In the blank next to “begins with,” enter \nY_GL_QRY_SCH_ACT_BUDGET_BAL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. In the blank next to “department,” enter your school’s 6-\ndigit RC code. \n9. Click VIEW RESULTS: \na. Scroll through all the line items to find balances (there" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-04 \nPage 7 of 13 \n \nwill likely be several rows that show no balance) OR \nb. Download the results and filter out all the rows without \na balance. \nTo check deposits and expenditures in your school’s student \nactivity account: \n1. Log into BAIS Financials \n2. From the main menu drop down options, select REPORTING \nTOOLS. \n3. From Reporting Tools, select QUERY. \n4. Click on QUERY VIEWER. \n5. Next to “Search by,” select QUERY NAME from the drop-\ndown options. \n6. In the blank next to “begins with,” enter \nY_GL_QRY_EXP_PO_CN_DTL. \n7. Select how you'd like to run the report: HTML, Excel, or XML. \n8. Enter the following for the blanks:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "8. Enter the following for the blanks: \na. Fund Code: 470 \nb. Organization: Your school’s 6-digit RC Code \nc. Program Code: % \nd. Sub-Classification: % \ne. Project/Grant: % \nf. Account: % \ng. Budget Reference: % \nh. From Accounting Period: 1 \ni. To Accounting Period: 12 \nj. From Fiscal Year: Starting year (for example, if you just \nwant to look at this current school year, you’d enter \n2024, but if you wanted to look at the account over \ntime, you’d enter 2018). \nk. To Fiscal Year: Ending year. \n9. Click VIEW RESULTS." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FIN-04 \nPage 8 of 13 \n \nREPORTING \nMonthly Reconciliation Reports \nBy the 5th of each month (September - July): \n1. Complete the monthly reconciliation report for the previous \nmonth, reconciling your school’s PeopleSoft balance with \nsubmitted revenue breakdown forms and expenditure \nrequests. \n2. Completed monthly reconciliations should be sent to school \nleader, all student organization leadership (and/or parent \ncouncil leadership if elementary school), and Charlie Ng by \nthe 5th of each month for the previous month (example: for \nthe February reconciliation, submit by March 5). PDFs should" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "be uploaded to your school’s SAA reporting folder and saved \nfor 7 years. \nYear End Reconciliation \nBy June 21: \n1. Complete Form B for each additional bank account \nassociated with the school (Form B doesn’t need to be \ncompleted for the student activity and before/after school \naccounts) and record every transaction for each account. \nAdditional bank accounts include 501c3, BEDF, Parent \nCouncil, and Sunshine Fund accounts. \n2. A final monthly reconciliation report should be submitted by \nJuly 5 to close out the student activity account for the school \nyear \n3. Completed forms should be sent to Charlie Ng." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FIN-04 \nPage 9 of 13 \n \nCASH POLICY AND RECORD-KEEPING \nInternal Records And Ledgers \nSchools must keep detailed records of their receipts and \nexpenses for the account. Records should contain, at minimum, \nthe level of detail provided in the example ledger by line. The \nspecific purpose/activity of all money should be tracked. It is \nrecommended that for individual activities, such as a specific \nfield trip or event, schools also track all receipts and expenses (i.e., \nall revenue and expenses for prom). A copy of these records \nshould be housed in your school’s SAA folder. The purpose of \nthese records is to:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "these records is to: \n● Ensure bank deposits match the total receipts of fees and \nfund-raised money. \n● Ensure entirety of the money is spent on the intended \npurpose, benefiting solely the students who the money was \nraised for/by. \n● Avoid large surpluses and deficit spending. \nCash Policy \nCash boxes may be used to receive cash and checks and make \nchange during fundraising activities. \nAs needed, the cash box may be signed out to staff and student \norganizations as long as a cash box log is completed each time \nthe cash box is signed out. \nSchools need to keep records of collected cash and checks. When \n$10 or more is collected from an individual, a pre-printed carbon" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "receipt must be issued to that individual. Carbon copies of \nreceipts should be submitted to the school leader along with" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FIN-04 \nPage 10 of 13 \n \ncollected cash and checks WITHIN 24 HOURS of receipt. In cases \nof a large number of transactions in a short period of time, the \nreceipt log should be used to provide a record of individual \ntransactions and be submitted to the school leader along with \ncollected cash and checks WITHIN 24 HOURS of receipt. \nWhen less than $10 is collected from an individual, a pre-printed \ncarbon receipt does not need to be issued. Rather, the person \nhandling the cash box needs to record the collected funds on the \nreceipt log. The receipt log should be submitted to the school \nleader along with collected cash / checks WITHIN 24 HOURS of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "receipt. \nThe cash box must be reconciled daily by two individuals. Once \nthe cash is counted, each individual should initial the cash box \nreconciliation form. \nCollected cash / checks totaling under $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN A WEEK of receipt. \nTotal collected cash / checks exceeding $1,500 must be deposited \nat a Boston Citizens Bank branch WITHIN 72 HOURS of receipt." + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FIN-04 \nPage 11 of 13 \n \nCLOSURE OF ACCOUNTS \nClosure of Class Accounts at Graduation \nThe following procedures should be followed with respect to \nclass accounts at graduation: \n1. Keep class accounts open and active for 90 days after \ngraduation to allow for outstanding bills to be received and \npaid. \n2. After 90 days, remaining funds must either be: \na. Transferred to a separate account established by class \nmembers, not using the city’s tax ID number. \nb. Transferred to the school’s SNDRY, 0000 (all grades) \nline. \nClosure of Inactive Accounts \nThe following procedures should be followed with respect to" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "inactive and undesignated accounts at the district level: \n1. Accounts will be closed, and remaining balances will be \ntransferred to the Student Activity Agency Account. \n2. Remaining balances will be distributed across all schools’ \nSNDRY, 0000 (all grades) lines. \nThe following procedures should be followed with respect to \ninactive accounts at the school level: \n1. Provide written notification about the inactive account to \nthe BPS Finance Office. \n2. If the account should be closed out and has a balance of \nfunds: \na. The balance of recognized student activity funds \nshould be moved into the appropriate program and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FIN-04 \nPage 12 of 13 \n \nclass subaccounts. \nb. The balance of unrecognized student activity funds \nshould be moved into the school’s SNDRY, 0000 (all \ngrades) line. \nRESOURCES \nFor additional information and resources on Student Activity \nAccounts: \n● Student Activity Account: Policies & Procedures Manual \nStudent Activity Account Website \n● SAA Slide Deck \n● 7-minute Overview Presentation \n● Purchasing Manual \n● Massachusetts General Law \nPlease contact the Finance Office if you have any student activity \naccount questions not addressed in this circular. \nQuestions related to deposits, fund balances, and account status \nshould be directed to:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "should be directed to: \nSpecial Accounts Manager, finance-\nstaff@bostonpublicschools.org \nInternal Controls Project Manager, finance-\nstaff@bostonpublicschools.org" + }, + { + "folder_name": "Finance", + "file_name": "FIN-04 Student Activity Accounts", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FIN-04 \nPage 13 of 13 \n \nQuestions related to purchases from this account should be \ndirected to: \nAssistant Business Manager, finance-\nstaff@bostonpublicschools.org / 617-635-6758 \nQuestions related to reimbursements from this account should \nbe directed to: \nPrincipal Account Clerk finance-staff@bostonpublicschools.org / \n617-635-9472 \n \nUnit Leader of Business Services/Accounts Payable \nfinance-staff@bostonpublicschools.org / 617-635-9469 \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-09 \nVersion 01 \n \n \nPRIVATE CONTRIBUTIONS MANAGEMENT GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBOSTON PUBLIC SCHOOLS PRIVATE CONTRIBUTIONS \nAll external funding — to the district as a whole, individual \nschools, central offices, or fiscal sponsorship — that is received \nfrom private sources, such as foundation grants, contributions, \nand individual donations other than public state and federal \ngrants, must adhere to the established rules and guidelines set \nforth in this circular. \nSchools may not receive cash grants directly into activity" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "accounts or any other accounts maintained by the school (see \nSuperintendent’s Circular FIN-04, Student Activity Accounts). \nSchools and departments may solicit in-kind services and \ncontributions from private sources (businesses, non-profit \nfoundations, and individuals) to be made to the Boston Public \nSchools via the Boston Educational Development Foundation, \nInc. (BEDF) in accordance with the guidelines set forth in State \nEthics Commission opinion EC-COI-12-1. Programs funded by \nprivate philanthropy must further BPS goals. Funds will not be \naccepted from sources specifically precluded by the School \nCommittee (there are no fund sources specifically precluded at \nthis time)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-09 \nPage 2 of 7 \n \n \n \nROLES AND RESPONSIBILITIES \nAll private funds must comply with funders’ intentions and \nguidelines established by BEDF regarding programming, \nspending, accounting, and auditing, as well as related to civil \nrights, access, and confidentiality as per the public use of these \nfunds. \nThe program supervisor is the individual who will be responsible \nfor overseeing the program(s) or initiative that private \ncontributions are funding. \nThe fund manager is the department head or the respective \nprincipal/head of school and/or a designee and will be the \nprimary point of contact for all management issues for BEDF. The" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "fund manager will take fiscal responsibility for managing private \ncontributions and assure the submission of proper reporting to \nfunders. \nBEDF has fiduciary and financial oversight responsibility for \nprivate-funded programs, including compliance with all relevant \nregulations and reporting. BEDF must sign contracts and other \nlegal documents that could raise a liability and oversee the full \nexecution of grant agreements and/or award letters. BEDF will \nfollow guidelines set by its Board of Directors and funders’ \nrestrictions and will collaborate to comply with other \nrequirements related to civil rights, access, and confidentiality. \nABOUT BEDF" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-09 \nPage 3 of 7 \n \n \nMission \nThe Boston Educational Development Foundation, Inc. (BEDF) \nwas founded in 1984 by the superintendent and School \nCommittee for departments and schools to improve their ability \nto raise money from private sources including foundations, \ncorporations, and individuals. \nBEDF is a 501(c)(3) that exists to improve educational \nopportunities for the students of BPS. BEDF provides fiscal \nsponsorship and fundraising support for programs and \nopportunities that may otherwise not be possible, such as: out of \nschool time; enrichment and health initiatives for students; \nleadership and professional development for teachers;" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "engagement and learning programs for families; and multiple \nacademic initiatives. \nFiscal Sponsorship Services \nBEDF provides general, financial, and administrative \nmanagement and staffing to private-funded programs that \nfurther the educational aims and goals of BPS. BEDF also \nprovides fundraising support in the following areas: grant \nseeking and administration; assistance in grants review and \nsubmission; and the creation of online fundraising campaigns for \nschools and programs. \nIndirect Rate \nBEDF charges an 8% indirect rate on all grants, donations, \nsponsorships, and other charitable contributions for which BEDF" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "serves as the fiscal sponsor. This indirect rate does not apply to \nany BPS student scholarships. The BEDF Board of Directors has \nthe authority to change the rate at any time by giving written \nnotice to Fund Managers." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-09 \nPage 4 of 7 \n \n \n \nPRE-AWARD \nAll BPS staff, parents, and partners are encouraged to seek and \napply for private funding opportunities from a variety of sources. \nSchool fundraising is a team process within the \ndepartment/school to enable those individuals who will \nultimately be responsible for implementing the programs to be \ninvolved. Heads of schools, principals, and other administrative \nheads must be aware of and approve private solicitations for \nprograms that will take place under their supervision. \nIntent to Apply \nAll BPS entities planning to pursue a private funding opportunity" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "must submit an online Intent to Apply Form (for asks above \n$10,000) 1-3 months prior to the deadline for submission, if \npossible. This will ensure that potential funding applications are \nconsistent with BPS goals and are not in conflict with other BPS \nsolicitations to the same agencies and funders. \nThe Intent to Apply Form will be revised on a weekly basis by the \ncross-functional BPS Grants Review Team and will communicate \na recommendation to the applicant. Upon confirmation, you will \nreceive a completed grant cover page to be signed by your \ndepartment head/supervisor. For grant applications seeking \nletters of support, a brief form will be attached as well. \nPOST AWARD" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "POST AWARD \nBEDF holds private funds through a set of strictly segregated \nfunds (previously called accounts). Either fund managers or \nfunders must forward the award letter and/or grant agreement \n(that includes program and budget information) along with the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-09 \nPage 5 of 7 \n \n \ndeposit form to BEDF. If a new account is needed, the fund \nmanager should submit the proper form. BEDF will notify within \nfive business days upon receipt. \nSPENDING, MONITORING, AND REPORTING \nSpending \nFunds held at BEDF will adhere to BEDF current spending, \nfinancial, and administrative policies regarding accounts \nreceivable and payable, employee stipend documentation, and \nany other administrative controls established. For privately \nfunded programs, BEDF only compensates individuals as \nindependent contractors (1099) or through the BPS approved \ncommitment letter process (if individuals are BPS employees)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Individuals are subject to applicable state and federal taxes. \nPrograms will keep their own records to comply with applicable \nBPS regulations. Please contact BEDF at admin@bedf.org for \ndetailed information. \nThe BEDF executive director must co-sign all contracts and other \ndocuments in which BEDF could incur liability, legal exposure, or \nfinancial obligations, including purchase orders and grant \nagreements, on behalf of the programs. \nFor internal controls, all expenses require signoff by the fund \nmanagers or designee before any costs can be incurred or \npayments released. \nThe fund manager is responsible for monitoring the spending of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "the private funds. This includes assuring that the funds are being \nused for allowable expenses; spending according to the \ncontribution timeline; entering receipt for goods/services; and \nsubmitting invoices to BEDF for all matters related to their" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-09 \nPage 6 of 7 \n \n \nprogram budget. In case private-funded program budgets need \nto be amended, they should get approval from the funder. BEDF \nwill ensure these responsibilities are fully completed in \naccordance with the provisions of the funder and these \nguidelines. \nMonitoring \nFund managers are responsible for preparing and submitting \ninterim reports as requested by funders. BEDF will support \ncompletions and take the appropriate steps to ensure timely \nreport submission. \nProgrammatic grant reports are the responsibility of the fund \nmanager who is overseeing the program being funded. Fund" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "managers must send a copy of completed reports to BEDF. \nFinal Reports \nBEDF will produce a financial report to be finalized and \ncomplemented with program outcomes by the fund manager in \norder to complete and submit a final report as per the funder \nguidelines. Please submit a copy of the final version to BEDF for \nrecord keeping purposes. BEDF will take proper measures to \nassure fiduciary responsibility to funders, including freezing the \nactivity of the fund until submission is complete. \nAUDITING \nThe fund manager and program supervisor will collaborate with \nauditors, consultants, and program advisors as requested by \nBEDF to ensure compliance with tax regulations and impact" + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "assessment of the partnership with BPS, including site visits and \ndata collection efforts." + }, + { + "folder_name": "Finance", + "file_name": "FIN-09 Private Contributions Management Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-09 \nPage 7 of 7 \n \n \nFor general inquiries, please email admin@bedf.org. \n \nFor more information about this circular, contact: \nOwner \nEmail \nExecutive Director, BEDF \n admin@bedf.org \nDirector of Finance and \nOperations, BEDF \n admin@bedf.org \nAssistant Director of \nFinance, BEDF \n admin@bedf.org \nResource Development & \nCommunications Manager, \nBEDF \n admin@bedf.org \nFinance Associate, BEDF \n admin@bedf.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nFIN-07 \nVersion 01 \n \n \n \nPURCHASING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nProcurement procedures at BPS follow state and federal laws \nand City policies. Non-compliance with these laws could result in \ninvalid procurements and unenforceable contracts. The State \nProcurement Law (M.G.L. c. 30B) mandates standard procedures \nfor local jurisdictions to ensure fairness and consistency when \npurchasing supplies or services. The information below provides \nthe necessary procedures and requirements for purchasing \nsupplies or services following competitive and non-competitive" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "procurement regulations. \nINDIVIDUALS AUTHORIZED TO SIGN CONTRACTS ON BEHALF \nOF THE BOSTON PUBLIC SCHOOLS \nNo Boston Public School employee, other than those listed \nbelow, may enter into a contract with any vendor. This includes \nbut is not limited to contracts, agreements, memorandums of \nunderstanding, grants, partnership agreements, or any other \nexpenditure that binds the district to pay for services/goods. This \nincludes purchases of services or goods for under $10,000. \nOnly three (3) BPS employees are authorized to enter into \ncontracts on behalf of the Boston Public Schools:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-07 \nPage 2 of 10 \n \n \n• The superintendent of schools \n• The BPS chief financial officer \n• The BPS deputy chief financial officer \n \n1. PURCHASES LESS THAN $10,000. \nThe standard for selection: Following M.G.L. c. 30B, § 2 \"Sound \nBusiness Practices,” the school or department must solicit three \nquotes via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. \nRequired document: Requisition \nAuthorization: Purchase order \nTurnaround time*: 1 -2 Weeks \n \n2. PURCHASES BETWEEN $10,000 - $100,000" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "2. PURCHASES BETWEEN $10,000 - $100,000 \nThe standard for selection: When procuring supplies or services \nthat are not a sole source or exempt from Chapter 30B, schools \nand departments must solicit written quotes from at least three \nvendors via telephone, email, catalog, or the City Certified \nBusiness Directory. A record of these quotes should be recorded \non this form and kept on file at the school or department for \nauditing purposes. The contract should then be awarded to the \nresponsible and responsive supplier offering the needed quality \nof supply or service at the lowest price quotation. In cases when \nobtaining three quotes is impossible despite reasonable effort," + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "awarding the contract based on one or two quotes is acceptable. \nImportant Note: School districts may still opt to issue an IFB" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-07 \nPage 3 of 10 \n \n \nwhen procuring supplies or services estimated to cost $100,000 \nor less. \nRequired documents: To ensure a timely and efficient \nprocurement process, all required documents should be \nsubmitted to the Business Office/Procurement office at least four \nweeks before the desired procurement date: requisition, Contract \nRequest Form, detailed specifications, and, if applicable, a sole-\nsource letter addressed to the Business Manager. Before \nsubmitting, use the detailed checklist to verify that all required \ninformation has been completed. \nAuthorization: Purchase order and written quote contract (WQC)," + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "signed by the vendor and approved by the superintendent and \nthe City auditor. \nTurnaround time*: 2 - 4 Weeks \n3. PURCHASES OF MORE THAN $100,000 \nThe standard for selection: For supplies or services estimated to \ncost more than $100,000, an invitation for bids (IFB) or a request \nfor proposals (RFP) can be used. In a bid process, IFB, you award \nthe contract to the qualified bidder who meets your \nspecifications and offers you the best price. Information for Bid \n(IFB) Sealed bids (M.G.L. c. 30B, § 5. In a proposal process, RPF, you \naward the contract to the offeror submitting the most \nadvantageous proposal, considering your specified evaluation" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "criteria and price. Request for Proposals (RFP) Sealed proposals \n(M.G.L. c. 30B, § 6" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-07 \nPage 4 of 10 \n \n \nNotice/Advertising Requirements: The Business Services and \nFinance Procurement Unit will submit an ad for schools and \ncentral departments to be posted at least two weeks before bids \nor proposals are due in the City Records. If the procurement \nexceeds $100,000, an advertisement will be published in the \nGoods and Services Bulletin at least two weeks before bids or \nproposals are due. \nRequired documents: Requisition and a completed Contract \nRequest Form with a detailed written description of the items or \nservices to be purchased. \nAuthorization: Purchase order and fully executed contract" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Turnaround time*: 4 - 8 Weeks \n*NOTE: These timelines may not apply to all procurement \nrequests. The turnaround times listed above are approximate and \ndo not apply to peak procurement periods, ranging from 08/15 to \n09/30 and 04/15 to 06/30. \n4. MOAS AND MOUS AGREEMENTS \nThe following types of agreements are exempt from Chapter 30B \nand do not require a City of Boston standard contract to be \nexecuted: an agreement between agencies, boards, \ncommissions, authorities, departments, or public \ninstrumentalities of one city or town (ch. 30B§1(7)); or an \nagreement to purchase supplies or services from or to dispose of \nsupplies to an agency or instrumentality of the federal" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "government, the Commonwealth, or any of its political \nsubdivisions or any other state or political subdivision thereof (ch. \n30B§1(9))" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-07 \nPage 5 of 10 \n \n \n• Memoranda of Agreement (MOA), in addition to outlining \nthe terms and obligations of each government agency, \nrequires payment or exchange or transfer of funds between \nthe parties. There are only to be used between two or more \ngovernment agencies. If one or more of the parties to the \nagreement is not a government agency, then the normal \nrules related to standard contracts apply. There is no dollar \nthreshold for an MOA. \nAll MOAs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel and \nCity Auditing, and necessary signer(s) involved in the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "agreement before it can be accepted as a valid contractual \nagreement. \n• Memoranda of Understanding (MOU) is an agreement of \nterms and obligations that does not include funds transfer \nbetween the parties. While parties to an MOA must all be \ngovernment agencies, parties to an MOU may, but are not \nrequired to be, government agencies. \nAll MOUs must be initially reviewed by the BPS Law \nDepartment, signed by the City Corporation Counsel, and \nnecessary signer(s) involved in the agreement before it can \nbe accepted as a valid contractual agreement. \nNOTE: The Law Department reserves the right to require City \ndepartments to execute a formal contract in any situation" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "involving agreements with non-government entities. \nAuthorization: Purchase order and fully executed and signed \nMOA agreement \n \nTurnaround time*: 4 - 8 Weeks" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-07 \nPage 6 of 10 \n \n \n5. GRANT CONTRACTS \nUnder Massachusetts General Law, a “grant agreement” is \ndefined as “an agreement between a governmental body and an \nindividual or nonprofit entity, the purpose of which is to carry out \na public purpose of support or stimulation instead of procuring \nsupplies or services for the benefit or use of the governmental \nbody.” If a grant agreement properly fits within this definition, \nthen it is exempt from the requirements of Chapter 30B. \nThe first step in the analysis of whether a grant agreement can \nbe used is to determine the public purpose of the grant and how" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "grant funds are being directly linked back to the public delivery \nof a program. Generally, supporting a non-profit organization, or \nkeeping it operational, is not a permissible public purpose. While \nnon-profits may operate for the public good, grant funds must be \ndirectly linked back to the specific delivery of a program. Please \nreview this Law Department memo for further considerations \nand guidance when determining whether a grant process is \napplicable. If you plan to conduct a grant process because each \ncase is evaluated individually, please contact the BPS Office of \nthe Legal Advisor at 617-635-9320. \n6. EMERGENCY PURCHASES" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "6. EMERGENCY PURCHASES \nIn the case of an unforeseen emergency, if complying with all of \nChapter 30B's requirements would put people or property at risk, \nyou are allowed to procure the necessary item or service without \nfull compliance. However, it is important to keep a record of the \nemergency procurement, including the reason for deeming it an \nemergency, the supplier's name, the contract amount and type, \nand a list of the supplies or services purchased under each \ncontract. Additionally, document any procedures used to elicit" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FIN-07 \nPage 7 of 10 \n \n \ncompetition. It is important to inform the Business Services \nProcurement Unit of the emergency purchases as soon as \npossible. Please refer to the Goods and Services Bulletin for \nfurther guidance on processing and emergency procurement. \n7. FOOD PURCHASES \nFood purchases are allowed for events where parents, suppliers, \nconstituents, and community members attend — not just \nstudents, teachers, or the superintendent. If it's a fund 100, it \nmust be purchased against the following food budget, 53204. If \nusing fund 200, please check with Yvonne Macrae, Director of \nGrants and External Funds, ymacrae@bostonpublicschools.org," + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "to ensure that the grant rules allow food purchases. Please \nreview Superintendent's Circular FIN-03 and additional \nguidelines on reimbursements for food purchases. \n8. REAL PROPERTY – ACQUISITIONS AND DISPOSITIONS –\nM.G.L. C. 30B \nReal Property Acquisitions and Dispositions: After determining \nthe value of the acquisitions and disposing of the real property \nvalued over $35,000.00, an invitation for bids (IFB) or a request for \nproposals (RFP) can be used. In a bid process, an IFB can select \nthe proposer who meets your quality requirements and offers the \nlowest price. Information for Bid (IFB) Sealed bids (M.G.L. c. 30B, §" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "5. In a proposal process, an RPF will allow you to compare the \nrelative merits of the proposals you receive and the price. \nRequest for Proposals (RFP) Sealed proposals (M.G.L. c. 30B, § 6 . \nContact Business Services for further information on when to use \na license or a lease. \nNotice/Advertising Requirements: The Business Services and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FIN-07 \nPage 8 of 10 \n \n \nFinance Procurement Unit will submit an ad to be published in \nthe Central Register at least 30 days before executing a binding \nagreement to acquire the property. M.G.L. c. 30B, § 16(d) \nAuthorization: Purchase order and fully executed contract \nTurnaround time*: 4 - 8 Weeks \n \nRESOURCES \nBPS Legal Advisor \nLegal Advisor legal@bostonpublicschools.org \n617-635-1577 \nComputer Equipment \nOIIT: Director of Technology Business Operations Operations-\nDepartment-Heads@bostonpublicschools.org \n617-635-9190 \nEducational and Administrative Applications" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Educational and Administrative Applications \nOIIT: Director of Technology Business Operations, Operations-\nDepartment-Heads@bostonpublicschools.org \n617-635-9190 \nPurchasing, Textbook Adoptions \nBusiness Services: Assistant Business Manager \nfinance-staff@bostonpublicschools.org 617-635-8207 \nPeopleSoft/Financials Training \nBusiness Services: Assistant Business Manager) \nfinance-staff@bostonpublicschools.org 617-635-8207 \nFurniture and Rugs \nFacilities Mgt.:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FIN-07 \nPage 9 of 10 \n \n \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9119 \nPlayground Equipment \nFacilities Mgt.: \nOperations-Department-Heads@bostonpublicschools.org \n617-635-9117 \nGrants/External Funds \nDirector of State & Federal Grants finance-\nstaff@bostonpublicschools.org617-635-9577 \nField Trips \nTransportation: Executive Director of Transportation \nOperations-Department-Heads@bostonpublicschools.org 617-\n635-9000 \nBudget Management \nAssistant Budget Director, finance-\nstaff@bostonpublicschools.org \n617-635-6984" + }, + { + "folder_name": "Finance", + "file_name": "FIN-07 Purchasing Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FIN-07 \nPage 10 of 10 \n \n \nFor more information about this circular, contact: \nOwner: \nAssistant Business Manager \nDepartment: \nBusiness Services \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-8207 \nEmail: \nfinance-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent \n \n• Essential Training Guide is available here. \n• Business Services Guide is available here." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-03 \nVersion 01 \n \nEXPENDITURE REIMBURSEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this memorandum is to clarify those \ncircumstances under which reimbursement is appropriate and \nthose that are not. \nThe reimbursement process is intended to accommodate those \nlimited instances where the traditional purchasing system \ncannot be utilized. It is not intended to replace, substitute for, \nsupplant, or otherwise institute an alternative purchasing system. \n \nExpenditures Allowable for Reimbursement \nThe reimbursement process is intended to allow for the" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "immediate purchase of incidental or emergency goods and \nservices that could not be contemplated in the normal course of \nbusiness. This process can be used when the aggregate \npurchase value of goods or services is minimal. Make sure the \nproper accounting codes are used and align with the expense. \nExamples of these goods or services include reimbursement for \nan emergency, unanticipated supply, or repair needs minimal in \ncost. \nThe reimbursement process is intended to allow individuals to be \nreimbursed for personal expenditures incurred in support of" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-03 \nPage 2 of 7 \n \nauthorized Boston Public Schools activities. This also applies to \ntravel expenses as defined and consistent with the Boston Public \nSchools travel policy (refer to Superintendent’s Circular FIN-01 \nTravel Policy - Procedures for Approval and Reimbursement). \n \nExpenditures Not Eligible for Reimbursement \nExpenditures not eligible for reimbursement include those for \nthe purchase of goods and services that are not consistent with \nthe guidelines referenced above. A detailed description of \nguidelines to be used for purchasing can be found in \nSuperintendent’s Circular FIN-07 – Purchasing Guidelines." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Certain expenditures, such as purchasing gifts for fellow \nemployees, constitute an inappropriate expenditure of resources \nand are not eligible for reimbursement. \n \nPurchase Of Food \nFood for staff events cannot be reimbursed from fund 100. Fund \n100 can only be used for students, parents and community \nevents using the food account code 53204, be sure funds are \navailable prior to submitting for reimbursement. If you are using \nfund 200, the rules of the grant must allow for food purchases, \nprior to purchase always check with your grant liaison. \nThe practice of purchasing food products from supermarkets for \nparents, school councils, or other meetings is an acceptable (and" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "more cost-effective) mechanism than procuring catered services. \nThese expenditures will be reimbursed, but only upon the \npresentation of itemized invoices and cash register receipts." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-03 \nPage 3 of 7 \n \nReimbursements will be made only for those items that can be \nappropriately documented. \n \nGift Cards/Certificates: A Specific Issue \nThe purchase of gift cards/certificates is not permitted. The use \nof gift cards/certificates does not allow for appropriate controls \nthat document the nature and value of the items that are \nultimately purchased. Nor does this practice allow for the proper \nreporting of expenditures. It is a practice that is highly \nsusceptible to abuse. \n \nDocumentation Required for Reimbursement: \nIn order to secure prompt reimbursement, all requests must be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "submitted to the Business Office within fifteen (15) business days \nof purchase. Allowable expenditures for reimbursement must be \nfully supported by appropriate documentation/receipts. Follow \nthe procedures below (Emails Accepted): \n1. \nSubmit a completed “City of Boston Special Draft/Non \nOrder Form” - it MUST be filled out completely with: \n● School/Department \n● Date \n● Full name of person being reimbursed \n● Full address of person being reimbursed \n● Vendor # \n● Funding source \n● Full “detailed” description" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-03 \nPage 4 of 7 \n \n● Total amount requested \n● Must be signed by the employee’s immediate \nsupervisor \n2. \nSubmit the “Certification Form” attesting “under \npenalty of perjury, that amounts stated are correct and \nwere incurred in the service of the City of Boston \n3. \nItemized (not summary) of cash register receipts \n4. \nItemized invoice produced by the vendor \n5. \nCopies of the front and back of cancelled personal \nchecks, or Credit card statement that details the item(s) \npurchased by an individual. The name of the person being \nreimbursed should be on the check and credit card \nstatement – for Proof of Purchase" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "statement – for Proof of Purchase \n \nBPS does NOT reimburse taxes for expenditures unless the \nStudent Activity Account is being used for the purchase - BPS \nwill reimburse taxes and tips on FOOD ONLY. \n \nREMINDER: You must be registered on the City of Boston \nVendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-03 \nPage 5 of 7 \n \nIf Submitting by Paper: \n• ONLY Submit Single-Sided reimbursements packet – Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n• DO NOT highlight or put scotch tape on receipts because it \nfades the receipts – use staples, only legible receipts will be \nreimbursed – Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 \nstarts the new Fiscal School Year - You cannot use current school \nyear funds to pay for prior school year expenses. \n \nReimbursements that are not submitted within the School Fiscal" + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Year will be in jeopardy of non-payment." + }, + { + "folder_name": "Finance", + "file_name": "FIN-03 Expenditure Reimbursement", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FIN-03 \nPage 6 of 7 \n \nFor more information about this circular, contact: \nOwner: \nUnit Leader of Business Services/Accounts \nPayable \nDepartment: \nBusiness Services \nMailing \nAddress: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9469 \nE-mail: \nfinance-staff@bostonpublicschools.org \nMary Skipper, Superintendent \n \nBusiness Services Guide is available here.\n\n\nPage 7:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nFIN-02 \nVersion 01 \n \n \nMILEAGE REIMBURSEMENT \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public School employees who are eligible for mileage \nreimbursement are required by IRS regulation to document \nthose costs and provide specific information. Reimbursement \ncannot be made unless all procedures detailed in this circular are \nfollowed and all necessary documentation is provided. \n \nAll employees who use their own vehicle on authorized school \nbusiness are entitled to be reimbursed as listed below. Please \nnote that travel to and from your home is not eligible for" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "reimbursement. \n \n \nAll Itinerant Service Providers \nSchool Psychologists, District Social \nWorkers, Speech & Language \nPathologists, Occupational Therapists, \nPhysical Therapists, Adaptive Physical \nEducation Teachers, Vision Teachers (ISP \nwill receive that $600 payment in \nsucceeding years provide the ISP’s direct \nsupervisor verifies that the ISP’s travel \nschedule is substantially unchanged) \n \n$600.00 per “full” \nschool year (flat \nrate) \nor \n67¢ per mile" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FIN-02b \nPage 2 of 5 \n \n \n \nAll other BTU members \n \n67¢ per mile \n \nSupervisors of Attendance \n \n \n67¢ per mile \n \n \nBASAS \n \n \n \n67¢ per mile \n \nManagement \n \n \n \n67¢ per mile \n \n \n \n \nPlanning & Engineering \n \n \n$15.00 per day (flat \nrate) \n \n \n \nFor eligible mileage reimbursement, there must be a sufficient \nappropriation in the respective responsibility center manager’s \nbudget (Account 52803 Mileage)." + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FIN-02b \nPage 3 of 5 \n \n \n \nIMPORTANT! \nParking fees, tolls, other transportation fares; Lyfts/Ubers, MBTA \nindividual fares only (monthly passes are not reimbursable) etc., \nwill be reimbursed only when it is clearly stated that the trip \ntaken, which resulted in these fees, was for official school \nbusiness and the method of transport was the most economical. \nOriginal receipts must be produced/provided for reimbursement. \n \nFollow the procedures below to submit for reimbursement \n(Emails accepted): \n \n1. Submit a completed “City of Boston Special Draft/Non Order \nForm” – it must be filled out completely with: \n• School/Department \n• Date" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "• School/Department \n• Date \n• Full name of the person being reimbursed \n• Full address of the person being reimbursed \n• Vendor # \n• Full funding source \n• Full “detailed” description \n• Amount to be reimbursed \n• Must be signed by the employee’s immediate \nsupervisor \n \n2. Submit the “Certification Form” attesting “under penalty of \nperjury that amounts stated are correct and were incurred \nin the service of the City of Boston.”" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FIN-02b \nPage 4 of 5 \n \n \n3. Submit a completed “Mileage Detail Form” - List the total \nnumber of miles traveled each day and total-up each page – \nmust sign and date each page. \n \n4. Submit all receipts - tolls, parking, ubers/lyfts, MBTA \nindividual fares only, etc. \n \n5. Mileage Reimbursement requests “must be” submitted at \nthe end of each month or quarterly – 4 times per year, which \nis September 30, December 31, March 31 and the last day of \nschool in June. \n \n6. Employee group (union) affiliation must be indicated to \ninsure eligibility for reimbursement. \n \n \n \nREMINDER: You must be registered on the City of Boston" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "Vendor/Supplier Portal file in order to be reimbursed. Go to \nwww.boston.gov/procurement click on \"Go to Supplier Portal\" \nand follow the instructions. Wait until you are an approved \nvendor and have acquired your vendor number before \nsubmitting for reimbursement. \n \n \nIf Submitting by Paper: \n● ONLY Submit Single-Sided reimbursements packet – Not \nDouble Sided. Also, no smaller than 12 Font and only on 8x11 \nwhite paper. \n● DO NOT highlight or put scotch tape on receipts because it \nfades the receipts – use staples, only legible receipts will be" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FIN-02b \nPage 5 of 5 \n \n \nreimbursed – Must submit copies on 8x11 paper of all cash \nregister receipts. \n \n \nIMPORTANT REMINDER \nThe Fiscal School Year ends on June 30 each year and July 1 starts \nthe new Fiscal School Year. \n \nReimbursements that are not submitted within the School Fiscal \nYear will be in jeopardy of non-payment. \n \n** You cannot use current school year funds to pay for prior \nschool year expenses. ** \n \n \n \nFor more information about this circular, contact: \nName: \nBusiness Manager \nDepartment: \nBusiness Services \nMailing \nAddress: \n2300 Washington Street, Boston MA. 02119 \nPhone: \n617-635-9472 \nE-mail:" + }, + { + "folder_name": "Finance", + "file_name": "FIN-02b Mileage Reimbursement_January-June", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link", + "content": "Phone: \n617-635-9472 \nE-mail: \nffinancestaff@bostonpublicschools.organceo.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHWD-03 \nVersion 01 \n \n \n \n \nCOMPREHENSIVE HEALTH EDUCATION POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nHealth education, as defined by the CDC, helps students “acquire \nfunctional health knowledge, strengthen attitudes and beliefs, \nand practice skills needed to adopt and maintain healthy \nbehaviors throughout their lives.” Health education curricula \nshould address the National Health Education Standards (NHES), \nincorporate the characteristics of an effective health education \ncurriculum, and be taught by qualified, trained teachers. In" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "addition, the American Cancer Society, the American Diabetes \nAssociation, and the American Heart Association believe that \nschool health education programs can reduce health risk \nbehaviors such as tobacco use, poor nutrition, lack of physical \nactivity, drug and alcohol use, as well as actions that increase \nstress and risk of injury and violence. Because these behaviors are \namenable to change, quality school health education taught by \ntrained and licensed health educators provides the best \nopportunity to promote positive health behavior among children \nand adolescents.What Works in Schools (Facts: Learning for Life \nHealth Education in School)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HWD-03 \nPage 2 of 11 \n \n \n \nHealth education is an integral component of quality school \nprogramming. Schools have direct contact with a significant \nnumber of Boston’s youth and for the critical years of students’ \nsocial, psychological, physical, and intellectual development. As a \nresult, schools play an important role in improving students’ \nhealth and social outcomes as well as promoting academic \nsuccess (CDC Healthy Schools). Healthy students are more ready \nand able to learn and are less likely to experience negative \nacademic impact (e.g., academic failure, lower test scores, \ntruancy, absenteeism) than students who engage in risky health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "behaviors. According to the CDC, schools cannot achieve their \nprimary mission of education if students are not healthy, and \nschools can address the health needs of students in part through \neffective comprehensive health education. Research supports \nthat school health programs and policies may be one of the most \nefficient ways to reduce risky behaviors in students, prevent \nhealth problems, and address the achievement gap. \nBoston Public Schools (BPS) believes, in accordance with the \nNHES, health education should empower students to practice \nbehaviors that protect and promote their health while \nminimizing risks. Therefore, health education in BPS includes" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "teaching health skills and essential concepts such as health \nliteracy, health promotion, and health equity, with a strong focus \non understanding the social determinants of health. \nIn line with the NHES, BPS emphasizes a holistic approach to \nhealth by shifting the focus from specific health behaviors to \noverall well-being. This approach leverages the strengths and \nresources within students, their families, schools, and \ncommunities. It prioritizes equipping students with the health \nskills and essential knowledge needed to assist them in living" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HWD-03 \nPage 3 of 11 \n \n \n \nhealthier lives and to enable them to actively support their own \nhealth and the health of others within a broader societal context. \nThe policy and implementation guidelines presented here \nexplain how we, at Boston Public Schools, will create effective \nhealth education programming. \n \nPOLICY \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Schools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, substance misuse and harm \nreduction, nutritional health, mental and emotional health, \npersonal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "education curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth and Physical Education Framework and National Health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HWD-03 \nPage 4 of 11 \n \n \n \nEducation Standards, as well as the National Sexuality Education \nStandards. Qualified and trained teachers will implement the \ncurricula. \n \nAll schools will follow relevant promotion and graduation \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one-semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "requirements, health education topics will be integrated into \nother subject areas where possible, to reinforce their importance, \nprovide additional skill practice, and demonstrate the \nconnections of health concepts to many other content areas. \n \nIMPLEMENTATION GUIDELINES \nBoston Public Schools are committed to addressing the health \nand wellness of all students, in part, through effective health \neducation programming. Therefore, BPS will require \ncomprehensive pre-K-12 health education to be taught to all \nstudents throughout the district. The Boston Public Schools take \na comprehensive approach to review and incorporate changes in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "policy, curricula, and implementation. This effort will result in a \nskills-based approach to teaching health education that \npromotes healthy lifestyle habits, healthy relationships, and \nhealth literacy for all students." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HWD-03 \nPage 5 of 11 \n \n \n \nSchools will adhere to the following implementation guidelines: \nA. School leaders or their designees are responsible for \nimplementing and enforcing this policy. Grade-level teams, \nlead health education teacher, or other instructional lead \nwill determine, in collaboration with the school leader, how \ntheir school will meet the policy requirements relating to \ntime, staffing, and implementation. School leaders may \nconsult with the Director of Health Education in the Office of \nHealth and Wellness on how their school can meet the \npolicy requirements. \n \nB. BPS Policy requires that all students in PreK-12 should" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "receive health education in line with promotion and \ngraduation requirements that include a minimum of: \na. The BPS Healthy and Safe Body Unit in elementary \nschool \nb. Two semesters of health education in total grades 6 to \n8 \nc. A one-semester course of health education in total in \ngrades 9 to 12. \nC. \n The National Health Education Standards recommend \ni. \nPre-K to grade 2 receive a minimum of 40 hours of \nHE each year. \nii. \nGrades 3 to 12 receive a minimum of 80 hours of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HWD-03 \nPage 6 of 11 \n \n \n \nHE each year. \nD. Staffing requirements: \na. BPS supports a learning environment in which all \nteachers are highly qualified in the subject areas they \nteach. Therefore: \ni. \nIn grades K-5, HE instruction must be \nimplemented by trained teachers who hold an \nactive and valid teaching license. \nii. \nIn grades 6-12, HE instruction must be \nimplemented by trained teachers with an active \nand valid health education teaching license. \nb. If a school is unable to provide students with HE \ninstruction from licensed teachers, they should contact \nthe Office of Health and Wellness for support with" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "identifying district-approved staffing alternatives. All \nHE staffing alternatives should be approved by the \nOffice of Human Capital, the Office of Health and \nWellness, and the school’s respective instructional \nsuperintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in \nsituations that increase opportunities for students. \nE. The BPS HE curriculum must meet the following criteria. \nThe district-endorsed curriculum is: \na. Aligned with the 2023 Massachusetts Comprehensive \nHealth and Physical Education Framework and 2024 \nNational Health Education Standards, as well as the \n2020 National Sex Education Standards" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HWD-03 \nPage 7 of 11 \n \n \n \nb. Comprehensive, standards-based, and sequential; \nteaching a variety of skills and topics in such a way that \nstudent learning and skill development is built upon \nwith each unit and each year \nc. Inclusive of a variety of topics, such as tobacco, alcohol, \nand other drug misuse; healthy eating/nutrition; \nmental and emotional health; personal health and \nwellness; physical activity; safety and injury prevention; \nviolence and bullying prevention; and comprehensive \nsexual health education that is LGBTQ-inclusive \nd. Medically accurate and age and developmentally-\nappropriate" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "appropriate \ne. Culturally and linguistically sustaining, including but \nnot limited to race, gender, sexual orientation, and \ncultural identity \nf. Modified as needed for students with disabilities and \nstudents who are English Learners \ng. \nF. District endorsed high quality instructional materials \ninclude the following curricula: CATCH K-8 HE Journeys, \nGoodheart-Wilcox Grades 6-12 Essential Health Skills and the \nPreK-Grade 12 Rights, Respect, Responsibility curriculum. \nG. Student assessments in HE must include graded \ncompetency (i.e. knowledge, skills, practice) and \nparticipation assessments that are reflected on all students’ \nreport cards." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HWD-03 \nPage 8 of 11 \n \n \n \nH. Implemented in safe and supportive learning environments \nin which all students feel acknowledged, respected, and \nvalued. \nI. Schools should include cross-curricular, interdepartmental \ncollaborations to enhance the value and meaning of health \neducation programming, including opportunities for \nstudents to think critically, globally, and inclusively to \ndevelop health literacy to enhance health equity. \na. For example, the school recognizes World Health Day \nby organizing a student-led Wellness Day. In \npreparation, health education classes explore the social \ndeterminants of health and identify Boston-based" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "determinants of health and identify Boston-based \ncommunity health resources to enhance personal, \nfamily, and community well-being. Meanwhile, in social \nstudies, students research global health issues and \ncreate maps or infographics to illustrate how different \nregions are impacted by various health challenges, as \nwell as the role of international organizations in \naddressing these issues. In math, students analyze and \ncompare data from the National YRBS and the Boston \nYRBS creating graphs, and interpreting trends using a \nstrengths-based approach. In computer science, \nstudents design a simple app or website to promote \nhealthy habits, such as a sleep tracker, a nutrition diary," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "or a mental health check-in tool. This interdisciplinary \napproach encourages and motivates healthy behaviors \nby focusing on positive outcomes. \nJ. Professional development is an essential component of \neffective policy implementation. Therefore, HE teachers will" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HWD-03 \nPage 9 of 11 \n \n \n \nattend relevant professional development opportunities. \na. Schools will support and encourage school personnel \nin their professional development. \nb. Teachers are expected to stay current in the fields of \nhealth and health education through the review, \nanalysis, and implementation (when appropriate) of \nnational, state, and local health policies, procedures \nand standards, research in best practice, guidelines \nfrom international, national, and state organizations, \netc. \nK. Schools should monitor (or assign another individual to \nmonitor) relevant student and community information that" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "can assist in identifying priority areas for health education. \nThis should include, but not be limited to, district- level \nYouth Risk Behavior Survey data, School Health Profiles \ndata, school-level Health Services Data, and community \npublic health trends. Data should be used to review and \nmodify health education programming in order to ensure \nthat it is meeting the needs of the students. \nL. Schools are required by the state to notify \nparents/guardians about any curriculum that primarily \ninvolves human sexual education or human sexuality issues, \nand permit parents/guardians to exempt their children \nwithout penalty from any portion of that curriculum (see" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Superintendent Circular HWD-05: Human Sexual Education \nEducation - Parent Notification). Schools will engage \nfamilies in their child’s health education by providing access \nto curricular materials and health-related information." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HWD-03 \nPage 10 of 11 \n \n \n \nSchools will also encourage students to actively engage \nparents/caregivers and other family members in promoting \nhealthy behaviors. \nM. Should schools decide to utilize community partners to \nsupport their health education program, they will refer to \nPartnerBPS and consult with the Office of Health and \nWellness to identify the most appropriate community \npartners to meet their needs. Community partners can \nprovide an important aspect of quality health education and \ncan meaningfully support and enhance programming in \nBPS. If a school is using a community partner and/or" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "supplementary materials and curriculum to teach sexual \nhealth education, the school must consult the Office of \nHealth and Wellness for vetting and recommendations. \nN. The Office of Health and Wellness leads health education for \nthe district and will support schools by: \na. Vetting health education curriculum, materials, and \nresources \nb. Providing curriculum training and materials, \nprofessional development, instructional coaching, and \ntechnical assistance \nc. Maintaining and enhancing the BPS health education \ndigital learning library \nd. Vetting and managing partnerships to ensure \nequitable support of HE education across the district" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "e. Collaborating to offer family health education \ninformational workshops and events" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HWD-03 \nPage 11 of 11 \n \n \n \nf. Coordinate with other central office department to \ndevelop health promotions and family events on \nspecific health topics when applicable and align with \ntier II and tier III services and programs provided by \nthose departments \n \nWe recognize that effectively implementing a comprehensive \nskills-based health education program can be challenging. The \nOffice of Health and Wellness is committed to providing training, \nsupport, and resources to schools and school personnel to help in \nthe implementation of this policy. \n \nFor more information about this circular, contact: \nOwner:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-03 Comprehensive Health Ed", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link", + "content": "Owner: \nSenior Executive Director of Health & Wellness \nDepartment: \nHealth & Wellness \nMailing \nAddress: \n370 Columbia Rd, Dorchester, MA 02125 \nPhone: \n617-635-8709 \nEmail: \nhealthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHWD-04 \nVersion 01 \n \n \n \nHEALTHY SCHOOL ENVIRONMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nApproximately 20% of Americans go to school every day, with \nmany students, teachers, staff, faculty, and administrators in \naging facilities with deteriorating conditions. Meanwhile, studies \nhave shown that the condition and health of the school building \nand grounds directly impacts the productivity and health of its \noccupants. High-performance green schools with healthy indoor \nair quality, acoustical controls, revitalized schoolyards, and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "daylight produce healthier, higher-performing students. A robust \namount of literature is available for identifying best practices, \nguidelines, and recommendations for achieving healthy school \nenvironments. — from the Lawrence Berkeley National \nLaboratory, to the Environmental Protection Agency, to the \nAmerican Federation of Teachers Union. \nIn addition, the Center for Disease Controls (CDC) Whole School, \nWhole Community, Whole Child (WSCC) model states a healthy \nand safe physical school environment promotes learning by \nensuring the health and safety of students and staff. \nAsthma is one of the leading causes of school absenteeism, and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HWD-04 \nPage 2 of 8 \n \n \n \nchildren with asthma are especially vulnerable in buildings that \nhave evidence of environmental hazards that affect indoor air \nquality. The Federal National Heart, Lung, and Blood Institutes \nevidence-based guidelines for effective asthma management \nrecommends reducing exposure to indoor environmental \nasthma triggers such as mold, dust mites, pests, pesticides, \nhazardous cleaners, and disinfectants, and exposure to \nenvironmental tobacco smoke in indoor environments. \nIn partnership with the Boston Healthy Homes and Schools \nCollaborative (BHHSC) and the Healthy School Environment" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Taskforce, Boston Public Schools has implemented many of \nthese evidence-based guidelines through district policies and \nprograms (see below). As a result of the revised District Wellness \nPolicy, school-based Wellness Councils, which are focused on \nimproving health and wellness of students and staff, will be more \nclosely involved in maintaining the healthiest level of indoor air \nquality and environmental health of their school and school \ngrounds by working with Facilities Management, outside \npartners, and the school community. \nConsidering that Boston Public Schools is the oldest school \ndistrict in the country and home to existing buildings of all ages," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "it is critical that sustained resources, innovative programs, and an \nongoing focus be dedicated to designing, upgrading, and \nmaintaining our school buildings and grounds to fulfill whole-\nschool health and wellness goals. \nPOLICY \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HWD-04 \nPage 3 of 8 \n \n \n \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact the productivity, health, and wellness of all \nstudents and staff. To address environmental risk factors for \nchronic and infectious diseases, each school will receive an" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Annual Environmental Audit to evaluate health and safety \nconditions such as leaks, mold, pests, chemical storage, and \ncleanliness. The district shall maintain a Healthy Schools \nTaskforce (HST) to promote and raise awareness of the health of \nthe built environment and ensure continuous improvement of \nBPS healthy school environment policies and programs. \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, will comply with \nexisting federal and state regulations, city ordinances, and \nDistrict policies related to promoting and managing healthy \nschool environments, including but not limited to: \n• Indoor air quality" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "• Indoor air quality \n• Green cleaners \n• Integrated pest management \n• Trash and recycling \n• Infection prevention & control \n• Tobacco-free environmental policy \n• Environmental inspection/audit \n• Student safety/health in school shops" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HWD-04 \nPage 4 of 8 \n \n \n \n• BPS water policy \n• Laboratories and chemical Inventory “Right to Know” law \n• Idling of buses and other motor vehicles on school property \nSchools will regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \nIMPLEMENTATION, MONITORING & EVALUATION GUIDELINES \nThe Boston Public Schools and the Boston Public Health \nCommission must conduct annual Environmental \nInspection/Audits (audit) to evaluate the health and safety" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "conditions of each school building and school grounds. The \nFacilities Management Department, in partnership with school \nleadership, will take action to mitigate critical issues such as \nunhealthy indoor air quality, signs of pests, leaks, clutter, mold, \nunsatisfactory chemical management, and critical health and \nsafety repairs. In addition, the audit results, along with best \npractices in the Healthy School Environment Resource Toolkit, \nshall be used by school principals/heads of school and school-\nbased Wellness Councils to develop annual environmental health \npriorities and goals as part of the school’s Wellness Action Plan." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "District departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, shall comply with \nexisting city ordinances and District policies related to promoting \nand managing healthy school environments. Examples of \nrelevant and existing healthy school environment policies, for \nwhich school-based Wellness Councils and school staff must \ncomply, are referenced below:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HWD-04 \nPage 5 of 8 \n \n \n \nMassachusetts Legislation \no MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nDistrict Circulars \no BPS Water Access Policy and FMT- 20 Drinking Water \nAccess Circular \no FMT-07: Chemical Inventory “Right to Know” Law \no FMT-08: BPS Recycling & Zero Waste Policy \no FMT-10: Integrated Pest Management (IPM) \no FMT-11: Green Cleaners Policy \no FMT-13: Respiratory Protection Program \no FMT-14 Hearing Conservation Program \no FMT-15: Annual Environmental Inspection/Audit \nProgram Conducted by Boston Public Schools/Boston \nPublic Health Commission (City Ordinance 7.12.1-4) \no FMT-17 Volunteer Projects" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "o FMT-17 Volunteer Projects \no FMT-19 Cleaning and Disinfecting Body Fluid Spills \no FMT-18: Science Safety in Laboratories and Classrooms \no FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \no HWD-04: Healthy School Environments Policy \no HWD-06: Tobacco-Free Environment Policy \no SHS-04: Infection Prevention and Control in School \nSettings \no SHS-20: Asthma in Schools \nBPS Facilities Department & Boston Public Health \nCommission \nBoston Public Schools will ensure all schools comply" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HWD-04 \nPage 6 of 8 \n \n \n \nwith healthy school environment policies. \nThe Facilities Management Department and the \nBoston Public Health Commission will comply with City \nOrdinance (Boston, MA Ordinances, ch. 10 §§ 7-14.1-14.4 \n(1996)) by conducting annual environmental \ninspection/audits of each school. They will \ncommunicate a school’s results to each school leader, \nand publish all results on the BPS website, available for \nreview by the public. \nUpon completion of the audit, Facilities Management \nwill immediately address critical health and safety \ndeficiencies by filing a work order with the appropriate" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "division, and they will incorporate other needed work \nat the school sites into the annual budgeting process. \nOn an ongoing basis, Facilities Management will \nprovide technical assistance to principals/heads of \nschool on environmental problems and other building-\nrelated issues. \nSchool leadership and school-based Wellness Councils \nSchool administration and staff must actively \nparticipate in ensuring the school is following district \npolicies and proactively manage environmental health \nissues for the sake of their students and staff. \nSchool principals/heads of school will be responsible for \nreviewing their school’s annual Environmental" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "reviewing their school’s annual Environmental \nAudit/Inspection results and other related building \ncondition resources to develop environmental health \npriorities for the school." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HWD-04 \nPage 7 of 8 \n \n \n \nAdministrators will engage in a collaborative planning effort \nwith their school-based Environmental Committee or \nWellness Council to finalize annual environmental health \npriorities, goals, action steps, and evaluation efforts. \nThe Health and Wellness Department, in partnership with \nthe Facilities Management Department, will annually assess \nall schools' Wellness Action Plans to ensure school leaders \nand school-based Wellness Councils are taking active steps \nto improve the health and cleanliness of their school \nbuilding environment. \nWellness Councils will track the progress of improved school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "conditions and evaluate annually what efforts worked best. \nWellness Champions will participate in their school Wellness \nCouncils." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-04 Healthy School Environment Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HWD-04 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: \nSenior Executive Director of Health & \nWellness \nDepartment: \nOffice of Health & Wellness \nMailing Address: \n370 Columbia Rd., Dorchester, MA 02125 \nPhone: \n617-635-9698 \nFax: \n617-635-1502 \nEmail: \nhealthandwellness@bostonpublicschools.or\ng \n \n \nOwner: \nSustainability, Energy, and Environment \nProgram Director \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Ave., Dorchester, MA 02125 \nPhone: \n617-635-9576 \nFax: \n617-635-9306 \nEmail: \nOperations-Department- \nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHWD-02 \nVersion 01 \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nRegular physical activity is one of the most important factors \naffecting health. It helps control weight, reduces the risk of \ndeveloping cardiovascular disease and diabetes, improves mental \nhealth and mood, and increases longevity. Most Boston Public \nSchool (BPS) students are not physically active for the 60 minutes \nper day recommended by the Center for Disease Control. Only 16% \nof BPS high school students reported being physically active for" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "the recommended time, and only 40% reported having weekly \nphysical education, according to the 2015 Boston High School \nYouth Risk Behavior Survey (YRBS). Twenty-three percent of \nmiddle school students reported being physically active for the \nrecommended time and 80% reported having weekly physical \neducation, according to the 2013 Boston Middle School YRBS. This \nlack of physical activity is contributing to an epidemic of \noverweight and obesity in BPS students. Measurement of \nstudents’ Body Mass Index in 1st, 4th, 7th and 10th grades revealed \nthat 39% of BPS students are at an unhealthy weight (2015)." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HWD-02 \nPage 2 of 18 \n \nRecent national, cumulative evidence shows clear links between \nschool-based physical activity, including physical education, and \nacademic success. Most of the studies report that physical activity \nwas positively related to academic performance, including \nacademic achievement (grades, standardized test scores); \nacademic behavior (on-task behavior, attendance); and factors \nthat can positively influence academic achievement \n(concentration, attention, improved classroom behavior). Most \nimportantly, adding time during the school day for physical \nactivity does not appear to take away from academic" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "performance. Given these findings, the BPS recommends that \nschools increase the amount of time spent in physical education \nand/or increase the quality of their physical education program, \nprovide recess and physical activity breaks in the classroom, \npromote walk/ bike to school programs, and offer non-competitive \nintramural and interscholastic sports. \nTo improve health and academic outcomes, BPS is implementing \nstrategies to increase the frequency and quality of physical \neducation (PE) and physical activity (PA) for BPS students. A PE & \nPA Task Force was formed in November 2010 to align the district’s \nPE-related policies and bring the district into compliance with MA" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "General Laws Chapter 71, Section 3 that states: \n“Physical education shall be taught as a required subject in all \ngrades for all students in the public schools for the purpose of \npromoting the physical well-being of students.” \nWith input from BPS principals, physical education teachers, BPS \nWellness Council members, BPS department heads, Academic \nSuperintendents, Labor Relations, and other district-leaders, the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HWD-02 \nPage 3 of 18 \n \nPE & PA Taskforce created the PE & PA Policy to align the former \nBPS policies. \n \nDEFINITIONS \nComprehensive School Physical Activity Program (CSPAP): An \napproach by which school districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "involvement; and family and community involvement. \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE Frameworks. PE \nis comprehensive and includes student learning competencies \nthat cross all four strands of the BPS PE Frameworks 1) Movement \n2) Health-Related Fitness 3) Personal and Social 4) Lifelong \nPhysical Activity. PE activities that focus on a single activity, such \nas swimming and dance, count as PE only if it is part of a CSPAP" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "and align with the BPS PE Frameworks. \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school day." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HWD-02 \nPage 4 of 18 \n \nRecess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should NOT \nbe counted as PE; PA is not PE and it cannot be allocated as PE. \nModerate-to-Vigorous Physical Activity (MVPA) is measured by an \nincrease in heart rate, breathing, and body temperature. \nModerate physical activity refers to activities equivalent in \nintensity to brisk walking or bicycling. Vigorous physical activity \nproduces large increases in breathing or heart rate, such as \njogging, aerobic dance or bicycling uphill. \n \nPHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "PHYSICAL EDUCATION & PHYSICAL ACTIVITY POLICY \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students’ physical activity and fitness \nby bringing more physical education and physical activity to \nschools; improving the quality of physical education and recess; \nand increasing the equity of physical activity programs and \nresources across our schools. Activities will be inclusive to meet \nthe needs, interests, abilities and cultural diversity of all students, \nincluding students of all gender identities, students with \ndisabilities, and students with special healthcare needs. \nNumerous studies indicate that regularly engaging in moderate-" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "to-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children’s cognitive function, \nability to concentrate in class, and academic performance. Thus, \nas a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HWD-02 \nPage 5 of 18 \n \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a \nphysically active lifestyle. Additionally, by establishing a safe," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "supportive and engaging school environment, athletic programs \nencourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in \nschool. In this way, athletics contributes to the academic success \nof students. \nIn accordance with state law, all schools must provide all students \nin all grades with opportunities for physical activity. Schools must \noffer at least 150 minutes of in-school physical activity weekly in \ngrades PreK-8, including required physical education, movement" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "breaks, recess, or lessons involving movement structured to \nsupport moderate-to-vigorous physical activity (MVPA). In grades \nPreK-8, students are expected to have at least 20 minutes of daily \nrecess. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment nor \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HWD-02 \nPage 6 of 18 \n \nbreaks, or physical education) as punishment for any reason other \nthan illness or safety or as approved by the school leader. This \nincludes denying a student physical activity time in order to make \nup work unless under unusual circumstances. The district will \nprovide teachers and other school staff with a list of ideas for \nalternative ways to discipline students. \nAll schools must offer standards-based physical education (PE) for \nall students in all grades. Schools are required to offer at least 45 \nminutes of weekly PE in grades PreK-8 and at least one semester" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "(equivalent of a half school year) of PE each year in grades 9-12. \nWe recommend that schools provide at least 80 minutes of \nweekly PE in grades PreK-8. In order to help schools work toward \nthis recommendation, Boston Public Schools will develop an \nimplementation plan with input from current principals and \nheadmasters. This implementation plan will be shared with the \nSchool Committee. \nTeachers and other school and community personnel shall not use \nphysical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day \n(including but not limited to recess, classroom physical activity" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "breaks or physical education) as punishment for any reason; or \ndeny a student physical activity time in order to make up work \nunless under unusual circumstances. \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array of \nphysical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HWD-02 \nPage 7 of 18 \n \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after \nschool programs, intramurals and interscholastic sports, and in \ntheir school commute. \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "easier trip to and from school when students and staff are walking, \nbicycling, using public transit or other means of physically active \ntransport. The District will encourage 7-12th grade students to use \npublic transportation when available and appropriate for travel to \nschool, and will work with the local transit agency to provide \ntransit passes for eligible 7-12th grade students. The District will \nprovide resources to schools, students and families regarding \nwalking, riding a bicycle, using public transit or other forms of \nactive transportation. The District will encourage wellness \ncouncils, school administrators and students, staff, families and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "community partners to assist the District in promoting safe, \nphysically active travel to and from school. Schools are \nencouraged to designate a transportation liaison to facilitate \ncommunication regarding District efforts to promote safe, \nphysically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HWD-02 \nPage 8 of 18 \n \nIMPLEMENTATION GUIDELINES \nA. State law requires that all students in grade K-12 receive \nphysical education. \n \n1.) The BPS PE Curriculum must meet the following criteria: \na. The curriculum is standards-based and it aligns with BPS \nPE Curriculum Frameworks. \nb. The curriculum provides moderate-to-vigorous physical \nactivity (MVPA) during at least 50% of PE class time. \nc. The PE scope and sequence for each grade level must \ninclude district-sponsored PE curriculum, such as SPARK \nin K-12th grades and Project Adventure in K-12th grades. \n \n2.) Student assessments in PE must include the following:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "a. Graded competency (i.e. knowledge, skills, practice) and \nparticipation (i.e. effort, proper attire, teamwork) \nassessments that are reflected on all students’ report \ncards. \n \n3.) BPS PE classes have the following requirements for scheduling: \na. Reflected on all schools’ master schedules and on all \nstudents’ report cards." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HWD-02 \nPage 9 of 18 \n \n4.) Staffing requirements include: \na. BPS supports a learning environment in which all teachers \nare highly qualified in the subject areas they teach. \nTherefore, PE class must be taught by a teacher that holds \nan active and valid PE teaching license from the MA \nDepartment of Elementary and Secondary Education. \nb. If a school is unable to provide all students in all grades \nwith PE instruction from licensed PE teachers, they should \ncontact the Office of Health and Wellness for support with \nidentifying district-approved staffing alternatives. All PE \nstaffing alternatives must be approved by HR, the Office of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Health and Wellness, and the school’s respective \ninstructional superintendent. Staffing alternatives are only \nconsidered in extenuating circumstances or in situations \nthat increase opportunities for students. \n \n5.). School Wellness Councils are required to develop a school-\nbased Comprehensive School Physical Activity Plan (CSPAP) as a \npart of the Wellness Action Plan that includes: \na. A school-based CSPAP Policy that documents the CSPAP \nImplementation Guidelines. \nb. The CSPAP Implementation Guidelines must outline how \nall students in grades K-8 are to receive at least 45 minutes \nof PE per week, and how all students in grades 9-12 receive \nat least 1 semester of PE per grade." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "at least 1 semester of PE per grade. \nc. The CSPAP Implementation Guidelines also include a plan \nthat outlines how the school aims to provide 150 minutes \nof in-school physical activity in grades k-8, including" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HWD-02 \nPage 10 of 18 \n \nrequired physical education, movement breaks, recess, or \nlessons involving movement. In grades PreK-8, students \nare expected to have a minimum of 20 minutes of daily \nrecess; this must be included in the CSPAP. \nd. School staff shall be provided resources to integrate \nphysical activity into their academic lessons. Contact the \nOffice of Health and Wellness for resources. \ne. School wellness councils will work with building principals \nand Facilities Management/ Planning to identify safe and \nappropriate indoor and outdoor space for group physical \nactivity and physical education. The lack of identified" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "single-use physical activity spaces (i.e., gymnasiums) will \nnot hinder schools from offering an environment \nconducive to physical activity and implementation of a \nCSPAP plan. Examples include: \n○ Shared classroom space (mobile physical education \nclasses conducted in classrooms) \n○ Schoolyard \n○ Creative use of hallway space or other shared spaces \nin buildings \n○ Repurposing classroom or other building spaces for \nphysical activity \n○ Co-teaching with other content areas \n \nB. Schools shall offer daily physical activity opportunities during \nthe school day. \nTo that end principals/heads of school can: \na. Integrate daily physical activity into the classroom" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HWD-02 \nPage 11 of 18 \n \nsetting with kinesthetic learning, cross-curricular \nlessons, and team teaching \nb. Encourage short physical activity breaks between \nlessons or classes, as appropriate \nc. Encourage school-wide physical activity promotions like \npedometer challenges, field day, dance-a-thon, walk-a-\nthon, active transport, etc. \nd. Provide opportunities for daily recess with at least 20 \nminutes a day of supervised recess, preferably outdoors, \nduring which time staff encourage moderate to \nvigorous activity and provide appropriate space and \nequipment. In grades K-8, daily recess is required." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "e. Schedule recess before lunch so that students will come \nto lunch less distracted and ready to eat. \n \nC. Schools shall offer daily physical activity opportunities during \nextended day programs and out of school time which includes \nbefore and after school programs. \nTo that end principals/headmasters can: \na. Allow school spaces and facilities to be available for school-\nsponsored activities that promote fitness for its students \nduring extended and non-school hours, as circumstances \npermit. \nb. Remain in alignment with best practices and \nrequirements for licensed school-age care programs \npartnering with schools (606 CMR 7). Specifically" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "○ Providing daily indoor and outdoor time periods, \nweather permitting, which include both small and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HWD-02 \nPage 12 of 18 \n \nlarge muscle activities; \n \n○ Each school shall dedicate at least 30-60 minutes of \nmorning or afterschool program time to physical \nactivity for all students; \nc. Partner with local government and community-based \nagencies to support active transport to school by \nreducing/eliminating hazards and increasing accessibility \n(i.e., bicycle parking). \n \nD. Safe Routes to School Boston \nThe District will encourage students to be physically active before \nand after school by promoting walking/ biking/rolling to school \nthrough a comprehensive Safe Routes to School Boston program, \nincluding encouragement, education, evaluation," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "including encouragement, education, evaluation, \nengineering/environment, enforcement, and equity strategies. \nSchools should include Safe Routes to School in their Annual \nWellness Action Plans. \n \na. Equity strategies: Consider the barriers and concerns, and \nopportunities that face families and ensure equitable \nopportunities in each strategy of this initiative. \nb. Encouragement strategies: \n○ Walking Promotions (e.g. Walk to School Days, \nWalking Challenges, School-wide Promotions) \n○ Establishing a school Park and Walk site \n○ Walking School Buses \nc. Education strategies:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular HWD-02 \nPage 13 of 18 \n \n○ Implementing an active transportation safety \ncurriculum in health or physical education. \n○ Developing and disseminating preferred Walking \nRoute Maps that provide students and parents with \nthe additional tools to travel safely to and from \nschool. \n○ Disseminating walking tips and simple pedestrian \nsafety information and promotional materials. \nd. Evaluation of Need strategies: \n○ Conduct a walk audit to identify concerns regarding \nthe physical/environmental conditions that surround \nyour school. \n○ Conduct a travel hand tally to understand the impact \nand number of students that will benefit." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "and number of students that will benefit. \ne. Engineering/Environment strategies: \n○ Alert proper authorities regarding environmental \nsafety concerns. Engineering or other environmental \nissues should be reported through BOS: 311, other \npressing concerns should be reported to BPS \nTransportation. \n○ Increase accessibility and support for those choosing \nto ride by installing secure bicycle storage and \ndesignating facilities for storing other wheeled \ndevices like scooters. \nf. Enforcement strategies: Share Preferred Walking Routes \nwith local police stations for proper crossing guard \nassignment and heightened awareness on popular routes." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular HWD-02 \nPage 14 of 18 \n \nE. Community Partnerships \nProviding students and families with access to safe, affordable, \nand convenient places to be physically active is an important \nstrategy for promoting health and reducing risk for obesity. \nCommunity partners are a vital, valuable aspect of quality physical \nactivity programs and can meaningfully support PE and PA in \nBPS. School officials are encouraged to work with partners to \ndevelop a written joint use agreement that delineates the terms \nand conditions for joint use and the responsibilities of all parties. \nCommunity partners must follow the BPS Community Partner" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Policy. To that end, principals/heads of school can work with \ncommunity partners to: \na. Secure mini-grant funding \nb. Use of facilities on and off-campus \nc. Training/professional development \nd. Assist with program implementation \ne. Work with community partners to create additional \nopportunities that meet the unique needs of their school \n \nF. Physical Activity and Punishment \nTeachers and other school and community personnel shall not: \na. Use physical activity (e.g., running laps, pushups) as \npunishment \nb. Withhold opportunities for physical activity during the \nschool day (including but not limited to recess, \nclassroom physical activity breaks or physical education)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "as punishment for any reason" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular HWD-02 \nPage 15 of 18 \n \nc. Deny a student physical activity time in order to make \nup work unless under unusual circumstances \nThe district will provide teachers and other school staff with a list \nof ideas for alternative ways to discipline students. \n \nMONITORING, COMPLIANCE & SUPPORT \n \n1. Monitoring Curriculum \na. Scope and Sequence: Each school must annually \nsubmit a PE scope and sequence for each grade level to \nthe School Wellness Councils; the scope and sequences \nmust align with BPS PE Curriculum Frameworks. The \nOffice of Health and Wellness can support schools in \naligning their PE scope and sequence with the BPS PE" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Curriculum Frameworks. If necessary, the School \nWellness Councils may be asked to submit the school’s \nPE scope and sequence. \n \n2. Monitoring Assessments \na. Report Cards: All students’ report cards must include a \ngrade for taking PE class. \n \n3. Monitoring school-based Comprehensive School Physical \nActivity Plan (CSPAP) \na. Wellness Actions Plans: School Wellness Councils’" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular HWD-02 \nPage 16 of 18 \n \nCSPAP will include their school-based CSPAP Policy \nthat outlines how all students in all grades will receive \nweekly physical activity. \nb. The Office of Health and Wellness will monitor School \nWellness Councils’ CSPAP. \nc. The Office of Health and Wellness will monitor the \ncommunity partner’s compliance with the BPS \nCommunity Partner Policy.. \n \n4. Monitoring Scheduling and Graduation Requirements \na. Master Schedules: All schools must reflect adequate PE \non their master schedule. \nb. Student Report Cards: All students’ report cards must \ninclude PE to determine compliance with the PE & PA" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Policy and to determine students’ graduation eligibility. \n \n5. Monitoring Staffing: \na. Staffing Reports: The Office of Human Capital will \nannually conduct PE staffing reports for each school. \nThe PE staffing reports will be monitored to determine \ncompliance with the PE Staffing Policy for BPS. \n \n6. The Office of Health and Wellness will support schools in \ntheir efforts by providing: \na. Yearly professional development opportunities for both \nphysical education teachers and school-based \npersonnel" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular HWD-02 \nPage 17 of 18 \n \nb. Professional development opportunities for recess-\nbased personnel \nc. Schools shall be provided resources to integrate \nphysical activity into their academic lessons \nd. Resources available for school staff include: \n○ Field-day guides \n○ Physical Activity Curriculum \n○ Physical Activity Breaks \n○ Recess temperature recommendations \n○ Active Recess materials \n○ Guide to Before and After School Activities \n○ A list of physical activity community partners and \ncontact information \n7. Schools Non-Compliant with PE & PA Policy: \nThe principal and relevant school superintendent will be notified" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "by the Office of Health and Wellness if a school is found not to be \ncompliant. The Office of Health and Wellness will work directly \nwith the school to support the development of a CSPAP \nImprovement Plan that puts the school on track for compliance \nwith the PE & PA Policy. \nSchool administration, teachers, families, students, community-\nbased organizations, and wellness councils will be provided \ninformation about the policy to engage and support \nimplementation, monitoring, and compliance. The BPS Office of \nHealth and Wellness will provide an implementation guide that \nwill include strategies and support for professional development," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "curriculum, partnership development, instructional materials, \nschool-based PA strategies, and other resources." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-02 Phys Ed & Physical Activity", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular HWD-02 \nPage 18 of 18 \n \nFor more information about this circular, contact: \nOwner: \nSenior Executive Director of Health & Wellness \nDepartment: Health and Wellness \nMailing \nAddress: \n370 Columbia Road, Dorchester, MA 02125 \nPhone: \n617-635-6643 \nEmail: \nhealthandwellness@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHWD-06 \nVersion 01 \n \n \n \nTOBACCO AND NICOTINE-FREE ENVIRONMENT \nPOLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nA Tobacco Policy Task Force met during the 2010-2011 school year \nto review the BPS smoking policy and develop recommendations \nfor a comprehensive tobacco policy that addressed all tobacco \nproducts, including e-cigarettes or electronic vapor products for \nthe Boston Public Schools. Task force members included \nrepresentatives from Health Services, Facilities, Health & Wellness \nDepartment, School Safety, teachers, students, parents, and a" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "high school head of school. The policy was updated again in the \nfall of 2019 to remain current with language around electronic \ncigarettes and best practices for vaping prevention. \nThe Tobacco and Nicotine-Free Environment Policy is motivated \nby the philosophy that every staff person, student, and visitor \nshould have the right to breathe clean air in their school and \nwork environment and that BPS is acutely aware of the serious \nhealth risks associated with the use of tobacco or nicotine \nproducts, both to users and non-users. The policy recognizes that \nthe use or promotion of tobacco or nicotine products on school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HWD-06 \nPage 2 of 14 \n \n \n \ngrounds and at off-campus school-sponsored events is \ndetrimental to the health and safety of students, staff, and \nvisitors. BPS acknowledges that adult staff and visitors serve as \nrole models for students and embraces its obligation to promote \npositive role models in schools, and to provide an environment \nfor learning and working that is safe, healthy, and free from \nunwanted smoke and tobacco or nicotine product use, including \nvaping, for students, staff, and visitors. Therefore, a \ncomprehensive policy was adopted to prohibit the use of any \ntobacco or nicotine products. The Boston Public Schools have" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "prohibited smoking on school property since 1987 when the \nSchool Committee of the City of Boston first adopted a Smoking \nPolicy. \nA Tobacco-Free Environment Policy has been developed to \ncomply with and extend beyond the Massachusetts Smoke-Free \nWorkplace Law (M.G.L. c. 270, § 22) and Boston’s Clean Air Works \nWorkplace Smoking Restrictions Regulation. Furthermore, this \npolicy has been reinforced by the Education Reform Act of 1993 \nand M.G.L. c.71 § 2A. This policy is a part of the District Wellness \nPolicy (HWD-01) and Healthy School Environment Policy (HWD-\n04) and is linked to the Drug and Alcohol Abuse Policy (SHS-01) \nand the Boston Public Schools Code of Conduct. Substance use" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "intervention should be a part of a tiered approach that includes \nsubstance use prevention education for all students as a part of \nthe comprehensive health education required in HWD-01. \nDEFINITIONS \nSchool property: Includes inside and outside both administrative \nand school buildings, sidewalks/walkways, parking lots, \nplaygrounds, fields, school buses and other official vehicles," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HWD-06 \nPage 3 of 14 \n \n \n \nloading docks, and any other facility under BPS jurisdiction. \nTobacco and nicotine products: Include but are not limited to \ncigarettes, cigars, cigarillos (or little cigars), clove cigarettes, loose \ntobacco, blunt wrappers, chewing tobacco (chew, dip), or any \nother product not mentioned that contains tobacco of any kind. \nIt also includes any products containing nicotine such as \ndissolvable nicotine, electronic cigarettes, nicotine gel, nicotine \nwater, or any other preparation of tobacco and any product or \nformulation of matter containing biologically active amounts of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "nicotine that is manufactured, sold, or offered for sale, or \notherwise distributed, with the expectation that the product or \nmatter will be introduced into the human body. \nTobacco or nicotine paraphernalia: Any device used to aid, \ningest, light, burn, or consume tobacco products, including but \nnot limited to pipes, rolling papers, lighters, and matches. This \nalso includes the use of all electronic nicotine delivery systems or \nelectronic smoking devices, such as e-cigarettes, e-cigars, e-\nhookahs, e-pipes, vape pens, and advanced personal vaporizers. \nNicotine replacement products (NRP): Products containing \nnicotine as an active ingredient that are intended to help a" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "person quit smoking and are regulated through the FDA’s Center \nfor Drug Evaluation and Research. Over-the-counter NRPs are \napproved for sale to people 18 years and older. The US Public \nHealth Service Clinical Practice Guideline on Treating Tobacco \nUse and Dependence does not recommend NRP as a component \nof pediatric tobacco use interventions. NRPs include skin \npatches, chewing gum, and lozenges. Prescription nicotine \nreplacement therapy is also available; the products are FDA-\napproved only for use by adults. Electronic vapor products are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HWD-06 \nPage 4 of 14 \n \n \n \nnot considered FDA-approved nicotine replacement products. \nPOLICY \nBPS students shall not possess, use, consume, display, distribute, \nor sell any tobacco or nicotine products or tobacco or nicotine \nparaphernalia at any time on school property, at off-campus, \nschool-sponsored events and extra-curricular activities, within \nvehicles located on school property, and within 50 feet of school \nproperty. \nBPS staff, administrators, or visitors to BPS shall not use, \nconsume, display, or sell any tobacco or nicotine products or any \ntobacco or nicotine paraphernalia at any time on school property," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "at off-campus, school-sponsored events, and extra-curricular \nactivities, within vehicles located on school property, and within \n50 feet of school property. \n BPS staff and administrators shall not promote or allow the \npromotion of tobacco or nicotine products, tobacco brands, \nnicotine brands, or any tobacco or nicotine paraphernalia on \nschool property, at off-campus, school-sponsored events, and \nextra-curricular activities, or within 50 feet of school property. \nThis includes promotion of any corporate name, trademark, logo, \nsymbol, motto, selling message, recognizable pattern of colors, or \nany other indication of product identification identical or similar" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "to those used for any brand of tobacco or nicotine product \ncompany, or manufacturer of tobacco or nicotine products \nthrough the use of any gear, bags, clothing, any personal articles, \nsigns, structures, vehicles, flyers, or any other materials. \nBPS will act to enforce this policy and to take appropriate action \nagainst any students, staff, administrators, or visitors who are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HWD-06 \nPage 5 of 14 \n \n \n \nfound to have violated this policy. \nBPS staff and administrators will not solicit or accept any \ncontributions, gifts, money, curricula, or materials from the \nelectronic cigarette industry, tobacco industry, and tobacco or \nnicotine industry, or from any tobacco products shop. This \nincludes, but is not limited to, donations, monies for scholarships, \nadvertising, promotions, loans, or support for equipment, \nuniforms, and sports and/or training facilities. It shall also be a \nviolation of this policy to participate in any type of service funded \nby any of the industries listed above." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "by any of the industries listed above. \nExceptions/Exemptions: Tobacco and nicotine products, \nparaphernalia, devices, or imitation tobacco or nicotine products \nmay be used for the following: \n1. Instructional or work-related activities in Boston Public \nSchools if the activity is conducted by a staff member or an \napproved visitor and the activity does not include smoking, \nvaping, chewing, or otherwise ingesting the product. \n2. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by the US \nFood & Drug Administration for sale as a tobacco or nicotine \ncessation product, tobacco dependence product, or other" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "medical purposes and is being marketed and sold solely for \nsuch an approved purpose. \n \nIIMPLEMENTATION GUIDELINES \nA. Policy Owner: The Office of Health & Wellness (Policy \nOwner) is responsible for the review and update of the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HWD-06 \nPage 6 of 14 \n \n \n \nTobacco Policy. The policy owner will provide policy \ncommunication and implementation support and guidance, \nincluding community resources for cessation and “Tobacco-\nFree” signage. \nB. Central Office Administration: School superintendents and \noperational leaders are responsible for informing school \nprincipals and heads of school about the Tobacco Policy. \n[Central office leader] is responsible for informing all central \noffice department heads, supervisors, and building \nadministrators about the Tobacco Policy. \nC. Building Administrators (i.e., School Principals and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Department Heads): It is the responsibility of building \nadministrators to ensure compliance with the Tobacco \nPolicy at all BPS schools and buildings: \n1. Supervise the implementation and enforcement of the \npolicy at the school site. \n2. Ensure that “Tobacco-Free” signs in accordance with \nthe Boston Public Health Commission are prominently \nposted throughout the school property. Locations \nmust include all entrances/exits to buildings (including \nbasement and loading docks), athletic fields, \nplaygrounds, school buses/transportation vehicles, \nbathrooms, and teacher lounges. If signs are needed, \nplease contact the Office of Health & Wellness." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "please contact the Office of Health & Wellness. \n3. Ensure that no marketing or promotion of tobacco or \nnicotine products, tobacco brands, nicotine brands, or \nany tobacco or nicotine paraphernalia occurs on \nschool property, at off-campus, school-sponsored \nevents and extra-curricular activities, or within 50 feet" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HWD-06 \nPage 7 of 14 \n \n \n \nof school property, including branding on gear, bags, \nclothing, any personal articles, signs, structures, \nvehicles, flyers, or any other materials. \n4. Ensure that any contributions, gifts, money, curricula, \nor materials from the electronic cigarette industry, \ntobacco industry, and tobacco or nicotine industry or \nfrom any tobacco products shop are neither solicited \nnor accepted. \n5. Inform all staff, students, parents, and visitors of their \nobligations with respect to the policy. \na. This policy must appear in all student, family, and \nstaff handbooks. \nb. Staff must sign that they have been informed of \nthe policy." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "the policy. \nc. Inform students and employees how to \nanonymously report a violation to the Boston \nPublic Health Commission: 617-534-4718. \nd. Communicate this policy to all visitors, which \nincludes vendors and those contracted to do \nwork, and those permitted to use the building and \nfacilities before school, after school, and on the \nweekends. \n6. Make available information regarding tobacco \nsmoking and nicotine cessation options for students, \nstaff, and families. \n7. Consider appointing a designee to support the \nimplementation and enforcement of this policy. \nD. Boston Public Health Commission (BPHC): The BPHC is" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HWD-06 \nPage 8 of 14 \n \n \n \nresponsible for the implementation of the Workplace \nSmoking Restrictions Regulation. The authority to enforce \nthis regulation is held by the BPHC, its subsidiary programs \nor designees; the City of Boston Inspectional Services \nDepartment; the City of Boston Police Department; and the \nCity of Boston Fire Department. Anyone may anonymously \nreport a violation to the BPHC. As a result, a school or \ndepartment may receive: \n1. In the case of a first violation a fine of two hundred \ndollars ($200.00). \n2. In the case of a second violation, within 24 months of \nthe first violation, a fine of seven hundred dollars \n($700.00)." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "($700.00). \n3. In the case of three or more violations within 24 \nmonths of the second or current violation, a fine of one \nthousand dollars ($1000.00) for each violation. \nE. School Principals and Heads of School: In accordance with \nthe Comprehensive Health Education Policy (HWD-03), the \nschool administration must ensure students are receiving \nthe minimum health education course requirements and \nreceiving substance use prevention education in line with \nBPS Health Education Frameworks and Student Learning \nOutcomes. \n \nF. BPS Staff: In accordance with state law and local regulation, \nall BPS staff are required to follow the Tobacco Policy. The" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "success of this policy will depend upon the thoughtfulness, \nconsideration, and cooperation of both tobacco or nicotine \nusers and non-users. All individuals on school properties" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HWD-06 \nPage 9 of 14 \n \n \n \nshare in the responsibility to and enforcement of this policy. \n1. Do not use, consume, display, or sell any tobacco or \nnicotine products or any tobacco or nicotine \nparaphernalia at any time on school property, at off-\ncampus, school-sponsored events, and extracurricular \nactivities, within vehicles located on school property, \nand within 50 feet of school property. Exemptions are \nmade for only the following instances: \na. Instructional or work-related activities in Boston \nPublic Schools if the activity is conducted by a \nstaff member or an approved visitor and the \nactivity does not include smoking, vaping," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "activity does not include smoking, vaping, \nchewing, or otherwise ingesting the product. \nb. Use by an adult (18 years and older) of a nicotine \nreplacement product that has been approved by \nthe US Food & Drug Administration for sale as a \ntobacco or nicotine cessation product, tobacco \ndependence product, or other medical purposes \nand is being marketed and sold solely for such an \napproved purpose. \n2. No marketing or promotion of tobacco or nicotine \nproducts, tobacco brands, nicotine brands, or any \ntobacco or nicotine paraphernalia occurs on school \nproperty, at off-campus, school-sponsored events and \nextra-curricular activities, or within 50 feet of school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "property, including branding on gear, bags, clothing, \nany personal articles, signs, structures, vehicles, flyers, \nor any other materials. \n3. Do not solicit or accept any contributions, gifts, money," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HWD-06 \nPage 10 of 14 \n \n \n \ncurricula, or materials from the electronic cigarette \nindustry, the tobacco industry, and tobacco or nicotine \nindustry or from any tobacco products shop. \n4. Complaints regarding Tobacco Policy violations should \nbe directed to building administrators who are \nresponsible for following recommended disciplinary \nguidelines. \n5. Anonymous complaints may also be directed to \nBoston Public Health Commission (617-534-4718) \nwhere school departments and schools may be \nsubject to a fine as listed above in section D. \n6. Consult the building administrator, school nurse, or \nthe Boston Public Health Commission for information" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "regarding tobacco smoking and nicotine cessation. \n7. Substance use prevention education to discourage the \nuse of tobacco and nicotine products shall be included \nin comprehensive health education. Staff responsible \nfor teaching tobacco and nicotine-use prevention \nmust have adequate training and will participate in \nongoing professional development activities to \neffectively deliver the education program as planned. \nG. School Nurses are responsible for working with the Health \nServices Department to provide local tobacco and nicotine-\nuse cessation resources at the school buildings. \nH. Central Office: Since youth substance use prevention and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "intervention must be a part of a multi-tiered approach, the \nfollowing central office departments are responsible for \nsupporting schools in these efforts: \n1. Office of Health and Wellness is responsible for" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HWD-06 \nPage 11 of 14 \n \n \n \nproviding training, instructional coaching, and \ninstructional materials for substance use prevention \neducation as a part of tier one comprehensive health \neducation. Additionally, the office is responsible for \nmaintaining health promotion materials and policy \nimplementation support. \n2. The Health Services Department is responsible for \ncommunicating cessation resource information to \nschool nurses and training on the referral process for \ncessation services. \n3. School Operations & Safety Division will communicate \nalternatives to suspension for students found in \nviolation of the tobacco policy, including available" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "workshops and other intervention programs. \nVIOLATIONS \nEnforcement of this policy will be by school principals/heads of \nschool, building administrators, and department heads. Penalties \nfor violation of the Smoke-Free Workplace Law will be enforced \nby school officials, the Boston Public Health Commission, and \ntheir agents. It is recommended that building administrators, \nprincipals, and supervisors implement disciplinary measures \nconsistent with the progressive measures section of the BPS \nCode of Conduct: \nA. Students found in violation \n1. The first violation shall result in one or all of the \nfollowing: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HWD-06 \nPage 12 of 14 \n \n \n \nb. Notifying student’s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions \nc. Meeting with appropriate school staff and the \nstudent’s family \nd. Providing student referrals to available cessation \nprograms \n2. The second violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Notifying student’s family of the violation of policy \nand state law and recommend that families \ncontact their primary care physician to discuss \nprevention and cessation interventions" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "prevention and cessation interventions \nc. Providing student referrals to available cessation \nprograms \nd. One or more of the following: \ni. Meeting with appropriate school staff and \nthe student’s family \nii. Participation in tobacco and nicotine \neducation program \n3. The third violation shall result in: \na. Confiscation of tobacco or nicotine \nproducts/paraphernalia \nb. Meeting with appropriate school staff and the \nstudent’s family \nc. Participation in tobacco or nicotine education \nprogram. Failure to participate in the education \nprogram may result in a suspension. \nd. One or more of the following:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular HWD-06 \nPage 13 of 14 \n \n \n \ni. Community service \nii. Suspension \nB. Staff found in violation \n1. Staff who are found to be in violation of this policy will \nbe subject to discipline up to and including \ntermination. \n2. Department heads and building administrators (such \nas principals) shall be responsible for any fines \nadministered by the Boston Public Health Commission \nto the school or department, as outlined in section D. \nC. Visitors found in violation \n1. Visitors who are observed violating this policy shall be \nasked to comply with the Tobacco and Nicotine-Free \nEnvironment Policy. If the visitor fails to comply with" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "the request, they will be referred to the building \nadministrator or another district supervisory personnel \navailable. The supervisor shall decide on further action \nthat may include a directive to leave school property. \n2. Repeated violations may result in a recommendation \nto the school principal or building administrator to \nprohibit the individual from entering school district \nproperty for a specified time. If they refuse to leave, \nschool police may be called to have the individual \nleave. \n \nFor more information about this circular, contact: \nOwner: \nSenior Executive Director of Health & \nWellness" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-06 Tobacco-Nicotine Policy", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular HWD-06 \nPage 14 of 14 \n \n \n \nDepartment: \nHealth & Wellness \nMailing Address: \n370 Columbia Rd., Dorchester, MA 02125 \nPhone: \n617-635-9698 \nEmail: \nhealthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHWD-01 \nVersion 01 \n \n \n \n \nDISTRICT WELLNESS POLICY \n \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \n2 \nI. POLICY \n5 \nA. Wellness Councils \n6 \nB. Cultural Proficiency \n13 \nC. School Food and Nutrition Promotion \n16 \nD. Comprehensive Physical Activity and Physical Education 20 \nE. Comprehensive Health Education \n25 \nF. Healthy School Environment \n26 \nG. Safe and Supportive Schools \n28 \nH. Health Services \n30 \nI. Staff Wellness \n33 \nII. IMPLEMENTATION GUIDELINES \n33 \nA. District Wellness Council: \n33" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HWD-01 \nPage 2 of 102 \n \n \n \nB. School-based Wellness Councils: \n34 \nC. Implementation Guidelines for Monitoring and Evaluation 38 \nIII. DEFINITIONS \n86 \nIV. INDEX OF FEDERAL, STATE, AND BOSTON PUBLIC SCHOOL \nWELLNESS-RELATED \nPOLICIES & GUIDELINES \n91 \n \n \nBACKGROUND \n \nUnderstanding that physical and mental health, emotional well-\nbeing, and positive development are inextricably linked with \nacademic success, Boston Public Schools (BPS or the District) has \nworked to transform the District’s capacity to meet the health \nneeds of Boston children. Improving overall student health is a \nkey factor in reaching the ambitious academic targets set forth in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "the Superintendent’s Strategic Implementation Plan. Beyond the \nacademic imperative however, school, civic and community \nleaders have a responsibility to help Boston’s children overcome \nhealth barriers that may prevent them from successfully meeting \nthe challenges of reaching adulthood and assuming their roles as \nthe eventual leaders and stewards of our community. Our vision \nfor the BPS graduate challenges us to develop young people who \nare more than scholars. It calls for graduates who are healthy in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HWD-01 \nPage 3 of 102 \n \n \n \nboth mind and body, prepared to make wise choices to ensure \ntheir own physical, mental, and emotional well-being. \n \nTo create a healthy school environment where the healthy choice \nis the easy choice, we have developed this policy regarding \nwellness initiatives in Boston Public Schools. This policy took \neffect September 1, 2017. \n \nFirst passed on June 30, 2006, the District Wellness Policy was \nimplemented in September 2006. It was updated in June 2013, \nand again in June 2017 taking into consideration the needs and \nperspectives expressed by members of the Boston School" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "community, and responding to both the Healthy, Hunger-Free \nKids Act1 and Massachusetts Standards for School Wellness \nAdvisory Committees.2 This document is intended to assist \nadministrators and Wellness Council members in implementing \nthese guidelines in their schools. \n \nThis District Wellness Policy reflects the comprehensive \napproach stated in the District’s Strategic Plan for Health and \nWellness, Healthy Connections: Strengthening Coordination and \n \n1 P.L. 111–296—DEC. 13, 2010 \n2 105 CMR 215" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HWD-01 \nPage 4 of 102 \n \n \n \nCapacity in the Boston Public Schools to Advance Student \nHealth and Wellness and brings together content areas \nrecommended in the Centers for Disease Control and \nPrevention’s Whole School Whole Community Whole Child \nApproach. A subcommittee of the District Wellness Council \nformed into seven work groups, representing these topic areas: \n1. Cultural Proficiency \n2. School Food and Nutrition Promotion \n3. Comprehensive Physical Activity \n4. Comprehensive Health Education \n5. Healthy School Environment \n6. Health Services \n7. Safe and Supportive Schools \n8. Staff Wellness" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "8. Staff Wellness \n \nThese work groups consulted the perspectives of the Boston \nSchool community as well as evidence-based national \nrecommendations and wrote specific policy language and \nimplementation guidelines that reference other relevant District \npolicies and further develop policy language regarding wellness \nfor all students. This comprehensive approach seeks to advance \nBoston Public Schools’ strategic aims to: improve coordination \nacross programs and departments; improve and integrate data" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HWD-01 \nPage 5 of 102 \n \n \n \ncollection; establish guidelines for accountability appropriate to \nthe group’s location within the organization; support building \nnoncompeting partnerships internally and externally; and build \nsustainability. \n \nI. POLICY \n \nThe Boston Public Schools (BPS or the District) aims to actively \npromote the social, emotional and physical health and wellness \nof all students to advance both their healthy development and \nreadiness to learn. Student and staff wellness is a core value of \nthe District and a key strategy to address health inequities and to \nclose opportunity and achievement gaps that impact BPS" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "students. Thus, BPS strives to be one of the healthiest school \ndistricts in the country. BPS will ensure that the healthy choice is \nthe easy choice and that students learn the skills and knowledge \nneeded to make those choices. BPS is committed to \nimplementing a Whole School Whole Community Whole Child \n(WSCC) approach to wellness, as recommended by the Centers \nfor Disease Control and Prevention (CDC) and ASCD (Association \nof Supervisors and Curriculum Development). As a part of this \napproach, BPS will meet the health and wellness needs of all \nstudents through prevention, intervention and intensive \nresponse. As a result, all BPS students will be challenged," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "supported, engaged, safe and healthy." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HWD-01 \nPage 6 of 102 \n \n \n \nThe District Wellness Policy is intended to link new and existing \nwellness-related policies and convey a framework for creating \nsafe, healthy and welcoming school environments. BPS shall take \na comprehensive approach to reviewing and incorporating \nchanges in policy, curriculum, and operating procedures to \npromote healthy lifestyles and sustainable wellness practices for \nall students and staff. The work of implementing this policy relies \non the work and collaboration of instructional, operational, \nclinical \nand administrative staff at schools and central office" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "departments. BPS shall develop the capacity of schools to \nimplement the policy and improve the quality and equity of \nprograms, services, and supports. This policy is inclusive of all \nstudents, staff, and families. \n \nA. WELLNESS COUNCILS \n \n1.) District Wellness Council \nThe BPS shall maintain a superintendent-appointed District \nWellness Council. This advisory group will develop, recommend, \nreview and advise on implementation of school District policies \nthat address student and staff wellness. The District Wellness \nPolicy shall be reviewed once yearly by the District Wellness \nCouncil and considered for updates based on other model school" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "wellness policies and best practices, annual report findings and \nrecommendations, input from schools and the community," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HWD-01 \nPage 7 of 102 \n \n \n \nresearch evidence, and regulations. The District Wellness Council \nshall seek ongoing feedback from BPS community stakeholders. \nAdditionally, the District Wellness Council will develop an annual \nWellness Action Plan with goals and SMART objectives for the \ncoming school year. \n \nThis council shall include at a minimum representatives from: \nfamilies, students, school and District instructional and \noperational administrators, relevant central department heads, \nschool food and nutrition services staff, physical education and \nhealth education teachers, school nurses and other school health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "professionals (e.g. psychologists, guidance counselors, social \nworkers) a school committee member, community youth serving \nagencies, Boston Public Health Commission representatives, \nhealthcare providers and the general public. Appointees to the \nmaximum extent possible shall reflect the cultural, linguistic, and \nethnic composition of BPS schools. General membership and \nattendance at the District Wellness Council is open to all \nstakeholders and the general public. The District Wellness \nCouncil will implement a plan for involving and engaging all of \nthese stakeholders. \n \n2.) School-based Wellness Councils \nAll BPS schools shall establish and maintain a school-based" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "wellness council. School-based wellness councils shall act as a \nshared leadership team to implement wellness-related District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HWD-01 \nPage 8 of 102 \n \n \n \npolicies. Councils must assess their school’s implementation of \nthe Wellness Policy and create and implement an annual \nWellness Action Plan as a part of the Quality School Plan. \nPrincipals shall name a wellness council chair(s) to coordinate the \nwellness council and act as a liaison to the District, community, \nand families. Wellness council chairs will attend District training. \nThe council shall include at a minimum a school administrator, \nfamily representatives, students (where feasible), representatives \nof a wide range of school health and health-related disciplines," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "including school nurses, school food service staff, health \neducation and physical education teachers and other school \nhealth professionals, such as psychologists, guidance counselors, \nand social workers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible shall \nreflect the cultural, linguistic and ethnic composition of the \nschool community. \n \n \n3.) Stakeholder Participation in Councils / Informing and \nUpdating the Public \nThe District will develop a district-level communication strategy \nand communication guidance for schools to increase awareness" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "of the policy and its importance for creating a safe, healthy, and \nwelcoming school. a. The following are responsibilities for \ninforming stakeholders about policy: \n1. BPS will post the District Wellness Policy on the BPS \nwebsite." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HWD-01 \nPage 9 of 102 \n \n \n \n2. Schools must share a link to the District Wellness Policy on \ntheir school’s website and send a message to families \nnotifying them of how they may obtain a copy or otherwise \naccess the policy. \n3. School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy requirements. \n4. BPS and schools shall notify families and the public about \nthe content of the District Wellness Policy and any updates \nto the policy on an annual basis. \n5. BPS will ensure that the District Wellness Policy and any" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "public announcement related to the policy are available in \nthe languages that represent the school community. \n \nb. The following are responsibilities for informing stakeholders \nabout the District Wellness Council and school-based councils: \n1. BPS will make available to the public and school \ncommunity, on the BPS website and through other regular \nchannels of communication that BPS utilizes, a list of names \nand position titles (or relationship to the school) of \nindividuals who are a part of the District Wellness Council, \nincluding the name, position title, and school- based contact \ninformation of the council leadership and subcommittee co-\nchairs." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "chairs. \n2. BPS will post the District Wellness Action Plan on the BPS" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HWD-01 \nPage 10 of 102 \n \n \n \nwebsite to share District goals and objectives for the school \nyear. \n3. Schools must make available to the public and school \ncommunity on their website a list of names and position \ntitles (or relationship to the school) of individuals who are a \npart of their school-based wellness councils and include the \nname, position title, and school-based contact information \nof the council chairs(s). \n4. Schools must post their Wellness Action Plans on their \nschool’s website to share local school goals and activities to \nimplement the policy. \n5. BPS shall make available to the public and the schools the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "results of the annual assessment, which is detailed in the \nnext section, and actively notify families of the availability of \nthe assessment results. \n \nc. The following are responsibilities for engaging stakeholders: \n1. The District Wellness Council and school-based councils will \nencourage diverse membership on councils and \nsubcommittees, attendance at meetings, and participation \nof all BPS stakeholders through public comment and \nfeedback. \n2. BPS will share information on the District website about \nhow the public can get involved with the District and \nschool-based wellness councils." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HWD-01 \nPage 11 of 102 \n \n \n \n3. Schools must share information on their school’s website \nabout how the public can get involved with the school \nwellness councils. \n4. BPS will develop methods to educate students about \nwellness policies and ways they can be involved in the \nwellness councils when developmentally appropriate. \n \n \n4.) Monitoring, Assessment and Reporting \nBPS shall develop and implement an evaluation plan designed to \nmeasure school-level implementation and student level" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "outcomes of all policy components of the District Wellness Policy. \nWhere possible the metrics will align with other District \nindicators and be measurable using existing evaluation tools and \nsystems and be sustainable over time. This plan will be made \navailable to the public as a part of the District Wellness Policy \ncircular. \n \nBPS shall annually assess compliance with the District Wellness \nPolicy, alternating between qualitative and quantitative annual \nassessments. The annual assessment will measure the extent to \nwhich schools are in compliance with the BPS policy and the \nprogress made in attaining the goals of the previous year’s" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Wellness Action Plan. The District Wellness Council will write an \nannual report that will include: the results of assessment, the \nextent to which the Boston Public School District Wellness Policy \ncompares to model local school wellness policies, a summary of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HWD-01 \nPage 12 of 102 \n \n \n \nthe District activities and accomplishments related to wellness \npolicy implementation of the previous year, and goals and \nobjectives for the upcoming year. This annual report shall be \npresented to the superintendent, the School Committee and the \nMassachusetts Department of Education. The District will \ndevelop a strategy for reporting on compliance of each school. \n \nBPS shall maintain records to document compliance with \nWellness Policy including: the written District Wellness Policy; \ndocumentation demonstrating compliance with community \ninvolvement requirements; documentation of the annual" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "assessment of the District Wellness Policy; and documentation to \ndemonstrate compliance with the annual public notification \nrequirements. \n \n5.) Wellness Policy Leadership \nSchool principals are responsible for ensuring their school \ncomplies with the Wellness Policy. At the District level, the \nexecutive director of the Office of Health and Wellness is \nresponsible for overseeing monitoring, reporting, and \ncommunication of the BPS Wellness Policy. The following District \ndepartments are responsible for supporting implementation and \nmonitoring of specific components of the policy: \na. Behavioral Health Services \nb. Facilities & Capital Management" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular HWD-01 \nPage 13 of 102 \n \n \n \nc. Food and Nutrition Services \nd. Health and Wellness \ne. Health Services \nf. Office of Engagement \ng. Office of Equity \nh. Office of Opportunity Gaps \ni. Safe and Welcoming Schools \nj. Transportation \n \nThe compiled department information will be reported to \ninstructional superintendents and operational superintendents \nwho are granted the authority and responsibility by the \nsuperintendent to ensure each school complies with the policy. \nBPS will provide a means of contacting the District or school \nofficial(s) responsible for oversight by designating District or" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "school-based phone(s) number and/or email address for this \npurpose. \n \nB. CULTURAL PROFICIENCY \n \n \nThe Boston Public Schools is committed to creating a culturally" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular HWD-01 \nPage 14 of 102 \n \n \n \nproficient District that embraces at its fundamental core the \nculturally sustaining and affirming beliefs and practices that \nhonor differences while mitigating the effects of concentrated \npoverty and institutional racism in the effort to eliminate gaps \nand promote health and wellness for all. The District is \ncommitted to providing authentic learning opportunities for \nevery child in every classroom in every school to ensure they \ndevelop into healthy, engaged, self-determined, and \nindependent learners that are college and career ready. The \nDistrict recognizes that Culturally and Linguistically Sustaining" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Practices (CLSP) helps to create a safe, healthy and welcoming \nenvironment that supports all students’ social, emotional, \nphysical and academic learning as well as their health and \nwellness. Cultural Proficiency is an approach that raises \nawareness of individual and institutional culture and bias, \nencourages cultural learning and relationship building, and \nimplements CLSP, to respect, celebrate and build on cultural \nstrengths and diversity. Cultural diversity includes but is not \nlimited to group and/or individual identities based on race, \nethnicity, nationality, immigration status, religion, language, \ngender, sexual orientation, gender identity, ability, social class," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "and home life or family structure. Cultural Proficiency should be \nintegrated into the implementation of other areas of the District \nWellness Policy and is called out here to establish specific actions \nto be taken by the District and the schools. \n \nThe District will support the development of staff and \nadministrators’ competencies to build cultural proficiency in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular HWD-01 \nPage 15 of 102 \n \n \n \nschools, classrooms and central office departments. Schools shall \ncollectively assess their organizational structure, policies and \nschool-wide practices for bias(es) as well as examine their \nphysical environment, classroom curricula, instructional materials \nand wellness promotions. Schools will use this assessment to \ninform their annual Wellness Action Plan. The District and the \nschools shall include student, family and community \nparticipation in decision-making bodies and create structures for \nfeedback from students, families and communities and increased \nengagement of all families in wellness-related policies and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "committees. This includes recognizing specific barriers faced by \nfamilies of ELL students and ELL students with disabilities by \ntargeting outreach to these groups and using the Translation and \nInterpretation Unit to translate family-focused communications \nand to provide interpretation as requested during meetings. \n \nSchools will follow other cultural proficiency-related policies, \nincluding those regarding race, ethnicity, immigration status, \nreligion, language, gender, sexual orientation, gender identity, \nand disabilities and policies that promote family and student \nengagement. The work of creating a culturally proficient District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "requires the participation of departments and staff across the \nDistrict and requires engagement in interdepartmental \ncollaboration." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular HWD-01 \nPage 16 of 102 \n \n \n \nC. SCHOOL FOOD AND NUTRITION PROMOTION \n \nThe Boston Public Schools supports lifelong healthy eating habits \nfor all students and staff and is committed to addressing the \nincreasing rates of diet-related health consequences among \nthese groups by creating a healthy school food environment. \nServing healthy choices in the lunchroom, limiting availability \nand marketing of unhealthful foods and sugary drinks, and \nmaking water available to students throughout the day are some \nof the ways to create a healthy school food environment. BPS is \ncommitted to ensuring food sold or served outside of the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "cafeteria meets high nutritional standards. \n \nBoston Public Schools believes the cafeteria is an essential \nsetting to educate and promote healthy eating habits. Boston \nPublic Schools is committed to serving students nutritious and \ndelicious food that is less processed, more locally sourced, and \nculturally responsive to reflect the diverse student population. As \nan effective way to improve the nutritional quality of both foods \nserved in schools and consumed by students, BPS will create and \nimplement School Meals Nutrition Standards, going beyond \nfederal requirements. BPS shall undertake a constant review of \nschool food and the food environment to ensure safety, quality," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "menu equity, and innovation. Boston Public Schools shall be an \ninnovator with school food, serving foods that are new and \nexciting for the students. We believe that students deserve meals \nreflective of their culture and tastes. We believe eating well is not" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular HWD-01 \nPage 17 of 102 \n \n \n \na privilege; it is a right. Therefore, BPS is committed to ensuring \nall students are food secure. \n \nKey requirements of creating a healthy school food environment \nare: \n \n1.) School Meals Program \na. Ensure all menus meet USDA-mandated requirements, as \nwell as Massachusetts Department of Public Health \nregulations and the latest scientific evidence on healthy \neating practices. At a minimum, schools must follow Bronze \nstatus standards for the Alliance for a Healthier Generation, \nand work toward Bronze status standards for the Healthier \nUS School Challenge." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "US School Challenge. \nb. Ensure all menus offer variety and are well presented in an \nappealing way, and meals and menu items are labeled to \ncommunicate deliciousness, as well as specific ingredients. \nc. Encourage students to participate in breakfast, lunch, and \nafterschool meals programs and avoid stigmatizing children \nwho participate. \nd. Provide foods that are free of unwanted ingredients \nincluding, trans fats, high fructose corn syrup, artificial \ncolors, artificial sweeteners, additives (azodicarbonamide, \nbromated flour), and artificial preservatives (nitrates, nitrites," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular HWD-01 \nPage 18 of 102 \n \n \n \nsulfates, sulfites, MSG, BHA, BHT, TBHQ). Menus follow the \nBPS Menu and Ingredient Guidelines. The guidelines are \nupdated annually. \ne. Reduce material used for packaging, sourcing recyclable or \ncompostable materials when possible and working to \npromote best practices around recycling and composting. \nf. Water must be available at no cost during mealtimes \nwherever meals are served. \n \n2.) Food Safety \na. Ensure kitchen facilities (both prep and satellite locations) \nare inspected twice a year by the Inspectional Services \nDivision (ISD - Health Department)." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Division (ISD - Health Department). \nb. Implement a stringent and detailed internal Hazard Analysis \nand Control Points (HACCP) plan that provides regulations \nin following safety procedures for food recalls, emergency \npreparedness to avoid foodborne illnesses, and the spread \nof infectious diseases. \nc. Ensure all employees who work 5+ hours are certified in \nfood safety. \nd. Ensure all lead employees are allergy awareness certified \nand have American Heart Association HeartSaver First Aid \nProgram 2-year certification." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular HWD-01 \nPage 19 of 102 \n \n \n \n3.) Nutrition Education, Promotion and Food & Beverage \nMarketing \na. Promote health and nutrition messages that encourage the \nconsumption of fruits and vegetables, whole grains, healthy \nfats, low-fat dairy products, and water and other messages \nconsistent with research-based findings that indicate a \npositive impact on health. \nb. Identify opportunities to teach healthy eating habits in \nhealth education, physical education, and other subjects, \nand through cafeteria and other school-wide promotions. \nc. Identify opportunities to support teachers, school staff, and \nparents around modeling healthy eating habits and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "following appropriate nutritional standards at school \ncelebrations and staff meetings. \nd. Allow only food and beverage marketing on school grounds, \nincluding items shared with students, that promote foods \nand/or beverages that meet the BPS nutritional standards. \n \n4.) Competitive Food & Beverages \na. All schools shall follow federal, state, and local laws and \nregulations for competitive foods and beverages (i.e. foods \nsold, provided, or served within school buildings or on \nschool grounds outside of the school meals program) as \noutlined in this circular." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular HWD-01 \nPage 20 of 102 \n \n \n \nb. Prohibit food sold in competition with school meals, \nincluding food-based fundraisers and vending machines \nduring the school day. \nc. The Food and Nutrition Services Department is solely \nresponsible for food and beverages sold to children during \nthe school day; consequently, the sale of food and beverages \nby others is expressly forbidden. \nd. Encourage non-food alternatives for school fundraisers, \nschool parties, and classroom celebrations. \ne. Prohibit the use of food and beverage as a reward or means \nof discipline. \n \nAll Boston Public Schools shall follow Food and Nutrition Services" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "policies and circulars. \n \nD. COMPREHENSIVE PHYSICAL ACTIVITY AND PHYSICAL \nEDUCATION \n \nThe Boston Public Schools is committed to a District-wide, \nstrategic effort to increase all students’ physical activity and \nfitness by bringing more physical education and physical activity \nto schools; improving the quality of physical education and \nrecess; and increasing the equity of physical activity programs \nand resources across our schools. Activities will be inclusive to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular HWD-01 \nPage 21 of 102 \n \n \n \nmeet the needs, interests, abilities and cultural diversity of all \nstudents, including students of all gender identities, students \nwith disabilities, and students with special healthcare needs. \n \nNumerous studies indicate that regularly engaging in moderate-\nto-vigorous exercise contributes to overall physical and mental \nhealth and that nurturing an exercise habit among children lays \nthe foundation for lifelong fitness. Research also shows that \nincreased physical activity increases children’s cognitive function, \nability to concentrate in class, and academic performance. Thus," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "as a part of a strategic effort to improve academic performance, \nBPS recognizes and promotes the benefits of a Comprehensive \nPhysical Activity Program, where quality physical education is the \ncornerstone and additional physical activity is integrated \nthroughout the school day and into before and after school \nprograms, staff wellness and family engagement activities. \n \nThe Boston Public Schools is committed to a strong athletics \nprogram that offers a variety of programs and is accessible to all \nstudents. Athletics participation can contribute to student fitness, \nwellness, character development and a lifelong commitment to a" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "physically active lifestyle. Additionally, by establishing a safe, \nsupportive and engaging school environment, athletic programs \nencourage school connectedness and create a climate where \nhealthy competition and support fill the school with spirit and a \nsense of community. Research shows that healthy children are \nbetter learners and connected students are more likely to stay in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 22:\nSuperintendent’s Circular HWD-01 \nPage 22 of 102 \n \n \n \nschool. In this way, athletics contributes to the academic success \nof students. \n \nIn accordance with state law, all schools must provide all \nstudents in all grades with opportunities for physical activity. \nSchools must offer at least 150 minutes of in-school physical \nactivity weekly in grades PreK-8, including required physical \neducation, movement breaks, recess, or lessons involving \nmovement structured to support moderate-to-vigorous physical \nactivity (MVPA). In grades PreK-8, students are expected to have \nat least 20 minutes of daily recess. \n \nTeachers and other school and community personnel shall not" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "use physical activity (e.g., running laps, pushups) as punishment \nnor withhold opportunities for physical activity during the school \nday (including but not limited to recess, classroom physical \nactivity breaks, or physical education) as punishment for any \nreason other than illness or safety or as approved by the school \nleader. This includes denying a student physical activity time in \norder to make up work unless under unusual circumstances. The \ndistrict will provide teachers and other school staff with a list of \nideas for alternative ways to discipline students. \n \nAll schools must offer standards-based physical education (PE)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "for all students in all grades. Schools are required to offer at least \n45 minutes of weekly PE in grades PreK-8 and at least one" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 23:\nSuperintendent’s Circular HWD-01 \nPage 23 of 102 \n \n \n \nsemester (equivalent of a half school year) of PE each year in \ngrades 9-12. We recommend that schools provide at least 80 \nminutes of weekly PE in grades PreK-8. In order to help schools \nwork toward this recommendation, Boston Public Schools will \ndevelop an implementation plan with input from current \nprincipals and headmasters. This implementation plan will be \nshared with the School Committee. \n \nTeachers and other school and community personnel shall not \nuse physical activity (e.g., running laps, pushups) as punishment; \nwithhold opportunities for physical activity during the school day" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "(including but not limited to recess, classroom physical activity \nbreaks or physical education) as punishment for any reason; or \ndeny a student physical activity time in order to make up work \nunless under unusual circumstances. \n \nExtended day programs and out of school time, which includes \nbefore and after school programs, are expected to offer an array \nof physical activity opportunities to ensure all students are able to \nparticipate. Schools shall offer opportunities for students to \nparticipate in physical activity before and after the school day, \nincluding extended day time, through a variety of methods \nincluding physical activity clubs, physical activity in before/after" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "school programs, intramurals and interscholastic sports, and in \ntheir school commute." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 24:\nSuperintendent’s Circular HWD-01 \nPage 24 of 102 \n \n \n \nThe District recognizes that students benefit from bicycle and \npedestrian safety education to help make the trip to and from \nschool safer and instill confidence in students, parents and \ncommunity members. The District will develop and maintain \npolicies and procedures for working together with city agencies, \nschools, families, and students in efforts to promote a safer and \neasier trip to and from school when students and staff are \nwalking, bicycling, using public transit or other means of \nphysically active transport. The District will encourage 7-12th \ngrade students to use public transportation when available and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "appropriate for travel to school, and will work with the local \ntransit agency to provide transit passes for eligible 7-12th grade \nstudents. The District will provide resources to schools, students \nand families regarding walking, riding a bicycle, using public \ntransit or other forms of active transportation. The District will \nencourage wellness councils, school administrators and students, \nstaff, families and community partners to assist the District in \npromoting safe, physically active travel to and from school. \nSchools are encouraged to designate a transportation liaison to \nfacilitate communication regarding District efforts to promote" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "safe, physically active travel to and from school. Schools shall \nparticipate in student transportation surveys when requested to \nhelp the District plan for strategies to promote a safer and easier \ntrip to and from school when walking, bicycling, using public \ntransit or other means of physically active transport." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 25:\nSuperintendent’s Circular HWD-01 \nPage 25 of 102 \n \n \n \nE. COMPREHENSIVE HEALTH EDUCATION \n \nThe Boston Public Schools require comprehensive Pre-K through \ngrade 12 health education that is medically accurate, age and \ndevelopmentally appropriate, culturally and linguistically \nsustaining, and implemented in a safe and supportive learning \nenvironment where all students feel valued. All Boston Public \nSchools must take a skills-based approach to teach \ncomprehensive health education that addresses a variety of \ntopics, such as tobacco, alcohol, and substance misuse and harm \nreducation, nutritional health, mental and emotional health," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "personal health and wellness, physical activity, safety and injury \nprevention, violence prevention, and comprehensive sexual \nhealth education that is LGBTQ+ affirming. \n \nComprehensive health education curriculum shall be modified as \nneeded for students with disabilities and students who are \nEnglish learners. It shall promote healthy lifestyle habits, healthy \nrelationships and health literacy for all students. Health \neducation curricula will align with the BPS Health Education \nFrameworks, which integrate the Massachusetts Comprehensive \nHealth Curriculum Framework and National Health Education \nStandards, as well as the National Sexuality Education Standards." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Qualified and trained teachers will implement the curricula. \n \nAll schools will follow relevant promotion and graduation" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 26:\nSuperintendent’s Circular HWD-01 \nPage 26 of 102 \n \n \n \nrequirements that include: Health education that includes at \nminimum the Healthy and Safe Body Unit in elementary school; \ntwo semesters of health education in grades 6 to 8 taught by a \nlicensed health education teacher; and a one semester course of \nhealth education in total in grades 9 to 12 taught by a licensed \nhealth education teacher. In addition to these course \nrequirements, health education topics will be integrated into \nother subject areas where possible, so as to reinforce their \nimportance, provide additional skill practice, and demonstrate \nthe connections of health concepts to many other content areas." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "F. HEALTHY SCHOOL ENVIRONMENT \n \nThe Boston Public Schools recognizes that healthy physical \nenvironments are critical to the prevention of asthma and other \nchronic and infectious diseases that impact learning. The Boston \nPublic Schools is committed to providing high-performing school \nbuildings and grounds that are clean, in good repair, have \nhealthy indoor air quality and water quality, sanitary and \naccessible bathrooms, and use resources efficiently. BPS strives \nto provide adequate facilities for physical activity that are \naccessible and culturally inclusive learning environments that \npositively impact productivity, health, and wellness of all students" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "and staff. To address environmental risk factors for chronic and \ninfectious disease, each school will receive an Annual \nEnvironmental Audit to evaluate health and safety conditions \nsuch as leaks, mold, pests, chemical storage and cleanliness. The" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 27:\nSuperintendent’s Circular HWD-01 \nPage 27 of 102 \n \n \n \nDistrict shall maintain a Healthy Schools Taskforce (HST) to \npromote and raise awareness of the health of the built \nenvironment and ensure continuous improvement of BPS \nhealthy school environment policies and programs. \n \nDistrict departments and all schools, through an Environmental \nCommittee or school-based Wellness Council, shall comply with \nexisting federal and state regulations, city ordinances and District \npolicies related to promoting and managing healthy school \nenvironments, including but not limited to: \n○ Green Cleaners \n○ Integrated Pest Management \n○ Trash and Recycling \n○ Infection Prevention & Control" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "○ Infection Prevention & Control \n○ Tobacco Free Environmental Policy \n○ Environmental Inspection/Audit \n○ Student Safety/Health in School Shops \n○ BPS Water Policy \n○ Laboratories and Chemical Inventory “Right to Know” Law \n○ Idling of buses and other motor vehicles on school property" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 28:\nSuperintendent’s Circular HWD-01 \nPage 28 of 102 \n \n \n \nSchools shall regularly assess the quality and quantity of BPS \nfacilities for active transportation, physical activity, and physical \neducation, including schoolyards, and report maintenance needs \nfor these facilities. \n \nG. SAFE AND SUPPORTIVE SCHOOLS \n \nThe Boston Public Schools shall create a safe and supportive \nschool environment for all students that is culturally proficient, \nengaging, and inclusive and one that provides skills-based \neducation to promote healthy relationships and development \nand provides access to support services. Prevention, promotion" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "and intervention-based work will address and integrate social \nemotional health and behavioral health. BPS will continue to \nfoster a variety of integrated community partnerships to \nmaximize support to students, families and schools. Partnerships \nin this area include allied city and state agencies, universities, \nhospitals and other community-based organizations. Schools will \nbetter meet the needs of students by creating safe and inclusive \nclimates that are responsive to all forms of bullying and violence, \nincluding bias-based conduct, suicide, intimate partner violence, \nand sexual harassment and assault, and using screening and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "promotion efforts, including mental health and substance use \nscreening. Special attention will be given to vulnerable student \npopulations, including but not limited to LGBTQ students, \nrefugee, asylee, documented and undocumented immigrant \nstudents, ELL students and ELL students with disabilities," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 29:\nSuperintendent’s Circular HWD-01 \nPage 29 of 102 \n \n \n \nexpectant and parenting students, court-involved students, \nstudents experiencing homelessness, and students experiencing \ntrauma. These efforts will create a safe and supportive learning \nenvironment that optimizes academic outcomes for all students. \nImplementation of these efforts requires school psychologists, \nsocial workers, guidance counselors, school nurses, community \npartners and trained classroom teachers working together on an \neffective student support team. Boston Public Schools shall \ndevelop and implement a plan for K-12 SEL standards. \n \nBoston Public Schools shall put in place systems that align to the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "district-accepted Multi-tiered System of Supports (MTSS) \nframework to ensure that all students have access to key \nresources and services in a safe and supportive environment. \nSchools shall adopt a MTSS Framework to support the \ndevelopment of a continuum of behavioral health supports and \ninterventions falling across three tiers: Tier 1: Prevention and \npromotion, Tier 2: At-risk interventions and services and Tier 3: \nIntensive interventions and services. Embedded into MTSS is the \nuse of positive behavioral interventions and supports and social \nemotional learning instruction designed to create safe and \nsupportive school climates and build the skills of staff and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "students. The Comprehensive Behavioral Health Model (CBHM) \nis an example of an evidence-based MTSS-Behavioral framework \ndesigned to meet the behavioral health needs of students and \nincludes evidence-based practices interventions and data to \ndetermine effectiveness. CBHM is used in many BPS schools and \nwill be made available to all schools. CBHM has been proven to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 30:\nSuperintendent’s Circular HWD-01 \nPage 30 of 102 \n \n \n \npromote positive behavioral health and reduce barriers to \nlearning for students in participating schools. MTSS framework, \nincluding CBHM, incorporates the following key elements: \n○ Assessment including universal behavioral health screening \n○ Instruction including social emotional learning curriculum \nand delivery of services \n○ Data based decision making \n○ Building staff leadership and capacity \n○ Effective District and school structures and procedures (e.g. \nstudent support teams) \n \nIn addition, schools shall follow all BPS policies that address \nspecific areas of school safety and climate including the Code of" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Conduct and other related policies such as those related to crisis \nmanagement, expectant and parenting students, sexual \nharassment, discrimination, and assault. \n \nH. HEALTH SERVICES \n \nThe Boston Public School Health Services support students to be \nhealthy, engaged, safe, and academically challenged by \nproviding high quality, cost-effective in-school health care. BPS \nnurses are responsible for evaluating and managing the health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 31:\nSuperintendent’s Circular HWD-01 \nPage 31 of 102 \n \n \n \nneeds of all students. That includes the following: \n○ Case management students with special health needs, \nincluding chronic or acute illnesses \n○ Monitoring and administering medications and medical \nprocedures as prescribed by a student’s primary care \nprovider or medical specialist \n○ Providing first aid and emergency care \n○ Screening students for height, weight, Body Mass Index, \nvision, hearing, scoliosis, substance use (screening, brief \nintervention and referral to treatment) \n○ Managing student medical records and immunization \nrecords \n○ Managing the control of communicable diseases" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "○ Managing the control of communicable diseases \n○ Coordinating medical transportation for students \n○ Coordinating special dietary accommodations for students \nwith food allergies \n○ Working with other school-based groups to provide safe \nand healthy environments \n \nIn addition, school nurses engage in one-on-one education, small \ngroup health counseling, wellness promotion, and preventive \nservices as part of the provision of care coordination services. BPS \nschool nurses ensure access and/or referrals to the medical home" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 32:\nSuperintendent’s Circular HWD-01 \nPage 32 of 102 \n \n \n \nor private health care provider. Where lawful, Boston Public \nSchools encourages positive communication and involvement \nwith family regarding health services. Health Services actively \ncollaborates with school and community support services to \nincrease the ability of students and families to adapt to health \nand social stressors, such as chronic health conditions, adverse \nchildhood experiences (ACE) and other social, emotional and \neconomic determinants of health. BPS Health Services is \ncommitted to building partnerships with city agencies, medical \nproviders, and community partners to leverage additional" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "resources and health services. \n \nUnder Massachusetts Adolescent Confidentiality laws, adolescent \nstudents may receive confidential services for diagnosis, \ntreatment and/or referral for drug addiction, family planning \nservices, sexually transmitted diseases, and mental health. In \naccordance with the BPS Condom Accessibility Circular, BPS \nHigh Schools shall provide access to condoms, with appropriate \nreproductive health counseling for students. Each high school \nwill have a Condom Accessibility Team (CAT) which will consist of \na minimum of at least three school staff members. Condoms will \nbe made available through the CAT at each school. Condoms will" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "also be accessible from community health service partners and \nthe Boston Public Health Commission (BPHC). Parents and legal \nguardians may exempt their children from receiving condoms by \nnotifying the school when they complete the family information \nforms at the beginning of the school year. This exemption to not \nreceive condoms does not apply to other confidential health" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 33:\nSuperintendent’s Circular HWD-01 \nPage 33 of 102 \n \n \n \nservices. \n \nI. STAFF WELLNESS \n \nThe Boston Public Schools cares about the well-being of staff \nmembers and understands the influence that staff actions have \non all student health behaviors. All staff shall promote a school \nenvironment supportive of healthy behaviors. Adults are \nencouraged to model healthy behaviors, especially on school \nproperty and at school-sponsored meetings and events. Schools \nare encouraged to support staff wellness initiatives. \n \n \nII. IMPLEMENTATION GUIDELINES \n \nThe following guidelines will ensure the implementation of the \nBoston Public Schools Wellness Policy:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Boston Public Schools Wellness Policy: \n \nA. DISTRICT WELLNESS COUNCIL: \n \nThe superintendent will appoint members to serve on the District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 34:\nSuperintendent’s Circular HWD-01 \nPage 34 of 102 \n \n \n \nWellness Council. The council will: \n \na. Follow bylaws that are aligned with Massachusetts \nStandards for School Wellness Advisory Committees.3 \nb. Annually review, and if needed recommend, District-wide \npolicies to promote student wellness \nc. Annually set Council goals and objectives \nd. Annually report progress on Council goals, objectives, \npolicies, and monitoring & evaluation of Wellness Policy \nimplementation \n \nB. SCHOOL-BASED WELLNESS COUNCILS: \n \nSchools will establish and maintain a school-based wellness \ncouncil. Principals shall name a wellness council chair(s) to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 85, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "coordinate the wellness council and act as a liaison to the District, \ncommunity, and families. Wellness council chairs will attend \nDistrict training. School-based Wellness Councils on an annual \nbasis shall: \n \n3 M.G.L. 105 CMR 215" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 86, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 35:\nSuperintendent’s Circular HWD-01 \nPage 35 of 102 \n \n \n \n \na. Convene at least 4 times per school year. \nb. The council shall include at a minimum a school \nadministrator, family representatives, students (where \nfeasible), representatives of a wide range of school health \nand health-related disciplines, including school nurses, \nschool food service staff, health education and physical \neducation teachers and other school health professionals, \nsuch as psychologists, guidance counselors, and social \nworkers. To the extent feasible, members will include \noperations and custodial staff, community partners and the \ngeneral public. Appointees to the maximum extent possible" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 87, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "shall reflect the cultural, linguistic and ethnic composition of \nthe school community \nc. Implement District-level policies related to wellness. School \nWellness Councils will annually review District policies \nrelated to wellness. If applicable, the school wellness council \nwill apply strategies to implement these policies. See the \nIndex of Federal, State, and Boston Public School wellness-\nrelated Policies & Guidelines section on page 17. \nd. Assess the school’s wellness status. Schools will use the \nfollowing surveys and audits to assess the wellness status of \nschool: \n○ Healthy Schools Program Inventory, Alliance for a \nHealthier Generation. \n○ Environmental Health Inspection Audit" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 88, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 36:\nSuperintendent’s Circular HWD-01 \nPage 36 of 102 \n \n \n \n○ School Health Profiles, Centers for Disease Control and \nPrevention \n○ District data, such as the Youth Risk Behavior Survey \n○ Other District priorities \nThe Health and Wellness Department will determine on an \nannual basis the exact timeline and process for completing \nthese assessments. \ne. Create and Implement a Wellness Action Plan. Schools will \ncomplete a BPS Wellness Action Plan template and include \na link to their plan in the Wellness section of their Quality \nSchool Plan (QSP) by Fall due date. The Wellness Council \ncoordinator(s) name and contact information should also be" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 89, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "included on the QSP. Principals are ultimately responsible \nfor the implementation of the Wellness Action Plan. The \nHealth and Wellness Department, in collaboration with the \ninstructional and operational superintendents will \ndetermine on an annual basis the exact timeline and \nprocess. The school will complete this Plan as a Quality \nSchool Plan, or other academic improvement plans. \nWellness Action Plans must include goals and school-based \nactivities designed to promote student wellness based on \nthe results of the school’s Healthy Schools Program \nInventory, Environmental Health Inspection/Audit, annual \nDistrict priorities, and other appropriate assessment tools. A" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 90, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Roster of each school’s Wellness Council will be submitted \nas a part of the Wellness Action Plan template. Instructions \nand a template for the Wellness Action Plan can be found" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 91, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 37:\nSuperintendent’s Circular HWD-01 \nPage 37 of 102 \n \n \n \nonline at: http://www.bostonpublicschools.org/hwd \nf. Engaging stakeholders: \n○ Schools must make available to the public and school \ncommunity on their website a list of names and \nposition titles (or relationship to the school) of \nindividuals who are a part of their school-based \nwellness councils and include the name, position title, \nand school-based contact information of the council \nchairs(s). \n○ Schools must share information on their school’s \nwebsite about how the public can get involved with \nthe school wellness councils. \n○ Schools must post their Wellness Action Plans on their" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 92, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "school’s website to share local school goals and \nactivities to implement the policy. \n○ Schools must share a link to the District Wellness \nPolicy on their school’s website and send a message to \nfamilies notifying them of how they may obtain a copy \nor otherwise access the policy. \n○ School-based Wellness Councils shall annually \ncommunicate wellness-related policies so that all staff, \nfamilies and students are aware of the policy \nrequirements." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 93, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 38:\nSuperintendent’s Circular HWD-01 \nPage 38 of 102 \n \n \n \nAssociated Boston Public Schools District departments will \nprovide professional development, toolkits, resources, and \ntechnical assistance to support the implementation of District-\nlevel policies related to wellness. Schools will be able to access \nprofessional development using the District-supported My \nLearning Plan. Wellness related trainings will be culturally \nproficient by addressing race, ethnicity, and nationality; sexual \norientation and gender identity; special needs; language and \ndialect; and practical skills in mediating intercultural conflict." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 94, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "C. IMPLEMENTATION GUIDELINES FOR MONITORING AND \nEVALUATION \n \nThe Boston Public Schools Health and Wellness Department, in \ncollaboration with appropriate District Departments, will be \ndesignated to ensure that each school, including out of school \ntime programs, complies with this policy. Other wellness-related \npolicies will be monitored, evaluated, and supported by the \nDistrict departments that currently oversee these policies. The \nDistrict will collect additional data than listed in this section to \nmonitor compliance." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 95, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "monitor compliance. \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District \ndepartments will facilitate school-based surveys and audits \nmeasuring changes in school environments over time. Such" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 96, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 39:\nSuperintendent’s Circular HWD-01 \nPage 39 of 102 \n \n \n \nsurveys include: \na. Healthy Schools Program Assessment, Alliance for a \nHealthier Generation. \nb. School Health Profiles, Centers for Disease Control and \nPrevention \n○ Principal Survey (all school levels) \n○ Lead Health Ed. Teacher Survey (schools with grades 6-\n12) \n○ Lead Phys. Ed. Teacher Survey (all school levels) \nc. District staffing reports from the Office of Human Capital \nd. Essential School Health Services Monthly Activities Report \ne. School Environmental Audit \n \nTo evaluate the effectiveness of policy implementation, the BPS \nHealth and Wellness Department and appropriate District" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 97, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "departments will facilitate anonymous student surveys \nmeasuring changes in student outcomes over time. Where \npossible, data must be reported by vulnerable subgroups (e.g. \nrace/ethnicity, gender, sexual identity) Such surveys include, but \nare not limited to: \na. Youth Risk Behavior Survey (YRBS): \n○ Middle School YRBS (conducted biennially in" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 98, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 40:\nSuperintendent’s Circular HWD-01 \nPage 40 of 102 \n \n \n \nrandomized sample of schools serving students in \ngrades 6-8 during the Fall semester of even numbered \nschool years, i.e., Fall 2013, 2015, 2017, etc.). \n○ High School YRBS (conducted biennially in randomized \nsample of schools serving students in grades 9-12 \nduring the Spring semester of odd numbered school \nyears, i.e., Spring 2015, 2017, 2019, etc.) \nb. School Climate Survey (conducted annually by the Office of \nData & Accountability) \nc. FITNESSGRAM (grades 3-12) \nd. Health Services SNAPNurse system \n \nAs stated above, the annual report shall be presented to the \nDWC, superintendent, the School Committee, and the" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 99, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Massachusetts Department of Education, and shared with BPS \nstakeholders. \n \nDistrict Wellness Policy Monitoring & Evaluation Plan \n \nTable Abbreviations: \nPO = Process Outcome; IMO = Intermediate Outcome; LTO =" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 100, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 41:\nSuperintendent’s Circular HWD-01 \nPage 41 of 102 \n \n \n \nLong-term Outcomes \nGeneral Policy/Council (GEN) Metrics \nGEN Process Outcomes (PO)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 101, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 42:\nSuperintendent’s Circular HWD-01 \nPage 42 of 102 \n \n \n \nPO1: DWC and Subcommittee Meetings [DWC Records] \nPO1.1: # of Meetings (DWC & by subcommittee) \nPO1.2: # of attendees \nPO1.3: Action Plan completion (yes/no) \nPO1.4: Review Policy (yes/no) \nPO1.5: Hear Stakeholder Feedback through public comment \n(yes/no) \nPO1.6: Update policy (yes/no/not applicable) \nPO2: Policy Communication/Public Notification (yes/no) \n[DWC Records] \nPO2.1: Policy Translation \nPO2.2: Post to BPS website: Policy, meeting times, action \nplan, membership, contact information \nPO2.3: Policy in Parent Guidebook \nPO2.4: Policy update presentations to School Committee" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 102, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "PO2.5: Policy update presentations to: BSAC, CPC, DELAC, \nSPEDPAC \nPO3: Policy Evaluation [DWC Records/Profiles] \nPO3.1: Evaluation Plan (in place)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 103, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 43:\nSuperintendent’s Circular HWD-01 \nPage 43 of 102 \n \n \n \nPO3.2: Annual Report (yes/no) \nPO3.2.1: Alternating Qualitative & Quantitative Reports \nPO3.2.2: Post to website \nPO3.2.3: Share with Superintendent, School Committee, \nDESE \nPO3.2.4: Sent to parent councils \nPO3.3: Biennial School Wellness Reports [Profiles] \nPO4: Policy Trainings \nPO4.1: PDs for school wellness council and teachers [HWD \nRecords] \nPO4.2: Training materials for Principals, Superintendents, \nCentral Office Leaders \nPO5: School-based Wellness Councils \nPO5.1: % of schools submitting WAPs [HWD Records] \nGEN Short-term Outcome (STO) 1: Increase awareness and \nknowledge of the District Wellness Policy among BPS" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 104, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "families, District staff, and school leadership and staff \nSTO1.1: % of schools that post WAP, council members, and \ncouncil chair(s) contact information to their website [Profiles \nSY19-20]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 105, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 44:\nSuperintendent’s Circular HWD-01 \nPage 44 of 102 \n \n \n \nSTO1.2: % of schools that send a communication about the \npolicy home to parents [Profiles] \nSTO1.3: % of schools that communicate policy to school staff \n[Profiles] \nGEN STO 2: Improve diverse stakeholder involvement on the \nDistrict Wellness Council, the DWC subcommittees & \nschool-based wellness councils \nSTO2.1: DWC membership includes representatives from \nfamilies, students, school and District instructional and \noperational administrators, relevant central department \nheads, school food and nutrition services staff, physical \neducation and health education teachers, school nurses and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 106, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "other school health professionals (e.g. psychologists, \nguidance counselors, social workers) a school committee \nmember, community youth serving agencies, Boston Public \nHealth Commission representatives, healthcare providers \nand the general public [DWC Records] \nSTO2.2: # of public comments made during DWC meetings \n[DWC Records] \nSTO2.2: #(%) of school wellness councils with 2 or more \nfamily reps on the wellness council [WAPs] \nSTO2.3: #(%) of school wellness councils with 2 or more \nstudents on the wellness council [WAPs]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 107, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 45:\nSuperintendent’s Circular HWD-01 \nPage 45 of 102 \n \n \n \nGEN STO 3: Improve policy to align with model school \nwellness policies and best practices, annual report findings \nand recommendations, input from schools and the \ncommunity, research evidence, and government \nregulations. [DWC records] \nSTO3.1: Policy updates by area \nGEN STO 4: Increase the number of schools with quality \nwellness councils [HWD Records] \nSTO4.1: #(%) of schools with wellness councils that meet \nquarterly \nSTO4.2: #(%) of schools with identified wellness council \nchair(s) \nGEN IMO 1: Improve the functionality of the school-based \nwellness councils [WAPs] \nIMO1.1: % of WAPs with SMART Goals" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 108, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "IMO1.1: % of WAPs with SMART Goals \nIMO1.2: % of WAPs goals in each policy area \nIMO1.3: % of wellness council with \nIMO1.3.1: Minimum representation of member roles \nIMO1.3.2: Addition representation of member roles" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 109, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 46:\nSuperintendent’s Circular HWD-01 \nPage 46 of 102 \n \n \n \nIMO1.4: % of schools with trained wellness council co-chairs \nCultural Proficiency (CP) Metrics \nCP Process Outcomes: \nPO1: # of trainings on Equity policy and practices (e.g. Equity \nProtocol, Welcoming Schools, EQT-4) [Equity Office] \nPO2: # (%) of schools that have staff trained on CLSP \nPO3: # (%) of central office departments that have at least \n70% staff trained on CLSP \nPO4: # (%) of staff by school trained on CLSP \nCP STO 1: Increased # of schools assessing organizational \nstructure, policies, and school-wide practices for cultural \nproficiency \nSTO1.1: # (%) of schools with CLSP goal on their WAP" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 110, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "CP STO 2: Increased # of schools engaging families, \nstudents, and community members in decision-making \n[WAPS]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 111, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 47:\nSuperintendent’s Circular HWD-01 \nPage 47 of 102 \n \n \n \nSTO2.1: # of family members on school-based wellness \ncouncil \nSTO2.2.: # of students on school-based wellness council \nSTO2.3: # of community orgs on school-based wellness \ncouncil \nSTO2.4: # (%) of schools that engage these groups in \nwellness council \nCP IMO 1: Positive perceived climate around cultural \nproficiency \nIMO1.1: District score on Community Involvement Scale \n[Climate Survey/ODA] \nIMO1.2: District score on Appreciation for Diversity Scale \n[Climate Survey/ODA] \nIMO1.3: District score on Family/School Relationship Scale \n[Climate Survey/ODA] \nIMO1.4: District score on Cultural Responsiveness Scale" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 112, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "[Climate Survey/ODA] \nIMO1.5: District score on Student/Teacher Relationships Scale \n[Climate Survey/ODA] \nIMO1.6: Parent perception of school climate as safe and \nwelcoming [Climate Survey/ODA]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 113, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 48:\nSuperintendent’s Circular HWD-01 \nPage 48 of 102 \n \n \n \nIMO1.7: % of middle and high school students that report \nhaving an adult at school that they can talk about issues in \ntheir life [2017 MS & HS YRBS] \nSchool Food & Nutrition Promotion (SFNP) Metrics \nSFNP Process Outcomes (PO) \nPO1: # (%) of schools participating in the School Breakfast \nProgram [FNS Records] \nPO1.1: # (%) of schools using different models of the School \nBreakfast program \nPO2: % (#) of schools participating in School Lunch Program \n[FNS Records] \nPO2.1: % (#) of school using different models of the School \nLunch Program \nPO3: # (%) of schools with cafeteria staff trained on food \nsafety [FNS Records]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 114, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "safety [FNS Records] \nPO4: # (%) of schools with completed kitchen inspection \n[FNS records] \nPO5: # of Healthy Food Environment Wellness Champions \n[HWD records] \nPO6: # (%) of school leaders aware of the competitive sales" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 115, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 49:\nSuperintendent’s Circular HWD-01 \nPage 49 of 102 \n \n \n \npolicy [HWD Records] \nPO7: # of nutrition education PDs [HWD Records] \nPO8: # of staff trained at nutrition education PDs [HWD \nRecords] \nSFNP STO 1: Increase variety of foods that are local, culturally \ninfluenced, and clean label [FNS Records] \nSTO1.1: % of food items procured by the District that are local \nSTO1.2: % of menu items that are culturally influenced to \nreflect the student population \nCafeteria Schools \nVended Meals \nSFNP STO 2: Increase support of BIC from school \nadministration \nSTO2.1: #(%) of schools implementing BIC [FNS Records] \nSFNP STO 3: Increase awareness of competitive sales policy" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 116, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "STO3.1: #(%) of school leaders that inform their staff of the \ncompetitive sales policy [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 117, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 50:\nSuperintendent’s Circular HWD-01 \nPage 50 of 102 \n \n \n \nSFNP STO 4: Maintain 100% of schools with cafeteria staff \nwith all required certifications, inspected kitchen, and a \nHazard Analysis and Control Points plan \nSTO4.1: % of schools with cafeteria staff with all required \ncertifications, compliant kitchen, and a Hazard Analysis and \nControl Points plan [FNS Records] \nSFNP STO 5: Increase in schools teaching healthy eating \nhabits in health education, physical education, and other \nsubjects \nSTO5.1: # (%) of schools teaching nutrition education through \nComprehensive Health Education [Profiles] \nSFNP STO 6: Increase in the number of satellite schools able" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 118, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "to provide bulk, freshly prepared, on-site meal service [FNS \nRecords] \nSTO6.1: % of schools receiving vended meals \nSTO6.2: % of satellite schools that are converted to be able to \nprovide bulk, freshly prepared, on-site meal service (In three \nyears, all schools implementing My Way Cafe model) \nSFNP IMO 1: Increased participation in all school meal \nprograms" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 119, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 51:\nSuperintendent’s Circular HWD-01 \nPage 51 of 102 \n \n \n \nIMO1.1: Number or percent of schools with at least XX% of \nstudents participating in SBP, NSLP, CACFP, and Summer \nMeals Program [FNS Records] \nSFNP IMO 2: Reduced food waste \nIMO2.1: Difference in weight between food served and food \nuneaten (thrown away) [BOSfoodlove] \nSFNP IMO 3: Increase in schools that do not sell, serve or \nprovide food and beverages outside of the school meal plan \nthat do not meet BPS nutritional guidelines [Profiles] \nIMO3.1: #(%) of schools where students cannot purchase \nsnacks, meals or beverages from school vending machines \nor at a school store, fundraisers, canteen, or snack bar during" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 120, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "lunch \nIMO3.2: #(%) of schools that sell food and/or beverages from \nschool vending machines or at a school store, fundraisers, \ncanteen, or snack bar that met BPS nutritional guidelines \nSFNP IMO 4: Increase in student practicing healthy eating \nhabits [FNS Records] \nIMO4.1: # of breakfast provided \nIMO4.2: # of milk provided" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 121, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 52:\nSuperintendent’s Circular HWD-01 \nPage 52 of 102 \n \n \n \nIMO4.3: # of students choosing/served a fruit \nIMO4.4: # of students choosing/served a vegetable \nPhysical Activity & Physical Education (PE/PA) Metrics \nPE/PA Process Outcomes [HWD Records] \nPO1: # of PD opportunities for PE, PA and SRTS \nPO2: # of teachers in attendance at PDs \nPO3: # of IC sessions for PE, PA and SRTS \nPO4: Tools developed for school-based staff (Qual) \nPO5: # of TA sessions \nPO6: # of active PA community partnerships \nPO7: # of PE curricula distributed \nPO8: # of PE equipment distributed \nPO9: # of MS Athletic programs \nPO10: # of HS Athletic programs" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 122, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "PO10: # of HS Athletic programs \nPE/PA STO1: Improve the staffing capacity of schools to \nprovide PE according to Policy \nSTO1.1: #(%) of schools with PE staff FTE to provide PE" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 123, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 53:\nSuperintendent’s Circular HWD-01 \nPage 53 of 102 \n \n \n \naccording to policy. \nPE/PA STO 2: Increase capacity of school-based staff to \ndeliver high quality PE/PA programs \nSchool day: PE, Recess, Before/After school programming \n(including sports), SRTS [HWD Records] \nSTO2.1: #(%) of schools with PE teachers completed IC during \nlast 2 years \nSTO2.2: #(%) of schools implementing standards-based PE \ncurricula \nSTO2.3: #(%) of schools with PE teachers that have \ncompleted PD for PE \nSTO2.4: #(%) of schools with teachers that have completed \nPD for PA \nSTO2.5: #(%) of schools with teachers that have completed \nPD for SRTS \nSTO2.6: #(%) of schools receiving training on active recess" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 124, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "PE/PA STO 3: Increase % of schools offering any PE \nSTO3.1: # (%) of schools offering any amount of PE classes \n[Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 125, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 54:\nSuperintendent’s Circular HWD-01 \nPage 54 of 102 \n \n \n \nPE/PA STO 4: Increase % of schools offering recess to grades \nPreK-8 [Profiles] \nSTO4.1: #(%) of schools offering at least 20 min of recess for \ngrades PreK-5 \nSTO4.2: #(%) of schools offering at least 20 min of recess for \ngrades 6-8 \nPE/PA STO 5: Increase % of schools offering before- and \nafter-school physical activity opportunities \nSTO5.1: #(%) of schools in SRTS program [HWD Records] \nSTO5.2: #(%) of schools with MS Athletic programs [Athletics \nDept] \nSTO5.3: #(%) of schools with HS Athletic programs [Athletics \nDept] \nSTO5.5: #(%) of schools offering opportunities for students to" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 126, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "participate in intramural sports programs or physical activity \nclubs [Profiles] \nPE/PA STO 6: Increase % of schools not withholding physical \nactivity as punishment \nSTO6.1: # (%) of schools not withholding physical activity as \npunishment [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 127, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 55:\nSuperintendent’s Circular HWD-01 \nPage 55 of 102 \n \n \n \nPE/PA STO 7: Increase number of schools that access \nresources, partnerships and supports \nSTO7.1: #(%) of schools with partnerships by PA/PE type \n[Partnership Portal] \nSTO7.2: #(%) of schools with resources/supports by PA/PE \ntype [HWD Records] \nPE/PA STO 8: Improve collaborations between the District, \ncity agencies, schools, families and schools around safe, \nactive transportation \nSTO8.1: # (%) of schools with identified priority walking \nroutes [HWD records] \nSTO8.2: # (%) of schools participating in Walk to School Day \n[HWD Records] \nSTO8.3: # (%) of schools that provide pedestrian safety" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 128, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "education programming [HWD Records] \nSTO8.4: # (%) of schools that provide support for families \nrelated to walking, rolling or transit [2019 Profiles] \nSTO8.5: # (%) of schools represented in requested \ntransportation surveys \nPE/PA IMO 1: Increase % of students reporting having PE" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 129, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 56:\nSuperintendent’s Circular HWD-01 \nPage 56 of 102 \n \n \n \n[YRBS] \nIMO1.1: # (%) MS and HS students reporting PE one or more \ntimes per week \nIMO1.2: # of students who receive physical education classes \n(enrollment in PE course; grade on their report card) \nPE/PA IMO 2: Increase % of schools providing PE according \nto BPS policy [Profiles] \nIMO2.1: # (%) of schools (which contain grades PreK-8) that \nare providing 45 minutes of weekly PE for students in grades \nPreK-8 \nIMO2.2: # (%) of schools (which contain grades PreK-8) that \nare providing recommended 80 min of weekly PE for \nstudents in grades PreK-8 \nIMO2.3: # (%) of schools (which contain grades 9-12) that are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 130, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "providing 1 semester of PE each year for students grades 9-\n12 \nPE/PA IMO 3: Increase % of students reporting active \ntransportation to and from school \nIMO3.1: % of students that report walking or biking to school \n[YRBS]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 131, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 57:\nSuperintendent’s Circular HWD-01 \nPage 57 of 102 \n \n \n \nPE/PA IMO 4: Increase % of schools with grades PreK- 8 \nmeeting policy for 150 minutes of weekly PA \nIMO4.1: # (%) of schools providing students (PreK-8) with 150 \nminutes of physical activity, including at least 45 minutes of \nPE per week and 20 minutes of recess daily [Profiles] \nPE/PA IMO 5: Improve the equity of access to athletic \nprogramming [Athletics] \nIMO5.1: #(%) students participating in a school sports \nprogram \nIMO5.2: #(%) of schools offering access to Athletics Programs \naccording to the BPS Athletics Criteria for Equity \nIMO5.3: # (%) of schools with equal number of boys’ and girls’ \nathletic teams" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 132, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "athletic teams \nComprehensive Health Education (CHE) Metrics \nCHE Process Outcomes: [HWD records] \nPO1: # of HE PD opportunities \nPO2: # of teachers/staff in attendance at PDs \nPO4: Tools developed for school-based staff (Qual)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 133, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 58:\nSuperintendent’s Circular HWD-01 \nPage 58 of 102 \n \n \n \nPO5: # of TA sessions \nPO6: # of HE related community partnerships \nPO7: # of resources provided to schools (curriculum, \ninstructional supplies) \nCHE STO 1: Increase capacity of school-based staff to deliver \nhigh-quality, skills-based comprehensive health education \n[HWD Records] \nSTO1.1: #(%) of HE teachers trained on CHE curricula \nSTO1.2: #(%) of teachers/staff trained on CHE curricula \nSTO1.3: #(%) of teachers/staff trained on Sexual Health Ed \ncurriculum \nSTO1.4: #(%) of teachers/staff reporting an increase in \nknowledge and skills post PD \n#(%) of schools with teachers who received IC" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 134, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "#(%) of schools with teachers who received IC \nCHE STO2: Increase number of qualified and trained \nteachers in elementary school and licensed health education \nteachers in middle and high schools \nSTO2.1: # of qualified and trained teachers delivering health \neducation in Elementary schools \nSTO2.3: # of Licensed health education teachers delivering" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 135, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 59:\nSuperintendent’s Circular HWD-01 \nPage 59 of 102 \n \n \n \nhealth education in Middle and High Schools \nCHE STO 3: Increased number of schools implementing \ncomprehensive health education curricula for all grades \n[HWD Records/Profiles] \nSTO3.1: # (%) of schools with PreK-3 grades that use \napproved curriculum \nSTO3.2: # (%) of schools with 4-5 grades that use Healthy & \nSafe Body Unit \nSTO3.3: # (%) of schools with 6-8 grades that use approved \ncurriculum \nSTO3.4: # (%) of schools with 9-12 grades that use approved \ncurriculum \nCHE STO 4: Increase the number of schools providing Health \nEducation [HWD Records/Profiles] \nSTO4.1: # (%) of schools providing HE in 2+ elementary" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 136, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "grades \nSTO4.2: # (%) of schools offering 2 semesters of HE in MS \nSTO4.3: # (%) of schools offering 1 semester of HE in HS \nCHE STO 5: Increase number of schools that leverage" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 137, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 60:\nSuperintendent’s Circular HWD-01 \nPage 60 of 102 \n \n \n \nresources, partnerships and supports to improve the quality \nof HE [Profiles/HWD] \nSTO5.1: # (%) of schools with partnerships to support HE \nteaching [Profiles] \nSTO5.2: # (%) of school with partnerships to promote health \nliteracy among student and families \nSTO5.3: # (%) of schools accessing District \nresources/supports [Profiles] \nCHE IMO 1: Increase in number of schools providing HE \naccording to BPS policy [Profiles, HWD records, OHC Staffing \nData] \nIMO1.1: # (%) of schools with trained BPS teachers teaching \ngrades 4-5 Healthy and Safe Body Unit in all classes" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 138, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "IMO1.2: # (%) of schools with grades 6-8 offering at least two \nsemesters of skills-based health education for all students \ntaught by a licensed health education teacher \nIM1.3: # (%) of schools with grades 9-12 offering at least one \nsemester of skills-based health education for all students \ntaught by a licensed health education teacher \nCHE IMO 2: Increased number of students who received \ndedicated health education time [ASPEN/SIS]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 139, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 61:\nSuperintendent’s Circular HWD-01 \nPage 61 of 102 \n \n \n \nIMO2.1: # of students who receive dedicated health \neducation time \nCHE IMO 3: Increase Comprehensiveness and Accessibility of \nHealth Education Content [Profiles] \nHealthy School Environment (HSE) Metrics \nHSE Process Outcomes: \nPO1: School Environmental Audits [Environmental \nDivision/BPHC records] \nPO1.1: #(%) of schools with SEA \nPO2: Green Cleaner Policy \nPO2.1: # of safer sanitizer bottles distributed [Facilities Mgmt] \nPO2.2: #(%) of programs trained to properly use Oxivir \nPO3: Rapid Response [Facilities Mgmt] \nPO3.1: # of custodians trained to properly clean/treat \noutbreaks" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 140, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "outbreaks \nPO3.2: Updated/Improved system for tracking \nillness/outbreak responses \nPO4: Integrated Pest Management Program [Facilities \nMgmt/IPM contractors’ records]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 141, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 62:\nSuperintendent’s Circular HWD-01 \nPage 62 of 102 \n \n \n \nPO4.1: #(%) of Schools assigned IPM Contractors \nPO4.2: #(%) of Schools with IPM Plans \nPO5: Decluttering Initiative [Facilities Mgmt/Profiles (SY19-\n20)] \nPO5.1: Creation of a BPS Declutter Guide \nPO6: Water Policy [Facilities Mgmt] \nPO6.1: # (%) online and offline schools \nPO6.2: # of drinking water units by type \nPO7: Zero Waste Policy [Facilities Mgmt] \nPO7.1: #(%) of Schools with Zero Waste Coordinators \nPO7.2: #(%) of schools with zero waste equipment/bins \npresent \nPO7.3: #(%) of schools with book recycling bins \nPO7.4: #(%) of schools with textile recycling bins \nPO8: Communication of HSE Policies [Facilities" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 142, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "PO8: Communication of HSE Policies [Facilities \nMgmt/HWD/MassCOSH records] \nPO8.1: Plan/strategy to communicate the Healthy School \nEnvironment-related policies \nPO8.2: #(%) of school leaders trained on the Healthy School" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 143, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 63:\nSuperintendent’s Circular HWD-01 \nPage 63 of 102 \n \n \n \nEnvironment-related policies \nPO9: HSE Wellness Champion Program [Facilities \nMgmt/HWD/MassCOSH records] \nPO9.1: # of training sessions \nPO9.2: # of schools participating in the HSE Wellness \nChampions Program \nHSE STO 1: Increase in use of SEAs to identify and address \nHSE improvements \nSTO1.1: Track requests generated from SEAs [Facilities Mgmt] \nSTO1.1.1: #(%) of repair requested as a result of SEA \nSTO1.1.2: #(%) of repair requests completed as a result of SEA \nSTO1.2: # of Principals reported reviewing results of SEA \n[Profiles] \nSTO1.3: # (# of schools with) WAP goals identified using SEA" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 144, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 64:\nSuperintendent’s Circular HWD-01 \nPage 64 of 102 \n \n \n \n[Profiles/WAP] \nHSE STO 2: Increase in the schools with staff using green \ncleaners in classrooms and offices \nSTO2.1: #(%) of schools with staff aware of green cleaning \npolicy [Profiles] \nSTO2.2: % of schools with staff using green cleaners in \nclassrooms and offices [Profiles] \nSTO2.3: #(%) of BPS Early Ed Programs, after-school \nprograms that serve food, and YMCA school-based programs \nreceiving and using Oxivir [Facilities] \nHSE STO 3: Increase school capacity to address IPM incidents \n[Profiles] \nSTO3.1: #(%) of schools that identified an IPM Coordinator \nSTO3.2: #(%) of schools with staff that know how to use IPM" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 145, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "log \nHSE STO 4: Increase schools implementing systems to \nreduce, reuse, and recycle to decrease waste and clutter \n[Facilities Mgmt]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 146, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 65:\nSuperintendent’s Circular HWD-01 \nPage 65 of 102 \n \n \n \nSTO4.1: # of schools who complete declutter initiatives \n# of tons recycled \nSTO4.2: #(%) of schools with complete and functioning Zero \nWaste Programs [Facilities Mgmt] \nSTO4.1.1: #(%) of schools properly disposing of waste by type \nSTO4.1.2: # of tons of waste removed from schools \nSTO4.1.3: # of OIIT e-waste requests submitted in one year \nSTO4.1.4: # of universal and hazardous waste pick-ups in one \nyear \nHSE STO5: Decrease in bottled water needs [Facilities Mgmt] \nSTO5.1: #(%) of offline schools returning to online \nSTO5.2: #(%) of schools undergoing water infrastructure \nimprovements" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 147, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "improvements \nHSE STO 6: Decrease in causes of poor outdoor air quality \naround school buildings \nSTO6.1: #(%) of schools where staff are aware/promote \nTobacco Free Policy [Profiles] \nSTO6.2: #(%) of schools that limit busing idling to no more \nthan 5 minutes [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 148, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 66:\nSuperintendent’s Circular HWD-01 \nPage 66 of 102 \n \n \n \nHSE STO 7: Improved building infrastructure to support \nactive transportation and active play \nSTO7.1: # (%) of playground assessment issues addressed \n[Profiles] \nSTO7.2: # (%) of schools that have bike racks or other storage \nsystems for students and staff [Facilities Mgmt] \nHSE STO 8: Increase Wellness Champion projects and \ninitiatives at schools [HWD Records] \nSTO8.1: #(%) of HSE WAP goals \nSTO8.2: #(%) of HSE WAP goals completed \nHSE IMO 1: Decrease in infection and illness outbreaks \n[Facilities Mgmt/Health Services] \nIMO1.1: # of infection and illness outbreaks \nHSE IMO 2: Decrease in pest-related incidents" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 149, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "HSE IMO 2: Decrease in pest-related incidents \nIMO2.1: #(%) of pest incidents logged, reported, and treated \n[Facilities Mgmt/IPM contractors’ records] \nHSE IMO 3: Ensure water quality, maintenance, and \npromotion" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 150, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 67:\nSuperintendent’s Circular HWD-01 \nPage 67 of 102 \n \n \n \nIMO3.1: #(%) of schools getting annual water system testing \nIMO3.2: #(%) schools with coolers cleaned \nIMO3.4: #(%) of schools that reviewed water policy with staff \nHSE LTO 1: Increase the number of high-performing school \nbuildings with grounds that are clean and in good repair \nLTO1.1: SEA Trends [Facilities Mgmt] \nSafe & Supportive Schools (SSS) Metrics \nSSS Process Outcomes: \nPO1: # of Behavioral Health community partnerships [BPS \nPartnership Portal] \nPO2: #(%) of schools using universal screening for mental \nhealth [BHS Records] \nPO3: # of PDs/ # of attendees \nPO3.1: Bullying/Violence Prevention [Succeed Boston]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 151, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "PO3.2: Restorative Justice [Succeed Boston] \nPO3.3: K-12 SEL Standards [SEL-I & SAWS Records] \nPO3.4: Targeted interventions for vulnerable populations" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 152, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 68:\nSuperintendent’s Circular HWD-01 \nPage 68 of 102 \n \n \n \n[BHS/Succeed Boston/Opportunity Youth Records] \nPO3.5: MTSS/CBHM [BHS Records] \nPO4: #(%) of schools with Student Support Team [Profiles] \nPO5: #(%) of middle and high schools with EPS liaisons \n[Profiles] \nPO6: #(%) of schools with a Homelessness Liaison \n[Opportunity Youth] \nPO7: #(%) of schools with trained Bullying Prevention \nLiaisons [Profiles] \nSSS STO 1: Increased # of schools trained in BPS K-12 SEL \nstandards \nSTO1.1: # (%) of schools that have all staff trained in BPS K-12 \nSEL standards [Profiles] \nSSS STO 2: Increased implementation of Multi-tiered System \nof Supports (MTSS-B) to improve school and classroom" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 153, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "climate [Profiles] \nSTO2.1: % (#) of schools that offer tier 1 supports \nSTO2.2: % (#) of schools that offer tier 2 supports \nSTO2.3: % (#) of schools that offer tier 3 supports" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 154, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 69:\nSuperintendent’s Circular HWD-01 \nPage 69 of 102 \n \n \n \nSTO2.4: % (#) of schools that implement Restorative Justice \nSSS STO 3: Increased targeted interventions for vulnerable \npopulations [Profiles] \nSTO3.1: #(%) of schools with gay straight alliances \nSTO3.2: #(%) of schools providing additional supports to \nvulnerable populations \nSSS STO 4: Increased CBHM implementation fidelity [BHS \nRecords] \nSTO4.1: Tiered fidelity inventory (measure normed) schools in \nCBHM model use \nSTO4.2: # of students screened in CBHM schools, fall and \nspring screening \nSSS STO 5: Increased # of schools with all staff trained on \nbullying prevention" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 155, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "bullying prevention \nSTO5.1: #(%) of schools with staff trained on bullying \nprevention [Profiles] \nSSS STO 6: Increase in the number of schools with behavioral \nhealth partner supports" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 156, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 70:\nSuperintendent’s Circular HWD-01 \nPage 70 of 102 \n \n \n \nSTO6.1: #(%) of schools with a minimum of 3 behavioral \nsupports partners [BHS Records] \nSSS STO 7: Increase in schools appropriately staffed to meet \nthe mental, emotional, and behavioral health needs of \nstudents as determined by the BPS staffing criteria for \nschool psychologists, social workers, and guidance \ncounselors \nSTO7.1: #(%) school appropriately staffed according to BPS \ncriteria [BHS/OHC Records] \nSSS STO 8: Increased quality of Student Support Teams \nSTO8.1: % of schools indicating a “yes” on the following \nProfiles question: “Include the following positions on their" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 157, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "SST: school psychologists, social workers, guidance \ncounselors (for only HS), school nurses, community partners \nand trained classroom teachers” [Profiles] \nSTO8.1: % of schools achieving Quality Index TBD \nSSS STO 9: Increased awareness of EPS policy and resources \nfor students \nSTO9.1: % of schools with an Expectant & Parenting Student \nliaison [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 158, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 71:\nSuperintendent’s Circular HWD-01 \nPage 71 of 102 \n \n \n \nSSS IMO 1: Improved system for handling bullying incidents \nin schools \nIMO1.1: TBD \nIMO1.3: # of bullying incidents reported \nSSS IMO 2: Increased # schools with all teachers \nimplementing explicit SEL instruction \nIMO2.1: # (%) of CBHM schools with all teachers teaching \nexplicit SEL Instruction with fidelity. [BHS Records (SEL \nInstruction tool: fidelity measure)] \nIMO2.2: # (%) of all schools implementing [Profiles] \nSSS IMO 3: Decrease incidents of violence at schools \nIMO3.1: # of students with Code of Conduct Violations \n(violence)/Suspensions [SIS] \nIMO3.2: # of school referrals to Succeed Boston for violent" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 159, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "offenses [Succeed Boston] \nSSS IMO 4: Increase number of schools with safe school \nclimate [School Climate Survey/ODA]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 160, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 72:\nSuperintendent’s Circular HWD-01 \nPage 72 of 102 \n \n \n \nIMO4.1: District score on Sense of Belonging Scale \nIMO4.2: District score on Student Emotional Safety Scale \nIMO4.3: District score on Staff Support Scale \nIMO4.4: District score on Student Physical Safety Scale \nSSS IMO 5: Decrease in crisis/behavioral response requests \nfrom schools [Health Services/BHS] \nIMO5.1: # of incidents where ambulance or police has been \ncalled for behavioral health needs \nSSS IMO 6: Increase SEL Skills in students \nIMO6.1: BIMAS adaptive scales (CBHM schools) \nIMO6.2: TBD-District-wide \nSSS IMO 7: Increase in expectant and parenting students \naccessing resources" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 161, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "accessing resources \nIMO7.1: # (%) of schools with EPS liaisons \nusing/communicating liaison supports [Profiles] \nHealth Services Metrics \nHS Process Outcomes:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 162, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 73:\nSuperintendent’s Circular HWD-01 \nPage 73 of 102 \n \n \n \nPO1: Quality Improvement [HS Records] \nPO1.1: Electronic Medical Record Protocols written \nPO1.2: Formula for staffing school nurses developed \nPO1.3: System for creating a universal scorecard for nursing \npractice \nPO1.4: Nurse support system established \nPO2: Professional Development for Nurses [HS Records] \nPO2.1: #(%) of nurses trained \nPO2.3: #(%) of schools with nurses trained \nPO2.4: # of Nursing PD opportunities by type \nPO3: Nurse Liaison Technical Assistance [HS records] \nPO3.1: # of TA sessions \nPO3.2: # of schools receiving TA \nPO4: School Nurse Direct Services [SNAPNurse] \nPO4.1: # of injury visits" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 163, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "PO4.1: # of injury visits \nPO4.2: # of acute disease management visits \nPO4.3: # of chronic disease management visits \nPO4.4: # of visit for treatments and medications" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 164, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 74:\nSuperintendent’s Circular HWD-01 \nPage 74 of 102 \n \n \n \nPO4.5: Case management (school nurse/PCP/parent) \nPO4.6: # of screenings/referral/completed referrals \nPO4.7: School Nurse Referrals \nPO4.7.1: # of referrals to HRCs \nPO4.7.2: # of referrals to SBHCs \nPO4.7.3: # of referrals for acute medical management \nPO4.7.4: # of referrals for chronic disease management \nPO5: # of nurse-led school staff training sessions \nPO6: # of Individual and group sessions with students \nPO7: # of health promotions \nPO8: Community partner services \nPO8.1: HRCs \nPO8.2: SBHCs \nPO8.3: # of schools receiving community partnerships by \ntype \nPO9: Condom Accessibility [HWD records]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 165, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "type \nPO9: Condom Accessibility [HWD records] \nPO9.1: % of high schools with CATs \nPO9.3: % of CAT members trained on how to make referrals" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 166, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 75:\nSuperintendent’s Circular HWD-01 \nPage 75 of 102 \n \n \n \nand provide condoms \nHS STO 1: Increase schools appropriately staffed to meet the \nmedical needs of students as determined by the BPS Health \nServices staffing criteria \nSTO1.1: # (%) school appropriately staffed according to BPS \ncriteria [OHC]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 167, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 76:\nSuperintendent’s Circular HWD-01 \nPage 76 of 102 \n \n \n \nHS STO 2: Increase capacity of school-based staff to deliver \nhigh quality nursing services \nSTO2.1: #(%) of schools with nurses receiving required Health \nService Professional Develop (18 hour and/or monthly \nexemplar practice) \nSTO2.2: # of nurses reviewed using the Health Services \nScorecard \nSTO2.3: # of schools with 90% or greater of immunization \ncompliance \nSTO2.4: % of Individual Health Care Plans (IHCP) \nSTO2.5: % of schools with 90% or greater compliance with \nDistrict physical exam policy \nSTO2.6: # One-on-one counseling \nSTO2.7: # of nurses receiving National Asthma Certification" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 168, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "HS STO 3: Improve school-wide awareness for students with \nchronic disease \nSTO3.1: % of schools that have all Individual Health Care \nPlans (IHCP) for students with Individual Education Plans \nwith required signatures [SNAPNurse] \nHS STO 4: Increase the % of students receiving state-" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 169, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 77:\nSuperintendent’s Circular HWD-01 \nPage 77 of 102 \n \n \n \nmandated screenings [SNAPNurse] \nSTO4.1: # (%) of schools with XX% of students screened \nSTO4.1.1: Hearing screening \nSTO4.1.2: Vision screening \nSTO4.1.3: SBIRT screening \nSTO4.1.4: Height & Weight (Body Mass Index) \nSTO4.2: # (%) of students with referrals for failed screening \nSTO4.3: # (%) of students with completed referrals for failed \nscreenings \nHS STO 5: Increase % of students visiting the nurse that are \nable to return to the classroom for continued learning \nSTO5.1: % of students returning to their classroom \n[SNAPNurse] \nHS STO 6: Increase the schools with nurse-lead health \npromotions campaigns" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 170, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "promotions campaigns \nSTO6.1: #(%) schools conducting nurse-lead health \npromotions campaigns [ESHS Data] \nHS STO 7: Increase in the % of CATs making referrals and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 171, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 78:\nSuperintendent’s Circular HWD-01 \nPage 78 of 102 \n \n \n \nproviding condoms [ESHS Data] \nSTO7.1: # of condoms distributed by CATs \nSTO7.2: # of sexual health referrals by CATs \nSTO7.3: % of schools with functioning CATs \nHS STO 8: Increase the provision of sexual health referrals \n[Profiles] \nSTO8.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS STO 9: Increase in the provision sexual health services \n[Profiles] \nSTO9.1: % of middle and high schools with nurses providing \nsexual health referrals to students \nHS IMO 1: Improved school-wide management for students \nwith chronic disease" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 172, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "with chronic disease \nIMO1.1: # of dismissals from school related to chronic disease \n[SNAPNurse/TBD] \nStaff Wellness (SW) Metrics" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 173, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 79:\nSuperintendent’s Circular HWD-01 \nPage 79 of 102 \n \n \n \nSW Process Outcomes: \nPO1: # of District communications on staff wellness related \ntopics [External Affairs/TBD] \nPO2: DWC Staff Wellness Subcommittee co-chairs identified \n[DWC Records] \nPO3: # Subcommittee meetings held [DWC Records] \nSW STO 1: Increased staff physical activity \nSTO1.1: % of staff reporting at least 30 minutes of physical \nactivity a day [TBD] \nSW STO 2: Increased staff healthy eating \nSTO2.1: % of staff reporting eating 5 servings of fruits and \nvegetables in a day [TBD] \nSW STO 3: Increased % of schools with staff wellness \nactivities and initiatives [Profiles]" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 174, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "activities and initiatives [Profiles] \nSTO3.1: % of schools with staff wellness as a goal on their \nWellness Action Plan \nSTO3.2: % of schools that answered yes to “In the past school \nyear, did your school offer any staff wellness initiatives?”" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 175, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 80:\nSuperintendent’s Circular HWD-01 \nPage 80 of 102 \n \n \n \nSW IMO 1: Increase in teachers’ school climate \nIMO1.1: Improve professional community \nIMO1.2: Improve support for teacher development and \ngrowth \nSW IMO 2: Increased % of schools with an institutionalized \nStaff Wellness Program \nIMO2.1: % of schools with a staff wellness promotion or \nprogram that took place for an extended duration across the \nyear. [Profiles/WAP] \nWELLNESS POLICY LONG-TERM STUDENT IMPACTS \n1. Improve student physical fitness \na. % of students achieving health fitness levels (Source: \nFitnessgram) \ni. Health Fitness Zone in ⅗ assessments \nii. Health Fitness Zone for aerobic capacity" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 176, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "ii. Health Fitness Zone for aerobic capacity \n2. Reduce prevalence of health-risk behaviors among \nstudents (Source: YRBS) \na. % of students who have ever had sexual intercourse" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 177, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 81:\nSuperintendent’s Circular HWD-01 \nPage 81 of 102 \n \n \n \nb. % of students who had sexual intercourse in the last 3 \nmonths (i.e sexually active) \nc. % of students who had sexual intercourse with four or \nmore persons during their life \nd. % of students who have ever been pregnant or gotten \nsomeone pregnant \ne. % of students who did not go to school because they \nfelt unsafe at school or on their way to or from school \n(in the last 30 days) \nf. % of students who carried a weapon on school \nproperty (in the last 30 days) \ng. % of students who were threatened or injured with a \nweapon on school property (in the past 12 months)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 178, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "h. % of students who were in a physical fight on school \nproperty (in the past 12 months) \ni. % of students who were bullied on school property (in \nthe past 12 months) \nj. % of students who were electronically bullied (in the \npast 12 months) \nk. % of students who experienced physical dating \nviolence (in the past 12 months) \nl. % of students who experienced sexual dating violence" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 179, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 82:\nSuperintendent’s Circular HWD-01 \nPage 82 of 102 \n \n \n \n(in the past 12 months) \nm.% of students who were ever physically forced to have \nsexual intercourse (when they did not want to) \n3. Increase in protective health behaviors among students \n(Source: YRBS) \na. % of students who used a condom during last sexual \nintercourse (among students who were currently \nsexually active) \nb. % of students who used effective hormonal birth \ncontrol† to prevent pregnancy (during last sexual \nintercourse among students who were currently \nsexually active) \nc. % of students who used a condom and effective \nhormonal birth control during last sexual intercourse" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 180, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "(among students who were currently sexually active) \nd. % of students who were ever tested for HIV (not \nincluding tests done when donating blood) \ne. % of students who were physically active at least 60 \nminutes per day on all 7 days \nf. % of students who did not watch 3+ hours of TV (on an \naverage school day) \ng. % of students who did not play video or computer \ngames or used a computer for 3+ hours per day (for" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 181, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 83:\nSuperintendent’s Circular HWD-01 \nPage 83 of 102 \n \n \n \nsomething that was not school work, on an average \nschool day) \nh. % of students who ate breakfast daily (in the past \nweek) \ni. % of students who ate fruit or drank 100% fruit juices 2+ \ntimes per day (in the past week) \nj. % of students who ate vegetables 2+ times daily (in the \npast week) \nk. % of students who drank 3+ glasses of water daily (in \nthe past week) \nl. % of students who drank 1+ glasses of milk daily (in the \npast week) \nm.% of students who did not drink a soda (in the past \nweek) \nn. % of students who did not drink a sugar-sweetened \nbeverage† (in the past week)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 182, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "beverage† (in the past week) \n4. Improve feeling of school connectedness among students \n(Source: YRBS & Climate Survey) \na. % of students who have at least one teacher or other \nadult in their school that they can talk to if they have a \nproblem" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 183, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 84:\nSuperintendent’s Circular HWD-01 \nPage 84 of 102 \n \n \n \nb. District score on student engagement in school scale \nc. District score on appreciation for diversity scale \nd. District score on student civic participation scale \n5. Improve student social-emotional wellbeing \na. District score on student social emotional health scale \nb. District score on student growth mindset scale \nc. District score on student perseverance and \ndetermination scale \n6. Improve student mental health outcomes (Source: YRBS) \na. % of students who felt depressed (sad or hopeless \nalmost every day for two weeks or more in a row that \nstopped them from doing some usual activities)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 184, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "stopped them from doing some usual activities) \nb. % of students who did something to purposely hurt \nthemselves without wanting to die \nc. % of students who seriously considered attempting \nsuicide \nd. % of students who attempted suicide \n7. Reduce prevalence of substance use among students \na. % of students who currently used tobacco products \n(cigarettes, cigars, smokeless tobacco, electronic vapor" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 185, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 85:\nSuperintendent’s Circular HWD-01 \nPage 85 of 102 \n \n \n \nproducts) \nb. % of students who currently smoked cigarettes or \ncigars \nc. % of students who currently used electronic vapor \nproducts \nd. % of students who currently drank alcohol \ne. % of students who currently binge drank (males 5+ \ndrinks; females 4+ drinks in a row) \nf. % of students who currently used marijuana \ng. % of students who ever took prescription pain \nmedication without a doctor’s prescription or \ndifferently from how a doctor told them to use it \n8. Increase prevalence of students with health weight status \na. % of students with health MI status (Source: \nSNAPNurse)" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 186, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "SNAPNurse) \n9. Reduce in prevalence of asthma among students \na. % of students with asthma diagnosis \n(Source:SNAPNurse) \n10. Reduce the prevalence of sexually transmitted diseases, \nHIV, and adolescent pregnancy among students (Source:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 187, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 86:\nSuperintendent’s Circular HWD-01 \nPage 86 of 102 \n \n \n \nBPHC) \na. Incidence rate for chlamydia among Boston youth \nb. Incidence rate for gonorrhea among Boston youth \nc. Incidence rate for Incidence rate for gonorrhea among \nBoston youth among Boston youth \nd. Prevalence of Boston youth living with HIV \ne. Birth rate among adolescent females \n11. Decrease number of medically-related absences among \nstudents (Source: ODA) \na. # of medically-related absences among students \n12. Improve school climate for staff (Source: School Climate \nSurvey) \n \nIII. DEFINITIONS \n \nAll students attend a Boston Public School and include but are" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 188, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "not limited to students with identities that are related to culture, \nrace, ethnicity, sexual orientation, gender, gender identity, and \nability." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 189, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 87:\nSuperintendent’s Circular HWD-01 \nPage 87 of 102 \n \n \n \nBullying is a form of emotional or physical abuse that has three \ndefining characteristics*: \n● Deliberate: A bully’s intention is to hurt someone. \n● Repeated: A bully often targets the same victim again and \nagain. \n● Power imbalanced: A bully chooses victims he or she \nperceives as vulnerable. \n*Bullying is different from conflict, fights, or disagreements. It \nmust meet the above criteria. \n \nBoston Public Schools Property includes all properties where \nstudents and Boston Public School staff work or attend class. \n \nComprehensive Health Education is medically accurate, age and" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 190, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "developmentally appropriate, culturally inclusive, implemented \nin safe and supportive learning environments where all students \nfeel valued, and includes nutrition education. \n \nComprehensive School Physical Activity Program (CSPAP) is an \napproach by which school Districts and schools utilize all \nopportunities for school-based physical activity to develop \nphysically educated students who participate in physical activity \neach day and develop the knowledge, skills, and confidence to be" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 191, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 88:\nSuperintendent’s Circular HWD-01 \nPage 88 of 102 \n \n \n \nphysically active for a lifetime. Quality physical education is the \ncornerstone of a CSPAP. CSPAP also includes school-based \nphysical activity opportunities; school employee wellness and \ninvolvement; and family and community involvement. \n \nComprehensive Sexual Health Education is a planned, \nsequential, Pre-K – 12 curriculum that is part of a comprehensive \nschool health approach which addresses age-appropriate \nphysical, mental, emotional and social dimensions of human \nsexuality. It should allow students to develop and demonstrate \ndevelopmentally appropriate sexual health-related knowledge," + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 192, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "attitudes, skills and practices. The curriculum should be designed \nto motivate and assist students to maintain and improve their \nsexual health by delaying sexual initiation, preventing disease \nand too-early pregnancy and reducing sexual health-related risk \nbehaviors. It should be medically accurate, developmentally \nappropriate, culturally, including LGBTQ inclusive, and be \nprovided by qualified, trained, and certified teachers (Future of \nSex Education). \n \nCultural Proficiency: esteeming culture, interacting effectively in \na variety of cultural groups, using inclusive language, committing \nto continuous learning. \n \nCyber bullying is bullying that takes place using electronic" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 193, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "technology. Examples of cyber bullying include mean text" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 194, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 89:\nSuperintendent’s Circular HWD-01 \nPage 89 of 102 \n \n \n \nmessages or emails, rumors sent by email or posted on social \nnetworking sites, and embarrassing pictures, videos, websites, or \nfake profiles. \n \nFederally Funded Child Nutrition Programs include the National \nSchool Lunch Program, National School Breakfast Program, After \nSchool Snack Program, and the Child & Adult Care Food Program. \n \nLGBTQ is an acronym for individuals who identify as Lesbian, Gay, \nBisexual, Transgender, Queer or Questioning. \n \nHealth Literacy is the capacity of an individual to obtain, \ninterpret, and understand basic health information and services" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 195, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "and the competence to use such information and services in \nways that are health enhancing (National Health Education \nStandards). \n \nHealth Services represents the component of a comprehensive \nschool health program that directly services the individual child \nand monitors health trends within the District. It includes both \nthe school nurse programs and the school-based health center \nprograms. The goal of health services is to remove the \neducationally relevant health obstacles to learning by ensuring \naccess and/or referral to primary health care services, managing" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 196, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 90:\nSuperintendent’s Circular HWD-01 \nPage 90 of 102 \n \n \n \nchronic disease conditions during school hours, preventing and \ncontrolling communicable disease and other health problems, \nproviding emergency care for illness or injury, promoting and \nproviding optimum sanitary conditions for a safe school facility \nand school environment and providing educational and \ncounseling opportunities for promoting and maintaining \nindividual family and community health. \n \nNutrition Promotions are strategies, social marketing, materials, \nand oral & written communications that provide methods to shift \ncultural norms toward healthier foods and beverages." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 197, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Parent engagement occurs when schools are actively involving \nparents in an authentic partnership with aims of improving \nindividual student’s outcomes and school wide initiatives. \n \nPhysical Education (PE) is a planned, sequential program of \ncurricula and instruction that helps students develop the \nknowledge, attitudes, motor skills, self-management skills and \nconfidence needed to adopt and maintain physically active \nlifestyles. PE curricula must align with the BPS PE frameworks. \nPE activities that focus on a single activity, such as swimming \nand dance, count as PE only if it is part of a CSPAP and aligned \nwith BPS PE Frameworks." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 198, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 91:\nSuperintendent’s Circular HWD-01 \nPage 91 of 102 \n \n \n \nPhysical Activity (PA) is a behavior consisting of bodily movement \nthat requires energy expenditure above the normal physiological \n(muscular, cardiorespiratory) requirements of a typical school \nday. Recess, movement breaks, promotional activities, and cross-\ncurricular incorporation are some examples of PA that should \nNOT be counted as PE; PA is not PE and it cannot be allocated as \nPE. \n \nSafe and Supportive Schools create a positive school climate that \nactively teaches positive behavior and engaging in prevention \nactivities to promote feelings of security and connectedness for \nstudents and adults." + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 199, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "students and adults. \n \nWellness is a process by which individuals move toward optimal \nphysical and mental health, regardless of current health status or \ndisability, by practicing healthy choices within an enabling \nenvironment that encourages healthy decision-making. \n \n \n \n IV. \nINDEX OF FEDERAL, STATE, AND BOSTON \nPUBLIC SCHOOL WELLNESS-RELATED POLICIES & \nGUIDELINES \n \n \nRelevant and existing school policies, for which school-based" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 200, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 92:\nSuperintendent’s Circular HWD-01 \nPage 92 of 102 \n \n \n \nWellness Councils and school staff must comply, are referenced \nbelow. \n \nA. School Food and Nutrition Promotion-related policies shall be \nfollowed by all Boston Public Schools: \n○ Meals served in Boston Public Schools are in accordance \nwith the National School Meals Programs. Federally funded \nchild nutrition programs must comply with the nutrition \nstandards for school meals, outlined in the Healthy Hunger-\nFree Kids Act of 2010. \n○ 105 CMR 225: Nutrition Standards for Competitive Foods and \nBeverages in Public Schools \n○ Mayor Menino’s Executive Order for Healthy Beverages \n○ FNS-01: Food Nutrition Services" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 201, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "○ FNS-01: Food Nutrition Services \n○ FNS-02: Emergency Meal Procedures \n○ FNS-03: Nutrition Policy \n○ FNS-04: Responsibilities Regarding School Food Services \n \nB. Comprehensive Physical Activity and Physical Education-\nrelated policies shall be followed by all Boston Public Schools: \na. Massachusetts Legislation" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 202, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 93:\nSuperintendent’s Circular HWD-01 \nPage 93 of 102 \n \n \n \n○ MGL c. 71, s. 3: Physical Education \nb. District Circulars \n○ HWD-02: Physical Education and Physical Activity Policy \n○ ATH-01: Prevention & Management of Sports-Related \nHead Injuries \n \nC. Comprehensive Health Education-related policies shall be \nfollowed by all Boston Public Schools: \n○ HWD-03: Comprehensive Health Education Policy \n○ HWD-05: Human Sexuality Education-Parental Notification \n \nD. Healthy School Environment-related policies shall be followed \nby all Boston Public Schools: \na. Massachusetts Legislation \n○ MGL c. 90, s. 16B Idling of a motor vehicle engine on \nschool property \nb. District Circulars" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 203, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "school property \nb. District Circulars \n○ BPS Water Access Policy \n○ FMT-07: Chemical Inventory “Right to Know” Law \n○ FMT-08: System-wide Zero Waste Policy" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 204, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 94:\nSuperintendent’s Circular HWD-01 \nPage 94 of 102 \n \n \n \n○ FMT-10: Integrated Pest Management (IPM) \n○ FMT-11: Green Cleaners Policy \n○ FMT-14 Hearing Conservation Program \n○ FMT-15: BPS/Boston Public Health Commission \nEnvironmental Inspection/Audit Program (City \nOrdinance 7.12.1-4) \n○ FSE-06: Student Safety / Health in School Shops, \nLaboratories and Classrooms \n○ HWD-04: Whole School Health & Wellness: Healthy \nSchool Environment Policy \n○ HWD-06: Tobacco Free Environment Policy \n○ SHS-04: Infection Prevention and Control in School \nSettings \n○ SHS-20: Asthma in Schools \n \nE. Safe and Supportive Schools-related policies shall be followed \nby all Boston Public Schools:" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 205, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "by all Boston Public Schools: \na. Federal Legislation \n○ Elementary and Secondary Education Act of 1965, as \namended, Title IV, Part A, Subpart 2, Section 4121 - \nFEDERAL ACTIVITIES; 20 U.S.C. 7131" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 206, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 95:\nSuperintendent’s Circular HWD-01 \nPage 95 of 102 \n \n \n \nb. Federal Regulations \n○ Education Department General Administrative \nRegulations (EDGAR) - 34 CFR Parts 75, 77, 79, 80, 81, 82, \n84, 85, 86, 97, 98, 99 (b) The regulation in 34 CFR part 299 \n○ Title VI of the Civil Rights Act of 19641 (Title VI), which \nprohibits discrimination on the basis of race, color, or \nnational origin; \n○ Section 504 of the Rehabilitation Act of 19733 (Section \n504); and Title II of the Americans with Disabilities Act of \n19904 (Title II). Section 504 and Title II prohibit \ndiscrimination on the basis of disability,5 as referenced \nin the Office of the Assistant Secretary’s “Dear" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 207, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "in the Office of the Assistant Secretary’s “Dear \nColleague” letter of October 2010. \n○ Title IX, Education Amendments of 1972 which prohibits \ndiscrimination on the basis of sex, including individuals \nwho are pregnant or parenting. \n■ Title 20 U.S.C. Sections 1681-1688 \nc. Massachusetts Legislation \n○ SL 2010, c.92: Bullying in Schools \n○ MGL c.12, s.11H: Violation of Constitutional Rights \n○ MGL c.265 s.43: Stalking \n○ MGL c.265, s.43A: Criminal Harassment \n○ MGL c.266, s.37E: Identity Fraud" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 208, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 96:\nSuperintendent’s Circular HWD-01 \nPage 96 of 102 \n \n \n \n○ MGL c.269, s.17: Hazing \n○ MGL c.269, s.18: Failure to Report Hazing \n○ MGL c.269, s.19: Schools to provide copy of hazing law to \nstudents \n○ MGL c.119, s.21: Mandated Reporters defined. \n○ MGL c.119, s.51A: Mandated Reporting explained \n○ MGL c.76, s. 5 An Act Relative to Gender Identity \n○ CHAPTER 188 An Act Improving the Public Schools of \nthe Commonwealth \nd. Massachusetts Regulations \n○ 610 CMR 5 Hazing Reporting- Secondary Schools \n○ 603 CMR 33 Hazing Reporting- Higher Educations \n○ 603 CMR 49 Notification of Bullying or Retaliation \ne. District Circulars \n \n○ ACA-18: Attendance Policies" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 209, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "○ ACA-18: Attendance Policies \n○ ACA18A: Attendance Procedures \n○ ACA-18B: Procedures for Referral to Supervisors of \nAttendance \n○ EQT-07: Accommodating Employees with Disabilities" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 210, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 97:\nSuperintendent’s Circular HWD-01 \nPage 97 of 102 \n \n \n \n○ EQT-05: Employee Reports of Bias \n○ EQT-02: Student, Family or Other Third Party Reports of \nBias \n○ EQT-01: Non-Discrimination Policy and Statement \n○ EQT-06: Sexual Misconduct Toward Employees \n○ EQT-03: Sexual Misconduct Toward Students \n○ EQT-04: Students and Gender Identity \n○ LGL-11: Sexual Orientation – Protection of Students \nAgainst Discrimination \n○ FAM-01: School Site Councils \n○ FAM-02: School Parent Council \n○ FAM-03: Middle and High School Student Government \n○ FAM-05: Title I Family Engagement Requirements \n○ FSE-01: School Safety Contingency Plans \n○ FSE-02 Fire Safety Practices" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 211, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "○ FSE-02 Fire Safety Practices \n○ FSE-04 Bomb Threat Procedures \n○ FSE-05 Medical Emergency Management \n○ FSE-06 Student Safety / Health in School Shops, \nLaboratories and Classrooms" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 212, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 98:\nSuperintendent’s Circular HWD-01 \nPage 98 of 102 \n \n \n \n○ FSE-07 Public Health and Workplace Safety \n○ FSE-08 Teaching Students the Containment Protocol \nMini-Session \n○ LGL-01 Hazing Law \n○ LGL-04 School Visitors Guidelines \n○ LGL-05 Racial or Ethnic Discrimination/Harassment of \nStudents \n○ LGL-06 Religious Holy Days \n○ LGL-13 Sexual Assault Policy \n○ LGL-15 Student Surveys \n○ LGL-17 Religious Expression in Public Schools \n○ LGL-20 Corporal Punishment \n○ SAF-01 Student Search Procedures \n○ SAF-02 Weapons and Objects of No Reasonable Use \n○ SAF-04 Incident Data Reporting and Release \n○ SAF-07 Metal Detectors \n○ SAF-09 Lost Children Procedures" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 213, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "○ SAF-09 Lost Children Procedures \n○ SAF-11 Sexual Offender Registry Information (SORI) \n○ SAF-12: School Access Control" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 214, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 99:\nSuperintendent’s Circular HWD-01 \nPage 99 of 102 \n \n \n \n○ SHS-01: Drug and Alcohol Abuse \n○ SHS-16: Suicide Prevention and Intervention \n○ SPE-03: Physical Restraint Policy \n○ SPE-14: Counseling Guidelines \n○ SPE-15: Discipline of Students with Disabilities \n○ SSS-02: Homeless Students - Guidelines and Procedures \n○ SSS-07: Persistently Dangerous Schools \n○ SSS-18: Bullying Prevention and Intervention Plan \n○ SUP-20: Child Abuse and Neglect \n○ SUP-21: Expectant & Parenting Students \n○ SUP-05: Code of Discipline \n \nF. Health Services-related policies shall be followed by all Boston \nPublic Schools \n○ ATH-01: Prevention & Management of Sports-Related Head \nInjuries" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 215, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Injuries \n○ FSE-05 Medical Emergencies \n○ SHS-23: Condom Accessibility \n○ LGL-16: Student Health Information" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 216, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 100:\nSuperintendent’s Circular HWD-01 \nPage 100 of 102 \n \n \n \n○ SHS-04: Infection Prevention and Control in School Settings \n○ SHS-05: Tuberculosis Program \n○ SHS-06: Immunization Law \n○ SHS-08: Medication Dispensation \n○ SHS-11: Life Threatening Allergies (LTA or Anaphylaxis) Policy \nand Implementation \n○ SHS-12: HIV/AID Policy and Guidelines \n○ SHS-13: Medical Transportation \n○ SHS-20: Asthma in Schools \n○ SHS-21: Diabetes Policy \n○ SHS-22: Automatic External Defibrillator (AED) Use and \nAccess Policy \n \nG. Cultural Proficiency-related policies shall be followed by all \nBoston Public Schools \n○ CAO-05: Services to Limited English Proficient Students" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 217, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "○ ELL-04: Title I Expenditures for English Language Learners \n○ EQT-01: Non-Discrimination Policy and Statement \n○ EQT-02: Student, Family or Other Third Party Reports of Bias" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 218, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 101:\nSuperintendent’s Circular HWD-01 \nPage 101 of 102 \n \n \n \n○ EQT-03: Sexual Misconduct Toward Students \n○ EQT-05: Employee Reports of Bias \n○ EQT-06: Sexual Misconduct Toward Employees \n \n○ EQT-07: Accommodating Employees with Disabilities \n \n○ FAM-02: School Site Councils \n○ FAM-01: School Parent Council \n○ FAM-03: Middle and High School Student Government \n○ FAM-05: Title I Family Engagement Requirements \n○ FAM-06: Boston Student Advisory Council \n○ LGL-05: Racial or Ethnic Discrimination/Harassment of \nStudents \n○ LGL-11: Sexual Orientation - Protection of Students Against \nDiscrimination" + }, + { + "folder_name": "Health & Wellness", + "file_name": "HWD-01 Wellness Policy", + "chunk_id": 219, + "uri": "https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link", + "content": "Page 102:\nSuperintendent’s Circular HWD-01 \nPage 102 of 102 \n \n \n \n \nFor more information about this circular, contact: \n \nOwner: \nSenior Executive Director of Health & Wellness \nDepartmen\nt: \nHealth & Wellness \nMailing \nAddress: \n370 Columbia Rd, Dorchester, MA 02125 \nPhone: \n617-635-9698 \nEmail: \nhealthandwellness@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP17 \nVersion 01 \n \nEMPLOYEE RESIGNATION, RETIREMENT, AND \nSEPARATION PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA resignation is a voluntary action taken by an employee who \nwishes to terminate their employment with the Boston Public \nSchools. \nRESIGNATION/SEPARATION \nAn employee shall notify their immediate supervisor regarding \ntermination of employment with Boston Public Schools. This \nnotice must be in writing, state the employee’s last day of work, \nand be signed by the employee. A sample resignation letter \n(found on page 7) may be used to provide written notice." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "To submit a resignation letter: \n1. Complete the resignation termination form by clicking on \nthe link Termination/Retirement/Resignation Notification \nForm. Complete the form and upload a signed letter of \nresignation. Please enter a personal email address on the \nresignation/termination form to receive the final email \nnotification acknowledging your resignation from the Office \nof Human Resources." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP17 \nPage 2 of 7 \n \n2. The resignation form will send an email notification to your \nsupervisor. \n3. Supervisors will approve/process, and notification will then \nbe sent to the Office of Human Resources to process. \n4. An email notification finalizing the process will be emailed \nto your personal email address that you provide on the \nresignation/termination form. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please \nprovide your personal email address to receive the final" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "email notification acknowledging your resignation from the \nOffice of Human Resources. \nRETIREMENTS \n1. An employee who is planning to retire must first file an \n“Intent to Retire” with the City of Boston Retirement Board. \nPlease note that pursuant to Retirement Board policy, an \nemployee cannot file the Intent to Retire more than four (4) \nmonths prior to their intended retirement date. \n2. After you submit your signed Intent to Retire form to the \nBoston State Retirement Board, please complete the \nResignation/Retirement form by clicking on the link \nTermination/Retirement/Resignation Notification Form. \n3. Upload a signed letter resigning for the purpose of retiring" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "along with your signed Intent To Retire form that you \nsubmitted to the Retirement Board. Please enter a personal \nemail address on the retirement/resignation form to receive" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP17 \nPage 3 of 7 \n \nan email notification acknowledging your \nretirement/resignation when finalized by the Office of \nHuman Resources. \n4. Resignation/Retirement form will send an email notification \nto your supervisor who will sign off on the notification of \nyour resignation/retirement and submit notification to the \nOffice of Human Resources to finalize the retirement \ntermination process. \n5. For those unable to access the link, you can have a \nsupervisor or secretary complete the form on your behalf. \nThe supervisor will submit via the online process for \nentering resignation/retirement/terminations. Please" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "provide your personal email address to receive the final \nemail notification acknowledging your \nretirement/resignation. \nFor more information on the retirement process, employees \nshould contact the Boston Retirement Board for an appointment \nby telephone at 617-635-4311 or via email at \nretirementboard@boston.gov. The Retirement Board is located \nat 1 City Hall Square, Room 816, Boston, MA 02201-2038. \nCANCELLATION OF RESIGNATION/RETIREMENT \nResignations and retirements may be canceled before an \nemployee’s effective date of termination. A signed letter must be \nreceived by the Office of Human Resources and Retirement" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Board if canceling retirement prior to the close of business on the \noriginal resignation/retirement date. \nOnce the resignation effective date has passed, an employee may \nreturn to the Boston Public Schools only through the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP17 \nPage 4 of 7 \n \nreemployment process by applying for a position. \nEMPLOYEE SEPARATION CHECKLIST (EMPLOYEE PORTION): \nTerminating employees are advised to complete the following \nprior to exiting Boston Public Schools: \n1. Complete the resignation/retirement termination \nnotification form and upload a signed letter of resignation to \nyour school/dept or OHC over the summer months by \nclicking on the link Termination/Retirement/Resignation \nNotification Form. See sample resignation letter on page 4 \nof this circular. \n2. Please return any Boston Public Schools property that you \nstill have in your possession, e.g., keys, cell phone, laptop," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "etc., on or before your last day of employment. For keys and \nschool building materials, please contact your school leader \nto arrange to return those items. \n3. L4L Laptop (Laptops for Learning), please call the OIIT \nService Desk, 617-635-9200 to schedule an appointment to \nreturn the laptop, bag, and peripherals. \n4. Enter all Absence Requests on Employee Self Service (ESS). \n5. Cancel any meetings or out of district activities that are \nscheduled prior to the last day of employment and work \nwith your supervisor to achieve a smooth transfer of duties. \n6. Update your home address for future correspondence (i.e., \nfinal paycheck, W2, benefit information, severance etc.);" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "remove mailing address if home address is same as mailing \naddress. \n7. Remove all personal files from district servers and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PP17 \nPage 5 of 7 \n \ncomputers. \n8. Inform your supervisor of the location of job-related files and \nmake those files accessible to the supervisor. \nEMPLOYEE SEPARATION CHECKLIST (SUPERVISOR PORTION): \nAn employee’s supervisor is responsible for collecting the \nfollowing applicable items and/or addressing the following \nissues: \n1. Have the employee enter the resignation/retirement letter \non the electronic termination form at this link \nTermination/Retirement/Resignation Notification Form, or \nyou or your secretary can complete the form and upload the \nemployee’s signed letter of resignation on the employee’s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "behalf. A sample letter is located on page 4 of this circular. \n2. Process all absences on Employee Self Service in a timely \nmanner. \n3. Obtain the following items (all that apply): \na. Keys (office, building, cabinet, desk, vehicles, other). \nb. Badge/ID (office, building, other). \nc. Department issued equipment (computers, laptops \n(except L4L laptops), printers, modems, etc.) See above \nfor L4L laptop returns to OIIT. \nd. Cell phone and accessories, pager, radios. \ne. Department issued uniforms. \nf. Department issued property." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PP17 \nPage 6 of 7 \n \nBENEFITS \nAn employee may be eligible to continue to purchase certain \nbenefits after they leave. Upon loss of coverage for an employee \nand/or their eligible dependent(s), a COBRA notification packet \nwill be mailed to the employee and/or their eligible dependent(s). \nThe law requires that this packet be sent by mail to the last \nknown address of the employee and/or the employee's eligible \ndependent(s). For additional information on COBRA, see COBRA \nQuestions and Answers. \nPlease contact the City of Boston Health Benefits Office at 617-\n635-4570 for further information." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "635-4570 for further information. \nThe Office of Human Resources provides this FAQ Retirements, \nResigning, Non-Renewal, Lay Off. \n \nFor more information about this circular, contact: \nOwner: \nEmployee Services \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, Roxbury MA 02119 \nFax: \n617-635-7957 \nEmail: \nemployeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP17 Employee Resignation, Retirement, and Separation Procedure", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PP17 \nPage 7 of 7 \n \nSAMPLE EMPLOYEE RESIGNATION LETTER \nEmployee Name: \nEmployee Address: \nDate: \n \nDear (Principal/Head of School/Supervisor), \nThis letter is to inform you that I will be resigning from my \nposition as [name of position] at [name of school or department] \neffective [date]. \nOptional: May include reasons for resigning in the body of the \nform. \nI certify that this resignation is executed by me voluntarily and of \nmy own free will. \n \nEmployee Name: \nEmployee Signature: \nDate:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n \nNUMBER: \nHRS-PM06 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MANAGERIAL EMPLOYEES \n \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal-Setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment (Optional) \nStep 5: Summative Evaluation (June 1) \n \nEvaluation Platform and Documentation \nTimeline and Tools \nAppendix A: The Core Competencies \nAppendix B: Rating Levels \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for managerial employees of Boston Public" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Schools (BPS), both Central Office and school-based. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM06 \nPage 2 of 10 \n \npurpose of this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. This document was created as part of a cross-\ndepartmental working group on central office performance \nmanagement. \n \nPURPOSE OF PERFORMANCE MANAGEMENT \nBPS students are the citizens, leaders, scholars, entrepreneurs, \nadvocates, and innovators of tomorrow. As a district, we must \nensure that 100 percent of our students are prepared for college, \ncareer, and life in the 21st century. We must model the district on \nthe classroom we want to see. We have established a system of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "performance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors. \nThe fundamental purpose of performance management in the \nBPS Central Office is to maximize the productivity and impact of \nour employees by enabling them to perform at their fullest \npotential. Our approach is designed to provide high-quality \nsupport to schools, students, and families in BPS to ensure our \ngraduates are college, career, and life ready. To do so, our \nperformance management system will: \n1. Establish a consistent set of competencies to clearly set and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "communicate expectations for employee performance \n2. Align employee efforts with department and organizational \ngoals \n3. Create systems and structures that gather and monitor \nperformance in order to support employee feedback, \ngrowth, and development" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM06 \nPage 3 of 10 \n \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nThe criteria for effective practice for Central Office managerial \nemployees are identified in the Core Competencies, which \ndefines six categories: \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \nSee Appendix A for greater detail on the set of core \ncompetencies. \nEvaluations will result in ratings on an employee’s goals, on the \nsix Core Competencies, and on overall performance, which will be \nbased on the supervisor’s judgment of performance against the \nstandards and progress toward goals. Progress toward goals will \nbe rated as Goal Achieved, Goal Significantly Met, Active Goal, \nGoal Not Met, and Goal Deferred. Greater details on these rating \nlevels can be found in Appendix B." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "levels can be found in Appendix B. \nThe five levels of performance, which apply to performance on \neach competency and the Overall performance rating shall be:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM06 \nPage 4 of 10 \n \n“Highly Effective”, “Effective”, “Developing,” “Minimally Effective,” \nand “Ineffective.” Greater details on these rating levels can be \nfound in Appendix B. \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by employees and supervisors. \nFive-Step Process Overview \n \nSTEP 1: Self-Assessment (by September 1) \nEmployee reviews available evidence of work performance, prior \nfeedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Self-Assessment is used to inform the employee’s goals and \naction plan for the upcoming year. \nSTEP 2: Analysis, Goal-Setting, and Analysis (by October 1) \nBased on the employee’s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand supervisor establish 2-4 goals, related to professional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM06 \nPage 5 of 10 \n \npractice or performance: \n● A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, \nemployees and supervisors should both look at past \nperformance and feedback, as well as the employee’s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies \n● A performance goal is a measurable target or outcome \nrelated to an employee’s work. Goals should align with an \nemployee’s team and/or departmental goal(s). \nSTEP 3: Implementation of the Plan (Ongoing)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "STEP 3: Implementation of the Plan (Ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to \nreceive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nSTEP 4: Formative Assessment (Optional or By February 1) \nEach employee should receive a Formative Assessment to \nprovide the employee with written feedback on their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "performance against the Core Competencies and their progress \ntoward goals. Typically, the formative will occur midway through \nthe assessment year, though it may take place at other times for \nindividuals in need of additional support. \nProfessional Development Plans are implemented when an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM06 \nPage 6 of 10 \n \nemployee’s performance is rated Minimally Effective under one \nor more competencies, or overall. They are meant to include \nincreased supervision and support for improvement in specific \nareas identified by the supervisor. \nPerformance Improvement Plans (PIPs) are implemented when \nan employee’s performance is rated Ineffective under one or \nmore competencies, or overall. They are more highly directed \nplans that are typically followed by another evaluation and may \nresult in employment action if performance is not sufficiently \nimproved. \nSTEP 5: Summative Evaluation (June 1)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "improved. \nSTEP 5: Summative Evaluation (June 1) \nEach employee shall receive a Summative Evaluation to provide \nthe employee with written feedback and ratings of their \nperformance and progress toward goals. \n \nEVALUATION PLATFORM AND DOCUMENTATION \nManagerial employee performance evaluations and related \ndocumentation are generated and stored in the BPS online \nperformance management platform, VectorEvals. Employees \nand supervisors will receive training in accessing, navigating, and \nusing the platform prior to the start of their evaluation cycle. \nTraining modules will be available in an online, on-demand \nformat to employees and supervisors for reference, as well." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM06 \nPage 7 of 10 \n \nTIMELINE \nDate \nActivity \nJuly - August \n● Office, team, and individual goal-setting begins \n● Supervisors review of standards and expectations with employees \nSeptember 1 \n● Employee Self-Assessments due \n● Employee Goals & Action Plans draft due \nOctober 1 \n● Finalized Employee Goals & Action Plans due \nOngoing \n● Employee check-ins, at the discretion of supervisor \n● Provide feedback (verbal and written) to employees on progress toward \ngoals, observed performance, and work products/artifacts. \n● Implementation also includes peer feedback. \nJanuary \n● Formative Assessment meetings with employees (Optional) \nFebruary 1" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "February 1 \n● Formative Assessments finalized and submitted (Optional) \nMay 21 - 25 \n● Last day to submit artifacts for review prior to Summative Evaluation \nJune 1 \n● Summative Evaluations finalized and submitted \n \nAPPENDIX A: CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM06 \nPage 8 of 10 \n \nAPPENDIX B: OVERALL EFFECTIVENESS LEVELS (BELOW) \nEffectiveness \nLevel \nDescription \nHighly Effective \nPerformance far exceeded expectations due to exceptionally high \nquality of work performed in all essential areas of responsibility, \nresulting in an overall quality of work that was superior; and either \nincluded the completion of a major goal or project, or \nmade an exceptional or unique contribution in support of team, \ndepartment, or district objectives. \nThis level is achievable by any employee though given infrequently \n(<10% of employees) \nEffective \nPerformance met expectations in all essential areas of responsibility," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "and the quality of work overall was excellent. Annual goals were met. \nDeveloping \nPerformance consistently met expectations in all essential areas of \nresponsibility, at times possibly exceeding expectations, and the quality \nof work overall was very good. The most critical annual goals were \nmet. \nThis level is expected for individuals who are new to the organization \nor to a role. \nMinimally Effective Performance did not consistently meet expectations – performance \nfailed to meet expectations in one or more essential areas of \nresponsibility, and/or one or more of the most critical goals were not \nmet. A professional development plan (not necessarily a PIP) to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "improve performance must be implemented, including timelines, and \nmonitored to measure progress. \nIneffective \nPerformance was consistently below expectations in most essential \nareas of responsibility, and/or reasonable progress toward critical goals \nwas not made. Significant improvement is needed in one or more" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PM06 \nPage 9 of 10 \n \nEffectiveness \nLevel \nDescription \nimportant areas. A Performance Improvement Plan (PIP) to correct \nperformance, including timelines, must be outlined and monitored to \nmeasure progress. \n \nGoal Status Scale \nGoal Status \nDescription \nGoal Achieved: \nAll goal milestones and success measures have been achieved for \n100% of goals. \nGoal Significantly \nMet: \nAll goal milestones and success measures have been achieved for at \nleast 85% of goal. \nActive Goal: \nThe goal is still in progress, though some milestones may have been \nachieved. \nGoal Not Met: \nFor this goal, some or all milestones and success measures have not \nbeen met." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "been met. \nGoal Deferred: \nFor timing or organizational reasons, this goal has been deferred." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM06 Performance Evaluation of Managerial Employees", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PM06 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Evaluation and Performance Management \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, 4th Floor, Boston, MA 02119 \n \n \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nHRS-L01 \nVersion 01 \n \n \n \nSTATE LICENSURE AND REQUIREMENTS FOR \nTEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAccording to Massachusetts General Law, all teachers must hold \na valid license issued by the Massachusetts Department of \nElementary and Secondary Education (DESE) in the most \nappropriate subject and grade level corresponding to their \nteaching assignment(s). Teachers are not hired by BPS unless \nthey qualify for the appropriate license or license waiver. A waiver \npermits the district to employ an unlicensed teacher for one" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "school year only and does not count as a license. Waivers are \nrequested only by the BPS Office of Human Resources in rare \ncircumstances where there are no licensed candidates available \nto fill a position. \nThis Superintendent’s Circular provides guidance for meeting \nMassachusetts state licensure requirements. \nI. DATA COLLECTION AND TRACKING PROCEDURES \nTo collect and track data about the licensure of BPS teachers and \nparaprofessionals, the BPS Office of Human Resources requires \nonline reporting of critical information, including Massachusetts \nTests for Educator Licensure (MTEL) results, licensure status," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-L01 \nPage 2 of 8 \n \n \n \ncoursework, and degree information of teachers. All teachers and \ntheir administrators must comply with these data collection \nprocedures. Furthermore, it is every educator’s professional \nresponsibility to know their personal licensure status and take \nthe necessary steps to maintain their license validity. \nII. MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nA. Know what license is required by your teaching position: \no The license required for your position should be made \nclear to you upon hire, but when in doubt, ask your \nprincipal/head of school, Human Resources \ncoordinator, or Human Resources manager." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "coordinator, or Human Resources manager. \no The fundamental requirement is that teachers must \npossess the license that affords the most appropriate \nfit for their teaching assignment. For example, while it \nmay seem acceptable for a teacher of 6th grade math \nand science to work under an Elementary (1-6) license, \nthe MA DESE offers a Middle School Math/Science (5-8) \nlicense which is a more appropriate license for this \nteaching assignment. \no For more information about currently offered licenses \nand specific requirements, visit \nwww.doe.mass.edu/licensurehelp. \no Individual’s official state licensure records and history \ncan be accessed securely through the MA DESE’s ELAR" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "portal at https://www.doe.mass.edu/licensure/elar/. If \nyou do not know your username and/or password, click \non \"Forgot username/password\" and it will walk you \nthrough some steps to retrieve the username and reset" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-L01 \nPage 3 of 8 \n \n \n \nthe password. If you still have difficulty, you can call the \nDESE Licensure Help Desk at 781-338-6600 and they \nshould be able to reset it for you. \no See Attachment A for guidance on which “type” of \nlicense (Provisional, Initial, Professional, Temporary) \nsuits your level of preparation and/or experience. \nB. Apply for the appropriate license. \no When interested in obtaining a new license, or \nadvancing your non-professional license, the best first \nstep is to apply for the license you plan to pursue. Even \nif you have not yet met all of the requirements, this is \nDESE's opportunity to evaluate your standing with" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "regard to the current requirements and give you \nwritten instructions on what remains to be done. They \nleave all applications open until you are granted the \nlicense. \no Online applications can be submitted through the MA \nDESE’s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/, where you \nindicate which license you are interested in obtaining \nand pay the application fees. Applications cost $100 for \nthe first submission and $25 for each additional. \no Submit official transcripts (undergraduate and \ngraduate) to the MA DESE by mail or in person. The \naddress is: \nOffice of Educator Licensure \nMass. Dept. of Education \n75 Pleasant Street" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-L01 \nPage 4 of 8 \n \n \n \nMalden, MA 02148 \no Additional documentation, such as out-of-state \nteaching licenses and letters verifying applicable \nteaching experience or preparation, may also need to \nbe submitted. \no Upon review of your application and transcripts, the \nMA DESE will notify you in writing if additional \ndocumentation or clarification is necessary, or if you \nstill have additional requirements to complete. This is \ncalled the evaluation letter. It will give you instructions \non your next steps. \no Make sure your social security number appears on all \ndocuments sent to MA DESE. \nC. Take and pass all relevant MTELs." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "C. Take and pass all relevant MTELs. \no The test(s) you are required to take will be dictated by \nthe DESE, based on the application that you submitted. \nGeneral information about which tests are required for \nwhich license can be found online at \nwww.doe.mass.edu/licensurehelp. If you still aren’t \ncertain which tests you need, and you do not have time \nto wait for the DESE’s evaluation letter, you may call \nthe Office of Human Resources at 617-635-9600. \nD. Advance or renew your license. \no Teachers who hold a temporary, provisional, or initial \nlicense are required to be working to advance toward a \nprofessional license. See attachment A for guidance on \nthe progression of licenses." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-L01 \nPage 5 of 8 \n \n \n \no Teachers who hold a professional license must renew it \nevery five calendar years. There is an expiration date \nassociated with each individual’s professional license \nindicating when it needs to be renewed. \no Renewal of a professional license requires the \ncompletion of 150 Professional Development Points \n(PDPs) within the five-year renewal period. At least 15 of \nthese points must be in the content of the license (i.e., \nwhat you teach). The next 15 points must be in \npedagogy (i.e., how you teach). Fifteen points must be \nin Sheltered English Immersion or English as a Second" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Language (SEI or ESL), 15 points must relate to training \nin schooling methods for students with disabilities \nand/or diverse learning styles, and the remaining 90 \npoints can be in “elective activities” that address other \neducational issues or improve student learning, \ncontent knowledge, or pedagogy. \no The activities that teachers participate in to earn PDPs \nshould be dictated by their Individualized Professional \nDevelopment Plan (IPDP), which must be reviewed \nand signed for approval by their principal/head of \nschool every two years. Signed copies of the approved \nIPDP must be maintained in the school building. \no Visit https://www.doe.mass.edu/pd/ipdp.docx to view" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "or print an IPDP template. \no Online applications for renewal can be submitted \nthrough the MA DESE’s ELAR portal at \nhttps://www.doe.mass.edu/licensure/elar/ after all PDP \nrequirements have been completed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-L01 \nPage 6 of 8 \n \n \n \no All educators and other employees seeking licensure \nrelated verifications must complete this form. \n \nFor more information about this circular, contact: \nOwner: \nLicensure Manager \nDepartment: \nOffice of Human Resources \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9212 \nEmail: \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-L01 \nPage 7 of 8 \n \n \n \nATTACHMENT A \nMassachusetts Teacher Licensure – At a Glance \nMASSACHUSETTS EDUCATOR LICENSURE \nLicenses granted by the Massachusetts Department of \nElementary & Secondary Education \n75 Pleasant Street, Malden, MA 02148 \n781-338-6600 \nwww.doe.mass.edu/licensurehelp \n \nYOU MAY START HERE… \nPROVISIONAL LICENSE \nTEMPORARY LICENSE \n• Valid for 5 years of employment \n• For people who have not \ncompleted an approved \neducator preparation program \nRequires: \n• A bachelor's degree \n• Passing score(s) on MTEL \nwww.mtel.nesinc.com \n• Additional coursework required \nfor elementary, early childhood, \nmoderate disabilities, severe" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "moderate disabilities, severe \ndisabilities, library, and/or \ninstructional technology \n• Valid for 1 calendar year \n• For experienced teachers \nfrom another state \nRequires: \n• Possession of a valid \neducator license/certificate \nfrom another state that is \ncomparable to at least an \ninitial license in \nMassachusetts \n• 3 years teaching under a \nvalid out-of-state \nlicense/certificate" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-L01 \nPage 8 of 8 \n \n \n \n…OR YOU MAY START HERE: \nINITIAL LICENSE \nPROFESSIONAL LICENSE \n• Valid for 5 years of employment \n• (May be extended one time for 5 \nadditional years of employment) \nRequires: \n• A bachelor's degree \n• Passing score(s) on MTEL, \nwww.mtel.nesinc.com \n• Completion of an approved \neducator preparation program \n \n• Valid for 5 calendar years \nRequires: \n• 3 years of employment \nunder the Initial license \n• Completion of a beginning \nteacher induction program \n• One of the capstone \noptions for the Professional \nlicense (i.e., master’s degree \nincluding or in addition to \n12 graduate credits in \ncontent)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L01 Teacher Licensure", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link", + "content": "12 graduate credits in \ncontent) \n• Continuing professional \ndevelopment required to \nrenew Professional licenses \nevery 5 calendar years" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-PM10 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF ABA SPECIALISTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nThe following sets forth the coverage, philosophy, roles and \nresponsibilities and procedures applicable to the evaluation \nprocess of Applied Behavior Analysis (ABA) specialists. \nI. COVERAGE \nThe performance management process covers all ABA specialists. \nThe evaluation process relates to the duties and responsibilities \nof the employee’s position, as set forth in the employee’s job \ndescription. \nII. PHILOSOPHY \nPerformance management is one of the key processes driving" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "the comprehensive reform of the Boston Public Schools. The \nperformance management process for ABA specialists is \ndesigned to: (a) align the work of ABA specialists with the \nsuperintendent’s district wide priorities and with team goals and \n(b) improve the work performance of ABA specialists. \nIII. ROLES AND RESPONSIBILITIES \nThe performance management process for ABA specialists will \nbe led by the assistant superintendent of special education," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM10 \nPage 2 of 25 \n \n \nassistant director for ABA, and program directors for ABA. ABA \nspecialists will be evaluated by their immediate supervisors \nunless the assistant director designates another person to \nconduct the evaluation. \nA supervisor’s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. Further, a supervisor will also be \nperforming unsatisfactorily if an underperforming staff member \nis given a “Proficient” rating and then the staff member is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. \nThere are four possible ratings: 1) Unsatisfactory; 2) Needs \nImprovement; 3) Proficient; and 4) Exemplary. \nV. PERFORMANCE MANAGEMENT PROCESS \nSupervisors will conduct evaluations of their ABA specialists every \nyear. The period for the performance evaluation for ABA" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "specialists will cover September 1 – August 30 of the school year \nin which the employee is being evaluated. A supervisor may \nevaluate staff members more frequently if they choose to do so \nbut must complete no fewer than 5 (five) direct observations over" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM10 \nPage 3 of 25 \n \n \nthe course of the school year. \nSupervisors are expected to provide timely written feedback to \ntheir staff members, especially for employees who, upon \nobservation, are not meeting the expectations of the supervisor. \nAn employee who is not meeting their supervisor’s expectations \nshould have been informed of the supervisor’s concerns and \nprovided recommendations for improvement through written \nfeedback before the performance evaluation meeting and should \nbe given a reasonable amount of time to address the observed \ndeficient performance. \nStep 1 – REVIEW GOALS AND PROFESSIONAL DEVELOPMENT" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "PLAN FOR THE COMING SCHOOL YEAR (September-October) \nSupervisors will meet individually with each of their ABA \nspecialists to jointly review the employee’s goals and professional \ndevelopment plan for the September 1 - August 30 period. When \npossible, goal development should be done during the prior \nyear’s performance evaluation meeting. \nDuring this meeting, the employee and their supervisor should \nreview the employee’s job description to ensure the employee’s \ngoals and professional development plans are in alignment with \nthe job description. \nIf there is a change in the employee’s goals and professional \ndevelopment plan after the prior year’s performance evaluation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "meeting, the revised goals and professional development plan \nmust be documented." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM10 \nPage 4 of 25 \n \n \nStep 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (as \nneeded) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation and make recommendations for improvement. \nThe supervisor must share their written feedback with the \nemployee within a reasonable amount of time, and thereafter \nshould meet at least monthly with the employee to discuss their \njob performance. These meetings must be held until the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "employee’s job performance meets the supervisor’s expectations. \nIf the employee’s job performance does not improve sufficiently, \nthe employee may be separated from employment. \nStep 3 – COMPLETE STAFF OBSERVATIONS AND DATA CHECKS \n(September-May) \nAs outlined in the ABA specialist evaluation, at least 5 (five) \nobservations must be completed prior to the final performance \nevaluation in May. These observations must include direct \nobservation of the ABA specialist performing essential job \nfunctions and working with students. The observations may or \nmay not be announced and can occur at any time throughout \nthe year. Following each observation session, the program" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "director for ABA will provide written and vocal feedback to the \nABA specialist outlining the strengths and areas of growth seen \nduring the observation. \nAs part of each observation, data checks and programming \nanalyses will be conducted. These data checks will assess the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM10 \nPage 5 of 25 \n \n \nperformance with programming and data entry for some portion \nof the time between observations. \nStep 4 – HOLD INTERIM EVALUATION MEETING (February-\nMarch). \nABA specialists will submit a formative self-assessment no later \nthan February 10. This self-assessment will include the ABA \nspecialist’s assessment of their work performance and feedback \nfrom previous observations to be incorporated into the interim \nevaluation. \nSupervisors will hold an interim evaluation meeting with each of \ntheir ABA specialists no later than March 1. During this meeting, \nthe supervisor must give oral feedback on (1) the employee’s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "progress in achieving their goals, and (2) the employee’s overall \njob performance, especially with reference to the employee’s job \ndescription and customer focus. In addition, a written interim \nevaluation will be provided in a timely manner after the interim \nevaluation meeting. \nStep 5 – COMPLETE PERFORMANCE EVALUATION FORMS (May). \nThe supervisor will prepare a performance evaluation on each \nABA specialist each school year by filling out the Performance \nEvaluation Form – ABA Specialists attached at the end of this \ncircular." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM10 \nPage 6 of 25 \n \n \nStep 6 – CONDUCT PERFORMANCE EVALUATION MEETING \n(June) \n \nThe supervisor will meet with the employee to discuss their \nperformance evaluation. The meeting will cover the employee’s \njob performance, their progress toward their annual goals, and \ntheir overall performance. \nDuring this meeting, based on the employee’s performance \nevaluation, the supervisor and employee should establish the \nemployee’s goals for the coming school year. These goals should \nbe tentative if the department’s (and team’s) goals have not been \nset. Similarly, the supervisor and employee should also discuss" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "the employee’s professional development plan for the coming \nschool year, with particular reference to the areas of growth or \nchallenge identified in the performance evaluation. \nStep 7 – EMPLOYEE ACKNOWLEDGEMENT AND RESPONSE \nThe employee’s signature on the evaluation instrument \nacknowledges receipt, and not necessarily agreement with the \ncontent of the evaluation. The employee may provide a written \nresponse to the evaluation within 10 (ten) days of receiving the \nperformance evaluation form. \nStep 8 – SUBMIT PERFORMANCE EVALUATION FORMS TO \nHUMAN RESOURCES (June) \nThe supervisor will submit completed performance evaluation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "forms to Human Resources no later than June 1. Step increases \nare automatic." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM10 \nPage 7 of 25 \n \n \nStep 9 – FOLLOW UP FOR AN EMPLOYEE WHO RECEIVES AN \n“UNSATISFACTORY” RATING \nIf an ABA specialist receives an “Unsatisfactory'' rating on their \nperformance evaluation, the supervisor should meet with the \nemployee at least monthly to discuss their job performance. \nThese meetings must be held until the employee’s job \nperformance meets the supervisor’s expectations. If the \nemployee’s job performance does not improve sufficiently, the \nemployee may be separated from employment. \nVII. PROCEDURES FOR DISCIPLINE \nIf a supervisor determines that an ABA specialist has committed" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "an infraction of work rules, the supervisor should follow the \nprocedures outlined in Superintendent’s Circular – Employee \nDiscipline Procedures (see footnote below)1. Additionally, the \nsupervisor may consider the infraction in evaluating the \nemployee’s overall performance. \nVIII. FORMS \nThe Performance Evaluation Form – ABA Specialists is attached. \n \n \n \n(Footnote) Refer to Superintendent’s Circular HRS-PP10 \n“Employee Discipline Procedures” under the category “Human \nResources” on the Superintendent’s Circulars page of the BPS \nwebsite for more information." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM10 \nPage 8 of 25 \n \n \nIX. SUMMARY OF SIGNIFICANT DATES AND DEADLINES \nSTEP INCREASES ARE AUTOMATIC. Please adhere to the given \ndeadlines for submission. \n \nDate \nActivity \nSeptember 1 - \nOctober 15 \nFinalize goals and professional \ndevelopment plan for the coming year \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nPrepare diagnosis and \nrecommendations \nNo later than \nFebruary 10 \nRequest self-assessment \nFebruary 1 - March 1 \nHold Formative Evaluation meeting \nNo later than May 31 \nComplete Performance Evaluation forms \nNo later than May 31 \nConduct Summative Performance \nEvaluation meeting \nNo later than June 1" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Evaluation meeting \nNo later than June 1 \nSubmit Performance Evaluation forms to \nHuman Resources \nMonthly, as needed \nand outlined in a \nperformance \nimprovement plan \nFollow up for an employee who receives \nan “Unsatisfactory” rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PM10 \nPage 9 of 25 \n \n \nFor more information about this circular, contact: \nOwner: \nAssistant Director for Applied Behavior \nAnalysis \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-8599 \nEmail: \nohc@bostonpublicschools.org \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PM10 \nPage 10 of 25 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nABA SPECIALISTS \n \nName of Employee: ______________________________________________ \nEmployee Identification #:________________________________________ \nDepartment: ABA \nSchool: ___________________________________________________________ \nPosition: ABA specialist \nEvaluator: ________________________________________________________ \n \nSECTION I: JOB PERFORMANCE \nPlease rate the employee’s performance according to the \nfollowing competencies, as measured by documented \nopportunities. A documented opportunity will consist of written" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "feedback from a program director as a result of a direct \nobservation or data analysis from work products. Documented \nopportunities will include no fewer than 5 measured \nopportunities for each subcategory listed below. \nEach objective was rated in one of four categories: \n \n1 \nUnsatisfactory \nEmployee meets the objective for 65% or less \nof documented opportunities." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HRS-PM10 \nPage 11 of 25 \n \n \n2 Needs \nImprovement \nEmployee meets the objective for 66% to 75% \nof documented opportunities. \n3 Proficient \nEmployee meets the objective for 76 to 85% \nof documented opportunities. \n4 Exemplary \nEmployee meets the objective for 86% or \ngreater of documented opportunities. \n*The numbers listed above will be what is indicated in the rating \nbox for each area in the evaluation below. \n \nA. Data Collection \nA-1: Accurately conducts and implements \nall required assessments, including \npreference assessments, Skills \nAssessments, and Core Skills Assessments. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Self Rating \n \nSupervisor Rating \n \n \nA-2: Accurately updates targets as needed, \nand proactively implements any \nprogrammatic changes given by the \nprogram director or strand specialist. \nSelf Rating \n \nSupervisor Rating \n \n \nA-3: Accurately takes programmatic data (both behavior and \nacquisition) in a timely manner." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HRS-PM10 \nPage 12 of 25 \n \n \nSelf Sup \n \n \nUnsatisfactory \nRuns less than 24 ACE sessions per \nweek across all programs and \nstudents per week across 5 or more \nmeasured opportunities for the year. \n \n \nNeeds \nImprovement \nRuns between 25 and 49 ACE \nsessions per week across all \nprograms and students per week \nacross 5 or more measured \nopportunities for the year. \n \n \nProficient \nRuns between 50 and 74 sessions \nper week across all ACE programs \nand students across 5 or more \nmeasured opportunities for the year. \n \n \nExemplary \nRuns at least 75 sessions per week \nacross all ACE programs and \nstudents across 5 or more measured" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "students across 5 or more measured \nopportunities for the year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular HRS-PM10 \nPage 13 of 25 \n \n \n \nA-4: Follows prompting hierarchies and \nerror correction procedures as prescribed by \nACE and/or Program Director. \nSelf Rating \n \nSupervisor Rating \n \n \nA-5: Ensures that challenging behavior data \ncollection sheets are updated as necessary, \nand that challenging behavior data \ncollection sheets are filed in the correct \nplace. \nSelf Rating \n \nSupervisor Rating \n \n \nA-6: Identifies when there is a problem with \ndata/data collection, and appropriately \nbrings to the attention of the Program \nDirector. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Data Collection:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular HRS-PM10 \nPage 14 of 25 \n \n \nB. Behavior Support \nB-1: Develops, maintains, and shares any \nnecessary materials to follow through with \nbehavior plans (token boards, timers, visuals, \netc.) as written. \nSelf Rating \n \nSupervisor Rating \n \n \nB-2: Follows each Behavior Support Plan as \nwritten for student, including effective \nantecedent strategies, reinforcement \nprocedures, following crisis procedures, and \nseeking help when needed. \nSelf Rating \n \nSupervisor Rating \n \n \nB-3: Responds to any behaviors not outlined \nin the behavior support plan using standard \nABA techniques. \n \n \n \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Self Rating \n \nSupervisor Rating \n \n \nOverall Comments on Behavior Support:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular HRS-PM10 \nPage 15 of 25 \n \n \nC. Professionalism \nC-1: Participates in feedback sessions and \naccepts feedback given by Program Director. \nEngages in consultation with Program \nDirector and/or Strand Specialist. \nCommunicates with the Strand Specialist, \nProgram Director, and other school-based \nstaff, including keeping student schedules \nup to date, sharing with all necessary parties, \nand following the set schedule. Is flexible \nwhen caseloads or school assignment \nrequires change, due to caseload demands \nor due to specific needs of a student or \nstudents. If there is a concern regarding \ncaseload and/or programmatic changes," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "caseload and/or programmatic changes, \nprofessionally communicates the concern to \nthe Program Director. \n*This language does not constitute \nexpansion of caseloads beyond the contract \nlimits \nSelf Rating \n \nSupervisor Rating \n \n \nC-2: Follows Office of Special Education \nadministrative procedures, such as signing \nin/out, requesting absences (sick or personal \ndays) on ESS in a timely manner, using \nplanning time effectively, following cell \nphone use policy, and arriving to \nwork/meetings on time. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular HRS-PM10 \nPage 16 of 25 \n \n \nC-3: Consistently exudes a professional \ndisposition towards Special Education, \nApplied Behavior Analysis, students, and \nfamilies, as well as other school personnel; \nand maintains student confidentiality. \nSelf Rating \n \nSupervisor Rating \n \n \nC-4: Demonstrates fluent use of technology \nnecessary to complete job requirements, \nsuch as Google Drive, EdPlan, ACE, Teach \nNow, etc. Ensures that all appropriate \ntechnology is up to date. \nSelf Rating \n \nSupervisor Rating \n \n \nC-5: Engages in and attends all professional \ndevelopment activities as scheduled, \nincluding all that were described in the prior" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "including all that were described in the prior \nyear’s professional development plan. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Professionalism:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular HRS-PM10 \nPage 17 of 25 \n \n \nD. Direct Service \nD-1: Ensures that tasks are prepared and \nready for instruction on time and efficiently. \nDemonstrates fluency with materials \nnecessary to conduct direct service sessions, \nsuch as token boards, first/then boards, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-2: Activates appropriate programs as \noutlined in the IEP within 2 weeks of \nnotification of a signed IEP, and implements \nall programs as written on the curriculum \nsheet across multiple settings including \ninclusion, specials, lunch/recess, etc. \nSelf Rating \n \nSupervisor Rating \n \n \nD-3: Establishes attending and reinforcers" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "D-3: Establishes attending and reinforcers \nbefore beginning the session. Prompts \nfunctional communication as necessary. \nCompletes the prescribed number of trials for \neach program according to the prescription \nsheet. Keeps student break time to a \nreasonable duration. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular HRS-PM10 \nPage 18 of 25 \n \n \n \nD-4: Ensures that the student is clear on \nhow and when reinforcement is delivered, \nand delivers reinforcement on prescribed \nschedules. \nSelf Rating \n \nSupervisor Rating \n \n \nD-5: Builds rapport with the students and is \nalways engaging and energetic when \nworking with students. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Direct Service:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular HRS-PM10 \nPage 19 of 25 \n \n \nE. Communication/Written Skills \nE-1: Completes progress reports and annual \nreviews at least 1 week before the due date, \nby referencing the ABA specialist Task Due \nGoogle Calendar when applicable and using \nplanning time effectively. Ensures that each \ndocument is complete with proper spelling, \ngrammar, and data, following the most \nrecent format provided by the program \ndirectors. \nSelf Rating \n \nSupervisor Rating \n \n \nE-2: Completes EdPlan session notes within \n24 hours of each session and takes no more \nthan 10 minutes per 60-minute session to do \nso. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "so. \nSelf Rating \n \nSupervisor Rating \n \n \nE-3: Ensures that written communications \nare clear, concise, and free of error, utilizing \nappropriate professional language. \nSelf Rating \n \nSupervisor Rating" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular HRS-PM10 \nPage 20 of 25 \n \n \nE-4: Communicates questions and concerns \nin a professional manner with teachers, ABA \nspecialists, strand specialists, program \ndirectors, and paraprofessionals, as \ndemonstrated by initiation and response to \nemails within 48 hours. \nSelf Rating \n \nSupervisor Rating \n \n \nE-5: Responds to emails within 2 working \ndays and completes RMTS (Random Moment \nTime Study) moments within the 48 hour \ntimeline as required by state agencies. \nSelf Rating \n \nSupervisor Rating \n \n \nOverall Comments on Communication/Written Skills:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular HRS-PM10 \nPage 21 of 25 \n \n \nSECTION II: PERFORMANCE AGAINST PAST YEAR’S GOALS \nProvide a concise description of each of the employee’s goals for \nthe past year. Mark whether the employee achieved the goal. \nProvide specific data supporting your assessment that the goal \nwas or was not achieved. \n \nGoal 1: \nTo what extent did the employee achieve this goal? \n Met \nDid not meet \nDescription of results and comments: \n \n \nGoal 2: \nTo what extent did the employee achieve this goal? \n Met \nDid not meet \nDescription of results and comments: \n \n \nGoal 3: \nTo what extent did the employee achieve this goal?" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": " Met \nDid not meet \nDescription of results and comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 22:\nSuperintendent’s Circular HRS-PM10 \nPage 22 of 25 \n \n \nSECTION III: GOALS FOR NEXT YEAR \nPlease list the employee’s goals for next year. Goals are to be set \nby supervisor and agreed to by employee. These goals should \nalign with the department’s goals and priorities and include key \nperformance indicators. \nGoal 1: \n \nGoal 2: \n \nGoal 3:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 23:\nSuperintendent’s Circular HRS-PM10 \nPage 23 of 25 \n \n \nSECTION IV: OVERALL PERFORMANCE \nPlease rate the employee’s overall performance this year. If the \nemployee receives a “Does Not Meet Expectations” rating, their \nsupervisor must provide a diagnosis and recommendations for \nhow the employee must improve their performance in the \nfollowing Additional Comments section. The supervisor may also \nuse this section to provide other additional comments on the \nemployee’s performance. \n \n Unsatisfactory \n Proficient \n Needs Improvement \n Exemplary \n \nComments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 24:\nSuperintendent’s Circular HRS-PM10 \nPage 24 of 25 \n \n \nSECTION V: PROFESSIONAL DEVELOPMENT PLAN \nDescribe the employee’s Professional Development Plan for the \ncoming year. This plan should help the employee build skills \nand/or knowledge to accomplish their goals for the year. Please \ndescribe the specific areas that the employee is trying to develop, \nand the related activities that they will take part in this year. \n \n1. Skill/Knowledge Development Area 1: \n \nRelated activities to help develop skill: \n \n \n \n2. Skill/Knowledge Development Area 2: \n \nRelated activities to help develop skill: \n \n \n \n3. Skill/Knowledge Development Area 3:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "3. Skill/Knowledge Development Area 3: \n \nRelated activities to help develop skill:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM10 Performance Evaluation of ABA Specialists", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link", + "content": "Page 25:\nSuperintendent’s Circular HRS-PM10 \nPage 25 of 25 \n \n \nSECTION VI: ACKNOWLEDGEMENTS \n \n ____________________________________________ ____________________ \n \nEvaluator’s Signature \nDate \n \n \n ____________________________________________ ____________________ \n \nEmployee’s Signature \nDate \n \nThe employee’s signature indicates that they have seen the \nevaluation and acknowledge that it will be placed in their \npersonnel file, but it does not denote agreement with the \nevaluation. \n \n \n \nThe employee may provide a written response to the evaluation \nin the space provided below, and/or in attached pages. \n \nEmployee Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP06 \nVersion 01 \n \n \nCONFIDENTIALITY OF PERSONNEL RECORDS AND \nEMPLOYMENT VERIFICATIONS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nState laws and regulations regulate disclosure of information \ncollected about personnel by the Boston Public Schools. These \nlaws and regulations provide that, with some exceptions such as \npersonnel and medical records, the School Department's records \nmust be available for public inspection. State law further provides \nthat individuals may review and challenge information in the files \nconcerning them. \nPERSONNEL RECORDS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "concerning them. \nPERSONNEL RECORDS \nThe Office of Human resources maintains both publicly available \nand confidential files about each employee. The Office of Human \nresources will disclose allowable information when requested to \ndo so in writing. \nPlease note that the following are public records, which will be \nreleased upon receipt of a written request: \n● Names \n● Other materials or data relating to a specifically named \nindividual, the release of which would not publicize intimate \ndetails of a highly personal nature." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP06 \nPage 2 of 4 \n \n \n \nConfidential information is not released, such as social security \nnumbers, home addresses and phone numbers, transcripts, \nmedical forms, and evaluations. \nOnly an employee may view their entire file unless a court order \nor other legal mandates require otherwise. An employee may \nview their file in the Office of Human resources by appointment \nonly. To schedule an appointment, place an HR Inquiry request \nvia the Beacon. This can be found for internal employees by \nnavigating to Access.Boston.gov. \nTo obtain a copy of your personnel card for the City of Boston \nRetirement Board, please place an HR inquiry request via the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "Beacon. This can be found for internal employees by navigating \nto Access.Boston.gov. Any former employee will need to submit a \nrequest via email at ohr@bostonpublicschools.org. \nEMPLOYMENT VERIFICATION \nAll inquiries regarding employees, employment status, and other \nsuch information must be directed to the Office of Human \nresources, where official personnel records are maintained. \nIf an employee is seeking employment verification (mortgage, \nhousing, substitute time, standard verification, etc.), they should \ncreate an HR Inquiry request via Beacon. An employee must scan \nand attach the verification to the HR Inquiry submission. If an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "employee needs an email address to submit to their potential \nmortgage company, housing office or any other loan provider, \nthey should provide the OHR email ohr@bostonpublicschools.org \nor fax a request to 617-635-7957. Please note that requests for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP06 \nPage 3 of 4 \n \n \nemployment verification are processed in the order they are \nreceived and take between 5 and 10 business days to complete. If \nsalary/payroll information is needed, it can take longer than 5-10 \nbusiness days. Please plan accordingly. \nAny subpoenas for records should be directed to the Office of the \nLegal Advisor, 2300 Washington Street, Roxbury, MA 02119. \nLICENSURE RELATED EMPLOYMENT VERIFICATIONS \nAll educators and other employees seeking licensure related \nverification must complete the BPS Educator Licensure \nVerification Requests form. \nFor loan forgiveness requests, please submit an HR Inquiry with" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "forms attached on the Beacon via Access.Boston.gov. All former \nemployees must email ohr@bostonpublicschools.org and include \nany supporting documentation." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP06 Confidentiality of Personnel Records and Employment Verification", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP06 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nOwner: \nShared Services \nDepartment: \nOffice of Human resources \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9600 \nFax: \n617-635-7956 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP20 \nVersion 01 \n \n \n \nCHANGES IN PAY FREQUENCY FOR \nPARAPROFESSIONALS AND COMMUNITY FIELD \nCOORDINATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPursuant to the Memorandum of Agreement between the School \nCommittee of the City of Boston and The Boston Teachers Union, \nLocal 66, AFT, AFL-CIO (‘Union’), Article III, Compensation and \nBenefits Section A: “Add – If 200 paraprofessionals choose the \noption, a paraprofessional shall have the option of being paid \nbiweekly over 26 paychecks”. \n1. Paraprofessionals and community field coordinators may" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link", + "content": "elect to be paid biweekly over 26 paychecks. \n2. An employee must be active or on paid leave at the \nbeginning of the school year. \n3. Applications can be submitted to the Payroll Unit via fax to \n617-635-9003, via Google form \nhttps://docs.google.com/forms/d/e/1FAIpQLSfG_oD8pq-\ni9VuJS2PRIv-2bAZjefxoUxrgxox7NZhcYxguOw/viewform, or \nUS postal service to 2300 Washington Street, Roxbury MA \n02119, Attn: Payroll, only during the open enrollment period \nwhich begins on April 1 and ends on June 1. \n4. Applicants who wish to change their pay frequency from 10" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 2 of 3 \n \n \n \nmonths to 12 months or 12 months to 10 months must notify \nPayroll by submitting the Para Pay Frequency application or \ncompleting the Google form prior to the June 1 deadline to \nbe effective September of the next school year. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nApril 1 \nPara pay frequency open enrollment period begins. \nJune 1 \nPara pay frequency open enrollment period closes. \n \nFor more information about this circular, contact: \nDepartment: \nOffice of Human Capital \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9600 \nFax: \n617-635-9003" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link", + "content": "Phone: \n617-635-9600 \nFax: \n617-635-9003 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP20 \nSeptember 1, 2023 \nPage 3 of 3 \n \n \n \nAPPLICATION FOR CHANGE IN PAY FREQUENCY FOR ALL \nPARAPROFESSIONALS & COMMUNITY FIELD COORDINATORS \n Change from 21 to 26 payments (paid 12 months): \nI am electing to change my paycheck frequency to 26 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \n Change from 26 to 21 payments (paid 10 months): \nI am electing to change my paycheck frequency to 21 \npayments. I understand that this request cannot be reversed \nuntil the next school year. \nName: ___________________________________________________________" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link", + "content": "Employee I.D.: ____________________________________________________ \nSchool/Department: ______________________________________________ \nSignature: _______________________________________________________ \nDate: __________________________ \nPlease submit your completed form on or before June 1. The \nchange will become effective in September of the new school \nyear. If you have any questions regarding this matter, please \ncontact the Office of Human Capital at 617-635-9600." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nSchool Year 2023-2024 \nNUMBER: \nHRS-HS06 \nVersion 01 \n \n \nSUBSTITUTE TEACHERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis superintendent’s circular sets forth information regarding \nthe employment and professional development of substitute \nteachers. \nUSE OF THE AUTOMATED BPS SMARTFIND EXPRESS SYSTEM \n(SUBCENTRAL) \n► All schools are required to use BPS SubCentral for substitute \nneeds. This will allow the school's central administration to \nunderstand and better manage operations. This will also \nallow OHC to monitor and accurately report fill rates as well" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "as recruit for hard-to-fill vacancies. \nThe Office of Human Resources is committed to ensuring the \nactive substitute pool consists of high-quality substitute teachers. \nBPS SubCentral allows principals and heads of schools to view \nand coordinate substitute activities and view past, current, and \nfuture jobs for the school, helping them to better understand and \nmanage absenteeism. \nBPS SubCentral is available via the Internet and mobile app 24 \nhours a day, 7 days a week, from any Internet-enabled computer \nor mobile device with an Access ID and PIN. BPS SubCentral can" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-HS06 \nPage 2 of 7 \n \n \nbe accessed at https://bostonps.eschoolsolutions.com, or by \ntelephone at 857- 254-1707. \nWith BPS SubCentral, schools can create and manage their own \npreferred substitute list, create absences and vacancies, and pull \nindividual reports unique to their school. Preferred substitutes \nwill be contacted first about a substitute teaching opportunity. If \nthe vacancy still exists after all a school’s preferred substitutes \nhave been contacted, the SubCentral platform will then begin \ncontacting other substitutes registered within the system. Those \nsubstitutes on a particular school’s ‘Do Not Use’ list will not be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "called, nor will they be able to view open substitute opportunities \nfor that school. \nFor more information on BPS SubCentral, please contact \nSubCentral via email at bpsSubCentral@bostonpublicschools.org. \nTYPES OF SUBSTITUTE TEACHERS \n● Degree per diem substitute teachers work day-to-day \nassignments to temporarily fill positions. Those with at least \na bachelor's degree who are assigned to fill a position \nanticipated to be vacant for more than 20 consecutive \nworkdays, but less than a full year, or who serve \ncontinuously for more than 20 consecutive workdays in the \nsame assignment, are considered per diem substitute \nteachers covering a long-term assignment." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "teachers covering a long-term assignment. \no A qualified and properly licensed long-term substitute will \nbe granted a provisional teacher contract on or before \nDecember 1st if the assignment in which they is serving \nbecomes vacant for the remainder of the school year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-HS06 \nPage 3 of 7 \n \n \n● Non-degree per diem substitute teachers do not hold a \nbachelor's degree. The non-degree per diem substitute \nteachers work day-to-day assignments to fill positions on an \ninterim basis and may not take on long-term assignments. \n● Cluster substitute teachers are assigned to a school for a full \nyear to cover various teacher absences in the school, as \nneeded, on a daily basis. The cluster substitute positions are \ntypically created during the budget season and charged to \nthe school’s budget. If schools are interested in having a \ncluster substitute for the school year, please contact your" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "budget analyst and Human Resources staffing manager. \n \nMINIMUM QUALIFICATIONS \nPer Diem Substitutes: \nAre required to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org; you must complete the course with at \nleast an 85% average and submit a Sub Diploma from the course. \nLong-term Substitutes: \nMust have a bachelor’s degree and at least one of the following \nrequirements: \n● A Mass. Teaching License (out of state licenses will be \nconsidered with teaching experience) \n● Complete the Sub Skills Basic Training Course online at \nwww.STEDI.org; you must complete the course with at least \nan 85% average." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-HS06 \nPage 4 of 7 \n \n \n● Two years’ teaching experience. You may additionally be \nasked to complete the Sub Skills Basic Training Course \nonline at www.STEDI.org. \n● If you were successfully hired for a substitute teaching \nposition and you do not hold an initial teaching license from \nthe Massachusetts Department of Elementary and \nSecondary Education, you must take and pass the Utah \nSubstitute Assessment test with a score of 85 or above. \n● All candidates must be fingerprinted and pass a criminal \noffender (CORI) and sexual offender (SORI) records check. \nThe criminal offender/sexual offender record check \nrequirement cannot be waived." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "requirement cannot be waived. \nThe Substitute Teaching Institute (STEDI) of Utah State University \ncreated and oversees the Substitute Teacher Training Program. It \nprovides 6–13 hours of sub instructor training, either online or via \nCDs, and an assessment at the completion of the program. The \ncost of the program, which will be borne by the candidate, is \n$39.95 plus shipping and includes the interactive SubInstructor \ntraining (included as a CD), a substitute teacher handbook, and \nthe online sub assessment and SubDiploma. Information for the \ncandidates is posted on the BPS website. \nSUBSTITUTE HIRING \nAll hiring for substitutes will take place through the online BPS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Career Center (TalentEd). Applicants must create a profile and \napply to the district-wide substitute teacher job posting through \nthe BPS Career Center (TalentEd). Applicants will be hired as a \nBPS per diem substitute teacher after review of their application \nin its entirety, submission of all required documentation, and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-HS06 \nPage 5 of 7 \n \n \nsuccessful completion and passing of a background check, which \nincludes fingerprinting and CORI/SORI checks. \nSUBSTITUTE TEACHER REQUEST & RECOMMENDATIONS \nPrincipals and heads of schools can either request or recommend \nan individual for a per diem or long-term substitute appointment \nat their specific school. To submit a per diem and long-term \nsubstitute, the school leader or hiring manager will need to \nsubmit the candidate for hire via the BPS Career Center \n(TalentEd). All school leaders and hiring managers will have \naccess to the districtwide substitute job posting. Please note:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "once the substitute has been hired, it is the responsibility of the \nschool to post the absence and vacancy in SubCentral and assign \nit to the substitute as required. \nPROFESSIONAL DEVELOPMENT \nLong-term and cluster substitute teachers are required to \nparticipate in up to 18 hours of professional development with \nregular teachers. If this professional development is scheduled \nbeyond the school day, long-term and cluster substitute teachers \nare paid for this time and are compensated through stipend \npayments provided by the school. \nNew substitute teachers may also be required to attend up to \nthree days of training to prepare them to teach in the Boston \nPublic Schools." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Public Schools. \n \nADMINISTRATIVE RESPONSIBILITY \nHeads of schools and principals are responsible for establishing \npractices and procedures that enable substitute teachers to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-HS06 \nPage 6 of 7 \n \n \nprovide students with educationally meaningful work and allow \nfor the maximum educational use of the school day. As part of \nthis responsibility, heads of schools and principals or their \ndesignees should consider providing substitute teachers with the \nfollowing items: \n● A daily plan book, lesson plan, or other academic activity for \nall classes of the absent teacher. Heads of schools and \nprincipals are responsible for ensuring that all teachers \nprepare appropriately, and continually update plan books \nand lesson plans so that the lesson taught by the substitute \nteacher is consistent with the subject matter being taught" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "to the class. \n● A copy of the absent teacher’s schedule, including subjects \nand levels of instruction, room assignments, administrative \nassignments, lunch, and common planning time. \n● Homeroom and class lists and seating plans. \n● A bell schedule. \n● A concise statement of school policies and procedures \nregarding the taking of attendance, modes of disciplinary \nreferral, referral for illness, emergency procedures, and any \nother pertinent information a substitute teacher may need. \n● Name and location of the administrator responsible for the \nschool's substitute teachers. \n \nThese materials may be kept in the school office or distributed to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "substitute teachers in some other manner that is effective." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS06 Substitute Teachers", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-HS06 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nName: \nBPS SubCentral \nDepartment: \nOffice of Human Resources – Sub Central \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nAdditional \nQuestions: \nFor additional questions, please submit an HR \nInquiry Ticket via the Beacon. This can be \nfound on Access Boston (access.boston.gov). \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nHRS-PM09 \nVersion 01 \n \nCLUSTER SUBSTITUTE PERFORMANCE EVALUATION \nCluster Substitute Teachers are: \nThose teachers who are assigned to a school for a full year to \nrotate into the various teacher absence positions in the school, as \nneeded, on a daily basis. \nA cluster substitute teacher shall be given two (2) overall \nperformance evaluations for the academic year by the \nappropriate building administrator or their designee outside of \nthe bargaining unit. The evaluation instrument for use with \nCluster Substitutes is attached to this Circular. \nEVALUATION CRITERIA (RATING OPTIONS: YES, NO, N/A)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "1. Teaching Ability: Conveys clear and concise instruction. \nFocuses on student achievement and content meaningful to \nstudents. Accommodates the varied needs of students. \n2. Classroom Management: Accountable for classroom \nenvironment and culture. Ability to effectively deal with \nnegative student behavior. Focused and productive when \nfaced with challenges and a willingness to adapt classroom \ninstruction to meet the need/culture of the school. \n3. School Fit: Respects the opinion of others. Creates a positive \nrelationship with administrators, teachers, school staff and \nstudents. Demonstrates interest and skills that match the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM09 \nPage 2 of 5 \n \nschool’s culture and needs. Interacts appropriately with \nsupervisors, colleagues, parents, and students. \n4. Summary Question: “Would you use this substitute teacher at \nyour school going forward?” (“Yes” constitutes a rating of \n“Meets Expectations.”) \nThe evaluator may provide written comments in addition to \nratings. \nDate \nActivity \nJanuary 15 (recommended) \nMeet with cluster substitute teachers to discuss \nperformance. Completion of evaluation form. \nMay 15 \nComplete and submit final evaluation form of all Cluster \nSubstitutes within the school. \nJune 1 \nDeadline for signed, original copies of evaluation form" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "(below/attached) to be submitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources (Attn: Performance \nManagement Team) \n2300 Washington Street, 4th floor \nRoxbury, MA 02119" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM09 \nPage 3 of 5 \n \nFor more information about this circular, contact: \nName: \nDirector of Evaluation and Performance Management \nDepartment: \nOffice of Human Resources \n \n \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM09 \nPage 4 of 5 \n \nBOSTON PUBLIC SCHOOLS \nSUBSTITUTE MANAGEMENT DEPARTMENT EVALUATION FORM \nSubstitute Name \n \nBPS ID: ________________ \nSchool Name: ________________________________Date: \n \n \nEvaluator Name: ____________________________ Title: \n \n \nSUMMARY QUESTION: Would you use this substitute teacher at \nyour school going forward? ◻ Yes ◻ No \n(YES constitutes a rating of “Meets Expectations”) \nTEACHING ABILITY: Demonstrates an appropriate knowledge of \ncontent. \nConveys ideas and Information clearly. \nYes / No / NA \nMakes content meaningful to students. \nYes / No / NA \nAddresses the multiple and varied needs of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "Addresses the multiple and varied needs of \nclassroom students. \nYes / No / NA \nFocuses on achieving results with students. \nYes / No / NA" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM09 \nPage 5 of 5 \n \nCLASSROOM MANAGEMENT: Demonstrates ability to deal \neffectively with negative student behavior. \nAssumes accountability for classroom environment \nand culture. \nYes / No / NA \nDemonstrates ability to deal effectively with \nnegative student behavior. \nYes / No / NA \nRemains productive and focused when faced \nwith challenges. \nYes / No / NA \nDisplays a willingness to adapt classroom \nmanagement style to meet a particular need/ \nculture of school. \nYes / No / NA \nSCHOOL FIT: Demonstrates skills and needs for development \nthat can be a good fit for the school. \nRespects the opinion of others. \nYes / No / NA" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM09 Performance Evaluation of Cluster Substitutes", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link", + "content": "Respects the opinion of others. \nYes / No / NA \nCreate positive relationships with administrators, \nteachers, school staff and students. \nYes / No / NA \nDemonstrates interest and skills that match the \nschool’s culture and needs. \nYes / No / NA \nInteracts appropriately with supervisors, \ncolleagues, parents, and students. \nYes / No / NA \nCOMMENTS:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nHRS-PP15 \nVersion 01 \nSICK LEAVE DONATION PROGRAM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools will be continuing the Sick Leave Donation \nProgram with Administrative Guild, BASAS, BTU, managerial, and \nSchool Police Patrolmen's Association. \nPURPOSE \nThe Sick Leave Donation Program is a voluntary program where \neligible employees can donate sick leave hours to help a seriously \nill or injured colleague who has exhausted their sick, personal, \nvacation, and/or compensatory leave entitlements. An eligible \nemployee who wants to withdraw hours from the Sick Leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Bank must be on an approved leave of absence. Please refer to \nSuperintendent’s Circular HRS-PP13 for more information \nregarding the process to apply for a leave of absence. If time is \nawarded by the Sick Leave Donation Committee, recipients can \nwithdraw sick leave hours from the leave bank and maintain \nactive pay status. \nMembership and eligibility requirements by unit are detailed in \nthe attachment. \nTHE DONATION PROCESS \nWhen the sick leave bank for a union/group becomes depleted," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP15 \nPage 2 of 12 \n \nan email notification will be sent to all members requesting the \ndonation of an additional day(s). All employees who wish to enroll \nwill be required to complete an online form during the \naforementioned period. All donations are irrevocable. \nSICK LEAVE COMMITTEE \nThe leave committee for each union/group will consist of six \nmembers: three administrative members from the union/group \nand three administrative members from the Boston Public \nSchools district (appointed by the superintendent or their \ndesignee). A majority vote (4 of 6) is required to grant awards of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "sick leave time. All decisions are made on a case-by-case basis. \nAPPLICATION PROCESS FOR SICK BANK MEMBERS \n1. Complete a Sick Leave Bank Donation Withdrawal Request \nform, including submission of medical documentation and a \nletter stating the reason for the request in accordance with \nthe application deadline listed on the form. \n2. The Leave Bank Committee will meet and review all \npertinent information. Committee will render a decision and \nHuman Capital will inform the employee and supervisor of \nthe decision. \n3. If approved, the Office of Human Capital representative will \nadd donated hours to the recipient’s leave accrual balance \nin PeopleSoft." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "in PeopleSoft. \n4. Withdrawals from the leave bank cease when the recipient \nhas either returned to work or withdrawn the maximum \nnumber of hours allotted from their union or conditions of \nemployment. \nThere is no appeal procedure. The decision of the Sick Leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP15 \nPage 3 of 12 \n \nBank Committee is final. \nAPPLICATION DEADLINE \nThe Sick Bank Oversight Committee meets on the first \nWednesday of each month. \nTo be included on the agenda, your application, along with all \nsupporting documentation, must be submitted by the close of \nbusiness on the preceding Friday. \n \nFor more information about this circular, contact: \nOwner: \nManager of Employee Information Systems \nDepartment: \nHuman Resources \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9649 \nFax: \n617-635-7957 \nEmail: \nohr@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP15 \nPage 4 of 12 \n \nATTACHMENT A: \nSICK LEAVE DONATION PROGRAM: MEMBERSHIP \nREQUIREMENTS AND ELIGIBILITY BY UNIT \nBASAS \n \nMembership Requirements: \n• To establish this program, there must be at least 50 eligible \nBASAS employees who participate in it. \n• A BASAS employee must be permanent or entering their \nthird consecutive year of Boston Public Schools service to be \neligible to participate. \n• A BASAS employee must donate one sick day (eight hours) \nto enroll in the program. \n• Donation days (hours) will be deducted from the donor’s \naccumulated sick leave balance. \nEligibility for Recipient:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Eligibility for Recipient: \n• Only BASAS employees who have donated to the sick leave \ndonation program are eligible to apply for sick leave time. \n• Applicants for sick leave time must have exhausted all \naccumulated sick and personal leave to be eligible to \nreceive sick leave donations. \n• Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n• The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to \nSuperintendent’s Circular HRS-PP13, Employee Sick Leave \nPolicy." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PP15 \nPage 5 of 12 \n \n• For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day-to-day basis, equal more than \nthe employee’s daily rate of pay. \n• For employees receiving workers’ compensation benefits, \nthe combination of workers’ compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee’s daily rate of pay. \n• Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient per school year. In exceptional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "circumstances, the committee may also grant additional 30-\nday increments, up to a maximum of 90 days (including the \noriginal 30 days). \n• Requests for sick leave time may not be made retroactively. \n• Days that have been granted but are not used will revert to \nthe sick leave bank. \nBOSTON TEACHERS UNION (BTU) \nMembership Requirements: \n• To establish this program, there must be at least 500 \nteacher unit members and 100 paraprofessional unit \nmembers. \n• Must be a BTU member to participate in the program. \n• Teacher unit members must be permanent or entering their \nfourth consecutive year of service. Paraprofessional \nmembers must have at least three consecutive years of \nservice." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "service. \n• Must donate one sick day for inclusion in the program. \n• Donations will be deducted from the donor’s accumulated" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PP15 \nPage 6 of 12 \n \nsick leave balance. \n• Donations and withdrawals can only be in the same BTU \nunit (e.g., teachers cannot donate to or withdraw from the \nparaprofessional unit; paraprofessionals cannot donate to or \nwithdraw from the teacher unit). \nEligibility for Recipient: \n• Must have exhausted all accumulated sick leave and other \npaid leaves (e.g., personal days, etc.). \n• Application for the BTU sick bank withdrawal must be \naccompanied by adequate medical evidence, pursuant to \nSuperintendent’s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness, which prevents the employee’s \nimmediate return to work." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "immediate return to work. \n• For those individuals who have a disability plan, the \ncombination of disability payment and sick bank days do \nnot, on a day-to-day basis, equal more than the daily rate of \npay. \n• For those individuals who are receiving worker’s \ncompensation, the combination of workers’ compensation \npayment and sick bank days do not, on a daily basis, equal \nmore than the daily rate of pay. \n• Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the \nCommittee may also grant additional 30-day increments, up" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "to a maximum of 90 days (including the original 30 days). \n• Requests/withdrawals cannot be made retroactively. \n• Days requested and granted but not used will revert to the \nsick leave bank. \n• This program is for employees only and cannot be used for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PP15 \nPage 7 of 12 \n \nthe illness of family members. \n• This program does not meet for the months of June – \nSeptember for the following reasons: \no June: The bank only issues donations in 30-day \nincrements and the month of June does not have 30 \nschool days. \no July – August: Employees do not work these months \nand therefore would not be eligible to use \nsick/personal time. \no September: Employees receive sick/personal \nentitlements up front and therefore, would have time \nto use at the beginning of the school year. \nCUSTODIAN \nMembership Requirements: \n• To establish this program, there must be at least 100 \nCustodian Bank members." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Custodian Bank members. \n• Must be a custodian to participate. \n• Must have completed three or more years of continuous \nservice with the union to be eligible. \n• Must donate two sick days for the first year, and thereafter \none sick day annually during enrollment period. \n• Donation days will be deducted from an employee’s sick \nleave balance. \nEligibility for Recipient: \n• Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time. \n• Employees must have exhausted all accumulated sick leave \nand other paid time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PP15 \nPage 8 of 12 \n \n• The bank is for employees’ illness only and cannot be used \nfor illness of family members. \n• All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n• Individuals who have a disability plan and are receiving \ndisability payments or who are receiving worker’s \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual’s daily \nrate of pay. \n• Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "a maximum of 60 days. \n• Time granted and not used shall revert to the sick leave \nbank. \nADMINISTRATIVE GUILD \nMembership Requirements: \n• To establish this program, there must be at least 100 Guild \nbank members. \n• Must be Administrative Guild members to participate. \n• Must have completed three or more years of continuous \nservice to be eligible to participate. \n• Must donate one sick day to enroll in the program. \n• Donation day will be deducted from an employee’s sick \nleave balance. \nEligibility for Recipient: \n• Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PP15 \nPage 9 of 12 \n \n• Employees must have exhausted all accumulated sick leave \nand other paid time. \n• The bank is for employee’s illness only and cannot be used \nfor illness of family members. \n• All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n• Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers’ \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual’s daily \nrate of pay." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "rate of pay. \n• Individuals are eligible to receive up to 30 days of sick leave \ntime at one time and may request an additional 30 days, for \na maximum of 60 days. \n• Time granted and not used shall revert to the sick leave \nbank. \nMANAGEMENT \nMembership Requirements: \n• To establish this program, there must be at least 100 eligible \nManagerial employees who participate in it. \n• A Managerial employee must be permanent or entering \ntheir fourth consecutive year of Boston Public Schools \nservice to be eligible to participate. \n• A Managerial employee must donate one sick day (eight \nhours) to enroll in the program. \n• Donation days (hours) will be deducted from the donor’s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "accumulated sick leave balance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PP15 \nPage 10 of 12 \n \nEligibility for Recipient: \n• Only Managerial employees who have donated to the sick \nleave donation program are eligible to apply for sick leave \ntime. \n• Applicants for sick leave time must have exhausted all \naccumulated sick, personal, and vacation leave to be eligible \nto receive sick leave donations. \n• Recipients may use donated sick leave only for work time \nlost due to personal illness. Recipients may not use donated \ntime for absences caused by an illness of a family member. \n• The application form for sick time must be completed and \naccompanied by adequate medical evidence, pursuant to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Superintendent’s Circular HRS-PP13, Employee Sick Leave \nPolicy, of a serious illness. \n• For employees receiving benefits pursuant to a disability \nplan, the combination of disability payments and donated \nsick days may not, on a day- to-day basis, equal more than \nthe employee’s daily rate of pay. \n• For employees receiving worker’s compensation benefits, \nthe combination of worker’s compensation payments and \ndonated sick days may not, on a daily basis, equal more than \nthe employee’s daily rate of pay. \n• Provided there is available sick leave in the bank, the \ncommittee has the authority to grant up to 30 days of sick \nleave to a recipient. In exceptional circumstances, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "committee may also grant additional 30-day increments, up \nto a maximum of ninety 90 days (including the original 30 \ndays). \n• Requests for sick leave time may not be made retroactively. \n• Days that have been granted but are not used will revert to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HRS-PP15 \nPage 11 of 12 \n \nthe sick leave bank. \nSCHOOL POLICE PATROLMEN ASSOCIATION \nMembership Requirements: \n• To establish this program, there must be at least 25 \nAssociation bank members. \n• Must be association members to participate. \n• Must have completed three or more years of continuous \nservice to be eligible to participate. \n• Must donate one sick day to enroll in the program. \n• Donation day will be deducted from an employee’s sick \nleave balance. \nEligibility for Recipient: \n• Only employees who have donated to the sick leave bank \nwill be eligible to apply for sick leave bank time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "• Employees must have exhausted all accumulated sick leave \nand other paid time. \n• The bank is for employee’s illness only and cannot be used \nfor illness of family members. \n• All requests for sick leave bank grants must be submitted in \nwriting, accompanied by medical certification. \n• Individuals who have a disability plan and are receiving \ndisability payments or who are receiving workers’ \ncompensation payments will be eligible for sick leave bank \ngrants such that in combination with the sick leave bank \npayment the amount shall not exceed the individual’s daily \nrate of pay. \n• Individuals are eligible to receive up to 30 days of sick leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "time at one time and may request an additional 30 days, for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP15 Sick Leave Donation Program", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HRS-PP15 \nPage 12 of 12 \n \na maximum of 60 days. \n• Time granted and not used shall revert to the sick leave \nbank." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP16 \nVersion 01 \n \n \nEMPLOYEE SAVINGS AND INVESTMENT BENEFITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nFLEXIBLE SPENDING ACCOUNT \nThe City of Boston’s Flexible Spending Accounts are administered \nby Cafeteria Plan Advisors, Inc. Flex spending lets you deduct pre-\ntax money for out-of-pocket medical expenses, dependent care, \nand transportation. Annual enrollment for flex spending occurs in \nNovember for the plan year beginning January 1. Participants of \nthis program will receive a Benny Card at the start of the new" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "year that they can begin using immediately for eligible expenses. \n● Read more about Flexible Spending \n● Download the Flexible Spending Application \n● Cafeteria Plan Advisors, Inc. website \n \nTo contact Cafeteria Plan Advisors directly with questions: \nMailing Address: 420 Washington Street, Suite 100, Braintree, \nMA 02184 \nPhone: \n1-800-544-2340 \nFAX: \n1-781-848-8477 \nEmail: \ninfo@cpa125.com" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP16 \nPage 2 of 4 \n \n \nRETIREMENT PLANNING \nState-Boston Retirement System \nAll employees are eligible to participate in the State Boston \nRetirement System. For more information, visit the Retirement \nBoard website. \nVoluntary Retirement Plans \nEmployees are eligible to participate in two types of voluntary \ndeferred compensation retirement plans: \n• Massachusetts Deferred Comp 457 SMART Plan \n• 403(b) tax-sheltered annuities \nSee information below on these two types of voluntary deferred \ncompensation plans. \nDEFERRED COMPENSATION \n1. 457 SMART Plan \nEmployees are eligible to participate in the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "Employees are eligible to participate in the \nCommonwealth’s Deferred Compensation Plan (also known \nas a Section 457 Plan). This allows an employee to shelter \nincome from federal and state income tax through a payroll \ndeduction. Additional information is available at the \nMassachusetts Deferred Compensation Smart Plan website. \nClick here for more information Deferred Compensation (IRS \n457). \n2. 403(b) Plans \nEmployees are eligible to participate, at no cost, in tax-\nsheltered annuities (also known as 403(b) plans). An annuity \nis a tax-saving retirement planning device that allows an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP16 \nPage 3 of 4 \n \n \nemployee to shelter income from federal and state income \ntax through a payroll deduction. A representative at a \nparticipating company will provide a payroll deduction form, \nwhich you may also download and print out here. This form \nmust be filled out and submitted according to BPS 403(b) \nprocedures. \no AIG/VALIC (Variable Annuity Life Insurance Co.), \nNashua, NH. (603) 594-8340 \no American United Life Insurance Company \no Ameriprise Financial Services, Inc., Minneapolis, MN \n(800) 862-7919 \no Ameritas Life Insurance Corporation, Lincoln, NE (800) \n745-1112 \no ASPire Financial Services, Tampa, FL (866) 634-5873" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "o AXA Equitable Life Insurance Company, Wellesley, MA \n(781) 237-8264 \no Commonwealth Annuity and Life Ins. Co., Topeka, KS \n(800) 457-9047 \no Fidelity Investments Mutual Funds \no Great American Advisors, Inc., Cincinnati, OH (800) 216-\n3354 \no Great American Financial Resources, Inc., Cincinnati, \nOH (888) 497-8556 \no Horace Mann, Springfield, IL (866) 999-1945 \no Kemper Annuity and Life Ins. Co., Topeka, KS (800) 457-\n9047 \no Lincoln Investment Planning Mutual Funds, Waltham, \nMA (781) 647-3050 \no Lincoln National Life Insurance Company, Fort Wayne, \nIN (800) 454-6265 \no MetLife, Bloomfield, CT (860) 768-0139" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP16 \nPage 4 of 4 \n \n \no MetLife of CT, Bloomfield, CT (860) 768-0139 \no Midland National Life \no North American Company for Life and Health \no New York Life Insurance Company, Sleepy Hollow, NY \n(914) 846-5608 \no Protective Life, Topeka, KS (800) 457-9047 \no The Union Central Life Ins. Co., Cincinnati, OH (800) \n825-1551 \nVOLUNTARY INSURANCE \nOther insurance providers offer short and long-term disability. \nThey also offer optional life insurance and critical illness coverage. \nThese are voluntary insurance programs. Please be advised that \nthese benefits are not administered by the Health Benefits Office." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP16 Employee Savings and Investment Benefits", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link", + "content": "For more information about this circular, contact: \nOwner: \nEmployee Services, Office Human Resources \nPhone: \n617-635-9600 \nFax: \n617-635-7957 \nEmail: \nemployeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nHRS-PP11 \nVersion 01 \n \nDRUG FREE WORKPLACE POLICY AND PROCEDURE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIt is the policy of the Boston Public Schools to maintain a \nworkplace free from all unlawful drugs and substances and to \ninsist that all staff, students, contracted providers, and others \nwho work, attend, and/or visit facilities under the jurisdiction of \nthe School Department avoid unlawful drug and substance use \nand abuse at all times. In compliance with the federal Drug-Free \nWorkplace Act of 1988 (P.L. 100-690) and its implementing" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link", + "content": "regulations, all employees of the Boston Public Schools, \ncontracted providers, students, and visitors to facilities under the \njurisdiction of the School Committee are hereby notified that the \nunlawful manufacture, distribution, dispensation, possession, or \nuse of a controlled substance (as listed in schedules I-V of Section \n202 of the Controlled Substances Act) is prohibited. Violations of \nthis policy shall be subject to the provisions of federal and state \nlaw, to procedures relative to the discipline of employees, and to \nthe provisions of the Code of Conduct of the Boston Public \nSchools. \nAll employees must abide by this policy as a condition of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link", + "content": "employment. Employees must notify their immediate supervisor \nwithin forty-eight (48) hours of any conviction (including a plea of \nnolo contendre) of a violation of any federal or state criminal drug \nlaw by an action committed in the workplace. The employee’s \nimmediate supervisor will notify the Office of Human Capital." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP11 \nPage 2 of 2 \n \nWithin ten (10) days of receiving notice of such a conviction, it will \nbe the responsibility of the superintendent or designee to notify \nthe funding agency in those cases where the employee is directly \nengaged in the performance of work and is paid through a direct \nfederal grant. The Development Office will prepare, annually for \nthe Office of Human Capital, a list of employees covered by this \nprovision of the regulations. \nWithin thirty (30) days of receiving notice of such conviction, an \ninvestigation will be initiated. It will be the responsibility of the \nsuperintendent to recommend disciplinary action, including but" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link", + "content": "not limited to suspension or dismissal. \nBoston Public Schools staff should be made aware of the services \navailable through the City of Boston Employee Assistance \nProgram (B.E.A.P.). Responsibility Center managers and directors \nare urged to refer to the B.E.A.P. any employee who \ndemonstrates symptoms of drug or alcohol abuse at 617-635-\n2200 or eap@boston.gov. The program is located at 43 Hawkins \nSt., Boston. \nFor more information about this circular, contact: \nOwner: \nEmployee Services \nDepartment: \nOffice of Human Capital \nMailing Address: 2300 Washington Street, Roxbury MA 02119 \nFax: \n617-635-7956 \nPhone: \n617-635-9600 \nEmail: \nemployeeservices@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP11 Drug Free Workplace Policy and Procedure", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link", + "content": "employeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 1, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nHRS-HS07 \nVersion 01 \n \n \nSTAFFING, REASSIGNMENT AND HIRING OF \nPERMANENT AND PROVISIONAL TEACHERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular outlines important dates and procedures regarding \nthe staffing of schools for the 2023-2024 school year. Reflected in \nthis circular are policies from the BPS-BTU Collective Bargaining \nAgreement, as well as information regarding the accelerated \nhiring timeline and hiring autonomy framework designed to \nenable all BPS schools to attract and hire the most diverse, \nqualified, and effective teachers as early as possible." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 2, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Boston Public Schools and our school leaders are committed to \nbuilding excellent schools that prepare our students to compete \nand succeed in the 21st century. To cultivate world-class, global \ncitizens, we commit to recruiting, retaining, and promoting a \ndiverse, highly qualified, and effective workforce. \nAs an urban district with an increasingly diverse student body, it \nis also imperative that schools fully comply with the Final \nJudgment of the Federal Court dated July 1994 that requires \ndistrict and examination schools to employ a minimum of 25% \nBlack teachers and staff and 10% other minority teachers." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 3, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 2:\nSuperintendent’s Circular HRS-HS07 \nPage 2 of 27 \n \n \nIn addition, one of our continuous hiring goals is to increase our \nnumber of bilingual teachers and staff to support our English \nLanguage Learner populations. We urge school leaders to take \nevery possible step to help each school, and the district as a \nwhole, to meet these mandates and goals. \nCONTENTS: links below jump to the section named. \nI. Determination of School Staffing Needs \nII. Posting of Teaching Positions \nIII. Excessing \nIV. Staffing of Provisional Teachers \nV. Leaves of Absence \nVI. Hiring of International Teachers \n \n \nAttachments: \nATTACHMENT 1: Application for Voluntary Excessing for Teachers" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 4, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "and Paraprofessionals \n \nATTACHMENT 2: Application for Additional Program Areas (APA) \nATTACHMENT 3: Application Process for Job Sharing \n \nATTACHMENT 4: SY 2023-24 Staffing Calendar" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 5, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 3:\nSuperintendent’s Circular HRS-HS07 \nPage 3 of 27 \n \n \nI. DETERMINATION OF SCHOOL STAFFING NEEDS \nTimeframe: November to February \nEvery fall, schools develop budget and staffing plans for the \nfollowing year based on each school’s projected enrollment. \nOnce a school’s estimated budget is established, the process \nknown as Probable Organization (“Probable Org”) begins, in \nwhich schools, together with representatives from the Office of \nHuman Resources, identify their staffing plans for the upcoming \nschool year. \nSeveral components make up the Probable Organization process: \nANNUAL BUDGET COLLABORATIVE AND PROBABLE \nORGANIZATION PROCESS \nCentral Office Responsibility" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 6, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Central Office Responsibility \nSchool Leader \nAction Step \nTimeframe \nFinance Office sends schools \ntheir enrollment projections for \nthe following year \nReview projections \nand report back to \nFinance and school \nsuperintendent if \ndiscrepancies exist \nMid-to-late \nNovember \nFinance Office calculates each \nschool’s budget based on \nWeighted Student Funding \n(WSF), in which specific student \ncharacteristics (e.g., special \nneeds, early childhood, etc.) are \nassigned weights that \ndetermine school funding above \nReview budget and \ncomplete \nFutureForce Version \n1, in consultation \nwith Budget, OHC, \nOEL, and Special \nEducation, as \nneeded \nDecember" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 7, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 4:\nSuperintendent’s Circular HRS-HS07 \nPage 4 of 27 \n \n \nCentral Office Responsibility \nSchool Leader \nAction Step \nTimeframe \nthe school’s foundation amount \nplus base per-pupil amounts. \nBudget Collaboratives: \nrepresentatives of Budget, OHC, \nOEL, Special Education, \nPlanning & Analysis, school \nsuperintendents and school \nleaders meet to map the school \nstructure for the following \nschool year in FutureForce \nVersion 2, including discussion \nof position reductions and \nadditions to ensure \nprogrammatic, enrollment, or \nbudget changes meet projected \nstudent needs \nEnsure all formative \nassessments are \nentered into \nTeachPoint for all \neducators on plans \nof one-year or less" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 8, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "educators on plans \nof one-year or less \nby January 15. This is \na contractual \ndeadline for all \nschools. \nEarly-mid \nJanuary \n• Office of Human Resources \nprepares staffing-related \ndata reports for schools, \nincluding relevant personnel \ninformation including: \n• Leaves of absence for SY \n2023-24 and SY 2024-25 \n• Licensure and Sheltered \nEnglish Immersion (SEI) \nendorsement \nReview staffing-\nrelated data and \nbegin planning for \nimplications of \npersonnel changes. \nDetermine which \nprovisional teachers \n(if any) can/will \nreceive letters of \nreasonable \nassurance. \nMid-January" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 9, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 5:\nSuperintendent’s Circular HRS-HS07 \nPage 5 of 27 \n \n \nCentral Office Responsibility \nSchool Leader \nAction Step \nTimeframe \n• Additional program area \nrequests \n• Voluntary requests for \nreassignment \n• Reasonable \nassurance/permanency \ndecisions for provisional \nteachers \n \nProbable Organization: OHC, \nBudget, OEL, Special Education, \nschool superintendents and \nschool leaders meet to map the \nstaffing for the following school \nyear in FutureForce Version 3. \nProvide BTU \nrepresentative with \nlist of provisional \nteachers \nrecommended to \nreceive Reasonable \nAssurance \nLate \nJanuary-\nearly \nFebruary \nPosting Positions: School \nleaders, OHC, and Budget \nrepresentatives confirm" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 10, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "representatives confirm \nvacancies and newly created \npositions, then post positions for \nthe upcoming staffing cycle. \nSubmit job \ndescriptions for \nvacant and newly \ncreated positions to \nOHC \nLate \nFebruary" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 11, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 6:\nSuperintendent’s Circular HRS-HS07 \nPage 6 of 27 \n \n \nII. POSTING OF TEACHING POSITIONS \nThe staffing process for the 2023-2024 school year includes a \nhiring timeline designed to facilitate attracting and hiring the \nmost diverse, qualified, and effective teachers as early as possible. \nPersonnel Subcommittee \nSchools must ensure that the Personnel Subcommittee of the \nSchool Site Council is formed and ready to begin the hiring \nprocess by March 1. Schools must submit a complete roster of \nPersonnel Subcommittee members to the Office of Family and \nStudent Engagement by the end of October. Training related to \npersonnel subcommittees are offered by the Office of Family and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 12, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Student Engagement, the BTU, and the Office of Human \nResources. Details about the personnel subcommittee can be \nfound in Superintendent’s Circular FAM-04. \nProcess \nHiring early will ensure that schools are able to secure the most \nqualified candidates. Positions will be posted on TalentEd in early \nMarch once Probable Org and determination of vacancies have \nbeen concluded. Teachers who wish to apply for a position \neffective the first day of school for the upcoming school year \nmust apply for postings online through TalentEd. Current BPS \nteachers may apply for any position for which they are qualified. \nApplicants who wish to be considered for inclusion in the district" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 13, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "priority pool must submit their applications for the priority pool \nthrough TalentEd by March 1, 2024. Candidates for the priority \npool will undergo a competency-based phone and resume \nscreening process coordinated by the Office of Recruitment, \nCultivation, and Diversity." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 14, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 7:\nSuperintendent’s Circular HRS-HS07 \nPage 7 of 27 \n \n \nAll approved hires will become effective on the first day of work \nfor the upcoming school year. Any teacher who accepts a new \nposition is not eligible to apply for any additional teaching jobs \nfor the 2024-2025 school year. Beginning July 1, 2023, OHC will no \nlonger approve lateral hires to prevent unanticipated vacancies \nlate in the hiring season. \nHiring Approval \nThe Boston Public Schools is committed to recruiting, retaining, \nand promoting a highly qualified, culturally, and linguistically \ndiverse workforce that reflects the rich diversity of our students" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 15, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "and positively impacts both academic and non-academic student \nlearning outcomes. The Office of Equity, Office of Human \nResources, and school superintendents will establish an \naccountability process to ensure that reasonable efforts have \nbeen made to hire teachers that move schools and the district \ntoward meeting our workforce diversity goals. \nCandidates hired must be qualified and meet diversity hiring \nrequirements: \n• Teachers hired must hold valid licensure for the position. \n• Teachers hired must move the school toward meeting or \nmaintaining district diversity goals. \n• School hiring teams must complete reference checks." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 16, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Heads of school or principals and School Site Council Personnel \nSubcommittees should also be sure to interview qualified \nexcessed permanent teachers. \nQualifications for Additional Program Areas \nDeadline: January 1, 2024" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 17, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 8:\nSuperintendent’s Circular HRS-HS07 \nPage 8 of 27 \n \n \nPermanent teachers may apply for additional program area(s) to \nidentify a non-primary subject area(s) in which they are licensed. \nPermanent teachers who wish to apply for additional program \nareas must submit their request via this online form to the online \nApplication for Additional Program Areas. Supplemental \nmaterials must be submitted to the Office of Human Resources \nby mail or in person. Applications and complete documentation \nmust be submitted to the Office of Human Resources by January \n15, 2024. \nFor additional information about applying for additional program" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 18, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "areas, please refer to Superintendent’s Circular HRS-HS07.1, \nQualifications for Additional Program Areas. \nJob Sharing for Permanent Teachers and Paraprofessionals \n1) Eligibility: All teachers requesting participation in job-\nsharing must hold the appropriate license for the position. \n2) Process: Permanent teachers or paraprofessionals who wish \nto indicate their interest in job sharing should submit an \napplication via the Application for Job Sharing form by \nMonday, March 25, 2024. Each candidate must submit their \nown application. This submission of the application is an \nindication of interest only and is not binding. \nParticipation in job-sharing requires approval by the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 19, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "principal/head of school. The principal/head of school should \nsubmit their approval via the Job Sharing Principal Approval form \nby Monday, March 25, 2024. \nFor additional information about job sharing please refer to \nSuperintendent’s Circular HRS-HS02, Job Sharing for Permanent \nTeachers and Paraprofessionals for School Year 2023-2024. The \nBoston Teachers Union also holds an informational meeting" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 20, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 9:\nSuperintendent’s Circular HRS-HS07 \nPage 9 of 27 \n \n \nevery spring. Information on the specific date and time will be \nshared in the BTU bulletin. \nIII. EXCESSING \nVoluntary and Involuntary Reassignment/Excess \nA. Voluntary Excessing – Teachers and Paraprofessionals \nDeadline: February 1, 2024 \nAll permanent teachers or paraprofessionals who meet the \nVoluntary Excessing eligibility criteria as outlined in the \nCollective Bargaining Agreement (1) including those on \nleave of absence, may voluntarily request excessing \nregardless of whether there is a reduction in the number of \npositions. Teachers and paraprofessionals who voluntarily" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 21, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "excess themselves forfeit their rights to the position they \nhave left. \nVoluntary Excessing Requirements for Teachers: \n● The teacher must hold permanent status. \n● The request must be submitted to OHC by February 1, 2024 \n(see instructions below). \n● The teacher must possess an overall rating of Proficient or \nhigher on their most recent evaluation, which includes the \nFormative Assessment. \n \n(1) Refer to the Collective Bargaining Agreement (September 1, \n2018 – August 31, 2021) pp. 76-77 for a list of requirements for \nteachers and pp. 136 for paraprofessionals." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 22, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 10:\nSuperintendent’s Circular HRS-HS07 \nPage 10 of 27 \n \n \n● The teacher may not have voluntarily excessed themselves \nwithin the prior two years. \n \nTeachers and paraprofessionals who wish to request \nexcessing should submit their Application for Reassignment \nor complete ATTACHMENT 1, Application for Reassignment, \nand submit it to their head of school or principal as well as \nthe Office of Human Resources by February 1, 2024. The \nOffice of Human Resources will review all applications and \ninform teachers or paraprofessionals and the school of the \nresults of the request. Teachers and paraprofessionals who \ndo not meet the above criteria will not be approved for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 23, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "voluntary excessing. Requests for voluntary excessing can \nbe rescinded up until February 9, 2024. Approved requests \nare considered binding after that date. \nB. Involuntary Reassignment/Excessing \nDeadline: All involuntarily excessed teachers and nurses will \nbe notified on or before April 15, 2024. \nTo stay in a current position, permanent educators must \nhold the appropriate license(s) for the role to which they are \nassigned; otherwise, the educator will be excessed. \n \nAdditionally, it may be necessary to excess permanent \nteachers if there is a reduction in the number of teaching \npositions for the following school year, a school is identified" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 24, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "for closure, or the Massachusetts Department of Education \ndesignates it as Level 4 school. When a reduction in the \nnumber of positions occurs, involuntary excessing will be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 25, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 11:\nSuperintendent’s Circular HRS-HS07 \nPage 11 of 27 \n \n \nfirst by volunteers in a program area, then by reverse \nseniority within a program area unless: \na. A teacher with more seniority voluntarily requests to be \nexcessed; or, \nb. The excessing of the least junior teacher would prohibit \ncompliance with U.S. District Court Order dated July \n1994. \nSchools with specific types of staffing autonomy may also \ninvoluntarily excess teachers. The school’s ability to \ninvoluntarily excess teachers must be included in the \nschool’s governing document. \nPlacement in Positions of Suitable Professional Capacity \nPermanent teachers who are not hired into vacant positions" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 26, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "will be assigned in a suitable professional capacity in \naccordance with the BPS/BTU contract. \nIV. STAFFING FOR PROVISIONAL TEACHERS \nA. Reasonable Assurance for Provisional Teachers \nFirst and second-year provisional teachers may be eligible to \nreceive reasonable assurance that they will continue in their \ncurrent position for the following school year. Provisional \nteachers must hold a valid DESE license(s) for the position in \nwhich they are teaching in order for a Letter of Reasonable \nAssurance to be granted. No exceptions will be made. \nIn addition to budgetary and licensure concerns, a teacher’s \nperformance, as measured through the Massachusetts" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 27, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Regulations on Evaluation of Educators (603 CMR 35.00), is a \nmajor factor in determining whether a provisional teacher \nreceives a Letter of Reasonable Assurance. Principals and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 28, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 12:\nSuperintendent’s Circular HRS-HS07 \nPage 12 of 27 \n \n \nheads of school will be held accountable for ensuring that all \nprovisional teachers receive a Formative Assessment, which \nincludes an overall rating, by February 1, 2024. Provisional \nteachers who have not been evaluated will not be eligible to \nreceive a Letter of Reasonable Assurance. \nDuring Probable Organization, school leaders will work with \nOHC to identify all provisional teachers who are eligible to \nreceive reasonable assurance, listing them in their Probable \nOrganization template. OHC will send letters of Reasonable \nAssurance by April 15 to provisional teachers. \nRequests for permanent appointment for current" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 29, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Requests for permanent appointment for current \nProvisional 1 and Provisional 2 teachers will not be granted. \nSee section IV.A below for information regarding Provisional \n3 teachers and the awarding of permanent status. \nB. Permanent Appointment of Provisional Teachers \nEligibility \nThe Massachusetts Regulations on Evaluation of Educators \nstipulate that achievement of Professional Teaching Status \n(being made a permanent teacher in BPS) is dependent \nupon receiving a rating of Proficient or above on all four of \nthe Standards of Effective Teaching Practice, as well as an \noverall rating of Proficient or Exemplary. See below for \nadditional criteria required for permanent status." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 30, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 13:\nSuperintendent’s Circular HRS-HS07 \nPage 13 of 27 \n \n \nA school leader may recommend an educator (2) for \npermanent appointment (3) if they meet all the following \ncriteria: \n● The teacher is provisional, and in their third year at BPS. \n● The teacher received a rating of Proficient or Exemplary \noverall and on all four Standards of Effective Teaching on \na Formative Assessment, released by February 1, 2024. \n● The teacher will remain in the same position in their \ncurrent school for the 2023-24 school year. \n● The teacher holds a valid DESE license(s) for the content \narea in which they are teaching. \n● The teacher holds either an ESL license or SEI" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 31, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "● The teacher holds either an ESL license or SEI \nEndorsement (Core content teachers of ELLs as required \nby DESE) or a Bilingual Educator Endorsement (BEE), \nshould the BEE be requirement by their position. \nPlease note: While the head of school or principal may \nrecommend a Provisional 3 teacher for permanent status \nbased upon fulfillment of the criteria above, the teacher may \nnot be granted permanent status until a Summative \n \n(2) Educators considered teachers and eligible for Professional \nTeacher Status as defined by M.G.L. c.71 § 41 include teachers, \nschool librarians, school adjustment counselors, school nurses, \nschool social workers, or school psychologists." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 32, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "school social workers, or school psychologists. \n(3) A school leader may make the recommendation for \npermanent appointment when the educator is still in their third \nyear to take effect on the first day of their fourth year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 33, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 14:\nSuperintendent’s Circular HRS-HS07 \nPage 14 of 27 \n \n \nEvaluation is released which indicates Proficient or \nExemplary practice overall in all four standards. \nIf a Provisional 3 teacher does not achieve a rating of \nProficient or Exemplary overall on all four standards on their \nFormative Assessment, they may be required to take a one-\nyear break in service. During the break in service, the \nteacher would not be eligible for employment as a teacher \nor substitute within Boston Public Schools. After the year-\nlong break in service, the teacher would once again be \neligible for vacant teaching positions, and, if hired, would \nreturn to Provisional 1 status. \nProcess" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 34, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "return to Provisional 1 status. \nProcess \nTo recommend a Provisional 3 teacher for Permanent \nAppointment during Probable Organization, the head of \nschool or principal must take the following steps: \n1) Release the teacher’s Formative Assessment by January \n12, 2024 \n2) Identify the position that the teacher will hold for the \n2023-24 school year \n3) Record the recommendation for Permanent \nAppointment on the Provisional Review Process page in \nFutureForce Version 2 \n \nIf, upon the principal or head of school’s release of the end-\nof-year Summative Evaluation, the provisional teacher has \nsuccessfully demonstrated effective teaching practice(s) by" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 35, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "achieving a rating of Proficient or Exemplary overall and on" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 36, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 15:\nSuperintendent’s Circular HRS-HS07 \nPage 15 of 27 \n \n \nall four standards of effective teaching, they will become \npermanent as of September 2023. \nV. LEAVES OF ABSENCE \nA. Planning to Take a Leave of Absence in 2024-2025 \nDeadline: January 15, 2024 \nPermanent teachers who are not currently on leave but \nare planning to take a Leave of Absence during the 2024-\n2025 school year (e.g., personal reasons, education), must \nsubmit a leave application by January 15, 2024. \nEmployees must submit a request for leave electronically \nvia Employee Self-Service. Employees should submit \napplications even if they have not officially been accepted" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 37, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "for a job and educational program but are in the \napplication process. If a teacher is not accepted into a \ngraduate program or job, the leave request can be \nrescinded, so long as the Office of Human Resources is \nnotified by April 1. \nFor further information regarding leaves of absences, \nincluding how to apply, please refer to Superintendent’s \nCircular HRS-HS-PP13." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 38, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 16:\nSuperintendent’s Circular HRS-HS07 \nPage 16 of 27 \n \n \nB. Currently on a Leave of Absence \nDeadline: January 15, 2024 \nIn November 2023, teachers currently on non-medical leave \nwill be sent a letter informing them about the expiration of \ntheir leave. The teacher must submit the response form that \naccompanies the letter to the Office of Human Resources, \nstating their request to extend their leave/intent to remain \non their leave or return from leave by January 15, 2024. If the \nteacher does not respond by the deadline, they will forfeit \nrights to their position. \nThe leave letters are sent to the address listed on the Hub." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 39, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Employees are responsible for ensuring that this address is \ncorrect. For further information regarding leaves of \nabsences, please refer to Superintendent’s Circular HRS-\nPP13, Absence and Leave Policy. \nVI. HIRING OF INTERNATIONAL TEACHERS \nInternational teachers are not legally permitted to work or \nto be paid without proof of official United States Citizenship \n& Immigration Services (USCIS) work authorization. Heads of \nschool, principals, or RC managers should make it a \ncommon practice to inquire about the work authorization \nstatus of all their potential new hires." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 40, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 17:\nSuperintendent’s Circular HRS-HS07 \nPage 17 of 27 \n \n \nFor more information about this circular, contact: \nOwner: \nChief Human Resources Officer \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Ave. Roxbury, MA 02119 \nPhone: \n617-635-9600 \nEmail: \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 41, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 18:\nSuperintendent’s Circular HRS-HS07 \nPage 18 of 27 \n \n \nATTACHMENT 1 \nAPPLICATION FOR REASSIGNMENT FOR TEACHERS AND \nPARAPROFESSIONALS \n \nSCHOOL: ________________________________________________________ \nLast Name__________________ First Name_______________Initial _____ \nMaiden Name [if any} _____________________________________________ \nEmployee I.D. # __________________________________________________ \nSELECT ONE:  Permanent Teacher  Paraprofessional \n \nTHIS SECTION TO BE COMPLETED BY PERMANENT TEACHERS \nONLY: \nI am requesting reassignment for the coming 2023-2024 \nacademic year, because (please check one) \n I am a permanent teacher." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 42, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": " I am a permanent teacher. \n I am a permanent school nurse. \n I am a permanent student support services coordinator \n(COSESS). \n I am a paraprofessional. \n There is a reduction in my program area. My program area \nis_________________________and my seniority date is __________ ." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 43, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 19:\nSuperintendent’s Circular HRS-HS07 \nPage 19 of 27 \n \n \nI understand that with this declaration this decision cannot be \nrescinded after February 14, 2024, and that I will be reassigned in \nthe coming school year in accordance with the provisions of the \nBoston Teachers Union Contract. \n \n______________________________________________ ___________________ \n \n Signature \nDate \nPLEASE RETURN THIS FORM TO YOUR HEAD OF SCHOOL OR \nPRINCIPAL AND OFFICE OF HUMAN RESOURCES. \nHEADS OF SCHOOL, PRINCIPALS, AND OTHER ADMINISTRATIVE \nHEADS MUST FORWARD THIS APPLICATION TO THE OFFICE OF \nHUMAN RESOURCES NO LATER THAN FEBRUARY 1, 2024. \nPlease mail, fax, or email this form to: \nName:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 44, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Please mail, fax, or email this form to: \nName: \nSchool and Central Based Staffing \nDepartment: \nOffice of Human Resources \nMailing Address: 2300 Washington St., Roxbury MA 02119 \nPhone: \n617-635-9600 \nFax: \n 617-635-9326 \nEmail: \nohc@bostonpublicschools.org \n \nFor additional questions, please submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access Boston. \nAn electronic version of this form can be found at: \nhttp://www.bostonpublicschools.org/Page/1019" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 45, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 20:\nSuperintendent’s Circular HRS-HS07 \nPage 20 of 27 \n \n \nATTACHMENT 2: \nAPPLICATION FOR ADDITIONAL PROGRAM AREAS (APA) \n2023-2024 ONLINE FORMS \n \nThe Office of Human Resources has transitioned to using online \nforms. The Application for Additional Program Areas can now be \nfound at the link below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. Supplemental materials such as transcripts can be \nsubmitted via mail or in person to the Office of Human \nResources. \nLink to Apply: \n• Click Here for Additional Program Area Application \n• Or copy this URL: http://goo.gl/forms/JqftW4IOx1 \nSupplemental Documentation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 46, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Supplemental Documentation \nApplication approval is contingent on submission of one of the \nfollowing documents: \n• Official transcript(s) indicating the completion of fifteen (15) \ngraduate or undergraduate course credits relevant to the \nprogram area qualification \nOR \n● A signed letter from the head of school or principal, \nconfirming the following information: \no The subject area you taught (relevant to your \napplication)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 47, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 21:\nSuperintendent’s Circular HRS-HS07 \nPage 21 of 27 \n \n \no The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \no Confirmation that you taught at least 50% of the \nweekly schedule in that area. \nPlease fill out the application form and submit supplemental \ndocuments to the contact listed below by January 12, 2024. \n \nFor more information about this circular, please contact: \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9240 \nEmail: \nfcanty@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 48, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 22:\nSuperintendent’s Circular HRS-HS07 \nPage 22 of 27 \n \n \nATTACHMENT 3: \nAPPLICATION FOR JOB SHARING \nTo Indicate Interest in Job Sharing \nPermanent teachers or paraprofessionals who wish to \nindicate their interest in job sharing should submit a request \nusing the online form shown below. The submission of an \napplication only serves an indication of interest and is not \nbinding. The job sharing application and principal/head of \nschool approval forms must be submitted via the online \nform no later than 5:00 p.m. Monday March 25, 2024. \nOnline Forms \nThe Office of Human Resources now accepts job sharing \napplications online. Candidate applications for job share as" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 49, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "well as principal/head of school approval can be submitted \nthrough the links below. Please note that employees will be \nrequired to sign in with their Boston Public Schools Gmail \naccount. These links will also be made available through \nBTU and Paraprofessional representatives, the Boston \nPublic Schools website, and the Superintendent’s Bulletin. \nClick Here for Job Sharing Request—Applicant Form \nEach applicant interested in job sharing must submit their \nown form. Principals must submit the form below for \napproval. \nClick Here for Job Sharing Request—Principal Approval Form \nPrincipals/heads of school must submit this form to approve \na job share request." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 50, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 23:\nSuperintendent’s Circular HRS-HS07 \nPage 23 of 27 \n \n \nFor more information about job sharing, please see \nSuperintendent’s Circular HRS-HS02, or contact: \nOwner: \nDirector of School-Based Staffing \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington St., Roxbury MA, 02119 \nPhone: \n617-635-9240 \nEmail: \nohr@bostonpublicschools.org \n \n \n \n \n \n \n \n \n \n \n \n \n \nATTACHMENT 4: \nSTAFFING CALENDAR" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 51, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 24:\nSuperintendent’s Circular HRS-HS07 \nPage 24 of 27 \n \n \nDecember 2023 \nDecember 18 Deadline for teachers to submit Leave of Absence \nintent letters to OHC \nJanuary 2024 \nJanuary 10 – February 4 Budget Collaborative and Probable \nOrganization meetings \nJanuary 15 \nDeadline for: \nPermanent teachers to request Personal Reasons, \nor Educational Leaves, to commence at the \nbeginning of the next teacher work year \nPermanent teachers on approved year-long leaves \nto return November letter indicating intent to \nreturn at the start of next teacher work year or \nrequest an extension \n \nTeachers to submit Alternate Program Area \nrequests to OHC \nJanuary 17" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 52, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "requests to OHC \nJanuary 17 \nDeadline for teachers to submit application for \nEarly Notification Incentive of Termination to \nreceive $1,500 \nDeadline for submission of Formative Assessments \nfor all educators on 1-year plans \n \nFebruary 2024 \nFebruary 1 (contractual deadlines) \nDeadline for teachers or paraprofessionals to \nsubmit reassignment requests (Voluntary Excess)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 53, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 25:\nSuperintendent’s Circular HRS-HS07 \nPage 25 of 27 \n \n \n \nDeadline to notify permanent teachers of excess in \nLevel 4, Innovation and Pilot Schools (Involuntary \nExcess) \n \nDeadline to notify paraprofessionals of excess in \nLevel 5 Schools (Involuntary Excess) \nFebruary 11 \nDeadline for teachers or paraprofessionals to \nrescind reassignment requests (Voluntary Excess) \nMarch 2024 \nBeginning \nMarch 1 \nTeacher positions posted \nMarch 18 \nOHC sends excess and layoff notices to \nparaprofessionals (tentative) \nMarch 25 \nDeadline for job share applications \nApril 2024 \nApril 1 - April 15 Paraprofessional transfer process (tentative) \nApril 15 \n(contractual deadline)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 54, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "April 15 \n(contractual deadline) \nDeadline to OHC to \nnotify all Permanent teachers of excess \n \ndeadline to notify Provisional teachers of \nreasonable assurance \nApril 27 \nExcess notification to Guild members (tentative) \nMay 2024 \nMay 6 \nDeadline for recommended paraprofessional \ntransfer applicant decisions to TalentEd (tentative) \nMay 9 \nOHC sends assignment letters for paraprofessional \ntransfers (tentative)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 55, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 26:\nSuperintendent’s Circular HRS-HS07 \nPage 26 of 27 \n \n \n \nParaprofessional Excess Pool participant and \nposition lists available \nMay 15 \n(contractual deadline) All evaluations due for \nlicensed educators on 1-year plans \n \nGuild Layoff notices issued \nMay 19 \nParaprofessional excess pool (tentative) \nJune 2024 \nJune 1 \n(contractual deadline) Deadline for OHC to notify \nPermanent teachers, BASAS, and managerial of \nlayoff \nJune 3 \nDeadline for principals to submit paraprofessional \nexcess pool rankings to OHC \nJune 6 \nOHC finalizes paraprofessional excess pool \nassignments (tentative) \nJune 13 \nGuild Excess Pool (tentative) \nJune 15" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 56, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Guild Excess Pool (tentative) \nJune 15 \n(contractual deadline) Deadline for OHC to notify \nProvisional teachers of non-renewal \nJuly 2024 \nJuly 1 \nDeadline for the approval of internal lateral \ntransfers (hires). \nAugust 2024 \nAugust 15 \nOHC sends initial Suitable Professional Capacity \nassignment letters to Permanent teachers without \npositions (tentative)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07 Staffing Reassignment and Hiring", + "chunk_id": 57, + "uri": "https://www.bostonpublicschools.org/cms/lib/MA01906464/Centricity/Domain/1884/HRS-HS07%20Staffing%20Reassignment%20and%20Hiring.docx.pdf", + "content": "Page 27:\nSuperintendent’s Circular HRS-HS07 \nPage 27 of 27 \n \n \nPlease Note: Dates not subject to contractual requirements may \nchange." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP08 \nVersion 01 \n \nINCENTIVE FOR EARLY NOTIFICATION OF TERMINATION \nFOR BOSTON TEACHERS UNION — TEACHERS UNIT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo assist hiring for the 2024-2025 school year, the Boston Public \nSchools is offering a one-time incentive for early notification of \ntermination to members of the BTU Teachers Union. \n1. An individual must be a permanent BTU teacher, have a \nminimum of ten (10) years of continuous service in the \nBoston Public Schools, and must meet the minimum age \nrequirement of fifty-five (55) years." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view?usp=drive_link", + "content": "requirement of fifty-five (55) years. \n2. Eligible employees presently on paid or unpaid leave of \nabsence can apply by completing the online application for \nIncentive for Early Notification of Termination and \nsubmitting it to the Office of Human Resources (application \nlink located below). \n3. A Separation Agreement must be completed in order for the \nOffice of Human Resources to accept the application in full. \nOnce the application is accepted in full, it is binding on both \nparties and irrevocable. \n4. Applicants understand that the termination must be \neffective between June 30, 2025 and August 31, 2025." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP08 \nPage 2 of 3 \n \n5. Applicants will be ineligible for hire into full-time positions \nat Boston Public Schools for the school year 2024-2025. \n6. Applicants further understand that: \na. They will not be eligible for unemployment \ncompensation, and \nb. Acceptance of this incentive shall not affect any rights \nof a member under the Teacher Retirement Law. \n7. Applications must be filed with the Office of Human \nResources by the close of business on Friday, January 10, \n2025. If accepted, a one-time payment of $1,500 will be \nmade by Friday, February 28, 2025. \n8. Individuals planning to retire must also file an “Intent to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view?usp=drive_link", + "content": "Retire” form with the City of Boston Retirement Board. The \nincentive application does not replace this process. Please \nnote that pursuant to Retirement Board policy, an individual \ncannot file an “Intent to Retire” more than forty-five (45) \ndays before the retirement date. \n9. BTU/Teachers Unit employees wishing to apply for this \nincentive for early notification of termination must submit \nthe following Google form to the Office of Human \nResources: \nApplication for Incentive for Early Notification of Termination \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nApplication Deadline \nPayment \nFriday, January 10 \nFriday, February 28" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP08 Incentive for Early Notification of Termination for BTU", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP08 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: \nEmployee Information \nDepartment: \nOffice of Human Resources \nMailing \nAddress: \n2300 Washington Street, Roxbury, MA 02119 \nFax: \n617-635-7957 \nEmail: \nemployeeinformation@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nHRS-PM08 \nVersion 01 \n \n2024BUS MONITOR PERFORMANCE EVALUATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAccording to the collective bargaining agreement between the \nBoston School Committee and the United Steelworkers of \nAmerica, Local 2936, a principal or head of school (or designee) is \nresponsible for completing a performance evaluation for each \ntransportation monitor assigned to the school. This includes both \nSPED cab monitors and transportation attendants hired by the \nschool to ride the regular buses. The purpose of this evaluation is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "to assess the performance of monitors assigned to schools. \nSPED CAB MONITORS \nA performance evaluation form will be sent to principals/heads of \nschool (or designee) along with a list of monitors who are \nassigned to their school. Principals must submit a form for each \nof their assigned monitors via email to \nbpsdot@bostonpublicschools.org by May 23, 2025 for all assigned \n(not standby) bus monitors that monitor their students. Using the \nevaluation form, the principal/head of school or designee will \nassess the monitor’s performance. To assist school leaders in \ncompleting this form, information about the monitors' duties and \nresponsibilities is included in this circular." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM08 \nPage 2 of 8 \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the assistant director of the Monitors \nUnit, Transportation Department at 617-230-3561. \nTRANSPORTATION ATTENDANTS \nThe principal/head of school of any school with a transportation \nattendant assigned to a regular bus must complete (or designate \nsomeone to complete) an evaluation form and send it as a PDF \nattachment via email to bpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org by May 23. \n \nIf you have any questions regarding the evaluation form or \nprocess, please contact the Director of Evaluation and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Performance Management, at 617-635-9627. \nDUTIES AND RESPONSIBILITIES FOR SPECIAL EDUCATION BUS \nMONITORS \nSpecial Education bus monitors have been assigned to monitor \nand assist students with special needs while they are being \ntransported to and from school. Their primary responsibilities \ninclude: \n● Boarding the vehicle before or at the same time as the first \nmonitor-required student on the route and remaining on the \nvehicle at all times until every monitor-required student has \nreached their stop \n● Attending to the special needs of monitor-required students, \nalthough monitors are also responsible for the general \nsupervision of all students on the vehicle" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "supervision of all students on the vehicle \n● Riding with the students in the back of the vehicle and not in \nthe front seat unless only the front seat is available" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM08 \nPage 3 of 8 \n \n● Assisting students in and out of the vehicle if necessary. This \nincludes setting up and collapsing wheelchairs or other \nequipment when necessary \n● Exhibiting proper behavior at all times \n● Ensuring that all students wear seat belts \n● Ensuring that students not leave the vehicle anywhere other \nthan their assigned stops. If a student leaves the vehicle \nwithout authorization, the driver must be instructed to contact \nthe dispatcher immediately \n● Prohibiting the consumption of food or beverages, smoking, or \nbringing radios on the vehicle \n● Notifying the school to which the monitor is assigned and the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "operations coordinator at the yard if the monitor will be absent \nfrom work. Notification must take place by 4:30 am for the \nmorning or at least two hours prior to the scheduled reporting \ntime for the afternoon \n● Performing other related duties as directed by the supervisors. \n \nSummary of significant dates and deadlines: \nDate \nActivity \nMay 23 \nDeadline for principals/heads of school to submit signed copies \nas PDF attachments via email to \nbpsdot@bostonpublicschools.org and \neval@bostonpublicschools.org." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM08 \nPage 4 of 8 \n \nFor more information about this circular, contact: \nOwner: \nAssistant Director of the Monitors Unit \nDepartment: \nTransportation Department \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-230-3561 \nFax: \n617-635-7705 \nEmail: \nbpsdot@bostonpublicschools.org \n \n \nName: \nDirector of Evaluation and Performance Management \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \n \n \nEmail \neval@bostonpublicschools.org \n \n \n \n \n \n \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM08 \nPage 5 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nBUS MONITOR – SCHOOL YEAR 2024-2025 \n \nNAME OF MONITOR _________________________DATE \n \n \nEMPLOYEE # ___________NAME OF SCHOOL \n \nA.M.______ P.M._______ BUS NUMBER \n \n \nPlease review the position overview and complete the form. The \nfollowing scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee’s performance of this \nposition’s duties and responsibilities needs improvement." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "S MEETS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \n \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. \nU N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. \nU N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. \nU N S E" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM08 \nPage 6 of 8 \n \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to \npeople at all levels of the School Department and \nthe public. \nU N S E \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n \n \nEvaluator’s Signature \nDate \n_____________________________________________ \n \n \nPrincipal/Head of School \nDate \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM08 \nPage 7 of 8 \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FORM \nTRANSPORTATION ATTENDANT – SUMMER 2025 \n \nNAME OF TRANSPORTATION \nATTENDANT: _______________________________ DATE \n \nEMPLOYEE # ____________NAME OF SCHOOL \n \n \n \nThe following scale will be used for ranking performance. \nU UNSATISFACTORY: The employee has failed to meet \nexpectations and their performance of the position's duties and \nresponsibilities needs improvement. \nN NEEDS IMPROVEMENT: The employee’s performance of this \nposition’s duties and responsibilities needs improvement. \nS MEETS EXPECTATIONS: The employee's performance of the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "position's duties and responsibilities meets expectations. \nE EXCEEDS EXPECTATIONS: The employee's performance of the \nposition's duties and responsibilities exceeds expectations. \nQuality of Work: performs assigned tasks as per job \ndescription accurately and competently. \nU N S E \nSkills and Knowledge: demonstrates level of skill and \nknowledge required to do the job. \nU N S E \nAttendance and Punctuality: is punctual, gives notice \nof sick, personal, and other leave. \nU N S E \nProfessional Demeanor: maintains professional \ndemeanor, is tactful, cooperative, and courteous to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM08 Performance Evaluation of Bus_Cab Monitors", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM08 \nPage 8 of 8 \n \npeople at all levels of the School Department and \nthe public. \nU N S E \n \n \n \nRecommendations/Comments: \n \n \n_____________________________________________ \n \n \nEvaluator’s Signature \nDate \n_____________________________________________ \n \n \nPrincipal/Head of School \nDate \nPlease submit signed, scanned copies via email to: \nbpsdot@bostonpublicschools.org" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-PP19 \nVersion 01 \n \n \n \nPERFORMANCE-RELATED DISMISSAL PROCESS \nFOR TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIn the event the performance evaluation of a teacher results in a \nrecommendation for dismissal by a Principal or Head of School, \nthe following procedures will be followed: (1) the Superintendent \nshall review all processed recommendations for dismissal and (2) \nif the Superintendent approves the recommendation to dismiss \nthe teacher, the Principal or Head of School may institute \ndismissal proceedings set forth in M.G.L. c. 71, section 42." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "Note: A teacher may be removed from the classroom, dismissed, \nor suspended for just cause prior to the completion of the \nevaluation-related process specified in this Circular. \nTERMINATION REQUIREMENTS \nThe minimum requirements to proceed with a teacher \ntermination can be met in one of two ways, both in cases where \nthe teacher was placed on an Improvement Plan: \nIf the Evaluator determines that the Educator is not making \nsubstantial progress toward proficiency, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP19 \nPage 2 of 2 \n \n \nIf the evaluator determines that the Educator’s practice \nremains at the level of unsatisfactory, the Evaluator shall \nrecommend to the superintendent that the Educator be \ndismissed. \n \nCopies of the following information will be submitted to the \nSuperintendent via the Office of Labor Relations in order to move \nforward with a recommendation for termination: \n1. \nAll less-than-proficient performance evaluations you are \nrelying on for potential termination. \n2. \nAll other performance evaluations within the last two years. \n3. \nAll written feedback to the teacher following an observation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "in which you saw a need for improvement. \n4. \nAll correspondence regarding pre-evaluation and post-\nevaluation meetings. \n5. \nAll written notes from pre-evaluation or post-evaluation \nmeetings. \n6. \nA log documenting all artifacts (e.g., syllabus, lesson plan, \nevidence of planning, etc.) submitted to you by the teacher. \n7. \nAll notes and correspondence from the teacher concerning \nevaluations, classroom observations, and other matters \nrelating to their performance. \n8. \nCorrespondence from teachers, parents, or other individuals \nregarding a teacher’s performance, complimentary or \ncritical. \n9. \nAttendance and tardiness records and correspondence if" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "attendance and/or tardiness is an issue or if the teacher’s \nabsences have affected contractually required timelines." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP19 \nPage 2 of 2 \n \n \n10. \nA log documenting any allegations of discrimination brought \nby the teacher to the BPS Office of Equity or the \nMassachusetts Commission Against Discrimination (MCAD), \ne.g., race, age, gender, disability. \n11. \nAll documentation about any disciplinary action taken \nagainst the teacher, only if relevant to performance issues. \n12. \nA draft letter from the principal notifying the teacher of BPS’ \nintent to dismiss based on unsatisfactory performance. \n \nSteps of the termination procedure: \n1. \nThe principal/head of school recommends to the \nSuperintendent that a teacher be terminated. \n2." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "Superintendent that a teacher be terminated. \n2. \nIf the Superintendent approves the recommendation, the \nteacher receives a letter from the principal/head of school \nnotifying them of BPS’ intent to dismiss. \n3. \nThe teacher has 10 school days after receiving the notice \nof intent to dismiss to meet with the principal/head of \nschool to review the decision. \n4. \nAfter the meeting, if the termination decision remains \nunchanged, the principal/head of school sends the \nteacher a letter communicating the termination decision. \n5. \nThe teacher with professional teacher status may seek \nreview of the termination decision within 30 days by filing" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "a petition for arbitration with the Commissioner of \nEducation. \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP19 Performance-Related Dismissal Process for Teachers", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP19 \nPage 2 of 2 \n \n \nOwner: \nDirector of Labor Relations \nDepartment: \nOffice of Labor Relations \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: \n617-635-1576 \nFax: \n617-635-7959 \nE-mail: \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM01 Performance Evaluation of Teachers", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-PM01 \nVersion 01 \n \n \n \nPERFORMANCE EVALUATION OF TEACHERS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nComprehensive information pertaining to the performance \nevaluation of BTU under the 2011 education regulation \namendments (603 CMR 35.00) is now located at the Office of \nHuman ResourcesEvaluations webpage. \nA summary of BTU dates and deadlines can be found on Page \n73 of the BTU-BPS Collective Bargaining Agreement. \nLong-Term Substitute Teachers are considered Teachers for \nthe purposes of performance evaluation if they have been in" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM01 Performance Evaluation of Teachers", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view?usp=drive_link", + "content": "position continuously for more than fifteen (15) consecutive \ndays. \nGeneral inquiries regarding performance evaluation of DESE-\nlicensed educators may be directed to: \neval@bostonpublicschools.org \nInformation regarding performance-related dismissal of \nteachers may be found in Superintendent’s Circular #HRS-\nPP19." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM01 Performance Evaluation of Teachers", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM01 \nPage 2 of 2 \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Evaluation and Performance \nManagement \nDepartment: \nOffice of Human Resources \nMailing \nAddress: \n2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nPhone: \n617-635-9627 \nE-mail: \neval@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP13 \nVersion 01 \n \nEMPLOYEE SICK LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston School Committee will not permit any abuse of sick \nleave privileges. Sick leave is a benefit only to be used for \nabsences caused by illness, injury, or exposure to contagious \ndiseases. Those employees who use sick leave for any other \npurpose do a disservice to our students, to their co-workers, and \nto the taxpayers. A public perception that School Department \nemployees abuse sick leave will undermine confidence in and \nsupport for public education in Boston." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "support for public education in Boston. \nAccordingly, it is and shall be the policy of the Boston School \nCommittee to monitor the sick leave practices of all its \nemployees, to detect any sick leave abuse, and to discipline any \nemployee found to have abused the sick leave privileges. No \nlegitimate sick leave will be denied. No abuse will be tolerated. \nThe Superintendent shall develop and promulgate appropriate \nrules and procedures to implement this sick leave policy. Copies \nof this policy shall be prominently posted at all work locations. \nAttached you will find a document entitled Employee Sick Leave \nPolicy Guidelines. The document provides specific details" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "regarding (1) the responsibility of each manager with regard to \nsick leave, (2) managerial intervention required, and (3)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP13 \nPage 2 of 10 \n \nprocedures mandated to ensure the effective implementation of \nthe Employee Sick Leave Policy. A copy of these guidelines \nshould be posted in the school office, and a copy should be made \navailable in teachers' rooms for review by staff. \nThe School Committee’s Employee Sick Leave Policy and \nGuidelines cover all employees of the Boston Public Schools. In \naccordance with the guidelines, employees absent for six (6) or \nmore consecutive working days must apply for a leave of absence \nthrough the online application and provide a WH-380-E/F form or \nmedical certification/documentation on official letterhead from a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "health care provider as determined by their Collective Bargaining \nAgreement, as well as a fitness for duty report to return to work. \nThe medical certification should be on the physician's letterhead \nand should include: \n1. A statement that the physician understands the nature of \nthe employee's duties and that the employee is incapable of \nperforming the duties and responsibilities of their position. \n2. A statement of anticipated duration of the absence or the \nexpected date of the return to work (if the duration is \nunknown, the letter should indicate when the employee will \nbe seeing a physician again and an updated letter would be \nrequired after that visit)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "required after that visit). \n► Failure to provide the proper physician's certificate \nwhen required may lead to loss of pay. \nAbsences interrupted by weekends and/or holidays are \nconsidered consecutive. \nAll managers are directed to discuss the guidelines with all staff \nmembers at the beginning of the school year to ensure mutual" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP13 \nPage 3 of 10 \n \nunderstanding. Please note the guidelines are consistent with \nthe BTU and BASAS contracts. \nThe Office of Human Resources has information readily available \non an employee's accumulated benefits such as vacation, sick \nleave, and personal days. It is also able to monitor the attendance \nof the entire School Department workforce. Principals, heads of \nschool, and other administrative heads will be provided with \nperiodic attendance data for employees under their jurisdiction. \nThese reports are expected to assist managers in providing \nappropriate supervision for individuals who exhibit problematic \nattendance patterns." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "attendance patterns. \nFor more information about this circular, contact: \nOwner: \nLeave of Absence Team \nDepartment: \nHuman Resources \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9255 \nFax: \n617-635-7957 \nEmail: \nOHRLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP13 \nPage 4 of 10 \n \n \nEMPLOYEE SICK LEAVE POLICY GUIDELINES \nSTATEMENT \nThe term “manager,” as used in these guidelines, refers to \npositions such as academic superintendent, senior officer, head \nof school, principal, program director, and director. It is expected \nthat managers may in some cases delegate authority to carry out \nthese procedures to supervisory personnel reporting to them. \nPURPOSE \nThe purpose of these guidelines is to improve employee \nattendance and eliminate any abuse of sick leave benefits. Their \nconsistent application by managers, and compliance by all \nemployees, will make a substantial contribution toward our" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "ultimate goal of providing an effective and high-quality \neducation for the students in the Boston Public Schools. \nTHE MANAGER HAS PRIMARY RESPONSIBILITY FOR \nEFFECTIVELY IMPLEMENTING THESE GUIDELINES: \n1. Managerial Responsibility: Absenteeism is one of the \nprimary reasons for a manager's inability to accomplish \nexpected results, since it results in less than optimal student \nprogress, missed deadlines, low quality of work due to \ninexperienced replacements, scheduling and coverage \nproblems, and low morale of employees who must assume \nthe absentee's workload. Employee motivation and \nattendance are key factors affecting the productivity of each" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PP13 \nPage 5 of 10 \n \nunit in the school system. A good attendance practice \nwithin a school or department is indicative of a well-\nmotivated and supervised workforce. Therefore, managers \nshould realize that it is in their own best interest to develop \nand to maintain good attendance practices, since their \neffectiveness is measured by the accomplishments of their \nschools and departments. \n \n2. Managerial Judgment: Managers will be expected to \nimplement these procedures, to counsel employees, and to \ntake remedial action when a patterned abuse occurs. Each \nsupervisor should analyze each situation based on its merits," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "considering such factors as length of service, total sick leave \naccumulation, number of occurrences (frequency), patterns \nof absenteeism, such as before and after weekends, holidays \nand vacations, severity rate (the duration of absence), and \nthe employee's medical history that is previously known to \nthe manager and/or from information that may be required \nto be on file with the School Department. \n \nMajor attendance problems facing managers are: \na. \n\"Pre-retirement illness\" — attempts by long-time \nemployees to exhaust their sick leave benefits before \nretirement \nb. \n\"Pre-layoff illness\" — attempts by employees who \nreceived a notice for layoff to exhaust their sick leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "benefits before the layoff becomes effective \n \nc. \n\"Post contract non-renewal illness\" —attempts by \nemployees whose contract has not been renewed \nprior to exhausting sick leave." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PP13 \nPage 6 of 10 \n \n3. Managerial Intervention: It is important that the manager \nintervene as soon as an absence pattern is detectable. The \nmanager can discuss the reasons for the pattern or the \nabsences and can prevent the pattern of absences from \nbecoming worse. \nEach manager must review the attendance records of each \nemployee in their organization at least on a quarterly basis \nto monitor attendance practices and to determine if there \nare patterns of sick leave abuse. Each employee whose \nnumber of days or the number of occurrences exceed five \nconsecutive days absent, and there is reasonable cause to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "believe that the absence is not an appropriate use of sick \nleave, must be interviewed by the manager. The purpose of \nthis interview is to determine whether there is any \npossibility of sick leave abuse. A written record must be kept \nconcerning the nature of the supervisory discussion or \ninterview." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PP13 \nPage 7 of 10 \n \nPROCEDURAL REQUIREMENTS \nTo ensure the effective implementation of the Employee Sick \nLeave Policy, employees must adhere to the following \nprocedures: \n1. Notification \na. Employees Serving in Schools: These employees are \nnot entitled to sick leave without loss of pay unless \nthey have notified their head of school or principal, in \naccordance with the schedule established by the \nappropriate head of school/principal. Each employee \nmust indicate the nature of the illness and the period \nof anticipated absence. If, at the expiration of the \nanticipated period, the employee is not recovered, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "employee must again notify the head of \nschool/principal of the reason for the additional period \nof anticipated absence in accordance with established \npractice at their school. Each school must maintain and \npost in appropriate locations a standard policy for \nnotice of absence. \nb. Employees Not Serving in Schools: These employees \nare not entitled to sick leave without loss of pay unless \nthey have notified their manager of the absence, its \ncause, and anticipated duration before the expiration \nof the first fifteen (15) minutes after their normal \nreporting time or as soon as practical. If, at the \nexpiration of the anticipated duration, the employee is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "not recovered, the employee must again notify the \nmanager of the reason for the additional period of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PP13 \nPage 8 of 10 \n \nanticipated absence the day before the employee is \nexpected to return to work. \nc. Illness During Work Hours: When an employee \nbecomes ill during regular work hours, the employee \nmust notify the manager. The manager will record the \nlength of absence. \nd. Failure to Notify: Employees failing to give proper \nnotice in the absence of extenuating circumstances \nshall be considered without authorization and are \nsubject to progressive disciplinary action. \ne. Reporting time: All managers must ensure that all \ntime reporting is entered into the system consistent \nwith established procedures in order that employee’s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "absences are correctly charged and leave balances \nmaintained. As usual, Department Time Summary \nReports must be submitted to the BPS Payroll Office in \naccordance with the payroll schedule. \n2. Physician's Certificate: If the absence is of six (6) or more \nconsecutive working days' duration, a physician's certificate \nwill be required upon return to work, or prior to return if \nrequested. When the record of repeated absences reflects a \nclear pattern of abuse — such as consistent three (3) days \npresent, two (2) days absent — the manager should request \na physician's certificate, even though it may not be required \nunder the relevant collective bargaining contract. In such" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "circumstances, the employee should be advised that a \nphysician's certificate may be the only adequate refutation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PP13 \nPage 9 of 10 \n \nto the charge of sick leave abuse. The physician's certificate \nshould include the following: \na. A statement that the physician understands the nature \nof the employee's duties and that the employee is \nincapable of performing the duties and responsibilities \nof their position. \nb. A statement of anticipated duration of the absence or \nthe expected date of return to work (if the duration is \nunknown, the letter should indicate when the \nemployee will be seeing the physician again, and an \nupdated letter would be required after that visit). \nIf the physician's certificate does not include these" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "statements, the manager must notify the employee to \nobtain the omitted information before authorizing sick \nleave. \nALL MEDICAL INFORMATION SHALL BE MAINTAINED ON A \nCONFIDENTIAL BASIS. \nIf, during the interview, the supervisor learns that an employee \nhas a chronic or disabling condition which may qualify that \nperson for consideration as a handicapped individual, (1) you \nshould contact the Office of Equity at 617-635-9650. \n \n(1) \n1A handicapped individual includes someone who has, has \nhad, or is thought of as having a physical or mental condition \nthat substantially limits a major life activity, including working. \nThe condition may be permanent or temporary." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PP13 \nPage 10 of 10 \n \nA handicapped individual is defined as any person who has a \nphysical or mental impairment which substantially limits one or \nmore major life activities, such as: caring for oneself, performing \nmanual tasks, seeing, hearing, speaking, breathing, or learning. \nThe Office of Human Resources and Office of the Legal Advisor \nare available for advice and counsel. \nWhile the managers are the central figures in managing \nattendance, the Office of Human Resources and Office of the \nLegal Advisor are prepared to provide them with the following \ntechnical support: \n1. Advise managers in their effort to change unacceptable" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13 Employee Sick Leave Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link", + "content": "absence patterns. \n2. Provide an early referral system for health, emotional, \nalcoholic, or drug-related matters. \n3. Provide an effective mechanism for a centralized sick leave \nand vacation reporting system. \n4. Interpret policy and procedures and assist in the resolution \nof operating problems. \n5. Provide advice concerning the implementation of \nprogressive disciplinary action." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n \nNUMBER: \nHRS-PM07 \nVersion 01 \n \nPERFORMANCE EVALUATION OF CLASSROOM \nPARAPROFESSIONALS \nEMPLOYEES COVERED BY THIS CIRCULAR: \n● Coverage Paraprofessional \n● Instructional Paraprofessional \n● One-to-One Paraprofessional \n● Surround Care Paraprofessional \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be “Exemplary,” “Proficient,” “Needs Improvement,” \nand “Unsatisfactory,” and shall be transmitted to \nparaprofessionals by the last business day prior to May 15 via the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "VectorEvals platform. A paraprofessional may sign the evaluation \ndigitally only if the paraprofessional does so on a BPS-issued \ncomputer. If the paraprofessional does not have access to a BPS-\nissued computer, the form must be printed from VectorEvals for \ntheir signature and then uploaded as a PDF attachment to the \ndigital form. \nParaprofessionals will generally be evaluated formally every two \nyears, except as set forth in section (7) of Schedule, Meetings, and \nProcedures below. During each school year, each principal/head \nof school or their designee will identify approximately one-half of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM07 \nPage 2 of 8 \n \nthe staff for which that administrator is responsible for evaluating \nduring that year. The process of identifying the evaluees will be \ndetermined by the responsible administrator. An administrator \nmay also evaluate a staff member not originally identified if \nassistance, supervision, or intervention is deemed appropriate \nbased on informal observation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative. \n2. the head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "qualified persons (who are not members of the bargaining \nunit) designated by the School Department. \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nbuilding administrator or their designee shall meet with \nparaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of \nannounced and unannounced observations. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional’s practice, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "responsible supervisor shall provide such written feedback \nto the paraprofessional before releasing the next formative \nor summative evaluation. \n2. If a paraprofessional’s performance results in an overall" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM07 \nPage 3 of 8 \n \nFormative Evaluation or Summative Evaluation rating of \n“Needs Improvement” or “Unsatisfactory,” the evaluation \nprescription may contain a requirement that the \nparaprofessional take advantage of additional professional \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. \nFormative refers to evaluations that at a minimum are \ntwenty (20) school days apart. \nRegardless of the rating mark, within ten (10) school days \nfollowing the last observation used as the basis of the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "evaluation, the responsible building administrator (or \ndesignee) shall meet with the paraprofessional to discuss \nthe evaluation. At this meeting, the paraprofessional will be \ngiven two (2) copies of the written evaluation, signed, and \ndated by the responsible building administrator. \nThe paraprofessional shall sign and return one (1) copy to \nindicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "determined less than “Proficient” at any point during the \nschool year shall be notified in writing and shall meet \ndirectly with the responsible building administrator. \n \n3. In any area where the responsible building administrator or \ntheir designee indicates a need for improvement, they will \nprovide the paraprofessional with a written prescription. \nThe paraprofessional may attach comments to the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM07 \nPage 4 of 8 \n \nprescription. \nIf the paraprofessional continues to need improvement after \nallowing adequate time to improve, the responsible \nadministrator may include a prescription in the evaluation \nthat the paraprofessional may voluntarily take the \nopportunity of additional training or in-service training to \ncorrect a deficiency. \n4. If a paraprofessional receives an “Unsatisfactory” on at least \nfour (4) formative evaluations within a twelve (12) month \nperiod in which the paraprofessional reported to work, or on \nat least two (2) formative evaluations plus a summative \nevaluation, the principal/head of school may initiate" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "termination by recommending to the superintendent that \nthe paraprofessional be terminated. If the superintendent \napproves the head of school’s/principal’s recommendation, \nthe principal/head of school shall notify the paraprofessional \nin writing of their intent to dismiss the paraprofessional. The \nparaprofessional may then request a meeting with the \nprincipal/head of school to discuss their intent to dismiss. \nThis request must be made in writing within ten (10) days of \nthe paraprofessional’s receipt of the intent to dismiss notice. \nOverall “Unsatisfactory” evaluation ratings need not occur in \nconsecutive months. \nAn overall rating of “Unsatisfactory” on a summative" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "evaluation must be preceded by a rating of “Unsatisfactory” \non at least two (2) formative evaluations during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM07 \nPage 5 of 8 \n \n5. After each of the first three (3) formative evaluation overall \n“Unsatisfactory” ratings that are based in whole or in part \nupon classroom performance, the responsible building \nadministrator shall conduct a follow-up evaluation. This \nevaluation shall include observation of classroom \nperformance and take place no sooner than twenty (20) \nschool days and no later than fifty (50) school days after the \nprevious “Unsatisfactory” evaluation. \nIf an overall formative evaluation “Unsatisfactory” rating is \nbased upon grounds other than classroom performance, \nthen the responsible administrator must clearly convey the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "reasons in writing to the paraprofessional and follow \nprescribed procedures for progressive discipline. \n6. A formative or summative evaluation with an overall \n“Unsatisfactory” rating shall be maintained as a permanent \npart of the employee’s personnel record and may be grieved \nand arbitrated. An employee may grieve a summative \nevaluation with an overall rating other than “Unsatisfactory” \nup to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "merged and treated as a single grievance. \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM07 \nPage 6 of 8 \n \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually by the \nlast business day prior to November 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as “Unsatisfactory” overall or in a \nparticular area. \nb. All paraprofessionals who are new to the building." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM07 \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate \nActivity \nBy the last business day \nprior to November 15 \n● Evaluation of paraprofessionals who \nreceived an “Unsatisfactory” in their \nevaluation from the prior school year. \n● Evaluation p who are new to the school \nbuilding. \nBy the last business day \nprior to May 15 \n● Deadline to submit evaluation on \nVectorEvals platform. \nA paraprofessional may sign the \nevaluation digitally only if the \nparaprofessional does so on a BPS-\nissued computer. If the \nparaprofessional does not, the form \nmust be printed from VectorEvals for \nthem to sign and then uploaded as a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "them to sign and then uploaded as a \nPDF attachment to the digital form. \n● Evaluation of paraprofessionals due \nevery 2 years (except for \nparaprofessionals new to the building \nor who received an “Unsatisfactory” \nrating the previous school year)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07 Performance Evaluation of Classroom Paraprofessionals", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM07 \nPage 8 of 8 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Evaluation and Performance \nManagement \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, 4th Floor, Boston, \nMA 02119 \n \n \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n► Click to view a SAMPLE Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n \nNUMBER: \nHRS-PM05 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nLUNCH HOUR MONITORS ASSOCIATION \nThe contract between the School Committee and the Lunch \nMonitors Association provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Association. The evaluation process relates to the duties and \nresponsibilities of the employee’s position, as set forth in the \nemployee’s job description. \nI. \nROLES AND RESPONSIBILITIES \nThe principal/head or school or assistant principal shall be \nresponsible for the evaluation of the performance of all lunch \nhour monitors." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "hour monitors. \nA supervisor’s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an \nunderperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nAt the end of each evaluation year, the Evaluator should retain \ncopies of all evaluations and send the originals of all evaluations" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM05 \nPage 2 of 10 \n \nto the Office of Human Resources. \nII. \nEVALUATION \nPreliminary Procedures \nAt a reasonable time period after the start of the school year, the \nprincipal/assistant principal shall meet with the lunch hour \nmonitors for the purpose of explaining the evaluation program \nand answering questions. The evaluation instrument will be \nreviewed during this meeting. \nAfter the evaluation has been presented to the employee, the \nsigned evaluation form must be submitted to the Office of \nHuman Resources. \nInterim Evaluations \nAll lunch hour monitors shall receive an Interim evaluation at" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "least once, or as required for the efficient running of the school. \nAll interim evaluations should be conducted no earlier than \nFebruary 1st each year. \nAnnual Evaluations \nAnnual evaluations must be completed no later than the last day \nof school each year. \nEvaluation Completion \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the evaluee with a written prescription. The diagnosis \nand subsequent prescription should be fully descriptive and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM05 \nPage 3 of 10 \n \ninstructive, suggesting specific remedies or recommendations \nfor adoption by the evaluee. \nEvaluation Conference \nWithin ten (10) school days following the completion of an \nevaluation, the evaluator shall meet with the evaluee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluee will be shown their written evaluation and will sign it to \nindicate having seen it and to acknowledge that it will be placed \nin their personnel file, but not to indicate agreement or \ndisagreement with the evaluation results. \nA copy of the evaluation shall be provided to the evaluee. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "evaluee will be allowed to attach their comments to the \nevaluation. An evaluee whose overall performance has been \njudged unsatisfactory shall be notified in writing and shall meet \ndirectly with the evaluator.1 \nIII. RATINGS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are three possible \nratings: \n \nE - EXCELLENT: \nThe employee’s performance of the duties and \nresponsibilities of their position exceeds \n \n1 See Section V: Procedures for Unsatisfactory Evaluations for \nmore information on this process." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM05 \nPage 4 of 10 \n \nexpectations. \nS - SATISFACTORY: \nThe employee’s performance of the duties and \nresponsibilities of their position meets expectations. \nU - UNSATISFACTORY: The employee has failed to meet expectations and \ntheir performance of the duties and responsibilities of \ntheir position needs improvement. \nIV. PROCEDURES FOR UNSATISFACTORY EVALUATIONS \nIf an evaluee receives an annual overall Unsatisfactory evaluation, \nplus an interim Unsatisfactory evaluation, the supervisor may \ninitiate termination by recommending to the Superintendent \nthat such employee be terminated." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "that such employee be terminated. \nIf the first evaluation is Unsatisfactory, it will be followed by a \nsecond evaluation no less than twenty-five (25) days in which the \nlunch monitor is present and no more than fifty (50) days in \nwhich the lunch monitor is present. \nIf the second evaluation is Unsatisfactory, the lunch monitor will \nbe given ten (10) school days to improve their performance. \nDuring these ten (10) school days following the second \nevaluation, the evaluator must informally evaluate the lunch \nmonitor, but is not required to formally observe the employee or \nmake any record of this evaluation. \nShould the lunch monitor’s performance not improve within the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "ten (10) days following an Unsatisfactory second evaluation, the \nmonitor may be recommended for dismissal to the \nsuperintendent." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM05 \nPage 5 of 10 \n \n \nV. PROCEDURES FOR DISCIPLINE \nIf an Evaluator determines that an employee has committed an \ninfraction of work rules such as excessive tardiness, absences, \netc., the supervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures.2 \nAdditionally, the supervisor should consider the infraction in \nevaluating the evaluee’s overall performance. \n \n \n \n2 Also refer to Superintendent Circular (HRS-PP10) Employee \nDiscipline Procedures. at this link: \nwww.bostonpublicschools.org/domain/1884" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM05 \nPage 6 of 10 \n \nVI. Summary of significant dates and deadlines: \nDate \nActivity \nShortly after the start of a \nschool year \nReview job description and evaluation instrument. \nSign cover page to acknowledge meeting \nNo later than Feb. 1 \nComplete first Interim evaluation; to be conducted \nno earlier than 15 school days after the start of the \nschool year. \nNo later than the last day of \nschool \nDeadline to complete annual evaluation. Send \nsigned, original copies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: HRFront Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM05 \nPage 7 of 10 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Evaluation and Performance Management \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, 4th Floor, Boston, MA 02119 \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM05 \nPage 8 of 10 \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION FOR LUNCH HOUR MONITORS \nName _______________________________ Empl ID# \n \nSchool ___________________________________________________________ \nEvaluator ________________________________________________________ \n \nPermanent \n \nProvisional \n \nSubstitute \n \nLast Overall Rating ______ \n E= Excellent S= Satisfactory U= Unsatisfactory \n \n \nEvaluation procedure and form reviewed on (Date): ______________ \nAcknowledged (Evaluator): ______________________________________ \nAcknowledged (Lunch Monitor): _________________________________" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Category (check the applicable rating box for each \ncategory) \nE \nS \nU \nMaintains safety and order during lunch and recess. \n \n \n \nMaintains appropriate schedule for lunch and recess. \n \n \n \nPerforms ordinary school tasks as directed and performs the work \naccurately." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PM05 \nPage 9 of 10 \n \nCategory (check the applicable rating box for each \ncategory) \nE \nS \nU \nComes to work on time and maintains good attendance. \n \n \n \nWorks productively during all scheduled work hours and continues \nwork in the absence of supervision. \n \n \n \nKnows the work and organizes appropriately. \n \n \n \nUses good judgment. \n \n \n \nAbides by rules and regulations and complies with oral and written \ninstructions. \n \n \n \nCommunicates effectively and in a constructive way with students \nand the school's staff. \n \n \n \nWorks harmoniously with others and maintains a high level of \nprofessionalism." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "professionalism. \n \n \n \nTreats students with respect, fairness, and consistency. \n \n \n \nAccepts constructive criticism. \n \n \n \nOverall Rating: \n \n \n \n \n_______________________________________________ _________________ \n \nEvaluator’s Signature \nDate \n \n_______________________________________________ _________________ \n \nLunch Hour Monitor’s Signature \nDate \n \nEvaluator’s Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM05 Performance Evaluation of Lunch Monitors", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PM05 \nPage 10 of 10 \n \n \n \n \n \n \n \n \n \n \n \nEvaluee’s Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-PP05 \nVersion 01 \n \nEMPLOYEE ATTENDANCE \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPoor attendance adversely affects the work we can accomplish \nand the morale of all Boston Public Schools employees. \nAttendance will be monitored throughout the year at all levels. \nAny excessive absences, tardiness, or perceived abuse of time \noff/leave benefits will be investigated and may subject the \nemployee to discipline. The procedures described herein may not \noccur if the superintendent exercises their statutory authority to \ndismiss, demote, or suspend. \nATTENDANCE MONITORING PROCESS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "ATTENDANCE MONITORING PROCESS \n1. Sign in/out: Managers1 must establish and supervise a paper \nsign in/out procedure that provides an accurate record of \nthe date and time of arrival and departure of all employees \n \n1 The term \"manager\" refers to positions such as academic \nsuperintendent, senior officer, headmaster, principal, senior \nprogram director, and director. A manager may in some cases \ndelegate authority to carry out these procedures to supervisory \npersonnel reporting to them." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP05 \nPage 2 of 5 \n \nassigned to them. Employees must comply with the sign \nin/out process. An employee who fails to comply with the \nprocedure, falsifies such a record, and/or fraudulently \nreports their or another’s time will be subject to discipline \nup to and including termination. \n2. Report your absence/early departure: Managers must \nestablish a process to report an absence/early departure due \nto illness. Employees must follow the process created and \nimplemented by their manager for each absence/early \ndeparture. If the employee fails to follow the protocol \nestablished by the manager, the employee’s absence/early" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "departure will be unexcused, and the employee will not be \npaid for the day(s)/hour(s) of absence(s). The employee may \nalso be subject to discipline up to and including termination. \na. Employees not serving in schools must follow the \nprotocol set by their manager. In the case of early \ndeparture, the employee must notify their manager \nbefore leaving the building. \nb. If the employee’s absence is for more than five (5) \nconsecutive days, refer to the Absence and Leaves \ncircular. Regardless of the duration of the time off due \nto illness, managers may at any time request medical \ndocumentation from the employee to substantiate \ntheir absence." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "their absence. \n3. Reasonable accommodations: An employee seeking \nreasonable accommodations for a disability may contact the \nOffice of Equity (617-635-9650) to begin an interactive \ndialogue process. Employees who inform their managers \nabout a disability will be referred to the Office of Equity by \nthe manager. The district will attempt to provide reasonable" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP05 \nPage 3 of 5 \n \naccommodations unless it would cause an undue hardship \nor fundamentally alter the district’s programs. Medical \ninformation concerning any employee will be maintained in \nstrict confidence. \nChapter 151B and the ADA define a person with a disability \nas someone who: (1) has a physical or mental impairment \nthat substantially limits one or more major life activities; (2) \nhas a record of such an impairment; or (3) is regarded as \nhaving such an impairment. Major life activities include, but \nare not limited to: caring for one’s self, performing manual \ntasks, seeing, hearing, speaking, breathing, or learning." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "The person may also qualify for an extended or intermittent \nleave of absence. Please refer to the Absence and Leave \nPolicy circular and your collective bargaining agreement or \nconditions of employment for more information. \nFor more information about the reasonable \naccommodations process, please see Superintendent’s \nCircular EQT-07. \nPATTERNS OF ABUSE \nWhen a manager determines that an employee’s absences \nand/or tardiness exhibits a pattern of abuse and/or raises \nconcern, the manager will address it directly with the employee \nin the way the manager deems appropriate (i.e., informal \nmeeting versus investigatory meeting). The employee will have" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "the right to union representation at all types of meetings. \nIn the past, the following scenarios have been deemed as \npatterns of abuse (the list is not exhaustive/exclusive):" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP05 \nPage 4 of 5 \n \n1. \nFour (4) or more separate absences before or after the \nweekend or holiday/vacation \n2. \nSick absences lasting six (6) or more consecutive days \nwithout a physician’s certificate \n3. \nScattered sick days/leave throughout the school year \nexceeding or projected to exceed fifteen (15) or more days \n4. \nTwo (2) or more absences, consecutive or closely \npatterned, following layoff notification \n5. \nTwo (2) or more absences, consecutive or closely \npatterned, following contract non-renewal notification \n6. \nTwo (2) or more absences immediately following poor \nperformance evaluation \n7." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "performance evaluation \n7. \nAbsence during a previously scheduled investigatory \nmeeting \n8. \nAbsence after receiving a notice of an investigatory \nmeeting \n9. \nAbsence on day of release or scheduled release of poor \nperformance evaluation \n10. \nPatterns of two (2) days out, two in, one out, etc. \n11. \nTardiness: two (2) or more days within a one-week period \n12. \nTardiness: two (2) or more days within a two-week period \nCONSEQUENCES FOR ABUSE AND/OR EXCESSIVE \nABSENTEEISM/TARDINESS: \nThe following are the consequences an employee will face when \nthey have been deemed to engage in a pattern of abuse and/or \nexcessive absenteeism/tardiness. These consequences can be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "applied individually or in conjunction with one another. \n1. \nDiscipline up to and including termination" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PP05 \nPage 5 of 5 \n \n2. \nRequirement to provide medical documentation \nsubstantiating each absence (past, present, and future) \n3. \nNo pay for time out of work if the employee fails to \nprovide requested medical documentation for absences; \nthe absences will be unexcused. \n4. \nIssuance of an “unsatisfactory/does not meet standards” \nrating on the employee's performance evaluation \nattendance/punctuality standard. \nFor more information about this circular, contact: \nOwner: \nEmployee Services \nDepartment: \nHuman resources \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: \n617-635-7957 \nE-mail:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP05 Attendance Monitoring", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link", + "content": "Fax: \n617-635-7957 \nE-mail: \nOHCLeaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-PP13A \nVersion 01 \n \nFAMILY AND MEDICAL LEAVE ACT AND SMALL \nNECESSITIES LEAVE ACT \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEligible employees are entitled to take up to 12 weeks of leave for \nfamily or medical leave under federal law and up to 24 hours of \nleave for family obligations under state law during a fiscal year \n(July 1 through June 30). School-based employees who report to a \nprincipal/head of school (except custodians, cafeteria workers, \nand itinerants) may submit their leave requests via the Hub. \nFEDERAL FAMILY AND MEDICAL LEAVE ACT \n1. Eligibility" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "1. Eligibility \nEmployees who have been employed in the Boston Public \nSchools for at least 12 months at the BPS and who have \nworked at least 1,250 hours in the prior 12-month period are \neligible. \n2. Purpose \n● For incapacity due to pregnancy, prenatal medical care, \nor childbirth" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP13A \nPage 2 of 11 \n \n● To care for a son or daughter within the first 12 months \nafter birth, adoption or placement for adoption or foster \ncare \n● Because the employee is needed to care for a spouse, son, \ndaughter, or parent who has a serious health condition. \n○ Son or daughter means a biological, adopted, or foster \nchild, a stepchild, a legal ward, or a child of a person \nstanding in loco parentis, who is either under age 18, or \nage 18 or older and incapable of self-care because of a \nmental or physical disability. Parent does not include \nin-laws. \n● Because of the employee's own serious health condition" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "which makes the employee unable to perform their job. \nA serious health condition means an illness, injury, \nimpairment or physical or mental condition that involves: \n○ a period of incapacity or treatment connected with \ninpatient care \n○ a period of incapacity requiring absence of more than 3 \ncalendar days from work or daily activities also \ninvolving continuing treatment by a health care \nprovider \n○ any period of incapacity due to pregnancy or for \nprenatal care \n○ any period of incapacity due to a chronic serious health \ncondition (e.g., asthma, diabetes, epilepsy) \n○ any period of incapacity that is permanent or long term \ndue to a condition for which treatment may not be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "effective (e.g., Alzheimer’s, stroke, terminal diseases) \n○ a period of absence to receive multiple treatments for \nan injury or condition which would result in incapacity" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP13A \nPage 3 of 11 \n \nfor more than three days if not treated (e.g., \nchemotherapy, physical therapy, dialysis). \n3. Length of Leave \nSubject to FMLA qualification, up to 12 weeks of leave may \nbe taken in any fiscal year. For qualifying exigencies arising \nout of the fact that the employee’s spouse, son, daughter, or \nparent is on active duty or call to active duty status as a \nmember of the National Guard or Reserves in support of a \ncontingency operation to permit a \"spouse, son, daughter, \nparent, or next of kin\" to take up to 26 work weeks of leave \nto care for a \"member of the Armed Forces, including a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "member of the National Guard or Reserves, who is \nundergoing medical treatment, recuperation, or therapy, is \notherwise in outpatient status, or is otherwise on temporary \ndisability retired list, for a serious injury or illness.\" \nQualifying exigencies include: \n● Issues arising from a covered military member’s short \nnotice deployment (i.e., deployment on seven or less days \nof notice) for a period of seven days from the date of \nnotification \n● Military events and related activities such as official \nceremonies, programs, or events sponsored by the \nmilitary or family support or assistance programs and \ninformational briefings sponsored or promoted by the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "military, military service organizations, or the American \nRed Cross that are related to the active duty or call to \nactive duty status of a covered military member;" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP13A \nPage 4 of 11 \n \n● Certain childcare and related activities arising from the \nactive duty or call to active duty status of a covered \nmilitary member, such as arranging for alternative \nchildcare, providing childcare on a non-routine, urgent, \nimmediate need basis, enrolling, or transferring a child in \na new school or day care facility, and attending certain \nmeetings at a school or a day care facility if they are \nnecessary due to circumstances arising from the active \nduty or call to active duty of the covered military member \n● Making or updating financial and legal arrangements to \naddress a covered military member’s absence" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "address a covered military member’s absence \n● Attending counseling provided by someone other than a \nhealth care provider for oneself, the covered military \nmember, or the child of the covered military member, the \nneed for which arises from the active duty or call to active \nduty status of a covered military member \n● Taking up to five days of leave to spend time with a \ncovered military member who is on short-term \ntemporary, rest and recuperation leave during \ndeployment \n● Attending to certain post-deployment activities, \nincluding attending arrival ceremonies, reintegration \nbriefings and events, and other official ceremonies or \nprograms sponsored by the military for a period of 90" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "days following the termination of the covered military \nmember’s active duty status, and addressing issues \narising from the death of a covered military member \n● Any other event that the employee and employer agree is \na qualifying exigency" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PP13A \nPage 5 of 11 \n \nSpecial restrictions apply to teachers requesting leaves, \ndepending on the length and timing of the leave(s). Please \ncall the Office of Human Resources for advice regarding \nspecial rules that apply to teachers in these situations. \n4. Requesting a Leave of Absence: Notice Requirement \nIf the need for leave is foreseeable, an employee must \nprovide BPS with at least 30 days notice. If 30 days notice is \nnot practicable, notice must be given as soon as possible, \ngenerally the same or next business day. All employees \nmust submit their leave request through the online Request" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "for Leave of Absence application (instructions and more \ninformation below in Section 8). \nEmployees requesting absences of 5 days or less to fulfill \nNational Guard or Military Reserve responsibilities must \nsubmit a request on ess.boston.gov and provide supporting \ndocumentation to the Responsibility Center manager. \nAbsences of 6 days or more must be submitted through the \nonline application. \n5. Certification(s)/Documentation \nWH-380-E/F form or medical certification/documentation \non official letterhead from a health care provider is required \nfor leave because of a serious health condition. Second or \nthird opinions may be required, as well as a fitness for duty" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "report to return to work. \n6. Paid or Unpaid Leave and Benefits \nLeave is unpaid except to the extent that accrued sick leave, \npersonal leave, or vacation leave applies, as provided in" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PP13A \nPage 6 of 11 \n \napplicable collective bargaining agreements or school \ndepartment policy. Employees who are taking leave for their \nown serious health condition will be required to use their \naccrued paid sick leave and vacation leave during their \nFMLA leave until such paid leave has been exhausted. \nEmployees who are taking FMLA leave to care for their \nspouse, child, or parent will be required to use all accrued \npaid vacation leave during their FMLA leave until such paid \nleave has been exhausted. After an employee’s accrued paid \nleave has been exhausted, any remaining FMLA leave will be \nunpaid." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "unpaid. \nMedical insurance as part of a group health plan must be \nmaintained. However, benefits do not accrue during unpaid \nleave unless otherwise provided by the terms of an \napplicable collective bargaining agreement. \n7. Relationship to Other Leaves Provided by Collective \nBargaining Agreements or Policy \nThis leave neither diminishes nor augments any greater \nleave for the same purpose which may be provided for in a \ncollective bargaining agreement or other law or policy." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PP13A \nPage 7 of 11 \n \n8. Requesting Leave of Absence \nAll employees must submit a request for leave electronically \nvia the online application. Once the leave request is \nsubmitted electronically, it is automatically sent to the \nprincipal/head of school of the employee’s school for \nnotification and to the Office of Human Resources for \nreview. Employees and supervisors will automatically be \nnotified whether the leave was approved, denied, or is \npending due to documentation, through their BPS email. To \nrequest a leave: \n● Access the Office of Human Resources Workspace. \n○ Click on “Office of Human Resources Workspace.” \n○ Click on “Forms” tab." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "○ Click on “Forms” tab. \n○ From the drop-down menu, select “Leave \nRequest.” \n○ Read through the instructions and complete \napplication. \n● Access the application to request a leave of absence \nonline. \nSMALL NECESSITIES LEAVE ACT (SNLA): EMPLOYEE LEAVE FOR \nFAMILY OBLIGATIONS [STATE LAW: 24 HOUR ANNUAL LEAVE] \n1. Eligibility \nEmployees who have been employed for at least 12 months \nat the BPS and who have worked at least 1,250 hours in the \nprior 12-month period are eligible (same as for federal family \nand medical leave)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PP13A \nPage 8 of 11 \n \n2. Purpose \n● To participate in school activities directly related to the \nadvancement of the employee's son or daughter, such as \na parent-teacher conference or interview for a new \nschool. \n○ A son or daughter includes foster child, a legal \nward or a child of a person standing in loco \nparentis, under 18 years of age or older but \nincapable of self-care. \n○ School includes Head Start or a licensed day care \nfacility. \n● To accompany a son or daughter to a routine medical or \ndental appointment, such as a routine check-up or \nvaccination. \n● Accompany an elderly relative (60 years or more) to a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "routine medical or dental appointment or for other \nprofessional services, such as interviewing at a nursing \nhome. \n3. Length of Leave and Increments \nLeave may be taken in increments of at least one hour for \nup to 24 hours in any fiscal year. \nThis leave augments leave taken under the federal Family \nand Medical Leave Act, as it is for a different purpose. It \ndoes not diminish any greater leave which may be provided \nfor in a collective bargaining agreement or other school \npolicy. \nREQUEST FOR LEAVE: NOTICE REQUIREMENTS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PP13A \nPage 9 of 11 \n \nIf the need for leave is foreseeable, employees must give the \nOffice of Human Resources at least seven (7) days prior notice. If \nthe need is not foreseeable, the employee must notify their \nResponsibility Center manager as soon as practicable given the \ncircumstances of the case. To the extent possible, employees \nmust provide written notice of the need for leave. \n1. Certification/Documentation \nAll employees must use the attached certification (page 7) \nto request a SNLA leave. Applying for this leave cannot be \ndone through the Hub. The original copy must be submitted" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "to the Responsibility Center manager, who will forward it to \nthe Office of Human Resources. \n2. Paid or Unpaid Leave \nLeave for family obligations is unpaid unless an employee \nchooses to substitute accrued vacation or personal time for \nthe unpaid leave, as provided in the applicable collective \nbargaining agreement, school department policy, and \nexcept as may be provided for in state law or city ordinance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PP13A \nPage 10 of 11 \n \nFor more information about this circular, contact: \n \nOwner: \nLeave of Absence Team \nDepartment: \nOffice of Human Resources \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone \n617-635-9255 \nFax: \n617-635-7957 \nEmail: \nohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HRS-PP13A \nPage 11 of 11 \n \nSMALL NECESSITIES LEAVE ACT \nEMPLOYEE LEAVE FOR FAMILY OBLIGATIONS UP TO \nTWENTY-FOUR (24) HOURS \nEMPLOYEE'S CERTIFICATION \nI certify that on ________________________I will/did take _____________ \n hours of leave for the following purpose: \n to participate in school activities directly related to the \neducational advancement of a son or daughter. \n to accompany a son or daughter to routine medical or \ndental appointments, such as check-ups or \nvaccinations. \n to accompany an elderly relative to routine medical or \ndental appointment or appointment for other \nprofessional services related to the elder's care." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP13A Family and Medical Leave Act", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link", + "content": "Furthermore, I understand that this absence will be recorded \nwith the use of my (please select one): \n Sick Time \n Comp. Time \n \n \n Floating Holiday \n Vacation Time \n Personal Time \n \n \n \n \nEmployee’s Signature: ____________________________________________ \nEmployee’s Name (print): _________________________________________ \nEmployee’s ID Number: _____________________ \nDate: ________________________________________ \nSubmit original copy to Responsibility Center Manager." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-L02 \nVersion 01 \n \nREQUIREMENTS FOR PARAPROFESSIONALS \nUNDER ESSA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe US Department of Education Every Student Succeeds Act \n(ESSA) requires that all instructional paraprofessionals meet \nspecific employment requirements in order to be designated \n“Highly Qualified”. These requirements apply to all schoolwide \nprograms without regard to whether the positions are funded \nwith federal, state, or local funds. To be considered Highly \nQualified, paraprofessionals will need to possess specific skills in" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "reading, writing, math, and instruction (as outlined in \nAttachment A of this Superintendent’s Circular). \nI. ESSA REQUIREMENTS FOR PARAPROFESSIONALS \nThere are currently two available options for paraprofessionals to \nbe deemed Highly Qualified: \n● Pathway 1: Associate’s Degree or 48 Credit Hours of \nCoursework \nThe paraprofessional obtained an Associate’s (or higher) \ndegree OR completed at least 48 credit hours of \ncoursework at an institution of higher education (IHE). If \nthis pathway was selected the paraprofessional should \nsubmit to the Principal/Headmaster all relevant transcripts." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-L02 \nPage 2 of 12 \n \n● Pathway 2: Formal Standardized Assessment \nThe paraprofessional passed a formal standardized \nassessment. The Massachusetts ESE has selected both the \nParaPro Assessment and the WorkKeys Certificate of \nProficiency for Teacher Assistants as the formal state-\nendorsed assessments. Either of these assessments will \nenable instructional paraprofessionals to meet this \nrequirement. If this pathway is selected the \nparaprofessional should submit to the \nPrincipal/Headmaster an official score report confirming a \npassing score. \nII. RESOURCES FOR PATHWAY 2 \nInformation about the ParaPro Assessment, including content" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "overview, and registration can be accessed on-line at \nhttp://www.ets.org/parapro. The test is generally offered as a \npaper/pencil test given four times per year at Roxbury \nCommunity College. BPS does not currently administer the \nInternet-based ParaPro test. A scaled score of 464 must be \nachieved in order to pass and be deemed “Highly Qualified”. \nInformation about the WorkKeys Proficiency Certificate for \nTeacher Assistants can be accessed on-line at \nhttp://www.act.org/workkeys/. It consists of a three-part \nassessment as well as an observation-based tool known as the \nInstructional Support Inventory (ISI). It is administered by" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "WorkSource Partners, Inc., One Harvard Street, Ste 200, \nBrookline, MA 02445 (phone: 617-232-0330). To meet the \nrequirements of ESSA, paraprofessionals must achieve at the \nfollowing skill levels on the three-part assessment: \n● Reading for Information: Skill Level 5" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-L02 \nPage 3 of 12 \n \n● Applied Mathematics: Skill Level 4 \n● Business Writing: Skill Level 3 \nIII. FEDERAL DEFINITIONS \nDefinition of Instructional Paraprofessional \nAn instructional paraprofessional is an individual who provides \ninstruction and support for classroom teachers. Aides, assistants, \nor tutors who engage in instructional support are considered to \nbe instructional paraprofessionals as defined by ESSA. Individuals \nwho work solely in non-instructional roles, such as food service, \ncafeteria or playground supervision, personal care services, and \nnon-instructional computer assistance are not considered to be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "instructional paraprofessionals. \nResponsibilities of Instructional Paraprofessionals \nESEA specifies that instructional paraprofessionals may engage \nin the following activities: \n● Provide one-on-one tutoring for eligible students, if the \ntutoring is scheduled at a time when a student would not \notherwise receive instruction from a teacher. \n● Assist with classroom management, such as organizing \ninstructional and other materials. \n● Assist in a computer laboratory. \n● Provide instructional support in a library or media center. \n● Provide instructional services to students under the direct \nsupervision of a teacher." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-L02 \nPage 4 of 12 \n \nAll instructional paraprofessionals must be supervised directly by \nteachers. Instructional paraprofessionals cannot be supervised by \na peer or group of peers. \nThe following two categories of paraprofessionals need only \npossess a high school diploma or equivalent and are not required \nto meet the additional requirements listed above: \n● Paraprofessionals in Title I programs who serve primarily as \ntranslators (as long as these paraprofessionals are proficient \nin English and a language other than English); and \n● Paraprofessionals working solely on parental involvement \nactivities." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "activities. \nVisit the Mass. DESE website for additional details. \n \nFor more information about this circular, contact: \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, Boston MA 02119 \nPhone: \n617-635-9600 \nFax: \n617-635-7956 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-L02 \nPage 5 of 12 \n \nATTACHMENT A \nMassachusetts Department of Education Learning Guidelines \nfor Title I Instructional Paraprofessionals \nThe Department of Education strongly encourages districts and \ncharter schools to use these guidelines as a model for all \nparaprofessionals who provide instructional support to students. \nBASIC ASSUMPTIONS \n● Instructional paraprofessionals are respected team \nmembers responsible for assisting in the delivery of \ninstruction and other student-related activities. As valued \nmembers of the faculty, they are essential partners in the \nwork of Title I programs." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "work of Title I programs. \n● Given their responsibilities, instructional paraprofessionals \nmust be skilled in reading, writing, and mathematics, and \nfamiliar with instructional practices that ensure and \nsupport the achievement of all students. \n● To enhance the continuity and quality of services for \nstudents, paraprofessionals must be encouraged and \nsupported in their efforts to participate in ongoing \nprofessional development programs. \n● Programs for instructional paraprofessionals are best when \nthey are comprehensive, acknowledge the diverse roles \nparaprofessionals play in schools and provide pathways to \nfurther education and teacher licensure, if desired." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-L02 \nPage 6 of 12 \n \n1. LITERACY DOMAIN \n01 Language \nA paraprofessional will know how and be able to: \n● Use agreed-upon rules for informal and formal discussions \nin small and large groups \n● Pose questions, listen to the ideas of others, and contribute \ntheir own information or ideas in group discussions or \ninterviews in order to acquire new knowledge \n● Understand new vocabulary and use it correctly in reading \nand writing \n● Analyze and use Standard English grammar \n● Describe, analyze, and use appropriately formal and \ninformal English \n● Identify and use the correct meaning of words and phrases" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "● Recognize and use words with multiple meanings \n● Use a paragraph or passage as the context for determining \nthe meaning of an unfamiliar or uncommon word or phrase \n● Use dictionaries, thesauruses, and other related references \n02 Literature \nA paraprofessional will know how and be able to: \n● Identify the basic facts and main ideas in a text and use \nthem as the basis for interpretation \n● Identify and paraphrase the main idea of a passage \n● Identify supporting evidence" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-L02 \nPage 7 of 12 \n \n● Identify, organize, and draw conclusions using the \nrelationship(s) among the ideas in written material \n● Identify, analyze, and apply knowledge of the theme, \nstructure and elements of fiction and provide evidence \nfrom the text to support their understanding \n● Identify, analyze, and apply knowledge of the purposes, \nstructure, and elements of nonfiction or informational \nmaterials and provide evidence from the text to support \ntheir understanding \n● Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of poetry and provide evidence \nfrom the text to support their understanding" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "from the text to support their understanding \n● Identify, analyze, and apply knowledge of the themes, \nstructure, and elements of drama and provide evidence \nfrom the text to support their understanding \n● Identify and analyze how an author’s words appeal to the \nsenses, create imagery, suggest mood, and set tone and \nprovide evidence from the text to support their \nunderstanding \n03 Composition \nA paraprofessional will know how and be able to: \n● Write with a clear focus, coherent organization, and \nsufficient detail \n● Write for different audiences and purposes \n● Demonstrate adequate paragraph development and \nappropriate style, tone, and word choice in their \ncompositions" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-L02 \nPage 8 of 12 \n \n● Use standard English conventions in their writing, revising, \nand editing \n● Organize ideas in writing in a way that makes sense for \ntheir purpose \n● Gather information from a variety of sources, analyze, and \nevaluate the quality of the information they obtain, and use \nit to answer their own questions \n● Outline, summarize, and take notes \n● Interpret information presented in graphic form \n2. NUMERACY DOMAIN \n01 Number Sense \nA paraprofessional will know how and be able to: \n● Understand numbers, ways of representing numbers, \nrelationships among numbers, and number systems" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "relationships among numbers, and number systems \n● Understand principles and operations related to integers, \nfractions, decimals, percents, ratios, and proportions \n● Understand and solve problems involving integers, \nfractions, decimals, percents, ratios, and proportions \n● Understand meanings of mathematical operations and how \nthey relate to one another. \n● Compute fluently and make reasonable estimates \n● Know how to use standard arithmetical algorithms" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-L02 \nPage 9 of 12 \n \n02 Algebra \nA paraprofessional will know how and be able to: \n● Understand and use patterns to model and solve problems \n● Understand how to manipulate and simplify algebraic \nexpressions and translate problems into algebraic notation \n● Understand the properties of different types of functions \nand relations \n03 Geometry \nA paraprofessional will know how and be able to: \n● Analyze characteristics and properties of two- and three-\ndimensional geometric shapes \n● Specify locations and describe spatial relationships using \ncoordinate geometry and other representational systems" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "● Understand the principles and properties of coordinate and \ntransformational geometry, apply transformations, and use \nsymmetry to analyze mathematical situations \n● Use visualization, spatial reasoning, and geometric \nmodeling to solve problems. \n04 Measurement and Data Analysis \nA paraprofessional will know how and be able to: \n● Identify measurable attributes of objects and use the \nstandard units, systems, and processes of measurement \n● Formulate questions that can be addressed with data; and \ncollect, organize, and display relevant data to answer them" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-L02 \nPage 10 of 12 \n \n● Select and use appropriate statistical methods to analyze \ndata \n● Develop and evaluate inferences and predictions that are \nbased on data \n3. INSTRUCTION DOMAIN \n01 Curriculum Planning \nA paraprofessional will know how and be able to: \n● Assist with activities addressing standards that will advance \nstudents’ level of content knowledge \n● Assist with activities appropriate for the full range of \nstudents within a classroom and appropriate to the specific \ndiscipline, age, and level of proficiency with the English \nlanguage and Individualized Education Programs (IEP) \n02 Effective Instruction" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "02 Effective Instruction \nA paraprofessional will know how and be able to: \n● Communicate lesson objectives clearly \n● Build on students’ prior knowledge and experience \n● Provide support under the guidance of a classroom teacher \nto address student needs \n● Help students use appropriate instructional resources to \nsupport learning in reading, writing, and mathematics \n● Help students use a variety of approaches to understand \nwhat they read \n● Help students focus their writing \n● Help students relate mathematics to everyday situations" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HRS-L02 \nPage 11 of 12 \n \n● Employ a variety and range of instructional techniques \nfrom direct instruction to cooperative learning groups \n● Use instructional technology appropriately \n● Provide regular feedback to students on their progress \n● Provide formal and informal assessment of student \nprogress \n03 Classroom Climate and Equity \nA paraprofessional will know how and be able to: \n● Maintain appropriate standards of behavior, mutual \nrespect, and safety in the classroom \n● Promote achievement for all students, including those with \ndisabilities, those with limited English proficiency, and \nthose who are gifted and talented, without exception" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "● Promote civic and self-responsibility in the classroom, \nschool, and community \n04 Professional Responsibilities \nA paraprofessional will know how and be able to: \n● Carry out their legal and ethical responsibilities. \n● Carry out health, safety, and emergency procedures of the \nlearning environment. \n● Maintain high standards and expectations for all students. \n05 Professional Skills \nA paraprofessional will understand how and be able to:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L02 Paraprofessional ESSA Requirements", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HRS-L02 \nPage 12 of 12 \n \n● Accept supervision to reflect critically upon their classroom \nexperience and identify areas for further skill and \nprofessional development. \n● Work collaboratively with school personnel. \n● Confer with supervisor(s) and/or content specialist(s) when \nassistance is needed in supporting students’ learning \nprocess." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS- L03 \nVersion 01 \n \n \nLICENSURE REQUIREMENTS FOR PRINCIPALS/HEADS \nOF SCHOOL AND BASAS EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll principals and heads of school as well as most BASAS \nemployees are required to hold one of five administrative licenses \nissued by the State of Massachusetts Department of Elementary \nand Secondary Education (DESE). \nTYPES OF ADMINISTRATOR LICENSES \nThe DESE issues the following five administrator licenses: \n• Superintendent/Assistant Superintendent \n• Principal/Assistant Principal \n• Supervisor/Director \n• Special Education Administrator" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "• Special Education Administrator \n• School Business Administrator \nREQUIREMENTS BY ADMINISTRATOR POSITION \nThe BPS positions/titles below require the following licenses in \nthe appropriate grade level(s):" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-L03 \nPage 2 of 7 \n \n \n \nBPS Position/Title \nRequired License \nPrincipal / Head of School \nPrincipal/Assistant Principal \nAssistant Principal / Head of \nSchool \nPrincipal/Assistant Principal \nAcademy Director \nSupervisor/Director OR \nPrincipal/Assistant Principal \nAcademy Leader \nSupervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Instruction \nSupervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Alternative \nEducation \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSmall Learning Community \nLeader \nSupervisor/Director OR \nPrincipal/Assistant Principal \nDirector of Curriculum, \nAssessment and Placement" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Assessment and Placement \nSupervisor/Director OR \nPrincipal/Assistant Principal \nSenior Curriculum Access \nSpecialist \nSpecial Education Administrator \nlicense OR Moderate/Severe \nDisabilities teaching license in \ncombination with Principal/ \nAssistant Principal license. \nSenior Curriculum Manager \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSenior Program Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nProgram Director \nPrincipal/Assistant Principal OR \nSupervisor/Director OR Special \nEducation Administrator license \nSome BASAS classifications may require licensure depending" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-L03 \nPage 3 of 7 \n \n \n \nupon the types of duties performed. If a BASAS member is \nresponsible for the “Planning, Implementing, or Developing of \nCurriculum and Instruction” (for 50% or more of their time), they \nmust hold an administrator license. Additionally, if the BASAS \nadministrator is responsible for the “Evaluation of Employees,'' \nthey must hold an administrator license. \nIf they are responsible for the planning, implementing, or \ndeveloping of Curriculum and Instruction, or the evaluation of \nemployees, the following BPS employees must hold these \nlicenses: \nBPS Position/Title \nRequired License \nSenior Coordinator" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Required License \nSenior Coordinator \nPrincipal/Assistant Principal or \nSupervisor/Director or Special \nEducation Administrator license \nCoordinator \nJunior Coordinator \nDirector \nAssistant Director \nBilingual Program Specialist \nSenior Program Coordinator \nMEETING MASSACHUSETTS STATE LICENSURE REQUIREMENTS \nThe following information outlines general guidelines that \nprincipals, heads of school, and relevant BASAS employees \nshould follow to meet Massachusetts state licensure \nrequirements. The DESE will determine individual licensure \nrequirements upon review of the administrator’s application. \n1. Pass the Massachusetts Test for Educator Licensure (MTEL)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-L03 \nPage 4 of 7 \n \n \n \nin Communication and Literacy Skills. To register for the \nMTEL, go to: http://www.doe.mass.edu/mtel/. \n2. Complete the licensure requirements for the administrator \nrole sought through one of the available routes: \na. Complete an Approved Program of Study. DESE \napproves educator preparation programs sponsored by \nhigher education, professional associations, \ncollaboratives, school districts, charter schools, and \nother organizations. Approved programs are designed \nto meet the requirements for a specific administrator \nlicense. The DESE website, \nhttp://www.doe.mass.edu/edprep, contains a list of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "approved administrator preparation programs. \nb. Complete an Administrative \nApprenticeship/Internship. This route to licensure is \nprimarily a field-based experience requiring a \nminimum of 300-500 hours depending on the license \nbeing pursued in the role of the license sought. \nCandidates completing this route must be guided by a \ntrained mentor (who has held a professional license in \nthe same role for at least three years) and participate in \nseminars, workshops, and other opportunities that will \nassist the candidates in adequately addressing the \nProfessional Standards for Administrators. \nc. Be recommended for licensure through the Panel" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Review process. This route is only available for \nadministrator licensure candidates who have specific \nprerequisite experiences and for all superintendent \ncandidates. \n3. Apply for licensure and make payment through the online" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-L03 \nPage 5 of 7 \n \n \n \nprocess: (https://www.doe.mass.edu/licensure/apply-check-\nstatus-license.html). \n4. Submit the following supporting documentation and \ninformation to the DESE: \na. One of the following: \ni. Approved program endorsement \nii. Administrative Apprenticeship/Internship \nEndorsement Form. This form is accessible \nthrough the Guidelines for Administrator Routes \nto Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-\nadministrator-routes.pdf \nb. A letter written on official letterhead by the \nsuperintendent/designee, principal, or previous \nemployer that documents the candidate has" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "employer that documents the candidate has \ncompleted three years of employment in the role of the \ncurrent license or other required experience. \nc. Successful completion of the Performance Assessment \nfor Initial License. Applicants for the Principal/Assistant \nPrincipal license are required to successfully complete \nthe Performance Assessment for Initial Licensure \n(MA_PAL). This requirement is currently under \ndevelopment for all other administrative licenses. \nLicensure can be granted to those who satisfy all other \nlicensure requirements prior to this requirement \nbecoming available. \n \nd. Official transcripts of undergraduate/graduate studies \nif required for specific license." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-L03 \nPage 6 of 7 \n \n \n \n \nMore information about the requirements for the administrator \nlicenses is available through the Guidelines for Administrator \nRoutes to Initial Licensure: \nhttp://www.mass.gov/edu/docs/ese/educator-\neffectiveness/licensing/panel-review-administrator-\nroutes.pdf \nPROCESS FOR REPORTING LICENSURE TO THE OFFICE OF \nHUMAN RESOURCES \nIt is the responsibility of principals, heads of school, and relevant \nBASAS employees, as well as their supervisors, to ensure proper \nlicensure is in place and recorded in the “BPS Licenses” section of \nPeopleSoft (found under “Workforce Development”) which is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "maintained by the Office of Human Resources via an electronic \ndownload from the Department of Elementary and Secondary \nEducation. \nPROCESS FOR LICENSURE RELATED VERIFICATIONS \nAll educators and other employees seeking licensure related \nverifications and/or loan forgiveness must complete the BPS \nEducator Licensure-Related Verification Requests form." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-L03 \nPage 7 of 7 \n \n \n \nFor more Information about this circular, contact: \nDepartment: \nOffice of Human Resources \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9600 \nFax: \n617-635-7956 \nEmail: \nemployeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n \nNUMBER: \nHRS-PM03 \nVersion 01 \n \nPERFORMANCE EVALUATION OF MEMBERS OF THE \nADMINISTRATIVE GUILD \nThe following sets forth the philosophy, roles, responsibilities, and \nprocedures applicable to the evaluation process for members of \nthe Administrative Guild. \nI. COVERAGE \nThe contract between the School Committee and the \nAdministrative Guild provides for both annual and interim \nevaluations of the performance of all employees represented by \nthe Guild. The evaluation process relates to the duties and \nresponsibilities of the employee’s position, as set forth in the \nemployee’s job description." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "employee’s job description. \nThe job descriptions are general in nature and are not intended \nto change any employee’s existing responsibilities. The format of \nthe job descriptions allows supervisors to determine the specific \njob duties associated with the position’s classification. \nThe supervisor should obtain a copy of the appropriate job \ndescription and provide it to each employee under their \njurisdiction. The supervisor should also communicate clearly to \nthe employee the specific duties associated with the position as \nwell as any additional information pertaining to the position. \nMembers of the Administrative Guild can also contact their OHC" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Staffing Manager to access job descriptions." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM03 \nPage 2 of 21 \n \nII. PHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service depends upon the professional performance \nand total job effectiveness of all employees. Since clerical and \ntechnical employees can and should be held accountable for the \nquality of their performance, a just and effective process for \nevaluating that performance is essential. True performance \nevaluation involves an analysis of an employee's strengths and \nweaknesses, resulting in diagnoses and prescriptions that lead to \nthe desired improvement of skills and performance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "All clerical and technical employees will be evaluated using the \ndiagnostic-prescriptive approach, and the procedures and forms \ndeveloped for the implementation of this approach. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages employees to maximize their unique \nstrengths and skills. It encourages employees to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication with and supervision of employees. \nAn effective performance evaluation program is one that is" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "continuous rather than periodic and organized to: \n● develop a clear understanding of the goals of the \ndepartment or school; \n● assist employees in addressing more effectively the needs \nof each school or department; and \n● encourage cooperative staff relations through mutual trust \nand respect for each employee's role." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM03 \nPage 3 of 21 \n \nIII. ROLES AND RESPONSIBILITIES \nHeads of school, principals, and other administrative heads have \nchief responsibility for the evaluation of all staff in their \nresponsibility centers. Performance evaluations must be \nconducted by the employee's most immediate supervisor who is \nnot a member of the Guild bargaining unit. \nA supervisor’s failure to address the job performance problems of \ntheir staff through the performance evaluation process \nrepresents unacceptable performance for which the supervisor \nwill be held accountable. \nFurther, a supervisor will also be performing unsatisfactorily if an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "underperforming staff member is given a satisfactory rating and \nthen encouraged to transfer to another school or department. A \nsupervisor who does this will be held accountable as part of their \nperformance evaluation. \nIV. DIAGNOSIS AND RECOMMENDATIONS \nThe performance evaluation process should provide each \nemployee with an appraisal of their strengths and identify areas \nin need of improvement. The employee will be evaluated on each \nstandard within the various categories. There are four possible \nratings: \n \nE – EXEMPLARY: \nThe employee’s performance of the duties and \nresponsibilities of their position exceeds \nexpectations. \nP – PROFICIENT:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "expectations. \nP – PROFICIENT: \nThe employee’s performance of the duties and \nresponsibilities of their position meets \nexpectations." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM03 \nPage 4 of 21 \n \nN – NEEDS \nIMPROVEMENT: \nThe employee’s performance of the duties and \nresponsibilities of their position needs \nimprovement. \nU – UNSATISFACTORY: \nThe employee has failed to meet expectations \nand their performance of the duties and \nresponsibilities of their position needs \nimprovement. \nEvery interim and annual evaluation must result in a mark for \neach appropriate item on the evaluation form. In any area where \nthe supervisor indicates a need for improvement, they will \nprovide the employee with a written prescription within the \nevaluation document. The diagnosis and subsequent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "prescription should be fully descriptive and instructive, \nsuggesting specific remedies or recommendations for adoption \nby the employee. The employee may suggest additional or \nalternative prescriptions. \nV. PERFORMANCE MANAGEMENT PROCESS \nThe performance of employees represented by the Guild \nbargaining unit is evaluated annually. The evaluation year is from \nJuly 1 to June 30 for each employee. \nPerformance evaluation activities may include, but are not \nlimited to, preliminary planning conferences, daily observations, \nnotations, formal interim evaluations, follow-up conferences, and \nrecommendations to the employee by the evaluator." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "During the entire evaluation process, continuous administrative \nassistance, support, and encouragement should be extended to \nassist the employee in meeting established objectives." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM03 \nPage 5 of 21 \n \nSTEP 1 – PRELIMINARY PROCEDURES \nAt the beginning of each evaluation year, the head of school, \nprincipal, or other administrative head should meet with their \nsupervisory staff to orient them to the performance evaluation \nprocess and to their roles and responsibilities within that process \nfor the upcoming year. Guild members will be evaluated by their \nmost direct supervisor or designee who is not a member of the \nGuild bargaining unit. \nFor all new employees or after a change in supervision, the \nevaluator must meet with the employee no later than 30 days \nafter the start of the evaluation year to discuss and explain the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "evaluation process, the evaluation instrument, and to clarify the \nresponsibilities and objectives of the position. \nThe evaluator and the Guild member will sign the evaluation \ninstrument indicating the date of such meeting. \nSTEP 2 – PREPARE DIAGNOSIS AND RECOMMENDATIONS (AS \nNEEDED) \nIf at any time, including at the interim evaluation meeting (see \nstep 3), a supervisor finds that an employee needs major \nimprovement in their job performance or in accomplishing any \ngoal, the supervisor will prepare a written diagnosis of the \nsituation, recommendations for improvement, and will share this \nfeedback with the employee within a reasonable amount of time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "STEP 3 – INTERIM EVALUATION PROCEDURES \nAll new employees or employees under new supervision should \nreceive an interim evaluation no later than November 15, if \nreasonably possible. All other employees will be evaluated a \nminimum of one time during the school year. However, to \nreceive a rating of “Unsatisfactory” in any category on an annual" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM03 \nPage 6 of 21 \n \nevaluation, an interim evaluation must have been previously \nconducted. \nIf an interim evaluation includes a rating(s) of Unsatisfactory \nand/or Needs Improvement in any category, then the supervisor \nwill communicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. A follow-up \nevaluation or evaluations for an interim overall unsatisfactory \nevaluation must be done after a minimum of 20 school days and \nno later than 50 school days from the last evaluation during" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "which a member is present. All initial “Unsatisfactory” interim \nevaluations should have a follow-up evaluation no less than 20 \nschool days during which the employee is present. \nThe same form is used for interim and annual evaluations. \nSTEP 4 – POST INTERIM MEETING EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of an interim evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "not to indicate agreement or disagreement with its contents. The \nsupervisor must retain the signed copy. The employee has a right \nto attach a written response to the evaluation. \nIf an employee receives a mark of Needs Improvement or \nUnsatisfactory on any item on their performance evaluation form, \nthe principal, head of school, or other administrative head must \nimmediately submit this evaluation form to the Office of Human \nResources." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM03 \nPage 7 of 21 \n \nInterim evaluations will not be placed in the employee’s \npermanent file. \nSTEP 5 – ANNUAL EVALUATION PROCEDURES \nAnnual evaluations must be completed no later than June 1 of \neach year. \nIf an evaluation includes a rating(s) of Unsatisfactory and/or \nNeeds Improvement in any category, then the supervisor will \ncommunicate in writing the reasons for the rating(s) of \nUnsatisfactory and/or Needs Improvement within the evaluation \nform and provide prescriptions for improvement. However, to \nreceive a rating of “Unsatisfactory” in any category on an annual \nevaluation, an interim evaluation must have been previously" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "conducted. If an employee received a Needs Improvement or \nUnsatisfactory rating on any item on the form, the Principal, \nHead of School, other Administrative Head must immediately \nsubmit this evaluation form to The Office of Human Resources. \nSTEP 6 – POST ANNUAL EVALUATION CONFERENCE \nWithin ten (10) working days in which the employee is present \nfollowing the completion of any evaluation document, the \nevaluator will meet with the employee to discuss the evaluation. \nDuring this conference, the evaluation and a copy of it will be \nprovided to the employee, who will sign both the original and the \ncopy to indicate that they have seen and acknowledged it, but" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "not to indicate agreement or disagreement with its contents. The \nemployee has the right to attach a written response to the \nevaluation form. \nIf an employee receives an annual overall Unsatisfactory \nevaluation, the supervisor may initiate termination by \nrecommending to the Superintendent that such employee be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM03 \nPage 8 of 21 \n \nterminated. \nSTEP 7 – SUBMIT PERFORMANCE EVALUATION FORMS TO THE \nOFFICE OF HUMAN RESOURCES \nAt the end of each evaluation year, the principal, head of school, \nor other administrative head should retain the copies of all \nevaluations and send/deliver the originals of all evaluations to the \nOffice of Human Resources front desk. If the performance \nevaluation is overall Unsatisfactory, a copy should also be sent to \nthe director of evaluation and performance management, Office \nof Human Resources. \nNote: An employee with an “Unsatisfactory” performance \nevaluation has no bidding rights until that employee receives a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "subsequent “satisfactory” performance evaluation. For the \npurposes of this section, an “Unsatisfactory” evaluation means an \nunsatisfactory rating in any two areas on an interim or annual \nevaluation. \nVI. PROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or other administrative head \ndetermines that an employee has committed an infraction of \nwork rules such as excessive tardiness, absences, etc., the \nsupervisor should follow the procedures outlined in the \nSuperintendent's Circular on Employee Discipline Procedures. \nAdditionally, the supervisor should consider the infraction in \nevaluating the employee's overall performance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PM03 \nPage 9 of 21 \n \nVII. FORMS \nThe Performance Evaluation Form for Members of the \nAdministrative Guild is attached. \nSummary of significant dates and deadlines: \nDATE \nACTIVITY \nWithin the first 30 days \nof Evaluation Year \nFor new employees/employees under \nnew supervision only: Review job \ndescription and evaluation instrument. \nSign cover page to acknowledge \nmeeting. \nNo later than \nNovember 15 \nFor new employees/employees under \nnew supervision only: Complete first \nInterim Evaluation \nJune 15 \nDeadline to send signed, original \ncopies of evaluations to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Office of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, Massachusetts 02119 \nJuly 1 to June 30 \nThe evaluation year of an \nAdministrative Guild employee" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PM03 \nPage 10 of 21 \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Evaluation and Performance \nManagement \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, 4th Floor, Boston, MA \n02119 \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HRS-PM03 \n \nPage 11 of 21 \n \nBOSTON PUBLIC SCHOOLS ADMINISTRATIVE GUILD \nPERFORMANCE EVALUATION FORM \nName: _________________________________Employee ID: ____________ \nCurrent Position and Grade: ___________________ Date: ____________ \nPermanent Position and Grade: __________________________________ \nDepartment/School: _____________________________________________ \nEvaluator: ________________________________________________________ \nCheck One: Interim Evaluation: ☐ Annual Evaluation: ☐ \nEvaluator's Signature: _________________________ Date: \n_____________ \nEmployee's Signature: _________________________ Date: ____________" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "The employee's signature indicates that they have seen and \ndiscussed the evaluation. It does not denote agreement with it. \nEvaluator's Supervisor \nSignature: ____________________________________ Date: _____________ \nInitial Pre-Evaluation Conference: \n Evaluator’s Signature:__________________________Date:____________ \n \nEmployee’s Signature___________________________Date:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HRS-PM03 \nPage 12 of 21 \n \nReview the employee’s job description and then complete the \nform. The following scale will be used for ranking performance: \nE - EXEMPLARY \nThe employee’s performance of the \nduties and responsibilities of their \nposition exceeds expectations. \nP - PROFICIENT \nThe employee’s performance of the \nduties and responsibilities of their \nposition meets expectations. \nN - NEEDS \nIMPROVEMENT \nThe employee’s performance of the \nduties and responsibilities of their \nposition needs improvement. \nU - UNSATISFACTORY \nThe employee has failed to meet \nexpectations and their performance of \nthe duties and responsibilities of their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "the duties and responsibilities of their \nposition needs improvement. \nThe evaluator will circle the letter that applies, or if the form is \nbeing completed electronically, the evaluator should underline or \nbold the letter that applies. Any rating of \"U\" or “N” must be \naccompanied by a supporting diagnosis and prescription. The \nevaluator may add comments to ratings of \"P\" and \"E\" at their \ndiscretion." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular HRS-PM03 \nPage 13 of 21 \n \nPerformance Ratings (see Performance Standards descriptions \nbelow): \n(Place an X in the appropriate box for each \nstandard and overall) \nE \nP \nN \nU \nStandard I: Job Functions \n \n \n \n \nStandard II: Collaboration and Initiative \n \n \n \n \nStandard III: Communication \n \n \n \n \nStandard IV: Professionalism and Growth \n \n \n \n \nOverall Rating \n \n \n \n \n \nSupervisor's Comments \n1. How long has this employee been under your supervision? \n \n2. General comments, significant other achievements, \nappraisal of potentialities." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular HRS-PM03 \nPage 14 of 21 \n \n3. This diagnosis and prescription section must be completed \nfor each category evaluated as U – Unsatisfactory. Identify \nthe item number, the observable need for improvement, the \nrecommendation, and the target date for improvement. \n \n \n \n \n \nEmployee's Comments:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular HRS-PM03 \n \nPage 15 of 21 \n \nADMINISTRATIVE GUILD PERFORMANCE STANDARDS \nStandard I: Job Functions. The employee effectively supports the district's and department/school’s \nmission through demonstrated job-specific skills, knowledge, and quality of work after proper \ninstruction. \nIndicators \nUnsatisfactory \nNeeds \nImprovement \nProficient \nExemplary \nI-A. Skills and \nknowledge \nDemonstrates a \ncritical lack of \nnecessary skills \nand knowledge \nto perform one's \nown job, \nincluding the \nability to \neffectively use \nrelevant, position \nspecific \ntechnology. \nDemonstrates \nsome, but not all, of \nthe necessary skills \nand knowledge to \nperform the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "and knowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nHas the necessary \ntechnical skills and \nknowledge to \nperform the \nemployee's own job, \nincluding the ability \nto effectively use \nrelevant position \nspecific technology. \nDemonstrates \nproficiency AND \nserves as a resource \nfor other employees \nin similar or related \npositions." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular HRS-PM03 \nPage 16 of 21 \n \nI-B. Quality of \nWork \nDemonstrates \neffectiveness at \nfew to none of \nthe \nresponsibilities \ndefined in the \nemployee's job \ndescription. \nDemonstrates \neffectiveness at \nsome, but not all, of \nthe responsibilities \ndefined in the \nemployee's job \ndescription. \nAccurately, \ncompetently, and in a \ntimely manner \nperforms assigned \ntasks as set forth in \nthe job description. \nDemonstrates \nproficiency AND \nmakes significant or \nnoteworthy \ncontributions \ntowards helping \naccomplish the \nschool/department \ngoals." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular HRS-PM03 \nPage 17 of 21 \n \nStandard II: Collaboration and Initiative. The employee supports the district's and the \ndepartment/school’s mission and goals by cultivating a shared vision, modeling responsibility, \naccountability, and cooperation. \nIndicators \nUnsatisfactory \nNeeds \nImprovement \nProficient \nExemplary \nII-A. \nTeamwork \nDemonstrates a \npattern of refusal \nto support \nsupervisor and \nothers as \nidentified in the \njob description. \nDemonstrates \nlimited accuracy \nand support of \nsupervisor and \nothers as identified \nin the job \ndescription when \nasked. \nEstablishes and \nmaintains \nrelationships that \npromote the \nadvancement of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "relationships that \npromote the \nadvancement of \ncommon goals by \nproviding accurate \nand reliable support. \nDemonstrates \nproficiency \nAND takes initiative \nto identify and act \nupon new \nopportunities to \nsupport \nschool/department \nmissions. \nII-B. \nMotivation and \nInitiative \nRequires direct \nintervention and \ncontinual \noversight from \nsupervisor to \nRequires increased \noversight or \nreminders for \nroutine duties \ndespite receiving \nAccomplishes work \nafter proper \ninstruction; seeks \nclarification when \nneeded performs \nDemonstrates \nproficiency AND \nrecommends \nsolutions, as well as \ntakes initiative on" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular HRS-PM03 \nPage 18 of 21 \n \nperform the \nduties outlined \nin job \ndescription. \nstandard support. \ntasks in anticipation \nof or extraneous to \nnormal \nresponsibilities, \neffectively copes with \nthe unexpected. \nstarting new tasks \nand projects, as \nappropriate, to \nsupport district and \nschool/department \ngoals. \n \nStandard III: Communication. Communicates effectively, professionally and with a customer-focused \napproach; speaking or writing originated by a Guild member. Cultural Proficiency: Actively creates \nand maintains an environment in which students and staff of diverse backgrounds, identities, \nstrengths, and challenges are respected \nIndicators" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Indicators \nUnsatisfactory \nNeeds \nImprovement \nProficient \nExemplary \nIII-A. Effective \nWritten and \nOral \nCommunicatio\nn \nDemonstrates a \npattern of \nineffectual \nwritten, oral, and \ninterpersonal \ncommunication. \nWritten, oral and \ninterpersonal \ncommunication \noccasionally lacks \nclarity, timeliness, \ncourtesy, or \nAll written, oral, and \ninterpersonal \ncommunication \nproduced is accurate, \nclear, concise, \ncourteous, and timely. \nDemonstrates \nproficiency AND \nmodels effective \npublic demeanor \nand/or participation \nskills." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular HRS-PM03 \nPage 19 of 21 \n \nprecision. \nIII-B. \nCulturally \nProficient \nCommunicatio\nn \nDemonstrates a \npattern of failure \nto ensure \ncommunications \nare always \nrespectful and \ndemonstrate \nunderstanding of \nand sensitivity to \ncultural and \nother \ndifferences. \nDemonstrates \ninconsistency in \nensuring all \ncommunication is \nrespectful and \ndemonstrates an \nunderstanding and \nsensitivity to \ncultural and other \ndifferences. \nEnsures that all \ncommunication is \nconsistently \nrespectful and \ndemonstrates an \nunderstanding of and \nsensitivity to different \nlanguages, cultures \nand values \nrepresented. \nDemonstrates \nproficiency AND \nserves as a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Demonstrates \nproficiency AND \nserves as a \nmodel/resource for \nstaff regarding \nculturally proficient \ncommunication." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular HRS-PM03 \nPage 20 of 21 \n \nStandard IV: Professionalism and Growth. The employee's conduct reflects good judgment and high \nstandards of performance, behavior, and a willingness to grow through ongoing professional \nlearning. \nIndicators \nUnsatisfactory \nNeeds \nImprovement \nProficient \nExemplary \nIV-A. \nProfessional \nJudgment \nDemonstrates \npoor judgment \nand/or discloses \nconfidential \ninformation \ninappropriately. \nOccasionally \ndemonstrates \nquestionable \njudgment and \nsharing of \nconfidential \ninformation. \nDemonstrates sound \njudgment reflecting \nintegrity, honesty, \nfairness, and \ntrustworthiness and \nprotects \nconfidentiality \nappropriately." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "protects \nconfidentiality \nappropriately. \nDemonstrates \nproficiency AND \nserves as a model for \nothers regarding \nprofessional \njudgment. \nIV-B. \nAttendance \nand \nPunctuality \nDemonstrates a \npattern of \nproblematic \nbehavior \nregarding \npunctuality, \nExhibits some \nnotable challenges \nwith punctuality, \nattendance, or \ngiving notice of \ntime off. \nIs punctual; follows \nattendance policy \nnotice requirements. \nDemonstrates \nproficiency AND \nensures that vacation \nand personal leave is \ntaken at a time that \nminimally impacts" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM03 Performance Evaluation of Members of the Administrative Guild", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular HRS-PM03 \nPage 21 of 21 \n \nattendance or \ngiving notice of \ntime off. \nthe functioning of \nthe department \nand/or school. \nIV-C. \nFeedback and \nGrowth \nDemonstrates \nresistance to \nfeedback related \nto performance \nand/or fails to \nuse feedback to \nimprove \nperformance. \nHas notable \ndifficulty receiving \nfeedback related to \nperformance and/or \nusing feedback to \nimprove \nperformance. \nResponds receptively \nand constructively to \nfeedback related to \nperformance and \nuses feedback to \nimprove \nperformance. \nDemonstrates \nproficiency AND \nmodels the use of \nfeedback to \npersonally improve." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP07 \nVersion 01 \n \n \nWORKERS’ COMPENSATION PROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOBJECTIVE \nThe Boston Public Schools Workers’ Compensation Service is \nlocated within Boston City Hall, 6th Floor, Room 613. Workers’ \nCompensation Service administers benefits for city workers, \nincluding Boston Public Schools employees. The Workers’ \nCompensation Service strives to ensure effective and efficient \ndelivery of benefits and collects injury data for state and federal \nreporting requirements. \nADMINISTERING WORKERS’ COMPENSATION BENEFITS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "ADMINISTERING WORKERS’ COMPENSATION BENEFITS \nFor the City of Boston Workers’ Compensation Service to provide \nadequate service, it is imperative that all work-related injuries be \nreported as soon as possible, preferably within twenty-four hours \nof the occurrence. \nFor the Workers’ Compensation Service to provide timely \nbenefits, your cooperation in obtaining medical documentation is \ncritical. If a case is reported late, or if the Workers’ Compensation \nService does not have sufficient medical documentation, the \nemployee’s receipt of benefits may be delayed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP07 \nPage 2 of 7 \n \n \n► It is the employee’s responsibility to request complete \nmedical treatment records for the work-related injury \nand provide them or have them sent to the Workers’ \nCompensation Service. Out-of-work notes are NOT \nsufficient to maintain workers’ compensation benefits. \nIncomplete or late reports of injury could also subject Boston \nPublic Schools to financial penalties. \n● To find the City’s accident report form, as well as a \ncomplete guide to the city’s workers’ compensation \nprocess, please see the City of Boston Workers’ \nCompensation Service employee guide at \nhttps://www.boston.gov/departments/human-" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "https://www.boston.gov/departments/human-\nresources/workers-compensation-process. \n● The accident report can be accessed directly at \nhttps://www.boston.gov/sites/default/files/file/2022/02/\naccident-report-form_2-7-2022.pdf. \nSTEPS TO TAKE IF YOU HAVE BEEN INJURED IN THE COURSE OF \nYOUR EMPLOYMENT \nIf emergency services (i.e., life threatening, bleeding, head \ninjuries, severe fractures, etc.) are necessary: \n1. Seek out emergency care (via ambulance if necessary) at \nthe closest emergency care facility to where you were \ninjured. \n2. Fill out and sign the accident report form. Submit it to the \nworkers’ compensation office and your supervisor or human" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "resources representative in your department. If you are \nunable to fill it out, you can have someone else fill it out for \nyou." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP07 \nPage 3 of 7 \n \n \n3. Medical documentation must be sent to Workers’ \nCompensation Services (Room 613). \n4. A supervisor’s signature is requested solely for the purpose \nof notification that an injury occurred. A supervisor’s \nsignature does not indicate that the supervisor \nagrees/disagrees with the report, nor does it indicate the \nsupervisor witnessed the accident. \n5. Reasonable and necessary medical expenses for accepted \nwork-related injuries will be covered by Workers’ \nCompensation Service, regardless of whether time has been \nlost due to the injury. However, salary replacement benefits" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "for accepted work-related injuries are given only if the \nemployee lost 5 days or more. Substantial medical \ndocumentation is required for employees who have lost 5 \ndays or more. \n6. A representative from Workers’ Compensation will contact \nyou to follow up on your injury. They will also explain your \nbenefits and discuss your medical treatment. If you haven’t \nheard back within seven (7) days of reporting your injury, \nyou can speak with a case manager by calling 617-635-3193 \nor emailing workerscompstaff@boston.gov. \n WHILE ON WORKERS’ COMPENSATION \nWhile on workers’ compensation, the employee must maintain \nan approved leave of absence status with the Office of Human" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "resources by applying for a leave of absence on the HUB and \nproviding a WH-380-E form or medical \ncertification/documentation on official letterhead from a health \ncare provider. For more information on leaves of absence, please \nsee Superintendent’s Circular HRS-PP13." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP07 \nPage 4 of 7 \n \n \nWhile on workers’ compensation, the employee is permitted to \nuse available sick, personal, or vacation time to supplement the \ndifference in workers’ compensation earnings to continue to \nreceive 100% of their normal earnings. This applies to employees \nwho have available time and have completed the Workers' \nCompensation Earnings Consent Form, allowing the use of \nearned time. Without consent, the Office of Human resources will \nnot supplement your workers’ compensation earnings. The \nconsent form can be accessed directly at: \nhttps://docs.google.com/forms/d/e/1FAIpQLSf0E_fnOzpBy2kNdqn" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "HyXIvlVzzziCmSsIE0pM74H4kMoCwow/viewform. \nSupplementing your WC earnings allows employees to maintain \ntheir normal deductions (retirement, union dues, health \ninsurance, etc.). For some unions, it also minimizes the impact of \nearnings that are normally paid over the summer. To be sure of \nthe financial impact that supplementing (or not supplementing) \nyour WC earnings will have your pay once you return to work, \nplease reach out to the BPS Payroll team at 617-635-9460. \nEmployees are permitted up to 1 year of leave for an injury related \nto an approved Workers’ Compensation injury. Employees who \nare absent more than 1 year may have an essential functions" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "meeting held to determine whether they are able to continue \ntheir employment with BPS. \nEMPLOYEE RETURNING TO WORK \nAn employee who is ready to return to work after having been \nout due to a work-related injury must have medical clearance \nfrom their doctor. Before returning to work, the employee must \nprovide copies of the medical clearance note to both OHR and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PP07 \nPage 5 of 7 \n \n \nthe Workers’ Compensation Service and inform both offices of \ntheir intent to return and the intended date. The clearance note \nshould be emailed to OHRLeaves@bostonpublicschools.org as \nwell as workerscompstaff@boston.gov. \nTransitional modified work may be offered by the Boston Public \nSchools to employees who have been injured on the job and can \nreturn to work on a modified basis. The Boston Public Schools \nmakes reasonable accommodations in compliance with the ADA \nand M.G.L. c. 151B for employees with handicaps or disabilities, as \noutlined in Superintendent's Circular EQT-01. If you wish to seek" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "reasonable accommodations, please contact the Office of Equity \nat 617-635-9650 or accommodations@bostonpublicschools.org to \nengage in an interactive dialogue prior to your return. \nThe goals of the Workers’ Compensation office are to ensure that \neligible injured employees receive quality and timely medical \nservices, receive timely benefits, and return to the job as quickly \nas possible. Your case manager will remain in constant contact \nwith you, and you will be required to maintain contact and \nprovide the necessary medical information to your case manager \nso that these goals can be achieved. \nAll accident reports regarding an employee’s injury should be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "forwarded to Workers’ Compensation Services (address at the \nbottom of this circular). \nAny additional information or questions can be forwarded to the \nemployee’s case manager. Case managers are assigned based on \nthe employee’s last name." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PP07 \nPage 6 of 7 \n \n \nMEDICAL TREATMENT INFORMATION FOR ALL EMPLOYEES \nREGARDING WORKERS’ COMPENSATION \nIf you need medical care for your work injury or illness, contact a \nmedical provider. Let them know that you are seeking workers’ \ncompensation coverage for the treatment. The city currently \ndoes not have any preferred medical providers. \nWORKERS’ COMPENSATION CHECKLIST \nAs this circular is comprehensive, and to prevent delays in \nprocessing, please ensure that you have completed the following \naction items when applying for/returning from workers' \ncompensation. \nAPPLYING FOR WORKERS’ COMPENSATION" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "APPLYING FOR WORKERS’ COMPENSATION \n● Complete and submit the Report of Occupational Injury or \nAccident. This report should be verified and signed by your \nsupervisor. \n● Review Superintendent’s Circular HRS-PP13 Absence and \nLeave Policy. \n● Complete a leave of absence application form and submit \nWH-380-E form or physician’s certificate. \n● Send medical updates to both the City of Boston Workers’ \nCompensation Unit and the Office of Human resources to \nmaintain your leave of absence and workers' compensation \nbenefits. \n● If applicable, complete the workers' compensation \nsupplemental earnings consent form if you wish to \nsupplement your benefit with accrued time." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PP07 \nPage 7 of 7 \n \n \nRETURNING FROM WORKERS’ COMPENSATION \n● Send both Human resources and City of Boston Workers' \nCompensation Unit medical documentation certifying the \nability to return to work with/without restrictions. \nFor more information about this circular, contact: \nDepartment: \nWorkers’ Compensation Service \nMailing Address: \nBoston City Hall, Room 613, Boston, MA 02201 \nPhone: \n617-635-3193 \nFax: \n617-635-3119 \n \nFor submitting forms to the Office of Human resources: \nOwner: \nEmployee Services \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9255 \nFax: \n617-635-7957" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP07 Workers' Compensation Procedures", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link", + "content": "Phone: \n617-635-9255 \nFax: \n617-635-7957 \nEmail: \nOHRleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nHRS-PP01 \nVersion 01 \n \nCONTRACTUAL BENEFITS: CAREER AWARDS, SALARY \nLANES, SALARY STEPS, ACADEMIC LADDER CREDITS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools offer numerous contractual benefits such \nas career awards and salary lane increases based on the \ncompletion of accredited coursework, degrees, academic ladder \ncredits, and continuing education units. To receive these benefits, \nemployees must submit the appropriate documentation \n(described below) to the Office of Human Capital. Once their \ndocumentation is submitted, employees will receive confirmation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "via email, within 4 to 6 weeks, except during peak seasons. \n1. CAREER AWARDS \nCareer awards are issued monthly by anniversary date, based on \na monthly reporting cycle in the Office of Human Capital, and \nvary by union affiliation. PS03s are no longer needed to initiate \nthis process, except for BASAS members, who are required to \nsubmit a request via PS03. If an award is not received, the \nemployee should then submit a PS03 to the Office of Human \nCapital to address the issue: \n• In the “Pay Adjustment” category, place a checkmark in the \ncareer award block and specify the career award requested. \n• Indicate initial date of employment." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "• Indicate initial date of employment. \n• Sign and date the “Originator’s signature/date” block." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 2:\n \nSuperintendent’s Circular HRS-PP01 \nPage 2 of 12 \n \nCareer awards are effective on an employee's anniversary date. \nEmployees will see their career award reflected within 2-3 pay \nperiods. Denied applicants will receive an email from the Office of \nHuman Capital (to the employee’s bostonpublicschools.org email \naddress) providing the reason for the denial. \nParaprofessionals: Career awards are awarded by the number of \nworking days completed, not (wholly) by academic year \ncompleted. The schedule of awards is as follows: \nStep \nLength of Service \n2 \n3 Years \n3 \n6 Years \n4 \n9 Years \n5 \n12 Years \nCareer Award \n1,800 Paraprofessional Seniority Days \nCareer Award" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Career Award \n2,800 Paraprofessional Seniority Days \nCareer Award \n3,800 Paraprofessional Seniority Days \nCareer Award \n4,800 Paraprofessional Seniority Days \nCareer Award \n5,800 Paraprofessional Seniority Days \n \nBTU: Career Awards are awarded at the completion of the \nthreshold year, for the start of the next academic year. \nAll other collective bargaining units: Career awards are awarded \non an employee’s anniversary date based on a monthly reporting \ncycle. \n2. SALARY LANES \nEmployees who qualify by contract for a change in salary lane as" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 3:\n \nSuperintendent’s Circular HRS-PP01 \nPage 3 of 12 \n \na result of the completion of accredited course work and degrees \nmust submit a PS-03 to receive this benefit. Lane changes are \nnot made automatically. \n• In the “Pay Adjustment” category, place a checkmark in the \nsalary lane block and specify the salary lane requested. \n• Attach official original transcripts documenting accredited \ncourses and/or degree completion. Transcripts for \naccredited graduate coursework must include a passing \ngrade and/or a degree conferred date for acceptance. \nElectronic transcripts must be sent directly from the \ninstitution to EmployeeServices@BostonPublicSchools.org." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Boston Public Schools In-Service and Academic Ladder \ncertificate(s) must be printed. An In-service/Academic \nLadder transcript summary is not acceptable. \n• Sign and date the “Originator’s signature/date” block. \n➢ Employees should only submit credits/degrees when \napplying for salary lane advancement; employees \nshould not submit single or multiple credits below the \nthreshold for lane advancement. \nApproved applicants can expect to see a change in their salary \nwithin 3-4 pay periods following submission of a salary lane \napplication. Denied applicants will receive an email from the \nOffice of Human Capital (to the employee’s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Office of Human Capital (to the employee’s \nbostonpublicschools.org email address) providing the reason for \nthe denial. Please note that this process will take longer in the \nsummer months (June – September). \nSalary lane changes will be processed retroactively to September \n1 if the application is received in the Office of Human Capital by \nthe close of business on September 30. Otherwise, the change \nwill be effective on the first day of the month following complete" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 4:\n \nSuperintendent’s Circular HRS-PP01 \nPage 4 of 12 \n \nsubmission of all documentation during the school year. \nSubmissions after May 31 will be effective for the start of the \nfollowing school year. \nNote: Boston Public Schools reserves the right to approve salary \nlane advancement for only those courses that are related to the \nfield of education or enhance advancement up the educational \ncareer ladder. Requests for pre-approval of any courses shall be \nresponded to by the Office of Human Capital promptly. Courses \nmust meet the following criteria: \nAccredited College or University Courses \n1. Courses must be granted by an accredited college or" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "university listed on the Accredited Institutions of Post-\nSecondary Education registry and deemed acceptable by \nthe American Council on Education. \n2. Courses must award graduate credit. If the transcript does \nnot clearly state the course is at graduate level, then the \napplicant must supply a letter from the institution verifying \nthe course is offered for graduate credit. Note: for \nparaprofessionals, undergraduate credit and in-service \ncredits are acceptable for salary lane advancement, up to a \nbachelor’s degree. \n3. Courses are evaluated by the semester hour only. Courses \ntaken by the quarter credit hour will be converted by the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "metric specified by the respective institution. If a conversion \nrate is not specified, Boston Public Schools will use a .75 to \n1.0 ratio. \n4. Courses must clearly relate to the field of education in the \nBoston Public Schools." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 5:\n \nSuperintendent’s Circular HRS-PP01 \nPage 5 of 12 \n \nAcademic Ladder Credit \nAn Academic Ladder Credit, also known as an “ALC”, is a new \n“credit” for academic lane advancement. ALCs are equal in value \nto in-service credits, with no cap on the amount one can earn. \nEach ALC course has a clearly articulated target competency and \na range of options for demonstrating this competency through \nartifacts or reflections. ALCs require approximately 12 hours of \n“seat time” per credit. Credit will not be awarded until the \neducator submits a final product demonstrating successful \nimplementation of a specific instructional practice. Options for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "demonstrating may include lesson or unit plans, videos, student \nwork analyses, reflections, or some combination of these. \nEmployees should only submit ALC credits/degrees when \napplying for salary lane advancement. When doing so, employees \nshould submit the actual ALC completion certificate from Vector. \nOnly ALCs approved by the Boston Public Schools will be \nawarded credit for salary. \nAvailable ALC courses can be found on Vector. Additionally, a list \nof frequently asked questions can be found in APPENDIX A. \nIn-Service Courses \nCourse credit may be granted for courses previously offered by \nthe Boston Public Schools. Only courses approved by the Boston" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Public Schools will be awarded credit for salary purposes. \nEmployees should submit the actual in-service completion \ncertificate, available on Vector. The transcript summary is not \naccepted. Please note that no more than 30 in-service credits \nmay be used for lane advancement during each employee’s \nlifetime career with Boston Public Schools." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 6:\n \nSuperintendent’s Circular HRS-PP01 \nPage 6 of 12 \n \nContinuing Education Units (CEUs) \nCEUs, also known as contact hours, are accepted at the rate of 15 \ncontact hours for 1 graduate credit, not to exceed 30 graduate \ncredits. Please note that .1 CEU is the equivalent of 1 contact hour. \nThis applies to nurses, speech and language pathologists, school \npsychologists, social workers, adjustment counselors, guidance \ncounselors, occupational and physical therapists, vision teachers, \nand lead sign language interpreters only. CEUs are only accepted \nfrom approved CEU providers. The Boston Public Schools is not \nan approved CEU provider. \nProfessional Development Points (PDPs)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Professional Development Points (PDPs) \nAlthough professional development points may be awarded for \nthe completion of in-service courses, they are not applicable for \nsalary lane advancement. PDPs are most used as evidence \ntoward maintaining professional licensure. \n3. SALARY STEPS \nSalary step increases are automatically awarded based on the \ndate specified in the applicable collective bargaining agreement. \nAn employee who believes that they are being compensated on \nan incorrect step of the salary schedule should submit a PS-03 to \nthe Office of Human Capital, as follows:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 7:\n \nSuperintendent’s Circular HRS-PP01 \nPage 7 of 12 \n \n• In the “Pay Adjustment” category, place a checkmark in the \nsalary step block and specify the salary step requested. \n• Include a brief explanation for the request in the “Additional \nExplanation” section. \n• Sign and date the “Originator’s signature/date” block. \nSalary Steps as Related to Inside and Outside Service \nThere is no longer a cap on the amount of Inside Service credits \navailable for salary step adjustments/placement. Instead, the \ncredit is based on prior eligible years of service. To qualify, an \nemployee must have worked a minimum of 120 days in a \nqualifying academic year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "qualifying academic year. \nA maximum of three years is awarded for an outside service \nsalary step adjustment. To qualify, an employee must provide \noriginal documentation from a previous employer, specifically \ncertifying the named employee has completed a minimum of 160 \ndays in the appropriate licensed capacity for each year. \nIndividuals should not knowingly falsify information and should \nunderstand that applications are signed under the pains and \npenalties of perjury. \nAs salary lane and salary step advancements are contractual \nentitlements, employees should forward these PS-03 requests \ndirectly to the Office of Human Capital. No further signatures are \nnecessary." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 8:\n \nSuperintendent’s Circular HRS-PP01 \nPage 8 of 12 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nMay 31 \nAcademic year deadline for salary lane changes \nto be processed effective in the same year. \nJune, July & \nAugust \nSubmissions effective for the start of the next \nschool year. \nSeptember 30 \n \nDeadline for submitting salary lane changes to \nbe processed retroactively to September 1. \n \n4. NATIONAL BOARD-CERTIFIED TEACHERS \nWhen you achieve or renew National Board Certification, please \nsubmit the official notification letter and a PS03 Form. The Office \nof Human Capital will review and verify the candidate's successful" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "completion of board certification, inception and expiration dates \nvia the NBPTS website. The National Board differential is \neffective on the 1st of the month following an eligible \nsubmission. Recertifications will be effective on the renewal date \nas long as the request is received prior to the expiration date. If \nrecertification received after the original expiration date the \nrenewal will be dated for the first of the month following receipt." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 9:\n \nSuperintendent’s Circular HRS-PP01 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: \nEmployee Services \nDepartment: \nOffice of Human Capital \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nFax: \n617-635-7957 \nEmail: \nemployeeservices@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 10:\n \nSuperintendent’s Circular HRS-PP01 \nPage 10 of 12 \n \nAPPENDIX A \nAcademic Ladder Credits: Frequently Asked Questions \n• What is an Academic Ladder Credit (ALC), and how does it \ndiffer from an in-service credit? \nAn Academic Ladder Credit, also known as ALC, is a new \n“credit” for academic lane advancement. ALCs are equal in \nvalue to in-service credits, with no cap on the amount one \ncan earn. ALCs require approximately 12 hours of “seat time” \nper credit, but credit is not awarded until the educator \nsubmits a final product demonstrating successful \nimplementation of a specific instructional practice. \n• What do I need to do to earn ALCs?" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "• What do I need to do to earn ALCs? \nALCs are earned by demonstrating competence in the \npractices learned in the course. While courses are \napproximately 12 hours of instruction (in person or online), \ncredits are not awarded simply for attendance and \nparticipation. Each ALC course will have a clearly articulated \ntarget competency and a range of options for \ndemonstrating it through artifacts or reflections. \n• What kinds of options might be available for \ndemonstrating competencies? \nEach course will be different, but options include: lesson or \nunit plans, videos, student work analyses, reflections, or \nsome combination of these. \n• Who determines whether I have demonstrated a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "• Who determines whether I have demonstrated a \ncompetency? \nA team of BTU educators and central office administrators" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 11:\n \nSuperintendent’s Circular HRS-PP01 \nPage 11 of 12 \n \nwill review product submissions and award credits using a \nrubric made available to all course participants. Those who \ndo not earn credits on their first submission will receive \nfeedback and an opportunity to resubmit. \n• Am I eligible to take any ALC course I want? \nWhile any educator is technically able to apply for any ALC \ncourse, because earning an ALC requires demonstrating \ncompetence in a skill, it will be difficult to complete courses \nthat are not relevant to your context. OHC or APL reserves \nthe right to refuse admittance to those educators for whom \nthe content may not be relevant." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "the content may not be relevant. \n• Is there a limit to the number of ALCs I can receive in a year \nor over my career? \nNo. ALCs are not subject to the same cap as in-service \ncredits. \n• Can you use ALCs in combination with graduate credits, \netc. towards advancement? \nYes. Employees may use combinations of graduate credits, \nin-service credits and ALCs for lane advancement. However, \na teacher must possess a master’s degree to advance to the \nmaster’s lanes and must possess a doctorate degree to \nadvance to the doctorate lane. \n• How do I submit my ALC credits to the Office of Human \nCapital for credit toward lane advancement? \nEmployees should only submit ALC credits/degrees when" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "applying for salary lane advancement. When doing so, \nemployees should submit the actual ALC completion" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "Page 12:\n \nSuperintendent’s Circular HRS-PP01 \nPage 12 of 12 \n \ncertificate from TeachPoint, along with any other graduate \nor in-service credits, and a completed PS03 to the Office of \nHuman Capital (4th Floor, Bolling Building). Only ALCs \napproved by the Boston Public Schools will be awarded \ncredit for salary. \n• Are ALC courses portable outside BPS? \nNo. \n• Are non-BTU members eligible to earn ALCs? \nWhile non-BTU members may participate in ALC courses, \nonly BTU members are eligible to receive credits. \n• Are paraprofessionals eligible to receive ALCs? \nYes. Please note that because earning an ALC requires \ndemonstrating competence in a skill, it will be difficult to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link", + "content": "complete courses that are not relevant to your role or \ncontext. OHC or APL reserves the right to refuse admittance \nto those educators for whom the content may not be \nrelevant. \n• I have an idea for an ALC course. How can I make that \nhappen? \nContact the Office of Academics and Professional Learning." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-PM02A \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF \nNON-INSTRUCTIONAL BASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \nDocument Purpose \nPurpose of Performance Management \nEvaluation Process Overview \nThe Five-Step Process \nStep 1: Self-Assessment \nStep 2: Analysis, Goal setting, and Analysis \nStep 3: Implementation of the Plan \nStep 4: Formative Assessment \nStep 5: Summative Evaluation (June 15) \nUpward Feedback \nEvaluation Platform and Documentation \nTimeline and Tools" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM02A \nPage 2 of 11 \n \n \n \nAppendix A: Core Competencies \nAppendix B: Rating Levels \nAppendix C: Goal Status Scale \nDOCUMENT PURPOSE \nThis document describes the performance management and \nevaluation process for Non-Instructional BASAS Administrators \nassigned to schools and central office departments. The purpose \nof this document is to provide clarity to employees and \nsupervisors, as well as templates and tools for use during the \nprocess. Please refer to Circular HRS-PM02 - Performance \nEvaluation of Instructional BASAS Administrators for \nInstructional BASAS staff evaluation procedures. \nPURPOSE OF PERFORMANCE MANAGEMENT" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "PURPOSE OF PERFORMANCE MANAGEMENT \nBoston Public Schools (BPS) students are the citizens, leaders, \nscholars, entrepreneurs, advocates, and innovators of tomorrow. \nAs a city and district, we must ensure that 100 percent of our \nstudents are prepared for college, career, and life in the 21st \ncentury. We must model our district and Central Office on the \nclassroom we want to see. We have established a system of \nperformance management to affirm the ideal that everyone, \nfrom students to the superintendent, must have sufficient \nresources, information, and support to achieve efficacy in their \nendeavors." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM02A \nPage 3 of 11 \n \n \n \nThe fundamental purpose of performance management in BPS \nschools and Central Office is to maximize the productivity and \nimpact of our employees by enabling them to perform at their \nfullest potential. Our approach is designed to provide high-\nquality support to schools, students, and families in BPS to \nensure our graduates are college, career, and life ready. To do so, \nour performance management system will: \n \n1. Establish a consistent set of competencies to clearly set and \ncommunicate expectations for employee performance. \n2. Align employee efforts with department and organizational \ngoals." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "goals. \n3. Create systems and structures that gather and monitor \nperformance to support employee feedback, growth, and \ndevelopment. \n4. Identify areas of strength to leverage for increased impact, \nand areas of growth for providing targeted support. \n5. Provide accountability for individuals and enable them to \nsee their contribution to and progress toward organizational \ngoals. \n6. Connect employee performance to incentives, recognition, \nprofessional growth, and retention efforts. \nEVALUATION PROCESS OVERVIEW \nNon-instructional BASAS members may be evaluated by the \nteam leader, responsibility center manager, supervisor, or their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM02A \nPage 4 of 11 \n \n \n \ndesignee. The criteria for effective practice for non-instructional \nBASAS administrators are identified in the Core Competencies, \nwhich defines six categories listed below. See Appendix A for \ngreater detail on the Core Competencies. \n1. Results Orientation \n2. Collaboration and Communication \n3. Job Knowledge and Skills \n4. Cultural Competency & Equitable Practices \n5. Responsiveness and Service Focus \n6. Leadership [for staff members supervising people or \nprojects] \n \nEvaluations will result in goal \nratings, competency ratings, \nand an overall performance \nrating, which will be based on \nthe supervisor’s judgment on" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "the supervisor’s judgment on \nevidence of performance \nagainst the standards and \nprogress toward goals. \nProgress toward goals will be \nrated as “Goal Achieved,” “Goal \nSignificantly Met,” “Active \nGoal,” “Goal Not Met,” and “Goal Deferred.” Greater details \non these rating levels can be found in Appendix B (at the \nend of this document)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM02A \nPage 5 of 11 \n \n \n \nThe five levels of performance which apply to performance on \neach competency and the overall performance rating shall be: \n“Highly Effective,” “Effective,” “Developing,” “Minimally Effective,” \nand “Ineffective.” Greater details on these rating levels can be \nfound in Appendix B (at the end of this document). \nTHE FIVE-STEP PROCESS \nBased on best practices in performance evaluation, BPS has \nadopted a five-step process for evaluation. This process should be \nfollowed each year by the employee and their supervisor. \n \nStep 1: Self-Assessment (by September 1) \nThe employee reviews available evidence of work performance," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "prior feedback and evaluations, and the Core Competencies to \ndetermine areas of strength and areas for further growth. The \nSelf-Assessment is used to inform the employee’s goals and \naction plan for the upcoming year. \nStep 2: Analysis, Goal Setting, and Analysis (by October 1) \nBased on the employee’s self-assessment, job description, \nindividual aspiration, and school/department goals, the employee \nand their supervisor establish 2-4 goals, related to professional \npractice or performance: \n● A professional practice goal relates to an identified skill or \nset of knowledge that an employee wants to develop or \nimprove. When developing a professional practice goal, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM02A \nPage 6 of 11 \n \n \n \nemployee and their supervisor should both look at past \nperformance and feedback, as well as the employee’s \nprofessional/career aspirations. Professional practice goals \nshould align to one or more of the Core Competencies. \n● A performance goal is a measurable target or outcome \nrelated to an employee’s work. Goals should align with an \nemployee’s team and/or departmental goal(s). \nStep 3: Implementation of the Plan (ongoing) \nThe employee performs job duties and responsibilities, \nimplements the action steps toward goals, submits evidence \nsupporting proficiency, and meets with their supervisor to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "receive and discuss feedback. The supervisor collects and reviews \nevidence, provides ongoing, timely, clear, and actionable \nfeedback, and meets with the employee to give and discuss \nfeedback, including recommendations for improvement, if \napplicable. \nStep 4: Formative Assessment (optional by February 1) \nEach employee should receive a formative assessment to provide \nthe employee with formal feedback on their performance against \nthe Core Competencies and their progress toward goals. \nTypically, the formative will occur midway through the \nassessment year, though may take place earlier for individuals in \nneed of additional support." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM02A \nPage 7 of 11 \n \n \n \nStep 5: Summative Evaluation (June 15) \nEach employee shall receive a summative evaluation to provide \nthe employee with formal feedback and ratings of their \nperformance, and progress toward goals. \nUpward Feedback \nIn this process, upward feedback from direct reports and school \nleaders (when applicable), as well as peer feedback, should be \nincorporated into an employee’s performance evaluation. \nEVALUATION PLATFORM AND DOCUMENTATION \nBeginning September 2023, non-instructional BASAS \nadministrators’ evaluations and related documentation will be \ngenerated and stored in the BPS online performance" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "management platform, VectorEvals. Employees and supervisors \nwill receive training in accessing, navigating, and using the \nplatform prior to the start of their evaluation cycle. Training \nmodules will be available in an online, on-demand format to the \nemployee and their supervisor for reference, as well." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM02A \nPage 8 of 11 \n \n \n \nTIMELINE \nDate \nActivity \nJuly - August Office, team, and individual goal setting begins. \nSupervisors review of standards and expectations with \nemployees. \nSeptember 1 \nEmployee self-assessments due. \nEmployee goals & action plans draft due. \nOctober 1 \nFinalized employee goals & action plans due. \nOngoing \nEmployee check-ins, at the discretion of individual. \nProvide feedback (verbal and written) to employees on \nprogress toward goals, observed performance, and \nwork products/artifacts. \nImplementation also includes peer feedback. \nJanuary 1 - \nFebruary 1 \nFormative assessment meetings with employees. \nFebruary 1" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "February 1 \nFormative assessments (optional) finalized and \nsubmitted. \nJune 1 \nLast day to submit artifacts for review prior to \nsummative evaluation. \nJune 15 \nSummative evaluations finalized and submitted. \nAPPENDIX A: THE CORE COMPETENCIES (LINK TO SEPARATE \nDOCUMENT)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PM02A \nPage 9 of 11 \n \n \n \nAPPENDIX B: RATING LEVELS \nEffectiveness \nLevel \nDescription \nHighly Effective Performance far exceeded expectations due to \nexceptionally high quality of work performed in all essential \nareas of responsibility, resulting in an overall quality of work \nthat was superior; and either \nincluded the completion of a major goal or project or \nmade an exceptional or unique contribution in support of \nteam, department, or district objectives. \nThis level is achievable by any employee though given \ninfrequently (<10% of employees). \nEffective \nPerformance met expectations in all essential areas of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "responsibility, and the quality of work overall was excellent. \nAnnual goals were met. \nDeveloping \nPerformance consistently met expectations in all essential \nareas of responsibility, at times possibly exceeding \nexpectations, and the quality of work overall was very good. \nThe most critical annual goals were met. \nThis level is expected for individuals who are new to the \norganization or to a role." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PM02A \nPage 10 of 11 \n \n \n \nMinimally \nEffective \nPerformance did not consistently meet expectations – \nperformance failed to meet expectations in one or more \nessential areas of responsibility, and/or one or more of the \nmost critical goals were not met. A professional \ndevelopment plan to improve performance must be \nattached, including timelines, and monitored to measure \nprogress. \nIneffective \nPerformance was consistently below expectations in most \nessential areas of responsibility, and/or reasonable progress \ntoward critical goals was not made. Significant \nimprovement is needed in one or more important areas. A" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "plan to correct performance, including timelines, must be \noutlined and monitored to measure progress. \n \n \nAPPENDIX C: GOAL STATUS SCALE \nGoal Status \nDescription \nGoal Achieved \nAll goal milestones and success measures have \nbeen achieved for 100% of goals. \nGoal Significantly \nMet \nAll goal milestones and success measures have \nbeen achieved for at least 85% of goal. \nActive Goal \nThe goal is still in progress, though some \nmilestones may have been achieved." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HRS-PM02A \nPage 11 of 11 \n \n \n \nGoal Not Met \nFor this goal, some or all milestones and success \nmeasures have not been met. \nGoal Deferred \nFor timing or organizational reasons, this goal has \nbeen deferred. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Evaluation and Performance \nManagement \nDepartment: \nOffice of Human Resources \nMailing Address: 2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: \n617-635-9627 \nE-mail: \neval@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-HS04 \nVersion 01 \n \nSCHOOL LEADER SCREENING PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe process for recruiting, screening and hiring for school leader \nvacancies requires collaboration among many offices, including \nthe Superintendent, Regional School Superintendents, the Office \nof Human Resources, the Office of Engagement, the Division of \nSchools, and the schools with vacant leadership positions. \nSchool leader vacancies may be filled either through this process, \nor through the appointment of an existing employee or an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "external candidate by the Superintendent. The latter would not \nrequire the position be posted in the manner described in this \ncircular. \n \nPOSITION POSTING \nA job posting for school leader positions will be available by \nNovember 1, 2024. The application can be found by searching \n'school leader'. The selection process will yield qualified \ncandidates for the entire district and for autonomous schools. \n► Please note: Autonomous schools have the right to create \nand advertise their own job postings in order to recruit" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-HS04 \nPage 2 of 10 \n \ncandidates who align with the specific vision and values of \ntheir communities. See “AUTONOMOUS SCHOOLS”, page 8. \n \nMINIMUM QUALIFICATIONS \nMinimum qualifications are as follows: \n● Master’s degree in education or related field. \n● Evidence of submission or successful completion of all MA-\nPAL tasks (Massachusetts Performance Assessment for \nLeaders) or \n● Principal/Assistant Principal licensure or equivalent by time \nof appointment. \nPREFERRED QUALIFICATIONS \nPreferred qualifications are as follows: \n● Fluency in one or more non-English languages. \n● 5+ years of experience as a school leader in a large, urban" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "school district. \nPRE-SCREENING AND SELECTION PROCESS \nThe selection process consists of the following phases: \n● Phase I: Application and Resume Review (Nov 2024 - Feb \n2025). \n● Phase II: Performance Tasks (Nov 2024 - Feb 2025). \n● Phase III: School-Based Interview (Jan - April 2025). \n● Phase IV: Interview with Superintendent or Superintendent \nDesignee (March - April 2025)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-HS04 \nPage 3 of 10 \n \n \nCandidates who successfully advance through the first two \nphases of the process will be eligible to interview with school-\nbased hiring teams The school-based hiring process is led by the \nRegional School Superintendent or their designee. The Regional \nSchool Superintendent or designee will convene the School \nScreening Committee and serve as the Chairperson. As \nChairperson they shall decide which of the approved candidates \nshall interview with the Committee, based on the characteristics \nand needs of that school community. \nSCHOOL SCREENING COMMITTEE GUIDELINES" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "SCHOOL SCREENING COMMITTEE GUIDELINES \nThe Regional School Superintendent or designee shall chair the \nSchool Screening Committee for all school leader positions, \nincluding those for autonomous schools. The Office of \nEngagement will provide support to the Chairperson of the \nSchool Screening Committee by coordinating the vote to \ndetermine who will serve on the School Screening Committee as \nwell as by leading those committee members through a bias \ntraining. \nMembers: \nThe membership of the School Screening Committee shall \ninclude the following: \n● The Regional School Superintendent and/or \nsuperintendent’s designee, who serves as Chairperson." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "● Three teacher members of the Boston Teachers Union (BTU) \nrepresenting the racial and ethnic diversity of the school’s" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-HS04 \nPage 4 of 10 \n \nstudent population, selected by BTU members on the \nSchool Site Council. \n● One member of the Boston Association of School \nAdministrators and Supervisors (BASAS), as selected by the \nChairperson, with special consideration for any BASAS \nmembers working at the school. \n● Three parents from the school, selected by parent members \nof the School Site Council, and representing the racial and \nethnic diversity of the school’s student population. At least \none must be an elected member of the School Site Council \nor School Parent Council. \n○ Among the three parent members selected, one must" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "be a parent of a special education student or a student \nin a program for Multilingual Learners if a special \neducation program or program for English Learners is \nin place at the school. Parent members of the School \nSite Council shall select this parent. \n● Optional: At the discretion of the School Screening \nCommittee Chairperson, one representative from a partner \norganization that works closely with the school, such as a \ncommunity, business or higher education partner. \n● Secondary only: One student from the School Site Council or \na student from the Student Advisory Council. \n● School mergers only: In the event two schools are scheduled" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "to merge and, as a result must complete a screening \nprocess for a new School Leader, the School Screening \nCommittee shall be comprised of the same members as \nlisted above, with the following adjustments: \n○ Two BTU members from each school from different \nracial groups, selected by BTU members on the School \nSite Council" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-HS04 \nPage 5 of 10 \n \n○ Two parents from each school, selected by parent \nmembers of the School Site Council, and representing \nthe racial and ethnic diversity of the school’s student \npopulation. At least one must be an elected member of \nthe School Site Council or School Parent Council. \n○ The Operational Leader for the region, who shall serve \nas the BASAS representative. \nAll Committee members shall adhere to norms of respect, \ncollaboration and confidentiality throughout the screening \nprocess. In the event any committee member fails to conduct \nthemselves according to these norms, that member may be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "removed from the process, per the discretion of the Chairperson. \nProcess: \nUpon creation of the School Screening Committee, the \nChairperson shall give written notice to each committee member \nat least five working days prior to the first meeting. Screening \nCommittee members shall also receive from the Chairperson a \ncopy of each candidate’s application materials and a screening \npacket, which will include guidelines for interviewing and scoring \ncandidates and a list of all committee members. \nSchool mergers only: In the event two schools are scheduled to \nmerge, both sitting school leaders shall have the opportunity to \nbe interviewed by the School Screening Committee." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Upon convening, the Committee will:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-HS04 \nPage 6 of 10 \n \n● Review the responsibilities and functions of the committee, \nincluding this Superintendent’s Circular. \n● Review the job description, including the qualifications \nneeded for the position. \n● Review the School Leader Rubric & Scoring Guide for \ncandidate interviews, which shall be based on candidates’ \nproficiency in the standards for school-level administrators \nas enumerated by DESE: \n○ Instructional Leadership \n○ Management and Operations \n○ Family & Community Engagement \n○ Professional Culture \n● Committees shall use the School Leader Rubric & Scoring \nGuide as the basis for their scoring." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Guide as the basis for their scoring. \n○ Per the Guide, School Screening Committee members \nshall score candidate responses in private. The \nChairperson shall then aggregate scores and \nrecommend the top three candidates based on these \nscores (See “Reports” below). \n● Establish an interview schedule. \n○ Set dates and times for candidate interviews and \nfuture meetings. \nQuorum for the meetings shall be a majority of the members and \nmust include the Chairperson and at least one parent and one \nteacher. At least one member present must be a person of color. \nIf any of these groups is not represented, the remaining \ncommittee members may, by unanimous vote, decide to proceed" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "with meetings. Decisions of the Screening Committee must be \nmade with a quorum present and shall be carried by a majority of \nthe members present at the meetings. Voting shall be done by" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-HS04 \nPage 7 of 10 \n \nsecret ballot unless the committee decides otherwise. All \nmembers of the Screening Committee are equal in status and \nhave one vote. \nRepresentatives from the Office of Human Capital, the Office of \nEquity, the Office of Engagement or the Office of Leadership \nDevelopment may attend meetings. \nTIMELINE \nIn order to ensure the placement of strong candidates as early as \npossible, School Screening Committees shall make every attempt \nto move efficiently through the above-listed steps, while still \nmaintaining the integrity of the process. Specifically, School \nScreening Committees shall aim to convene, establish an" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "interview schedule and determine the three highest-scoring \ncandidates within one month from the date a vacancy becomes \npublic. Should the Committee not be on pace to accomplish this, \nthe Chairperson reserves the right to waive the quorum \nrequirements listed above in order to convene meetings and \nconduct interviews. \nINTERIM APPOINTMENTS \nAny schools which have Interim School Leaders shall convene the \nSchool Screening Committee in January and shall conclude their \nsearch by March 1, 2025. \nAny schools with vacancies which emerge following May 1, 2025 \nmay, at the discretion of the Regional School Superintendent, \nforgo the above-listed steps and the Superintendent shall instead" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "appoint an Interim School Leader for the following year." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-HS04 \nPage 8 of 10 \n \nSCREENING COMMITTEE MEETING NOTES \nThe Chairperson shall ensure that Screening Committee meeting \nnotes are taken at each meeting and that the following \ninformation is accurately noted: \n● Name, race, and affiliation of each Screening Committee \nmember. \n● Dates and times of meetings. \n● Attendance at each meeting. \n● All votes taken. \nAll members may have copies of the meeting notes. After the \nscreening process is complete, the members of the Screening \nCommittee will return all resumes and meeting notes to the \nOffice of Leadership Development. All information disclosed at all" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Screening Committee meetings is assumed confidential, both to \nensure the integrity of the hiring process and to protect \napplicants whose employers may not be aware they are applying \nfor a position. \nThe Chairperson is responsible for working with the Department \nof Schools to improve and/or increase the pool of applicants. \nREPORTS \nPer the School Leader Rubric & Scoring Guide, the Chairperson of \nthe Screening Committee will ensure that the scores from the \nCommittee’s resume screening and interviews are accurately \ntracked and recorded. The Chairperson will tally the candidate \nscores from the Committee and will identify the top three" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "recommended candidates based on these scores. The \nChairperson will then complete a School Leader Nomination" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-HS04 \nPage 9 of 10 \n \nForm which lists these three candidates. The form will be \nsubmitted to the Chief of Schools, the Chief of Staff and the \nExecutive Director of Leadership Development for next steps \nwith the Superintendent, who will make the final determination. \n● At least one of these three candidates must be a person of \ncolor. \n● The Chairperson of the Committee may add additional \ncandidate(s) to the nomination form, above and beyond the \nthree required, per their discretion. \nFINAL INTERVIEWS AND DECISION \n● Upon receipt of the Screening Committee’s \nrecommendations, the Superintendent and/or the Regional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "School Superintendent will interview recommended \ncandidates. \n● The Regional School Superintendent and/or designee will \ncheck references and report back information to the \nSuperintendent, who will determine the final appointments. \nThe Superintendent retains the authority to appoint the \nschool leader recommended by the School Screening \nCommittee or may choose to appoint another candidate. \n● The Superintendent will notify the Screening Committee of \nthe final decision of the selected candidate. \n● The Office of Human Resources will send offer letters to new \nhires." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-HS04 \nPage 10 of 10 \n \nAUTONOMOUS SCHOOLS \nAll elements of this circular shall apply to autonomous schools \n(Pilot, Horace Mann Charters, Innovation and In-District Charter \nSchools) in the same manner they apply to non-autonomous \nschools. The School Screening Committee Chairperson shall \ncollaborate closely with the governing boards of autonomous \nschools to ensure an efficient and effective process that aligns \nwith the vision of the school community. \nUniquely, the governing boards of autonomous schools have the \nright to create and advertise their own job postings in order to \nrecruit candidates who align with the specific vision and values of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS04 School Leader Screening Process", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link", + "content": "their communities. Such candidates must still be vetted and \napproved through Phase 1 & Phase 2 of the district-wide process \noutlined above (“Pre-Screening and Selection Process,” pg.1). \n \nFor more information about this circular, contact: \nDepartment: \nDivision of Schools \nMailing Address: \nBruce C. Bolling Building, 2300 \nWashington Street, Roxbury, MA 02119 \nPhone: \n617-635-9600 \nFax: \n617-635-7956 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n \nNUMBER: \nHRS-PM07A \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-CLASSROOM \nPARAPROFESSIONALS \nINCLUDED EMPLOYEES IN THIS CIRCULAR: \n● Community Field Coordinator (CFC) \n● Health Para \n● Library Para \n● Physical Ed Para \n● Security Para \n● Sign Language Interpreter \n● Swim Para \n● Cota Para \n● Family Liaison \nFORMAL EVALUATION \nAll staff shall be formally evaluated using standards and \nindicators reasonably related to a paraprofessional performance, \nwith a mark for each standard and an overall rating. Overall \nratings shall be: “Exemplary,” “Proficient,” “Needs \nImprovement,” and “Unsatisfactory,” and shall be transmitted to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Paraprofessionals by the last business day prior to May 15 via the \nVectorEvals platform. If the para has access to a BPS-issued \ncomputer, they may sign digitally. If the para does not, the form \nmust be printed from VectorEvals for them to sign and then \nuploaded as a PDF attachment to the digital form. \nParaprofessionals will generally be evaluated formally every two" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM07A \nPage 2 of 8 \n \nyears, except as set forth in section 7 below. During each school \nyear, each principal/head of school or director will identify \napproximately one-half of the staff for which that administrator is \nresponsible for evaluating during that year. The process of \nidentifying the evaluees will be determined by the responsible \nadministrator. An administrator may also evaluate a staff \nmember not originally identified, if assistance, supervision, or \nintervention is deemed appropriate based on informal \nobservation. \nEVALUATORS \n1. No supervisor shall supervise or evaluate a relative." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "2. The head of school, principal, or other administrative head \noutside of the bargaining unit will be responsible for all \nevaluations. However, they may be assisted by other \nqualified persons (who are not members of the bargaining \nunit) designated by the School Department \nSCHEDULE, MEETINGS, AND PROCEDURES \n1. At the beginning of each school year, the responsible \nadministrator or their designee shall meet with \nParaprofessionals for the purpose of explaining the \nevaluation program and instrument and answering \nquestions. The building administrator may be assisted by \nother qualified persons designated by the School \nDepartment. Classroom visits may be a combination of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "announced and unannounced visits. \nFor any classroom visit resulting in written feedback \nindicating a deficiency in the paraprofessional’s practice, the \nresponsible supervisor shall provide such written feedback" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM07A \nPage 3 of 8 \n \nto the paraprofessional before releasing the next Formative \nor Summative Evaluation. \n2. Within ten (10) school days during which the \nparaprofessional is present following the last observation to \nbe used as the basis of the evaluation, regardless of the \nrating mark, the responsible administrator or designee shall \nmeet with the paraprofessional for the purpose of \ndiscussing the evaluation. At this meeting, the \nparaprofessional will be given two (2) copies of the written \nevaluation, signed, and dated by the responsible \nadministrator. \nThe paraprofessional shall sign and return one (1) copy to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "indicate having received it, but not to indicate agreement or \ndisagreement. No paraprofessional shall be asked to sign an \nincomplete evaluation form. Paraprofessionals shall be \nallowed to attach their written comments to the evaluation \nform. A paraprofessional whose overall performance has \nbeen judged as less than proficient at any point during the \nschool year shall be so notified in writing and shall meet \ndirectly with the responsible administrator. \n3. In any area where the responsible administrator or designee \nindicates a need for improvement, they will provide the \nparaprofessional with a written prescription. The" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "paraprofessional may attach comments to the prescription. \nIf a paraprofessional’s performance results in an overall \nformative evaluation or summative evaluation rating of \n“Needs Improvement” or “Unsatisfactory”, the evaluation \nprescription may contain a requirement that a \nparaprofessional takes advantage of additional professional" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM07A \nPage 4 of 8 \n \ndevelopment training or other opportunities offered by or \nthrough the School Department to correct a weakness or \ndeficiency which caused the less than proficient rating. For \npurposes of this contract, “formative” means evaluations \nthat at a minimum are twenty (20) school days apart. \nIf, after allowing adequate time to improve, the \nparaprofessional continues to need improvement, the \nresponsible administrator may include in the evaluation \nprescription that the paraprofessional may voluntarily take \nadvantage of training or in-service training to correct a \ndeficiency. \n4. If the responsible administrator had adjudged a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "paraprofessional’s practice with an overall rating of \n“Unsatisfactory” on at least four (4) formative evaluations \nwithin a twelve (12) month period in which the \nParaprofessional reported to work or on at least (2) \nformative evaluations plus a summative evaluation, the \nresponsible administrator may initiate termination by \nrecommending to the Superintendent that such \nparaprofessional be terminated. If the Superintendent \napproves the principal’s recommendation, the principal shall \nnotify the paraprofessional, in writing, of their intent to \ndismiss the paraprofessional. The paraprofessional may then \nrequest a meeting with the principal to discuss their intent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "to dismiss. This request must be made in writing within ten \n(10) days of the paraprofessional’s receipt of the intent to \ndismiss notice. Overall “Unsatisfactory” evaluation ratings \nneed not occur in consecutive months. \nAn overall rating of “Unsatisfactory” on a summative" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM07A \nPage 5 of 8 \n \nevaluation rating must be preceded by at least two \nformative overall “Unsatisfactory” ratings during that school \nyear. A paraprofessional may be removed from the \nclassroom, dismissed, or suspended for just cause prior to \nthe completion of the prescriptive period specified in this \nparagraph. \n5. After each of the first three (3) formative evaluation overall \n“Unsatisfactory” ratings that are based in whole or in part \nupon observed performance, the responsible administrator \nshall conduct a follow-up evaluation. This evaluation shall \ninclude observation of performance and take place no" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "sooner than twenty (20) school days and no later than fifty \n(50) school days after the previous “Unsatisfactory” \nevaluation. \nIf an overall formative evaluation “Unsatisfactory” rating is \nbased upon other than performance, then the responsible \nadministrator must clearly convey the reasons in writing to \nthe paraprofessional and follow prescribed procedures for \nprogressive discipline. \n6. A formative or summative evaluation with an overall \n“Unsatisfactory” rating shall be maintained as a permanent \npart of the employee’s personnel record and may be grieved \nand arbitrated. an employee may grieve a summative \nevaluation with an overall rating other than “Unsatisfactory”" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "up to but not beyond the level of the Step 2 hearing officer, \nwho shall have the authority to rectify the grievance. Any \nsuch grievance shall be dealt with expeditiously. In the \nevent of a concurrent dismissal, the grievances shall be \nmerged and treated as a single grievance." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM07A \nPage 6 of 8 \n \nNotwithstanding the above, disputes concerning the \nparaprofessional's rating in any of the individual standards \nfound within a formative or summative evaluation not \nresulting in an overall \"Unsatisfactory\" rating are neither \ngrievable nor arbitrable. Similarly, disputes concerning \ncomments made by the responsible administrator within an \nobservation or formative and summative evaluation are \nneither grievable nor arbitrable. \n7. The following individuals shall be evaluated annually prior to \nNovember 15 if possible: \na. Paraprofessionals who were evaluated during the \nprevious school year as “Unsatisfactory” overall or in a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "particular area. \nb. All paraprofessionals who are new to the building." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM07A \nPage 7 of 8 \n \nSummary of significant dates and deadlines: \nDate \nActivity \nBy the last business day \nprior to November 15 \n● Evaluation of Paraprofessionals who \nreceived an “Unsatisfactory” in their \nevaluation from the prior school year. \n● Evaluation of Paraprofessionals who are \nnew to the school building. \nBy the last business day \nprior to May 15 \n● Deadline to submit evaluation on \nVectorEvals platform. \n* If the para has access to a BPS-issued \ncomputer, they may sign digitally. If \npara does not, the form must be \nprinted from VectorEvals for them to \nsign and then uploaded as a PDF \nattachment to the digital form." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "attachment to the digital form. \n● Evaluation of paraprofessionals due \nevery 2 years except for \nparaprofessionals new to the building \nor who received a “Does Not Meet \nStandards” rating the previous school \nyear." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM07A \nPage 8 of 8 \n \nFor more information about this circular, contact: \n \nOwner: \nDirector of Evaluation and Performance \nManagement \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, 4th Floor, Boston, MA \n02119 \n \n \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n► Click to view a SAMPLE Non-Classroom Paraprofessional \nEvaluation Form (PDF). Evaluators should use VectorEvals to \nsubmit their evaluations." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-HS07.1 \nVersion 01 \n \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nThis circular will remain in effect unless rescinded by a \nsubsequent version. \nPermanent teachers in Boston Public Schools may choose to \napply for additional program areas. These are non-primary \nsubject area(s) in which a teacher currently holds license(s). \nQUALIFICATIONS FOR ADDITIONAL PROGRAM AREAS \nTo be deemed qualified in program areas other than the \n\"primary\" subject area in which a teacher is currently teaching, a \nteacher must hold a valid license in the subject area. The Office of \nHuman Resources will verify licensure with the Massachusetts" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "Department of Education. Re-licensure does not meet this \ncriterion. \nIn addition to holding a valid license in the subject area, the \nemployee must satisfy at least one of the criteria below: \n1. The Massachusetts State license is not more than five (5) \nyears old. \n2. A mean score on the Praxis Exam, not more than ten (10) \nyears old. \n3. Fifteen (15) course credits, graduate or undergraduate, \napproved as relevant to the program area qualification. All" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-HS07.1 \nPage 2 of 4 \n \ncoursework must have been completed within the past five \n(5) years. Original transcripts are required if claiming an area \nunder this provision. When submitting transcripts, please \nindicate the fifteen (15) course credits relevant to the \nprogram area qualification. If transcripts are not submitted \nby the deadline, the application can be denied. \n4. Two (2) years of teaching experience within Boston Public \nSchools in the subject area in the last ten (10) years. A \ncreditable year is one in which at least 50% of the weekly \nschedule is in the subject area. A letter from the head of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "school or principal stating that you taught at least 50% of \nthe weekly schedule in that area and designation of the \nspecific year(s) will be required in the area you are claiming \nunder this provision. If a letter is not submitted by the \ndeadline, the application can be denied. \n \nPermanent teachers who wish to apply for additional program \nareas must submit their request via the Additional Program Area \nRequest form. Supplemental materials must be submitted to the \nOffice of Human Resources by mail or in person. \n Applications and complete documentation must be \nsubmitted to the Office of Human Resources by January \n15, 2024. Applications received after this date will not be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "reviewed. \nThe Office of Human Resources has transitioned to using online \nforms. The link to the Additional Program Area Request form can \nbe found below. Employees will be required to sign in with their \nBoston Public Schools Gmail account. Supplemental materials" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-HS07.1 \nPage 3 of 4 \n \nsuch as transcripts can be submitted via mail or in person to the \nOffice of Human Resources. \nLINK TO APPLY \n• Additional Program Area Request form \n• Or copy this URL: \nhttps://docs.google.com/forms/d/e/1FAIpQLSdD7uA5nLZH\nuEKE5pP4uD-gYtf74RCtzEcYZrgeauvwmNBB-\ng/viewform \nSUPPLEMENTAL DOCUMENTATION \n \nApplication approval is contingent on submission of one of the \nfollowing documents: \n● Official transcript(s) indicating the completion of fifteen \n(15) graduate or undergraduate course credits relevant to \nthe program area qualification \n● A signed letter from the head of school/principal \nconfirming the following information:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "confirming the following information: \n○ The subject area you taught (relevant to your \napplication) \n○ The specific years (at least 2) during which you taught \nthe subject (must be within the last 10 years) \n○ Confirmation that you taught at least 50% of the \nweekly schedule in that area. \n \nPlease submit supplemental documents to the contact listed \nbelow. \nFor more information about this circular, please contact:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-HS07.1 Qualifications for Additional Program Areas", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-HS07.1 \nPage 4 of 4 \n \nOwner: \nSchool Based Staffing \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9600 \nFax: \n617-635-7956 \nEmail: \nFor additional questions, please submit an \nHR Inquiry Ticket via the Beacon. This can \nbe found on Access Boston \n(access.boston.gov). \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n \nNUMBER: \nHRS-PM04 \nVersion 01 \n \nPERFORMANCE EVALUATION OF NON-DESE-\nLICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \n \nBelow is the evaluation instrument for BTU employees in roles \nwhich do not require licensure by the Massachusetts Department \nof Elementary and Secondary Education, in accordance with 603 \nCMR 35.00, et seq, or where otherwise agreed upon by BPS and \nBTU. \nSummary of significant dates and deadlines: \nDate \nActivity \nJune 1 \nDeadline for completion of annual \nevaluations. \nJune 15 \nDeadline for signed, original copies of \nevaluation form (below/attached) to be \nsubmitted to:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "submitted to: \nBruce C. Bolling Municipal Building \nOffice of Human Resources \nAttn: OHC Front Desk \n2300 Washington Street, 4th floor \nRoxbury, MA 02119 \nJuly 1 to June 30 \nThe evaluation year of non-DESE-\nlicensed BTU Employees." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM04 \nPage 2 of 8 \n \nFor more information about this circular, contact: \nName: \nDirector of Evaluation and Performance \nManagement \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, 4th Floor, Boston, \nMA 02119 \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM04 \nPage 3 of 8 \n \n \nBOSTON PUBLIC SCHOOLS PERFORMANCE EVALUATION FORM \nNON-DESE-LICENSED BTU SPECIALISTS, BTU CENTRAL OFFICE \nADMINISTRATORS AND OTHER BTU PROFESSIONALS \nName of Employee ________________________ Empl No. ___________ \nPosition _______________________________ Dept./Level \n \nEvaluator ________________________________ Prior Rating \n \nCheck One: \nInterim \n \n \nYear end \n \nThe administrator/professional will be rated on each standard \nwithin the various categories. There are two possible ratings: \nSatisfactory (S): The performance of the administrator/ \nprofessional meets the standards and expectations of the school \ndepartment." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "department. \nUnsatisfactory (U): The administrator/professional fails to meet \nthe standards and their performance, as measured against these \nstandards, is unsatisfactory. \nThe evaluator will place a check or an X in the box under the \nrating that describes the administrator/professional’s \nperformance on that standard. Any rating of “Unsatisfactory” \nmust be accompanied by a description of the problem and \nprescription for improvement on the attached sheet. In the event \na particular standard does not apply, record “NA” for not \napplicable. An overall evaluation of “Unsatisfactory” or \n“Satisfactory” must be given and recorded below." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM04 \nPage 4 of 8 \n \nOverall Rating: \nSatisfactory \nUnsatisfactory \nSignature of Evaluator_______________________Date ____ /____/ \n \nSignature of Employee _______________________Date ____/____/____ \nThe employee's signature indicates that they have received the \nevaluation and acknowledges it will be placed in their personnel \nfile, but it does not denote agreement with its contents. \n \n1. INSTRUCTIONAL LEADERSHIP ROLE \nS \nU \nDevelop plans for the effective delivery of services. \n \n \nMonitors the quality and/or quantity of services provided. \n \n \nAssesses operations and recommends or makes changes as \nnecessary." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "necessary. \n \n \nCompletes all required reports thoroughly, clearly, accurately, \nand on time. \n \n \nWorks cooperatively with Central Office, Cluster Office, and \nschool personnel \n \n \nCollaborates with external agencies as necessary. \n \n \nCommunicates, implements, and monitors compliance with \npolicies and procedures of the School Department and \nexternal agencies as appropriate. \n \n \nDemonstrates sound fiscal judgment in budgetary decisions. \n \n \nProvides staff with leadership, orientation and training as \nrequired. \n \n \nActs in accordance with prescribed organizational structure. \n \n \nOrganizes and coordinates own activities and those of staff." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Ensures compliance in area of responsibility with policies, \nprocedures, and contractual obligations of the School" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM04 \nPage 5 of 8 \n \nDepartment, and all legal mandates. \nDemonstrates ability to analyze and use information in \ndecision-making process. \n \n \nExplains performance standards, duties and responsibilities \nand evaluates staff in accordance with School Department \npolicies. \n \n \n \nMaintains all appropriate records required for the operation of \nthe unit. \n \n \nExercises sound judgment in the performance of one’s duties \n \n \nExercises sound judgment in the performance of one’s duties. \n \n \nCommunicates accurately and effectively. \n \n \n2. PROFESSIONAL ROLE \n \nS \nU \nCarries out responsibilities in a professional manner." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Maintains regular attendance and punctuality. \n \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one’s professional growth and development. \n \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one’s professional growth and development. \n \n \nAttends conferences, seminars, workshops, and activities that \ncontribute to one’s professional growth and development. \n \n \nUtilizes appropriate resources to effectively carry out \nprofessional responsibilities. \n \n \nDemonstrates receptivity to constructive suggestions related to \nprofessional role and responds appropriately. \n \n \nMaintains professional demeanor." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Maintains professional demeanor. \n \n \nPerforms additional job-related tasks and functions assigned to \nthem." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM04 \nPage 6 of 8 \n \nList additional mutually agreed upon standards or objectives, if \nany. \n \n \n \n\n\nPage 7:\nSuperintendent’s Circular HRS-PM04 \nPage 7 of 8 \n \nNOTES OF OBSERVATION \n(Use additional pages if necessary) \n \n \n \n \n \n \n \n______________________________________________________________________ \nDESCRIPTION OF THE PROBLEM AND PRESCRIPTION FOR \nIMPROVEMENT \n(Use additional pages if necessary) \n \n1. Description of the problem: \n \nPrescription: \n \n \n2. Description of the problem: \n \nPrescription: \n \n \n3. Description of the problem:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM04 \nPage 8 of 8 \n \n \nPrescription: \n \n \nGeneral Comments (use additional pages if necessary): \n \n \n \n \n \n \n \n \nEmployee’s Comments (use additional pages if necessary):" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nHRS-PP14 \nVersion 01 \n \nPAID LEAVE FOR CANCER SCREENING AND/OR LIVING \nORGAN DONATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nTwo additional paid leave benefits are available to City of Boston \nemployees for annual cancer screenings and living organ \ndonations. \nANNUAL CANCER SCREENING \nThe mayor has signed an executive order that allows all City of \nBoston employees to use up to four (4) hours of leave per \ncalendar year for various types of cancer screening. (Types of \ncancer screening that fall under the four hours off per year policy" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "are as follows: breast, prostate, colon, skin, thyroid, oral cavity, \nlymph nodes, reproductive organs, and lungs). \nThe following procedure is in effect in the Boston Public Schools: \n• Employees will be allowed up to four (4) hours of leave, per \ncalendar year, that can be used intermittently or in one (1) \nfour-hour period. \n• Employees must make a request through their \nResponsibility Center manager." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP14 \nPage 2 of 4 \n \n• A signed copy of a medical document verifying the date that \nthe employee was given a cancer screening must be filed \nwith the Responsibility Center manager. \n• This time is not charged to any accumulated sick leave; and \ntime in position, creditable service, pay, leave and health \nbenefits are all protected while on this type of leave. \nTo report time for an annual cancer screening, please add an \nabsence event on the timesheet using the absence name “Pre-\nCancer Screening.” \nLIVING ORGAN DONATION \nEffective October 3, 2006, the mayor has issued an executive \norder adopting An Act Relative to Living Organ Donation which" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "grants leave of absence without loss of pay for living organ \ndonation. It applies to leave taken by an employee to provide live \norgan donation to be transplanted into another individual. Live \norgan donation includes donation of kidney, liver, pancreas, lung, \nintestine, or heart (domino transplants). \nAll City of Boston employees are eligible for this leave, which \nincludes full-time, part-time, seasonal, and temporary employees \neligible for paid leave benefits. It does not include independent \ncontractors, substitutes, cab monitors, transportation attendants, \nintermittent, or any other employees who are not eligible for paid \nleave benefits." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "leave benefits. \nThe following procedure is in effect in the Boston Public Schools: \n• Employees will be allowed a maximum total of 30 days of \npaid leave in a calendar year to donate an organ. \n• This time only covers days taken for the medical procedure" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP14 \nPage 3 of 4 \n \nand the recovery from it. \n• Part-time employees will receive a prorated portion of the \n30 days based on their part-time schedule. \n• Leave can be used intermittently. \n• Employee must obtain a letter on a physician’s letterhead \ndisclosing that the employee is approved to be a live organ \ndonor and the type of organ being donated. \n• A signed copy of a medical document verifying the date of \nthe living organ donation procedure that the employee has \nundergone must be submitted to Human Resources \nthrough their Responsibility Center manager (e.g., principal \nor department head)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "or department head). \n• This time is not charged to any accumulated sick leave; time \nin position, creditable service, pay, leave, and health benefits \nare protected while on this type of leave. \nTo report time for a living organ donation, please add an \nabsence event on the timesheet using the absence name \n“Organ Donation.” \nQuestions on specific health insurance coverage should be \ndirected to Health Benefits and Insurance at 617-635-4570 or to \nyour health insurance provider. More information about live \norgan donation may be found at the following link: \nhttps://optn.transplant.hrsa.gov/resources/living-donation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP14 Leave for Cancer Screening and Organ Donations", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: \nEmployee Services \nDepartment: \nHuman Resources \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9255 \nFax: \n617-635-7957 \nEmail: \nohrleaves@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nHRS-PM02 \nVersion 01 \n \nPERFORMANCE EVALUATION OF INSTRUCTIONAL \nBASAS ADMINISTRATORS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version.. \nHeads of school, principals, and other administrative heads are \nresponsible for evaluating the performance of administrators \nunder their direct supervision. This employee group is school-\nbased, requires DESE licensure, and is represented as part of the \nBASAS bargaining unit. Instructional BASAS administrators will \nbe evaluated using the VectorEvals platform as the evaluation \ninstrument. As of September 2023, non-instructional BASAS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "administrators in roles that do not require DESE-licensure will be \nevaluated using Superintendent Circular HRS-PM02A \nPerformance Evaluation of Non-Instructional BASAS \nAdministrators. \nThe purpose of this memorandum is to explain who is \nresponsible for evaluation and to outline the philosophy, \nobjectives, guidelines, and procedures applicable to that process. \nPHILOSOPHY \nThe Boston Public Schools and the BASAS bargaining unit \nrecognize that the quality of education provided depends upon \nthe professional performance and the total job effectiveness of \nthe teachers and administrators in the system. Thus, since the \nsystem's professionals can and should be held accountable for" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PM02 \nPage 2 of 10 \n \nthe quality of their performance, a just and effective process for \nevaluating that performance is essential. Such a process must be \norganized to: \n• foster effective leadership in promoting improvements of \nschools and educational programs \n• develop in the professional staff a clearer understanding of \nthe goals of education \n• promote sound organizational and management \nprocedures \n• demonstrate active support of the policies of the School \nCommittee and superintendent. \nThe performance evaluation program to be implemented to \nsatisfy this philosophy for administrators is diagnostic and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "prescriptive, is generally positively directed, and encourages \nprofessionals to maximize unique strengths and skills. \nAll instructional BASAS administrators whose evaluations are \nsubject to 603 CMR 35.00, et. seq. (i.e., administrators whose roles \nrequire DESE licensure) shall be evaluated on a cycle consistent \nwith those regulations. Evaluees not subject to 603 CMR 35.00 et. \nseq. shall be evaluated annually, except that such employees \nneed not be evaluated in the following year if they remain in the \nsame job title and position unless the evaluator determines a \nneed to do so. \nINSTRUMENTS/EVALUATORS \nA. Instructional BASAS members shall be evaluated by a" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "designee of the superintendent outside the BASAS \nbargaining unit. \nB. The evaluation instrument to be used for instructional \nBASAS administrators in DESE-licensed roles as of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PM02 \nPage 3 of 10 \n \nSeptember 2019 is known as VectorEvals. It is accessible via \nthe employee’s BPS Google account. Comprehensive \ninformation pertaining to the performance evaluation of \ninstructional BASAS administrators under the 2011 education \nregulation amendments (603 CMR 35.00) is now located at \nthe Office of Human Resources website: \nhttps://www.bostonpublicschools.org/Page/8586. \n \nPROCEDURAL STEPS \nA. Preparation - No later than 30 days after the start of a rating \nyear, and no later than 45 days after a change in a person’s \nevaluator, the person’s evaluator shall meet with the \nevaluee(s) for the purpose of explaining the diagnostic" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "prescriptive evaluation program, reviewing the evaluation \ninstrument and which parts of it may not be applicable, \nanswering questions, and determining additional job \nrelated responsibilities which will be covered in the \nevaluation. Within 5 days after said meeting, the evaluee will \nreceive a copy of a list of job related functions for which they \nare responsible and on which their performance will be \nevaluated. \nThe evaluee may propose a professional practice goal as \nwell as a student learning goal. All goals are subject to the \napproval of the evaluator. \nB. Data Gathering - It should be clearly understood by the \nevaluee that the data gathering process is ongoing and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "cumulative. Evaluation data includes information gathered \nby observation or other means. Data should be collected \nover a sufficient period and should be accessible to the \nevaluee in compliance with applicable state and federal" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PM02 \nPage 4 of 10 \n \nlaws. All complaints or derogatory comments obtained from \nparents, community, etc., shall be promptly provided to the \ninstructional BASAS member, or they may not be used as a \nbasis for evaluation. \nThe evaluator must provide feedback within five school days \nto the evaluee (via email or in person) after any observation \nor collection of evidence that results in the evaluator having \na concern that one or more standards may be rated as \nunsatisfactory or needs improvement on a formative or \nsummative evaluation for the first time. \nC. Post-Evaluation Conference - Evaluation reports may be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "filled out periodically throughout the school year whenever \nan evaluator determines that assistance, supervision, or \nintervention is deemed appropriate. Within ten (10) school \ndays during which the BASAS member is present following \nthe completion of each evaluation, the evaluator shall meet \nwith the evaluee for the purpose of discussing the \nevaluation, providing an appraisal of professional strengths \nand areas in need of improvement. \nIn any area where the evaluator indicates a need for \nimprovement, or that the evaluee is “Unsatisfactory”, the \nevaluator will provide the evaluee with a written \nprescription. The prescription must be fully descriptive," + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "instructive, reasonable, attainable, and educationally sound \nas to the specific remedy sought by the evaluator. \nAt the post-evaluation conference, the evaluee will be \nshown their written evaluation by the evaluator and will sign \nit to indicate they have seen it and acknowledge that it will \nbe placed in their personnel file, but not to indicate \nagreement or disagreement. A copy of the evaluation will be" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PM02 \nPage 5 of 10 \n \nprovided to the evaluee, and the evaluee will be allowed to \nattach comments to the evaluation. \nD. Follow-Up - In general, the number and scope of the \nsubsequent conferences can be gauged at the first post-\nevaluation conference and should be communicated to and \ndiscussed with the evaluee at the end of that conference. \nFORMATIVE ASSESSMENT/EVALUATION AND OBSERVATIONAL \nFEEDBACK \nA. A formative assessment shall be a part of the process used \nto assess progress towards attaining goals set forth in \nadministrator plans, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "be used to inform employment decisions. This process may \ntake place at any time during the cycle of evaluation, but \ntypically takes place at mid-cycle. \nB. A formative evaluation shall be an evaluation conducted at \nthe end of Year 1 for an administrator on a two-year self-\ndirected growth plan. This evaluation is to be used to arrive \nat a rating on progress towards attaining the goals set forth \nin the evaluee’s plan, performance on Standards and \nIndicators of Effective Teaching Practice, or both, and may \nbe used to inform employment decisions. \nC. If an evaluee’s performance results in a rating of “Needs \nImprovement,” or “Unsatisfactory” on a formative" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Improvement,” or “Unsatisfactory” on a formative \nassessment or evaluation, the evaluation prescription may \ncontain a requirement that an administrator take advantage \nof additional professional development training or other \nopportunities." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PM02 \nPage 6 of 10 \n \nSUMMATIVE EVALUATION AND REPORTS \nA. A summative evaluation is an evaluation used to arrive at a \nrating on each standard, an overall rating, and as a basis to \nmake personnel decisions. The summative evaluation \nincludes the evaluator’s judgments of the evaluee’s \nperformance against performance standards and the \nevaluee’s attainment of goals set forth in the evaluee’s plan. \nB. During the entire evaluation process, continuous assistance, \nsupport, and encouragement should be extended to assist \nthe evaluee in meeting established objectives. \nC. Continued failure to achieve an overall rating of “Proficient”" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "will result in additional prescriptions, warnings, additional \nevaluations, and further personnel action, including \nevaluation visits from other School Department \nadministrators. \nD. An evaluee whose overall performance has been judged as \n“Needs Improvement” or “Unsatisfactory” shall be notified in \nwriting and shall meet directly with the evaluator. \nDISPUTE RESOLUTION \nA. An overall rating of “Unsatisfactory” on a summative \nevaluation for BASAS members shall be subject to the \ngrievance and arbitration procedure. An administrator may \ngrieve a summative rating of “Proficient” evaluation up to \nand including the level of the responsible administrator" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "above the level of the evaluator. Any evaluation that is used \nor referred to as any part of the rationale for removal, \nreassignment, or any other negative action against an \nemployee shall be subject to the grievance and arbitration \nprocedures." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PM02 \nPage 7 of 10 \n \nB. Any evaluation of an instructional BASAS administrator \nwhich is overall “Unsatisfactory” shall be promptly \nforwarded to BASAS along with any other recommended \nprofessional development or corrective action plan, \nprovided that the BASAS member has so requested in \nwriting. The superintendent’s designee and BASAS agree to \nmeet to discuss the plan, when requested by the BASAS \nmember. \nC. Alleged violations of the performance evaluation process are \nsubject to the grievance and arbitration procedures if the \nemployee has been dismissed. \nPROCEDURES FOR DISMISSAL/DEMOTION" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "PROCEDURES FOR DISMISSAL/DEMOTION \nIf the performance evaluation of an evaluee results in a \nrecommendation for dismissal/demotion by the evaluator \n(confirmed by the head of school or other senior administrator), \nthe following procedures will be followed: \nA. The superintendent's designee shall discuss each \nrecommendation for dismissal with the appropriate \nevaluator and/or other senior administrator. The \nsuperintendent's designee shall then undertake the \nnecessary investigation to substantiate the evaluation of the \nadministrator. \nBased on the above, the superintendent or their designee \nshall decide on the appropriateness of the recommendation" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "for dismissal/demotion. The evaluator and/or other senior \nadministrator must present supporting documents to the \nSuperintendent or their designee when presenting a \nrecommendation for dismissal. \nB. The superintendent or their designee or senior" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PM02 \nPage 8 of 10 \n \nadministrator shall submit all processed recommendations \nfor dismissal to the Office of Labor Relations. \nC. The decisions of the superintendent or their designee shall \nbe confined to the following: \n1. Retention - This is a rejection of the recommendation \nof the evaluator based on the evidence presented on \nan individual administrator. \n2. Notice - The superintendent's designee, having \nreviewed the materials, decides that the case does not \nwarrant a recommendation for dismissal/demotion, \nbut instead warrants placing the administrator on \nnotice that their performance is highly unacceptable." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "This status stands as a final warning that the \nadministrator will be subject to additional evaluation \nduring the academic year and, if performance is not \nimproved, may be subject to dismissal/demotion. \n3. Dismissal/Demotion - This recommendation is the \naffirmation of the evidence presented by the evaluator. \nThe evaluee may call for a hearing before the \nsuperintendent or designee thirty days after written \nnotification to the administrator of the \nrecommendation for dismissal/demotion. \nD. The Office of Labor Relations shall: (1) evaluate the evidence \nfor dismissal/demotion; (2) review the recommendation, if \nnecessary, with the evaluator and/or superintendent or their" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "designee; and (3) determine that relevant procedures for \nevaluations were substantially complied with and that the \nevaluations warrant dismissal of the employee. \nE. The Office of Labor Relations shall forward its analysis to the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PM02 \nPage 9 of 10 \n \nsuperintendent of schools with copies to the principal leader \nor other senior administrator. \nF. The superintendent shall review the materials, make a \ndecision, and give notice to the employee in accordance \nwith G.L. c.71, Section 42. \nPROCEDURES FOR DISCIPLINE \nIf a principal, head of school, or supervisor determines that an \nadministrator has violated work rules, the supervisor should \nfollow procedures outlined in Superintendent's Circular HRS-\nPP10 Employee Discipline Procedures. Additionally, the principal, \nhead of school, or supervisor may consider the infraction in" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "evaluating the administrator's overall performance. \nFailure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of a supervisor. This \nproblem is further compounded when \"problem staff\" are given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative \nperformance on the part of that person and they will be held \naccountable by the appropriate senior administrator and \nsuperintendent." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PM02 Performance Evaluation of Instructional BASAS Administrators", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PM02 \nPage 10 of 10 \n \nPlease refer in advance to Superintendent's Circular HRS-PP10 \nEmployee Discipline Procedures. \nSummary of significant dates and deadlines: \nDate \nActivity \nJune 15 \nDeadline for evaluators to submit \nevaluation to Instructional BASAS \nAdministrators via VectorEvals \nplatform. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Evaluation and Performance \nManagement \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington Street, 4th Floor, Boston, MA \n02119 \nPhone: \n617-635-9627 \nEmail: \neval@bostonpublicschools.org \nohc@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n \nNUMBER: \nHRS-PP09 \n \n \nCRIMINAL HISTORY SCREENING \nThis policy circular shall remain in effect unless rescinded or \nreplaced by a subsequent version. \nThe Boston School Committee and superintendent are \ncommitted to providing a safe learning and work environment \nfor Boston Public Schools students and employees. Following all \napplicable federal and state laws and regulations regarding \nCriminal Offender Record Information (CORI), including \nfingerprinting and Sex Offender Registry Information (SORI), it is \nthe policy of the Boston Public Schools to conduct a criminal \nbackground check (“CORI check”) at least once every three (3)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "years on current and prospective employees, contracted service \nproviders, volunteers, school transportation providers, and other \nindividuals who may have direct and unmonitored contact with \nchildren.1 The Boston Public Schools criminal history screening \npolicy applies to all current and prospective: \na. full-time or part-time employees and candidates for \nemployment, including promotions \nb. substitute employees \nc. student teachers, apprentices, and interns \n \n1 See also the Boston Public Schools Sexual Offender Registry \nInformation (SORI) Policy." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP09 \nPage 2 of 32 \n \nd. employees of educational programs \ne. individuals who regularly provide school-related \ntransportation to children \nf. contractors \ng. volunteers, subcontractors, and laborers who perform work \nin school buildings or on school grounds 2 \nThe Department of Criminal Justice Information Services (DCJIS) \nprovides Boston Public Schools with “Required 2” access to CORI. \nRequired 2 access produces a CORI record that includes all \nadult/youthful offender convictions, non-convictions, and \npending offenses but does not list any sealed, juvenile, civil, or \nnon-incarcerable crimes. The following practices and procedures" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "are applicable when CORI and other criminal history checks, \nincluding fingerprint screening, are part of a general background \ncheck for employment or volunteer work in BPS. \nCONDUCTING CRIMINAL HISTORY (CORI AND FINGERPRINTING) \nSCREENING \nCriminal history checks, including CORI checks and fingerprint \nscreenings, will only be conducted as authorized by the \nDepartment of Criminal Justice Information Services (DCJIS) \nunder Mass. Gen. Laws c. 6, §§ 172 and 172B ½, c. 71, § 38R, 28 CFR \n20.33(a)(3), and Public Law 92‐544. Boston Public Schools will only \nperform a criminal history check after receiving a completed \n \n2 Volunteers, subcontractors, and laborers will not be subject to" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "fingerprinting." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP09 \nPage 3 of 32 \n \nCORI/Fingerprinting Acknowledgement Form and confirming \nthe individual’s identity. \nNOTE: BPS policy and procedures for criminal history checks \nincluding fingerprint screening are also subject to the \nregulations, policies, and procedures promulgated by the DCJIS \nand state board of elementary and secondary education. In \naccordance with those procedures, all candidates’ fingerprints \nwill be searched against the Automated Fingerprint \nIdentification System (AFIS) fingerprint database which is \nmaintained by the Massachusetts State Police and the Federal \nBureau of Investigation’s (FBI) Integrated Automated Fingerprint" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Identification System (IAFIS) fingerprint database. A fee will be \nrequired to conduct a fingerprint screen. \nIn the instance that the Boston Public Schools requests an \nadditional CORI Check from the DCJIS on an individual whose \nCORI has already been obtained within a year of signing the \noriginal CORI/Fingerprinting Acknowledgement Form, the \nindividual will receive notice within 72 hours that it intends to \nconduct an additional CORI check. A current employee being \nconsidered for promotion must submit to a CORI check, \nregardless of whether a CORI check has been conducted within \nthat year. \nACCESS TO CRIMINAL HISTORY INFORMATION (CORI AND \nFINGERPRINT SCREENING)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "FINGERPRINT SCREENING) \nAll criminal history information obtained from the DCJIS is \nconfidential, and access to the information must be limited to \nthose individuals who have a “need to know.” This may include, \nbut is not limited to, staff submitting the CORI requests and staff" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-PP09 \nPage 4 of 32 \n \nmembers of the CORI/Criminal History Review Panel. The Boston \nPublic Schools maintains and keeps a current list of each \nindividual authorized to have access to, or view, a CORI and the \nresults of a fingerprint screen. This list must be updated every six \n(6) months and is subject to inspection at any time only upon \nrequest by the DCJIS. \nCORI TRAINING \nThe Boston Public Schools is an agency required to maintain a \nCORI Policy under Mass. Gen. Laws c. 6, §171A. Accordingly, all \npersonnel authorized to conduct criminal history background \nchecks or inspect CORI information will review and familiarize" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "themselves with the educational and relevant training materials \nregarding CORI laws and regulations made available by the \nDCJIS. \nUSE OF CRIMINAL HISTORY IN BACKGROUND SCREENING \nThe Boston Public Schools shall only access, for employment \npurposes, the CORI and fingerprinting information for candidates \nwho are otherwise qualified for the position for which they have \napplied and for current employees during periodic criminal \nbackground checks. \nUnless otherwise provided by law, a criminal record will not \nautomatically disqualify an individual for employment, contract \nwork, subcontract work, volunteering, or interning. Suitability" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "determinations based on criminal background checks will be \nconsistent with this policy and applicable laws or regulations. \nI. \nVerifying a Subject’s Identity" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-PP09 \nPage 5 of 32 \n \nIf a criminal record is received from the DCJIS, the information is \nto be closely compared with the information on the \nCORI/Fingerprinting Acknowledgement Form and any other \nidentifying information provided by an individual to ensure the \nrecord belongs to the individual. \nIf the information in the CORI record provided does not precisely \nmatch the identification information provided by the individual, a \ndetermination is to be made by a Boston Public Schools \nemployee(s) authorized to make such determinations based on a \ncomparison of the CORI record and documents provided by the \nindividual. \nII." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "individual. \nII. \nInquiring About Criminal History \nIn connection with any decision regarding employment, \ninternships, or volunteer opportunities within the Boston Public \nSchools, the individual shall be provided with a copy of their \ncriminal history record, whether obtained from the DCJIS or any \nother source, before asking the subject questions about their \ncriminal history. The source(s) of the criminal history record is \nalso to be disclosed to the subject." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular HRS-PP09 \nPage 6 of 32 \n \nIII. \nDetermining Suitability \nWhen an individual’s CORI record or fingerprint screen lists one \nor more offenses, the first step is to convene the CORI/Criminal \nHistory Review Panel. The panel will verify that the criminal \nrecord belongs to the individual and that the individual has not \ndisputed the criminal record’s accuracy based on the procedure \ndescribed in Section V of this policy. \nFindings from CORI Investigations – No Further Review – \nOutstanding Warrants \n1) If the CORI investigation reveals a conviction of a Table B \ncrime that is a felony more than ten years old or a Table B" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "crime that is a misdemeanor more than five years old, and \nthere are no subsequent convictions or pending cases of \nany kind, the CORI/Criminal History Review Panel will not \nconsider such crime. For purposes of computing the five- \nand ten-year periods, the period will run from the date any \ncourt supervision, probation, or sentence was terminated. \n2) If the CORI investigation reveals an outstanding warrant for \nany offense, the CORI/Criminal History Review Panel will \ninform the candidate that they are ineligible for \nemployment unless the warrant is removed. \n3) Storage, retention, and destruction of all CORI reports, \nincluding those with a finding of “no record,” shall follow" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "DCJIS regulations at 803 CMR 2.00: Criminal Offender \nRecord Information (CORI)." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular HRS-PP09 \nPage 7 of 32 \n \nFindings from CORI Investigation - Crimes Subject to Review \n1) If the CORI investigation reveals a conviction of a Table A \ncrime, regardless of when it occurred, or a pending Table A \ncrime, or a conviction of a Table B crime within the five- and \nten-year periods or a pending Table B crime, the \nCORI/Criminal History Review Panel will carefully consider \nthe following factors in its decision to hire or not hire the \ncandidate: \na. time since the conviction or pending offense \nb. age of the candidate at the time of the offense \nc. nature and specific circumstances of the offense" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "d. the sentence imposed and the length of any period of \nincarceration \ne. relationship of the criminal act to the nature of the \nwork to be performed \nf. number of offenses \ng. whether offenses were committed in association with a \ndependence on drugs or alcohol, from which the \ncandidate has since recovered \nh. any relevant evidence of rehabilitation or lack thereof, \nsuch as information about compliance with conditions \nof parole or probation, including orders of no contact \nwith victims and witnesses; and the individual’s \nconduct and experience since the time of the offense, \nincluding but not limited to educational or professional \ncertifications obtained; and" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular HRS-PP09 \nPage 8 of 32 \n \ni. any other relevant information, including information \nsubmitted by the candidate or requested by the \nCORI/Criminal History Review Panel. \n2) The CORI/Criminal History Review Panel, using a form \nprescribed by BPS, will also make a written determination of \nits decision to hire or not hire such candidate. This form will \ndocument the factors and rationale for the decision of the \nCORI/Criminal History Review Panel. A copy of such written \ndetermination will be maintained by the CORI/Criminal \nHistory Review Panel in a secure location, together with the \nCORI and criminal record disclosure information that may" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "have been requested under this policy. \nCompletion of the written determination form will serve to \nconfirm that the CORI/Criminal History Review Panel has \ncarefully reviewed the CORI and other relevant information, \nincluding information provided by the candidate, so that the \nvulnerable populations served by BPS are protected, and \ncandidates with criminal histories are given a fair \nopportunity to be employed and to reintegrate successfully \ninto the workforce. \n3) If the CORI/Criminal History Review Panel decides to hire a \ncandidate with a CORI showing a conviction of or pending \nTable A crime, the CORI/Criminal History Review Panel will" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "submit the prescribed form to the Chief Human Resources \nOfficer, the Superintendent of Schools, or their designees. \nThe CORI/Criminal History Review Panel will not proceed to \nhire the candidate for ten business days from the date the \nChief Human Resources Officer or the Superintendent of \nSchools, or their designees receive the form. During such \ntime, the Chief Human Resources Officer, the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular HRS-PP09 \nPage 9 of 32 \n \nSuperintendent of Schools, or their designees may \ndisapprove the hire or request additional information. \nNotwithstanding the foregoing, a CORI/Criminal History \nReview Panel may proceed to hire the candidate before the \nexpiration of the five days if the Chief Human Resources \nOfficer or the Superintendent of Schools or their designees, \nafter receiving the prescribed form, informs the \nCORI/Criminal History Review Panel that they do not intend \nto disapprove the hire or request additional information. \n4) If the CORI/Criminal History Review Panel does not wish to \nhire a candidate with a Table A crime or a Table B crime" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "within the five- and ten-year period, the prescribed form will \nbe completed and maintained on file in a secure location. \nADVERSE DECISIONS BASED ON CRIMINAL HISTORY \nINFORMATION (CORI AND FINGERPRINT SCREENING) \nIf the Boston Public Schools is inclined to make an adverse \ndecision based on criminal history background check results, the \ncandidate will be notified immediately. The candidate shall be \nprovided with a copy of the Boston Public Schools Criminal \nHistory Screening policy and their criminal history. The source(s) \nof the criminal history will also be revealed. The individual will \nthen be provided with an opportunity to dispute the accuracy of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "the information. Individuals shall also be provided a copy of \nDCJIS’ Information Concerning the Process for Correcting a \nCriminal Record. The Boston Public Schools will stay the decision \nfor a brief time and document the steps taken to comply with \nthis procedure. \nSECONDARY DISSEMINATION LOGS" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular HRS-PP09 \nPage 10 of 32 \n \nAll CORIs obtained from the DCJIS are confidential and can only \nbe disseminated as authorized under the applicable law and \nregulations. A central secondary dissemination log shall be used \nto record any dissemination of a CORI outside this organization, \nincluding dissemination at the individual’s request. \nCORI/CRIMINAL HISTORY REVIEW PANEL \nThe Boston Public Schools CORI/Criminal History Review Panel \nshall consist of four or more of the following individuals: the \nDeputy Superintendent of Operations, the Chief Human \nResources Officer, the Director of Transportation, the Director of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Facilities, the Director of Labor Relations, the Director of Equity, \nor their designees. The panel, as well as the Superintendent, \nLegal Advisor, and Chief Operations Officer, shall all have access \nto criminal history information on a case-by-case basis as is \nnecessary to perform their job functions. When reviewing an \nindividual’s criminal history information to determine whether an \nindividual is qualified for employment as a BPS employee or is \nqualified to work as a contractor, subcontractor, laborer, intern, or \nvolunteer, the panel will review such factors as outlined in \nSection VII. The panel will determine whether an individual" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "qualifies for employment or will commence work as a contractor, \nsubcontractor, laborer, intern, or volunteer. The decision made by \nthe CORI/Criminal History Review Panel shall be recorded and \nshall be made by a majority of members present. A minimum of \nfour panel members must be present for a decision to be made. \nIn the interests of confidentiality and the furtherance of the \nprotection of school children, the identity of the panel reviewing \na particular subject’s confidential criminal history will not be \ndisclosed." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular HRS-PP09 \nPage 11 of 32 \n \nREGISTRATION PROCESS FOR FINGERPRINTING \nYou must submit to fingerprinting as part of your criminal \nbackground screening to work for Boston Public Schools. Please \nfollow the steps below to register for an appointment to get \nfingerprinted at the nearest site (most likely Dorchester) \noperated by MorphoTrust USA. \nThe below summarizes the procedure to register and get your \nfingerprints taken. For further information and details, please see \nthe state’s guide, “Statewide Applicant Fingerprint Identification \nServices (SAFIS) Program: Registration Guide,” available at the" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "following link: https://www.mass.gov/files/2017-06/safis-\nregistration-guide-dcf-fv1-0_0.pdf \nStep 1: Sign up for an appointment online or over the phone. \n \nhttps://ma.ibtfingerprint.com/ \n \n866-349-8130 \nStep 2: Give the Provider ID for Boston Public Schools. \n \nEnter the following number as the district Provider ID: \n00350000 \nStep 3: Pay a fee for the FBI and state government agencies \nto process your fingerprints. \nLicensed educators: $55 \nNon-licensed staffers: $35 \nStep 4: Make an appointment and get a Registration \nConfirmation Number. You will need to bring the \nRegistration Confirmation Number with you to your \nappointment. \nStep 5:" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "appointment. \nStep 5: \nGo to your appointment and bring a proper ID. \n \nYour ID must contain a photo, your full name, and \ndate of birth and be unexpired." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular HRS-PP09 \nPage 12 of 32 \n \nStep 6: \nObtain a receipt from MorphoTrust showing your \nfingerprints were taken. \n \nKeep your receipt and make a copy of it. \nStep 7: \nMail the copy of your receipt to: \nBPS Office of Human Capital \n2300 Washington Street, 4th Floor \nBoston MA 02119 \nMISCELLANEOUS \na) All individuals covered by the Boston Public Schools CORI \nPolicy must submit an annual CORI Acknowledgment Form \nwithin ten days or following a request from the Office of \nHuman Capital. \nb) A CORI Acknowledgment Form is valid for one year from the \ndate the individual signs the form or until the conclusion of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "a subject’s employment, whichever comes first, and must be \nmaintained for a minimum of one year from the date of \nexecution. Within the year, the Boston Public Schools may \nsubmit an additional request for CORI but will first provide a \n72-hour written notice. If the individual objects to an \nadditional CORI, the CORI Acknowledgment Form becomes \ninvalid. However, the Boston Public Schools may make an \nadverse employment decision based on an individual’s \nobjection to a request for CORI. Criminal history information \nwill be maintained confidentially, on a need-to-know basis \nonly, by the Office of Human Capital. A limited number of" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "designated individuals will routinely review criminal history \ninformation. The Office of Human resourcesdesignee(s) will \nreceive and maintain all properly obtained criminal history" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular HRS-PP09 \nPage 13 of 32 \n \ninformation and will keep the assistant superintendent of \nHuman resourcesinformed. \nc) CORI information will remain segregated and secured from \nall personnel files or other personnel information. Hard \ncopies will be stored in a locked, secured location. If the \nBoston Public Schools retains electronic copies of CORI \nreports, then the Boston Public Schools will password \nprotect and encrypt the reports. The reports will not be \nmaintained for more than seven (7) years after the \nemployee’s last date of employment or after the final \ndecision not to hire the candidate." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "decision not to hire the candidate. \nd) For any adverse decision based on the criminal background \ncheck results, the individual will be notified immediately, \neither in person or by telephone, fax, email, or letter. \ne) CORI information may be used only to further the protection \nof children and for no other purpose. Access to such \ninformation shall be obtained in accordance with Mass. Gen \nLaws c. 6, §§167 to 168, inclusive. Improper use of CORI \ninformation is both a civil and a criminal offense and may \nsubject an employee to discipline." + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular HRS-PP09 \nPage 14 of 32 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Labor Relations \nDepartment: \nOffice of Labor Relations \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-1576 \nEmail: \nOLR@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular HRS-PP09 \nPage 15 of 32 \n \nTABLE A \nCrime Name \nMGL \nABANDON CHILD UNDER 10, RESULTING IN DEATH c. 119, § 39 \nABUSE OF PATIENT IN LONG TERM CARE FACILITY c. 265, § 38 \nANIMALS, CRUELTY TO \nc. 272, § 77 \nARMED CAREER CRIMINAL \nc. 269, § 10G \nARSON OF DWELLING HOUSE \nc. 266, § 1 \nASSAULT, AGGRAVATED \nc. 265, § 13A(b) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nAGGRAVATED \nc. 265, § 15A(c) \nASSAULT & BATTERY, DANGEROUS WEAPON, \nVICTIM 60 AND OLDER \nc. 265, § 15A(a) \nASSAULT & BATTERY ON CHILD \nc. 265, § 13J \nASSAULT & BATTERY ON ELDER OR PERSON WITH \nDISABILITY \nc. 265, § 13K \nASSAULT & BATTERY, INTIMIDATION, \nRACE/COLOR/RELIGION \nc. 265, §§ 39(a) and \n39(b)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "RACE/COLOR/RELIGION \nc. 265, §§ 39(a) and \n39(b) \nASSAULT & BATTERY ON PERSON WITH \nINTELLECTUAL DISABILTY \nc. 265, § 13F \nASSAULT WITH INTENT TO MURDER OR ROB, \nARMED \nc. 265, § 18(b) \nASSAULT WITH INTENT TO MURDER OR ROB, \nVICTIM 60 AND OLDER, ARMED \nc. 265, § 18(a) \nASSAULT IN DWELLING, ARMED \nc. 265, § 18A \nASSAULT BY DANGEROUS WEAPON, VICTIM 60 \nAND OLDER \nc. 265, § 15B(a)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular HRS-PP09 \nPage 16 of 32 \n \nASSAULT WITH INTENT TO MURDER OR MAIM \nc. 265, § 15 \nASSAULT WITH INTENT TO RAPE \nc. 265, § 24 \nASSAULT WITH INTENT TO RAPE CHILD UNDER 16 \nc. 265, § 24B \nBREAKING AND ENTERING NIGHT, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO COMMIT \nFELONY \n \nc. 266, § 16 \nCARJACKING, ARMED \nc. 265, § 21A \nCHILD IN NUDE OR SEXUAL ACT, POSE/EXHIBIT OR \nDISTRIBUTE MATERIAL \nc. 272, §§ 29A and 29B \nCHILD ENTICEMENT \nc. 265, § 26C \nCIVIL RIGHTS VIOLATION, BODILY INJURY \nc. 265, § 37 \nCRIMINAL HARASSMENT, SUBSEQUENT OFFENSE \nc. 265, § 43A(B) \nDRUGS, DISTRIBUTE TO MINOR \nc. 94C, § 32F \nDRUGS, TRAFFICKING IN COCAINE \nc. 94C, § 32E(b)(1)-(4)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "c. 94C, § 32E(b)(1)-(4) \nDRUGS, TRAFFICKING IN HEROIN \nc. 94C, § 32E(c)(4) \nDRUGS, TRAFFICKING IN MARIJUANA \nc. 94C, § 32E(a)(4) \nELDER/DISABLED, PERMIT ABUSE ON \nc. 265, § 13K(a ½) \nEXPLOSION, MALICIOUS \nc. 266, § 102B \n(c. 266, §101 prior to \nJuly 15, 2010) \n \nEXTORTION \nc. 265, § 25 \nFIREARM, ARMED CAREER CRIMNAL \nc. 269, § 10G \nHOME INVASION \nc. 265, § 18C \nIDENTITY FRAUD \nc. 266, § 37E" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular HRS-PP09 \nPage 17 of 32 \n \nINCEST \nc. 272, § 17 \nINDECENT ASSAULT & BATTERY ON PERSON 14 OR \nOVER \nc. 265, § 13H \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14 \nc. 265, § 13B \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED \nc. 265, § 13B½ \nINDECENT ASSAULT & BATTERY ON CHILD UNDER \n14, AGGRAVATED, SUBSEQUENT EVENT \nc. 265, § 13B¾ \nINDECENT ASSAULT & BATTERY ON \nDIABLED/PERSON OVER 60 \nc. 265, § 13K \nINDECENT ASSAULT & BATTERY ON RETARDED \nPERSON \nc. 265, § 13F \nKIDNAPPING \nc. 265, § 26 \nKIDNAPPING MINOR BY RELATIVE, ENDANGER \nSAFETY \nc. 265, § 26A \nMANSLAUGHTER (Voluntary or Involuntary) \nc. 265, § 13 \nMAYHEM \nc. 265, § 14 \nMURDER" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "c. 265, § 13 \nMAYHEM \nc. 265, § 14 \nMURDER \nc. 265, §§ 1 and 2 \nOBSCENE PICTURES, DISTRIBUTING \nc. 272, §§ 28 and 29 \nOBSCENE MATERIALS HARMFUL TO MINOR, \nDISTRIBUTE OR POSSESS WITH INTENT TO \nDISTRIBUTE \nc. 272, § 28 \nPHOTOGRAPH UNSUSPECTING NUDE PERSON/ \nPHOTOGRAPH OF UNSUSPECTING NUDE PERSON, \nDISSEMINATE \nc. 272, §§ 105(b) and (c) \nc.272, §§104(b) and (c) \nprior to March 7, 2014 \nPRESCRIPTION; FORGERY, ALTER, SUBSEQUENT \nOFFENSE \nc. 94C, § 33(c)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular HRS-PP09 \nPage 18 of 32 \n \nPROSTITUTION, DERIVE SUPPORT FROM \nc. 272, § 7 \nPROSTITUTION, DERIVE SUPPORT FROM CHILD \nc. 272, § 4B \nPROSTITUTION, INDUCE MINOR TO \nc. 272, § 4A \nPROSTITUTION, MAINTAIN HOUSE OF \nc. 272, § 6 \nPROSTITUTION/UNLAWFUL SEX/ABDUCT PERSON \nFOR \nc. 272, § 2 \nPROSTITUTION/SOLICITATION (With Person under \n18); \nPROSTITUTION/SOLICITATION (With person under \n14); Prior to February 19, 2012 \nc. 272, § 53A(b) \nRAPE \nc. 265, § 22(b) \nRAPE, AGGRAVATED \nc. 265, § 22(a) \nRAPE & ABUSE OF A CHILD, AGGRAVATED \nc. 265, § 23A \nRAPE & ABUSE OF A CHILD, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, § 23B \nRAPE OF CHILD WITH FORCE \nc. 265, § 22A" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "RAPE OF CHILD WITH FORCE \nc. 265, § 22A \nRAPE OF CHILD WITH FORCE, AGGRAVATED \nc. 265, § 22B \nRAPE OF CHILD WITH FORCE, AGGRAVATED, \nSUBSEQUENT EVENT \nc. 265, § 22C \nRAPE OF CHILD (STATUTORY) \nc. 265, § 23 \nRECKLESS ENDANGERMENT TO CHILDREN \nc. 265, § 13L \nROBBERY, ARMED \nc. 265, § 17 \nSEX OFFENDER, FAILURE TO REGISTER \nc. 6, § 178H(a) \nSEXUAL CONDUCT WITH CHILD UNDER 18, PAY \nFOR OR FOR FEE; SEXUAL CONDUCT WITH CHILD \nUNDER 14, PAY FOR OR FOR A FEE; Prior to \nFebruary 19, 2012 \nc. 272, § 53A(b) \nSEXUAL INTERCOURSE, ADMINISTER DRUGS FOR \nc. 272, § 3" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular HRS-PP09 \nPage 19 of 32 \n \nSEXUAL INTERCOURSE, INDUCE MINOR \nc. 272, § 4 \nSTALKING \nc. 265, § 43(a) \nSTALKING IN VIOLATION OF RESTRAINING ORDER c. 265, § 43(b) \nUNNATURAL ACTS WITH CHILD UNDER 16 \nc. 272, § 35A \nVIOLATE DOMESTIC PROTECTIVE ORDER \nc. 208, § 34C \nVIOLATION OF PROTECTIVE ORDER (209A) \nc. 209A, § 7 \nWEAPON OF MASS DESTRUCTION \nc. 266, § 102C \nCONSPIRACY TO COMMIT ANY OF THE ABOVE \nTABLE A CRIMES \nc. 274, § 7 \n \n \n\n\nPage 20:\nSuperintendent’s Circular HRS-PP09 \nPage 20 of 32 \n \nACCESSORY BEFORE THE FACT OF ANY OF THE \nABOVE TABLE A CRIMES \nc. 274, § 2 \nATTEMPT TO COMMIT ANY OF THE ABOVE TABLE A \nCRIMES \nc. 274, § 6" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular HRS-PP09 \nPage 21 of 32 \n \nTABLE B \n \nCrime Name \n \nMGL \nFelony or \nMis-demeanor \nABANDON CHILD UNDER 10 \nc. 119, § 39 \nM \nACCESSORY AFTER FACT (VARIABLE) \nc. 274, § 4 \nF \nACCOSTING; LEWD & LASCIVIOUS \nCONDUCT; INDECENT EXPOSURE \nc. 272, § 53 \nM \nAFFRAY, SUBSEQUENT OFFENSE AFFRAY \n(Prior to August 1, 2009) \nc. 272, § 53 \nM \nAID ESCAPE FROM CUSTODY \nc. 268, § 17 \nM \nALCOHOLIC BEVERAGES, SELL/DELIVER \nTO PERSON UNDER 21 \nc. 138, § 34 \nM \nALIEN IN POSSESS OF FIREARM \nc. 140, § 131H \nM \nASSAULT \nc. 265, § 13A(a) \nM \nASSAULT WITH INTENT TO ROB, \nUNARMED \nc. 265, § 20 \nF \nASSAULT & BATTERY \nc. 265, § 13A(a) \nM \nASSAULT & BATTERY ON PUBLIC" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "c. 265, § 13A(a) \nM \nASSAULT & BATTERY ON PUBLIC \nSERVANT/POLICE OFFICER \nc. 265, § 13D \nM \nASSAULT & BATTERY ON CORRECTIONAL \nOFFICER \nc. 127, § 38B \nF \nASSAULT & BATTERY DANGEROUS \nWEAPON \nc. 265, § 15A(b) \nF \nASSAULT BY DANGEROUS WEAPON \nc. 265, § 15B(b) \nF \nASSAULT WITH HYPODERMIC NEEDLE, \nSYRINGE \nc. 265, § 15C(a) \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 22:\nSuperintendent’s Circular HRS-PP09 \nPage 22 of 32 \n \nASSAULT & BATTERY WITH HYPODERMIC \nNEEDLE, SYRINGE \nc. 265, § 15C(b) \nF \nATTEMPT TO INJURE DEPOSITORY OF \nVALUABLES \nc. 266, § 16 \nF \nBETTING; TAKING, ALLOWING \nc. 271, § 17 \nM \nBODY ARMOR, USE OF IN COMMISSION \nOF FELONY \nc. 269, § 10D \nF \nBOMB SCARE /HIJACK THREAT \nc. 269, § 14 \nF \nBOMB/EXPLOSIVES, UNLAWFUL \nPOSSESSION \n \n \nc. 266, §102. \nc. 148, § 35 prior \nto July 15, 2010 \nF \n(M prior to July \n15, 2010) \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY, PERSON IN FEAR \nc. 266, § 17 \n \nF \nBREAKING AND ENTERING DAY, INTENT \nTO COMMIT FELONY \nc. 266, § 18 \nF \nBREAKING AND ENTERING RAILROAD \nCAR \nc. 266, § 19 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "CAR \nc. 266, § 19 \nF \nBREAKING AND ENTERING TRUCK, \nINTENT TO COMMIT FELONY \nc. 266, § 20A \nF \nBREAKING AND ENTERING, INTENT TO \nCOMMIT MISDEMEANOR \nc. 266, § 16A \nM \nBRIBERY OF A POLICE OFFICER \n(state/local official or member of the \njudiciary) \nc. 268A, § 2 \nF \nBRIBERY/GIFTS TO INFLUENCE \nBUSINESS AFFAIRS \nc. 271, § 39 \nF \nBURGLARIOUS TOOLS, MAKE OR \nPOSSESS \nc. 266, § 49 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 23:\nSuperintendent’s Circular HRS-PP09 \nPage 23 of 32 \n \nBURGLARIOUS TOOLS, MOTOR VEHICLE \nMASTER KEY, MAKE OR POSSESS \nc. 266, § 49 \nF \nBURGLARY, ARMED \nc. 266, § 14 \nF \nBURGLARY, UNARMED \nc. 266, § 15 \nF \nBURNING BUILDING \nc. 266, § 2 \nF \nBURNING MOTOR VEHICLE OR \nPERSONAL PROPERTY \nc. 266, § 5 \nF \nBURNING TO DEFRAUD INSURANCE CO. c. 266, § 10 \nF \nBURN MOTOR VEHICLE, WILLFUL & \nMALICIOUS \nc. 266, § 127 \nF \nCIVIL RIGHTS VIOLATION, NO BODILY \nINJURY \nc. 265, § 37 \nM \nCOMPOUNDING OR CONCEALING \nFELONY \nc. 268, § 36 \nF \nCONTRIBUTE TO DELINQUENCY OF \nCHILD \nc. 119, § 63 \nM \nCONFINE OR PUT IN FEAR TO STEAL OR \nATTEMPT TO STEAL \nc. 265, § 21 \nF \nCREDIT CARD, LARCENY OR MISUSE OF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "F \nCREDIT CARD, LARCENY OR MISUSE OF \nc. 266, § 37B \nM \nCREDIT CARD, UNAUTHORIZED USE, \nOVER $250 \nc. 266, § 37C \nF \nCRIMINAL HARASSMENT \nc. 265, § 43A(a) M \nDANGEROUS WEAPON, CARRYING \nc. 269, §§ 10(b) \nand 10(d) \n \nF \nDANGEROUS WEAPON, UNLAWFUL \nPOSSESSION \nc. 269, § 10(b) \nF \nDEFACEMENT OF REAL OR PERSONAL \nPROPERTY \nc. 266, § 126A \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 24:\nSuperintendent’s Circular HRS-PP09 \nPage 24 of 32 \n \nDESTRUCTION OF PROPERTY OVER $250, \nMALICIOUS \nc. 266, § 127 \nF \nDISORDERLY CONDUCT \nc. 272, § 53 \nM \nDRUGS, LARCENY FROM AUTHORIZED \nPERSON \nc. 94C, § 37 \nF \nDRUGS, FAILURE TO KEEP RECORDS \nc. 94C, § 15 \nM \nDRUGS, ILLEGAL POSSESSION CLASS C \nSUBSTANCE \nc. 94C, § 34 \nM \nDRUGS, ILLEGAL POSSESSION CLASS D \nSUBSTANCE \nc. 94C, § 34 \nM \nDRUGS, ILLEGAL POSSESSESSION CLASS \nE SUBSTANCE \nc. 94C, § 34 \nM \nDRUGS, DISPENSE WITHOUT \nPRESCRIPTION OR WHEN NOT \nREGISTERED \nc. 94C, § 25 \nM \nDRUG PARAPHENELIA, DISTRIBUTE OR \nINTEND TO DISTRIBUTE \nc. 94C, § 32I(a) \nM \nDRUG PARAPHENELIA, SELL TO MINOR \nc. 94C, § 32I(B) \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "c. 94C, § 32I(B) \nF \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS A SUBSTANCE \nc. 94C, § 32 \nF \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS B SUBSTANCE \nc. 94C, § 32A \nF \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS C SUBSTANCE \nc. 94C, § 32B \nF \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS D SUBSTANCE \nc. 94C, § 32C \nF \nDRUGS, MANUFACTURE/DISTRIBUTE \nCLASS E SUBSTANCE \nc. 94C, § 32D(a) M" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 25:\nSuperintendent’s Circular HRS-PP09 \nPage 25 of 32 \n \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE \nc. 94C, § 32A \nF \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS A SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, § 32J \n \nF \nDRUGS, \nMANUFACTURE/DISTRIBUTE/DISPENSE \nCLASS B SUBSTANCE IN, ON, OR NEAR \nSCHOOL/PARK \n \nc. 94C, § 32J \n \nF \nDRUGS, MOTOR VEHICLE HOMICIDE, \nNEGLIGENT OPERATION \nc. 90, § 24G(b) \nF \nDRUGS, POSSESS CLASS A SUBSTANCE \nc. 94C, § 34 \nM \nDRUGS, POSSESS CLASS A SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, § 32(a) \nF \nDRUGS, POSSESS CLASS B SUBSTANCE \nc. 94C, § 34 \nM \nDRUGS, POSSESS CLASS B SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, § 32A(a) F" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "INTENT TO DISTRIBUTE \nc. 94C, § 32A(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, § 32B(a) F \nDRUGS, POSSESS CLASS C SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, § 34 \nM \nDRUGS, POSSESS CLASS D SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, § 32C(a) M \nDRUGS, POSSESS CLASS D SUBSTANCE, \nSUBSEQUENT OFFENSE \nc. 94C, § 34 \nM \nDRUGS, POSSESS CLASS E SUBSTANCE, \nINTENT TO DISTRIBUTE \nc. 94C, § 32D \nM" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 26:\nSuperintendent’s Circular HRS-PP09 \nPage 26 of 32 \n \nDRUGS, POSSESS CONTROLLED \nSUBSTANCE WITH INTENT TO \nDISTRIBUTE, SUBSEQUENT OFFENSE \n \nc. 94C, § 32(b) \n \nF \nDRUGS, POSSESS COUNTERFEIT \nSUBSTANCES WITH INTENT TO \nDISTRIBUTE \n \nc. 94C, § 32G \n \nM \nDRUGS, POSSESS CLASS A SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, § 32J \n \nF \nDRUGS, POSSESS CLASS B SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, § 32J \n \nF \nDRUGS, POSSESS CLASS D SUBSTANCE \nWITH INTENT TO DISTRIBUTE IN, ON, OR \nNEAR SCHOOL/PARK \n \nc. 94C, § 32J \n \nF \nDRUGS, TRAFFICKING IN COCAINE IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, § 32J \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "ON, OR NEAR SCHOOL/PARK \nc. 94C, § 32J \nF \nDRUGS, TRAFFICKING IN HEROIN IN, ON, \nOR NEAR SCHOOL/PARK \nc. 94C, § 32J \nF \nDRUGS, TRAFFICKING IN MARIJUANA IN, \nON, OR NEAR SCHOOL/PARK \nc. 94C, § 32J \nF \nDRUGS, UNLAWFULLY OBTAINING \nCONTROLLED SUBSTANCE, FALSE \nPRESCRIPTION, FRAUD, FALSE \nREGISTRATION \nc. 94C, § 33 \nF \nEMBEZZLEMENT \nc. 266, §§ 51-52, \n55-59 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 27:\nSuperintendent’s Circular HRS-PP09 \nPage 27 of 32 \n \nENTER WITHOUT BREAKING, \nBLDG/SHIP/MOTOR VEHICLE, INTENT TO \nCOMMIT A FELONY, PERSON IN FEAR \nc. 266, § 17 \nF \nENTER WITHOUT BREAKING A \nDWELLING IN NIGHT, INTENT TO COMMIT \nFELONY \nc. 266, § 18 \nF \nENTER WITHOUT BREAKING, TRUCK, \nWITH INTENT TO COMMIT FELONY \nc. 266, § 20A \nF \nESCAPE BY PRISONER \nc. 268, § 16 \nF \nESCAPE, FURLOUGH \nc. 268, § 16 \nF \nEXPLOSIVES, THROWING \nc. 266, § 102 \nF \nEXPLOSIVES, THROW/PLACE/EXPLODE \nOR POSSESS WITH INTENT TO INJURE \n \nc. 266, § 102 \n \nF \nFIREARM, CARRYING LOADED \nRIFLE/SHOTGUN \nc. 269, § 12D(a) \nM \nFIREARM, CARRYING LOADED OR \nUNLOADED FIREARM ON A PUBLIC WAY; \nUNENCLOSED CASE" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "UNENCLOSED CASE \n \nc. 269, § 12D(b) \n \nF \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A BUILDING \nc. 269, § 12E \nM \nFIREARM, DISCHARGE WITHIN 500 FT. \nOF A DWELLING OR NEAR HIGHWAY \n \nc. 131, § 58 \n \nM \nFIREARM LICENSE/ID CARD, FALSE \nc. 140, § 131I \nF \nFIREARM, POSSESS WITHOUT FIREARMS \nID \nc. 269, § 10(h) \nM \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED \nc. 269, § 11C \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 28:\nSuperintendent’s Circular HRS-PP09 \nPage 28 of 32 \n \nFIREARM, POSSESS OF, SERIAL/ID \nNUMBER OBLITERATED, USED IN \nCOMMISION OR ATTEMPTED \nCOMMISION OF A FELONY \n \nc. 269, § 11B \n \nF \nFIREARM, SELL WITHOUT LICENSE \nc. 140, § 128 \nF \nFIREARM, SHOTGUN, BARREL UND 18 \n“SAWED OFF”, POSSESS, SUBSEQUENT \nOFFENSE \nc. 269, § 10(d) \nF \nFIREARM, SHOTGUN, BARREL UND 18 \n“SAWED OFF”, POSSESS \nc. 269, § 10(c) \nF \nFIREARM UNATTENDED \nc. 269, § 10(h) \nF \nFIREARM, UNLAWFUL POSSESSION, \nCOMMISSION FELONY \nc. 265, § 18B \nF \nFIREARM, SHOTGUN, UNLAWFUL \nPOSSESSION \nc. 140, § 129C \nM \nFIREARM VIOLATION, CARRY WITH \nAMMUNITION \nc. 269, § 10(n) \nM \nFORGED INSTRUMENT, UTTER \nc. 267, § 5 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "M \nFORGED INSTRUMENT, UTTER \nc. 267, § 5 \nF \nFUGITIVE FROM JUSTICE \nc. 276, § 19 \nM \nGUN PERMIT, FALSE INFORMATION FOR c. 140, § 129 \nM \nHOAX DEVICE/SUBSTANCE, \nPOSSESS/TRANSPORT/USE \nc. 266, § 102A ½; \nc. 266, §102 \nprior to July 15, \n2010 \n \nF \nINDECENT EXPOSURE \nc. 272, § 53 \nM \nINFERNAL MACHINE, POSSESS \nc. 266, § 102A \nc. 266, §102 \nprior to July 15, \n2010 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 29:\nSuperintendent’s Circular HRS-PP09 \nPage 29 of 32 \n \nKIDNAPPING MINOR BY RELATIVE \nc. 265, § 26A \nM \nKILL BEAST, WILLFUL & MALICIOUS \nc. 266, § 112 \nF \nLARCENY, MOTOR VEHICLE OR TRAILER c. 266, § 28 \nF \nLARCENY, PERSON \nc. 266, § 25 \nF \nLARCENY, PERSON 65+ \nc. 266, § 25 \nF \nLARCENY BY CHECK UNDER $250 \nc. 266, § 37 \nM \nLARCENY BY CHECK OVER $250 \nc. 266, § 37 \nF \nLARCENY FIREARM \nc. 266, § 30 \nF \nLARCENY IN BLDG, SHIP, VESSEL, OR RR \nCAR \nc. 266, § 20 \nF \nLARCENY IN TRUCK/TRAILER \nc. 266, § 20B \nF \nLARCENY OVER $250 \nc. 266, § 30 \nF \nLARCENY UNDER $250 \nc. 266, §30 \nM \nLARCENY, BANK EMPLOYEE OR OFFICER c. 266, § 52 \nF \nLEAVE SCENE AFTER PERSONAL INJURY, \nMOTOR VEHICLE \nc. 90, §" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "MOTOR VEHICLE \nc. 90, § \n24(2)(a1/2)(1) \nM \nLEWD & LASCIVIOUS CONDUCT \nc. 272, § 53 \nM \nLEWDNESS, OPEN & GROSS \nc. 272, § 16 \nF \nLIQUOR, PROCURE FOR MINOR \nc. 138, § 34 \nM \nMACHINE OR SAWED OFF SHOT GUN, \nPOSSESSION OF \nc. 269, § 10(c) \nF \nMACHINE GUN, POSSESSION OF \nWITHOUT LICENSE \nc. 269, § 10(c) \nF \nMANSLAUGHTER BY OPERATING UNDER \nTHE INFLUENCE \nc. 265, § 13 ½ \nF \nMEDICAL ASSISTANCE (MEDICAID) \nFRAUD \nc. 118E, § 40 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 30:\nSuperintendent’s Circular HRS-PP09 \nPage 30 of 32 \n \nMEDICAL ASSISTANCE (MEDICAID) \nKICKBACK \nc. 118E, § 41 \nF \nMOTOR VEHICLE HOMICIDE, RECKLESS \nOPERATION \nc. 90, § 24G(b) \nF \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE DRUGS, NEGLIGENT OR \nRECKLESS \nc. 90, § 24G(a) \nF \nMOTOR VEHICLE, USE OF IN \nCOMMISSION OF FELONY \nc. 90, § 24(2)(a) F \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR \nc. 90, § 24G(b) \nF \nMOTOR VEHICLE HOMICIDE, UNDER \nINFLUENCE LIQUOR, NEGLIGENT OR \nRECKLESS \nc. 90, § 24G(b) \nF \nMOTOR VEHICLE, OPERATING AFTER \nLICENSE REVOKED FOR DRUNK DRIVING \nc. 90, § 23 \nM \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL \nc. 90, § \n24(1)(a)(1) \nM" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "c. 90, § \n24(1)(a)(1) \nM \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, ALCOHOL, 3rd \nAND SUBSEQUENT OFFENSE \nc. 90, § \n24(1)(a)(1) \n \nF \nMOTOR VEHICLE, OPERATING UNDER \nINFLUENCE OF DRUGS, LIQUOR, 3rd AND \nSUBSEQUENT OFFENSE \nc. 90, § 24 \nF \nMOTOR VEHICLE, TAKE WITHOUT \nAUTHORITY, STEAL PARTS \nc. 266, § 28 \nF \nOBSCENE MATERIALS, POSSESS WITH \nINTENT TO DISTRIBUTE \nc. 272, § 29 \nF \nOBSCENE LITERATURE, SELL TO MINOR \nc. 272, § 28 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 31:\nSuperintendent’s Circular HRS-PP09 \nPage 31 of 32 \n \nOBSTRUCTION OF JUSTICE \nCommon law \nM [See c. 279, § 5 \nre: penalty for \nCommon Law \nCrimes.] \nPERJURY \nc. 268, § 1 \nF \nPRESCRIPTION; FORGERY, ALTER \nc. 94C, § 33(b) \nF \nPRESCRIPTION, UTTER FALSE \nc. 94C, § 33 \nF \nPRISONER, DELIVER ARTICLES TO OR \nFROM INMATE \nc. 268, § 31 \nF \nPRISONER, DELIVER DRUGS TO \nc. 268, § 28 \nF \nPROSTITUTION/SOLICITATION \nc. 272, § 53A \nM \nPROSTITUTION, ENGAGING IN SEX \n“JOHN” \nc. 272, § 53A \nM \nPROSTITUTION, KEEP HOUSE OF \nc. 272, § 24 \nM \nPROSTITUTE, SOLICIT FOR \nc. 272, § 8 \nM \nRESISTING ARREST \nc. 268, § 32B \nM \nRIOT \nc. 269, § 1 \nM \nROBBERY, UNARMED \nc. 265, § 19(b) \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "M \nROBBERY, UNARMED \nc. 265, § 19(b) \nF \nROBBERY, UNARMED, VICTIM 60+ \nc. 265, § 19(a) \nF \nSHOPLIFTING, 3rd OR SUBSEQUENT \nOFFENSE \nc. 266, § 30A \nM \nSTOLEN PROPERTY, RECEIVE, OVER $250 c. 266, § 60 \nF \nSTOLEN MOTOR VEHICLE, RECEIVE/BUY c. 266, § 28(a) \nF \nTELECOMMUNICATIONS FRAUD \nc. 166, § 42A \nM \nTELEPHONE CALLS, ANNOYING OR \nOBSCENE \nc. 269, § 14A \nM \nUNNATURAL ACTS \nc. 272, § 35 \nF" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP09 Criminal History Screening", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link", + "content": "Page 32:\nSuperintendent’s Circular HRS-PP09 \nPage 32 of 32 \n \nVANDALIZE \nCHURCH/SYNAGOGUE/CEMETERY \nc. 266, § 127A \nF \nVANDALIZE \nSCHOOL/CHURCH/EDUCATIONAL BLDG \nc. 266, § 98 \nF \nWITNESS, INTIMIDATE OR RETALIATE \nAGAINST \nc. 268, § 13B \nF \nCONSPIRACY TO COMMIT ANY OF \nABOVE TABLE B CRIMES \n \n \nATTEMPTS TO COMMIT ANY OF THE \nABOVE TABLE B CRIMES \n \n \nACCESSORY BEFORE ANY OF THE \nABOVE TABLE B CRIMES" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nHRS-PP12 \nVersion 01 \n \nDOMESTIC VIOLENCE LEAVE POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools is committed to the health and safety of \nour employees and their families. This circular is intended to \ncomply with applicable state laws (1 ) that are designed to protect \nvictims of domestic violence. Should you or your family member \nbe a victim of domestic violence or abusive behavior, you are \nencouraged to communicate with the Office of Human resources \nabout the situation. \nBoston Public Schools must provide employees with up to 15" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link", + "content": "days of time off in a 12-month period, if: \n• the employee or their family member is the victim of \nabusive behavior (such as domestic violence, stalking, sexual \nassault, or kidnapping); and \n• the purpose of the leave is to seek medical attention, \ncounseling, secure housing, or obtain legal or other victim \nservices directly related to the abusive behavior against the \nemployee or family member of the employee. \n \n(1) Section 52E of Chapter 149 of the Massachusetts General Laws \n(Section 10 of Chapter 260 of the Acts of 2014)" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-PP12 \nPage 2 of 3 \n \nFor purposes of this policy, a family member includes: \n• Married spouses \n• Persons \"in a substantive dating or engagement \nrelationship\" AND who reside together \n• Persons having a child in common regardless of whether \nthey have ever married or resided together \n• A parent, step-parent, child, step-child, sibling, grandparent, \nor grandchild \n• Persons in a guardianship relationship \nYou are immediately eligible for this leave upon the beginning of \nyour employment. Employees may use accrued sick, personal, \nand vacation time to remain in paid status during a covered leave" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link", + "content": "under this policy. If no accrued time is available, leave under this \npolicy will be unpaid. \nWe request that you provide appropriate advance notice of this \nleave (as required by the current leave policy), unless there is an \nimminent danger to your immediate health and safety (in which \ncase, we must receive notification within 3 workdays that the \nleave was taken or is being taken for reasons covered by this \npolicy). If you take this leave, please provide documentation \nevidencing that you or your family member has been a victim of \ndomestic violence or abusive behavior within 30 days of the leave \nrequest. Such forms of documentation may include: \n• A court issued protective order" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link", + "content": "• A court issued protective order \n• An official document from a court, provider, or public \nagency \n• A police report or statement of a victim or witness provided \nto the police" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-PP12 \nPage 3 of 3 \n \n• Official legal documentation attesting to perpetrator’s guilt \n• Medical documentation of treatment for the abusive \nbehavior \n• A sworn statement from the employee attesting to being a \nvictim of abusive behavior \n• A sworn statement from a professional who has assisted the \nemployee or the employee's family, e.g., a counselor, social \nworker, health care worker, or member of the clergy. \nPerpetrators of domestic violence are not entitled to leave under \nthis statute. \nProvided you have submitted proper documentation, your \nemployment is protected for leave taken under this policy. If you" + }, + { + "folder_name": "Office of Human Resources", + "file_name": "HRS-PP12 Massachusetts Domestic Violence Leave Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link", + "content": "have questions at any time as to how this policy applies to you, \nplease do not hesitate to contact the Office of Human resources. \nFor more information about this circular, contact: \nName: \nEmployee Services – Leave of Absence Team \nDepartment: \nOffice of Human resources \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9255 \nFax: \n617-635-7957 \nEmail: \nohrleaves@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-09 \nVersion 01 \n \nPOLITICAL ACTIVITY BY PUBLIC EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPublic employees have most of the same rights as other citizens \nto engage in private political activity. However, the conflict of \ninterest law, M.G.L. c. 268A, restricts some political activity of \npublic employees. In addition, the campaign finance law, M.G.L. \nc. 55, restricts public employees’ political fundraising. \nPROHIBITED ACTIVITY \nThe following restrictions are imposed by law on public \nemployees and volunteers with respect to their participation in" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "political activity whether on the local, state, or federal level. \n1. Participation in Political Activity \n• “Political activity” includes, but is not limited to, any activity \nthat is in support of or in opposition to a federal, state, or \nlocal candidate or political party or a state or local ballot \nquestion. \n• In general, a public employee may not use their public \nposition to engage in political activity. \n• Public employees may not participate in political activity: \no during their usual business hours \no while acting in an official capacity or while in official" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-09 \nPage 2 of 6 \n \nuniform \no with the use of other public facilities or property and \nresources, such as staff time, public office space and \nfacilities, public office equipment such as telephones \nand other communications equipment, computers, \ncopiers, public websites and links to public websites, or \npublic office supplies such as official stationery \n• Partisan political and campaign activity may be conducted \nby an employee only during non-business hours, including \nusual lunch hour, vacation time, personal time, or during a \nleave of absence without pay. \n2. Prohibitions Against Public Employees Soliciting Political \nContributions" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Contributions \nIt is a violation of state law for a public employee directly or \nindirectly to solicit or receive any contributions or anything of \nvalue for any political purpose, at any time — during both \nworking and non-working hours. \nNo person employed for compensation, other than an elected \nofficer, by the commonwealth or any county, city or town shall \ndirectly or indirectly solicit or receive any gift, payment, \ncontribution, assessment, subscription, or promise of money or \nother thing of value for the political campaign purposes of any \ncandidate for public office or of any political committee, or for \nany political purpose whatever (Mass. G.L. c. 55, Section 13," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "emphasis added). \nThe principles supporting this prohibition — primarily to insulate \npublic employees from inappropriate political pressures and in \nturn to ensure that employees do not use their public positions" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-09 \nPage 3 of 6 \n \nfor personal or political gain — are important and must be \nstrongly protected. \nThis prohibition includes both direct and indirect solicitation: \n• A public employee may not ask any individual for a \ncontribution on behalf of a political candidate or committee. \n• A public employee may not encourage an individual to \ncontribute to a candidate for public or political office or to a \npolitical committee or sign a fundraising letter or \nadvertisement on behalf of a candidate or political \nfundraising event. \n• A public employee may not sponsor or allow the use of their \nname on an invitation to a fundraising event or on a political" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "fundraising request. \n• A public employee may not serve as a host or sponsor of a \npolitical fundraising event. \n• A public employee may not distribute or sell tickets to \npolitical fundraising events. \nIt should be noted that Mass. G.L. c. 55, Section 7A, does permit \npublic employees, as individuals, to make financial contributions \nto political campaigns. \n3. Solicitation In a Public Building \nNo one may solicit a political contribution in a public building. \nSolicitations include requests for, or receipt of, a contribution and \nthe distribution of fundraising letters or tickets. Any public \nemployee convicted of such solicitation of funds may be removed" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "from employment without a hearing (Mass. G.L. c. 55, Section 14)." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular LGL-09 \nPage 4 of 6 \n \n4. Public Employees Seeking Elective Office \nPublic employees seeking elective office may not solicit political \ncontributions either directly or indirectly. \nAny of the prohibitions against solicitation, which apply to public \nemployees, in general also apply to a public employee who is \nthemself a candidate for political office. Moreover, there are \nother restrictions which apply: \n• A public employee seeking office may attend an event held \non their behalf by a non-elected committee, but may not \nencourage contributions, directly or indirectly. \n• A public employee seeking public office may not give" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "permission to have their name appear on such invitation as \nthe one who encourages contributions by an individual. \nPERMITTED ACTIVITY \nIn general, public employees of all types may engage in private \npolitical activity, subject to the restrictions on political \nfundraising imposed by G.L. c. 55. The conflict of interest law \ndoes not prohibit a public employee from engaging in political \nactivity on their own time, using their own or other private \nresources, and when they are acting as an individual and not as \nan agent or representative of anyone else. \nINFORMATION \n• Elected and Policy-Making Officials: The restrictions on \npublic employee political activity are not the same for all" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "public positions. Elected officials may engage in more \npolitical activity than appointed officials and \nemployees. Public employees who hold policy-making" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular LGL-09 \nPage 5 of 6 \n \npositions have more leeway to make public statements and \nto take official action on political issues than do non-\npolicymakers. Employees are encouraged to contact the \nOffice of Legal Advisor with questions. \n• Campaign Finance: Employees seeking information on \nparticular questions are encouraged to call the \nMassachusetts Office of Campaign and Political Finance \n(OCPF). \n• Conflict of Interest: Employees may refer to State Ethics \nCommission’s Advisory No. 11-1, entitled “Public Employee \nPolitical Activity,” a copy of which can be obtained by \nclicking this link: \nState Ethics Commission Advisory 11-1: Public Employee" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Political Activity | Mass.gov \nFor information on campaign contributions and expenditures, \nplease see G.L. c. 55. \nENFORCEMENT \nThe City intends to ensure that the legal restrictions on political \nactivity by public employees are fully enforced. This bulletin \nshould serve as notice to public employees of the City of such \nrestrictions and their implications." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-09 Political Activity by Public Employees", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular LGL-09 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-07 \nVersion 01 \n \nPRIVACY OF STUDENT INFORMATION AND STUDENT \nRECORD PROCEDURES: HOW TO RESPOND TO \nSTUDENT RECORD REQUESTS IN COMPLIANCE WITH \nFERPA AND STATE LAW \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nI. \nGENERAL INFORMATION \nThese student record procedures pertain to all information \nmaintained by the Boston Public Schools concerning a student in \nwhich he/she may be individually identified. \nThe student record consists of two parts: the transcript and the \ntemporary record. \nA. \nThe transcript contains administrative records that" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "constitute the minimum data necessary to reflect the \nstudent's educational progress and to operate the \neducational system. The transcript is limited to the \nname, address, and phone number of the student, the \nstudent’s birth date, name, address and phone number \nof the custodial parent or guardian, course titles, \ngrades (or the equivalent when grades are not \napplicable), course credit, grade level completed, and \nthe year completed. The transcript must be retained for \nat least sixty (60) years after the student leaves the \nschool system." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 2:\nSuperintendent’s Circular LGL-07 \nPage 2 of 21 \n \nB. \nThe temporary record is all other student record \ninformation besides the transcript. Temporary record \ninformation may include health information, \ndisciplinary information, examples of student work, \nspecial education or 504 plan documents, incident \nreports, and any other information kept by the school \nwhich identifies the student individually. Duplicates of \nan original record do not need to be kept as part of the \ntemporary record. The temporary record should be \ndestroyed no later than seven (7) years after the \nstudent leaves the school system, provided proper \nnotification is given as directed below. \nII." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "notification is given as directed below. \nII. \nPARENTS (AND STUDENTS) HAVE A LEGAL RIGHT TO \nCONTROL ACCESS TO STUDENT INFORMATION \nBoth federal and state law provide that a parent, and any student \nthat is 14 or older and/or in grade nine or above, have a legal right \nto control access to the student’s educational record. The Family \nEducational Rights and Privacy Act (FERPA) and Massachusetts \nlaw define the parent’s/student’s right to access, seek to amend \nand exercise control over the disclosure of personally identifiable \ninformation in the student record. The Boston Public Schools is \nlegally responsible to respect and protect the parent’s/student’s" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "rights to privacy and control under FERPA and state law. \nViolation of these legal rights can subject BPS to sanctions, \nincluding termination of federal funding, and can subject BPS \nemployees to discipline, up to and including termination. \nBPS notifies all students and parents of these rights annually by \nmeans of the “Guide to BPS for Students & Families.” The Guide \nfor Students & Families identifies the limited types of information \nthat may be released without consent (see Directory Information \nbelow). By September 30 of each year, parents and students have" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 3:\nSuperintendent’s Circular LGL-07 \nPage 3 of 21 \n \na right to inform the school that such information shall not be \nreleased without direct consent. \nSchools receive requests for student record information in many \nways and from many different sources. By law, a school’s \nresponse to a request for student records must vary depending \non who is making the request and what is being requested. \nBelow are descriptions of the main categories of requests that \nschools may need to address. If the information below does not \ndirectly describe a situation presented, the school should contact \nthe Office of Legal Advisor at legal@bostonpublicschools.org for \nmore direction. \nIII." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "more direction. \nIII. \nREQUESTS AND CONSENT BY PARENT/STUDENT \nWhen a parent or student seeks to access, amend or consent to \nsharing of student records, the following definitions will aid you \nin understanding and complying with applicable law. \n• A parent is the student’s natural parent, a guardian, or an \nindividual acting as a parent in the absence of a parent or \nguardian. \n• A custodial parent is any parent with whom a child \nresides, whether permanently or for periods of time, and \nwho supervises the child. \n• A non-custodial parent is any parent who does not have \nphysical custody of the child and who does not reside \nwith or supervise the child, even for short periods of time," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "by court order. \n• An eligible student is a student who is at least 14 years of \nage and/or has entered the ninth grade." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 4:\nSuperintendent’s Circular LGL-07 \nPage 4 of 21 \n \nA. Request to Inspect/Copy Records \n1. Custodial Parents and Eligible Student. A custodial \nparent, and/or an eligible student have a right to \ninspect all portions of the student record upon \nrequest. The record will be made available to the \ncustodial parent and/or eligible student no later \nthan ten (10) days after the request. The custodial \nparent and/or eligible student have the right to \nreceive copies of any part of the record. In addition, \nthe custodial parent and/or eligible student may \nrequest to have parts of the record interpreted by a \nqualified professional of the school or may invite" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "anyone else of their choosing to inspect or interpret \nthe record with them. Please see Attachment 1 for \nthe process of fulfilling a custodial parent’s or \neligible student’s request for the student record. \n2. Non-Custodial Parents. Non-custodial parents must \nbe given access to their children’s student records, \nunless the school has been given written \ndocumentation that establishes either: \na. The non-custodial parent has been denied legal \ncustody by a court based upon a threat to the \nstudent or to the custodial parent. \nb. The non-custodial parent has been denied \nvisitation or has supervised visitation. \nc. Access to the student or to the custodial parent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "has been restricted by a court-issued protective \norder against the non-custodial parent, \nprovided such protective order does not \nspecifically allow access to student record \ninformation." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 5:\nSuperintendent’s Circular LGL-07 \nPage 5 of 21 \n \nd. There is an order of a probate and family court \njudge which prohibits distribution of student \nrecords to the non-custodial parent. \nA school that receives a request for student record \ninformation from a non-custodial parent should send \na copy of the notification attached as Attachment 2, \nvia certified and first-class mail, to the custodial \nparent prior to providing student records to the non-\ncustodial parent. The notification must be in English \nand the primary language of the custodial parent. If \nno documentation related to any of the four (4) \nscenarios above is received within 21 days, the records" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "must be provided to the non-custodial parent. If \ndocumentation related to any of the four (4) scenarios \nabove is received within 21 days, it must be kept in the \nstudent record and the non-custodial parent must be \nnotified, via certified and first class mail, of the reason \nfor denial of access. \nB. Request to Amend Student Record \nThe custodial parent and/or eligible student have the \nright to add relevant comments, information, or other \nwritten materials to the student record. In addition, the \ncustodial parent and/or eligible student have the right to \nmake a written request that information in the record be \namended or deleted, except information created by a" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "special education team, which may not be amended or \ndeleted until after acceptance of the individualized \neducation plan or completion of the appeals process. \nThe custodial parent and/or eligible student have a right \nto a conference with the school principal to make their \nobjections known. Within one week after the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 6:\nSuperintendent’s Circular LGL-07 \nPage 6 of 21 \n \nconference, the principal must render a decision in \nwriting. If the custodial parent and/or eligible student \nare not satisfied with the decision, it may be appealed to \nthe operational leader. \nC. Consent to Share Student Information \nThe custodial parent and/or eligible student have the \nlegal right to consent to sharing of the student record \nwith any person or entity they choose. A school should \nuse Attachment 4 to document the custodial parent’s \nand/or eligible student’s specific, informed, written \nconsent and include the signed consent in the student \nrecord. \nExcept as specifically noted below, no individuals or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "organizations other than the custodial parent, eligible \nstudent, and authorized school personnel are allowed to \nhave access to information in the student record without \nthe specific, informed, written consent of the custodial \nparent or the eligible student. \nIV. \nTHIRD PARTY REQUESTS FOR STUDENT-IDENTIFYING \nINFORMATION: CONSENT NOT REQUIRED OR ASSUMED BY \nOPERATION OF LAW \nA. \nSubpoenaed Records. Boston Public Schools will \nproduce documents requested in court orders or \nlawfully issued subpoenas. Such requests should be \nemailed immediately to the Office of Legal Advisor. All \nrecords sought by the court order or subpoena should" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "be forwarded via courier mail or hand delivery as soon \nas possible. Attachment 3 should be completed and \nused to notify the parent and/or eligible student that \nsubpoenaed information will be provided absent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 7:\nSuperintendent’s Circular LGL-07 \nPage 7 of 21 \n \nfurther court order. \nB. \nAuthorized School Personnel. Authorized school \npersonnel (those providing direct services to the \nstudent, administrative staff whose duties require \nthem to access the student record, and an evaluation \nteam that evaluates a student) shall have access to the \nstudent’s school record when such access is required in \nthe performance of their official duties. \nC. \nDirectory Information. Unless the parent or eligible \nstudent has previously indicated in writing their \ndisapproval of the release of such information, the \nschool may release the following directory information:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "student’s name, age, grade level, and dates of \nenrollment. BPS notifies students and parents \nannually of the types of information that will be \nreleased by means of the “Guide to BPS for Students & \nFamilies,” and allows custodial parents and students \nuntil September 30 of each year to inform BPS that \nsuch information will not be released without prior \nconsent. \nD. \nMilitary Recruiters and Higher Education Institutions. \nUnless a parent or student has previously objected in \nwriting in response to notification through the \npublication of the “Guide to BPS for Students & \nFamilies,” military recruiters and institutions of higher \neducation must be provided, upon written request," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "with the names, addresses and telephone numbers of \nsecondary school students. All requests by military \nrecruiters for such information must be forwarded to \nthe Office of Legal Advisor for centralized processing. \nE. \nSpecified State Agencies and Local Authorities. A" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 8:\nSuperintendent’s Circular LGL-07 \nPage 8 of 21 \n \nschool may release student record information without \nprior written consent to the following agencies when \nacting in their official capacities: Department of \nChildren and Families, Department of Youth Services, a \nprobation officer, or a justice of the court. Attachment \n3 should be used to notify parents of such requests. \nF. \nSchools. When a student seeks or intends to transfer to \nanother school, the student record can be sent to the \nreceiving school. \nG. \nSchool Nurses and State Health Department. School \nnurses and local and state health department officials \nmay have access to student health record information" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "when such access is required in the performance of \ntheir official duties. For further information related to \nstudent health information, please consult \nSuperintendent’s Circular LGL-16, Student Health \nInformation. \nH. \nHealth or Safety Emergency. Without the consent of \nthe parent or eligible student, a school may disclose \ninformation regarding a student to appropriate parties \nin connection with a health or safety emergency if \nknowledge of the information is necessary to protect \nthe health or safety of the student or individuals and if \nthe appropriate procedure has been followed. That \ndoes not mean that anyone who asks, and who thinks" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "something is amiss or might happen, has a right to \naccess personally identifiable student information. \nRequired criteria: The regulations implementing \nFERPA (34 CFR § 99.36) requires that each of the \nfollowing criteria be met: \na. \nThe request is made “in connection with an" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 9:\nSuperintendent’s Circular LGL-07 \nPage 9 of 21 \n \nemergency.” \ni. “Emergency” means the request must be \nrelated to an actual, impending, or imminent \nemergency. \nii. BPS requires that a school consider the \nfollowing criteria to determine whether the \nrequest is made in connection with an \nemergency: \n• The seriousness of the threat to the health \nor safety of the student or others \n• The need for the information to meet the \nthreat \n• Whether the requestor is able to deal with \nthe emergency \n• The extent to which time is of the essence \nin dealing with the emergency. \niii. Any release of records is limited to the period \nof the emergency; if the emergency is over no" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "of the emergency; if the emergency is over no \nfurther release of student information is \nallowed. \nb. \nThere is an articulable and significant threat to \nthe health or safety of the student or other \nindividuals. \nc. \nThe requester (usually law enforcement, public \nhealth officials, and medical professionals) needs \nthe information to protect the health or safety of \nthe student or other individuals. \nd. \nNo blanket release of personally identifiable \ninformation is allowed. Any release of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 10:\nSuperintendent’s Circular LGL-07 \nPage 10 of 21 \n \ninformation must be narrowly tailored \nconsidering the immediacy, magnitude, and \nspecificity of the threat. \ne. \nThe determination is made on a case-by-case \nbasis, considering the totality of the \ncircumstances pertaining to the threat to the \nhealth or safety of the student or others. \nf. \nWithin a reasonable time after making the \ndisclosure, the school must record in the \nstudent’s record the articulable and significant \nthreat that formed the basis for the disclosure, \nand to whom the information was disclosed. \nV. \nTHIRD PARTY REQUESTS FOR PUBLIC RECORDS \nCONTAINING ONLY REDACTED AND/OR NON-STUDENT-" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "CONTAINING ONLY REDACTED AND/OR NON-STUDENT-\nIDENTIFYING INFORMATION \nUpon receipt of a third-party request for public records, the \nschool should immediately send a copy of the request via \nemail to the Office of Legal Advisor for review and direction. \nAll public records requests must be reduced to writing, \ndated, and signed by the requestor, and must contain the \nreturn address information of the requestor. For more \ninformation, see Superintendent’s Circular LGL-3, Public \nRecords Requests. \nVI. \nDESTRUCTION OF STUDENT RECORDS \nThe law sets forth different time periods for the retention \nand destruction of different portions of student records." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "These different time periods are set forth below: \nA. Transcripts - A student’s transcript must be maintained \nby the school department for sixty (60) years following" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 11:\nSuperintendent’s Circular LGL-07 \nPage 11 of 21 \n \nthe student’s graduation, transfer, or withdrawal from \nthe school system. \nB. Periodic Review of the Temporary Record - While a \nstudent is enrolled in a school, the principal/head of \nschool or his/her designee shall periodically review all \nstudents’ temporary records and identify for destruction \nany misleading, outdated, or irrelevant information. This \nmay include, particularly, exemplars of student work or \nother impertinent information. Prior to destroying any \nsuch information, however, the student and his/her \nparent must be given written notification of the school’s" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "intent to destroy such information and must be given the \nopportunity to receive the information or a copy of the \ninformation prior to its destruction. \nC. Temporary Record Destruction - The temporary record \nof any student may be destroyed no later than seven (7) \nyears after the student transfers, graduates or withdraws \nfrom the school district, if the student and his/her \nparent/guardian have been given written notification \nthat includes the approximate date of destruction of the \ntemporary record and indicating their right to receive the \ninformation in whole or in part at the time of the \nstudent’s graduation, transfer or withdrawal from the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "school system or prior to its destruction. Such notice \nmust be in addition to the annual notice issued by \nBoston Public Schools in the “Guide to BPS For Students \n& Families.”" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 12:\nSuperintendent’s Circular LGL-07 \nPage 12 of 21 \n \n \nFor more information about this circular, contact: \nOwner: \nOffice of Legal Advisor Director \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 13:\nSuperintendent’s Circular LGL-07 \nPage 13 of 21 \n \nATTACHMENT 1 \nSTUDENT RECORD REQUEST PROCEDURES \n1. Parent/guardian or eligible student requests for the student’s \nrecord are received, processed, and sent to the requestor \ndirectly by the school. Third-party requests are received by the \nOffice of Legal Advisor, processed by the school, and then sent \nback to the Office of Legal Advisor for transmission to the \nrequester. \n2. The principal/head of school will be responsible for certifying \nthat all portions of the student record have been copied as a \nresponse to the requestor. The principal/head of school will" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "complete the checklist and certification. If the request is being \nsent to the parent, the certification will include the date sent to \nthe parent. A copy of the checklist will be sent with the record, \nand the original will be retained by the school. \n3. For third party requests, the principal/head of school will \ncomplete the same process but provide the copy of the entire \nrecord and the checklist to the Office of Legal Advisor for \nreview and delivery. \n4. Requests received during the summer months: By June 1 of \neach year, principals must identify who to contact for each \nweek of the summer break and provide that list to the school" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "superintendent. The designated individual will check for \nincoming mail and for parent/guardian or eligible student \nrequests, will obtain the records (copy and/or print), complete \nthe checklist, and deliver them to the requester. In the event \nof a third-party request, the same protocol will be followed but \nthe designated individual will send the record and the \ncompleted checklist to the Office of Legal Advisor." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 14:\nSuperintendent’s Circular LGL-07 \nPage 14 of 21 \n \nATTACHMENT 2 \nNOTICE OF NON-CUSTODIAL PARENT REQUEST \nFOR STUDENT RECORDS \nVIA REGISTERED MAIL AND FIRST CLASS MAIL \n \nDear Custodial Parent of ________________________________________ : \nThis is to notify you that a request from __________________________ \nwas received on_____________ for the following parts of your \nchild’s student record: ___________________________________________. \nIn accordance with federal and Massachusetts law, non-custodial \nparents must be given access to their children’s student records, \nunless the school has been given written documentation that \nestablishes either:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "establishes either: \n1. The non-custodial parent was denied legal custody by court \norder based upon a threat to the student or to the custodial \nparent; \n2. The non-custodial parent has been denied visitation or has \nsupervised visitation; \n3. Access to the student or to the custodial parent has been \nrestricted by a court-issued protective order against the non-\ncustodial parent, provided such protective order does not \nspecifically allow access to student record information; or \n4. There is an order of a probate and family court judge which \nprohibits distribution of student records to the non-custodial \nparent." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 15:\nSuperintendent’s Circular LGL-07 \nPage 15 of 21 \n \nThe requested records will be released on _______________, unless \nthe documentation indicated in the paragraph above has been \nreceived by the Building Administrator of the School. If you have \nany questions, you may contact \n \n_____________________________________ at _________________________ . \nSincerely, \n \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \n \nDate: _________________________ \n \nNOTE: THIS NOTICE MUST BE SENT IN BOTH ENGLISH AND THE \nPRIMARY LANGUAGE OF THE CUSTODIAL PARENT." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 16:\nSuperintendent’s Circular LGL-07 \nPage 16 of 21 \n \nATTACHMENT 3 \nNOTICE OF DISSEMINATION OF STUDENT RECORD TO THIRD \nPARTIES FOR WHICH CONSENT IS NOT REQUIRED OR IS \nASSUMED BY OPERATION OF LAW \n \nDear ____________________________________________: \nThis is to notify you that a: \n subpoena \n request from a justice \n other (specify) _______________________________________________ \nhas been received for the following parts of your/your child's \nstudent record: \n __________________________________________________________________ \n __________________________________________________________________ \nThe Massachusetts regulations pertaining to student records" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "state that the school system must comply with the above \nrequest, but that this notification must be provided to you prior \nto the release of the records. In the case of a subpoena, court \norder, or request from a probation officer or the Department of \nYouth Services, you have the right to attempt to have the \nsubpoena, order or request stopped by a court." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 17:\nSuperintendent’s Circular LGL-07 \nPage 17 of 21 \n \nThe records will be released on _________________________________ . \nIf you have any questions, you may contact \n___________________________________ at ____________________________ . \nSincerely yours, \n __________________________________________________________________ \nSignature of Principal or Other Authorized School Employee \nDate:_____________________________ \n \nNOTE: This notice must be sent in both English and the primary \nlanguage of the custodial parent." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 18:\nSuperintendent’s Circular LGL-07 \nPage 18 of 21 \n \nATTACHMENT 4 \nPARENT’S OR STUDENT’S CONSENT FOR DISSEMINATION OF \nSTUDENT RECORD TO THIRD PARTY \nMy name is _____________________________________________. I am: \n the parent/guardian of a BPS student named: \n _____________________________________________________________ \n a BPS student age 14 or over and in at least ninth grade. \nI give permission for the following third parties to \n inspect \n secure a copy of \nthe parts of my/my child's student record noted below. \nTHIRD PARTIES: \n __________________________________________________________________" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "__________________________________________________________________ \nREASONS FOR RELEASE OF RECORDS: \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 19:\nSuperintendent’s Circular LGL-07 \nPage 19 of 21 \n \nParts of Record to be Released* \nPermission \nGranted \nPermission \nDenied \nTranscript information (includes \nidentifying information, course titles, \ngrades or their equivalent, and grade \nlevel completed) \n \n \nDisciplinary record \n \n \nExtracurricular activities \n \n \nTeacher and counselor evaluations \nand comments \n \n \nAttendance record \n \n \nOther (specify): \n \n \n \n \n __________________________________________________________________ \n**Signature of eligible student or parent/guardian \nStudent's Class:_____________________________Date_________________ \n* Before seeking the parent's or eligible student's consent, the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "school should cross out those items which have not been \nrequested by the third party. \n** This form may be signed by a student or former student of 14 \nyears of age or older, or a student in the ninth grade or above, \nor a custodial parent or guardian." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 20:\nSuperintendent’s Circular LGL-07 \nPage 20 of 21 \n \nATTACHMENT 5 \nCHECKLIST FOR RETRIEVAL OF COMPLETE STUDENT RECORD \n \nYES N/A \nPrint electronic student file from ASPEN, \nSNAP and EDPLAN \n▢ \n▢ \n \nTranscript information (includes identifying \ninformation, course titles, grades or equivalent, and \ngrade level completed) \n▢ \n▢ \nDisciplinary record \n▢ \n▢ \nNursing record \n▢ \n▢ \n \nSpecial education record \n▢ \n▢ \nELL file \n▢ \n▢ \nAttendance records \n▢ \n▢ \nPhysical restraint records \n▢ \n▢ \nCounseling records \n▢ \n▢ \nCorrection of student record \n▢ \n▢ \nOther (specify): _______________________________________ ▢ \n▢" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "▢ \n➤ The school should cross out those items which have not been \nrequested." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-07 Student Records", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET", + "content": "Page 21:\nSuperintendent’s Circular LGL-07 \nPage 21 of 21 \n \nAttachment 5, continued \nCERTIFICATION \nI, __________________________________________(Principal/School \nLeader) of _______________________________________________________ \nSchool, certify that to the best of my knowledge, all of the \ncomponents of the student record that are requested, applicable \nto this student, and maintained by the school or on an electronic \nBPS system have been copied and delivered to the requestor, \nName ___________________________________________________________ , \non [date]______________________. \n________________________________________________ \nSignature" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-18 \nVersion 01 \n \nDISPLAY OF FLAG AND SCHOOL CEREMONIES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Law requires that a “flag shall be \ndisplayed, weather permitting, on the school building or grounds \non every school day and on every legal holiday.” In addition, we \nare required to ensure that “a flag shall be displayed in every \nclassroom...and in each assembly hall” (M.G.L. c.71, §69). The \nimportant patriotic and historic holidays celebrated during the \nschool year place a focus on our responsibility with respect to the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view?usp=drive_link", + "content": "display of the American flag in all schools and classrooms. \nPatriotic and national holidays offer the opportunity in our history \nand social studies classes to provide instruction about the flag, its \norigin, care, and symbolic significance. This instruction complies \nwith State Learning Standard 18 (Principles of American \nGovernment). In addition, student projects may afford the \nopportunity for students to conduct in-depth research on \nsubjects such as the flag and other patriotic symbols, documents, \nspeeches, and literature. \nSchool Committee policy and Massachusetts state law require \nthat “public school teachers at the commencement of the 1st" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view?usp=drive_link", + "content": "class of the day lead the class in group recitation of the Pledge of \nAllegiance” (M.G.L. c.71, §69). The Massachusetts Supreme Judicial" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-18 \nPage 2 of 2 \n \nCourt, however, has ruled that although students and teachers \nhave the right to a daily opportunity to participate in the Pledge \nof Allegiance, teachers and students have a constitutional right \nnot to participate in the pledge. Teachers and students who \nchoose not to participate (i.e., recite and/or stand) may not be \npenalized for declining to do so. All schools must comply with our \nresponsibility to display the flag and to provide daily opportunity \nfor recitation of the Pledge of Allegiance. \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-18 Display of Flag and School Ceremonies", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view?usp=drive_link", + "content": "Office of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-16 \nVersion 01 \n \nSTUDENT HEALTH INFORMATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nState and federal laws and regulations dealing with the \nconfidentiality of student record information recognize that \nstudent health information is treated differently from other \nstudent record information. It should be noted that the Health \nInsurance Portability and Accountability Act, also known as \nHIPAA, does not apply to student records, with some exceptions \nnot germane to this policy. See 65 Fed. Reg. 82805 (2000). \nSchool health personnel may have access to student health" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "records when such access is required in the performance of their \nofficial duties. See 603 Code Mass. Regs. §23.07 (4)(h). Of course, a \nparent/guardian, or in some circumstances the student, may \nconsent to the release of student health record information to \nschool personnel generally. In the absence of such informed \nwritten consent, however, the following standards should apply \nto a determination of which school officials may access what \nparts of a student’s health record. In the first instance, such \ndeterminations should be made by the building administrator in \nconsultation with the school-based nurse. If a disagreement" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "arises, such concerns should be brought to the attention of the \nsenior director of Health Services for resolution." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-16 \nPage 2 of 4 \n \n \nThe following guidelines should be used: \n1. Routine medical information. Such student health information \nshould be disseminated only as is appropriate to meet the \nregular and effective educational mission of the school. Such \ninformation may include information contained in an IEP or \n504 Plan, previously scheduled medical appointments, health-\nrelated incidents that may require or necessitate further \nreporting, dispensation of medications, and conditions such as \nfood allergies, seizures, and asthma. In all events, only the \nminimum necessary health record information should be" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "disclosed. Thus, the type of medications dispensed would, \nabsent more, not be disclosed in the above example. The fact \nthat a medical appointment necessitating early dismissal is \nwith a psychiatrist would also not normally be disclosed as a \nmatter of routine medical information. \nRoutine medical information is information that is appropriate \nfor certain staff to know in order to maximize the safety for \nchildren. For example, a child with diabetes needs to have \nteachers who are knowledgeable about the illness so the child \nmay have a safe learning environment. Low blood sugar can \nalso affect the child’s ability to concentrate. In this" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "circumstance it would be appropriate to notify all the child’s \nteachers individually. Health information should never be \ncirculated by an all-staff memo. \n2. \nMedical information of limited dissemination. This is student \nhealth information that is of a confidential nature and yet is of \nlittle educational benefit in the school. This is specific \ninformation that the Student Support Team needs to know to \nprovide accommodations. When possible, all diagnoses," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-16 \nPage 3 of 4 \n \nespecially those related to mental health, should be \nexpressed as a functional diagnosis. For example, it should be \nenough for the team to know that a child who is depressed is \ngetting counseling. The details of the diagnosis or the causes \nof the depression are not relevant to the team’s provision of \naccommodations. The nurse provides the connection with \nthe provider to interpret the medical information or when \nclarification is required. \n3. \nHighly sensitive information. This is student health \ninformation of a highly sensitive nature that has no bearing \non educational achievement and is of no educational use or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "consequence and in which a high expectation of privacy \nexists for students and/or parents or guardians. Such \ninformation may include: suicide attempts, treatment for \ndrug or alcohol abuse, mental health diagnoses, family \nplanning information, maternity/paternity tests or \ninformation, abortions, or HIV infection. This information is of \ntwo types: (1) no accommodations or safety issues and (2) \nhighly sensitive information. \nMedical diagnoses that have no relevance to a student’s \nperformance do not need to be shared. For example, a child \nin therapy who is depressed but not suicidal and who is \nperforming well in school, does not need to have this" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "information shared with the school community. There are \nalso highly sensitive medical situations that are protected by \nstate regulations. These include HIV and a minor’s right to \nseek medical care for pregnancy, sexually transmitted \ndiseases, and substance abuse, without their parents’ \nconsent. Any inclusion of this information in the educational \nrecord is a violation of the adolescent’s right to privacy. With \nHIV, the student/family can choose to disclose and can limit" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular LGL-16 \nPage 4 of 4 \n \nthe individuals to disclose to. In some circumstances, such \ninformation is of such a private nature that even \ndissemination to a parent or guardian is prohibited. \nQuestions in this regard should be directed to the Office of \nLegal Advisor. Such highly sensitive health information \nshould, whenever possible, be segregated from the rest of a \nstudent’s health information to reduce the chance of \ninadvertent disclosure. \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-16 Student Health Information", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link", + "content": "Phone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-14 \nVersion 01 \n \nGATHERINGS ON SCHOOL GROUNDS AND \nDISTRIBUTION OF MATERIALS IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIt is permissible for schools to regulate the time, place, and \nmanner of any demonstration to avoid disruption of classes or \nthe orderly entrance and departure of students into and out of \nthe building. Accordingly, principals and heads of school are \nadvised that gatherings of three (3) or more people or \ndistribution of leaflets shall be regulated as follows: \n1. All gatherings or demonstrations should be viewed as a" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "legal expression of First Amendment rights. If a building \nadministrator questions whether the material being \ndistributed is protected by First Amendment rights, the \nOffice of the Legal Advisor should be contacted immediately \nat 617-635-9320. \n2. All gatherings or demonstrations shall not disrupt school \nclasses or the orderly entrance and departure of students \ninto and out of the school building. \n3. The Students’ Freedom of Expression Law (G.L. c. 71, §82) \npermits students to plan peaceable assemblies on school \nproperty for the purpose of expressing their opinions. \nBuilding administrators may designate the time and place" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-14 \nPage 2 of 4 \n \nfor such demonstrations to avoid disruption of classes and \ndisorder in the school. \n4. All other gatherings or demonstrations which are not \nplanned by students shall be restricted to areas off school \nproperty and in such areas as not to restrict the flow of \ntraffic and school buses. The building administrator may \ndesignate such areas. \n5. All gatherings or demonstrations shall be reported to the \nBoston Police Department (at 911), the operational leader, \nand the Department of Safety Services as soon as possible \nafter the gathering and/or demonstration is organized." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "6. Gatherings in school buildings may be limited if school is \nbeing conducted remotely. Any in-person gatherings or \ndemonstrations will comply with public health guidelines \nincluding those that mandate group size limits, physical \ndistancing, and the wearing of masks, as well as BPS policies \nregarding access to buildings. \n7. Materials and/or announcements of a public interest nature \nmust be submitted to the administrator in charge two \nschool days (at least 48 hours) prior to distribution for review \nand approval in order to be distributed in a school or a \nschool-sponsored forum. In addition, there should be no \ncost accrued by the BPS in the distribution of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "cost accrued by the BPS in the distribution of \nmaterials/announcements requested by external \norganizations. The following materials shall be prohibited \nfrom circulation in schools or school-sponsored forums: \n• Advertisements of for-profit and political organizations \nand/or events sponsored by said organizations (including \npolitical and commercial flyers)" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-14 \nPage 3 of 4 \n \n• Materials including those promoting anything illegal or \nimmoral and/or are otherwise pervasively indecent or \nvulgar \n• Materials which include false and/or misleading \ninformation and/or which interfere with the proper and \norderly operation and discipline of the school \n8. Requests for collections and donations, which do not have \nthe authorization of the School Department, shall be \nprohibited. \n9. The sale of merchandise, products, etc. by a recognized \nschool/parent organization may be authorized with the prior \napproval of a building administrator. \n10. The sale and/or promotion of merchandise, products, etc. by" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "an external organization/agency will not be authorized \nunless the proceeds are used for the support of educational \nprograms and prior approval has been given. \n11. The sale of lottery tickets and/or other games of chance \nshall be prohibited. \n12. Distribution process: \n• Outside groups’ literature should not be distributed to \nstudents during instructional time and, if possible, should \nnot be intermingled with official school notices, but may \nbe posted on a bulletin board used for such materials. \n• Students should not be compelled to take home or read \nany outside group’s literature. \n• School newsletters and notices to parents may not recruit \nmembers for outside groups." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-14 Gathering on School Grounds, Distrib of Materials in Schools", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular LGL-14 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-01 \nVersion 01 \n \nHAZING LAW \nMassachusetts law makes it a crime to engage in hazing \nactivities. Hazing means any conduct or method of initiation into \nany student organization, whether on public or private property, \nwhich willfully or recklessly endangers the physical or mental \nhealth of any student or other person. A copy of the \nCommissioner of Elementary and Secondary Education’s advisory \nis attached hereto as Attachment 1. \nMiddle school principals, heads of school, and principals of K-8 \nschools should treat hazing as a violation of Section 7.2.5 of the \nCode of Conduct with attendant sanctions. They are required by" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "state law to take the following steps: \n1. Distribute a copy of the amended law [Attachment 1] to \neach school-based student organization on or before \nSeptember 15. \n2. Obtain from each such student organization a statement, \nsigned by a designated officer of the organization, \nindicating that: \na. the organization has received a copy of the law. \nb. each of its members, plebes, pledges, or applicants \nhas received a copy of the law. \nc. the organization understands and agrees to comply \nwith the law." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-01 \nPage 2 of 11 \n \nThe designated officer's signature should be \nwitnessed by an adult (i.e., faculty advisor), who \nshould also sign the statement. These statements \nshould be retained in the main office. A sample \nacknowledgment is attached to this memorandum \nas Attachment 2 for your convenience. \n3. Distribute a copy of the law to all students in grades 7 \nthrough 12 at least annually. Middle school principals, \nheads of school, and principals of K-8 schools must certify \nthat the school complies with the anti-hazing law to the \nMassachusetts Department of Elementary and Secondary \nEducation on or before October 1, by logging into the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "anti-hazing application accessible via MassEdu Gateway. \n4. The law also requires anyone who knows that another \nperson is the victim of hazing to report such an incident \nto an appropriate law enforcement official as soon as \npossible and provides criminal penalties for failure to do \nso. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nBy September 15 Building administrators distribute Attachment \n1 to all school-based student organizations. \nBy October 1 \nMiddle school principals, heads of school, and \nprincipals of K-8 schools certify compliance \nwith the anti-hazing law to DESE." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-01 \nPage 3 of 11 \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular LGL-01 \nPage 4 of 11 \n \nATTACHMENT 1 \n \nREMINDER ABOUT MASSACHUSETTS LAW PROHIBITING THE \nPRACTICE OF HAZING \nSchool Year 2023-2024 Anti-Hazing Data Collection \n \nThe anti-hazing law, which was enacted in 1985, applies only to \nsecondary schools in Massachusetts. Please note that a middle \nschool that has been designated as a secondary school by the \nschool committee must comply with the anti-hazing law and \nregulations. \nUnder Massachusetts General Laws Chapter 269, Sections 17–\n19 and 603 CMR 33.00, all secondary schools, both public and \nprivate, must: \n• Adopt anti-hazing policies as part of their disciplinary \npolicies." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "policies. \n• Distribute copies of the anti-hazing law to all students \nenrolled full-time; to all student groups, teams, and \norganizations that are part of or are recognized by the \nschool or are permitted by the school to use its name and \nfacilities; and to all known unaffiliated student groups, \nteams, or organizations. \nEvery year, secondary school principals/heads of school must: \n• Certify that you have read and understood the Anti-Hazing \nPolicy and that the school has complied with the law by \nlogging into the new Anti-Hazing application accessible via" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular LGL-01 \nPage 5 of 11 \n \nMassEdu Gateway at https://gateway.edu.state.ma.us/ \n• High school principals/heads of school (or a designee) who \nneed access should be assigned their school’s Anti-Hazing \nuser role by their district’s directory administrator. If you \nhave questions about this, contact your directory \nadministrator. \n• If your school does not have a directory administrator, or if \nyou need help with your user ID and password, please \ncontact Nermina Peric at nperic@doe.ma.us. \n• The schools must certify with the department on or before \nOctober 1. By November 1, the department must notify the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Attorney General of any school that has not filed a report. \n• Collect a signed acknowledgement from a contact person \nfor each student organization regarding distribution of \ninformation and agreement to comply with the law. The \nschools are not required to submit the Student Group Anti-\nHazing Form but should keep the form for their records. \nThe guidance in this memorandum is intended to ensure that all \npublic and private secondary schools meet their obligations \nunder this important law and that students know the rules, \nexpectations, and consequences regarding hazing. If you need \nadditional information about the anti-hazing law and secondary" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "schools' responsibilities, please contact Nermina Peric at 781-338-\n3708." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular LGL-01 \nPage 6 of 11 \n \nMASSACHUSETTS GENERAL LAWS — CHAPTER 269 \nC. 269, S.17. Crime of Hazing: Definition: Penalty \nWhoever is a principal organizer or participant in the crime of \nhazing, as defined herein, shall be punished by a fine of not more \nthan three thousand dollars or by imprisonment in a house of \ncorrection for not more than one year, or both such fine and \nimprisonment. \nThe term \"hazing\" as used in this section and in sections eighteen \nand nineteen, shall mean any conduct or method of initiation \ninto any student organization, whether on public or private \nproperty, which willfully or recklessly endangers the physical or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "mental health of any student or any other person. Such conduct \nshall include whipping, beating, branding, forced calisthenics, \nexposure to the weather, forced consumption of any food, liquor, \nbeverage or drug or other substance, or any other brutal \ntreatment or forced physical activity which is likely to adversely \naffect the physical health or safety of any such student or other \nperson, or which subjects such student or other person to \nextreme mental stress, including extended deprivation of sleep \nor rest or extended isolation. \nNotwithstanding any other provisions of this section to the \ncontrary, consent shall not be available as a defense to any" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "prosecution under this action. Added by St.1985, c.536; amended \nby St.1987, c.665." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular LGL-01 \nPage 7 of 11 \n \nC. 269, S.18. Duty to Report Hazing \nWhoever knows that another person is the victim of hazing as \ndefined in section seventeen and is at the scene of such crime \nshall, to the extent that such person can do so without danger or \nperil to himself or others, report such crime to an appropriate law \nenforcement official as soon as reasonably practicable. Whoever \nfails to report such crime shall be punished by a fine or not more \nthan one thousand dollars. Added by St.1985, c.536; amended by \nSt.1987, c.665. \nC. 269, S.19. Hazing Statutes To Be Provided; Statement of \nCompliance and Discipline Policy Required" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Compliance and Discipline Policy Required \nEach institution of secondary education and each public and \nprivate institution of post-secondary education shall issue to \nevery student group, student team or student organization which \nis part of such institution or is recognized by the institution or \npermitted by the institution to use its name or facilities or is \nknown by the institution to exist as an unaffiliated student group, \nstudent team or student organization, a copy of this section and \nsections seventeen and eighteen; provided, however, that an \ninstitution’s compliance with this section’s requirements that an \ninstitution issue copies of this section and sections seventeen" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "and eighteen to unaffiliated student groups, teams or \norganizations shall not constitute evidence of the institution’s \nrecognition or endorsement of said unaffiliated student groups, \nteams or organizations. \nEach such group, team or organization shall distribute a copy of \nthis section and sections seventeen and eighteen to each of its \nmembers, plebes, pledges, or applicants for membership. It shall" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular LGL-01 \nPage 8 of 11 \n \nbe the duty of each such group, team or organization, acting \nthrough its designated officer, to deliver annually, to the \ninstitution an attested acknowledgement stating that such \ngroup, team or organization has received a copy of this section \nand said sections seventeen and eighteen, that each of its \nmembers, plebes, pledges or applicants has received a copy of \nsections seventeen and eighteen, and that such group, team or \norganization understands and agrees to comply with the \nprovisions of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "private institution of post-secondary education shall, at least \nannually, before or at the start of enrollment, deliver to each \nperson who enrolls as a full-time student in such institution a \ncopy of this section and sections seventeen and eighteen. \nEach institution of secondary education and each public or \nprivate institution of post-secondary education shall file, at least \nannually, a report with the board of higher education and in the \ncase of secondary schools, the board of education, certifying that \nsuch institution has complied with its responsibility to inform \nstudent groups, teams, or organizations and to notify each full" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "time student enrolled by it of the provisions of this section and \nsections seventeen and eighteen and also certifying that said \ninstitution has adopted a disciplinary policy with regard to the \norganizers and participants of hazing, and that such policy has \nbeen set forth with appropriate emphasis in the student \nhandbook or similar means of communicating the institution's \npolicies to its students. The board of higher education and, in the \ncase of secondary institution, the board of education shall \npromulgate regulations governing the content and frequency of \nsuch reports, and shall forthwith report to the attorney general" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular LGL-01 \nPage 9 of 11 \n \nany such institution, which fails to make such report. Added by \nSt.1985, c.536; amended by St.1987, c.665; St.1998, c. 161 §§ 557, 558." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular LGL-01 \nPage 10 of 11 \n \n ATTACHMENT 2 \nSAMPLE ANNUAL STATEMENT OF ACKNOWLEDGEMENT FOR \nSTUDENT GROUPS, TEAMS, AND ORGANIZATIONS \nANTI-HAZING LAW, M.G.L. C. 269, §§ 17-19 \n \n \nTo: \nSecondary School Principal or Head of School \n \nOn behalf of _____________________________________________________ \n(name of student group, team, or organization) \nI certify that the _________________________________________________ \n(name of student group, team, or organization) \nand its members, plebes, pledges, or applicants for membership \nhave received a copy of An Act Prohibiting the Practice of Hazing, \nM.G.L. c. 269, §§ 17-19; and that the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "M.G.L. c. 269, §§ 17-19; and that the \n __________________________________________________________________ \n(name of student group, team, or organization) \nunderstands and agrees to comply with the law." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-01 Anti-Hazing", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular LGL-01 \nPage 11 of 11 \n \nDate: ____________________________ \nSigned: __________________________________________________________ \n(Designated Officer) \n __________________________________________________________________ \n(Printed Name) \n \nFaculty Advisor or Leader: (for school affiliated group, team, or \norganization only) ________________________________________________ \n \nDate Received by Principal or Designee: __________________________ \n \n \nC: School Files \n \nCentral Office Files" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-15 \nVersion 01 \n \nSTUDENT SURVEYS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. §1232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the \nfollowing policy. Additionally, a student survey that is not" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view?usp=drive_link", + "content": "developed or administered through the use of funds received \nfrom the United States Department of Education also does not \nneed to comply with this policy. \nFor those student surveys that are developed or administered \nthrough the use of federal education funds and in which a \nstudent is required to participate, the following policy applies. \nThis policy applies to those surveys that ask a student to reveal \nany of the following information: political affiliation; mental \nillness or psychological problems; sexual behavior and/or \nattitudes; illegal, self-incriminating, and demeaning behavior; \ncritical appraisals of close family members; relationships to which" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view?usp=drive_link", + "content": "a privilege is recognized, such as clergy, medical doctors, or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-15, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nattorneys; religious affiliations or beliefs; and income, other than \nfor eligibility for participation in a program. Prior to \nadministering such a survey, the student’s parent or guardian \nmust consent, in writing, to the student’s participation in the \nsurvey. Also, a copy of the survey must be made available to the \nparent or guardian. Any such survey should also be brought to \nthe attention of the Office of Legal Advisor. \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-15 Student Surveys", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view?usp=drive_link", + "content": "2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-22 \nVersion 01 \n \nSEXUAL OFFENDER REGISTRY INFORMATION (S.O.R.I.) \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Sexual Offender Registry Law requires that all convicted \nsexual offenders in the Commonwealth of Massachusetts register \nwith the police departments in the cities or towns where they live \nand work. The State classifies the offender on a level of 1 to 3, \ndepending on the likelihood of whether the offender might \nrepeat his/her crimes. Once a local police department receives \nthe information, it can be shared with public school districts for" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "the protection of children. As a result of this law, Boston Public \nSchools principals and heads of school can access SORI \ninformation per the state website as described below. \nThe Boston Public Schools will receive the Sexual Offender \nRegistry Information (S.O.R.I.) from the Boston Police \nDepartment. Pursuant to state regulations, BPD must notify all \nschools in the community of a finally classified Level 3 sex \noffender or a sexually dangerous predator. Information available \nincludes: the registered individual’s name, home and/or \nworkplace address, date of birth, general physical description, \ncharges for which they were convicted, and a photograph, if \navailable." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "available. \nInformation pertaining to the Sex Offender Registry website \nshould be shared with your staff to educate them on this \nresource and of the public availability of S.O.R.I information." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-22 \nPage 2 of 6 \n \nAlthough S.O.R.I. information is distributed to alert communities \nand protect children, it must be handled in a responsible manner. \nIt is against the law to distribute copies and/or use this \ninformation in an unlawful manner, e.g., threats, extortion, etc. It \nis also against the law to use the sex offender registry \ninformation to commit a crime or to engage in illegal \ndiscrimination or harassment of a sex offender. \nThe law was passed to prevent convicted offenders from preying \non innocent children. If you identify a registered offender acting \ninappropriately around a school building or approaching" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "children, contact the Boston Police Department immediately. \nAttached, please find some common questions and answers. \n1. Who must register as a sex offender? \nA sex offender is anyone who lives, works, or attends school \nin Massachusetts who has: \n• Been convicted of a sex offense \n• Been adjudicated as a youthful offender or a delinquent \njuvenile for a sex offense \n• Been released from incarceration, parole, probation \nsupervision, or custody with the Department of Youth \nServices for a sex offense conviction or adjudication \n• Been adjudicated as a sexually dangerous person, or a \nperson released from civil commitment anytime from \nAugust 1, 1981" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "August 1, 1981 \n2. How can a principal or head of school request information \nfrom the Sex Offender Registry Board? \nOnce a person registers with the Sex Offender Registry \nBoard and that information is shared with local police" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-22 \nPage 3 of 6 \n \ndepartments, those departments can share the information \nwith public school districts. Local police departments have \naccess to information pertaining to Levels 1, 2, and 3 sex \noffenders. \n3. How can non-school personnel or parents request \ninformation from the Sex Offender Registry Board? \nThe public may request information about sex offenders in \nthe community by sending a Sex Offender Inquiry Form \nrequest to the Sex Offender Registry Board. Requests may \neither be submitted online or at the following mail address: \nAttn: SORI Coordinator \nSex Offender Registry Board \nP.O. Box 392 \nNorth Billerica, MA 01862" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "P.O. Box 392 \nNorth Billerica, MA 01862 \n \nPlease see https://www.mass.gov/how-to/request-sex-\noffender-registry-information-sori for more information. \nA person may also request information in person at a local \npolice station. \nUnlike local police departments, members of the public can \nonly access information about Level 2 and Level 3 offenders." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular LGL-22 \nPage 4 of 6 \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \nOR \nOwner: \nChief of Safety Services \nDepartment: \nSafety Services \nMailing Address: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular LGL-22 \nPage 5 of 6 \n \nSEX OFFENDER REGISTRY INFORMATION (S.O.R.I) \nQuestions and Answers \n• What should I as a principal/head of school do with the \ninformation I receive from Safety Services or BPD on S.O.R.I. \ncases? \nYou should establish a secure, central file for mandatory review \nby all staff members, including teachers, paraprofessionals and \nvolunteers who have an established pattern of work in the \nschool. This file will be a one-copy file, with opportunity for \nstaff to come and review. No copies of this S.O.R.I. information \ncan be made and/or distributed. \n• What if upon first review, I note that one of the offenders is an" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "employee/volunteer at my school? \nContact the Office of Human Capital for further direction. The \nOffice of Human Capital will review each situation on a case-\nby-case basis and will work with the Office of Legal Advisor \nand the superintendent of schools on a final resolution. \n• What if upon first review, I note that one of the offenders is a \nstudent in my school? \nContact Safety Services Unit at 617-635-8000 for further \ndirection. \n• What should I do if a parent or community member comes to \nthe school or calls seeking S.O.R.I. information? \nThe individual should be directed to the nearest police district, \nwhich will provide the information upon request." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular LGL-22 \nPage 6 of 6 \n \n• How will S.O.R.I. be handled relative to BPS employees, BPS \nstudents, BPS volunteers, and bus drivers? \no All employees hired henceforth will have a S.O.R.I. check \ndone automatically. This will be in conjunction with the \nC.O.R.I. (Criminal Offender Registry Information) check that \nis already in place. Also, all information regarding S.O.R.I. \noffenders received by Safety Services will be run against the \ncurrent employee listing to identify any employees who \nmight be sex offenders. \no All information regarding S.O.R.I. offenders received by \nSafety Services will be run against the current student" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "listing to identify any students who might be sex offenders. \no Partners in Education will request to be placed on the \nPolice Department’s mailing list on all S.O.R.I. cases and will \ncheck this on a regular basis against their listing of \nvolunteers. \no BPS’s contracted transportation provider will request to be \nplaced on the Police Department’s mailing list on all S.O.R.I. \ncases and will check this on a regular basis against their \nlisting of bus drivers. \no Community Schools will request to be placed on the Police \nDepartment’s mailing list on all S.O.R.I. cases and will check \nthis on a regular basis against their listing of employees." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-22 Sexual Offender Registry Information", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link", + "content": "• What if any situation, in general, occurs in or around my \nschool relative to the S.O.R.I. process? \nContact Safety Services Unit immediately at 617-635-8000." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1W_5X-GQGCfOXEELcV_E1vpRiIL_WDXZm", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-20 \nVersion 01 \n \nCORPORAL PUNISHMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nPrincipals and heads of school should remind staff that the use of \ncorporal punishment in schools is strictly forbidden by Boston \nSchool Committee policy as well as by Massachusetts State Law \nG.L. c. 71, § 37G, which provides: \n(a) The power of the school committee or of any teacher or \nany other employee or agent of the school committee to \nmaintain discipline upon school property shall not include \nthe right to inflict corporal punishment upon any pupil." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1W_5X-GQGCfOXEELcV_E1vpRiIL_WDXZm", + "content": "(b) The provisions of this section shall not preclude any \nmember of the school committee or any teacher or any \nemployee or agent of the school committee from using \nsuch reasonable force as is necessary to protect pupils, \nother persons, and themselves from an assault by a pupil. \nWhen such an assault has occurred, the principal shall file \na detailed report of such with the school committee. \n(c) The board of education shall promulgate regulations \nregarding the use of physical restraint for students. Such \nregulations shall not preclude any teacher or employee or \nagent of the school from using reasonable force to \nprotect pupils, other persons, and themselves from an" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1W_5X-GQGCfOXEELcV_E1vpRiIL_WDXZm", + "content": "assault by a pupil as set forth above in section (b). Such" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1W_5X-GQGCfOXEELcV_E1vpRiIL_WDXZm", + "content": "Page 2:\nSuperintendent’s Circular LGL-20 \nPage 2 of 2 \n \nregulations shall require training of all personnel \nauthorized to administer any forms of restraint. Such \nregulations shall provide for procedures for notification to \nthe department and to the parents. \nCorporal punishment includes but is not limited to the following: \n• Slapping or hitting students \n• Pulling students by their arms, shoulders, etc. \n• Pushing students from one location to another \n• Forcibly causing students to sit down \n• Grasping students by any body part \nStaff may restrain students only to protect students, other \npersons, or themselves from an assault and may only use such" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-20 Corporal Punishment", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1W_5X-GQGCfOXEELcV_E1vpRiIL_WDXZm", + "content": "force as is reasonably necessary to repel such an attack. Violation \nof the policy and law will result in disciplinary measures and may \nresult in the filing of abuse and/or criminal charges. \nFor more information about this circular, contact: \nOwner: \nOffice of Legal Advisor Director \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-05 Subpoenas", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-05 \nVersion 01 \n \nSUBPOENAS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version.. \nSUBPOENA: When receiving a subpoena for student records, \npersonnel records, medical records, or any other document, a \ncopy of the subpoena must be emailed or delivered \nimmediately to the Office of Legal Advisor for review. \nSubsequent to that, please forward all responsive records with \nthe original subpoena to the Office of Legal Advisor. Such a \nsubpoena should be emailed or delivered, even if it is addressed \nto an individual, rather than the “keeper of the records.” Witness" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-05 Subpoenas", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view?usp=drive_link", + "content": "subpoenas (i.e., a subpoena that seeks testimony rather than \ndocuments) should also be emailed or delivered to the Office of \nLegal Advisor for appropriate consultation. \n If sending by email, please email legal@bostonpublicschools.org. \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-05 Subpoenas", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-05, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-08 Adherence to Court Orders", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-08 \nVersion 01 \n \nADHERENCE TO COURT ORDERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this memorandum is to remind Boston Public \nSchools staff of the need to continue to adhere to the court \norders entered against the District by courts of federal, state, and \nlocal jurisdiction. Such orders have the force of law and are \nbinding on the District. Therefore, it is the responsibility of \nadministrators and staff of the Boston Public Schools to comply \nwith the terms of such orders. \nAdditionally, an order by an arbitrator or state agency may also" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-08 Adherence to Court Orders", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view?usp=drive_link", + "content": "require compliance. Heads of school, principals, and other \nadministrators may contact the Office of Legal Advisor with \nquestions regarding adherence to court orders or the provisions \nof any order. \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-08 Adherence to Court Orders", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular #LGL-08, 2019-2020 \n[Date] \nPage 2 of 2 \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-19 \nVersion 01 \n \nCONFLICT OF INTEREST LAW – CITY EMPLOYEES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAttached you will find a copy of the \"Summary of the Conflict of \nInterest Law for Municipal Employees,\" which outlines the \nstandards of ethics and conduct for all city employees. This \nsummary was prepared and issued by the State Ethics \nCommission, the state entity charged with enforcing \nMassachusetts’ conflict of interest law, M.G.L. c. 268A. \nCopies of this summary should be distributed to all staff and \nSchool Site Council members on an annual basis. It may also be" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "found at this link: Summary of the Conflict of Interest law. \nAll staff should be encouraged to read and be familiar with the \nlaw so that we all carry out our obligations honestly and fairly, \nand so that our actions are above reproach. Please use the \nattachment to this circular to make copies for your staff and \nSchool Site Council. \nAnnually, every City employee is required by law to sign the \nacknowledgment of receipt of the attached summary via The \nHub. Alternatively, the employee may return the signed \nacknowledgement to their supervisor for submission to the \nOffice of Human Resources." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-19 \nPage 2 of 21 \n \nFurthermore, every two years, all current state, county, and \nmunicipal employees must complete online ethics training \nthrough the State Ethics Commission. New public employees \nmust complete this training within 30 days of beginning public \nservice, and every two years thereafter. Upon completing the \nprogram, employees should print out the completion certificate, \nkeep a copy for themselves, and provide a copy of the completion \ncertificate to Human Resources. The online training can be found \nat: \nComplete the Online Training Program for Municipal Employees | \nMass.gov" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Mass.gov \nFor specific questions regarding employment and/or individual \nactivity under the conflict of interest laws should be directed to \nthe Office of Legal Advisor. \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-19 \nPage 3 of 21 \n \nSUMMARY OF THE CONFLICT OF INTEREST LAW FOR \nMUNICIPAL EMPLOYEES \nAll municipal employees must be provided with this summary of \nthe conflict of interest law annually. \nAll city and town employees must be provided with this \nSummary of the Conflict of Interest Law for Municipal Employees \nwithin 30 days of hire or election, and then annually. All city and \ntown employees are then required to acknowledge in writing \nthat they received the summary. \nThis summary of the conflict of interest law, General Laws \nchapter 268A, is intended to help municipal employees \nunderstand how that law applies to them." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "understand how that law applies to them. \nThis summary is not a substitute for legal advice, nor does it \nmention every aspect of the law that may apply in a particular \nsituation. Municipal employees can obtain free confidential \nadvice about the conflict of interest law from the Commission's \nLegal Division at our website, phone number, and address above. \nMunicipal counsel may also provide advice. \nThe conflict of interest law seeks to prevent conflicts between \nprivate interests and public duties, foster integrity in public \nservice, and promote the public's trust and confidence in that \nservice by placing restrictions on what municipal employees may" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "do on the job, after hours, and after leaving public service, as \ndescribed below. The sections referenced below are sections of \nG.L. c. 268A. \nWhen the Commission determines that the conflict of interest \nlaw has been violated, it can impose a civil penalty of up to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular LGL-19 \nPage 4 of 21 \n \n$10,000 ($25,000 for bribery cases) for each violation. In addition, \nthe Commission can order the violator to repay any economic \nadvantage he gained by the violation, and to make restitution to \ninjured third parties. Violations of the conflict of interest law can \nalso be prosecuted criminally. \n1. Are you a municipal employee for conflict of interest law \npurposes? \nYou do not have to be a full-time, paid municipal employee \nto be considered a municipal employee for conflict of \ninterest purposes. Anyone performing services for a city or \ntown or holding a municipal position, whether paid or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "unpaid, including full- and part-time municipal employees, \nelected officials, volunteers, and consultants, is a municipal \nemployee under the conflict of interest law. An employee of \na private firm can also be a municipal employee, if the \nprivate firm has a contract with the city or town and the \nemployee is a \"key employee\" under the contract, meaning \nthe town has specifically contracted for her services. The law \nalso covers private parties who engage in impermissible \ndealings with municipal employees, such as offering bribes \nor illegal gifts. Town meeting members and charter \ncommission members are not municipal employees under \nthe conflict of interest law." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular LGL-19 \nPage 5 of 21 \n \n2. On-the-job restrictions. \na. Bribes. Asking for and taking bribes is prohibited. (See \nSection 2) \nA bribe is anything of value corruptly received by a \nmunicipal employee in exchange for the employee being \ninfluenced in his official actions. Giving, offering, \nreceiving, or asking for a bribe is illegal. \nBribes are more serious than illegal gifts because they \ninvolve corrupt intent. In other words, the municipal \nemployee intends to sell his office by agreeing to do or \nnot do some official act, and the giver intends to influence \nhim to do so. Bribes of any value are illegal." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "him to do so. Bribes of any value are illegal. \nb. Gifts and gratuities. Asking for or accepting a gift \nbecause of your official position, or because of \nsomething you can do or have done in your official \nposition, is prohibited. (See Sections 3, 23(b)(2), and 26). \nMunicipal employees may not accept gifts and gratuities \nvalued at $50 or more given to influence their official \nactions or because of their official position. Accepting a \ngift intended to reward past official action or to bring \nabout future official action is illegal, as is giving such gifts. \nAccepting a gift given to you because of the municipal \nposition you hold is also illegal. Meals, entertainment" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "event tickets, golf, gift baskets, and payment of travel \nexpenses can all be illegal gifts if given in connection with \nofficial action or position, as can anything worth $50 or \nmore. A number of smaller gifts together worth $50 or \nmore may also violate these sections." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular LGL-19 \nPage 6 of 21 \n \nExample of violation: A town administrator accepts \nreduced rental payments from developers. \nExample of violation: A developer offers a ski trip to a \nschool district employee who oversees the developer's \nwork for the school district. \nRegulatory exemptions. There are situations in which a \nmunicipal employee's receipt of a gift does not present a \ngenuine risk of a conflict of interest and may in fact \nadvance the public interest. The Commission has created \nexemptions permitting giving and receiving gifts in these \nsituations. One commonly used exemption permits \nmunicipal employees to accept payment of travel-related" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "expenses when doing so advances a public purpose. \nAnother commonly used exemption permits municipal \nemployees to accept payment of costs involved in \nattendance at educational and training programs. Other \nexemptions are listed on the Commission's website. \nExample where there is no violation: A fire truck \nmanufacturer offers to pay the travel expenses of a fire \nchief to a trade show where the chief can examine \nvarious kinds of fire-fighting equipment that the town \nmay purchase. The chief fills out a disclosure form and \nobtains prior approval from his appointing authority. \nExample where there is no violation: A town treasurer \nattends a two-day annual school featuring multiple" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "substantive seminars on issues relevant to treasurers. The \nannual school is paid for in part by banks that do business \nwith town treasurers. The treasurer is only required to \nmake a disclosure if one of the sponsoring banks has \nofficial business before her in the six months before or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular LGL-19 \nPage 7 of 21 \n \nafter the annual school. \nc. Misuse of position. Using your official position to get \nsomething you are not entitled to, or to get someone \nelse something they are not entitled to, is prohibited. \nCausing someone else to do these things is also \nprohibited. (See Sections 23(b)(2) and 26) \nA municipal employee may not use her official position to \nget something worth $50 or more that would not be \nproperly available to other similarly situated individuals. \nSimilarly, a municipal employee may not use her official \nposition to get something worth $50 or more for \nsomeone else that would not be properly available to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "other similarly situated individuals. Causing someone else \nto do these things is also prohibited. \nExample of violation: A full-time town employee writes a \nnovel on work time, using her office computer, and \ndirecting her secretary to proofread the draft. \nExample of violation: A city councilor directs \nsubordinates to drive the councilor's wife to and from the \ngrocery store. \nExample of violation: A mayor avoids a speeding ticket by \nasking the police officer who stops him, \"Do you know \nwho I am?\" and showing his municipal I.D. \nd. Self-dealing and nepotism. Participating as a municipal \nemployee in a matter in which you, your immediate" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "family, your business organization, or your future \nemployer has a financial interest is prohibited. (See \nSection 19)" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular LGL-19 \nPage 8 of 21 \n \nA municipal employee may not participate in any \nparticular matter in which he or a member of his \nimmediate family (parents, children, siblings, spouse, and \nspouse's parents, children, and siblings) has a financial \ninterest. He also may not participate in any particular \nmatter in which a prospective employer, or a business \norganization of which he is a director, officer, trustee, or \nemployee has a financial interest. Participation includes \ndiscussing as well as voting on a matter and delegating a \nmatter to someone else. \nA financial interest may create a conflict of interest" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "whether it is large or small, and positive or negative. In \nother words, it does not matter if a lot of money is \ninvolved or only a little. It also does not matter if you are \nputting money into your pocket or taking it out. If you, \nyour immediate family, your business, or your employer \nhave or has a financial interest in a matter, you may not \nparticipate. The financial interest must be direct and \nimmediate or reasonably foreseeable to create a conflict. \nFinancial interests which are remote, speculative, or not \nsufficiently identifiable do not create conflicts. \nExample of violation: A school committee member's wife \nis a teacher in the town's public schools. The school" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "committee member votes on the budget line item for \nteachers' salaries. \nExample of violation: A member of a town affordable \nhousing committee is also the director of a non-profit \nhousing development corporation. The non-profit makes \nan application to the committee, and the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular LGL-19 \nPage 9 of 21 \n \nmember/director participates in the discussion. \nExample: A planning board member lives next door to \nproperty where a developer plans to construct a new \nbuilding. Because the planning board member owns \nabutting property, he is presumed to have a financial \ninterest in the matter. He cannot participate unless he \nprovides the State Ethics Commission with an opinion \nfrom a qualified independent appraiser that the new \nconstruction will not affect his financial interest. \nIn many cases, where not otherwise required to \nparticipate, a municipal employee may comply with the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "law by simply not participating in the particular matter in \nwhich she has a financial interest. She need not give a \nreason for not participating. \nThere are several exemptions to this section of the law. An \nappointed municipal employee may file a written \ndisclosure about the financial interest with his appointing \nauthority and seek permission to participate \nnotwithstanding the conflict. The appointing authority \nmay grant written permission if she determines that the \nfinancial interest in question is not so substantial that it is \nlikely to affect the integrity of his services to the \nmunicipality. Participating without disclosing the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "financial interest is a violation. Elected employees cannot \nuse the disclosure procedure because they have no \nappointing authority. \nExample where there is no violation: An appointed \nmember of the town zoning advisory committee, which" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular LGL-19 \nPage 10 of 21 \n \nwill review and recommend changes to the town's by-\nlaws with regard to a commercial district, is a partner at a \ncompany that owns commercial property in the district. \nPrior to participating in any committee discussions, the \nmember files a disclosure with the zoning board of \nappeals that appointed him to his position, and that \nboard gives him a written determination authorizing his \nparticipation, despite his company's financial interest. \nThere is no violation. \nThere is also an exemption for both appointed and \nelected employees where the employee's task is to \naddress a matter of general policy and the employee's" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "financial interest is shared with a substantial portion \n(generally 10% or more) of the town's population, such as, \nfor instance, a financial interest in real estate tax rates or \nmunicipal utility rates. \nRegulatory exemptions. In addition to the statutory \nexemptions just mentioned, the Commission has created \nseveral regulatory exemptions permitting municipal \nemployees to participate in particular matters \nnotwithstanding the presence of a financial interest in \ncertain very specific situations when permitting them to \ndo so advances a public purpose. There is an exemption \npermitting school committee members to participate in" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "setting school fees that will affect their own children if \nthey make a prior written disclosure. There is an \nexemption permitting town clerks to perform election-\nrelated functions even when they, or their immediate \nfamily members, are on the ballot, because clerks’ \nelection-related functions are extensively regulated by" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular LGL-19 \nPage 11 of 21 \n \nother laws. There is also an exemption permitting a \nperson serving as a member of a municipal board \npursuant to a legal requirement that the board have \nmembers with a specified affiliation to participate fully in \ndeterminations of general policy by the board, even if the \nentity with which he is affiliated has a financial interest in \nthe matter. Other exemptions are listed in the \nCommission's regulations, available on the Commission’s \nwebsite. \nExample where there is no violation: A municipal \nShellfish Advisory Board has been created to provide \nadvice to the Board of Selectmen on policy issues related" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "to shellfishing. The Advisory Board is required to have \nmembers who are currently commercial fishermen. A \nboard member who is a commercial fisherman may \nparticipate in determinations of general policy in which \nhe has a financial interest common to all commercial \nfishermen but may not participate in determinations in \nwhich he alone has a financial interest, such as the \nextension of his own individual permits or leases. \ne. False claims. Presenting a false claim to your employer \nfor a payment or benefit is prohibited, and causing \nsomeone else to do so is also prohibited. (See Sections \n23(b)(4) and 26) \nA municipal employee may not present a false or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "A municipal employee may not present a false or \nfraudulent claim to his employer for any payment or \nbenefit worth $50 or more or cause another person to do \nso." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular LGL-19 \nPage 12 of 21 \n \nExample of violation: A public works director directs his \nsecretary to fill out time sheets to show him as present at \nwork on days when he was skiing. \nf. Appearance of conflict. Acting in a manner that would \nmake a reasonable person think you can be improperly \ninfluenced is prohibited. (See Section 23(b)(3)) \nA municipal employee may not act in a manner that \nwould cause a reasonable person to think that she would \nshow favor toward someone or that she can be \nimproperly influenced. Section 23(b)(3) requires a \nmunicipal employee to consider whether her \nrelationships and affiliations could prevent her from" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "acting fairly and objectively when she performs her duties \nfor a city or town. If she cannot be fair and objective \nbecause of a relationship or affiliation, she should not \nperform her duties. However, a municipal employee, \nwhether elected or appointed, can avoid violating this \nprovision by making a public disclosure of the facts. An \nappointed employee must make the disclosure in writing \nto his appointing official. \nExample where there is no violation: A developer who is \nthe cousin of the chair of the conservation commission \nhas filed an application with the commission. A \nreasonable person could conclude that the chair might" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "favor her cousin. The chair files a written disclosure with \nher appointing authority explaining her relationship with \nher cousin prior to the meeting at which the application \nwill be considered. There is no violation of Sec. 23(b)(3). \ng. Confidential information. Improperly disclosing or" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular LGL-19 \nPage 13 of 21 \n \npersonally using confidential information obtained \nthrough your job is prohibited. (See Section 23(c)) \nMunicipal employees may not improperly disclose \nconfidential information, or make personal use of non-\npublic information they acquired in the course of their \nofficial duties to further their personal interests. \n3. After-hours restrictions. \na. Taking a second paid job that conflicts with the duties of \nyour municipal job is prohibited. (See Section 23(b)(1)) \nA municipal employee may not accept other paid \nemployment if the responsibilities of the second job are \nincompatible with his or her municipal job." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "incompatible with his or her municipal job. \nExample: A police officer may not work as a paid private \nsecurity guard in the town where he serves because the \ndemands of his private employment would conflict with \nhis duties as a police officer. \nDivided loyalties. Receiving pay from anyone other than \nthe city or town to work on a matter involving the city or \ntown is prohibited. Acting as agent or attorney for anyone \nother than the city or town in a matter involving the city \nor town is also prohibited whether or not you are paid. \n(See Sec. 17) \nBecause cities and towns are entitled to the undivided \nloyalty of their employees, a municipal employee may not" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "be paid by other people and organizations in relation to a \nmatter if the city or town has an interest in the matter. In \naddition, a municipal employee may not act on behalf of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular LGL-19 \nPage 14 of 21 \n \nother people and organizations or act as an attorney for \nother people and organizations in which the town has an \ninterest. Acting as agent includes contacting the \nmunicipality in person, by phone, or in writing; acting as a \nliaison; providing documents to the city or town; and \nserving as spokesman. \nA municipal employee may always represent his own \npersonal interests, even before his own municipal agency \nor board, on the same terms and conditions that other \nsimilarly situated members of the public would be \nallowed to do so. A municipal employee may also apply \nfor building and related permits on behalf of someone" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "else and be paid for doing so, unless he works for the \npermitting agency, or an agency which regulates the \npermitting agency. \nExample of violation: A full-time health agent submits a \nseptic system plan that she has prepared for a private \nclient to the town's board of health. \nExample of violation: A planning board member \nrepresents a private client before the board of selectmen \non a request that town meeting consider rezoning the \nclient's property. \nWhile many municipal employees earn their livelihood in \nmunicipal jobs, some municipal employees volunteer \ntheir time to provide services to the town or receive small \nstipends. Others, such as a private attorney who provides" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "legal services to a town as needed, may serve in a position \nin which they may have other personal or private" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular LGL-19 \nPage 15 of 21 \n \nemployment during normal working hours. In recognition \nof the need not to unduly restrict the ability of town \nvolunteers and part-time employees to earn a living, the \nlaw is less restrictive for \"special\" municipal employees \nthan for other municipal employees. \nThe status of \"special\" municipal employee has to be \nassigned to a municipal position by vote of the board of \nselectmen, city council, or similar body. A position is \neligible to be designated as \"special\" if it is unpaid, or if it \nis part-time and the employee is allowed to have another \njob during normal working hours, or if the employee was" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "not paid for working more than 800 hours during the \npreceding 365 days. It is the position that is designated as \n\"special\" and not the person or persons holding the \nposition. Selectmen in towns of 10,000 or fewer are \nautomatically \"special\"; selectman in larger towns cannot \nbe \"specials.\" \nIf a municipal position has been designated as \"special,\" \nan employee holding that position may be paid by others, \nact on behalf of others, and act as attorney for others with \nrespect to matters before municipal boards other than his \nown, provided that he has not officially participated in the \nmatter, and the matter is not now, and has not within the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "past year been, under his official responsibility. \nExample: A school committee member who has been \ndesignated as a special municipal employee appears \nbefore the board of health on behalf of a client of his \nprivate law practice, on a matter that he has not \nparticipated in or had responsibility for as a school" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular LGL-19 \nPage 16 of 21 \n \ncommittee member. There is no conflict. However, he \nmay not appear before the school committee, or the \nschool department, on behalf of a client because he has \nofficial responsibility for any matter that comes before the \nschool committee. This is still the case even if he has \nrecused himself from participating in the matter in his \nofficial capacity. \nExample: A member who sits as an alternate on the \nconservation commission is a special municipal \nemployee. Under town by-laws, he only has official \nresponsibility for matters assigned to him. He may \nrepresent a resident who wants to file an application with" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "the conservation commission as long as the matter is not \nassigned to him and he will not participate in it. \nb. Inside track. Being paid by your city or town, directly or \nindirectly, under some second arrangement in addition \nto your job is prohibited, unless an exemption applies. \n(See Section 20) \nA municipal employee generally may not have a financial \ninterest in a municipal contract, including a second \nmunicipal job. A municipal employee is also generally \nprohibited from having an indirect financial interest in a \ncontract that the city or town has with someone else. This \nprovision is intended to prevent municipal employees \nfrom having an \"inside track\" to further financial" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "opportunities. \nExample of violation: Legal counsel to the town housing \nauthority becomes the acting executive director of the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular LGL-19 \nPage 17 of 21 \n \nauthority, and is paid in both positions. \nExample of violation: A selectman buys a surplus truck \nfrom the town DPW. \nExample of violation: A full-time secretary for the board \nof health wants to have a second paid job working part-\ntime for the town library. She will violate Section 20 unless \nshe can meet the requirements of an exemption. \nExample of violation: A city councilor wants to work for a \nnon-profit that receives funding under a contract with her \ncity. Unless she can satisfy the requirements of an \nexemption under Section 20, she cannot take the job. \nThere are numerous exemptions. A municipal employee" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "may hold multiple unpaid or elected positions. Some \nexemptions apply only to special municipal employees. \nSpecific exemptions may cover serving as an unpaid \nvolunteer in a second town position, housing-related \nbenefits, public safety positions, certain elected positions, \nsmall towns, and other specific situations. Please call the \nEthics Commission's Legal Division for advice about a \nspecific situation. \n4. After you leave municipal employment. (See Section 18) \na. Forever ban. After you leave your municipal job, you may \nnever work for anyone other than the municipality on a \nmatter that you worked on as a municipal employee. \nIf you participated in a matter as a municipal employee," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "you cannot ever be paid to work on that same matter for \nanyone other than the municipality, nor may you act for" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular LGL-19 \nPage 18 of 21 \n \nsomeone else, whether paid or not. The purpose of this \nrestriction is to bar former employees from selling to \nprivate interests their familiarity with the facts of \nparticular matters that are of continuing concern to their \nformer municipal employer. The restriction does not \nprohibit former municipal employees from using the \nexpertise acquired in government service in their \nsubsequent private activities. \nExample of violation: A former school department \nemployee works for a contractor under a contract that \nshe helped to draft and oversee for the school \ndepartment." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "department. \nb. One year cooling-off period. For one year after you leave \nyour municipal job you may not participate in any matter \nover which you had official responsibility during your last \ntwo years of public service. \nFormer municipal employees are barred for one year after \nthey leave municipal employment from personally \nappearing before any agency of the municipality in \nconnection with matters that were under their authority \nin their prior municipal positions during the two years \nbefore they left. \nExample: An assistant town manager negotiates a three-\nyear contract with a company. The town manager who \nsupervised the assistant and had official responsibility for" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "the contract, but did not participate in negotiating it, \nleaves her job to work for the company to which the \ncontract was awarded. The former manager may not call" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular LGL-19 \nPage 19 of 21 \n \nor write the town in connection with the company's work \non the contract for one year after leaving the town. \nA former municipal employee who participated as such in \ngeneral legislation on expanded gaming and related \nmatters may not become an officer or employee of, or \nacquire a financial interest in, an applicant for a gaming \nlicense, or a gaming licensee, for one year after his public \nemployment ceases. \nc. Partners. Your partners will be subject to restrictions \nwhile you serve as a municipal employee and after your \nmunicipal service ends. \nPartners of municipal employees and former municipal" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "employees are also subject to restrictions under the \nconflict of interest law. If a municipal employee \nparticipated in a matter, or if he has official responsibility \nfor a matter, then his partner may not act on behalf of \nanyone other than the municipality or provide services as \nan attorney to anyone but the city or town in relation to \nthe matter. \nExample: While serving on a city's historic district \ncommission, an architect reviewed an application to get \nlandmark status for a building. His partners at his \narchitecture firm may not prepare and sign plans for the \nowner of the building or otherwise act on the owner's \nbehalf in relation to the application for landmark status." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "In addition, because the architect has official \nresponsibility as a commissioner for every matter that \ncomes before the commission, his partners may not" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular LGL-19 \nPage 20 of 21 \n \ncommunicate with the commission or otherwise act on \nbehalf of any client on any matter that comes before the \ncommission during the time that the architect serves on \nthe commission. \nExample: A former town counsel joins a law firm as a \npartner. Because she litigated a lawsuit for the town, her \nnew partners cannot represent any private clients in the \nlawsuit for one year after her job with the town ended. \n \n \nThis summary is not intended to be legal advice and, because it is \na summary, it does not mention every provision of the conflict \nlaw that may apply in a particular situation. Our website," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "http://www.mass.gov/ethics contains further information about \nhow the law applies in many situations. You can also contact the \nCommission's Legal Division via our website, by telephone, or by \nletter. Our contact information is at the top of this document. \n \nVersion 7: Revised May 20, 2022" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular LGL-19 \nPage 21 of 21 \n \nACKNOWLEDGEMENT OF RECEIPT OF SUMMARY OF THE \nCONFLICT OF INTEREST LAW FOR MUNICIPAL EMPLOYEES \nI, (print your first and last name): \n _________________________________________________________________ , \nan employee at (name of your municipal agency or department): \n _________________________________________________________________ , \n \nhereby acknowledge that I received a copy of the summary of \nthe Conflict Of Interest Law for municipal employees, revised May \n20, 2022. \n \nSignature_____________________________________Date ______________ \nMunicipal employees should complete the acknowledgment of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-19 Conflict of Interest Law-City Employees", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link", + "content": "receipt and return it to the individual who provided them with a \ncopy of the summary. Alternatively, municipal employees may \nsend an email acknowledging receipt of the summary to the \nindividual who provided them with a copy of it." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-06 \nVersion 01 \n \nRELIGIOUS HOLY DAYS \nThis circular will remain in effect unless rescinded or suspended \nby a subsequent version. \n \nIt is the policy of the Boston Public Schools to make reasonable \nefforts to accommodate the religious beliefs of students and \nstaff. State and federal laws also mandate such reasonable \naccommodations. \nMassachusetts General Laws, Chapter 151C, Section 2B reads, in \npertinent part, as follows: \n“Any student in an educational or vocational training \ninstitution, other than a religious or denominational \neducational or vocational training institution, who is unable," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view?usp=drive_link", + "content": "because of [their] religious beliefs, to attend classes or to \nparticipate in any examination, study, or work requirement \non a particular day shall be excused from any such \nexamination or study or work requirement, and shall be \nprovided with an opportunity to make up such examination, \nstudy, or work requirement which [they] may have missed \nbecause of such absence on any particular day; provided, \nhowever, that such makeup examination or work shall not \ncreate an unreasonable burden upon such school. No fees of \nany kind shall be charged by the institution for making \navailable to the said student such opportunity. No adverse" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-06, 2023-2024 \nSeptember 1, 2023 \nPage 2 of 2 \n \nor prejudicial effects shall result to any student because of \n[their] availing [themselves] of the provisions of this section.” \nTo accommodate the religious beliefs of students, all who \nobserve any holiday because of religious beliefs should be \nmarked “constructively present” upon submitting a valid note \nfrom a parent or guardian (see Circular ACA-18). In addition, \nteachers should refrain from giving tests on these religious \nholidays and allow sufficient time for these students to make up \ntheir work before administering tests. \n \nFor more information about this circular, contact: \nName:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-06 Religious Holy Days", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view?usp=drive_link", + "content": "Name: \nLisa Maki \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlmaki@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-04 \nVersion 01 \n \nSCHOOL VISITOR GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nIt is School Committee policy to welcome all parents and other \nvisitors to our schools and to encourage their active support of \nand involvement in the schools. However, considering the \nchallenges of COVID-19 and to comply with current CDC, DESE, \nand district guidelines, we are asking all members of our school \ncommunities to support our effort to limit traffic in our buildings \nto only assigned students, BPS staff, BPS facilities contractors," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "and approved partners as described below until further notice. \nPlease see Superintendent Circular SAF-12 School Access \nControl. \nAll permitted visitors, including School Department personnel, \nare expected to report to the school main office before going \nelsewhere in the building. They will be required to sign in, noting \ntheir name, affiliation, and reason for the visit; and before leaving, \nto sign out of the building. Visitors will be required to park in \ncertain designated spaces or at certain designated times in \nschool parking lots. All visitors should be informed of these \nprocedures through such means as is determined by the school." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Occasionally, visitors may disrupt school activities: by behaving \ninappropriately; by harassing staff; by shouting; or by insisting on \nvisiting at inappropriate times. Every effort should be made to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 2:\nSuperintendent’s Circular LGL-04 \nPage 2 of 13 \n \n \nwork with such visitors to inform them of established procedures \nin an effort to eliminate future disruptions. When such \ndisruptions occur, however, the building administrator may issue \nthe offender a Trespass Warning pursuant to M.G.L. c. 266, § 120. \nAttachment A provides an example of such a letter, with \nappropriate fields to be filled in by the building administrator. \nSuch a warning requires the offending party to contact the \nbuilding administrator, or a designee, prior to appearing at school \nfor any school-related matter. Additionally, depending upon the \nnature of the inappropriate behavior, a building administrator" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "may choose to substitute any of the following restrictions in the \nthird paragraph of Attachment A: \n1. The visitor will be required to telephone prior to visiting the \nbuilding to inform the building administrator of their intent \nin visiting the building. \n2. The visitor will be required to be accompanied by the \nbuilding administrator or their designee to classrooms. \n3. Advance scheduling of consultations with teachers or other \nproviders will be required. \n4. Parents delivering student[s] to school may be required to \nleave the student[s] at the front door and not be permitted \nto accompany them to the classroom. \nThis warning should expire at the end of the academic year. As is" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "noted on the Trespass Warning, it is appealable through the \noperational leader. \nAdditionally, by issuing the Trespass Warning, the building \nadministrator is placing the disruptive visitor on notice that any \nfurther inappropriate behavior will result in the issuance of a \nTrespass Notice. If inappropriate behaviors continue, Attachment" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 3:\nSuperintendent’s Circular LGL-04 \nPage 3 of 13 \n \n \nB provides an example of such a trespass notice, again with fields \nto be completed by the building administrator. No Trespass \nNotice shall issue, however, without the approval of the \nsuperintendent or designee, which may be sought through the \noperational leader, who will contact the Superintendent’s Office. \nThe Trespass Notice will be effective for one year from the date it \nwas issued and may, in the reasonable exercise of the building \nadministrator’s discretion and with the approval of the \nsuperintendent or designee, be renewed thereafter. Failure to \ncomply with any restriction imposed by the Trespass Notice may" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "result in the visitor’s arrest and prosecution for criminal trespass. \nLike the Trespass Warning, it is appealable at the visitor’s election \nthrough the operational leader. \nIn instances of extreme behavior, such as assault or battery of an \nadministrator, faculty member, staff member, or student, a \nbuilding administrator with approval of the superintendent or \ndesignee may issue a Trespass Notice without prior issuance of a \nTrespass Warning. Attachment C is an example of such a notice. \nSuch a Trespass Notice as is contained in Attachment C should \nbe reserved, however, for particularly egregious behavior where \nthere is a particularized apprehension for the safety or well-being" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "for a member or members of the school community. Once issued, \nor until such time it is vacated, the named visitor is prohibited, \nunder penalty of law, from entering or using school grounds for \nany reason. This Trespass Notice is effective immediately, and its \nduration is indefinite. A copy of this notice must be provided to \nthe Boston Police Department, the Safety Office, and the Office of \nLegal Advisor, and maintained in the school’s file. A visitor’s \nfailure to comply with this notice will result in immediate arrest \nand prosecution for trespassing if it is violated. This notice is \nlikewise appealable through the operational leader." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 4:\nSuperintendent’s Circular LGL-04 \nPage 4 of 13 \n \n \n \nFor more information about this circular, contact: \nOwner: \nOffice of Legal Advisor Director \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 5:\nSuperintendent’s Circular LGL-04 \nPage 5 of 13 \n \n \nATTACHMENT A \nRe: TRESPASS WARNING PURSUANT TO G. L. c. 266 § 120 \nWarning notice of unacceptable conduct that incited a physical \nconfrontation \n \nDear [Visitor name]: \nBy this letter I am issuing a Trespass Warning pursuant to G. L. c. \n266, § 120. As a result of [description of incident] on [date], it is \nnecessary for [school name] to issue this warning to ensure the \nsafety of students, school staff, and the immediate community. \nTo foster and ensure effective teaching and learning, it is \nnecessary to maintain an environment that is positive and free of \ndisruption, so that the business of the school may be" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "appropriately completed. It has been determined that your \npresence on [date] seriously disturbed the mental health of \nnumerous students here at [school name]. Such conduct cannot \nbe tolerated and does not reflect the type of behaviors we model \nfor our students. \nWe ask that you make every effort to avoid coming in or around \nthe area of [school name] at the arrival or dismissal of school. Any \nfurther incident[s] that disrupts the mental health of other \nstudents by inciting a physical confrontation during the \nremainder of this academic year may next result in the issuance \nof a formal Trespass Notice under G. L. c. 266, § 120. Failure to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "comply with such a Trespass Notice would subject you to \nimmediate arrest and prosecution for violation of such a trespass \nnotice. \nThis action is being taken on behalf of and in the best interest of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 6:\nSuperintendent’s Circular LGL-04 \nPage 6 of 13 \n \n \nour students, staff, and community. Please contact the school at \n[school phone number] if you wish to discuss this warning notice \nor seek other assistance. You may also contact the Operational \nLeader at [phone number] to discuss the issuance of this \nTrespass Warning, including if you dispute the reasons for its \nissuance. \nThank you for your cooperation in this matter. \nSincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 7:\nSuperintendent’s Circular LGL-04 \nPage 7 of 13 \n \n \nATTACHMENT B \nRe: TRESPASS NOTICE PURSUANT TO G. L. c. 266, §120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [description of the incident of unacceptable \nbehavior that prompted a previous warning and the current \nnotice] at the [school name] on [date of original incident], it is \nnecessary for me to issue this Trespass Notice pursuant to M.G.L. \nc. 266, § 120. Therefore, from the date of this notice and until such \ntime as it is either vacated or for one calendar year whichever is \nfirst you are not allowed to be present on the premises of the \n[school name]." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "[school name]. \nDespite the warning issued on [date], a copy of which is enclosed, \nyour behavior continues to disrupt the teaching and learning \nprocess and indeed places our students, staff, and faculty at risk \nof harm. \nI determined that your behavior on [dates of each incident for \nwhich a warning notice was issued and the current incident \nwhich prompts this Trespass Notice and describe behavior] \nseriously disturbed the school environment and the conduct of \nschool activities and related school business. This cannot be \ntolerated and is contrary to the mission of the [school name]. If in \nthe future you need to address particular school-related matters," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "please contact either my designee or me by telephone so that \nyour concern may be addressed. \nBy this letter, I am formally notifying you of the Trespass Notice. A" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 8:\nSuperintendent’s Circular LGL-04 \nPage 8 of 13 \n \n \ncopy of this notice will be provided to the Boston Police \nDepartment, the Department of Safety Services, Office of Legal \nAdvisor, the [school name’s] file, and will be sent to you by \nregular and certified mail. This trespass notice prohibits you, \nunder penalty of law, from entering or using the [school name] or \nfrom setting foot on school property for any reason. Failure to \ncomply with this Trespass Notice shall subject you to immediate \narrest and prosecution for violation of this Trespass Notice. This \nnotice will be effective for one year from the date it was issued" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "and may, in the reasonable exercise of my discretion, be renewed \nthereafter. If renewed, I will notify you in writing prior to its \nrenewal. If not renewed, its effect will end one year after its \nissuance. \nI look forward to working with you in a cooperative manner. \nPlease contact me at [contact telephone and email] if you wish \nto discuss this Trespass Notice or seek other assistance. You may \nalso contact the operational leader [number of contact person] \nto discuss the issuance of this Trespass Notice. You may also \ncontact the operational leader if you dispute the reasons for \nissuing this notice, or if, during the duration of this notice, you" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "wish to seek to vacate or modify its provisions. \nThis notice is likewise appealable through the operational leader." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 9:\nSuperintendent’s Circular LGL-04 \nPage 9 of 13 \n \n \nThank you for your cooperation in this matter. \nSincerely, \n[Principal or other responsibility official name] \n[Title and school] \n \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 10:\nSuperintendent’s Circular LGL-04 \nPage 10 of 13 \n \n \nATTACHMENT C \n \nRe: TRESPASS NOTICE, PURSUANT to G. L. c. 266, § 120, \nRequiring that you not enter or use the [school name] property \n \nDear [Visitor name]: \nAs a result of [insert detailed description of the incident of \nunacceptable behavior] at the [school name] on [date of \nincident], it is necessary for me to issue this Trespass Notice, \npursuant to G.L. c. 266, § 120. Therefore, from the date of this \nnotice, you are not allowed to be present on the premises of the \n[name of school]. \nI have determined that your behavior on [date of incident] placed" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "our students, staff, and faculty at risk of harm. Furthermore, your \nactions seriously disturbed both the school environment and the \nconduct of school activities and school-related business. This \ncannot be tolerated. It is contrary to the mission of the [name of \nschool]. If in the future you have a need to address particular \nschool-related matters, please contact either my designee or me \nby telephone so that your concerns can be addressed. \nThis letter serves to formally notify you of the Trespass Notice. A \ncopy of this notice has been provided to the Boston Police \nDepartment, the Superintendent’s Office, the Office of Legal" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Advisor, the Office of Safety Services, the [name of school]’s file, \nand to you by regular and certified mail. This Trespass Notice \nprohibits you, under penalty of law, from entering or using the \n[name of school] or from setting foot on school property for any" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 11:\nSuperintendent’s Circular LGL-04 \nPage 11 of 13 \n \n \nreason. Failure to comply with this trespass notice shall subject \nyou to immediate arrest and prosecution for violation of this \nTrespass Notice. This notice will be effective immediately, and its \nduration is indefinite. \nI look forward to working with you in a cooperative manner. \nPlease contact me by telephone if you wish to discuss this \nTrespass Notice or seek other assistance. You may also contact \nthe operational leader at [number of contact person] to discuss \nthe issuance of this Trespass Notice, including if you dispute the \nreasons therefore. \nThank you for your cooperation in this matter. \n \nSincerely," + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Sincerely, \n \n[Principal or other responsibility official name] \n[Title and school] \ncc: Boston Police Department \nSuperintendent \nOffice of Legal Advisor \nSafety Services \nSchool Files \nEnclosure [attach copy of incident report if available] \n \nGuidelines for Visiting the Boston Public Schools \n1. Until further notice, parents/guardians and staff from" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 12:\nSuperintendent’s Circular LGL-04 \nPage 12 of 13 \n \n \npartner agencies [except for BPS facilities service \ncontractors and approved partner agencies, as described \nabove] will not be allowed in school buildings. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building in the area[s] \ndesignated by the school leader/staff. \n2. ALL visitors MUST report to the school’s main office and sign \nin before going elsewhere in the building, and they must \nsign out before leaving. Some schools have a desk near the \nmain entrance where visitors may sign in and out. However, \nif no one is sitting at the desk, the visitor must go to the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "main office. \n3. All visitors will receive a Visitor’s Pass when they sign in. \nThey must return it to the office or sign-in desk when they \nleave. Please be sure your Visitor’s Pass is visible while you \nare in the school or schoolyard. Visitor’s passes will not be \nrequired at Open Houses, Parent Nights or other school-\nsponsored events open to the public to the extent those \nevents are held. \n4. For the safety of our students and staff, we will consider that \nvisitors who do not sign in and cannot show a Visitor’s Pass \nare trespassing. A school staff member may ask them to \nleave the building and schoolyard. \n5. Visitors who want to meet with a teacher or administrator" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "should contact the school via phone or email to schedule \nany discussion or virtual appointments that they would like \nto have. \n6. Teachers or staff who are expecting a visitor should notify \nthe office they are expecting a visitor and provide name and \nreason prior to the visitor’s arrival. In some cases, a staff" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "Page 13:\nSuperintendent’s Circular LGL-04 \nPage 13 of 13 \n \n \nmember may escort the visitor to the meeting place. \n7. If a student is sick/injured and needs to be picked up, school \nstaff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. \n8. It is very disruptive to the classroom for parents to pick up \ntheir children before the regular dismissal time. If this is \nnecessary, the parent should call the school office in \nadvance and pick their child up in the location designated \nby the school. Parents may not go directly to the classroom \nto pick up their child. The school will not release a student to" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-04 School Visitor Guidelines", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W", + "content": "anyone other than a custodial parent without the parent’s \nconsent and proper identification. \n9. Occasionally, visitors may disrupt school activities by \ninsisting on visiting classrooms unannounced, harassing \nstaff, shouting, or using inappropriate language. If such \ndisruptive behavior continues, the school administrator may \nrestrict the individual’s visits or deny future access to the \nbuilding, schoolyard, or virtual learning environment. \n10. Thank you for your cooperation in observing these \nguidelines. Be assured that our goal is to create a safe, \nsecure, and positive learning experience for all our students \nand their families." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-10 \nVersion 01 \n \nMILITARY RECRUITERS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe purpose of this circular is to provide clarification on the law \nrequiring the release of student information and access to \nstudents at the high school level by military recruiters. \nFederal legislation requires that a local educational agency (LEA) \nwhich receives federal funds release the names, addresses, and \ntelephone listings of secondary students (grade 9 and above) to \nmilitary recruiters and institutions of higher education. The Every \nStudent Succeeds Act (ESSA) contains similar language" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link", + "content": "concerning this obligation. \nThe release of student names, addresses, and telephone listings \nto military recruiters and institutions of higher education requires \nthat LEAs provide parents and guardians with prior notification. \nSuch notification is provided by the Boston Public Schools in the \nGuide to the Boston Public Schools for Students and Families \n(“Policy Handbook”). As noted, a parent/guardian may request \nthat this information not be released without giving the \nparent/guardian prior notification. Accordingly, copies of all such \nrequests by parents/guardians should be in writing and should \nbe on file in the school’s office. A copy of these signed requests" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link", + "content": "or a master list of these student names and student numbers" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-10 \nPage 2 of 3 \n \nmust be forwarded by October 15 by the head of school to the \nOffice of Data & Accountability. \nIf military recruiters contact a high school requesting a master \nlist of student names and addresses, the recruiter should be \nasked to make the request directly to the Office of Data & \nAccountability. \nA second provision of the law authorizes direct access to high \nschool students by military recruiters. Usually, this access is in the \nform of a request to make space available in the school for a \nmilitary recruiter to distribute literature and to speak with or \naddress interested students. The act requires that recruiters be" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link", + "content": "given the same access to your students as you provide generally \nto post-secondary educational institutions or to prospective \nemployers. Please review your practices to assure that \nhenceforth all three (i.e., business, higher education, and military \nrecruiters) have the same access. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nBy October 15 \nHeads of school forward to the Office of Data & \nAccountability the list of students whose \nnames should not be given to military \nrecruiters." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-10 Military Recruiters", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-10 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-17 \nVersion 01 \n \nRELIGIOUS EXPRESSION IN PUBLIC SCHOOLS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMassachusetts General Laws chapter 71, section 82, sets forth the \nlaw regarding the right of students to freedom of expression in \npublic schools. Freedom of expression must be balanced with \nany disruption or disorder caused to the school. Issues related \nspecifically to religious expression in public schools involve \nconstantly developing concepts and questions of constitutional \nlaw. Therefore, staff members are strongly encouraged to bring" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view?usp=drive_link", + "content": "specific questions of religious expression to the Office of Legal \nAdvisor, 617-635-9320. \nSome general principles include: \n• Freedom of expression of individuals or groups of \nstudents includes the right to express their views through \nspeech, symbols, peaceable and planned assembly, and \nwritten publications. \n• Although the First Amendment forbids religious activity \nthat is sponsored by the government, it protects religious \nactivity initiated by private individuals that is non-\ndisruptive, including student prayer before meals or \nduring non-instructional time. Such non-disruptive \nreligious activity may also include speakers at student" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view?usp=drive_link", + "content": "assemblies, extracurricular events, or graduation" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-17 \nPage 2 of 2 \n \nceremonies who are selected on the basis of genuinely \nneutral, evenhanded criteria and who retain control over \nthe content of their expression. Under such \ncircumstances, school officials may make neutral \ndisclaimers that the speech is the speaker’s view and not \nof the school. \n• Teachers, administrators, and other school employees \nwho, when acting in their official capacities, are acting as \nagents of the state and must not encourage, discourage, \nor participate in prayer or other religious expression. \n(Note: this does not include the Pledge of Allegiance, \nwhich is not considered religious expression; see Supt." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-17 Religious Expression in Schools", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view?usp=drive_link", + "content": "Circular LGL-18.) \n• School officials may not compel students to participate in \nprayer or other religious activities. \n \nFor more information about this circular, contact: \nOwner: \nLisa Maki \nDepartment: \nOffice Of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-03 \nVersion 01 \n \n \nPUBLIC RECORDS REQUESTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nSchool Department staff members frequently receive requests \nfrom individuals and agencies, asking for information or \ndocuments and cite the Freedom of Information Act (FOIA) or the \nMassachusetts Public Records Law as the authority for honoring \ntheir requests. \nThe Massachusetts Public Records Law, M.G.L. c. 66 §10, provides \nthat any person has a right to access public records. This right of \naccess includes the right to inspect, copy or have copies of" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link", + "content": "records provided upon payment of a reasonable fee. The \nMassachusetts General Laws broadly define \"public records\" as \nany books, papers, maps, photographs, electronic storage media, \ncomputer files, digitally stored material, or any other information \nregardless of form, which is made or received by employees of \npublic agencies unless the material falls into one of several \nrecognized exemptions. Requests for public record information \nmust be in writing; therefore, you should require that any oral \nrequests for public record information be placed in writing by the \nrequestor prior to responding to such a request. Such writing" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link", + "content": "must be signed, dated, and contain the address of the requestor." + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LGL-03 \nPage 2 of 3 \n \n \nRECORDS REQUEST \nAll written public records requests must be sent to the Office of \nLegal Advisor or filed through the City of Boston’s public records \nrequest portal. You can access the public records request portal \nby visiting https://www.boston.gov/departments/public-records \nor clicking the “Public Records Request” link at the bottom of \nevery page of the boston.gov website. To ensure a prompt \nresponse, use of the City’s public records request portal is the \npreferred method for all requests. The Office of Legal Advisor will \nreview each request to see if it falls within an exception to the" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link", + "content": "public records law and will coordinate with your office or school \nfor the search, retrieval, and copying of such information. The law \nprovides that Boston Public Schools must respond to a request \nfor public records within ten (10) days of our receipt of such a \nrequest. It is imperative, therefore, that once you receive a public \nrecords request, it is faxed or delivered to the Office of Legal \nAdvisor. It is also imperative that, if you receive a request from \nthe Office of Legal Advisor to compile public records, you do so \nexpeditiously or call the Office of Legal Advisor if you cannot \ncomply in a timely manner with its request for information. \nSUBPOENA" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link", + "content": "SUBPOENA \nWhen receiving a subpoena for student records, personnel \nrecords, medical records, or any other document, a copy of the \nsubpoena must be emailed or delivered immediately to the \nOffice of Legal Advisor for review. After that, please forward all \nresponsive records with the original subpoena to the Office of \nLegal Advisor. Such a subpoena should be emailed or delivered \neven if it is addressed to an individual, rather than the “keeper of \nthe records.” Witness subpoenas (i.e., a subpoena that seeks" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-03 Public Record Requests", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular LGL-03 \nPage 3 of 3 \n \n \ntestimony rather than documents) should also be emailed or \ndelivered to the Office of Legal Advisor for appropriate \nconsultation. Please email legal@bostonpublicschools.org. \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nLGL-21 \nVersion 01 \n \nPOLICY ON USE OF BPS BUILDINGS & FACILITIES FOR \nPOLITICAL PURPOSES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nAll building administrators and managers of facilities within the \nBoston Public School Department should be aware of the Boston \nPublic Schools’ policy on the use of its facilities for political \npurposes. \nNo Boston Public School facility may be used for predominantly \npolitical activity, such as activities in support of political \ncandidates or ballot questions. \nAny use of a Boston Public School facility for a predominantly" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view?usp=drive_link", + "content": "governmental activity with an incidental political activity overlap, \nsuch as those activities related to education laws, funding, or \npolicies, but not related to specific teaching or learning at a \nparticular school, may only occur with prior notification to and \nspecific approval from the superintendent or their designee. \nExamples of such activities might include the signing of \neducation legislation, the announcement of educational policies \nor results, or announcements of receipt of grants or other funds. \nThese examples demonstrate activities in furtherance of the \npurpose for which governmental funds have been appropriated" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view?usp=drive_link", + "content": "to Boston Public Schools, with an incidental political activity" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular LG-21 \nPage 2 of 2 \n \nassociated therewith. Any use of a Boston public school or facility \nfor political activity without obtaining the prior approval of the \nsuperintendent or their designee is an unauthorized use and \nshould be considered an “unwarranted privilege” for the \npurposes of the Massachusetts Conflict of Interest Law. \nFor additional information, regarding political activities generally, \nplease see Superintendent’s Circular LGL-09 Political Activity by \nPublic Employees. \n \nFor more information about this circular, contact: \nOwner: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address:" + }, + { + "folder_name": "Legal Advisor", + "file_name": "LGL-21 Use of BPS Buildings and Facilities for Political Purposes", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view?usp=drive_link", + "content": "Office of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 1:\n \n \n \n Superintendent’s \nCircular \nNUMBER: \nACA-18 \nVersion 01 \n \nATTENDANCE AND PUNCTUALITY POLICIES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \nThis circular reflects the School Committee’s approved policies \nand procedures for attendance and punctuality. It contains \ndetailed guidelines on: \n● Policy background \n● Chronic absenteeism \n● Attendance policy \n● Covid-19 attendance protocols \n● Punctuality policy (tardiness) \n● Recording and maintaining student attendance \n● Recording and following up on DNRs (did not reports) \n● Discharge/withdrawal protocols \n● Notification to parents/caregivers of student absence" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "● Notifying parents/caregivers of a missing child \n● Safety concerns related to attendance \n● Approving home & hospital tutoring \n● Procedures for referral to supervisors of attendance \nBACKGROUND AND GENERAL PRINCIPLES \nIt is an essential priority of the Boston Public Schools to \nencourage students to maintain consistently high attendance \nrates throughout the school year. Students cannot take full \nadvantage of academic and extracurricular opportunities unless" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 2:\nSuperintendent’s Circular ACA-18 \nPage 2 of 41 \n \n \nthey are in school consistently. All BPS schools and their School \nSite Councils are expected to implement comprehensive \nprevention and intervention strategies to improve student \nattendance each school year. \nThe BPS student attendance policy was approved by the School \nCommittee in 1998-1999. It was revised in May 2006 and June \n2007 to include the system-wide prohibition of using cutoff times \nto refuse students’ entry into buildings and the additional \nflexibility for schools to promote and ensure consistently high, \non-time attendance. It was further revised in 2018 to include" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "cultural and religious holidays as an eligible excused absence \ncategory. In 2021, it was revised to discontinue the policies of \nconverting tardies to absences and issuing grades of “No Credit \n(NC)” based on attendance, as well as elevating the importance of \nfocusing on chronic absenteeism, where all absences and missed \ninstructional time are considered to have a detrimental impact \non student outcomes. \nOn December 10, 2015, the Every Student Succeeds Act (ESSA) \nwas signed into law, reauthorizing the federal Elementary and \nSecondary Education Act of 1965 (ESEA). The law includes \nprovisions to help ensure improved outcomes for all students" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "receiving elementary and secondary education, including the \nfollowing: \n● States must establish high academic content standards, and \nschools must teach all students those standards to help \nprepare them for college and careers. \n● States, districts, and schools must share information with \nfamilies, students, and communities regarding annual \nstatewide assessments that measure students' progress \ntoward these high standards." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 3:\nSuperintendent’s Circular ACA-18 \nPage 3 of 41 \n \n \n● States and districts must establish systems of support and \naccountability for all schools and provide particular support \nto the lowest-performing schools, schools with low-\nperforming subgroups, and schools with low graduation \nrates. \nUnder ESSA, each state must develop a consolidated state plan \nthat documents a comprehensive approach to improving \noutcomes for all students. The Massachusetts Consolidated State \nPlan under the Every Student Succeeds Act, approved in \nSeptember 2017, indicates that the state has included chronic \nabsenteeism as one of the accountability index indicators (core" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "measures) to be adopted by all schools and school districts. \nThrough this policy, each school is given a target goal to reduce \nchronic absenteeism each school year. The BPS Attendance \nPolicy described in this document (ACA-18) has been updated to \nreflect changes to the core measures as it relates to attendance \nand chronic absenteeism. \nCHRONIC ABSENTEEISM \nResearch recognizes that addressing chronic absenteeism is one \nof the most important priorities in an equitable approach to \nattendance, as chronically absent students are less likely to be \nsuccessful academically and are disproportionately students of \ncolor. Chronic absenteeism is defined as missing 10 percent or" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "more of the school year in any given period. All absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. For an entire \nschool year, a student who misses 18 school days, or about two \ndays per month, will be considered chronically absent. Students \nwho do not show up to school regularly miss out on fundamental \nlearning skills and the chance to build a habit of consistent" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 4:\nSuperintendent’s Circular ACA-18 \nPage 4 of 41 \n \n \nattendance that they can maintain in their post-secondary \neducation, their career, and throughout their life. \nChronic absenteeism significantly increases the likelihood that a \nstudent will fall off-track academically and struggle to keep pace \nwith their peers. Chronic absenteeism in the early grades can \ninfluence whether a student reads proficiently by the end of the \nthird grade; and by the sixth grade, it becomes a leading \nindicator of whether a student will drop out of high school. \nConsistent with the attendance policy is the need to maintain \naccurate, timely, and appropriate records, including information" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "on the attendance of students and documentation of reasons for \nabsence. Accordingly, all staff must keep accurate records, \nmaintain documentation, and communicate with \nparents/caregivers in a timely and effective manner to ensure \nsound school attendance practices. In addition, Boston Public \nSchools is committed to addressing chronic absenteeism \nthrough prevention and intervention strategies at the school and \ndistrict levels that better support students and families to \nmaintain consistently high, on-time attendance. Each school will \nprioritize prevention and intervention strategies that reduce \nchronic student absenteeism. \nThe following general principles apply:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "The following general principles apply: \n● Schools are required under the law to maintain an accurate \nrecord of student attendance. \n● Schools at all levels are required to make a concerted effort \nto contact the parent or caregiver each time students are \nabsent." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 5:\nSuperintendent’s Circular ACA-18 \nPage 5 of 41 \n \n \n● School leaders bear the final responsibility for attendance in \ntheir schools and complying with attendance and \npunctuality policies and procedures. \n● External agency support will be sought in those cases where \nschool-based meetings do not achieve a positive continuum \nin parental attitude and/or student attendance patterns. \nBOSTON PUBLIC SCHOOLS ATTENDANCE POLICY \nAttendance: Per the Department of Elementary and Secondary \nEducation (DESE)’s attendance policy, a student must be at \nschool, at a school-related activity, or receiving academic \ninstruction for at least half of the school day to be counted as" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "present. Students who are not physically present at school but \nreceive academic instruction from the district for at least half of \nthe school day should be counted as present. Examples of \nacademic instruction include tutoring, online learning, or \ndistance learning provided by the district. Under this guidance, \nthere are limited circumstances in which a student can be \nmarked “constructively present.” \nAllowable circumstances to mark a student constructively \npresent: \n● Participation in Home & Hospital Instruction \n● Special education school visit \n● Out-of-district special education placement \n● Student is in Department of Youth Services (DYS) custody" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "● Succeed Boston (alternative to suspension) \n● College tour or college interview when sponsored by the \nschool or approved by the school leader" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 6:\nSuperintendent’s Circular ACA-18 \nPage 6 of 41 \n \n \nLength of Time: A student must attend school for at least a half-\nday to be marked “present.” Check with the school leader to \ndetermine what constitutes a half-day. In most schools, it is: \n3 hours in elementary school \n3 hours and 5 minutes in middle school \n3 hours and 10 minutes in high school \n \nCredit Recovery (No Credit Policy Discontinued): To facilitate \ncompetency-based grading across the district, the No Credit (NC) \npolicy regarding students having three unexcused absences in a \nmarking term (four unexcused absences in schools with three \nmarking terms) has been discontinued. As a result, schools" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "should no longer assign grades of “No Credit (NC)” to students. \nThe following guidance has been provided regarding credit \nrecovery for students: \n● Passing grades should be competency-based, which may be \nimpacted by attendance due to missed assignments or \nschoolwork but should not be tied exclusively to attendance \nor participation. \n● It is essential that schools reach out early and often to \nstudents at risk of a failing grade. \n● As an alternative, schools may mark a student with an \n“incomplete” grade to enable equitable learning recovery. \n● In all cases, a student not earning a passing grade must be \ngiven the opportunity and responsibility to equitably" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "recover any learning loss or make up the work missed \nwithin a marking period to earn a passing grade. \nExcused/Unexcused Absences: Certain absences may be \nexcused, meaning the absence will not be considered as it relates" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 7:\nSuperintendent’s Circular ACA-18 \nPage 7 of 41 \n \n \nto a referral to truancy court by a supervisor of attendance under \nMassachusetts law (see Massachusetts General Law c.119). \nHowever, all missed instructional time has the potential to \nnegatively impact student outcomes. In addition, all absences are \nincluded as they relate to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. \n● For an absence to be excused, students must bring in a note \nafter each day they are absent. \n● The note must include the date absent, the reason for the \nabsence, a phone number where a parent or caregiver can \nbe reached, and the parent or caregiver’s signature." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "● Upon return to school, the note must be provided no later \nthan seven (7) school days after the absence. \n● Excused absences may include: \na. An illness or injury that prevents the student from \nattending school. If the illness or hospitalization results in \nabsence for three or more consecutive days, a note from a \nhealth care provider documenting the health problem or \nhospitalization should be attached to the \nparent/caregiver note. Parents/caregivers are not \nexpected to have a letter from a health care provider for \nan illness of fewer than three days. The requirement to \nhave a letter from a health care provider will not \nsupersede specific public health determinations or" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "guidance. The school nurse can be consulted regarding \nany questions or changes to this policy based on specific \ncircumstances. See COVID-19 Health and Safety Protocol \nfor students who exhibit symptoms of COVID-19." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 8:\nSuperintendent’s Circular ACA-18 \nPage 8 of 41 \n \n \nb. A death in the immediate family (parent/caregiver, \nsibling, grandparent, aunt, uncle, cousin) or other \nsignificant personal or family crisis. \nc. Suspension: Students should be marked as suspended. In \ncases of suspension, the school will provide an \nopportunity for the student to maintain academic \nstanding in school by being provided a list of assignments \nand other services which might enable the student to use \nthe time out of school productively. \nd. Students assigned to Succeed Boston shall be assigned \nwork by the school of assignment and marked \nconstructively present." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "constructively present. \ne. Court appearances: Students should present evidence of \nthe requirement of the court appearance. \nf. Medical or psychological tests during the school day: The \nparent/caregiver must show evidence (such as a note \nfrom the health center) that the tests could not be \nscheduled after school. \ng. Visits to special education schools in some cases for \nstudents with disabilities. \nh. Other situations: From time to time, situations over which \nthe school, parent/caregiver, and student have little or no \ncontrol may cause absences (for example, transportation \nthat does not operate during inclement weather). These" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "absences are excusable. The school leader may determine \nthat the students impacted shall be marked with an \nexcused absence. \ni. Other extraordinary situations, such as a family \nemergency, as approved by the school leader." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 9:\nSuperintendent’s Circular ACA-18 \nPage 9 of 41 \n \n \nj. Cultural holidays and religious holy days: To \naccommodate students’ cultural and religious \nobservances on days when schools are in session, such \nabsences will be marked excused with the reason code \n“Religious Holiday” upon submitting a valid note signed \nby a parent or guardian. Please see Superintendent’s \nCircular LGL-06 for more guidance or contact your \ndesignated supervisor of attendance. The following is a \nlist of examples of holidays that are eligible to be excused: \nDiwali, Eid al Adha, Edit al Fitr, Lunar New Year, Orthodox \nGood Friday, Rosh Hashanah, Three Kings Day, and Yom" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Kippur. This is not an exhaustive list, and students may \nrequest that absences be excused for other cultural \nholidays and religious holy days. Schools should provide \nopportunities for students who are excused to observe \ncultural holidays and religious holy days to submit missed \nassignments or other makeup work for their absence. \nPlease contact the Office of Equity, 617-635-9650 or \nbpsequity@bostonpublicschools.org, regarding any concerns \nrelated to a student absence that is more than two consecutive \ndays or is not included on this list. This can include participation \nin a cultural ceremony, bereavement or funeral, pilgrimage, trip," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "etc., that requires students to be absent for more than two days. \nIn these instances, a student may be required to meet the \nfollowing criteria to be eligible to be given an excused absence of \nmore than two days for observance of a cultural or religious \nholiday or for bereavement to attend a funeral for more than two \ndays: \n● The student is not chronically absent, meaning the student \nattended more than 90% of the school days to date. \n● The student is earning a passing grade in all courses." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 10:\nSuperintendent’s Circular ACA-18 \nPage 10 of 41 \n \n \nAbsences that do not meet the above criteria will be considered \nunexcused. In all instances of student absence, students must be \ngiven the opportunity to equitably recover any missed work or \nlearning loss during a marking period. \nCOVID-19 HEALTH AND SAFETY PROTOCOL \nStudents, families, and schools should observe the latest \nguidance from the Center for Disease Control (CDC), BPS Health \nServices, and the Boston Public Health Commission as it relates \nto COVID-19 health and safety protocols. Absences as appropriate \nper the most up-to-date COVID-19 protocols are considered \nexcused due to “medical/illness.”" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "excused due to “medical/illness.” \nRECORD-KEEPING AND ATTENDANCE IMPROVEMENT \nSchool leaders bear final responsibility for improving attendance \nin their schools, balancing between accountability and positive \nengagement in their approach, and ensuring that performance \nevaluations reflect staff members’ efforts in complying with this \npolicy and achieving the goal of improved attendance. \nSchool-based governance: Each school’s Attendance Team (AT) \nserves a critical role in prevention and intervention steps for \nstudents with high absenteeism. It is a best practice for school \nattendance teams to work in conjunction with the SST to refer" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "students when all available attendance intervention strategies \nhave been unsuccessful. It is also best practice for schools to \ninitiate prevention steps with students in the early days of the \nschool year or marking period. Schools should review students’ \npast attendance history to initiate prevention steps for students \nwith a history of high absenteeism and refer students to the \nschool’s AT. Students with three or more unexcused absences will \nbe referred by a teacher or the school leader to the school’s AT on \nan ongoing basis. The AT will review the case and work with the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 11:\nSuperintendent’s Circular ACA-18 \nPage 11 of 41 \n \n \nfamily to develop a success plan to help the student improve \nattendance. School-based rules should be amended to include \nattendance-related guidelines established through the Quality \nSchool Plan (QSP). See Attendance Team Overview for additional \nguidance. \nATTENDANCE IMPROVEMENT PLAN \nDeveloped as part of the QSP, a school’s Attendance \nImprovement Plan provides a roadmap of the critical prevention \nand intervention activities a school will conduct throughout the \nschool year to ensure consistently high, on-time attendance for \nall students. Each school is required to update its attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "strategies in the QSP every 90 days. Schools should link a \ndocument with their attendance prevention and intervention \nsteps by tier into the QSP. \nTo assess their implementation progress and request more \nintensive assistance, the AT should complete the QSP \nAttendance Implementation Progress Tool (Q3PT) at the 30- and \n60-day marks of the QSP cycle. \nThe Attendance Fundamentals by Tier serve as an additional \nresource. \nThis program should start with a warm and welcoming school \nclimate and should include phone calls home, student meetings, \nparent/caregiver meetings, development of an attendance \nplan/contract, attendance coaching, referral to Student Success" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Team meetings, and/or attendance meetings. \nConsistent follow-up and outreach to students and families \nstruggling with chronic absenteeism is a fundamental best \npractice. Schools are expected to use the Panorama Student \nSuccess Platform to monitor student attendance progress, as" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 12:\nSuperintendent’s Circular ACA-18 \nPage 12 of 41 \n \n \nwell as to document interventions and success plans. Schools \nshould also connect with community-based programs or \norganizations that can support truancy issues. \nDifferentiating the Use of Aspen SIS and Panorama Student \nSuccess Platform: \nThe Aspen Student Information System (SIS) is the system to \ncapture critical information for student records and maintain \ncompliance with regulatory requirements. As it relates to \nattendance, schools will take attendance in Aspen. However, \nschools expect to use the Panorama Student Success Platform to \ndocument all attendance prevention and intervention activities," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "using both the Support Notes feature and Tier 2 and 3 \nAttendance Success Plans. Student attendance data entered in \nAspen is transmitted nightly to Panorama for attendance \nmonitoring and student success planning purposes. Staff should \nuse both Aspen and Panorama as follows: \nAspen will be used to: \n● input daily student attendance. \n● house the master student schedules and courses. \n● enter course grades. \n● house individual teacher schedules. \n● record teacher attendance. \n● record confidential student journal entries. \n● recommend to Suffolk County Juvenile Court and record \ndocumentation for an Attendance Intervention Plan (AIP). \nPanorama Student Success will be used to:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Panorama Student Success will be used to: \n● display student data. \n● house Attendance Success Plans (Tier 2 and Tier 3)." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 13:\nSuperintendent’s Circular ACA-18 \nPage 13 of 41 \n \n \n● assign team members for communication and \ncollaboration. \n● record support notes related to student interventions and \nstudent success plans. \n● help track information in one place, including assessments \nfrom Illuminate. \nNote: The SOA is responsible for copying Attendance Success \nPlan documentation from Panorama if the case is recommended \nto the court and in other cases as necessary for compliance. \nAll Attendance Success Plans should be recorded as Tier 2 or Tier \n3 plans in Panorama. Panorama allows the planning and \nrecording of interventions, along with notes, to monitor the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "effectiveness of these interventions in setting improvement goals \nin the student success planning process. Attendance teams at \nthe school level ensure Attendance Success Plans are created \nand monitored in Panorama for all students with high chronic \nabsenteeism. At a minimum, every student who has attendance \nat or below 80% (appearing as attendance critical in “red”) should \nhave an Attendance Success Plan in Panorama. It is a best \npractice for schools to coordinate and communicate student \nsuccess planning with families. It is also a best practice for \nschools to establish an attendance success plan at the beginning \nof the school year for students who were chronically absent in" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "the previous school year. Effective student success planning \nrequires sharing the responsibility of plan creation, monitoring, \nand intervention strategies among school staff, including \nteachers, in collaboration with families, \nWho should have an Attendance Success Plan? \nStaff create the plan based on data in Panorama:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 14:\nSuperintendent’s Circular ACA-18 \nPage 14 of 41 \n \n \n● Tier 2 plans (best practice): Students whose attendance is \n90% or below will display as chronically absent in Panorama \n(yellow). \n● Tier 3 plans (required): Students whose attendance is 80% or \nless will appear as attendance-critical (red). \nAn additional quality check: \n● Identify students with an AIP tag in Aspen (this tag indicates \nthe student has high absenteeism in the current marking \nperiod and is eligible for truancy court referral). \nWhat are the Essential Steps when creating an Attendance \nSuccess Plan? \nCreate Attendance Success Plan in Panorama, and remember \nthese two key details: \n● Log as Attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "these two key details: \n● Log as Attendance \n● Log as Tier 2 or Tier 3 \n● Monitoring the plan collaborative and keeping it updated is \nessential to successful outcomes \n● Panorama will house student success plans (Tier 2 and Tier \n3) — academic, attendance, behavior. \nYou will find more help with Panorama at the Office of Data & \nAccountability (ODA) Platforms Help Site. \nQuestions: mtssdata@bostonpublicschools.org \nBOSTON PUBLIC SCHOOLS PUNCTUALITY POLICY \nStudents who arrive after the beginning of the school day are \ntardy. They must follow established tardy procedures to be \nconsidered present for the day. \nAll students are expected to report to school on time every day. It" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "is the policy of the Boston School Committee (approved May 24," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 15:\nSuperintendent’s Circular ACA-18 \nPage 15 of 41 \n \n \n2006) that tardy students should be permitted into the school \nbuilding and not excluded. School leaders are directed to: \n(a) \nreview their current school tardy policies in conjunction \nwith School Site Councils, \n(b) \ndevelop reasonable, non-exclusionary practices to deal \nwith student tardies and positive incentives to encourage \npunctuality, and \n(c) \nclosely monitor compliance with these policies. \n \nIt is important to remember that the requirement that tardy \nstudents be admitted to school does not equal a relaxation of the \nrules covering attendance or tardies. Schools must make every" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "effort to encourage punctuality and discourage tardies. Schools \nare also encouraged to distinguish between first-time instances \nand repeated tardiness. \nAccording to School Committee policy (approved June 6, 2007), \nall high schools are directed to work with their School Site \nCouncils and student representatives to establish fair and \nreasonable procedures to decrease student tardiness. These \nprocedures must adhere to the following guidelines: \n1. Families must be notified by telephone call, in writing, or by \nemail of a student’s tardies. Schools should follow the same \nprevention/intervention steps conducted for student \nabsences." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "absences. \n2. High school tardy procedures should explicitly detail how \nthey plan to further involve families in working with \nstudents who exhibit excessive tardiness. As a rule of thumb, \nexcessive tardiness can be defined as being tardy for 10% or \nmore of school days." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 16:\nSuperintendent’s Circular ACA-18 \nPage 16 of 41 \n \n \n3. High schools’ tardy procedures should be linked in their \nQuality School Plan (QSP), the development of which is the \nresponsibility of the School Site Council. \n4. As a best practice, all schools should establish attendance \nsuccess plans in Panorama for students exhibiting excessive \ntardiness. \nAll high schools, including pilot and Horace Mann charter schools, \nare required to complete their tardy procedures with the above \nguidelines (and other incentives/supports as deemed necessary \nby the School Site Council) no later than October. Each school \nmust maintain a copy of its tardy procedures on file." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "1. The teacher must take attendance at the beginning of every \nclass period in middle and high schools. After comparison of \nperiod attendance with the school's daily attendance, \nstudent cuts should be noted and addressed following the \nappropriate prevention/intervention steps. \n2. Middle and high school students who are tardy should be \nmarked absent for any class(es) they miss. \n3. A student must be in attendance at least half of the school \nday to be considered present. Notations of early dismissal \nmust be recorded with the time of dismissal, and \ndocumentation indicating the reason should be kept on file \nin accordance with school protocol. \nATTENDANCE RECORDS" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "ATTENDANCE RECORDS \nThe accounting and reporting of the attendance or absence of \neach student assigned to a school is one of the school leader's \nmost critical responsibilities. Attendance record-keeping must be \nprecise to ensure accurate accounting of each student and \ntimely reporting of student attendance daily in the Aspen SIS. \nEvery school leader is required to account for the attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 17:\nSuperintendent’s Circular ACA-18 \nPage 17 of 41 \n \n \nand/or absence of students and is required to investigate and \ntake appropriate action for each absence. \nGENERAL ATTENDANCE REQUIREMENTS \n1. Attendance procedures must be reviewed with school staff \nby school leaders during the teacher professional \ndevelopment and training program before each school year. \nEach teacher must sign a document maintained at the \nschool, verifying that they received these procedures and \ntraining. \n2. During the first week of school, homeroom teachers at all \nlevels should make personal calls to the parents/guardians/ \ncaregivers of their students to introduce themselves and" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "invite the parents/guardians/caregivers either to visit the \nschool or to call at any time to check on the attendance and \nprogress of their children. The message should reinforce the \nneed for consistent attendance and the procedures a \nparent/caregiver should follow if their child is absent. In the \nevent any student has not reported at the start of the school \nyear, the teacher should inquire about the student’s failure \nto attend. Teachers should document all communications \nby updating the Aspen SIS with the attendance reason code, \nincluding if a student will not be returning to school, and \nupdate Panorama success plans and/or support notes when \napplicable." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "applicable. \nStudents are expected to report within eight (8) days of the \nfirst day of school or after an initial assignment. On the \neighth day, the student will automatically become a DNR \n(Did Not Report) and be discharged from the school. Schools \nhave the responsibility to contact the parent/caregiver if a \nstudent has not reported. Parents/caregivers should be" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 18:\nSuperintendent’s Circular ACA-18 \nPage 18 of 41 \n \n \nmade aware of this procedure when called if their children \nhave not reported. \nNote: School leaders should always refer to the DNR \nProcedure Memo released annually by the Office of \nWelcome Services for the latest information regarding the \nDNR process. This memo also outlines the procedures for a \nDNR Exception. See the DNR Exception Form. \nDNR PROCEDURE \nFor all students who do not report to school (DNR), the \nfollowing procedures are in effect: \ni. \nA student will hold a NAS (Newly Assigned Student) \ncode for a maximum of five (5) days after the first \nday of school or after the initial assignment. On the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "sixth day, a student will automatically become a \nDNR (Did Not Report). \nii. \nA student will hold a DNR code for a maximum of \nthree (3) days. At the end of the third day, a DNR \nstudent will automatically lose their seat at the \nassigned school. This will occur at the close of \nbusiness on the eighth (8th) day of school. \niii. \nOn the third day of DNR status (or on the eighth day \nsince the first day of school or of initial assignment), \na student's seat will be eliminated, allowing the \nOffice of Welcome Services to assign another \nstudent to that seat. \niv. \nThe student will remain on the DNR list of the \nschool. See below for important details:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 19:\nSuperintendent’s Circular ACA-18 \nPage 19 of 41 \n \n \nEach school leader still has the responsibility of \ninvestigating the situation and, if necessary, ultimately \ndischarging the student to remove them from the DNR list. \nThe discharge cannot happen until the school has \nconducted an exit interview and collected appropriate \ndocumentation from the family. This documentation must \nbe uploaded to Aspen. Please see the DNR Aspen Guide. \nIf you know that a student does not plan to enroll in BPS for \nthe current school year and you have collected appropriate \ndocumentation from the family, you can withdraw them \nfrom BPS without waiting for them to be withdrawn as a" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "DNR at the end of the eight-day period. \nPlease make sure to maintain a record of the appropriate \ndocumentation, upload it to Aspen, and use the appropriate \ndischarge code when discharging the student. Here is a link \nto the BPS Discharge Codes. \nFor students with an IEP, the Special Education Department \nmust also conduct an exit interview to inform the student \nand caregivers of their rights. \nThe assigned supervisor of attendance (SOA) should be \nnotified to provide additional assistance when a school \ncannot locate a student. \nNote: The DNR process does not automatically discharge \nany high-need special education students in an inclusion or" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "substantially separate program (.3 or .4 students). \n3. School Attendance Teams (AT) at all levels are directed to \nmonitor student attendance using the Panorama Student \nSuccess Platform and, in cases that so require, make \nreferrals to the Student Success Team (SST) and/or the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 20:\nSuperintendent’s Circular ACA-18 \nPage 20 of 41 \n \n \nappropriate health or human/social service agencies or \ndistrict services. \nOne of the initial responsibilities of the AT, in collaboration \nwith the SST, shall be to address the issues of (1) DNR \nstudents and (2) students who were chronically absent in \nthe previous school year. \nThe status of each student who did not report (DNR) at the \nstart of the school year must also be investigated and \ndetermined before discharging the student. \nA primary focus of the AT is developing school-based \nabsence prevention and intervention strategies. A three-\ntiered attendance system should be established, with" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "defined prevention and intervention practices that promote \nconsistent attendance among all students. The Attendance \nFundamentals by Tier is a resource and the BPS Tiered \nAttendance System (TAS) is available to all schools as a \nframework to help establish and improve their attendance \npractices across tiers. \n4. Complex cases and students with extensive patterns of \nchronic absenteeism should be referred to supervisors of \nattendance and/or the SST as appropriate after extensive \nprevention/intervention steps have been tried and \ndocumented. \nWITHDRAWING STUDENTS \nOnce the school year has begun, the withdrawal of students that" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "are no longer enrolled at your school can be made at the school \nlevel, not by Central Office staff. It is imperative that school staff \nverify where the student is enrolled prior to withdrawing a \nstudent. Please remember to keep documentation as to where" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 21:\nSuperintendent’s Circular ACA-18 \nPage 21 of 41 \n \n \nthe student is enrolling. Written or emailed documentation is \npreferred. If the family texts you, we suggest sending a \nscreenshot to your email to make sure it is saved. This \ndocumentation must be uploaded to the Aspen SIS. Also, please \nmake sure to use the appropriate discharge code when you \nwithdraw the student from BPS. Here are BPS Discharge Codes. \nAcceptable documentation for withdrawing students includes: \n1. A written request for a student’s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "includes requests from the receiving school that come to \nthe district through Scrib Order. \n2. Written record of a response from an official in the receiving \nschool or program acknowledging the student’s enrollment. \n3. Written confirmation that a student has moved to another \ncountry and will be continuing their education. For example, \nif a parent informs a school administrator that the family is \nleaving the country, the school administrator may \ndocument this conversation in writing. \n4. Letter from a parent/guardian updating the school \nenrollment status of their child, including indication that \nthey will be continuing their education elsewhere." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "5. Letter from the BPS Office of Expanded Learning Time \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process) \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 22:\nSuperintendent’s Circular ACA-18 \nPage 22 of 41 \n \n \nAspen HelpDoc BPS Withdrawal Codes for a table of withdrawal \ncodes with acceptable matching documentation. \nNote: The assigned supervisor of attendance should be notified \nto provide additional assistance when a school cannot locate a \nstudent. \nDISCHARGE PROCEDURES \nStudents 16 Years of Age or Older On October 1st of the School \nYear – Per MGL Ch. 76 Sec. 18: \n1. By the first week of October, the school leader shall have \naccess to the list of students with the designation NAS or \nDNR. \n2. Within 5 days of the tenth consecutive absence, the school \nleader must contact in writing (in the primary language" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "spoken in the home) the parent/caregiver of the student 16 \nyears of age or older to inform them of the requirements of \nMGL c.76 s.18, and to request a meeting to discuss the \neducational implications for the student if they do not \nreturn to school, the benefits of earning a diploma, the \nstudent’s reason(s) for wanting to leave school, and to \nconsider alternative education or other placements. The \nnotice shall offer at least two dates and times for an exit \ninterview, that the parties will agree to a date, and that the \nmeeting will take place within 10 days after the sending of \nthe notice. The school leader must reproduce and use the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "sample form letter linked here and submit a copy to the \ndirector of the BPS Re-Engagement Center within one \nweek. For students who have an IEP, the Special Education \nDepartment must also conduct an exit interview to inform \nthe student and caregivers of their additional due process \nrights." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 23:\nSuperintendent’s Circular ACA-18 \nPage 23 of 41 \n \n \n3. The school leader must conduct the meeting at the \nconvenience of the parent/caregiver, but within 10 days of \nthe sending of the notice. Upon parent/caregiver request, an \nextension not to exceed 14 days may be granted. \n4. If the student reports to school after the exit interview with \nthe parent/caregiver, the school leader must ensure that the \nstudent is marked “P” on the attendance record. \n5. If the student does not or shall not return to school after the \nexit interview with the parent/caregiver, the school leader \nmust request a statement of the parent/caregiver on the" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Sample Form Letter linked here. Submit a copy of this letter \nto the BPS Re-Engagement Center and operational leader \nand discharge the student using the protocol described in \nthis circular. This form is for a student whose assignment \nwithin the Boston Public Schools is to be terminated, i.e., the \nstudent is going to a private or public school outside the \nCity of Boston, or the unknown student whose absences \nhave been investigated thoroughly, or the student who has \n\"dropped out\" of school. This process requires the following: \na. Retain one copy of the documentation at the school in \nwhich the discharge is initiated. \nb. Upload documentation to the Aspen SIS." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "b. Upload documentation to the Aspen SIS. \nc. Issue one copy to the parent/caregiver of the student \ngoing to a private school or another public school \nsystem. \nd. Issue one copy to the superintendent of the new school \nsystem. If the student has transferred to either a \nprivate school or to a charter school, this copy is sent to \nthe principal of the new school." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 24:\nSuperintendent’s Circular ACA-18 \nPage 24 of 41 \n \n \n6. Only after a good-faith effort to include the parent/caregiver \ncan the exit interview with the student take place without \nthe presence of the parent/caregiver. \n7. The school leader must maintain detailed and readily \naccessible records for each student justifying the activation \nof discharge, which should be uploaded to the Aspen SIS. \nStudents Under 6 Years of Age on October 1st of the School Year \n1. Within a week after the receipt of the NAS/DNR printout, \nthe school leader must contact in writing the \nparent/caregiver of the student to inform them that a place \nfor the student has been reserved in the educational" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "program of the school. The parent/caregiver is encouraged \nto ensure the student's attendance, AND the student must \nreport within one week, or the student shall be discharged. \nPlease use the attached form letter. \n2. If the student does not report within one week, the school \nleader must discharge the student according to the \nprocedures described in this circular. No additional \ncommunication with the parent/caregiver is required. \nNote: School leaders shall not discharge a student between \nthe ages of six and sixteen years until all procedures noted \nin this circular are completed. Written notice should be \nreceived by the supervisors of attendance. \nDischarge Codes" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Discharge Codes \nIt is important to use the appropriate discharge code when \nwithdrawing the student from BPS. Here is a copy of the \nBPS Discharge Codes." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 25:\nSuperintendent’s Circular ACA-18 \nPage 25 of 41 \n \n \nGENERAL ATTENDANCE AND PUNCTUALITY PROCEDURES \n1. School leaders must designate a member of their staff who \nwill be responsible for coordinating and monitoring the \nschool's attendance plan. This person shall report directly to \nthe building administrator concerning this effort and should \nbe part of the school AT. A best practice is to have this \nperson lead or co-facilitate the AT when appropriate. The \nplan should take a whole-school approach and fully engage \nthe staff in implementing a tiered attendance system. \nSchool leaders should also ensure that staff is assigned to" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "monitor attendance data and trends on an ongoing basis, \nwhich may require additional training from the Office of \nInstructional and Information Technology, Office of Data \nand Accountability, or Department of Opportunity Youth \n(SOAs). \n2. Each student is marked Absent in the Student Information \nSystem (SIS) on the first day of school and must be marked \nPresent to begin official enrollment. Enter a P on the first \nday of attendance. Students who appear after the first day \nof school should be entered on the date of appearance with \na P. \n3. Official attendance will be taken and reported on the SIS \nsystem by teachers. The central office will make an" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "automated call to all students coded as Absent by 11:00 am \nevery day. \n4. Students who arrive after the beginning of the day are tardy. \nThey must follow established tardy procedures to be \nconsidered present for the day." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 26:\nSuperintendent’s Circular ACA-18 \nPage 26 of 41 \n \n \nSUGGESTED STRATEGIES TO ADDRESS TARDINESS AND \nABSENTEEISM \nIn developing their Attendance Improvement Plan, schools \nshould focus on a positive approach to attendance, using \nconsistent prevention/intervention steps and implementing \nspecific strategies to address tardiness and absenteeism. The \ndistrict has developed a Tiered Attendance System (TAS) to \nsupport schools in ensuring the consistency and effectiveness of \ntheir attendance practices across the school, while the Panorama \nStudent Success Platform provides a framework to track and \nmonitor individual student attendance, interventions, and" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "success planning. See also Attendance Fundamentals by Tier. \nExamples of strategies to address tardiness and absenteeism \ninclude: \n● Tiered intervention and prevention programs: \nTier 1: Reliable attendance reporting from every \nclassroom; positive school climate initiatives such as \nmaintaining positive relationships among school staff, \nstudents, and families; consistent intervention and \nprevention activities with documentation in Panorama; \nSchool Attendance Committee; School Attendance \nCulture. \nTier 2: Targeted attendance letters; attendance contracts; \nstudent/family conferences; attendance success plans; \nattendance coaching; mentorship programming." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "attendance coaching; mentorship programming. \nTier 3: Intensive case management or mentorship; \nspecialized programming; assigning staff to intentional \nstudent check-ins; connections with and/or referrals to \nspecific support services or community resources. \n● Use of restorative justice practices" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 27:\nSuperintendent’s Circular ACA-18 \nPage 27 of 41 \n \n \n● Parent/caregiver and/or student-centered conferences \n● Contracting with the student and/or parent/caregiver \n● Learning Recovery/Attendance Buy-Back Time (for repeated \ntardiness or unexcused absences) \nNote: Schools are prohibited from excluding students from \nphysical activity during the school day, such as during recess \nor physical education, as a disciplinary consequence. However, \na student may be prohibited from participating in athletics or \nextracurricular activities on a school day when an unexcused \nabsence causes a student to miss more than 50% of the school \nday. \nSuggested other steps:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "day. \nSuggested other steps: \n● Make MBTA schedules available at schools. \n● Post rules on tardiness and punctuality in visible locations. \n● Hold a conference with student and family for repeated \ntardiness. \n● Make phone calls to families of students who are tardy. \n● Work with Attendance Team and/or SST and/or to \ninvestigate root causes for student tardiness. \n● Establish Student Planning Centers. \nPlease see the BPS Code of Conduct for additional guidance \nregarding suggested strategies. \nNOTIFICATION TO PARENTS/CAREGIVERS WHEN STUDENTS \nARE ABSENT \nSchool leaders should inform all students and parents/caregivers \nby means of a written bulletin, newsletter, or SchoolMessenger at" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "the beginning of each school year of the Attendance Policy and \nthe basic school attendance procedures adopted by the School" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 28:\nSuperintendent’s Circular ACA-18 \nPage 28 of 41 \n \n \nSite Council. This information should be sent in the language of \nthe home. \nParents/caregivers should be advised that a signed note of \nexplanation shall be required each time a student is absent. The \nnote should state the date(s) of absence, the reason, the \nparent/caregiver contact information, and the parent/caregiver \nsignature. The note should be sent in on the day the student \nreturns to school. The note must be received within seven (7) \nschool days following the absence. Here is a Sample \nParent/Caregiver Note for Excused Absence. Schools are \nexpected to use Panorama to document and monitor attendance" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "intervention activities, including documentation of each step \ndescribed below. \n1. First Absence \nThe building administrator is responsible for ensuring that \nschool staff notifies parents/caregivers by telephone of all \nstudent absences. This is best accomplished by the \nhomeroom teacher. In these conversations, \nparents/caregivers should be reminded of (1) the need to \nsubmit a note of explanation to document the reason each \ntime a student is absent, (2) the importance of consistent, \non-time attendance for a student to be successful in school, \nand (3) that unexcused absences could result in the student \nfalling behind academically. \n2. Second and Third Absence" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "2. Second and Third Absence \nParents/caregivers must be notified in writing no later than \nthe student’s third absence (even if the absences were \n“excused”) and on a regular basis thereafter. This notification \nshould include the attendance requirement, the number of" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 29:\nSuperintendent’s Circular ACA-18 \nPage 29 of 41 \n \n \ndays missed compared to the number of school days in the \nmarking period, and the impact of continued absence on \nthe student’s success. Note: These absences do not need to \nbe consecutive. This letter must be written in the language \nof the home. Here is a Sample Absence Letter which can be \nplaced on the school’s letterhead. \n3. Third Unexcused Absence \nAfter the third unexcused absence, the student must be \nreferred to the SST by the homeroom teacher. The team will \nreview the case and meet to develop recommendations to \nassist the student in improving attendance. The team may" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "invite the parent/caregiver and, at the secondary level, the \nstudent to the meeting; however, if the parent/caregiver \ndoes not attend the meeting, an effort must be made by the \nschool to contact and discuss the case with the \nparent/caregiver. It is recommended that the SST develop \nan attendance success plan in Panorama at this step." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 85, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 30:\nSuperintendent’s Circular ACA-18 \nPage 30 of 41 \n \n \n4. Fourth Unexcused Absence \nAt the fourth unexcused absence in any term, a meeting \nshall be convened by the school leader, to which the \nparent/caregiver shall be invited. If the school is unable to \ncontact the parent/caregiver, a home visit should be \nconducted. The implications of student absence from \nschool, as well as the current academic status of the \nstudent, will be discussed at this meeting. The success plan \ndeveloped by the SST after the third unexcused absence \nshould be reviewed. \n5. Fifth Through Seventh Unexcused Absence \nAt the fifth unexcused absence, the student and the family" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 86, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "should be referred to the Family Resource Center or \nassigned supervisor of attendance. \n6. Eighth Unexcused Absence \nAfter the eighth unexcused absence, for a student younger \nthan 16 years of age, the school’s designated attendance \nrepresentative shall coordinate with the assigned supervisor \nof attendance to determine if it is necessary and appropriate \nto file a truancy case with the Suffolk County Juvenile Court. \nInstructions for Recommending an Attendance Intervention \nPlan for Court describe the necessary steps to recommend a \ncase for court. In addition, the school should coordinate with \nthe school social worker for additional support." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 87, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "This Notification to Parents/Caregivers When Students Are \nAbsent condenses the process described above. It serves as a \nreference document for staff." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 88, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 31:\nSuperintendent’s Circular ACA-18 \nPage 31 of 41 \n \n \nAbsence, tardy, and early dismissal notations must be recorded in \nthe Aspen SIS daily as the official system of record. School-wide \nattendance monitoring using the Panorama Student Success \nPlatform should be conducted by the school leader or their \ndesignee on a regular basis, but no less frequently than monthly. \nEXCUSED ABSENCES \nThe student attendance record must be updated to reflect the \nexcused absence. An excused absence is defined as an absence \ncaused by sickness, injury, hospitalization, court appearances, \nreligious holy days, or the death of an immediate family member." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 89, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "The school may accept other reasons for an excused absence as \napproved by the school leader; however, if a note of explanation \nis not received, the absence shall be deemed “unexcused.” \nHowever, it is important to remember that all absences are \nincluded as it relates to chronic absenteeism, regardless of \nwhether the absence is excused or unexcused. Prevention and \nintervention steps should be conducted by the school to \nminimize missed instructional time, regardless of whether \nabsences are excused or unexcused. In addition, \nparents/caregivers should be informed of the definition of \nchronic absenteeism and the impact it has on student outcomes:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 90, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Chronic absenteeism is defined as missing 10 percent or more of \nthe school year in any given period. All absences are included as \nit relates to chronic absenteeism, regardless of whether the \nabsence is excused or unexcused. For an entire school year, a \nstudent who misses 18 school days, or about two days per month, \nwill be considered chronically absent. \nParents/guardians/caregivers should be informed, as part of the \nSchool-Based Rules, of those reasons that are accepted as" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 91, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 32:\nSuperintendent’s Circular ACA-18 \nPage 32 of 41 \n \n \n“excused” and those that are not acceptable to excuse an \nabsence. \nNOTIFICATION TO PARENTS/CAREGIVERS SHOULD A CHILD \nLEAVE SCHOOL \n1. All students must be supervised by a responsible adult at all \ntimes during the school day. \n2. Should a child be noted as missing, the school leader should \nbe notified immediately. \n3. After an initial search of the school and immediate \nneighborhood, the parent/caregiver should be notified by \ntelephone as promptly as possible, and the appropriate \ndepartments should be notified. (See Superintendent’s \nCircular SAF-09, Lost Children Procedures). \nSAFETY CONCERNS RELATED TO ATTENDANCE" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 92, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "SAFETY CONCERNS RELATED TO ATTENDANCE \nTo maximize the protection and safety of all students, schools \nshould take the following measures: \n1. Emphasize to the parent/caregiver that they should arrange \nto be sure that their children reach the bus stop on time \nevery morning and that they board the bus. This should be \nstressed in newsletters sent home at the start of each school \nyear. \n2. Inform the parent/caregiver that they should notify the \nschool by telephone each day that their child will be absent \ndue to illness, etc. \n3. Inform the parent/caregiver as soon as possible, including \nthrough the SchoolMessenger system, of their children’s \nabsence." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 93, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 33:\nSuperintendent’s Circular ACA-18 \nPage 33 of 41 \n \n \n4. Ensure that the parent/caregiver supplies the school with \naccurate, up-to-date home and emergency telephone \nnumbers and indicates the place their children should go if \nthey miss the bus, e.g., the home of a relative, friend, \nneighbor, etc. These emergency numbers should be \nupdated as necessary. \n \nHOME & HOSPITAL TUTORING \nWhen a physician determines that a student is physically unable \nto attend school for more than 14 consecutive days or anticipated \nto accumulate more than 14 absences in a school year, the \nstudent should be offered tutoring at home or in the hospital." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 94, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "The referral should be made to the Home & Hospital Instruction \nprogram when the school nurse receives a Physician Statement. \nThe attendance for students participating in the Home & Hospital \nInstruction Program should be marked “constructively present” \n(CP). The school must document in writing all offers of home \ntutoring and acceptances or rejections by the parent or caregiver. \nIf a parent/caregiver rejects home tutoring or other appropriate \nacademic services for a child who will be absent for an extended \nperiod, a record of that rejection must be retained in the \nstudent’s file, and a 51A should be filed with the Department of" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 95, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Children and Families (DCF). When it is deemed by the student’s \nattending physician or pediatrician that they will be confined to a \nhome or hospital setting for more than 60 days, the student will \nthen be considered for evaluation (if not a student with an IEP); \nor if a student with an IEP, the student will then be considered for \na possible IEP amendment or new IEP by the Office of Special \nEducation under state regulation 603 CMR 28.04(4)." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 96, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 34:\nSuperintendent’s Circular ACA-18 \nPage 34 of 41 \n \n \nPROCEDURES FOR REFERRAL TO SUPERVISORS OF \nATTENDANCE \nSOAs build schools’ capacity to reduce chronic absenteeism. See \nSOA Overview for details on how they can support your school. \nThis iteration of the attendance policy calls on schools to take \nownership of attendance and supportive interventions and to use \nreferrals to supervisors of attendance as only a measure of last \nresort. In that context, this circular reflects the Boston Public \nSchools’ procedures for referring students to the supervisors of \nattendance (SOA). Under M.G.L. c.119, Section 21, Section 39E," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 97, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Section 39F, and Section 39G, Boston Juvenile Court may hear \npetitions to determine if a child needs services. In Boston Public \nSchools, only the SOA may file a Child Requiring Assistance (CRA) \npetition on behalf of the district for attendance or behavior-\nrelated matters. \n It contains guidelines on: \n● Procedures for referrals and Attendance Intervention Plan \n(AIP) \n● Child Requiring Assistance (CRA) filings \n● Adult Failure to Cause (ADF). \nBACKGROUND \nM.G.L. c.119 Part 1 Title XII Chapter 69 Section 10 states that the \nDepartment of Elementary and Secondary Education shall adopt \nregulations establishing a truancy prevention program" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 98, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "certification process, consistent with the behavioral health and \npublic schools framework developed pursuant to section 19 of \nchapter 321 of the acts of 2008, and shall require that the truancy \nprevention program evaluate the level of out-of-school support \nfor students and families and address conditions that make \nstudents more likely to become truant including, but not limited" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 99, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 35:\nSuperintendent’s Circular ACA-18 \nPage 35 of 41 \n \n \nto, previously unidentified or inadequately addressed special \nneeds, bullying, and harassment. Any truancy prevention \nprogram established under this section by a school district shall \nmeet the requirements for certification adopted by the \ndepartment. \nSupervisors of attendance, working in collaboration with school \nstaff and external agencies, may file a court referral based on \ninvestigative findings, prior attendance patterns, and present \nproblematic attendance. The filing of a CRA is the last resort if \nother interventions by school, external agencies, and/or \nattendance staff fail to bring about improvement." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 100, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "The SOA may file the following CRA petitions with the mandatory \nparent/caregiver date of birth: \n● Habitually Truant: Civil charge filed on students who miss \nschool for 8 days in a quarter. \n● Student Who Repeatedly Fails to Obey Regulations of the \nSchool: Civil charges filed on students who repeatedly fail to \nobey the lawful and reasonable regulations of the student’s \nschool. \n● Adult Failure to Cause: Petition filed when a student’s \nabsence is beyond their control, but due to a caretaker’s \naction or inaction, e.g., the child is too young to get to school \non their own. \nATTENDANCE INTERVENTION PLAN (AIP) \nWhile all attendance intervention activities should now be" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 101, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "documented in the Panorama Student Success Platform, the \nAttendance Intervention Plan (AIP) is available for each student \nhaving four or more unexcused absences in the Aspen SIS. The \nAIP in Aspen SIS serves the following purposes:" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 102, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 36:\nSuperintendent’s Circular ACA-18 \nPage 36 of 41 \n \n \n● To identify students who are eligible for a court referral due \nto eight or more unexcused absences in a marking period. \n● For school leaders to recommend a case to court as a last \nresort when all attendance prevention/intervention \nstrategies have been exhausted. \n● To document any compliance-related attendance \nintervention activities, particularly for cases that are \nrecommended to the court. Supervisors of attendance \n(SOAs) will ensure that any compliance-related \ndocumentation from Panorama is also entered to Aspen \n(that is: if a case moves toward the court, the SOA is" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 103, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "responsible for copying the intervention plan from \nPanorama into Aspen). \n● For a quality check, wherein school attendance staff can \nverify that all students who have an AIP generated in Aspen \nSIS (because of four or more unexcused absences in a \nmarking period) also have an Attendance Success Plan \ncreated in Panorama. As a best practice, all chronically \nabsent students should have an Attendance Success Plan in \nPanorama. \nOnce a student has eight unexcused absences in a marking \nperiod, the school leader may recommend the AIP for court in \nthe SIS. Supervisors of attendance (SOAs) will ensure that any \ncompliance-related documentation is also entered into Aspen," + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 104, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "including the attendance success plan, with attendance \nintervention steps that were conducted with the student, as \ndocumented using Panorama. \nThe parent/caregiver date of birth (DOB) is required in the judicial \nprocess. The AIP will require the submission of the \nparent/caregiver date of birth and documentation of intervention" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 105, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 37:\nSuperintendent’s Circular ACA-18 \nPage 37 of 41 \n \n \nsteps as an Attendance Success Plan in Panorama. Without this \ninformation, the AIP cannot be recommended for court. \nThe SOA will investigate and report their recommendation in the \nSOA comment section. The comments can be viewed by the \nsenders and the school leaders. The senders and the school \nleaders can view the comments. Instructions for Recommending \nan Attendance Intervention Plan for Court are here. \nSCHOOL STEPS IN THE CHILD REQUIRING ASSISTANCE (CRA) \nPROCESS \nCRA: Truancy \n1. Upon the 4th unexcused absence, the school leader or \ndesignated staff and homeroom teacher will receive an" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 106, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "email notification from SIS informing them that an \nAttendance Intervention Plan (AIP) has been initiated \nduring the term for a student. \n2. Upon the 8th unexcused absence during the term, the \nschool leader or designated staff or homeroom teacher can \nrecommend that a student AIP be sent to court due to \nexcessive absences and non-compliance with the student’s \nAttendance Success Plan, as documented in Panorama. The \nAIP cannot be recommended for court if the student does \nnot have an Attendance Success Plan documented in \nPanorama. At this time, the appropriate SOA will investigate \nthe case, referring to the action already taken by the school" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 107, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "to date and to the results that they have reported. The \ninvestigation may include phone calls, \nhome/parent/caregiver work-site visits, school visits and \ntelephone calls, letters to parents/caregivers where \nnecessary, and, in some cases, contact with and referral to \ninvolved agencies." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 108, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 38:\nSuperintendent’s Circular ACA-18 \nPage 38 of 41 \n \n \n3. The SOA will report the results of the investigation to the \nschool through the SIS system. The supervisor will also ask \nthat schools keep them informed of further attendance \nproblems. \n4. If attendance does not improve, schools must send \nadditional AIPs to the Attendance Office only if the open \nCRA has been closed, alerting the SOA to follow up once \nmore. Additional interventions should be documented in \nPanorama to update the SOA on the school's subsequent \nactions and results. \n5. Subsequent investigation and follow-up will occur through \nresponse in the SIS system, email, or attendance meeting." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 109, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "6. Supervisors of attendance, working with school staff, make \ndecisions on future action based on investigative findings, \nprior attendance patterns, and correspondence with \nparents/caregivers and the school. One option is court \nreferral. The decision to file a CRA is made by the SOA based \non the finding and results of steps 1-4 and only after \nexhausting all other possible courses of action. The CRA will \nonly be filed if the student has accumulated eight or more \nunexcused absences in a single quarter and the school has \ndocumented intervention steps using the Attendance \nSuccess Plan feature in Panorama. \n7. When the AIP is recommended for court, the SOA will notify" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 110, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "the school of this action using the Attendance Supervisor's \nInformation Form or will make personal or telephone \ncontact. A probation officer will be assigned to the child by \nthe court if a CRA is filed. \n8. If attendance does not improve following a CRA filing, \ncommunication with the assigned probation officer and/or \nthe SOA is required." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 111, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 39:\nSuperintendent’s Circular ACA-18 \nPage 39 of 41 \n \n \nCRA FOR STUDENT WHO REPEATEDLY FAILS TO OBEY \nREGULATIONS OF THE SCHOOL \nDecisions to file a Child Requiring Assistance (CRA) for a \nstudent who repeatedly fails to obey regulations of the school \nwith the Suffolk County Juvenile Court should follow the \nprevention/intervention steps and best practices of the BPS \nCode of Conduct, including the Philosophy and Guiding \nPrinciples. NOTE: A CRA for a student who repeatedly fails to \nobey the regulations of the school can only be filed for \nstudents in grade 6 and above. \n1. After the third serious violation of school rules, the school" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 112, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "will request a CRA (repeatedly fails to obey school \nregulations) in the SIS system to the Attendance Office for \nfollow-up and investigation. After filling out the request, the \nfollowing documents should be accompanied via fax: copies \nof a letter signed by a school official on letterhead with the \nprevention/intervention steps taken to improve the \nstudent’s behavior. The school should also provide \ndocumentation of the three serious violations. \n2. The SOA will investigate the case and determine whether a \nfiling is warranted. They will report the decision to the \nschool. \n3. When the CRA petition is filed, the SOA will notify the school" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 113, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "of this action using the attendance supervisor's SIS card or \nwill make personal or telephone contact. A probation officer \nwill be assigned to the child by the court. \n4. If the student’s behavior does not improve following a CRA \nfiling, communication with the assigned probation officer \nand/or the SOA is required, and the school should continue \nto proceed with appropriate action under the Code of \nConduct." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 114, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 40:\nSuperintendent’s Circular ACA-18 \nPage 40 of 41 \n \n \nCRA: ADULT-FAILURE-TO-CAUSE PROCESS (ADF) \nThese cases are criminal complaints filed against \nparents/caregivers who willfully prevent their children from \nattending school. This is a serious charge requiring the sworn \ntestimony of the SOA on the school's behalf. Courts can fine \nparents/caregivers, and in extreme cases, further \nconsequences can result from non-compliance. \nThe steps are the same as described for CRA cases, except that \nit is filed against the parent/caregiver if the investigation \nconducted by the SOA finds evidence to justify the filing, and \ninformation about the parent/caregiver is required, which, in" + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 115, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "some cases, can only be obtained by school staff. For example, \nthe complaint cannot be filed without the parent/caregiver’s \ndate of birth and physical description, as well as documented \nevidence of attendance interventions using the Attendance \nSuccess Plan feature in Panorama. Therefore, it is important \nthat school staff capture this information in advance of \nrecommending a case for court." + }, + { + "folder_name": "Attendance", + "file_name": "ACA-18 Attendance Policies & Procedures", + "chunk_id": 116, + "uri": "https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P", + "content": "Page 41:\nSuperintendent’s Circular ACA-18 \nPage 41 of 41 \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Opportunity Youth \nDepartment: \nDepartment of Opportunity Youth \nMailing Address: \n443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-9620 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-05 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD EMPLOYEES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district’s nondiscrimination policy (see EQT-01). These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "conduct, discrimination or harassment based on race, color, age, \ncriminal record (inquiries only), disability, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. The intent of these procedures is to ensure that, to the \ngreatest extent possible, such reports are addressed in a \nconstructive manner. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct, discrimination, or harassment based on race," + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 2:\nSuperintendent’s Circular EQT-05 \nPage 2 of 8 \n \n \n \ncolor, age, criminal records (inquiries only), disability, \npregnancy/pregnancy related conditions, sex/gender, gender \nidentity, religion, national origin, ancestry, retaliation, sexual \norientation, genetics, natural or protective hairstyle, or military \nstatus. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours, \nincluding when an employee is working remotely, may still \nconstitute bias-based misconduct and a violation of this policy if \nthat behavior has the effect of disrupting an employee’s ability to \ndo their job." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "do their job. \nEmployees sometimes experience “microaggressions”: verbal or \nnonverbal communication that is rooted in implicit bias, but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n• Mistaking one staff member for another because they share \nthe same racial identity \n• Complimenting a staff member for having a skill that is \ncounter to a stereotype regarding their gender or ethnicity \n• Assuming a staff member observes a particular religious \nholiday or has a particular sexual orientation \n• Asking a staff member about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Office will partner with the reporter and/or other appropriate \nstaff to determine an effective intervention, such as coaching, \nmediation, restorative justice, or an individual or school- or \ndepartment-wide training." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 3:\nSuperintendent’s Circular EQT-05 \nPage 3 of 8 \n \n \n \nGENERAL POLICIES \n1. Employees in supervisory or managerial roles have an \nobligation to report possible violations of this circular. \n2. Retaliation against any employee for reporting or \nparticipating in any way in the reporting or investigative \nprocedures is strictly prohibited. \n3. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does not \nconflict with regularly scheduled school programs. \n4. Reporting a possible violation will not be construed as \nreflecting unfavorably on an employee’s or applicant’s good \nstanding, performance, loyalty, or desirability to the Boston" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Public Schools. \n5. Information regarding the allegations, including the parties \ninvolved in the report and the investigation, will be kept \nconfidential to the extent practicable. \n6. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscrimination policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, the \nrelationships between the parties, and the context in which \nthe incidents occurred. A determination whether a \nparticular action or incident constitutes a violation of the \npolicy will be based on all the facts. \nPROCEDURES \n1. An employee or applicant who believes they may have" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "experienced, witnessed, or become aware of possible bias-\nbased conduct must contact the Office of Equity by phone," + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 4:\nSuperintendent’s Circular EQT-05 \nPage 4 of 8 \n \n \n \nemail, or fax. Employees are strongly encouraged to contact \nthe Office of Equity as soon after the incident as possible, as \nreports are more easily addressed the sooner they are \nreported. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and may \nrequest that the reporter submit a written statement. The \nOffice of Equity will ensure that assistance is provided in \npreparing such a written statement, if needed. The Office of \nEquity accepts all reports of possible bias-based conduct \nbut, depending on the circumstances, may decline to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "investigate allegations regarding incidents that occurred \nmore than 300 calendar days prior to receipt of the report. \n2. Employees in a supervisory capacity are required to report \npossible bias-based conduct toward or involving employees, \nvendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day. \n3. After a report is received, the Office of Equity will notify the \nappropriate department identified in the report and/or the \nindividual against whom the report has been filed. \n4. The Office of Equity will make a fair, impartial, thorough, and \nprompt investigation of the reported incident(s). The" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "investigation may include interviews with individuals who \nhave pertinent information and a review of any documents \nor other information relevant to the investigation. BPS \nemployees are obligated to cooperate with any Equity \ninvestigation, including promptly providing any requested \ninformation or documents. \n5. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will be informed when \nthe investigation is complete, and informed whether" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 5:\nSuperintendent’s Circular EQT-05 \nPage 5 of 8 \n \n \n \nprohibited conduct was found. Depending on the facts \ngathered, the Office of Equity may resolve the concerns by \napplying approaches such as alternative dispute resolution, \nrestorative justice, training, or coaching. In other instances, \nthe results of the investigation may also be documented as \nwritten findings. Mediation will not be used in cases \ninvolving sexual assault. \n6. If the Office of Equity finds that there is a preponderance of \nevidence to show that a violation of the district’s \nnondiscrimination policy occurred, the office will determine \nways to address the matter and prevent recurrences." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "7. The Office of Equity will maintain records of all reports of \nbias-based conduct made to the Office of Equity, noting the \nschool or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records to \nidentify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will: \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to be \nin violation of the district’s nondiscrimination policy, prevent \nthis conduct from recurring in the future, and remedy its \neffects, where appropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "effects, where appropriate. \n3. Refer individuals found to have violated the district’s \nnondiscrimination policy for disciplinary action when \nappropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 6:\nSuperintendent’s Circular EQT-05 \nPage 6 of 8 \n \n \n \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more information \nabout Employee Discipline Procedures, please see \nSuperintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under the \ncircumstances. (For more information on student discipline, \nplease see the Code of Discipline for Students and Students \nwith Disabilities – Superintendent Circulars SUP-05 and SPE-\n15.) \n4. Require students, employees, or other third parties found to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "violate the district’s nondiscrimination policy to attend \ndiscrimination prevention training, as appropriate. \nSTATE AND FEDERAL REMEDIES \nIn addition to the above, if you believe you have been subjected \nto unlawful discrimination, you may file a formal complaint with \neither of the government agencies set forth below. Reporting a \nconcern to the Office of Equity does not prohibit you from filing a \ncomplaint with these agencies. Each of the agencies has a time \nperiod of 300 days for filing a claim." + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 7:\nSuperintendent’s Circular EQT-05 \nPage 7 of 8 \n \n \n \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: \nAddress: \nBoston \nOne Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield \n436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester \n484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630" + }, + { + "folder_name": "Equity", + "file_name": "EQT-05 Bias-Based Conduct Toward Employees", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH", + "content": "Page 8:\nSuperintendent’s Circular EQT-05 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Training and School Support \nDepartment: \nOffice of Equity \nMailing Address: \n2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nEmail: \nbpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-02 \nVersion 01 \n \n \n \nBIAS-BASED CONDUCT TOWARD STUDENTS, FAMILIES, \nOR OTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThe Boston Public Schools is committed to maintaining an \nenvironment free of bias and discrimination where all students \ncan flourish, and all families are welcome and able to engage fully \nas partners in students’ education. \nThe Boston Public Schools utilizes the procedures outlined in this \ncircular to investigate and resolve reports of alleged violations of \nthe district’s nondiscrimination policy (see EQT-01) that are" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "targeted at students, families, or other third parties. These \nprocedures are designed to facilitate a prompt and effective \ninternal review and resolution of allegations of bias-based \nconduct or discrimination based on race, color, age, disability, \nsex/gender, gender identity, religion, national origin, ancestry, \nretaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. The intent of these \nprocedures is to ensure that, to the greatest extent possible, \nreports of bias-based conduct are resolved in a constructive \nmanner." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 2:\nSuperintendent’s Circular EQT-02 \nPage 2 of 10 \n \n \n \nEmployees of the Boston Public Schools who become aware of \nany possible bias-based conduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same standard applies \nto partners or contractors providing services in or under the \nauspices of the Boston Public Schools. \nCOVERAGE \nThe procedures pertain solely to reports explicitly alleging bias-\nbased conduct related to race, color, age, disability, sex/gender, \ngender identity, pregnancy, religion, national origin, ancestry," + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "retaliation, sexual orientation, genetics, natural or protective \nhairstyle, military status, or homelessness. This applies to \nallegations of discrimination, harassment, or bias-based bullying \nin any activity under the auspices of the Boston Public Schools, \nincluding, but not limited to: \n• Admission \n• Provision and accessibility of programs and services \n• Guidance practices \n• Participation in sporting events or other extracurricular \nactivities. \n \nExamples of unacceptable conduct include treating students \ndifferently because of their membership in a protected group, \nsuch that the treatment interferes with or limits the student’s" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "ability to participate in or benefit from an educational \nopportunity or extracurricular program. Bias-based conduct also \nincludes derogatory verbal, written, print, or digital" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 3:\nSuperintendent’s Circular EQT-02 \nPage 3 of 10 \n \n \n \ncommunication or conduct relating to a student’s membership in \na protected category. Any form of communication or physical \naction that creates an intimidating, threatening, or abusive \neducational environment will not be tolerated. \nSuch conduct may originate with students as well as employees \nand may also be caused by other persons who participate, \nobserve, or otherwise engage in a district-sponsored activity. \nBehavior that occurs in a location other than a Boston Public \nSchools building or outside of BPS school or work hours may still \nconstitute bias-based conduct and a violation of this policy if that" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "behavior has the effect of disrupting a student's ability to learn. \nExamples of inappropriate behavior toward students that may \nviolate this policy include: \n• Speaking or otherwise communicating derisively to or about \na student or parent because of their membership in a \nprotected group, such as their race, including the use of \nslurs \n• Telling or digitally circulating jokes that are derisive toward \nmembers of a particular group, such as a student of a \nparticular religious faith \n• Using insulting nicknames for members of a protected \ngroup, such as a female student \n• Refusing to allow students to participate in any activity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "because of their membership in a protected group, such as \ntheir sexual orientation, and in the absence of a legitimate \nnondiscriminatory reason for the refusal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 4:\nSuperintendent’s Circular EQT-02 \nPage 4 of 10 \n \n \n \n• Disciplining a student more frequently or more harshly \nbecause of their membership in a protected group, such as \ntheir national origin \n• Displaying pictures or taking any action that is derisive to \nany student based on their membership in a \n• Refusal to use the gender identity affirming name and/or \npronouns that a student has stated. \nStudents sometimes experience “microaggressions”: verbal or \nnonverbal communication that is rooted in implicit bias but does \nnot rise to the level of a violation of this circular. Examples \ninclude: \n• Mistaking one student for another because they share the \nsame racial identity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "same racial identity \n• Complimenting a student for having a skill that is counter to \na stereotype regarding their gender or ethnicity \n• Assuming a student observes a particular religious holiday \nor has a particular sexual orientation \n• Asking a student about their disability without their \nconsent. \nWhen microaggressions are reported to the Office of Equity, the \nOffice will partner with the student, family, and appropriate \nschool staff to determine an effective intervention, such as \ncoaching, mediation, restorative justice, or individual, classroom, \nor school-wide instruction or training." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 5:\nSuperintendent’s Circular EQT-02 \nPage 5 of 10 \n \n \n \n \nGENERAL POLICIES \n1. Retaliation against any student, family member, or other \nthird party for reporting or participating in any way in the \nreporting or investigative procedure is strictly prohibited. \n2. Whenever possible, investigatory meetings will be \nscheduled during a mutually convenient time that does \nnot conflict with regularly scheduled school programs. \n3. Reporting a possible violation will not be construed as \nreflecting unfavorably on a student, family member, or \nother third party’s good standing, academic performance, \nloyalty, or desirability to the Boston Public Schools." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "4. Information regarding the allegations, including the \nparties involved in the report and the investigation, will \nbe kept confidential to the extent practicable. \n5. In determining whether the alleged conduct constitutes a \nviolation of the BPS nondiscriminatory policy, the \nSuperintendent or their designee will consider the \nsurrounding circumstances, the nature of the behavior, \nthe relationships between the parties involved, and the \ncontext in which the alleged incidents occurred. A \ndetermination whether a particular action or incident \nconstitutes a violation of the policy will be based on all \nthe facts." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 6:\nSuperintendent’s Circular EQT-02 \nPage 6 of 10 \n \n \n \nPROCEDURES \nI. Reports to School Leaders \nStudents, families, and other third parties are encouraged to \nreport concerns regarding bias-based incidents of any kind \nto their school’s principal or headmaster. It is advised to file \nthis report as close to the time of the incident as possible, as \nmatters are generally more easily resolved the sooner they \nare reported. \nThe principal or headmaster (or their designee) will attempt \nto work with the individual(s) to resolve the matter. They will \ncontact the Office of Equity to ensure that any next steps \nare carried out in partnership with the Office of Equity and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "appropriately documented. \nStudents, families, or other third parties who do not wish to \nseek assistance from their school’s principal or headmaster, \nor who are dissatisfied with the principal’s or headmaster’s \nattempt at resolution, may report their concerns directly to \nthe Office of Equity. Nothing in this policy shall prevent a \nstudent, family member, or other third party from reporting \na concern directly to the Office of Equity. \nII. Reports to the Office of Equity \n1. A member of the Office of Equity staff will ask the \nreporter for information regarding the incident(s) and \nmay request that the reporter submit a written" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "may request that the reporter submit a written \nstatement. The Office of Equity will ensure that assistance \nis provided in preparing such a written statement, if \nneeded." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 7:\nSuperintendent’s Circular EQT-02 \nPage 7 of 10 \n \n \n \n2. After a report is received, the Office of Equity will notify \nthe appropriate school leader(s) and/or the individual \nabout whom the report has been filed, as appropriate. \n3. The Office of Equity will conduct a fair, impartial, \nthorough, and prompt review of the reported incident(s) \nand investigate as needed. Any investigation may include \ninterviews with individuals who have pertinent \ninformation, and review of any documents or other \ninformation relevant to the investigation. BPS employees \nand students are obligated to cooperate with any Equity \ninvestigation, including promptly providing any" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "investigation, including promptly providing any \nrequested information or documents. \n4. The individual who reported alleged bias-based conduct \nand any subjects of the investigation will generally be \ninformed when the investigation is complete and \nwhether prohibited conduct was found. Depending on \nthe facts gathered, the Office of Equity may resolve the \nconcerns by applying approaches such as alternative \ndispute resolution, restorative justice, training, or \ncoaching. In other instances, the results of the \ninvestigation may also be documented as written \nfindings. \n5. The Office of Equity will maintain records of all reports of" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "bias-based conduct made to the Office of Equity, noting \nthe school or department in which the alleged incident(s) \noccurred, the person accused, and the results of the \ninvestigation. The Office of Equity may review its records \nto identify any patterns and take appropriate action as \nnecessary. \nThe Office of Equity will:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 8:\nSuperintendent’s Circular EQT-02 \nPage 8 of 10 \n \n \n \n1. Take seriously all concerns regarding possible bias-based \nconduct. \n2. Take necessary steps to end any conduct determined to \nbe in violation of the district’s nondiscrimination policy \nand prevent this conduct from recurring in the future. \n3. Refer individuals found to have violated the district’s \nnondiscrimination policy for disciplinary action when \nappropriate. \nFor employees, such action may include written warning, \nsuspension, termination, or another action deemed \nappropriate under the circumstances. (For more \ninformation about Employee Discipline Procedures, \nplease see Superintendent Circular HRS-PP10.)" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "please see Superintendent Circular HRS-PP10.) \nFor students, such action may include suspension, \nexpulsion, or another action deemed appropriate under \nthe circumstances. (For more information on student \ndiscipline, please see the Code of Discipline for Students \nand Students with Disabilities – Superintendent Circulars \nSUP-05 and SPE-15.) \n4. Require students, employees, or other third parties found \nto violate the district’s nondiscrimination policy to attend \nEquity protocols and/or bias prevention training, as \nappropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 9:\nSuperintendent’s Circular EQT-02 \nPage 9 of 10 \n \n \n \nSTATE AND FEDERAL REMEDIES \nUsing the BPS Equity reporting process does not prohibit you \nfrom also filing a complaint with a state or federal agency. These \nagencies have a short time period for filing a claim (OCR – 180 \ndays; DESE – within the same school year; MCAD – 300 days). \n For incidents involving students’ civil rights: \nUnited States Department of Education Office for Civil \nRights (OCR) \nJohn W. McCormack Post Office and Courthouse \n5 Post Office Square, 8th Floor, Suite 900, Boston, MA 02109 \n \n(617) 289-0111 \n \n \n \n \n \n \n For concerns regarding students’ equitable access to \neducation:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "education: \nMassachusetts Department of Elementary and Secondary \nEducation (DESE) \n350 Main Street, Malden, MA 02108 \n(781) 388-3300 \n \n For concerns regarding civil rights related to food and \nnutrition (school-provided meals): \nU.S. Department of Agriculture Office of the Assistant \nSecretary for Civil Rights \n1400 Independence Avenue, SW, Washington, DC 20250" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Page 10:\nSuperintendent’s Circular EQT-02 \nPage 10 of 10 \n \n \n \n For incidents regarding employees’ civil rights: \nMassachusetts Commission Against Discrimination (MCAD) \n \nOffice Location: \nAddress: \nBoston \nOne Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield \n436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester \n484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Compliance and Title IX \nCoordinator \nDepartment: \nOffice of Equity \nMailing Address:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj", + "content": "Department: \nOffice of Equity \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nEmail: \nbpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-07 \nVersion 01 \n \n \n \nACCOMMODATING EMPLOYEES WITH DISABILITIES, \nPREGNANCY, AND PREGNANCY-RELATED CONDITIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to providing equal \nemployment opportunity to all individuals, in accordance with \nChapter 151B of the Massachusetts General Laws and with the \nAmericans with Disabilities Act (ADA). This circular provides \ninformation about the district procedures to address \naccommodation requests for employees on the basis of disability, \npregnancy, and pregnancy-related conditions." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "pregnancy, and pregnancy-related conditions. \nEMPLOYEES WITH DISABILITIES \nAny current or prospective employee who is an individual with a \ndisability may request a reasonable accommodation to assist in \nperforming the essential functions of their assignment. \nChapter 151B and the ADA define a person with a disability as \nsomeone who: (1) has a physical or mental impairment that \nsubstantially limits one or more major life activities; (2) has a \nrecord of such an impairment; or (3) is regarded as having such \nan impairment." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "Page 2:\nSuperintendent’s Circular EQT-07 \nPage 2 of 6 \n \n \n \nMajor life activities include, but are not limited to, caring for \noneself, performing manual tasks, seeing, hearing, eating, \nsleeping, walking, standing, lifting, bending, speaking, breathing, \nlearning, reading, concentrating, thinking, communicating, and \nworking, and the operation of a major bodily function. Although \nnot exhaustive, examples of the range and variety of disabilities \nincluded under these laws are provided below. \n• Non-Ambulatory Disabilities – Physical impairments, \nregardless of cause, that require an individual to use a \nwheelchair, including individuals who are paraplegic," + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "quadriplegic, hemiplegic, or have had a limb or limbs \namputated. \n• Semi-Ambulatory Disabilities – Physical impairments that \ncause a person to walk with difficulty, perhaps with the \nassistance of a cane, crutches, or walker. \n• Coordination Disabilities – Impairments of muscle control of \nthe limbs. \n• Sight Disabilities – Impairments affecting vision totally or \npartially. \n• Hearing Disabilities – Impairments affecting hearing totally \nor partially. \n• Speech Impairments – Impairments affecting totally or \npartially the ability to communicate orally. \n• Learning Disabilities – Impairments that impede learning \nprocesses. \n• Mental or Psychological Disorders – Impairments affecting" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "individuals’ neurological and/or psychological functioning, \nbehavior, and/or mood." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "Page 3:\nSuperintendent’s Circular EQT-07 \nPage 3 of 6 \n \n \n \nThe district’s nondiscrimination policy prohibits bias-based \nconduct or discrimination on the basis of disability in any aspect \nof the employment relationship, including: \n1. \nRecruitment, advertising, and the processing of \napplications \n2. \nHiring, evaluation, upgrading, promotion, award of \npermanent teacher status, demotion, transfer, layoff, \ntermination, right of return from layoff, and rehiring \n3. \nRates of pay or any other form of compensation, and \nchanges in compensation \n4. \nJob assignments, job classifications, organizational \nstructures, position descriptions, lines of progression, \nand seniority lists \n5." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "and seniority lists \n5. \nLeaves of absence, sick leave, or any other leave \n6. \nFringe benefits available by virtue of employment, \nwhether or not administered by the Boston Public \nSchools \n7. \nSelection and financial support for training, including \nprofessional development, conferences, and other \nrelated activities, and selection for leave of absence to \npursue training. \nPREGNANCY AND PREGNANCY-RELATED CONDITIONS \nAs of April 1, 2018, any current or prospective employee who is \npregnant or has a pregnancy-related condition, such as lactation \nor the need to express breast milk, may request a reasonable \naccommodation to assist in performing the essential functions of" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "their assignment." + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "Page 4:\nSuperintendent’s Circular EQT-07 \nPage 4 of 6 \n \n \n \nIf an employee requests an accommodation for: (1) more frequent \nrestroom, food, or water breaks; (2) seating; (3) limits on lifting no \nmore than 20 pounds; and (4) private, non-bathroom space for \nexpressing breast milk, no medical documentation \naccompanying such a written request is necessary. Other \naccommodation requests may require supporting medical \ndocumentation or information. \nEmployees who are pregnant or have pregnancy-related \nconditions may contact the Office of Equity to begin the \naccommodations process. \nREASONABLE ACCOMMODATION PROCESS \nA “reasonable accommodation” is any modification or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "adjustment to a job or work environment that allows an \napplicant or employee with a disability, pregnancy, and \npregnancy-related conditions to participate in the job application \nprocess, perform the essential functions of a job, or enjoy benefits \nand privileges of employment equal to those enjoyed by \nemployees. Upon receiving a request for a reasonable \naccommodation, the Boston Public Schools will engage in an \ninteractive dialogue process. The district will attempt to provide \nreasonable accommodations unless it would cause an undue \nhardship or fundamentally alter the district’s programs. \nAny applicant or employee seeking reasonable accommodations" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "on the basis of a disability, pregnancy, and pregnancy-related \nconditions may contact the Office of Equity to begin the process. \nInformation an employee chooses to submit during the \naccommodation process, such as relevant medical \ndocumentation, will be kept confidential to the extent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "Page 5:\nSuperintendent’s Circular EQT-07 \nPage 5 of 6 \n \n \n \npracticable. Information collected in the reasonable \naccommodation process will be kept in a confidential file with \nthe Office of Equity. \nYour cooperation in implementing a policy of nondiscrimination \nagainst persons with disabilities will assist the Boston Public \nSchools in ensuring equal opportunity for all employees and \npotential employees. \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful discrimination \non the basis of disability, pregnancy, and pregnancy-related \nconditions, you may file a formal complaint with either of the \ngovernment agencies set forth below. Using BPS' internal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "reporting process does not prohibit you from also filing a \ncomplaint with these agencies. These agencies have a short time \nperiod for filing a claim (300 days from the most recent act of \nalleged discrimination). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \nPhone: 1-800-660-4000" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "Page 6:\nSuperintendent’s Circular EQT-07 \nPage 6 of 6 \n \n \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: \nAddress: \nBoston \nOne Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield \n436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester \n484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Accommodations in the Office of \nEquity \nDepartment: \nOffice of Equity \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119" + }, + { + "folder_name": "Equity", + "file_name": "EQT-07 Accommodating Employees", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt", + "content": "Street, Roxbury, MA 02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nE-mail: \nbpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nEQT-10 \nVersion 01 \n \n \n \nOPPORTUNITY AND ACHIEVEMENT GAPS (OAG) \nPOLICY IMPLEMENTATION \n(For the 2016 Policy of the Boston Public Schools to Eliminate \nOpportunity & Achievement Gaps for students of color, \nmultilingual learners, students with disabilities and students of \nlow socio-economic status) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nCIRCULAR CONTENTS \nI. \nOpportunity & Achievement Gaps (OAG) Policy Goals \nII. \nOAG Policy Oversight and Implementation \nIII. \nOAG Policy SMARTIE Goals / Aligned with Strategic Plan \nImplementation Goals \na. Superintendent Goals" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Implementation Goals \na. Superintendent Goals \nb. Central Office Department & Division Goals \nc. School-based Goals \nd. Cross Functional Team Goals \nIV. \nTransparency & Public Accountability \nThe Boston Public Schools is committed to ensuring that every \nchild in every classroom has unfettered access to all the \nopportunities needed to be successful academically and social \nemotionally. In order to meet this mission, it’s important that \nevery district employee reads, understands, embodies, and \nimplements the 2016 Opportunity & Achievement Gaps Policy." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 2:\nSuperintendent’s Circular EQT-10 \nPage 2 of 10 \n \n \n \n \nI. \nOAG POLICY GOALS \nThe OAG Policy aspires to achieve the following goals: \n• Goal 1: Districtwide Implementation and Oversight \n• Goal 2: Districtwide Focus on Cultural Proficiency as \nCentral to the Work of the Boston Public Schools \no Objective 2.1: Develop a clear, shared vision for cultural \nproficiency with Cultural Proficiency Standards, and \npromote culturally and linguistically sustaining and \naffirming practices districtwide. \no Objective 2.2: Continue and expand efforts aimed at \nincreasing dialogue and transparency around issues of \nracism and inclusion and create a system for reporting" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "allegations of racial bias and discriminatory practices \nthrough the Office of Equity. \n• Goal 3: Diversity and Cultural Proficiency in Leadership \nand Human Capital \no Objective 3.1: Increase the diversity of teachers, \nadministrators, and staff in schools and the Central \nOffice. \no Objective 3.2: Provide long-term, ongoing professional \ndevelopment and coaching for staff at all levels of the \ndistrict on eliminating gaps, transforming and \nimproving instructional practices and beliefs, and \nbuilding a culture of high expectations and \nachievement for all students." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 3:\nSuperintendent’s Circular EQT-10 \nPage 3 of 10 \n \n \n \n• Goal 4: Holistic, Culturally Affirming Approach to School \nand Teacher Quality \no Objective 4.1: Provide a culturally proficient and highly \neffective teacher in every classroom and give cultural \nproficiency standards greater weight on the Teacher \nEvaluation Rubric. \no Objective 4.2: Demonstrate how curricula are vetted \nfor bias and cultural proficiency and ensure that the \ncurriculum and instructional strategies used in all \nsubjects at all levels are rigorous, highly engaging, \nculturally affirming, and foster student identity and \nvoice. \no Objective 4.3: Demonstrate how Social and Emotional" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Learning (SEL) is used to develop student identity and \nan appreciation of race, ethnicity, culture, language, \ngender, and social class among students and teachers; \nand foster comfort in discussing these issues explicitly \nin school. \no Objective 4.4: Demonstrate how assessments are used \nto drive deeper learning, eliminate redundant testing, \nand disaggregate data by ethnicity in addition to race \nand gender to identify and address opportunity and \nachievement gaps. \no Objective 4.5: Demonstrate how appropriate \nidentification, placement, and support services are \nprovided for students with disabilities and English \nLanguage Learners." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 4:\nSuperintendent’s Circular EQT-10 \nPage 4 of 10 \n \n \n \n• Goal 5: Dismantling Structural Barriers and Providing \nGreater Access to Opportunities \no Objective 5.1: Demonstrate how equity is addressed \nwithin the district’s operations. \no Objective 5.2: Demonstrate equity in student \nassignment, enrollment, and school closings. \no Objective 5.3: Demonstrate equity, quality, and impact \nin funding and resources. \no Objective 5.4: Demonstrate how opportunities such as \naccess to rigorous curriculum, early childhood \neducation, and extended learning time are being \nexpanded to all students of color and other \nmarginalized groups." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "marginalized groups. \no Objective 5.5: Demonstrate how, in collaboration with \nthe City of Boston, BPS fosters strong parent \ncommunity-school ties to mitigate the effects of \nconcentrated poverty and institutional racism citywide \nas a strategy to eliminate gaps. \n• Goal 6: Students, Family, and Community as Authentic \nPartners \no Objective 6.1: Demonstrate how students are engaged \nas partners in eliminating opportunity and \nachievement gaps, while promoting student \nengagement and agency in active learning. \no Objective 6.2: Demonstrate how parents are engaged \nas partners in eliminating opportunity and \nachievement gaps. \no Objective 6.3: Demonstrate how community partners" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 5:\nSuperintendent’s Circular EQT-10 \nPage 5 of 10 \n \n \n \nare engaged with the District to eliminate opportunity \nand achievement gaps. \nII. \nOAG POLICY OVERSIGHT AND IMPLEMENTATION \nThe Office of Opportunity Gaps of the Division of Equity, Strategy \nand Opportunity Gaps (ESOG) has the authority to oversee the \nimplementation of the OAG policy as designated by the \nsuperintendent of schools. \n• To ensure that all “departments and schools \n[demonstrate] equity in all facets of district operations,” \neach department and school is expected to develop \nannual goals that advance the goals of the OAG policy \nunder their purview. \n• For central office departments, each OAG policy goal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "should be developed in consultation with a designated \nmember of the Office of Opportunity Gaps before the \nbeginning of each school year. \n• For schools, school leaders, in consultation with their \nschool superintendent, should develop goals advancing \nthe OAG policy as a part of their annual Quality School \nPlan (QSP). The school superintendents should have the \ngoals reviewed by the Office of Opportunity Gaps for \nconsultation and feedback for finalization by November 1 \nof each year. \n• The Office of Opportunity Gaps and the Office of Strategy \n& Innovation will work in partnership to ensure alignment \nof strategy plan implementation goals and OAG policy" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "implementation goals across central office departments. \nEach department's OAG goal(s) shall also serve as one or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 6:\nSuperintendent’s Circular EQT-10 \nPage 6 of 10 \n \n \n \nmore of its strategic plan implementation goals. \n \nIII. \nOAG POLICY SMARTIE GOALS / ALIGNED WITH STRATEGIC \nPLAN IMPLEMENTATION GOALS \n“Implementation and Evaluation: Within six months of the \nBoston School Committee (BSC) adoption of this policy, Boston \nPublic Schools (BPS) will develop and present to BSC an \ninterdepartmental implementation plan for this policy. The \nImplementation Plan must include SMART Goals which are \nSpecific, Measurable, Attainable, Realistic, and Time-Bound. \nEach October, beginning in 2017, BPS will submit an annual \nreport on the Plan’s progress which will include SMART Goals for" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "the subsequent calendar year. BPS will develop an Opportunity \nand Achievement Gaps (OAG) Dashboard, publicly available on \nthe BPS website, which monitors and assesses the District’s \nprogress towards meeting the goal of eliminating the \nopportunity and achievement gaps facing students of color and \nother marginalized groups.” \n• Superintendent Goals: At the beginning of each school \nyear, the superintendent’s goals, objectives, and \nimplementation of activities will be aligned with the goals \nand objectives of the Opportunity and Achievement Gap \nPolicy. \n• Central Office Goals: At the beginning of each fiscal year, \neach division-office must develop an Opportunity and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Achievement Gap Goal and Strategy(s) that elevates \nstudent disproportionality within their workstreams. \nGoals are reviewed quarterly to determine progress on \nimplementation for student achievement." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 7:\nSuperintendent’s Circular EQT-10 \nPage 7 of 10 \n \n \n \n• School-Based Goals: At the beginning of each school year, \nSchool Leaders and their teams must develop an \nOpportunity and Achievement Gap Goals and \nStrategy(ies) within their Quality School Plans that elevate \nstudent disproportionalities within teaching, learning, \noperational, and social emotional supports. Quality School \nPlans are reviewed every 90 days to determine progress \non implementation for student achievement. \nIV. \nTRANSPARENCY & PUBLIC ACCOUNTABILITY \n“The Boston School Committee must ensure that eliminating the \nopportunity and achievement gaps facing students of color," + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "English Language Learners, students with disabilities, and \nstudents of low socio-economic status is a primary and urgent \npriority that will not change with new leadership, fluctuating \nbudgets, and shifting priorities. All District policies, budgets, \nstrategic plans, and school improvement plans shall advance \nthe goal of eliminating the opportunity and achievement gaps \nfacing students of color, English Language Learners, students \nwith disabilities, and students of low socio-economic status.” \nRESPONSIBILITY OF DISTRICT LEADERSHIP \nEquity Impact Statements: \nAll reports, policy recommendations, and budgets presented to \nthe Boston School Committee shall be accompanied by an Equity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Impact Statement that explicitly shows a comparison of the gaps \nfor students of color, multilingual learners, students with \ndisabilities, and students of low socio-economic status, \ndisaggregated by ethnicity, to the extent possible. This \nAchievement Gap Impact Statement will give an explicit" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 8:\nSuperintendent’s Circular EQT-10 \nPage 8 of 10 \n \n \n \nexamination of how the report, policy recommendation, and/or \nbudget will help or hinder eliminating gaps and increase or \ndecrease opportunities for students of color, Multilingual learners, \nstudents with disabilities, and students of low socio-economic \nstatus. \nAll new policies will be automatically reviewed in one year to \npresent disaggregated ethnic and program data to show that the \npolicy is having its intended impact, along with lessons learned \nand future recommendations. \nOther Provisions / Excerpts From the OAG Policy: \n• Leadership and Oversight: The superintendent and their" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "designee (e.g., the assistant superintendent for the \nOpportunity and Achievement Gap) will have the \nresponsibility, authority, and accountability to lead, \nfacilitate, and monitor the implementation of this policy \nso that it is fully embedded in the operations and \npractices of the district. \n• Resource Allocation: BPS shall base resource allocation \ndecisions on the OAG Implementation Plan, and target \nresources to meet the specific gap closing goals of the \nplan, including fully funding the Office of the Opportunity \nand Achievement Gap and the Office of Equity. As part of \nthe annual report, BPS will indicate the resources it has \nallocated to implement the OAG plan." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "allocated to implement the OAG plan. \n• Monitoring: The Opportunity and Achievement Gaps Task \nForce shall continue as a monitoring body, meeting no \nless than quarterly, providing guidance and input, and \nworking in partnership with the Boston School" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 9:\nSuperintendent’s Circular EQT-10 \nPage 9 of 10 \n \n \n \nCommittee, and BPS to help ensure that the \nImplementation Plan is developed, and the policy is being \nimplemented with consistency and fidelity across the \ndistrict. The task force will give an annual State of the \nOpportunity and Achievement Gaps Report to the Boston \nSchool Committee and shall make recommendations as \nneeded to influence the budget process and planning for \neach subsequent school year. \n• Performance Reviews: Beginning in SY22-23, annual \nperformance reviews for the superintendent and all BPS \nstaff shall include goals related to cultural proficiency and \neliminating opportunity and achievement gaps." + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Page 10:\nSuperintendent’s Circular EQT-10 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nName: \nAssistant Superintendent, Office of \nOpportunity Gaps \nDepartment: \nOffice of Opportunity Gaps \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nEmail: \nofca-staff@bostonpublicschools.org \nOR \nOwner: \nAssistant Superintendent, Office of \nOpportunity Gaps \nDepartment: \nEquity Strategy, Opportunity Gaps \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nEmail: \nofca-staff@bostonpublicschools.org" + }, + { + "folder_name": "Equity", + "file_name": "EQT-10 Opportunity & Achievement Gaps Policy Implementation", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb", + "content": "Email: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nEQT-04 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nSTUDENTS — NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis circular sets out guidelines for schools and district staff to \ncreate a culture where transgender and gender nonconforming \nstudents feel safe, supported, and fully included, and to meet \neach school’s obligation to provide educational opportunities for \nall students. We aim to achieve inclusion of transgender and \ngender nonconforming students, while maintaining students’ \nright to privacy." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "right to privacy. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nMassachusetts law and the Boston Public Schools (BPS) require \nthat all classrooms, programs, activities, and employment \npractices be free from bias and discrimination on the basis of sex, \nsexual orientation, and gender identity. It is the responsibility of \neach school and the district to ensure that transgender and \ngender nonconforming students have a safe school environment. \nFor policies and procedures about BPS’s “Bullying Prevention \nand Intervention Plan,” please see Superintendent’s Circular SSS-" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 2:\nSuperintendent’s Circular EQT-04 \nPage 2 of 8 \n \n \n \n18. For more information about safety transfers in the district, \nplease see Superintendent’s Circular AMT-07. \nReports of bias, discrimination or harassment based on a person’s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-04) will be investigated and addressed \naccording to the protocols detailed in Superintendent’s Circular \nEQT-02, “Bias-Based Conduct Toward Students Families or Other \nThird Parties.” \nNAMES AND PRONOUNS" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Third Parties.” \nNAMES AND PRONOUNS \nIn Massachusetts, an individual may adopt a name that is \ndifferent from the name that appears on their birth certificate. No \nadditional legal or other documentation is required for school \nstaff to honor student requests to go by a chosen/affirming \nname. If a student or their family is looking to update the name \nthat appears on official school records, they may do so either by \ncompleting the Change of Student Information Form - Name and \nGender Change Request (if the update is related to gender \nidentity) or by contacting BPS Welcome Services (if the update is \nnot related to gender identity). Note: This process is not a legal" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "name change and does not affect any records other than those \nkept by BPS. \nAfter a student requests a name change, school personnel shall \nmake every effort to consistently use the student’s chosen name \nand stated pronouns. For students who remain in the same \nschool following a gender transition, it is important to develop a \nplan for ensuring the use of the chosen name and stated" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 3:\nSuperintendent’s Circular EQT-04 \nPage 3 of 8 \n \n \n \npronouns. School-based staff are strongly encouraged to contact \nthe Office of Equity for additional support in this process. \nPRIVACY, CONFIDENTIALITY, AND STUDENT RECORDS \nUnder Massachusetts law, information about a student’s \nassigned birth sex, gender transition, name change associated \nwith transition, medical or mental health treatment related to \ngender identity, or any other related information is part of the \nindividual’s student record (for more information, see the \nMassachusetts Student Records Regulations, 603 CMR 23.00). \nStudent records are confidential and must be kept private and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "secure except in limited circumstances, such as when authorized \nschool personnel require the information to provide \nadministrative, teaching, counseling, nursing, or other services to \nthe student in the performance of their official duties. Authorized \nschool personnel may include, but are not limited to, individuals \nsuch as the principal, school nurse, classroom teacher(s), social \nworker, and/or guidance counselor. \nWhen a student new to a school is using a chosen or affirming \nname, the birth name is considered private information and may \nbe disclosed only with authorization as provided under the \nMassachusetts Student Records Regulations. If the student has" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "previously been known at school and/or in school records by their \nbirth name, school personnel must use the student’s chosen \nname. School personnel should not disclose information that \nmay reveal a student’s transgender status or gender \nnonconforming presentation to others, including parents and \nother school personnel, unless legally required to do so, for safety \nreasons, or if the student and/or guardian has authorized such \ndisclosure." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 4:\nSuperintendent’s Circular EQT-04 \nPage 4 of 8 \n \n \n \nTransgender and gender nonconforming students have the right \nto discuss and express their gender identity and expression \nopenly and to decide when, with whom, and how much \ninformation to share. A student who is 14 years of age or older, or \nwho has entered the ninth grade, may consent to disclosure of \ninformation from their student record. If a student is under 14 \nand is not yet in the ninth grade, only the student’s parent has \nthe authority to decide on disclosures and other student record \nmatters. \nTo the extent that the school is not legally required to use a" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "student’s legal name and gender on other school records or \ndocuments, every effort shall be made to update student records \nwith the student’s chosen name and not circulate records with \nthe student’s birth name. Records with the student’s birth name \nshall be kept confidential. \nFor more information about Student Record Regulations, please \nsee Superintendent’s Circular LGL-07. \nRESTROOMS, LOCKER ROOMS, AND CHANGING FACILITIES \nIn accordance with Massachusetts law, all students are entitled to \nhave access to restrooms, locker rooms, and changing facilities \nconsistent with the student’s gender identity. As part of the \ntransition process, the school leader (or their designee) and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "student (and parent/guardian, when applicable) shall address the \nstudent’s access to the restrooms, locker room, and changing \nfacilities. \nEach situation needs to be addressed based on the particular \ncircumstances of the student and the school facilities. In all cases, \nthe school leader (or their designee) shall be clear with the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 5:\nSuperintendent’s Circular EQT-04 \nPage 5 of 8 \n \n \n \nstudent (and parent/guardian when applicable) that the student \nmay access the restroom, locker room, and changing facility that \ncorresponds to the student’s gender identity. Transgender \nstudents who prefer not to use a sex-segregated restroom should \nbe provided with a safe and adequate alternative, such as a single \nstall restroom or nurse’s restroom if possible. The single-user \nfacility, however, may not be given as the only option for \ntransgender or gender nonconforming students. \nSchool-based staff should be aware that there will be students \nwho do not identify along the gender binary (boy/girl or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "man/woman). These students may use terms such as \n“nonbinary,” “gender fluid,” or “gender queer” to describe their \ngender identity. They should be given access to whichever facility \nfeels most comfortable to them. Students who prefer not to use a \nsex-segregated restroom should be provided with a safe and \nadequate alternative, such as a single stall restroom or nurse’s \nrestroom if possible. The single-user facility, however, may not be \ngiven as the only option for transgender or gender \nnonconforming students. If possible, schools should consider \ndesignating one or more restrooms at their school as “all gender,” \nmeaning that anyone of any gender may use that restroom." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Student and/or school staff discomfort is not an acceptable \nreason to deny restroom access to transgender and/or gender \nnonconforming students. School administrators, educators, and \ncounseling staff should take a proactive approach to address any \ndiscomfort, foster understanding, and create a school culture \nthat respects and values all students. School-based staff may \ncontact the Office of Equity for additional support in this area." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 6:\nSuperintendent’s Circular EQT-04 \nPage 6 of 8 \n \n \n \nPHYSICAL EDUCATION CLASSES, INTRAMURAL SPORTS, AND \nINTERSCHOLASTIC ATHLETIC ACTIVITIES \nWhere there are sex-segregated classes or athletic activities, \nincluding intramural and interscholastic athletics, all students \nmust be allowed to participate in a manner consistent with their \ngender identity. The Massachusetts Interscholastic Athletic \nAssociation, as outlined in their Gender Identity Policy \nClarification, will defer to the determination made by the student \nand their school regarding gender identity. \nDRESS CODES \nAll students have the right to dress in a manner consistent with" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "their gender identity or expression. In general, schools should \neliminate dress codes that restrict students’ clothing or \nappearance on the basis of gender.(1) School staff must not \nenforce the dress code more strictly against transgender and \ngender-nonconforming students than other students. \nDIPLOMAS \nGraduating students are entitled to use a chosen or affirming \nname on their BPS diploma, this name may be different from the \nname listed in student records. Students wanting a diploma \nprinted with a name other than or in addition to the name listed \nin student records should speak to their school guidance \ncounselor or the LGBTQ+ student support manager." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "(1) The Office of Equity will provide schools with a sample dress \ncode upon request." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 7:\nSuperintendent’s Circular EQT-04 \nPage 7 of 8 \n \n \n \nGENDER-BASED ACTIVITIES, RULES, POLICIES AND PRACTICES \nSchools should evaluate all gender-based policies, rules, and \npractices, and maintain only those with a clear and sound \npedagogical purpose and equivalent offerings for students of all \ngenders. Gender-based policies, rules, and practices may have \nthe effect of marginalizing, stigmatizing, and excluding students, \nincluding gender nonconforming students. \nWhenever students are separated by gender in school activities \nor are subject to an otherwise lawful gender-specific rule, policy, \nor practice, students must be permitted to participate in such" + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "activities or conform to such rule, policy, or practice consistent \nwith their gender identity. \nRELATED RESOURCES \n• The Gay, Lesbian and Straight Education Network (GLSEN) \nGender Terminology Guide is available here: \nhttps://www.glsen.org/activity/gender-terminology. \n• For information about the Boston Public Schools policies on \nbias-based conduct or bullying, see Superintendent’s \nCirculars EQT-02, EQT-03, or SSS-18. \n• For more information about the Massachusetts gender \nidentity law, see the Massachusetts Department of \nElementary and Secondary Education guidance document, \n“Nondiscrimination on the Basis of Gender Identity” at \nhttp://www.doe.mass.edu/ssce/GenderIdentity.pdf." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "http://www.doe.mass.edu/ssce/GenderIdentity.pdf. \n• Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional support." + }, + { + "folder_name": "Equity", + "file_name": "EQT-04 Students and Gender Identity", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-", + "content": "Page 8:\nSuperintendent’s Circular EQT-04 \nPage 8 of 8 \n \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Training and School Support \nDepartment: \nOffice of Equity \nMailing Address: \n2300 Washington St., 5th floor, Roxbury, MA \n02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nEmail: \nbpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-01 \nVersion 01 \n \n \n \nNONDISCRIMINATION POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining an \neducational environment and workplace where individuals of all \nbackgrounds and experiences are welcomed, encouraged, \nincluded, and can flourish. We aim to eliminate all forms of bias \nand bigotry, including discrimination based on race, color, age, \ncriminal record (inquiries only), physical or mental disability, \npregnancy and pregnancy-related conditions, homelessness, \nsex/gender, gender identity, religion, national origin, ancestry," + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "sexual orientation, genetics, natural or protective hairstyle, and \nmilitary status. The Boston Public Schools is resolved that \nprejudice and disparate treatment will never impede our learners \nor our educators. \nThe Boston Public Schools will not tolerate discriminatory \nbehavior, including intimidation, threats, or harassment of \nemployees, students, or anyone else who visits or is part of our \nlearning community. Retaliatory conduct toward persons who \nhave reported possible bias, discrimination, or inappropriate \nbehavior, who have assisted in an investigation, or who have \notherwise exercised their rights under this policy is also \nprohibited." + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "Page 2:\nSuperintendent’s Circular EQT-01 \nPage 2 of 4 \n \n \n \nConduct in violation of this policy includes any action, including \nverbal or nonverbal communication, that contributes to, \npromotes, or is complicit in disrupting the district’s inclusive \nlearning and working environment. Derogatory or intimidating \nstatements, threats, acts of exclusion, or other mistreatment \nregarding a student’s or employee’s membership in or \nassociation with a member of a protected group, whether made \nin person or by telephone, postal mail, e-mail, internet posting, or \nany other means, will not be tolerated. This includes such \nstatements made toward students, members of students’" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "families, employees, contractors, or other parties who support or \nparticipate in district programming. \nThis policy extends to all employment and educational practices \nand programs, including: \n• Recruitment \n• Selection and admission \n• Compensation and benefits \n• Access to learning \n• Professional development, training, and extracurricular \nactivities \n• Discipline, evaluation, and testing \n• Reasonable accommodation for disabilities or religious \npractices \n• Promotion \n• Transfer \n• Termination \n• Layoff \n• Other terms and conditions of employment and education." + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "Page 3:\nSuperintendent’s Circular EQT-01 \nPage 3 of 4 \n \n \n \nThe Boston Public Schools will vigorously implement and actively \nenforce this policy to ensure that all its daily operations are \ncharacterized by fairness, respect, and equity. Any violation of this \npolicy will be viewed as serious misconduct and may result in \ndiscipline, up to and including termination of the offending \nemployee or expulsion of the responsible student. Retaliation \nagainst any person who has testified, assisted, or participated in \nany manner in an investigation, proceeding, or hearing of a \nreport of a violation of this policy, will similarly be viewed as" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "serious misconduct and may result in discipline, up to and \nincluding termination or expulsion. \nInformation about the investigative procedures associated with \nthis policy is detailed in Superintendent’s Circulars EQT-02 and \nEQT-05. \nAll Boston Public Schools newly printed publications (e.g., Code \nof Conduct, Citywide Learning Standards and Curriculum \nFrameworks, course selection booklets, student/parent/employee \nhandbooks, job postings, etc.) for students, parents, teachers, \nnon-academic employees, and the general public must contain \nthe following nondiscrimination notice: \nThe Boston Public Schools, in accordance with its \nnondiscrimination policies, does not discriminate in its" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "programs, facilities, or employment or educational \nopportunities on the basis of race, color, age, criminal \nrecord (inquiries only), disability, pregnancy, homelessness, \nsex/gender, gender identity, religion, national origin, \nancestry, sexual orientation, genetics, natural or protective \nhairstyle, or military status, and does not tolerate any form \nof retaliation, or bias-based intimidation, threat, or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-01 Nondiscrimination and Policy Statement", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ", + "content": "Page 4:\nSuperintendent’s Circular EQT-01 \nPage 4 of 4 \n \n \n \nharassment that demeans individuals’ dignity or interferes \nwith their ability to learn or work. \n \nFor more information about this circular, contact: \nOwner: \nAssistant Superintendent of Equity \nDepartment: \nOffice of Equity \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nEmail: \nbpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-06 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD EMPLOYEES AND \nOTHER THIRD PARTIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Boston Public Schools is committed to ensuring a work \nenvironment free of inappropriate sexual conduct. Inappropriate \nsexual comments or behavior will not be tolerated. In addition, \nany retaliation against an individual who reports inappropriate \nsexual conduct or harassment, or has cooperated with a related \ninvestigation, is unacceptable. The Boston Public Schools treats \nreports of violations of this policy with the utmost seriousness." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "We will respond promptly to any allegations of sexually \ninappropriate conduct and intervene to cease any conduct that \nviolates this policy. Anyone who violates this policy will be subject \nto corrective action up to and including termination. \nDEFINITION OF SEXUAL HARASSMENT \nIn Massachusetts, sexual harassment means sexual advances, \nrequests for sexual favors, and verbal or physical conduct of a \nsexual nature when:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Page 2:\nSuperintendent’s Circular EQT-06 \nPage 2 of 7 \n \n \n \na) Submission to or rejection of such advances, requests, or \nconduct is made, either explicitly or implicitly, a term or \ncondition of employment or as a basis for employment \ndecisions; or \nb) Such advances, requests, or conduct have the purpose or \neffect of unreasonably interfering with an individual’s work \nperformance by creating an intimidating, hostile, \nhumiliating, or sexually offensive work environment. \nPlease note that while this policy sets forth the goal of promoting \na workplace that is free of harassment, the policy is not designed \nor intended to limit the district’s authority to discipline or take" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "remedial action for workplace conduct that the district deems \nunacceptable, regardless of whether the conduct satisfies the \ndefinition of unlawful harassment. \nThe definition of inappropriate sexual communication and \nbehavior is broad. Conduct that is sexual or perceived as sexual, \nand that is welcome or unwelcome, may constitute sexual \nharassment. \nCONDUCT PROHIBITED \nEmployees shall not engage in inappropriate sexual conduct \nwhile employed, working for, attending, or participating in \ndistrict endeavors. Employees are protected from inappropriate \nsexual conduct by anyone they interact with in the course of their \nwork. The same standard applies to partners or contractors" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "providing services in or under the auspices of the Boston Public \nSchools. Behavior that occurs in a location other than a Boston \nPublic Schools building or outside of BPS school or work hours," + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Page 3:\nSuperintendent’s Circular EQT-06 \nPage 3 of 7 \n \n \n \nincluding when an employee is working remotely, may still \nconstitute sexual misconduct and a violation of this policy if that \nbehavior has the effect of disrupting an employee’s ability to do \ntheir job. \nWhile it is not possible to list all circumstances that may \nconstitute prohibited conduct, the following are some examples: \nVERBAL: Using suggestive, derogatory, vulgar comments, or \nsexual innuendos or slurs; making unwanted sexual advances, \ninvitations, and/or comments; repeatedly requesting dates; \nspreading rumors about or rating others as to their sexual activity" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "or performance; making threats or pressuring others to submit to \nsexual requests; inquiring into one’s sexual activities or \norientation. \nVISUAL: Displaying sexually suggestive objects, pictures, posters, \nwritten material, cartoons, or drawings; texting, emailing, or \nsharing digital images or comments of a sexual nature; using \nsexual gestures. \nPHYSICAL: Sexual activity, whether or not it is consensual, in a \nschool or any building where BPS business is conducted. \nParticipating in unwanted touching, pinching, kissing, hugging; \nblocking normal movement; stalking; engaging in unwanted \nsexual acts or assault; physically interfering with an individual’s" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "work because of their actual or perceived sex, sexual orientation, \ngender identity, or gender expression." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Page 4:\nSuperintendent’s Circular EQT-06 \nPage 4 of 7 \n \n \n \nRESPONDING TO REPORTS OF SEXUAL MISCONDUCT \nAn employee who believes that they have been a target of \ninappropriate sexual conduct may report the incident to any of \nthe following individuals: school principal/head of school, school \nsuperintendent, or the Office of Equity. \n1. If an employee believes that they have been subjected to \ninappropriate sexual conduct or have witnessed \ninappropriate sexual conduct, the employee has the right to \nfile a report with the Boston Police. \n2. The aggrieved employee also has the right to file a report \nwith the Boston Public Schools Office of Equity, either orally" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "or in writing, at 617-635-9650 or \nbpsequity@bostonpublicschools.org. \n3. Employees in supervisory or managerial roles have an \nobligation to report any employee complaint of sexual \nmisconduct to the Office of Equity within two (2) business \ndays of learning of the complaint. The person submitting \nthe report must ensure the integrity and confidentiality of \nthe report and shall not disclose the allegations or any \nrelated information to either party or to any third party, \nexcepting the Office of Equity, unless required by law. \nEmployees in a supervisory capacity are required to report \npossible sexual misconduct toward or involving employees," + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "vendors, or contractors to the Office of Equity as soon as \npracticable, generally within the same school day." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Page 5:\nSuperintendent’s Circular EQT-06 \nPage 5 of 7 \n \n \n \nAfter a report is filed, the Office of Equity or the office’s designee \nwill promptly investigate the allegation in a fair and expeditious \nmanner. The investigation may include a private interview with \nthe person filing the report, the person alleged to have engaged \nin sexually inappropriate conduct, and other witnesses. In some \ncircumstances, as determined by the Office of Equity, the person \nalleged to have engaged in the conduct may be placed on \nadministrative leave pending the outcome of the investigation. \nBPS employees are obliged to cooperate with the investigation," + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "including promptly participating in investigatory interviews, and \nproviding any requested information or documents. \nIf Boston Public Schools finds that there has been a violation of \nthis policy, the district will take action to eliminate the conduct. \nDisciplinary action for employees may include warnings, \nreprimands, required training, suspension or termination of \nemployment, or other discipline as appropriate. \nWhen the investigation is completed, the Office of Equity will \ninform the reporter and the person alleged to have engaged in \nthe conduct of the results of the investigation to the extent \nappropriate under the circumstances. \nPROHIBITION OF RETALIATION" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "PROHIBITION OF RETALIATION \nRetaliation against an individual who reports inappropriate \nsexual conduct, sexual harassment, or retaliation against \nindividuals for cooperating with an investigation of a sexual \nharassment allegation is unlawful and will not be tolerated by the \nBoston Public Schools." + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Page 6:\nSuperintendent’s Circular EQT-06 \nPage 6 of 7 \n \n \n \nSTATE AND FEDERAL REMEDIES \nIf you believe you have been subjected to unlawful sexual \nharassment, you may also file a formal complaint with either of \nthe government agencies set forth below. Using the district’s \ninternal reporting process does not preclude you from filing a \ncomplaint with these agencies. Each agency has a short time \nperiod for filing a claim (300 days). \nEqual Employment Opportunity Commission (EEOC) \nJohn F. Kennedy Federal Building \n475 Government Center \nBoston, MA 02203 \n(800) 660-4000 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: \nAddress: \nBoston" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Office Location: \nAddress: \nBoston \nOne Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield \n436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester \n484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630 \nFor more information about this circular, contact:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-06 Sexual Misconduct Toward Employees and Third Parties", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap", + "content": "Page 7:\nSuperintendent’s Circular EQT-06 \nPage 7 of 7 \n \n \n \nOwner: \nDirector of Training and School Support \nDepartment: \nOffice of Equity \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nE-mail: \nbpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-09 \nVersion 01 \n \n \n \nTRANSGENDER AND GENDER NONCONFORMING \nEMPLOYEE NONDISCRIMINATION ON THE BASIS OF \nGENDER IDENTITY AND EXPRESSION \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. All Boston Public Schools are to be \nfree from bias and discrimination on the basis of sex, sexual \norientation, and/or gender identity. \nThis circular sets forth guidelines to address the needs of \ntransgender and gender non-conforming employees and clarifies" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "the Office of Equity’s investigatory process. This circular does not \nanticipate every situation that might occur with respect to \ntransgender or gender non-conforming employees, and the \nneeds of each transgender or gender non-conforming employee \nmust be assessed on a case-by-case basis. \nReports of bias, discrimination or harassment based on a person’s \nactual or perceived gender identity or gender nonconformity are \nhandled in the same manner as other reports of bias-based \nconduct. Students, employees, and third parties alleged to have \nviolated this policy (EQT-09) will be investigated and addressed" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 2:\nSuperintendent’s Circular EQT-09 \nPage 2 of 8 \n \n \n \naccording to the protocols detailed in Superintendent’s Circular \nEQT-05, “Employee Reports of Bias-Based Conduct.” \nDEFINITIONS \nThe definitions provided below are not intended to label or limit \nemployees’ individual identities or experiences, but rather to \nassist in understanding this circular and the district’s legal \nobligations. Although these are the most commonly used terms, \nemployees may or may not choose to use these terms to describe \ntheir gender identity, appearance, or behavior. \n \n \n• Gender Identity: Defined under Massachusetts law as “a \nperson’s gender-related identity, appearance, or behavior," + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "whether or not that gender-related identity, appearance, or \nbehavior is different from that traditionally associated with \nthe person’s physiology or assigned sex at birth.” \n• Gender Expression: The way a person represents or \nexpresses gender to others, often through behavior, \nclothing, hairstyles, activities, voice, or mannerisms. \n \n \n• Transgender: A person whose gender identity or expression \nis different from that traditionally associated with the \nassigned sex at birth. \n \n \n \n \n \n• Gender Nonconforming: People whose gender identity \nand/or gender expression do not conform to traditional \nsocietal expectations or norms. The terms “gender" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "nonbinary,” “gender variant,” or “gender-atypical” may also \nbe used. \n \n \n \n \n• Queer: While historically and sometimes currently \nconsidered an offensive term, “queer” has been reclaimed \nby many members of the lesbian, gay, bisexual, and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 3:\nSuperintendent’s Circular EQT-09 \nPage 3 of 8 \n \n \n \ntransgender (LGBT) community as a term of empowerment. \nThe term generally refers to a member of the LGBT and/or \ngender nonconforming community. This term may be used \nby someone who identifies as a member of the LGBT \ncommunity, but who does not specifically consider \nthemselves to be lesbian, gay, bisexual, or transgender. \nSince this term has a negative history, it should only be used \nto describe individuals who identify themselves as queer \nand give permission for others to use that term to describe \nthem. \n \n \n \n \n \n• Transition: The process by which a person goes from living" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "and identifying as one gender to living and identifying as \nanother. Transitions may include physical, social, and/or \nmedical processes. Not all transgender or gender \nnonconforming people transition or desire to transition in \nthe same way. Transitions are private, and personal \ninformation about a transition should not be discussed \nunless the conversation is initiated and led by the \ntransgender or gender-nonconforming employee. \nRESPONSIBILITIES \nThe Boston Public Schools Office of Equity is responsible for \nensuring compliance with this circular and ensuring that all \nschool administrators and Central Office department heads are" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "trained and prepared to comply with their obligations under this \ncircular. \nPRIVACY AND CONFIDENTIALITY \nTransgender and gender nonconforming employees have the \nright to discuss their gender identity or expression openly or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 4:\nSuperintendent’s Circular EQT-09 \nPage 4 of 8 \n \n \n \nkeep that information private. The employee has the right to \ndecide when, with whom, and how much to share when \nspeaking about their identity or expression. \nBPS Central Office employees, school personnel, and other \nparties employed, contracted by, or serving as volunteers in the \ndistrict should not disclose information that may reveal an \nemployee’s transgender status or gender nonconforming \npresentation to others without their express permission. Private \nand confidential information may only be shared with the \ntransgender employee’s consent, and with employees who truly" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "need to know to execute their job requirements. \nDRESS AND APPEARANCE \nBoston Public Schools does not have dress codes that restrict \nemployees’ clothing or appearance on the basis of gender. \nTransgender and gender nonconforming employees have the \nright to dress in a manner consistent with their gender identity \nand/or gender expression. \nNAMES AND PRONOUNS \nAn employee has the right to be addressed by the name and \npronoun that corresponds to the employee’s gender identity in \nthe workplace, including by their colleagues, and for school-\nbased employees, by their students. A court-ordered name or \ngender change is not required. The intentional refusal to respect" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "an employee’s gender identity may constitute a violation of the \ndistrict’s circular, Bias-Based Conduct Toward Employees (EQT-\n05) and/or state and federal anti-discrimination laws. If a district \nemployee is unsure what pronoun a staff member uses, they \nshould ask the employee how they would like to be addressed." + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 5:\nSuperintendent’s Circular EQT-09 \nPage 5 of 8 \n \n \n \nPUBLIC FACILITIES ACCESSIBILITY \nEmployees have a right to access safe and appropriate facilities, \nincluding the right to use a restroom and/or locker room that \ncorresponds to the employee’s gender identity, regardless of the \nemployee’s sex assigned at birth. Any employee who has a need \nor desire for increased privacy will be provided access to a single-\nstall restroom and/or private area, if available. No employee \nshould be required to use a single-stall restroom or a private \nchanging area. \nTRANSITIONING AT BPS \nEmployees who transition during their BPS employment can" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "expect the support of the Office of Human Capital and the Office \nof Equity. These two offices will work with each transitioning \nemployee individually to ensure a successful workplace \ntransition. \nBEFORE THE WORKPLACE TRANSITION BEGINS \nTransitioning employees are encouraged to work in partnership \nwith the Office of Equity and Office of Human Capital to learn \nmore about the district’s transgender-related policies, and the \navailability of transition-related health care benefits. \n \nAll relevant parties should discuss a workplace transition plan, \nincluding the employee, the employee’s supervisor, and others as \nappropriate. A work plan should specify:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "appropriate. A work plan should specify: \n• The date selected by the employee for when the transition \nwill officially and formally take place. This date will" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 6:\nSuperintendent’s Circular EQT-09 \nPage 6 of 8 \n \n \n \ncorrespond to the date the employee changes their gender \nexpression, name, and pronouns. Employees may also \nchoose to start using the bathroom and other facilities that \ncorrespond to their gender identity on this date. The \nemployee has the right to revise the start date and other \naspects of the plan based on their evolving needs and \npreferences. \n• How and in what format the transitioning employee will \nnotify co-workers or personnel who need to know. \n• What, if any, training will be provided to co-workers, \nstudents, or other appropriate personnel or families. \n• What updates should be made to the transitioning" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "employee’s records, and when they will be made. \n• The dates of any leaves that may be needed for pre-\nscheduled medical procedures or treatment, if applicable. \nBIAS-BASED CONDUCT, DISCRIMINATION, AND HARASSMENT \nThe Boston Public Schools is committed to maintaining a \nworkplace free of bias-based conduct and discrimination where \nall employees can flourish. \n \nReports of bias, discrimination, or harassment based on a \nperson’s actual or perceived gender identity or gender \nnonconformity are handled in the same manner as other reports \nof bias-based conduct. The Boston Public Schools utilizes the \nprocedures outlined in EQT-05, Bias-Based Conduct Toward" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Employees. These procedures are designed to facilitate a prompt \nand effective internal review and resolution of allegations of bias-" + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 7:\nSuperintendent’s Circular EQT-09 \nPage 7 of 8 \n \n \n \nbased conduct, discrimination, or harassment based on \nsex/gender, gender identity, gender expression, and sexual \norientation. \nRELATED RESOURCES \n• Links to laws, regulations, cases, and web sources on \ngender identity or expression law can be found at \nMassachusetts Law About Gender Identity or Expression. \n• Contact the Office of Equity at 617-635-9650 or \nbpsequity@bostonpublicschools.org for information about \nadditional training and support." + }, + { + "folder_name": "Equity", + "file_name": "EQT-09 Transgender and Gender Nonconforming Employees", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ", + "content": "Page 8:\nSuperintendent’s Circular EQT-09 \nPage 8 of 8 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Training and School Support \nDepartment: \nOffice of Equity \nMailing Address: \n2300 Washington St., 5th Floor, Roxbury, \nMA 02119 \nPhone: \n617-635-9291 \nFax: \n617-635-7940 \nEmail: \nbpsequity@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-08 \nVersion 01 \n \n \n \nEXPECTANT AND PARENTING STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nBoston Public Schools aims to graduate all students from high \nschool and prepare them for college and career success. For \nstudents who are expecting or raising children, it is especially \ncrucial to maintain high expectations and intensive support for \nschool completion, as pregnancy and parenthood are among the \nprimary reasons many students drop out of school. As a school \ndistrict, Boston Public Schools aims to prevent student" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "pregnancy through comprehensive health education and access \nto sexual health services. Under the District Wellness Policy, \nschools must provide students with access to key resources and \nservices that are developmentally appropriate, and support \nsexual and reproductive health in a safe and supportive \nenvironment. It is also essential to engage with students who are \ncurrently expectant or parenting to ensure a safe and supportive \nlearning environment and to promote academic success. \nMoreover, we must ensure compliance with district policies that \nprohibit bias-based conduct consistent with federal Title IX law, \nwhich prohibits discrimination against students who are" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "pregnant or parenting." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 2:\nSuperintendent’s Circular EQT-08 \nPage 2 of 28 \n \n \n \nDEFINITIONS \nExpectant: an individual, regardless of gender identity, who \nis either pregnant or the partner of someone who is \npregnant. \nParenting: an individual, regardless of gender identity, who \nis the parent of a child. \nCaregiver: an individual currently providing care for the \nstudent who has completed the notarized “Caregiver \nAuthorization Affidavit” granting education decision-making \nrights. \nEmancipated minor: an individual under age 18 who is self-\nsupporting and independent of parental control, sometimes \nas a result of a court order terminating the rights and duties" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "of the parent(s). Under Massachusetts law, a minor who is \npregnant or parenting is not automatically emancipated; \nhowever, as provided for in the law, pregnant and parenting \nstudents can give independent consent for medical or \ndental care for themselves or their children, including for \nschool-based medical services (see M.G.L. Ch. 112 § 12F). \nFERPA (Family Educational Rights and Privacy Act): a \nfederal law that affords parents the right to have access to \ntheir children’s education records, the right to seek to have \nthe records amended, and the right to have some control \nover the disclosure of personally identifiable information" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "from the education records. When a student turns 18 years \nold or enters a postsecondary institution at any age, the \nrights under FERPA transfer from the parents to the \nstudent." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 3:\nSuperintendent’s Circular EQT-08 \nPage 3 of 28 \n \n \n \nHIPAA (Health Insurance Portability and Accountability \nAct): a federal law establishing national standards and \nrequirements for electronic health care transactions and \nprotecting the privacy and security of individually \nidentifiable health information. This law applies to health \ncare providers and ensures that they do not share medical \ninformation about their patients without the patients’ \npermission. \nGender identity: A person's internal sense of being male, \nfemale, some combination of male and female, or neither \nmale nor female. A person’s gender identity can be the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "same or different from their physiology or assigned sex at \nbirth. \nParent: a child’s mother or father or both or guardian, or a \nperson or agency legally authorized by a court order to act \non behalf of the child in place of or in conjunction with the \nmother, father, or guardian. \nPOLICY \nMaintaining Confidentiality \nExpectant and parenting students have the right to choose how \nand when they seek services and support from school staff. \nSchool staff must adhere to all applicable laws and regulations on \nconfidentiality for students, including the requirements stated in \nthe Family Educational Rights and Privacy Act (FERPA). As" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "provided for by this law, expectant and parenting students have \nthe right to have their health and personal information kept \nconfidential, including from other students and school staff who" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 4:\nSuperintendent’s Circular EQT-08 \nPage 4 of 28 \n \n \n \nare not required to be kept informed, except in circumstances \ninvolving their physical safety. \nWhen a student informs a school staff member of their expectant \nor parenting status, the staff member must inform their head of \nschool within a reasonable time period as appropriate. A \nreasonable time period should be determined by the immediacy \nof the student’s need for an adjusted attendance policy and \nacademic supports; for expectant students, sufficient time should \nbe allowed for medical and health decisions to be made before \nsharing the student’s expectant status with the head of school." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "The staff member who has been informed must make the \nexpectant or parenting student aware of the need to inform the \nhead of school. The staff member should discuss with the \nstudent and determine a reasonable time period in which to \ninform the head of school. Depending on the details of the \nsituation, the student’s preferences regarding confidentiality, and \nthe student’s needs, the head of school should then share this \ninformation with other staff on a limited, need-to-know basis. \nSchool staff must not force or coerce a student to inform their \nparents, or any other individual, of any pregnancy or parenting-\nrelated information. School staff must not disclose information" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "about a student’s expectant or parenting status to the student’s \nparents without permission from the student. If information \nabout a student’s pregnancy is documented within the student \nrecord of a student under the age of 18, and parents make a \nrequest for the student record, FERPA would require the district \nto present parents with an opportunity to view the student \nrecord. Boston Public Schools encourages communication with \nand involvement of parents/guardians/caregivers regarding \nhealth services and student supports. School staff working with" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 5:\nSuperintendent’s Circular EQT-08 \nPage 5 of 28 \n \n \n \nexpectant or parenting students should encourage students to \nconsider informing their parents/guardians/caregivers or other \ntrusted family members about the pregnancy and decisions \nrelated to that pregnancy. \nNothing in this policy must prevent the disclosure of information \nin certain limited circumstances: cases of suspected child abuse \nor neglect (in accordance with laws on mandated reporting of \nabuse), threats by a minor against themselves or others, or cases \nwhere there is a serious risk to a minor’s life or health. A student’s \npregnancy does not in itself constitute a serious risk to a minor’s" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "life or health, and therefore does not compel a staff member to \nfile a 51A based solely on the student’s pregnancy, regardless of \nthe student’s age. \nA student must give written consent to store data linking their \nname with academic information and their expectant or \nparenting status. Storing this data together will help to ensure \nthat the student is receiving coordinated academic support. \nBefore giving this written consent, students must be informed \nthat, if they consent, information about their expectant or \nparenting status may be accessible to their parents as part of \ntheir full academic records. Any aggregated or trend data on" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "expectant or parenting students should not include any \nidentifying information. Qualified medical professionals within a \nschool building may keep confidential medical records on \npregnant students who have sought treatment. \nEnsuring a Safe and Supportive Learning Environment \nBPS Equity circulars protect the rights of students, including \nexpectant and parenting students, to attend school in an \nenvironment free of bias-based conduct. Regardless of their" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 6:\nSuperintendent’s Circular EQT-08 \nPage 6 of 28 \n \n \n \nsexual orientation, gender identity, relationship status, marital \nstatus, race, ethnicity, immigration status, Special Education or \nEnglish learner status, or other identities, expectant and \nparenting students have the same right as any other students to \nattend district schools or programs. District staff must not \nengage in bias-based conduct toward any expectant or \nparenting student, or exclude expectant or parenting students \nfrom any school, program, class, or extracurricular activity on the \nbasis of a student’s expectant or parenting status. School staff are \nencouraged to bring an anti-racist lens to ensuring that" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "expectant and parenting students be respected, provided with all \nneeded supports, and actively encouraged to achieve their \nacademic goals. \nSchool personnel may require an expectant or parenting student \nto obtain the certification of a physician that the student is \nphysically and emotionally able to continue participation in such \nprograms or activities only if a certification is also required of all \nother students with physical or emotional conditions requiring \nthe attention of a physician. \nAll school staff must maintain and communicate high academic \nexpectations for all students, regardless of expectant or \nparenting status. Bias-based counseling and the use of materials" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "that treat students differently on the basis of sex, including \nexpectant or parenting status, are prohibited. \nThe Office of Equity and administrators at each school are \nresponsible for monitoring compliance with the provisions of this \ncircular. Individuals who feel that this circular may have been \nviolated or that they have been subject to bias-based conduct \nmay contact the BPS Office of Equity. Any school employee who" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 7:\nSuperintendent’s Circular EQT-08 \nPage 7 of 28 \n \n \n \nbecomes aware of bias-based conduct against an expectant or \nparenting student must report such conduct to the head of \nschool and/or to the Office of Equity. \nFinally, to promote a safe and supportive school environment, \nteachers and school staff must be sensitive to the health needs of \nexpectant and parenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, taking extra \nbathroom breaks, or leaving class shortly before dismissal to \nallow more time to pass between classes. Schools must also \naccommodate new mothers’ need to express breastmilk and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "work with students in partnership with the Office of Equity to \nidentify a private, sanitary location for this purpose, along with \nappropriate storage space for nursing equipment. \nPromoting Academic Success \nExpectant and parenting students have the right to remain in \ntheir regular or current school program, subject to universal \nparticipation requirements for those programs. School programs \ninclude but are not limited to: honors programs; special \neducation placements; specialized language programs; \nalternative programs; extracurricular, intramural, and \ninterscholastic activities; and graduation programs or activities. \nStudents may attend an alternative school or participate in an" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "alternative program or activity for expectant or parenting \nstudents, but such enrollment or participation must be \ncompletely voluntary and never coerced. The alternative school, \nprogram, or activity must align with the Common Core State \nStandards and the Massachusetts Curriculum Frameworks." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 8:\nSuperintendent’s Circular EQT-08 \nPage 8 of 28 \n \n \n \nImplementing Attendance Policies \nAbsences for reasons of pregnancy and related medical \nconditions, including pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, and \nrecovery therefrom, must be considered excused absences. \nStudents have the right to be reinstated at the same school with \nthe same status as before the leave began after any pregnancy-\nrelated medical leave and/or parental leave. \nStudents who are parents are entitled to a fair and reasonable \nparental leave following the birth of a new child. Students who \nare parents are entitled to a minimum of eight weeks of parental" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "leave for the purpose of giving birth, although a school may not \nrequire a student to remain out of school for a fixed period of \ntime post-childbirth. The amount of parental leave for each \nexpectant student shall be determined in consultation with the \nstudent, school staff, the student’s health care providers, and any \nother adults the student consents to include. School staff should \nencourage students to consider including their \nparents/guardians/caregivers in this conversation. \nDocumentation from students’ licensed healthcare providers \nmay be required for verification of pregnancy and related \nmedical conditions only if it is also required for absences due to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "other medical conditions. \nAbsences due to the illness or medical appointment during \nschool hours of a student’s child shall also be considered excused \nabsences. Parenting students shall not be required to provide \ndocumentation from a licensed healthcare provider to verify their \nchildren’s illnesses unless such documentation is also required \nfor absences due to all students’ medical conditions." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 9:\nSuperintendent’s Circular EQT-08 \nPage 9 of 28 \n \n \n \nSchools must support the continuation of learning during \nexcused absences and leave, as medically appropriate. Every \nreasonable effort must be made to provide school and home-\nbased independent study activities for students who are or will \nbe absent for a significant period of time due to pregnancy-\nrelated illnesses, childbirth, and recovery, and parental leave. \nStudents who are pregnant or parenting must have access to \nhomebound or hospital instructional services on the same basis \nas any other student who misses school for a temporary medical \ncondition. \nStudents with excused absences due to their expectant or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "parenting status must have the same opportunity to complete \nassignments and tests missed, or an equivalent of the work \nmissed, that any other student would have after excused \nabsences. Students must be given full credit upon satisfactory \ncompletion of that work. \nUsing Liaisons to Share Information \nHeads of school that oversee any student in grades 6-12 must \nidentify a school liaison for the Expectant and Parenting Students \nPolicy to help share information among the school community. \nSchools must submit the name of this liaison to the Health and \nWellness Office. The liaison may be a guidance counselor, school \nnurse, social worker, or other school staff member. Should the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "expectant and parenting student liaison step down, a \nreplacement must be identified and reported to the Health and \nWellness Office within 15 school days. \nLiaisons will work with the school leadership and the School \nWellness Council to share this policy with staff, students, and \nfamilies. All schools within the district that include any grades 6-" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 10:\nSuperintendent’s Circular EQT-08 \nPage 10 of 28 \n \n \n \n12 must disseminate this policy among school staff and \nadministration. The policy must also be shared with students and \nfamilies within the first month of school, and it must be posted in \nthe school nurse’s office throughout the school year. The school \nmust make the policy publicly available in any school-based \nhealth centers or health resource centers. The name of the \nexpectant and parenting student liaison as well as a copy of this \npolicy must also be posted on the school website. \nHeads of school are ultimately responsible for the academic \nsuccess of their students. Therefore, school leaders must" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "intervene in cases where students’ needs are not being met, \nespecially when the action or inaction of school staff is a \ncontributing factor. \nThe Office of Health and Wellness will coordinate training for \nliaisons. That office must supply district and community \nresources to liaisons. Liaisons must make this information \navailable to students and staff as needed." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 11:\nSuperintendent’s Circular EQT-08 \nPage 11 of 28 \n \n \n \nPOLICY IMPLEMENTATION AND REVIEW \nCentral offices and departments (e.g., Opportunity Youth, Health \nServices, Health & Wellness), in collaborations with school \nsuperintendents, will work with schools where there are multiple \nexpectant and parenting students, where existing support \nsystems may not be adequate to support their needs, to help \nestablish a plan for providing more comprehensive systems of \nsupport. For example, this could include creating a school-based \nteam to develop and implement individual student plans, hiring a \npart-time student liaison to work with expectant and parenting" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "students, or bringing in external programs or resources to \nsupport students. In all cases, the plan must be approved by the \nhead of school and must match available school resources \n(particularly staff and budget). \nThis policy and its associated implementation procedures will be \nreviewed annually by the Office of Equity and the Office of Health \nand Wellness and updated as needed. \nIMPLEMENTATION GUIDELINES & PROCEDURES \nRights of Expectant and Parenting Students \nExpectant and parenting students have the right to: \n1. Choose how and when they seek services and support from \nschool staff. \n2. Choose when and how to inform \nparents/guardians/caregivers or other trusted family" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "members of their pregnancy and decisions related to that \npregnancy." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 12:\nSuperintendent’s Circular EQT-08 \nPage 12 of 28 \n \n \n \n3. Have information shared with school personnel on a need-\nto-know basis only, unless the student provides written, \ninformed consent. \na. In particular, students must give written, informed \nconsent before information on their expectant or \nparenting status is stored in school files alongside their \nacademic information. \n4. Participate in school programs, activities, classes, or \nextracurricular activities and remain in their regular or \ncurrent school program, subject to universal participation \nrequirements. \na. Enrollment by expectant or parenting students in any \nalternative program or activity must be completely" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "voluntary. \n5. Have their absences excused when due to the illness or \nmedical appointment of a child or their own pregnancy-\nrelated reasons. \n6. Complete assignments and tests missed, or an equivalent of \nthe work missed, after excused absences due to their \nexpectant or parenting status and receive full credit upon \nsatisfactory completion of that work. \n7. Participate in a conference with school staff and health care \nproviders about the amount of parental leave they will take, \nand to choose which other adults (including \nparents/guardians/ caregivers or other trusted family \nmembers), if any, to include in that conference. \na. Students are entitled to a minimum of eight weeks of" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "parental leave." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 13:\nSuperintendent’s Circular EQT-08 \nPage 13 of 28 \n \n \n \nb. BPS employees may not require a student to remain \nout of school for a fixed period of time post-childbirth. \n8. Receive Home and Hospital Instruction services to continue \nlearning and obtain instruction during excused absences \nand/or leave that total more than 14 days in a school year. \na. Students must provide a qualified physician's \nstatement to access Home and Hospital Instruction \nservices. \n9. Be reinstated at the same school at the conclusion of \npregnancy and/or parental leave with the same status as \nbefore the leave began. \nProtecting Student Confidentiality" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Protecting Student Confidentiality \n1. Boston Public Schools employees must adhere to all \napplicable laws and regulations on confidentiality for \nstudents, including the requirements stated in the Family \nEducational Rights and Privacy Act (FERPA). \na. Obtain written, informed consent from expectant or \nparenting students before storing data linking \nstudents’ names with academic information and \nexpectant or parenting status. \nb. Before giving written consent, students must be \ninformed that, if they consent, information about their \nexpectant or parenting status will be entered into their \neducational records to ensure that students are" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "educational records to ensure that students are \nreceiving necessary supports, and educational records \nare accessible to their parents in accordance with \nFERPA." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 14:\nSuperintendent’s Circular EQT-08 \nPage 14 of 28 \n \n \n \n2. When a student informs a school staff member of their \nexpectant or parenting status, the staff member must \ninform their head of school within a reasonable time period \nas appropriate in order to provide coordinated academic \nsupport and adjusted attendance policies. \na. A reasonable time period should be determined by the \nimmediacy of the student’s need for an adjusted \nattendance policy and academic supports, balanced \nwith the time needed by an expectant student to make \npersonal health decisions before the head of school is \ninformed. \nb. The staff member should explain to the student the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "need to inform the head of school in order to make a \ncoordinated plan for academic success. The staff \nmember should discuss with the student what a \nreasonable time period would be for them so there is a \nshared understanding and accountability of the next \nsteps. \nc. If the student is pregnant and needs more time and \nsupport to consider their options and connect with a \nmedical provider, the staff and student should make a \nplan to check in regularly to ensure the student \nreceives timely support. The staff member is not \nrequired to inform the head of school if the pregnancy \nis ended. \nd. Depending on the details of the situation, the student’s" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "preferences regarding confidentiality, and the \nstudent’s needs, the head of school should then share \nthis information with other staff on a limited, need-to-\nknow basis. The school nurse may be helpful if health" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 15:\nSuperintendent’s Circular EQT-08 \nPage 15 of 28 \n \n \n \ncare coordination with the student’s medical provider \nis needed. A school social worker may be helpful in \nconnecting the student to other support services. The \nstudent should be consulted before sharing their \nstatus with other staff; this is essential to building trust, \nhonoring student autonomy, and ensuring the student \nfeels safe and supported. \n3. School staff members must not disclose a student’s \nexpectant or parenting status to that student’s parents \nregardless of age without permission from the student. \nAdditionally, staff members must not force or coerce" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "students to inform their parents, or any other individual, of \nany pregnancy or parenting-related information. \na. School staff working with expectant or parenting \nstudents should encourage them to consider informing \ntheir parents/guardians/caregivers or other trusted \nfamily members of the pregnancy and decisions \nrelated to that pregnancy. Having a support system \nwhere they live is very important during pregnancy \nand while parenting. However, to help the student \nmake a support plan, the trusted staff should ask if the \nstudent believes that telling their family about the \npregnancy will put the student in danger and should \nbe aware of such dynamics in the student’s home life." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "A school social worker, a trained reproductive health \ncounselor, or a similar support role may be best suited \nto help counsel a student in this matter. \nb. In accordance with Massachusetts General Law \n(Chapter 119, Section 51A), school staff are expected to \ndisclose information on child abuse or neglect to the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 16:\nSuperintendent’s Circular EQT-08 \nPage 16 of 28 \n \n \n \nappropriate authorities. Mandated reporters must \nreport if, when acting in their professional capacities, \nthey have reasonable cause to believe that a child is \nsuffering certain kinds of physical or emotional injury. \nThe kinds of physical or emotional injuries that must be \nreported are those that are the result of (i) abuse \ninflicted upon the child which causes harm or \nsubstantial risk of harm to the child's health or welfare, \nincluding sexual abuse; (ii) neglect, including \nmalnutrition; or (iii) physical dependence upon an \naddictive drug at birth. A student’s pregnancy does not" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "in itself constitute a serious risk to a minor’s life or \nhealth and does not automatically require submitting a \nreport. \n4. School staff members should reach out to the school policy \nliaison, a school administrator, or the Office of Equity to get \nsupport in understanding confidentiality procedures as \nneeded. \nEnsuring a Safe, Supportive Learning Environment \nBPS employees must: \n1. Treat all students, including expectant and parenting \nstudents, with respect, recognizing that all students have \nthe potential to succeed. \n2. Maintain and communicate high academic expectations for \nall students, regardless of expectant or parenting status." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "3. Recognize and address the ways multiple forms of bias, \ninducing racial bias, may impact an expectant or parenting \nstudent’s opportunities for academic success." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 17:\nSuperintendent’s Circular EQT-08 \nPage 17 of 28 \n \n \n \n4. Ensure that expectant and parenting students are not \nexcluded from any school, program, class, or extracurricular \nactivity on the basis of the student’s expectant or parenting \nstatus. \na. Teachers and school staff are encouraged to be \nsensitive to the health needs of expectant and \nparenting students. For example, some pregnant \nstudents may benefit from bringing snacks to class, \ntaking extra bathroom breaks, or leaving class shortly \nbefore dismissal to allow more time to pass between \nclasses. \nb. Schools must also accommodate new mothers’ need to \nexpress breast milk. Contact the Office of Equity for" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "assistance as needed. \n5. Any BPS employee, student, or family member who \nbecomes aware of possible bias-based conduct against an \nexpectant or parenting student should report such conduct \nto the head of school and/or to the BPS Office of Equity. \nROLES AND RESPONSIBILITIES \n1. School administrators are responsible for: \na. Ensuring school staff’s compliance with the policy. \ni. Intervene in cases where students’ needs are not \nbeing met, especially when the action or inaction \nof school staff is a contributing factor. \nb. Identifying a school policy liaison: Schools with any \ngrades 6-12 must identify an Expectant and Parenting \nStudent Policy liaison to share information with school" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "staff, students, and families." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 18:\nSuperintendent’s Circular EQT-08 \nPage 18 of 28 \n \n \n \ni. School leaders must submit the name of the \npolicy liaison to the assistant superintendent, \nOffice of Health & Wellness, by the first day of \nschool each year. See contact at the end of the \ncircular. \nii. If the school’s policy liaison steps down, the school \nleader must identify a replacement and report \ntheir name to the Assistant Superintendent, Office \nof Health & Wellness, within 15 school days. \niii. Every school has a different structure for \nproviding student support services; therefore, the \nschool-based position of the liaison may differ \namong schools. It is usually best if the liaison is in" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "regular contact with expectant and parenting \nstudents as part of their job, such as a guidance \ncounselor or social worker. At the K-8 or middle \nschool level, where there are generally fewer \nexpectant or parenting students, it may be \nappropriate for a health teacher or other \ninterested teacher to serve as liaison. School \nnurses may not be the ideal choice as a liaison \nsince they may not be available to leave the \nnurse’s office during school hours to share \ninformation with other staff. \nc. Overseeing the policy liaison to ensure communication \nof the policy to all staff, students, and families. \nd. Working with the Office of Equity to accommodate" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "new mothers’ need to express breast milk by \nidentifying a private, sanitary location for this purpose, \nalong with appropriate storage space for nursing" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 19:\nSuperintendent’s Circular EQT-08 \nPage 19 of 28 \n \n \n \nequipment. Bathrooms are not appropriate facilities, \neven if private. To qualify, spaces should be “shielded \nfrom view and free from any intrusion.” For more \nguidelines, see the fact sheet on “Break Time for \nNursing Mothers Under the FLSA,” available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \ne. Reporting any instances of possible bias-based \nconduct against an expectant or parenting student to \nthe Office of Equity (phone: 617-635-9650 or email: \nbpsequity@bostonpublicschools.org) \ni. It is considered bias-based conduct to exclude an \nexpectant or parenting student from any school," + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "expectant or parenting student from any school, \nprogram, class, or extracurricular activity on the \nbasis of a student’s expectant or parenting status. \nii. Enrollment by expectant or parenting students in \nany alternative program or activity must be \ncompletely voluntary. \n2. School Expectant and Parenting Student Policy liaisons are \nresponsible for: \na. Completing the initial district training for policy liaisons \nwithin the first few months of school, and any refresher \ntraining as required. The training objectives are to \nincrease knowledge about the policy and related laws \nand improve skills in supporting expectant and \nparenting students and communicating with the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "parenting students and communicating with the \nschool community. \nb. Ensuring that the policy is shared with students, \nfamilies, and school staff." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 20:\nSuperintendent’s Circular EQT-08 \nPage 20 of 28 \n \n \n \ni. Work with the school leadership and the school \nwellness council to share the policy with staff, \nstudents, and families, ensuring translation for \nstudents and families whose primary language is \nnot English. \nii. Make the policy and any appropriate resources \navailable in the school nurse’s office and any \nschool-based health centers or health resource \ncenters. \niii. Post the name of the policy liaison and a copy of \nthe policy on the school website so any member \nof the school community can access it. \nc. Disseminating information about district and \ncommunity resources." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "community resources. \ni. Inform administrators, staff, and students about \nthe availability of resources for expectant and \nparenting students; see Office of Health & \nWellness for resources. \nii. Disseminate information about support resources \nto expectant and parenting students directly as \nappropriate or through other school staff \nmembers as needed; students are not required to \nmeet with the liaison if they do not wish. \nd. Supporting all school staff in maintaining student \nconfidentiality as required by this policy and the law. \ni. Liaisons do not need to be informed of the \nidentity of any expectant and parenting student \nunless the student chooses to inform the liaison;" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "information and resources can be shared through" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 21:\nSuperintendent’s Circular EQT-08 \nPage 21 of 28 \n \n \n \nthe school staff member with whom the student \nhas confided. \nii. Liaisons are not expected to be case managers or \ncounselors for expectant or parenting students \nunless this is already part of their job \nrequirements. \n3. School nurses are responsible for: \na. Offering regular check-ins with expectant students to \nmonitor their health and wellness during their \npregnancy. The type and frequency of check-ins should \nbe established based on the student’s wishes, needs, \nand determined in consultation with the student. \ni. Health services should be provided in a safe and \nsupportive environment free from bias-based" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "supportive environment free from bias-based \nconduct towards expectant or parenting students. \nb. Maintaining confidential medical records on pregnant \nor parenting students who have sought treatment. \nSchool nurses must be particularly aware of their \nresponsibilities under state and federal law and \nregulations, especially the Health Insurance Portability \nand Accountability Act (HIPAA). \nc. Partnering with the head of school and the Office of \nEquity to accommodate new mothers’ need to express \nbreast milk by identifying a private, sanitary location for \nthis purpose, along with appropriate storage space for \nnursing equipment. Bathrooms are not appropriate" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "nursing equipment. Bathrooms are not appropriate \nfacilities, even if private. To qualify, spaces should be \n“shielded from view and free from any intrusion.” For \nmore guidelines, see the fact sheet on “Break Time for" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 22:\nSuperintendent’s Circular EQT-08 \nPage 22 of 28 \n \n \n \nNursing Mothers Under the FLSA,” available at \nhttp://www.dol.gov/whd/regs/compliance/whdfs73.htm \nd. Helping to determine the amount of parental leave a \nstudent will take following the birth of a child in \nconsultation with the student, school staff who are \nalready aware of the student’s expectant status, the \nstudent’s health care providers, and any other adults \nthe student consents to include. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "post-childbirth. \ne. Posting the policy in the school nurse’s office \nthroughout the school year and making the policy \npublicly available in any school-based health centers or \nhealth resource centers. \n \n4. Guidance counselors are responsible for: \na. Providing expectant and parenting students with \nacademic support and guidance when requested. \nStudents should be encouraged to seek support from \nschool guidance counselors to make an academic plan, \nbut students have a right to choose how and when \nthey seek services and support from school staff. \ni. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "determine a school schedule that promotes on-\ntime arrival and regular attendance. For some" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 23:\nSuperintendent’s Circular EQT-08 \nPage 23 of 28 \n \n \n \nstudents, this may include flexible scheduling, \nindependent study periods, or online courses \n(provided that online courses include sufficient \nopportunities for in-person interaction and \nsupport as needed). \nb. Obtaining written, informed consent from expectant or \nparenting students before storing data linking \nstudents’ names with academic information and \nexpectant or parenting status. Before giving written \nconsent, students must be informed that, if they \nconsent, information about their expectant or \nparenting status will be entered to ensure that \nstudents are receiving necessary support, and then" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "may be accessible to their parents as part of their full \nacademic records. \nc. Ensure that any counseling or information provided to \nstudents is unimpeded by bias. \nd. Ensure that any student’s decision about whether to \nparticipate in alternative schools, programs, or \nactivities for expectant or parenting students is \ncompletely voluntary if sharing information with \nstudents about those programs. \ne. If a school does not have a guidance counselor on staff, \nthese responsibilities fall to the head of school. \n5. The student’s school leader or their designee is responsible \nto: \na. Bring together the student, other school staff already" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "aware of the student’s expectant or parenting status, \nthe student’s health care providers, and any other" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 24:\nSuperintendent’s Circular EQT-08 \nPage 24 of 28 \n \n \n \nadults the student consents to include to determine \nthe amount of parental leave for each expectant \nstudent. Encourage students to consider including \ntheir parents/guardians/caregivers in this conversation. \ni. Students are entitled to a minimum of eight \nweeks of parental leave. \nii. BPS employees may not require a student to \nremain out of school for a fixed period of time \npost-childbirth. \nb. Ensure that students are reinstated at the conclusion \nof a pregnancy and/or parental leave with the same \nstatus as before the leave began. \nc. Support the continuation of learning during excused" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "absences and leave, as medically appropriate, including \nby working with the student to arrange a temporary \nhome or hospital instructional services through the \nBPS Opportunity Youth Department. \nd. Work with expectant and parenting students to \ndetermine a school schedule that promotes on-time \narrival and regular attendance. Contact the Homeless \nEducation Resource Network (HERN) to arrange \ntransportation and promote school attendance among \nexpectant or parenting students experiencing \nhomelessness who are residing outside of the district. \ne. Ensure that absences are excused when they arise \nfrom pregnancy and related medical conditions, \nincluding pregnancy-related illness or health" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "including pregnancy-related illness or health \nconditions, the termination of pregnancy, childbirth, \nand recovery therefrom. Documentation from" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 25:\nSuperintendent’s Circular EQT-08 \nPage 25 of 28 \n \n \n \nstudents’ licensed healthcare providers may be \nrequired for verification of pregnancy and related \nmedical conditions only if it is also required for \nabsences due to other medical conditions. \nf. Ensure that absences are considered excused when \nthey are due to the illness or medical appointment \nduring school hours of a child of a student. \n6. Central Office Staff \na. Office of Health and Wellness is responsible for: \ni. Tracking names of school-based policy liaisons \nii. Coordinating initial and any needed refresher \ntraining resources for policy liaisons. The training \nwill include best practices on disseminating" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "will include best practices on disseminating \ninformation about the expectant and parenting \nstudents policy, on finding and distributing \nresources to students in a culturally responsive \nway, and on expectations for data collection and \nconfidentiality. \niii. Maintaining up-to-date district and community \nresources for supporting expectant and parenting \nstudents and sharing these resources with \nliaisons. \nb. Office of Equity is responsible for: \ni. Monitoring compliance with this policy, including \nresponding to reports of possible bias-based \nconduct. \nii. Ensuring communication of the policy at every \nlevel of staff within the district and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 26:\nSuperintendent’s Circular EQT-08 \nPage 26 of 28 \n \n \n \ncommunicating the policy yearly to families \nthrough the BPS Guidebook. \niii. Reviewing the policy and its associated \nimplementation procedures annually and \nupdating as needed in collaboration with the \nOffice of Health and Wellness and other central \noffice stakeholders identified in this policy. \niv. Sharing the expectant and parenting students \npolicy and policy updates with the Boston \nStudent Advisory Council and other student \ngroups. \nc. The Department of School Health Services is \nresponsible for: \ni. Providing training and guidance to school nurses \non best practices for working with expectant and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "on best practices for working with expectant and \nparenting students, including how to ensure \nconfidentiality in accordance with this policy and \nthe law and providing culturally responsive \nservices. \nd. Office of Opportunity Youth is responsible for: \ni. Working with schools to help support the \ncontinuation of learning during excused absences \nand leave through the Home and Hospital \nInstruction Program. \nii. Through supervisors of attendance, responding to \ninquiries about attendance policies or reporting, \nincluding policies on excused absences for \nexpectant and parenting students." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 27:\nSuperintendent’s Circular EQT-08 \nPage 27 of 28 \n \n \n \niii. Through the Homeless Education Resource \nNetwork (HERN), working with schools to arrange \ntransportation and promote school attendance \namong expectant or parenting students \nexperiencing homelessness who are residing \noutside of the district. \ne. Central office departments tasked with student \nsupport services, such as Guidance and Social Work, \nare responsible for: \ni. Supporting the communication of this policy to \nthe school-based staff they support and \nsupporting professional development to ensure \nstaff is trained and have the resources to support \nexpectant and parenting students." + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "expectant and parenting students. \nii. Identifying schools with large numbers of \nexpectant and parenting students, such that \nexisting support systems may not be adequate to \nsupport their needs and helping to establish a \nplan for providing more comprehensive systems \nof support. \nFor more information about this circular, contact: \nOwner: \nDirector of Training and School Support \nDepartment: \nOffice of Equity \nMailing Address: \n2300 Washington Street, 5th Floor, Roxbury, \nMA 02119 \nPhone: \n617-635-9650 \nEmail: \nbpsequity@bostonpublicschools.org" + }, + { + "folder_name": "Equity", + "file_name": "EQT-08 Expectant & Parenting Students", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67", + "content": "Page 28:\nSuperintendent’s Circular EQT-08 \nPage 28 of 28 \n \n \n \nOR \nName: \nSenior Executive Director \nDepartment: \nOffice of Health & Wellness \nMailing Address: \n370 Columbia Rd., Dorchester, MA 02125 \nPhone: \n617-635-7926 \nEmail: \nhealthandwellness@bostonpublicschools. \norg \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEQT-03 \nVersion 01 \n \n \n \nSEXUAL MISCONDUCT TOWARD STUDENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINTRODUCTION \nThe Boston Public Schools (BPS) is committed to ensuring that \nstudents learn in an environment free of sexual misconduct. \nSexual misconduct committed against a BPS student will not be \ntolerated. In addition, acts of retaliation against an individual who \nreports an allegation of sexual misconduct or cooperates with a \nrelated investigation are unacceptable and will not be tolerated. \nStudents participating in BPS academic, educational," + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "extracurricular, athletic, and school programs or activities are \nprotected from sexual misconduct by other students, parents, \nBPS employees, and third parties (e.g., visitors). In addition, BPS \nstudents may be protected from sexual misconduct that occurs \noutside the context of a school’s education program, activity, or \nschool property, if the behavior was in connection with a school \nprogram or activity which includes locations, events, or \ncircumstances over which the district exercised substantial \ncontrol over both the person accused of the conduct and the \ncontext in which the sexual misconduct occurred. \nThe Boston Public Schools treats reports of sexual misconduct" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "with the utmost seriousness. We will address any sexually" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 2:\nSuperintendent’s Circular EQT-03 \nPage 2 of 14 \n \n \n \ninappropriate communication or behavior directed toward \nstudents, regardless of whether that conduct is unlawful. This \npolicy is neither designed nor intended to limit the district’s \nauthority to discipline or take remedial action for conduct that \nthe Boston Public Schools deems unacceptable. \nDEFINITION OF SEXUAL MISCONDUCT \nFor the purposes of this policy, sexual misconduct constitutes \nsexually inappropriate comments and/or behaviors of any kind. \nBelow are examples of sexual misconduct: \nSexual Violence \nSexual violence is broadly defined as any sexual activity that is" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "forced, coerced, or unwanted. It also includes any sexual act \nagainst another person who is incapable of giving consent, either \nbecause of their temporary or permanent mental or physical \nincapacity, or because they are a minor. \nConsent is defined as clear, active agreement and permission to \nengage in any form of verbal or nonverbal sexual communication \nor activity with another person. The initiator of the sexual contact \nis responsible for obtaining consent before engaging in any \nsexual contact. Consent can be withdrawn by either party at any \npoint. Consent must be voluntary and may not be valid if a \nperson is being subjected to an emotional, psychological," + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "physical, reputational, or financial threat, intimidation, or \ncoercion. Consent to engage in one sexual activity, or past \nagreement to engage in a particular sexual activity, cannot be \npresumed to constitute consent to engage in a different sexual \nactivity or to engage again in a sexual activity. Consent cannot be" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 3:\nSuperintendent’s Circular EQT-03 \nPage 3 of 14 \n \n \n \nvalidly given by a person who is incapacitated or under the age of \nsixteen. \nSexual violence may include criminal acts, such as indecent \nassault and battery, rape, abuse, or assault with intent to rape. \nAny acts that may be criminal will be referred to law \nenforcement. \nExamples of sexual violence may include, but are not limited to, \nthe following: \n• Unwelcome sexual touching \n• Non-consensual sexual contact that occurs during school or \nnon-school hours, on or off school grounds, including dating \nviolence \n• Recruiting, transporting, obtaining, or providing a student of \nany gender for the purpose of sex." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "any gender for the purpose of sex. \nOther Forms Of Sexual Misconduct \nSexual misconduct includes unwelcome conduct of a sexual \nnature that denies or limits, on the basis of sex, a student's ability \nto participate in or to receive benefits, services, or opportunities \nin the school's program or activities. \nExamples of behavior that may constitute sexual misconduct \ndepending upon the totality of the circumstances, the ages of \nthe student or other individuals involved, and the severity and \npervasiveness of the conduct, include but are not limited to: \n• Sexual advances, whether or not they involve touching \n• Requests for sexual favors" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 4:\nSuperintendent’s Circular EQT-03 \nPage 4 of 14 \n \n \n \n• Making an educational decision or benefit contingent upon \na student’s submission to unwelcome sexual conduct \n• Offensive public sexual display of affection, including \ngroping, fondling, gestures, or inappropriate touching of \noneself or others \n• Consensual groping, fondling, sexual touching, or sex on \nschool property or at any school-sponsored activity \n• Sexual jokes or references \n• Comments regarding a student’s body or a student’s sexual \nactivity or orientation \n• Offensive name calling or profanity that is sexually \nsuggestive, sexually degrading, or based on sexual \nstereotypes or sexual orientation" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "stereotypes or sexual orientation \n• Different treatment because of pregnancy status \n• Displaying or distributing sexually explicit drawings, \npictures, or other materials in any form (such as sexting) \n• Trafficking of youth for sexual purposes, such as recruiting, \ntransporting, or otherwise exploiting a minor in exchange \nfor money, shelter, or food \n• Sexual advances or contact, whether or not they are \nconsensual, between a student and employee, contractor, or \ncommunity partner \n• Sexual activity between students in a school, or any building \nwhere BPS business is conducted \n• Other verbal, nonverbal, or physical conduct of a sexual \nnature." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 5:\nSuperintendent’s Circular EQT-03 \nPage 5 of 14 \n \n \n \nAny student, regardless of gender identity or sexual orientation, \ncan be a target of sexual misconduct, and the alleged targets and \nthe subject of the concern can be of the same or different \ngenders. \nEmployees of the Boston Public Schools who become aware of \nany possible sexual misconduct toward or involving students \nmust report the incident or concern to their school leader, \nsupervisor, and/or the Office of Equity as soon as practicable, \ngenerally within the same school day. The same reporting \nrequirement applies to partners or contractors providing services" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "to students in or under the auspices of the Boston Public Schools. \nThe above list of examples is not exhaustive. If you are unsure \nwhether a student may have been a target of sexual misconduct \nor if you have knowledge of a possible incident of sexual \nmisconduct involving a student, immediately contact your school \nprincipal/head of school, supervisor, or the Office of Equity at 617-\n635-9650 or bpsequity@bostonpublicschools.org. \nREPORTING AND INVESTIGATING SEXUAL MISCONDUCT \nA student, parent, or other third party who believes that a \nstudent has been subjected to inappropriate sexual conduct may \nreport the incident to the principal/head of school or the Office of \nEquity." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Equity. \nThe Boston Public Schools will promptly investigate allegations \nof sexual misconduct even when the incident is being \ninvestigated by law enforcement or another entity. Our \nobligation is to determine if there has been a violation of a BPS \ncircular and/or the BPS Code of Conduct. The investigation will \nbe conducted in a manner maintaining confidentiality to the" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 6:\nSuperintendent’s Circular EQT-03 \nPage 6 of 14 \n \n \n \nextent practicable under the circumstances. Incidents that a BPS \nemployee becomes aware of directly or indirectly, such as from a \nnote or an overheard conversation, will also be investigated. \nInterim measures for the safety of the students involved must be \ntaken upon receipt of the report to ensure equal access to \neducational programs and activities. \nIf the investigation results in a finding of a violation of this policy, \nBoston Public Schools will take steps to end the misconduct, \nprevent any further misconduct, remedy its effects where \nappropriate, and take disciplinary action, as deemed appropriate" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "under the circumstances. \nREPORTING PROCEDURES \n(see Appendix A checklist) \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, the building \nadministrator must immediately (within the same school day, \nwith rare exceptions): \n1. Ensure that a student who discloses sexual misconduct is \nnot interviewed by any other BPS employee subsequent to \nthe initial disclosure, unless otherwise specifically directed \nby law enforcement, the state Department of Children and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Families (DCF), or the Office of Equity. To minimize the \nalleged target’s emotional distress and to preserve the \nintegrity and reliability of any investigation, the initial" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 7:\nSuperintendent’s Circular EQT-03 \nPage 7 of 14 \n \n \n \ndisclosure conversation should be limited to the essential \nfacts. The BPS staff member who first receives the report \nmust document the conversation as thoroughly as possible. \n2. Assess the need for emergency interim safety measures to \nprevent any additional incidents and ensure that the target \nis able to fully engage in the school’s programs and \nactivities. Implement any plan as appropriate. \n3. Report the incident to your school’s Safety Specialist or \nSafety Services at 617-635-8000 if the allegation involves \nsexual assault or violence, such as physical contact or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "threats. Call Safety Services even if you are not sure if the \nalleged incident constitutes sexual violence. Inform the \nschool nurse if medical care is needed. \nIf Safety Services are not available, call 911. \nDepending on the nature of the allegations, the Office of \nSafety Services may work directly with the Boston Police \nDepartment School Unit. Thereafter, the Boston Police \nCrimes Against Children Unit may conduct the \ninvestigation. A team investigation may include other \nagency involvement. By law, the police cannot provide the \nBoston Public Schools with a written report regarding an \nincident of sexual violence. \n4. Contact the Department of Children and Families (DCF) to" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "file a 51A report if the allegation warrants. As mandated \nreporters, employees of the Boston Public Schools are \nrequired to report situations when there is reasonable cause \nto believe a student is suffering from physical or emotional \ninjury that causes harm or a substantial risk of harm to the \nstudent’s health or welfare." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 8:\nSuperintendent’s Circular EQT-03 \nPage 8 of 14 \n \n \n \nQuestions related to school employees’ obligation to file a \n51A report with DCF should be directed to the Office of Legal \nAdvisor. Please also refer to Superintendent’s Circular SSS-17 \non Child Abuse and Neglect. \nIf the alleged subject is over 18 years old, under 7 years old, \nor has a disability that might manifest as inappropriate \nsexual conduct, please call the Office of Equity prior to filing \na 51A. \n5. Always alert the school’s operational leader. If you wish, \nand/or upon request of the Office of Equity, also alert the \nschool’s elementary or secondary school superintendent." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Depending on the severity and complexity of the \nallegations, the school superintendent and/or operational \nleader will then partner with the designated school \nadministrator and/or the Office of Equity to complete the \ninvestigation. \n6. Notify the parent(s) or legal guardian(s) of the reporter or \nalleged victim, if a minor, unless the parent/legal guardian is \nthe subject of the concern and/or such notification will \ncreate a substantial risk to the student’s health, safety, or \nwelfare. \n7. If the subject of the concern is a minor, the building \nadministrator (or other Office of Equity Designee) should \nnotify the subject’s parent(s) or legal guardian(s). For" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "reasons of confidentiality, do not inform the subject’s family \nof the alleged target’s identity or gender. \n8. Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day, if possible, \nbut always within 48 hours of the incident. This document" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 9:\nSuperintendent’s Circular EQT-03 \nPage 9 of 14 \n \n \n \nshould be treated as confidential and sent to the Office of \nEquity only. Only share this document or other related \ndocuments as directed by the Office of Equity, Office of \nLegal Advisor, or law enforcement authorities. The form can \nbe submitted digitally via this link. \n9. Investigate and document the allegation. If it is determined \nby a preponderance of the evidence that inappropriate \nconduct occurred, the Boston Public Schools will take such \nactions as it deems appropriate under the circumstances. \nFor students, such actions will be consistent with the Code \nof Conduct, and may also include training, mediation, or" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "restorative practices. For employees, such actions will be \nconsistent with the district’s labor practices, and may \ninclude training, restorative practices, and/or discipline. \n10. Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident. When \ncompleting the narrative, staff should document witness \nstatements and the subject’s response to the allegation(s). \nAdditionally, staff should document the investigatory \nfindings and remedial action taken, if any. The form can be \nsubmitted digitally via this link. \nDuring the investigation, the alleged target of the \nmisconduct should not discuss the incident with the subject" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "of the concern present under any circumstances. \n \nFor detailed guidance on investigating and documenting \nallegations of sexual misconduct, please follow the Boston \nPublic Schools Protocols for Sexual Misconduct" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 10:\nSuperintendent’s Circular EQT-03 \nPage 10 of 14 \n \n \n \nInvestigations Conducted by School Leaders and Central \nOffice Managers. \n \nAll reports submitted through the Equity Student Incident & \nInvestigation Form will be reviewed by the Office of Equity. \nPROHIBITION OF RETALIATION \nRetaliation against an individual who reports sexual misconduct \nand retaliation against individuals for cooperating with a related \ninvestigation is unlawful and will not be tolerated by the Boston \nPublic Schools. \nReports of retaliation should be brought to the building \nadministrator or the person who is conducting the investigation. \nA student who feels there has been retaliation following a" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "complaint may also call the Office of Equity at 617-635-9650. \nBPS TITLE IX COORDINATOR \nThe Boston Public Schools’ Title IX coordinator is responsible for \nensuring compliance with the investigatory process outlined in \nEQT-3, and tracking incidents across the district. Any parent or \nemployee who raises concerns regarding the investigatory \nprocess and/or outcomes may contact the district’s Title IX \ncoordinator: \n \nDirector of Compliance and Title IX Coordinator \nBoston Public Schools \n2300 Washington Street, Roxbury, MA 02119 \nPhone: 617-635-9650, Fax: 617-635-7940" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 11:\nSuperintendent’s Circular EQT-03 \nPage 11 of 14 \n \n \n \nEmail: bpsequity@bostonpublicschools.org \nOTHER RESOURCES \nUnited States Department of Education Office for Civil Rights \n(OCR) \n5 Post Office Square, 8th Floor, Boston, MA 02109 \n(617) 289-0111 \n \nMassachusetts Commission Against Discrimination (MCAD) \nOffice Location: \nAddress: \nBoston \nOne Ashburton Place, Room 601 \nBoston, MA 02108 \n(617) 994-6000 \nSpringfield \n436 Dwight Street, Suite 220 \nSpringfield, MA 01103 \n(413) 739-2145 \nNew Bedford \n \n800 Purchase Street, Room 501 \nNew Bedford, MA 02740 \n(508) 990-2390 \nWorcester \n484 Main Street, Room 320 \nWorcester, MA 01608 \n(508) 453-9630" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Worcester, MA 01608 \n(508) 453-9630 \n \nMassachusetts Department of Elementary and Secondary \nEducation \nProgram Quality Assurance \n75 Pleasant Street, Malden, MA 02148-4906 \n(781) 338-3700" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 12:\nSuperintendent’s Circular EQT-03 \nPage 12 of 14 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Training and School Support \nDepartment: \nOffice of Equity \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n617-635-9650 \nFax: \n617-635-7940 \nEmail: \nbpsequity@bostonpublicschools.org \n \nFor matters involving DCF, contact: \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 13:\nSuperintendent’s Circular EQT-03 \nPage 13 of 14 \n \n \n \nAPPENDIX A: CHECKLIST FOR SCHOOL ADMINISTRATORS \nThese instructions assume that the Office of Equity has already \nbeen informed of an incident as required, and that a school \nadministrator has been instructed to follow this protocol. \nAfter receiving a report of sexual misconduct, including sexual \nharassment and sexual violence, the school or central office \nadministrator (or the elementary or secondary school \nsuperintendent, elementary or secondary school assistant \nsuperintendent, and/or operational leader if the complaint is \nagainst the school or central office administrator) must \nimmediately:" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "immediately: \n Receive a disclosure of sexual misconduct. Whoever the \nstudents report to first must document the following: \n1. Who is the subject of the concern? \n2. What did the subject say or do? \n3. If physical contact was made, where did the subject \ntouch you (clarify if contact was made above clothing \nor directly on the student’s skin)? \n4. Is this the first time something like this happened? \n5. Was anyone else there when it happened? \n6. Did you tell anyone else what happened? \nStudents cannot be interviewed more than once by a BPS \nemployee and should only be interviewed with one adult in \nthe room. \n Assess the need for emergency interim measures and" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "implement as appropriate." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "Page 14:\nSuperintendent’s Circular EQT-03 \nPage 14 of 14 \n \n \n \n Report the incident to your school’s Safety Specialist or \nSafety Services at (617) 635-8000 if the allegation involves \nsexual violence, such as physical contact or threats. Call \nSafety Services even if you are not sure if the alleged \nincident constitutes sexual violence. If Safety Services is not \navailable, call 911. \n Contact the Department of Child and Family Services to file \na 51A report if the allegation warrants. \n Alert the Operational Leader. In addition, upon request of \nthe Office of Equity, alert the school’s elementary or \nsecondary school superintendent." + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "secondary school superintendent. \n Notify the parent(s) or legal guardian(s) of the alleged \ntarget of the misconduct, unless the parent/legal guardian is \nthe subject of the investigation and/or such notification will \ncreate a substantial risk to the student’s health, safety, or \nwelfare. \n Notify the subject’s parent(s) or legal guardian(s) if that \nindividual is a minor. \n Submit Section 1 of the Equity Student Incident & \nInvestigation Form within the same school day if possible, \nbut always within 48 hours of the incident. \n Investigate and document the allegations consistent with \nthe Office of Equity Protocols to determine if a violation of" + }, + { + "folder_name": "Equity", + "file_name": "EQT-03 Sexual Misconduct Toward Students", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn", + "content": "the circular has occurred. If a Code of Conduct violation is \nfound, conduct disciplinary proceedings. \n Submit Section 2 of the Equity Student Incident & \nInvestigation Form within 10 days of the incident." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nEL-04 \nVersion 01 \n \n \nTITLE I EXPENDITURES FOR ENGLISH LEARNERS \nAMENDED ORDER BETWEEN LATINO PARENTS ET AL \nAND BOSTON PUBLIC SCHOOLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTABLE OF CONTENTS \n1. General Information \n2. English Learner Equity Requirement \n3. General Guidelines \n4. Sample Acceptable Uses \n5. Annual Reporting of Title I Services \n \n1. GENERAL INFORMATION \nIn 1992, the Boston Public Schools (BPS) and parents of English \nLearner students (ELs), who were represented by attorneys with \nMulticultural Education, Training and Advocacy, Inc. (META)," + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "entered into a binding consent decree that is enforceable by use \nof the federal court’s power to hold violators in contempt of court" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular EL-04 \nPage 2 of 19 \n \n \nto compel compliance. A copy of this consent decree can be \nfound on the Office of English Learners website. \nThis Superintendent’s Circular outlines the basic components of \nthe consent decree regarding appropriate Title I expenditures for \nELs and provides guidelines to comply with the edict. The \nconsent decree defines many requirements of BPS, which \nincludes the equitable allocation of Title I funds to service the \nneeds of ELs. \nThe federal consent decree enforced by META commits BPS to: \n• Improve and provide equal access to programs for EL \nstudents \n• Refrain from discriminating against EL students relative to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "non-ELs, in the provision of Title I services \n• Ensure proportionality in the provision of services; the \npercentage of Title I eligible but unserved EL students must \nnot exceed the percentage non-ELs who are not benefiting \nfrom Title I funds \n• Adjust Title I school budgets for staff and services annually \nand periodically in light of changing student needs \n• Provide literacy (HILT) programs for EL students ages 8-22 \nwith limited or interrupted formal education (SLIFE) \n• Consult with and involve EL parents in each school \n(additional guidance on how to document this consultation \nwill follow) \n• Report annually on the status of Title I services to EL \nstudents." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular EL-04 \nPage 3 of 19 \n \n \nNote: \n• All other district purchasing guidelines still apply. For \ngeneral information regarding purchasing, please refer to \nSuperintendent’s Circular FIN-07. \n• For state guidance on the use of Title I Part A funds in \ngeneral (not specific to the additional requirements \npursuant to the consent decree), visit \nhttps://www.doe.mass.edu/federalgrants/titlei-a/ or contact \nthe BPS Grants Department. \n2. ENGLISH LEARNER EQUITY REQUIREMENT \nThe portion of Title 1 resources for EL students is based on the \npercentage of EL population in that school. \nEL Equity Amount example: If School-A receives $100,000 in Title" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "I funding with a school population consisting of 25% ELs, $25,000 \nmust be spent to benefit ELs. In this example, $25,000 is the “EL \nEquity amount” that must be spent on supplemental services \ndirectly and solely benefitting ELs. \nAs part of the BPS annual Budget Collaborative process, the \nFinance Department provides each school their Title I allocation \nand identifies for schools the EL Equity Amount subject to the \nspending guidelines outlined in this circular. \n• A school’s Title I allocation is determined based on the \nschool’s percentage of direct certified students and \nprojected enrollment, multiplied by a per pupil amount." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Direct certification, in compliance with USED and DESE, \nincludes data from the Supplemental Nutrition Assistance" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular EL-04 \nPage 4 of 19 \n \n \nProgram (SNAP), Temporary Assistance for Needy Families \n(TANF), and Medicaid enrollment. \n• Within the school’s Title I allocation, the EL Equity Amount is \nseparately identified. This is calculated based on the \nprojected enrollment of English Learner students as a \npercentage of the overall enrollment of projected students \nat each school. \n3. GENERAL GUIDELINES \nThe META Consent Decree requires the following: \n1) Each individual school must determine the additional \nservices for EL students that will supplement their \ninstruction, either for academic language in English and/or \nthrough native language supports." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "through native language supports. \n2) This determination must be conducted prior to spending \nTitle I funds for ELs at a school. \n3) These services must be supplemental, solely benefit ELs, \nand be tailored to meet the specific needs of EL students. \n4) The district, through the Office of English Learners, as part of \nits monitoring duties under the META Consent Decree, is \nobliged to ensure compliance with these legal \nrequirements, including working with schools to make \nappropriate revisions to any budget that does not reflect \ncompliance with Title I and META Consent Decree \nrequirements. \n5) Each school must annually submit both a plan for spending" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "prior to any expenditures as well as an annual checklist that \nreports the use of Title I for ELs funds. \nServices Tailored to Meet the Specific Needs of ELs" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular EL-04 \nPage 5 of 19 \n \n \nServices provided with the use of Title I EL funds need to be \ntailored to meet the specific linguistic, cultural, socio-emotional \nand academic needs of ELs. These needs should be identified as \npart of the needs assessment process required by the consent \ndecree. \nServices Solely Benefitting ELs \nTitle I expenditures for ELs are also required to solely benefit ELs. \nThis means, for instance, if a school desires to fund a position, the \nresponsibilities for that position must be solely dedicated to ELs. \nThere is an expectation that the services provided by the staff \nshould focus on EL students with the highest needs such as" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "those with English language development (ELD) levels 1 and 2, as \nthey are the most vulnerable group of students requiring \nsupplemental services. \n4. SAMPLE ACCEPTABLE USES \nSupplement and Not Supplant Rule \nTitle I for ELs funds must be used to supplement, and not \nsupplant, local, state or federal resources available or required \nunder state or federal law to meet the educational needs of ELs. \nIn other words, these Title I funds should not take the place of—\nsupplant—public education services that are to be provided by \nlaw to English Learner students. Instead, these funds must be \nused to supplement requisite education services, to provide" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "services that go above and beyond what is otherwise required. \nHere are a few examples:" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular EL-04 \nPage 6 of 19 \n \n \n• Funding lunch monitors is an inappropriate use for which \nBPS was previously cited, since maintaining order in the \nlunchroom is a basic function that is not above and beyond \nwhat the district would do without Title I dollars and is also a \nfunction that does not solely benefit ELs. \n• General classroom supplies needed for everyday classroom \ninstruction (e.g., paper, notebooks, white boards) would not \nconstitute an allowable use of these funds, even if they only \nare used by ESL or other EL program classrooms, as the \nsupplies are not supplemental in nature. \n• It would not be allowable to use these funds to purchase" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "core curriculum materials — including core ESL materials — \nfor English Learner students. \n• Equally important is that even if an expenditure is \nsupplemental by nature, it would be a violation of the \n“supplement, not supplant” rule to fund a service or activity \nfor ELs out of the TItle I for ELs funds while also funding the \nsame service or activity with general funds for other \nstudents at the school. For example, if a school purchases \ntechnology with general funds for general education \nclassrooms, it would generally not be allowable to use the \nTitle I EL funds to purchase the same technology for English \nLearner program classrooms. Potential allowances may be" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "made if the technology is provided on a 1:1 basis for ELs only, \nand not for students as a whole. \nNote: The consent decree allows for an important exception to \nthe “supplement, not supplant” rule: generally, expenditures \nrelated to the High Intensity for Literacy Training for Students" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular EL-04 \nPage 7 of 19 \n \n \nwith Limited or Interrupted Formal Education (HILT for SLIFE) \nprogram constitute an allowable use of these Title I EL funds. \nThe following table provides a list of sample acceptable uses of \nTitle I for ELs funds. \n• It is important to note that this list is not exhaustive, and \nthat the “supplement, not supplant” provision still applies. \nAdditional examples are posted on the Office of English \nLearners Title I for ELs website. \n• School leaders are advised to discuss their ideas for the use \nof these funds with the Title I EL coordinator \n(Title1EL@bostonpublicschools.org) to ensure compliance." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Sample Acceptable Uses of Title I Funds for English Learners \n• High Intensive Literacy Training for Students with Limited or \nInterrupted Formal Education (HILT for SLIFE) programs: \nstrongly recommended to be funded through Title I for ELs \nfunds. \n• Extra learning time outside of the school day: materials and \nstipends for after-school, summer, and Saturday programs \ntailored specifically to meet the needs of ELs. \n• Supplementary enrichment and accelerated curriculum \nmaterials for ELs. \n• Supplementary materials, including native language \nresources, that strengthen the core academic program for \nELs in the school. \n• Supplementary counseling, pupil services, and mentoring" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "services for ELs that is above and beyond what is offered to \nall students at the school." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular EL-04 \nPage 8 of 19 \n \n \n• College and career awareness programs solely for ELs that \nare above and beyond what is offered to all students at the \nschool. \n• Methods to assess the efficacy of all implemented strategies \n(such as stipends for after-school monitoring and planning \nmeetings) for ELs. \n• High-quality ongoing professional development for \nteachers, administrators, paraprofessionals, parents, and/or \npupil services personnel that is not otherwise required and \nis geared specifically towards meeting the needs of ELs. \n• Increasing EL parental involvement through literacy \nservices. \n• Consulting to strengthen the core academic standards or" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "the school improvement plan to meet the specific needs of \nELs. \n• Assessment fees associated with an EL student obtaining \nthe Seal of Biliteracy. \n• A supplemental bilingual paraprofessional (not for class size \nreasons) to assist former SLIFE students who exit SLIFE into \nSEI content classes but who need continuing native \nlanguage support. \n \nPrevious Findings of Non-compliance \nThe following are examples of inappropriate usages of Title I to \ncount towards the EL equity percentage: \n• Since ESL instruction is considered core, funding of a sole \nESL teacher to provide ESL for all ELs in the school is \nconsidered supplanting. However, it is acceptable for this" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular EL-04 \nPage 9 of 19 \n \n \npurpose if it is used to supplement the core ESL \nrequirements by providing additional ESL support or \nproviding smaller group instruction to students targeting \nELs with ELD levels 1 and 2. \n• Funding instructional or other basic supplies (copy paper, \nclassroom supplies, notebooks, chart paper, printer \ncartridges, etc.) are basic classroom supplies needed for any \nclassroom and would therefore be a clear example of \nsupplanting. Similarly, Title I EL monies may neither be used \nto satisfy the district’s minimum $1,000 supply budget per \nschool nor the minimum supply to be budgeted per \nstudent." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "student. \n• Funding lunch monitors is an illegal use for which BPS was \npreviously cited, since maintaining order in the lunchroom is \na basic function and not above and beyond what the district \nwould do without Title I dollars. \n• Title I EL funds may not be applied to the salaries of general \nadministrative personnel. \n• Shifting a position from general funds that is a core position \nto Title I is a clear indication of supplanting and not an \nappropriate Title I EL expenditure. \n• Funding positions that serve the whole school, such as \nfamily and community outreach coordinator, physical \neducation, computer, music/art teacher, school wide" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "counselors, school wide literacy coordinators, school wide \nparaprofessionals, and parent coordinators/liaisons would \nbe considered supplanting and therefore would not be an \nallowable use of these funds." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular EL-04 \nPage 10 of 19 \n \n \n5. ANNUAL REPORTING OF TITLE I SERVICES \nTitle I funding for ELs is reported annually to META by the Office \nof English Learners (OEL). School leaders must submit a Title I EL \nBudget Plan (1) during their Budget Collaborative during January \nand a Title I for ELs Budget Monitoring Checklist by June of the \ncurrent school year to OEL. Using this Title I checklist, school \nleaders will be asked to verify and report what services the Title I \nfunded staff have provided, number of students serviced, and \nadditional resources/supplies purchased within the year. \nTitle I EL Budget Plan (future year budget): Each school will" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "receive a Title I EL Budget Plan that is pre-populated with the \nschools’ Title I EL allocation for the upcoming fiscal year. The Title \nI EL Budget Plan requires school leaders to identify the needs \nassessment that undergirds their planned spending, and to \nidentify categories of planned spending (e.g., staffing, \nsupplemental instructional supplies, contractual services, \nstipends, etc.). \nDuring a school’s budget collaborative, each school leader is to \nsubmit their EL Budget Plan. A school’s budget collaborative will \nnot be considered approved until the school’s Title I EL Budget \nPlan is finalized and the budget lines can be structured" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "accordingly in FutureForce. School leaders are encouraged to \nschedule appointments with their EL school support liaison for \nsupport. \n \n(1) Template. May be updated with feedback from stakeholders." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular EL-04 \nPage 11 of 19 \n \n \nThe following represents general considerations for school \nleaders to aid them in preparing sufficient plans: \nNeeds Assessment \n● The META consent decree specifies that, prior to spending \nTitle I for ELs funds at schools, the determination of the \nservices most needed by the school’s ELs must be \nconducted first to ensure that the funds will be used to \nsupport the language development needs of English \nLearner students. \n● Schools should review multiple data points to identify the \nneeds of their English Learner student population, keeping \nin mind that English Learners do not constitute a monolithic \ngroup." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "group. \n● At a minimum, English Learner students’ ACCESS \nperformance and progress data should be reviewed. \nAdditional data to be reviewed may include: MCAS and \ninterim/formative assessment data; attendance data; \nstudent/parent surveys; school Equity Roundtable notes; \nstudents’ Individual Learning Plans for SLIFE or ELs who \nhave not met ACCESS benchmarks; etc. \n○ Schools should disaggregate the data for different EL \nsubgroups; e.g., EL students with disabilities, Students \nwith Limited or Interrupted Formal Education, \nnewcomers, long-term English Learners, etc. \n● School leaders should consult the LATF and other EL \nteachers as well as with English Learner parents when" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "developing their Title I EL Budget Plan. School leaders may \nalso consider consulting with English Learner students." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular EL-04 \nPage 12 of 19 \n \n \n● When considering the types of goods and services to \ninclude in their Title I EL Budget Plan, school leaders should \nalso consider the effectiveness of purchases made with prior \nTitle I EL funds on improving EL student achievement. \nBudgeting for an FTE \n● If requesting an ESL FTE, make sure the minimum ESL FTE \nrequirement is met within your general funds before \nsubmitting an additional request on your EL Title 1 \nallocation. This should only be a supplemental position. This \nFTE cannot deliver core ESL instruction to meet minimum \nESL instructional compliance. \n● Identify how the position primarily serves ELD 1 and 2" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "students if applicable. \n● Both salary and benefits need to be accounted for. \n● It will be the school leader’s responsibility to ensure that this \nFTE does not perform job responsibilities other than those \napproved with the use of the Title I EL funds." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular EL-04 \nPage 13 of 19 \n \n \nBudgeting for Stipends \n● If requesting stipends for supplemental EL instructional \nsupport outside of school hours, make sure that staff are \nappropriately qualified (e.g., ESL license, SEI endorsement, \nbilingual endorsement) to instruct ELs. Specify the nature of \nthe services provided to demonstrate that core ESL \ninstruction is not being delivered through these stipends. \n● Additionally, LATF duties are not permitted to be \ncompensated through these stipends. Ensure that all \nstipend requests adhere to district policy. \nBudgeting for Contractual Services \n● If requesting contractual services for professional" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "development, make sure to demonstrate that the PD \nprovider is appropriately qualified to provide training on \nEnglish Learner instruction and that the PD is specific to \nEnglish Learner instruction or supports. \n● Schools can review the OEL website to identify other \napproved professional development that can be targeted for \nstudents or parents to integrate native language and \ncultural learning opportunities as part of the school PD \nofferings. \nBudgeting for Supplies/Materials/Technology \n● If requesting technology, make sure the technology is not \nalready in the school being used by non-ELs and that it is \nnot used for mandated assessments (e.g., ACCESS, MCAS)." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "● If you’re requesting books/instructional materials, make sure \nto indicate how this supplements the requisite or core" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular EL-04 \nPage 14 of 19 \n \n \ncurriculum and how it is specifically designed for English \nLearners. \nThe following provides a sample exemplar for the type of \nrationale that needs to be included in the Title I EL Budget Plan. \nQUESTION: How is this supplemental? \n● Weak Rationale: This text is supplemental because it is in \naddition to the core work. \n● Strong Rationale: This text provides a brief, accessible guide \nto this textbook to make the content comprehensible to \nELs, especially EL 1 and 2 students. This is a supplement to \ntraditional textbook and primary source materials for \nteaching this class. Newcomer students often haven't been" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "taught this curriculum, so it is even more important to \ncommunicate the essentials of this work (which many \ngeneral education students might already have learned). \n○ Difference: This differs from the weak example because \nit includes detail on how the text will be used in the \nclassroom and demonstrates supplemental use. \nQUESTION: How will this solely benefit ELs? \n● Weak: This will only be used for ELs. ELDs 1-3. \n● Strong: This text has allowed me to make the content \naccessible, especially for ELs with ELD levels 1-3. Newcomer \nstudents often haven't been taught this curriculum, so it is \neven more important to communicate the essentials of this" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "work (which many general education students might \nalready have learned). \n○ Difference: This differs from the weak example because \nit shows that non-EL students would not benefit from" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular EL-04 \nPage 15 of 19 \n \n \nthis book and that the ELs would need the book to help \nthem access the content and narrative. \nQUESTION: How is this tailored to meet the needs of your EL \nstudents? \n● Weak: This text is only used in ESL specific classrooms. \n● Strong: The visual and shorter, chunked text provides \ncomprehensible input for students to master the concepts \nin the traditional reading. This topic is especially important \nfor this time period both because my newcomer students \nconsistently express interest in learning about these two \nevents and because there are so many events within this" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "time period that a supplemental text would help students \nfollow the narrative. \n○ Difference: This differs from the weak example because \nit demonstrates how the text is tailored to meet the \nlanguage needs of the EL students by stating it has \nvisuals and shorter texts. \nTitle I EL Budget Monitoring Checklist (current year actual \nspending): Whereas the Title I EL Budget Plan identifies the \nintended use of the funds, the Title I EL Budget Monitoring \nChecklist identifies how the funds were actually spent and \nprovides the rationale to demonstrate how the identified goals \nwithin the Title I EL Budget Plan from the previous year were" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "met. Once the district’s spending deadline has passed, the Title I \nEL coordinator provides each school leader with their own \nchecklist document that is pre-populated with each line item of \nrequisitions and stipends. Prior to the close of the school year, \nschool leaders review the rationale they provided at the time of \nthe purchase request, sign the document, and return it to the \nTitle I EL coordinator." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular EL-04 \nPage 16 of 19 \n \n \nMONITORING COMPLIANCE \nThe district submits each school’s Title I EL Budget Plan and Title \nI EL Budget Monitoring Checklist to META attorneys. Note: In the \nevent a school leader fails to comply with the submission \ndeadlines, the district may not process purchase requests that \nfall under the school’s Title I EL budget lines until such \ncompliance is met. \nThe Title I EL funds are denoted in a school or department’s Fund \n200 budget with a program code of 24xx. For instance, for FY23, \nthe budget line would include BPS23150 (Title I) and a program \ncode of 24xx (e.g., 2401). The use of these funds is subject to the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "terms of the META consent decree and this circular. \nThroughout the school year, the Title I EL coordinator \n(title1EL@bostonpublicschools.org) will review each requisition \nfor purchase (e.g., requisitions, stipends, EAEs, FTEs, budget \ntransfers, etc.) to ensure that the given request meets Title I EL \nspending guidelines and aligns to the school’s approved Title I EL \nBudget Plan. The Title I EL coordinator tracks each purchase and \nits rationale for annual reporting purposes. \n● When a given request has not been included in a school’s \nTitle I EL Budget Plan, the Title I EL coordinator will request \nadditional information from the school to ensure \ncompliance." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "compliance. \n● The Budget and Finance departments will not process any \nrequests without prior written approval from the Title I EL \ncoordinator. \nThe Title I EL coordinator may also request additional information \nthroughout the school year when necessary to ensure that \nspending remains in compliance. The district reserves the right to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular EL-04 \nPage 17 of 19 \n \n \nimplement additional monitoring requirements throughout the \nschool year. \nTimely spending: Responsibility Centers receive monthly BAIS \nFinancials output reports that identify the balance of available \nTitle I EL funds. It is the responsibility of school leaders and \ndepartment heads to ensure that funds are spent appropriately \nand in a timely manner to support the unique needs of English \nLearner students most effectively. \n● To ensure appropriate spending, all unspent Title I EL funds \nat the school level will be re-allocated to the Office of \nEnglish Learners at the close of the fiscal year for \nappropriate spend- down." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "appropriate spend- down. \nMETA visits and requests for information: META monitors \ncompliance by way of reviewing the Title I EL Budget Plans and \nthe end-of-year Title I EL Budget Monitoring Checklists, as well as \nconducting school visits. During the visit, META will meet with \nthe school team and may review the school’s current and \nprojected budget, Title I checklist, staff qualifications, and other \ninformation deemed necessary to comply with the Consent \nDecree. \n● Schools will be supported by the Office of English Learners \nand Grants Department prior to any such visits. \n● School personnel who receive direct contact from META" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "attorneys with requests for information outside the context \nof a scheduled visit are directed to contact the BPS Office of \nLegal Advisor at legal@bostonpublicschools.org for \nguidance." + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular EL-04 \nPage 18 of 19 \n \n \nKEY DATES \nResponsible \nActivity \nDate \nSchool Leader \nSubmit FY25 Title I EL \nBudget Plan (planned \nexpenditures for the \nfollowing school year) to \nTitle I EL Coordinator for \napproval \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOEL \nReview and approve \nsubmitted FY25 Title I \nEL Budget Plan \n(planned expenditures \nfor the following school \nyear) \nDec. 2023/Jan. 2024 \n(prior to Budget \nCollaborative) \nOffice of Legal \nAdvisor \nSubmit annual Title I \nreport to META \nJanuary 2024 \nSchool Leader \nSubmit FY24 Title I EL \nChecklist to OEL/Grants \n(accounting of \nexpenditures from the \ncurrent school year)" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "expenditures from the \ncurrent school year) \nJune 2024 (after \nspending deadline) \nSeptember 2024 (if \napplicable, for any \n2024 summer \nspending) \nOEL \nReview and analyze \nsubmitted FY24 Title I \nEL Checklist to \nOEL/Grants \nJuly 2024" + }, + { + "folder_name": "English Learners", + "file_name": "EL-04 Title I Expenditures for ELs", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular EL-04 \nPage 19 of 19 \n \n \nRESOURCES \nTitle I for English Learners website: \nhttps://www.bostonpublicschools.org/title1el. \nGuidance is also included annually in the district’s Budget \nCollaborative and Probable Organization guidance document for \nschool leaders. \nFor more information about this circular, contact: \nOwner: \nExecutive Director, or \nDirector of Grants and External Funds \nDepartment: \nOffice of English Learners or Finance \nDepartment \nMailing Address: 2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9435 or 617-635-6995 \nEmail: \nall-acad-division@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 1:\n \n \n \n \n Superintendent’s \nCircular \nNUMBER: \nEL-07 \nVersion 01 \n \nBPS INSTRUCTIONAL SYSTEM AND MONITORING FOR \nMULTILINGUAL LEARNERS \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThis superintendent’s circular outlines the district’s instructional \nsystem and monitoring for multilingual learners, including: \n1. Instructional Expectations and Resources: \na. Defining high-quality instructional expectations and \nmaterials for our multilingual learners and multilingual \nlearners with disabilities (MLWD) \nb. Curating and outlining resources for schools, classroom \nstaff, and school leaders to change and improve" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "staff, and school leaders to change and improve \ncurrent practices in classrooms serving Multilingual \nlearners and those with disabilities \n2. Monitoring of Multilingual Learners’ Instruction: \na. Monitoring Individualized Learning Plans (ILPs) for \nmultilingual learners who have not met ACCESS \nprogress benchmarks" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 2:\n \n \nSuperintendent’s Circular EL-07 \nPage 2 of 18 \n \nb. Conducting classroom observations by school leaders \nand district regional support teams or ESL and content \ninstruction across programs serving Multilingual \nlearners \nIn accordance with the DOJ agreement for ELE services, an \noverview of ELE services, compliance monitoring, accountability, \nand DOJ reporting schedule is outlined here. \n \nINSTRUCTIONAL EXPECTATIONS \nThe circular provides foundational information on practices and \nexpectations regarding high-quality instruction and grade-level \ncontent instruction for our MLs aligned to MA-DESE frameworks \nand grade-level standards. Included are resources for classroom" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "staff and school leaders to align and improve current classroom \npractices. The research-based resources and strategies will \nprovide consistent, high-quality educational practices across the \nDistrict to develop a systemwide understanding of expectations \nfor instructing our multilingual learners and those with \ndisabilities. \nOne priority of the Office of Multilingual and Multicultural \nEducation (OMME) is to outline instructional expectations with \nguidance and resources for multilingual learner (ML) educators to \naccelerate MLs’ language acquisition and support their growth \nacross content. All MLs are entitled to meaningful access to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "grade-level content learning and English language development \n(ELD) instruction to build their English language skills in all four \nlanguage domains (reading, writing, listening, and speaking). All" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 3:\n \n \nSuperintendent’s Circular EL-07 \nPage 3 of 18 \n \nMLs regardless of program or placement are entitled to receive \nsheltered content with an SEI teacher and ESL services with an \nESL-certified teacher1. To that end, OMME is committed to \nproviding all ESL and SEI content teachers with tools that best \nsupport MLs. \n \nGROUNDING THE INSTRUCTIONAL CORE IN WIDA AND MA \nCURRICULUM FRAMEWORKS \nTo maintain high-quality content and language learning for MLs, \nit is paramount to center all ML instruction for Fall 2023 and \nbeyond on research-based standards for language development \nas well as grade-level content. OMME expects that the MA" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Curriculum Frameworks and WIDA 2020 Standards Framework \nare the foundations for all effective delivery of English as a \nSecond Language (ESL) instruction and English Learner \nEducation programs. \nOMME has created clear and explicit guidance around what \ndefines English as a Second Language (ESL) instruction in Boston \nPublic Schools (BPS) and the varied programmatic structures it \nmay take. ESL is its own subject matter and provides explicit, \nsystematic, and sustained language instruction to promote MLs’ \nsuccess at school and beyond. ESL is: \n \n1 Any core academic teacher of an Multilingual Learner (providing instruction in English): teachers of" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "MLs with moderate disabilities; teachers of MLs with severe disabilities; teachers in English, reading or \nlanguage arts; mathematics, science; civics and government, economics, history, and geography; early \nchildhood and elementary teachers who teach MLs such subjects; and any career vocational technical \nteacher who instructs a ML." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 4:\n \n \nSuperintendent’s Circular EL-07 \nPage 4 of 18 \n \n \n• Asset-based and culturally sustaining \n• Language driven \n• Balanced, focused on both meaning and form \n• Standards-based (i.e. ELA, History, Math, Science), rigorous, \nand integrated \n• Designed for authentic language interactions, dialogue, and \ncollaboration \n• Planned and dynamic \n• Differentiated and scaffolded \n• Grounded in effective assessment practices \n \nSuccessful pedagogy is grounded in these frameworks and \napproaches: \n● MA Curriculum Frameworks: The frameworks establish clear \nacademic expectations for what students should know and \nbe able to do at the end of each school year. They" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "emphasize the development of 21st-century skills with \ncollege and career readiness. Current curriculum \nframeworks for each content area can be found here. \n○ English Language Arts & Literacy \n○ Social Studies / Humanities \n○ Science Technology & Engineering \n○ World Language Standards \n● WIDA: A research-based, comprehensive approach to" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 5:\n \n \nSuperintendent’s Circular EL-07 \nPage 5 of 18 \n \nsupporting, teaching, and assessing multilingual learners. \nThe WIDA 2020 Framework and Standards prioritize equity \nof opportunity and access, integration of content and \nlanguage, collaboration among stakeholders, and a \nfunctional approach to language development. \n \nKey components to effective ML teaching in the BPS: \n● Native Language : Research shows that using native \nlanguage instruction and resources has a positive effect on \nEnglish language development. Teachers should leverage \nstudents’ native-language literacy skills whenever possible \nand use that knowledge to facilitate metalinguistic" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "awareness and cross-linguistic transfer. When teachers have \na basic knowledge of students’ native language structure, \nthey can better identify students’ positive and negative \nlinguistic transfers. Furthermore, teachers should consider \nusing native language materials to build background \nknowledge and help students transfer content-area skills \nand understandings from one language to another. \n● Collaboration Among ML Educators: BPS prioritizes teacher \ncollaboration to support MLs’ success in content area \nclasses and programs. “Co-Teaching ESL is a unique form of \nteacher collaboration where two teachers (an ESL and a \ngrade level/content area teacher) fully share teaching" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "responsibilities for a common group of students. The co-\nteachers jointly plan for, deliver, and assess dedicated, \nsystematic, explicit, and sustained standards-based and \nlanguage-focused ESL instruction that connects to content" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 6:\n \n \nSuperintendent’s Circular EL-07 \nPage 6 of 18 \n \narea topics and analytical practices.” (DESE’s Quick \nReference Guide Co-Teaching Co-Teaching ESL) \n \nMATERIALS GUIDANCE \nOMME will continue to work across academic departments to \nensure that all materials provide scaffolding and supports for \nmultilingual learners. To support this initiative, OMME has \ndeveloped an ELD Look-For Tool that illustrates effective \nculturally and linguistically sustaining practices that are key \ninstructional components for all classrooms serving Multilingual \nLearners. This tool is aligned with research-based best practices \nfor MLs and to the BPS Equitable Literacy Look-Fors, and the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Culturally Responsive Instruction Observation Protocol (CRIOP). \nIn order to support the integration of content and language, \nOMME created an integrated Language Objectives writing tool \nand a series of professional development to support this initiative. \n \nMultilingual Instructional Coaches (MICs) worked throughout SY \n2022/23 to analyze district-approved tier 1 curriculum, thoroughly \nexamine the WIDA 2020 Standards Framework to create a scope \nand sequence and unit maps for ESL instruction for grades K-12: \nFocus in Grades K0-2, EL Education for Grades 3-5, and StudySync \nand core content in Grades 6-12. All curriculum and support" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "documents will be housed in this Boston Public Schools ESL \nCurriculum Digital Notebook." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 7:\n \n \nSuperintendent’s Circular EL-07 \nPage 7 of 18 \n \nThe work was grounded in: \n• Massachusetts Department of Elementary and Secondary \n(DESE) Next Generation ESL Curriculum Guidance, \n• 7 Forms of Bias, \n• Culturally Responsive Teaching, \n• Systemic Functional Linguistics, \n• Equitable Literacy and Culturally and Linguistically \nSustaining Practices, \n• the 3Ls, \n• WIDA 2020 Standards Framework, and \n• Understanding by Design (UbD). \n \nDual Language schools have adopted a variety of authentic texts \nor trans-adapted texts / materials in the native language. OMME \nrecommends usage of native language text sets aligned to grade" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "level standards and units of study that meet the rigor and \nexpectations for quality materials using CURATE. Additionally, the \ndistrict recommends the following Spanish and English \ncomplimentary materials for dual language: \n1. Focus Transadapted Spanish Texts \n2. American Reading Company \nOther Dual Language and bilingual programs in majority BPS \nlanguages are provided materials in the form of authentic texts \nor transadapted texts thematically aligned to the biliteracy \nframework for the target languages that must meet grade level \nstandards." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 8:\n \n \nSuperintendent’s Circular EL-07 \nPage 8 of 18 \n \n \nIn setting expectations for high-quality instruction, the District \nhas a responsibility to provide district level and individualized \ncoaching support for school and classroom staff. The following is \na list of instructional recommendations with critical resources for \nteachers and school leaders serving multilingual learners and \nEnglish learners with disabilities (ELD). \n \nSEI PROGRAMS VS. SEI CLASSROOMS \nBoston Public Schools has the highest number of MLs across the \nstate. Therefore, it is expected that every BPS classroom is an SEI \nclassroom (if there is at least one multilingual learner enrolled)" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "with a qualified SEI teacher. Additionally, BPS offers SEI programs \nto students at ELD levels 1-3 with some language specific \nprograms at specified schools to better meet the needs of \nstudents at ELD levels 1-3 and provide language support if the \neducator has the same language. All MLs across ELD levels and \nplacement settings are expected to receive ESL instruction in \naccordance with their level, grouping per the Department of \nJustice (DOJ) and the Massachusetts Department of Elementary \n& Secondary Education (MA DESE). \n \nESL: English as a Second Language SCI: Sheltered Content Instruction \nNLI: Native Language Instruction NLS: Native Language Support" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 9:\n \n \nSuperintendent’s Circular EL-07 \nPage 9 of 18 \n \nProgram Type & \nTarget \nInstructi\non Type \nBPS Instructional Expectations \nResources \nSEI Multilingual \nProgram - targeted \nfor ML ELD 1-3 with \nlow incidence \nlanguages \n✓ ESL \n✓ SCI \n● \nGrade level aligned instruction \nusing district materials or \ncurriculum meets MA frameworks. \n● \nAdapting or differentiation for lower \nELD levels and/or low levels of \nliteracy to accelerate learning. \n● \nEducators teach academic \nlanguage and align to MA \nFramework content grade level \nstandards and WIDA standards. \n● \nClassroom teachers collaborate and \nplan with ESL teachers. \n● \nEducators are bilingual and believe" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "● \nEducators are bilingual and believe \nthat the native language of \nstudents and families is an asset \nand promotes bilingual education. \n● \nClassroom environments are \nmulticultural, engage diverse \nperspectives and experiences and \nvalue all students' cultural and \nlinguistic backgrounds. \n● \nStudent ILP (if needed) is aligned to \nWIDA Can Do and language \ndomains. \n● \nESL instructional pedagogy is \nconnected thematically with a \nfocus on academic language. \n● MASS \nLiteracy \nGuide \n● MA DESE \nCollaboration \nTool \n● Incorporating \nNative \nLanguage \ninto Learning \n● BPS \nEquitable \nLiteracy Look-\nFors \n● MA DESE ESL \nModel \nCurriculum \nUnits \n● CGCS 3Ls: \nLearning, \nLanguage" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Units \n● CGCS 3Ls: \nLearning, \nLanguage \nand Literacy \n● SFL Writing \nPedagogy \n● UDL \nGuidelines \n● MA DESE’s \nDefining ESL \nGuidance \nSEI Language \nSpecific Program - \ntargeted for ML ELD \n1-3 with high \nincidence languages \n✓ ESL \n✓ SCI \n✓ NLS* \nSEI Inclusion \nProgram - targeted \nfor dually \nidentified ML with \nELD levels 1-3 and \nMLs with Disabilities \n✓ ESL \n✓ SCI \n✓ NLS* \nSEI Classrooms \nwithout district ELE \nPrograms - targeted \nto ELD 4 and ELD 5 \nand at all schools \nwithout an SEI \nMultilingual, \nLanguage Specific \nor SEI Inclusion \nProgram \n \n✓ ESL \n✓ SCI" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 10:\n \n \nSuperintendent’s Circular EL-07 \nPage 10 of 18 \n \n \n \nDual Language - \ntargeted for MLs in \nELD levels 1-3 and \nEnglish monolingual \nstudents \n✓ ESL \n✓ SCI \n✓ NLI \n● \nBiliteracy skills that support each \nlanguage and build metalinguistic \nawareness, such as teaching \ncognates. \n● \nEducators are bilingual and hold \nthe belief that the native language \nof students and families is an asset. \n● \nMaterials reflect authentic texts or \nare \n● \ntransadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n● \nThe curriculum includes a \nstandards-based scope and \nsequence for language and literacy \ndevelopment in English and the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "development in English and the \npartner language for all students. \n \n● Dual \nLanguage \nCAL \nGuidance \nSLIFE - targeted for \nnewcomer students \nwith low native \nliteracy \nassessments and \ngaps of education \n(Newcomer \nProgram) \n✓ ESL \n✓ SCI \n✓ NLI \n✓ NLS * \n● \nNative language literacy and \nnumeracy skills that develop \nstudents academically. \n● \nAppropriate developmental \nstrategies and pedagogy that build \non students’ schema and life \nexperiences. \n● \nEducators are bilingual and hold \nthe belief that the native language \n● SLIFE DESE \nGuidance" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 11:\n \n \nSuperintendent’s Circular EL-07 \nPage 11 of 18 \n \nof students and families is an asset. \n● \nMaterials reflect authentic texts or \nare \n● \ntransadapted with authors who \nreflect the linguistic and ethnic \ndiversity of the target language. \n● \nDrawing on students’ cultures and \nidentities with projects and life skills \nthat connect to their communities \nand assets. \nHeritage Program - \ntargeted for \nstudents with \ncommon ethnic and \nnative language \n✓ NLI \n✓ ESL \n● \nStudents from heritage \nbackgrounds are taught target \nlanguage across modalities aligned \nto World Language Standards. \n● \nIdentity is often a major factor in \nheritage speakers/signers’" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "heritage speakers/signers’ \nmotivations for language learning, \nand educators must discuss identity \nissues to effectively support \nstudents in making the cultural \nconnections described in world \nlanguage content standards. \n● World \nLanguage \nStandards \n● Heritage \nSpeakers' \nGuide \n \n \nMONITORING OF MULTILINGUAL LEARNERS INSTRUCTION \nIn addition, this circular outlines the District's expectations for \nCentral Office and school leaders regarding a quality monitoring \nsystem for ESL and content instruction for multilingual learners \nacross English Learner Education (ELE) programs and general \neducation settings. This system facilitates the District's" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "identification of classrooms, programs, and schools of excellence \nso BPS can share these practices, trends and teaching pedagogy" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 12:\n \n \nSuperintendent’s Circular EL-07 \nPage 12 of 18 \n \ndistrict-wide. In addition, routine observations will allow the \nDistrict to identify schools and classrooms that need support for \ninstructional improvement and, in some cases, intervention at a \nschool, program, or classroom. The BPS monitoring system will \nensure that students with an ILP are attended to with specific \nlanguage goals. \n \nMONITORING OF ML INDIVIDUALIZED LEARNING PLANS (ILPS) \nMultilingual Learners that are not meeting targeted ACCESS \nprogress benchmarks indicated by MA DESE are required to have \nIndividual Learning Plans (ILP) (also known as a student success" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "plan) that track their language growth and academic progress. \nEach year, OMME will share guidance, the list of students who \nneed an ILP per DESE’s criteria, and the template document. \nLATFs will support the dissemination of information and these \nmaterials to teachers for completion. The ILPs should be \ncompleted by the student’s team of teachers, integrating how \nthe student will grow across content areas. The use of the WIDA \nframework and Can Do descriptors guide the BPS ILP document \nso that the goals within each language domain of where a \nstudent needs to grow to move to the next level on the English \nlanguage proficiency continuum are aligned with WIDA. A BPS" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "ILP sample template can be found here. \n \nWith the continued implementation of this policy, school leaders, \nLATFs and teachers are expected to: \n• Identify the areas in which identified MLs need" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 13:\n \n \nSuperintendent’s Circular EL-07 \nPage 13 of 18 \n \nimprovement and establish personalized goals for \nattaining English proficiency; \n• Assess and track the progress of MLs who did not meet \nbenchmarks in the identified areas in need of \nimprovement; \n• Review resources and services available to assist MLs in \nthe identified areas in need of improvement; and \n• Incorporate input from the parents or legal guardian of \nthe identified ML. \n \nOMME is developing a systemic approach to monitoring ILPs for \nML who have not met WIDA ACCESS Benchmarks as outlined \nbelow: \n• School leaders and LATFs will be notified and updated on \nthe percentage of ILP completion, and OMME will" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "the percentage of ILP completion, and OMME will \nmonitor progress towards 100% completion of ILP plan; \n• ILPs should be finalized for students by October 15, 2023; \n• Schools principals and LATFs with incomplete ILPs will be \nnotified by late October to follow-up; \n• Any remaining incomplete ILPs will be reflected on school \nEL plans; \n• OMME Equity and Accountability regional liaisons will \nwork with school superintendents to ensure ILP \ncompletion for ML identified in need of a plan. \n \nMONITORING OF INSTRUCTION \nBPS recognizes that rigorous, standards-based, culturally \naffirming instruction is critical to student outcomes in our" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 14:\n \n \nSuperintendent’s Circular EL-07 \nPage 14 of 18 \n \nhighest needs schools. The district will implement a consistent \nmonitoring system to ensure ESL and content instruction for \nMultilingual learners and those with Disabilities receive high-\nquality instruction and opportunities for accelerated learning \nacross Equitable MTSS tiers. \n● The Office of Multilingual and Multicultural Education \n(OMME) is increasing staffing and instructional support in \nSY23/24 to support school leaders and educators in meeting \nconsistent expectations for instructional practices for \nMultilingual Learners and those with disabilities. OMME \nmultilingual instructional coaches will work to align" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "instructional expectations from the district to classroom \nlevel with materials, role expectations, instructional \npractices, and coaching cycles. \n● OMME has adopted an updated MLs observation tool using \nthe Equitable Literacy Self Reflection Tool and Learning, \nLanguage and Literacy observation tool with embedded \npractices that meet grade level content expectations for \nMLs. The updated MLs observation tool will be utilized \ndistrict-wide to perform learning walks and observations \nacross all ESL and content classrooms where MLs are placed \nin order to assess the quality of teaching and learning for \nMultilingual learners with a focus on Culturally and" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Linguistically Sustaining Practices (CLSP). \n● BPS district teams and schools will use the updated MLs \nobservation tool replicated in Bullseye online platform for \nobservers to input observation records in order to collect \ndata, assess outcomes and monitor trends towards" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 15:\n \n \nSuperintendent’s Circular EL-07 \nPage 15 of 18 \n \nincreased instructional improvements. \n● All district staff, school leaders and other classroom \nobservers will be trained on the updated MLs observation \ntool via Bullseye online platform in order to implement \nacross the system and leverage as a consistent routine \nclassroom observation and monitoring tool. \n \nSCHOOL ACCOUNTABILITY \nThe following outlines the District’s expectations for school \nleaders and central office regarding a quality monitoring system \nfor ESL and content instruction for multilingual learners \nregardless of program or placement. It will ensure that we" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "monitor schools for high-quality ML teaching practices and \ncoherence across the district. OMME will add training for school \nleaders on ML instruction expectations and observation look-fors \nto better prepare them for appropriately evaluating and growing \neducators towards meeting proficient or exemplary status \nfollowing the MA DESE Classroom Teacher Rubric." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 16:\n \n \nSuperintendent’s Circular EL-07 \nPage 16 of 18 \n \nSchool leaders or assigned evaluators: \na) Once every two weeks, school leaders are expected to \ndo short observations (10-15 minutes) of all classrooms \nserving Multilingual Learners in the school. The school \nleaders should use the updated MLs observation tool to \ncollect observation notes and align to district \ninstructional vision. \nb) Within 48 hours of observations, school leaders should \nprovide the classroom leaders with a quick note \nincluding a positive practice observed and a noticing or \nwondering to improve instructional practices. \nResources aligned to expectations or improving" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Resources aligned to expectations or improving \ninstructional practices should be included with the \nnoticings or wonderings. \nc) If any concerns arise from the short observation, the \nschool leader should schedule an observation, \nincluding a one-on-one discussion with the teacher \nthat offers resources, support, or coaching if available. \nd) When a school leader observes consistent classroom \ninstruction below the expectations for teaching and \nlearning, the school leader must have a conversation \nwith the teacher and start the teacher improvement \nevaluation process. This should include expectations \nfor improvement and resources to support the growth \nof the classroom staff." + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 17:\n \n \nSuperintendent’s Circular EL-07 \nPage 17 of 18 \n \nDISTRICT ACCOUNTABILITY \nRegional School Superintendents and District Regional Support \nStaff (District Team): \na) Once a quarter, starting at the end of September, \nregional school superintendents and other district \nregional support staff will join school leaders to observe \nclassroom practices in classrooms serving Multilingual \nLearners. The team will use the updated MLs \nobservation tool to observe, record, and provide \nfeedback on classroom instructional practices to \nidentify trends and growth areas and monitor progress. \nb) Regional support staff conducting walkthroughs will" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "be expected to record their observations in the \ncentrally maintained Bullseye online platform. This will \nallow for district-wide analysis and monitoring of data \ntrends. Additionally, school leaders and district staff will \nbe able to monitor progress and share evidence to \nnorm and validate observations. \nc) Regional school superintendents and regional support \nstaff will debrief with school leaders on the day of the \nobservations and discuss highlights of classroom \ninstruction, how to grow pedagogically appropriate \ninstructional practices, identify which instructional \npractices need support, and support is provided. \nd) Every quarter, the district team will monitor trends for" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "evidence of improvement and areas of growth. The \ndistrict team will be expected to coordinate central" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "Page 18:\n \n \nSuperintendent’s Circular EL-07 \nPage 18 of 18 \n \noffice resources, including OMME coaches, and utilize \ndata to support the classroom and school’s needs \neffectively. \ne) School superintendents will work with school leaders \nwho have not demonstrated progress to develop an \naction plan for improving instruction with clear metrics \nthat include district support and will be reflected in \nfuture QSP and on school leader evaluation. \n \nFor more information about this circular, contact: \n \nOwner: \nDeputy Superintendent of Academics and Interim \nAssistant Superintendent of OMME \nDepartme\nnt: \nOffice of Multilingual and Multicultural Education \n(OMME) \nMailing \nAddress:" + }, + { + "folder_name": "English Learners", + "file_name": "EL-07 Instructional System & Monitoring for Multilingual Learners", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link", + "content": "(OMME) \nMailing \nAddress: \nBolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: \n617-635-9435 \nEmail: \nOMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nEL-06 \nVersion 01 \n \n \n \n1 \nINITIAL IDENTIFICATION AND ASSESSMENT OF \nMULTILINGUAL LEARNERS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to bring clarity and guidance \nregarding the initial identification and assessment of Multilingual \nLearners (MLs) in BPS. The district is obligated to appropriately \nassess and identify MLs as outlined in several key documents, \nincluding by the Massachusetts Department of Elementary and \nSecondary Education’s Guidance1, the Successor Settlement \nAgreement and META Consent Decree. To meet our obligations" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "to our MLs and their families, we must ensure that all BPS \nstudents are correctly assessed, identified, placed, and receive \nappropriate services. \n \n \n \n1 https://www.doe.mass.edu/ele/resources/id-assess-place-\nreclass.html" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular EL-06 \nPage 2 of 20 \n \nTABLE OF CONTENTS \n1. Assessment requirements \n2. Reason to suspect a student may be a Multilingual Learner \n3. Process to assess Students for Multilingual Learner status \nwho have an HLS of EEE \n4. K1 School-Based English Language Proficiency Assessment \nCalendar SY 2024 \n \n1. ASSESSMENT REQUIREMENTS \nUnder federal2 and state3 law, the Boston Public Schools (BPS) \nmust take appropriate steps to identify potential Multilingual \n \n2 Paragraph 28 of The Successor Agreement between the United \nStates of America and the Boston Public Schools and U.S. \nDepartment of Education (USDOE) and U.S. Department of" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Justice (USDOJ) EL policy document entitled Dear Colleague \nLetter, English Learner Students and Limited English Proficient \nparents/guardians (01/7/2015) (referred to as “Dear Colleague \nletter” hereafter) at \nhttp://www2.ed.gov/about/offices/list/ocr/letters/colleague-el-\n201501.pdf. \n3 Guidance on Placement, Progress Monitoring and \nReclassification Procedures of English Learners, Massachusetts \nDepartment of Elementary and Secondary Education, and G. L. C. \n71A; 603 CMR 14.02." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular EL-06 \nPage 3 of 20 \n \nLearners (MLs) in K2 through grade 12 and provide them with the \nappropriate English Learner services and supports. The initial \nidentification and assessment of Multilingual Learners follows the \nrequirements outlined in paragraphs 28-31 of the Successor \nSettlement Agreement: \nSuccessor Settlement Agreement Paragraph 28: \nA student must be referred for an English language proficiency \nassessment when the results of the Home Language Survey \n(HLS) indicate that a language other than English is: \n• The primary language used in the home, regardless of the \nlanguage spoken by the student" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "language spoken by the student \n• The language most often spoken by the student, and/or \n• The language that the student first acquired. \nIf the parent/guardian answered “yes” to one or more of the \nabove questions, the student is required to be assessed using the \ngrade-level, state-required language screening assessment. \nPlease refer to the MA Department of Elementary and Secondary \nEducation Guidance on the Initial Identification of English \nLearners for more information on identifying and evaluating ELs. \nThe Successor Agreement obligates the district to ensure that \nEnglish language proficiency (ELP) assessments shall be" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "accomplished as soon as possible, but no later than 20 days from \nthe student’s enrollment during the school year, or within 20 \ndays or by the first day of the new school year, whichever comes \nlater, if the student enrolls during the summer. During peak \nseasons, January 1 through March 15 and August 1 through \nOctober 31, ELP assessments shall be accomplished as soon as \npossible, but no later than 25 days. Parents/guardians shall be" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular EL-06 \nPage 4 of 20 \n \ninformed in writing of assessment results and student \nassignment options no later than 2 school days after the \ncompletion of the assessments. The Newcomers Assessment and \nCounseling Center provides written notice of the assessment \nscores and school choice options to the parent/guardian at the \nend of the assessment appointment. \nTABLE 1: The following table delineates the process of \nMultilingual Learner identification at the time of enrollment. It \nhighlights the departments’ roles and responsibilities and their \norder in Multilingual Learner identification. \nPlease note: Bolded action steps relate directly to English" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Learner identification and placement." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular EL-06 \nPage 5 of 20 \n \nDepartment \nAction Steps \nWelcome \nCenter \n1. Collect and verify documents (medical forms, \nresidency, birth date). \n2. Administer Home Language Survey (HLS) to all \nfamilies to identify potential Els. \n3. Score HLS and inform families of the result. \n4. Schedule an appointment at NACC if the HLS score is \nanything other than EEE. \n5. Assign an initial case number to the student. \nNewcomers \nAssessment \nand \nCounseling \nCenter \n(NACC) \n1. Interview families and collect information about \nstudents’ academic background. \n2. Assess K-12 students in English and determine the \ninitial ELD level." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "initial ELD level. \n3. Administer Native Language test to newcomer \nstudents in grades 3-12 in the major languages spoken \nin BPS if students indicate interrupted learning or \nlimited formal education. \n4. Inform families of their program options so that they \nfeel equipped to make the best choice for their child. \n5. Enter families' choices in SIS so BPS can begin the \nassignment process. \nEnrollment \nPlanning \nServices \n1. Approve case for assignment. \n2. Assign a BPS identification number to the case. \n3. Review the school choices and use the NACC \nplacement recommendations to assign the student to \na school. \n4. Maintain student assignment data." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "a school. \n4. Maintain student assignment data. \n5. Notify families by letter of their final assignment." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular EL-06 \nPage 6 of 20 \n \nPARENT NOTIFICATION AND COUNSELING \nAfter scoring the assessment, assessment specialists review all \navailable information (e.g., transcripts, IEP, 504 plans) collected \nfrom the parent/guardian during the intake interview to propose \na program recommendation. \nNext, testers sit with the parent/guardian to inform them, in the \nlanguage of their preference, of the results of the assessment. \nTesters use all available information collected during the \nlanguage testing appointment to counsel the parent/guardian \nabout EL programs and services (e.g., SEI, SLIFE, Dual Language," + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "etc.) that are appropriate for their child's proficiency level. After \ncounseling the families, testers enter scores into the student's \ncase record in Aspen SIS, which generates a list of schools with \nthe appropriate programs and services. The parent/guardian \nthen ranks schools on their choice list and signs the school \nselection form. The tester enters the parent/guardian’s rank order \nchoices into SIS, and the case is forwarded to the Welcome \nServices student assignment team. At the end of the visit, the \nfamily receives a copy of the documents (e.g. Notification of Initial \nAssessment Form they signed. \n2. REASON TO SUSPECT A STUDENT MAY BE AN ENGLISH \nLEARNER" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "LEARNER \nParagraph 28 of the Successor Settlement Agreement requires \nthe district to assess enrolling students whose Home Language \nSurvey does not indicate a language other than English in the \ncase that “there is any other reason to believe the student is not \nproficient in English.” The district has operationalized this \nrequirement as detailed in the tables in section 3." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular EL-06 \nPage 7 of 20 \n \n3. PROCESS TO ASSESS STUDENTS FOR ENGLISH LEARNER \nSTATUS WHO HAVE AN HLS OF EEE \nSome students may be suspected of being MLs but may not have \nbeen identified during enrollment because of an HLS score of \nEEE. The following table outlines the action steps necessary to \ndetermine if such a student is an ML. \nTABLE 2: Please see Table 2 for the process to assess students \nwho have an HLS of EEE and are suspected of being Multilingual \nLearners. \nDepartment \nAction Steps \nSchool \n1. Obtain written parent permission that they would \nlike to amend their HLS results in Aspen to indicate \nanother language is spoken at home and that they" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "another language is spoken at home and that they \nwould like their student tested for ELE services \nbefore administering testing. Parents must include \nthe updated home language on their request. \nParents must be informed that this change will \nresult in testing. \n2. Submit this request to the EL-CCR with a copy of the \nupdated letter of the home language survey to \nupload, or, if it is an email, please make sure the \nemail is one that is stored in Aspen in the contact \nsection. \n3. Attach the documentation to the EL-CCR form and \nforward these items to the Office of Multilingual and \nMulticultural Education at \nommeequityteam@bostonpublicschools.org." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular EL-06 \nPage 8 of 20 \n \nDepartment \nAction Steps \nOMME Equity \nand \nAccountability \n4. Review EL-CCR submission for a first language \nchange request and either approve or deny based \non meeting requirements for submission. \n5. Inform school of EL-CCR decision. \nSchool \n6. Wait for an approval email and for the HLS results to \nbe changed in Aspen. Please do not test the student \nuntil you have received approval from OMME. \n7. Test the student with the WIDA Screener. You must \nadminister the test to the student in person with a \ntrained test administrator. \n8. Enter the test results in Aspen under the language \ntab." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "tab. \n9. Submit another request to the EL-CCR for the \nstudent to have an ELD level and include the results \nof the test in the upload of documentation. \nOMME Equity \nand \nAccountability \n10. Review EL-CCR submission for a NEL to EL request \nand either approve or deny based on meeting \nrequirements for submission. \n11. Inform school of EL-CCR decision. \nSchool \n12. Schedule student for ELE services appropriate to \ntheir ELP. \n \nTABLE 3: The following table outlines the steps that must be \ntaken before assessing a student’s potential Multilingual Learner \nStatus based on their Home Language Survey Score." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular EL-06 \nPage 9 of 20 \n \nHLS Result \nProcedure \nOEE/EOE/E\nEO \nParent/ \nGuardian \nPermission \nRequired? \nYES: Welcome Center explains testing \nimplications of Home Language Survey results \nduring the enrollment process. \nAction \nSteps \n1. Student is identified as a potential ML \nupon registration via the Home Language \nSurvey at the Welcome Center. \n2. Student case is transferred to NACC \nwhere the family is interviewed and \nstudent is assessed. \n3. Student is assigned. \n4. Student receives ACCESS testing annually \nuntil they meet exit criteria. \nOEE/EOE/E\nEO \n \nBut \nstudent \ntested \nproficient \nduring \ntesting at \nthe time of \nenrollment \nParent/" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "testing at \nthe time of \nenrollment \nParent/ \nGuardian \nPermission \nRequired? \nYES: Schools must contact the parent/guardian \nand inform them they have concerns based on \nevidence (i.e., academic performance, test \nresults) and want to assess their student. The \nschool must document all meetings and \ninformation shared with parents and include \nthem in the ELD folder. \nAction \nSteps \n1. Parent/guardian(s) must put in writing \nthat they would like to have their student \nreassessed. Please inform the parent that \nthis may lead to their student being \nidentified as a Multilingual Learner (ML) \nwhich will result in EL services being \nrequired and an annual ACCESS" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular EL-06 \nPage 10 of 20 \n \nHLS Result \nProcedure \nassessment. \n2. If the parent/guardian(s) agree, test the \nstudent with the appropriate WIDA \nassessment. You must administer the test \nto the student in person with a trained \ntest administrator. \n3. Enter the test results in Aspen under the \nLEP Testing Template. Contact NACC with \nquestions about the LEP Testing \nTemplate. \n4. Submit a request to the EL-CCR for the \nstudent to have a NEL to EL change, and \ninclude the parent’s documentation, \nschool documentation, and results of the \ntest in the upload of documentation. \n \nTABLE 4: The following table outlines which test a trained test" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "administrator should administer to a student who may be a \npotential Multilingual Learner. \nPlease note: A grade level begins on July 1st of the summer \nbefore entering a grade and ends on June 30th of the year of \ncompleting that grade." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular EL-06 \nPage 11 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nK1 \nWIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nCurrently enrolled K1 students are \ntested annually beginning April 15 for \nK2 seats in the upcoming school year. \nK2 \nFirst half of \nthe school \nyear \n \nWIDA Screener \nfor Kindergarten \n(2 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \nK2 \nSecond half" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "K2 \nSecond half \nof the school \nyear (from \nTuesday \nafter MLK \nday) \nWIDA Screener \nfor Kindergarten \n(4 domains) \n \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment \n1 \nFirst half of \nthe school \nyear (until \nFriday \nBefore MLK \nWIDA Screener \nfor Kindergarten \n(4 domains) \nTeachers currently certified in WIDA \nScreener for Kindergarten (include TIII \nParent Notification of Initial \nIdentification) \nOR \nNACC by request and with appointment" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular EL-06 \nPage 12 of 20 \n \nStudent \nGrade Level \nCorrect Screener \nTest \nWho Can Administer \nDay) \n1 \nSecond half \nof the school \nyear \n(from \nTuesday \nafter MLK \nDay) \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR \nNACC by request and with appointment \n3-12 \nWith 1 or 2 \nyears in \ndistrict \nWIDA Screener \nOnline & Native \nLanguage \nAssessment \nNACC only \n3-12 \nWith 3 or \nmore years \nin district \nWIDA Screener \nOnline \nTeachers currently certified in WIDA \nScreener Online (include TIII Parent \nNotification of Initial Identification) \nOR" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Notification of Initial Identification) \nOR \nNACC by request and with appointment" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular EL-06 \nPage 13 of 20 \n \nTABLE 5: The following table outlines when ACCESS Testing is \nappropriate for Multilingual Learners. \nStudent Details \nAdminister ACCESS Test? \nA student is a suspected ML but has not \nbeen confirmed as a Multilingual \nLearner. \nNo. Do not administer ACCESS. \nInstead, follow the steps to \nconfirm a suspected EL outlined \nin Table 1. \nA student is a confirmed ML based on \nthe correct screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nYes. Administer ACCESS. \nA student is a confirmed ML based on \nthe correct screener test BUT has opted \nout of some or all English Learner" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "out of some or all English Learner \nservices. (Steps for identifying correct \nscreener test outlined in Table 2). \nYes. Administer ACCESS. \nA student scored Proficient on the \ncorrect screener test. (Steps for \nidentifying correct screener test \noutlined in Table 2). \nNo. Do not administer ACCESS. \n A student scored Proficient on ACCESS \nthe previous year \nNo. Do not administer ACCESS." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular EL-06 \nPage 14 of 20 \n \n4. K1 SCHOOL-BASED ENGLISH LANGUAGE PROFICIENCY \nASSESSMENT CALENDAR SY 2024 \nEvery year, school-based designated testers assess approximately \n1,300 K1 students under the training and guidance of NACC. To \nensure that all K1 students identified as Multilingual Learners \n(MLs) receive the related services and programs in SY 2023-2024, \nwe ask schools to carefully review, prepare for, and adhere to the \nassessment calendar below. \nTABLE 6: \nAction Steps \nInstructions \nDate(s) \nSTEP 1 \nConvene Language \nAssessment Team \nSchool staff should review their K1 roster \nto start developing their assessment \nschedule:" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "to start developing their assessment \nschedule: \nFollowing NACC training, schools will \nreceive a list of students that need to be \nassessed. Schools should carefully review \nthis list. \nIf a school suspects a student should be \non the list to be assessed because a \nlanguage other than English is spoken in \nthe home, the LAT should convene to \ndetermine if the student is eligible for \ntesting. Contact NACC and the OMME \nInstruction Team if you have any \nquestions about this. \nAlthough explicit parental consent is not \n03/01/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular EL-06 \nPage 15 of 20 \n \nAction Steps \nInstructions \nDate(s) \nrequired, schools should meet with \nparents/guardians to discuss concerns \nand inform them of the plan to assess \nstudents with the grade level required \nlanguage screener (WIDA screener for \nK1). This communication allows the \nfamilies to have meaningful access to \ntheir child’s education. \nSTEP 2 \nIdentify designated \ntesters \nThe principal identifies the staff \nmembers who will administer the \nEnglish language proficiency \nassessment. School leader should submit \nthe name of the school-based \ndesignated tester on this form. \nThe designated testers should be" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "The designated testers should be \nlicensed teachers or licensed staff \nmembers who are experienced EL \neducators. \nIt is recommended that schools select \ntheir Language Acquisition Team \nfacilitators (LAT-F), ESL teachers, and K1 \nteachers familiar with the students as the \ndesignated testers. \nBeginning April 15th, school leaders \nprovide 3 hours for K1 designated testers \nto watch the WIDA Screener for \n03/01/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular EL-06 \nPage 16 of 20 \n \nAction Steps \nInstructions \nDate(s) \nKindergarten training course and take all \nthe required Quizzes on the WIDA Secure \nPortal before they come to overview \nsessions. (3 hours could be during their \ncommon planning time, school-based PD \ntime, etc.) Designated testers should use \nthe following Google Form link to submit \ntheir SY 2024 WIDA Certificates: Google \nForm. \nSchools with K1 programs should \ndesignate testers for a test \nadministration overview session. \nDesignated testers will receive a \nregistration link for an overview session \nno later than Tuesday, April 2, 2024. \nSTEP 3 \nAttend training \nsession" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "STEP 3 \nAttend training \nsession \nSchools must allocate time for the \ndesignated testers to attend one of the \nK1 test administration overview sessions. \nAll test administration overview sessions \nwill take place online. \nTraining is designed to support new and \nexperienced testers. \n04/2/24 & \n04/03/23" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular EL-06 \nPage 17 of 20 \n \nAction Steps \nInstructions \nDate(s) \nSTEP 4 \nPick up materials \nDesignated testers should pick up the \ntesting materials after the overview \nsession at NACC in the Bolling Building. \n04/04/24-\n04/09/23 \n \nSTEP 5 \nAssess identified K1 \nstudents \nDesignated testers assess all identified K1 \nstudents with the corresponding English \nlanguage proficiency assessment. \nOnly testers who attend the training \nsessions in April can administer the \nEnglish language proficiency \nassessments. \nTo ensure appropriate test \nadministration, designated testers \ncannot transfer assessment \nresponsibilities or “deputize” educators" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "responsibilities or “deputize” educators \nwho have not attended a SY 2024 \ntraining session. \nStudents with disabilities should be \ntested according to their IEP \naccommodations. Copies of the IEP \naccommodations should be attached to \nthe students’ test booklets and \nforwarded to NACC no later than Friday, \nMay 10, 2024. \nTo ensure that students receive the \n05/10/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular EL-06 \nPage 18 of 20 \n \nAction Steps \nInstructions \nDate(s) \nappropriate placements for the 2024-\n2025 school year, K1 English language \nproficiency assessments must be \ncompleted no later than Friday, May 10, \n2024. \nSTEP 6 \nLAT-F input test \nresults, return test \nanswer booklets and \nrequested \ndocuments \nLAT-F input results of English language \nproficiency assessments into Aspen SIS \nto ensure the initial ELD level and test \nresults become a part of the student’s \nassessment record. All test results must \nbe entered into Aspen SIS by Friday, May \n10, 2024. \nSchools must keep copies of the test \nanswer sheets and a hard copy of the" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "answer sheets and a hard copy of the \nWIDA Score Report in the students’ ELD \nfolders. \nIf a student was screened and found NOT \nto be an EL, the school should keep the \ntest answer sheet and the WIDA Score \nReport in the student’s cumulative folder. \nSchools must return all original test \nanswer booklets and all requested \ndocuments to NACC no later than Friday, \nMay 10, 2024 so that OMME can review \nthe data before submitting final test \n05/10/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular EL-06 \nPage 19 of 20 \n \nAction Steps \nInstructions \nDate(s) \nscores to OIIT. \nSTEP 7 \n \nData Validation \nOMME will review assessment samples \nfor data validation. \nOMME will inform LATFs of any errors in \nassessment scoring. Schools will be able \nto see any updates to their data in Aspen \nSIS after May 17, 2024. \n05/17/24 \nSTEP 8 \n \nParent Notification \nLetter \nLAT-Fs will inform the parent/guardian of \ntheir student’s assessment results via the \nParent Notification Letter in the parent’s \npreferred language within two weeks \nafter the assessment data is confirmed in \nAspen SIS. \nFile a signed copy of the letter in the \nstudent’s ELD folder." + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "student’s ELD folder. \n05/31/2024 \nSTEP 9 \n \nK1 students \nassigned after \n05/10/24 \n \nAfter the testing window closes on May \n10, 2024, schools must continue to assess \nall newly assigned K1 students whose \nHLS indicates any language other than \nEnglish. \nThe designated tester must borrow a \ncopy of the Kindergarten Screener for \ntesting K1 students from NACC. \n06/14/24" + }, + { + "folder_name": "English Learners", + "file_name": "EL-06 Initial Identification and Assessment of Multilingual Learners", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular EL-06 \nPage 20 of 20 \n \nAction Steps \nInstructions \nDate(s) \nDesignated testers should follow the \ninstructions in Step 4 and Step 5. \n \n \nFor more information about this circular, contact: \nOwner: \nNACC Director \nDepartment: \nOffice of Multilingual and Multicultural \nEducation \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n617-635-1565 \nEmail: \nnacc@bostonpublicschools.org \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nCAO-07 \nVersion 01 \n \n \n \nMASSCORE GRADUATION REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has a priority to create policies and \npractices that support the preparation of every student to be \ncollege, career, and life ready while removing barriers that \nprevent students from graduating from BPS. Accordingly, it is \nimperative that BPS utilize standards-aligned graduation \nrequirements across the district that will promote and ensure \nrigor and excellence in our schools, resulting in the elimination of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "opportunity and achievement gaps and ensuring that every \nstudent graduates prepared for life after high school. \nApproved by the Boston School Committee in May of 2021, \nBoston Public Schools (BPS) adopted the MassCore Course of \nStudy as its graduation requirement for all students in the \ndistrict. The requirements will begin for students entering 9th \ngrade in School Year 2022-2023 (SY22-23), with full \nimplementation by the start of SY25-26. This circular outlines the \ndetails of graduation course requirements, alignment to DESE \nstandards and state graduation requirements, and the course \nwaiver process. \nGRADUATION REQUIREMENTS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "waiver process. \nGRADUATION REQUIREMENTS \nBeginning with grade 9 in SY23-24, the following credits in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Page 2:\nSuperintendent’s Circular CAO-07 \nPage 2 of 6 \n \n \nvarious content categories are required for graduation from BPS. \nThe table below visually represents the course requirements for \ngraduation: \nMassCore Framework \nMassachusetts High School Program of Studies \nContent \nCategory \nUnits \nNotes \nEnglish \nLanguage Arts \n4 Units \nESL courses for students designated as ELD 1, 2 \nor 3 will count toward ELA credits \nMathematics \n4 Units \nIncluding completion of Algebra II or \nIntegrated Mathematics III. A mathematics \ncourse during senior year is recommended for \nall students. \nScience \n3 Units \nof lab-\nbased \nscience \nCoursework in technology/engineering courses" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Coursework in technology/engineering courses \nmay also count for MassCore science credit. \nHistory and \nSocial Science \n3 Units \nIncluding U.S. History and World History and \none additional core or MassCore elective. \n \nInclusion of an Ethnic Studies course is strongly \nencouraged. \nForeign \nLanguage \n2 Units \nBoth units must be in the same language." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Page 3:\nSuperintendent’s Circular CAO-07 \nPage 3 of 6 \n \n \nPhysical \nEducation \n1 unit, as \nrequired \nby law \nStudents will have one quarter course (or its \nequivalent) of PE per year or an equivalent. \n \nArts \n1 Unit \nStudents will have one quarter course (or its \nequivalent) of Art per year or a cumulative unit. \nAdditional \nCore Courses \n5 Units \nInclusive of PE (1 credit) plus four additional \ncourses. Other additional coursework \n(including Health Education* & Career and \nTechnical Education) or any of the above. \n*Health Education: The BPS Wellness Policy requires 1 semester \n(at least ¼ course equivalent) of Health Education in high \nschool. \nSTATE GRADUATION REQUIREMENTS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "school. \nSTATE GRADUATION REQUIREMENTS \nThe policy does not and will not replace state laws and DESE \nregulations pertaining to high school graduation. These \nadditional requirements include, but are not limited to: \n• Action Civics Projects required by Chapter 296 of the Acts of \n2018, An Act to promote and enhance civic engagement. \n• Earning a “competency determination” [passing scores on \nthe Grade 10 English language arts and mathematics and \nhigh school level science and technology/engineering \nMassachusetts Comprehensive Assessment System (MCAS) \ntests]. For students who do not pass an MCAS test, \neducators develop an Educational Proficiency Plan (EPP) for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "the subject(s). Students need to meet course requirements \nfor their EPP in addition to meeting MassCore requirements." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Page 4:\nSuperintendent’s Circular CAO-07 \nPage 4 of 6 \n \n \nSUBSTITUTIONS \nThe following substitutions may be used to meet graduation \nrequirements without an additional waiver: \nPhysical Education \nMassCore reflects the legal requirement that physical education \nbe taught as a required subject in all grades. The BPS Wellness \nPolicy requires all schools to offer high quality physical education \nfor students in all grades. Under some circumstances, students \ncan meet the requirement through an approved organized \nprogram of instructional physical activity, including but not \nlimited to: participation in interscholastic athletics, skating," + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "hockey, dance, yoga, martial arts, capoeira, or swimming; and any \nphysical activity through school based or community programs, \nor independent study. Substitutions and independent study \nopportunities must be approved by the Office of Health and \nWellness. \nComputer Science \nStudents may substitute one unit of Computer Science (AP \nComputer Science Principles, Computer Science Principles, or \nExploring Computer Science) that includes rigorous \nmathematical concepts and aligns with the Digital Literacy and \nComputer Science standards for a mathematics course. \nHumanities Course \nDouble-blocked Humanities courses may count toward 1 ELA" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "credit and 1 History credit. One period Humanities courses count \nas 1 History credit and cannot be used toward ELA credit." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Page 5:\nSuperintendent’s Circular CAO-07 \nPage 5 of 6 \n \n \nCareer and Technical Education \nStudents enrolled in a DESE approved Chapter 74 program can \nfulfill MassCore requirements without fulfilling arts and world \nlanguage requirements. While arts and world language \nrequirements may be waived, students are strongly encouraged \nto take these courses to comply with college admission \nrequirements. \nCredit for Courses in Grades 7 and 8 \nStudents will be able to apply high school credits for high school \nlevel courses completed successfully in 7th or 8th grade. \nWorld Language Competency \nMultilingual learners may earn up to two World Language credits" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "for demonstrated competency in their native language by \nachieving Intermediate Mid Level of language proficiency on the \nAVANT Stamp Assessment. The AVANT Stamp administration will \nbe administered at the BPS Welcome Center in the fall and \nspring of each year. Students scoring at the Intermediate High \nLevel of language proficiency can utilize the assessment results \ntowards attainment of the MA State Seal of Biliteracy upon \ngraduation if they also meet the minimum criteria for English \nlanguage proficiency set forth by the Massachusetts Department \nof Elementary and Secondary Education. \nCourse Waiver Process \nSchools may seek additional waivers for individual students or \ncourses." + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Page 6:\nSuperintendent’s Circular CAO-07 \nPage 6 of 6 \n \n \nIMPLEMENTATION \n• Each school will collaborate with the Academics team on \nensuring alignment of its course schedule with MassCore \nrequirements. \n• All 9th grade students should follow the recommended \ncourse sequence and must take at least a quarter of physical \neducation in SY23-24. \n• Schools should work with districts on ensuring they have \nthe proper staffing model to meet MassCore requirements, \nespecially for students in grade 9. \n \nFor more information about this circular, contact: \nOwner: \nElementary Superintendent \nDepartment: \nAcademics and Professional Learning \nMailing Address:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-07 Graduation Requirements", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo", + "content": "Mailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n617-635-6053 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-03 \nVersion 01 \n \nTEXTBOOK MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nSchool Committee policy and state law recognize the student's \nright to use textbooks, on a loan basis, without charge. As a \npublic school system, we have a responsibility to supply our \nstudents with the textbooks and other materials they need for \nschool use. Accordingly, School Committee policy states that \"no \nstudent should be required to furnish or pay for any books or \nother materials for school use, with the exception of materials \nused for certain practical arts projects that result in items that" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "belong to the student after the project's completion.\" \nSchool Committee policy and state law also recognize the \nstudent's responsibility to use and not abuse or lose these same \ntextbooks and materials. School Committee policy states that \n\"students will be required to pay for textbooks and other school-\nowned materials that they lose or damage\" (ref. Student Fees, \nFines and Charges - Policy File). Under Massachusetts law, the \nsums recovered from pupils in the public schools for loss of \nschoolbooks … may be used by the School Committee for the \nreplacement of such books or materials ... (M.G.L. c.44, §53). \nAs school leaders and teachers, we are concerned that resources" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "be maximized and not misused. Instructional material costs are \nsignificant. It is important that school leaders, teachers, students," + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 2:\nSuperintendent’s Circular CAO-03 \nPage 2 of 12 \n \nand parents understand and adhere to our policies and \nprocedures for the care of textbooks and other instructional \nmaterials. The following guidelines, based on long-standing \nSchool Committee policy, have been established and should be \nfollowed for the lending of books to pupils. \nPREPARATION, STORAGE, AND CONTROL OF TEXTBOOKS \n● All textbooks and library books shall be numbered and an \ninventory maintained by the school leader. School \nCommittee policy requires that \"Heads of school/principals \nwill be responsible for and will keep complete records of all \nbooks... and other instructional materials furnished to their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "schools.\" The inventory should include: \n○ Title of book \n○ Author \n○ Publisher and year of publication \n○ Date of purchase (for all books purchased for SY21 and \nbeyond) \n○ Class subject for which it is used (textbooks) \n○ Name of teachers to whom the textbooks are issued \n(textbooks) \n● All textbooks should be stamped with the school name on \nthe inside of the front cover. Each textbook should be \nnumbered and recorded on the inside of the front cover. \n● All textbooks shall be stored in secure rooms, lockers, or \ncabinets. Principals/heads of school or their designees shall \nensure that a record is maintained of every textbook that is \nremoved from storage." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "removed from storage. \n● Principals/heads of school shall ensure that teachers \nmaintain an inventory of textbooks that includes the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 3:\nSuperintendent’s Circular CAO-03 \nPage 3 of 12 \n \ncondition of the text and who it is assigned to for each \nquarter, trimester, semester, or year. \n● Principals/heads of school should work with teachers, \nstudents, and parents to raise their awareness of the \nimportance of caring for and replacing textbooks. The Guide \nto the Boston Public Schools for Families and Students \nreferences this information. School-based rules should \noutline the rules and responsibilities for using textbooks and \nthe penalties for violations. \nTEACHER’S RESPONSIBILITY \n● Teachers should maintain a record of the title, the textbook \nnumber, and the name of the pupil to whom each textbook" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "is lent and should check periodically that students have the \ntextbook assigned. Librarians must establish and maintain \nan appropriate inventory control system and loan procedure \nfor all library books, materials and equipment assigned to \nthe school library. \n● Teachers should encourage students in the proper care, \nincluding covering, of loaned textbooks. \nSTUDENT’S RESPONSIBILITY \n● The book is to be returned to the principal of the school or \nto the teacher authorized to receive it at any time required \nby them and in as good condition as when received, \nallowance being made for the wear and damage caused by \ncareful use. \n● If lost or damaged by carelessness or accident beyond what" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "may be reasonably allowed, the book is to be replaced by" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 4:\nSuperintendent’s Circular CAO-03 \nPage 4 of 12 \n \nthe pupil to whom it is loaned and as required by the School \nCommittee. \n● Written notice of any previous defacement is required when \nthe book is received. \n● Damage by marking, tearing, etc. is not allowed. \n● Students who transfer within the Boston Public Schools or \nwho leave the school system shall return all textbooks and \nlibrary books to the schools that loaned the books. \nPrincipals/heads of school should notify appropriate staff \n(e.g., registrars, guidance counselors) to make a note on the \nappropriate sign-out forms of any student leaving school \nwho has not paid the replacement costs of lost or damaged" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "books. High school seniors should not be allowed to sign out \non the last day for seniors (i.e., day 170) without returning or \nmaking restitution for a lost or damaged book. A copy of \nany open account form should be retained in the temporary \nrecord of any student who does not pay the replacement \ncost of a damaged or lost book. \n● Students who transfer within the Boston Public Schools \nshould not be loaned textbooks or library books in their \nreceiving schools until they have returned or arranged to \nreplace all their books from their sending school. \nPARENT RESPONSIBILITY \n● Parents should be informed of textbook loan and/or library" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "book loan conditions at the beginning of the school year. \nNotification should be made in the form of a letter to \nparents in the language of the home and in any newsletters \nsent home to parents at the start of the school year." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 5:\nSuperintendent’s Circular CAO-03 \nPage 5 of 12 \n \n● Parents of students who lose or damage textbooks and/or \nlibrary books should be informed by the principal/head of \nschool, in writing, within 30 days of learning of the \nloss/damage and the cost of replacement. \nREPLACEMENT OF TEXTBOOKS \n● If a student damages or loses a textbook and/or a library \nbook and the student and parent refuses to make \nrestitution, a replacement book must be made available for \nclassroom or library use. However, restrictions may be \nimposed (e.g., students may use text only during class but \nmay not take the text out of the classroom). \n● If a student damages or loses a textbook or library book and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "the student and parent continue to refuse to make \nrestitution by the start of the following school years, the \nstudent will be subject to penalties under school-based \nrules. \n● With respect to penalties for students who do not pay the \nreplacement costs of lost or damaged books, \nprincipals/heads of school should involve the School Site \nCouncil in establishing school-based rules and \ncorresponding penalties. These penalties might include but \nnot be limited to prohibiting the student from attending \ncertain school activities not related to the instructional \nprogram. Before any penalty is imposed, the principal/head \nof school must provide advance written notice to the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "student and their parents/guardians. The written notice \nmust provide the student and their parents/guardians with \nan opportunity to remedy the situation prior to actual \nimposition of the penalty." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 6:\nSuperintendent’s Circular CAO-03 \nPage 6 of 12 \n \n● An appeals process should be provided to address issues \nsuch as claims of “hardship” or improper assessment of \ndamages (e.g., the loss or damage of a book which is not the \nresult of the student’s negligence, parent has proof that \npayment was made, etc.). All appeals should be heard by the \nprincipal/head of school, who should issue a written \ndecision, a copy of which should be forwarded to the parent \nand a copy of which should be filed in the student’s \ntemporary record. In addition, flexibility in the method of \npayment should be offered (e.g., school service projects" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "being performed by the student in lieu of dollar payment is \none possibility). \n● All funds collected for lost or damaged textbooks and/or \nlibrary books should be forwarded by principals/heads of \nschool to the business manager for deposit in a revolving \naccount for the purchase of replacement textbooks. The \nbusiness manager will allocate the revolving account book \nfunds, giving priority to the schools that collected money for \nlost/damaged books. \nTEXTBOOK INVENTORY AND REPLACEMENT PLANS \n● Before budget collaborative, principals/heads of school shall \nestimate their textbook needs for the following school year, \nbased on textbooks checks and on projected student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "enrollment and shall develop a textbook replacement plan. \nInstructional Leadership Teams and School Site Councils \nshould be involved in the development of the replacement \nplan. Replacement books should be ordered by individual \nschools. Texts that are part of curriculum adoption of BPS-\nrecommended curricula or those that will be used in new \nclassrooms will be purchased by central office." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 7:\nSuperintendent’s Circular CAO-03 \nPage 7 of 12 \n \n● In June, at the end of the school year, principals/heads of \nschool shall conduct a thorough inventory of textbooks. \n● Principals/heads of school shall maintain a record of every \nstudent who does not arrange to replace textbooks that are \nlost or damaged. The record should include the book receipt \nsigned by the student when the book was loaned. \nSummary of significant dates and deadlines: \nDate \nActivity \nBy the end of the 2nd \nweek of school \nPrincipals/heads of school send letters \nto families regarding district textbook \npolicy." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 8:\nSuperintendent’s Circular CAO-03 \nPage 8 of 12 \n \nFor more information about this circular, contact: \nOwner: \nChief of Teaching and Learning \nDepartment: \nOffice of Teaching & Learning \nMailing Address: \n2300 Washington St., Boston, MA 02119 \nPhone: \n617-635-9000 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 9:\nSuperintendent’s Circular CAO-03 \nPage 9 of 12 \n \nATTACHMENT 1 \n \nDear Parent/Guardian: \nAs the new school year begins and we loan textbooks and other \nresource materials to our students, I would like to ask for the help \nof all parents. We need your help if we are to reduce the number \nof lost and damaged books. Textbooks are very expensive today, \nmany costing as much as $60.00 each. We have worked hard \nover the past two years to update and replace our books. As a \nresult, most of our textbooks are less than five years old and are \nin good condition. \nSome subjects or courses may not use a textbook; instead, they" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "use reference books, original source documents, and/or library \nresearch materials. \nPlease work with your child and with us to keep our books in \ngood condition. I ask that you remind your child of the following: \n● All textbooks and library books are the property of the \nBoston Public Schools and are loaned for the use of \nstudents while they are enrolled. \n● All textbooks and library books used for classroom work and \nhomework should be respected and returned in good \ncondition. \n● Students/parents are accountable for books and must pay \nfor the replacement of lost or damaged books." + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 10:\nSuperintendent’s Circular CAO-03 \nPage 10 of 12 \n \n● All textbooks that are taken home by students should be \ncovered. \nAll materials used to support classroom instruction, all textbooks, \nlibrary books and resource materials should be cared for so that \nthey can be used by other students in the future. I appreciate \nyour assistance and cooperation in this effort and thank you for \nyour help. \nOur best wishes to you and your child for a successful school \nyear. \nSincerely yours, \n \n \n \nPrincipal/Head of School \n \n \nSchool" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 11:\nSuperintendent’s Circular CAO-03 \nPage 11 of 12 \n \nFile: EDB-R \n \nMAINTENANCE AND CONTROL OF MATERIALS AND \nEQUIPMENT \nHeads of school/principals will be responsible for and will keep \ncomplete records of all books, globes, maps, charts, apparatus \nand computers, and other state-of-the-art instructional materials \nfurnished to their schools. \n \nApproved prior to 1988. \nPolicy Manual, School Committee of the City of Boston" + }, + { + "folder_name": "Academics", + "file_name": "CAO-03 Textbook Management", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO", + "content": "Page 12:\nSuperintendent’s Circular CAO-03 \nPage 12 of 12 \n \n \nFORM 134 \nBoston Public Schools \nPUPIL'S BOOK RECEIPT \nDate: \n \nSubject: \n \nTeacher: \n \nReceived: \n \nNumber: \n \nI promise to return in good order or replace with a new one. \nRoom: _____________ \nPupil's Signature: \n \nForm 134 9/98" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nCAO-05 \nVersion 01 \n \nSERVICES FOR MULTILINGUAL LEARNER STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Office of Multilingual and Multicultural Education has \ngenerated this circular to provide an overview of the operational \nand instructional expectations to effectively service the needs of \nMultilingual Learners (ML), Former English Learners FEL), and \nother subgroups within this student population. All BPS staff are \nexpected to be familiar with the information contained in this \ncircular and to meaningfully incorporate it into their day-to-day" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "work as part of the district’s work to respect the rights of our \nstudents and families and comply with all related federal and \nstate regulatory requirements. \nThe following actions are recommended for school leaders and \ntheir team to review in this circular: \n1. Schedule a dialogue with members of your school’s \nInstructional Leadership Team (ILT) and Language \nAssessment Team (LATF) around the items shared in this \ndocument to ensure all key stakeholders are aware of their \nresponsibilities. \n2. Using the LATF calendar, identify relevant information to be \nreviewed monthly by the school leader and other leaders in \nyour school who can support this work." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 2:\nSuperintendent’s Circular CAO-05 \nPage 2 of 36 \n \n3. Work with your LATF to audit your school’s scheduling data \nin Aspen SIS to assure that every EL is appropriately \nscheduled for all English Learner Education (ELE) services \nand special education services for MLs with disabilities. \nPlease Note: We will use the term “Multilingual Learner” to \ndescribe our students who enter BPS with or who are in the \nprocess of learning one or more languages. However, we will \ncontinue to use the terms “English Learner” (EL) and “Former \nEnglish Learner” when referring to state and federally defined \nlegal rights/services. \nTABLE OF CONTENTS \n1. Overview of Policies and Legal Responsibility" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "2. ELE Service Compliance Reporting \n3. English Learner Education (ELE) Program Models \n3A. District-Wide ELE Program Requirements \n3B.BPS Formally Designated Program for ELs Descriptions \n3C. Special Notices about ELE Programs in BPS \n4. ESL Services and Teacher Qualifications Compliance \nInformation \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \n4B. ESL Instructional Types, Requirements, and \nRecommendations \n4C. ESL Instructional Grouping Requirements \n4D. Educator Licensure and Endorsement Requirements \n5. SY23-24 ESL Service Delivery Determination Guidance" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 3:\nSuperintendent’s Circular CAO-05 \nPage 3 of 36 \n \n1. OVERVIEW OF POLICIES AND LEGAL RESPONSIBILITY \nUnder Massachusetts General Laws Chapter 71A, all Boston \nPublic Schools with an English Learner student assigned and \nenrolled are obligated to offer an English Learner Education (ELE) \nprogram. Under Massachusetts Department of Elementary and \nSecondary Education guidance, an ELE program consists of both \nSheltered English Immersion (SEI) core content and explicit ESL \ninstruction appropriate for the student’s English Language \nDevelopment (ELD) level. Please note that under Section 6 of this \nChapter, “any school district employee… may be held personally" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "liable” for not providing students with access to EL programming. \nThe following are additional legal regulations and guidelines that \npertain to Multilingual Learner Education offered in BPS and ELE \nservice requirements for students attending BPS: \n► Resource: The DOJ Successor Settlement Agreement \n► Resource: The META Consent Decree \n► Resource: The LOOK Act \n► Resource: The BPS Systemic Improvement Plan (SIP) \n2. ELE SERVICE COMPLIANCE REPORTING \nThe Office of Multilingual and Multicultural Education submits a \nseries of reports each year on the compliance of Multilingual \nLearner Education offered in BPS and ELE service requirements" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "for students attending BPS in accordance with the DOJ \nSuccessor Settlement Agreement. Described below is the \nreporting cycle of Paragraph 54, one of the key reports that \nschools are accountable for throughout the school year." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 4:\nSuperintendent’s Circular CAO-05 \nPage 4 of 36 \n \nFor each cycle of this report (October, December, and March), \nBPS reviews the following quality indicators for ELE services in \naccordance with Paragraph 54 of The Successor’s Agreement: \n1. Teacher Qualifications: Are teachers qualified to provide \nservices to ML students in their ESL and SEI or bilingual core \ncontent classes? \n2. ESL Instruction Type: Are ML students assigned to the right \ncourses per their program code and receiving daily ESL \nservices with the appropriate ESL instructional model/type \n(e.g., push in, pull out, or embedded ESL in grade-level \nEnglish Language Arts (ELS), etc.)?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "English Language Arts (ELS), etc.)? \n3. ESL Minutes: Are ML students receiving the right amount of \nESL instructional time for their ELD level? \n4. ESL Grouping: Are ML (ELD 1-5) students appropriately \ngrouped for ESL? \n \nTo support the district’s compliance with the \nabove ELE service requirements and ensure \nthe accuracy of the reporting data, schools \nare expected to review and update ELE \nservice data in Aspen SIS at the beginning of \neach school year, and regularly thereafter in \npreparation for the reporting cycle deadlines \n(October, December, and March), as well as \nas needed upon changes in student enrollment or staffing \nchanges." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "changes. \n► Resource: Consult The Aspen SIS Guide for Recording ESL \nMinutes, Instruction Type, and Teacher (Updated Nov 2023) \nfor detailed directions on entering ELE compliance data in \nAspen." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 5:\nSuperintendent’s Circular CAO-05 \nPage 5 of 36 \n \n► Resource: Consult The DOJ Reporting Schedule with \nDescription for a full list of required DOJ reports. \n► Resource: Consult CAO-5 Cheat Sheet for a quick and simple \noutline of ESL compliance. \n► Resource: Consult K-12 Sheltered English Immersion (SEI) \nScheduling and Service Delivery for detailed ESL scheduling \nsuggestions and guidance. COMING SOON \n► \n \n3. ENGLISH LEARNER EDUCATION (ELE) PROGRAM MODELS \n3A. District-Wide ELE Program Requirements \nRegardless of an EL student being placed in a formally \ndesignated program for ELs, all BPS schools must comply with \nthe following requirements for ELE service:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "the following requirements for ELE service: \n1. Castañeda’s Three-Pronged Test for Educationally \nSound ELE Programs \n2. Providing an equitable curricular and educational \nexperience for MLs \n3. Access to a Sheltered English Immersion Program \nEach of these three requirements are described in detail below: \nCastañeda’s Three-Pronged Test for Educationally Sound ELE \nPrograms \nAll ELE program models implemented in BPS are required by \nDESE to meet “Castañeda’s Three-Pronged Test,” as defined by \nthe following components: \n1. The program is based on a sound educational theory or on \nresearch \n2. The program is implemented with adequate and \nappropriate resources" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 6:\nSuperintendent’s Circular CAO-05 \nPage 6 of 36 \n \n3. The program has resulted in demonstrable academic \noutcomes for ELs. \n► Resource: DESE Guidance on The Integration of Castañeda’s \nThree-Pronged Test into ELE Program Development and \nReview Process \nProviding an Equitable Curricular and Educational Experience \nfor MLs \nAll ELE programs implemented in BPS are required to provide \nMLs (SDD 1-4) comparable access to the standard curriculum \nwithin a reasonable period of time and to the range and level of \nextracurricular activities and additional services as non-ML \nstudents. Additionally, all ELE programs should provide" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "opportunities for MLs (SDD 1-4) to take classes and participate \nin school activities with their English-proficient peers (non-MLs). \nAdditionally, all BPS classrooms that serve MLs and non-MLs \ntogether and provide sheltered content instruction have \nhistorically been coded as “general education,” but will now be \ncoded as State SEI classrooms to be in alignment with State \nregulations and the findings from the 2023 DESE Tiered Focus \nMonitoring report. And students, regardless of receiving \nfoundational level scores1 on the ACCESS or WIDA Screener \nassessments, have equal access to enroll in such classrooms \nwhere they will be exposed to English-proficient peers." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Access to a Sheltered English Immersion Program \nDESE (2019) SEI guidance offers this helpful framework for the SEI \nELE program model implemented in Massachusetts: \n \n \n \n1 Foundational level scores are scores of a 1-2.5 on the ACCESS \ntest, or scores of a 1-2 on a WIDA Screener." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 7:\nSuperintendent’s Circular CAO-05 \nPage 7 of 36 \n \nSHELTERED ENGLISH IMMERSION (SEI) PROGRAM (2) \nA two-component program model \n \nSheltered Content Instruction \n(SCI) \nEnglish as a Second Language \n(ESL) \n● Taught by content-area \nlicensed and SEI-endorsed \nteacher (or BEE-endorsed in an \nofficial BPS Dual Language \nprogram). \n● Access to grade-level content & \ndevelopment of discipline-\nspecific academic language. \n● Occurs throughout the day and \nis designed for optimum EL \nengagement in content. \n \n● Taught by ESL-licensed \nteacher. \n● Additional linguistic support \nELs need to be delivered \nthrough systematic, explicit, \nsustained focus on language" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "sustained focus on language \nand literacy in the context of \nthe Massachusetts Curriculum \nFrameworks. \n● Occurs for a specific amount of \ntime each day [in accordance \nwith DOJ requirements \nspecified in this Circular]. \n \n2Massachusetts law (G.L. c. 71A, §) defines SEI as “an English language \nacquisition process for young children in which nearly all classroom \ninstruction is in English but with the curriculum and presentation designed \nfor children who are learning the language. Books and instruction materials \nare in English and all reading, writing, and subject matter are taught in \nEnglish. Although teachers may use a minimal amount of the child's native" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "language, when necessary, no subject matter shall be taught in any \nlanguage other than English, and children in this program learn to read and \nwrite solely in English.”" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 8:\nSuperintendent’s Circular CAO-05 \nPage 8 of 36 \n \nThis means that ML (ELD 1-5) students with “General Education,” \nvocational, Inclusion, Substantially Separate, AWC, IB, Montessori, \nand Alternative Education program seat assignments are \nconsidered to be served in an SEI ELE model — entitled to both \nsheltered core content instruction and ESL.2 \n3B. BPS Formally Designated Program for MLs Descriptions \nAs stated in section 3A, while schools are required to comply with \noffering all ML students the requirements for ELE programs \nregardless of student placement, BPS also offers ML students \nenrollment opportunities in one of BPS’s formally designated" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "programs for MLs. These program models are: \n1. Sheltered English Immersion (SEI) Program \na. State SEI - Sheltered English Immersion (SEI) Program \nwith Grade-Level English Proficient Peers \nb. BPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nc. Sheltered English Immersion (SEI) Program in \nSubstantially Separate Setting \nd. Sheltered English Immersion (SEI) Program in High \nIntensity Literacy Training (HILT) for SLIFE Multilingual \n2. High Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \n3. Dual Language Education (DLE) or Two-Way Immersion \nProgram \n4. Newcomer Program \n \nPlease Note: Schools are expected to implement the ELE" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "program model designated for their school. Any deviation from \nthe models outlined in this section must be approved by the \nOffice of Multilingual and Multicultural Education (OMME) so as \nnot to constitute a violation of the student/parent rights. \n \nThe specifics of each program model is described below:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 9:\nSuperintendent’s Circular CAO-05 \nPage 9 of 36 \n \nSheltered English Immersion (SEI) Program3 \nAs described in section 3A, a Sheltered English Immersion \nProgram is a two component program. First, it incorporates \nstrategies to make content area instruction more \nunderstandable to MLs and to promote English language \ndevelopment in core-content classes throughout the day taught \nby SEI (or BEE as appropriate) endorsed teachers. Content area \ninstruction integrates sheltering strategies to make content \ncomprehensive and develop content area academic language in \nmathematics, English language arts (ELA), social studies, and/or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "science. As the second component to a Sheltered English \nImmersion program, English learner students also receive explicit \nEnglish as a Second Language classes. \n \nBoston Public Schools offers various ways for English learner \nstudents to access a Sheltered English Immersion program as \noutlined below: \n \nState SEI - Sheltered English Immersion (SEI) Program with \nGrade-Level English Proficient Peers \nSEI with grade-level English proficient peers offers MLs both \nSheltered Content Instruction from SEI endorsed teachers \nas well as explicit English as a Second Language classes. \nMLs in this SEI program type are not grouped according to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "their EL status, their first language, or their level of English \nproficiency in any way during core-content classes. They \n \n3 Massachusetts law (G.L. c. 71A, §2) defines SEI as “an English \nlanguage acquisition process for young children in which nearly \nall classroom instruction is in English but with the curriculum and \npresentation designed for children who are learning the \nlanguage. Books and instruction materials are in English and all \nreading, writing, and subject matter are taught in English. \nAlthough teachers may use a minimal amount of the child's \nnative language when necessary, no subject matter shall be \ntaught in any language other than English, and children in this" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "program learn to read and write solely in English.”" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 10:\nSuperintendent’s Circular CAO-05 \nPage 10 of 36 \n \nreceive core-content instruction with English proficient \npeers as well as other MLs. Only during English as a Second \nLanguage classes are MLs in this SEI program type \nseparated from their grade-level English proficient peers \nand grouped according to their ESL Service Delivery \nDetermination (SDD). \n \nBPS SEI - Sheltered English Immersion (SEI) Program in \nLanguage Specific or Multilingual \nThis is a BPS ELE program that incorporates English \nlanguage development throughout the day with strategies \nto make core academic content instruction more \ncomprehensible to MLs who are ELD 1-2.5 (scored 1-2.5 on" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "WIDA ACCESS Overall score). BPS SEI Language Specific \nprograms serve students who all speak the same first \nlanguage; in BPS SEI Multilingual programs, a variety of \nlanguages are spoken by the students. Instruction is \nconducted in English, with native language clarification for \nstudents where available. ML Students in an SEI Language \nSpecific or SEI Multilingual Classroom in Grades K2-5/6 \nreceive ESL instruction within their classroom; for sheltered \ncontent instruction they may be scheduled with English \nProficient Peers for a portion of their day. Students in SEI \nLanguage Specific or Multilingual classrooms receive \ninstruction in smaller class sizes in comparison to General" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Education classrooms. BPS SEI Language Specific or \nMultilingual programs in at the elementary level, English \nlearner students may receive their English as a Second \nLanguage instruction embedded within the content \ninstruction of the class if the homeroom teacher possesses \ntheir ESL license. For BPS SEI Language Specific or \nMultilingual programs at the secondary level, English \nlearner students must receive their English as a Second \nLanguage instruction in a standalone setting from an \nappropriately licensed teacher." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 11:\nSuperintendent’s Circular CAO-05 \nPage 11 of 36 \n \nSheltered English Immersion (SEI) Program in Substantially \nSeparate Setting \nPer the Individualized Education Plan (IEP) and/or 504 plan, \nMLs in this SEI program type will receive core-content \ninstruction and ESL services in a self-contained special \neducation classroom with specialized instruction \nthroughout their day within a small-group structured \nsetting. Research-based practices, specific to disability, are \nutilized in the specialized classroom. MLs will continue to \nreceive sheltered content instruction where SEI-endorsed, \ncontent-licensed educators shelter instruction so that they" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "can meaningfully engage with grade-level content, and \ndevelop discipline-specific academic language.Depending \non the nature of an MLs disability in this program, they may \nhave modifications to their ESL services specified in their IEP \nand/or 504 plan. \n \nSheltered English Immersion (SEI) Program in High Intensity \nLiteracy Training (HILT) for SLIFE Multilingual \nIn SLIFE multilingual classrooms, the language of \ninstruction is English, and teachers provide native language \nsupport when feasible. All students in this classroom are EL \nstudents who enter BPS with Limited or Interrupted Formal \nEducation (SLIFE); students in the classroom may speak" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "different native languages. Students in SLIFE classrooms \nreceive instruction from an ESL teacher as well as content \nand literacy from a teacher(s) who is qualified to provide \nsheltered content instruction. Please also see general HILT \nfor SLIFE requirements here. \n \nHigh Intensity Literacy Training (HILT) for SLIFE Language \nSpecific \nIn language specific HILT for SLIFE programs, MLs receive High \nIntensity Literacy Training (HILT) in their native language. This \nprogram enrolls EL students who enter BPS with Limited or \nInterrupted Formal Education (SLIFE) who all speak the same \nlanguage. Core academic content is taught in the native" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 12:\nSuperintendent’s Circular CAO-05 \nPage 12 of 36 \n \nlanguage of the student, and is increasingly taught in English as \nthe student develops English fluency. Students in SLIFE \nclassrooms receive instruction from an ESL teacher as well as \ncontent and literacy from a Native Literacy/Content teacher(s) \nwho is qualified to provide sheltered content instruction. SLIFE \nNative Literacy classrooms have smaller class sizes than State SEI, \nBPS SEI, and Dual Language programs. \n \nGeneral HILT for SLIFE Program Requirements \nBPS recommends this program for MLs ages 8 or older who \nare newcomers to the United States, who have little to no" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "literacy in their native language, or whose formal schooling \nwas limited or interrupted in their native country. Students \nin HILT for SLIFE programs are grouped across a grade span \n(3-4, 3-5, 5-6, 6-8, 7-8, 9-12) and receive intensive academic \nEnglish language and literacy development, native \nlanguage instruction designed to help them learn reading, \nwriting, math, science, and history/social studies, when \navailable, and additional classes such as technology, arts, \nand physical education. \n \nIn accordance with the META Consent Decree, HILT for \nSLIFE programs must also comply with the following \nrequirements: \n \n1) Class size should not exceed 15 students;" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "1) Class size should not exceed 15 students; \n2) During related arts / specials / electives courses, lunch, \nrecess, and allotted intervention time, SLIFE students \nmust be integrated with other ML students and with \nEnglish-proficient students (Never ELs, Former ELs), \nwho serve as peer language models. \n3) “Daily Common Planning Time” must be allocated for \nESL teachers and Native Language Teachers for age \nand grade-appropriate lesson design and materials \ndevelopment. \n4) In language-specific programs such as Spanish, Haitian \nCreole, and Cabo Verdean Creole, students must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 13:\nSuperintendent’s Circular CAO-05 \nPage 13 of 36 \n \nreceive Native Language High-Intensity Literacy \nTraining (HILT) as they develop literacy in their native \nlanguage as well as English. \n5) In SLIFE multilingual classrooms, teachers must \nprovide native language supports when feasible. \n6) All SLIFE students at the beginning of every year or \nupon assignment to the program must have a HILT for \nSLIFE Individual Learning Plan (ILP) generated that \nqualifies the individual learning targets for the \nacademic year. This HILT for SLIFE ILP must be \ncompleted in full to document progress and determine \na student's eligibility to exit the program." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "a student's eligibility to exit the program. \n7) No student can be recommended to exit the HILT for \nSLIFE program without meeting the exit criteria as per \nthe META Consent Decree. \n \nDual Language: Two-Way Immersion Programs \nIn this program, the classroom is made up of both native \nlanguage and English dominant students. All students learn to \nread, write, speak, and understand both languages either \nthrough core academic content instruction or explicit language \ninstruction, taught by qualified teachers in the two languages. \nThe goal of these programs is for students to become bilingual \nand biliterate. BPS seeks to increase more dual-language" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "opportunities such as two-way immersion programs, heritage \nlanguage programs, and ethnic studies courses in students’ \nnative language. Programs are currently offered in Spanish, \nHaitian Creole, ASL, Vietnamese, and Cape Verdean Creole. \n \nNewcomer Program \nThis program is available for secondary MLs at the early stages of \ntheir English language development. Only MLs who are ELD 1-2.5 \n(scored 1-2.5 on WIDA ACCESS Overall score) are eligible for this \nprogram. Instruction is conducted in English, with native \nlanguage clarification for students where available. English \nlearner students in this program receive ESL instruction in a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 14:\nSuperintendent’s Circular CAO-05 \nPage 14 of 36 \n \nstandalone period and sheltered content instruction from core-\ncontent teachers. \no \n \n3C. Special Notices about ELE Programs in BPS \nMultilingual Learners with Disabilities \nMultilingual Learners with Disabilities (MLWD) are Multilingual \nLearners who receive disability-related, specialized instruction in \nan inclusion setting, resource room setting, or a substantially \nseparate Special Education classroom. Regardless of placement, \nBPS is obligated to provide Multilingual Learners with Disabilities \n(MLWD) with equal access to the same opportunities as other \nstudents; education, specialized instruction and related services," + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "appropriate and effective ESL and content instruction by \naccessing grade-level curriculum while providing \naccommodations, modifications, and goals within the Individual \nEducation Plan (IEP). Schools are required to monitor students’ \nprogress to ensure appropriate progress toward meeting their \nEnglish language proficiency benchmarks and IEP goals. \nAll MLWD (ELD1-5) are entitled to receive both Special Education \n(SPED) and ELE services in a manner appropriate to the student’s \nindividual needs by appropriately qualified staff; the District is \nrequired to provide these services. No ML shall be denied ELE \nservices solely due to the nature or severity of the student’s" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "disability, and no ML shall be denied SPED services due to their \nML status. This means, for example: \n● No modifications to ESL service requirements may be \nimplemented unless such modifications are determined \nnecessary by the student’s IEP or Section 504 team, through \na documented team process, and in accordance with the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 15:\nSuperintendent’s Circular CAO-05 \nPage 15 of 36 \n \nnarrow exceptions contained in Paragraph 67 of the \nSuccessor Settlement Agreement. \n● Any approved modification to ESL minutes, grouping, \nand/or instruction must be reflected on the EL Grid, an \ninternal monitoring section in EdPlan, and will be reviewed \nby the BPS Office of Special Education/Office of Multilingual \nand Multicultural Education Supervisor(s) of Multilingual \nLearners with Disabilities. \n● ESL may not take the place of a student’s special education \nservices. For instance, a student may not be taken out of \nspeech therapy or counseling in order to get ESL." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "● Core content instruction and ESL services must be provided \nwith all accommodations as outlined in the student’s 504 \nplan or IEP. \nParent Right to Opt Out of the ELE Program \nParents / guardians have the right to opt out their child from \nsome or all components of the district’s ELE program pursuant to \nParagraphs 33 to 35 of the Successor Agreement. The district \nshall approve a parent’s request to opt out of some or all ELE \nservices, only by following the relevant safeguards that are set in \nplace: \n1. The decision to opt out must be voluntary and informed, \nand not the product of district practices or influence, the \nresult of inadequate or inaccurate information, or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "inadequate district resources. \n2. If any parent/guardian of an EL communicates a refusal to \nhave their child enrolled in an EL program, and/or refuses \nall or only specific ELE services (e.g., EL-only SEI classes, \nlanguage-specific SEI classes, or HILT classes) at a \nWelcome Center, NACC, or school, then a meeting will be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 16:\nSuperintendent’s Circular CAO-05 \nPage 16 of 36 \n \nconvened with a representative from OMME, the school \nleader, a representative of the LAT (typically the LAT-F), \nand the parent(s)/guardian(s) to explain the benefits of \nservices and address parent concerns AND encourage \nparents to allow their child to receive ELE services for at \nleast 30 days before deciding to refuse such services. \n3. If the parent continues to refuse ELE services after an \nexplanation of the benefits of the services, the Opt-Out \nform (documenting 1. Evidence of parent meeting and 2. \nParent request) must be submitted to OMME for review \nand approval and such documentation must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "and approval and such documentation must \nsubsequently by submitted by OMME to the DOJ/OCR. \n4. Students approved as “opt-outs” are still required to \nremain coded as an English Learner, required to \nparticipate in ACCESS, scheduled with an SEI-endorsed \nteacher(s) for core content, and have their English \nlanguage development monitored by the school. \n5. Parents or legal guardians should revisit their decision to \nopt out every year and submit a new request for the \ncurrent academic year and parents may request to \nrestore ELE services at any point. \nFormer English Learners \nUpon exit (reclassification to Former EL status), schools must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "regularly monitor students’ academic progress for 4 school years \nupon their reclassification as is required by DESE and federal \nregulations. It is recommended that schools continue to schedule \nFormer ELs with an SEI-endorsed content teacher(s) during their \nmonitoring period. If during this monitoring period it is \ndetermined that the student’s EL status be restored (with ELE \nservices provided), the LATF must seek written permission from \nthe student’s parent/guardian." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 17:\nSuperintendent’s Circular CAO-05 \nPage 17 of 36 \n \nPlease see: \no Section 5 of this circular for additional information on \nthe exit criteria for ELs \n \n4. ESL SERVICES AND TEACHER QUALIFICATIONS COMPLIANCE \nINFORMATION \nUnder the terms of the Department of Justice Successor \nAgreement and the policies of the Department of Elementary \nand Secondary Education, all BPS Multilingual Learner Education \nPrograms must comply with specific guidelines regarding ESL \nInstructional Minutes, Instructional Type, Instructional Grouping, \nand Educator Licensure and Endorsement. The following section \noutlines the specifics of each compliance measure as applicable" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "for each Multilingual / English Learner Education Program \ndescribed section 3. \nNote: Schools are advised to create their schedule for ELE \nservices first to ensure that the necessary qualified staff are \nscheduled to meet ML service needs. \nAll ML students, including Multilingual Learners with Disabilities \n(MLWD) and Students with Limited or Interrupted Formal \nEducation (SLIFE), must be scheduled for the requisite amount of \ndaily ESL instruction according to their SDD and must receive \nESL by an ESL licensed teacher. MLWD with severe disabilities for \nwhom compliant ESL instruction as described in the Successor’s \nAgreement is not appropriate may have their services adjusted if" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "reflected and recorded appropriately in the IEP through a team \nprocess." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 18:\nSuperintendent’s Circular CAO-05 \nPage 18 of 36 \n \n4A. ESL Instructional Time: Elementary (K2 to 5/6) and \nSecondary Grades (6-12) \nElementary (K2 to 5/6) \nConsistent with DESE’s guidance, the table below provides the \nDOJ-approved ESL instructional time per ELD level that the \ndistrict shall provide, to the extent practicable: \nTABLE 2: MINIMUM REQUISITE ESL INSTRUCTIONAL TIME \nFOR MLS IN K2-5/6 \nELD \nLevel \nDaily ESL \nInstructional Time \nWeekly ESL Instructional \nTime \nELD 1 \n135 minutes (2 hours, \n15 minutes) \n675 minutes (11 hours, 15 \nminutes) \nELD 2 \n90 minutes (1 hour, 30 \nminutes) \n450 minutes (7 hours, 30 \nminutes) \nELD 3 \n60 minutes (1 hour) \n300 minutes (5 hours)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "60 minutes (1 hour) \n300 minutes (5 hours) \nELD 4 \n45 minutes \n225 minutes (3 hours, 45 \nminutes) \nELD 5 \n45 minutes \n225 minutes (3 hours, 45 \nminutes) \n \nSecondary Grades (6-12) \nIn order to address the variety of scheduling at our Secondary \nSchools as well as to ensure that students can equitably access \nESL along with other MassCore / graduation requirements and \nspecialty courses (e.g Advanced Placement courses, Dual \nEnrollment, Early College, and any vocational or technical" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 19:\nSuperintendent’s Circular CAO-05 \nPage 19 of 36 \n \ntraining / courses), OMME has shifted from a “minutes” \nframework at the Secondary level to a “blocks required” \nframework. \nTABLE 3: SECONDARY SCHOOL ESL SCHEDULING* \nSchool’s Daily \nCourse Block \nLength \n(Minutes) \n# of Daily ESL Blocks Required: \n \nELD 1 \nELD 2 \nELD 3 \nELD 4/5** \n45-59 minutes \n3 \n2 \n1 \n1 \n60-74 minutes \n2 \n2 \n1 \n1 \n75+ minutes \n2 \n1 \n1 \n1 \n*ESL for ELD 4-5 may be embedded into the ELA block by an ESL-\nlicensed teacher. This is only allowable for ELD levels 4 and 5. \n \nPlease note: \n● Schools may leverage this framework, but may still opt to \nschedule ESL instruction based on the daily minutes" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "specified in Table 2. \n● OMME recommends schools consider scheduling MLs for \nadditional support from an ESL licensed teacher during \nTargeted Advisory / Intervention / WIN / SEL blocks (if \navailable) based on the needs of their students and in the \nbalance of other opportunities for students to access grade-\nlevel core content, advanced learning, and specials \nalongside their English-proficient peers. Refer to the \nresource below for sample recommended schedules." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 20:\nSuperintendent’s Circular CAO-05 \nPage 20 of 36 \n \n● Part-time students (i.e., those attending for 1 or 2 remaining \ncredit requirements) who have fulfilled MassCore ELA \ngraduation requirements, and / or are only enrolled in BPS \nfor credit recovery or only online education (i.e., never \nphysically at a school building), will not be required to be \nscheduled for ESL. These students are typically over-age \nstudents who are balancing work and other adult \nresponsibilities. OMME highly recommends that these \nstudents have a direct connection with the Re-Engagement \nCenter and have a dedicated counselor that can assist them" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "in creating an educational pathway that works best for their \nhome, family, and work obligations. Note: Schools may \nschedule these students for ESL if it will best support the \nstudent in meeting graduation requirements and their \nindividual needs. Regardless, schools should still be \nscheduling these students for core content classes with an \nappropriately endorsed (SEI and/or Bilingual Endorsement) \nor ESL certified teacher." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 21:\nSuperintendent’s Circular CAO-05 \nPage 21 of 36 \n \n4B. ESL Instructional Types, Requirements, and \nRecommendations \nAll requisite ESL Instruction must occur during an ESL-Eligible \ncourse as designated by the BPS course catalog (e.g. reading, \nwriting, ELA, literacy / humanities). This is to ensure that ELs still \nhave equitable access to other grade-level core content and \nspecialty courses. \nRefer to the following tables for allowable types of ESL \ninstructional models. \n \nTABLE 4: ESL INSTRUCTIONAL MODELS FOR MLS IN K2-5/6 \nAll instructional models require an ESL licensed teacher during \nthe literacy/humanities block). \nStandalone ESL — For ELs in Gen Ed" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Standalone ESL — For ELs in Gen Ed \n A standalone section is a scheduled class for ESL students \nwith an ESL licensed teacher. The student is not pulled out \nof classrooms to attend this class, it is a part of their student \nschedule (e.g., with an “ESL” course title). An ESL licensed \nteacher must be the teacher of record of this classroom. \nStandalone ESL is the recommended instructional model for \nML students with an ELD of 1-3 in grades K2-5 who are not \nassigned to an SEI language-specific or SEI Multilingual \nprogram. \nFor ELD 4-5: Standalone is an allowable option; however, \nrefer to the Embed ELA model as an alternative if the \nELA/homeroom teacher is ESL licensed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 22:\nSuperintendent’s Circular CAO-05 \nPage 22 of 36 \n \nPush-In ESL \nPush-In ESL may be provided to ML students in Elementary \ngrades (K2 to 5) when the ESL teacher is coming into an \nELA/Humanities course (or via a co-teacher in the \nclassroom) to provide ESL services for a specific, small group \nof students within the same classroom while other students \ncontinue to receive content instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nAt a minimum, weekly common planning time for the ESL \nand classroom teachers should be provided. \nPull-Out ESL \nPull-Out ESL may be provided to ML students in Elementary" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "grades (K2 to 5) when a student is being taken out of an ELA \n/ Humanities course to receive ESL instruction. Schools must \nadhere to ESL grouping requirements when utilizing this \ninstructional method. \nEmbed Homeroom — ESL in formal SEI programs \nThis is an instructional type allowable ONLY for ML students \n(ELD 1-3) in SEI language-specific or SEI multilingual \nprograms at the Elementary grade level (K2 to 5/6). \nPlease see section 5 of this circular for additional \ninformation on the criteria for a BPS SEI eligible ELD 3. \nIn this model, students receive ESL instruction embedded \nduring their literacy time (course titles: Reading and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Writing). Teachers providing this embedded ESL instruction \nmust be ESL licensed and are required to complete OMME \ndesignated PD on differentiation and lesson planning." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 23:\nSuperintendent’s Circular CAO-05 \nPage 23 of 36 \n \nEmbed ELA — ESL \nFor ML students with ELD levels 4 and 5 only, the \nrecommended instructional model for ESL is for ESL to be \nembedded in core ELA or literacy courses, only by an ESL \nlicensed teacher. Students at these ELD levels may be \ngrouped together. \n \n \nInclusion Teacher ESL Stipend per BTU CBA \nFor special education inclusion classrooms only that utilize a 1.0 \nteacher model, where the teacher is using 3 licenses (two of \nwhich are special education and ESL), this ESL-licensed teacher \nof record may agree to be stipended (45 minutes per day at the \nBTU contractual hourly rate) to provide ESL instruction for ELD 4-" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "5 students that is embedded into the ELA or literacy block (ESL \nEmbed ELA). Alternatively, if the teacher does not agree to the \nstipend, ESL instruction for ELD 4-5 students must be provided \nby a separate ESL licensed teacher. All ML (ELD 1-5) students are \nentitled to receive ESL services regardless of the teacher/stipend \nmodel." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 24:\nSuperintendent’s Circular CAO-05 \nPage 24 of 36 \n \nTABLE 5: TYPES OF ESL INSTRUCTIONAL MODELS FOR MLS IN \nGRADES 6-12 \nESL \nInstruction \nType \nDescription (all instructional models require \nan ESL licensed teacher) \nStandalone \nESL \n \n● For ELD levels 1 to 3, this is the only \ncompliant instructional model for ESL service \ndelivery for students. \n● Standalone is an allowable option for which \nELD 4-5 students may be grouped together; \nhowever, refer to the Embed ELA mode \nbelow as the recommended instructional \ntype if the ELA teacher is ESL licensed. \nEmbed ELA \nESL in English \nLanguage Arts \n● For ML students with ELD levels 4 and 5 only," + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "● For ML students with ELD levels 4 and 5 only, \nthe recommended instructional model for \nESL is for ESL to be embedded in core ELA or \nliteracy courses, only by an ESL licensed \nteacher. Students at these ELD levels may be \ngrouped together." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 25:\nSuperintendent’s Circular CAO-05 \nPage 25 of 36 \n \n4C. ESL Instructional Grouping Requirements \nThe following table represents allowable groupings of students \nfor ESL instruction. \nTABLE 6: ELEMENTARY AND SECONDARY ESL GROUPING \nACROSS ELD AND GRADE LEVELS \nELD Levels \nElementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nELD 1 \n● With fellow ELD 1 only \nacross two consecutive \ngrades; OR \n● With ELD 2 in one grade \nlevel \n● With fellow ELD 1 across \nmultiple grades; OR \n● With ELD 2 only in one \ngrade level \nELD 2 \n● With ELD 1 in one grade \nlevel; OR \n● With fellow ELD 2 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n● With ELD 3 only in one" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "grades; OR \n● With ELD 3 only in one \ngrade level \n● With fellow ELD 2 only \nacross multiple grades; \nOR \n● With ELD 1 only in one \ngrade level; OR \n● With ELD 3 only in one \ngrade level \nELD 3 \n● With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n● With fellow ELD 3 only, in \none grade level or across \nup to two consecutive \ngrades; OR \n● With ELD 2 in one grade \nlevel, preferably ELD 2.5-\n2.9; OR \n● With fellow ELD 3 only \nacross multiple grades, \npreferably two \nconsecutive grade levels \n(e.g., in grades 9-10); OR" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 26:\nSuperintendent’s Circular CAO-05 \nPage 26 of 36 \n \nELD Levels \nElementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \n● With ELD 4 in one grade \nlevel \n● With ELD 4, in one grade \nlevel in a standalone \nsetting \nELD 4 \n● With ELD 3 in one grade \nlevel; OR \n● With ELD 5 in one grade \nlevel; OR \n● With fellow ELD 4 only \nacross two consecutive \ngrades \n● With ELD 3 in one grade \nlevel in a standalone \nsetting; OR \n● With ELD 5 in one grade \nlevel; OR \n● With fellow ELD 4 only \nacross multiple grades \nELD 5 \n● With ELD 4 in one grade \nlevel; OR \n● With fellow ELD 5 only \nacross two consecutive \ngrades \n● With ELD 4 in one grade \nlevel; OR \n● With fellow ELD 5 only" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "level; OR \n● With fellow ELD 5 only \nacross multiple grades \nAllowable Exceptions: \nSEI Language \nSpecific or \nMultilingual \nProgram (ELD \n1-3) \n● ELD 1-3 of the same SEI \nprogram homeroom may \nbe grouped together for \nESL instruction* \n● This grouping is not \nallowable at the \nsecondary level. \nHILT for SLIFE \n● ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE \n● ELs, regardless of ELD \nlevel or grade level, in the \nsame HILT for SLIFE" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 27:\nSuperintendent’s Circular CAO-05 \nPage 27 of 36 \n \nELD Levels \nElementary Grades \nK2 to 5/6 \nSecondary Grades \n6/7 to 12 \nPrograms (4) \nprogram homeroom may \nbe grouped together for \nESL instruction. \nprogram homeroom may \nbe grouped together for \nESL instruction. \nMLWD (with \napproved ESL \nmodifications) \n● Refer to the ELSWD ESL \nModifications section for \nguidance. \n● Refer to the ELSWD ESL \nModifications section for \nguidance. \n*Subject to the terms of DOJ Paragraph 39e. \n \n \n \n \n4() The META Consent Decree defines BPS HILT for SLIFE \nprograms as “self-contained, ungraded, elementary format \nclassroom with two teachers [Native Literacy Content teacher" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "and ESL teacher] responsible for all instruction.” Students in the \nprogram are typically ELD 1 but may be at an ELD 2 level as they \nprogress in their English language acquisition until meeting the \nexit criteria required by the consent decree. Therefore, students \nin this program model may receive ESL grouped in this manner." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 28:\nSuperintendent’s Circular CAO-05 \nPage 28 of 36 \n \n4D. Educator Licensure and Endorsement Requirements \nPlease Note: \nPer DESE (603 CMR 14.07 (3)), no EL student can be placed in \nclassrooms where the teachers lack the SEI Endorsement for two \nor more consecutive years. (5) \n● School Leaders are to keep detailed electronic records of all \nteachers who are in the process of obtaining the SEI or \nBilingual Education Endorsement and the pathway that \nthey are pursuing to meet this obligation. All ML (ELD 1-5) \nmust be assigned to core content (and vocational, if \napplicable) classrooms where the teachers are already \nendorsed or in a confirmed pathway." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "endorsed or in a confirmed pathway. \n● When creating schedules, schools must take into \nconsideration teachers who are newly hired and who are \nreturning but lack the SEI endorsement. \n● It is recommended that students who have reclassified to \nFormer English Learner status be scheduled with SEI-\nendorsed teachers for their core content courses, especially \nat the start of their 4-year monitoring period. \n● For any SEI Language-Specific / Multilingual elementary \nteacher to provide embed HR ESL to students at ELD 1-3, \nthey must have both an ESL license and have completed \nOMME-approved training on differentiation of ESL and \nlesson planning, as part of the qualifications for this" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "program, to ensure that the unique needs of students at \nELD levels 1-3 are met (DOJ Paragraph 39e). Please also \nreference the 2018-2021 BTU Collective Bargaining \n \n5The teacher in this instance would also be required to get the SEI \nendorsement." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 29:\nSuperintendent’s Circular CAO-05 \nPage 29 of 36 \n \nAgreement (p. 49 section 11) as it pertains to this \nrequirement. Teachers are expected to complete this \ntraining by the end of the school year. If the teacher has not \nsatisfied these requirements, the school must ensure an ESL \nlicensed teacher is scheduled to deliver the appropriate \nEnglish language development instruction to ML students \nfor the literacy portion of the day. \nThe following table outlines DESE educator licensure and \nendorsement requirements in order to instruct ML (ELD 1-5) \nstudents by job type." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 30:\nSuperintendent’s Circular CAO-05 \nPage 30 of 36 \n \nTABLE 7: TEACHER QUALIFICATION BY JOB TYPE \nJob Type \nRequired \nQualification \nAdditional Information \nESL \nTeacher \nESL License \nIndividuals who have completed and passed all \nrequisite coursework / requirements and are \nonly waiting for the state to administratively \ngrant the ESL license may also be assigned to \nteach ESL. \nCore \nContent or \nVocational \nTeacher \n(English) \nSEI \nEndorsement \n(Teacher) \n \nCore Content Teachers: \n● teachers of students with moderate or \nsevere disabilities; subject-area teachers in \nEnglish, reading or language arts; \nmathematics, science; civics and \ngovernment, economics, history, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "government, economics, history, and \ngeography and early childhood and \nelementary teachers who teach such \ncontent. \nVocational (CVTE) Teachers: \n● For purposes of SEI, CVTE is defined as \nprograms approved under M.G.L. c. 74; \nprograms that meet the definition of career \nand technical education listed in the Carl D. \nPerkins Career and Technical Education \nImprovement Act of 2006, 20 U.S.C. § 2302(5); \nand any other programs that may be \ndesignated by the DESE Commissioner such \nas automotive technology, carpentry, \nculinary arts, engineering, exploratory, \nmasonry, information technology, and any \nother subjects listed by DESE." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 31:\nSuperintendent’s Circular CAO-05 \nPage 31 of 36 \n \nCore \nContent or \nVocational \nTeacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \nCore Content and CVTE Teachers as defined \nabove who: \n● Instruct in the partner language of a formal \nBPS dual language program \n● Instruct in the partner language of a formal \nlanguage specific HILT for SLIFE program \n \nEvaluator \nof ML \nTeacher \n(English) \nSEI \nEndorsement \n(Administrator \nor Teacher) \nA principal, assistant principal, supervisor, or \ndirector (\"administrator\") who supervises or \nevaluates one or more core academic teachers \nof ML (ELD 1-5) students \nEvaluator \nof ML \nTeacher \n(Native / \nPartner \nLanguage) \nBEE" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Teacher \n(Native / \nPartner \nLanguage) \nBEE \nEndorsement \n \nOR \n \nSEI \nEndorsement \n(Administrator \nor Teacher) \nEvaluators as defined above who supervise a \ncore academic teacher assigned to provide \ninstruction to an English Learner in a bilingual \nELE program \nSubstitute \nTeachers \nN/A \nIf for any ESL or core content class, no teacher \nis available who meets the qualifications to \ninstruct ML (ELD 1-5) students, school leaders \nshall, to the extent practicable, assign \nsubstitute teachers who are ESL-licensed for \nESL instruction or who are SEI or Bilingual \nEducation-endorsed (for core content classes). \n \nThe following table outlines DESE educator licensure and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "endorsement requirements in order to instruct ML (ELD 1-5) \nstudents by BPS ELE program model." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 32:\nSuperintendent’s Circular CAO-05 \nPage 32 of 36 \n \nTABLE 8: EXAMPLES OF LICENSURE REQUIREMENTS FOR \nPOSITIONS SERVING EL STUDENTS* \nProgram \nBPS \nTeacher \nTitle \nPosition \nDescription \nRequired \nLicensure \nPreferred \n \n \n \n \nBPS SEI \nSEI Multi-\nlingual \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 and varying \nnative languages \nContent area \nlicense & SEI \nendorsement \nESL License \nand SEI PD \nSEI + \n[Specific \nLanguage] \ne.g. SEI \nSpanish \nGeneral ed. \nposition in a \nclassroom that \nincludes students \nwith ELD levels 1-\n3 of the same \nnative language \nContent area \nlicense & SEI \nendorsement \nESL \nLicense, SEI \nPD, and \nOral fluency" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "ESL \nLicense, SEI \nPD, and \nOral fluency \nin students’ \nprimary \nlanguage \nESL \nESL \nTeacher \n(incl. SLIFE \nESL) \nProvides ESL \ninstruction only \n(regardless of ELE \nprogram model) \nESL license \n \n \n \n \n \n \nBilingual \nTwo-Way + \n[Specific \nLanguage] \ne.g., \nBilingual \nServes multiple \nclassrooms to \nprovide periods of \ninstruction in a \nlanguage other \nthan English \nContent area \nlicense & Bilingual \nEducation \nEndorsement (if \nteaching in native \nlanguage)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 33:\nSuperintendent’s Circular CAO-05 \nPage 33 of 36 \n \nDual \nLang-\nuage/ \nTwo-way \nTwo-Way \nSpanish \n(complementary \nposition below) \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \nBilingual \nTwo-Way \nEnglish \nServes multiple \nclassrooms to \nprovide periods of \nEnglish \ninstruction to \nstudents \n(complementary \nposition above) \nContent area \nlicense & either SEI \nEndorsement or \nBilingual \nEducation \nEndorsement \n(Note: if the \nteacher is \nproviding ESL, the \nteacher must have \nthe ESL License) \n \n \nSLIFE \nSLIFE \nNative \nLiteracy \n(TBE) \nteacher \nProvides core \ncontent \ninstruction to \nSLIFE students in \nthe student’s \nnative language" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "the student’s \nnative language \n(language other \nthan English) \nA Core Content \narea license & \nBilingual \nEducation \nEndorsement \n \n5. SY23-24 ELD AND ELP LEVELING GUIDANCE \nFor the 2023-2024 school year, the Office of Multilingual and \nMulticultural Education is continuing the transition of \nMultilingual Learner students’ English Language Development \nLevel (ELD Level) to Multilingual Learner students’ English \nLanguage Proficiency Level (ELP Level). This shift aligns all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 34:\nSuperintendent’s Circular CAO-05 \nPage 34 of 36 \n \nstudents’ ELP levels with their WIDA ACCESS 2.0 scores and \naligns our guidance and policies for Multilingual Learner students \nand Multilingual Learner Education with the guidance and \npolicies of the Department of Elementary and Secondary \nEducation. The following table shows the updated ACCESS and \nAlt ACCESS score to ELP level crosswalk. \nTABLE 9: ACCESS SCORE CROSSWALK \n2022 ACCESS and Alt ACCESS \nScore Range \n \nSY 23-24 English Language \nDevelopment (ELD) / English \nLanguage Proficiency (ELP) \nLevels \nACCESS: 1.0 - 1.9 / ACCESS Alt: A1-P1 \nLevel 1 (Foundational) \nACCESS: 2.0-2.9 / ACCESS Alt: P2 \nLevel 2 (Foundational)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 85, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Level 2 (Foundational) \nACCESS: 3.0-3.4 / ACCESS Alt: P3 \nLevel 3 (Foundational) \nACCESS: 3.5-3.9 / ACCESS Alt: P3 \nLevel 3 (Transitional) \nACCESS: 4.0 - 4.9 \nLevel 4 (Transitional) \nACCESS: 5.0-5.9 \nLevel 5 (Transitional) \nACCESS: 4.2 with 3.9 literacy \n(i.e., meets state exit criteria) \nFormer EL \n \nPlease note: \n● Annual program placement recommendations are based on \nstudents’ ELP level, and OMME will assume the \nresponsibility of using the annual program notification form \nto notify parents of program placement." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 86, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 35:\nSuperintendent’s Circular CAO-05 \nPage 35 of 36 \n \n● Consecutive year ELD 3 students will be automatically \nexited from BPS SEI Language Specific or Multilingual \nprogram placement if they currently occupy such a seat. \n○ Per DOJ, consecutive year ELD 3 students may not be \ngrouped together with ELD 1-2 students for their ESL \ninstruction. \n● Transitional ELD 3 students (students who received an \nACCESS overall score of 3.5-3.9) will be automatically exited \nfrom BPS SEI Language Specific or Multilingual program \nplacement if they currently occupy such a seat. \n● Students who scored lower on their ACCESS test than their \nprevious ELD level will be held harmless." + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 87, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "previous ELD level will be held harmless. \n● Students who did not take the ACCESS or complete ACCESS \ndue to absence or other circumstance will retain their \nprevious ELD level. \n● Students who did not take all domains of ACCESS due to an \nSPD code will receive their appropriate levels and program \nplacements according to the policies listed above upon \nrelease of their ACCESS overall score by the state in early fall. \n► Resource: End of Year Leveling Guidance 22-23" + }, + { + "folder_name": "Academics", + "file_name": "CAO-05 Services for Multilingual Learner Students", + "chunk_id": 88, + "uri": "https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8", + "content": "Page 36:\nSuperintendent’s Circular CAO-05 \nPage 36 of 36 \n \nFor more information about this circular, contact: \nOwner: \nLinda Chen, Senior Deputy Superintendent of \nAcademics and Interim Assistant \nSuperintendent of OMME \nDepartment: \nOffice of Multilingual and Multicultural \nEducation (OMME) \nMailing Address: Bolling Building, 2300 Washington Street, 6th \nFloor, Roxbury, MA 02119 \nPhone: \n617-635-9435 \nEmail: \nOMMEequityteam@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-27 \nVersion 01 \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nWATER ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact OPL@bostonpublicschools.org for assistance/guidance. \n \nThis Superintendent’s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019." + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Committee on November 20, 2019. \nThis circular MUST be read in its entirety by program leaders \n(chaperones), principal/head of school and/or the district \ndepartment sponsoring a field trip that includes an IN the water \nor ON the water activity. These parties are responsible for \nensuring that all field trip policies and procedures as outlined in \nthis circular AND all applicable field trip circulars (CAO-23, 24, \nand 25) are adhered to. \nWATER ACTIVITIES \n• If your trip involves ON or IN water activities, you must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 2:\nSuperintendent’s Circular CAO-27 \nPage 2 of 13 \n \ncontact the Department of Global Education immediately \nto submit a mandatory Water Activity Request Form 16 \nweeks in advance to ensure that the site location for the \nwater activity has up-to-date insurance, a safety plan, and \ncertification documentation on file with the district. \n• For water activities: The student-to-chaperone ratio must \nremain 10:1 at all times during swimming for all grade \nlevels. (This ratio does not include the lifeguards on duty.) \nSWIMMING (IN THE WATER) \n• Instructional swimming is permitted only if proper \nswimmer-lifeguard ratios are maintained (20:1); the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "swimming teachers hold valid American Red Cross or \nYMCA Lifeguard Instruction/ Water Safety Instruction, \nCPR/AED, and First Aid certificates; the site is nationally \nrecognized for swim instruction (e.g., YMCA); and \nparents/guardians are informed in the appropriate \nParental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n• Principal/head of school is responsible for ensuring these \nrequirements are met and must receive written \ndocumentation of all listed guard and instructor \ncertifications. Copies of these certifications, along with" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "students’ permission slips, must be kept on file for the \ncurrent fiscal year plus three additional years. \n• Therapeutic/adaptive swimming for students with \ndisabilities is permitted only with individuals with \nTherapeutic/Adaptive Swim certification or licensure \nand proper swimmer-lifeguard ratios are maintained" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 3:\nSuperintendent’s Circular CAO-27 \nPage 3 of 13 \n \n(10:1); and parents/guardians are informed in the \nappropriate Parental Authorization for Field Trip form. \nParents/guardians must be given sufficient information \nto understand the nature and scope of the activity(s). \n• Recreational swimming is NOT permitted on BPS field \ntrips. \nWATER ACTIVITIES (ON THE WATER) \n• Water activities are permitted involving larger \ncommercial or passenger vessels which meet U.S. Coast \nGuard standards for safety and hold a valid Certification of \nCompliance for the state or its international equivalent \n(Please note: There must be one life jacket per" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "(Please note: There must be one life jacket per \npassenger). In addition, be sure the water-related activity \nis clearly listed in the appropriate Parental Authorization \nfor Field Trip form. Parents/guardians must be given \nsufficient information to understand the nature and \nscope of the activity(s). \n• Water activities such as kayaking, rowing, and canoeing \n(or the equivalent where the movement of a craft \ndepends on the physical endurance of its operator) and \ntravel in small watercraft are not permitted on a BPS field \ntrip unless a request is submitted and approved by the \ndistrict. (Please note: There must be one life jacket per \npassenger.) These requests are submitted to and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "passenger.) These requests are submitted to and \nreviewed by the Department of Global Education. \nSignificant lead time is needed (16 weeks or more) to \nallow for safety requirements to be met. \n• The sponsoring water venue/facility must provide the \nfollowing documents to the district annually: 1) Safety" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 4:\nSuperintendent’s Circular CAO-27 \nPage 4 of 13 \n \nPlan; 2) Liability Insurance; and 3) Lifeguard Certification. \nCHAPERONE REQUIREMENTS: \n• The program leader (lead chaperone) must be a BPS \nemployee. Other authorized chaperones may include \nparents and guardians 21 years of age or older. \n• Chaperones must be equipped with hand sanitizer and \nadditional masks if the need arises for staff and students. \n• All chaperones must complete the Chaperone Agreement \nForm. \n• All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of \nHuman Capital. Complete the eCORI form online at this \nlink. Contact the BPS Office of Human Capital (OHC) for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "CORI check and confirmation support. The \nprincipal/head of school and the lead chaperone are \nresponsible for submitting authorization forms to OHC \nand must not allow chaperones to take part in activities \nuntil they have been CORI/SORI cleared. Non-BPS \nemployee chaperones (parents/guardians) must show \nproof of vaccination or a negative COVID-19 test within 24 \nhours of the field trip. Non-BPS employees who \nchaperone on a field trip are not covered for liability by \nthe Boston Public Schools. \n• The program leader must be sure that all chaperones, \nincluding non-BPS chaperones, are informed of, adhere \nto, and uphold the BPS Code of Conduct and other \ndistrict and school-based rules." + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "district and school-based rules. \n• Chaperones who are parents/guardians of BPS students" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 5:\nSuperintendent’s Circular CAO-27 \nPage 5 of 13 \n \non the trip must provide the same level of care and \nattention to ALL student participants. If a BPS \nchaperone’s child who does not attend the participating \nschool must attend the program, the child must be a BPS \nstudent and in the same grade or age range as \nparticipating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild’s participation. \n• Tour guides and employees of third-party vendors \ncontracted to help operate the trip are not considered \nchaperones and do not factor into the student-to-\nchaperone ratio." + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "chaperone ratio. \n➤ For Day & Water Field Trips, the Department of Safety Services \n(617-635-8000), must be notified in the event of a serious medical \nor other emergency and should be used as a resource for \nquestions regarding safety on day field trips, including WATER \nACTIVITY day trips." + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 6:\nSuperintendent’s Circular CAO-27 \nPage 6 of 13 \n \nFor more information about this circular, contact: \n Owner: \nChief of Teaching and Learning \nDepartment: \nDepartment of Global Education \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n315-601-0292 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 7:\nSuperintendent’s Circular CAO-27 \nPage 7 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY REQUEST FORM \n \nDIRECTIONS: \n1. This form must be submitted for water activities at least \n16 weeks in advance for the proposed water activity to be \nconsidered. Please email this form to \nOPL@bostonpublicschools.org and confirm its receipt. \n2. One form should be completed per field trip. However, if \nthere are multiple “water activities” planned, each water \nexperience must be listed separately. For example, if you \nare taking students on a service-learning trip for one \nweek and would like students to participate in a water \nactivity on multiple days, each separate excursion should" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "be listed, even if the excursion is at the same location. \n3. Requests will be reviewed and schools will receive an \nanswer regarding their requests in 2-3 weeks. \n \nTO BE COMPLETED BY THE PRINCIPAL/HEAD OF SCHOOL \nDate request submitted: _________________________________________ \nDate(s) of field trip: _______________________________________________ \nSchool: ___________________________________________________________ \n \nPrincipal/Head of School /District Department Name:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 8:\nSuperintendent’s Circular CAO-27 \nPage 8 of 13 \n \n __________________________________________________________________ \nTrip leader’s name, role, and contact number: \n __________________________________________________________________ \n __________________________________________________________________ \nChaperones’ names and roles in school: \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Vendor/Organization: ____________________________________________ \nWhat is the purpose of the water activity? How does the water \nactivity add to the overall trip experience?________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nNumber of students participating in the field trip: ________________ \nGrade level and ages of students: _________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 9:\nSuperintendent’s Circular CAO-27 \nPage 9 of 13 \n \n \nPlease complete the information below for each water activity \nplanned for students: \n \nWater Activity # ________ \nDate \n \nHours \n \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact’s \nEmail & Phone # \n \n \nWater Activity # _______ \n\n\nPage 10:\nSuperintendent’s Circular CAO-27 \nPage 10 of 13 \n \nDate \n \nHours \n \nWater Activity \nLocation \n(Address) \n \n \nWater Activity \n(i.e., canoeing) \n \nSite Contact \nPerson \n \n \nSite Contact’s \nEmail & Phone # \n \n \n \n \n \nPrincipal/Head of School /District Department’s Signature \n \nDate: ________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 11:\nSuperintendent’s Circular CAO-27 \nPage 11 of 13 \n \nBOSTON PUBLIC SCHOOLS \nWATER ACTIVITY ADDENDUM TO PARENTAL AUTHORIZATION \nFIELD TRIP FORM FOR “ON” WATER ACTIVITIES \nDirections: \n1. This form must be used if a water activity such as kayaking, \nrowing, or canoeing, or riding on a boat is listed as a possible \nactivity on the Attached Parental Authorization Field Trip \nform for this field trip. \n2. Complete the school portion of this form and attach it to the \nappropriate Parental Authorization Field Trip form for \nparent/guardian. \nParent/legal guardian, if student is under 18 years of age, or \nstudent, if at least 18 years old: Complete the Authorization &" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Acknowledgement of Risk Section. \n➤ If a student does not wear a life jacket, the student may not \nparticipate in the water activity. \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nWater Activity Location(s): ________________________________________ \nList of Water Activities: __________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 12:\nSuperintendent’s Circular CAO-27 \nPage 12 of 13 \n \nAUTHORIZATION AND ACKNOWLEDGEMENT OF RISKS \nI understand that participation in this field trip may involve water \nactivities, including but not limited to boating. I understand that \nparticipation in these activities is voluntary and may expose \nme/my child to some risks(s). I assume responsibility for any risk \nof personal or property damages arising out of or related to \nmy/my child’s participation in this boating and/or other water \nrelated activity, including acts of negligence or otherwise. I \nfurther agree to hold harmless BPS and any of the individuals \nand other organizations associated with BPS in this activity from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "any claim or liability arising out of my/my child’s participation in \nthis activity. I authorize myself/my child to participate in the \nplanned components of the field trip to the extent indicated by \nmy signature below. \n➤ If the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and \nunderstand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \n \n ________________________________________________________________ ____________________________ \nStudent Signature \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "Page 13:\nSuperintendent’s Circular CAO-27 \nPage 13 of 13 \n \n➤ If the applicant is under 18 years of age, the following \nstatement must be read and signed by the student’s parent or \nlegal guardian: \nI certify that I am the parent/legal guardian of the applicant, \nthat I have read and understand the above Agreement, and that \nI accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \n ________________________________________________________________ ____________________________ \nParent/Guardian Signature \nDate \n \nEmergency Contact’s Name (other than parent/guardian):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-27 Water Activities on Field Trips", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI", + "content": "__________________________________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contact’s Telephone Number: _______________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-25 \nDATE: \nVersion 01 \n \nGUIDELINES FOR INTERNATIONAL FIELD TRIPS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that \ncould impact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(kdorseytwumasi2@bostonpublicschools.org) for \nassistance/guidance. \nThis Superintendent’s Circular provides instructions for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "implementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019. \n● This circular should be read AFTER the Superintendent’s \nCircular CAO-22, General Guidelines and Procedures for All \nField Trips, as additional guidelines are outlined there. \n● The principal/head of school (and/or the district \ndepartment lead sponsoring the trip) are responsible for \nensuring that all field trip policies and procedures as \noutlined in this circular and others are adhered to. \n● As soon as a trip opportunity becomes known, contact the \nDepartment of Global Education for support throughout \nthe planning process. The principal/head of school (and/or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 2:\n \nSuperintendent’s Circular CAO-25 \nPage 2 of 104 \nthe district department sponsoring the trip) and the \nprogram leader (lead chaperone) must review and \ncomplete checklists for this circular throughout the \nplanning process. Signed checklists must be kept on file at \nthe school. \nPLANNING PROCESS \nInternational Field Trip Program: An international field trip \nprogram is any trip off school grounds that involves travel to a \nlocation outside of the United States. International field trips \nmust be planned at least a year in advance to maximize \naffordability and fundraising efforts, and when possible, \nscheduled during non-school time (i.e., school vacations, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "summer). NEW: BPS international field trip programs require \nexecution by a reputable travel vendor and will require a vetting \nprocess by the Department of Global Education and BPS legal. \nTravel to ‘U. S. Territories, including Puerto Rico, the United States \nVirgin Islands, Guam, American Samoa, and Northern Mariana \nIslands are covered under international travel insurance. Travel to \nthese territories is subject to some forms and requirements in the \nCAO-25 International Field Trip guidelines, but only require \nPrincipal/Head of School approval. Consult with the Department \nof Global Education for required forms for these destinations. \nAPPROVAL PROCESS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "APPROVAL PROCESS \n• STEP 1: Interest Form & Consultation: \nAs soon as a trip opportunity becomes known, or there is \ninterest in an international travel program, teachers must \ncomplete an Interest Form from the Department of Global \nEducation, and inform their principal/head of school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 3:\n \nSuperintendent’s Circular CAO-25 \nPage 3 of 104 \nContact the Department of Global Education for support \nand guidance with the CAO-25 application, and throughout \nthe planning process. No arrangements should be made, \nmeetings held, payments, or deposits made without \nconsultation with the Department of Global Education and \nformal application approval from the Superintendent. \n• STEP 2: CAO-25 Application \nAfter consulting with the Department of Global Education \nand head of school, the CAO-25 application shall be \nsubmitted to the Director of Global Education no less than \n10-12 months before departure. The proposal and official" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "application must be completed, reviewed by the \nprincipal/head of school, and endorsed with an official letter \nfrom them. The application then requires approval by the \nDepartment of Global Education, which will then seek \napproval from the appropriate district leaders, before \nobtaining final approval from the Superintendent. Again, No \narrangements should be made, payments or deposits \nplaced without approval first from the Superintendent. You \ncannot gauge student interest or engage with families \nwithout program approval. District leadership and/or the \nSuperintendent may have questions about your application \nor ask that aspects of the proposal be changed or removed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "• STEP 3: Approval \nOnce the CAO-25 application is approved by the \nSuperintendent, in consult with your principal/head of \nschool, you may begin to promote the international \nprogram to students, families, and your school community. \nShould your itinerary, roster, or any other aspect of your \napproved application package change, you must notify the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 4:\n \nSuperintendent’s Circular CAO-25 \nPage 4 of 104 \nDepartment of Global Education in writing as soon as \npossible. \nSAFETY PREPAREDNESS \n• Travel Advisories/Warnings: Travel to countries cited as a \nLevel 3 or 4 in the United States Department of State Travel \nWarning Listing or the Center for Disease Control (CDC) are \nprohibited. For countries listed as a Level 2, consult the \nDepartment of Global Education in advance. The Boston \nPublic Health Commission and Department of Global \nEducation will continue to monitor country destinations for \nsafety. The program leader, principal/head of school are also \nresponsible for checking the State Department and CDC" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "throughout the trip planning process as levels change. \nPlease note: The Superintendent reserves the right to cancel \nany field trip up to and including the day of departure to \nmanage risk. \n• Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international BPS \nsponsored trips for BPS students, BPS staff participants, and \nchaperones. On Call will serve as the primary source for \nmedical insurance while abroad. However, in some cases, if \na hospital visit is required, students may be required to pay \nout of pocket, and be reimbursed by On Call later. Families \nwill want to budget for this just-in-case expense." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "The On Call insurance policy does NOT include cancellation \nor trip interruption insurance should the trip be canceled or \ninterrupted for any reason other than medical. \nCancellation/interruption must be due to the traveler \ngetting sick, injured, or someone in the traveler’s immediate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 5:\n \nSuperintendent’s Circular CAO-25 \nPage 5 of 104 \nfamily being sick, injured, or death. Students/Families would \nneed to show proof of a sickness/injury and the \nsickness/injury must be so disabling as to cause them to \ncancel/interrupt their trip. If there is a sickness/death for \ntheir family member they would need to show proof of that \ntoo. Save all receipts for flights/lodging for reimbursement \npurposes and a claim form would need to be filled out. \nFamilies will need to know in advance that Trip Cancellation \nhas a $2,000 limit, and Trip Interruption has a $2,500 limit. \nAgain, the superintendent reserves the right to cancel a trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "for any reason and at any time for safety purposes–Cancel \nfor Any Reason Insurance (CFAR) is NOT provided by the \ndistrict. Therefore, all trip participants are strongly \nencouraged to purchase their own (CFAR) insurance to \nprotect their trip investment. \nOn Call International provides overseas evacuation \ninsurance (enabling students who become seriously ill or for \nwhom there is some kind of emergency to be returned to \nthe United States). On Call International must coordinate, \napprove, and perform the evacuation. Emergency family \ntravel arrangements are covered up to a limit if the traveler \nis hospitalized for 2 or more days. \n• Informed Parental Consent, Associated Risks, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Indemnity: Families must sign the customized Informed \nParental Consent, Associated Risks, and Indemnity form \nexplicitly developed for their travel program by the director \nof Global Education and BPS Legal in collaboration with the \nprogram leader. The program leader is responsible for \ninitiating this form based on a template provided from the \nDepartment of Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 6:\n \nSuperintendent’s Circular CAO-25 \nPage 6 of 104 \n• District Training: Program leaders must attend training for \neffective in-field risk management and response practice. \nThis training is offered by the district once per year. Please \nemail the Department of Global Education for details. If you \nmiss the training, you must schedule a meeting with DGE to \nsupplement. \no While this training is mandatory for program leaders, it \nis recommended that one additional chaperone from \nthe team attend the training with the program leader. \nHowever, in cases where other chaperones (non-\nprogram leaders) are not able to attend the in-person" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "training (due to budget, space, or scheduling), it is \nexpected that they will receive training and \ninformation from pre-travel meetings/virtual webinars, \nand guidance from the Department of Global \nEducation and program leader in preparation for their \nrole. All chaperones will be required to review this \ndocument and participate in pre-travel meetings with \nthe Department of Global Education. \no CPR & First Aid: At least two chaperones (including the \nprogram leader) must hold valid CPR AND first aid \ncertification. The district will offer this training at least \nonce per year for program leaders. Please email the \nDepartment of Global Education for details. Ensure the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "availability of a first aid kit/supplies from the \nDepartment of Global Education. Verify emergency and \nmedical information and contact details. \n• STEP Program: Program leaders, or parents must register \nstudents and chaperones through the U.S. State \nDepartment’s STEP (Smart Traveler Enrollment Program) \nprogram. If you have non-U.S. citizens traveling with your" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 7:\n \nSuperintendent’s Circular CAO-25 \nPage 7 of 104 \ngroup, contact their respective embassies to see what \nservices they would provide these individuals in the event of \nan emergency. U.S. embassies abroad do not necessarily \nassist non-U.S. citizens in emergencies overseas. \n• Transportation: School buses or BPS approved \ntransportation vendors’ vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "utilized to transport students to and from field trips or \nathletic events, except in the case of a bona fide medical \nemergency. Refer to TRN-03 and CAO-22 for information \nand regulations on field trip transportation. \n• Itineraries: Upon advance review of itineraries, BPS reserves \nthe right to deny schools to participate in field trip activities \non their itinerary where the risks of the activity outweighs \nthe intended learning outcomes of the program. The \nprogram leader, in collaboration with the chaperone team, \nare required to submit a risk analysis for each part of the \nprogram that identifies the top 5 risks/concerns associated \nwith the program." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "with the program. \nGOVERNMENT RESOURCES TO SUPPORT PREPARATION \n• U.S. State Dept. Travel: www.travel.state.gov \n• Overseas Security Council: \nhttps://www.osac.gov/Pages/Home.aspx \n• U.S. State Dept. Passport Application: \nhttp://travel.state.gov/passport/" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 8:\n \nSuperintendent’s Circular CAO-25 \nPage 8 of 104 \n• U.S. State Dept. Medical: \nhttp://travel.state.gov/content/passports/english/go/checklis\nt.html#checklist_parentitem_1 \n• U.S. Embassies Abroad: www.usembassy.state.gov \n• Visa Req. for U.S. Citizens Abroad: \nhttp://travel.state.gov/content/visas/english/general/america\nns-traveling-abroad.html \n• Center for Disease Control Traveler’s Health: \nhttp://wwwnc.cdc.gov/travel/destinations/list.aspx \n• U.S. Customs & Border Protection: http://www.cbp.gov/ (877-\n227-5512) \nMEDICAL PREPARATION FOR SAFE TRAVEL \n• Doctor’s Visit: Prior to the trip, all students and chaperones \nmust inform their primary care doctor/travel clinic doctor of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "their trip location and have had a recent doctor’s visit and \nphysical exam prior to departure. If any student has a \nserious medical or mental health condition, please be sure \nthat their doctor writes a letter indicating that the child may \nsafely attend and participate in trip activities. There are \ncertain locations in the world where entry requires specific \nvaccinations, immunizations, and medications necessary for \nhealthy travel--in those cases--all participants will be \nrequired to obtain those vaccinations, immunizations, and \nmedications. \n• Medical Documentation: Chaperones must document and \ncarry all students’ medical information, including any" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "specialized immunizations or medications required by their \ndoctors for travel. Participants are also required to list all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 9:\n \nSuperintendent’s Circular CAO-25 \nPage 9 of 104 \nmedications that might be prescribed with this particular \nprogram in mind along with the other medications that \nthey may take regularly. Program leaders should send a \nfinal email to all participants to check on additional \nmedications added before departure. \n• School Nurse & Counselor Review: The program leader \nmust consult with the school leader to determine if, and \nwhat type of medical assistance is needed for participating \nstudents. To ensure accessibility, this step is crucial, and \nmust take place before the field trip is secured. For \nadditional questions, please consult the Health Services" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Department. Additionally, to thoroughly support a student's \nparticipation in a field trip, at least six weeks before \ndeparture (much longer for international and overnight field \ntrip programs), consult with and, when necessary, receive \ntraining from the school nurse regarding any students who \nhave medical needs. Also consult with the school counselor \nregarding mental and behavioral health needs. If any \nstudent has a serious medical or mental health condition, be \nsure that their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "activities. Keep this document on file with other key \npermissions slips and medical forms. \n• Nurse Verification Form: Review all students’ medical forms \nwith the school nurse and guidance counselor to ensure all \ndocuments are completed and to be sure you are in the \nstrongest position to support each student’s health while \nabroad. School nurses and counselors do not “clear” \nstudents for travel but will provide chaperones with \nguidance in supporting students while traveling. Consult" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 10:\n \nSuperintendent’s Circular CAO-25 \nPage 10 of 104 \nwith, and when necessary, receive training from and obtain \nwritten comments from the school nurse regarding any \nstudents who have expressed medical needs. Complete and \nsubmit the Nurse Verification form to the Department of \nGlobal Education. \nCHAPERONE CRITERIA \n• Role of the Program Leader (Lead Chaperone): The \nselection and approval of all chaperones is conducted by the \nprincipal/head of school. The program leader is a BPS \nemployee and the lead chaperone organizing and leading \nthe trip. The program leader is required to have experience \nleading, or co-leading BPS students (or students from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "another district) abroad previously and has the full support \nand approval of the principal/head of school to do so. The \nprogram leader leads the entire school team and is the main \nrepresentative of the group and district while abroad. The \nprogram leader is responsible for ensuring all guidelines in \nCAO-22 and CAO-25 are followed and keeping the \nprincipal/head of school and the district informed of trip \ndevelopments. The program leader is responsible for \ncompleting the International Field Trip Request Form and \naccompanying documents that are submitted to the \nprincipal/head of school and Department of Global \nEducation for approval. The program leader is also" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "responsible for organizing the chaperone team, student \nteam, and pre-departure meetings. \n• Chaperone Selection: Every adult on the trip must be a \nchaperone and have a clear role." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 11:\n \nSuperintendent’s Circular CAO-25 \nPage 11 of 104 \no Diverse Strengths: Choose a chaperone team \npurposefully and wisely, considering strengths and \nwhat each chaperone can contribute to the overall \nexperience. The goal is to have a well-rounded team of \nchaperones from different areas. We recommend that \nat least one member of the chaperone team — if not \nthe program leader — speak the local language of the \ncountry visited. For example, consider chaperones who \nhave visited the country before, and one who speaks \nthe local language. Additionally, consider chaperones \nwho are subject matter experts in the topic being \nexplored, or who have professional medical/social" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "emotional health experience. Efforts should be made \nfor chaperones to be representative of the student \ngroup and include males and females where relevant. \no Knowledge of Students: The selection and approval of \nchaperones by the principal/head of school should also \nbe based on the individuals’ knowledge of, and rapport \nwith, most of the student participants. \n• Chaperone Ratios: For international programs, the student-\nto-chaperone ratio is 7:1, with a two-chaperone minimum. It \nis recommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to \nparticipate at the last minute or must leave the field. The" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "reserve chaperone should have a valid passport and visa to \ntravel to the destination. Tour guides and employees of \nthird-party vendors contracted to help operate the trip are \nnot considered chaperones, and do not factor into the \nstudent to chaperone ratio. All BPS and non-BPS \nchaperones are required to sign the Chaperone Agreement \nform. Refer to CAO-22 for additional chaperone criteria." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 12:\n \nSuperintendent’s Circular CAO-25 \nPage 12 of 104 \n• Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form online. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the \nlead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "employees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. \n• BPS Employee Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL of the student \nparticipants. If a BPS chaperone’s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS employee is \nresponsible for incurring all costs associated with their \nchild’s participation. \nPASSPORTS & VISAS \n• Check Student & Chaperone Passports: During the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "recruitment process, physically check all students’ passports \nwell before your travel date to ensure that they are valid for \ntravel and will be valid at least six months after your return \ndate. Students must renew or apply for a first-time passport \nas soon as possible as the process can be lengthy." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 13:\n \nSuperintendent’s Circular CAO-25 \nPage 13 of 104 \n• Non-U.S. Passports: Determine who holds a non-U.S. \npassport. There are many countries that do not require U.S. \npassport holders to have a visa but require them for NON-\nU.S. passport holders. There are also countries that might \nrequire Americans to obtain a visa but do not require one for \na non-U.S. passport holder. Identify the countries from \nwhich your travelers hold passports, as they might be \nquestioned in customs or might have to contact other \nconsulates if they lose their passports abroad. *Also plan for \ndelays at border control at the airport for non-US passport \nholders." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "holders. \n• Visa Requirements: Research if your destination requires a \nvisa. Every country has a different application and timeline \nfor obtaining a visa. \n• Parent Passports: Encourage parents to obtain valid \npassports and visas should they need to travel to the \ncountry for their child during an emergency. \n• Copy Passports: Copies of student and chaperone passports \nand visas must be left with families, and the principal/head \nof school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 14:\n \nSuperintendent’s Circular CAO-25 \nPage 14 of 104 \nSTUDENT ACCESSIBILITY, PARTICIPATION, AND CONDUCT \nStudent Participation: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit friends, \nrelatives etc., and rejoin the group. Students must remain with \nthe group at all times. \n• Essential Participation Criteria: Before student recruitment \nbegins, the program leader and principal/head of school \nshall work together to establish essential participation \ncriteria for the trip that informs students and parents of the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "program objectives, all of the activities and risks associated \nwith each itinerary activity, and trip location, to determine \nwhat accommodations or modifications may need to be \nmade for students to successfully and safely participation in \nall or portions of the trip. \n• Student Recruitment: By default, any program is open to all \nstudents. However, there may be programs that are specific \nto certain students (i.e., class, club, team, grade level specific \ntrips) with the consultation of the program leader and head \nof school that keeps in mind financial accessibility, diversity, \nand equity. The recruitment process must be transparent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "and fair. The chaperone team must create an environment \nand structures to support all students. Trips must be \nadvertised to all students (within the school, particular \ngrade, class, or program associated with the trip), regardless \nof their financial situation. If there is a formal process for \nbeing enrolled on your trip, such as an application, it must \nfirst be approved by the head of school and have a clear \nrubric that demonstrates the essential criteria for an \napplicant. A student’s ability to pay may not be a criterion" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 15:\n \nSuperintendent’s Circular CAO-25 \nPage 15 of 104 \nfor field trip participation. If a student is denied admission to \na trip, be prepared to speak to the student, administration, \nor family if there are questions about your selection process. \nKeep a record of all applications and decisions made. \nAccessibility \n• Field Trip Location Selection: Program leaders must \nconsider their student demographics when selecting field \ntrip locations, sites, and activities. The location of the trip \nmust tie directly to the objectives and learning outcomes of \nthe program. Specifically, determine the impact the \nlocations, sites, and activities that may have on diverse" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "populations such as students of color, ELL students, \nstudents who identify with the LGBTQIA+ community, \nstudents with disabilities, those who may be in the minority \nduring your field trip experience, and those students who \nbelong to groups that have experienced marginalization in \nthe location being visited. Program leaders must work to \nprepare students for sensitive experiences and ensure that \nthe program is safe and inclusive for all students. Consult \nthe Department of Global Education for resources if needed. \n• Access and Inclusion: Students with English Language \nLearner status, 504 plans, and/or IEPs cannot be denied" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "access to field trips due to their ability. It is the responsibility \nof the school to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent’s Circular SHS-08 Medication \nAdministration for information about medical dispensation \non field trips. Participating students’ IEP or 504 plan shall be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 16:\n \nSuperintendent’s Circular CAO-25 \nPage 16 of 104 \navailable to any staff coordinating and/or participating in \nthe field trip to meet the child’s needs. \n• Student Health: If a student has a serious medical or mental \nhealth condition, please be sure that their doctor is \ninformed of the essential participation criteria and location \nof the trip and writes a signed letter on letterhead indicating \nthat the child may safely attend and participate in trip \nactivities. The program leader must keep this document on \nfile with other key permissions slips and medical forms. \nAgain, also consult with your school nurse at least 6 weeks \nin advance." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "in advance. \n• Inclusive Accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent’s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents (e.g., airline ticket, passport) \nreflect their legal names as listed on government issued \nidentification, while all unofficial documents and materials \nmay reflect the student’s preferred name. Please view \nadditional rooming guidelines from the Office of Equity. \nCONDUCT" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "CONDUCT \nThe BPS Code of Conduct applies on all field trips. BPS students \nand parents are required to sign a BPS Student Traveler & Family \nAgreement Form regarding student conduct while participating \nin a BPS sponsored field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 17:\n \nSuperintendent’s Circular CAO-25 \nPage 17 of 104 \nCentral Office staff, determines that a student’s conduct while on \nan overnight trip poses a risk to themselves or the safety of the \ngroup, or is no longer manageable by BPS staff in the field, the \ndistrict reserves the right to request and arrange for that student \nto return home. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the costs \nassociated with their child’s return. Students may be subject to \nfurther disciplinary action and will be provided the opportunity to \nhave a formal hearing at the school level upon return. The school" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "must document the parent/guardian’s consent of this policy prior \nto the trip. \n• Dismissal Transportation Protocol: If a student is to be \ndismissed from an overnight field trip, the student’s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student’s principal/head of school or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "unaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \nProgram leaders must inform families of this protocol at or \nbefore initial promotional meetings. \n• Pre-departure Program Dismissal: In the event a student is \nto be dismissed from an international field trip program \nbefore departure, a Pre-departure Incident Report must be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 18:\n \nSuperintendent’s Circular CAO-25 \nPage 18 of 104 \nsubmitted to the Department of Global Education (DGE). A \nchaperone cannot dismiss a student from a trip without \napproval from the principal/head of school. The \nprincipal/head of school must approve the recommendation \nfor dismissal by signing the pre-departure incident report. \nThe report should then be filed with the DGE, who will \nreview and file the report. Any loss of fees or deposits \nassociated with early dismissal will be absorbed by the \nfamily, which must be communicated before any deposits \nare made by families. Program leaders must inform families \nof this protocol at or before initial promotional meetings." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "PRE-DEPARTURE MEETINGS \n• Student Meetings: Program leaders must conduct at least \nthree (more are recommended) student meetings before \ndeparture. This does not include the mandatory parent \nmeeting; however, students should be encouraged to \nattend the parent meeting as well. Meetings should review \nlogistics and prepare students to be mindful, healthy, \nresponsible, and safe travelers. Most programs hold many \nmore meetings to prepare students for the challenges and \nrewards of the travel experience. \n• Parent Meetings: Program leaders must conduct at least \none (more are recommended) parent/guardian meeting \n(with each family, or all families together). This does not" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "include the initial meeting to promote the trip. Please note \nthat if traveling to a Level 2 destination issued by the Center \nfor Disease Control (CDC) or State Department, the program \nleader is required to inform parents of the medical or safety \nconcerns and precautionary plan. Please consult with the \nDepartment of Global Education before this meeting. For" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 19:\n \nSuperintendent’s Circular CAO-25 \nPage 19 of 104 \ninformation on staying healthy while traveling, go to the \nCDC page on Travelers’ Health/Medical Tourism. Your entire \ngroup and their families must attend a mandatory \ninformation session. All chaperones should be present and \nplay a role in this meeting. \n• Meeting Topics: During pre-departure meetings, the \nfollowing topics must be reviewed (others may be discussed \nat the lead chaperone’s discretion): \n○ Trip’s educational purpose \n○ Behavior expectations \n○ Detailed itinerary \n○ Review of country landscape (health, cultural norms, \nsafety, and security) \n○ Insurance coverage \n○ Required travel documents \n○ Packing list" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "○ Required travel documents \n○ Packing list \n○ Communication plan and emergency contact \ninformation \n○ Transportation plans and logistics \n○ Review and collect permission forms \n○ Meals and accommodations \n○ In-country transport (be specific, as modes of transport \nvary country to country) \n○ Expectations for in-country expenses and procedures \nto exchange money, if applicable \n○ Passport and visa requirements, if applicable \n○ Program provider documents. \nContact the Department of Global Education for sample meeting \nagendas and templates and support with meeting agendas. \nImportant Meeting Notes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 20:\n \nSuperintendent’s Circular CAO-25 \nPage 20 of 104 \n● Document parent/family attendance. \n● Utilize zoom meetings when necessary. \n● Develop a plan for families who may need translation \nservices at the meeting; students should not serve as their \nparent/guardian’s translator. \n● If a parent/guardian is unable to attend a meeting, at least \none trip chaperone (who is a BPS employee) must \nphysically meet with the parent/guardian about the trip \nbefore taking the student abroad. Document this private \nmeeting for your records. \nChaperone Team Meetings: \nProgram leaders must conduct at least three pre-departure \nchaperone team meetings. Meeting topics to include:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "○ Assign chaperone roles for pre, during, and post trip; \n○ Review Emergency Action Plan (EAP) and insurance \ncoverage; \n○ Student paperwork (Binders) \n○ Participants \n○ Student Code of Conduct Agreement \n○ The Pre-Departure Incident Report and the incident \nreport form for while on the trip \n○ For non-BPS employee chaperones, review their \nknowledge of BPS policies and chaperone expectations \n○ Review detailed itinerary \n○ Distribute responsibilities \n○ Map out plans that include movement from one place \nto another and program transitions. \n○ Determine if there are any students who require extra \nsupport, or physical/medical accommodations" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 21:\n \nSuperintendent’s Circular CAO-25 \nPage 21 of 104 \n○ Review with the team any recommendations, advice, \nor instructions that you have received from the school \nnurse, guidance counselor, parent, or primary care \ndoctor. \nNon-BPS Chaperones: \nAlong with CORI/SORI clearance they must schedule a \nconsult with the Department of Global Education at least 8 \nweeks prior to departure and attend at least one pre-trip \nparent meeting and at least one student meeting. \nAll non-BPS chaperones must know the details of the trip, \nthe Emergency Action Plan (EAP), the BPS Code of Conduct, \nand other district and school-based rules. The program" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "leader must be sure all non-BPS chaperones understand \nBPS rules and schedule a consult with the Department of \nGlobal Education. \nCOMMUNICATION PLAN \n• International Phone Service Coverage: Program leaders \nmust have international cell phone coverage for the \nduration of the trip for communication with BPS and \nfamilies in the event of an emergency. This cell phone must \nbe on at all times so you may be contacted in case of an \nemergency. If this is not possible due to your location, please \narrange a communication plan with your principal/head of \nschool and the Department of Global Education. If such \ninternational coverage requires you to purchase an" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "international plan or to accrue additional costs due to the \ntrip, please submit your receipts to the BPS Finance Office \nfor reimbursement. Program leaders must also carry the \nphone numbers for the principal/head of school or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 22:\n \nSuperintendent’s Circular CAO-25 \nPage 22 of 104 \nsponsoring district department, and the Department of \nGlobal Education. You are required to call your head of \nschool and the Department of Global Education anytime \nthere is an emergency. \n• District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment, and the Director of Global Education prior to \ndeparture. The director of Global Education will initiate a \ngroup chat with the program leader, and head of school on \nWhatsApp. You must check in with the Director of Global \nEducation via phone, text (download WhatsApp for free for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "messaging), or email upon arrival, every 48 hours, whenever \nthe itinerary significantly changes, whenever you expect to \nlose cell/email coverage, upon departure, and upon safe \nreturn. You MUST check in via phone call to your Head of \nSchool and the Department of Global Education when there \nis an incident. \n• Definitions of communication types and expectations:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 23:\n \nSuperintendent’s Circular CAO-25 \nPage 23 of 104 \n \nGreen Communication: No immediate concern. \nProgram leader: Notifies head of school and on-call BPS \nstaff about arrival, departure, changes in itinerary, loss of \nconnectivity, highlights of programs, photos. *Check in daily \nvia text, phone call, email. \nYellow Communication: A Yellow Call is a reportable situation or \nevent, but no threat to life, limb, eyesight, or potential for severe \nemotional trauma. The incident is managed effectively in the \nfield by program leader, but could devolve to a serious or critical \nincident, and requires attention from BPS on-call staff." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Program leader: (1) Notifies Head of School and on-call BPS \nstaff; (2) Documents Incident SOAP Report (3) Monitors (4) \nUpdates on-call BPS staff \nRed Communication: Critical, violent time sensitive incident, \nillness, injury; or event that resulted in loss or potential loss of life, \nlimb, eyesight. Student disciplinary violations. \nRequires IMMEDIATE RESPONSE of program leader: (1) \nAlerts appropriate local medical care, local law enforcement, \nand/or shelter, triggers insurance support if able to do so. (2) \nNotifies head of school and on-call BPS staff; (3) Documents \nIncident SOAP Report (4) Monitors (5) Updates head of \nschool and on-call BPS staff" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "school and on-call BPS staff \nRefer to BPS International Field Trip Communication Plan for \nmore information. \n• Communication with Families: Set expectations regarding \ncommunication during travel between chaperones/student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 24:\n \nSuperintendent’s Circular CAO-25 \nPage 24 of 104 \ntravelers and the principal/families. Families must know \nwhom to call 24/7 in case of an emergency. If you need \nsupport in family communication before, during, and after \nthe trip, contact the Department of Global Education. \n• Communication with Students: Set and remind students \nand families of the expectations for social media usage \nwhile abroad. Discuss what is, and is not acceptable for \nposting, recording, and sharing on social media. Make clear \nthe boundaries, confidentiality, and privacy of other \nstudents, staff members, and visiting communities as it \npertains to social media footage. These expectations should" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "be discussed several times during the pre-departure \nmeetings and while in the field. *Remember that the BPS \nCode of Conduct is applicable. \nDOCUMENTATION & FORMS \n● Documents for Students & Families: Prepare, distribute to, \nand collect from each participating student and chaperone \nthe following: \n○ Parental Authorization for International Field Trip form \n○ Medical Information Form \n○ Medication Administration Form \n○ Chaperone Agreement Form \n○ Student & Family Conduct Agreement Form \n○ Student Support for Field Trip Travel Form \n○ Any Parental Waivers associated with your program. \n○ If applicable, prepare, distribute, and collect the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Notarized Parent/Guardian Airline Travel Consent \nForm. (Some countries, airlines, and travel companies" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 25:\n \nSuperintendent’s Circular CAO-25 \nPage 25 of 104 \nrequire this. Research your particular trip to see if this \napplies.) \n○ If your program includes a homestay, refer to CAO-26 \nHomestay Guidelines for required forms. \n● Documents to Submit to Central Office Approval: The \nfollowing documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation for the program to be reviewed, and the \nnecessary signatures obtained for approval. You must send \nyour completed application to the Department of Global \nEducation for review and feedback prior to final submission. \nBelow is an overview of the required documents. A more" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "detailed list is included in the application section of this \ncircular. \n○ CAO-25 International Field Trip Request Form (with \noriginal signature of the Headmaster/Principal or \nsponsoring District Department, and Program Leader) \n○ Signed Cover Letter (on school letterhead) addressed \nto the superintendent and Department of Education \nfrom the principal/head of school/district department \nlead stating support for the proposed trip. \n○ International trip narrative: \n■ What was the student recruitment and selection \nprocess? \n■ What are the student learning outcomes of your \nprogram? \n■ How will this program build students’ global \ncompetence (investigate the world, communicate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "competence (investigate the world, communicate \nideas, weigh perspective, take action: identify all \nthat apply and how they will be addressed \nthrough your program)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 26:\n \nSuperintendent’s Circular CAO-25 \nPage 26 of 104 \n■ What specific standards are addressed in your \nprogram, and how will they be addressed? \n■ How and when will your students reflect on what \nthey learned from this experience? \n○ Itinerary (detailed): Day-by-day and hour by hour (or \nmorning/afternoon/evening) format providing detailed \ninformation about program (i.e. \nhotels/accommodations, sites visited, activities \nplanned, meetings held, curfew set, and meals \nscheduled for the morning, afternoon, and evening) \n○ Emergency Action Plan \n○ Nurse Verification Form \n○ CAO-25 Acknowledgment Form \n○ Tentative Student Traveler Roster: [Prior to departure," + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "the program leader must submit a FINAL roster of all \nconfirmed student travelers that includes: BPS ID, their \nname, grade, age, D.O.B, the country in which their \npassport is issued, emergency contact name and \nnumber, and (NEW) if student is traveling abroad for \nthe first time. \nImportant Note: **Submit documents for Water Activities \n(CAO-27)) if applicable.* While you do not need to submit \nto the central office a copy of each Parental Authorization \nfor International Field Trip permission, this form must be \non file at your school when your trip request is submitted \nto the district office. \n● Documents to Leave with your principal/head of school:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "○ CAO-25 circular with checklists \n○ Permissions Slips (updated based on contact \nverification done with families)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 27:\n \nSuperintendent’s Circular CAO-25 \nPage 27 of 104 \n○ Student & Family Conduct Agreement Form \n○ Parental Waivers \n○ Medical Information Form and Medical Administration \nForm \n○ Notarized Airline Consent Form (if applicable) \n○ Copies of passports, visas, resident cards and other \ntravel related documents \n○ Emergency Action Plan (EAP) \n○ Insurance Information \n○ Fire Prevention and Safety Information \n○ International Program Incident Report (blank for \nreference) \n○ Finalized Homestay List and other homestay \ndocuments (if applicable) \n○ Water Activities Forms (if applicable) \n● Documents to Take Abroad: \n○ Permissions Slips (updated based on contact" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "○ Permissions Slips (updated based on contact \nverification done with families) \n○ Medical Information Form and Medical Administration \nForm \n○ Student & Family Conduct Agreement Form \n○ Parental Waivers \n○ Notarized Airline Consent Form (if applicable) \n○ Copies of passports, visas, resident cards and other \ntravel related documents \n○ Emergency Action Plan (EAP) \n○ Insurance Information \n○ BPS Field Guide Protocols with Emergency Phone \nNumbers \n○ Fire Prevention and Safety Information" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 28:\n \nSuperintendent’s Circular CAO-25 \nPage 28 of 104 \n○ International Programs Incident Report (blank and/or \ncompleted) \n○ International Witness Report Form (blank and/or \ncompleted) \n○ Incident Investigation Log (blank and/or completed) \n○ SOAP Note (blank and/or completed) \n○ List of addresses and emergency contacts in country \nfor all travelers \n○ Homestay documents, if applicable \n○ Water activities form, if applicable \n○ Program leader carries originals of permission slips and \nmedical forms; other chaperones carry copies. \nDURING THE FIELD TRIP PROGRAM \n● Team Safety: If you believe conditions are unsafe or \nunhealthy at any point on the trip, it is the program leader’s" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "responsibility to make adjustments in the interest of \ngroup/individual safety. Consult the Department of Global \nEducation during the trip when you have questions \nregarding trip safety. \n● Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n○ Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nthe assessment with the chaperone team and prepare \nfor orientation and fire drill. \n○ Share evacuation plan and emergency plans. Discuss \nwhere students go during an emergency or otherwise." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 29:\n \nSuperintendent’s Circular CAO-25 \nPage 29 of 104 \nDiscuss where students go if they are separated from \nthe group during an activity. \n○ Ensure students have a list of the key addresses \n(hotel/chaperone/host family contact information) and \nemergency information for the US and the \ninternational destination as well as copies of all travel \ndocuments. Share where you are staying (room \nnumber if applicable) and how to reach you on the trip. \n○ Conduct in-country orientation for conduct and \ncultural expectations. Set expectations regarding social \nmedia. This is especially critical during an emergency. \n○ Conduct safety orientations for service learning" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "projects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating \nand for agricultural projects; chaperones, with support \nof program providers, must conduct a safety \norientation at the beginning of each activity. \n● Student Debriefs/Reflections: \n○ Conduct morning briefings to review the day’s itinerary \nand key information. Ask and answer questions. \n○ Conduct afternoon and/or evening debriefings to \nreview the next day’s itinerary, gather feedback, \nprocess the day’s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "reflect and break down stereotypes so that when they \nreturn, they have a deeper understanding of the \nculture and country they visited. Draw connections to \nhow they will take the experience home with them, \nand how the lessons they have learned will translate \nback home." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 30:\n \nSuperintendent’s Circular CAO-25 \nPage 30 of 104 \n● Check-Ins and Student Supervision: \n○ Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n○ Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n○ Conduct nightly bed checks to ensure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel, be sure to request in advance for students \nto be placed near chaperones. If students are with host \nfamilies, share the BPS policy of nightly bed checks to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "ensure students are safely in their rooms each night. \nStudents should know exactly how to get in touch with \na chaperone in case of an emergency (room number or \nphone number if staying with a host family). \n○ Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful \nabout romantic relationships among students. \n○ Do not leave students alone! Students should be \naccompanied by chaperones (or if applicable, host \nfamilies and students) unless part of a scheduled \nactivity and age appropriate, as approved by their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "parent/guardian in advance. However, if \nunaccompanied as part of a scheduled and structured \nactivity, students should be in at least groups of three, \nAND always know how to reach an adult chaperone. \n○ Conduct regular, frequent headcounts and buddy \nchecks throughout the day." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 31:\n \nSuperintendent’s Circular CAO-25 \nPage 31 of 104 \nINTERNATIONAL PROGRAM INCIDENT REPORTING AND \nSUPPORT \nContact your head of school and the Department of Global \nEducation for any emergency that results in the admittance of a \nstudent or chaperone to a hospital or clinic, or if you fear for the \nsafety of anyone on your trip at any time. When in doubt, call! \nEmergencies may be of a medical, environmental, political, \nbehavioral, legal, logistical, or other nature. You MUST check in \nvia phone call to the Department of Global Education when there \nis an incident. Refer to BPS International Field Trip \nCommunication Plan for more information." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 85, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Communication Plan for more information. \n[NEW] Examples of incidents (this is not an exhaustive list): \nGreen Examples: Positive group gains, dynamic and culture, \nmedia coverage \nYellow Examples: Fever, loss of passport, diarrhea, \nconstipation, vomiting when prescription medication is \nadministered by BPS staff, lost/damaged/insufficient \nprescription medication, tooth loss/ crack/chip, animal or \ninsect encounters that could potentially result in injury, any \ntime insurance is used or consulted, insect bites or stings \nout of the ordinary, lost or stolen luggage, challenges in \nCustoms. \nRed Examples: Sexual assault, terrorism, missing person," + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 86, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "crime/theft; head injury, loss of consciousness, contraction \nof parasite and/or infestation, animal bites, transportation \naccident, severe allergic reaction, exposure to any \ncommunicable diseases, eye injury, heat exhaustion/stroke, \nhyperthermia, significant violations of student/chaperone \nconduct contract (fighting, alcohol, drug use, possession of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 87, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 32:\n \nSuperintendent’s Circular CAO-25 \nPage 32 of 104 \nweapons, bullying, harassment, persistent behavior from \nparticipant that is disruptive, poses a risk to team and the \nsuccess of the program), severe weather, exposure to any \ntoxic or potentially toxic chemical/irritant \n➤ Note: This list is not exhaustive. Any additional incident not \nlisted but deemed unusual or potentially harmful by the program \nleader, should be reported. Yellow incidents have the potential to \nquickly progress to Red incidents. Thus, yellow incidents should \nbe monitored closely, and On-Call BPS staff should be kept \nabreast of any updates, and changes in status." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 88, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "abreast of any updates, and changes in status. \nFile an International Program Incident Report via email if possible \nOR as soon as circumstances permit. Utilize the SOAP note, \nwitness reports and incident investigation logs as necessary. Turn \nin the original reports to the Department of Global Education as \nsoon as you return to Boston. When incidents occur, it is critical \nthat everything is documented. \nAFTER THE FIELD TRIP (MANDATORY) \n● Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 89, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "(and inform parents/guardians) to see a doctor immediately \nif they are not feeling well after the trip and to inform the \ndoctor of their recent travels. \n● Incident Reports: If applicable, file and follow up with \nInternational Programs Incident Report, International \nPrograms Witness Report and International Programs \nIncident Log." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 90, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 33:\n \nSuperintendent’s Circular CAO-25 \nPage 33 of 104 \n● District Survey: Complete the BPS Post-International \nProgram Survey to provide feedback on your experience. \nAFTER THE FIELD TRIP (SUGGESTED) \n● Write thank you notes. \n● Present to school, family, and the community about the \nexperience. \n● Conduct related creative and/or analytical projects to \nshowcase student learning. \n● Write a news article about the trip for a local newspaper or \nwebsite. \n● Email stories, journals, and pictures of your trip to the \nDepartment of Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 91, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 34:\n \nSuperintendent’s Circular CAO-25 \nPage 34 of 104 \n \nFor more information, questions, and support about this \ncircular, please contact: \nOwner: \nChief of Teaching and Learning \nDepartment: \nDepartment of Global Education \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n315-601-0292 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 92, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 35:\n \nSuperintendent’s Circular CAO-25 \nPage 35 of 104 \nINTERNATIONAL FIELD TRIP CHECKLIST \nField Trip Category(s): ____________________________________________ \n(For category, see CAO-22.) \nSite: _____________________________________________________________ \n \n \nDate: __________________________________ \n \nAlternate Date: _________________________ \n \nItem \nComplete? \nReview Superintendent Circular No. CAO-22, \nGeneral Guidelines and Procedures for All Field \nTrips. \n \nReview Superintendent’s Circular on Medical \nEmergency Management, FSE-05 and Incident \nData-Reporting and Release, SAF-04 for \nimportant safety protocols. While on the trip, the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 93, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Department of Global Education must be notified \nin the event of a serious incident or emergency \nand should be used as a resource for questions \nregarding safety on international field trips. \n \nSelect a site and investigate the appropriateness \nof the site in relation to the category of field trip. \n \n \nCAO-25 ACKNOWLEDGEMENT FORM" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 94, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 36:\n \nSuperintendent’s Circular CAO-25 \nPage 36 of 104 \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \nSchool Name: ____________________________________________________ \n \n_______________________________________________ __________________ \n \nSignature of Program Leader \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 95, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Signature of Program Leader \nDate \n \n_______________________________________________ __________________ \nSignature of Principal/Head of School or \n Date \n \nSponsoring District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 96, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 37:\n \nSuperintendent’s Circular CAO-25 \nPage 37 of 104 \nINTERNATIONAL FIELD TRIP REQUEST DOCUMENT CHECKLIST \nThe following documents must be submitted at least 10-12 \nmonths in advance of the trip to the Department of Global \nEducation so that the trip may be reviewed and the necessary \nsignatures may be obtained. Complete this application with as \nmuch information and detail as you have available. Should \nadditional and final details become available later, please update \nthe Department of Global Education as soon as possible. It is \nrecommended that you send drafts of these documents to the \nDepartment of Global Education for review and feedback prior to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 97, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "final submission. Please type all documents and retain copies of \nall documents submitted. \nDocuments to Submit to the Department of Global Education \nfor Approval \n1. International Field Trip Request Form (with original \nsignature of the principal/head of school or sponsoring \ndistrict department, and program leader) \n2. Signed Cover letter (on school letterhead) addressed to the \nsuperintendent and Department of Education from the \nprincipal/head of school/district department lead stating \nsupport for the proposed trip. \n3. International Trip Narrative Educational Goals (please be \ndetailed): \na. What is the purpose of this international program?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 98, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Why is it necessary, and why is this specific location \nrelevant? \nb. What are the student learning outcomes of your \nprogram?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 99, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 38:\n \nSuperintendent’s Circular CAO-25 \nPage 38 of 104 \nc. How will this program build students’ global \ncompetence (investigate the world, communicate \nideas, weigh perspective, take action: identify all that \napply and how they will be addressed through your \nprogram). \nd. What specific standards are addressed in your \nprogram, and how will they be addressed? \ne. Describe the student recruitment and selection \nprocess? How did you ensure the process was \nequitable and inclusive? \nf. How and when will your students reflect on what they \nlearned from this experience? \n4. Itinerary \na. Day-by-day and hour by hour (or morning/afternoon/" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 100, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "evening) format providing detailed information about \nprogram (i.e., sites visited, activities planned, meetings \nheld, curfew set, and meals scheduled for the morning, \nafternoon, and evening) \n5. Emergency Action Plan \n6. Nurse Verification Form \n7. CAO-25 Acknowledgment Form \n8. Tentative Student Traveler Roster (Prior to departure, the \nprogram leader must submit a FINAL roster of all confirmed \nstudent travelers that includes: BPS ID, their name, grade, \nage, D.O.B, the country in which their passport is issued, \nemergency contact name and number, and if student is \ntraveling abroad for the first time. \nImportant Note: Submit documents for Water Activities" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 101, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "(CAO-27) and/or Homestays (CAO-26) if applicable." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 102, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 39:\n \nSuperintendent’s Circular CAO-25 \nPage 39 of 104" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 103, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 40:\n \nSuperintendent’s Circular CAO-25 \nPage 40 of 104 \n \nINTERNATIONAL FIELD TRIP REQUEST FORM \n(This form along with all accompanying documents listed in this \ncircular must be completed by the lead chaperone in \nconsultation with the principal/head of school. It is submitted to \nthe Department of Global Education at least four months prior to \nthe trip.) \nSchool/District Department: _____________________________________ \n \nHead of School /Principal Information: \nName: ______________________________________________________ \nCell phone: __________________________________________________ \nEmail: _______________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 104, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Select Field Trip Category (See CAO-22 for descriptions): \n● Instructional \n● Cultural \n● Community Building \n● Service Learning \n● Personal Growth & Development \nProgram Destination(s): Include exact cities, or regions: \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 105, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 41:\n \nSuperintendent’s Circular CAO-25 \nPage 41 of 104 \nDates of Trip: \nDeparture Date: ________________ Return Date: ___________________ \nStudent Data: Send complete student roster to Dept. of Global \nEducation before travel. Roster must include D.O.B, grade, \ncountry of passport issuance, emergency contact name and \nnumber. \nNumber of Students: ________________ \n \nNumber of First Time Student International Travelers: _______ \n \nChaperone Data: Chaperones: 7:1 ratio and minimum of 2 \nchaperones \nInformation \nProgram Leader \nChaperone \nChaperone \nName \n \n \n \nCell Phone \nNumber \n \n \n \nBPS \nEmployee \n(Y/N) \n(Y/N) \n(Y/N) \nBack up #" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 106, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 42:\n \nSuperintendent’s Circular CAO-25 \nPage 42 of 104 \n \nInformation \nChaperone \nChaperone \nChaperone \nName \n \n \n \nNumber \n \n \n \nBPS \nEmployee \n(Y/N) \n(Y/N) \n(Y/N) \nBack Up # \n \n \n \n \nInformation \nChaperone \nChaperone \nChaperone \nName \n \n \n \nNumber \n \n \n \nBPS \nEmployee \n(Y/N) \n(Y/N) \n(Y/N) \nBack Up # \n \n \n \n \nFunding \nPlease note that: A criterion for participation, may not be the \nstudent and their family’s ability to pay. Also “100” school funds \nmay not be used for international trips. \nCost Per Person: _________________________________ \n \nTotal Cost: $ _____________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 107, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 43:\n \nSuperintendent’s Circular CAO-25 \nPage 43 of 104 \nFunding Source(s): \n(List funding sources below. Please detail how the trip was paid \nfor and how students had access to this trip regardless of the \ntrip’s cost.) \n \n \n \nGrant name/Grant Number (if applicable): _______________________ \n \nFundraise with Private Grants BEDF Account Code/Description (if \napplicable): _______________________________________________________ \n \nCountry/Site Information \nCountry(s) to be visited: \n \nIs this country(s) listed on the \nUnited States Department of \nState Travel warning list? \n \nIs this country(s) listed on the \nCenter for Disease Control \n(CDC) warning list?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 108, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "(CDC) warning list? \n \nIn-Country/Site Contact Person \nand Title/Role: \n \nIn-Country/Site Telephone # \n \nIn-Country/Site Email Address" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 109, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 44:\n \nSuperintendent’s Circular CAO-25 \nPage 44 of 104 \nNative language of in-\ncountry/site contact person \n \nCan the in-country/site contact \nperson speak English? \n \n \nHas your travel vendor/partner been vetted by the Department of \nGlobal Education/BPS Legal?  Yes  No \nVendor Name: ______________________________________________ \nVendor Contact Name: ______________________________________ \nVendor Contact Number & Email: ___________________________ \nAIRLINE TRANSPORTATION TO INTERNATIONAL DESTINATION \n(Please note: You may include your flight reservation as an \nattachment; however, the following section must still be \ncompleted.) \nDeparting flight from US/Boston:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 110, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "completed.) \nDeparting flight from US/Boston: \nDeparture Date \n \nDeparture Time \n \nDeparture Location \n \nDeparture Airlines \n \nFlight Number \n \nDeparting Flight \nArrival Date" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 111, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 45:\n \nSuperintendent’s Circular CAO-25 \nPage 45 of 104 \nArrival Time \n \nArrival Location \n \nReturn flight to US/Boston \nReturn Date \n \nReturn Time \n \nReturn Location \n \nReturn Airlines \n \nFlight Number \n \nReturn Flight Arrival \nDate \n \nArrival Time \n \nArrival Location \n \nAdditional Transportation in the U.S. (i.e., to and from airport): \nWill you be providing transportation for students to and from the \nairport? ▢ Yes ▢ No \nIf no, how will students get to and from the U.S. airport? \n __________________________________________________________________ \n __________________________________________________________________ \nIf yes, please complete the chart below." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 112, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 46:\n \nSuperintendent’s Circular CAO-25 \nPage 46 of 104 \nMode of \nTransportation \n \nTransportation Co. \n \nBPS Vendor # \n \nCompany Number \n \nPickup Location \n \nPickup time \n \n \nTransportation to International Destination (other than airplane): \nMode of \nTransportation \n \nTransportation Co. \n \nBPS Vendor # \n \nCompany Number \n \nPickup Location \n \nPickup time \n \nWhere will you be \ntransported to? \n(Address of hotel, or \ndrop off site) \n \n \nTransportation in Foreign Country \nAll modes of transportation arranged within the foreign country:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 113, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 47:\n \nSuperintendent’s Circular CAO-25 \nPage 47 of 104 \n \n \nIN-COUNTRY LODGING INFORMATION \nPrimary Lodging \nContact information if students will be staying in a hotel or \nhostel: Itinerary must provide detailed information regarding \nlodging each night. \nName of site \n \nAddress \n \nNumber \n \nDates \n \n \nName of site \n \nAddress \n \nNumber \n \nDates" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 114, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 48:\n \nSuperintendent’s Circular CAO-25 \nPage 48 of 104 \n \nName of site \n \nAddress \n \nNumber \n \nDates \n \n \nDoes your trip include water activities? \nYES ▢ NO ▢ \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? \nYES ▢ NO ▢ \nHome Stay \n*Note: The permissibility of Home Stay programs is currently \nunder review. \nWill this program include a home stay? YES ▢ NO ▢ \nIf yes, is this home stay facilitated by a third-party vendor? If yes, \nplease provide the company name and site contact info. \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 115, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 49:\n \nSuperintendent’s Circular CAO-25 \nPage 49 of 104 \nSafety is the highest priority in the Boston Public Schools. Have \nyou followed the Home Stay Guidelines CAO-26 and completed \nthe necessary forms? YES ▢ NO ▢ N/A \nHave parents/guardians signed the Home Stay Waiver form? \nYES ▢ NO ▢ N/A \nWater Activities \nDoes your program include water activities? \nYES ▢ NO ▢ N/A \nIf yes, have you reviewed CAO-27, and completed the necessary \nforms? YES ▢ NO ▢ N/A \nTRAVEL LOGISTICS \nHave you held (or will you hold prior to departure) at least three \npre-departure student meetings to prepare the student team for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 116, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "the responsibilities of participating in an international trip as \noutlined in CAO-25? YES ▢ NO ▢ \nMeeting Date: \nMeeting Date: \nMeeting Date: \nHave you held (or will you hold prior to departure) at least three \nchaperone meetings to prepare the adult team for the \nresponsibilities of leading students on an international trip as \noutlined in CAO-25? YES ▢ NO ▢ \nMeeting Date: \nMeeting Date: \nMeeting Date:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 117, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 50:\n \nSuperintendent’s Circular CAO-25 \nPage 50 of 104 \nHave you conducted (or will you conduct prior to departure) at \nleast one parent meeting (in addition to the promotional \nmeeting) to review required topics outlined in CAO-25? \nYES ▢ NO ▢ \nMeeting Date: \nIf you are traveling to a destination with an alert from the CDC or \nState Department Level 2 country, will you provide families with \nthe respective Informed Parental Consent, Associated Risk, \nIndemnity Form? YES ▢ NO ▢ \nDo you have trip cancellation insurance? YES ▢ NO ▢ \nPlease describe the contingency plan should your departure \nand/or return travel be delayed: \n \n \nTRAVEL SAFETY AND RISK MANAGEMENT" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 118, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "TRAVEL SAFETY AND RISK MANAGEMENT \nHave all travelers received (or will they all receive prior to \ndeparture) all travel immunizations, vaccinations, and relevant \nmedications recommended by the CDC and their primary care \ndoctors? YES ▢ NO ▢ \nComments: \n \nWho on your chaperone team speaks the local language?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 119, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 51:\n \nSuperintendent’s Circular CAO-25 \nPage 51 of 104 \n __________________________________________________________________ \n __________________________________________________________________ \nHave the program leader and other chaperones reviewed the \nBPS Insurance Policy? YES ▢ \nNO ▢ \nDoes each traveler have health insurance coverage abroad, \nincluding medical and political evacuation coverage? (BPS has \nthis insurance for ALL BPS students and BPS chaperones.) \nYES ▢ NO ▢ \nHas the program leader and other chaperones reviewed the BPS \nCode of Conduct? YES ▢ \nNO ▢ \nHave all non-BPS employed chaperones scheduled a meeting \nwith the DGE? YES ▢ \nNO ▢" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 120, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "with the DGE? YES ▢ \nNO ▢ \nN/A ▢ \nHas the program leader attended (or will they have attended \nprior to departure) BPS Risk Management Training Abroad? \n YES ▢ NO ▢ \nTraining Date: _______________________________________________ \n (Training is valid for two school calendar years.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 121, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 52:\n \nSuperintendent’s Circular CAO-25 \nPage 52 of 104 \nHas the program leader led BPS students abroad before? \nYES ▢ \nNO ▢ \nWhen? Provide the most recent date: _______________________ \nIf not, what experience(s) have prepared you to lead BPS \nstudents abroad? \n \nDo at least two chaperones hold valid (duration of the trip) CPR \nand First Aid certification? YES ▢ \nNO ▢ \nNames of certified chaperones: ___________________________________ \n __________________________________________________________________ \nName of chaperones: ____________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 122, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Have you completed the Emergency Action Plan (EAP) for the \ncountry you are visiting? YES ▢ NO ▢ \nHave you (or will you prior to departure) set up a Pre-Departure \nRisk Management meeting with the Department of Global \nEducation? YES ▢ NO ▢ N/A ▢ \nHave you (or will you prior to departure) submitted the \nEmergency Contact List for all travelers to the Department of \nGlobal Education? YES ▢ NO ▢ \nHave you completed the Nurse Verification form? YES ▢ NO ▢" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 123, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 53:\n \nSuperintendent’s Circular CAO-25 \nPage 53 of 104 \nAll CAO-25 “Checklists” MUST be followed by the program leader, \nother chaperones, and principal/head of school or district \ndepartment sponsoring the trip before, during, and after the trip. \nWill you complete all “Checklists” before, during, and after the \ntrip with the consult of your principal/head of school or district \ndepartment? YES ▢ NO ▢ \nSCHOOL/DISTRICT DEPARTMENT APPROVAL \n_________________________________________________ ________________ \n \nProgram Leader/Lead Chaperone \nDate \n_________________________________________________ ________________ \n Head of School/Principal or Sponsoring Dept. \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 124, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Date \nSignatures above indicate approval for the trip and attest that \nthe CAO-25 checklist will be completed before, during, and after \nthe trip. \nDISTRICT APPROVALS \nInternational field trips require the District approvals below: \n_________________________________________________ ________________ \n \nDirector of Global Education \nDate \n_________________________________________________ ________________ \n \nChief of Teaching & Learning \n Date \n \n_________________________________________________ ________________ \n \nChief Financial Officer \n Date \n_________________________________________________ ________________ \n \nSuperintendent \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 125, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 54:\n \nSuperintendent’s Circular CAO-25 \nPage 54 of 104 \n \nEMERGENCY ACTION PLAN (EAP) \nInternational Field Trips \nDirections: \n● The lead chaperone must complete this form prior to \ndeparture. \n● All chaperones should carry this form throughout the trip. \n● Leave a copy of this form with the principal/head of school. \n● Submit this form as part of your package to the district. \n● Register your trip and student participants through the \nSafe Traveler Enrollment Program (STEP). program \nGeneral Guidelines: \n● In the event of an emergency, REMAIN CALM. \n● Do not leave the injured person alone or without an adult \npresent. \n● Call local EMS." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 126, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "present. \n● Call local EMS. \n● Accompany any injured student to the nearest medical \nfacility. An adult chaperone (or adult designee) must be \npresent with any injured student throughout the \nemergency." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 127, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 55:\n \nSuperintendent’s Circular CAO-25 \nPage 55 of 104 \nEmergency Contacts \n● Local EMS. \n● Insurance (See insurance card for the appropriate # for your \ndestination.) \n● Head of school or designee cell #_______________________and \ndirector of Global Education (315-601-0292) for emergencies. \nSee Emergency Communication and Protocols packet. \n● Parents/guardians must be informed and given updates \nthroughout the medical emergency. (Your Head of School \nand DGE will help coordinate communication with \nparents/family.) \nU.S. State Department, the Center for Disease Control and other \nreputable sources, please complete the information below:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 128, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Address and contact information for the nearest U.S. Embassy(s) \nwhile abroad: \n \n \nAddress and contact information for the nearest embassy(s) for \nnon-U.S. citizen travelers while abroad: \n \n \nName and address of the nearest medical hospital or facility/s:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 129, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 56:\n \nSuperintendent’s Circular CAO-25 \nPage 56 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nDirections: \nBPS Staff: \n● Use one form per trip. \n● Complete the School Portion of form. \n● Duplicate one form per student. \n● Send a copy home for parent and student signatures. \n● During the field trip, the signed, original form must be \ncarried by the program leader and copies by the other \nchaperones. A photocopy must be left on file in the school \noffice. \nStudent First & Last Name: _______________________________________ \nSchool: ___________________________________________________________ \nDestination (s): ___________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 130, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "__________________________________________________________________ \nPurpose of Trip: __________________________________________________ \nList of Activities: Parents must be informed of all activities." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 131, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 57:\n \nSuperintendent’s Circular CAO-25 \nPage 57 of 104 \nSupervision: (Check One.) \n Students will be directly supervised by adult chaperones on \nthis trip at all times. \n Students will be directly supervised by adult chaperones on \nthis trip with the following exceptions: \nMode of Transportation: (Check all that apply.) \n walking  school bus  MBTA  Other _________________ \nStudents will leave from (where)_________________________at \n(time) ____________________. \nStudents will return to (where) ____________________________at \nabout (time) _______________. \n \nProgram Leader & Chaperone(s) in Charge: ______________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 132, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "__________________________________________________________________ \nChaperone/Student Ratio: ________________ (maximum ratio 7:1)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 133, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 58:\n \nSuperintendent’s Circular CAO-25 \nPage 58 of 104 \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I will be a \nrepresentative of BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abiding by \nschool-based rules and the Boston Public Schools’ Code of \nConduct. \n_____________________________________________ ____________________ \n \nStudent Signature \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 134, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 59:\n \nSuperintendent’s Circular CAO-25 \nPage 59 of 104 \n \nPARENTAL AUTHORIZATION FOR INTERNATIONAL FIELD TRIP \nAssumption of Risk, Waiver, Release, and Indemnity Hold \nHarmless Agreement \n \nProgram leaders: Access the required Assumption of Risk, \nWaiver, Release, and Indemnity Hold Harmless Agreement \ntemplate. Please make a copy of this template document before \nyou edit the text in RED, and then share it with the director of \nGlobal Education. This document is to be reviewed by the \ndirector of Global Education & BPS Legal BEFORE sharing with \nparents/guardians for signature** \nThis document is a requirement, and a binding legal document." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 135, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Should you have any questions, please contact the Department \nof Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 136, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 60:\n \nSuperintendent’s Circular CAO-25 \nPage 60 of 104 \n \nMEDICAL INFORMATION FORM \nIMPORTANT NOTES: \nStudents may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly and \naccurately so we may be in the best position possible to support \nyou/your child. \nPlease indicate with an X ______ HERE if you would like to \nschedule a meeting with the program leader of the trip to discuss \nyour child’s medical or mental health. \nAll students must visit their primary care doctor prior to traveling \non a BPS trip and be current on all immunizations and \nvaccinations for the U.S. in addition to the recommended" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 137, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "immunizations and vaccinations for the country(s) to be visited." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 138, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 61:\n \nSuperintendent’s Circular CAO-25 \nPage 61 of 104 \nSTUDENT INFORMATION \nStudent’s Full Name \nDate of Birth \n \nCountry of Origin \n \nParent/ Guardian \nName(s) \n \nParent/Guardian \nAddress \n \nParent/Guardian \nContact \nCell: \nHome: \nWork:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 139, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 62:\n \nSuperintendent’s Circular CAO-25 \nPage 62 of 104 \nEmergency Contact # 1 \nEmergency Contact # 2 \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nName: \nRelationship to student: \nAddress: \n \nCell #: \nWork #: \nEmail: \nSTUDENT HEALTH QUESTIONS \nPrimary care physician’s name and contact information (in case \nof an emergency): \n \n \nHealth insurance provider’s name, policy #, and contact \ninformation (in case of emergency): \n \n \nInsurance provider claim instructions/procedures (in case of \nemergency):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 140, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 63:\n \nSuperintendent’s Circular CAO-25 \nPage 63 of 104 \nStudent has the following health conditions and/or allergies of \nwhich BPS should be aware: \n \n \nPhysical health conditions: \n \n \nBehavioral/mental health conditions: (e.g., depression, anxiety, \netc.) \n \n \nAllergies (food, medication, insects, plants, animals, etc.): \n \n \nStudent takes the following medications (including over-the-\ncounter/ herbal) and/or prescriptions of which BPS should be \naware. (Be sure to complete the Medical Administration Form): \n \n \nIf medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken and the \ntime at which it may be given again." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 141, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 64:\n \nSuperintendent’s Circular CAO-25 \nPage 64 of 104 \n \n \nIs there any factor that makes it advisable for your child to follow \na limited program of physical activity? (i.e., asthma, recent \nsurgery, heart condition, fear, etc.) If yes, specify the ways in \nwhich you wish their program limited. If the student has asthma, \nplease attach the asthma action plan to this medical form. \n \n \nAre there any activities on the itinerary that your child cannot or \nshould not do? \n \n \nOther than a yearly physical, is the student currently under a \nphysician’s or other medical professional’s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 142, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 65:\n \nSuperintendent’s Circular CAO-25 \nPage 65 of 104 \nOther than a yearly physical, has the student been under a \nphysician’s or other medical professional’s (e.g., social worker, \ntherapist, etc.) care anytime in the last year. If yes, please detail \nthe reason and dates of treatment. \n \n \nPlease list any hospital, treatment center, surgical, psychiatric, or \nurgent care visits within the last year: (Please specify the date, \nthe reason, the physician or professional seen, and the length of \nstay.) \n \n \nAdditional information of which BPS should be aware concerning \nstudent’s health:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 143, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 66:\n \nSuperintendent’s Circular CAO-25 \nPage 66 of 104 \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate services \nand understand that chaperones will consult with the school \nnurse about each student's health so they will be in the strongest \nposition to support you/your child on this program. \n \n________________________________________________ _________________ \n \nStudent Signature, if at least 18 years of age \nDate \n \n________________________________________________ _________________ \n \nParent/Guardian Signature, if student is \nDate \n \n \nunder 18 years of age" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 144, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Date \n \n \nunder 18 years of age \n \n▪ If necessary, attach a doctor's letter to this form. \n▪ If necessary, attach the asthma action plan to this form. \n▪ If necessary, attach copies that document student’s shots \nand immunizations to this form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 145, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 67:\n \nSuperintendent’s Circular CAO-25 \nPage 67 of 104 \n \nMEDICAL FORM — OVERNIGHT TRIPS \nMedication Administration \nPlease send only essential medications with your student on this \ntrip and include over-the counter/herbal medications on this list. \nStudent Name: ___________________________________________________ \nName of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 146, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Name of Medication: _____________________________________________ \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \nName of Medication: _____________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 147, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 68:\n \nSuperintendent’s Circular CAO-25 \nPage 68 of 104 \nTime(s) to be taken: _________________________________________ \nReason for Medication: _____________________________________ \nSide effects to be aware of/other information: _______________ \n _____________________________________________________________ \n _____________________________________________________________ \nAdditional information/special Instructions: \n \n \n \nI authorize my child to take the above medications on this trip. \n \n________________________________________________ _________________ \n \nStudent Signature, if at least 18 years of age \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 148, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Date \n \n________________________________________________ _________________ \n \nParent/Guardian Signature, if student is \nDate \n \nunder 18 years of age" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 149, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 69:\n \nSuperintendent’s Circular CAO-25 \nPage 69 of 104 \n \nNOTARIZED PARENT/GUARDIAN AIRLINE TRAVEL \nCONSENT FORM \nThe parties to this agreement are: \nParent/ Legal Guardian: \nFull Name and Surname: (hereinafter referred to as “the \nParent/ Guardian”) __________________________________________ \nPhysical Address: ___________________________________________ \nContact Details: _____________________________________________ \n _____________________________________________________________ \nChild: (hereinafter referred to as “the Child”) \nFull Name and Surname: ____________________________________ \n \nBirth Date: __________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 150, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Traveling Guardian(s) and Contact Details: (hereinafter referred \nto as “The Traveling Guardians”) \nFull Name and Address: _____________________________________ \n _____________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 151, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 70:\n \nSuperintendent’s Circular CAO-25 \nPage 70 of 104 \nI hereby authorize the Child to travel with the Traveling \nGuardians to the following destination: \nThe period of travel shall be from ____________ to ______________. \nShould it prove to be impossible to notify the Parent/ Guardian of \nany change in travel plans due to an emergency or unforeseen \ncircumstances arising, I authorize the Traveling Guardian to \nauthorize such travel plans. \nShould the Traveling Guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it advisable \nto make special travel arrangements for the Child to be returned" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 152, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "home due to unforeseen circumstances arising, I accept full \nresponsibility for the additional costs which shall be incurred \nthereby. \nI indemnify the Traveling Guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims arise \nfrom negligence, gross negligence, or willful intent during the \nspecified period of this Travel Consent. \nI declare that I am the legal custodian of the Child and that I have \nlegal authority to grant travel consent to the Traveling Guardian \nof the Child. \nUnless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 153, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 71:\n \nSuperintendent’s Circular CAO-25 \nPage 71 of 104 \nSigned at ____________________________________ on the _______day \nof __________, 20____. \n \nSignature _____________________________________ (Parent/ Guardian) \n \nSignature _____________________________________________ (Witness 1) \n \nSignature ____________________________________________ (Witness 2) \nWitness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this _________ day of ___________________, 20___, before me, the \nundersigned authority, personally appeared and proved to me \nthrough satisfactory evidence of identity, to wit, to be the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 154, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "person(s) whose name(s) is/are signed on the attached document \nand who signed in my presence. \nOfficial Notary Signature: _________________________________________ \n \nName of Notary Typed, Printed or Stamped: \n \n \nCommission Expires: _____________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 155, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 72:\n \nSuperintendent’s Circular CAO-25 \nPage 72 of 104 \n \nSTUDENT SUPPORT INTERNATIONAL PROGRAMS FORM \nNote: This form is to be completed by students who intend to \nparticipate in an international program. The information is \nconfidential, and will be used by Program Leaders to better \nunderstand, and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: _______________________________________ \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \nWhat are you nervous about? ____________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 156, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "__________________________________________________________________ \nWhat are you excited about? _____________________________________ \n __________________________________________________________________ \nWhat scares you about the trip location or activities on the \nitinerary? _________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 157, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 73:\n \nSuperintendent’s Circular CAO-25 \nPage 73 of 104 \nWhen in a new environment, I get anxious when…________________ \n __________________________________________________________________ \nWhen in a new environment, I get upset when….. _________________ \n __________________________________________________________________ \nIn order to get the most learning and benefits from this \nexperience, I will need ____________________________________________ \n \n \nGiven the laws, customs, and culture of the country that we are \nvisiting, what concerns do you have? ____________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 158, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "__________________________________________________________________ \n \nWould you prefer to speak in person with a member of the \nchaperone team to discuss this form, or share additional \ninformation?  Yes  No" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 159, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 74:\n \nSuperintendent’s Circular CAO-25 \nPage 74 of 104 \n \n \nINTERNATIONAL PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \nA. Complete all fields \nSchool/s: ____________________________________________________ \nDate of Report: _____________________________________________ \nCountry: ____________________________________________________ \nIncident Date and Time: ____________________________________ \nReporting Chaperone: _______________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 160, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 75:\n \nSuperintendent’s Circular CAO-25 \nPage 75 of 104 \nB. Complete all Applicable Fields \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress \n \n \nC. Nature of Incident (check all that apply) \n☐Injury \n☐Equipment Failure \n☐Behavioral/ \nPsychological \n☐Illness \n☐Missing/Separated \nPerson \n☐Natural Disaster \n☐Physical Assault \n☐Sexual Assault \n☐Theft \n☐Property Damage \n☐Sexual \nHarassment \n☐Fatality \n☐Crime \n☐Political Upheaval \n☐Disease Outbreak \n☐Other: _________ \n☐BPS Code of \nConduct violation \nInternational Programs Incident Report, continued" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 161, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 76:\n \nSuperintendent’s Circular CAO-25 \nPage 76 of 104 \nD. Narrative (Using facts, describe what happened): \n \n \n \nE. Activity at Time of Incident (check all that apply) \n☐Class time \n☐Service \n☐Homestay \n \n \n☐Traveling \n☐Fieldtrip \n☐Camping \n☐Hike/Jog/Walk \n☐Swimming \n☐Water Activity \n \n☐Other _____________ \n \nF. Contributing Factors (Check all that apply) \n☐Not disclosed in Medical Form \n☐Animal/Insect/Plant \n☐Pre-Existing Condition \n☐Alcohol/Drugs/Medication \n☐Weather/Terrain \n☐Motor Vehicle \n☐Political/Cultural/Language \n☐Pre-Course Info \n☐Sports/Recreation \n☐Orientation/Training \n☐Other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 162, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 77:\n \nSuperintendent’s Circular CAO-25 \nPage 77 of 104 \nG. Action Taken \nDetails \nFirst Aid \nWhen \nBy Whom \nType (ie. \nMedication, CPR, \netc.) \n \nEmergency \nEvacuation \n \n \nVisit Medical \nFacility \nName of Facility \nDoctor/PA/Nurse \nReported \nDiagnosis \nMedication \nPrescribed \n \n \nEmergency \nContact Person \nNotified? \n☐Yes ☐ No Name: \nDate and Time Contacted: \nNotes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 163, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 78:\n \nSuperintendent’s Circular CAO-25 \nPage 78 of 104 \nDepartment of \nGlobal Education \n(DGE) Contacted? \n☐Yes ☐ No Name: \nDate and Time DGE Contacted: \nNotes: \n \n \nInsurance \nContacted? \n☐Yes ☐ No Name: \nDate and Time Contacted: \nClaim #: \nNotes: \n \nLocal Authorities \nNotified? \n☐Yes ☐No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes: \n \nFollow up Plan \nDetails: \n \n_______________________________________________ __________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 164, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 79:\n \nSuperintendent’s Circular CAO-25 \nPage 79 of 104 \n \nSignature of Reporting Chaperone \nDate \nFile this International Incident Programs Report along with any \naccompanying reports/documents from local law enforcement, \nmedical professionals and/or International Programs Witness \nReport via email if possible OR as soon as circumstances permit. \nTurn in the original report to the DGE as soon as you return to \nBoston. Incident reports require at least one witness signature, \nand where possible the signatures of all impacted participants. \n \n_______________________________________________ __________________ \n \nSignature of Witness \nDate \n \nSignatures of those impacted:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 165, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Date \n \nSignatures of those impacted: \n_______________________________________________ __________________ \n \n \nDate \n \n_______________________________________________ __________________ \n \n \nDate \n \n_______________________________________________ __________________ \n \n \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 166, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 80:\n \nSuperintendent’s Circular CAO-25 \nPage 80 of 104 \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health-\nrelated incidents requiring further monitoring and/or evacuation. \nSOAP Notes should be attached to the corresponding Incident \nReport. \nSubjective: What the patient tells you. Note the chief \ncomplaint(s): \n \n \n \n \nObjective: What you see; vital signs; general survey of patient:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 167, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 81:\n \nSuperintendent’s Circular CAO-25 \nPage 81 of 104 \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \nAnticipated Problems: \n \n \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n_______________________________________________ __________________ \n \nSignature of Reporting Chaperone \nDate \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 168, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 82:\n \nSuperintendent’s Circular CAO-25 \nPage 82 of 104 \n \nINTERNATIONAL PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \nWitness Statement of: ____________________________________________ \nPhone Number: __________________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDescription of Incident: \n \n \n \n \n \nI believe the contents in this statement are true. \n \n_______________________________________________ __________________ \n \nWitness Signature \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 169, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 83:\n \nSuperintendent’s Circular CAO-25 \nPage 83 of 104 \n \nINTERNATIONAL PROGRAMS INCIDENT INVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \nEvent \nTime \nLocation \nParties Involved \nSource of \nInformation \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n\n\nPage 84:\n \nSuperintendent’s Circular CAO-25 \nPage 84 of 104 \nEvent \nTime \nLocation \nParties Involved \nSource of \nInformation \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n_______________________________________________ __________________ \n \nSignature of Investigator \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 170, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 85:\n \nSuperintendent’s Circular CAO-25 \nPage 85 of 104 \n \nFIRE PREVENTION AND SAFETY PRACTICES \nInternational & Overnight Programs \nFire safety plans on overnight and international programs differ \nfrom the procedures set for our schools. The laws that regulate \nfire prevention may differ from what exists in Massachusetts. The \nsteps below must be followed on all overnight and international \nprograms: \n1. Conduct A Fire Prevention Assessment \nThe program leader must conduct a fire safety prevention \nassessment using the Fire Prevention and Safety Form \n(Attachment A) within 24 hours of arrival. Using the Fire \nPrevention and Safety Form, the program leader shall formulate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 171, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "a plan for the evacuation of all persons on the trip in the event of \na fire or other emergency. This plan shall include alternate means \nof egress and should be created in consultation with an \naccommodation staff person, and if applicable, the third-party \nprovider. \n \n2. Prepare Chaperone Team on Fire Prevention Strategy \nBased on the results from the Fire Prevention and Safety Form, \nthe program leader should ensure that each staff member \nreceives and understands the fire prevention landscape and has" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 172, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 86:\n \nSuperintendent’s Circular CAO-25 \nPage 86 of 104 \ninstructions on the fire drill procedure created for the \naccommodation. Questions to review include: \nA. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in \nand all places where the group may congregate. Use \nthe hotel’s posted evacuation routes if applicable.) \nB. Where is the designated meeting point? (This meeting \npoint should be a safe distance from the building, but \neasy for the group to identify and locate.) \nC. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 173, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "chaperone should not be assigned to a group and \nshould serve as contact person for emergency \npersonnel.) \nD. What are some hazards that students and chaperones \nshould be aware of? \nE. What happens in the case of a missing person? \n3. Review Prevention Strategy with Students and Conduct a \nFire Drill \nThe lead chaperone and the chaperone team will review the fire \nprevention strategy and conduct a fire drill (walkthrough) with \nthe students within the first 24 hours of the trip. Conducting a \nfire drill (walkthrough) is important as participants are unfamiliar \nwith the building." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 174, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 87:\n \nSuperintendent’s Circular CAO-25 \nPage 87 of 104 \nInstructions For Fire Drills \nSince each accommodation is different, each plan and drill will \nvary. Regardless of the accommodation, it is critical that a \nprocedure is in place for evacuating the building, each chaperone \nknows their responsibilities, every student participates in the fire \ndrill (walkthrough), and each person knows the meeting location \nwhen evacuated from the building. Please note: A fire drill as \ndefined here is a walkthrough of the route the group will take to \nexit the premises in the event of an emergency. \nA few general instructions: \n• Evacuate immediately." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 175, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "• Evacuate immediately. \n• Do not use elevators during a fire evacuation. \n• Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n• Make sure all students know all possible exits from their \narea and that students know where the meeting location is \noutside of the building. \n• Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities. \n(Have a staging location for students/staff with disabilities \nand make sure hotel/hostel personnel are also aware.) \n• Chaperones are responsible for students under their \nsupervision and must take attendance." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 176, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "supervision and must take attendance. \n• Upon the evacuation of a building, no person or persons \nshall re-enter the building without the authorization of the \nlead chaperone. The lead chaperone, as a part of their fire" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 177, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 88:\n \nSuperintendent’s Circular CAO-25 \nPage 88 of 104 \ndrill procedures, must establish a command procedure for \nsuch evacuations. \n4. Conduct a Post-Fire Drill Debrief \nAfter the fire drill, the chaperone team should set aside time to \ndebrief. Record response on Attachment A." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 178, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 89:\n \nSuperintendent’s Circular CAO-25 \nPage 89 of 104 \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nDirections: For each accommodation, please complete and upon \nyour return, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept on file \nfor the current fiscal year plus three additional years after the \nfield trip has occurred. \nBuilding: \nProgram Leader: ___________________________________________ \nDate of the Safety Prevention Assessment: _________________ \nName/s of Staff and Their Titles Consulted for Assessment \n(accommodation staff/ program provider staff):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 179, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "(accommodation staff/ program provider staff): \n _____________________________________________________________ \n _____________________________________________________________ \nOutside the Building: \nList the possible hazards in the area: \n \nCan the accommodation be accessed by a fire department \nor emergency teams? \n ▢ YES ▢ NO" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 180, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 90:\n \nSuperintendent’s Circular CAO-25 \nPage 90 of 104 \nInside the Building: \nEquipment: \nDoes the building have fire alarms? \n \n \n▢ YES ▢ NO \nAre there fire sprinklers? \n▢ YES ▢ NO \nIf yes, where are they located? \n \nIs there adequate lighting in the corridors? \n▢ YES ▢ NO \nAre there clear exit signs? \n▢ YES ▢ NO \nAre there fire alarm pull stations? \n▢ YES ▢ NO \nAre the fire alarm pull stations visible and \naccessible? \n▢ YES ▢ NO \nAre there fire extinguishers? \n▢ YES ▢ NO \nIf yes, where? \n \nAre there smoke detectors in the corridors and in every \nroom where participants are staying? \n▢ YES ▢ NO" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 181, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 91:\n \nSuperintendent’s Circular CAO-25 \nPage 91 of 104 \nHazards: \nList the potential fire hazards at the site: \n \nAre there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, \nblocked stairways, burned out exit lights or missing/broken \nfire equipment? \n▢ YES ▢ NO \nMeans of Evacuation/Egress \nDoes the facility have an evacuation plan for each room? (If \nnot, be sure that when you conduct a fire drill (walkthrough) \nthat you develop a plan for leaving the room.) \n▢ YES ▢ NO \nWhat are the means of egress? \n \nAre there primary exits and alternate exits? \n▢ YES ▢ NO \nNote locations:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 182, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 92:\n \nSuperintendent’s Circular CAO-25 \nPage 92 of 104 \nFire Drill/Walkthrough Plan: (Please record notes below.) \n \n \nPost-Drill Debrief: \nDate and Time of the Fire Drill: ___________________________________ \n \nDid the students and chaperones follow the procedures of the \nfire drill? \n▢ YES \n▢ NO \nIf no, why not? \n \n \nBased on this debrief, either inform the students of your findings \nfor adjustments, or if necessary, conduct another fire drill. Once \nthe safety review and drill are completed, please sign below. \n \n________________________________________________ _________________ \n \nSignature of Program Leader \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 183, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 93:\n \nSuperintendent’s Circular CAO-25 \nPage 93 of 104 \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT FORM \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. Students: your signature on this contract \nseals your commitment to follow behavior expectations leading" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 184, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "up to, and during your school trip. \n __________________________________________________________________ \nBEFORE I GO ON THE TRIP: (STUDENTS) \n● I understand that my acceptance to a trip prior to \ndeparture does not guarantee that I will be allowed to \nattend. \n● I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n● I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n● I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n● I will not violate the BPS Code of Conduct." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 185, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 94:\n \nSuperintendent’s Circular CAO-25 \nPage 94 of 104 \n● I will not distribute or consume alcohol or drugs (including \nedibles), and/or encourage actions that are against the BPS \nCode of Conduct or law. \n● I will not pack any illegal or inappropriate items (i.e., items \nin violation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n● I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as \ncompleted projects, journals, and service hours. \n● I know that if I do not act appropriately, or if I violate any" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 186, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "rule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWHILE I AM ON THE TRIP: (STUDENTS) \n● I will not violate the BPS Code of Conduct \n● I will ask for help from the adults when needed. \n● I will treat my peers, all adults and all people with the \nutmost level of respect. \n● I will not purchase, distribute, or consume any illegal or \ninappropriate items; (i.e., items in violation of BPS Code of \nConduct, including, but not limited to: weapons, pepper \nspray, alcohol, edibles, drug paraphernalia) even if these" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 187, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "substances are legal in the state or foreign country, or I am \nof legal age in the foreign country." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 188, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 95:\n \nSuperintendent’s Circular CAO-25 \nPage 95 of 104 \n● I will use social media responsibly during the trip, and will \nnot post or communicate any information regarding other \nstudents during an emergency situation. \n● I will abide by the established curfew, and sleep in my \nassigned bed, alone, and sleeping location each night. \n● I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n● I will obey the BPS dress code, as well as the suggested \nattire for the foreign country, and specific sites and \nlocations within the foreign country I will visit. \n● I will not share any medication with anyone on the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 189, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "● I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (i.e., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n● I will not leave the group at any time unless specifically \nauthorized to do so. \n● I will practice good common sense, respect, and \nconsideration for others and their property. \n● I understand that I am responsible for keeping my passport, \nimportant belongings and other travel documents safe. \n● I understand that partaking in any illegal activity abroad \ncan result in my arrest. \n● I understand that if an issue of any kind arises, my" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 190, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "chaperone will address the issue, and their decision is final. \n● I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 191, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 96:\n \nSuperintendent’s Circular CAO-25 \nPage 96 of 104 \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n● The BPS Code of Conduct applies on all field trips. Following \nan investigation, if the program leader, in consult with the \nprincipal/head of school and central office staff, determines \nthat a student’s conduct, while on an overnight trip, poses a \nrisk to themselves or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 192, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "the right to request and arrange for that student to return \nhome. The district also reserves the right to request that \nfamilies assume responsibility for all or a portion of the \ncosts associated with their child’s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n● If a student is to be dismissed from an \ninternational/overnight field trip due to behavior that \nviolates the BPS Code of Conduct while participating in a \ndomestic overnight or international trip, the student’s \nparent/guardian must be notified in advance and should" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 193, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "agree to meet the student at the airport or other agreed \nupon destination. If the parent/guardian is not reachable, \nthe student’s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 194, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 97:\n \nSuperintendent’s Circular CAO-25 \nPage 97 of 104 \nthe airport, or other agreed upon destination. Students \nunder the age of 16 must be accompanied on their flight by \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n● Parents or students who sign contracts, and or agreements \nwith third party company vendors, acknowledge that \noutside companies protocols and procedures might differ" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 195, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "from BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS \nis not responsible for money paid to third party vendors. \n● BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances all families will be \nnotified immediately. \n \n(Families keep this page) \n \n \n \n \n(Program leaders keep this page.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 196, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 98:\n \nSuperintendent’s Circular CAO-25 \nPage 98 of 104 \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & Family \nAgreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \n \nPARENT/GUARDIAN (Print Name) ________________________________ \nPARENT/GUARDIAN (Signature) __________________________________ \nDATE: ____________________________ \nPHONE NUMBER: ________________________________ \nSTUDENT (Print Name) ___________________________________________ \nSTUDENT (Signature) _____________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 197, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "DATE: ____________________________ \nPHONE NUMBER: ________________________________ \n \n \n(STUDENTS RETURN THIS PAGE TO YOUR PROGRAM LEADER)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 198, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 99:\n \nSuperintendent’s Circular CAO-25 \nPage 99 of 104 \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS Sponsored \nfield trips and submitted to the program leader (lead chaperone). \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: __________________ Return Date __________________ \n \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 199, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "is extremely important during this field trip, and I agree to make \nsafety my first priority. I agree to conduct myself in a manner that \npromotes my safety, and the safety of others at all times. I \nunderstand that maintaining students’ safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews, and room checks for students, as well as \nmorning wake up calls for students are part of my responsibility. I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 200, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 100:\n \nSuperintendent’s Circular CAO-25 \nPage 100 of 104 \nagree to follow BPS policies, protocols, and guidance of BPS staff \nwhen in the field. \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication, and selling of \nprescription drugs. The Code also prohibits the use of tobacco" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 201, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "products (including e-cigarettes, hookah paraphernalia, and \nvapor cigarettes). I understand that these prohibitions apply to all \nstudents, regardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Name (Signature): ___________________________________ \nDate: _____________________________ \n \nCAO-25: INTERNATIONAL TRIP REQUEST" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 202, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 101:\n \nSuperintendent’s Circular CAO-25 \nPage 101 of 104 \nAttachment: Nurse Verification Form \nOVERVIEW & INSTRUCTIONS \nThis is a mandatory risk management procedure. Please \ncomplete this form at least 10 weeks prior to departure. \nIt is BPS’ goal that you are in the strongest position to support \neach student’s health while abroad. Program leaders must review \nall students’ medical forms and consult with the school nurse to \nensure all documents are accurately completed. \nPlease note: the school nurse does not “clear” students for travel \nbut will provide trip leaders/chaperones with guidance in \nsupporting students medically while traveling. Program leaders" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 203, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "shall consult with, and when necessary, receive training from and \nobtain written comments from the school nurse regarding any \nstudents who have expressed medical needs (e.g., medication, \nasthma, allergies, etc.). \nIt is important for program leaders and chaperones to know that \nmany students and families omit medical information from \npermission slips for a variety of reasons, and in some cases \nProgram leaders discover medical conditions that the nurse was \nnot aware of. Therefore, it becomes a collective duty to ensure \nthat we have the most up to date medical information for all \nstudent travelers. Program leaders should actively discuss the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 204, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "importance of honesty and full medical disclosure with students \nand families at one of the pre-departure meetings. \nSchool nurses can assist with the following (list is not limited to \nwhat is below):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 205, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 102:\n \nSuperintendent’s Circular CAO-25 \nPage 102 of 104 \n● A student's current medical status/current immunization \nrecord \n● Background information regarding a particular medical \ncondition \n● Specific medication instructions and training for \nmedication application if necessary \n● Epi Pen instructions \n● Can help determine appropriate trip accommodations and \nconsiderations for the student traveler \n● Can further consult with outside medical professionals who \nare involved with the student’s medical needs. i.e. social \nworkers, occupational therapist and the child’s primary care \nphysician. \nProgram leaders must provide the nurse with the following" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 206, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "information and a student traveler roster: Trip destination, dates, \nand draft itinerary. The Nurse Verification Form to follow must \nbe submitted 10 weeks prior to departure. It may be mailed or \nscanned to DGE. For additional questions please contact Kayla \nDorsey-Twumasi, Director of Global Educcation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 207, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 103:\n \nSuperintendent’s Circular CAO-25 \nPage 103 of 104 \nCAO-25: INTERNATIONAL TRIP REQUEST \nATTACHMENT: NURSE VERIFICATION FORM \nSchool/trip Name: _______________________________________________ \nTrip Destination: _________________________________________________ \nDates of Travel: __________________________________________________ \nTrip Leader Name: ______________________________________________ \nSchool Nurse Name: _____________________________________________ \nSchool Nurse Phone Number: ____________________________________ \nSchool Nurse Email: ____________________ @Bostonpublicshools.org \nPROGRAM LEADER:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 208, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "PROGRAM LEADER: \nPlease sign this form to verify that you have consulted with your \nschool nurse regarding your student traveler roster, retain a copy \nfor your file, and submit the original to the department of global \neducation. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed. \nAdditionally, your signature indicates that you have read and \nunderstand the nurse verification protocol. \n________________________________________________ _________________ \n \nSignature of Trip Leader \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-25 International Field Trips Guidelines & Forms", + "chunk_id": 209, + "uri": "https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW", + "content": "Page 104:\n \nSuperintendent’s Circular CAO-25 \nPage 104 of 104 \nSCHOOL NURSE \nYour signature indicates that the above trip leader has shared the \nproposed international trip, student traveler roster, and medical \nforms with you. If they have completed this mandatory step, \nplease sign below to verify that. \n \n________________________________________________ _________________ \n \nSignature of School Nurse \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-24 \nVersion 01 \n \n \nOVERNIGHT FIELD TRIP GUIDELINES \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \n \nIMPORTANT NOTE: These guidelines might be impacted by COVID-19 \nrestrictions and are subject to change based on public health, \ninternational security, or other emergent issues that could impact travel. \nFor the most up-to-date information and guidance, contact \nOPL@bostonpublicschools.org for assistance/guidance. \n \n \nThis Superintendent’s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School \nCommittee on November 20, 2019." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Committee on November 20, 2019. \nThis circular should be read AFTER the Superintendent’s Circular \nNo. CAO-22, General Guidelines and Procedures for All Field Trips \nas additional guidelines are outlined there. \nThe principal/head of school and/or the district department \nsponsoring the trip are responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular are adhered \nto. \nTogether, the principal/head of school and/or the district \ndepartment lead sponsoring the trip and the program leader" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 2:\nSuperintendent’s Circular CAO-24 \nPage 2 of 80 \n \n \nmust review and complete checklists for this circular. Signed \nchecklists must be kept on file at the school/district department. \nOVERNIGHT FIELD TRIP: Any domestic trip off school grounds that \ninvolves students’ participation overnight. \n● Overnight Field Trip forms are submitted to the \nprincipal/head of school AT LEAST 12 weeks in advance and \napproved by the principal/head of school. \n● All forms, including the signed CAO-24 checklist form, are \nfiled at the school. \n● Overnight Field Trip Request form, the list of student names, \nemergency contact name and number, grade, D.O.B, the list" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "of chaperone names and their role in the school community, \nthe itinerary, and if applicable, train and flight information \nare sent to the district to notify the district of trip plans AT \nLEAST 4 weeks in advance. Scan and email the Overnight \nField Trip Request form and information to the appropriate \nprincipal/ leader as well as to the Department of Global \nEducation. Please follow up to ensure documentation has \nbeen received. \n \nOVERNIGHT FIELD TRIP CHECKLIST \n Review Superintendent’s Circular No. CAO-22, General \nGuidelines and Procedures for All Field Trips. \n All field trip IDEAS must be preliminarily approved in writing \nby the principal/head of school or District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "sponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 3:\nSuperintendent’s Circular CAO-24 \nPage 3 of 80 \n \n \nand their parents/guardians and prior to any fundraising or \nother detailed preparations. Consult with the principal/head \nof school on potential chaperones and student recruitment. \n Review Superintendent’s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Global Education should be used as a \nresource for questions regarding risk management on \novernight field trips. \n Select a site and investigate the appropriateness of the site \nin relation to the category of field trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "in relation to the category of field trip. \n Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \n \nPLANNING PROCESS \nFor thorough planning and to maximize affordability and \nfundraising efforts, it is recommended that overnight trips are \nplanned at least six months in advance. \n \nROLE OF THE PROGRAM LEADER (LEAD CHAPERONE) \nProgram Leader Description: The program leader is a BPS \nemployee and the lead chaperone organizing and leading the \ntrip. All program leaders (lead chaperones and the BPS employee" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "organizing and leading the trip) and chaperones must be \napproved by the principal/head of school or district department \nsponsoring the trip. The program leader is responsible for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 4:\nSuperintendent’s Circular CAO-24 \nPage 4 of 80 \n \n \nensuring all guidelines in CAO-22 and CAO-24 are followed and \nkeeping the principal/head of school and the district informed of \ntrip developments. The program leader is responsible for \ncompleting the Overnight Field Trip Request form and \naccompanying documents that are submitted to the \nprincipal/head of school for approval. The program leader is also \nresponsible for organizing the chaperone team, student team, \nand pre-departure meetings. \n School Nurse and Guidance Counselor Consultation: Before \napproval of a field trip, the program leader must consult \nwith the school leader to determine if, and what type of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "medical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nconsult with and, when necessary, receive training from the \nschool nurse regarding any students who have medical \nneeds at least six weeks before departure (much longer for \ninternational and overnight field trip programs). Also consult \nwith the school counselor regarding mental and behavioral \nhealth needs. If any student has a serious medical or mental" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "health condition, be sure that their doctor is aware of the \nessential participation criteria and location of the trip and \nwrites a letter indicating that the child may safely attend \nand participate in trip activities. Keep this document on file \nwith other key permissions slips and medical forms. \n Overnight Field Trip Form: Complete and submit an \nOvernight Field Trip Request form and accompanying \ndocuments to obtain official consent from the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 5:\nSuperintendent’s Circular CAO-24 \nPage 5 of 80 \n \n \nprincipal/head of school to execute the trip. Once the \nprincipal/head of school has approved the trip, you must \nsend a copy of the request, itinerary, and supporting \ndocuments to the Department of Global Education. \n Mindset: Planning, organization, and preparation are critical \nto a successful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security \nhave been addressed with due diligence. Program leaders \nmust be able to articulate in an informed manner what \ndecisions were made, why they were made, and the sources" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "that informed that decision making. If you have questions \nabout the appropriateness of an activity, please consult with \nyour principal/head of school and the Department of Global \nEducation. \n School File: Create a school file to house all important \ndocuments: Overnight Field Trip Request form and \nattachments, student roster, student permission slips, and \nmedical forms, and other signed documents including \nincident reports, incident log, and the fire safety plan. These \ndocuments must be kept on file for the current fiscal year \nplus three additional years after the trip has occurred. \n Communication: Share the trip details listed below with all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "teachers, nurses, and other staff members so that they may \nplan accordingly. \no Trip overview (purpose) \no Destination \no Date of trip \no Students’ names" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 6:\nSuperintendent’s Circular CAO-24 \nPage 6 of 80 \n \n \no Chaperones’ names and roles in school community \n Documentation: Prepare and distribute the Parental \nAuthorization for Overnight Field Trip form, Medical \nInformation form, Student Traveler Behavior Contract, \nStudent Support for Overnight Programs, and the \nMedication Administration form to each participating \nstudent and chaperone. For preparedness and safety, you \nalso must have these medical forms from chaperones. If \napplicable, prepare and distribute the Notarized \nParent/Guardian Airline Travel Consent form. (Some airlines \nand travel companies require this; some do not. Research" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "your particular trip to see if this applies.) \n Meetings: Conduct AT LEAST TWO pre-departure student \nmeetings. Discuss the trip’s educational purpose and goals, \nconduct expectations, itinerary, healthy travel, and all other \nlogistics of the program. (For lengthy overnight programs, \nsee CAO-25 for additional student meeting topics.) Conduct \nAT LEAST ONE parent/guardian meeting (with each family \nor all families together) to review the purpose of the trip, \nitinerary, review/sign permission forms, review logistics of \ntravel, and share medical and safety information. \nPlease note: Plan for families who may need translation \nservices at the meeting; students should not serve as their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "parent/guardian’s translator at this meeting. If a \nparent/guardian is unable to attend the meeting, a \nchaperone (a BPS employee) must be sure to speak to the \nparent/guardian via telephone or in-person about the trip \nprior to taking the student on an overnight trip. Document \nthis personal contact for your records." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 7:\nSuperintendent’s Circular CAO-24 \nPage 7 of 80 \n \n \nSAFETY PREPAREDNESS \n Travel Advisories/Warnings: The head of school and \nsuperintendent reserve the right to cancel any field trip up \nto and including the day of departure to manage risk. \n Insurance: Through On Call International insurance, the \ndistrict provides medical coverage for international and \ndomestic BPS-sponsored trips (domestic being 100 driven \nmiles away from home or place of study or employment) for \nBPS students, BPS staff participants, and chaperones. On \nCall will serve as the primary source for medical insurance. \nHowever, in some cases, if a hospital visit is required," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "students may be required to pay out of pocket, and be \nreimbursed by On Call later. Families will want to budget for \nthis just-in-case expense. The On Call insurance policy does \nNOT include cancellation or trip interruption insurance \nshould the trip be canceled or interrupted for any reason \nother than medical. Cancellation/interruption must be due \nto the traveler getting sick, injured, or someone in the \ntraveler’s immediate family being sick, injured, or death. \nStudents/families would need to show proof of a \nsickness/injury; and the sickness/injury must be so disabling \nas to cause them to cancel/interrupt their trip. If there is a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "sickness/death for their family member, they would need to \nshow proof of that, too. Save all receipts for flights/lodging \nfor reimbursement purposes and a claim form would need \nto be filled out. Families will need to know in advance that \nTrip Cancellation has a $2,000 limit, and Trip Interruption \nhas a $2,500 limit. Again, the superintendent reserves the \nright to cancel a trip for any reason and at any time for \nsafety purposes; Cancel for Any Reason Insurance (CFAR) is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 8:\nSuperintendent’s Circular CAO-24 \nPage 8 of 80 \n \n \nNOT provided by the district. Therefore, all trip participants \nmust purchase their own (CFAR) insurance to protect their \ntrip investment. \n Training: It is recommended that at least two chaperones \n(including the program leader) hold valid CPR AND first aid \ncertification. First Aid: Ensure the availability of a first aid kit. \nVerify emergency and medical information and contact \ndetails. \n Chaperone Ratios: For overnight trips, the student-to- \nchaperone ratio is 7:1, with a two-chaperone minimum. It is \nrecommended that a chaperone reserve, or backup, be \nidentified in the event a chaperone is no longer able to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "participate at the last minute or must leave the field. Tour \nguides, or employees of third-party vendors contracted to \nhelp operate the trip, are not considered chaperones, and \ndo not factor into the student to chaperone ratio. \n Transportation: School buses or BPS-approved \ntransportation vendors’ vehicles MUST be used to transport \nstudents to and from field trips or athletic events, regardless \nof how the trip is paid for. Privately owned vehicles, vehicles \nfrom non-approved vendors, ride-sharing transportation \nservices such as Uber and Lyft, or leased vans are not to be \nutilized to transport students to and from field trips or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "athletic events, except in the case of a bona fide emergency. \nRefer to TRN-03 and CAO-22 for information and regulations \non field trip transportation. \n Water Activities: If your trip involves any activities in or on \nthe water, you must contact the Department of Global \nEducation for approval at least 16 weeks in advance. There is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 9:\nSuperintendent’s Circular CAO-24 \nPage 9 of 80 \n \n \na separate and mandatory procedure for all trips involving \nwater. Please review CAO-27 and contact the Department of \nGlobal Education immediately. \n Healthy Travelers: Be sure students have had a recent \n(current school year) doctor’s visit and physical exam prior to \ndeparture. Students and staff should be current on all \nimmunizations and vaccinations, including those related to \nthe location they will be traveling to. Travelers should \nconsult with their primary care doctor and can also visit the \nCenter for Disease Control’s website for information on \nstaying healthy while traveling at" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "staying healthy while traveling at \nhttp://wwwnc.cdc.gov/travel/. If any student has a serious \nmedical condition, please be sure that their doctor writes a \nletter indicating that the child may safely attend and \nparticipate in trip activities. \n \nCHAPERONE CRITERIA \n Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are \nrequired to be 21 years of age or older. Any parent on the trip \nmust operate in the role of chaperone. All chaperones must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "be approved by the head of school/principal. Every effort \nshould be made for students to have access to the field trip \nexperience, for chaperones to be representative of the \nstudent group, and for chaperones to include males and \nfemales. The selection and approval of chaperones by the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 10:\nSuperintendent’s Circular CAO-24 \nPage 10 of 80 \n \n \nprincipal/head of school should be based on the individuals’ \nthorough knowledge of and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role. \n Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who are required to be 21 \nyears of age or older. All non-BPS employee chaperones \nmust submit a yearly CORI/SORI authorization form to the \nOffice of Human Capital. Complete the eCORI form online. \nContact the BPS Office of Human Capital (OHC) for CORI" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "check and confirmation support. The principal/head of \nschool and the lead chaperone are responsible for \nsubmitting authorization forms to OHC and must not allow \nchaperones to take part in activities until they have been \nCORI/SORI cleared. Non-BPS employees who chaperone on \na field trip are not covered for liability by the Boston Public \nSchools. The program leader must be sure that all \nchaperones, including non-BPS chaperones, are familiar \nwith the BPS Code of Conduct and other district and school- \nbased rules. \n BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "participants. If a BPS chaperone’s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 11:\nSuperintendent’s Circular CAO-24 \nPage 11 of 80 \n \n \nchaperone is responsible for incurring all costs associated \nwith their child’s participation. \n● All chaperones must complete the Chaperone \nAgreement form. \n● Non-BPS employees who chaperone on a field trip are \nnot covered for liability by the Boston Public Schools. \n● Refer to CAO-22 for additional chaperone criteria. \n \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n Essential Criteria: The program leader and principal/head of \nschool shall work together to establish essential \nparticipation criteria for the trip that informs students and \nparents of all activities and risks associated with each" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "itinerary activity and trip location, to determine what \naccommodations or modifications may need to be made for \nthe student to successfully and safely participate in all or \nportions of the trip. \n Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Once on the field trip, student \nparticipants are not permitted to leave the group to visit \nfriends, relatives etc., and rejoin the group. Students must \nremain with the group at all times. Field trips must be \nadvertised to all students (within the whole school, \nparticular grade, class/subject, club, or program associated \nwith the trip), regardless of their financial situation. Schools" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "shall make every reasonable effort to make instructional \nfield trips affordable for all students. A student’s ability to \npay may not be a criterion for field trip participation. Trips \nmust be advertised to all students (within the school," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 12:\nSuperintendent’s Circular CAO-24 \nPage 12 of 80 \n \n \nparticular grade, class, or program associated with the trip), \nregardless of their financial situation. \n Accommodations: Students with English Learner status, 504 \nplans, and/or IEPs cannot be denied access to field trips due \nto their status, or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. See \nSuperintendent’s Circular SHS-8 for information about \nmedical dispensation on field trips. Participating students’" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "IEP or 504 plan shall be available to any staff coordinating \nand/or participating in the field trip. If any student has a \nserious medical, or mental health condition, please be sure \nthat their doctor is aware of the essential participation \ncriteria and location of the trip and writes a letter indicating \nthat the child may safely attend and participate in trip \nactivities. Keep this document on file with other key \npermissions slips and medical forms. \n Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "sites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQ community, students with disabilities, those who \nmay be in the minority during your field trip experience, and \nthose students who belong to groups that have experienced \nmarginalization in the location being visited. Program \nleaders must (1) work to prepare students for sensitive \nexperiences, and (2) ensure that the program is safe and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 13:\nSuperintendent’s Circular CAO-24 \nPage 13 of 80 \n \n \ninclusive for all students. Consult the Department of Global \nEducation for resources if needed. \n Inclusive Rooming: The program leader and principal/head \nof school shall work with transgender and gender \nnonconforming students to provide accommodations \n(including rooming) that affirm the student’s gender \nidentity while also ensuring safety. Program leaders should \nwork with students and families to make sure all travel \ndocuments (airline tickets, passport) reflect their legal \nnames as listed on government-issued identification, while \nall unofficial documents and materials may reflect the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "student’s preferred name. Please view additional rooming \nguidelines from the Office of Equity here. BPS students and \nparents are required to sign a BPS Student Traveler & Family \nAgreement form regarding student conduct while \nparticipating in a BPS sponsored field trip. Participation in \nfield trips may be denied to any student who has \ndemonstrated disregard for the policies and rules of BPS or \nthe school prior to the field trip. Parents/guardians and \nstudents must be made aware of this policy in advance and \ncommunicated with throughout any processes involving \ntheir child not participating in a field trip. \n Student Dismissal: Following an investigation, if the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "program leader, in consultation with the principal/head of \nschool and Central Office staff, determines that a student’s \nconduct while on an overnight trip, poses a risk to \nthemselves, or the safety of the group, or is no longer \nmanageable by BPS staff in the field, the district reserves \nthe right to request, and make arrangements for that" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 14:\nSuperintendent’s Circular CAO-24 \nPage 14 of 80 \n \n \nstudent to return home. The district also reserves the right \nto request that families assume responsibility for all or a \nportion of the costs associated with their child’s return. \nStudents may be subject to further disciplinary action and \nwill be provided the opportunity to have a formal hearing at \nthe school level upon return. The school must document the \nparent/guardian’s consent of this policy prior to the trip. \nIf a student is to be dismissed from an overnight field trip, \nthe student’s parent/guardian must be notified in advance \nand should agree to meet the student at the airport or other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "agreed-upon destination. If the parent/guardian is not \nreachable, the student’s principal or appropriate school- \nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed-upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines.) Any costs assumed in this \nregard will be the responsibility of the parent/guardian." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": " Attendance: Provisions must be made in advance for any \nstudent not attending the trip and staying at school. If \napplicable, provide alternative arrangements and/or \ncomparable activities for students not attending the trip or \nunable to participate in a portion of your trip. If a student’s \nfamily elects for their child not to attend a field trip for any \nreason, the child may not be penalized through their grade \nor otherwise. Attendance forms should indicate when a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 15:\nSuperintendent’s Circular CAO-24 \nPage 15 of 80 \n \n \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times. \n \nPRE-DEPARTURE CONFIRMATION CHECK \n \nEight Weeks (or More) Prior to Your Trip: \n Develop transportation plans: mode of transportation, travel \ntime, cost, etc. (If applicable, be sure to note how and with \nwhom the child will travel to and from a field trip’s \ndeparture and pick-up locations.) \n Review all students’ medical forms with the school nurse" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "and school counselor to ensure all documents are \ncompleted, to support each student’s health during the trip. \n(Please note: nurses and counselors do not “clear” students \nfor travel but will provide chaperones with guidance in \nsupporting students while traveling.) Consult with and, \nwhen necessary, receive training from and obtain written \ncomments from the school nurse and counselor regarding \nany students who have expressed medical needs (e.g., \nmedication, asthma, allergies, etc.). \n If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "insurance on the Medical Information Form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 16:\nSuperintendent’s Circular CAO-24 \nPage 16 of 80 \n \n \nFive Weeks (or More) Prior to the Field Trip: \n Contact the field trip site and ensure that the necessary \narrangements are still in place. \n Collect the completed and signed Parental Authorization for \nOvernight Trip, Medical Information, and Medication \nAdministration forms from each participating student and \nchaperone and ensure that copies of all forms (and the \nitinerary) are submitted to the principal/head of school. \n* Contact the Department of Global Education for the \nInformed Consent Template to be tailored for your trip and \nthen shared with families. \n If necessary, collect the Notarized Parent/Guardian Airline" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Travel Consent form. \n Hold a chaperone team meeting to distribute trip \nresponsibilities and to review the student team. \n Review students’ permission slips and medical forms; \nprepare any questions for follow-up with families and the \nschool nurse. \n The lead chaperone will record the names of the chaperones \nand whom each chaperone is supervising; each chaperone \nmust carry this list. \n Chaperones will organize a buddy system, pairing students \nwith one another for safety purposes." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 17:\nSuperintendent’s Circular CAO-24 \nPage 17 of 80 \n \n \n The lead chaperone will prepare trip binder for all \nchaperones (see During the Trip section which lists all \nbinder contents). \n Notify the appropriate principal leader and the Department \nof Global Education of your overnight travel plans by \nscanning and emailing the Overnight Field Trip Request \nForm at least four weeks in advance. \n \nTwo Weeks (or More) Prior to the Field Trip: \n If applicable, inform the food service manager or attendant \nof the names of the students going on the trip and the date \nand time of the field trip. \n Verify all arrangements, including transportation and \nreception at the site." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "reception at the site. \n Contact parents/guardians via telephone or in-person to \nreview the final details of travel and verify emergency, \nmedical and safety information, and contact details. Be sure \nfamilies have copies of their child’s permission and medical \nforms as well as the trip itinerary and contact details. \n Notify/consult with the principal/head of school (and \nDepartment of Global Education) if trip plans have changed \nfrom the original field trip request. \n \nCOMMUNICATION PLAN \n For Domestic Overnight Trips: The principal/head of school \n(or designee) is the emergency contact for program leaders \nand must be notified in the event of a serious medical" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 18:\nSuperintendent’s Circular CAO-24 \nPage 18 of 80 \n \n \nemergency or other emergency event. The Department of \nGlobal Education should be used as a resource for questions \nregarding safety on trips, and for support with insurance \nsupport and claims. Prior to departure, program leaders will \nreceive emergency contact information. \n Phone Service Coverage: Program leaders must have cell \nphone coverage for the duration of the trip for \ncommunication with BPS and families in the event of an \nemergency. This cell phone must be on at all times so you \nmay be contacted in case of an emergency. If this is not \npossible due to your location, please arrange a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "possible due to your location, please arrange a \ncommunication plan with the Department of Global \nEducation. Program leaders must carry the phone numbers \nfor the principal/head of school or sponsoring district \ndepartment and the Department of Global Education. You \nare required to call anytime there is an emergency. \n District Communication: Codify a clear communication plan \nwith your principal/head of school or sponsoring district \ndepartment prior to departure. You must check-in via phone \ncall, text, or email upon arrival, every 48 hours, whenever the \nitinerary significantly changes, whenever you expect to lose \ncell/email coverage, upon departure, and upon safe return." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "You MUST check-in via phone when there is an incident." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 19:\nSuperintendent’s Circular CAO-24 \nPage 19 of 80 \n \n \nDefinitions of communication types and expectations: \nGreen Communication: No immediate concern. \nProgram leader: notifies principal about arrival, departure, \nchanges in itinerary, loss of connectivity, highlights of \nprograms, photos. *Check in daily via text, phone call, email. \nYellow Communication: A Yellow Call is a reportable \nsituation or event, but no threat to life, limb, eyesight, or \npotential for severe emotional trauma. The incident is \nmanaged effectively in the field by program leader, but \ncould devolve into a serious or critical incident, and requires \nattention from BPS on-call staff." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "attention from BPS on-call staff. \nProgram leader: (1) notifies principal; (2) documents Incident \nSOAP Report; (3) monitors; (4) updates on-call BPS staff. \nRed Communication: Critical, violent, time-sensitive \nincident, illness, injury; or event that resulted in the loss of \nOR potential loss of life, limb, eyesight. \nRequires IMMEDIATE RESPONSE of program leader: \n(1) notifies principal; (2) alerts local medical assistance and/or \nlaw enforcement; (3) documents Incident SOAP Report; \n(4) monitors; (5) updates on-call BPS staff. \n Communication with Families: Call students the night \nbefore travel to ensure transportation to the departure" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "location is set, remind students to bring travel documents, \nand answer last-minute student and family questions. Set \nexpectations regarding communication during travel \nbetween chaperones/student travelers, and the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 20:\nSuperintendent’s Circular CAO-24 \nPage 20 of 80 \n \n \nprincipal/families. Families must know who to call 24/7 in \ncase of an emergency. \n \nDURING THE FIELD TRIP PROGRAM \n On the day of the trip, take attendance and leave the current \nlist of students attending the trip with the principal/head of \nschool. If applicable, record a specific bus number and \ndriver’s name and leave this information with the \nprincipal/head of school and share with all chaperones and, if \nage-appropriate, students. \n Team Safety: If you believe conditions are unsafe, or \nunhealthy at any point on the trip, it is the program leader’s \nresponsibility to make adjustments in the interest of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "group/individual safety. Consult your principal/head of \nschool and the Department of Global Education during the \ntrip when you have questions regarding trip safety. \n Conduct Safety Reviews with Students in the Field: The \nfollowing topics must be reviewed with students: \n Program leaders conduct a fire and safety assessment \nand fire drill (Fire Prevention and Safety Instructions) \nwhen you arrive at EACH NEW accommodation. Share \nwith the chaperone team the “Assessment” and \nprepare for orientation and fire drill. \n Share evacuation plan and emergency plans: Discuss \nwhere students go during an emergency or otherwise? \nDiscuss where students go if they are separated from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "the group during an activity." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 21:\nSuperintendent’s Circular CAO-24 \nPage 21 of 80 \n \n \n Ensure students have a list of the key addresses \n(hotel/chaperone information) and emergency \ninformation as well as copies of all travel documents. \nShare where you are staying (room number if \napplicable) and how to reach you on the trip. \n Conduct in-country orientation for conduct and \ncultural expectations. Set expectations for phone usage \nand social media. This is especially critical during an \nemergency. \n Conduct safety orientations for service learning \nprojects where teams work to construct, alter, and/or \nrepair structures, including painting and decorating, \nand for agricultural projects, chaperones with the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "support of program providers, must conduct a safety \norientation at the beginning of each activity. \n \nStudent Debriefs/Reflections: \n Conduct morning briefings to review the day’s itinerary \nand key information. Ask and answer questions. \n Conduct afternoon and/or evening debriefings to \nreview the next day’s itinerary, gather feedback, and \nprocess the day’s learning, and make any necessary \nadjustments. Engage students in conversations that \nhelp them process their experiences. Help them break \ndown stereotypes so that when they return, they have \na deeper understanding of the culture and country \nthey visited. Draw connections to how they will take" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 22:\nSuperintendent’s Circular CAO-24 \nPage 22 of 80 \n \n \nthe experience home with them and how the lessons \nthey have learned will translate back home. \n \nCheck-Ins & Student Supervision: \n Conduct frequent check-ins with the chaperone team \nto assess programming, student dynamics, and to \nmake any adjustments. \n Conduct frequent check-Ins with students about their \nbehavioral and physical health as well as their ability to \nprocess their trip experiences. \n Conduct nightly bed checks to be sure students are in \ntheir rooms at the designated time. If staying in a \nhotel/hostel be sure to request in advance for students \nto be placed near chaperones." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "to be placed near chaperones. \n Establish a curfew with clear guidelines, and ensure \ndoors are open if students congregate in the evening. \nAdults should stay close by and conduct frequent \nexpected and unexpected room checks. Be mindful of \nromantic relationships amongst students. \n Conduct regular and frequent headcounts and buddy \nchecks throughout the day. Do not leave students \nalone. Students should be accompanied by chaperones \nunless part of a scheduled activity and age appropriate \nas approved by their parent/guardian in advance. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 23:\nSuperintendent’s Circular CAO-24 \nPage 23 of 80 \n \n \ngroups of three AND always know how to reach an \nadult chaperone. \n \nDOCUMENTS TO TAKE \nAll chaperones must carry a trip binder at all times (or have them \nvery close at hand) that includes the following documents. The \nprogram leader carries the original forms; all other chaperones \ncarry copies. \n● Permissions slips (updated based on contact \nverification done with families) \n● Medical Information Form and Medical Administration \nForm \n● Student & Family Conduct Agreement Form \n● Parental waivers (if applicable) \n● Notarized Airline Consent Form (if applicable) \n● Copies of passports, visas, resident cards, and other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "travel-related documents \n● Emergency Action Plan (EAP) \n● Insurance information \n● BPS Field Guide protocols with emergency phone \nnumbers \n● Fire prevention and safety information \n● Incident Report (blank and/or completed) \n● Witness Report Form (blank and/or completed) \n● Incident Investigation Log (blank and/or completed)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 24:\nSuperintendent’s Circular CAO-24 \nPage 24 of 80 \n \n \n● SOAP Note (blank and/or completed) \n● List of addresses and emergency contacts in-country \nfor all travelers \n● Water Activities Forms if applicable \n● Program leaders carry originals of permission slips and \nmedical forms; other chaperones carry copies. \n \nDOCUMENTS TO LEAVE FOR YOUR PRINCIPAL/HEAD OF \nSCHOOL \n● CAO-24 circular with checklists \n● Permissions slips (updated based on contact \nverification done with families) \n● Student & Family Conduct Agreement Form \n● Parental waivers (if applicable) \n● Medical Information Form and Medical Administration \nForm \n● Notarized Airline Consent Form (if applicable)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "● Notarized Airline Consent Form (if applicable) \n● Copies of passports, visas, resident cards, and other \ntravel-related documents \n● Emergency Action Plan (EAP) \n● Insurance information \n● Fire prevention and safety information \n● International Program Incident Report (blank for \nreference) \n● Water Activities Forms (if applicable)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 25:\nSuperintendent’s Circular CAO-24 \nPage 25 of 80 \n \n \nAFTER THE FIELD TRIP (MANDATORY) \nEnsure all students safely return to their parents/families \nwhen you arrive back from the destination by following \nexpectations set prior to the trip for student pick-up from \narrival location. \n Medical Follow-Up: Depending on travel location and \nprescribed travel medication, call all students and families \nafter the trip to remind students to continue to take all \nprescribed travel medication. Additionally, remind students \n(inform parents/guardians) to see a doctor immediately if \nthey are not feeling well after the trip and to inform the \ndoctor of their recent travels." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "doctor of their recent travels. \n Incident Reports: If applicable, file and follow up with an \nIncident Report. \n \nAFTER THE FIELD TRIP (SUGGESTED) \n Write thank-you notes. \n Present to school, family, and the community about the \nexperience. \n Conduct related creative and/or analytical projects to \nshowcase student learning. \n Write a news article about the trip for a local newspaper or \nwebsite. \n Email stories, journals, and pictures of your trip to the \nDepartment of Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 26:\nSuperintendent’s Circular CAO-24 \nPage 26 of 80 \n \n \nFor more information about this circular, contact: \nOwner: \nChief of Teaching and Learning \nDepartment: \nDepartment of Global Education \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n315-601-0292 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \n1. Overnight Field Trip Request Form \n2. Emergency Action Plan \n3. Parental Authorization for Overnight Field Trip \n4. Medical Information Form \n5. Medication Administration Form \n6. Notarized Parent/Guardian Airline Consent Form \n7. Overnight Programs Incident Report \n8. Overnight Programs Witness Report" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "8. Overnight Programs Witness Report \n9. Overnight Programs Incident Log \n10. Fire Prevention and Safety Instructions \n11. BPS Student Traveler & Family Agreement Form \n12. BPS Chaperone Agreement Form" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 27:\nSuperintendent’s Circular CAO-24 \nPage 27 of 80 \n \n \nOVERNIGHT FIELD TRIP CHECKLIST \nPlease sign this checklist, retain a copy for your file, and submit \nthe original to the school office for filing. \nYour signature indicates that you read and understand the \npolicies in this circular; that they have been/will be followed; and \nall checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \n \nProgram Leader: \nDate \n \n \n \nSignature of Principal/Head of School or \nDate \nSponsoring District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 28:\nSuperintendent’s Circular CAO-24 \nPage 28 of 80 \n \n \nCAO- 24 ACKNOWLEDGEMENT FORM \nPlease sign this checklist, retain a copy for your file, submit the \noriginal to the school office for filing and attach it to your \ncompleted request package. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \n \n \nSchool Name: \n \n \n \n \n \nSignature of program leader \nDate \n \n \n \nSignature of Principal/Head of School \nDate \nor Sponsoring District Department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 29:\nSuperintendent’s Circular CAO-24 \nPage 29 of 80 \n \n \nOVERNIGHT FIELD TRIP REQUEST FORM \nThis form is submitted to the principal/head of school and is kept \non file in the school office. In addition, notify the appropriate \nNetwork Superintendent and the Department of Global \nEducation of your plans (four weeks in advance) by faxing or \nemailing as a PDF the following documents: 1) Overnight field \nTrip Request Form signed by the principal/head of school , 2) \nDay- by-Day trip itinerary, 3) Student roster; D.O.B, grade, \nemergency contact name, and number and 4) if applicable, your \nflight or train itinerary. Please call or email to ensure these" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "documents have been received by all parties. \n \nSCHOOL INFORMATION: \nSchool: \n \n \nDate Submitted: \n \n \n \nTRIP OVERVIEW: \nNumber of Students: \nNumber of Chaperones: \n \n \n \n(Supervision: maximum ratio 10:1 with a two-chaperone \nminimum. For students with disabilities, the ratio of staff to \nstudents must be at least the same as the ratio mandated in \ntheir IEPs for their classes.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 30:\nSuperintendent’s Circular CAO-24 \nPage 30 of 80 \n \n \nField Trip Category: \n \nDestination: \n \nDates of Trip: \n \n \nOverview of Trip (Educational Purpose): \n \n \n \n \n \nACCOMMODATION/LODGING INFORMATION \n \n \nAccommodation Name: \n \nAddress: \n \nPhone Number: \n \n\n\nPage 31:\nSuperintendent’s Circular CAO-24 \nPage 31 of 80 \n \n \nPROGRAM PROVIDER INFORMATION \n(If working with a company, organization, or partner) \n \nProgram Provider: \n \nProgram Provider Contact Person: \n \nProgram Provider Telephone Number: \n \nProgram Email: \n \n \nITINERARY \nPlease attach the detailed day-by-day itinerary:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 32:\nSuperintendent’s Circular CAO-24 \nPage 32 of 80 \n \n \nPROGRAM LEADER: \n \nProgram Leader/Lead Chaperone: \n \n \nRole in School: \n \nProgram Leader Phone # (prior to the trip): \n \nProgram Leader Phone # (during the trip): \n \nProgram Leader Email: \n \nOther Chaperones/Roles in School/ Phone Numbers on Field Trip: \nAttach a separate sheet if necessary. \n \nName \nRole \nPhone # \nEmail" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 33:\nSuperintendent’s Circular CAO-24 \nPage 33 of 80 \n \nStaff are not permitted to drive students. Privately owned \nvehicles, vehicles from non-approved vendors, or leased \nvehicles are not to be used to transport students to and from \nfield trips except in the case of a bona fide emergency. Staff \nwho use their own vehicles risk being legally liable. Please refer \nto TRN-03 for regulations regarding field trip transportation. \n \nSTUDENT PARTICIPANTS: \nPlease attach a student roster that includes: Legal and last \nname, D.O.B, grade, emergency contact name, and phone #. \n \nTRANSPORTATION INFORMATION: \n \n \nMethod of Transportation: \n \n \nTransportation Company:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Transportation Company: \n \n(For bus transportation, only BPS-approved vendors may be \nused regardless of how the trip is paid for. See TRN-3 for list.) \nContact Information (phone and address): \n \n \n \n \nDeparture Location and Time: \n \nReturn Location and Time: \n \n*If applicable, attach detailed train or flight information." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 34:\nSuperintendent’s Circular CAO-24 \nPage 34 of 80 \n \n \nFUNDING SOURCES: \nTotal Cost: $ \n \n \nFunding Source: \n \nGrant Number: \n \nBEDF Account Code/Description: \n \n \n \n \nApproved by: \n \nPrincipal/Head of School \nor Sponsoring District Department \nDate: \n \nYour signature indicates that all policies outlined in CAO-22 AND \nCAO-24 regarding overnight field trips will be followed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 35:\nSuperintendent’s Circular CAO-24 \nPage 35 of 80 \n \n \nEMERGENCY ACTION PLAN (EAP) \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP \nDo not leave the injured person alone or without an adult \npresent. \n \n1. REMAIN CALM. This helps the operator receive your \ninformation. \n2. DIAL 911. Remember you may need to access an outside line \nfirst. \n3. My name is \n. I am a (your role) in the Boston \nPublic Schools. \n4. I need paramedics now. \n5. My exact address is \n. \n6. There is a person with a (state type/location of injury) injury. \n7. The person’s name is \nand they are \n \nyears old. \n8. The person is located at \nwhich is on the \n(North/South/East/West) side of the facility." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "(North/South/East/West) side of the facility. \n9. I am calling from (telephone number). \n10.(Name) will meet the ambulance. \n11. Don’t hang up. Ask for the information to be repeated back \nto you and answer any questions the dispatcher may have. \nHang up the phone when all information is correct and \nverified." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 36:\nSuperintendent’s Circular CAO-24 \nPage 36 of 80 \n \n \n12. Wait with the person until EMS arrives. \n13. Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \n14. Call your head of school or appointee. The Department of \nGlobal Education can assist in contacting the necessary \ndistrict personnel and insurance providers. File an Overnight \nProgram Incident Report and Overnight Incident Log. \nPrincipal/Head of School: \n \n \nPhone Numbers: \n \nPrincipal Leader: \n \nDepartment of Safety Services: (617) 635-8000 \nDepartment of Global Education:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Department of Global Education: \n \n \nAdditional Phone Numbers:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 37:\nSuperintendent’s Circular CAO-24 \nPage 37 of 80 \n \n \nPARENTAL AUTHORIZATION FOR DOMESTIC \nOVERNIGHT FIELD TRIP \nASSUMPTION OF RISK, WAIVER, RELEASE, AND INDEMNITY \nHOLD HARMLESS AGREEMENT \nProgram Leaders: \nAccess the required Assumption of Risk, Waiver, Release, and \nIndemnity Hold Harmless Agreement template here. Please \nmake a copy of this template document before you edit the text \nin RED, and then share it with the Director of Global Education. \nThis document is to be reviewed by the Director of Global \nEducation & BPS Legal BEFORE sharing with parents/guardians \nfor signature** \nThis document is a requirement, and a binding legal document." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Should you have any questions, please contact the Department \nof Global Education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 85, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 38:\nSuperintendent’s Circular CAO-24 \nPage 38 of 80 \n \n \nMEDICAL FORM OVERNIGHT TRIPS \nGENERAL INFORMATION \nIMPORTANT NOTES: \n• Students may be in new and unfamiliar situations when \ntraveling. It is critical that this form is completed thoroughly \nand accurately so we may be in the best position possible to \nsupport you/your child. \n• Please indicate with an X \nHERE if you would like to \nschedule a meeting with the program leader of the trip to \ndiscuss your child’s medical or mental health. \n• To participate in a domestic overnight trip, a copy of the \nstudent’s current school year physical examination record \nmust be on file at the school in order to participate on an" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 86, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "overnight field trip. If traveling internationally, all students \nmust visit their primary care doctor prior to traveling and be \ncurrent on all immunizations and vaccinations for the U.S. in \naddition to the recommended immunizations and \nvaccinations for the locations/country(s) to be visited. \n• To be completed by the parent/guardian of the BPS student." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 87, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 39:\nSuperintendent’s Circular CAO-24 \nPage 39 of 80 \n \n \nSTUDENT INFORMATION \n \nStudent’s Full Name: \n \n \nDate of Birth: \n \n \nCountry of Origin: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address: \nParent/Guardian Name: \n \n \nCell: \nHome: \nWork: \nEmail: \nHome Address: \n\n\nPage 40:\nSuperintendent’s Circular CAO-24 \nPage 40 of 80 \n \n \nEmergency Contact # 1 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail: \nEmergency Contact # 2 \n \n \nName: \n \n \nRelationship to student: \n \n \nAddress: \n \n \nCell #: \nWork #: \nEmail:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 88, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 41:\nSuperintendent’s Circular CAO-24 \nPage 41 of 80 \n \n \nMEDICAL FORM OVERNIGHT TRIPS \nSTUDENT HEALTH QUESTIONS \nIMPORTANT NOTES to be completed by the parent/guardian of \nthe BPS student at least two months in advance of trip: \n1. Primary care physician’s name and contact information (in \ncase of an emergency): \n \n \n2. Health insurance provider’s name, policy #, and contact \ninformation (in case of emergency): \n \n \n3. Insurance provider claim instructions/procedures (in case of \nemergency): \n \n \n4. The student has the following health conditions and/or \nallergies of which BPS should be \naware: \n \n \n5. Physical health conditions:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 89, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "aware: \n \n \n5. Physical health conditions: \n \n \n6. Behavioral/mental health conditions: (e.g., depression, \nanxiety, etc.) \n \n \n7. Allergies (food, medication, insects, plants, animals, etc.):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 90, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 42:\nSuperintendent’s Circular CAO-24 \nPage 42 of 80 \n \n \n8. The student takes the following medications (including \nover-the-counter and herbal) and/or prescriptions of which \nBPS should be aware. (Be sure to complete the Medical \nAdministration Form): \n \n \n9. If medication is taken on an as-needed basis, specify the \nsymptoms or conditions when medication is to be taken \nand the time at which it may be given again. \n \n \n10. Is there any factor that makes it advisable for your child to \nfollow a limited program of physical activity? (i.e., asthma, \nrecent surgery, heart condition, fear, etc.) If yes, specify the \nways in which you wish their program limited. If the student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 91, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "has asthma, please attach the asthma action plan to this \nmedical form. \n \n \n11. Are there any activities on the itinerary that your child \ncannot or should not do? \n \n \n12. Other than a yearly physical, is the student currently under a \nphysician’s or other medical professional’s care (e.g., social \nworker, therapist, etc.)? If yes, please detail the reason." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 92, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 43:\nSuperintendent’s Circular CAO-24 \nPage 43 of 80 \n \n \n13. Other than a yearly physical, has the student been under a \nphysician’s or other medical professional’s (e.g., social \nworker, therapist, etc.) care anytime in the last year. If yes, \nplease detail the reason and dates of treatment. \n \n \n14. Please list any hospital, treatment center, surgical, \npsychiatric, or urgent care visits within the last year: (Please \nspecify the date, the reason, the physician or professional \nseen, and the length of stay.) \n \n \n15. Additional information of which BPS should be aware \nconcerning student’s health:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 93, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 44:\nSuperintendent’s Circular CAO-24 \nPage 44 of 80 \n \n \nI authorize the release of the information given above to \nchaperones and other school staff in order to coordinate \nservices and understand that chaperones will consult with \nthe school nurse about each student's health so they will be \nin the strongest position to support you/your child on this \nprogram. \n \n \n \nStudent Signature, if at least 18 years of age \nDate \n \n \n \n \nParent/Guardian Signature, if the student \nDate \nis under 18 years of age \n \n \n▪ If necessary, attach the doctor’s letter to this form. \n▪ If necessary, attach the asthma action plan to this form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 94, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "▪ If necessary, attach the diabetes action plan to this form. \n▪ If necessary, attach copies that document student shots \nand immunizations to this form." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 95, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 45:\nSuperintendent’s Circular CAO-24 \nPage 45 of 80 \n \n \nMEDICAL FORM: OVERNIGHT TRIPS \nMEDICATION ADMINISTRATION \n \n*Please send only essential medications with your student \non this trip. \n \n \nStudent Name: \n \n1. Name of Medication: \n \nTime(s) to be taken: \n \nReason for Medication: \n \nSide effects to be aware of/other information: \n \n \n \n2. Name of Medication: \n \n \nTime(s) to be taken: \n \nReason for Medication: \n \nSide effects to be aware of/other information:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 96, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 46:\nSuperintendent’s Circular CAO-24 \nPage 46 of 80 \n \n \n3. Name of Medication: \n \nTime(s) to be taken: \n \nReason for Medication: \n \nSide effects to be aware of/other information: \n \n \n \n4. Name of Medication: \n \n \nTime(s) to be taken: \n \n \nReason for Medication: \n \nSide effects to be aware of/other information: \n \n \n \n \n \nAdditional information/special instructions: \n\n\nPage 47:\nSuperintendent’s Circular CAO-24 \nPage 47 of 80 \n \n \nI authorize my child to take the above medications on this trip. \n \n \n \n \n \nStudent Signature, if at least 18 years of age \nDate \n \n \n \n \nParent/Guardian Signature, if student is \nDate \nunder 18 years of age" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 97, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 48:\nSuperintendent’s Circular CAO-24 \nPage 48 of 80 \n \n \nTRAVEL CONSENT FORM (PAGE 1) \n \nThe parties to this agreement are: \nParent/ Legal Guardian: (hereinafter referred to as “the \nparent/guardian”) \n \nFirst and Last Name: \n \nPhysical Address: \n \nContact Details: \n \nChild: (hereinafter referred to as “the child”) \n \n \nFirst and Last Name: \n \nBirthdate: \n \nTraveling Guardian(s) and Contact Details: (hereinafter referred \nto as “The Traveling Guardians”) \n \n \nFull Name: \nAddress: \nContact Details:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 98, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 49:\nSuperintendent’s Circular CAO-24 \nPage 49 of 80 \n \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 2) \n \n1. I hereby authorize the child to travel with the traveling \nguardians to the following destination: \n2. The period of travel shall be from \n to \n \n. \n3. Should it prove to be impossible to notify the parent/ \nguardian of any change in travel plans due to an emergency \nor unforeseen circumstances arising, I authorize the \ntraveling guardian to authorize such travel plans. \n4. Should the traveling guardian in their sole discretion (which \ndiscretion shall not be unreasonably exercised) deem it \nadvisable to make special travel arrangements for the child" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 99, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "to be returned home due to unforeseen circumstances \narising, I accept full responsibility for the additional costs \nwhich shall be incurred thereby. \n5. I indemnify the traveling guardian against any and all claims \nwhatsoever and howsoever arising, save where such claims \narise from negligence, gross negligence, or willful intent \nduring the specified period of this travel consent. \n6. I declare that I am the legal custodian of the child and that I \nhave the legal authority to grant travel consent to the \ntraveling guardian of the child. \n7. Unless inconsistent with the context, words signifying the \nsingular shall include the plural and vice versa." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 100, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 50:\nSuperintendent’s Circular CAO-24 \nPage 50 of 80 \n \n \nNotarized Parent/Guardian Airline Travel Consent Form (page 3) \n \n \nSigned at \non the \nday of \n \n, 20 \n. \n \nSignature \n(Parent/ Guardian) \nSignature \n \n(Witness 1) \nSignature \n(Witness 2) \n*Witness signatures must be by independent persons and not by \nanyone listed on the Travel Consent form. \n \nOn this \nday of \n, 20 \n, before me, \nthe undersigned authority, personally appeared and proved to \nme through satisfactory evidence of identity, to wit, to be the \nperson(s) whose name(s) is/are signed on the attached \ndocument and who signed in my presence. \n \n \nOfficial Notary Signature:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 101, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Official Notary Signature: \n \n \n \nName of Notary Typed, Printed or Stamped: \n \n \nCommission Expires:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 102, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 51:\nSuperintendent’s Circular CAO-24 \nPage 51 of 80 \n \n \nSTUDENT SUPPORT DURING DOMESTIC OVERNIGHT \nPROGRAMS FORM (RECOMMENDED) \n \n \nNote: This form is to be completed by students who intend to \nparticipate in an overnight program. The information is \nconfidential and will be used by program leaders to better \nunderstand and support the needs of students while on program \nin a foreign country. \nStudent First & Last Name: \n \n \n \nWhen preparing for your international program, please think \nabout the following questions, and respond as honestly as \npossible in order to be supported: \n1. What are you nervous about? \n \n \n \n \n2. What are you excited about?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 103, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "2. What are you excited about? \n \n \n \n \n3. What scares you about the trip location or activities \n(itinerary)?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 104, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 52:\nSuperintendent’s Circular CAO-24 \nPage 52 of 80 \n \n \n4. When in a new environment, I get anxious when… \n \n \n \n \n5. When in a new environment, I get upset when… \n \n \n \n \n6. In order to get the most learning and benefits from \nthis experience, I will need…" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 105, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 53:\nSuperintendent’s Circular CAO-24 \nPage 53 of 80 \n \n \nDOMESTIC OVERNIGHT PROGRAMS INCIDENT REPORT \nIncident reports should be used for all yellow and red incidents \nthat are not fully described or investigated already through the \nSOAP Note. \n \nA. Complete all Fields: \nSchool/s: \n \nDate of Report: \n \nCountry: \n \nIncident Date and Time: \n \nReporting Chaperone: \n \nB. Complete all Applicable Fields: \n \nVictim(s) Name(s) \nContact Information \n \nSuspect(s) Name(s) \nContact Information \n \nWitness(s) Name(s) \nContact Information \n \nLocation of Event \nAddress" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 106, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 54:\nSuperintendent’s Circular CAO-24 \nPage 54 of 80 \n \n \nDomestic Overnight Programs Incident Report (page 2) \n \nC. Nature of Incident (check all that apply) \n \n Injury \n Equipment Fail \n Behavioral/ \nPsychological \n Illness \n Missing/Separa- \nted Person \n Natural Disaster \n Physical Assault \n Sexual \nAssault \n Theft \n Property \nDamage \n Sexual \nHarassment \n Fatality \n Crime \n Political \nUpheaval \n Disease \nOutbreak \n BPS Code \nof Conduct \nviolation \n Other: \n \n \nD. Narrative (Using facts, describe what happened):" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 107, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 55:\nSuperintendent’s Circular CAO-24 \nPage 55 of 80 \n \n \nDomestic Overnight Programs Incident Report (page 3) \n \nE. Activity at Time of Incident (check all that apply) \n \n Class time \n Service \n Homestay \n Traveling \n Fieldtrip \n Camping \n Hike/Jog/Walk \n Swimming \n Water Activity \n Other: \n \n \nF. Contributing Factors (Check all that apply) \n \n Not disclosed in \nmedical form \n Sports/Recreation \n Animal/Insect/Plant \n Pre-Existing \nCondition \n Alcohol/Drugs/ \nMedication \n Motor Vehicle \n Weather/Terrain \n Pre-Course Info \n Orientation/ \nTraining \n Political/ \nCultural/ \nLanguage \n Other" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 108, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 56:\nSuperintendent’s Circular CAO-24 \nPage 56 of 80 \n \n \nDomestic Overnight Programs Incident Report (page 3) \n \nG. Action Taken \nDetails \nFirst Aid \nWhen \nBy Whom \n \nType (i.e., medication, CPR, \netc.) \n \nEmergency Evacuation \n \nVisit Medical Facility \nName of Facility \nDoctor/PA/Nurse \nReported Diagnosis \nMedication Prescribed \n \nEmergency Contact Person \nNotified? \n☐ Yes \n☐No \nName: \nDate and Time Contacted: \nNotes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 109, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 57:\nSuperintendent’s Circular CAO-24 \nPage 57 of 80 \n \n \nG. Action Taken \nDetails \nDepartment of Global \nEducation (DGE) Contacted? \n☐ Yes \n☐No \nName: \nDate and Time DGE Contacted: \nNotes: \nInsurance Contacted? \n☐ Yes \n☐No \nName: \nDate and Time Contacted: \nClaim #: \nNotes: \nLocal Authorities Notified? \n☐ Yes \n☐No \nDate and Time Notified: \nOrganization: \nAuthority Name(s): \nNotes:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 110, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 58:\nSuperintendent’s Circular CAO-24 \nPage 58 of 80 \n \n \nG. Action Taken \nDetails \nFollow-up Plan \nDetails: \n \n \n \nSignature of Reporting Chaperone: \nDate: \nFile this Overnight Incident Programs Report along with \nany accompanying reports/documents from local law \nenforcement, medical professionals, and/or International \nPrograms Witness Report via email if possible OR as soon \nas circumstances permit. Turn in the original report to the \nDGE as soon as you return to Boston. Incident reports \nrequire at least one witness signature, and where possible \nthe signatures of all impacted participants." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 111, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 59:\nSuperintendent’s Circular CAO-24 \nPage 59 of 80 \n \n \nDomestic Overnight Programs Incident Report (page 6) \n \n \nWitness Signature \nDate \nSignatures of those impacted: \n1. \nDate: \n \n2. \nDate: \n \n \n3. \nDate: \n \n4. \nDate: \n \n\n\nPage 60:\nSuperintendent’s Circular CAO-24 \nPage 60 of 80 \n \n \nDOMESTIC OVERNIGHT PROGRAMS WITNESS REPORT \nWitnesses shall use this form to provide a statement of their \nobservations to accompany the Incident Report Form. \n \nWitness Statement of [Name]: \n \nPhone Number: \n \nAddress: \n \n \n \n \nDescription of Incident: \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nI believe the contents of this statement are true. \nSignature: \n Date:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 112, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 61:\nSuperintendent’s Circular CAO-24 \nPage 61 of 80 \n \n \nDOMESTIC OVERNIGHT PROGRAMS \nINVESTIGATION LOG \nThis template can be used to take running notes during an \ninvestigation. \n \nEvent \nTime \nLocation \nParties \nInvolved \nSource of \nInformation \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n\n\nPage 62:\nSuperintendent’s Circular CAO-24 \nPage 62 of 80 \n \n \nEvent \nTime \nLocation \nParties \nInvolved \nSource of \nInformation \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \nSignature of Investigator \nDate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 113, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 63:\nSuperintendent’s Circular CAO-24 \nPage 63 of 80 \n \n \nSOAP NOTE \nSOAP Notes should be used for live documentation of all health \nrelated incidents requiring further monitoring and/or \nevacuation. SOAP Notes should be attached to the \ncorresponding Incident Report. \n \nSubjective: What the patient tells you; note the chief \ncomplaint(s): \n \n \n \n \n \n \nObjective: What you see; vital signs; general survey of patient: \n \n \n \n \n \n \nAssessment: What you think is going on; diagnosis presented by \nmedical professional: \n \n \n \n \nAnticipated Problems:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 114, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 64:\nSuperintendent’s Circular CAO-24 \nPage 64 of 80 \n \n \nPlan: What will be done about it; Tests ordered, medications \nprescribed, follow up needed: \n \n \n \n \n \n \n \n \n \nReporting Chaperone \nDate \nFile this SOAP Note along with any accompanying \nreports/documents from local law enforcement, medical \nprofessionals and/or International Programs Witness Report via \nemail if possible OR as soon as circumstances permit. Turn in the \noriginal report to the DGE as soon as you return to Boston." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 115, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 65:\nSuperintendent’s Circular CAO-24 \nPage 65 of 80 \n \n \nFIRE PREVENTION AND SAFETY PRACTICES \nOVERNIGHT PROGRAMS \nFire safety plans on overnight and international programs \ndiffer from the procedures set for our schools. The laws that \nregulate fire prevention may differ from what exists in \nMassachusetts. The steps below must be followed on all \novernight and international programs: \n1. Conduct a fire prevention assessment. \nThe program leader must conduct a fire safety \nprevention assessment using the Fire Prevention and \nSafety Form (Attachment A) within 24 hours of arrival. \nUsing the Fire Prevention and Safety Form, the \nprogram leader shall formulate a plan for the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 116, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "program leader shall formulate a plan for the \nevacuation of all persons on the trip in the event of a \nfire or other emergency. This plan shall include \nalternate means of egress and should be created in \nconsultation with an accommodation staff person, and \nif applicable, the third-party provider. \n2. Prepare Chaperone Team on fire prevention strategy. \nBased on the results from the Fire Prevention and \nSafety Form, the program leader should ensure that \neach staff member receives and understands the fire \nprevention landscape and has instructions on the fire \ndrill procedure created for the accommodation. \nQuestions to review include:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 117, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Questions to review include: \na. What are the best means of egress in case of a fire? \n(Consider all rooms students and staff are staying in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 118, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 66:\nSuperintendent’s Circular CAO-24 \nPage 66 of 80 \n \n \nand all places where the group may congregate. Use \nthe hotel’s posted evacuation routes if applicable.) \nb. Where is the designated meeting point? (This \nmeeting point should be a safe distance from the \nbuilding, but easy for the group to identify and \nlocate.) \nc. Who is responsible for each student? (Attendance \nmust be taken; if chaperone ratios permit, the lead \nchaperone should not be assigned to a group and \nshould serve as the contact person for emergency \npersonnel.) \nd. What are some hazards that students and \nchaperones should be aware of? \ne. What happens in the case of a missing person?" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 119, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "e. What happens in the case of a missing person? \n3. Review prevention strategy with students and conduct a \nfire drill. \nThe lead chaperone and the chaperone team will \nreview the fire prevention strategy and conduct a fire \ndrill (walkthrough) with the students within the first 24 \nhours of the trip. Conducting a fire drill (walkthrough) \nis important as participants are unfamiliar with the \nbuilding. \nInstructions for fire drills: \nSince each accommodation is different, each plan and \ndrill will vary. Regardless of the accommodation, it is \ncritical that a procedure is in place for evacuating the \nbuilding, each chaperone knows their responsibilities," + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 120, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "every student participates in the fire drill" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 121, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 67:\nSuperintendent’s Circular CAO-24 \nPage 67 of 80 \n \n \n(walkthrough), and each person knows the meeting \nlocation when evacuated from the building. Please \nnote: A fire drill as defined here is a walkthrough of the \nroute the group will take to exit the premises in the \nevent of an emergency. \nA few general instructions: \n● Evacuate immediately. \n● Do not use elevators during a fire evacuation. \n● Each student should walk to the designated meeting \nlocation outside of the building in a quiet and orderly \nmanner. \n● Make sure all students know all possible exits from \ntheir area and that students know where the meeting \nlocation is outside of the building." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 122, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "location is outside of the building. \n● Fire drill plans must ensure adequate procedures for \nthe emergency evacuation of students and staff with \ndisabilities. (Have a staging location for students/staff \nwith disabilities and make sure hotel/hostel personnel \nare also aware.) \n● Chaperones are responsible for students under their \nsupervision and must take attendance." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 123, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 68:\nSuperintendent’s Circular CAO-24 \nPage 68 of 80 \n \n \n● Upon the evacuation of a building, no person or \npersons shall re-enter the building without the \nauthorization of the lead chaperone. The lead \nchaperone, as a part of their fire drill procedures, must \nestablish a command procedure for such evacuations. \n4. Conduct a post-fire drill debrief. \nAfter the fire drill, the chaperone team should set aside \ntime to debrief. Record response on Attachment A." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 124, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 69:\nSuperintendent’s Circular CAO-24 \nPage 69 of 80 \n \n \nFIRE PREVENTION AND SAFETY ASSESSMENT FORM \nFor each accommodation, please complete and, upon your \nreturn, file this form with other documents you are \nmandated to keep. Legally, these documents must be kept \non file for the current fiscal year plus three additional years \nafter the field trip has occurred. \n \nBUILDING: \nProgram Leader: \n \n \nDate of the Safety Prevention Assessment: \n \nName/s and Titles of Staff Consulted for Assessment: \n \n \n \n(accommodation staff/ program provider staff) \n \n \nOUTSIDE THE BUILDING: \nList the possible hazards in the area: \n \n \n \n \nCan the accommodation be accessed by a fire department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 125, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "or emergency team?  YES \n NO" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 126, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 70:\nSuperintendent’s Circular CAO-24 \nPage 70 of 80 \n \n \nINSIDE THE BUILDING \n \nEquipment: \nDoes the building have fire alarms? \n☐ YES \n☐ NO \nAre there fire sprinklers? \n☐ YES \n☐ NO \nIf yes, where are they located? \n \n \n \nIs there adequate lighting in the corridors? \n \n☐ YES \n \n☐ NO \nAre there clear exit signs? \n☐ YES \n☐ NO \nAre there fire alarm pull stations? \n☐ YES \n☐ NO \nAre the fire alarm pull stations visible and \naccessible? \n \n☐ YES \n \n☐ NO \nAre there fire extinguishers? \n☐ YES \n☐ NO \nIf yes, where? \n \n \n \nAre there smoke detectors in the corridors and in \n \n \nevery room where participants are staying? \n☐YES \n☐NO \n \n \nHazards: \nList the potential fire hazards at the site:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 127, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "List the potential fire hazards at the site: \n \n \n \n \nAre there notable fire hazards such as open fire doors, \naccumulated trash, blocked corridors, locked exit doors, blocked" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 128, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 71:\nSuperintendent’s Circular CAO-24 \nPage 71 of 80 \n \n \nstairways, burned-out exit lights, or missing/broken fire \nequipment? \n☐ YES \n☐ NO \nMeans of Evacuation/Egress: \n \n \nDoes the facility have an evacuation plan for \neach room? (If not, be sure that when you \nconduct a fire drill (walkthrough) that you \ndevelop a plan for leaving the room.) \n \n \n \n☐ YES \n \n \n \n☐ NO \nWhat are the means of egress? \n \n \n \nAre there primary exits and alternate exits? \n \n☐ YES \n \n☐ NO \nNote locations: \n \n \n \nFIRE DRILL/WALKTHROUGH PLAN: \n \n \n(Please record notes below.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 129, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 72:\nSuperintendent’s Circular CAO-24 \nPage 72 of 80 \n \n \nPOST-DRILL DEBRIEF: \nDate and time of the fire drill: \n \n \n \nDid the students and chaperones follow the procedures of the \nfire drill? If no, why not? \n☐YES \n☐NO \n \n \n \n \nBased on this debrief, either inform the students of your \nfindings for adjustments or, if necessary, conduct another \nfire drill. Once the safety review and drill are completed, \nplease sign below. \n \nSignature of Program Leader:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 130, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 73:\nSuperintendent’s Circular CAO-24 \nPage 73 of 80 \n \n \nBPS STUDENT TRAVELER & FAMILY AGREEMENT \nFOR DOMESTIC OVERNIGHT TRAVEL \nOverview: Positive behavior is a key expectation for students \nparticipating in domestic and international travel opportunities. \nPositive behavior reflects trustworthiness, respect, responsibility, \nambassadorship, and service. Participants are expected to fully \nparticipate, follow all program guidelines, and behave \nappropriately to ensure a high-quality learning experience. \nParent/guardians: please read this contract carefully with your \nstudent and sign it. \nStudents: your signature on this contract seals your commitment" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 131, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "to follow behavior expectations leading up to, and during your \nschool trip. \n \nSTUDENTS: \nBefore I go on the trip: \n● I understand that my acceptance to a trip prior to departure \ndoes not guarantee that I will be allowed to attend. \n● I have access to my school's handbook which includes all \nBPS and school rules and the BPS Code of Conduct. \n● I know that it is my responsibility to follow all BPS rules and \nguidelines set by the administrator or chaperone. \n● I will attend all mandatory pre-departure meetings and \ncomplete all mandatory paperwork. \n● I will not violate the BPS Code of Conduct." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 132, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 74:\nSuperintendent’s Circular CAO-24 \nPage 74 of 80 \n \n \n● I will not distribute or consume alcohol or drugs (including \nedibles) and/or encourage actions that are against the BPS \nCode of Conduct or law. \n● I will not pack any illegal or inappropriate items (i.e., items in \nviolation of the BPS Code of Conduct, including, but not \nlimited to: weapons, alcohol, edibles, drug paraphernalia). \n● I will be compliant with any guidelines set by the school, \nadministrator, or chaperone regarding program \nexpectations and any required materials, such as completed \nprojects, journals, and service hours. \n● I know that if I do not act appropriately, or if I violate any" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 133, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "rule, there are consequences for my actions. Such \nconsequences include, but are not limited to, not being \nallowed to participate in the international trip program. \nWhile I am on the trip: \n● I will not violate the BPS Code of Conduct. \n● I will ask for help from the adults when needed. \n● I will treat my peers, all adults, and all people with the \nutmost level of respect. \n● I will not purchase, distribute, or consume any illegal or \ninappropriate items (i.e., items in violation of BPS Code of \nConduct, including but not limited to: weapons, alcohol, \nedibles, drug paraphernalia), even if these substances are \nlegal in the state or foreign country, or I am of legal age in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 134, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "the foreign country." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 135, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 75:\nSuperintendent’s Circular CAO-24 \nPage 75 of 80 \n \n \n● I will use social media responsibly during the trip and will \nnot post or communicate any information regarding other \nstudents during an emergency. \n● I will abide by the established curfew and sleep alone in my \nassigned bed and sleeping location each night. \n● I will not vandalize any property at any venue I visit (hotel, \ntour bus, tourist sites, homestay location). \n● I will obey the BPS dress code, as well as the suggested \nattire for the foreign country and specific sites and locations \nwithin the foreign country I will visit. \n● I will not share any medication with anyone on the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 136, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "● I will take medication prescribed for me by my doctor for \nrequired or recommended medical use while abroad (e.g., \nmalaria pills, asthma inhaler, prescriptions for anxiety, \ndepression). \n● I will not leave the group at any time unless specifically \nauthorized to do so. \n● I will practice good common sense, respect, and \nconsideration for others and their property. \n● I understand that I am responsible for keeping my passport, \nimportant belongings, and other travel documents safe. \n● I understand that partaking in any illegal activity abroad can \nresult in my arrest. \n● I understand that if an issue of any kind arises, my \nchaperone will address the issue, and their decision is final." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 137, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 76:\nSuperintendent’s Circular CAO-24 \nPage 76 of 80 \n \n \n● I know that if I do not act appropriately, or if I violate any \nrule, that there are consequences for my actions. Such \nconsequences include, but are not limited to, being sent \nhome at my parent/guardian's expense. \n \nPARENT/GUARDIANS/ STUDENTS AGE 18 OR OLDER: \nI fully understand the following conditions regarding student \ninternational travel with BPS: \n1. The BPS Code of Conduct applies to all field trips. Following \nan investigation, if the program leader, in consultation with \nthe principal/head of school and Central Office staff, \ndetermines that a student’s conduct while on an overnight" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 138, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "trip poses a risk to themselves, or the safety of the group, or \nis no longer manageable by BPS staff in the field, the district \nreserves the right to request and arrange for that student to \nreturn home. The district also reserves the right to request \nthat families assume responsibility for all or a portion of the \ncosts associated with their child’s return. Students may be \nsubject to further disciplinary action and will be provided \nthe opportunity to have a formal hearing at the school level \nupon return. \n2. If a student is to be dismissed from an overnight field trip \ndue to behavior that violates the BPS Code of Conduct while" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 139, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "participating in a domestic overnight trip, the student’s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed- \nupon destination. If the parent/guardian is not reachable, \nthe student’s principal or appropriate school-based point of \ncontact must be notified and agree to meet the student at \nthe airport or other agreed-upon destination. Students \nunder the age of 16 must be accompanied on their flight by" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 140, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 77:\nSuperintendent’s Circular CAO-24 \nPage 77 of 80 \n \n \na chaperone. Students over the age of 16 may fly \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. (Age requirements may be subject to specific \nairline/train/bus guidelines). Any costs assumed in this \nregard will be the responsibility of the parent/guardian. \n3. Parents or students who sign contracts and/or agreements \nwith third-party company vendors acknowledge that \noutside companies’ protocols and procedures might differ \nfrom BPS policies and procedures. Families should \nespecially be aware of cancellation and refund policies. BPS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 141, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "is not responsible for money paid to third-party vendors. \n4. BPS reserves the right to cancel a trip at any time. Trip \ndestinations that impose an immediate risk to our students \nwill be canceled. In these instances, all families will be \nnotified immediately. \n \n \n(Families: Keep this page.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 142, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 78:\nSuperintendent’s Circular CAO-24 \nPage 78 of 80 \n \n \n(Program leaders: Keep this page.) \n \n \nSTUDENT/GUARDIAN STATEMENT OF UNDERSTANDING \nWe have read and understand the BPS Student Traveler & \nFamily Agreement Form. We understand what is expected of the \nprospective student traveler and feel that we, the \nparent/guardian and student, can commit to these expectations. \nPARENT/GUARDIAN (print name): \n \n \nPARENT/GUARDIAN (signature) \n \nDATE \n \nPHONE NUMBER: \n \nSTUDENT (print name): \n \n \nSTUDENT (signature): \n \nDATE: \n \nPHONE NUMBER: \n \n \n \n(Students: Return this page to your program leader.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 143, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 79:\nSuperintendent’s Circular CAO-24 \nPage 79 of 80 \n \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: \n \n \nDestination: \n \n \nDeparture Date: \nReturn Date: \n \n \n \nAll chaperones must agree to abide by the following code of \nconduct in order to participate in a BPS-sponsored field trip. \n \nSAFETY & RESPONSIBILITY \nI understand that my safety and the safety of other \nparticipants are extremely important during this field trip, \nand I agree to make safety my first priority. I agree to \nconduct myself in a manner that promotes my safety and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 144, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "the safety of others at all times. I understand that \nmaintaining students’ safety requires that students must be \nsupervised by me and/or other chaperones at all times \nwhile students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake-up calls for students, are part of my \nresponsibility. I agree to follow BPS policies, protocols, and \nguidance of BPS staff when in the field." + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 145, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "Page 80:\nSuperintendent’s Circular CAO-24 \nPage 80 of 80 \n \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits \nstudents from possessing, using, selling, and/or distributing \nany of the following on all domestic and international field \ntrips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, \nuse, or distribution of over-the-counter medication, and \nselling of prescription drugs. The Code also prohibits the use \nof tobacco products (including e-cigarettes, hookah \nparaphernalia, and vapor cigarettes). I understand that" + }, + { + "folder_name": "Academics", + "file_name": "CAO-24 Domestic Overnight Field Trip Guidelines", + "chunk_id": 146, + "uri": "https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_", + "content": "these prohibitions apply to all students, regardless of age. \nI understand that I am forbidden to use or visibly be in \npossession of tobacco in the presence of students. I also \nunderstand that the use of all other drugs, including \nalcohol, and weapons are strictly prohibited on the field trip. \n \n \nChaperone Name (Printed): \n \n \nChaperone Name (Signature): \n \n \nDate:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-01 \nVersion 01 \n \nPROMOTION POLICY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBoston Public Schools students are the leaders, scholars, \nentrepreneurs, advocates, and innovators of tomorrow. BPS will \nensure that 100% of those students are ready for college, career, \nand life. We will ensure that every graduate: \n● is a proficient reader, communicator, problem-solver, and \ncritical thinker; \n● demonstrates the habits of mind and work required for \nsuccess in school and the world of work; \n● knows how to acquire knowledge, connect it to familiar" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "concepts and prior knowledge, and apply it, using \nsophisticated technologies; \n● has mastered key skills and understands important \nconcepts from English Language Arts, Mathematics, Science \nand Technology, History and Social Science, at least one \nWorld Language, the Arts, Health, and Physical Education; \n● has applied these concepts in real-life contexts; and \n● has made a valued contribution to the school and \ncommunity." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 2:\nSuperintendent’s Circular CAO-01 \nPage 2 of 10 \n \n \n \nThese expectations frame the teaching, learning, and assessment \nprocess. They are critical to lifelong learning and essential to \ngaining students’ commitment to the learning process. \n \nRESPONSIBILITIES AND ACCOUNTABILITY \nEvery teacher, administrator, parent, and adult involved in the \nlives of our students share in the responsibility to ensure that all \nstudents meet these expectations. \nThe Boston Public Schools: \nSchools, and the adults who work in them, are accountable for \nensuring every student learns in an environment that is safe, \nwelcoming, and sustaining; receives quality instruction that is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "responsive to their strengths and needs; and receives timely \ninformation about their progress. \nFamilies and Students: \nFamilies are responsible for ensuring their children come to \nschool each day, on time, ready to learn. Every student is also \nresponsible for coming to school and class prepared and on time, \nworking hard, and contributing to the school environment in a \npositive, responsible manner." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 3:\nSuperintendent’s Circular CAO-01 \nPage 3 of 10 \n \n \n \nTHE BPS PROMOTION POLICY \nThis promotion policy has been developed in alignment with the \nBPS Opportunity and Achievement Gap Policy which states in its \npreamble: “Every child, in every classroom, in every school of the \nBoston Public School system has the same opportunity to \nachieve the greatness within them as anybody else. Every child \nhas the same unfettered access to every conceivable tool to \nunlock the greatness within them.” The BPS Promotion Policy \noutlines the expectations for school teams that ensure that \nstudents have access to every conceivable tool that will support" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "them to meet grade-level learning expectations before \nconsidering the possibility of retention. \nBPS school teams and individual educators must provide all \nstudents with access to high-quality, differentiated, and relevant \ntier 1 instruction that is aligned with grade-level standards and \nimplemented through high-quality materials. School teams and \nindividual educators must monitor student progress towards \ngrade-level expectations through formal and informal data \ncollection and make ongoing adjustments to instruction to \nrespond to evidence of student learning. School teams and \nindividual educators must ensure that all students have access to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "tiered supports that provide appropriate scaffolds and instruction \nso that students are able to develop grade-level knowledge and \nskills. \nIn cases where it is determined that a student may not, with all \navailable supports provided, develop the necessary grade-level \nknowledge and skills by the end of the school year, a school \nteam, including the student, family, teachers, and the school" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 4:\nSuperintendent’s Circular CAO-01 \nPage 4 of 10 \n \n \n \nleader, will collectively make decisions regarding student \npromotion. If the team is unable to come to a decision or any \nmember would like to dispute a decision, the Chief of Teaching \nand Learning may be brought in to support the decision-making \nprocess. Principals and heads of school have the final authority \nfor all promotion decisions. School teams must make decisions \nbased on the following principles: \n● ensure promotions are earned and based on academic \nachievement \n● diminish grade retentions to the greatest extent possible \n● ensure students will enter classrooms with the skill and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "knowledge necessary to do grade-level work or have the \nnecessary supports to accelerate learning \n● ensure students are prepared to demonstrate proficiency on \nthe Massachusetts Comprehensive Assessments \n● establish a process that supports students and demands \nhard work from them \n● recognize that students learn at different rates and call for \norganizational structures that respond to students’ \ndifferences \n● define those inputs and outcomes for which teachers, \nadministrators, parents, and students are accountable." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 5:\nSuperintendent’s Circular CAO-01 \nPage 5 of 10 \n \n \n \nPROMOTION REQUIREMENTS FOR ALL GRADES \nStudents must fulfill several requirements to be promoted to the \nnext grade. All students must earn passing grades in core \nacademic courses and maintain good attendance. Schools may \nestablish promotion requirements that exceed those listed. The \nSchool Site Council must approve these additional requirements. \nHigh school students must pass courses that align to the BPS \nGraduation Policy (CAO-07) in order to earn the credits necessary \nto graduate. \n \nENGLISH LEARNERS \nStudents in programs for English learners must meet promotion" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "and graduation requirements. However, EL students may not be \nretained in grade if the only reason for not passing the required \ntests is a lack of language knowledge. \n \nSTUDENTS WITH DISABILITIES \nStudents with disabilities are expected to meet promotion and \ngraduation requirements. A student’s Individualized Education \nProgram (IEP) or Section 504 plan will describe the conditions \nunder which the student will take standardized tests for each \nsubject scheduled for assessment or if the student requires an \nalternate assessment. Alternate assessments are intended for a \nminimal number of students with significant disabilities who are" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "unable to take standard MCAS tests, even with accommodations." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 6:\nSuperintendent’s Circular CAO-01 \nPage 6 of 10 \n \n \n \nA student’s 504 plan will describe what, if any, testing \naccommodation will be needed. \n \nREQUIRED PROCESS \nPrincipals and heads of school are responsible for effectively \nimplementing the following process: \n1. Parents must be notified by the end of September of the name \nand phone number of the school staff member (in addition to \ntheir child’s teachers) they should call about concerns related \nto their child’s academic progress. Parents should also be \ninformed that if they ever have a concern about their child’s \nacademic progress, they should notify the appropriate teacher" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "and principal/head of school (or the designated administrative \nliaison to parents). \n \n2. If by mid-October, a teacher considers a student at-risk of not \nmeeting the subject or grade-level standards, the teacher will \nnotify the parent immediately, in writing, and refer the student \nto the appropriate administrator, guidance counselor, or \nstudent support services personnel. \n \n3. When a student has been identified as at-risk of not meeting \nsubject or grade-level standards, the principal/head of school, \nteacher(s), and other designated staff will work with parents \nand the student to resolve any problems. They may consider a \nvariety of options, including:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 7:\nSuperintendent’s Circular CAO-01 \nPage 7 of 10 \n \n \n \n● tiered academic or social emotional supports \n● examining and altering current instructional strategies or \nmaterials \n● tutoring (during or after school) \n● a change in schedule \n● a change in teacher \n● referral to other support, social service, or health-related \nservices \n● problem-solving with other students or individuals who may \nhave an impact on the students’ achievement. \n \n4. If by the close of the first marking term, the problem persists \nand the student remains at-risk for retention, additional \noptions will be considered, including: \n● referral to the school’s Student Success Team (SST)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "● referral to safety net or alternative programs for more \nintensive services \n● access to additional instructional time (during the day, \nextended day, or summer school) \n● referral to special education, where necessary and \nappropriate, to determine evidence of a disability (pre-\nreferral documentation must provide evidence that other \ninterventions have been attempted)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 8:\nSuperintendent’s Circular CAO-01 \nPage 8 of 10 \n \n \n \nParents will be engaged in consideration of additional \nintervention strategies and will be informed, in writing, of any \ndecisions that result. Parents may request a referral for special \neducation services in any case. The final determination of \nappropriate services will rest with the appropriate (IEP or \nSection 504) team. \n \n5. Only when all other interventions have been unsuccessful and \nthe student has not made sufficient academic progress during \nthe course of a school year will the student be considered for \nretention. All potential retentions will be reviewed by a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Promotion Review Team, including the principal/head of \nschool (or designee), a guidance counselor or student support \nteam member, at least one of the student’s teachers, and the \nchild’s parent. \n \n6. The review team will include the liaison teacher for any \nstudent with an IEP, and a bilingual teacher, counselor, or \nadministrator for any student enrolled in a transitional \nbilingual program. \n \n7. By the end of January, formal, written notices must be sent to \nparents of students who remain at risk of being retained. The \nPromotion Review Team will meet in February and again \nbefore the end of the year to review and make decisions on" + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "students who are at risk of being retained. Principals and \nheads of school have the final authority for all promotion \ndecisions." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 9:\nSuperintendent’s Circular CAO-01 \nPage 9 of 10 \n \n \n \n8. During the period from February through June, schools must \nmaintain written, bimonthly contact with parents who were \nsent formal, written notices to apprise them of their child’s \nprogress. Copies of these notifications must be kept on file. \n \n9. Any student who is retained, or remains at-risk even though \nthey were promoted, will be provided with additional support, \nincluding tutoring during the subsequent school year. \n \nHOME-SCHOOL PARTNERSHIPS \nThe success of many students receiving transition support \ndepends on the engagement of their parent(s) in their education." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Schools implement a variety of strategies to help parents \nbecome successful partners in their children's development. \nThese efforts are coordinated by the school’s guidance and other \nsupport staff. \n \nCONNECTIONS TO COMMUNITY RESOURCES \nSchools will collaborate with community agencies, community \nschools, and higher education institutions to support students' \noverall literacy and math development, increase volunteer \ninvolvement in schools, and diminish the many health, social, and \nemotional problems that undermine success in school. These \nefforts are supported by the school’s guidance and other support \nstaff." + }, + { + "folder_name": "Academics", + "file_name": "CAO-01 Promotion Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR", + "content": "Page 10:\nSuperintendent’s Circular CAO-01 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: \nChief of Teaching and Learning \nDepartment: \nOffice of Teaching & Learning \nMailing Address: \n2300 Washington St., Boston, MA 02119 \nPhone: \n617-635-9000 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-23 \nVersion 01 \n \nDAY FIELD TRIP GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: *These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and \nguidance, contact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance/guidance. \nThis Superintendent’s Circular provides instructions for \nimplementing the Field Trip Policy passed by the Boston School" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Committee on November 20, 2019. \nThis circular should be read AFTER Superintendent’s Circular \nCAO-22 General Guidelines and Procedures for All Field Trips, as \nadditional guidelines are outlined there. \nThe principal/head of school (and/or the district department \nsponsoring the trip) is responsible for ensuring that all field trip \npolicies and procedures as outlined in this circular and CAO-22 \nare adhered to. \nTogether, the principal/head of school (and/or the district \ndepartment lead sponsoring the trip) and the program leader \n(lead chaperone) must review and complete checklists for this \ncircular. The signed checklist must be kept on file at the school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 2:\nSuperintendent’s Circular CAO-23 \nPage 2 of 36 \n \nA day field trip is any domestic trip off school grounds that is no \nmore than one day in duration. \n Day field trip forms are submitted to the principal/head of \nschool AT LEAST 4 weeks in advance (or at the \nprincipal/head of school ’s discretion) and approved by the \nprincipal/head of school; school leaders reserve the right to \ncancel a trip for any reason and at any time for safety \npurposes. \n Walking field trips are day field trips that require walking \nwithin a 1-mile radius of the school (e.g., local garden, park, \nfield, etc.) The Parent/Guardian Authorization and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Acknowledgement of Risks for Walking Trips form will apply \nfor all walking field trips during the current school year. It \nmust be updated each school year or as student/family \ninformation changes. The school is still required to inform \nfamilies in advance of each walking field trip and obtain \napproval from the principal/head of school. All forms, \nincluding signed CAO-23 checklist form, are filed at the \nschool. \nApplications: Schools shall communicate with families in \nadvance when students leave school grounds and ensure written \npermission is received. \nWater Activities: Organizers of trips that involve activities in or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "on the water as part of the curriculum must immediately contact \nthe Department of Global Education for additional approval. \nThere is a separate and mandatory procedure for all trips \ninvolving water. See Superintendent’s Circular CAO-27 for water \nactivity guidelines." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 3:\nSuperintendent’s Circular CAO-23 \nPage 3 of 36 \n \nDAY FIELD TRIP CHECKLIST \n(Checklist and request form must be completed for each day \nfield trip.) \n Review Superintendent’s Circular CAO-22 General \nGuidelines and Procedures for All Field Trips. \n Review Superintendent’s Circular FSE-05 Medical \nEmergency Management and SAF-04 Incident Data \nReporting and Release for important safety protocols. The \nDepartment of Safety Services (617-635-8000) must be \nnotified in the event of a serious emergency and should be \nused as a resource for questions regarding safety on field \ntrips. \n Select a site and investigate the appropriateness of the site" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "in relation to the category of field trip. \nField Trip Category(s) (see CAO-22): _______________________ \nSite(s): ____________________________________________________ \n Select a date and an alternate date. Note: Check with the \nprincipal/head of school, teachers, and staff to ensure that \ntrips are not scheduled on dates that interfere with \nimportant tests, religious holidays, or class work. \n \n \nDate: _____________________________________________________ \nAlternate Date: ___________________________________________ \n All program leaders (the BPS employee organizing and \nleading the trip) must be approved by the principal/head of \nschool or district department sponsoring the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": " All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 4:\nSuperintendent’s Circular CAO-23 \nPage 4 of 36 \n \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to any fundraising or \nother detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. Consult \nwith the principal/head of school on potential chaperones \nand student recruitment. \n Planning, organization, and preparation are critical to a \nsuccessful experience for all participants. As part of trip \nplanning and itinerary development, ensure the major \naspects of health, safety, student inclusion, and security" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "have been addressed with due diligence. Program leaders \nmust be able to articulate what decisions were made, why \nthey were made, and the sources that informed that \ndecision making. If you have questions about the \nappropriateness of an activity, please consult with your \nprincipal/head of school. \n School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial and must take place \nbefore the field trip is secured. For additional questions," + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "please consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult \nwith and, when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 5:\nSuperintendent’s Circular CAO-23 \nPage 5 of 36 \n \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips \nand medical forms. \nCHAPERONE REQUIREMENTS \n Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school regarding potential \nchaperones and student recruitment. The program leader \n(lead chaperone) must be a BPS employee. Other \nauthorized chaperones may include parents and guardians \n21 years of age or older. Any parent on the trip must operate" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "in the role of chaperone. All chaperones must be approved \nby the head of school/principal. Every effort should be made \nfor students to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals’ thorough knowledge of \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n Non-BPS Chaperones: Other authorized chaperones may" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "include parents and volunteers who are 21 years of age or \nolder. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the eCORI form. Contact the BPS Office of \nHuman Capital (OHC) for CORI check and confirmation \nsupport. The principal/head of school and the lead \nchaperone are responsible for submitting authorization" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 6:\nSuperintendent’s Circular CAO-23 \nPage 6 of 36 \n \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. \n BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone’s child who does not attend" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "the participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child’s participation. \n All chaperones must complete the Chaperone Agreement \nform. \nChaperone Ratios: \n• A minimum of two chaperones is required. \n• Student-to-chaperone ratios are: \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \n• For students with IEPs, the ratio of staff to students must be \nat least the same as the ratio mandated in their IEPs for \ntheir classes. \n• For water activities: The student-to-chaperone ratio must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "remain 10:1 at all times during instructional swimming for all \ngrade levels. This ratio does not include lifeguards on duty. If \nyour trip involves activities on or in the water, you must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 7:\nSuperintendent’s Circular CAO-23 \nPage 7 of 36 \n \ncontact the Department of Global Education for approval \nimmediately. There is a separate, mandatory procedure for \nall trips involving water. See Superintendent’s Circular CAO-\n27 for water activity guidelines. \nChaperone Team: \n The program leader/lead chaperone will meet with the \nchaperone team to delegate responsibilities and review the \nstudent team. The program leader will record the names of \nthe chaperones and the students each chaperone is \nsupervising. Each chaperone must carry this list. \n Chaperones will organize a “buddy system,” pairing \nstudents with one another for safety purposes." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "students with one another for safety purposes. \n The lead chaperone will (1) review students’ permission slips; \nand (2) prepare any questions for follow-up with families \nand the school nurse and counselor. \n The lead chaperone will prepare a trip binder for all \nchaperones (See “During the Trip” section which lists all \nbinder contents). \n The lead chaperone must carry original, signed Parental \nAuthorization for Day Trip forms for all students; all other \nchaperones must carry copies. \nSTUDENT PARTICIPATION \n Participation Criteria: The program leader and \nprincipal/head of school will work together to establish (1) \nessential participation criteria for the trip that informs" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "students and parents of all activities and risks associated \nwith each itinerary activity; and (2) trip location, to \ndetermine what accommodations or modifications may" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 8:\nSuperintendent’s Circular CAO-23 \nPage 8 of 36 \n \nneed to be made for the student to successfully and safely \nparticipation in all, or portions of the trip. Discuss with \nstudents the trip’s purpose and learning goals in the weeks \nprior to the trip; plan to engage students in activities before, \nduring, and after the trip so that the field trip learning \npotential is maximized. Set aside time to process student \nlearning on the trip. \n Recruitment: Students not enrolled in the Boston Public \nSchools may not participate. Field trips must be advertised \nto all students (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "regardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. \n Accommodations: English Learners and students with 504 \nPlans and/or IEPs cannot be denied access to field trips due \nto their status or ability. It is the responsibility of the school \nto ensure that all accommodations normally provided to a \nstudent as indicated in their educational plans are made \navailable during a field trip, including medication. To \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure, consult with, and when \nnecessary, receive training from (1) the school nurse" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "regarding any students who have medical needs; and (2) the \nschool counselor regarding mental and behavioral health \nneeds. If any student has a serious medical condition, please \nbe sure that their doctor writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nEnsure the availability of a first aid kit. \n Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 9:\nSuperintendent’s Circular CAO-23 \nPage 9 of 36 \n \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for \nsensitive experiences and ensure that the program is safe \nand inclusive for all students. \n Inclusive Accommodations: The program leader and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "principal/head of school will work with transgender and \ngender nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent’s gender identity while also ensuring safety. \nProgram leaders should work with students and families to \nmake sure all travel documents reflect their legal names as \nlisted on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent’s preferred name. \n The BPS Code of Conduct applies on all field trips. Review \nconduct expectations with students in advance. \nDOCUMENTATION \n Consult with the principal/head of school and nurse \nregarding the medical needs of potential participating" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "students before you receive field trip approval (at least six \nweeks beforehand). Document notes from this consultation. \n Complete and submit a Day Field Trip Request form and \naccompanying documents to obtain official consent from \nthe principal/head of school to execute the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 10:\nSuperintendent’s Circular CAO-23 \nPage 10 of 36 \n \n Create a school file to house all important documents: Day \nField Trip Request form, student permission slips, and other \nsigned documents. These documents must be kept on file \nfor the current fiscal year plus three additional years after \nthe trip has occurred. \n Distribute and collect the Parental Authorization for Day \nTrip form for each participating student. \n Contact the field trip site and ensure that the necessary \narrangements are in place. \n Share the trip details listed below with all teachers and \nother staff members so that they may plan accordingly:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "o Trip overview (purpose); destination; date of trip; roster \no Chaperones’ names and roles in school community \n Inform the food service manager or attendant whether \nstudents will return to school for lunch, or whether brown \nbag lunches should be prepared. Be mindful of any student \nfood allergies. \nTRANSPORTATION \n Develop transportation plans: mode of transportation, travel \ntime, cost, etc. If applicable, be sure to note how and with \nwhom the child will travel to and from field trip departure \nand pick-up locations. \n Staff are not permitted to drive students. Privately owned \nvehicles from non-approved vendors, ride sharing services" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "such as Lyft or Uber, or leased vehicles are not to be utilized \nexcept in the case of a bona fide emergency. Staff who \nutilize their own vehicles or a leased vehicle risk being \nlegally liable. Please refer to TRN-03 for regulations on field \ntrip transportation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 11:\nSuperintendent’s Circular CAO-23 \nPage 11 of 36 \n \n If your trip is less than 100 driving miles in distance, please \nensure ALL students have valid medical insurance that \ncovers them while on this program. Record details of \ninsurance on the Medical Information form. \nONE WEEK PRIOR TO TRIP \n Verify all arrangements, including transportation and \nreception at the site. \n Prepare name tags for younger students. \n Provisions must be made in advance for any student not \nattending the trip and staying at school. If applicable, \nprovide alternative arrangements and/or comparable \nactivities for students not attending the trip or unable to \nparticipate in a portion of your trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "participate in a portion of your trip. \n If a student’s family elects for their child not to attend a field \ntrip for any reason, the child may not be penalized through \ntheir grade or otherwise. \n Remind students and chaperones of safety and behavior \nexpectations. \n Notify/consult with the principal/head of school if trip plans \nhave changed from the original field trip request. Prepare \nand leave a field trip package for the principal/head of \nschool that includes CAO-23 checklist, Day Field Trip \nRequest form, and permission slip copies. \nDURING THE FIELD TRIP \n Take attendance and leave the current list of students \nattending the trip with the principal/head of school." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": " Record specific bus number and driver’s name and leave \ninformation with the principal/head of school, all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 12:\nSuperintendent’s Circular CAO-23 \nPage 12 of 36 \n \nchaperones, and, if age appropriate, students. \n Chaperones must supervise all assigned students. Conduct \nhead counts and buddy checks before embarking on your \ntrip, throughout your trip, and before departing the field trip \nsite for home. \n Review standards for safety and behavior with students. \n Chaperones must carry the trip binder at all times on the \ntrip which includes the following: permission slips (original, \nsigned permission slips must be carried by the lead \nchaperone), Emergency Action Plan, Day Field Trip Request \nform, and any accompanying itinerary details for this \nparticular trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "particular trip. \n All students must have the contact information of \nchaperones and other necessary emergency and contact \ninformation. \n Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity of which parents have been informed and have \napproved in writing in advance, and that is age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should be in at least pairs AND \nalways know how to reach an adult chaperone. \n Review with everyone where they are to go if separated \nfrom the group. \n Program leaders and chaperones have the responsibility to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "modify the program to ensure the ongoing safety of \ntravelers. Consult with principal/head of school and \nDepartment of Safety Services if this becomes necessary." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 13:\nSuperintendent’s Circular CAO-23 \nPage 13 of 36 \n \nAFTER THE FIELD TRIP (MANDATORY) \n Retain completed, original Day Field Trip Request form, \noriginal permission slips, and any other signed documents \nfor the field trip in the school office. These records must be \nkept for the current fiscal year plus three additional years \nafter the field trip occurs. \n Remind students (and inform parents/guardians) to see a \ndoctor immediately if they are not feeling well after the trip \nand to inform the doctor of their experience. \n If applicable, file and follow up with an Incident Report. \nAFTER THE FIELD TRIP (SUGGESTED) \n Write thank you notes." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": " Write thank you notes. \n Present to the school and family community about the \nstudents’ observations while on the trip. \n Conduct related creative and/or analytical projects to \nshowcase student learning. \n Write a news article about the trip for a local newspaper or \nwebsite. \n Email stories, journals, and pictures of your trip to the \nDepartment of Global Education. \n Evaluate the trip. \no Was the educational purpose of the trip served? \no What were the highlights of the trip? \no What might you do differently next time? \no Are there any incidents or accidents to report? \n \nPLEASE SIGN THIS CHECKLIST, RETAIN A COPY FOR YOUR FILE," + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 14:\nSuperintendent’s Circular CAO-23 \nPage 14 of 36 \n \nAND SUBMIT THE ORIGINAL TO THE SCHOOL OFFICE FOR \nFILING. \nYour signature indicates that you read and understand the \npolicies in this circular and that they have been/will be followed, \nand all checklists throughout the trip planning and the trip \nimplementation process have been or will be completed. \nSchool Name: ___________________________________________________ \nSignature of Lead Chaperone: ___________________________________ \nDate: ____________________________________________________________ \nSignature of Principal/Head of School or Sponsoring District" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Department: ____________________________________________________ \nDate: ____________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 15:\nSuperintendent’s Circular CAO-23 \nPage 15 of 36 \n \nFor more information, questions, and support about this \ncircular, please contact: \n Owner: \nChief of Teaching and Learning \nDepartment: \nGlobal Education \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n315-601-0292 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \nATTACHMENTS: \nI. \nDay Field Trip Request Form \nII. \nEmergency Action Plan \nIII. \nParental Authorization for Day Field Trip \nIV. \nParent/Guardian Authorization and Acknowledgement of \nRisks for Walking Trips \nV. \nChaperone Agreement Form" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 16:\nSuperintendent’s Circular CAO-23 \nPage 16 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART I) \nThis form is submitted to the principal/head of school for \napproval. This form and all original permission slips are kept on \nfile for the current fiscal year plus three additional years. \n \nSCHOOL INFORMATION \nSchool: __________________________________________________________ \nDate Submitted: _________________________________________________ \n \nOVERVIEW \nNumber of Students: ____________________________________________ \nNumber of Chaperones: (10:1 Ratio) _______________________________ \nDestination/s: ____________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "__________________________________________________________________ \nDate of Trip: _____________________________________________________ \nField Trip Category:_______________________________________________ \nOverview of Trip/ Educational Purpose: __________________________ \n __________________________________________________________________ \nItinerary: ________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 17:\nSuperintendent’s Circular CAO-23 \nPage 17 of 36 \n \n __________________________________________________________________ \nSITE/S CONTACT INFORMATION \n(If you are visiting multiple places, please list all.) \nSite/s: ____________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nAddress/s: _______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "__________________________________________________________________ \n __________________________________________________________________ \nSite/s Contact Person: ___________________________________________ \n __________________________________________________________________ \nSite/s Telephone Number & Email(s): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 18:\nSuperintendent’s Circular CAO-23 \nPage 18 of 36 \n \n \nDAY FIELD TRIP REQUEST FORM (PART II) \nSUPERVISION \nProgram Leader (Lead Chaperone): \n __________________________________________________________________ \nPhone (during the trip): __________________________________________ \nEmail: ___________________________________________________________ \nNames and phone numbers of all chaperones: (attach a separate \ndocument if necessary): \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "__________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 19:\nSuperintendent’s Circular CAO-23 \nPage 19 of 36 \n \nTRANSPORTATION \nPick-up Location: _______________________________________________ \nDrop-off Location: _______________________________________________ \nDeparture Time: _________________________________________________ \nTime Back at School: _____________________________________________ \nMethod of Transportation: _______________________________________ \nTransportation Provider: _________________________________________ \n __________________________________________________________________ \nContact Information: (phone number and address) \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "__________________________________________________________________ \n __________________________________________________________________ \nStaff may not drive students. Privately owned vehicles, ride \nsharing services, vehicles from non-approved vendors, or leased \nvehicles are not to be utilized to transport students to and from \nfield trips, except in the case of a bona fide emergency. Staff who \nutilize their own vehicles risk being legally liable. Schools must \nuse BPS buses or approved bus vendors regardless of how the \ntrip is paid for. (See TRN-03) \nTotal Cost: _______________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Funding Source: _________________________________________________ \nGrant Number: __________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 20:\nSuperintendent’s Circular CAO-23 \nPage 20 of 36 \n \nBEDF Account Code/Description: ________________________________ \nApproved by: ____________________________________________________ \nPrincipal/Head of School /Sponsoring District Department \nDate: ______________________________ \n \nYour signature indicates that all policies outlined in this circular \nregarding day trips will be followed." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 21:\nSuperintendent’s Circular CAO-23 \nPage 21 of 36 \n \n \nEMERGENCY ACTION PLAN (EAP) \nThe program leader and chaperones must have copies of this \nchecklist during the trip. \nPROCEDURES FOR CALLING 911 ON A FIELD TRIP: \n Do not leave the injured person alone or without an adult \npresent. \n REMAIN CALM. This helps the operator receive your \ninformation. \n DIAL 911. Remember, you may need to access an outside line \nfirst. \n Answer the dispatcher’s questions clearly and concisely. \nThey will ask for all the relevant facts. The dispatcher will \nend the call when all of the information is verified. \n Wait with the person until EMS arrives." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": " Wait with the person until EMS arrives. \n Paramedics will take over care of the person when they \narrive. A chaperone must accompany any injured student in \nthe ambulance and remain with the student until the \nparent/guardian arrives. \nNOTIFICATION OF INCIDENT \n Call parent/guardian, principal/head of school, the \nSuperintendent’s Office, and Department of Safety Services \nregarding the incident immediately. \n File an Incident Report." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 22:\nSuperintendent’s Circular CAO-23 \nPage 22 of 36 \n \n \nPrincipal/Head of School Phone Numbers: \n __________________________________________________________________ \nDepartment of Safety Services: (617) 635-8000 \nAdditional Phone Numbers: ______________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 23:\nSuperintendent’s Circular CAO-23 \nPage 23 of 36 \n \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nBPS STAFF: \n Use one form per trip, per student. \n Complete the School Portion of form. \n Send a copy home for parent/guardian and student \nsignatures. \n During the field trip, the signed, original form must be \ncarried by the lead chaperone, copies by all other \nchaperones and a photocopy must be left on file in the \nschool office. \nSTUDENTS: \n Complete the “Student Agreement” section. \nPARENT / LEGAL GUARDIAN, IF STUDENT IS UNDER 18 YEARS OF \nAGE; OR STUDENT, IF AT LEAST 18 YEARS OLD: \n Complete the Authorization & Acknowledgement of Risks \nsection." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "section. \n Complete the “Medical Authorization” section." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 24:\nSuperintendent’s Circular CAO-23 \nPage 24 of 36 \n \nPARENTAL AUTHORIZATION FOR DAY FIELD TRIPS \nTo be completed by the school \n \nSchool Name: ____________________________________________________ \nStudent Name: ___________________________________________________ \nDate(s) of Trip: ____________________________________________________ \nDestination: ______________________________________________________ \nPurpose(s): ______________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "List of Activities: ________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSupervision: (Check one) \n Students will be directly supervised by adult chaperones on \nthis trip at all times." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 25:\nSuperintendent’s Circular CAO-23 \nPage 25 of 36 \n \nMode of Transportation (check all that apply): \n□ Walking □ School bus □ MBTA \n□ Other __________________________________________________________ \nStudents will leave from: \n_________________________________________ at ____________________. \n (location) (time) \n \nStudents will return to: (location) _________________________________ \nat about (time)__________________. \nChaperone(s) in Charge: _________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "__________________________________________________________________ \nChaperone/Student Ratio: __________________________ (10:1 for all \ngrades; minimum of two chaperones) \nSTUDENT AGREEMENT \nWhile participating in this field trip, I understand I am \nrepresenting BPS and my community. I understand that \nappropriate standards must be observed, and I will accept \nresponsibility for maintaining good conduct and abide by school-\nbased rules and the Boston Public Schools’ Code of Conduct. \nStudent signature _________________________ Date _________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 26:\nSuperintendent’s Circular CAO-23 \nPage 26 of 36 \n \nTo be completed by the parent/guardian or student (if 18 or over): \nPARENT/GUARDIAN AUTHORIZATION AND \nACKNOWLEDGEMENT OF RISKS FOR BPS DAY TRIPS \nI understand that my/my child’s participation in this field trip is \nvoluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the first \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. \nI assume full responsibility for any risk of personal or property \ndamages arising out of or related to my/my child’s participation" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "in this field trip, including any acts of negligence or otherwise \nfrom the moment that my student is under BPS supervision and \nthroughout the duration of the trip. I further agree to indemnify \nand to hold harmless BPS and any of the individuals and other \norganizations associated with BPS in this field trip from any claim \nor liability arising out of my/my child’s participation in this field \ntrip. I also understand that participation in the field trip will \ninvolve activities off school property; therefore, neither the \nBoston Public Schools, nor its employees nor volunteers, will have \nany responsibility for the condition and use of any non-school \nproperty." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "property. \nI understand that BPS is not responsible for my/my child’s \nsupervision during such periods of time when I/my child may be \nabsent from a BPS supervised activity. Such occasions are noted \nin the “Supervision” section in this agreement. I state that I \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child’s participation in this" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 27:\nSuperintendent’s Circular CAO-23 \nPage 27 of 36 \n \nfield trip may at any time be terminated by BPS in the light of \nmy/my child’s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense \nwith no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth, and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "agree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency \nmedical care, if in the opinion of attending medical personnel, \nsuch action is advisable. \nFurther, I authorize the chaperones listed to act on my behalf as \nparent/guardian of my child/ward while participating in the trip \ndescribed above, including the admittance to and release from a \nmedical facility." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "medical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 28:\nSuperintendent’s Circular CAO-23 \nPage 28 of 36 \n \npage. \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "bound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: _____________________________________________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student’s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant, \nthat I have read and that I understand the above agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: \n____________________________________________________________ \n(student)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 29:\nSuperintendent’s Circular CAO-23 \nPage 29 of 36 \n \nto participate in all aspects of this trip. \nParent/Guardian Signature/s _____________________________________ \nDate: _____________________________________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal \nguardian must complete the information below: \nPrint parent/guardian/s first and last name(s): \n __________________________________________________________________ \nAddress: _________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Telephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency contact’s first and last name (other than \nparent/guardians): _______________________________________________ \nRelationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________ \n \n \nWALKING TRIPS" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 30:\nSuperintendent’s Circular CAO-23 \nPage 30 of 36 \n \nParent/Guardian Authorization and Acknowledgement of Risks \nfor Walking Trips \nInstructions: This form is to be completed by parents/guardians \nto authorize BPS to engage students in day field trips that \nrequire walking within a 1-mile radius of the school. This form will \napply for all walking field trips during the current school year, \nand will need to be updated each school year, or as \nstudent/family information changes. The school is still required \nto inform families in advance of walking field trips, and obtain \nprincipal/head of school approval. \nI understand that my/my child’s participation in this field trip is" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "voluntary and may expose me/my child to some risk(s). I have \nread and understand the description of the field trip (on the front \npage of this form) and authorize myself/my child to participate in \nthe planned components of the field trip. I assume full \nresponsibility for any risk of personal or property damages arising \nout of or related to my/my child’s participation in this field trip, \nincluding any acts of negligence or otherwise from the moment \nthat my student is under BPS supervision and throughout the \nduration of the trip. I further agree to indemnify and to hold \nharmless BPS and any of the individuals and other organizations" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "associated with BPS in this field trip from any claim or liability \narising out of my/my child’s participation in this field trip. I also \nunderstand that participation in the field trip will involve \nactivities off of school property; therefore, neither the Boston \nPublic Schools, nor its employees nor volunteers, will have any \nresponsibility for the condition and use of any non-school \nproperty. I understand that BPS is not responsible for my/my \nchild’s supervision during such periods of time when I/my child \nmay be absent from a BPS supervised activity. Such occasions are \nnoted in the “Supervision” section in this agreement. I state that I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 31:\nSuperintendent’s Circular CAO-23 \nPage 31 of 36 \n \nhave/my child has read and agree(s) to abide by the terms and \nconditions set forth in the BPS Code of Conduct, and to abide by \nall decisions made by teachers, staff, and those in authority. I \nagree that BPS has the right to enforce these rules, standards, \nand instructions. I agree that my/my child’s participation in this \nfield trip may at any time be terminated by BPS in the light of \nmy/my child’s failure to follow these regulations, or for any reason \nwhich BPS may deem to be in the best interest of a student \ngroup, and that I/my child may be sent home at my own expense" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "with no refund as a result. In addition, chaperones may alter trip \nactivities to enhance individual and/or group safety. \nMEDICAL AUTHORIZATION \nI certify that I am/my child is in good physical and behavioral \nhealth and I have/my child has no special medical or physical \nconditions which would impede participation in this field trip. I \nagree to disclose to BPS any medications (including over- the-\ncounter/herbal) and/or prescriptions which I/my child shall or \nshould take at any time during the duration of the field trip. In \nthe event of serious illness or injury to my child/ward, I expressly \nconsent by my signature to the administration of emergency" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "medical care, if in the opinion of attending medical personnel, \nsuch action is advisable. Further, I authorize the chaperones \nlisted to act on my behalf as parent/guardian of my child/ward \nwhile participating in the trip described above, including the \nadmittance to and release from a medical facility. \n NO: My child DOES NOT require medication during this trip. \n YES: My child DOES require medication during this \nauthorized trip. \nIf you checked yes, please describe in the space below the type of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 32:\nSuperintendent’s Circular CAO-23 \nPage 32 of 36 \n \nmedication and the required administration of this medication. If \nmedication is taken on an as-needed basis, specify the symptoms \nor conditions when medication is to be taken and the time at \nwhich it may be given again. If necessary, attach an additional \npage." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 33:\nSuperintendent’s Circular CAO-23 \nPage 33 of 36 \n \nSIGNATURES \nIf the applicant is at least 18 years of age, the following \nstatement must be read and signed by the student: \nI certify that I am at least 18 years of age, that I have read and that \nI understand the above Agreement, and that I accept and will be \nbound by its terms and conditions. \nStudent Signature: _______________________________________________ \nDate: ___________________________ \nIf the applicant is under 18 years of age, the following statement \nmust be read and signed by the student’s parent or legal \nguardian: \nI certify that I am the parent and legal guardian of the applicant," + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "that I have read and that I understand the above Agreement, and \nthat I accept and will be bound by its terms and conditions on my \nown behalf and on behalf of the student. \n \nI give permission for: _____________________________________________ \n(student) \nto participate in all aspects of this trip. \nParent/Guardian Signature/s: _____________________________________ \n __________________________________________________________________ \nDate: ___________________________________ \n \nThe student, if at least 18 years of age, or the parent/legal" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 34:\nSuperintendent’s Circular CAO-23 \nPage 34 of 36 \n \nguardian must complete the information below: \nPrint Parent/Guardian/s First and Last Name/s: \n __________________________________________________________________ \nAddress: ________________________________________________________ \n __________________________________________________________________ \nTelephone: (CELL, HOME, WORK): ________________________________ \n __________________________________________________________________ \nEmergency Contact’s First and Last Name (other than \nparent/guardians): _______________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Relationship to Student: _________________________________________ \nEmergency Contacts Telephone #s: ______________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 35:\nSuperintendent’s Circular CAO-23 \nPage 35 of 36 \n \n \nBPS CHAPERONE AGREEMENT FORM \nThis form is to be completed by all chaperones of BPS sponsored \nfield trips and submitted to the program leader (lead \nchaperone). \n \nSchool Name: ____________________________________________________ \nDestination: ______________________________________________________ \nDeparture Date: _________________ Return Date: ___________________ \nAll chaperones must agree to abide by the following code of \nconduct to participate in a BPS sponsored field trip. \nSAFETY & RESPONSIBILITY \nI understand that my safety, and the safety of other participants," + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "is extremely important during this field trip. I agree to make \nsafety my first priority. I agree to conduct myself in a manner that \npromotes my safety and the safety of others at all times. I \nunderstand that maintaining students’ safety requires that \nstudents must be supervised by me and/or other chaperones at \nall times while students are engaged in field trip activities. For \novernight and international field trips, I understand that \nnighttime curfews and room checks for students, as well as \nmorning wake up calls for students, are part of my responsibility. \nI agree to follow BPS policies, protocols, and guidance of BPS \nstaff when in the field." + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "Page 36:\nSuperintendent’s Circular CAO-23 \nPage 36 of 36 \n \nDRUG & ALCOHOL POLICY \nI understand that the BPS Code of Conduct prohibits students \nfrom possessing, using, selling, and/or distributing any of the \nfollowing on all domestic and international field trips: \nAlcohol; marijuana, non-prescribed controlled substances, \nimitation controlled substances, inhalants, other intoxicants, \ncontrolled or drug paraphernalia; unauthorized possession, use or \ndistribution of over the counter medication; and selling of \nprescription drugs. \nThe Code also prohibits the use of tobacco products (including e-\ncigarettes, hookah paraphernalia, and vapor cigarettes). I" + }, + { + "folder_name": "Academics", + "file_name": "CAO-23 Day Field Trip Guidelines", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR", + "content": "understand that these prohibitions apply to all students, \nregardless of age. \nI understand that I am forbidden to use or visibly be in possession \nof tobacco in the presence of students. I also understand that the \nuse of all other drugs, including alcohol, and weapons are strictly \nprohibited on the field trip. \n \nChaperone Name (Printed): ______________________________________ \nChaperone Signature: ___________________________________________ \nDate: _________________________" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-22 \nVersion 01 \n \n \nGENERAL GUIDELINES AND PROCEDURES FOR \nALL FIELD TRIPS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIMPORTANT NOTE: These guidelines might be impacted by \nCOVID-19 restrictions and are subject to change based on public \nhealth, international security, or other emergent issues that could \nimpact travel. For the most up-to-date information and guidance, \ncontact the Department of Global Education \n(OPL@bostonpublicschools.org) for assistance and guidance. \n \nThis Superintendent’s Circular provides instructions for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "implementing the field trip policy passed by the Boston School \nCommittee on November 20, 2019. \nProgram leaders (chaperones) must read this circular in its \nentirety. Principals/heads of school (and/or the district \ndepartment sponsoring the trip) are responsible for ensuring that \nall field trip policies and procedures outlined in this circular and \nall the field trip circulars are adhered to. \nBPS SPONSORED FIELD TRIP: DEFINITION \nA BPS sponsored trip is any trip involving BPS students and \nemployees that: uses BPS funds in any way; takes place during \nregular school operating hours; is organized by BPS employee(s)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 2:\nSuperintendent’s Circular CAO-22 \nPage 2 of 22 \n \nduring normal employment hours, either while on BPS property \nor while using BPS-issued technology; and/or is related directly to \nthe instructional program at the school. Cases where students \nelect to participate in a third-party travel program with the \nconsent of their family, whereby they will travel alone, and not \nwith a school group, are not considered BPS sponsored field trips, \neven if students receive funding support from their school or \ndistrict. \nTYPES OF FIELD TRIPS \nBPS has divided field trips into three types: \n● Day field trip \n● Overnight field trip \n● International field trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "● International field trip \nThis division ensures that permission forms and procedures are \ndirectly relevant to the type of trip and activities students will \nengage in. \nRefer to the circular appropriate for your type of trip for further \ndetails: \n● Day field trips — Superintendent Circular CAO-23 \n● Overnight field trips — Superintendent Circular CAO-24 \n● International field trips — Superintendent Circular CAO-25 \n● Water activities — Superintendent Circular CAO-27 \nPURPOSE OF FIELD TRIPS \nAll BPS sponsored field trips must serve the purpose of providing \neither instruction or enrichment. Instructional trips support the \ninstructional program and should be directly linked to the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "curriculum and standards of that grade level or subject area." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 3:\nSuperintendent’s Circular CAO-22 \nPage 3 of 22 \n \nEnrichment trips contribute to students’ academic, cultural, or \nsocial development, and aim to deepen their engagement with \nschool and learning. Sites for field trips should be carefully \nselected to enrich student learning and exposure to the \ncommunity, new people, places, and activities. Discuss with \nstudents and families the trip’s purpose, learning goals, and \nbehavior expectations in advance, and engage students in \nactivities before, during, and after the trip. It is important to note \nthe serious obligations that BPS staff members undertake to \nensure that all field trips are not only educationally sound, but" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "also manage risk. \nFIELD TRIP CATEGORIES \nA trip often meets more than one category. \n● Instructional field trip: Enhances a specific curriculum unit \nor serves a broader educational purpose. \n● Cultural field trip: Engages students in cultural awareness or \nunderstanding experiences to learn more about their own \ncultural identity, or that of others. \n● Community building field trip: May reinforce relationships \nin an existing group of students, prepare students for a \nsignificant transition into a new structure or community, \nhelp students work collaboratively, or assist in the \ndevelopment of leadership and decision-making skills." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "● Service learning field trip: Students learn the value of \nhelping others in their own community and beyond, while \nsimultaneously learning from the host community. These \ntrips show students how empowering service to others is \nwhile developing students’ leadership skills." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 4:\nSuperintendent’s Circular CAO-22 \nPage 4 of 22 \n \n● Personal growth and development: Students are exposed \nto new group or individual activities whereby they learn new \nskills and new ideas, develop identity, build self-esteem, \ngrow strengths, and build camaraderie. \nFIELD TRIP TYPES AND TIMELINES FOR APPROVAL \nIt is necessary that the proper procedures are followed, and that \ncopies of all checklists, permission and medical forms are kept on \nfile in the school office and, when appropriate, filed with the \ndistrict. If the deadlines and details below are not met, a field trip \napplication may be rejected. Please note that trip planning" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "timelines (i.e., “twelve weeks (or more) prior to the field trip”, etc.) \nin each circular chronicle the minimal amount of time for \nplanning. More time for pre-trip planning is strongly \nrecommended for all types of field trips. \n● Day Field Trip (CAO-23): Any domestic trip off school grounds \nthat is no more than one day in duration. \no Day Field Trip forms are submitted to the \nprincipal/head of school at least 4 weeks in advance \n(or at the principal/head of school’s discretion) and \napproved by the principals/heads of school. \no Walking field trips are day field trips that require \nwalking within a one-mile radius of the school (i.e.," + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "local garden, park, field, etc.). The Parent/Guardian \nAuthorization and Acknowledgement of Risks for \nWalking Trips form will apply for all walking field trips \nduring the current school year and will need to be \nupdated each school year, or as student/family \ninformation changes. The school is still required to \ninform families in advance of each walking field trip" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 5:\nSuperintendent’s Circular CAO-22 \nPage 5 of 22 \n \nand obtain principal/head of school approval. \no All forms, including the signed CAO-23 checklist \nform, are filed at the school. \no The principal/head of school or designee is the \nemergency contact for day field trips. \n● Overnight Field Trip (CAO-24): Any domestic trip off school \ngrounds that involves students’ participation overnight. \nTravel to U.S. territories, including Puerto Rico, the United \nStates Virgin Islands, Guam, American Samoa, and Northern \nMariana Islands are considered domestic, but are covered \nunder international travel insurance. Travel to these \nterritories is subject to some forms, requirements, and" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "protocols in the CAO-25 International Field Trip guidelines. \nConsult with the Department of Global Education for \nrequired forms for these destinations. \no Overnight Field Trip forms are submitted to the \nprincipal/head of school at least 12 weeks in advance \nand approved by the principals/head of school. \no All forms, including the signed CAO-24 checklist \nform, are filed at the school. \no Overnight Field Trip Request forms, the list of \nstudent names, emergency contact name and \nnumber, grade, D.O.B, the list of chaperone names \nand their role in the school community, the itinerary, \nand if applicable, train and flight information are sent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "to the district to notify the district of trip plans at \nleast 6 weeks in advance. Scan and email the \nOvernight Field Trip Request form and information to \nthe appropriate operational leader as well as to the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 6:\nSuperintendent’s Circular CAO-22 \nPage 6 of 22 \n \nDepartment of Global Education and follow up with \nboth to confirm receipt. \no The principal/head of school or designee is the \nemergency contact for overnight field trips. \n● International Field Trip (CAO-25): Any trip off school grounds \nthat involves travel to a location outside of the United States. \no International field trips should be planned at least a \nyear in advance, to maximize affordability and \nfundraising efforts, and when possible, scheduled \nduring non-school time (i.e., school vacations and \nsummer). \no As soon as a trip opportunity becomes known, or \nthere is interest in an international travel program," + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "teachers must inform their principal/head of school \nand contact the Department of Global Education for \nsupport and guidance with the CAO-25 application, \nand planning process. No arrangements, payments, \nor deposits should be made without consultation \nwith the Department of Global Education and \nformal application approval from the \nsuperintendent. \no After consulting with the Department of Global \nEducation and head of school, CAO-25 applications \nshall be submitted no less than 9-12 months before \ndeparture. The application requires approval by the \nDepartment of Global Education, which will then \nseek approval from the appropriate district leaders" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "before obtaining final approval from the \nsuperintendent. Again, no arrangements should be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 7:\nSuperintendent’s Circular CAO-22 \nPage 7 of 22 \n \nmade or payments or deposits placed without \nconsultation with the Department of Global \nEducation and formal application approval from the \nsuperintendent. \no The principal/head of school or appointee and the \ndirector of Global Education or district designee are \nthe emergency contacts for international travel \nprograms. \nGENERAL GUIDELINES FOR ALL TYPES OF FIELD TRIPS \n● Principals/head of school or the district department \nsponsoring the trip have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparent internal" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "protocols for field trip requests and approvals at the school \nlevel. \n● All field trip ideas must be preliminarily approved in writing \nby the principal/head of school or district department \nsponsoring the trip prior to the distribution of any \ninformational materials on the proposed trip to students \nand their parents/guardians, and prior to fundraising efforts \nor other detailed preparations. Staff are not allowed to sign \ncontracts on behalf of the Boston Public Schools. \n● The program leader (the BPS employee and chaperone \norganizing and leading the trip) and supporting chaperones \nmust be approved by the principal/head of school, or district \ndepartment sponsoring the trip." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "department sponsoring the trip. \n● The principal/head of school and program leader must \nreview and complete the appropriate type of field trip \ncircular and checklist throughout the planning process." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 8:\nSuperintendent’s Circular CAO-22 \nPage 8 of 22 \n \n● Program leaders must consult with the principal/head of \nschool on potential chaperones and student recruitment. \nEvery effort should be made for students to have access to \nthe field experience, and for chaperones to be \nrepresentative of the student group and include males and \nfemales. The selection and approval of chaperones by the \nprincipal/head of school should be based on the individuals’ \nthorough knowledge of, and rapport with most of the \nstudent participants. Choose a chaperone team purposefully \nand wisely, considering strengths. Every adult on the trip \nmust be a chaperone and have a clear role." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "must be a chaperone and have a clear role. \nSTUDENT ACCESSIBILITY AND PARTICIPATION \n● Students not enrolled in the Boston Public Schools may not \nparticipate. \n● Essential participation criteria: The program leader and \nprincipal/head of school shall work together to establish \nessential participation criteria for the trip. The criteria should \ninform students and parents of all activities and risks \nassociated with each itinerary activity and trip location to \ndetermine what accommodations or modifications may be \nneeded for the student to participate successfully and safely \nin all or portions of the trip. \n● Student recruitment: Field trips must be advertised to all" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "students (within the whole school, particular grade, \nclass/subject, club, or program associated with the trip), \nregardless of their financial situation. Schools shall make \nevery reasonable effort to make instructional field trips \naffordable for all students. A student’s ability to pay may not \nbe a criterion for field trip participation. If students are \ncharged individual fees for participation in a domestic" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 9:\nSuperintendent’s Circular CAO-22 \nPage 9 of 22 \n \ninstructional field trip that is directly linked to the \ncurriculum and standards, the school or district should \nmake every effort to provide scholarships where need is \nexpressed. \n● Student accessibility: Students with English Learner status, \n504 plans, and/or IEPs cannot be denied access to field trips \ndue to their status or ability. It is the responsibility of the \nschool to ensure that all accommodations normally \nprovided to a student as indicated in their educational plans \nare made available during a field trip, including medication. \nSee Superintendent’s Circular SHS-08 for information about" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "medical dispensation on field trips. \n● School nurse and guidance counselor consultation: Before \napproval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place \nbefore the field trip is secured. For additional questions, \nplease consult the Health Services Department. Additionally, \nto thoroughly support a student's participation in a field trip, \nat least six weeks before departure (much longer for \ninternational and overnight field trip programs), consult" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "with, and when necessary, receive training from the school \nnurse regarding any students who have medical needs. Also \nconsult with the school counselor regarding mental and \nbehavioral health needs. If any student has a serious \nmedical or mental health condition, be sure that their \ndoctor is aware of the essential participation criteria and \nlocation of the trip and writes a letter indicating that the \nchild may safely attend and participate in trip activities. \nKeep this document on file with other key permissions slips" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 10:\nSuperintendent’s Circular CAO-22 \nPage 10 of 22 \n \nand medical forms. \n● Inclusivity: Program leaders must consider their student \ndemographics when selecting field trip locations, sites, and \nactivities. Specifically determine the impact the locations, \nsites, and activities may have on diverse populations such as \nstudents of color, EL students, students who identify with \nthe LGBTQIA+ community, students with disabilities, those \nwho may be in the minority during your field trip \nexperience, and those students who belong to groups that \nhave experienced marginalization in the location being \nvisited. Program leaders must work to prepare students for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "sensitive experiences and ensure that the program is safe \nand inclusive for all students. Consult the Department of \nGlobal Education for resources if needed. \n● Inclusive accommodations: In collaboration with the \nstudent and their family, the program leader and \nprincipal/head of school shall work with transgender and \ngender-nonconforming students to provide \naccommodations (including rooming) that affirm the \nstudent’s gender identity while also ensuring safety for the \nstudent and group. Program leaders should work with \nstudents and families to make sure all travel documents \n(airline ticket, passport, etc.) reflect their legal names as" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "listed on government issued identification, while all \nunofficial documents and materials may reflect the \nstudent’s preferred name. Please view additional rooming \nguidelines from the Office of Equity. \n● Student conduct: The BPS Code of Conduct applies on all \nfield trips. BPS students and parents are required to sign a \nBPS Student Traveler & Family Agreement form regarding" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 11:\nSuperintendent’s Circular CAO-22 \nPage 11 of 22 \n \nstudent conduct while participating in a BPS sponsored \nfield trip. Participation in field trips may be denied to any \nstudent who has demonstrated disregard for the policies \nand rules of BPS or the school, immediately prior to or while \non the field trip. Parents/guardians and students must be \nmade aware of this policy in advance and communicated \nwith throughout any processes involving their child not \nparticipating in a field trip. Following an investigation, if the \nprogram leader, in consult with the principal/head of school \nand central office staff, determines that a student’s conduct" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "while on an overnight trip poses a risk to themselves or the \nsafety of the group, or is no longer manageable by BPS staff \nin the field, the district reserves the right to request and \narrange for that student to return home. \nThe district also reserves the right to request that families \nassume responsibility for all, or a portion of the costs \nassociated with their child’s return. Students may be subject \nto further disciplinary action and will be provided the \nopportunity to have a formal hearing at the school level \nupon return. The school must document the \nparent/guardian’s consent of this policy prior to the trip. \n● Student dismissal from field program: If a student is to be" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "dismissed from an overnight field trip, the student’s \nparent/guardian must be notified in advance and should \nagree to meet the student at the airport or other agreed \nupon transportation destination. If the parent/guardian is \nnot reachable, the student’s principal or appropriate school-\nbased point of contact must be notified and agree to meet \nthe student at the airport or other agreed upon destination. \nStudents under the age of 16 must be accompanied on their \nflight by a chaperone. Students over the age of 16 may fly" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 12:\nSuperintendent’s Circular CAO-22 \nPage 12 of 22 \n \nunaccompanied, though a chaperone must accompany the \nstudent to the airport to ensure the student checks in for \ntheir flight. NOTE: Age requirements are subject to specific \nairline/train/bus guidelines. \n● Provisions for students not attending the trip: If applicable, \nalternative arrangements and/or comparable activities for \nstudents not attending the trip, or unable to participate in a \nportion of your trip, must be provided. If a student’s family \nelects for their child not to attend a field trip for any reason, \nthe student may not be penalized through their grade or \notherwise." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "otherwise. \n● Attendance: Attendance forms should indicate when a \nstudent is physically absent from the school building on a \nfield trip but participating in a school-sponsored program \nbeing conducted off school grounds. (Note: It is important to \nknow and document where students are at all times.) \nCHAPERONE REQUIREMENTS \n● Chaperone Recruitment: Program leaders must consult \nwith the principal/head of school on potential chaperones \nand student recruitment. The program leader (lead \nchaperone) must be a BPS employee. Other authorized \nchaperones may include parents and guardians who are 21 \nyears of age or older. Any parent on the trip must operate in" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "the role of chaperone. All chaperones must be approved by \nthe head of school/principal. Every effort should be made for \nstudents to have access to the field trip experience, for \nchaperones to be representative of the student group, and \nfor chaperones to include males and females. The selection \nand approval of chaperones by the principal/head of school \nshould be based on the individuals’ thorough knowledge of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 13:\nSuperintendent’s Circular CAO-22 \nPage 13 of 22 \n \nand rapport with most of the student participants. Choose a \nchaperone team purposefully and wisely, considering \nstrengths. Every adult on the trip must be a chaperone and \nhave a clear role. \n● Non-BPS Chaperones: Other authorized chaperones may \ninclude parents and volunteers who must be 21 years of age \nor older. All non-BPS employee chaperones must submit a \nyearly CORI/SORI authorization form to the Office of Human \nCapital. Complete the online eCORI form. Contact the BPS \nOffice of Human Capital (OHC) for CORI check and \nconfirmation support. The principal/head of school and the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "lead chaperone are responsible for submitting authorization \nforms to OHC and must not allow chaperones to take part in \nactivities until they have been CORI/SORI cleared. Non-BPS \nemployees who chaperone on a field trip are not covered for \nliability by the Boston Public Schools. The program leader \nmust be sure that all chaperones, including non-BPS \nchaperones, are familiar with the BPS Code of Conduct and \nother district and school-based rules. Non-BPS employee \nchaperones (parents/guardians) are required to show proof \nof COVID vaccination, or a negative COVID-19 test within 72 \nhours of the field trip. \n● BPS Parent Chaperones: Chaperones who are" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "● BPS Parent Chaperones: Chaperones who are \nparents/guardians of BPS students on the trip must provide \nthe same level of care and attention to ALL student \nparticipants. If a BPS chaperone’s child who does not attend \nthe participating school must attend the program, the child \nmust be a BPS student and in the same grade or age range \nas participating students. In this case, the BPS parent \nchaperone is responsible for incurring all costs associated \nwith their child’s participation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 14:\nSuperintendent’s Circular CAO-22 \nPage 14 of 22 \n \nAll chaperones must complete the Chaperone Agreement \nform. \n● Chaperone Ratios: The student-to-chaperone maximum \nratios must be: \no Day field trips: minimum of two chaperones \no Grades K-5, 10:1 \no Grades 6 and up, 10:1 \no Domestic Overnight field trips: 10:1 (minimum of \ntwo chaperones) \no International field trips: 7:1 (minimum of two \nchaperones) * Includes Puerto Rico \nNOTE: There should not be more chaperones than \nstudents, unless mandated by an educational plan or \nother circumstances approved by the principal/head \nof school and Department of Global Education. For \nstudents with disabilities, the ratio of staff to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "students must be at least the same as the ratio \nmandated in their IEPs for their classes. \no NEW: Tour guides and employees of third-party \nvendors contracted to help operate the trip are \nnot considered chaperones and do not factor into \nthe student to chaperone ratio. \nPERMISSION FORMS \n● The student may not attend the field trip without a signed \npermission slip. Permission for field trips must be in written \nform only. Program leaders are responsible for seeing that \npermission slips are filled out completely and signed by the \nlegal parent(s)/guardian(s)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 15:\nSuperintendent’s Circular CAO-22 \nPage 15 of 22 \n \n● Permission slips are legal documents and may not be \naltered. Permission slips must be used for any excursion that \nis school sponsored, including those scheduled after school \nand on weekends. \n● No staff member may solicit students for any privately \narranged field trip or excursion without the permission of \nthe principal/head of school. \n● “Blanket” authorization (i.e., parental/guardian approval \nusing a single form for multiple trips to be taken during the \nschool year) should never be allowed (except for the \nWalking Trips and Water Activities form if they are in the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "same location). A separate parent/guardian permission slip \nmust be obtained and filed for each field trip. \n● Parental/guardian permission slips must be sent home in \nEnglish and in the language of the home. \n● Only parents/guardians are authorized to sign permission \nforms. For questions regarding legal guardianship, refer to \nthe SIS site or the local Welcome Center. \n● Check that students and their parents/guardians have \nsigned the BPS Media Appearances release section of the \nParent/Student Agreement document so that the trip may \nbe showcased upon your return. (This document can be \nfound in the Guide to the Boston Public Schools for Families \nand Students.)" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "and Students.) \n● Review each student's Emergency Information Card (Form \n460 or electronic equivalent) to ensure/cross-check \naccuracy of all field trip permissions and forms. \n● Program leaders must be specific when completing the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 16:\nSuperintendent’s Circular CAO-22 \nPage 16 of 22 \n \nschool portion of the Parental Authorization for Field Trip \nform. Parents/guardians must be given sufficient \ninformation to understand the nature and scope of the \nactivities on the itinerary. Additional customized waivers \nmay be developed for specific trips/itineraries. \nRECORD KEEPING FOR ALL TYPES OF TRIPS \n● Retain completed field trip request forms, original \npermission slips, medical forms, fire prevention and safety \nforms (if applicable), and all other signed documents for \nfield trips in the school office. Legally, these records must be \nkept for the current fiscal year plus three additional years" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "after all field trips have occurred." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 17:\nSuperintendent’s Circular CAO-22 \nPage 17 of 22 \n \nTRANSPORTATION FOR FIELD TRIPS \n● School buses or BPS approved transportation vendors’ \nvehicles (per BPS Transportation Department) MUST be \nused to transport students to and from field trips or athletic \nevents regardless of how the trip is paid for. Privately owned \nvehicles, vehicles from non-approved vendors are not \npermitted. \nRide sharing transportation services, such as Uber and Lyft, or \nleased vans are not to be utilized to transport students to \nand from field trips or athletic events, except in the case of a \nbona fide emergency. \n● Students are prohibited from driving vehicles, operating, or" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "being a passenger on any motorbike during a field trip. \n● Staff are not permitted to transport students. Staff who \nutilize their own vehicles, or leased vehicles, risk being \nlegally liable if students are injured while riding in their \nautomobiles. \n● Please refer to Superintendent’s Circular TRN-03 for \ninformation and regulations regarding field trip \ntransportation. \nSAFETY GUIDELINES \nAs part of trip planning and itinerary development, ensuring the \nmajor aspects of health, safety, and security have been addressed \nwith appropriate due diligence. Program leaders should be able \nto articulate in an informed manner what decisions were made," + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "why they were made, and the sources that informed their \ndecision making. If you are unsure as to whether an activity is \nappropriate in terms of safety or educational content for a \nschool-sponsored trip, please consult with your principal/head of" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 18:\nSuperintendent’s Circular CAO-22 \nPage 18 of 22 \n \nschool and the Department of Global Education. \n● Review Superintendent’s Circular FSE-05, Medical \nEmergency Management, and SAF-04 Incident Data-\nReporting and Release for important safety protocols. \n● Do not leave students alone. Students should be \naccompanied by chaperones unless part of a scheduled \nactivity in which parents have been informed of and \napproved in writing in advance, and age appropriate. \nHowever, if unaccompanied as part of a scheduled and \nstructured activity, students should at least be in groups of \nthree, AND always know how to reach an adult chaperone." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "● Day and water field trips: The Department of Safety Services \n(617-635-8000) must be notified in the event of a serious \nmedical or other emergency and should be used as a \nresource for questions regarding safety on day field trips, \nincluding water activity day trips. \n● Domestic overnight trips: The principal/head of school is the \nemergency contact and must be notified in the event of a \nserious medical or other emergency. Prior to departure, the \nDepartment of Global Education should be used as a \nresource for questions regarding safety on trips, and for \nsupport with insurance and claims. Prior to departure, \nprogram leaders will receive emergency contact \ninformation." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "information. \n● International trips: The principal/head of school or designee, \nfollowed by the Department of Global Education or district \nappointee, are the emergency contacts for international \ntrips. DGE must be notified in the event of a serious medical \nor other emergency and should be used as a resource for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 19:\nSuperintendent’s Circular CAO-22 \nPage 19 of 22 \n \nquestions regarding safety on trips. Prior to departure, \nprogram leaders will receive emergency contact \ninformation. \n● Emergency Action Plan: At all times during the trip, all \nchaperones must carry with them a copy of the Emergency \nAction Plan (EAP) that outlines procedures for calling 911 in \nthe US or the foreign equivalent while abroad, as well as \nemergency protocols. The EAP can be found in the day, \novernight, and international circulars. \n● Personal Health: For overnight and international trips, \nstudents and staff must have had a recent doctor’s visit, \nphysical exam, and any required vaccinations prior to" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "departure. See CAO-24 and CAO-25 for details on healthy \ntravel requirements. \n● Training: The district reserves the right to require additional \ntraining and/or certifications such as CPR/AED, first aid, and \nprogram (chaperone) leader risk management training \ndepending on the type, location, and purpose of the trip. \nReview the specific circular for your trip type for certification \nrequirements. \n● Phone/Social Media Usage: Set expectations with students \nregarding phone and social media usage during any field \ntrip. This is especially critical during an emergency. \n● Insurance: The district provides medical insurance coverage" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "for BPS-sponsored international and domestic trips for BPS \nstudents and BPS staff participants. [Domestic is defined as \n100 driven miles away from home or place of study or \nemployment.] Trip cancellation and interruption coverage \nare not provided by the district. Program leaders must" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 20:\nSuperintendent’s Circular CAO-22 \nPage 20 of 22 \n \ninform families (and funders) of this fact, and that they have \nthe option to voluntarily purchase these additional \ncoverages on their own. For Level 2 CDC or State \nDepartment Warning international destinations, trip \ncancellation and interruption coverages are strongly \nrecommended. \n● Cancellation: The superintendent reserves the right to \ncancel any field trip up to and including the day of \ndeparture to manage risk. Upon advance review of \nitineraries, BPS reserves the right to deny schools \npermission to participate in the field trip activities on their \nitinerary where the risks of the activity outweigh the" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "intended learning outcomes of the program. \n● Post Field Trip: After the trip, follow up and communicate \nwith the student and parent/guardian, as well as the \nprincipal/head of school, Department of Safety Services, or \nthe Department of Global Education if there are any student \nsafety concerns (health or otherwise) during the trip that \nrequire further attention. \nHOMESTAYS IN BOSTON, NATIONALLY, AND ABROAD \n● For host family stays (both incoming and outgoing), review \nCAO-26 Guidelines for Homestays & International Student \nVisitors for more information. Please contact the \nDepartment of Global Education immediately for guidelines." + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "All BPS families (anyone in households 18 or over) who host \nnational or international guests must be CORI cleared by the \nBPS Office of Human Capital. \nINTERNATIONAL STUDENT VISITORS (CAO-26) \n● International/ students can register with BPS if they will be a" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 21:\nSuperintendent’s Circular CAO-22 \nPage 21 of 22 \n \nfull-time student at a BPS school, except the exam schools, \nfor one year. Students must be in their freshman, \nsophomore, or junior year. Please be advised that BPS does \nnot get involved with the J1 visa process. Review CAO-26 \nGuidelines for Homestays & International Student Visitors for \nmore information. Please contact the Department of Global \nEducation immediately for guidelines. \n● For visiting students, note immunization requirements for \nthose visiting us from abroad. Work with the program leader \n(lead chaperone) from visiting schools to ensure all health \nregulations are met. See attached letter for directives from" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "the Massachusetts Department of Public Health. \nhttp://www.mass.gov/eohhs/docs/dph/cdc/immunization/im\nmunization-requirements-exchange-and-visiting-\nstudents.pdf \nWATER ACTIVITIES (CAO-27) \n● If your trip involves activities in, or on the water, you must \ncontact the Department of Global Education immediately to \nsubmit a mandatory Water Activity Request form and to \nensure that the site location for the water activity has up-to-\ndate insurance, liability, and certification documentation on \nfile with the district. Refer to CAO-27 for specific guidelines \nfor water activities. \nFor more information, questions, and support about this \ncircular, please contact: \n Owner:" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "circular, please contact: \n Owner: \nChief of Teaching and Learning \nTitle: \nDirector of Global Education \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n315-601-0292" + }, + { + "folder_name": "Academics", + "file_name": "CAO-22 General Field Trip Guidelines", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW", + "content": "Page 22:\nSuperintendent’s Circular CAO-22 \nPage 22 of 22 \n \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n \nNUMBER: \nCAO-06 \nVersion 01 \n \n \n \n GRADE POINT AVERAGE CALCULATION METHOD \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nRATIONALE \nThe purpose of this document is to outline how grade point \naverages (GPAs) are calculated and used within the Boston \nPublic Schools. \nDEFINITION \nThe grade point average (GPA) is a standard numerical \nconversion of letter grades given to a student. The GPA is a \nstandard method of comparing the cumulative academic \nperformance of students in grades 9-12 and sharing that \ninformation. The GPA is used for several purposes such as college" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "admissions, high school ranking, and selective program \nadmissions. The GPA calculation takes in a variety of information \nfrom courses such as credits and academic level. \nGPA CALCULATIONS \nUse the following steps to complete the weighted GPA \ncalculation: \nStep 1. Convert each final grade (numeric or letter grade) to \nits equivalent on the 4.0 scale." + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "Page 2:\nSuperintendent’s Circular CAO-06 \nPage 2 of 5 \n \n \n \nStep 2. Weight grades by adding .5 to each converted grade \nearned in an Honors level course and 1.0 to each converted \ngrade earned in Advanced Placement or Dual Enrollment \ncourse. \nStep 3. Multiply each converted grade or, if applicable, each \nweighted grade by the course credits earned. Where a full-\nyear course equals 1 credit; a semester course equals .5 \ncredits; a quarter course equals .25 credits. \nStep 4. Sum all the weighted grade points from Step 3. \nStep 5. Divide total from Step 4 by total number of course \ncredits attempted. Where a full-year course equals 1 credit;" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "a semester course equals .5 credits; a quarter course \nequals .25 credits. \nStep 6. The quotient is the student's weighted GPA. \nGPA = Total (Point + Weight) * Credit) for all courses / Total \nCredits for all courses \nCOURSE INFORMATION \n1. Course \na. Student courses taken in grades 9-12 will be included in \nthe GPA calculation. High school level courses taken by \na student in middle school grades will not be included \nin the calculation. \nb. Include in GPA or InGPA flag \nc. This indicator describes the courses that will be \nincluded in any academic GPA calculation. Courses" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "Page 3:\nSuperintendent’s Circular CAO-06 \nPage 3 of 5 \n \n \n \nthat are required for graduation are included in GPA \ncalculations. Courses that typically are excluded from \nacademic GPA calculations include enrichment \ncourses, functional courses, study periods and \nadministration blocks such as lunch. The district \ndetermines which courses are included within a \nstudent’s GPA calculation, additionally such courses \nmay also be required by schools for graduation. The \nDivision of Academics maintains and updates the list of \nall applicable courses to be included in the GPA \ncalculation. School users can find InGPA information in \nthe Course Catalog feature in Aspen. \n2. Credits" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "the Course Catalog feature in Aspen. \n2. Credits \na. Credits describe the number of ‘points’ that a course \nwill receive in a GPA after the course is completed. In \ngeneral, most courses will have 1 credit. However, \ncertain courses may have more than 1 credit, such as \ndouble-blocked humanities courses. Similarly, some \ncourses have fewer than 1 credit, such as 1 semester \n(half-year) courses. In the cumulative GPA calculation \nwithin a school year, quarter or term grades for a 1 \nsemester course will be attributed .25 credits in the \nGPA calculation. \nb. Credits are generally distributed based on the \nsuccessful completion of the competencies of the \ncourse." + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "course. \nc. Transfer-in credits are credits that a student earns in a \nsetting outside of BPS. These credits are included on a \nstudent’s transcript and count towards a school’s \ngraduation requirements. Therefore, these credits will" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "Page 4:\nSuperintendent’s Circular CAO-06 \nPage 4 of 5 \n \n \n \nbe used in the GPA calculation. This is in alignment \nwith the Massachusetts Board of Higher Education’s \n(MA BHE) process of calculating GPAs. \n3. Academic level \na. The academic level of a course can be one of 8 options \n(see table below). \nb. Weights are applied to courses through the academic \nlevel of the course. The following weights are given to \neach academic level based on the MA Board of Higher \nEducation recommendations (Link to full weighting \nchart). \n \nWeighting \nCourse Academic Level \nNot included \nFunctional \nUntracked \n \n+0 (standard) \nRegular \n \n \n+0.5 \nHonors \nIB MYP \n \n+1.0 \nCollege \nAP \nIB DP" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "Honors \nIB MYP \n \n+1.0 \nCollege \nAP \nIB DP \n \nGPA CALCULATION DATES (BPS CALENDAR) \nThe GPA calculation dates for SY24 can be found here. \nGPA INCLUDED IN TRANSCRIPT \nWhile there are several GPA calculations in Aspen, only the \ncumulative weighted academic GPA calculation is included on a \nstudent’s official transcript. The quarter, semester, and final GPAs" + }, + { + "folder_name": "Academics", + "file_name": "CAO-06 GPA Calculation Method", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH", + "content": "Page 5:\nSuperintendent’s Circular CAO-06 \nPage 5 of 5 \n \n \n \nare saved throughout the school year but will be overwritten \neach year. The final cumulative GPA (accumulation over grades 9-\n12) as of the current year is saved in Aspen and transferred to the \nData Warehouse. \nHELPFUL LINKS \nGrade Point Average (GPA) Help Guides for Aspen \nWeighting Chart \n \nFor more information about this circular, contact: \nOwner: \nChief of Teaching and Learning \nDepartment: \nOffice of Teaching & Learning \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-6053 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nCAO-08 \nVersion 01 \n \n \n \nGRADING REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe spirit of this policy is to move away from the practice of \ngrading non-academic behavior and to the timely provision of \nmeaningful feedback to every family on every student’s \nacademic progress. This policy is a critical part of propelling all \nstudents toward the Strategic Plan and School Committee goals \ncentered on college, career, and life readiness. As well, it will \nensure that grading practices are accurate, bias-resistant, \nmotivational, and coherent in the district, which will in turn" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "ensure the ability of our stakeholders to trust the district’s \ncommitment to equity. This policy will provide accurate, \ndignifying feedback to every student about where they are \nacademically and what they need to be successful. As a vehicle \nfor closing opportunity and achievement gaps, the grading policy \nwill provide clear and comprehensive guidance that aligns to our \nteaching practices, family engagement, and student experience, \ngrounded in equity and research. With the School Committee's \napproval of this policy, the Academics and Schools divisions will \nwork in collaboration with our stakeholders this spring to finalize" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "and enact an implementation plan that focuses on the adaptive \nwork ahead. \nThe Boston Public Schools will at all times maintain \nSuperintendent’s Circulars that: (1) outline procedures for" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "Page 2:\nSuperintendent’s Circular CAO-08 \nPage 2 of 6 \n \n \nmaintenance of grades to ensure that they are accurate, timely, \nand aligned to DESE standards; (2) outline a common report card \nstructure and timeline for schools by grade span and program; \nand (3) outline allowable flexibilities. \nSeparately, as a companion to this policy, the district will develop \nand maintain detailed implementation processes in the form of \nSuperintendent’s Circulars ensuring: \n1. Implementation of MassCore graduation requirements and \nwaivers \n2. Common GPA calculation and transcription processes \n3. A common process for promotion to the next grade level" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "4. A common process for retention at the current grade level \n5. A common and public course catalog that details for \nstudents and families course of study options for all \nsecondary schools as well as course descriptions, credit, and \ngovernance \n6. An updated process and calendar for course creation. \nADOPTION OF A COMMON GRADING POLICY FOR THE BOSTON \nPUBLIC SCHOOLS \nThe School Committee of the Boston Public Schools is \nresponsible for creating policies and practices that support the \npreparation of every student to be college, career, and life-ready \nand remove barriers that interfere with students graduating from \nBPS ready to succeed in the next stage of their lives. If we" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "support BPS educators to effectively use culturally responsive \npractices, provide high levels of support, and adopt coherent \ngrading practices that are mathematically accurate, bias-\nresistant, and motivational for students, then we will see" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "Page 3:\nSuperintendent’s Circular CAO-08 \nPage 3 of 6 \n \n \nincreased student engagement, and grades that reflect student \nlearning. \nBPS will adopt the following policy for all students in the district. \nSpecifically, the following practices will be required of all \neducators in the district. \nPROPOSED: \nGrading Practice \nWhy is it more equitable? \nAccuracy and timeliness Educators will ensure that term grades follow \nthe practices laid out in the BPS Grading Policy \nand are posted in Aspen by the closing date \naccording to the district grading calendar. \n“No Credit” grades will \nno longer be given. \nAs an alternative, schools may mark a student" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "As an alternative, schools may mark a student \nwith an “incomplete” to enable equitable \nlearning recovery. \nIn all cases, a student not earning a passing \ngrade must be given the opportunity and \nresponsibility to equitably recover any learning \nloss or make up for the work missed within one \nmarking period. \nNo penalties will be \ngiven for late work. \nDeadlines will be given for work, and we expect \nstudents to meet these expectations. Deadlines \nwill be explained to students. When a student \nturns in the assignment, it will be graded, and \nthe grade in ASPEN/SMS will reflect student \nmastery (not the tardiness of the work)." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "Page 4:\nSuperintendent’s Circular CAO-08 \nPage 4 of 6 \n \n \nGrading Practice \nWhy is it more equitable? \nA minimum grading (50 \nfor an assignment on a \n0-100 scale) will be used. \n \nTeachers will determine minimum grades for \nassignments where the lowest possible grade is \nbalanced with the value of the highest grade. \nBest practices would include the \nimplementation of a consistent numerical \ngrading scale (0-4, 1-7, etc.) that aligns to GPA \nscale. \nDemonstration of \ncompetency in \nsummative tasks must \nmake up at least 80% of \nterm grades. \nGrades for assignments should be \nrepresentative of what students have \ndemonstrated in terms of their learning, and \nnot non-academic behaviors." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "not non-academic behaviors. \nStudents will receive \nconsistent feedback on \nassignments before \nstudents are formally \nassessed. \nTeachers are intentional about taking time to \ngive students clear and actionable feedback. \nStudents understand what the criteria for \nsuccess are for any given assignment and have \nclear actions steps for getting there. We \nunderstand the importance of coherence in the \nways we provide feedback and are committed \nto making this an instructional focus for the \nupcoming school year to better support our \nstaff." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "Page 5:\nSuperintendent’s Circular CAO-08 \nPage 5 of 6 \n \n \nGrading Practice \nWhy is it more equitable? \nMiddle/High School: A \nconsistent, agreed-upon \nnumber of assignments \nper grade; and \nconsistent intervals for \ngrading updates in \nAspen/SMS. \nTeachers are expected to post at least one \nvisible grade on ASPEN/SMS every week for \nmiddle and high school students. \nElementary School: A \nconsistent approach \nacross all content areas \n(including speciality \nclasses) for providing \nstudents and families \nformative feedback \nroutinely. \nSchools serving elementary grades are required \nto have a consistent approach for providing \nstudents and families formative feedback" + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "students and families formative feedback \nweekly. Students are required to receive term \ngrades for Language Arts, Math, History/Social \nStudies, Science, and any specialty classes \noffered. \nAll grade levels \nStudents may only receive a composite grade \nfor “Humanities” or “STEM” or equivalent if the \ncourse is offered at the equivalent of a double \nblock. As well, students must receive formative \nand summative feedback on both grade level \nlanguage arts and history/social studies or math \nand science concepts and meet all the \nrequirements above." + }, + { + "folder_name": "Academics", + "file_name": "CAO-08 Grading Requirements", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE", + "content": "Page 6:\nSuperintendent’s Circular CAO-08 \nPage 6 of 6 \n \n \nFor more information about this circular, contact: \nOwner: \nElementary Superintendent \nDepartment: \nAcademics and Professional Learning \nMailing Address: 2300 Washington St. Roxbury, MA 02119 \nPhone: \n617-635-6053 \nEmail: \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \n NUMBER: \nFSE-06 \nVersion 01 \n \n \n \nSTUDENT SAFETY / HEALTH IN SCHOOL SHOPS, \nLABORATORIES, AND CLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEach day, thousands of Boston Public School students perform a \nvariety of activities within shops and laboratories. To ensure that \nall students and their teachers work in an environment which is \nsafe, it is necessary to formulate standard procedures and \nrequirements for all schools and their personnel. \nYour performance of these procedures will ensure that you and \nyour students are safe. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "RESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOL \n1. Inform the staff and students in writing of the safety \nstandards and procedures, including the need to wear eye \nprotection devices. \n2. Ensure that workable fire extinguishers, blankets, and eye \nwash equipment are readily available (custodians are \nresponsible for recharging fire extinguishers). \n3. Make sure that appropriate personnel receive training in use \nof portable fire extinguishers and blankets. \n4. Ensure that staff has instructed all students in safety \nstandards and procedures, including School Safety Plan." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FSE-06 \nPage 2 of 23 \n \n \n \n5. Post building evacuation procedures in classrooms, offices, \nand corridors. \n6. Review and evaluate safety procedures in shops and \nlaboratories (refer to Safety Check List attached). \n7. Conduct quarterly fire drills (refer to Superintendent's \nCircular FSE-2 Fire Safety Practices). \n8. Develop emergency procedures in case of a serious accident \n(refer to Superintendent's Circular FSE-05 Medical \nEmergency Management). \n9. Maintain adequate lighting and proper ventilation in shops, \nlaboratories, and classrooms. Report problems to Facilities \nManagement. \n10. Ensure that food service training programs and/or student-" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "run restaurants comply with current sanitation code \nregulations. \n11. Be sure that teacher evaluations reflect the implementation \nof safety standards and procedures. \n12. Ensure that a \"Right to Know\" workplace notice is posted in \nthe school's shops/laboratories. \n13. Ensure that all instructors working with toxic or hazardous \nsubstances receive training as specified in Chapter 111F of \nthe Massachusetts General Laws. \n14. State safety regulations within your school-based rules. \n15. Make Material Safety Data Sheets available. \nRESPONSIBILITIES OF TEACHERS \n1. Practice safety procedures; the teacher serves as the \nmodel for the students)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "model for the students). \n2. Set up and maintain shop or laboratory to permit free, \nunobstructed movement of students at benches, around \nequipment and machines, and to allow egress from the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FSE-06 \nPage 3 of 23 \n \n \n \narea. \n3. Report all lighting and ventilation problems to the head \nof school/principal. \n4. Develop emergency procedures to follow in case of an \naccident (refer to Superintendent’s Circular FSE-5 Medical \nEmergency Management). \n5. Post safety rules and safety hazards conspicuously in \nappropriate areas; contact the Department of Vocational \nTechnical Education for translation of safety rules into \nappropriate language(s). \n \n6. ENFORCE SCHOOL-BASED RULES WHICH ADDRESS \nSAFETY. \n7. Supervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "shall a teacher leave students unsupervised in a \nlaboratory or shop area. If an instructor must leave the \nshop in an emergency, they must: \na. Arrange for a qualified teacher as replacement OR \nb. Relocate students to a properly supervised area. \nc. Lock laboratory/shop area. \nd. Shut off equipment. \n8. Check fire protection equipment weekly. \n9. Know the location of the closest fire extinguisher. \n10. Maintain a first aid kit in an easily accessible area. \n11. Check machinery/equipment weekly to make sure safety \nguards are in place and working properly. \n12. Check any gas-burning equipment daily for gas leaks. \n13. If anyone detects the smell of gas, shut off the gas source" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "before reporting the problem to your supervisor. \n14. Maintain a dated, self-evaluation safety inspection \nchecklist. Safety program checklist forms are available \nfrom the Department of Career and Technical Education." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FSE-06 \nPage 4 of 23 \n \n \n \n15. Use the building safety committee as a resource for \nstudent safety plans. \n16. Present each student with a copy of the shop's safety \nrules and procedures. \n17. Teach safety as an integral part of each job or lesson by: \na. Testing students on their knowledge of safety rules \nand procedures. \nb. Using objective tests to emphasize shop safety. \nc. Checking student mastery of safe methods and safe \npractices. \nd. Testing students’ handling of tools, operation of \nmachines, use of equipment, and trade practices, all \nwith a focus on safety. \ne. Having a student sign their written test as indication" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "they understand safety rules and procedures. \nf. Filing signed written tests in the student's folder as a \npermanent record. \n18. Know location of AED and qualified operations. \n19. Avoid shop accidents by insisting that students dress \nproperly for the laboratory/shop. Each student shall: \na. Wear shoes with low or flat heels and substantial \nsoles, or wear work shoes where mandated. \nb. Wear head covering, pin up hair, or tie hair back. \nc. Wear eye protection devices as per M.G.L. c.71, s.55C. \nd. NOT wear loose-fitting clothes which could get \ncaught in moving equipment. \ne. NOT wear rings, bracelets, or necklaces which could \nget caught in moving machinery parts." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "get caught in moving machinery parts. \n20. Supervise students at all times. Under no circumstances \nshould an unsafe piece of equipment be operated. \nDisconnect or remove the fuse to ensure that an" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FSE-06 \nPage 5 of 23 \n \n \n \naccident will not occur. \n21. Insist that visitors to your area wear safety equipment \n(eye protection, etc.). \n22. Shut off all machines, store all equipment, and shut off \nlights before closing the laboratory/shop for the day. \n23. Make sure that soap and towels are replenished as \nneeded. \n24. Establish a foolproof system for dispensing and securing \ntools. \n25. Designate storage for tools to prevent accidents. \n26. Lock up hazardous materials and equipment in \napproved containers when not in use. \n27. Keep machinery and equipment in good condition; \nconduct monthly inspections." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "conduct monthly inspections. \n28. Submit appropriate requisition(s) to paint hazardous \nmachinery parts and safety switches in conspicuous \ncolors. \n29. Submit appropriate requisition(s) to secure safety mats \nto the floor around machines to prevent slipping. \n30. Check the emergency disconnect switch (PANIC \nBUTTON) to ensure proper operation. \n31. Dispose of oily waste and rags in designated containers. \n32. Ensure that food service training programs and/or \nstudent-run restaurants comply with current sanitation \ncode regulations. \nRESPONSIBILITIES OF NURSES \n1. Help students and teachers obtain necessary health \nscreening, where required, for admission to occupational" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "programs (e.g., food service/restaurant programs). \n2. Administer first aid." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FSE-06 \nPage 6 of 23 \n \n \n \n3. Evaluate the injury. \n4. Notify student's parent/guardian. \n5. Complete nurse's section of accident report. \n6. If an accident is serious, in addition to above, implement \nprocedures documented in Superintendent's Circular \nFSE-5 Medical Emergency Management. \nACCIDENT REPORTS \n1. The instructor, nurse, and/or witness will fill out or assist in \nfilling out two separate accident reports: Occupational \nEducation Accident Report Form EE 111 (attached) and Pupil \nAccident Report Form 201 (attached). \n2. The principal/head of school will retain original Form EE 111 \nin the school file and send a copy to the director of Career" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "and Technical Education, 75 Malcolm X Blvd., Boston, MA \n02119. \n3. The principal/head of school will retain Form 201 in the \nschool file and send a copy to the Department of Safety \nServices, 213 Townsend Street, Dorchester, MA 02121. \n \nTECHNICAL ASSISTANCE \nThe Department of Career and Technical Education will provide \nall schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building inspections. Career and Technical Education staff \nwill perform continual safety inspections for \nshops/laboratories/classrooms. \nContact:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FSE-06 \nPage 7 of 23 \n \n \n \nDirector of Career and Technical Education, 617-635-8970 \nDirector Safety / Emergency Preparedness, 617-635-8300 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: \n(857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent \n \nATTACHMENTS: \nForm EEE 111 – Occupational Education Accident Report \nForm 201 – Pupil Accident Report \nOccupational Safety and Health: Safety Inspection Checklist" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FSE-06 \nPage 8 of 23 \n \n \n \nFORM EE 111 \nOCCUPATIONAL EDUCATION ACCIDENT REPORT \n \nName of injured: _________________________________________________ \nGrade: ________ Age: ________ \nParent's/guardian's name: ________________________________________ \nAddress: __________________________________________________________ \n __________________________________________________________________ \nDate of accident: ______________Time of accident: _________________ \nLocation of accident: _____________________________________________ \nDescription of accident: __________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "__________________________________________________________________ \nState exact part of person injured and extent of injury: ___________ \n __________________________________________________________________ \nEmergency care was given by: ___________________________________ \nFollow-up (check statements which apply): \n☐ Pupil remained in school \n☐ Parent/guardian notified \n☐ Taken to nurse's office by _____________________________________ ." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FSE-06 \nPage 9 of 23 \n \n \n \n☐ Taken to hospital by ___________________________________________ \nName of doctor, if any ___________________________________________ \nWitness to accident: ______________________________________________ \nPerson reporting accident: _______________________________________ \nSignatures: \nPerson making this report: _______________________________________ \nPerson supervising activity/program _____________________________ \nSchool nurse _____________________________________________________ \nPrincipal/head of school _________________________________________ \n \nReport #: ___________________________ (to be filled in by the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "building principal/headmaster) \n \nReviewed by: _____________________________________________________ \n \nDirector of Career and Technical Education \n \nNOTE: Retain original in principal’s/head of school’s office. Send \ncopy to the director of Career and Technical Education, 75 \nMalcolm X Blvd., Boston, MA 02120." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FSE-06 \nPage 10 of 23 \n \n \n \nFORM 201 \nPUPIL ACCIDENT REPORT \n(Section 225 of the Rules and Regulations) \nAll accidents involving injury to pupils on school premises or \nwhile going to or from school must be reported on Form 201 to \nthe Department of School Safety Services, 213 Townsend Street, \nDorchester, MA 02121 no later than the day following the day of \nthe accident. This report is to be filled out in its entirety. A \nduplicate copy of the Pupil Accident Report is to be retained by \nthe school principal. If possible, this report should be typewritten. \n1. Student’s Last Name ___________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "First Name ____________________________Middle Initial ___________ \n2. Address _______________________________________________________ \n __________________________________________________________________ \n3. School ________________________________________________________ \n4. Student’s Age _________Sex ________Grade_____Room___________ \n5. Name of Parent or Guardian (in full) ___________________________ \n __________________________________________________________________ \n6. Date of accident _________Time _______ A.M. ______ P.M. ________ \n \n7. Nature and extent of injury ____________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FSE-06 \nPage 11 of 23 \n \n \n \n8. In case of dog bite, has a report been made to the Boston \nHealth Department? ☐ Yes ☐ No \n8. Specific location of accident ___________________________________ \n9. Teacher(s) in charge of location when accident occurred \n __________________________________________________________________ \n9. Teacher(s) in charge present at scene of accident? ☐ Yes ☐ No \n10. Description of accident, including cause ______________________ \n __________________________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "11. In the case of a shop accident, were all guards required by law \nin use? ________________________________________________________ \n If not, why not? _______________________________________________ \n ________________________________________________________________ \n12. In case of shop or laboratory accident, is the statement \nrequired by Section 225 of the Rules and Regulations \nattached? ☐ Yes ☐ No \nIf answer is no, state reason: ___________________________________ \n13. To whom was the accident first reported? _____________________ \nWhat action was taken by this person? ________________________ \n ________________________________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "14. Were first aid supplies available? ☐ Yes ☐ No \n15. Was any treatment administered? ☐ Yes ☐ No" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FSE-06 \nPage 12 of 23 \n \n \n \nWhere? _______________________________________________________ \n16. Did the pupil leave school (or place of accident)? ☐ Yes ☐ No \nIf so, to what destination? _____________________________________ \n17. If transported by ambulance, attendant names, and unit #: \n __________________________________________________________________ \n18. Escorted to destination by whom? (An injured pupil should be \nescorted by a responsible person) _____________________________ \n __________________________________________________________________ \n19. Names and addresses of witnesses: ___________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "__________________________________________________________________ \n __________________________________________________________________ \n __________________________________________________________________ \nThe accident report has been investigated and will be carefully \nfollowed up. \n __________________________________________________________________ \nSignature of Safety Counselor \n __________________________________________________________________ \nSignature of Principal \nDate of Report ___________________________________________________ \nSchool ___________________________________________________________ \nBOSTON PUBLIC SCHOOLS — VOCATIONAL, ADULT," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FSE-06 \nPage 13 of 23 \n \n \n \nAND ALTERNATIVE EDUCATION \nOCCUPATIONAL SAFETY AND HEALTH: SAFETY INSPECTION \nCHECKLIST \nSchool ______________________________________Level _______________ \nDepartment ___________________Area __________Date _____________ \nInspection by __________________________Position _________________ \nSTUDENTS \nYES NO N/A \n1. Are they wearing proper eye protection? \n☐ \n☐ \n☐ \n \nComment: \n2. Are they wearing proper footwear? \n ☐ \n☐ \n☐ \n \nComment: \n \n3. Are they properly dressed? \n ☐ \n☐ \n☐ \n \nComment: \n4. Are they trained in safety procedures? \n☐ \n☐ \n☐ \n \nComment: \n5. Do they have safe work habits? \n☐ \n☐ \n☐ \n \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FSE-06 \nPage 14 of 23 \n \n \n \nSTUDENTS (continued) \nYES NO N/A \n6. Are they wearing proper hearing protection? \n☐ \n☐ \n☐ \n \nComment: \n7. Are hard hats provided and worn where any \n \ndanger of falling objects? \n \n☐ \n☐ \n☐ \nComment: \n8. Do they know how to properly and safely \nuse the tools? \n \n☐ \n☐ \n☐ \n \nComment: \n9. Are they trained in safety procedures? \n ☐ \n☐ \n☐ \nComment: \n10. Do students know what to do in emergencies? \n☐ \n☐ \n☐ \n \nComment: \nWORK AREA \nYES NO N/A \n1. Is it clean and orderly? \n☐ \n☐ \n☐ \n \nComment: \n2. Are exit lanes clear and marked? \n☐ \n☐ \n☐ \n \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular FSE-06 \nPage 15 of 23 \n \n \n \n3. Are materials neatly stored? \n☐ \n☐ \n☐ \n \nComment: \nWORK AREA \nYES NO N/A \n1. Are tools safely stored? \n ☐ \n☐ \n☐ \n \nComment: \n2. Are floors clean and dry? \n☐ \n☐ \n☐ \n \nComment: \n3. Are hazard signs properly posted? \n☐ \n☐ \n☐ \n \nComment: \n \n4. Are floors non-skid? \n☐ \n☐ \n☐ \n \nComment: \n5. Are compressed gas cylinders properly \n \nsecured? \n☐ \n☐ \n☐ \n \nComment: \n \nDOORS \nYES NO N/A \n1. Are there an adequate number of exits? \n☐ \n☐ \n☐ \n \nComment: \n2. Are exits properly marked with signs? \n☐ \n☐ \n☐ \n \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular FSE-06 \nPage 16 of 23 \n \n \n \n3. Is there an unobstructed and clear way to \n \nall doors? \n☐ \n☐ \n☐ \n \nComment: \nAre fire doors (automatic/self-closing) in \n \noperable condition? \n☐ \n☐ \n☐ \n \nComment: \n \nEYEWASH - EMERGENCY SHOWERS \n YES NO N/A \n1. Are there washing facilities available where \nstudents are exposed to corrosive materials, \n \nflying chips, or dust? \n☐ \n☐ \n☐ \n \nComment: \nELECTRIC DEVICES \nYES NO N/A \n1. Are all outlets and switches in good condition? \n☐ \n☐ \n☐ \n \nComment: \n2. Are there any loose wires? \n☐ \n☐ \n☐ \n \nComment: \n3. Are all outlets properly grounded? \n☐ \n☐ \n☐ \n \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular FSE-06 \nPage 17 of 23 \n \n \n \nFIRE DRILLS \nYES NO N/A \n1. Are fire drill instructions (exit routes) posted? \n☐ \n☐ \n☐ \n \nComment: \n2. Do alarms work properly? \n☐ \n☐ \n☐ \nComment: \n3. Are fire drill practices held frequently? \n☐ \n☐ \n☐ \nComment: \n4. Are staff members instructed in the use of \n \n \nextinguishers and fire protection procedures? \n☐ \n☐ \n☐ \n \nComment: \nFIRE EXTINGUISHERS \nYES NO N/A \n1. Are extinguishers mounted in a readily \naccessible/visible location? \n☐ \n☐ \n☐ \n \nComment: \n2. Was the extinguisher inspected during the \n \npast year (check inspection tag)? \n☐ \n☐ \n☐ \n \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular FSE-06 \nPage 18 of 23 \n \n \n \nFLAMMABLE ITEMS \nYES NO N/A \n1. Is there more than one (1) shift or a one (1) day \n \n \nsupply of flammable liquid in the school shop \n \narea? \n ☐ \n☐ \n☐ \nComment: \n2. Are all flammable liquids (one day's supply \nof oil, previously opened paint, gasoline, etc.) \nsealed in fireproof containers away from \npossible sources of ignition? \n☐ \n☐ \n☐ \nComment: \n \n4. Is there an excess of flammables kept on the \npremises? \n☐ \n☐ \n☐ \nComment: \n4. Are rags and other flammable items stored in a \n \nsafe location? \n☐ \n☐ \n☐ \n \nComment: \n \n5. Are waste receptacles provided and are they \nemptied regularly? \n☐ \n☐ \n☐ \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular FSE-06 \nPage 19 of 23 \n \n \n \nFIRST AID \nYES NO N/A \n1. Is a fire blanket and container mounted in a \nreadily accessible/visible location? \n ☐ \n☐ \n☐ \nComment: \n \n2. Are first aid boxes in an accessible location? \n☐ \n☐ \n☐ \nComment: \n \n \n3. Are the supplies adequate for the type of \npotential injuries in the shop? \n☐ \n☐ \n☐ \nComment: \n \n4. Are all items sterile? \n☐ \n☐ \n☐ \nComment: \n \n \n5. Is there a staff member trained in first aid? \n☐ \n☐ \n☐ \nComment: \n \n6. Are emergency numbers posted? \n \n☐ \n☐ \n☐ \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular FSE-06 \nPage 20 of 23 \n \n \n \nHEATING \nYES NO N/A \n1. Are all heat dispersing units free from \nobstruction and flammable materials? \n☐ \n☐ \n☐ \nComment: \n \n \n2. Is the heat in the shop adequate? \n☐ \n☐ \n☐ \nComment: \n \nLIGHTS \nYES NO N/A \n1. Is lighting suitable for work being done? \n \n☐ \n☐ \n☐ \nComment: \n \n \n2. Is there a back-up light in case of emergency \n(battery-operated)? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n \nMACHINERY AND TOOLS \n \n \nYES NO N/A \n1. Are safety guards in place? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n2. Are they properly cleaned and lubricated? \n☐ \n☐ \n☐ \nComment: \n \n \n3. Are there any dangerously worn parts? \n \n☐ \n☐ \n☐ \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "☐ \n☐ \n☐ \nComment: \n \n \n4. Is there adequate space between machines for" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular FSE-06 \nPage 21 of 23 \n \n \n \nworking safely? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n5. Are there any electrical hazards? \n \n☐ \n☐ \n☐ \nComment: \n \n \n6. Are hand tools and other equipment regularly \ninspected for safe conditions? \n☐ \n☐ \n☐ \nComment: \n \n \n \nPOWER SHUT-OFFS \n YES NO N/A \n1. Are there emergency shut-offs? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n2. Do they work? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n \n3. Are they checked each month? \n \n \n☐ \n☐ \n☐ \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 22:\nSuperintendent’s Circular FSE-06 \nPage 22 of 23 \n \n \n \nVENTILATION \nYES NO N/A \n1. Do all exhaust ducts terminate outside the \nbuilding? \n☐ \n☐ \n☐ \nComment: \n \n \n \n2. Does tailpipe exhaust exit outside the building? \n☐ \n☐ \n☐ \nComment: \n \n \n3. Does this shop (welding, auto body, etc.) \nrequire exhaust fans? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n4. Does this shop have exhaust fans, and do they \nexhaust to the outside? \n☐ \n☐ \n☐ \nComment: \n \n \n5. Is the system sufficient with shop at full capacity? ☐ \n☐ \n☐ \nComment: \n \n \n \nRIGHT TO KNOW LAW \n \n \nYES NO N/A \n1. Is a workplace notice posted? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n2. Are containers labeled that contain toxic or" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "2. Are containers labeled that contain toxic or \nhazardous substances? \n \n \n☐ \n☐ \n☐ \nComment: \n \n \n3. Have the instructors been taught about the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-06 Student Safety_Health in School Shops, Labs & Classrooms", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link", + "content": "Page 23:\nSuperintendent’s Circular FSE-06 \nPage 23 of 23 \n \n \n \nnature and effects of the MSL substances to \nwhich they may be exposed in the workplace? \n☐ \n☐ \n☐ \nComment: \n \n \n4. Other: \n \n \n \n☐ \n☐ \n☐ \nComment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFSE-08 \nVersion 01 \n \n \n \nSAFE MODE AND INTERNAL THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nMandatory SAFE MODE drills are to be planned, conducted and \nreviewed during September and January of each school year. Each \nschool should conduct two SAFE MODE drills every year. These \nexercises are to be coordinated through your school superintendents. \nA report on each safe mode drill must be documented on the Google \nform, which can be found at the BPS Fire & Safety Drill Report. If you \nhave any questions, please contact the BPS Office of Emergency \nManagement." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Management. \n \nThese drills will help prepare the school community for any real life \nsituation that may occur. \n \nDuring any real-life situation: \n● Call 911 as soon as you can do so safely. \n● Call the Department of Safety Services at 617-635-8000, after \ncalling 911, if you can do so safely. \n \nObjectives of SAFE MODE drills: \n● Staff will be able to describe what SAFE MODE is and their \nresponsibilities during a SAFE MODE event. \n● Staff will have the opportunity to have their questions \nconcerning SAFE MODE heard and answered." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 2:\n \nSuperintendent’s Circular FSE-08 \nPage 2 of 13 \n \n● Staff will have the opportunity to raise potential concerns that \nhave not yet been addressed to assist in better anticipating \nissues during SAFE MODE situations. \n \nDEFINITIONS AND PROTOCOL FOR ACTUAL EVENTS \n \nSAFE MODE (External Threat) \nSAFE MODE is a protective action used to safeguard faculty, staff, \nand students from an external threat as a result of law enforcement \nactivity near the school or a potentially dangerous situation near the \nschool. Schools will typically be placed into SAFE MODE by the \nBoston Police Department or BPS Safety Services, but each school \ncan enter SAFE MODE on its own." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "can enter SAFE MODE on its own. \n \nExamples of reasons why schools go into SAFE MODE: \n● Police activity around or near your building \n● Shooting outside your building \n● Fire or accident near your building \n \nHow will you know when you are in SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\"" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 3:\n \nSuperintendent’s Circular FSE-08 \nPage 3 of 13 \n \nNOTE: The Principal/Head of School, Site Coordinator or designee \nwill also be alerting Safety Services and calling 911 to alert them \nthat they are in SAFE MODE if not a drill, as mentioned above. \n \nWhat should faculty and staff do upon notification of SAFE MODE? \n1. If you see, hear, or observe a potential threat outside your \nbuilding, bring all students and staff back into the building \nimmediately and initiate SAFE MODE and notifications. \n2. Depending on the circumstances and the direction of the \nPrincipal/Head of School, Site Coordinator or their designee, \nlearning activities may continue during a SAFE MODE. If" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "continuing learning activities, be sure the volume in the room \nis low enough to hear further announcements. \n3. Check the hallways for people nearby and bring them into the \nclassroom. \n4. Check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom door. \n6. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and close \nthe windows and shades (if you have them). Turn the lights off \nand silence cell phones, radios, Tv and any other source of noise \nas necessary. \n7. Be prepared to move students away from windows and doors \nand stay in your safe location." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "and stay in your safe location. \n8. Take attendance. Verify the missing and extra people in your \nroom. Write the names on a sheet of paper and wait for \nsomeone to contact you for that list (may be by intercom or in \nperson)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 4:\n \nSuperintendent’s Circular FSE-08 \nPage 4 of 13 \n \n9. Ramain with your students in the classroom until further \ninstructions are given. \n10. Only use the intercom to notify the main office of emergencies \nor special needs. \n11. SAFE MODE ends only when the principal/head of school, site \ncoordinator or designee announces it via intercom or through \ndoor to door notifications. \n \nWhat will the safety team be doing during SAFE MODE? \n1. Administration will make sure exterior doors are locked. \n2. Floor captains will check classrooms and lock bathrooms. \n3. Administration will notify all staff via the public address system \nof the situation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "of the situation. \n4. Administration will notify Safety Services and their school \nsuperintendent if they are in an actual SAFE MODE. They will \nnotify their school superintendent if they will be conducting a \nSAFE MODE drill. \n5. Administration or police will monitor cameras. \n6. Administration or police will monitor the entire school to make \nsure no one is in the hallways or leaving or entering the \nbuilding. \n7. Administration will work with BPS Communications to send a \nnotice to all families within a short time after the incident when \nthe situation is clear. \n \nPreventative Safe Mode: This version of SAFE MODE can be used to" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "stop motion in the building under certain circumstances to resolve \nan internal issue (e.g., lost children, student/adult behavior, K9 \nsearch, etc.)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 5:\n \nSuperintendent’s Circular FSE-08 \nPage 5 of 13 \n \nHow will you know when you are in PREVENTATIVE SAFE MODE? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via intercom and/or using the school safety \nteam: \n \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE \nMODE. Remain in your classroom. If you are in the hallway, stairs, or \nlavatory, move into the nearest classroom. Do not leave the room \nuntil told to do so, even if an alarm sounds.\" \n \nIf schools want to conduct internal threats drills, they should only do \nso with staff. No students should be involved in an internal threat" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "drill. If there are concerns about these drills or procedures, they \nshould only be discussed with staff. \n \nINTERNAL THREAT (Interior) \nINTERNAL THREAT will be announced if there is any person in the \nbuilding who is looking to cause harm to people. If an internal threat \nis in the building, all occupants should use the AVOID, DENY, \nDEFEND (formerly RUN, HIDE, FIGHT) model to protect themselves \nand anyone in their care. During this situation, occupants should use \ntheir own judgment to determine what they will do. \n \nExamples of an INTERNAL THREAT are: \n● Unknown or unidentified people in your building wandering \naround \n● Out of control parent/family member" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "around \n● Out of control parent/family member \n● Person with a weapon in the building \n● Person shooting in your building" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 6:\n \nSuperintendent’s Circular FSE-08 \nPage 6 of 13 \n \n \nHow will I know when we have an INTERNAL THREAT? \nThe Principal/Head of School, Site Coordinator or designee will \nannounce the following via the school intercom (and call 911 if not a \ndrill): \n \n“Attention faculty and students: there is an INTERNAL THREAT \n(AVOID, DENY, DEFEND).” \n \nWhat will be happening on campus during an INTERNAL THREAT \nsituation? \n1. No one will be in hallways. \n2. Anyone with information on the threat should be calling 911 to \nalert police of the situation. \n3. Occupants will be using the AVOID, DENY, DEFEND protocol \nto decide their actions: \n● AVOID (RUN) pay attention to your surroundings, know" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "your exits if you know it is safe to do so: get as far away \nfrom the building or source of threat as you can (you should \nnot be able to see the building/threat from where you have \nrun to). If it is safe to do, call 911, call the School Leader and \nSafety Services at 617-635-8000. Cautiously alert people \naround you if possible. \n● DENY (HIDE) if you cannot run: barricade where you are (if \nyou can) and stay out of sight of the threat,lock the door, \nturn off the light. Silence your phone, radios, tv and/or any \nother source of noise. \n● DEFEND (FIGHT) If you cannot Avoid or Deny be prepared \nto defend yourself. If fighting is your last resort and the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "threat is in your space and is going to hurt you or people" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 7:\n \nSuperintendent’s Circular FSE-08 \nPage 7 of 13 \n \nyou are with, find something to fight (laptop, chair, fire \nextinguisher or any other available resources). \nAll staff should consider what to do during an internal threat on a \nregular basis. HAVE A PLAN! \n \nHELPFUL HINTS: “KNOW YOUR SPACE” \n● Know all available egress (EXIT) points if you ever need to \nAVOID (RUN). \n● Know what you can use to barricade your door(s) and conceal \nyourself from sight if you ever need to DENY (HIDE). \n● Know what you can use to DEFEND (FIGHT) if fighting is your \nonly option (fire extinguisher, chair, laptop, etc.). \n● The goal of both SAFE MODE and INTERNAL THREAT is to take" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "cover and conceal yourself and your students from the active \nassailant. Covering glass (with large paper, shades, etc), \nshutting off lights, staying quiet (silence your phone, radios, \nTV or any other source of noise) and moving into a position of \nconcealment is key. \n \n \nPOLICE RESPONSE: “KNOW WHAT TO EXPECT” \n● Law enforcement priorities: \n1. Neutralize the shooter \n2. Stop the bleed of the first critical victim they encounter \n(only if the shooter is not in the immediate location. This is \na new protocol.) \n● When police arrive, follow their commands, show the palms of \nyour hands, don’t move quickly. \n● BPD policy is that plainclothes officers can respond to an active" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "assailant, help may not be in uniform." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 8:\n \nSuperintendent’s Circular FSE-08 \nPage 8 of 13 \n \n \n \nDEFINITIONS AND PROTOCOL FOR SAFE MODE DRILLS \n \nHow to conduct a Safe Mode Drill at your school? \n \nIdentify a Safety Team if you have not already done so (Refer to \nSafety Contingency Plan FSE-01). This Safety Team should include \nthe School Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designees. Please review FSE-01 page 24 \nfor guidance. \n \nThe Principal/School Leader, Site Coordinator or designee must \nensure that staff receive and understand proper instructions on \nthe safe mode drill procedure. Students should also be informed" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "of the procedure in order to align expectations prior to the drill. \nThe drill must be recorded on this form. \n \nPrior to the Drill: \nConfirm the Plan: School Leader/Site Coordinators or designee \nwill review the Safe Mode and Internal Threat Procedures, \nincluding the various situations and levels of Safe Mode (ie \nexternal threat/ medical issue/ internal threat) with staff. Select \nthe date of the drill and coordinate roles and responsibilities \nduring and after the drill. \n \nDay of the drill: \nJust in Time Training: School Leaders/Site Coordinators or \ndesignee will instruct staff to review Safe Mode and Internal \nThreat Procedures ensuring everyone knows their roles" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 9:\n \nSuperintendent’s Circular FSE-08 \nPage 9 of 13 \n \n(Students/Staff). Also staff should confirm window covers are \navailable (shades/blinds/paper/boards, etc) and classroom doors \ncan lock properly from the exterior. Familiarize yourself with the \nsystem used to warn you to go into Safe Mode, this may be the \npublic address system, if available, an intercom system, phones \nor radios. If the only method to communicate within the school \nis the bell system, note the warning bell system used to warn \neveryone to Safe Mode. \n*Listen carefully for instructions* \nConducting Safe Mode Drill: \n1. Inject: Safe Mode ANNOUNCEMENT is made via the PA, with" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "the support of radios to areas where the PA does not reach. \n2. Staff and students go inside the building into the nearest \nclassroom immediately if they are not already. \n3. Staff check the hallways for other staff/students nearby and \nbring them into the classroom. \n4. Staff check adjacent classrooms through interior doors for \nunsupervised students. \n5. Lock the classroom doors. \n6. Close and lock the windows. \n7. Be prepared to barricade your doors, cover large door windows \nusing any available resources (e.g., large paper or felt), and \nclose the windows and shades (if you have them). \n8. Move students away from windows and doors and stay in your \ncurrent location." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "current location. \n9. CONDUCT AN ACCOUNTABILITY SURVEY Verify the missing \nand extra people in your room. Write the names on a sheet of \npaper and wait for someone to contact you for that list (may \nbe by intercom or in person)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 10:\n \nSuperintendent’s Circular FSE-08 \nPage 10 of 13 \n \n10. Stay with your students in the classroom until further \ninstructions are given. \n11. Only use the intercom to notify the main office of emergencies \nor special needs. \n12. Silence all cellular devices. \n13. Shut off the lights. \n \nIF THE FIRE ALARM SYSTEM SOUNDS: \n● Evacuate if there are visible signs of fire. \n● Await instructions if there are no signs of fire. \n \n14. ALL CLEAR/ RETURN TO SCHOOL \nSchool Leader, Assistant School Leader, Site Coordinator, \nSecretary, Custodian or designee announces ALL CLEAR via \nintercom or through door to door notifications. \nAction: Staff return to normal classroom activities." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "15. School Leader, Site Coordinator or designee reports the drill \non this form. If you have any problem with this link, please \ncontact the OEM Team for assistance. \n \nNote: Learning activities may continue during a SAFE MODE drill, \nunless you are instructed otherwise by the Principal/School Leader, \nSite Coordinator or designee. If continuing learning activities, be \nsure the volume in the room is low enough to hear further \nannouncements. \n \nIMPORTANT REMINDER: The BPS Office of Emergency \nManagement is available to support schools drills as well as \nfacilitating tabletop exercises or functional tests of school buildings \nplans and protocol. Please contact us for more information." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 11:\n \nSuperintendent’s Circular FSE-08 \nPage 11 of 13 \n \nAll staff should view the following video from the Ohio State \nUniversity, to obtain important additional information that will be \nhelpful in the event that an incident occurs at the school or another \nlocation. \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: \n(857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.29.2024)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 12:\n \nSuperintendent’s Circular FSE-08 \nPage 12 of 13 \n \nBPS Safe Mode Announcement Scripts (English) \nSafe Mode (External Threat/ Danger Outside of the School) \nAnnouncement: \n\"Attention faculty and students: We are now in SAFE MODE. Remain in your classroom. \nIf you are in the hallway, stairs, or lavatory, move into the nearest classroom. \nDo not leave the room until told to do so, even if an alarm sounds.\" \n \nPreventative Safe Mode (ex. Missing Student/ Medical Emergency) \nAnnouncement: \n\"Attention faculty and students: We are now in PREVENTATIVE SAFE MODE. \nRemain in your classroom. If you are in the hallway, stairs, or lavatory, move into the nearest classroom." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Do not leave the room until told to do so, even if an alarm sounds.\" \n \nInternal Threat (Active Shooter/ Armed Intruder Inside) \nAnnouncement: \n“Attention faculty and students: there is an INTERNAL THREAT (Avoid, Deny, Defend).” \n \nKnow Your Space. Get Safe Before You Call 911. \nCover versus Concealment. \nSilence is Golden. \nBPS Office of Emergency Management updated 7/2024" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "Page 13:\n \nSuperintendent’s Circular FSE-08 \nPage 13 of 13 \n \nBPS Guía para anunciar el “modo seguro”(Spanish) \nModo seguro (amenaza externa/peligro fuera de la escuela) \nAnuncio: \n\"Atención profesores y estudiantes: ahora estamos en MODO SEGURO. Permanezcan en su salón de \nclases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más cercano. No salga \ndel salón hasta que se le indique, incluso si suena una alarma\". \n \nModo seguro preventivo (por ejemplo, estudiante desaparecido/emergencia médica) \nAnuncio: \n\"Atención profesores y estudiantes: Ahora estamos en MODO SEGURO PREVENTIVO. Permanezca" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-08 Safe Mode and Internal Threat Procedures", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link", + "content": "en su salón de clases. Si está en el pasillo, las escaleras o el baño, diríjase al salón de clases más \ncercano. No salga del salón hasta que se le indique, incluso si suena una alarma\". \n \nAmenaza interna (tirador activo/intruso armado en el interior) \nAnuncio: \n“Atención profesores y estudiantes: hay una AMENAZA INTERNA (Evita, Deniega, Defiendete).” \nConozca su espacio. \nAntes de llamar al 911, asegúrese de no estar en peligro (busque un lugar seguro con precaución) \nEl silencio es oro. \n \nOficina de Manejo de Emergencia de BPS 7/2024" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFSE-05 \nVersion 01 \n \n \n \nMEDICAL EMERGENCY MANAGEMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe following guidelines relate to a medical emergency of an \nindividual student, which is different from episodes where the \nentire School Safety Contingency Plan (please refer to \nSuperintendent’s Circular FSE-01 School Safety Contingency \nPlans) is activated. However, the guidelines are complementary. \nThe school nurse assigned to each school should assist in the \ndevelopment and implementation of medical emergency \nprotocols. The elements to be included in the protocol are \ndescribed below." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "described below. \nEMERGENCY INFORMATION \nPrevention of medical emergencies begins with knowledge of \nunderlying medical issues. Therefore, Emergency Information \nCards (Form 460 or electronic equivalent), containing the basic \npertinent data to activate an emergency medical plan for the \nstudent, must be on file at each school. This information should \nbe completed upon the opening of school in September and \nupdated by January 1 and again by April 1 each school year. \nIn addition to parental contact phone numbers, alternate \nemergency contacts, primary language spoken at home and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FSE-05 \nPage 2 of 12 \n \n \n \ncustody issue documentation, the card or electronic equivalent \nshould contain: \n● Insurance company \n● Policy number \n● Clinician name and phone \n● Hospital where the child is taken in an emergency \n● Listing of health problems \n● Listing of medications taken at home as well as in school \n● Allergies \n● Vision or hearing problems \n● History of surgery or serious illness in the last year \nEach building administrator may practice the most expeditious \nmeans of securing necessary information. \nROUTINE ILLNESS / MINOR INJURY \nIt is the responsibility of the principal/head of school, in" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "consultation with the school nurse, to decide whether routinely ill \nor slightly injured students should remain in school or be \nreleased to their home. When it is necessary for a student to \nleave the school for home, the following procedures must be \nfollowed. \n● The parent/guardian, or in those cases where they cannot \nbe contacted, the individual designated on the Emergency \nInformation Card, should make necessary arrangements for \nthe student to be picked up at school by a responsible adult. \n(Please refer to Superintendent’s Circular SAF-08 Release of \nStudents to Authorized Persons.)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FSE-05 \nPage 3 of 12 \n \n \n \n● The parent/guardian should be informed of any emergency \naid administered at the school and advised to seek further \nmedical attention, if necessary. \n● If the parent/guardian of a student who has sustained a \nminor injury or illness cannot be located, the child must \nremain in school until the regular dismissal time. \n● Under no circumstances should a student be released \nwithout adequate adult supervision. All instances where a \nstudent is released should be properly documented in a log \nin the office of the principal/head of school. The log must \nindicate all pertinent information, including the time the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "child arrived home. \n● No child is to be released to anyone other than a \nparent/guardian without the parent/guardian’s consent \nand proper identification as the parent/guardian’s \ndesignee. \nMEDICAL EMERGENCIES \nThe principal/head of school has administrative and \nprogrammatic responsibility for all activities that occur in their \nschool. However, in those cases where a medical emergency \nexists, principals/heads of school should consult with and follow \nthe advice of the assigned nursing staff. \n● A medical emergency is defined generally as a potentially \nlife-limiting or life-threatening situation requiring \nimmediate medical attention, as well as cases of indecent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "assault/rape. Protocols for the management of specific \nmedical emergencies are available to nurses and are to be \nkept on file in the nurse's office." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FSE-05 \nPage 4 of 12 \n \n \n \n● In the beginning of each school year, school nurses should \ncommunicate to relevant staff the known potential health \nemergencies of individual students. This meeting should be \ndocumented on the student’s Individual Health Plan. \n● The principal/head of school is responsible for responding to \nmedical emergencies when a school nurse is not available. \n● Principals/heads of school should compile a list of staff with \nCPR, AED, first aid, and first responder training who can \nprovide immediate lifesaving measures until EMS arrives. \nThese staff members should be members of the School \nSafety Team." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Safety Team. \n● Immediate phone support is also available through the \nHealth Services office at 617-635-6788. \n● Each school nurse should complete a list of staff trained in \nthe administration of Epinephrine in the event of a life-\nthreatening allergic reaction. This list must remain on the \nfile with the school administrator. Epinephrine should not \nbe locked away but should be available to school staff in a \nsecure location. \n● It is recommended that the school nurse, school leader, and \nother staff involved in a medical emergency hold a debrief \nmeeting following the incident. \nSERIOUS INJURY / ILLNESS PROTOCOL \n● Stabilize the student using the most qualified school staff." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "● Activate the Emergency Medical System (EMS) by calling 911. \nCases of indecent assault/rape require Boston Police \nnotification via 911.*" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FSE-05 \nPage 5 of 12 \n \n \n \n● Call the Superintendent’s Office at 617-635-9057. \n● Notify School Safety Services at 617-635-8000. \n● The responding ambulance crew of emergency medical \ntechnicians (EMTs) or paramedics will consult with the \nqualified school officials and assess the need for \ntransportation to a medical facility. EMS assumes medical \nmanagement of the child. \n● School personnel designated by the principal/head of school \nmust accompany the student in the ambulance and remain \nwith the child until a) the parent/guardian arrives or, b) the \nchild is attended to by appropriate and qualified medical" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "personnel who have taken over the custody of the child, \nwhichever occurs first. \n● Accompanying staff are not required to have medical \nexperience and are present solely for the comfort of the \nchild. It is not recommended that the school nurse \naccompany the student as the school will be without \nnursing support for other students requiring nursing care \nduring the school day and other first aid/emergency care. \n● The school’s representative should bring the student’s \nEmergency Information Card, the Individual Collaborative \nHealth Plan (if the student has identified chronic health \nneeds), emergency action plan (if available), and all other" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "pertinent medical information to the hospital. \n● If the emergency occurs on the school bus, the driver \n(and/or monitor, if present) will provide for the safety of the \nchild and call the dispatcher, who notifies 911. When EMS \narrives, the dispatcher will be called with the name of the \nchild and the hospital that the child will be transported to." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FSE-05 \nPage 6 of 12 \n \n \n \nThe dispatcher then calls the Department of Safety Services \nat 617-635- 8000, who will notify the family. A safety officer \nwill proceed to the emergency room to meet with the \nstudent and family. \n➢ Release of a student who is a victim of indecent \nassault/rape must comply with procedures outlined in \nboth this memorandum and Superintendent’s Circular \nSAF-08 Release of Students to Authorized Persons. \nCOMMUNICABLE DISEASES \nMassachusetts General Law and public health regulations govern \nthe reporting and control of communicable diseases in public \nschools. All suspected cases of a communicable disease require" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "confirmation from local health authorities before a plan of action \nis developed. When a student is suspected of having a reportable \ncommunicable disease: \n● The principal/head of school or designee will contact the \nschool nurse. \n● The nurse or principal/head of school will contact the Health \nServices administration. \n● Health Services will contact and collaborate with the Public \nHealth Commission to confirm the diagnosis. \n● The school nurse, in conjunction with principal/head of \nschool or designee, Health Services, and local health \nauthorities, will assess the health risks and develop a plan of \naction to address the issues." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "action to address the issues. \nQuestions or concerns may be directed to Health Services at 617-\n635-6788." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FSE-05 \nPage 7 of 12 \n \n \n \nDEPARTMENT OF SAFETY SERVICES \nThe Department of Safety Services/Boston School Police is \nlocated at 213 Townsend Street (rear of Boston Latin Academy), \nDorchester, MA 02121, phone 617-635-8000. \n● A school administrator must notify the Dept. of Safety \nServices by telephone of any serious illness or injury after \nnotifying Emergency Medical Services via 911. \n● Dept. of Safety Services personnel have received various \nlevels of first aid training and may initiate assistance \nappropriate to their level of training. \n● A Dept. of Safety Services administrator will respond to the \nscene if practical." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "scene if practical. \n● The Dept. of Safety Services may be used as a resource to \nassist in making parent/guardian notification. \nNOTIFICATION TO SCHOOL STAFF AND PARENTS OF SERIOUS \nINCIDENTS \n● The principal/head of school should follow the guidelines \nestablished in the Superintendent's Circular FSE-01 School \nSafety Contingency Plans, providing feedback to staff. \n● Should an incident become generally known and be a \nmatter of concern to parents, the administrator should meet \nwith the School Parent Council to advise them of the \nprecautionary measures taken to prevent the recurrence of \nsuch an incident. \n● In the event of a serious illness/injury involving a student," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "the parent/guardian must be notified as soon as possible. \nThis notification should include all available information," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FSE-05 \nPage 8 of 12 \n \n \n \nincluding hospital destination if the child is transported to a \nmedical facility. \n● If a student is a witness to a medical emergency, their \nparent/guardian should be notified prior to that student \nbeing removed from the school for interviewing by police or \nany other member of an emergency response agency. \nSummary of significant dates and deadlines: \nDate \nActivity \nSeptember Complete Emergency Information Cards (Form 460) \nJanuary \nUpdate Form 460 \nApril \nUpdate Form 460 \n \nEMERGENCY PLAN \nIf an emergency occurs: \n1. Stay with the student. \n2. Call or designate an adult to call the nurse or designee." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "a. State who you are. \nb. State where you are. \nc. State the problem. \n3. An administrator or designee is responsible to institute the \nEmergency Plan. \nEmergency Telephone Procedure: \n1. Dial 911." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FSE-05 \nPage 9 of 12 \n \n \n \n2. State who you are. \"I am _______________, a \nteacher/paraprofessional in the Boston Public Schools.\" \n3. State where you are. \"I am at the ________________School, \naddress __________________. The telephone number is \n______________________.\" [NOTE: a number that is not the \noffice number should also be provided to EMS.] \n4. State the problem. \"There is a _______ year old child here that \nis _____________. We need an ambulance now.\" \n5. Give specific directions. \"_________________ will meet you at \n________________ to direct you.\" (address) \n6. Don't hang up. Ask for the information to be repeated back" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "to you and answer any questions the dispatcher may have. \nHang up the telephone when all information is correct and \nverified. \nEmergency Procedures: \n1. Notify the principal/head of school or administrator and \ninform them of the nature of the emergency and the \nlocation of the student. \n2. The administrator or designee will: \na. Meet and direct the EMTs \nb. Call parent/guardian \nc. Call the Superintendent’s Office at 617-635-9057 \nd. Call School Safety at 617-635-8000 \n3. The school nurse or designee will accompany the student to \nthe hospital. \n4. Paramedics will decide which hospital is appropriate." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FSE-05 \nPage 10 of 12 \n \n \n \n5. Copy emergency and health care information. \n6. School personnel (not necessarily the nurse) designated by \nthe principal/head of school must accompany the student in \nthe ambulance and remain with the student until the \nparent/guardian arrives or the child is being taken care of by \nappropriate and qualified medical personnel who have \ntaken over the responsibility of the child’s care, whichever \noccurs first. Paramedics will take over care of the student \nwhen they arrive. \n7. The school representative should bring copies of the \nstudent's emergency information card, health card, and all" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "available information pertinent to the student and the \nincident/illness to the hospital. \n \n \n \n8. The Department of Safety Services may be used as a \nresource to assist in notification to the parent/guardian. \nTelephone 617-635-8000. \n9. School Department personnel must not in any case \ntransport a sick or injured child in a privately owned motor \nvehicle. \n10. Under no circumstances should a student be sent to any \nlocation via taxi based solely on notification received by \ntelephone. \n11. It is strongly recommended that the student emergency \ninformation card (Form 460) be regularly updated. \nFor more information about this circular, contact: \nOwner: \nDjenny Lobo Lopes" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FSE-05 \nPage 11 of 12 \n \n \n \nDepartment: \nHealth Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOR \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: \nSafety & Emergency Management \nMailing Address: 205 Townsend Street Boston, MA 02121 \nPhone: \n(857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOR \n \nOwner: \nChief of Safety Services \nDepartment: \nSafety Services \nMailing Address: 213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-05 Medical Emergency Management", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FSE-05 \nPage 12 of 12 \n \n \n \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nHRS-HS02 \nVersion 01 \n \n \n \nJOB SHARING FOR PERMANENT TEACHERS AND \nPARAPROFESSIONALS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Office of Human Resources accepts job-sharing applications \nthrough the online forms included in this circular. Please note \nthat employees will be required to sign in with their Boston \nPublic Schools Gmail account. These links will also be made \navailable through BTU and paraprofessional representatives, the \nBoston Public Schools website, and the Superintendent’s \nBulletin. \nBoston Public Schools has agreed to provide job-sharing" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "opportunities to permanent educators (1) and paraprofessionals \nwho desire to split a position with another staff member in their \nbuilding. \nCONDITIONS FOR JOB SHARING \nThe following are the conditions under which employees are \npermitted to share jobs: \n \n1() This includes nurses, COSE, and other BTU educators with \npermanent status." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular HRS-HS02 \nPage 2 of 5 \n \n \n \n1. Participation in job sharing requires approval by the \nprincipal//head of school. The principal/head of school \nshould submit their approval to the Office of Human \nResources via the online form below. \n2. All participants in the job-sharing program will be required \nto jointly plan their program so as to provide programmatic \nintegrity and continuity. The principal/head of school must \napprove such plans. \nWith the approval of the principal/head of school, teachers \nor paraprofessionals may structure their program in the \nfollowing two options: \na. Both teach for one-half day \nb. Both teach for one-half week" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "b. Both teach for one-half week \n► Job share participants may not split the school year \nwith their job share partner in order to work for only \nhalf of the school year. Job share participants also \nmay not split the teaching bimonthly or biweekly. \n3. All participants in the job-sharing program will be required \nto attend all \"Early Release Time\" in-service meetings, all \nprofessional days, and parent conferences. If the job share \ntakes place in a designated Extended Learning Time school, \nboth teachers/paraprofessionals are expected to participate \nin ELT. \n4. The two teachers participating in a joint assignment/job \nsharing will meet with one another once each marking" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "period, at the discretion of the principal/head of school, to \nassess and improve the job sharing program. These" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular HRS-HS02 \nPage 3 of 5 \n \n \n \nmeetings may be held on early release or professional \ndevelopment days. \nAll parties recognize that at times it may be necessary for \nthe two teachers and the principal/head of school to meet \nfor the purpose of addressing problems which may arise in \nthe implementation of job sharing at an individual school. \nSuch meetings, if necessary, shall be scheduled at a time \nthat is mutually agreeable to all parties. \n5. Teachers and paraprofessionals participating in the job-\nsharing program will receive the following compensation \nand benefits: \na. Compensation shall be one-half of salary entitlement." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "b. Sick leave shall be one-half of annual entitlement. \nc. Personal days shall be one-half of annual entitlement. \nd. Health insurance premium and health and welfare fund: \nfull contribution \ne. Seniority accrual: full credit \nf. Attachment rights for one-year to former position \n6. Teachers participating in job-sharing must hold a valid DESE \nlicense for the position. No exceptions will be made. \n7. Each participant in the job-sharing program will be asked to \nenter into a binding agreement committing to the year-long \nassignment. \n8. Participants must submit new job-sharing applications each \nyear. Continuation of a job-sharing pairing for the next" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "academic school year will be subject to a favorable review \nby all parties." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular HRS-HS02 \nPage 4 of 5 \n \n \n \nTO INDICATE INTEREST IN JOB SHARING \nPermanent teachers or paraprofessionals who wish to indicate \ntheir interest in job sharing should submit a request using the \nonline form shown below. The submission of an application only \nserves an indication of interest and is not binding. The application \nmust be submitted via the online form no later than 5:00 p.m. on \nMarch 25, 2025. \nPlease note: Applicants are responsible for making all job-sharing \narrangements, including finding a colleague with whom to job-\nshare. The Office of Human Resources does not assist with \nmaking job-sharing arrangements. If you are unable to find a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "partner, your request to job share will be denied. \n2024-25 ONLINE FORMS \nThe Office of Human Resources now accepts job-sharing \napplications online. Candidate applications for job share as well \nas principal/head of school approval can be submitted through \nthe links below. Please note that employees will be required to \nsign in with their Boston Public Schools Gmail account. These \nlinks will also be made available through BTU and \nparaprofessional representatives, the Boston Public Schools \nwebsite, and the Superintendent’s Bulletin. \nJob Sharing Request: \nApplicant Form \nEach applicant interested in Job Sharing \nmust submit their own form by March" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "must submit their own form by March \n25, 2025. Principals/heads of schools \nmust submit the form below for \napproval." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular HRS-HS02 \nPage 5 of 5 \n \n \n \nJob Sharing Request: \nPrincipal Approval \nForm \nPrincipals/heads of schools must submit \nthis form to approve a job share request \nby April 15, 2025. \n \nFOR MORE INFORMATION ABOUT JOB SHARING \nThere will be an informal meeting at the Boston Teachers Union \nin Winter 2025 for teachers and paraprofessionals who are \ninterested in obtaining more information about job sharing. \nFor more information about this circular, contact: \nOwner: \nSchool-Based Staffing \nDepartment: \nOffice of Human Resources \nMailing Address: \n2300 Washington St., Roxbury, MA 02119 \nPhone: \n617-635-9600 \nAdditional \nQuestions:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "HRS-HS02 Job Sharing for Permanent Teachers and Paras", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link", + "content": "Phone: \n617-635-9600 \nAdditional \nQuestions: \nPlease submit an HR Inquiry Ticket via \nthe Beacon. This can be found on Access \nBoston. \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nFSE-03 \nVersion 01 \n \n \n \nBUILDING CODES AND FIRE REGULATIONS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll school buildings are required to comply with Massachusetts \nState Building Codes and Fire Regulations. Adherence to these \nregulations helps to ensure a safe, secure, and accessible learning \nand work environment for students and staff. \nAs the person responsible for the school building, the head of \nschool/principal/program director shall have responsibility for \nmonitoring and maintaining compliance with building codes and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "fire regulations at all times. Staff assigned to the Department of \nFacilities Management and the fire safety director are available \nand should be called upon to assist and support the school \nbuilding administrator in this effort. \nThe Inspectional Services Department (ISD) of the City of Boston \nwill conduct annual egress inspections, and the Boston Fire \nDepartment (BFD) will conduct quarterly inspections to assure \ncompliance with the state codes and fire regulations. ISD shall \nissue certificates of inspection for occupancy annually to schools \nwhich comply. Schools in noncompliance will not be allowed to \nopen until the deficiencies are corrected and a certificate" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "granted. During every school year, ISD building inspections will \nbe conducted annually. However, special inspections can be" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FSE-03 \nPage 2 of 5 \n \n \n \nmade at any time to assure continued compliance. \nThe following guidelines have been mutually agreed upon by the \nISD and the Boston Public Schools and should assist your efforts \nand those of your staff in maintaining compliance. They must be \nadhered to throughout the year, not just at the time of \ninspection. They are as follows: \n1. All paths of egress must be clear of any furniture and \nmaterials. \n2. Materials or equipment cannot be stored under/near \nstairwells or in corridors. \n3. Broken furniture must be discarded and not abandoned in \nthe corridor. \n4. Teaching and learning is NOT permitted in hallways and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "stairwells. \n5. All doors must be clear of artwork/decorations and \nfunctional in case of an emergency. \n6. All fire doors must be kept closed at all times, except when \nstudents are passing between classes or when they have \nbeen modified as part of a new fire alarm system. \n7. NO CHAINS OR PADLOCKS ON ANY DOORS IN ANY \nBUILDING. \n8. Bars, chains, or other restricted operations of doors are not \nauthorized at any time. \n9. Deadbolts or locks may not be used on connecting \nclassroom doors. \n10. Classroom connecting doors can not be blocked (essential \negress)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FSE-03 \nPage 3 of 5 \n \n \n \n11. Papers and art work hanging from light fixtures must be \nremoved. \n12. Using auditorium stages as classrooms is prohibited. \n13. Covering classroom heating systems with combustibles \n(books and papers) is a fire hazard and is NOT permitted. \n14. All electrical and boiler rooms must be locked at all times \nand must not be used for storage. \n15. All fire extinguishers must be charged and have a current \ninspectional tag attached. \n16. All gasoline and flammable liquids must be stored in \nfireproof cabinets. \n17. Corridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "corridor wall space and 20% of classroom wall space. \n18. Stairwells and exit doors shall be clear of all flammable \nmaterials. \n19. Paper materials displayed shall be attached directly to the \nwalls and shall not be permitted to cover an egress door or \nbe placed within five feet of an egress door, unless approved \nby the AHJ. The ONLY things permitted to be posted on or \nwithin 5 feet of a door are (1) evacuation routes and (2) the \nclassroom’s emergency folder/kit (3) the SafeMode window \ncover the classroom utilizes. \n20. All rugs, curtains, and furniture must be certified as fire \nretardant and code compliant. \n21. Only electrical appliances authorized by Facilities" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "Management are permitted." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FSE-03 \nPage 4 of 5 \n \n \n \n22. Snow blowers and lawn mowers are to be run dry of fuel \nafter each use and before being brought into the building. \n23. Classrooms must be kept clean and orderly. \nYour cooperation in maintaining the standards outlined above \nwill ensure a quick and successful certification process." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-03 Building Codes & Fire Regulations", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FSE-03 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management & \nPreparedness \nDepartment: \nOffice of Emergency Management, Safety \nServices \nMailing Address: \n21 Deckard St - Room B28, Boston, MA 02121 \nPhone: \n(857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOR \nName: \nExecutive Director of Facilities Management \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: \n617-635-9135 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nFSE-07 \nVersion 01 \n \n \n \nPUBLIC HEALTH AND WORKPLACE SAFETY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBACKGROUND \nIn the past, concerns have been raised over the potential use of \nthe U.S. Postal Service to conduct bioterrorist activity. In both \nNew York and in Washington D.C., contents of three or four \nenvelopes were tested positive for anthrax. In those cases where \npositive results were recorded, public health authorities dealt \nwith this issue. \nThe purpose of this memorandum is to provide guidelines for the \nhandling of mail in the Boston Public Schools. In providing these" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "guidelines, it is important to note that we have been informed by \nthe Boston Public Health Commission that there have been no \nconfirmed anthrax cases reported in either the Boston Public \nSchools or in the City of Boston. \nYour School Emergency Operations Guide (flip chart) will serve as \nan action reference on this subject. \nGUIDELINES \nThe following guidelines are effective immediately and shall" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FSE-07 \nPage 2 of 9 \n \n \nremain in place until otherwise ordered: \n1. Every responsibility center should assign one person and a \nbackup person to sort and distribute mail. That person shall \nbe supplied with rubber gloves and plastic bags to be used \nat their discretion. Training in the safe handling of mail will \nbe provided. \n2. Techniques for safe handling of routine mail include the \nfollowing: \na. Examine all mail before opening to determine if it is \nsuspicious. \nb. Isolate suspicious mail in a plastic bag. \nc. Open mail with a letter opener over a hard cleanable \nsurface, holding the envelope upright so that the \ncontents will not spill out." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "contents will not spill out. \nd. Examine the inside contents prior to removal. \ne. Never shake or wave any mail or contents of \nletters/packages. \nf. Ensure that food or drinks are not in the area while \nmail is handled. \n3. All mail and packages sent to internal offices/departments \nthrough the courier service should be sealed by the sender \nand the name and return address of the sending office \nclearly marked on the envelope/package. \n4. Characteristics of suspicious letters and packages include \nthe following: \na. No return address. \nb. Return address not matching city/state on the \npostmark. \nc. Stained, discolored mail or mail with an odor. \nd. Excessive postage/excessive weight." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "d. Excessive postage/excessive weight. \ne. Lopsided or uneven envelope/packaging." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FSE-07 \nPage 3 of 9 \n \n \nf. Improper address, illegible or poorly written address. \ng. Mail with visual threats on packaging materials. \nh. Unexpected mail with an international postmark. \ni. Ticking sound. \nj. Any combination of the aforementioned \ncharacteristics. \n5. Suspicious mail or packages should NOT be opened or \njostled. It should be placed in a plastic bag and isolated for \ninspection by the responsibility center manager. \n6. If suspicious mail is already opened, it should be left on the \ndesk/table and should NOT be handled further. It is \nsuggested that it be covered with a plastic trash bag and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "the immediate area closed off. Refer to items 8 and 9 and \nfollow the procedures outlined. \n7. If any powder or suspicious substance spills out of the \nenvelope, cover it, close off and leave the immediate area, \nwash your hands with soap and water and notify your \nresponsibility center manager. \n8. When suspicious mail has been received, the responsibility \ncenter manager should call 911 and notify the \nSuperintendent's Office. Our protocol does not call for \nevacuation of the building unless so directed by public \nsafety officials. \n9. All persons who handled suspicious letters/packages should \nwash their hands with soap and water." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "wash their hands with soap and water. \nAttached for informational and review purposes are public health \nfact sheets prepared by the Boston Public Health Commission. \nPlease keep this memorandum available for reference." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FSE-07 \nPage 4 of 9 \n \n \nATTACHMENT A \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \nANTHRAX \nWhat is anthrax? \nAnthrax is a disease caused by a bacterium called Bacillus \nanthracis. Anthrax most commonly occurs in animals, but it can \nalso infect people. Anthrax has the potential to be used as a \nbiological weapon. In late 2001, terrorism related Anthrax cases \nwere found in Connecticut, New York City, New Jersey, Florida, \nand Washington DC. \nHow is anthrax spread? \nAnthrax can be spread by touching it (when there’s a cut on the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "skin), breathing it in, or eating meat contaminated with Anthrax. \nIt is not contagious. An infected person cannot give it to others. \nWhat are the symptoms of anthrax? \nSymptoms of the disease vary depending on how the disease \nwas contracted, and usually occur within 7 days, but can take up \nto 60 days to appear." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FSE-07 \nPage 5 of 9 \n \n \n• Cutaneous (skin form): Most anthrax infections occur when \nbacteria enter the skin. The infection begins as a raised itchy \nbump that resembles an insect bite, but within several days \ndevelops into a blister. The blister ulcerates and forms a \nblack area in the center. With prompt treatment, the vast \nmajority of people recover fully. \n• Inhalation: Initial symptoms may resemble the flu with \nfever, chills, and muscle aches. After several days, the \nsymptoms progress to severe breathing problems and \nshock. In the past, death occurred 1-2 days after the onset of \nsymptoms. However, during the recent outbreak of anthrax" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "in the United States, with prompt treatment more than half \nof the people who developed inhalation anthrax survived. \n• Intestinal: This form of anthrax occurs from eating \ncontaminated meat. Symptoms include nausea, loss of \nappetite, vomiting, fever, and are followed by abdominal \npain, vomiting of blood, and severe diarrhea. \nCan I acquire anthrax from another person? \nPerson-to-person spread of anthrax is not known to occur. Only \npeople directly exposed to anthrax spores could develop disease. \nIs there an anthrax vaccine? \nThere is a limited amount of anthrax vaccine available in the \nUnited States; however, most people are not routinely vaccinated" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "against anthrax unless they fall into a high-risk group such as \nmilitary personnel. The anthrax vaccine requires 6 shots over a \nperiod of 18 months with follow-up shots. Anthrax vaccines \nintended for animals should not be used in humans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FSE-07 \nPage 6 of 9 \n \n \nIs there a treatment for anthrax? \nDoctors can prescribe antibiotics that work against anthrax. To \nbe effective, treatment should be initiated early. If left untreated, \nthe disease can be fatal. In Massachusetts, all cases of suspected \nanthrax are required to be reported immediately to local health \ndepartments. In Boston, suspected cases should be reported to \nBoston Public Health Commission at 617-534-5611. \nFor more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit http://www.bphc.org" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FSE-07 \nPage 7 of 9 \n \n \nATTACHMENT B \n \nPUBLIC HEALTH FACT SHEET \nCommunicable Disease Control \n1010 Massachusetts Ave, Boston MA 02118 \n617-534-5611 \n \nBIOTERRORISM \nWhat is Bioterrorism? \nBioterrorism is a form of terrorism in which infectious biological \nagents, such as bacteria, viruses, or toxins are used (or are \nthreatened to be used) against another person to create fear and \ndisrupt normal daily activities. Use or threatened use of such \nagents is a Federal crime and is thoroughly investigated by the \nBoston Police Department, FBI, and other agencies. \nWhat is the Boston Public Health Commission doing to prepare" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "for a possible bioterrorist event? \nThe Boston Public Health Commission (BPHC) has been \npreparing for potential bioterrorism for several years. BPHC has \nbeen working with health care providers and others in the city to \ndevelop an early warning system for possible bioterrorist attacks. \nThis system will allow city officials time to implement steps to \nprevent further illness." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FSE-07 \nPage 8 of 9 \n \n \nHow will I know if I have been exposed to an infectious \nbiological agent? \nMost bioterrorist threats to date have been hoaxes, so often \npeople only think they have been exposed to a bioterrorist agent. \nIf you suspect you have been exposed to a biological agent, notify \nemergency personnel immediately by calling 911. Boston Police, \nFire, Emergency Medical Services, and Public Health Commission \nwill work together to collect and identify the suspect material. \nIf I actually were exposed to an infectious biological agent, what \nsymptoms should I look for? \nDifferent viruses, bacteria, and toxins may be used as" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "bioterrorism agents, and each may cause different symptoms. \nOften however, they resemble either the flu or food poisoning. \nPeople who are exposed may experience fever, chills, headache, \nbody aches, and muscle weakness. Others may experience \ncoughing, diarrhea, abdominal cramping, nausea, and vomiting. \nIt is important to remember that these symptoms are common \nof many illnesses and are not usually the result of bioterrorist \nevents. \nHow long would it take for symptoms to appear? \nThe length of time it takes for symptoms to appear can vary \ngreatly depending on the type of agent used. Symptoms can \nappear between several hours to several weeks after exposure." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FSE-07 \nPage 9 of 9 \n \n \nWhat can be done if I am exposed to a biological agent? \nFor many of these agents, treatment is available. However, it is \nvery important for treatment to begin early. Therefore, if you \nsuspect you may have been exposed to one of these agents, see a \nhealth care provider as soon as possible. \n For more information call the BPHC Bioterrorism Information \nLine at 617-534-2362 or visit the Boston Public Health \nCommission, http://www.bphc.org. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management and \nPreparedness \nDepartment: Safety & Emergency Management \nMailing \nAddress:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-07 Public Health & Workplace Safety", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link", + "content": "Mailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: \n(857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFSE-01 \nVersion 01 \n \n \n \nSCHOOL SAFETY CONTINGENCY PLANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nEmergencies happen randomly in time and place, but they can be \nhandled efficiently if you have an adequate school action plan and \nan informed staff. A plan without a crisis is better than a crisis \nwithout a plan. School administrators and staff routinely manage \ncrises efficiently, and a well thought out plan will ensure guidance \nin a major emergency. \nBoston Public Schools is a NIMS (National Incident Management \nSystem) compliance district. NIMS uses a core set of concepts," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "principals, procedures, processes, standards, and terminology that \nmay all be integrated with school emergency management \npractices. This in part means that we use straight language and \nnot codes when emergencies happen. \nWhen developing safety plans, school administrators must \nconsider mitigation/prevention, response and aftermath, and \ncomponents which apply to all emergency preparedness. \nPrevention/mitigation \nstrategies \nare \ndelineated \nin \nrelated \nSuperintendent’s Circulars. Appropriate response will be detailed \nin your School Safety Contingency Plan. Dealing with recovery will \nbe addressed via Special Education and Student Services policies" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "and procedures and support from other BPS departments." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 2:\nSuperintendent’s Circular FSE-01 \nPage 2 of 42 \n \n \nIt is essential that there be a consistent approach to school safety \nplanning throughout the district. This will ensure that each school \nimplements standard procedures in the event of an incident. A \ndefined course of action will also complement the efforts of \nresponding public safety agencies. \nThe issue of school safety planning is regularly assessed. Ongoing \nrisk analyses are conducted, and lessons learned from actual and \nmost probable school incidents are integrated with BPS safety \nprotocols. Although every possible contingency may not be \nidentified in BPS School Safety contingency plan guidelines, your" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "plan should serve as a multi-hazard approach for handling school \nincidents. \nIt is the responsibility of each school administrative head to \nupdate, review with staff and submit their School Safety \nContingency Plan no later than the last week of August each \nschool year. \nThe names of those schools which fail to comply with this directive \nare forwarded to the Superintendent’s Office for appropriate \naction. \nYour School Safety Contingency Plan is to be completed in the \nGoogle doc shared with the school principal/head of school. Please \nuse the original doc to complete your plan. Do not copy and \nshare. It will be automatically saved. You are allowed continuous" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "access to maintain its currency. It is also accessible to the \nSuperintendent’s Office staff and other appropriate BPS central \ndepartments. Boston public safety agencies — police, fire, EMS \nand BOEM — have access to these plans in an emergency. The \nOffice of Emergency Management and Preparedness is available \nas a resource to assist principals/schools leaders, heads of school \nand other administrative heads with access information and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 3:\nSuperintendent’s Circular FSE-01 \nPage 3 of 42 \n \n \ntechnical advice in order to complete their plans. \nINSTRUCTIONS FOR UPDATING AND EDITING SCHOOL SAFETY \nCONTINGENCY PLANS AND FIRE SAFETY PLANS \nThe following is information on how to access and edit your \nbuilding’s School Safety Contingency Plan and the building’s Fire \nSafety Plan. The actual School Safety Contingency Plan for your \nbuilding was shared with you by the Director of the Office of \nEmergency Management and Preparedness or Director of \nTechnology in a Google Doc. Use this Google Doc for all changes \nand updates. Please make all changes in the original doc. Do not \nsave and make changes." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "save and make changes. \n► If you cannot locate your plan, please contact The Office of \nEmergency Management and Preparedness Operations-\nDepartment-Heads@bostonpublicschools.org. \n \nSummary of significant dates and deadlines: \nDate \nActivity \nLast Week in August \nDeadline for completion and submission on Google \nDoc to The Director of the Office of Emergency \nManagement and Preparedness of revised School \nSafety Contingency Plan and review same with \nstaff for this school year. \n \nSECTION I: INTRODUCTION \nThe Boston Public Schools continues efforts to simplify and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 4:\nSuperintendent’s Circular FSE-01 \nPage 4 of 42 \n \n \nstandardize school safety plans throughout the system. It is \nunderstood that each school has its own “safety personality” based \non its construction design, location, number of staff, number and \ngrade level of students, as well as many other characteristics. \nHowever, there are common elements, policies, and procedures \nfor all schools to follow in the event of an incident/crisis. \nThere are five phases of emergency management for school \nadministrators to consider when developing safety plans: \n● Mitigation \n● Prevention \n● Preparedness \n● Response \n● Recovery" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "● Preparedness \n● Response \n● Recovery \nAlthough special emphasis is placed on spectacular and unusual \nincidents by the media, there are many routine types of school \nrelated occurrences that can also be extremely disruptive to a \nschool. \nSchool administrators are called upon to deal with these \nemergencies on a regular basis. In every type of school incident, \nthe first responders and decision makers are school-based staff. \nWhen the scope of an incident escalates beyond the resources \navailable at the school, initial actions taken or not taken by those \nclosest to the event can help or hinder those who will arrive later \nand assume responsibility for resolving the situation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "The intent of these guidelines is to assist school administrators in \ncreating an appropriate working plan that will direct them \nthrough a crisis and expedite the return of their school to its \nnormal operation following that crisis. It is a multi-hazard \napproach to school incident management." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 5:\nSuperintendent’s Circular FSE-01 \nPage 5 of 42 \n \n \nBPS guidelines are based on concepts utilized in an Incident \nCommand System developed by public safety agencies across the \nnation. The following is a brief overview of the Incident Command \nSystem. \nINCIDENT COMMAND SYSTEM \nICS has been modified for our application on the school level to \nmanage any incident/crisis within our capacity and maintain \ncompatibility \nwith \nsupplementary \npublic \nsafety \nagency’s \nemergency plans. \nIn managing any incident/crisis, the paramount objectives for all \nschool staff are to: \n● Ensure safety of all occupants \n● Follow BPS Safety Plan, Safe Mode and/or Fire protocol" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "● Stabilize and resolve the incident when possible \n● Provide support for responding public safety agencies (911 \nand BPS Dispatch 617-635-8000) \n● Protect school property \nThe Incident Command System (ICS) is based on a team concept, \nwhere each team member has specific responsibilities. BPS will \nutilize an on-site team and an off-site team that will focus on \nsecuring the necessary support from internal departments and \nexternal agencies. The information flow is illustrated on the next \npage. \nThe on-site BPS Incident Control team (ICT) team model calls for \nthe following positions: \nSite Incident Control Team \n● Site Incident Control manager (SICM) \n● Risk analyst" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 6:\nSuperintendent’s Circular FSE-01 \nPage 6 of 42 \n \n \n● Safety coordinator \n● Building coordinator \n● Incident scribe \nThe roles, responsibilities and required skills for a successful Site \nIncident Control Team follow: \nSite Incident Control Manager \nGenerally, the site incident control manager (SICM) should be the \nhead of school/principal/director, the individual who has ultimate \nresponsibility for his/her school’s operation. The SICM must have \na clear understanding of the school system’s policies and \nprocedures. The SICM must also be able to make quality \nassessments, communicate well and command others. These are" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "normal functions for a school’s administrator to perform. \nDepending on the severity and tier level of the incident, the SICM \nwill establish a command post at a designated location and \nactivate the school’s internal team. The nature of the incident \ndetermines the configuration of the team. In a large-scale \nincident, the team can be expanded or collapsed as conditions \nwarrant. In a smaller school, one person may perform several tasks. \nIt must be understood that, initially, the SICM may be any member \nof your staff who discovers or is alerted to an incident prior to \nnotification of the head of school/principal/director. \nRisk Analyst" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Risk Analyst \nThe risk analyst will be relied on to assess incurred injuries and \nevaluate medical risks associated with developing and occurring \nincidents. Recommended personnel for this role include the \nschool \nnurse, \nschool \npsychologist, \nand \nstudent \nsupport \ncoordinator. Consideration of a school’s language requirements" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 7:\nSuperintendent’s Circular FSE-01 \nPage 7 of 42 \n \n \nshould also be included in selection of the risk analyst. \nSafety Coordinator \nThe safety coordinator will be called upon to gather occupancy \ninformation and to support efforts to establish control at the \nincident site. Recommended personnel for this role include \nSchool Registrar, School Police Officer, Safety Paraprofessional, \nDean of Discipline, and Transportation Coordinator. Since schools \nvary in size and range of staff, Principals and Headmasters are \nurged to explore their building’s total resources to assist in \nidentifying this team member. \nBuilding Coordinator" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Building Coordinator \nThe building coordinator will meet and direct responding \nagencies to appropriate locations. The building coordinator will \nalso assess building security. Due to familiarity and knowledge of \nthe assigned school and its systems, the senior building custodian \nis the suggested primary designee for this role. \nIncident Scribe \nThe incident scribe will be responsible for documenting the \nchronology \nof \nevents. \n \nThis \nposition \nwill \nrequire \ngood \norganizational skills and willingness to support the rest of the on-\nsite Incident Control Team members. Suggested staff includes the \nschool secretary or the person in your building responsible for" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "organizing student arrival and dismissal. \nSmaller schools with limited numbers of administrators or support \nstaff may find it necessary to have team members perform more \nthan one role. \nClassroom teachers are not recommended as potential members" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 8:\nSuperintendent’s Circular FSE-01 \nPage 8 of 42 \n \n \nof the on-site team. Experience indicates it is best for classroom \nteachers to remain with their assigned classes during critical \nevents. A resource guide for classroom teachers is included in the \nEmergency Response Guidelines. \nCENTRAL INCIDENT MANAGEMENT \nThe BPS adaptation of the Incident Command Structure will \ninclude the establishment of an off-site team that will support the \nefforts of the on-site team. The components of this off-site Crisis \nCommand Team will include Facilities Management, Emergency \nManagement, Transportation, Superintendent’s Office, Student" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Support Services, Safety Services, and other areas that might be \nrequired as incidents evolve. The external team will provide liaison \nsupport to any agency required by a situation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 9:\nSuperintendent’s Circular FSE-01 \nPage 9 of 42 \n \n \nCentral Incident Management Team \nGroup \nPrimary \nPhone \nFacilities Management Executive Director of \nFacilities \n(617) 635-9126 \nBPS Emergency \nManagement \nDirector of \nEmergency \nManagement \n(857) 701-9404 \n(617) 635-6082 \nTransportation \nChief of \nTransportation \n(617) 635-9520 \nBehavioral Health \nServices (BHS) \nChief of Student \nServices \n(617) 635-9676 \nSafety Services \nChief of Safety \nServices \n(617) 635-8000 \n \nSuperintendent’s \nOffice \nDeputy Supt of \nOperations \n(617) 635-9643 \n \nOffice of Technology \nCIO/Director \n(617) 635-9200 \nCommunications \nDepartment \nChief of \nCommunications \n(617) 635-9265" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Chief of \nCommunications \n(617) 635-9265 \n \nIn many instances, this sophisticated level of staffing may not be \nrequired. However, considering identified functions requiring \nperformance in a crisis, the model ICS structure can be modified \nfor a specific application to ensure completion of critical \ncommunications and data sharing tasks. It is important to \nunderstand that the incident command system is driven by \nfunctions being performed and not simply staffing positions." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 10:\nSuperintendent’s Circular FSE-01 \nPage 10 of 42 \n \n \nPUBLIC SAFETY RESPONSE \nShould an incident necessitate a response by non-school \ndepartment public safety resources based on the assessment of \nthe school SICM, they will be met by the building coordinator and \ninformed of the nature of the incident and location of the school \ncommand post. \nShould conditions warrant, public safety personnel might assume \nprimary responsibility and command. The responding public \nsafety officials may activate their own command post, at which \ntime an official from the impacted school may be requested to \ntake a position at that location. \nINCIDENT TYPE AND RESPONSE" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "INCIDENT TYPE AND RESPONSE \nThe BPS adaptation of the Incident Command System calls for \nclassification of an event or developing situations to be \ncategorized by the following tier level concepts. The initial \nassessment must quickly determine if the best response is safe \nmode or evacuation. \nSchool related incidents will be classified according to a level of \nseriousness (Tiers I, II, III). Appropriate school response to these \ntiers would be to initiate emergency procedures, standby or \nmonitor the situation, or introduce proactive measures with \ncareful monitoring of developing situations. The appropriate \nresponse or modes required by the SICM’s evaluation are defined \nas follows:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "as follows: \nTier I – Any Situation That Requires Immediate 911 Response \nTier II – Stand By and Response Planning Mode \nTier III – Proactive Prevention and Monitoring Mode" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 11:\nSuperintendent’s Circular FSE-01 \nPage 11 of 42 \n \n \nDEFINING INCIDENT RESPONSES BY TIER LEVEL \nSituations will be categorized by the Site Incident Control \nmanager (SICM) as a Tier I, Tier II, or Tier III issue. \nTier I – Presents Imminent Danger to Students, Staff, and \nProperty beyond the School’s Ability to Control\n● Bomb threat \n● Fire alarm \n● Armed person on or near \nsite \n● Hostage situation \n● School bus accidents \n● Medical emergencies \n● Hazardous materials \nincident \n● Gas leak \n● Suicide threats \n● Fire \n● Explosion \n● Kidnapping \n● Sexual assault \n● Lost or missing children \n● Violent behavior \n● Psychiatric emergency \n● Chemical spills \n● Natural disasters" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "● Chemical spills \n● Natural disasters\nTier II – Presents Potential Danger to Students, Staff and \nProperty \n● Suicide warnings / signs of depression \n● Weather warnings \n● Environmental issues \n● Facilities failures \n● Increased gang activities \n● Communicable diseases \n● Custody issues \nTier III – Conditions Indicate a Threatening Situation is in \nFormative Stage \n● Sexual harassment \n● Intimidating behavior" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 12:\nSuperintendent’s Circular FSE-01 \nPage 12 of 42 \n \n \n● Increasing levels of vandalism \n● Inappropriate communications \n● Inappropriate internet use \n● Rumors \n● Other incidents that warrant further monitoring \nCRITERIA FOR DEFINING TIER LEVELS \nTier I \nTier I situations present imminent danger to students, staff, \nand property beyond the school’s ability to control and \ntypically involve a 911 emergency response. \nTier I situations require an immediate SICM assessment to \ndetermine the scope of response required, i.e., some \nsituations requiring 911 response may be contained by the \narrival of the appropriate responding 911 unit. For example, a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "relatively small laceration requiring sutures by EMS would \nnot require the same scope of response as a bomb scare that \nrequires evacuation of the building. \nThe traditional response to emergencies that have school-\nwide impact is often limited to school evacuation. These \nguidelines, in response to new dimensions in school safety, \ncall for a determination by the SICM to identify if evacuation \nor safe mode is a component of the response for the situation \nat hand. \nIn the Emergency Guidelines portion of this document, the \nterms Tier I – Red (Safe Mode) and Tier I – Green (Evacuation) \nare introduced to signal the SICM’s assessment to the specific \nsituation at hand." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "situation at hand. \nTier I – (Safe Mode): students and staff staying in place within" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 13:\nSuperintendent’s Circular FSE-01 \nPage 13 of 42 \n \n \nthe building is appropriate. The safe mode may entail locking \nin place or relocation to another part of the building. \nTier I – (Evacuation): evacuation from the building has been \ndetermined as the appropriate response. \nThe use of the terms Tier I – Safe Mode and Tier I – Evacuation \nis limited to Tier I events. \nPlease note that some Tier I (911) situations will not require \nuse of the Red or Green designations; the laceration versus \nbomb scare example illustrates the distinctions that must be \nmade regarding the scope of required response. The location \nof an armed person outside versus inside a building, or a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "hazardous material release near or in the school, illustrates \nthe need for evaluating whether evacuation or a safe mode \nprocess should be implemented. \nThe range of response required must be determined by the \nSICM. The SICM determines if additional resources need to \nbe activated. The SICM also indicates if a Tier I – Evacuation \nor Tier I – Safe Mode situation exists." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 14:\nSuperintendent’s Circular FSE-01 \nPage 14 of 42 \n \n \nTier II \nTier II situations present potential danger to students, staff, \nand property. \nTier II situations indicate that a standby and response-\nplanning \nmode \nis \nrequired. This \nentails \ngathering \ninformation, developing plans, and notifying appropriate \nagencies. \nTier II major situations could include neighborhood fires that \npotentially threaten nearby schools, or transportation \naccidents involving the transport of hazardous materials. A \nless dramatic situation would be a power failure that might \neventually require early dismissal or relocation of students." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "As in Tier I, the SICM determines the scope of response \nrequired. \nTier III \nTier III conditions indicate a threatening situation is \ndeveloping. Collaboration and communication within and \nbeyond the BPS support structure is required to ensure \nappropriate resources are engaged early to minimize further \ndevelopment of the threat. \nPreventative measures, including proactive engagement by \nrequired support functions or intervention by appropriate \nagencies during formative phases, will decrease the \noccurrence of critical incidents within our schools. \nTier III situations are occurring daily throughout BPS schools. \nTier III conditions encompass a broad spectrum of behavioral" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "issues and involve both individuals and groups. Many serious" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 15:\nSuperintendent’s Circular FSE-01 \nPage 15 of 42 \n \n \nsafety incidents are preceded by actions that should raise \nflags. For example, the appearance of gang related clothing \namong students indicates the need for conversations with \ngang intervention personnel. Suspicion of abuse or neglect, \nor the observance of depression warning signs in individuals, \nrequires follow up by Student Support staff and possibly the \nengagement of external support providers. \nTier III conditions are likely to be first observed by classroom \nteachers who become aware of behavior that warrants \nfurther monitoring. \nObservation and communication of Tier III situations, which" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "receive prompt application of Safety Services and Student \nSupport Services prevention practices and our expanded \nsupport resources, offer the greatest area for positive impact \nto our school safety environment. \nWhen members of the onsite Incident Control Team are \ninformed or observe a Tier III situation, the SICM will identify \nand contact the appropriate resources. \nSECTION II: GUIDELINES \nInitial School Actions \nAn individual discovering or receiving information about an \nincident will make a quick assessment and determine if an \nimmediate 911 contact is required. If the assessment indicates that \n911 supports are required, that individual should contact 911 and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "then proceed to notify the Site Incident Control manager (SICM). \nFor all other situations, the SICM will make the initial assessment \nand then notify the onsite Incident Control Team (ICT) of the \nsituation. The SICM will also initiate contact with other required" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 16:\nSuperintendent’s Circular FSE-01 \nPage 16 of 42 \n \n \nsupport groups as required. While awaiting the arrival of \nrequested support, the SICM and ICT will use those critical minutes \nto initiate the following eight steps: \n1. Classify the tier level and determine the appropriate response \nmode: \na. Contact 911 \nb. Stand-by and response planning \nc. Proactive prevention and monitoring \n2. Implement evacuation or safe mode decision \n3. Establish communications \n4. Identify the danger zone \n5. Identify and request needed resources \n6. Open a command post \n7. Activate staging areas \n8. Compile occupancy data \nFurther details for Steps 1-8 above are as follows:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "1. Classify the Tier level. \n● Tier I: \nAny situation that requires a 911- assistance mode \nalso requires that the need for an evacuation or \ncontainment response be assessed. \n● Tier II: Standby and appropriate response planning mode. \n● Tier III: Proactive / prevention and monitoring mode. \nExamples of specific tier incidents are included in the \nintroduction section. \n2. Implement Evacuation or Safe Mode Procedures. \nEvacuation — Based upon assessment and policy, the SICM \nwill determine the need for evacuation. If evacuation is \nwarranted, it will begin upon the communication of a \npredetermined signal (fire alarm, intercom, bell, buzzer," + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 17:\nSuperintendent’s Circular FSE-01 \nPage 17 of 42 \n \n \nother). All building occupants will respond to this signal and \nimmediately evacuate according to prescribed routes. \nNotification procedures for Tier I – (Evacuation) should be \nentered in the computerized School Submittal Section of \nyour (Step I, section d) school safety plan. \nEach school must have established primary and secondary \nevacuation routes \nto \nbe followed \nduring \ndrills \nand \nemergencies. Evacuation routes, which are also an element \nof your Fire Safety Plan, should be inspected prior to \nutilization and the appropriate one determined during \nassessment of the situation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "assessment of the situation. \nAssembly areas must also be predetermined for all school-\nbuilding occupants upon their exiting the school. This is a \ncritical time during an emergency, and student / staff \naccountability measures must be accomplished at this \npoint. Evacuation may be to a primary, secondary, or to your \noff-site (alternate) location(s). These locations require \nassessment during plan development, and at the time of the \nincident, to ensure adequacy. This information will be \nentered in the computerized School Submittal Section (Step \nI, Section B) of your school safety plan. \nSafe Mode — Safe Mode is an alternative response to" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "evacuation procedures. Notification procedures (Safe Mode) \nshould be entered in the computerized School Submittal \nSection (Step I, Section D) of your school’s safety plan. \nGenerally, evacuation to the outside has been our immediate \nresponse to an emergency signal. Post incident analyses of \nserious incidents that have occurred across the country \nindicate that evacuation is not always the safest response to \na situation. Again, based upon assessment and policy the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 18:\nSuperintendent’s Circular FSE-01 \nPage 18 of 42 \n \n \nSICM will determine the need for safe mode. \nSafe Mode would commence upon a predetermined \nnotification procedure. Those contained or relocated will be \ndirected to that identified site (a room number, common \narea, floor, other) and securing the location where you find \nyourself (and those for whom you are responsible) or securing \nthe place to which you may be relocated in an emergency. \nThis may simply require locking a door. Again, these are \ncritical \ntimes \nin \nan \nemergency \nand \nstudent/staff \naccountability measures must be accomplished at this point \nby SICM in accordance with school safety plans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "3. Establish communications. Each school will have in place a \nmeans and procedures for communicating in an emergency \nwithin their school and to outside public safety agencies. All \ncomponents of this process are required as part of your \nschool submission. This would also identify those assigned \ntelephones or radios and individuals tasked with making \nnecessary notifications. \nThe individual discovering or receiving initial information \nabout an incident is responsible to make a quick assessment \nand take the following steps: \na. Life threatening situation(s) require immediate 911 \nnotification. To notify public safety (police, fire, EMS) call" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "911 via any available telephone. A Fire Alarm pull station \nis to be used in the event of a fire related incident with a \nback-up telephone call to 911 or (617) 343-2880. \nRemember that activating a pull station will summon \nemergency \nassistance \nbut \nwill \nalso \ninitiate \nan \nevacuation that may not be appropriate for the \nsituation." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 19:\nSuperintendent’s Circular FSE-01 \nPage 19 of 42 \n \n \nb. The discoverer will then inform the SICM or an on-site \nIncident Control Team member of the situation. \nc. The SICM or available ICT member will classify the \nincident Tier level and assume management of the \nsituation. \n4. Identify the danger zone. In the assessment phase the best \nmeans of separating students/staff from any threat must be \ndetermined. This may be accomplished by building \nevacuation \nor \nimplementing \ncontainment/lockdown \nprocedures. A perimeter should be established and secured \nto keep students/staff away from the danger zone and in a \nsafe area. Moving people away from the threat, isolating and" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "securing the affected area, and restricting access to non-\nemergency personnel are techniques to separate the threat \nfrom students and staff. \n5. Identify and request needed resources. As early as possible, \nthe SICM must try to assess what resources are needed to \nmitigate the crisis and request those resources be made \navailable. Support may come from the Central Incident \nManagement Team or from outside sources. The extent of \nrequired resources will be initially identified during the \nincident tier classification phase. Supplementary resources \nmay be requested by follow-on agencies. \n6. Open command post. The SICM should open a command" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "post as soon as possible in the event of an incident. It should \nbe in a spot outside the danger zone from which the SICM \ncan effectively manage the incident. The command post \nmust have communications capability in order that the SICM \nhas access to internal team members as well as public safety \nofficials and the Central Incident Management Team. There \nshould be a level of security for the command post to prevent" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 20:\nSuperintendent’s Circular FSE-01 \nPage 20 of 42 \n \n \nunnecessary interruptions by people not involved in the \nresponse, such as the media, parents, and onlookers. Safety \nplans and school records must be available at this location. \nLocating primary and secondary command posts ahead of \ntime allows you to quickly open a command post whenever \nit is needed. You can predetermine sites because generally it \nis not important that you have a view of the danger zone. \nMany managers want to manage what they can see, but in a \nmajor critical incident the SICM must manage the entire \nscene, not just the source of the event. It is suggested that" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "primary and secondary sites be at opposite ends of the \nbuilding. Just because you have predetermined sites does \nnot mean you are locked into using them. As the SICM, you \nmay be dealing directly on location at the source of the issue. \n7. Activate staging areas. As with the command post, the \nstaging areas should be predetermined and located outside \nthe danger zone in an area that can be secured. In the event \nof a major school incident, separate staging areas should be \navailable for injured and ill persons, parents, and media \nrepresentatives. Directing members of these groups will be \na function of the Incident Control Team building coordinator." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "8. Compile occupancy data. As stated throughout these \nguidelines, student/staff accountability is essential in an \nemergency. The following can be used to compile occupancy \ndata in an emergency: \n● Daily class/student rosters \n● Daily staff/ employee/visitor sign-in sheets \n● Absentee list (students, staff, employee) \n● Field trip rosters \n● Current emergency information cards \n● Locker assignment list" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 21:\nSuperintendent’s Circular FSE-01 \nPage 21 of 42 \n \n \n● Known restraining orders \n● Photo identification \n● Schedules \n● School bus assignments \nAny roster should be completed, as early as possible each day, \nin a form that can be readily taken from the building during an \nemergency. Special attention should be given to document \nnames of any student/staff member who is transported from \nthe school or released to a parent. Particular attention should \nbe paid to ensure the location(s) of any student(s) or staff \nmember that is (are) physically or visually impaired is known. \nSECTION II: OVERVIEW \nThe above 8 steps are tailored to directly address Tier I situations." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "However, several of the steps are relevant to Tier II and Tier III \nincidents when applied to longer timelines. Tier II, requiring \nstandby and response planning, might utilize steps 3, 4 and 5 \ninitially, and depending on the situation may entail use of the \nremaining steps. \nTier III events that occur over longer time periods would still \nrequire that communication and identification of appropriate \nproactive preventative measures be developed. \nCommon sense prevails throughout these guidelines. Those of us \nin the schools understand that it is better to have a plan and no \ncrisis than to have a crisis and no plan. \nThese basic guidelines are not expected to cover every" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "contingency. However, application of these simple steps will \nprovide a consistent approach to handling any school incident. As \npreviously stated, the severity and your professional assessment of \nthe incident will determine the scope of response." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 22:\nSuperintendent’s Circular FSE-01 \nPage 22 of 42 \n \n \nSchool administrators and staff routinely implement some form of \ncrisis response management during the discharge of their duties. \nThe intent of the guidelines is to provide a flexible structure that \nwill assist you in managing your response. \nThe following pages contain an Emergency Response Guide to \nassist your handling of various situations. It is designed for use as \na handout for your Site Incident Control Team. Included in the \nGuide is a section designed specifically for classroom teachers. \nThe final section of this booklet is a hardcopy of information that" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "you will be asked to compile. The actual method of collection will \nutilize a Google document developed by the Office of Information \nServices. The information submitted by your school will be stored \nin a consolidated database that will be reviewed and updated on \nan annual basis. \nSECTION III: EMERGENCY RESPONSE GUIDE \n1. ASSESSING THE EMERGENCY RESPONSE \nThe site incident control manager must identify and \nimplement appropriate response." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 23:\nSuperintendent’s Circular FSE-01 \nPage 23 of 42 \n \n \nSAFE MODE IF: \nEVACUATION IF: \nThe situation presents a threat of \nillness, injury or death to persons \nmoving in, around, or about the campus \nand it is determined that Safe Mode \nwill provide a greater level of safety for \nthose persons. \n● Riot \n● Shooting \n● Hazardous Material Spill \n(Outside) \n● Hostage Situation \n● Suicide \nThe situation presents a threat of \nillness, injury or death to persons \nremaining inside a building and it is \ndetermined that evacuation will provide \na greater level of safety for those \npersons. \n● Fire \n● Explosion \n● Hazardous Material Spill (Inside) \n● Hostage Situation \n● Bomb Threat" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "● Hostage Situation \n● Bomb Threat \n● Gas Leak \n \n2. SAFE MODE — PERSONNEL ASSIGNMENTS \nAll students are to remain contained until emergency \nresponders advise otherwise. \nThe following is a list of recommended assignments for \nfaculty/staff members during a crisis requiring containment. \n* Asterisks denote Site Incident Control Team members. * \n \n* Principal/Assistant Principal (Site Incident Control Manager \n- SICM): Initiate safe mode. Safely monitor situations with \navailable resources. Identify and contact appropriate \nemergency responders and BPS support staff." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 24:\nSuperintendent’s Circular FSE-01 \nPage 24 of 42 \n \n \n* Nurse (Risk Analyst): Set up staging area for ill and injured \npersons and administer initial first aid. Keep ill people \n(overcome with stress and excitement) separate from the \ninjured. \n* Registrar \n(Safety \nCoordinator): \nGather \noccupancy \ninformation, present occupancy information to Emergency \nResponders. Use an alternative if school does not have a \nregistrar. \n* Secretary (Incident Scribe): Continue 911 contact and remain \non the telephone. It is imperative that emergency \nresponders maintain communication with someone inside \nthe school. Use an alternative if necessary." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "the school. Use an alternative if necessary. \n* Custodian (Building Coordinator): Close and lock all \nentry/exit points. Stand by to assist emergency responders \nwith accessibility to mechanical rooms. \nClassroom Teachers: Contain students. Keep classroom \nrosters. Teachers in possession of cell phones should activate \ntheir phones. Teachers should prepare students to follow \nfurther instructions. \nAssistants: Teachers on administrative duty or P&D periods \nshould assist Incident Control Team (ICT) by checking the \nbuilding for unattended students and moving them to \nsupervised locations. Assistants should be posted at \nentry/exit points to ensure that no one leaves the building" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "and that only Emergency Responders enter the building. \nVolunteers: Report to office and be available to follow \ninstruction. \nCafeteria Staff: Close and contain cafeteria and kitchen. Shut \noff appliances and remain in kitchen." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 25:\nSuperintendent’s Circular FSE-01 \nPage 25 of 42 \n \n \n3. SAFE MODE PROCEDURES \nIncident Control Team: \n1. Call 911 – Advise reason for safe mode and stay on the line. Do \nnot hang up. 911 dispatchers will route the call to the \nappropriate agencies. \n2. Communicate to all staff that a Safe Mode situation exists and \nbegin safe mode process. \n \n3. All school personnel will assume their specific assignments \nlisted herein, exercising flexibility where needed to promote \nthe safety of all persons. \n4. Staging areas should be set up separately for 1.) injured and \n2.) ill persons. \n5. During safe mode, no one except emergency responders or" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "their designees will be permitted to enter, exit, or move about \nthe campus. \n6. As additional emergency responders become available, they \nwill assume some of the posted assignments to relieve school \npersonnel. \n7. Ending the Safe Mode Status: When it has been determined \nby the emergency responders and the principal that \nconditions are safe to resume normal activities, the principal \nshall make an announcement via the P.A. system or send a \nmessenger to advise each classroom. \n4. EVACUATION PROCEDURES \n1. Call 911. \na. Advise reasons for evacuation and stay on the line if safe \nto do so. Do not hang up. \nb. 911 dispatchers will route the call to the appropriate \nagencies." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "agencies. \n2. Start evacuation procedures according to normal fire drill" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 26:\nSuperintendent’s Circular FSE-01 \nPage 26 of 42 \n \n \nprocedures. Communicate to staff that a TIER I – GREEN \nsituation exists and begin the evacuation process. \n3. If the threat of an explosion is present, or a hazardous \nmaterial spill has occurred, it may be necessary to move \nthe students farther than a normal evacuation distance. \n \n4. Teachers: Bring roll book. It will be necessary to keep a \nroster of all students moved. Each teacher will be \nresponsible for his/her class. The ICT safety coordinator will \norganize any dismissal of students. The release of each \nstudent must be documented. \n5. Staging areas should be setup separately for:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "5. Staging areas should be setup separately for: \na. injured \nb. ill persons \nc. parents \nd. media \n \n6. Students and employees with special needs may require \nassistance. Paraprofessionals assigned to students and \nstaff will remain with their assignments throughout the \nduration of the incident. \n7. Ending the Evacuation Status: When it has been \ndetermined by the emergency responders and the SICM \nthat conditions are safe to resume normal activities, the \nSICM shall inform staff that it is safe to reenter the building. \nSECTION IV: SCHOOL SUBMITTAL SECTION \nThis is a mockup of the information you will submit via the BPS" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Intranet. Please note the Intranet version will have a different \nappearance. \nSTEP I: \nPlease input the following information. \n▪ School Name: \n▪ Building Name:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 27:\nSuperintendent’s Circular FSE-01 \nPage 27 of 42 \n \n \n▪ Address: \n \n▪ Principal/Head of School: \n▪ Telephone Number: \n▪ Fax Number: \n \n \na. Identify primary and secondary command post locations: \n \nPrimary Location \nSecondary Location \nRoom Name \n \n \nRoom Number \n \n \nPhone Number \n \n \n \nb. Identify primary and secondary external assembly areas: \nPrimary Location \nSecondary Location \n \n \n \nc. Identify primary and secondary alternate school-site \nlocations: \nPrimary \nPhone \nSecondary \nPhone \n \n \n \n \nd. Identify your internal communications method(s) that your \nsite will use to alert staff to the implementation of a Tier I \n(Evacuation) and a Tier I (Safe Mode) response:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 28:\nSuperintendent’s Circular FSE-01 \nPage 28 of 42 \n \n \nTier I – Evacuation \n \nTier I – Safe Mode \n \nSTEP II: Identify members of your on-site incident control team. \nTitle \nPrimary \nAlternate \nResponsibility \nSuggested \nStaff \nSite Incident \nControl \nManager \n(SICM) \n \nEnter Private \nPhone Line, \nCell Phone #, \nOther Phones \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nDetermine Tier level \nof event and contact \nresources required to \naddress the situation, \noverall management \nof school students \nand staff, and \nensures that \nsuperseding agencies \ndirectives are \nfollowed \nPrincipal as \nPrimary; \nAP or other \ndesignee as \nAlternate \nRisk Analyst \nName: \n \n \nPhone #s: \nName:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Risk Analyst \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nAssess injuries and \nmedical risk analysis \nNurse – Primary; \nStudent Support \nCoordinator or \nLanguage \nAppropriate \nIndividual – \nAlternate" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 29:\nSuperintendent’s Circular FSE-01 \nPage 29 of 42 \n \n \nTitle \nPrimary \nAlternate \nResponsibility \nSuggested \nStaff \nSafety \nCoordinator \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nGather occupancy \ninformation, support \nefforts to establish \ncontrol \n \nBuilding Registrar \nor equivalent \nBuilding \nCoordinator(s) \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nAssess building \nsecurity, meet \nresponding agencies, \nand direct them to \nappropriate \nlocation(s) \nSchool Custodian \nand School Police \nOfficer (if \navailable) \nIncident \nScribe \nName: \n \n \nPhone #s: \nName: \n \n \nPhone #s: \nLog chronology of \nincident \nSchool Secretary – \nPrimary \nTransportation \nCoordinator \n \nSTEP III:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Transportation \nCoordinator \n \nSTEP III: \nBuilding Characteristics \nPlease indicate if your site includes any of the areas listed below" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 30:\nSuperintendent’s Circular FSE-01 \nPage 30 of 42 \n \n \nin the second column. The third column should identify the \nlocation of the respective areas, as well as any other information \nrequested in the third column. \nCommon Areas \nDescription \nYes/No \nIf Yes, List Location \nAuditorium \n \n \nBoiler Room \n \nAlso identify if gas or oil is used. \nCafeteria \n \n \nComputer Lab(s) \n \n \nFire Escapes \n \n \nGymnasium \n \n \nHazardous Materials \n \n \nHealth Center \n \n \nLibrary \n \n \nLoading Dock \n \n \nNurses Office \n \n \nOut Buildings \n \n \nPlayground \n \n \nRamps \n \n \nUtility room \n \n \nList Others \n \n \n \n\n\nPage 31:\nSuperintendent’s Circular FSE-01 \nPage 31 of 42" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 32:\nSuperintendent’s Circular FSE-01 \nPage 32 of 42 \n \n \nDoes your building have the following? \nDescription \nYes/No \nIf Yes, List Location \nAttic/Penthouse \n \nIndicate entry points on floor plans \nBasement or crawlspace access \n \nIndicate entry points on floor plans \nCommunity Center \n \n \nElevators \n \n \nFire Safety Systems \n \n \nGrounds Maintenance \n \nIdentify chemical storage area(s) \nKitchen Area \n \nDescribe type of kitchen facility: \nsatellite, full service, other \nMotion Detectors \n \n \nPull Stations \n \n \nSecurity Systems \n \n \nSwimming Pool \n \n \nVocational Shop Area \nCompressed gasses present? (1) \nLiquid fuels present? (2) \n(1) List \nhere \n \n \n(2) List \nhere" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "(1) List \nhere \n \n \n(2) List \nhere \n \n \n \nIf the school has a vocational area, please \nindicate location on floor plans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 33:\nSuperintendent’s Circular FSE-01 \nPage 33 of 42 \n \n \nSTEP IV: \nOccupancy Information \nThe purpose of this section is to assist authorities in determining \nif a building evacuation is complete or to provide information \nregarding numbers of persons within the building. \nDescription \nNumbers \nAdditional Information / Comments \nTotal Enrollment \n \n \nTotal Staff \n \n \nFor students/staff with disabilities (visual, hearing, mobility, \nmedical, other) please provide all pertinent information required \nfor assistance in an emergency. (Please use the space below.) \n \nPLEASE NOTE: Information in the blocks below should be \nsupplied to authorities when emergency events occur. Please" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "develop appropriate measures to ensure that accurate and \ntimely headcount information is available. \nDescription \nNumber \nVisitors \n \nStudents off site (field trips, etc.) \n \nStaff off site (training, etc.) \n \nOther (list)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 34:\nSuperintendent’s Circular FSE-01 \nPage 34 of 42 \n \n \nSTEP V: \n \nList Communications Equipment \nPlease fill in categories as appropriate. \n1. Mobile Communication Devices \nDescription \nYes / \nNo \nQuantity \nAssignee \nList Appropriate \nNumbers \nStatus: \nO=Operational \nN=Non-operational \nNextel \nCell Phone \n2 Way Radio \n \n \n \n \n \nAT & T Ericsson \nCell Phone \n \n \n \n \n \nOther Cell Phones \n \n \n \n \n \nBeepers/Pagers \n \n \n \n \n \n2. Portable Radios \nDescription \nYes / \nNo \nQuantity \nAssignee \nList \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-operational \nSafety Staff Two-\nWay Radios \n \n \n \n \n \nIn-House \nTwo Way Radios \n \n \n \n \n \n \n3. Stationary Communications" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 35:\nSuperintendent’s Circular FSE-01 \nPage 35 of 42 \n \n \nDescription \nYes / \nNo \nQuantity \nAssignee \nList \nAppropriate \nNumbers \nStatus \nO=Operational \nN =Non-\noperational \nIntercom System \n \n \n \n \n \nPA System \n \n \n \n \nHouse Phones \n \n \n \n \n \nList Others \n \n \n \n \n \n \n4. Telephone Information \nDescription \nAssignee \nRoom \nNumber \nPhone # \nMain Phone \n \n \n \nPrincipal’s Office \n \n \n \nGuidance Office \n \n \n \nCustodian’s Office \n \n \n \nNurse’s Office \n \n \n \nETF’s Office \n \n \n \nStudent Support \nCoordinator’s Office \n \n \n \nSwimming Pool \n \n \n \nSafety Officer/Para" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 36:\nSuperintendent’s Circular FSE-01 \nPage 36 of 42 \n \n \nDescription \nAssignee \nRoom \nNumber \nPhone # \nPay Phone(s) \n \n \n \nPhone System - Extension \n \n \nPhone System - Extension \n \n \nE-Mail Address \n \n \n \nFax Machine(s) \n \n \n \nList All Direct Lines \n \n \n \n \nSTEP VI: Floor Plans / Specific Site Information \nThe following areas should be indicated on floor plans. Facilities \nManagement personnel will complete this section as noted in \nSuperintendent’s Circular FSE-01 School Safety Contingency Plan. \n● Electrical Control Rooms And Panels \n● Utility Access/Controls \n● Classrooms/Labs \n● Interior Maintenance Areas \n● Engineering And Boiler Room Areas \n● Vocational Shop Areas" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "● Vocational Shop Areas \n● Swimming Pools \n● Grounds Maintenance Storage Areas \n● Kitchens And Food Storage Areas \n● Fire Standpipes And Sprinkler Connections \n● Roof Access, Include Skylights And Indicate Whether Or Not \nOperable \n● Domestic Water Controls \n● Basement Or Crawlspace Access" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 37:\nSuperintendent’s Circular FSE-01 \nPage 37 of 42 \n \n \n● Indicate Which Walls Are Solid Masonry \n● Indicate Which Walls Are Framed Drywall \n \nFor building systems, assess and indicate on the floor plans, the \nfollowing: \n● Heating, ventilation, and air conditioning (HVAC) systems \n● Location and accessibility of air intakes \n● Filtration media location and accessibility \n● Shutdown procedures \n● Plumbing drainage \n● Fire sprinkler systems – emergency chemical \ndecontamination use \n● Natural gas – use locations and shutoff(s) \n● Potable water – access to water supply \n● Electrical access/shutoff \nSCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 85, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "SCHOOL SAFETY / CONTINGENCY PLAN CHECKLIST \nThe following is a list of items which should serve as a guide and \nchecklist as you review and revise your School Safety / \nContingency Plan. These steps are essential to finalize your plan \nas complete, current, and ready in the event of an emergency. \nPlease insert this checklist in your School Safety Plan book for \nreference. \n● Command Post Locations: Are they located too close \ntogether as opposed to being appropriately separate for \nindependent operations? \n● Assembly Areas: Are they separate and distinct with your \nsecondary location at a further distance away from the \nschool?" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 86, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "school? \n● Alternate Sites: Are they realistic with accommodations to" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 87, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 38:\nSuperintendent’s Circular FSE-01 \nPage 38 of 42 \n \n \nhouse all students expected to be relocated? Have prior \nagreements been made with the Alternate Site host if these \nlocations are not BPS properties? Will transportation be \nrequired to relocate? Will dismissal of students in \naccordance with School Department policy be a more \npractical option on the high school level? \n● Internal Communications: Has consideration been given to \nthe use of a system (examples: public address, intercom, \nbell, messenger, school phones, portable radios), rather than \nthe fire alarm for evacuation? Keep in mind that sounding \nthe fire alarm without other instructions will initiate a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 88, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "routine evacuation. This may take building occupants \nthrough or to an unsafe area. Safe Mode notification would \nbe made via one of the examples given above. \n● Incident Control Team: Have responsible members of your \nschool-based staff been identified for all \npositions/functions? Have these designated staff members \nbeen briefed on their duties? \n● Facility Components: There may be a need for a more \ndetailed explanation rather than simply some specifics (e.g., \nliquid fuel – gasoline for snow blowers is kept in an \napproved cabinet in the custodian's office, and security \nsystem – motion detectors in corridors and stairwells." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 89, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "● Disability Information: Have all persons in your building \nneeding assistance during an evacuation been identified? \nHave accommodations been made for safe refuge/ \nevacuation of students/staff requiring assistance in your \nschool’s evacuation plan? \n● Communications Equipment and Telephone Information: \nHave all available means of communication between \nidentified and portable telephones and radios been" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 90, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 39:\nSuperintendent’s Circular FSE-01 \nPage 39 of 42 \n \n \nassigned to staff in accordance with your plan? Has school \nemail address been included? Have you included Nextel \ndirect radio numbers? \nFIRE SAFETY PLAN SECTION \n● Primary Entry for Fire Department: Is this the location of \nyour fire alarm control panel (annunciator)? Is this your \nstreet address? \n● Egress: Are exit doors unlocked from the inside during \noperating hours? \n● Records/Documentation: Suppression system test \ncertification applies to kitchen hood extinguishing system. \n● Evacuation Matrix: Is there an exit identified for each \nclassroom, office, and common area? Do you have a “hard" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 91, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "copy” of your evacuation plan included with your school \nplan? Are prescribed evacuation routes posted for all \nbuilding occupants? \n● Primary/Secondary Refuge: These are approved locations \ninside the building where mobility impaired occupants \ncould safely await evacuation. Are they identified for each \nfloor? \n● Training/Orientation: Are all members of the school staff \nfamiliar with details and operation of your school plan? Has \nthe school plan been practiced? Is the plan updated as \nneeded? Have staff signed off on their training? Is this \ndocumentation maintained with your plan? \nACKNOWLEDGEMENTS \nThe following is a list of publications and agencies that assisted in" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 92, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "the development of the Boston Public Schools Safety" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 93, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 40:\nSuperintendent’s Circular FSE-01 \nPage 40 of 42 \n \n \nContingency Plans: \n● Emergency Response Guides, San Antonio Independent \nSchool District \n● Massachusetts Emergency Management Agency (MEMA) \n● Bristol County Sheriff’s Office, “Safe To Learn” \n● Federal Emergency Management Agency (FEMA) \n● Massachusetts Executive Office of Public Safety, School \nEmergencies; Community Pre-Planning Guide \n● Laboratory at Brown University, Crisis Planning \nManagement \n● Massachusetts Office of the Attorney General, Guidelines for \na Crisis Management Plan \n● U.S. Department of Education \n \n \n \n \n \n \n \n \n \n \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-01 School Safety Contingency Plans", + "chunk_id": 94, + "uri": "https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V", + "content": "Page 41:\nSuperintendent’s Circular FSE-01 \nPage 41 of 42 \n \n \nOwner: \nDirector of Emergency Management & Preparedness \nDepartment: \nOffice of Emergency Management, Safety Services \nMailing Address: \n205 Townsend Street Boston, MA 02121 \nPhone: \n (617) 635-6082 or (857) 701-9404 \nEmail: \nOperations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \nSee template below to be used in classrooms to post evacuation routes \n \n(Updated 7.16.2024)\n\n\nPage 42:\nSuperintendent’s Circular FSE-01 \nPage 42 of 42 \n \n \nEMERGENCY EVACUATION \n \nROOM ______ \nLEAVE ROOM, GO ______ \nUSE STAIRWAY ______ \nEXIT # ______" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFSE-02 \nVersion 01 \n \nFIRE SAFETY PRACTICES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAs we begin another school year, it is essential that we review and \nupdate \nfire \nprevention, \nlife \nsafety, \nand \nevacuation \nplans/procedures in all our schools. Accordingly, appropriate \ncommunications \nand \ncooperation \nwith \nFire \nDepartment \nauthorities is imperative. The Boston Fire Department and The \nOffice of Emergency Management and Preparedness cite specific \nareas of concern and responsibility in this directive, which must be \nbrought to your attention." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "brought to your attention. \nThe following fire safety practices should be incorporated into \nthe fire safety section of your school safety/contingency plan: \nA fire safety checklist (Attachment A) must be completed and \nreadily available in the main office along with appropriate \ndocuments including: fire drill reports, fire alarm tests, * fire \nsprinkler system test, fire extinguisher location document, * fire \npump test, AED location, a copy of most recent BFD quarterly \ninspection report, and Certificate of Occupancy. \nNOTE (*) if applicable: \nThe Boston Fire Department has directed that school officials \ndesignate a member of their school safety team to report to the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FSE-02 \nPage 2 of 15 \n \nmain entrance of the school to meet and direct arriving fire \ndepartment and other public safety personnel in an emergency. \nThis individual is identified as the building coordinator position in \nyour school safety plan and is usually the school custodian. \nThe building coordinator should be familiar with this circular, your \nbuilding and fire safety reports, and your fire safety checklist; know \nthe location of fire notification and extinguishing systems; and \nhave access to all areas. Your plan must also identify an alternate \nperson to perform this role in the event your custodian is not \navailable. \nFIRE ALARMS" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "available. \nFIRE ALARMS \nAll fire alarm systems must be maintained in working order at all \ntimes. It is important to remember that the sounding of any fire \nalarm box automatically transmits a signal to the Fire Alarm Office, \nwhich simultaneously dispatches fire apparatus to the school. \nFire Department regulations and Mass. General Law Chapter 268, \nSection 32 prohibits the shutting off or tampering with any fire \nalarm system unless directed to do so by the Fire Department. Any \ndeficiency or trouble noted with the fire alarm system must be \nreported immediately to Facilities Management/Fire Alarm \nDivision at 617-635-8300." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Division at 617-635-8300. \nUpon the evacuation of a school building because of an alarm, no \nperson or persons shall re-enter the building without the \nauthorization of the fire officer in charge. The principal/head of \nschool, site coordinator or designee must, as a part of their fire drill \nprocedures, establish a command procedure for such evacuations. \nUpon the sounding of a fire alarm, approved evacuation" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FSE-02 \nPage 3 of 15 \n \nprocedures for all building occupants are to be followed \nimmediately, as well as a verification call made to the Fire \nDepartment at 911 or 617-343-2880. \nUpon arrival, the Boston Fire Department will exercise its authority \nto order all measures that are deemed necessary for the protection \nof persons and property. This authority includes building \nevacuation and reentry. \nDOOR LABELS, NUMBERS OR LETTERING SHALL NOT BE \nREMOVED OR CHANGED \nThe interior and exterior doors that are numbered within Boston \nPublic Schools should not be removed or changed by anyone \nexcept for members of the BPS Facilities Management Team. The" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "numbers and letterings are crucial to Boston Police, Boston Fire \nand Boston EMS that will need to respond to your school building \nfor an emergency. \nAny changes to the numbering or lettering within your school \nbuilding could disrupt any evacuation or safety plans that already \nexist within the school. \nThe existing room numbers are also associated with the school’s \nAsbestos Hazard Emergency Response Act (AHERA) Management \nPlan and the Indoor Air Quality (IAQ) sensors. \nIf your school is missing any room numbers or lettering, please \nsubmit a work order to the Facilities Management Team to ensure \nany issues are resolved before the start of the school year. \n \nMEANS OF EGRESS" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "MEANS OF EGRESS \nDesignated exits in every school must be maintained as means of" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FSE-02 \nPage 4 of 15 \n \negress. \na. Means of egress must be kept free and clear at all times. \nb. The use of chains, ropes, bars, so-called \"dutch locks,\" or any \nother unauthorized device that would impede egress is \nprohibited during times when school buildings are occupied. \nc. No exit door which is intended to be kept closed shall be \nblocked open, and no device or arrangement shall be used to \nprevent a door designed to be self-closing or automatic-\nclosing from functioning as intended. Use of wedges to hold \ncorridor and stairwell doors open is prohibited. \nd. Interconnecting doors between rooms must be clear and free" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "of any locks. Fire and smoke doors are not to be propped \nopen with wooden wedges or any other means. This is an \nillegal practice and prohibited in all schools. \nFIRE DRILLS \nAll schools shall conform to the following fire drill regulations: \na. The responsible school administrator in charge of the school \nshall formulate a plan for the protection and evacuation of all \npersons in the event of fire or other emergency and shall \ninclude alternate means of egress for all persons involved. \nSuch a plan is to be developed in consultation with \nappropriate representatives of the Boston Fire Department \nand \nBPS \nDirector \nof \nEmergency \nManagement \nand \nPreparedness." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "of \nEmergency \nManagement \nand \nPreparedness. \nb. The principal/head of school, site coordinator or designee \nshall see that each staff member receives and understands \nproper instructions on the fire drill procedure specified for \nthe room or area in which that person carries out their duties" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FSE-02 \nPage 5 of 15 \n \nbefore they assume such duties. A log or sign-off list must be \nmaintained at the school which documents staff receipt of \nprocedures and familiarization with fire safety practices. \nc. A fire drill must be conducted quarterly (September/first \nweek of school, December, March, and June) involving all \nstudents and staff and in accordance with Mass Fire Code, \n527 CMR 1.00: 20.2.4.2. A record of each drill is to be \ndocumented on the google form available in the BPS Fire & \nSafety Drill Report under Central Office Support with The BPS \nOffice of Emergency Management and Preparedness (Safety" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Services). If you have any questions, please contact The BPS \nOffice of Emergency Management and Preparedness. \nd. Every student in all schools shall be advised of the fire drill \nprocedure and shall take part in a fire drill within three days \nafter school begins in September. Fire drill procedures for \nparticular rooms shall be posted within those rooms. \nAlternate and obstructed drills shall be exercised; and every \nother quarter, alternate routes shall be used. \ne. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.4, \nthe head of the Fire Department, or person designated by \nthem, shall visit each school four times each year for the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "purpose of quarterly inspections, reviewing Building Fire \nSafety Plans and questioning the administrators. The Fire \nDepartment may also conduct a fire drill for your building if \nthey feel your building is not in compliance with this law. \nDrills may be conducted without advance warning to the \nschool personnel other than the person in charge of the \nschool at the time. \nf. Fire drill plans must ensure adequate procedures for the \nemergency evacuation of students and staff with disabilities." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FSE-02 \nPage 6 of 15 \n \nThese procedures must also be incorporated in the School \nSafety/Contingency Plan for your school building. Fire drill \nprocedures must address student and staff accountability in \nan evacuation. This element of the plan should identify the \nperson(s) in charge, ensure accurate class attendance rosters \nare available, and identify specific locations for evacuees to \nassemble. \ng. As required by Massachusetts Law, 527 CMR 1.05, 20.2.4.2.1.6 \nEvacuation: Fire exit drills shall include the complete \nevacuation of all persons from the building. \nSTORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "STORAGE OF FLAMMABLES AND HAZARDOUS MATERIALS \nFlammables shall be stored in an approved locked metal cabinet \nsuitably vented. If the amount being stored warrants, a locked \nstorage vault should be provided. The storage facility must be \nunder the control of a school official, with only the authorized \npersonnel allowed access. \nFaculty members should not allow students to fuel individual \ndevices or transport any fuel container from one location to \nanother. \nAll school personnel should be thoroughly instructed as to the \nhazard involved in a particular flammable liquid, chemical, or gas; \nand in its safe and proper handling prior to intended use. Material" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Safety Data sheets should be on file in the main office. No fuel \ncontainer should be allowed to remain in any classroom but \nshould be immediately returned to its permanent storage facility. \nThe above procedures should be incorporated in the School \nSafety/Contingency Plan for each school building. Materials used \nin school science laboratory experiments are to be stored in" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FSE-02 \nPage 7 of 15 \n \ncompliance with related laws, codes, and ordinances. Quarterly \nschool fire inspections are complemented by specialized \ninspections conducted by Boston Fire Department Special \nOccupancies’ Officers. \n*Hazardous storage areas must be secured and identified with the \nappropriate warning label. The appropriate chemical storage \nroom \ndoor \nidentification is \nthe \nNational Fire \nProtection \nAssociation’s 704 Diamond. \n*Reference Superintendent’s Circular FSE-06 Student Safety / \nHealth in School Shops, and / or Laboratories and Classrooms; \nand the chemical inventory sheet in Superintendent’s Circular \nFMT-7 Right to Know Law." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "FMT-7 Right to Know Law. \nREPORTING OF FIRE INCIDENTS \nThe Boston Fire Prevention Code requires the following: \na. Upon any person's discovery of a fire or smoke in a building \nor premises, they shall immediately notify the Fire Alarm \nOffice of the Boston Fire Department of the location of the \ndiscovery and of the circumstances they have observed. The \nBoston Fire Department must be notified both by sounding \nthe nearest fire alarm box (pull station) and by telephone (911 \nor 617-343-2880) in the event of a fire. \nb. Any discovery or evidence of a fire or attempt to burn shall be \nreported to the Boston Fire Department by calling either 911" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "or 617-343-2880 and the BPS Director of Emergency \nManagement and Preparedness (857) 701-9404 to begin an \narson investigation. BFD considers any fire started by a \nstudent as a potentially serious mental health issue that, if \naddressed early enough, may prevent more serious problems" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FSE-02 \nPage 8 of 15 \n \nin the future. \nc. This section shall not be construed to forbid any person who \ndiscovers a fire, or the owner, lessee, person in charge of the \nbuilding or premises, any occupant, or any of their agents, \nafter notifying the Fire Department, from using all means \nnecessary to extinguish or control the fire prior to the arrival \nof the Fire Department. \nd. No person shall require, make, issue, post, or maintain any \norder, direction, or regulation, written or verbal, that would \nrequire or direct anyone to delay reporting a fire to the Fire \nDepartment. \ne. All personnel must be familiar with fire reporting procedures." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "f. The Boston Fire Department and then Facilities \nManagement, The Office of Emergency Management and \nPreparedness are to be notified of all fire-related incidents. \nThese include but are not limited to following: \nFire or explosion \nGood intent calls \nOverpressure rupture \nFalse alarm/false call \nMedical emergency \n \n \nHazardous materials (i.e. fuel \nspills or chemical leaks) \nHazardous conditions \nService calls \n \n \n \n \nFire extinguished by occupant\ng. Any fire (including paper towels or tissues, even if \nextinguished), must be reported to the Boston Fire \nDepartment in accordance with procedure delineated in \nsections a. and b. above." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "sections a. and b. above. \nh. The principal shall submit a written report available with \nthis_link: \nhttps://www.mass.gov/doc/fp-200-school-fire-" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FSE-02 \nPage 9 of 15 \n \nreporting-form/download of any fire within the school \nbuilding or on the school grounds to BPS Director of \nEmergency Management and Preparedness, (857) 701-9404 \nwho will then forward it to the Boston Fire Department \nwithin 24 hours. This is in compliance with Mass General Law, \nChapter 148, Sec. 2A, which went into effect September 2006. \nThis information is also essential for arson prevention action. \nFIRE EXTINGUISHERS/KITCHEN SYSTEMS \na. Portable fire extinguishers must be serviced annually and \nlocated in accordance with the building’s Fire Safety Plan. \nb. Kitchen extinguishing systems must be serviced twice a year." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "c. It is the responsibility of senior custodians to ensure \nextinguishers \nare \nvisually \ninspected \nweekly \nand \nrecharged/inspected annually to ensure they are ready for \nemergency use. \nd. Requests for fire extinguisher servicing should be made to \nFacilities Management at 617-635-9122. \ne. If extinguishers are not hanging in corridors, they must be \nreadily accessible. A list of fire extinguisher locations shall be \nposted in the office and maintained in the Fire Safety section \nof your building’s School Safety/Contingency Plan. \nFLAMMABLE DECORATIONS \na. Flammable decorations, including examples of students' \nwork, must not be displayed in paths of egress, including" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "doorways and stairwells. \nb. The Boston Fire Department expects us to display reasonable \namounts of student work. This is to be in accordance with the" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FSE-02 \nPage 10 of 15 \n \nNational Fire Protection Association, Life Safety Code and 527 \nCMR 20.2.4.4.3: \n“Paper materials displayed in educational use occupancies \nshall be permitted on walls only in accordance with the \nfollowing: (1) In classrooms, paper materials displayed shall \nnot exceed 20% of the total wall area. (2) Paper materials \ndisplayed shall be attached directly to the walls and shall not \nbe permitted to cover an egress door or be placed within five \nfeet of an egress door, unless approved by the AHJ. When \ndetermining wall areas, the door and window openings shall \nbe included unless: (a) Paper materials are displayed in fully" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "enclosed viewing cabinets with glass or polycarbonate \nviewing panels or covered with glass or polycarbonate sheet \nmaterial in accordance with the Building Code; (b) Flame \nretardant paper material is used for display. (3) Paper \nmaterial displays shall be permitted to cover up to 50% of the \ntotal wall area in classrooms that are fully sprinklered in \naccordance with Chapter 13. \nCorridor displays and decorations are limited to bulletin \nboards and must not cover more than 10% of the total \ncorridor wall space. \n \nc. Certain buildings have more fire protection features than \nothers. This may be considered when displaying student \nwork." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "work. \nd. Please refer to Superintendent’s Circular FSE-03 Building \nCodes and Fire Regulations." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FSE-02 \nPage 11 of 15 \n \nRIGHT TO KNOW – CHEMICAL INVENTORY \nEach school / facility must maintain an accurate inventory of toxic \nand hazardous substances stored and used in the building. Please \nrefer to Superintendent‘s Circular FMT-07 “Right to Know” Law – \nChemical Inventory. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nSeptember (First \nWeek of School) \nQuarterly Fire Drill Report Due \nDecember \nQuarterly Fire Drill Report Due \nMarch \nQuarterly Fire Drill Report Due \nJune \nQuarterly Fire Drill Report Due \n \nFor more information about this circular, contact: \nOwner: \nDirector of Emergency Management & \nPreparedness \nDepartment:" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Preparedness \nDepartment: \nOffice of Emergency Management, Safety \nServices \nMailing Address: \n205 Townsend Street Boston, MA 02121 \nPhone: \n (617) 635-6082 or (857) 701-9404 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FSE-02 \nPage 12 of 15 \n \nMary Skipper, Superintendent \n \n \n \n \n \n \n \n \n \n \n \n(Updated 7.31.2024)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FSE-02 \nPage 13 of 15 \n \nATTACHMENT A \nSCHOOL BUILDING FIRE SAFETY PLANS \nSchool: \nPrincipal/Head of School: \n \n \n1. Does school have a Fire Safety Plan as part of School Safety/Contingency \nPlan? \nY \nN \n2. Is the plan readily available in the main office? \nY \nN \n3. (School Safety/Contingency Plan, Section 6) \n4. Is the plan current for this school year? \nY \nN \n5. Does plan include following elements: \na. Description of building (type, height, occupancy) \nY \nN \nb. Types of fire protection systems (sprinkler system, standpipes) \nY N \nc. Fire alarms (locations of pull stations, smoke detectors, heat \ndetectors) \nY \nN" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "detectors) \nY \nN \nd. Location of exits (primary and alternate) \nY \nN \ne. Evacuation routes (primary and alternate) \nY \nN \nf. Stairwell designations \nY \nN \ng. Smoke control (are corridor doors closed or held open by magnetic \ndevices that release when an alarm is activated?) \nY \nN \nh. Location of extinguishers \nY \nN \ni. Identity and location of any occupants with disabilities \nY \nN \nj. Floor plans \nY \nN \nk. Record of staff training \nY \nN \nl. Fire drill reports \nY \nN \nm. Fire alarm system test records \nY \nN \nn. Copy of building occupancy permit \nY \nN \no. Incident Control Team members identified by name and title with" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "defined responsibilities in an emergency (including back-ups)Y \nN \nA follow-up phone call must always be made to the Fire Alarm Office \n(911 or 617-343-2880) by a designated staff member. \np. AED device location: \nY \nN \n \n \nDate: ________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FSE-02 \nPage 14 of 15 \n \nATTACHMENT B \nBOSTON FIRE DEPARTMENT — FIRE PREVENTION DIVISION \nSCHOOL DISPLAY MATERIALS: 527 CMR 1.05 \nAREA \nWITH NO SPRINKLERS \nWITH SPRINKLERS \n \n \n \n \n \nClassroom \n20% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the \negress door. \n \nNo limit if in viewing cabinet, \ncovered with polycarbonate, or \nmaterials are flame retardant* \n50% wall coverage with \ncombustible materials allowed. \n \nNothing within 5ft. of the egress \ndoor. \n \nNo limit if in the viewing \ncabinet, covered with \npolycarbonate, or materials are \nflame retardant.* \n \n \n \n \n \n \n \nExit passageway, \ncorridors, and \nassembly area." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Exit passageway, \ncorridors, and \nassembly area. \n10% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \n50% wall coverage with \ncombustible materials allowed. \n \nEach grouping to be maximum \nof 6 ft. high and 12 ft. wide. \n \nGroups to be separated by at \nleast ½ the width of the largest \nadjacent group. \n \nNo limit if in the viewing \ncabinet, covered with \nPolycarbonate, or materials are" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Polycarbonate, or materials are \nflame retardant. \n \nNo materials within 5ft. of \negress door. \nExits and enclosed \nstairs \nNothing permitted. \nNothing permitted." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-02 Fire Safety Practices", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular FSE-02 \nPage 15 of 15 \n \nNOTES: \n \n(1) \nDoor and window openings are to be included when \ncalculating wall areas. \n(2) \nDocumentation must show compliance with NFPA 701 or \nCA 13115 to be flame retardant. \n(3) \nPlexiglas is not allowed; the covering must be glass or \npolycarbonate. \n(4) \nThe posting of exit signage or evacuation plans shall not \nbe prohibited by this regulation. \n(5) \n527 CMR 1.05 shall not be applicable to any election \nmaterials required by law to be posted during any local, \nstate, or federal election. \n \nThis regulation is effective September 19, 2003." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFSE-04 \nVersion 01 \n \n \n \nBOMB THREAT PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nA bomb threat falsely reporting the existence of an incendiary or \nexplosive device (simulated or real) is an offense punishable by \nimprisonment for up to twenty (20) years and/or a fine of not \nmore than $10,000. In the event of a bomb threat, a building \nadministrator must exercise responsible judgment and authority, \nkeeping in mind their responsibility for the safety and well-being \nof the students and staff. To do this, one must (1) get all the facts" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "and (2) follow the procedures outlined herein, developed in \naccordance with the policies of the Boston Public Schools and \nthe Boston Police Department. \nBOMB THREAT PROCEDURES \nUpon the receipt of a bomb threat, principals/heads of school and \nbuilding administrators are instructed to act in accordance with \nthe following procedures: \nTelephoned Bomb Threats: \n1. When taking the call, use the attached Bomb Threat Report \nForm (Attachment A) to record all information. This form \nmust be available at the main telephone(s) in the school and \nshould be completed immediately after reporting the threat" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FSE-04 \nPage 2 of 11 \n \n \n \nto the building administrator. A copy of the Bomb Threat \nReport Form is also to be submitted with the incident \nreport. \n2. Call the Boston Police Department at 911 and report the \nincident. If the bomb threat is a 2nd or 3rd call, please note \nthis in your conversation with the 911 operator. \n3. Call the Department of Safety Services/Boston School Police \nat (617) 635-8000. \n4. Call your operational superintendent. \n5. Alert staff via the school’s internal communication method \n(ref. Superintendent’s Circular FSE-1 School \nSafety/Contingency Plans, Tier I, Containment Procedures)" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "to visually survey their room/office for suspicious packages. \nIf anything unusual is observed, immediately report this \ninformation to the building administrator and update \nBoston Police via 911 that something unusual has actually \nbeen found. \nDesignated members of the School’s Safety Team will be \nresponsible to survey unsupervised common areas, both \ninternal and external. During this survey, all bells/classes will \nbe held until the search is completed. \n6. In the event a suspicious package or device is found: \na. Report the sighting to the building administrator \nimmediately. \nb. Do not move, touch, or handle objects. \nc. Do not use two-way radios." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "c. Do not use two-way radios. \nd. Do not turn off lights or touch switches. \ne. Keep loud noise to a minimum." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FSE-04 \nPage 3 of 11 \n \n \n \nf. Restrict use of telephone to urgent business only. \ng. Move people from the area. \nh. EVACUATE the school building. \nThe Police Department will be fully in charge. This action \nis to be preceded by an announcement which provides \nspecific evacuation routes to be followed for the incident \nand manner in which the evacuation signal will be given \n(fire alarm, bell, intercom, and runner). \n7. If no suspicious package or device is found, appropriate safe \nmode procedures are to be followed. However, classes \nshould not be changed until the BPD Bomb Squad has \narrived and evaluated the situation. IF YOU HAVE ANY" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "DOUBTS, EVACUATE. \n8. The Police Department will assist the person in charge of \nthe building when searching for bombs or other incendiary \ndevices. Appropriate school personnel should assist, as \nnecessary. \n9. The Police Department will assist and advise the person in \ncharge of the building regarding resumption of regular \nschool schedule and activities. The operational leader and \nSafety Office must be notified once a decision is made. \n10. Send a complete incident report within 24 hours of the \nincident to the Department of Safety Services. Attach a copy \nof the Bomb Threat Report Form noted above to the \nIncident Reporting Form (attached for your reference)." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FSE-04 \nPage 4 of 11 \n \n \n \nELECTRONIC (RECEIVED VIA EMAIL AND WEBSITE): \nThe person accessing the threat shall: \n1. \nSave the message on the system. DO NOT DELETE THE \nMESSAGE. \n2. \nCall 911. \n3. \nNotify the Department of Safety Services/Boston School \nPolice at (617) 635-8000. \n4. \nNotify your operational superintendent. \n5. \nPrint copies of the message to turn over to the police and \nany others who may require them. \nEVACUATION AND RE-ENTRY PROCEDURES \nThe principal/head of school or building administrator must \ndevelop specific evacuation and re-entry plans for their individual \nbuildings (c.f. Superintendent’s Circular FSE-01 School" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Safety/Contingency Plan). A copy of these plans should be \nincluded in each school’s Contingency Plans. Such procedural \nplans should include the following: \n1. \nInstruction of office staff regarding proper procedures for \nanswering, documenting, and reporting of such \ntelephone calls. \n2. \nMethod of notifying staff and students of emergency \nconditions. \n3. \nMethod of leaving the building (fire drill procedures may \nbe followed). Special attention should be given to identify \nassembly points, which are recommended to be located \n300 yards from the building when evacuating for a" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FSE-04 \nPage 5 of 11 \n \n \n \nsuspected bomb. Any area that is being used as a \nstaging or assembly area must be searched by a \ndesignated staff member prior to sending people to that \narea. \n4. \nSpecific plans for special needs and physically impaired \nstudents. \n5. \nSupervision of students by classroom teachers at all times \nwhile outside the building (prior planning should be done \nwith local police authorities in schools that would require \nextra police surveillance and supervision outside that \nschool). \n6. \nControlled re-entry of the building to include supervision \nof students re-entering to insure that no potentially" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "dangerous objects are brought into the building. \nThese procedures should be utilized in conjunction with your \nSchool Safety / Contingency Plans." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FSE-04 \nPage 6 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: \n(617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \nATTACHMENTS: \nA. Bomb Threat Report Form \nB. Bomb Threat Procedures \nC. Suspicious Package/Device \nD. Warning Notice: Please Post" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FSE-04 \nPage 7 of 11 \n \n \n \nATTACHMENT A \nBOMB THREAT REPORT FORM \n \nDescribe caller’s voice: \n Male \n Female \n Angry \n Excited \n \n Calm \n Well spoken \n(educated) \n Stutter \n Lisp \n Rapid \n \n Slow \n Raspy \n \n Deep \n Soft \n Loud \n Incoherent \n Irrational \n Foul \n Crying \n Disguised \n Nasal \n Distinct \n Slurred \n \n Accent \n Taped \n Familiar \n Message \nread by caller\nIf the voice is familiar, who did it sound like? \nExact wording of threat: \n \n \nQuestions to ask: \n \n \n \n \n \n \n1. When is the bomb going to explode? \n \n2. Where is it right now? \n \n \n3. What does it look like? \n \n4. What kind of bomb is it?" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FSE-04 \nPage 8 of 11 \n \n \n \n5. What will cause it to explode? \n6. Did you place the bomb? \n7. Why did you put it in the building? \n8. What is your address? \n \n9. What is your name? \n \nBackground sounds: \n \n \n \n Street \n Animal \nsounds \n \n PA system \n Static \n \n \n Voices \n \n Music \n \n Motor \n House \nNoises \n \n Local \n \n Long distance \n Office \nmachinery \n Phone booth\n \nTime: ____________Date: ___________Length of Call: _________________ \nNumber at which call was received: ______________________________ \nREMARKS: _______________________________________________________ \n __________________________________________________________________" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Receiver of Call: \n __________________________________________________________________ \n(Name and Title) \nATTACHMENT B \nBOMB THREAT PROCEDURES" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FSE-04 \nPage 9 of 11 \n \n \n \n \n1. STAY CALM. \n2. Obtain information from the caller and record on Bomb \nThreat Form. \n3. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n4. Activate your school’s Site Incident Control Team. \n5. Call the Superintendent's Office at 617-635-9057. \n6. Administrator will determine if evacuation or containment is \nappropriate. \n7. If evacuating, determine appropriate evacuation routes and \nadvise staff in accordance with your School \nSafety/Contingency Plan (internal communication method). \n8. Do not announce Bomb Scare; use a known code to \ncommunicate the situation to staff." + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "communicate the situation to staff. \n9. Take the Bomb Threat Report Form with you if you \nevacuate. \n10. It is recommended that students and staff assembly point(s) \nbe at least 300 yards from the building when evacuating for \na bomb threat. \n11. WHEN IN DOUBT, EVACUATE. \n \n(Ref. Suspicious Package/Device) \nATTACHMENT C \nSUSPICIOUS PACKAGE/DEVICE" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FSE-04 \nPage 10 of 11 \n \n \n \n1. STAY CALM. \n2. Call Boston Police at 911. Provide the police dispatcher with \nall available information. \n3. Do not move, touch, or handle the object. \n4. Do not use two-way radios. \n5. Do not turn off lights or touch switches. \n6. Keep loud noise to a minimum. \n7. Restrict use of telephone to only urgent business. \n8. Secure the location. \n9. Activate school’s Site Incident Control Team. \n10. Evacuate after determining the safest routes for all building \noccupants. \n11. Communicate the situation and procedures to be followed \nfor evacuation to staff in accordance with your School" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Safety/Contingency Plan (internal communications \nmethod). \n \n(Ref. Bomb Threat Procedures) \n \n \n \nATTACHMENT D" + }, + { + "folder_name": "Fire Safety & Emergency Management", + "file_name": "FSE-04 Bomb Threat Procedures", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FSE-04 \nPage 11 of 11 \n \n \n \nPLEASE POST \nBOSTON PUBLIC SCHOOLS \n• WARNING • \nIt is a crime, as well as disruptive to the \neducational process, to pull a false fire alarm or to \nmake a bomb threat. In addition, accidental injury \nor death of a firefighter, student, or staff member \ncould result. \nPENALTY FOR FALSE ALARM \nImprisonment for up to one year or a fine of not \nless than $100 but not more than $500. \n(M.G.L., C. 269, S. 13) \nPENALTY FOR BOMB THREAT \nImprisonment for up to twenty years and/or a fine \nof up to $10,000. (M.G.L., C. 269, S. 14)" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 1:\n \n \n \n \n Superintendent’s \nCircular \nNUMBER: \nSSS-18 \nVersion 01 \n \n \nBULLYING PREVENTION AND INTERVENTION PLAN \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBOSTON PUBLIC SCHOOLS STATEMENT AGAINST STUDENT \nBULLYING \nBoston Public Schools will not tolerate any unlawful or disruptive \nbehavior, including bullying, harassment, cyberbullying, \ndiscrimination, retaliation, or hate crimes in all forms and types \ntowards others in any school or at school-related activities. Boston \nPublic Schools will promptly investigate all reports and \ncomplaints of bullying and take prompt, effective action to end" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "that behavior and prevent its recurrence. Action will include, \nwhere appropriate, referral to a law enforcement agency. Boston \nPublic Schools will support this Bullying Prevention and \nIntervention Plan (“Plan”) in all aspects of its activities, including \nits curricula, instructional programs, staff development, family \nmeetings/training, and extracurricular activities. \nStudents, staff, families/caregivers, and any others who are \nconcerned or want to report bullying may confidently talk to a \ntrusted staff member or call the Safe Space and Bullying \nPrevention Hotline, 617-592-2378. Additional resources and \nsupport can be found at Succeed Boston. Succeed Boston leads" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "this districtwide initiative." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 2:\n \nSuperintendent’s Circular SSS-18 \nPage 2 of 44 \n \nThe Student Handbook, AUP (Acceptable Use Policy), and the \nBoston Public Schools Code of Conduct are updated annually to \nassure alignment, to include language prohibiting bullying, and \ncyberbullying, and to clearly define the consequences connected \nto it. The district and principals/heads of schools at all levels in the \nBoston Public Schools play a critical role in the ongoing \ndevelopment and implementation of the Bullying Prevention and \nIntervention Plan in the context of other whole school and \ncommunity efforts to promote a positive school climate. \nPrincipals/school leaders have a primary role in teaching students" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "to be civil to one another and promoting understanding of and \nrespect for diversity and difference. Principals/school leaders have \na responsibility for setting priorities and for staying up to date \nwith this policy and current research on ways to prevent and \neffectively respond to bullying. \nThe Boston Public Schools will not tolerate any unlawful or \ndisruptive behavior, including any form of bullying, cyberbullying, \nor retaliation, in our school buildings, on school grounds, on \nschool buses and at school bus stops, on a school bus or other \nvehicle owned, leased, or used by a school district; or through the \nuse of technology or an electronic device owned, leased, or used" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "by a school district, and or in school-related activities. \nSchools will promptly investigate all reports and complaints of \nbullying, cyberbullying, and retaliation and take prompt action to \nend that behavior and restore the target’s sense of safety. The \nBoston Public Schools will support this commitment in all aspects \nof our school community, including curricula, instructional \nprograms, staff development, extracurricular activities, and \nfamilies/caregivers involvement. \nA student who knowingly makes a false accusation of bullying will" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 3:\n \nSuperintendent’s Circular SSS-18 \nPage 3 of 44 \n \nbe subject to disciplinary action as defined by the BPS Code of \nConduct. \nThis Plan has been approved by the Massachusetts Department of \nElementary and Secondary Education and is posted at the BPS \nAnti Bulling web page. Copies of this plan shall be posted and \nreadily accessible in all schools in an area visible to \nfamilies/caregivers and staff. The Plan will be reviewed and \nupdated biennially, as mandated by M.G.L. c. 71, § 37O. \nPUBLIC INVOLVEMENT \nAs required by M.G.L. c. 71, § 37O, this Plan has been developed in \nconsultation with various constituencies. Since May 3, 2010, the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Boston Public Schools has met biennially with families/caregivers, \nteachers, school administrators, students, central administrators, \nand community stakeholders to develop this Plan. \nEffective SY 2024-2025, an advisory group of teachers, \nadministrators, families/caregivers and community members will \nbe developed to review and make recommendations related to \ncurricula, professional development, community and family \nengagement, and the Plan itself. Consultation will include, at a \nminimum, notice and a public comment period prior to adoption. \nSTATEMENT OF PURPOSE \nThe Boston Public Schools believes that school communities" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "serve as a network of support for its diverse students, families, and \nstaff. We are committed to providing our students with equal \neducational opportunities and a safe and welcoming learning \nenvironment where all students and community members treat \neach other with respect and appreciate the rich diversity in our \nschools." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 4:\n \nSuperintendent’s Circular SSS-18 \nPage 4 of 44 \n \nThe Boston Public Schools recognizes that certain students may \nbe more vulnerable to become targets of bullying, harassment, or \nteasing based on actual or perceived characteristics, including \nrace, color, religion, ancestry, national origin, sex, socioeconomic, \nstatus, homelessness, academic status, gender identity or \nexpression, physical appearance, or sensory, disability, or by \nassociation with a person who has or is perceived to have one or \nmore of these characteristics. The Boston Public Schools will \ncontinuously work to identify specific steps it will take to create a" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "safe, supportive environment for vulnerable populations in the \nschool community, and provide all students with the skills, \nknowledge, and strategies to prevent or respond to bullying, \nharassment, or teasing. \nUnder M.G.L. Ch. 71, § 37O, at the beginning of each school year, \neach school will provide the community, including students, \nadministrators, external providers, families/caregivers, and staff \nwith: \n● Written notice of its policies for reporting acts of bullying \nand retaliation, \n● A description of the reporting procedures and resources, \nincluding the name and contact information of the \nprincipal/school leader or designee \n● A copy of the Bullying Incident Reporting Form and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "information about electronic reporting and \n● Shall provide and post the available resources (including the \nnumber to the Safe Space and Bullying Hotline and \ninformation about electronic reporting) in the school’s main \noffice, the school’s website, all counseling offices/spaces, the \nschool nurse’s office, and other locations determined by the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 5:\n \nSuperintendent’s Circular SSS-18 \nPage 5 of 44 \n \nprincipal/school leader or designee \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan shall be incorporated in student and staff handbooks, on the \nschool and district website, and made available to \nfamilies/caregivers. \nDEFINITIONS UNDER M.G.L. CH. 71, § 37O \nNote: The following definitions contain terms and/or phrases that \nare different from the language of the statute. The language of \nthe definitions in this circular is drafted to align with the \ndefinitions that are used in the Boston Public Schools Code of \nConduct. BPS relies on these definitions when reviewing student \nconduct under the Code:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "conduct under the Code: \n● Bullying: BPS has replaced the word “victim” in the statute \nwith the word “target.” \n● Cyberbullying: BPS has added (iv) to the definition contained \nin the statute. \n● Retaliation: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n● School Community: BPS has added “staff” to the definition \ncontained in the statute. \n● Perpetrator: this definition is not provided for under the \nstatute but is operative in the Code of Conduct. \n● Aggressor is a student who engages in bullying or \ncyberbullying. \nBullying is the repeated use by one or more students or by a" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "member of school staff including, but not limited to, an educator," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 6:\n \nSuperintendent’s Circular SSS-18 \nPage 6 of 44 \n \nadministrator, school nurse, cafeteria worker, custodian, bus \ndriver, athletic coach, advisor to an extracurricular activity, or \nparaprofessional of a written, verbal, or electronic expression or a \nphysical act or gesture or any combination thereof, directed at a \ntarget that: \nI. \nCauses physical or emotional harm to the target or damage \nto the target's property \nII. \nPlaces the target in reasonable fear of harm to themselves \nor of damage to their property \nIII. \nCreates a hostile environment at school for the target \nIV. \nInfringes on the rights of the target at school \nV." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "V. \nMaterially and substantially disrupts the education process \nor the orderly operation of a school. \nCyberbullying is bullying through the use of technology or any \nelectronic communication which shall include, but shall not be \nlimited to, any transfer of signs, signals, writing, images, sounds, \ndata, or intelligence of any nature transmitted in whole or in part \nby a wire, radio, electromagnetic, photoelectric or photo-optical \nsystem, including, but not limited to, electronic mail, internet \ncommunications, instant messages or facsimile communications. \nCyber-bullying shall also include: \nI. \nThe creation of a web page or blog in which the creator" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "assumes the identity of another person \nII. \nThe knowing impersonation of another person as the author \nof posted content or messages, if the creation or \nimpersonation creates any of the conditions enumerated in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 7:\n \nSuperintendent’s Circular SSS-18 \nPage 7 of 44 \n \nclauses (iv) to (v), inclusive, of the definition of bullying \nIII. \nThe distribution by electronic means of a communication to \nmore than one person or the posting of material on an \nelectronic medium that may be accessed by one or more \npersons, if the distribution or posting creates any of the \nconditions enumerated in clauses (i) to (v), inclusive, of the \ndefinition of bullying \nIV. \nThe use of the internet and/or social media used for bullying \noutside of school that disrupts the normal functioning of the \nschool day." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 8:\n \nSuperintendent’s Circular SSS-18 \nPage 8 of 44 \n \nHostile Environment is a situation in which bullying causes the \nschool environment to be permeated with intimidation, ridicule, \nor insult that is sufficiently severe or pervasive to alter the \nconditions of a student’s education. \nRetaliation is any form of intimidation, reprisal, or harassment \ndirected against a student who reports bullying, provides \ninformation during an investigation of bullying, or witnesses or \nhas reliable information about bullying. \nThe School Community consists of students, staff and \nfamilies/caregivers. \nStaff includes, but is not limited to, educators, administrators," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "counselors, school nurses, cafeteria workers, custodians, bus \ndrivers, athletic coaches, advisors to extracurricular activities, \nsupport staff, and paraprofessionals. \nTarget is a student against whom bullying, cyberbullying, or \nretaliation has been perpetrated. \n \nPOLICIES AND PROCEDURES FOR REPORTING AND \nRESPONDING TO BULLYING AND RETALIATION \nTo support efforts to respond promptly and effectively to bullying \nand retaliation, the Boston Public Schools have policies and \nprocedures in place for receiving and responding to reports of \nbullying or retaliation. These policies and procedures ensure that \nmembers of the school community – students," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "members of the school community – students, \nfamilies/caregivers, and staff – know what will happen when \nincidents of bullying are reported or occur (Attachment 1). \nThe Boston Public Schools, in accordance with MA Law M.G.L. c." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 9:\n \nSuperintendent’s Circular SSS-18 \nPage 9 of 44 \n \n71, § 37O, has designated the principal/school leader or designee \nas the person responsible for receiving reports, recording \nincidents, and investigating all incidents. The principal/head of \nschool or designee is responsible for responding to and resolving \nall cases. All bullying allegations, no matter how they were \nreported, (e.g., through the Safe Space and Bullying reporting \nform or directly to the school leader, or directly to staff at the \nschool), shall be submitted to Succeed Boston using the Safe \nSchools & Bullying Investigation form. All findings, including" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "supporting information, including witness statements (target, \naggressor, and any other relevant person) findings, and \nconclusions, shall be submitted to Succeed Boston within five \nschool days, and findings of bullying shall be documented in the \nBPS Student Information System (SIS). \nA. Reporting Bullying or Retaliation \nReports of bullying or retaliation can be made by staff, students, \nfamilies/caregivers or others, and can be submitted through the \nSafe Space and Bullying Prevention Hotline at 617-592-2378 or \ndirectly online through the Safe Schools and Bullying Prevention \nIncident Reporting Form. To report in your native language," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "please call the Hotline and ask for translation services. Allegations \nmay also be submitted via email, text, or through the Bullying \nIncident Reporting Form (Attachment 3). \nAll employees are required to report immediately to the \nprincipal/school leader or designee, any instance of bullying or \nretaliation the staff member becomes aware of or witnesses. \nReports may be made anonymously (see Attachment 3 for the \nBoston Public Schools Safe Schools and Bullying Prevention and \nIntervention Reporting Form and Attachment 4 for the Boston" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 10:\n \nSuperintendent’s Circular SSS-18 \nPage 10 of 44 \n \nPublic Schools Safe Schools and Bullying Prevention and \nIntervention Anonymous Reporting Form). \nUse of the Boston Public Schools Safe Schools and Bullying \nPrevention and Intervention Reporting Form is not required as a \ncondition to making a report. \n1. Reporting by Staff \nA staff member shall report immediately to the principal/school \nleader or designee when they witness or become aware of \nconduct that may be bullying or retaliation. The requirement to \nreport to the principal/school leader or designee does not limit \nthe authority of the staff member to respond to behavioral or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "disciplinary incidents consistent with each school’s policies and \nprocedures for behavior management and discipline. \n2. Reporting by Students, Families/Caregivers, and Others \nBoston Public Schools expects students, families/caregivers, and \nothers who witness or become aware of an instance of bullying or \nretaliation involving a student to report it to the principal/school \nleader or designee. \nReports may be made anonymously or not by calling the Safe \nSchools and Bullying Prevention Hotline (617-592-2378) or filing a \nreport online using the Safe Space and Bullying Prevention \nReporting form. No disciplinary action will be taken against an" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "alleged aggressor solely based on an anonymous report. \nStudents, families/caregivers, and others may request assistance \nfrom a staff member to complete a written report. Students will \nbe provided practical, safe, private, and age-appropriate ways to \nreport and discuss an incident of bullying with a staff member or \nwith the principal/school leader." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 11:\n \nSuperintendent’s Circular SSS-18 \nPage 11 of 44 \n \n3. Responding to a report of bullying or retaliation \nBefore fully investigating the allegations of bullying or retaliation, \nthe principal/school leader or designee will take steps to assess \nthe need to restore a sense of safety to the alleged target and/or \nto protect the alleged target from possible further incidents. The \nprincipal/school leader or designee shall contact the \nfamilies/caregivers prior to any investigation. Notice will be \nconsistent with state regulations at 603 CMR 49.00. \nUnder M.G.L. c. 71, § 37O, for children with special needs, the \nPrincipal/Head of School will review the child’s IEP to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "determine whether or not the child’s disability impacted or \nimpacts their ability to comply with the Code of Conduct \nand/or this policy, and where appropriate, convene a TEAM \nmeeting to discuss and decide the appropriate \ndetermination which may include behavioral support \nservices or other specialized services. \nThe principal/Head of School or designee shall inform the parent \nor guardian of the target about the Department of Elementary \nand Secondary Education’s Problem Resolution System (PRS) and \nthe process for accessing that system, regardless of the outcome \nof the bullying determination. \nResponses to promote safety may include, but not be limited to:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "● Creating a personal safety or support plan \n● Pre-determining seating arrangements for the target and/or \nthe aggressor in the classroom, at lunch, or on the bus \n● Identifying a staff member who will act as a “safe person” for \nthe target \n● Altering the aggressor’s schedule and access to the target." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 12:\n \nSuperintendent’s Circular SSS-18 \nPage 12 of 44 \n \n \nThe principal/school leader or designee will take additional steps \nto promote safety during and after the investigation, as necessary. \nThey will implement appropriate strategies to protect students \nfrom bullying or retaliation as a result of witnessing, providing \ninformation during an investigation, reporting bullying or \nretaliation or providing reliable information about a reported act \nof bullying or retaliation. \nThe confidentiality of students and witnesses reporting alleged \nacts of bullying will be maintained to the extent possible, given \nthe school’s obligation to investigate the matter." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "B. Obligations to Notify Others \n1. Notice to Families/Caregivers: \nWithin 24 hours of receipt of the bullying complaint and before \ninterviewing students, the principal/school leader or designee will \nnotify the families/caregivers of the target and the aggressor of \nthe allegations and their intent to interview their child. \nFamilies of all student witnesses who may be interviewed will be \nnotified of their intent to interview their child. Should they \nchoose, the family has the right to be present for the interview \nwith their child. Upon completion of the investigation (not \nbeyond five school days after the receipt of the complaint), the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "principal/school leader will notify the families/caregivers of the \ntarget and the aggressor of the findings of the investigation and \nthe procedures used in responding to the complaint. \nTo ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the head of school" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 13:\n \nSuperintendent’s Circular SSS-18 \nPage 13 of 44 \n \nwill be forwarded to the Operational Leader and the School \nSuperintendent for follow-up assistance. \n2. Notice to Another School or District: \nIf the reported incident involves students from more than one \nschool district, charter school, nonpublic school, approved private \nspecial education day or residential school, or collaborative \nschool, the principal/school leader or designee first informed of \nthe incident will promptly notify by telephone the principal/school \nleader or designee of the other school(s) of the incident so that \neach school may take appropriate action. All communications will" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "be in accordance with state and federal privacy laws and \nregulations and 603 CMR 23.00. \n3. Notice to Law Enforcement: \nAt any point after receiving a report of bullying or retaliation, \nincluding after an investigation, if the principal/school leader or \ndesignee has a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor, the principal/school leader \nshall consult with their Operational Leader, the School \nSuperintendent, the Office of Safety Services and/or the Boston \nPolice Department School Unit, and other individuals the \nprincipal/school leader or designee deems appropriate. \nNote that pursuant to 603 CMR 49.06(2), notification to law" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "enforcement is not required in those situations in which the \nschool leader determines that the bullying and retaliation can \nbe handled appropriately within the school district or school. \nAlso, if an incident occurs on school grounds and involves a \nformer student under the age of 21 who is no longer enrolled \nin school, the principal/head of school or designee shall \ncontact their Operational Leader, the School Superintendent, \nthe Office of Safety Services and/or the Boston Police \nDepartment School Unit, for notification to law enforcement if" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 14:\n \nSuperintendent’s Circular SSS-18 \nPage 14 of 44 \n \nthey have a reasonable basis to believe that criminal charges \nmay be pursued against the aggressor. \nIn making this determination, the principal/School leader will, \nconsistent with the Plan and with applicable school or district \npolicies and procedures, consult with their Operational Leader, \nthe School Superintendent, Office of Safety Services and/or the \nBoston Police Department School Unit and other individuals \nthe principal/school leader or designee deems appropriate. \nThe Superintendent’s Office shall be notified." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 15:\n \nSuperintendent’s Circular SSS-18 \nPage 15 of 44 \n \nC. Investigation (see Attachment 1) \nThe principal/school leader or designee will promptly investigate \nall reports of bullying or retaliation and, in doing so, will consider \nall available information known, including the nature of the \nallegation(s) and the ages of the students involved. All reports of \nstaff on student bullying shall be investigated as such, and the \nOffice of Labor Relations shall be notified. \nDuring the investigation, the school leader or their designee shall \nnotify the families/caregivers of the intent to interview their child \nand will proceed (in the presence of the families/caregivers, if" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "requested) to gather information, interview students, staff, \nwitnesses, and others as necessary. \nThe principal/school leader or designee will remind the alleged \naggressor, target, and witnesses that retaliation is strictly \nprohibited and will result in disciplinary action, per section 7.6.3 of \nthe Boston Public Schools Code of Conduct. \nInterviews will be conducted by the principal/school leader or \ndesignee, and in consultation with the school counselor, as \nappropriate. To the extent practicable and given their obligation \nto investigate and address the matter, the principal/school leader \nor designee will maintain confidentiality during the investigative" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "process. The principal/school leader or designee will maintain a \nwritten record of the investigation and upon completion, will file \nand forward the Safe Schools and Bullying Prevention \nInvestigation Form and any additional materials to \nsaws@bostonpublicschools.org. \nProcedures for investigating reports of bullying and retaliation will \nbe consistent with district policies and procedures for \ninvestigations and for possible disciplinary action. If necessary, the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 16:\n \nSuperintendent’s Circular SSS-18 \nPage 16 of 44 \n \nprincipal/school leader or designee will consult with Succeed \nBoston regarding consultation or appeals from \nfamilies/caregivers. The Office of the Superintendent shall be \nnotified should legal counsel pertaining to the investigation of the \nalleged report be necessary. (See Attachment 1 for more specifics.) \nD. Determinations \nThe principal/school leader or designee will make a determination \nof bullying based upon the definition of bullying, the interviews \nwith students, staff, and families/caregivers. If, after investigation, \nbullying or retaliation is substantiated, the principal/school leader" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "or designee will take steps reasonably calculated to prevent \nrecurrence and to ensure that the target is not restricted in \nparticipating in school or in benefiting from school activities. \nWithin 5 days of receipt of the allegation, the principal/school \nleader or designee will: \n1. Determine what remedial action is required (e.g., \nSafety/Support Plan, seating plan), if any \n2. Determine what responsive actions and/or disciplinary \naction is necessary, if any \n3. Notify the families/caregivers of the target and the \naggressor about the results of the investigation and, if \nbullying or retaliation is found, what action is being taken to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "prevent further acts of bullying or retaliation \n4. Submit the investigation and findings using the Safe \nSchools and Bullying Prevention Investigation Form and, if \nbullying was found, document the finding in the BPS SIS. \nDepending upon the circumstances, the principal/school leader or \ndesignee may choose to consult with the student’s teacher(s) \nand/or school counselor, and the target’s or aggressor’s" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 17:\n \nSuperintendent’s Circular SSS-18 \nPage 17 of 44 \n \nfamilies/caregivers, to identify any underlying social or emotional \nissue(s) that may have contributed to the bullying behavior and to \nassess the level of need for additional social skills development. \nAll notices to families/caregivers must comply with applicable \nstate and federal privacy laws and regulations. Because of the \nlegal requirements regarding the confidentiality of student \nrecords, the principal/head of school or designee cannot report \nspecific information to the target’s families/caregivers about the \ndisciplinary action taken unless it involves a “stay away” order or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "other directives that the target must be aware of in order to \nreport violations. \nFor students with disabilities, the principal/school leader will \nreview the child’s IEP to determine whether the child’s disability \nimpacted or impacts their ability to comply with the Code of \nConduct and/or this policy, and where appropriate, convene a \nTEAM meeting to discuss and decide the appropriate \ndetermination which may include behavioral support services or \nother specialized services. \nNEW: Right to Appeal decisions related to the bullying \ninvestigation, findings, and/or response may be submitted \nusing this link." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 18:\n \nSuperintendent’s Circular SSS-18 \nPage 18 of 44 \n \nE. Planning & Oversight \nThe following school or district leaders are responsible for the \nfollowing tasks under the Plan: \nTask \nResponsible Party \n1) Receiving reports on bullying \nSucceed Boston, School \nAdministrators, School Staff \n2) Collecting and analyzing building- \nand/or school-wide data on bullying \nto assess the present problem and to \nmeasure improved outcomes \nSucceed Boston, \nSuperintendent’s Office, Office of \nData and Accountability, \nRP/SAWS \n3) Creating a process for recording \nand tracking incident reports, and for \naccessing information related to \ntargets and aggressors" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "targets and aggressors \nSucceed Boston, Office of Data \nand Accountability \n4) Planning for the ongoing \nprofessional development that is \nrequired by the law \nSucceed Boston \n5) Planning supports that respond to \nthe needs of targets and aggressors \nSucceed Boston, RP/SAWS, \nRegional Liaison Teams \n6) Choosing and implementing the \ncurricula that the school or district \nwill use \nSucceed Boston, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 19:\n \nSuperintendent’s Circular SSS-18 \nPage 19 of 44 \n \n7) Developing new or revising current \npolicies and protocols under the Plan, \nincluding an Internet Safety Plan, and \ndesignating key staff to be in charge \nof implementation \nPrincipals, school leaders, \nSucceed Boston, Office of the \nLegal Advisor, Office of Equity, \nBullying Prevention and \nIntervention Advisory Group \n8) Amending district-wide and \nschool-based student and staff \nhandbooks and Codes of Conduct \nSucceed Boston, Operational \nLeaders, BPS Code of Conduct \nTeam and Office of the Legal \nAdvisor \n9) Leading the families/caregivers or \nfamily engagement efforts and \ndrafting information materials" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "drafting information materials \nSucceed Boston, Office of Family \nand Community Advancement, \nParent University \n10) Reviewing and updating the Plan \nbiennially, or more frequently as \nneeded \nSuperintendent’s Office, \nSucceed Boston, Bullying \nPrevention and Intervention \nAdvisory Group, Office of the \nLegal Advisor, Office of Equity \nAs required by Chapter 86, of the Acts \nof 2014, which amended G.L. c. 71, \n§37O, the Boston Public Schools will \nadminister a department-developed \nstudent survey at least once every \nfour years to assess “school climate \nand the prevalence, nature and \nseverity of bullying in schools.” (G.L. c. \n71, §37O(k)). This may include results" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "71, §37O(k)). This may include results \nof the student/staff/family climate \nSucceed Boston, Office of Data \nand Accountability, Operational \nTeam" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 20:\n \nSuperintendent’s Circular SSS-18 \nPage 20 of 44 \n \nsurvey. \n \nEach school community member is responsible for: \n1. complying with this Plan, where applicable \n2. ensuring that they do not harass, discriminate against, or \ncommit a crime against another person on school grounds \nor in a school-related activity because of that person’s race, \ncolor, religion, national origin, ethnicity, sex, sexual \norientation, age, or disability \n3. ensuring that they do not bully another person on \nschool grounds or in a school-related activity \n4. ensuring that they do not retaliate against any other \nperson for reporting or filing a complaint, for aiding or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "encouraging the filing or a report or complaint, or for \ncooperating in an investigation of harassment, bullying, \ndiscrimination, or a hate crime \n \n5. cooperating in the investigation of reports or complaints \nof harassment, bullying discrimination, retaliation, or a hate \ncrime. \nTRAINING & PROFESSIONAL DEVELOPMENT \nAs required under M. G. L. c. 71, § 37O, Boston Public Schools \nrequires annual bullying prevention and intervention training \n(available in person or asynchronously) for all school staff, \nincluding lunch monitors, school police officers, secretaries, bus" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 21:\n \nSuperintendent’s Circular SSS-18 \nPage 21 of 44 \n \ndrivers, teachers, administrators, and all other itinerant staff. All \ntraining is posted on Vector. For more information contact \nSucceed Boston @ the Counseling and Intervention Center, (617) \n635-8123. \nAnnual Staff Training on the Plan \nBoston Public Schools will offer professional development to all \nadministrators, teachers, paraprofessionals, and all ancillary staff \nmembers under the employment of the Boston Public Schools. \nThis includes Identifying Bullying Behavior, Types of Bullying, \nRoles of Aggressors/Targets/Bystanders, Rights and \nResponsibilities under the Law M. G. L. c. 71, § 37O, Information" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "regarding the most-risk populations (including LGBTQ+ students, \nstudents with disabilities, English Language Learners), Internet \nSafety, Reporting Responsibility, Adult Bias, and Addressing \nStudent Bias-Based Speech and Behavior. \nAdvanced Training \nTo provide effective bullying prevention and intervention services \nand to build capacity, each school shall have at least 2 staff \ntrained as Bullying \nIntervention Specialists (BIS). These specialists will: \n● Serve as a resource to their school community on bullying \nrelated matters \n● Lead relevant training within their school community \n● Coordinate the reporting and/or investigating of incidents if" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "designated by their school leader. \nThe Regional RP/SAWS will provide semi-annual training to the \nregional BIS teams that will further develop best practices and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 22:\n \nSuperintendent’s Circular SSS-18 \nPage 22 of 44 \n \nresources. \nBoston Public Schools will provide a 2-day Bullying Intervention \nSpecialist professional development quarterly throughout the \nyear. The advanced bullying intervention specialist training (see \nAttachment 2) will be posted on Vector. \nThe training will include: \ni. developmentally appropriate strategies to prevent and \nintervene in bullying incidents \nii. information regarding the complex interaction and \npower differential that can take place between and \namong an aggressor, target, and witnesses to the \nbullying \niii. research findings on bullying, and resources for the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "development of programs in schools \niv. information on the incidence and nature of \ncyberbullying and internet safety issues \nv. bias-based bullying and sexual harassment \nvi. issues specific to LGBTQ+ students \nviii. students with disabilities \n● legal rights/IDEA/FAPE \nix. adult bias and impact on bullying intervention \nand prevention. \n● The Regional RP/SAWS will continue to share literature \ncovering the latest information in bullying prevention & \nintervention. This literature will include strategies for" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 23:\n \nSuperintendent’s Circular SSS-18 \nPage 23 of 44 \n \ncreating a culture and environment that will prevent \nbullying. \n● Professional Development opportunities to identify \nstrategies for students with disabilities who are either \naccused of or are targets of bullying (per BPS Code of \nConduct). \n● Annual updated electronic links to the Bullying Prevention \nand Intervention Protocols." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 24:\n \nSuperintendent’s Circular SSS-18 \nPage 24 of 44 \n \n \nACCESS TO RESOURCES AND SERVICES \nA key aspect of promoting positive school climates that provide \nstudents with feelings of belonging and safety is ensuring that \nthe underlying emotional needs of all students are addressed. \nThese students include targets, aggressors, and bystanders of \nbullying or cyberbullying. The Boston Public Schools will also \naddress the emotional needs of these students’ families. Please \nsee Anti-Bullying Resources for further information. \nIdentifying resources in schools \n● School staff, together with building administrators, will work" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "to identify the school’s capacity to provide counseling, case \nmanagement, and other services for students (targets, \naggressors, bystanders) and their families. Curricula and \nresources can be accessed through the Boston Public \nSchool’s Succeed Boston’s website succeedboston.org \n● Schools will conduct an annual review of staffing and \nprograms that support the creation of positive school \nenvironments, focusing on early interventions and intensive \nservices, and develop recommendations and action steps to \nfill resource and service gaps. \n● The Boston Public Schools will continue to work in \ncollaboration with local and state agencies to adopt" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "evidence-based curricula and to provide additional \npreventive services to students, families/caregivers and all \nschool staff." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 25:\n \nSuperintendent’s Circular SSS-18 \nPage 25 of 44 \n \n \nCounseling and other services \n● Succeed Boston’s Student Support and Prevention \nWorkshops provide an alternative to a suspension to \nincrease students’ understanding about the impact of \nbullying, build empathy and social and emotional skills to \nstop and prevent bullying. \n● School counselors, nurses, school psychologists, and special \neducators provide a variety of skill-based services to students \nwithin the educational setting that include ongoing \nemotional support, risk assessment, crisis intervention, and \nhelp with community-based counseling referrals when \nappropriate." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "appropriate. \n● School staff meet with families/caregivers and teachers as \nneeded to help address students’ academic, social, \nemotional, and behavioral concerns as collaboratively as \npossible. \n● Regional liaisons, especially the RP/SAWS, will work with \nschool teams and administrators to develop and, if needed, \nco-facilitate culturally and linguistically appropriate \nresources to identified families. \n● School counselors maintain up-to-date information on \ncommunity-based mental health referrals as well as \nCommunity Service Agencies (CSAs) within the local area, \nproviding services to students and families. \n● Regional liaisons, especially the RP/SAWS, will work" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "collaboratively with and support the BIS, school counselors, \nschool psychologists, and intensive special needs educators" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 26:\n \nSuperintendent’s Circular SSS-18 \nPage 26 of 44 \n \nto: \n1. Develop behavior plans and groups for students to build \nupon their social and emotional skills, \n2. Educate and support families/caregivers, \n3. Conduct workshops for families/caregivers \n4. Connect families/caregivers of outside resources to build \nskills \nSTUDENTS WITH DISABILITIES \nAs required by M. G. L. c. 71B, § 3, as amended by Chapter 92 of the \nActs of 2010, when the IEP Team determines that the student has \na disability that affects social skills development or the student \nmay participate in or is vulnerable to bullying, harassment, or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "teasing because of their disability, the Team will consider what \nshould be included in the IEP to develop the student’s skills and \nproficiencies to avoid and respond to bullying, harassment, or \nteasing. \nREFERRAL TO OUTSIDE SERVICES \nBoston Public Schools school counselors and other specialists will \nhelp students and families access appropriate and timely services \nnecessary to address student needs as a result of bullying. \nReferrals shall comply with relevant laws and policies. \nACADEMIC & NON-ACADEMIC ACTIVITIES \nThe Boston Public Schools will provide age-appropriate \ninstruction on bullying prevention in each grade and incorporate" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "it into the school’s or district’s curricula. Succeed Boston provides \nonline Student Support and Prevention Workshops to students in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 27:\n \nSuperintendent’s Circular SSS-18 \nPage 27 of 44 \n \ngrades 1-12 to learn about the impact of bullying and develop skills \nto stop and prevent bullying. \nEffective instruction will include classroom approaches, whole \nschool initiatives, focused strategies for bullying prevention, and \nsocial skills development. \nSpecific bullying prevention approaches: \n● Using scripts and role plays to develop skills. \n● Empowering students to take action by knowing what to do \nwhen they witness other students engaged in acts of \nbullying or retaliation, including seeking adult assistance. \n● Helping students understand the dynamics of bullying and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "cyberbullying, including the underlying power imbalance. \n● Build and reinforce student empathy. \n● Reinforce and elevate students who model being helpful \nbystanders \n● Emphasizing cyber safety, including safe and appropriate \nuse of electronic communication technologies \n● Enhancing students’ skills for engaging in healthy \nrelationships and resolving conflicts with respectful \ncommunications. \n● Engaging students in a safe, supportive school environment \nthat \n● is respectful of diversity and difference." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 28:\n \nSuperintendent’s Circular SSS-18 \nPage 28 of 44 \n \nGeneral teaching approaches that support bullying prevention \nefforts: \n● Create a strong anti-bullying plan that will be enforced first \nand foremost by adults \n● Build in learning and embed bullying in the curriculum (e.g., \nELA, social studies, history, health classes) \n● Empower bystanders who witness bullying activities with \nskills and support to intervene appropriately \n● Promote acceptance and respect in order to improve the \nschool climate to include all students in meaningful ways \n● Help students and staff understand the definition of bullying" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "– what it is and what it isn’t (e.g., conflict, fighting, teasing) \n● Recognize the dynamics and complexities involved in \naggressor-target relationships \n● Develop intervention programs that will reduce the \nprevalence of bullying behaviors and create a safe school \nclimate that fosters positive learning experiences for all \nstudents \n● Be creative in developing strategies to promote social \ncompetence for children who are aggressors, targets of \nbullying, and bystanders \n● Develop ways to help students who are aggressors find more \nprosocial ways of experiencing positive rewards \n● Build an effective support system for protecting targets of \nbullying." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 29:\n \nSuperintendent’s Circular SSS-18 \nPage 29 of 44 \n \nThe Boston Public Schools has incorporated a range of \nindividualized strategies and interventions that may be used in \nresponse to remediate a student’s skills or to prevent further \nincidents of bullying and/or retaliation. Combining and \nincorporating a Multi-Tiered System of Support (MTSS), social and \nemotional skill building, school-wide positive behavior \ninterventions and supports (PBIS) focused on prevention services \nschool-wide, creates a level change across the classroom, school, \nand district. These changes not only improve outcomes but \naddress and improve the academic and non-academic needs of" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "all students, including students with disabilities. \nTEACHING APPROPRIATE BEHAVIOR THROUGH SKILL BUILDING \nUpon the principal/school leader or designee determining that \nbullying or retaliation has occurred, the law requires that the \nschool or district use a range of responses that balance the need \nfor accountability with the need to teach appropriate behavior. \nM.G.L. c. 71, § 37O. \nSkill-building approaches that the principal/school leader or \ndesignee may consider include: \n● referring students to Succeed Boston online Student \nSupport and Prevention Workshops for students in grades 1- \n12 to learn about the impact of bullying and develop skills to \nstop and prevent bullying" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "stop and prevent bullying \n● providing relevant push in support and co-facilitation of \neducational and social and emotional skill building activities \nfor individual students or groups of students, in consultation \nwith school counselors and other appropriate school \npersonnel \n● implementing a range of academic and nonacademic" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 30:\n \nSuperintendent’s Circular SSS-18 \nPage 30 of 44 \n \npositive behavioral supports to help students understand \nprosocial ways to achieve their goals. \n● meeting with families/caregivers to support and to reinforce \nthe anti-bullying curricula and social skills building activities \nat home \n● adopting support plans to include a focus on developing \nspecific social skills; making a referral for evaluation. \nTAKING DISCIPLINARY ACTION \nIf the principal/school leader or designee decides that disciplinary \naction is appropriate, the disciplinary action will be determined \nbased on facts found by the principal/school leader or designee," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "including the nature of the conduct, the age of the student(s) \ninvolved, a child’s IEP where appropriate, and the need to balance \naccountability with the teaching of appropriate behavior. \nDiscipline will be consistent with the Boston Public Schools \nBullying Prevention and Intervention Plan, the Boston Public \nSchools Code of Conduct, and with the school-based student \nhandbook. Discipline procedures for students with disabilities are \ngoverned by the federal Individuals with Disabilities Education \nAct (IDEA), which should be read in cooperation with state laws \nregarding student discipline. \nIf the principal/school leader or designee determines that a" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "student knowingly made a false allegation of bullying or \nretaliation, that student may be subject to disciplinary action \nconsistent with the BPS Code of Conduct." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 31:\n \nSuperintendent’s Circular SSS-18 \nPage 31 of 44 \n \n \nPROMOTING SAFETY FOR THE TARGET AND OTHERS \nThe principal/school leader or designee(s) will consider what \nadjustments (including a safety/support/action plan) are needed \nin the school environment to assure the target's sense of safety \nand that of others. \nWithin a reasonable period following the determination and the \nordering of remedial and/or disciplinary action, the \nprincipal/school leader or designee will contact the target and the \nfamilies/caregivers to determine whether there has been a \nrecurrence of the prohibited conduct and whether additional" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "supportive measures are needed. If so, the principal/school leader \nor designee will work with appropriate school staff to implement \nthem immediately. \nCOLLABORATION WITH FAMILIES/CAREGIVERS \nThe Boston Public Schools Bullying Prevention and Intervention \nPlan includes strategies to engage and collaborate with students’ \nfamilies/caregivers to increase the capacity of each of our schools \nas well as the district to prevent and respond to bullying. \nResources for families/caregivers and communication with them \nare essential aspects of effective collaboration. The bullying \nprevention and intervention curricula used by the schools shall be" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "made available to families/caregivers and include: \n1. How families/caregivers can reinforce the curricula at \nhome and support the school or district plan \n2. The dynamics of bullying \n3. Online safety and cyberbullying" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 32:\n \nSuperintendent’s Circular SSS-18 \nPage 32 of 44 \n \nFamilies/caregivers will also be notified in writing each year about \nthe student-related sections of the Boston Public Schools Bullying \nPrevention and Intervention Plan and the Boston Public Schools \nInternet Acceptable Use Policy. \nSchools will collaborate with School Site Councils and parent \norganizations to create families/caregivers’ resources and \ninformation networks. Schools will join with these \nfamilies/caregivers groups to offer education programs for them \nthat are focused on the components of the anti-bullying curricula \nand any social competency curricula used by the school(s)." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 83, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Schools will annually inform families/caregivers of enrolled \nstudents about the anti-bullying curricula that are being used. \nThis notice will include information about the dynamics of \nbullying, including cyberbullying and online safety. All notices \nand information made available to families/caregivers will be in \nhard copy and electronic formats and will be available in the \nlanguage(s) most prevalent in BPS. Each school will post the \nBoston Public Schools Bullying Prevention and Intervention Plan \nand related information on its website. \nRELATIONSHIP TO OTHER LAWS \nConsistent with state and federal laws and the policies of the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 84, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "school or district, no person shall be discriminated against in \nadmission to a public school of any town or in obtaining the \nadvantages, privilege, and courses of study of such public school \non account of race, color, sex, religion, national origin, or sexual \norientation. Nothing in the Boston Public Schools Bullying \nPrevention and Intervention Plan prevents the school or district \nfrom taking action to remediate discrimination or harassment \nbased on a person’s membership, or perceived membership, in a \nlegally protected category under local, state, or federal law, or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 85, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 33:\n \nSuperintendent’s Circular SSS-18 \nPage 33 of 44 \n \nschool or district policies. \nIn addition, nothing in this Plan is designed or intended to limit \nthe authority of the school or district to take disciplinary action or \nother action under M.G.L. c. 71, §§ 37H or 37H½, other applicable \nlaws, or local school or district policies in response to violent, \nharmful, or disruptive behavior, regardless of whether this Plan \ncovers the behavior. \nFor more information about this circular, contact: \nOwner: \nSenior Director of Succeed Boston @ the \nCounseling and Intervention Center \nDepartment: \nSucceed Boston @ the Counseling and \nIntervention Center \nMailing \nAddress:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 86, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Intervention Center \nMailing \nAddress: \n515 Hyde Park Ave, Roslindale, MA 02131 \nPhone: \n617-635-8123 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nsaws@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 87, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 34:\n \nSuperintendent’s Circular SSS-18 \nPage 34 of 44 \n \n \nATTACHMENTS: \n1. How to Conduct a Bullying Investigation \n2. Professional Development — Bullying Intervention Specialist \nTraining \n3. Safe Schools and Bullying Prevention and Intervention \nReporting Form" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 88, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 35:\n \nSuperintendent’s Circular SSS-18 \nPage 35 of 44 \n \nATTACHMENT 1: \nHOW TO COMPLETE A BULLYING INVESTIGATION \nStep 1: After contacting families/caregivers, set up a \nmeeting with the alleged targeted student (target) \nAre there safety concerns? If yes, develop a safety plan with the \ninput of the target and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and “specials.” \nb. With the help of the targeted student, identify a trusted \nadult the student can go to for assistance. \n● Notify the trusted adult of the plan. \n● Notify the teacher(s) of the allegation and the trusted \nadult. \nc. Consider an inconspicuous way the target could signal in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 89, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "real-time that something was happening and/or the target \nneeded to leave the room to go to a prior agreed-upon class, \noffice, person. \nd. Take a statement from the target and get the names of \nwitnesses if any. \nStep 2: After contacting the families/caregivers of the alleged \naggressor, set up a meeting with the student. \nAre there any safety concerns? If yes, develop a safety or action \nplan with the input of the aggressor and the families/caregivers. \na. Consider class seating, bus, lunch, recess, and \n“specials.”" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 90, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 36:\n \nSuperintendent’s Circular SSS-18 \nPage 36 of 44 \n \nb. With the help of the aggressor, identify a trusted adult \nthe student can go to for assistance. \nc. Notify the trusted adult of the plan. \nd. Notify the teacher(s) of the allegation and the trusted \nadult. \ne. Consider an inconspicuous way the target could signal in \nreal-time that something was happening, and/or the target \nneeded to leave the room to go to a prior agreed-upon \nclass, office, or person. \nIf there are no safety concerns for the aggressor, develop an \naction plan that keeps the target and aggressor separate. \na. Consider class seating arrangements, lunch bus, “specials” \nand recess." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 91, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "and recess. \nb. Notify the teacher(s) of the allegation, and any action \nplans developed. \nc. Take a statement from the alleged aggressor. \nStep 3: Document statements from all witnesses \nStep 4: Assess whether the situation meets the standard for \nbullying: \n1. Power imbalance \n2. Repeated \n3. Intentional" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 92, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 37:\n \nSuperintendent’s Circular SSS-18 \nPage 37 of 44 \n \n \nStep 5: Does this allegation involve targeting based on, or \nperceived, membership in a protected class (race, color, national \norigin, ethnicity, religion, pregnancy, homelessness, criminal \nrecord, sex, sexual orientation, gender identity, disability, age, \ngenetics, or active military status?) If yes, contact the Boston \nPublic Schools Office of Equity. \nIf no, proceed to step 6. \nStep 6: All allegations of bullying that have been investigated \nmust be filed with Succeed Boston by completing the Safe \nSpace and Bullying Prevention Investigation Reporting Form \nand documented in the BPS SIS." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 93, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "and documented in the BPS SIS. \n1. Document dates of meetings and calls with \nfamilies/caregivers. \n2. Document all interviews. \n3. Determine if the allegation is bullying, retaliation, simple \nconflict, or Code of Conduct violation. \n4. Document action taken. \n5. Schedule a date to follow up with all parties. \n6. Document incident in SIS under the Conduct Module \nSection 7.1. of the Code of Conduct. \nPlease note: \n● Upon receipt of the bullying complaint, the principal/school \nleader or designee must confirm receipt of the complaint to \nthe families/caregivers within 24 hours." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 94, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 38:\n \nSuperintendent’s Circular SSS-18 \nPage 38 of 44 \n \n● The investigation must be completed within 5 school days, \nand the principal/school leader or designee will notify the \nfamilies/caregivers of the target and the aggressor of the \nfindings, and of the procedures for responding to it. \n● To ensure the safety of students and compliance with all BPS \nmandates and State laws, repeated allegations from \nfamilies/caregivers and/or no response from the \nprincipal/school leader will be forwarded to the operational \nleader and the school superintendent for follow-up." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 95, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 39:\n \nSuperintendent’s Circular SSS-18 \nPage 39 of 44 \n \nATTACHMENT 2: \nBOSTON PUBLIC SCHOOLS 12 HOUR PROFESSIONAL \nDEVELOPMENT \n“Bullying Intervention Specialist Training” \nTo build capacity across the district and effectively deal with \nallegations of bullying, each school must have at least two staff \ncomplete the 12-hour training leading to certification as a \n“Bullying Intervention Specialist.” Once certified, these specialists \nwill lead the annual bullying prevention and intervention training \nat their schools and will spearhead the creation and maintenance \nof Caring Communities and Bully Free Schools. Succeed Boston" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 96, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "will offer quarterly training sessions throughout the school year. \nPlease register on Teach Point. \nIn this training, staff will: \n● Learn about state and district regulations, procedures and \nprotocols \n● Become familiar with BPS reporting and investigation \nprotocols \n● Develop safety plans for targets and action plans for \naggressors \n● Learn about the different types of bullying \n● Differentiate between bullying and conflict and how to \nrespond to each \n● Understand the role school staff play in preventing bullying \n● Learn about culturally and linguistically sustaining practices" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 97, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 40:\n \nSuperintendent’s Circular SSS-18 \nPage 40 of 44 \n \nthat lead to spaces that feel safe, welcoming and are \ninclusive \n● Understand how adult bias and micro-aggression impact \nstaff’s ability to effectively develop relationships with \nstudents involved in bullying \n● Develop an awareness of suicide and suicide prevention \nresources \n● Understand the unique way bullying impacts LGBTQ+ and \nELL students and students with disabilities \n○ Become familiar with FAPE and IDEA as they relate to \nbullying \n● Develop strategies to empower bystanders \n● Learn to differentiate bullying and bias-based speech and \nbehavior \n● Learn best practices to address bullying" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 98, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "● Learn best practices to address bullying \n● Listening and talking to families with empathy \n● Become familiar with resources to develop and implement \nschool-based programs. \n● Develop plans for family workshops" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 99, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 41:\n \nSuperintendent’s Circular SSS-18 \nPage 41 of 44 \n \nATTACHMENT 3: \nSAFE SPACE AND BULLYING PREVENTION REPORTING \nFORM - Boston Public Schools \n1. Name of the person reporting this bullying allegation. \nWrite \"NA\" if you want to report anonymously. Note, \nno disciplinary action will be taken solely on the basis \nof an anonymous report. \n2. Phone number of the person reporting this bullying \nallegation. Write \"NA\" to remain anonymous \n3. Who is reporting this bullying allegation? \n○ I'm a student reporting for myself \n○ I'm a student reporting for another student \n○ I'm a family member/caregiver reporting on \nbehalf of my child \n○ I'm a school staff member (admin, educators," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 100, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "○ I'm a school staff member (admin, educators, \nsupport staff, etc.) reporting for a student \n4. Name and email of person completing this form (if \ndifferent than above): Write \"NA\" if not relevant. \n5. Role of person completing this form (if different than \nabove) \n○ Bullying Hotline Staff (Succeed Boston staff only) \n○ BPS Help Line Staff \n○ School Staff member" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 101, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 42:\n \nSuperintendent’s Circular SSS-18 \nPage 42 of 44 \n \n○ NA \n6. Have you already reported this incident to the school \nleader? \n○ Yes \n○ No \n7. Name of alleged target: \n8. Student ID# of alleged target: (Please put 0 if \nunknown) \n9. School of alleged target: \n10. Grade of alleged target: \n11. Does the alleged target receive special education \nservices? \n○ Yes \n○ No \n○ Unsure \n12. Name and grade of the alleged aggressor(s): (If the \nalleged aggressor is an adult, please indicate) \n13. Do any alleged aggressor(s) attend a different school? \nIf yes, please type the name of the school(s) below. (If \nnot, please write \"NA\")" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 102, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "not, please write \"NA\") \n14. Date, time, and location of incident(s): (If not known, \nplease write \"NA\")" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 103, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 43:\n \nSuperintendent’s Circular SSS-18 \nPage 43 of 44 \n \n \n15. If the incident occurred on a school bus, please list \nthe bus number below: (If not on a bus, please write \n\"NA\") \n16. Describe the incident, including names, details of \nwhat happened, and specific words used. You may \nsend additional evidence (i.e., video, screenshots, \nemails) to saws@bostonpublicschools.org. \n17. Witnesses: List the names of any people who saw the \nincident or may have information about it: (If none, \nplease write \"NA\") \n18. Does this bullying allegation involve bias-based \nspeech or behavior? “Bias-based” bullying, including \ncyberbullying or harassment, is when a person is" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 104, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "cyberbullying or harassment, is when a person is \nbullied because of membership in, or perceived \nmembership in, a protected class. Protected classes: \nrace, color, age, physical or mental disability, \npregnancy and pregnancy-related conditions, \ncriminal record, homelessness, sex/gender, gender \nidentity, religion, national origin, ancestry, sexual \norientation, genetics, natural or protective hairstyle, \nsocioeconomics, and retaliation. Please note: All \ninvestigations involving bias-based speech or \nbehavior will be forwarded to the Office of Equity by \nSucceed Boston. \n○ Yes \n○ No" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-18 Bullying Prevention and Intervention Plan", + "chunk_id": 105, + "uri": "https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link", + "content": "Page 44:\n \nSuperintendent’s Circular SSS-18 \nPage 44 of 44 \n \n19. Are you concerned for the student's safety? \n○ Yes \n○ No" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nSSS-02 \nVersion 01 \n \nHOMELESS STUDENTS — GUIDELINES AND \nPROCEDURES \nThis circular will remain in effect unless rescinded or \nsuperseded by a subsequent version \nINTRODUCTION \nThe McKinney-Vento Homeless Assistance Act, reauthorized in \nDecember 2015 through the federal Every Student Succeeds Act \n(ESSA), ensures educational rights and protection for children \nand youth experiencing homelessness. \nDEFINITION OF HOMELESSNESS \nThe federal government defines a child or youth who is homeless \nas one who lacks a fixed regular and adequate residence or has a \nprimary nighttime residence not designed for or ordinarily used" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "as a regular sleeping accommodation for human beings. \n(McKinney-Vento Homeless Assistance Act, Section 103 (A) (1) (2)). \nUnder the federal definition, the following children are \nconsidered homeless: \n• Children and youth who are sharing the housing of other \npersons due to loss of housing, economic hardship, or a \nsimilar reason; are living in motels, hotels, trailer parks, or \ncamping grounds due to lack of alternative adequate" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SSS-02 \nPage 2 of 10 \n \naccommodations; are living in emergency or transitional \nshelters; are abandoned in hospital; or are awaiting foster \ncare placement. \n• Children and youth who have a primary nighttime residence \nthat is a public or private place not designed for or ordinarily \nused as a regular sleeping accommodation for human \nbeings. \n• Children and youth who are living in cars, parks, public \nspaces, abandoned buildings, substandard housing, bus or \ntrain stations, or similar settings. \n• Unaccompanied youth – youth not in the physical custody \nof a parent or guardian. \nBoston Public Schools (BPS) is responsible for ensuring the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "identification, enrollment, attendance, and academic success of \nstudents who are homeless. All personnel should be aware of the \nunique needs of children, adolescents, and families who are \nhomeless. This growing population may be at risk due to the \ntransitional nature and status of their lives. For children and \nadolescents, school may represent stability and consistency in \nwhat otherwise is often an unstable situation. We are committed \nto supporting our students who are experiencing homelessness \nand strive to keep students in their home schools. \nSTATEMENT OF PURPOSE AND SCOPE \nThis circular is intended to provide school staff with guidance" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "regarding the rights of students who are homeless and provide \nthem with the education services needed to ensure they have an \nequal opportunity to meet the same academic standards to \nwhich all students are held. There are, however, some procedures" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SSS-02 \nPage 3 of 10 \n \nthat may differ from the standard procedures. These may include \nchoice of school, registration, transportation, record transfer, and \nconfidentiality. \nSCHOOL SELECTION \nA student who is experiencing homelessness has the right to \ncontinue attending the school of origin (i.e., the school they were \nattending when permanently housed or the school in which they \nwere last enrolled) or a school within the new community where \nthey are temporarily housed. This right is guaranteed under the \nMcKinney-Vento Homeless Assistance Act. \nSCHOOL ASSIGNMENT AND TRANSPORTATION \nIf a student who is attending the Boston Public Schools becomes" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "homeless and needs transportation, the family should visit one of \nthe BPS Welcome Centers: \nhttps://www.bostonpublicschools.org/welcomecenters \nFamilies requesting reassignment should also visit any of the \nWelcome Centers at various locations: \n• Roslindale: 515 Hyde Park Ave. Roslindale, 617-635-8040 \n• Dorchester: 1216 Dorchester Ave. Dorchester, 617-635-8015 \n• Roxbury: 2300 Washington St., Roxbury, 617-635-9010 \n• East Boston: 312 Border Street, Boston, MA 02128, \n617-635-9597 \nFamilies who are experiencing homelessness and move into \nBoston have the right to enroll their children in the Boston Public \nSchools. They should go to any Welcome Center Site to register." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "An individual may be considered to be homeless if that person is \n“doubled-up,” a term that refers to a situation where individuals" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SSS-02 \nPage 4 of 10 \n \nare unable to maintain their housing situation and are forced to \nstay with a series of friends and/or extended family members. \nStudents who become homeless and move to a shelter or other \nfacilities outside the school district may continue to attend their \nschool of origin. Transportation will be available if they reside \nwithin an hour of their school. Please contact the Homeless \nEducation Resource Network (HERN) or 617-6359620 to discuss \nany difficulty that a child temporarily without a home may be \nexperiencing. \nDISPUTE RESOLUTION \nIf a dispute arises over enrollment and/or transportation, the local" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "school district must immediately enroll the homeless student in \nthe school in which enrollment is sought pending resolution of \nthe dispute, and must provide the parent, guardian, or \nunaccompanied youth with both a written statement of the \nschool placement decision and a notice of the right to appeal the \ndecision. The school district must refer the unaccompanied \nyouth, parent, or guardian to the homeless education liaison, who \nwill expeditiously carry out the dispute resolution process. The \nfinal decision in such a situation resides with the Massachusetts \ncommissioner of education. \nReimbursement is available at the City of Boston mileage rate for" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "parents who are sheltered outside of Boston and transport their \nchildren back to the school district. \nATTENDANCE WAIVERS \nStudents experiencing homelessness may have absences \nexcused and will be assessed on a case-by-case basis." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SSS-02 \nPage 5 of 10 \n \nAn absence may be excused for the following reasons: \n• Students who are homeless in or out of district and are \nawaiting transportation. \n• Students who are tardy due to placement issues. \nPlease contact Assistant Director, Opportunity Youth, for further \ninformation (Operations-Department-\nHeads@bostonpublicschools.org) \nSCHOOL ENROLLMENT AND RECORD TRANSFER \nPrincipals and heads of school should follow all current \nprocedures for the transfer of academic and health records for \nstudents who are experiencing homelessness. Although not \nmandated, it is helpful if students who are temporarily without" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "homes provide the following documentation at the time of \nregistration: \n• Birth certificate \n• Immunization and medical records \n• Special Education Individual Educational Plan (IEP) \nSERVICES FOR STUDENTS WHO ARE HOMELESS AND NOT \nLIVING IN SHELTERS \nStudents not living in shelters and are “doubled-up” and identify \nthemselves as being homeless will have access to all services as \noutlined in this memorandum. \nA. Curriculum on Homeless Issues/Professional Development \nIt is important to teach all staff and students about homelessness \nand its causes and conditions to ensure all students understand \nthat homelessness is caused by lack of affordable housing and" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SSS-02 \nPage 6 of 10 \n \nnot the fault of a child temporarily without a home or their \nparent. The BPS Homeless Education Resource Network (HERN), \nas well as the Massachusetts Department of Elementary and \nSecondary Education, have several videos on homelessness \navailable as well as expertise in workshop and curriculum \nplanning. In addition, training and seminars on homelessness are \navailable through HERN and are free to Boston Public Schools \nfaculty and staff. To arrange for these at your school or to enroll in \nan upcoming professional development opportunity, contact \nAssistant Director, Opportunity Youth Operations-Department-" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Heads@bostonpublicschools.org \nIdentification of a School-based Homeless Liaison \nEach school in the district must identify one staff member \nto serve as the main contact point for homeless services if \none does not already exist (e.g., the school-based homeless \nliaison) to work in concert with HERN to connect the school \nand students and families experiencing homelessness, or at \nrisk of homelessness, to city and state resources. The school-\nbased homeless liaison works collaboratively with HERN to \nensure that students experiencing homelessness have the \nnecessary individualized resources and support to learn. \nHERN provides multiple opportunities for school-based" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "homeless liaisons to receive targeted professional \ndevelopment throughout the school year. School-based \nhomeless liaisons serve an essential role in ensuring that all \nstaff and students in their school understand the available \nservices and process to request assistance. \nBy October 1, school leaders should submit the name, contact \ninformation and title of their designated school-based homeless" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SSS-02 \nPage 7 of 10 \n \nliaison to the Senior Director of Opportunity Youth Operations-\nDepartment-Heads@bostonpublicschools.org \nIdentification and Referrals of Students Experiencing \nHomelessness \nStudents and families experiencing homelessness or at risk \nof homelessness may request assistance using the HERN \nreferral form, which is available electronically on the ASPEN \nStudent Information System (SIS). A student or family \nmember may request that any BPS staff member with \nASPEN access submit a referral form on their behalf. This \nprocess increases access to assistance by allowing the \nreferral to be submitted by a BPS staff member with whom" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "the student or family member has a trusting relationship. \nThis process will also increase the identification of students \nexperiencing homelessness by making it easier for students \nand family members to make the request at the school level. \nSchool-based homeless liaisons are expected to inform all \nstaff members in their school of the availability of the form \non ASPEN and their role in being able to submit a referral on \nthe student’s behalf. Once the form is submitted, HERN will \nproceed with its normal process of verifying the information. \nOnce information has been verified and the student’s \nservice needs have been identified, HERN will contact the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "designated school-based liaison to work collaboratively to \ninstitute a service plan for the student and/or family. The \nhard copy version of the HERN referral form will still be \naccepted and can be submitted directly to the HERN office \nor any of the three BPS Welcome Centers." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SSS-02 \nPage 8 of 10 \n \nCONFIDENTIALITY \nFor many reasons, homeless families may not want to reveal that \ntheir living status has changed. While most shelters encourage \nparents to notify the schools of a change in residence, they \ncannot mandate it, since state and federal laws which regulate \nconfidentiality are very restrictive. Children who are temporarily \nwithout homes present many of the same characteristics as \nother at-risk children. Therefore, the best practice is to \nstrengthen the communications between all parents and school \npersonnel so that procedures are in place to reach out to families" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "and students who are in transition or educationally at-risk. This \nmeans, at a minimum, schools should communicate frequently \nwith parents and stress the necessity of updating the student’s \nemergency information. \nSchools, and school-based homeless liaisons in particular, are \nencouraged to maintain up-to-date records of students \nexperiencing homelessness in the ASPEN SIS and communicate \nwith HERN regularly to ensure adequate assistance and provision \nof services to students and families experiencing homelessness. \nIn serving students who are homeless, please be mindful of the \nfollowing: \n• Many students and parents who are temporarily without" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "homes prefer to keep their current living situations private. \n• Students and their families may feel threatened and/or \nembarrassed if approached by school staff. Thus, to respect \ntheir privacy and confidentiality, school staff should not \napproach students or their families directly to discuss their \ntemporary lack of permanent residence. Rather, students" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SSS-02 \nPage 9 of 10 \n \nand families should be given the opportunity to raise the \nissue themselves if they so choose. \n• It may not be necessary for staff members to know that a \nstudent is homeless. Thus, school staff should be told this \ninformation on an as needed basis only. \nIn the event of an emergency, or when services and information \nare lacking for a child believed to be homeless, contact Assistant \nDirector, Opportunity Youth at 617-6359620 or Operations-\nDepartment-Heads@bostonpublicschools.org \nSenior Director of Health Services, 617-635-6788, should be \nnotified if families do not present current immunization records" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "at the time of registration. \nHome and Hospital Instruction provides services for students \nwho are homeless and are impaired physically and/or mentally. \nFor additional information, contact Home and Hospital program \ncoordinator, 617-635-6633." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-02 Homeless Students", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SSS-02 \nPage 10 of 10 \n \nFor more information about this circular, contact: \nOwner: \nSenior Director \nDepartment: \nDepartment of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-9620 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nSSS-09 \nVersion 01 \n \n \n \nEMPLOYMENT PERMIT APPLICATIONS AND ISSUANCE \nOF WORK PERMITS FOR STUDENTS AGES 14 \nTHROUGH 17 \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nDuring the school year, all Boston Public School students \nrequiring working papers (employment permits and educational \ncertificates) will obtain such from guidance counselors or \ndesignated staff in their individual schools. \n• Guidance counselors will supervise the issuance of working \npapers, but the secretary designated by the principal or \nhead of school will perform the clerical process of issuing \nthe papers." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "the papers. \n• Principals and heads of school will determine the time that \nthe secretary will perform this function. \n• Occasionally, exceptional circumstances (e.g., heavy \nworkload, unscheduled assignments) occur, making it \nimpossible for the secretary to perform this task. During \nthose times, the guidance counselor will process working \npapers. \nCharter schools are public schools. Charter school students will \nobtain the employment permit from their school staff." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SSS-09 \nPage 2 of 4 \n \n \n \nParochial, private, and METCO school students who are residents \nof Boston will obtain the required permits/certificates through \nthe Welcome Centers of the Boston Public Schools using the \nonline process located on the BPS website \nwww.bostonpublicschools.org. Boston Public School students \ncan also obtain their permits/certificates using the online process \nlocated on the Boston Public Schools website \nwww.bostonpublicschools.org when their school is not in session \n(e.g., summer months, school vacations, etc.). \n \nPROCEDURE \nAll students under the age of 18 must obtain a work permit" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "before starting a new job per Massachusetts General Laws, \nChapter 149, Sections 86-89. \nThe following process must be followed as outlined in the \nCommonwealth of Massachusetts Employment Permit \nApplication for 14 through 17-year-olds. \n1. All students must obtain a Promise of Employment. \n2. The employer must complete the Promise of Employment \nsection and sign off on it. \n3. ONLY 14 and 15-year-olds must obtain a signed physician’s \ncertificate of health. \n4. All students must have their parent/guardian sign the \npermit application. \n5. The student must also sign the permit application." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SSS-09 \nPage 3 of 4 \n \n \n \n6. When the permit application is completed, it should be \nreturned to the school guidance \n7. counselor or the school designee. \n \nThe school staff will verify the date of birth and issue a work \npermit. The employment permit application will be kept on file. If \nit is during non-school periods, or the student does not attend a \nBoston Public School, but is a resident of Boston, the student will \nutilize the BPS online Youth Work Permit Request form located \non the website www.bostonpublicschools.org. Proof of the \nstudent's age, such as a birth certificate, passport, immunization" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "record, etc., should be provided. An employment permit will then \nbe issued. \nPlease note that a work permit may not be issued to a parent. \nMassachusetts General Laws Chapter 149, Section 89 requires \nthat the child appear in person with proper identification. \nAccording to the Commonwealth of Massachusetts \n(https://www.mass.gov/service-details/youth-employment-\npermit-information): all teens under 18 years of age must \ncomplete a work permit application and get a work permit \nbefore starting a new job. Please see the complete summary of \nthe Massachusetts laws regulating child labor for further \ninformation. \nWith very limited exceptions, minors under the age of 14 may not" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "work. All minors under the age of 18 must complete an \nemployment permit application and get their permit before \nstarting a new job. You can download Youth Employment Permit" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SSS-09 \nPage 4 of 4 \n \n \n \nApplication and Youth Permit Process. You can also access these \nforms in Spanish, Portuguese, Chinese, and Vietnamese. \nFORMS \n1. Employment permit applications can be found and printed \nat https://www.mass.gov/service-details/youth-\nemployment-permit-information \n2. When school is not in session, please complete this form \nand upload the required documents. Once completed, a \nBPS Welcome Services team member will contact you \nwithin two business days regarding the next steps for your \nwork permit. Parochial, private and METCO school students \nthat are Boston residents may utilize this form during the \nentire year." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-09 Employment Permit Applictions and Issuance of Work Permits", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link", + "content": "entire year. \nFor more information about this circular, contact: \nName: \nDirector of Guidance, Office of Schools & \nAccountability \nDepartment: Guidance Services, Office of Schools & \nAccountability \nMailing \nAddress: \n443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-8030 \nE-mail: \ncchiu@bostonpublicschools.org; Operations-\nDepartment-Heads@bostonpublicschools.org \nMary Skipper, Superintendent" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nSSS-19 \nVersion 01 \n \n \n \nHOME AND HOSPITAL INSTRUCTION SERVICES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \n \nPOLICY \nThe intent of Boston Public Schools (BPS) Home and Hospital \nInstruction is to provide a student receiving a publicly funded \neducation with the opportunity to make educational progress \neven when a physician determines that the student is medically \nunable to attend school. In compliance with Massachusetts \nregulation 603 CMR 28.03(3), BPS Home and Hospital Instruction \ncollaborates with schools, parents, agencies, and hospitals to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "ensure alignment of educational goals and curriculum for \naccurate service delivery to provide, at a minimum, the \ninstruction necessary to enable the student to maintain progress \nin their courses of study and minimize the educational loss that \nmight occur during the period when the student is confined at \nhome or in a hospital. Services are provided with sufficient \nfrequency to allow the student to continue their educational \nprogram, as long as such services do not interfere with the \nmedical needs of the student." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SSS-19 \nPage 2 of 13 \n \n \n \nINTENT OF MASSACHUSETTS REGULATIONS ON EDUCATIONAL \nSERVICES IN THE HOME OR HOSPITAL \nHome and Hospital Instruction is not to be confused with Special \nEducation services, “unless the student has been determined \neligible for such services, and the services include services on the \nstudent’s IEP.” Home and Hospital Instruction is a special type of \nservice provided under the Americans with Disabilities Act (ADA) \nand state law for the purpose of ensuring that medically involved \nstudents receiving a publicly funded education have equal access \nto education as do their counterparts. Publicly funded education" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "includes Boston Public Schools, charter schools, Boston resident \nstudents who are enrolled at out of district schools, including \nMETCO and private placements, and students on private tuition \n(see Attachment B). Students who are on private tuition are \neligible only if they have an Individualized Education Program \n(IEP) or fall under the special education umbrella. \nThe eligibility guidelines of Home and Hospital Instruction are: \n● A physician determines that a student is physically unable \nto attend school. \n● A student has been or will be out of school for more than 14 \nconsecutive days or can be anticipated to accumulate more" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "than 14 absences in a school year at home or in a hospital \n(i.e., sickle cell disease, cancer treatment, etc.). \n● When it is deemed by the student’s attending physician or \npediatrician that they will be confined to a home or hospital \nsetting for more than 60 (sixty) days, the student will then \nbe evaluated by the Special Education Department under \nstate guideline/regulation 603 CMR 28.04(4). When it is" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SSS-19 \nPage 3 of 13 \n \n \n \nknown that a student will be out for more than 60 (sixty) \ndays, it is recommended that the physician complete the 60 \nDay Physician Statement. \n● A student is marked Constructively Present (CP) for the \nperiod during which the student receives home/hospital-\nbased services and receives a passing grade for all work that \nhas been satisfactorily completed. No home/hospital-based \ninstruction will be provided over the summer break unless \ndesignated in an IEP and the child is unable to attend \nExtended School Year. \nIMPLEMENTATION OF HOME AND HOSPITAL INSTRUCTION \nRole of the parent:" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Role of the parent: \n● Provide consent for the exchange of information between \nthe student's physician and the district to ensure an open \nline of communication between service providers. \n● Maintain communication with the school to ensure that \ngrading is occurring according to classroom guidelines. \n● Inform school of the student’s medical needs that will \nrequire home and hospital instruction. \n● Provide the school nurse with all the medical information to \nensure that when the student is in school, the medications, \nprocedures, and protocols are in place to ensure medical \nsafety and optimal learning. This includes completing, along" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "with the physician of record, the Individual Collaborative \nHealth Plan (ICHP) form if the physician indicates that the \nstudent’s health during this period will affect the provision \nof full educational services and this form has not previously" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SSS-19 \nPage 4 of 13 \n \n \n \nbeen completed. \n● Ensure that the student’s physician of record completes the \nHome and Hospital Physician Statement form and the ICHP. \n● Participate in the action plan for their child based on the \nICHP and the Physician Statement. \n● Provide an appropriate learning environment at home. \n● Ensure that someone over the age of 18 is at home when the \ntutoring occurs (or arranges a neutral meeting place such as \na library), notify the central office if the tutor does not keep \nthe appointment, and sign the instructor’s sheet after each \nsession. \nRole of the physician: \n● Submits a completed Physician Statement (see Attachment" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "A) verifying the medical or psychological illness to the \nschool’s nurse for verification. When it is known that a \nstudent will be out for more than 60 days, it is \nrecommended that the physician complete the 60 Day \nPhysician Statement. \nThe Physician Statement should include the date the \nstudent will be confined, medical diagnosis, expected return \ndate, and medical information that may prevent the student \nfrom accessing the provision of a full education. \n● If the physician identifies on the Physician Statement that \nthe student’s health during this period will affect the \nprovision of full educational services, the physician needs to" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "complete the ICHP in conjunction with the parent. \n● The physician is expected to remain aware of the time frame" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SSS-19 \nPage 5 of 13 \n \n \n \nthe child is out of school. \n● Participate in a re-entry plan to ensure the child can return \nto the school environment without impediments. \nROLE OF THE SCHOOL ADMINISTRATOR: \n● Identifies a person to be the school contact (i.e., guidance \ncounselor, student support staff, nurse, or administrator) \nwho will serve as a liaison for students who are home and \nhospital bound. \n● Submit the designated point of contact to the Home and \nHospital Instruction Program within the Department of \nOpportunity Youth (OY). \n● If needed, refer a school-based teacher to Home and \nHospital Instruction to serve as the home tutor." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "● Ensure appropriate school-level communications to prompt \na timely N1 team meeting with special education for \nstudents who will be out for more than 60 days. \n● Oversee the coordination of key school staff to ensure \nstudents in Home and Hospital Instruction have school-\nbased support in the areas of academics, curriculum, \nattendance, and testing as appropriate and necessary. \nRole of the school nurse: \n● The school nurse reviews and submits the completed \nPhysician’s Statement form and non-BPS student form to \nHome and Hospital Instruction (617-635-6633) for \ncoordination of services. \n● Communicate with the Home and Hospital Instruction team" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SSS-19 \nPage 6 of 13 \n \n \n \nas needed to ensure students have appropriate access to \nservices and tutoring. \n● Coordinate with the physician or medical provider as \nneeded to confirm, verify, or request updates to information \nin Physician Statement. \n● Collaborate with the school-based and Special Education \nteam to ensure appropriate support of the student’s \nacademic goals while in Home and Hospital Instruction. \n● Request a medical update from the physician after 2 \nmonths if the student still needs home tutoring. \n● When it is known that a student will be out for more than 60 \ndays, it is recommended that the school nurse coordinate" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "with the family and/or medical provider to ensure that the \nphysician completes the 60 Day Physician Statement. \nRole of the teacher: \n● Ensure that the student follows the same classroom syllabus \nand rubric as the non-medically involved students. \n● Modify home and hospital assignments as needed so the \nstudent can continue to make academic progress. \n● Correct the work and assign appropriate grades to the \nstudent. \n● Notify parents of the student’s progress. \nRole of the identified school-based contact to Home and \nHospital Instruction: \n● Determine if online curriculum is appropriate and posts \nonline." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SSS-19 \nPage 7 of 13 \n \n \n \n● Collect materials/assignments from the student’s teachers \nfor the home and hospital instructors. \n● If students are hospitalized, the school contact provides \nmaterials/assignments to parents. Work can also be faxed \nor emailed to the hospital instructors. \n● If a student is homebound, the school contact provides \nmaterials/assignments to the home instructors. \n● Communicate frequently with the Home & Hospital \nInstruction Program, home-based instructors, students, and \nparents to assure continuity of services and that student \nneeds are being met. \n● Receive completed work from the home or hospital" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "instructors and deliver the work to the student’s teachers. \n● Ensure students are not being marked absent but as \nConstructively Present (CP). Students’ attendance should \nreflect “Home Tutoring” as the “reason code” to avoid “did \nnot report’ (DNR) and automatic withdrawal from school. \n● Ensure grades are entered and report cards are generated. \n● Sign off on home instructor timesheet once monthly. \n● Retain copy of scholastic and attendance records. \n● Work with the Office of Special Education to assure qualified \nstudents are evaluated for an IEP or 504 plan. \nRole of Home and Hospital Instruction: \n● Oversee the Home and Hospital Instruction program," + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "including tutor recruitment, application, assignment, \npayment, and training." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SSS-19 \nPage 8 of 13 \n \n \n \n● Identify tutoring vendors in conjunction with the hospital. \n● Identify a home instructor once eligibility is confirmed. \n● Maintain a tracking system of all students receiving Home \nand Hospital Instruction. \n● Provide training on protocol and procedures to all Home \nand Hospital instructors. \n● Perform quality assurance monitoring, which can include \nrandom visits to tutoring sites. \n● Assist schools in academic advising. \n● Determine, in conjunction with the school, the family and \nthe medical needs, the length and frequency of tutoring \nsessions. In general, the length should not exceed 3 hours in" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "one sitting, and the frequency is generally 3 times per week, \nwith a range of 2- 10 hours. \nRole of the Home and Hospital instructors: \n● Participate in the Home and Hospital Instruction training \nprogram and review/implement the Protocol and Procedure \nManual for Home Instructors. \n● Confirm tutoring assignments with the school within 24 \nhours of receipt. \n● Maintain communication with the school’s designated \nschool-based contact person. \n● Complete scholastic records on individual students. \n● Maintain a timesheet with daily parental sign-off. \n● Provide direct tutorial services on an individualized basis to \nassigned students." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SSS-19 \nPage 9 of 13 \n \n \n \n● Arrange designated material pick-up times with the school’s \ncontact. \n● Schedule tutoring sessions with parents. \n \nFor more information about this circular, contact: \nOwner: \nSenior Director, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\n\nPage 10:\nSuperintendent’s Circular SSS-19 \nPage 10 of 13 \n \n \n \n \n\n\nPage 11:\nSuperintendent’s Circular SSS-19 \nPage 11 of 13" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular SSS-19 \nPage 12 of 13 \n \n \n \nATTACHMENT B \nThis form is to be completed by the school on Non-BPS students: \nPrivate, Charter, Out of District, Private Placement and METCO \nThis student is currently receiving hospital/home tutorial services \nthrough Boston Public Schools. In addition to the Physician’s \nStatement (form 603 CMR 28.3(3)c), please submit the following \ninformation for the referred student: \n \nStudent Name: ___________________________________________________ \nAddress: __________________________________________________________ \nParent/Guardian: _________________________________________________" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Telephone: Home______________________Cell ______________________ \nDate of Birth: ___________________________________________________ \nRace: ____________________________________________________________ \nM______ F______ Grade: ____________ \nSchool Name: ____________________________________________________ \nSchool Address: __________________________________________________ \nSchool Phone: ____________________________________________________ \nSchool Contact: __________________________________________________ \nEmail Address: ___________________________________________________ \nFAX #: _____________________________" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-19 Home & Hospital Instruction Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular SSS-19 \nPage 13 of 13 \n \n \n \nIs the student receiving special education services? \nYes____ No_____ Unknown ______ \n \nPlease return this form to: \nHome and Hospital Program Coordinator \nBoston Public School, Home and Hospital Instruction \n443 Warren Street, Dorchester, MA 02121, Suite #2 \nor email to: Operations-Department Heads@bostonpublicschools.org \nContact Information: \nOffice 617-635-6633 \nFAX 617-635-6635" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nSSS-07 \nVersion 01 \n \n \n \n \n“PERSISTENTLY DANGEROUS” SCHOOLS – \nSTANDARDS FOR DETERMINATION \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version \n \nBACKGROUND \nSection 9532 of the Elementary and Secondary Education Act \n(ESEA), as amended by the Every Student Succeeds Act of 2015 \n(ESSA) states: \nEach State receiving funds under this chapter shall establish \nand implement a statewide policy requiring that a student \nattending a persistently dangerous public elementary \nschool or secondary school, as determined by the State in \nconsultation with a representative sample of local" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "educational agencies, or who becomes a victim of a violent \ncriminal offense, as determined by State law, while in or on \nthe grounds of a public elementary school or secondary \nschool that the student attends, be allowed to attend a safe \npublic elementary school or secondary school within the \nlocal educational agency, including a public charter school. \n20 U.S.C. § 7912." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SSS-07 \nPage 2 of 6 \n \n \nSTANDARDS \nThe Massachusetts Department of Elementary and Secondary \nEducation, at a meeting of the State Board of Education on \nMarch 25, 2003, established the standards to determine an \n“unsafe” or “persistently dangerous” school. A school may be \ndeemed unsafe either as a whole entity or for an individual \nstudent who becomes a victim of a violent criminal offense. \nThese standards were implemented as of July 1, 2003. Following \nare the standards for (1) individual students and (2) the whole \nschool determination. \n \nINDIVIDUAL STUDENT OPTION \nBeginning in the 2003/2004 school year, any student who during" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "school hours becomes a victim of a “violent criminal offense” (as \ndefined by Massachusetts General Laws Chapter 140, Section 121) \nwhich takes place in or on the grounds of a public elementary or \nsecondary school that the student attends must be allowed, to \nthe extent feasible, to transfer immediately to another public \nschool within the school district. For purposes of this policy, “in or \non the grounds” of the school includes school premises, school \nbuses, and attendance at school sponsored or school related \nevents including athletic games and field trips." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SSS-07 \nPage 3 of 6 \n \n \n \nWHOLE SCHOOL OPTION \nTo be designated as “persistently dangerous,” a school must \nmeet either of the following criteria for three consecutive years \nbeginning with the most recent enrollment data available to the \nDepartment, as well as the prior two years: \n \n• One or more students have been expelled for violation of \nthe Federal Gun-Free Schools Act, v.z. Section 7.3.1. of the \nBPS Code of Discipline (October 2006 ed), or; \n \n• The number of students who have been expelled from \nschool for a period greater than 45 days under Mass. \nGeneral Laws Chapter 71, Section 37H for weapons or" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "physical assaults or for violent crimes as defined by Mass. \nGeneral Laws Chapter 140, Section 121 exceeds 1.5% of the \nstudent enrollment. The rate will be based on each \nindividual school’s enrollment data submitted to the \nDepartment (i.e., October Report). \n \nStudents who qualify for a safety transfer under either of the \naforementioned options will be transferred through the safety \ntransfer process (Superintendent’s Circular AMT-07, Safety \nTransfer Request Procedures). Documentation of a “violent \ncriminal offense” must be attached to the safety transfer request \nform in the case of a single student option request. It is \nanticipated that the Department of Elementary and Secondary" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Education (DESE) will designate schools as “persistently \ndangerous” based on the aforementioned criteria prior to the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SSS-07 \nPage 4 of 6 \n \n \nstart of school each year. Such a designation will be forwarded \ndirectly to the superintendent by the Massachusetts Department \nof Elementary and Secondary Education. \n \nREMEDIAL ACTION \nFor any school that meets either standard for a “persistently \ndangerous “ school designation for two consecutive years, \nDESE will request that the school and district evaluate their needs \nand adopt or revise a corrective action plan to ensure a safe school \nenvironment for all students and staff. The school and district shall \nmaintain the corrective action plan as a public record. To the" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "extent feasible, DESE will provide technical assistance to the \nschool and district. \n \nFor any school that meets either standard for a “persistently \ndangerous “ school designation for three consecutive years, \nDESE will designate the school as “persistently dangerous.” \nParents may then exercise their right to have their child attend a \nsafe public elementary or secondary school within the local \neducational agency (school district). The school will be required to \nsubmit a corrective action plan to DESE. To the extent feasible, \nDESE will collaborate with other state and local agencies to \nprovide support and technical assistance to the school and \ndistrict." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "district. \nIf DESE notifies a school or district that the school is or may be \ndesignated as “persistently dangerous,” school officials will have \nten working days to present information to DESE that may have a \nbearing on the designation. The local officials’ response may" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SSS-07 \nPage 5 of 6 \n \n \ninclude any or all of the following: \n \n1. Clarification of the disciplinary incident data submitted \n2. The school’s safety plan \n3. Local efforts to address the school’s safety concerns \n4. The school safety data reported to the state consistent with \nrequirements of ESEA, Title IVA \n5. Safe and Drug-Free Schools and Communities Act, section \n4112 (c) (3) \n6. More current data that the school may have available \n7. Any extenuating circumstances \n8. Any other information the school officials believe may be \nrelevant \n \nThe Massachusetts Department of Elementary and Secondary" + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Education will review the information provided by the school \nofficials before making a final determination. \nIt is important to note that failure to transfer a student in a timely \nmanner as required by the law and the Massachusetts \nDepartment of Elementary and Secondary Education could result \nin the loss of federal funds." + }, + { + "folder_name": "Student Support Services", + "file_name": "SSS-07 Persistently Dangerous Schools Standards for Determination", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SSS-07 \nPage 6 of 6 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDeputy Superintendent of Operations \nDepartment: \nDeputy Superintendent of Operations \nMailing \nAddress: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9643 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nAMT-07 \nVersion 01 \n \n \nSAFETY TRANSFER REQUEST PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nFrom time to time, it becomes necessary to make a change in a \nstudent’s school assignment. One reason for such an assignment \nchange may be motivated by the need to ensure a safe and \nsecure learning environment for that student. For this reason, a \nsafety transfer process has been established. \nCRITERIA \n1. All students who are victims or intended victims of a serious \nphysical, emotional, and/or electronically transmitted assault" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "or who are victims of a violent criminal offense, as determined \nby state law, while in or on school grounds, or out of school \nthat impacts school climate, shall be eligible for a safety \ntransfer. All such request forms must have attached BPS \nIncident Reports and/or BPD Reports to document the \nincident. The transfer should be processed by the building \nadministrator within ten (10) school days of the receipt of the \nSafety Transfer Request Form. \nStudents who are perpetrators are subject to the Code of \nConduct and not eligible for a safety transfer. \n2. Students attending a school designated as “unsafe or" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "persistently dangerous” in accordance with Massachusetts" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular AMT-07 \nPage 2 of 12 \n \n \nDepartment of Education criteria, upon receipt of a parent \nrequest, shall be transferred to a safe school in compliance \nwith the Every Student Succeeds Act (“ESSA”). The purpose of \nthe ESSA is to provide all children a significant opportunity to \nreceive a fair, equitable, and high-quality education, and to \nclose educational achievement gaps.\" \n3. Students with an Individualized Education Program (IEP) are \nsubject to this transfer procedure provided the building \nadministrator has consulted with the OSESS coordinator. \nResource Room students shall be dealt with in the same" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "manner as regular education students. Students with IEPs \nproviding a specialized program and/or requiring a restrictive \nsetting shall be reassigned after consultation between the \ncoordinator and OSESS assistant program director (APD). \n4. Court orders requiring a transfer of a student shall be honored \nand coded as a safety transfer. A copy of the court order \nshould be forwarded to the operational leader as a part of the \ndocumentation packet in all cases. \n5. In all cases, student assignments shall be made by Welcome \nServices. Requests for specific school assignments will not be \nhonored, but rather they shall be based on criteria established" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "by Welcome Services, as well as on the need to ensure a safe \nlearning environment and on the needs of the student. \nPROCEDURES \nThe following procedures must be followed in all safety transfer \ncases: \n1. All safety transfer requests must be initiated by the \nparent/guardian/caregiver of the impacted student." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular AMT-07 \nPage 3 of 12 \n \n \n2. The parent/guardian/caregiver should schedule a meeting \nwith the head of school/principal/program director of the \nschool to which the student is assigned in order to discuss the \ncircumstances surrounding the need for a safety transfer. \n3. The parent/guardian/caregiver must complete and sign the \n“Safety Transfer Request Form” (attached). All requests for \nsafety transfers must be referred to the head of \nschool/principal/program director for review and \nrecommendation. \n4. The head of school/principal/program director shall conduct a \nthorough investigation in response to the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "thorough investigation in response to the \nparent/guardian/caregiver’s request and must gather all \npertinent information and documentation. If the student has \nan IEP, the building administrator shall consult with the \ncoordinator. The building administrator will provide a rationale \nfor support or rejection of the transfer request on the reverse \nside of the Safety Transfer Form. The form must be signed by \nthe principal/head of school. Please note: this responsibility \nmay not be delegated. If the problem is gang-related, the \nnames of the gangs involved should be noted. If the incident \nhas occurred off school grounds, a copy of the Boston Police" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Department report should be obtained; if the incident \noccurred on school grounds, a copy of the Boston Public \nSchool Incident Report should be attached to the \ndocumentation packet. \n \n5. If the head of school/principal supports the safety transfer \nrequest, they must indicate and sign the Safety Transfer Form. \nThe completed transfer packet should be sent to the \noperational leader for approval and processing." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular AMT-07 \nPage 4 of 12 \n \n \nThe complete safety transfer packet must include: \na. Completed and signed English version as well as a copy of \nthe parent’s safety transfer request form, including the \nbuilding administrator’s rationale for support or rejection \nof request on page 2. If the language of the home is other \nthan English, the parent/guardian/caregiver should \ncomplete the appropriate language form which should \nbe attached to the English version in the packet. \nb. All pertinent supporting documentation (i.e., court orders, \nrestraining orders, police reports, reports of investigation \nby school staff or safety services, etc.) If the student has" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "been the victim of an assault. \nc. If attending an “unsafe or persistently dangerous school,” \ndocumentation supporting the school designation as \nsuch. \n6. If the building administrator does not support the safety \ntransfer, a rationale indicating specific reasons for rejecting the \ntransfer, including appropriate documentation, must be \nforwarded with the safety transfer packet to the operational \nleader. \n7. The packet must be submitted as soon as possible to the \noperational leader for review of completeness and \nappropriateness. The operational leader is authorized to \napprove or reject the request. \n8. Before forwarding a copy of the approved packet to Welcome" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Services, the operational leader shall consult with the \nDepartment of Safety Services to discuss potential restrictions \nto school assignments (e.g., gang-related issues, “persistently \ndangerous” schools, etc.). If the student is assigned to a" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular AMT-07 \nPage 5 of 12 \n \n \nsubstantially separate class, the operational leader shall \nconsult with the OSE coordinator and the OSE assistant \ndirector. \n9. The operational leader will forward the complete safety \ntransfer packet of the approved safety transfer request to \nWelcome Services for processing an assignment. If safety \nissues were raised in discussions with Safety Services (c.f. item \n8 above), the operational leader shall call these issues to the \nattention of Welcome Services. Requests which are not \napproved will be returned to the citing the reasons for \nrejection. If the student requires a substantially separate" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "assignment, Welcome Services and appropriate APD shall \nconsult. \n10. Welcome Services shall assign the student to the new school \nand notify the receiving and sending schools and the \nappropriate operational leader by email. The head of \nschool/principal/program director of the sending school shall \nnotify the parent/guardian/caretaker of the student’s new \nschool assignment. If the safety transfer is not approved, the \n“sending” building administrator shall notify the parent that \nthe request has been rejected. \n11. If the transfer is approved, the operational leader shall send a \ncopy of the Transfer Form with copies of all attached" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "documentation to the new school principal/head of school. If \nthe new building administrator has any further questions, the \nsending school building administrator shall respond to those \nquestions. The sending school shall forward a copy of the \nstudent record to the new school. \n12. Any appeal of a decision at the school level may be made to \nthe District Safety Transfer Appeal Committee. An appeal" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular AMT-07 \nPage 6 of 12 \n \n \nmust be made by the parent/guardian/caregiver, in writing, \nwithin ten (10) days of the receipt of the decision. An appeal \ncan either be submitted in writing and mailed to the attention \nof the Superintendent’s Office, Attn: Ombudsperson, Bruce C. \nBolling Municipal Building, 2300 Washington Street, Roxbury \nMA 02119 or electronically by submitting the Safety Transfer \nAppeal Form. \nPlease Note: \n1. During the summer months, no safety transfers will be \nprocessed. Any family seeking a change in school assignment \ndue to safety concerns must follow the voluntary transfer \nprocess by visiting a BPS Welcome Center." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "process by visiting a BPS Welcome Center. \n2. The family has the right to refuse the new school assignment. \nIf so, the parent/guardian/caretaker should contact the \nprincipal/head of school and operational leader that they are \nrescinding the safety transfer request. In this case, the student \nwill be returned to their original school and will not be \npermitted to submit an additional safety transfer request \nregarding the incident that initiated the original safety transfer \nrequest. \nTranslations of the required documentation are available here." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular AMT-07 \nPage 7 of 12 \n \n \nFor more information about this circular, contact: \nOwner: \nChief of Operations \nDepartment: \nOperations \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9057 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n \nSafety Transfer Request form on following page." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular AMT-07 \nPage 8 of 12 \n \n \nSAFETY TRANSFER REQUEST \nPrincipal/Head of School Page \n \nStudent’s Name: _______________________________________________________________ \nStudent ID #: _________________________ \nGrade: ____________ \nCurrent School: __________________________________________________ \nSpecial Education Program (if applicable): _______________________ \nEnglish Learner Program (if applicable): _________________________ \nParent/Guardian/Caregiver Conference: \nDate:_____________________________ Time: __________________________ \nI  support  reject (check one) this Safety Transfer Request \nfor the following reason(s):" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "for the following reason(s): \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular AMT-07 \nPage 9 of 12 \n \n \nIf approved, please list the names and ID numbers of the other \nstudents involved that led to this request. \nName 1 _____________________________ ID _________________________ \nName 2 ______________________________ ID _________________________ \nName 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nIf you know of other students that this student should not be \nplaced with, please note their names and ID numbers. \nName 1 _____________________________ ID _________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Name 2 ______________________________ ID _________________________ \nName 3 ______________________________ ID ______________________ \nName 4 ______________________________ ID ______________________ \nPlease check: \n I have explained to the parent that, if approved, the student \ncan be assigned to any school where there is an available seat, \nand that requests for specific school assignments will not be \nhonored. \n __________________________________________________ _______________ \n \nHead of School/Principal \nDate \nAttach documentation. \ncc: School File" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular AMT-07 \nPage 10 of 12 \n \n \nSAFETY TRANSFER REQUEST \nFamily Page \n \nStudent’s Name: _________________________________________________ \nI request a Safety Transfer for my son/daughter for the following \nreasons: \n*Please be specific. If there have been incidents at the school, \ndescribe who was involved, when they occurred, what happened \nand other details (including the names of any gangs involved). \nAttach additional documentation (e.g., copy of incident report, \ncopy of Boston Police Report, report of medical provider, etc.) as \nnecessary. If there is any school that your child cannot attend" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "due to similar safety concerns, then you must list them here. \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \n \nTranslated versions of this form can be found here." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular AMT-07 \nPage 11 of 12 \n \n \nSAFETY TRANSFER REQUEST COVER PAGE \nCompleted by Operational Leader \n \nOperational Leader: __________________________Date: ______________ \nStudent Name: ________________________________ID: _______________ \nThe safety transfer has been: \n☐ Approved \n☐ Not Approved \nPlease check: \n☐ The school has informed me that they explained to the parent \nthat the child will be placed wherever there is an available, \nappropriate seat, and that requests for specific school \nassignments will not be honored. \nPlease check one: \n☐ The child can be placed into any school with an available seat." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "☐ The child should not be placed at the following school(s) \n(please explain why): \nSchool: ___________________________________________________________ \n \n _______________________________________________________________ \nSchool: ___________________________________________________________ \n \n _______________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular AMT-07 \nPage 12 of 12 \n \n \nSchool: ___________________________________________________________ \n \n _______________________________________________________________ \nSchool: ___________________________________________________________ \n \n _______________________________________________________________ \nAdditional notes for consideration prior to assignment: \n ____________________________________________________________________________________ \n ____________________________________________________________________________________ \n ____________________________________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-07 Safety Transfer Request", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link", + "content": "____________________________________________________________________________________ \n ____________________________________________________________________________________ \n \n \n __________________________________________________ _______________ \n \nOperational Leader Signature \nDate" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view?usp=drive_link", + "content": "Page 1:\n \n Superintendent’s \nCircular \n NUMBER: \nAMT-06 \nVersion 01 \n \n \n \nVOLUNTARY TRANSFER POLICY. \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThis updated policy provides clear guidance regarding the \nallowances and restrictions on school transfers, including an \nexplanation of the types of transfers that would be considered \nvoluntary or involuntary and the restrictions on the numbers of \ntransfers allowed for different grade levels. This policy has \nevolved over time beginning with the 1992 Operating Guidelines \nfor Implementing Changes in the Controlled Choice Student \nAssignment Plan and the1999 Interim Report on Streamlining the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view?usp=drive_link", + "content": "Boston Controlled Choice Student Assignment Plan. This circular \ndoes not appreciably shift policy or practice, but rather clarifies \nand updates language to reflect the current Home-Based \nAssignment Plan. \nIn June 1999, the School Committee amended the policy of the \nBoston Public Schools covering voluntary transfers of students. \nThe amendments provide for the following: \nElementary school students (PK-6) may receive ONE (1) school \ntransfer during an academic year. \nMiddle school level students (grades 7 & 8) may receive ONE (1) \nschool transfer during their middle school careers. \nHigh school students (9-12) may receive ONE (1) school transfer \nduring their high school careers." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular #AMT-6 \nPage 2 of 2 \n \nChange to school assignments due to change of address, safety, \nprogrammatic, moving off a waitlist, and disciplinary reasons are \nnot considered voluntary transfers with respect to the number of \ntransfers allowed. \nStudents who permanently move out of their original home base \nare required to attend a school in their new home base; however, \nthey may be allowed to continue in their current schools if their \nparent(s) request(s) continuation in the current schools in writing \nwith Welcome Services and agrees to arrange and provide \ntransportation. Students who move after April 1 will not be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-06 Voluntary Transfer Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view?usp=drive_link", + "content": "required to change schools until the following school year. \n \nFor more information about this circular, contact: \n \nOwner: \nDirector of Student Assignment and Selective \nAdmissions \nDepartment: \nWelcome Services \nMailing \nAddress: \n2300 Washington Street, 2nd Floor, Roxbury, MA \n02119 \nPhone: \n617-635-6058 \nEmail: \nofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nAMT-05 \nVersion 01 \n \n \nREVISED MAXIMUM AGE ASSIGNMENT AND \nENROLLMENT POLICY \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn July 1999, the Boston School Committee adopted a new policy \nof the Boston Public Schools (BPS) covering the maximum age \nfor school attendance. In 2019, the School Committee updated \nthe maximum age assignment and enrollment policy to include \nthe current options available within the network of BPS \nalternative education schools and new opportunities for students \nto continue their education in the district. The revision to the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "original maximum assignment policy clarifies the process and \nstreamlines the enrollment and placement of overage students, \nminimizes the risk of students transitioning to adult school \nprogramming in the middle of a semester when they turn 22 \nyears old, and expands the range of program options in Boston \nCentral Adult High School (BCAHS) to meet the needs of overage \nstudents in an adult education setting. \nENROLLMENT OF OVERAGE STUDENTS (19 YEARS OLD OR \nOLDER) \n• Requires the Re-Engagement Center to assess needs and \nmake recommendations for the school/program \nassignments of students new to BPS who are age 19 or \nolder. \n• For students 19 years old or older who are more than a year" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "from graduation (based on the Re-Engagement Center" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular AMT-05 \nPage 2 of 6 \n \ntranscript review), enrollment options will be presented for \nBPS alternative education programs designed to support \noverage, under-credited students. \n• For students 19 years old or older who are less than a year \nfrom graduation (based on the Re-Engagement Center \ntranscript review), enrollment options will be presented for \ntraditional high school programs and/or BPS alternative \neducation programs designed to support overage students, \nbased on availability and student needs. \nEXISTING OVERAGE BPS STUDENTS (19 YEARS OLD OR OLDER) \n• Establishes a systematic proactive review process through" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "the Re-Engagement Center whereby the district will \nmonitor the progress and counsel currently enrolled \noverage students on an annual basis. \n• Establishes that if a student without special needs (without \nan Individualized Education Plan) will turn 21 years old on or \nbefore August 31st they will be ineligible for enrollment in a \nBPS traditional or alternative education school for the \nupcoming school year, and will be referred to BCAHS (day \nprogram, evening program, or a satellite adult education \nprogram authorized by BCAHS) or an external adult \neducation program by the Re-Engagement Center. \n• Establishes that students turning 21 years of age on or after" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "September 1st are eligible for enrollment for that school \nyear. \n• Clarifies that services for eligible students with disabilities \nwill continue to be governed by the Individuals with \nDisabilities Education Act (IDEA) and Massachusetts General \nLaw c. 71B up to and through that student’s 22nd birthday," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular AMT-05 \nPage 3 of 6 \n \nwhen deemed appropriate by an IEP team. \n• Provides guidelines for how the district will support \nstudents who turn 21 years old on September 1st or later \nthrough the Re-Engagement Center as they transition into \nprograms including: BCAHS (day program, evening \nprogram, or a satellite adult education program authorized \nby BCAHS) if space is available, or an external adult \neducation program. \nTHE MAXIMUM AGE ASSIGNMENT POLICY \nAll students who are seeking a BPS school assignment, including \nnew students, re-enrolling students, and students already \nenrolled in the BPS will be provided enrollment options that will" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "best meet their needs in providing a path forward to meeting the \nrequirements of a BPS high school diploma. The revised \nmaximum age assignment and enrollment policy acknowledges \nthat some students may benefit from the alternative education \nsetting to ensure they can earn the credits required for \ngraduation prior to the end of the school year in which they turn \n21 years old. Students transitioning to alternative education \nschools and programs designed to serve the overage population \nwill retain any and all rights and privileges accrued change \n“accrued” to “afforded to students…” to students admitted to or \nenrolled in traditional day school programs as required by" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "Massachusetts law. \nNew BPS students and re-enrolling students who are age 19 and \nolder will be directly referred to the Re-Engagement Center by \nregistration specialists at the Welcome Center to determine the \nmost appropriate placement. As with all enrollment applications, \nif applicable, the Office of Special Education will review each \nstudent’s Individualized Education Plan (IEP) and any reports" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular AMT-05 \nPage 4 of 6 \n \npresented by the student and/or family to determine how to \nmove forward with options for the student. \nOnce referred to the Re-Engagement Center, specialists will \nreview each overage student’s transcript, enrollment history, \nstate assessment results, and Early Warning Indicators to \ndetermine the most appropriate placement for the student to \nattain a high school diploma prior to turning 21 years old. \nEnrollment options at traditional high school programs and/or \nalternative education programs will be presented based on \navailability and student need. BPS Welcome Services will" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "manage the technical aspects of the enrollment and assignment \nprocess after the Re-Engagement Center assesses student needs \nand makes recommendations for placement. Current alternative \nschools and programs for SY23 that meet the criteria to serve \noverage students include Boston Adult Technical Academy \n(BATA), Accelerated Diploma Program (ADP), LogOn Academy at \nBoston Collaborative High School, and ABCD’s University High \nSchool. This list of options for overage students will be updated \nannually as needed. \nCurrently enrolled BPS students who will reach the age of 19 \nbefore September 1st of the following school year will be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "provided an option to enroll at an alternative education school or \nprogram designed for overage and/or under-credited students. In \nthe revised policy, the responsibility of these recommendations \nwill be designated to Re-Engagement Center specialists. The Re-\nEngagement Center will notify headmasters of students who are \neligible for a transfer based on age during the spring semester. \nRe-Engagement Center specialists will recommend the most \nappropriate placement in an alternative education setting or \ncontinued enrollment at their current school after a review of \neach overage student’s transcript, state assessment results," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular AMT-05 \nPage 5 of 6 \n \nenrollment history, and assessment of Early Warning Indicators. \nAdditionally, if determined that a transfer is in the student’s best \ninterest, the Re-Engagement Center will meet with students and \ntheir parents, provide multiple alternative education options that \nare appropriate for overage students, and work with students \nand parents through the process of the transfer to the alternative \neducation program selected prior to the start of the school year. \nBPS Welcome Services will continue to manage the technical \naspects of enrollment and assignment process based on these \nrecommendations." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "recommendations. \nThe revised maximum age assignment and enrollment policy \nclarifies that if a student will turn 21 years old on or before August \n31st, the school based-administration team will meet with the \nstudent, and the student will be required to transition to a \nprogram designed for adults (e.g. Boston Central Adult High \nSchool, Department of Developmental Services, or other adult \nschool program). Students who will turn 21 years old during the \nschool year will be allowed to remain enrolled through the end of \nthe school year in June and, if necessary, through the end of \nsummer session in August. Once referred to the adult school" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "program, the process of this transition will be managed by the \nRe-Engagement Center. \nStudents who are unable to earn a high school diploma by the \nend of the school year in which they turn 21 years old will be \nreferred to BCAHS (day program, evening program, or a satellite \nadult education program authorized by BCAHS) or an external \nadult education program by Re-Engagement Center specialists \nand the headmaster. The referral will be made prior to the start of \nthe final spring semester in which a student is 21 years old to \nsupport an appropriately timed transition. Prior to the student \nexiting their school and transitioning to an adult school option," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular AMT-05 \nPage 6 of 6 \n \nthe headmaster and/or academic counselor will provide an exit \nsurvey and counseling opportunity to share potential placement \nin the Boston area. Upon exiting a BPS traditional or alternative \nhigh school, the student will be presented with options to \ncontinue their education toward a high school diploma or HiSET \ncertificate (graduation equivalent) through the exit survey and \nmeeting offered by the headmaster and/or academic counselor. \nServices for eligible students with disabilities will continue to be \ngoverned by the Individuals with Disabilities Education Act \n(IDEA) and Massachusetts General Law c. 71B up to and through" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-05 Maximum Age Assignment and Enrollment Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link", + "content": "their 22nd birthday, when deemed appropriate by an IEP team. \nFor more information about this circular, contact: \nOwner: \nDirector of the Re-Engagement Center \nDepartment: \nOffice of Secondary Schools, Re-\nEngagement Center \nMailing Address: \n2300 Washington Street, 4th Floor, Roxbury \nMA 02119 \nPhone: \n617-635-2273 \nEmail: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 1:\n \n \n \n Superintendent’s \nCircular \nNUMBER: \nAMT-01 \nVersion 01 \n \n \nEXAM SCHOOL ADMISSIONS: APPLICATION AND \nADMISSIONS PROCESS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools has three exam schools: Boston Latin \nAcademy, Boston Latin School, and the John D. O'Bryant School \nof Mathematics and Science. All three schools accept new \nstudents for grades 7 and 9. John D. O’Bryant School accepts a \nsmall number of new students in grade 10. This circular outlines \noperational details regarding the application process, GPA \ncalculation, test administration, and invitations. \n \nELIGIBILITY" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "ELIGIBILITY \nStudents currently enrolled in grades 6, 8, or 9 and residing in the \nCity of Boston are eligible to apply to one of our exam schools for \nthe 2025-2026 school year. The application process to the three \nexam schools includes an admissions test, student GPA, and \nBoston residency. The GPA will account for 70% and the test score \nwill account for 30% of the application. Students may be eligible \nfor additional points if they meet specific criteria. \nStudents enrolled in a program for limited or interrupted formal \neducation (SLIFE) or enrolled in non-credit bearing courses, and \nstudents that are not completing grade-level curriculum are not" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "eligible to apply for exam school admissions." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ATM-01 \nPage 2 of 14 \n \nRESIDENCY REQUIREMENTS \nStudents seeking admission to an exam school must be enrolled \nin grades 6, 8, or 9 and live in the City of Boston to be eligible to \napply for admission for the 2025-2026 school year. The residence \nof a minor child is presumed to be the legal, primary residence of \nthe parent(s) or guardian(s) who have physical custody of the child. \n Students actively enrolled in a BPS school have previously \nestablished residency during their initial registration process, and \ndo not need to resubmit documentation. Non-BPS families are \nrequired to verify their residency in the City of Boston with a BPS" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Welcome Center between October 15, 2024, and November 15, \n2024. Families planning to participate in the Fall 2024 test \nadministration, must complete the residency verification process \nand register for the test by November 8, 2024. \nStudents who must complete the residency verification process \ninclude: \n● Students attending a private school \n● Students attending a parochial school \n● Students attending METCO program schools \n● Students attending Commonwealth Charter schools \n(excludes UP Academy, Boston Green Academy, and \nother “in-district” BPS charter schools) \n● Students attending schools outside the City of Boston \n● Students being home-schooled" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "● Students being home-schooled \nThe residency verification must be completed even if a family has \nother children enrolled in the Boston Public Schools; the student is \nreceiving special education services from BPS; the parent/guardian \nis a current City of Boston employee; or if the student was \npreviously enrolled in the BPS." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ATM-01 \nPage 3 of 14 \n \nAs part of the verification process, parents are required to provide \ntwo approved proofs of residency that list the Boston home \naddress, the child’s original birth certificate, the child’s \nimmunization record, and the parent’s photo identification. In \naddition, an authorization form for the release of student \ninformation will be provided during the appointment. Refer to \nthe BPS Registration Document Checklist for details. \nThere are two ways to apply: \n1. In-person: Schedule an appointment on this form and visit \none of the four BPS Welcome Centers to work directly with \na registration specialist." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "a registration specialist. \n2. By computer: Pre-register here and schedule an \nappointment on this form to complete the application with \na registration specialist. A follow-up appointment either in- \nperson or over the phone is required. Please select ’Pre- \nRegister for BPS’ from the side menu. Click the first option if \nyou have never registered any child for Boston Public \nSchools. Select the second option if you already have an \nAspen account. \nA list of required and approved documents for the registration \napplication can be found in the BPS Registration Document \nChecklist. \n \nGRADE POINT AVERAGE \nThe Exam Schools policy establishes baseline criteria for eligibility" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "beyond residency. Students must have a grade point average of B \nor higher to be eligible to apply. The GPA will include prior year \nmarks in English Language Arts (ELA) and Math and the current \nyear marks in ELA, Math, Science, and Social Studies." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ATM-01 \nPage 4 of 14 \n \nSchool leaders are expected to ensure that all marks and course \nnumbers are processed before grade point averages are calculated \nby the Boston Public Schools. All applicants’ course marks must be \nsubmitted along with school certification that they represent \nperformance against the Massachusetts curriculum framework \ngrade-level standards by February 7, 2025. Changes in the \ntranscription or computation of grade point averages will not be \naccepted thereafter. \nThe table below outlines which subject areas and grading terms \nare included for the next admission cycle. \nApplying for: SY25-26 Entrance Year \n7th Grade" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Applying for: SY25-26 Entrance Year \n7th Grade \n• 5th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n• 6th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies \n9th Grade \n• 7th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n• 8th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA, Math, \nScience, and Social Studies \n10th Grade \n• 8th Grade (SY23-24) 4th Quarter OR \n3rd Trimester OR 2nd Semester marks \nin ELA and Math \n• 9th Grade (SY24-25) 1st and 2nd Quarter OR 1st \nTrimester OR 1st Semester marks in ELA," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Trimester OR 1st Semester marks in ELA, \nMath, Science, and Social Studies" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ATM-01 \nPage 5 of 14 \n \nFor SY25-26 admissions, both prior year and current year marks will \nbe considered to calculate the GPA. Prior year marks will be \nweighted 50%, and current year marks will be weighted 50%. For \nstudents with previous year international school records, only \ncurrent-year marks will be considered. Students must have marks \nin each subject for the GPA to be calculated. Applications with \nmissing course marks, Incomplete (INC), or Pass (P) marks cannot \nbe processed and will be classified as ineligible. \nThe July 2021 update to the Exam School Admission Policy \nstipulates that the district “develop and publish a coherent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "district equitable grading policy using an A-F scale wherein an A+ \nis treated like an A.” To address this requirement, the 12-point \ngrade scale will be rescaled from 0-12 to 0-11, where 0 points \nrepresent an F and 11 points represent both A+ and A. This will \nresult in the following crosswalk from letter marks to point values \nused in the GPA calculation. \n \nLetter \nMark \nA+ A \nA- B+ B \nB- C+ C \nC- D+ D \nD- F \nPoint \nValue \n11 \n11 \n10 \n9 \n8 \n7 \n6 \n5 \n4 \n3 \n2 \n1 \n0 \n \nStudents with grade 5 transcripts from Boston Public Schools \nreceive marks on multiple standards for each subject area using a \n1-4 grading scale. The marks in Reading, Writing, and Math will be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "converted to a 12-point scale for the purpose of calculating an \n“overall” mark in the subject area (ELA and Math). If the “overall” \nmark in either subject is above 11, the number will be rounded \ndown to 11 to align with the 1–11 point scale." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ATM-01 \nPage 6 of 14 \n \nStandard-Base Marks 4 \n3 \n2 \n1 \nPoint Value \n12 \n9 \n6 \n3 \n* Students participating in advanced courses (honors, AWC, AP, etc.) do not \nreceive additional points. \nFor more information regarding the conversion of marks and \ncalculating composite scores, please review the fact sheet. All non-\nBPS schools are responsible for determining their own practices for \ngrade conversions. \nTEST ADMINISTRATION \nFor SY25-26 admissions, completion of the NWEA MAP Growth \nassessment will be required for admissions. Students will have \ntwo opportunities to take the assessment, with the first in the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "spring of 2024. For students who would like to improve their \nscore, or those who do not take the test in the spring, there will \nbe a second opportunity in the fall of 2024. Students are not \nrequired to take the MAP assessment two times, but in the case \nwhere there are two complete testing events (twice in Reading, \ntwice in Math), BPS will use the highest Math Score and the \nhighest Reading score, from either test event, for the invitation \nprocess." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ATM-01 \nPage 7 of 14 \n \nFor 6th and 8th grade students currently attending a BPS school, \nthe test will be offered during the school day at their school. No \nregistration or action is necessary. However, for students in grade \n9 at a BPS school; and students in grade 8 already attending a BPS \nexam school, the test will be offered on the weekend. Registration \nis required and is detailed below. \nFor students not currently attending a BPS school, the test will \nalso be offered on the weekend. Registration for the weekend \ntest is required and can be completed online or via a paper form. \nBoth will be posted on the exam schools BPS website." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "ADDITIONAL POINTS \nIn addition to GPA and test scores, students may be eligible to \nreceive additional points towards their application. Students living \nin housing owned by the Boston Housing Authority, are in the \ncare of the Department of Children and Families, or are \nexperiencing homelessness at any time during the time period in \nwhich BPS collects grades (March 2024-February 2025) will \nreceive an additional fifteen (15) points. \nStudents attending a school in the spring of grade 5 (if applying \nfor 7th grade at an exam school), grade 7 (if applying for 9th \ngrade at an exam school), or grade 8 (if applying for 10th grade at" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "the O’Bryant) where 40% or more of the students enrolled come \nfrom economically disadvantaged families over a 5-year average \nwill receive between two (2) and ten (10) additional points, \ndepending on the student's socioeconomic tier. (See below for \nmore information about the socioeconomic tiers). \nThe district will determine the list of schools eligible for these \nadditional points, as defined by the Department of Elementary \nand Secondary Education (DESE). \n To learn more about how the additional points are calculated, \nyou can view the Superintendent’s memorandum." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular ATM-01 \nPage 8 of 14 \n \nIn the situation where a student has attended more than one \nschool in the spring of the 2023-2024 school year, the school that \nsubmits the student's final marking period course marks will be \nused to determine eligibility for the additional points. \nIn the situation where the student is a new resident of the City of \nBoston, the school that submits course marks for the first \nmarking period of the 2024-2025 school year will be used to \ndetermine eligibility for the additional points. \nAdditional points are not additive, so students receiving fifteen \npoints will not receive any additional points, even if they also" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "attend a school where 40% or more of the students enrolled \ncome from economically disadvantaged families. \n \nCOMPOSITE SCORE CALCULATION \nAdmissions to exam schools will use a composite score \ncalculation that combines GPA, test scores, and additional points \n(if eligible) into one number. The GPA and test score component \nwill be on a 0-100 scale. Students receiving additional points (as \ndescribed below) may receive a maximum score of 110 or 115. \nFor SY25-26 admissions and beyond, grades will make up 70% of \nthe composite score, and the test score will make up 30% of the \ncomposite score. The GPA will be divided by 11 (based on the 11-" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "point scale explained above) and multiplied by 70. Similarly, the \ntest score will be scaled to a possible total of 30. The GPA \ncomponent and the test score component will be added together. \nAny additional points that the student receives will be added to \nthe total score. For more detail on how BPS calculates students’ \ncomposite scores, please review the Composite Score Calculation \nFact Sheet." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular ATM-01 \nPage 9 of 14 \n \nTIERS \nApplicants will be placed into one of eight socioeconomic status \n(SES) tiers based on their home address. Families can visit \nbostonpublicschools.org/exam and use the interactive SES Tier \nmap to learn what SES tier their child will be considered within. \nThe socioeconomic status tiers are based on a socioeconomic \nscore for each census tract in the city and are updated each year \nas annual data becomes available, typically in late winter of each \nyear. The socioeconomic score is a composite of five measures \nfrom the American Community Survey and indicates economic \nneed relative to the other census tracts in the city." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "• Percentage of persons below poverty \n• Percent of households not occupied by the owner \n• Percent of families headed by a single parent \n• Percent of households where limited English is spoken \n• Educational attainment \nThe tiers are proportionally sized based on the number of school- \naged children in grades 5-8 living in each census tract. Each tier \nwill have approximately the same number of seats available. \nWithin each tier, students will be ranked from the highest to the \nlowest based on their composite score. If students have the same \ncomposite score, a random number will be used to determine their \nrank order. The student with the higher random number will be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "ranked higher than the other(s)." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular ATM-01 \nPage 10 of 14 \n \n \nINVITATIONS \nInvitations will be awarded through ten (10) invitation cycles, with \n10% of seats available to each tier distributed in each cycle. Tier 1, \nwhich is the tier with the lowest SES score will go first in each \ncycle, and Tier 8, which is the tier with the highest SES score will go \nlast in each cycle. \nStudents will be invited to their highest-ranked exam school with \nan available seat. If all the seats at a student’s first-choice school \nare already allocated, the student will receive an invitation to \ntheir second-choice school. If all those seats are already allocated," + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "the student will receive an invitation to their third-choice school \nuntil all seats are filled. \nSCHOOL CHOICE \n Students must rank at least one exam school to be considered for \nan invitation. However, a student may list up to three exam \nschools and rank those choices by preference. Students will not \nbe considered for a school they did not list. For example, if a \nstudent only ranks Boston Latin School and O’Bryant, they will \nonly be considered for invitations to those two schools. If a \nstudent does not submit choice rankings for any exam schools, \nthey will not be considered for any exam school for an invitation. \nBPS grade 6 and 8 students (during the fall of 2024) will receive a" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "continuous choice form in January 2025, through email and their \nBPS school, where they will be asked to submit their school \npreferences for the 2025-2026 school year. The continuous choice \nform for BPS students is due by February 7, 2025. \nBPS grade 9 students, and BPS grade 8 students already enrolled \nin an exam school (during the fall of 2024), will be required to visit \na BPS Welcome Center to submit ranked school choices through" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular ATM-01 \nPage 11 of 14 \n \na transfer request in January 2025. This group of students will not \nreceive a continuous choice form automatically through their BPS \nschool. \nNon-BPS students will rank schools during the residency \nverification process, which ends on the third Friday of November \nor November 15, 2024. \nAll submitted applications with ranked schools will be processed \nat the same time. \n \nWAITLISTS \nBoston Public Schools will create waitlists for the three exam \nschools for all entry grade levels. \nStudents invited to an exam school for SY 2025-2026 will have \neight days from the first day of school to accept or decline their" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "invitation with the BPS Office of Welcome Services. We \nencourage all families to respond to the invitation by the end of \nMay to ensure all students are assigned in a timely manner. \nStudents who met the minimum eligibility criteria but did not \nreceive an invitation to their top-ranked exam school will be \neligible to be placed on a waitlist for any exam school to which \nthey did not get invited. For all three exam schools, admissions \nwill only be open for students entering grade 7 and grade 9, as \nwell as grade 10 only for the O’Bryant school, and waitlists will \nonly be created for those grades. \nStudents must have ranked the exam school in order to be" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "considered for an invitation and be eligible to be placed on the \nwaitlist. Students who receive an exam school invitation to their \nfirst-choice school will not be eligible to be placed on any waitlist. \nPlease note that BPS builds in some expected attrition into the \nnumber of students invited to each exam school every year by" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular ATM-01 \nPage 12 of 14 \n \nassigning more students than seats. As a result, students may \nnot be called from the waitlist until that expected attrition is \naccounted for. \nWaitlists will be capped at 100 students for each school and \ngrade. The ordering of the waitlist will function as a continuation \nof the exam school invitation policy. Students will be ordered by \ntheir composite score and random number within their SES Tier. \nFor students with the same composite score, the random \nnumber will be used as the tiebreaker. \nDuring the invitation process, students are invited to exam \nschools through 10 invitation cycles, with approximately the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "same number of seats being given out to students from each SES \nTier in each cycle. Once all the invitations have been distributed \nfor a given school and grade, we will continue to follow the same \nprocess for the purpose of adding students to the waitlist. \nThe exam school waitlists will be handled separately from the \nwaitlist process for open-enrollment BPS schools. In other words, \na student can be on an exam school waitlist as well as other BPS \nschools. Accepting a seat off a waitlist at a different school will \nnot affect a student’s place on the exam school waitlist. \nBPS will contact families via phone and email as seats become" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "available at the three exam schools. Families will have up to 24 \nhours to accept or decline the exam school waitlist. Please \nensure your contact information is up to date by visiting a BPS \nWelcome Center. No exceptions to the 24-hour acceptance \ndeadline will be made. \nThe SY25-26 waitlists will remain in effect until November 30, \n2025. After that date, the waitlists will expire. Waitlists do not roll \nover to future years." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular ATM-01 \nPage 13 of 14 \n \nTRANSFERS \nTransfers between the three exam schools are no longer permitted. \nStudents are not allowed to change their invitation to a different \nexam school, or transfer between the exam schools after \nmatriculation. If a student is interested in moving to a different \nexam school for grades 9 or 10, they must reapply through the \nformal application process. \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES: \nOctober 15 - \nNovember 8, 2024 \nPriority residency verification period for non-\nBPS families & registration period for the \nMAP Growth weekend test \nNovember 11-\nNovember 15, 2024" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "November 11-\nNovember 15, 2024 \nFinal week of residency verification for non-\nBPS families registered for the MAP Growth \nweekend test administration \nDecember 2-13 \nIn-school test administration period \nDecember 7, 2024 \nWeekend test administration of MAP \nGrowth \nJanuary 2 - \nFebruary 7, 2025 \nMarks submitted and certified by sending \nschool \nMarch 2025 \nApplication status update sent to all \napplicants \nApril or May 2025 \nAdmission decision notifications sent to all \napplicants" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-01 Exam School Application and Admissions", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular ATM-01 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Student Assignment and \nSelective Admissions \nDepartment: \nWelcome Services \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9085 \nEmail: \nexam@bostonpublicschools.org \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nAMT-03 \nVersion 01 \n \n \nASSIGNMENT OF DEPARTMENT OF YOUTH SERVICES \n(DYS) COMMITTED STUDENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe attached procedures for the assignment of Department of \nYouth Services (DYS) committed students new to the Boston \nPublic Schools or re-entering the Boston Public Schools after \nprevious discharges have been developed to ensure the efficient \nand appropriate assignment of DYS committed students to the \nBoston Public Schools. \nThese procedures are the result of a collaborative effort between \nstaff of the Boston Public Schools and the Department of Youth" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Services and should be adhered to in all cases pertaining to DYS \nstudents. \nI. \nPROCEDURES FOR ASSIGNMENT OF DYS-COMMITTED \nSTUDENTS NEW TO THE BOSTON PUBLIC SCHOOLS OR \nRE-ENTERING THE BOSTON PUBLIC SCHOOLS AFTER \nPREVIOUS DISCHARGES \nTo initiate and successfully implement the assignment of DYS \ncommitted students to the Boston Public Schools, the \nprocedures listed below shall apply: \n(Please refer to Section II below for additional requirements for \nstudents recommended for special education.)" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular AMT-03 \nPage 2 of 10 \n \n \n1. Prior to the student's re-entering BPS, DYS shall write a \nletter on its stationery including the following: \na. Verification of parent's address \nb. Verification of the student’s address if different from \nthe address the student will live at once in a BPS \nprogram \nc. Purpose of re-enrollment, i.e., to start school or \nrequest an evaluation by special education \nd. Name, address, and telephone number of DYS \neducation liaison and caseworker \ne. Reason, if any, why the student should not be re-\nassigned to the previous school. \n2. This letter shall be attached to the application and" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "forwarded by a DYS caseworker, educational liaison, or \nrepresentative to the student assignment specialist in the \nappropriate Welcome Center at the time of application for \na school assignment, along with any other documents \nneeded to enroll the student in a Boston Public Schools \nprogram. Documents should be provided if a student has \nbeen in an educational setting that would change the \nprevious grade. \n3. A DYS caseworker or educational liaison or representative \nshall assist the student in the entry/re-entry process and \ncontact the school administrator in order to prepare \neveryone for a successful return. \n4. The returning student must be accompanied by a DYS" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "caseworker or educational liaison or representative when \nreturning to a Boston public school." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular AMT-03 \nPage 3 of 10 \n \n \nUpon application, Welcome Center staff shall: \n1. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a student registration form. \n2. Explain and assist the parent/guardian/student and DYS \ncaseworker/liaison in the completion of the student \nregistration form. \n3. Complete the appropriate information on the student \nregistration form. \n4. Provide the parent/guardian/student and DYS \ncaseworker/liaison with a Home Language Survey form in \nthe language of their preference and assist them in the \ncompletion of the form. \nAttach to the student registration form: \na. The completed Home Language Survey form." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "a. The completed Home Language Survey form. \nb. The DYS letter cited on page 2, (a) and (b). If no \naddress is stated in the letter, attach the proof of \nresidency required by Welcome Services (i.e., social \nservice agency ID or letter, preprinted, most recent \nutility bills, bank statement, mortgage with address). \nc. Proof of grade if available (i.e., a transcript \ndocumenting courses and credits earned while in \nDYS facilities or private placement). If proof of grade \nis not available, the question of appropriate grade \nlevel placement shall be addressed in the same way \nit is done with non-DYS committed students. \nd. Copies of immunization records for new enrollees." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "5. Sign and specify the date on the bottom of the student \nregistration and Home Language Survey forms. \n6. Provide the DYS caseworker/liaison with a copy of the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular AMT-03 \nPage 4 of 10 \n \n \nassignment form given to the parent/guardian or student. \nNOTES: \n1. DYS is responsible for notifying the school of assignment \nwhen a student is committed to DYS. Please note the \ndistinction between DYS detained and DYS committed \nstudents. Notification for committed students will come in \nthe form of a request for records. \n2. The Office of Welcome Services is responsible for \ncontacting the appropriate special education assistant \nprogram director in those cases where the DYS student \nre-entering the BPS has a current/signed IEP to determine \nthe status of the student. \nII. \nPROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "II. \nPROCEDURES TO BE FOLLOWED FOR DYS-COMMITTED \nSTUDENTS RECOMMENDED FOR SPECIAL EDUCATION \nPROGRAM \nIf a DYS committed student is in a detention center, secure \nfacility, or private special education school and is recommended \nfor a BPS special education program, a special education \nevaluation shall take place. The private school coordinator or \nsupervisor for contracted services is responsible for the \nevaluation procedures as follows: \n1. If the DYS student is in a secure facility or detention center, \nthe private school coordinator assigned to DYS is responsible \nfor the evaluation. \n2. If the DYS student is in a Chapter 766-approved private" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "school, the private school coordinator assigned to that \nprivate school is responsible for the evaluation. \n3. If the DYS student is out of school but last attended a \nChapter 766-approved private school with Regional" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular AMT-03 \nPage 5 of 10 \n \n \nReview Board approval within the previous school year, \nthe private school coordinator assigned to the previously \nattended private school is responsible for the evaluation. \nIf greater than one school year, or a private program is not \n766-approved, the assigned school’s coordinator is \nresponsible for the evaluation. \n4. If the DYS student is out of school and has no current \nschool assignment, the private school coordinator is \nresponsible for the evaluation. The DYS caseworker/liaison \nis responsible for submitting all current assessments of \nthe student. \nThe DYS caseworker/educational liaison or representative shall" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "determine the student's assigned school by calling the Office of \nEnrollment Services at 617-635-7750. \nDYS shall refer the student to the special education program \ndirector or SESS coordinator at the assigned school for an \nevaluation. For a reevaluation, a request letter will be sufficient \ncontaining the student's current address, telephone number and \ncontact person if other than parent. Special education program \ndirectors or SESS coordinators are responsible for providing these \nforms and assisting in their coding, and for the evaluation \nprocedures. \nThe supervisor of contracted services, special education program \ndirector, SESS coordinator, or private school coordinator and the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "DYS caseworker/liaison shall work jointly to obtain \nparent/guardian signature on a Consent for Evaluation or \nReevaluation and Release of Information forms. The supervisor, \nprogram director, or coordinator shall complete the evaluation or \nreevaluation within the prescribed timelines and, based on the \nTEAM findings and the recommendation written on the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular AMT-03 \nPage 6 of 10 \n \n \nIndividualized Education Program (IEP), request placement in a \nspecial education setting, as follows: \n1. If the TEAM recommends that the student be assigned to \na full or partial inclusion setting other than a sub-separate \nsetting, the supervisor, program director, or coordinator \nand the DYS caseworker/liaison shall work jointly to obtain \nwritten parental approval of the IEP. \n2. Upon receipt of the signed first page of the IEP, the \nsupervisor, program director, or coordinator shall give a \ncopy of the signed approved IEP to the DYS. \n3. If the TEAM recommends that the student be assigned to" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "a substantially separate setting, the supervisor, program \ndirector, or coordinator shall submit copies of the required \nassessments and IEP to the assignment coordinator for a \ndecision regarding the student's placement in \ncollaboration with the level assistant director prior to \nrequesting or recommending a specific school \nassignment. \n4. The supervisor, program director, or coordinator shall \npresent DYS and the parent/guardian/student over 18 \nyears of age the recommended placement option. \n5. The supervisor, program director, or coordinator and DYS \nshall work jointly to obtain written approval of the IEP. \n6. Upon receipt of the signed IEP, the supervisor, program" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "director, or coordinator shall forward a copy of it to the \nappropriate level assistant director and give a copy to the \nDYS caseworker/liaison, who will then attach such copy to \nthe DYS letter referred to in Section I.A. and present both \ndocuments at the time of application for a school \nassignment, along with any other documents needed." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular AMT-03 \nPage 7 of 10 \n \n \n7. The level assistant director shall complete the DI5 form \nand forward it to the Enrollment Planning and Support \nUnit to finalize the assignment. \nIt is important to note that the TEAM may also determine that \nthe student needs no special education services. In these cases, \nthe program director or coordinator will provide a letter \nindicating the TEAM decision of no eligibility and provide it to the \nDYS caseworker. \nIII. \nPROCEDURES FOR MAINTAINING COMMUNICATION \nBETWEEN DYS AND BPS AFTER A DYS COMMITTED \nSTUDENT IS ASSIGNED TO A BOSTON PUBLIC SCHOOL \nContact Person in School of Assignment" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Contact Person in School of Assignment \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, DYS staff shall contact the head \nof school or principal, who may delegate the ongoing liaison \nfunction to any of the following school-based staff: \n1. For regular education students, the guidance \ncounselor/advisor designated by the head of school or \nprincipal (for secondary schools) or the principal or \ndesignee (for elementary schools). \n2. For special education students, the special education \nprogram director or SESS coordinator. At the middle \nand high school levels, the program director or SESS \ncoordinator shall keep the guidance staff informed of" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "all DYS contacts made." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular AMT-03 \nPage 8 of 10 \n \n \nNOTE: In the case of both regular and special education DYS \nstudents, the school's contact person(s) is responsible for keeping \nthe building administrator fully informed relative to the status of \nDYS students assigned to the building. \nContact Persons at DYS \nFor students who have entered/re-entered the Boston Public \nSchools from a DYS placement, school-based staff may contact \nthe following DYS personnel. (Because names may change, only \ntitles are given; school staff may need to ask for specific names.) \n1. Director of caseworker services, 617-727-7575 \n2. Educational liaisons, 617-727-7575" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "2. Educational liaisons, 617-727-7575 \nThe following steps should be taken in case of emergency: \n1. The head of school/principal who is having an emergency \nwith a DYS student should contact the director of casework \nservices, 617-727-7575, who will refer the case to the \nappropriate DYS staff. \n2. In non-emergency situations, the head of school/principal or \ndesignee should maintain the usual ongoing \ncommunication with the assigned caseworker or other DYS \nstaff. When in doubt, the director of casework services, 617-\n727-7575, may be contacted. \n• If a student committed to a DYS facility enrolls in the Boston \nPublic Schools at any time during the school year or in the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "summer, DYS shall advise the respective head of \nschool/principal that the student was assigned and provide \nthe name of the DYS contact person. \n• If a DYS student who enrolled in a designated BPS school \ntransfers to another BPS school during the year, the head of" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular AMT-03 \nPage 9 of 10 \n \n \nschool/principal or designee of the sending school shall \ncontact the head of school/ principal of the receiving school \nand inform them about the transfer. \n• By September 1st of each year, DYS shall generate a list of \nDYS students assigned to Boston Public Schools, indicating \nthe school to which the student is assigned and the DYS \ncontact person for each student. This list should be updated \nbi-weekly until December and monthly thereafter and sent \nto the Office of Welcome Services for verification. \n• DYS shall designate a liaison to meet periodically with staff" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "from the Office of Welcome Services or designee to follow up \non the status of DYS students who have been assigned to \nBPS schools. \nPrincipals/heads of school interested in annual in-service sessions \nfor their staff with participation of DYS staff should contact the \ndirector of casework services, 617-727-7575. \nFor more information about this circular, contact: \nOwner: \nDirector of Student Assignment and Selective \nAdmissions \nDepartment: \nOffice of Family and Community \nAdvancement \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-7698 \nEmail: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-03 DYS Committed Students", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular AMT-03 \nPage 10 of 10" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nAMT-04 \nVersion 01 \n \nGRADE LEVEL PLACEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nThe Boston Public Schools has established grade level placement \nrequirements for Grades K-12, which are detailed herein. \nGRADES K0 - 1 \nThe Boston Public Schools has established the following age \nrequirements for entrance to kindergarten programs and grade 1: \nGrade Level \nAge as of \nSeptember 1 \nK0 \n3 \nK1 \n4 \nK2 \n5 \n1 \n6 \n \nStudents who will be 6 years old by September 1, but after June 30, \nmay, if they believe appropriate, request a waiver to register for K2" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "instead of grade 1. This request must take place prior to registration \nand must be accompanied by an early education provider’s \nrecommendation. Requests should be made to the interim executive \ndirector of Early Childhood at tdias@bostonpublicschools.org, 617-\n635-9701. \nThere are no other exceptions to this policy." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular AMT-04 \nPage 2 of 8 \n \nGRADES 2 - 8 \nThe following requirements will be in effect for grades 2-8 at all \nschools, including Early Education Centers and Early Learning \nCenters: \nGrade \nAge as of \nSeptember 1 \n2 \n7 \n3 \n8 \n4 \n9 \n5 \n10 \n6 \n11 \n7 \n12 \n8 \n13 \n \nIn cases where a student is registering into Boston Public Schools \nwith documented proof of successful completion of the current \ngrade, the student must also present documentation to their \nassigned school within 30 days of reporting. If the school \nrecommends a change in the student’s grade placement, the school \nleader must submit a “Grade Level Change” request form (below) to" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "their school superintendent or operational leader for approval and \nprocessing by Welcome Services. \nGrade-age assignment in the Boston Public Schools is structured to \nprovide a supportive environment in which each student is able to \ngrow both academically and socially. BPS understands students may \nlearn differently and need appropriate adjustments to their \ncurriculum to ensure they are learning at a pace that fosters success. \nTherefore, teachers are trained to adjust" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular AMT-04 \nPage 3 of 8 \n \ncurriculum and make additional recommendations for students \nwithin their classrooms. \nGRADES 9 - 12 \nStudents who are new to BPS will be assigned to a grade based on \ntheir age. Students should be aware that schools may shift their \ngrade level upon enrollment in their assigned school after a \ntranscript review with their school counselor. \nStudents with disabilities will be placed in accordance with the grade \nlevel indicated by their IEP. \nIf the student has not recently attended school in the U.S., a U.S. \nterritory, or does not have a current transcript, Welcome Services will \nassign students as indicated below: \nAge as of" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "assign students as indicated below: \nAge as of \nSeptember 1* \nGeneral Education, Never LEP, or \nELD 1-5 \n14-16 \nGrade 9 \n15-17 \nGrade 10 \n16-18 \nGrade 11 \n17-18 \nGrade 12** \n19-21 \n Referred to Re-Engagement \nCenter \n22 \n Students will be recommended \nto Adult Education \n* \nThe age range is dependent on minimum age and takes into \naccount consideration of students who may have been retained \nor started their academic journey at an older age from their home \ncountry. \n** Students with sufficient documentation, clearly displaying the \ncompletion of grade 11, will be placed in grade 12." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular AMT-04 \nPage 4 of 8 \n \nStudents who are entering high school are to present prior school \nrecords to their assigned school within 30 days of reporting. \nFor more information regarding the Maximum Age Policy, see the \nRevised Maximum Age Assignment And Enrollment Policy. \nGRADE LEVEL ADVANCEMENT OR REGRESSION \nIf a family/emancipated student is contesting their grade level \nplacement due to the grade-age assignment process followed while \nin a Welcome Center or the Newcomers Assessment & Counseling \nCenter (NACC), the student must be assessed by the school. If the \nschool recommends a change in the student’s grade placement, the" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "school leader must submit a “Grade Level Change” request form to \ntheir school superintendent or operational leader for approval and \nprocessing by Welcome Services within 30 days of student reporting \nto school. \nIf after a period of at least one academic term/semester, a school \nteam1 determines that a particular student may benefit from a grade \nlevel change due to exceptional advancement or regression based \non other conditions not present during the registration period, a \nschool leader may request a grade level change by completing the \n“Grade Level Change” request form and submitting to their school \nsuperintendent or operational leader for approval and processing by" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Welcome Services. All changes must be completed by the end of the \nfirst marking period. \n \n \n1 School-based teams must be composed of content teachers, \nEnglish Learner, and Special Education faculty based on the \nstudent’s instructional program." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular AMT-04 \nPage 5 of 8 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Student Assignment and Special \nAdmissions \nDepartment: \nWelcome Services \nMailing Address: \n2300 Washington Street, 2nd Floor, Boston, MA \n02119 \nPhone: \n617-635-9010 \nEmail: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular AMT-04 \nPage 6 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM - DIRECTIONS \nFind below the description of criteria and evidences that you will \nneed to fill out the form on page 8. \nCriteria for Grade Level Change: Documentation and rationale are \nrequired for all recommendations. \n1. A grade level placement is contested due to a grade-age \nassignment process followed during registration. This form \nmust be completed within 30 days of student reporting to \nschool. \n2. A school recommends a grade level change for a student due \nto exceptional advancement or regression based on other \nconditions not present during the registration period. This" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "form must be completed by the end of the first marking \nperiod. \n3. A Grade Level Change Request Form must be approved by a \nschool superintendent or operational leader. After approval, \nWelcome Services will process the request. \n4. Students may not be retained more than once at any level \n(elementary, middle, or high school). \n5. In a grade level change that requires a new school \nassignment, the sending administrator must contact and \nupdate the receiving administrator. \n6. If an English Learner is being recommended for a grade level \nchange, evidence must be provided that this is not due to \nlanguage proficiency, and student/family have been informed" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "and are in agreement with the change." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular AMT-04 \nPage 7 of 8 \n \nEvidence’s Options \n1. The request meets BPS district guidance in terms of \nattendance, academic achievements, OR interventions \ndemonstrated through student work, grades, and \nassessments. A school narrative must be attached. \n2. If the student is in a Special Education program: The student \nhas an IEP that specifically and in writing exempts them from \ncertain provisions of the promotion policy. IEP attached. \n3. If the student is an English Learner: There is evidence of a \ntranscript review and parent communication that shows an \nagreement with the recommendation. All documents must \nbe filed in the student’s ELD Folder." + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular AMT-04 \nPage 8 of 8 \n \nGRADE LEVEL CHANGE REQUEST FORM (*) \n \nName of Student: ________________________________________________ \nSchool: ___________________________________________________________ \nStudent ID: __________________Current Program: __________________ \nELD Level: __________________ SN Code: ___________________________ \nPurpose of Request: \n Grade Progression: ______________ to ______________ \n Grade Regression: _______________ to ______________ \nWhen/how was the parent/guardian informed of this request? \n __________________________________________________________________" + }, + { + "folder_name": "Enrollment Planning and Support", + "file_name": "AMT-04 Grade Requirements", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link", + "content": "__________________________________________________________________ \n \nOPTIONS (**) \nEvidence meets requested change \nYES \nNO \nOption 1 \n \n \nOption 2 \n \n \nOption 3 \n \n \n \nSignature of sending school leader: \n___________________________________________ Date _________________ \nSignature of school superintendent/operational leader: \n___________________________________________ Date: ________________ \nReview/Approval, Welcome Services: Space available? YES ☐ NO ☐ \n(*) Directions on pages 6 & 7; (**) Options descriptions are listed on page 7" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSPE-14 \nVersion 01 \n \n \n \nNON-IEP COUNSELING GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nINTRODUCTION \nCounseling services are provided to Boston Public School \nstudents in myriad formats and modalities. Students with and \nwithout disabilities may receive counseling services within \nBoston Public Schools. Students with disabilities may have IEPs \nthat contain counseling as a related service mandating the \nfrequency and duration of counseling. Non-disabled students \nwithout IEPs may be participating in counseling sessions \nformulated as a result of a recommendation of the Student" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Support Team in collaboration with staff from the Behavioral \nHealth Services department. As a result of partnerships with \nexternal agencies, counseling also may be provided to BPS \nstudents by mental health providers who are not BPS employees. \nWith this document, the Boston Public Schools seeks to ensure a \nstandard level of practice for the provision of counseling services \nso that consistent practices may be implemented in assisting \nstudents to overcome school-based issues which may be \nhindering their achievement. \nAll mental health providers must conform with the Standards for \nSchool-based Mental Health Services developed in partnership" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "between BPS and members of the Boston School-Based" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 2:\nSuperintendent’s Circular SPE-14 \nPage 2 of 9 \n \n \n \nBehavioral Health Collaborative. These standards can be \nobtained on the Boston Public Schools website at \nhttps://www.bostonpublicschools.org/domain/2443. \nBACKGROUND \nThe American Psychological Association has defined counseling \nas a process to help individuals towards overcoming obstacles to \ntheir personal growth, wherever these may be encountered and \ntowards achieving development of their personal growth. \nMassachusetts Department of Mental Health states further that \nmental health counselors render professional services to \nindividuals, families, or groups. They apply principles, methods," + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "and theories of counseling and psychotherapeutic techniques to \ndefine goals and develop a treatment plan of action aimed \ntowards the prevention, treatment, and resolution of mental and \nemotional dysfunction. \nThe American Counseling Association states that “counselors \nencourage client growth and development in ways that foster \nthe client’s interest and welfare; counselors avoid fostering \ndependent counseling relationships. The ACA states further that \n“counselors practice in specialty areas new to them only after \nappropriate education, training, and supervised experience. \nWhile developing new skills in specialty areas, counselors take" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "steps to ensure the competence of their work and to protect \nothers from possible harm.” \nBoston Public Schools Counseling Work \nIn addition to these standard definitions and professional ethics \nof practice, all BPS and non-BPS providers should understand" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 3:\nSuperintendent’s Circular SPE-14 \nPage 3 of 9 \n \n \n \nand demonstrate that their counseling work should support \nteaching and learning goals and effective teaching practices. \nUltimately, the goal of counseling is to support success within the \nclassroom. \nPRIOR TO COUNSELING \n1. The Student Support Team serves as the hub of student \nservices within the school. The Student Support Team \nfacilitator should have knowledge of the referral for \ncounseling, and the recommendation for counseling should \nemerge from the Student Support Team. When necessary, \ncounseling referrals can also be made outside of the SST \nprocess. \n2. The direct service provider designated to be the counseling" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "provider should be clear about (1) the scope of the work \nrequested in counseling, (2) the reason for the referral, and \n(3) the expected outcome in counseling. If unclear regarding \nthe reason for counseling, a meeting should be scheduled \nbetween the counselor provider and the referring agent to \ndiscuss these concerns. \n3. The direct service provider should counsel students \nregarding behaviors that impact teaching and learning, \nacademic achievement, and daily school functioning. \n4. Specific issues that are trauma related, i.e., physical and/or \nsexual abuse (onset being past or present), death and dying, \nand behaviors that may need psychiatric intervention and" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "may necessitate a 51A Report, should be brought to the \nattention of the principal/head of school or the designated \nadministrator and the direct service provider’s supervisor. \nThese issues should be referred to the appropriate" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 4:\nSuperintendent’s Circular SPE-14 \nPage 4 of 9 \n \n \n \ncommunity counseling agency/mental health facility. \n5. Written consent must be obtained from the student, parent, \nor legal guardian before beginning counseling (see attached \nconsent form). If a student is receiving counseling through \nan outside provider, but in a BPS building, parent/guardian \nshould also sign the agency specific consent form. \n6. The direct service provider must outline goals and objectives \nfor the individual student (see attached form). Furthermore, \nit is recommended that the direct service provider \nformulate the goals and objectives with input from the \nparent/legal guardian." + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "parent/legal guardian. \n7. Parents/legal guardians should be informed that pertinent \ninformation regarding specific students may be discussed at \nthe Student Support Team meetings. All ethical professional \nstandards of confidentiality will be maintained regarding \nthe specific nature of the counseling sessions(s). \n8. All direct service providers should maintain professional, \nproper, safe, and appropriate safeguards for the student(s) \nand themselves. \nCOUNSELING PRACTICE \nAll direct service providers who are counseling students should: \n● Have a consistent counseling schedule which is \ndocumented and provided to their principal/head of school," + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "supervisor, and the needed personnel in the individual \nschools (i.e., teacher, OSS coordinator, Student Support \ncoordinator, guidance counselor, and other school \nadministrators)." + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 5:\nSuperintendent’s Circular SPE-14 \nPage 5 of 9 \n \n \n \n● Meet in rooms that provide appropriate space and levels of \nconfidentiality. \n● Guarantee a measure of safety and protection for the \nstudent and provider, including consideration of the \ndistance between a counselor and student and leaving the \ndoor ajar at all times. \n● Not engage in any physical contact with the student(s) due \nto the possible risk of psychological harm to the student as a \nresult of the physical contact (i.e., cradling, “touch therapy,” \ncaressing, massaging, and petting). This requirement of no \nphysical contact is due to the possibility of psychological" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "and/or physical harm to the student as a result of such \ncontact. \n● Document each session held and keep progress notes on \neach student. Provisions should be made for sharing themes \nof concern and critical information with the parent/legal \nguardian. \n● Share specific information that relates to the student’s \nacademic progress with appropriate staff. \n● Respond to inquiries from the principal/head of school \nregarding the student’s progress in counseling. \nTERMINATING COUNSELING SERVICES \nWhen counseling goals and objectives have been reached and/or \nthere have been several documented absences and/or instances \nof resistance by the student, as well as several documented" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "attempts to provide counseling services, termination of \ncounseling services may be appropriate. The direct service \nprovider should:" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 6:\nSuperintendent’s Circular SPE-14 \nPage 6 of 9 \n \n \n \n1. Notify the student’s parent or legal guardian. \n2. Notify (in writing) appropriate school personnel \n(principal/head of school, Student Support coordinator, OSS \ncoordinator, supervisor, teacher, or other school \nadministrator). \n3. Summarize progress and recommendation and follow-up as \nneeded (this could be facilitated during the Student Support \nTeam meeting, discussions within small learning \ncommunities, common planning time, and/or teacher \nparent conferences). \nSUMMARY \nDirect service providers, both BPS and non-BPS staff, are an \nintegral component of helping students reach their fullest" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "academic achievement. Lack of knowledge or misunderstanding \nof ethical and professional practice standards are not a defense \nagainst charges of unethical and/or inappropriate practice \nconduct. It is important that these practice standards are \nmaintained and adhered to for the safety of students and the \ndirect service provider. These practice standards ensure a safe, \nprotected, and ethical delivery of service for both students and \nthe staff members who serve them. If it is determined that these \nguidelines have not been followed and/or that inappropriate, \nunethical and/or unprofessional conduct has occurred, Boston \nPublic Schools will take any such action as is appropriate under" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "the circumstances. Such action may range from discipline to \ntermination from employment or termination of any contract \nwith Boston Public Schools as BPS deems appropriate under the \ncircumstances." + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 7:\nSuperintendent’s Circular SPE-14 \nPage 7 of 9 \n \n \n \n \nFor more information about this circular, contact: \nName: \nDirector of Social Work \nDepartment: \nSocial Work \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n 617-635-8294 \nEmail: \nsocialwork@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 8:\nSuperintendent’s Circular SPE-14 \nPage 8 of 9 \n \n \n \nCONSENT FOR SCHOOL-BASED NON-IEP \nCOUNSELING SERVICES \nI, _________________________________________________________________ \n(Print Name of Parent/Legal Guardian) \nhave been provided with the reason (s) my child, \n__________________________________________________________________ \n(Print Child’s Name) \nhas been recommended for school-based counseling services. \nThe reason (s) for the recommended school-based counseling \nservices are: \n \n \n \nI give consent for __________________________________________ \n(school name) to refer my child for the following school-based" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "counseling services (check all that are applied). I understand that \nthese services may be provided by a community mental health \nagency in partnership with the school. \n□ Individual Counseling \n□ Group Counseling \n \nBPS Staff Member: _______________________________________________ \n(Insert staff name) \nOutside Agency staff: \n__________________________________________________________________ \n \n(Insert staff name)" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Page 9:\nSuperintendent’s Circular SPE-14 \nPage 9 of 9 \n \n \n \nI also give consent for the school to release my child’s student \nrecord, health, and other confidential information to the school-\nbased counseling service provider and for my child to participate \nin these school-based counseling services. \nI understand that my participation in my child’s school-based \ncounseling services will be appreciated and strongly encouraged. \nI have read this Consent for School-Based Counseling Services \nand understand its terms. I sign it voluntarily and with full \nknowledge of its significance. \n \n___________________________________________ __________________" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-14 Counseling Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM", + "content": "Parent/Legal Guardian Signature Date" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nSPE-20 \nVersion 01 \n \n \nSPECIAL EDUCATION SCREENING PROGRAM FOR \nTHREE- AND FOUR-YEAR-OLD CHILDREN \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nMassachusetts state law mandates that each school system in the \nstate locate, identify, and provide special educational services for \nchildren ages three and four who may either have a substantial \ndisability or possibly experience challenges in a regular preschool or \nkindergarten program. \nThe Boston Public Schools will continue its ongoing screening \nprogram for three- and four-year-olds who are not attending a" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view?usp=drive_link", + "content": "BPS school, to take place on the following dates: \nSCREENING DATES: \n● \nThursday, October 17, 2024 @ CASH High School Annex, Dorchester \n● \nWednesday, December 4, 2024 @ Mario Umana Academy, E Boston \n● \nThursday, March 6, 2025 @ CASH High School Annex, Dorchester \n● \nWednesday, March 26, 2025 Mario Umana Academy, East Boston \n● \nThursday, April 17, 2025 @ CASH High School Annex, Dorchester \n \n \nThis screening is available to any child, ages three and four, who \nresides in the City of Boston. The screening program, coordinated" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SPE-20 \nPage 2 of 3 \n \nby the Office of Special Education, includes screening in the areas \nof readiness skills and language. A parent interview is conducted \nas well. \nNotices will be available in the language of the home, when \nindicated as necessary by the family. Efforts will be made to \ndisseminate notices at community centers, day care centers, and \ncommunity preschools. \nSummary of significant dates and deadlines: \nDate \nLocation \nThursday, October 17, 2024 \nCASH High School Annex, Dorchester \nWednesday, December 4, 2024 Mario Umana Academy, East Boston \nThursday, March 6, 2025 \nCASH High School Annex, Dorchester \nWednesday, March 26, 2025" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view?usp=drive_link", + "content": "Wednesday, March 26, 2025 \nMario Umana Academy, East Boston \nThursday, April 17, 2025 \nCASH High School Annex, Dorchester" + }, + { + "folder_name": "Special Education", + "file_name": "SPE-20 SPED Screening for 3 and 4 Year Olds", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SPE-20 \nPage 3 of 3 \n \nFor more information about this circular, contact: \nOwner: \nAssistant Director for Early Childhood \nDepartment: \nOffice of Special Education \nMailing Address: \n2300 Washington Street 5th Floor, Roxbury, \nMA 02119 \nPhone: \n617-635-8599 \nFax: \n617-635-6834 \nEmail: \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nTRN-02 \nVersion 01 \n \n \n \nSTUDENT TRANSPORTATION SAFETY & DISCIPLINE \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nHEAD OF SCHOOL/PRINCIPAL EXPECTATIONS \nThe school bus is considered an \"extension of the classroom\" in \nterms of expected student behavior. The school is responsible for \nworking with students and parents/guardians to address \nbehaviors of students and parents/guardians that take place on \nor are related to bus service that are not consistent with school \nand district policies. This policy reinforces the Standards of \nBehavior for Boston Public School students. The head of" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "school/principal is responsible for implementing the Code of \nConduct and Standards of Behavior as they apply to students and \nparents/guardians while utilizing school transportation and the \nMBTA. The head of school/principal will also communicate \nstudent/parent/guardian obligations at the start of the school \nyear via student presentations and notification to \nparents/guardians through School-Based Rules. Please note that \nthe Code of Conduct includes procedures for the denial of \ntransportation. \nThe head of school/principal will apply all approved Boston Public \nSchools policies and procedures to matters of regular" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "transportation service and field trips, athletics, and late bus runs." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 2:\nSuperintendent’s Circular TRN-02 \nPage 2 of 10 \n \n \n \nINCIDENT REPORTING AND RESPONSE \nThe head of school/principal will report all incidents, maintain all \nrecords, and take appropriate action as prescribed in applicable \nSuperintendent's Circulars, including but not limited to any state \nor federal reporting (e.g., mandated reporting to DCF or the SSDR \nreport for DESE, etc.). In the event of a school transportation \nincident resulting in student injury, the school administrator will \ncontact the parent(s)/guardian(s) and provide appropriate \ninformation in accordance with Superintendent's Circular FSE-05, \nMedical Emergency Management. The head of school/principal" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "will maintain copies of all incident reports filed by drivers and \nutilize reports for remedial actions. \nBPS school buses are equipped with two cameras. One camera \nfaces out from the bus forward to record oncoming traffic. The \nsecond camera is focused inward on the bus from the front of the \nbus. Cameras do not record sound. Only in emergency situations \n(e.g. active missing student investigation) may camera footage \nbe accessed in real time and only by Department of \nTransportation personnel. When an incident is reported, \ndepending on the nature of the incident, a review of video \nfootage of the reported incident may be requested by a school, a" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "parent/guardian, or a member of the district transportation team. \nIn most situations, student conduct investigations will rely on \nincident reports from students and adults on board the bus, \nrather than camera footage. Any requests for bus footage must \nrun through the BPS Transportation Department. Cameras have \nlimited video storage capacity that typically store 7 (seven) to 10 \n(ten) days of footage, depending on bus usage. Cameras are not \nactively monitored. Neither BPS DOT nor the bus vendor will use \ncameras for any purpose other than investigating specific" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 3:\nSuperintendent’s Circular TRN-02 \nPage 3 of 10 \n \n \n \nallegations. \nWhen incidents occur that are related to bus transportation, BPS \nDOT can work with schools on implementing solutions to \nsupport successful student transportation on BPS buses. Some \nstrategies that have been effective in the past include but are not \nlimited to school-led mediations with parents/guardians, \nstudents, bus drivers, bus monitors, and school staff; school-led in \ndepth training for drivers and/or monitors; school assigned bus \nseating plans; addition of a bus attendant by the school to the \nbus. In very limited circumstances, requiring approval of the" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Director of BPS DOT, a student, driver, or monitor may be \nreassigned. Such reassignment will be a last resort only after \nother strategies have been exhausted. This helps ensure that \nstudents are fully supported in learning how to successfully \nnavigate yellow bus transportation. \nRELATIONSHIPS WITH DRIVERS & MONITORS AND MANAGING \nBUS ARRIVALS AND DISMISSALS \nThe head of school/principal or their designee is responsible for \nmonitoring transportation service and the performance of school \nbus drivers and monitors. This includes daily one-on-one contact \nby school staff with a driver upon their arrival and departure from \na school. Heads of school/principals are advised and encouraged" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "to make all efforts to maintain a positive relationship with all \ndrivers and bus monitors and to also endeavor to work \nconstructively with all BPS and Transdev staff with whom they \ncome in contact throughout the school year. \nSchool administrative staff are responsible for managing safe and \nefficient bus arrival and dismissal processes. All buses assigned to" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 4:\nSuperintendent’s Circular TRN-02 \nPage 4 of 10 \n \n \n \na school are together scheduled to be fully loaded or unloaded \nwithin a ten-minute window. To be on time for all subsequent \ntrips, in the morning all buses must be unloaded and depart the \nschool by the school’s bell time. In the afternoon, all buses \nassigned to a school must load and depart the school by 10 \nminutes after the bell time. \nWhen arriving at schools, buses may not allow students to unload \nuntil a member of the school staff is present to meet students. \nThis ensures that a school staff member is present to take \nresponsibility for students before students exit the bus. Schools" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "are responsible for maintaining up-to-date bus rosters and \nensuring students are placed on their assigned bus during bus \ndismissal. BPS Transportation Department operations support is \navailable to review bus loading and unloading procedures upon \nrequest. \nHeads of school/principals are encouraged to make time \navailable to meet with drivers who wish to confer with them on a \nvoluntary basis throughout the school year for the purpose of \nmaintaining their transportation safety/discipline program. \nHeads of school/principals may provide drivers with a seating \nplan for each bus, but they should work constructively with \ndrivers and monitors in the implementation of such a plan. If a" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "seating plan is put in place, students should be instructed to \nremain in their assigned seats throughout the trip. \nThe head of school/principal or their designee should regularly \ninterview students to make assessments of the quality of \ntransportation service and are also asked to monitor ridership \nand notify BPS Transportation if any bus assignments are not \nbeing utilized. Schools can provide student opt out information in" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 5:\nSuperintendent’s Circular TRN-02 \nPage 5 of 10 \n \n \n \nour Support Portal. This link provides a walkthrough. We ask \nschools to utilize our Support Portal to ensure accountability \nwithin our team and support our effort to reduce follow-up times. \nThe head of school/principal or their designee may occasionally \nride school buses for first-hand observation of operations, but \nnotification to the Transportation Department must be made in \nadvance to ensure that buses are within capacity requirements \nfor ridership. \nMonitors assigned through the special education process are \nessential members of a student’s support team. Schools are" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "responsible for training bus monitors on IEP required student \nspecific supports. Monitors must be included in students’ \nsupport teams for training on an ongoing basis to be prepared to \nbest meet the needs of our students who ride the bus and to help \nensure students can succeed in the least restrictive environment. \nSchools may contact the BPS DOT Monitors Unit to arrange \nmeetings with monitors throughout the school year. \nPlease remember that bus drivers and bus monitors are \nimportant members of our school community. When they are at \nyour school, per district policy, they are permitted to use \nrestroom facilities. Bus drivers and bus monitors are expected to" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "present identification to enter any building. Just like for all other \nmembers of our school and district staff, please ensure that these \nteam members have access to bathroom facilities in your \nbuilding as needed. \nSAFETY EDUCATION AND EVACUATION DRILLS \nThe head of school/principal will support all safety education \nefforts relative to transportation and initiate programs within the" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 6:\nSuperintendent’s Circular TRN-02 \nPage 6 of 10 \n \n \n \nfirst week of the school year and throughout the school year. \nSchool bus evacuation drills are to be conducted in accordance \nwith M.G.L., Chapter 90, Section 9B, which mandates school bus \nevacuation instruction and drills. Evidence of completed \ninstruction and drills must be kept on file by the head of \nschool/principal. BPS Transportation, Transdev Safety, and BPS \nSafety Services personnel will assist school administrators in \nconducting bus evacuation drills as required by M.G.L. Chapter \n90, section 9B. \nROLE OF THE BPS TRANSPORTATION DEPARTMENT \n• The Transportation Department acts as the liaison between" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "the bus company, school personnel, parents/guardians, BPS \nSafety Services, and Boston Police Department. \n• The Transportation Department monitors contractual \ncompliance by vendors relative to the employment of \ndrivers and driver conduct. \n• The Transportation Department records all complaints \nregarding driver behavior and forwards them to the \ncompany for remedial action by the bus company. The \nDirector of Transportation may, in extreme circumstances, \norder suspension or reassignment of drivers subject to \nconsultation with the bus vendor and the collective \nbargaining agreement between drivers and bus company. \n• The Transportation Department completes bus routing and" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "planning to create efficient bus schedules that minimize \nride time for students and optimize deployment of drivers, \nmonitors, and buses. Where necessary, the Transportation \nDepartment will revise routes or pick-up points to reduce" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 7:\nSuperintendent’s Circular TRN-02 \nPage 7 of 10 \n \n \n \npotential safety problems. \n• The Transportation Department provides parents/guardians \nwith advice relative to procedures to assist in the resolution \nof transportation issues. \n• The Transportation Department notifies the head of \nschool/principal of any school bus accident, including a list \nof the students onboard the bus and any other relevant \ninformation. In the event an accident occurs after school \nhours, the Transportation Department will attempt to notify \nthe Head of School/Principal at home. \n• In the event of a school transportation accident or incident \nresulting in student injury, BPS Transportation implements" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "the following procedures: \no Ensures Transdev Safety staff has properly followed \nprocedures and notified police or emergency medical \nservices as necessary. \no Notifies the school building administrator, principal \nleader, assistant superintendent of operations, and \noperational leader, relaying all available information. \nBuilding administrators are then responsible for \nnotifying parents/guardians. \n• If the building administrator or other school-based staff is \nnot available, BPS Transportation Department staff will \nnotify parents/guardians or emergency contact person. \nROLE OF THE BUS COMPANY – TRANSDEV TRANSPORTATION \nThe bus company will comply with all requirements contained in" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "its contract with the School Committee, its collective bargaining \nagreements with its staff, and all Massachusetts laws and" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 8:\nSuperintendent’s Circular TRN-02 \nPage 8 of 10 \n \n \n \nregulations as they pertain to school bus safety and reporting. \nThe bus company will adhere to the Incident Response & Report \nProcess as outlined below: \n1. The Transdev Safety Desk will log all calls and deployment \nrequests sent into the Safety Desk by drivers or safety staff, \nBPS Transportation, or others and will submit those along \nwith any incident reports generated after an incident. \n2. In an emergency, Transdev Safety Desk will call BPS or EMS \nand deploy Transdev road safety supervisors to all serious \nincidents and accidents. Transdev Safety Desk will notify" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "BPS Transportation staff immediately upon learning of any \nserious incident and will continue to supply timely details \nfrom the scene as they become available. In the event of a \nschool transportation incident resulting in student injury \nafter normal operating hours, Transdev Safety Desk staff and \nBPS Transportation Call Center staff will assist school \nadministrators in the parent/guardian notification process. \n3. Transdev drivers will provide as much specific information \nas possible over the radio to Safety Desk and in their written \nreports, mainly the names and student numbers of involved \nstudents. Drivers should also fill out incident reports and" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "give copies to school administrators and their branch \nsupervisors daily. All incident reports are logged on a \ncomputer database at the bus company. \n4. Transdev safety staff and BPS Transportation work together \nto communicate with heads of school/principals and police \nwhere necessary to assist in the resolution of incidents. \nHeads of school/principals are required to contact \nparents/guardians and discipline students when necessary." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 9:\nSuperintendent’s Circular TRN-02 \nPage 9 of 10 \n \n \n \nThe bus company will instruct drivers to meet with heads of \nschool/principals after the \"dry runs\" of bus routes before the \nopening of school. Heads of school/principals should be prepared \nto discuss their student transportation safety/discipline program \nwith drivers at that time and throughout the year. Drivers may \nalso be made available to meet with the head of school/principal \non an ongoing basis. Arrangements for meetings can be made by \ncontacting the BPS Transportation Department. \nTransdev road safety supervisors and driver trainers will inspect \nthe safety and accessibility of pick-up and drop-off locations" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "throughout the city as requested." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-02 Student Transportation Safety and Discipline", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M", + "content": "Page 10:\nSuperintendent’s Circular TRN-02 \nPage 10 of 10 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Transportation \nDepartment: \nTransportation \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9643 \nFax: \n617-635-9541 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: \nChief of Student Support \nDepartment: \nStudent Support Office \nMailing Address: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nTRN-01 \nVersion 01 \n \n \nSCHEDULE OF SCHOOL HOURS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAttached is an alphabetical listing of opening and closing hours \nfor each school for the school year. This listing includes an AM \nbus drop-off time for each school when staff must be available to \naccept students, an AM bell, a PM bell, and an early dismissal \ntime and day of week. \nPlease pay special attention to the AM and PM bell times for your \nschool. No changes may be made to these schedules — including \nto early dismissals — without the written permission of the chief" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI", + "content": "operating officer. All requests for changes to bell times for the \nsubsequent school year must be made in writing to the chief \noperating officer before the end of October. \nPlease note the following regarding any requested changes: \n● Any requested bell time changes must be for either \n7:30am, 8:30am, or 9:30am AM bell times in order to align \nwith the District’s 3-tier bell schedule \n● No requested bell time changes for an 8:30am start can be \naccommodated at this time, as the transportation \noperation is at capacity during the 2nd tier. \nIMPORTANT NOTES ON TRANSPORTATION: \n● All BPS buses are scheduled to arrive at schools 15 minutes" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI", + "content": "Page 2:\nSuperintendent’s Circular TRN-01 \nPage 2 of 3 \n \n \nbefore the scheduled AM bell time to give students time \nto settle in and have breakfast before instruction starts. \nAdequate staff assistance is needed to make sure buses \nare unloaded as they arrive, as efficiently and safely as \npossible, so that these buses can get to the next \nscheduled location on time. Buses are expected to depart \nthe school for their next trip no more than 10 minutes after \ntheir arrival. In some cases, with agreement from the \nschool, buses are scheduled to arrive more than 15 \nminutes before the scheduled AM bell time \n● PM buses are scheduled to arrive at each schools’ PM bell" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI", + "content": "time. Adequate staff assistance and the appropriate \ndismissal procedure are needed to make sure buses are \nloaded as they arrive. Buses are expected to depart 10 \nminutes after the PM bell to get to their next scheduled \nlocation on time. \n● On the day before Thanksgiving and the last two days of \nschool in June, all schools will dismiss pupils a uniform \ntwo (2) hours and thirty (30) minutes earlier than their full-\nday PM bell time, unless operationally there is a need to \nmodify dismissal. The uniform two hour and thirty-minute \nearly release will apply to all schools, regardless of any \nregularly scheduled early release or past practice." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI", + "content": "● Certain specialized programs/schools have hours that are \nsubject to determination by the superintendent or \ndesignee." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-01 Schedule of School Hours", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI", + "content": "Page 3:\nSuperintendent’s Circular TRN-01 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: \nExecutive Director of Transportation \nDepartment: \nTransportation \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9643 \nFax: \n617-635-9541 \nEmail: \nOperations-Department-Heads@bostonpublicschools.org \nMary Skipper, Superintendent \n \nATTACHMENT: \n \nBOSTON PUBLIC SCHOOLS SCHEDULE OF SCHOOL HOURS" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 1:\n \n \n \n Superintendent’s \nCircular \nNUMBER: \nTRN-03 \nVersion 01 \n \nFIELD TRIP TRANSPORTATION \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThis circular outlines the steps that must be followed when \ntransporting students to field trips where BPS transportation or \nan approved outside supplier is used. Additionally, this circular \noutline general rules regarding transporting students in the \nBoston Public Schools with other approved transportation \nsuppliers. \nSchool buses or approved transportation suppliers’ \nvehicles should be used to transport students to and \nfrom field trips. Privately owned vehicles from non-" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "approved suppliers or leased vans are not to be \nutilized to transport students to and from field trips, \nexcept in the case of a genuine emergency. Staff who \nutilize their own vehicles risk being legally liable if \nstudents are injured while riding in their automobiles. \n \nTransdev is the supplier currently under contract with the Boston \nPublic Schools (BPS) to provide transportation services on BPS \nyellow school buses, including field trips. All field trip \ntransportation must utilize BPS school buses, unless the request \ncannot be accommodated based on capacity limitations, or an \napproved transportation supplier." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 2:\nSuperintendent’s Circular TRN-03 \nPage 2 of 12 \n \nArrangements with other suppliers are subject to the designation \nof that supplier as approved by Nate Kuder, the Chief Financial \nOfficer, and may be made by individual schools/departments \nsubject to purchasing regulations. The approved supplier list can \nbe found at the end of this circular. \nStaff should be aware of their responsibility to consult with and \nobtain the approval of their respective school leader or \ndepartment head, using school/BPS letterhead, to make \nagreements or exchange money with parents, outside \ntransportation companies, travel agencies, etc." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "transportation companies, travel agencies, etc. \nWhen requesting buses for field trips, school leaders should be \naware that BPS has the greatest bus availability between 9:30 \na.m. and 12:30 p.m. However, we encourage and welcome schools \nto submit all of their field trip requests as outlined in this circular. \nIn the event that a request cannot be met, school leaders should \nexplore the opportunity to order buses from approved suppliers \nwho are not restricted to the use of the BPS school bus fleet. A \nlist of approved suppliers is attached at the end of this circular. If \nthe Transportation Department is unable to provide service at" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "the time requested, Transportation will aim to provide notice to \nthe school leader via email at least one week in advance of the \nrequested trip date. The Transportation Department does not \nrecommend particular suppliers for field trips and does \nrecommend the use of our primary supplier, Transdev, whenever \npossible. \n \nAll field trips must be budgeted on account 52811, regardless of \nthe supplier. If you do not have a field trip account (account" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 3:\nSuperintendent’s Circular TRN-03 \nPage 3 of 12 \n \n52811), you must submit a budget transfer within your \norganization code to create the appropriate budget line. \nIf students in 7th through 12th grade will be utilizing the MBTA \nfor a field trip, schools can email schooltrips@mbta.com and/or \nsubmit a request through the School Field Trip Submission Form \nshould they need to acquire MBTA passes for students who do \nnot already have a pass because they live within the school’s walk \nzone. \n \nPlease refer to the following circulars for guidelines and \nprocedures for the planning and implementation of BPS field \ntrips: CAO-22 General Guidelines for All Field Trips, CAO-23 Day" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Field Trip Guidelines, CAO-24 Overnight Field Trips Guidelines, \nand CAO-25 International Field Trip Guidelines. \n \nI. \nFIELD TRIP TRANSPORTATION CHECKLIST - BPS Yellow Bus \nFleet \n \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any \nplanned field trip, as outlined in the field trips circulars \nreferenced above. \n \n2. Submit your request via the Supplemental Transportation \nRequest Form to arrange for booking yellow bus \ntransportation with Transdev at least two (2) weeks in \nadvance of the field trip. If you would prefer to use a \ntransportation supplier from the attached approved" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 4:\nSuperintendent’s Circular TRN-03 \nPage 4 of 12 \n \ntransportation suppliers list, please use the requisition \nprocess in the BAIS FN system. \n \n3. Once your field trip request through BPS has been \nprocessed, you will receive an invoice from the BPS DOT \nSupplemental Transportation Manager, Kyle Lewis. This \ninvoice will detail payment options. Please continue reading \nfor general payment information. \n \n4. Field trip transportation requests funded through external \ngrants must include the appropriate grant ID and program \ncodes. In the event that funds for an external grant have not \nbeen activated in BAIS FN, you will need to use general" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "funds (fund 100) for the trip. After the grant funds are loaded \ninto BAIS FN, please email Kyle Lewis, the Supplemental \nTransportation Manager, requesting that they submit an \nexpenditure transfer on your behalf to move field trip \nexpenses from fund 100 to your grant. \ni. \nAs a reminder, all schools planning to have field \ntrips should budget for them using account code \n52811 \nb. Please note that in cases where a school has indicated \nthat they would like to use ESSER or Title I META, the \nschool will need to provide confirmation that this \nspending has been approved by their ESSER Liaison or \nthe district’s Title I Coordinator, Imani Penn \n(ipenn@bostonpublicschools.org)." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "(ipenn@bostonpublicschools.org). \n \n5. The Transportation Department will only order those field \ntrips utilizing the district’s yellow bus fleet, managed by" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 5:\nSuperintendent’s Circular TRN-03 \nPage 5 of 12 \n \nTransdev. If you will be using a different vendor for your field \ntrip, please see section II. \n6. Payments should be made through a budget transfer or \ncheck. Field trip transportation will not be scheduled unless \nthe transfer is submitted, or the check is mailed at least five \n(5) school days prior to the date of the trip. \na. Fund 100/general funds: Transfers should be made to \nthe following chartfield in the BPS Transportation \nbudget: \ni. \nOrg: 101081 \nii. \nFund: 100 \niii. \nAccount: 52805 \niv. \nProgram: 2695 \nv. \nClass: 0000 \nvi. \nBud Ref/Year: 2024 \nb. Fund 200/grants: BPS Transportation will submit an" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "expenditure transfer to the Grants Office on your \nbehalf. Please confirm the necessary approvals and the \nbudget line you would like to use to fund your field trip \nvia email to the Supplemental Transportation Manager, \nKyle Lewis, at least five (5) days before your scheduled \nfield trip \nc. Check: Please confirm the check was mailed via email \nto the Supplemental Transportation Manager, Kyle \nLewis, at least five (5) school days prior to the planned \ntrip. Checks should be made out to the Boston Public \nSchools Transportation Department and mailed to: \nKyle Lewis, BPS Transportation Department \nBruce C. Bolling Building \n2300 Washington Street \nRoxbury, MA 02119" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 6:\nSuperintendent’s Circular TRN-03 \nPage 6 of 12 \n \nNote: Full bus capacity for the BPS yellow bus fleet is \napproximately seventy (70) elementary school students, sixty (60) \nmiddle school students and forty-five (45) adults/high school \nstudents. An adult MUST ride with students on any and all field \ntrips on BPS buses. \n \n7. Final confirmation for any transportation services provided \nby Transdev should be made three (3) school days before \nthe scheduled trip by contacting Kyle Lewis, the \nSupplemental Transportation Manager at Operations-\nDepartment-Heads@bostonpublicschools.org or 617-635-\n9418. Notice of any changes or canceled trips must be" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "provided to the Transportation Department at least three (3) \nschool days in advance, except in case of emergency. \n \nThe bus price schedule for the BPS fleet (Transdev) is as follows: \nInside Route 128 \nDiscounted Rate: \n \n$132.50 each way if your trip is between 9:30 a.m. \nand 12:30 p.m. (Buses must be back to your school \nby 12:30 p.m., or the trip will be billed at the regular \nrate). \n \nRegular Rate: \n \n$190.00 each way or $380.00 for a round trip \nOutside Route 128 Regular Rate: \n$540.00 (in-state), $1,050.00 (out-of-state)" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 7:\nSuperintendent’s Circular TRN-03 \nPage 7 of 12 \n \nLayover Charges \nIn some cases, if a school requires the bus to stay \non-site, it will cost $42.00 per hour for layover time. \n \n \nII. FIELD TRIP TRANSPORTATION CHECKLIST - Approved Private \nTransportation Supplier \n1. Obtain the necessary signatures from BPS authorities at \nleast four (4) weeks prior to any planned field trip, as \noutlined in the field trips circulars referenced above. A \nRequest for Waiver form (attached) must be used if \nrequesting the use of suppliers not under contract with the \nBoston Public Schools; supplier options are limited to those \non the attached Approved Field Trip Transportation" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Suppliers list. Assurances are required for the use of all non-\nBPS carriers, as noted on the waiver form. This form must be \nattached to the field trip request form appropriate for the \ntype of trip you are conducting (based on the Field Trips \ncirculars referred to above) and forwarded to the Office of \nthe Chief Financial Officer (do not send to theTransportation \nDepartment). \n2. All trips booked with approved private transportation \nsuppliers (this does not include Transdev) must be organized \nutilizing the requisition procedures in PeopleSoft BAIS FN. \nPlease complete the requisition for an approved \ntransportation supplier at least ten (10) school days prior to" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "the date of the trip to ensure that a purchase order (PO) can \nbe dispatched to the bus company ahead of the field trip. \n3. Please note that requisitions with incorrect account codes \ncannot be processed, therefore you will need to confirm that \nfunds for your field trip are in account 52811. If you do not" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 8:\nSuperintendent’s Circular TRN-03 \nPage 8 of 12 \n \nhave a field trip account in your budget (account 52811), you \nmust submit a budget transfer within your organization \ncode to create the appropriate budget line. Transportation \nrequests funded through external grants must include the \nappropriate grant ID and expense codes. \n4. The details of the requested field trip must be entered on \nthe requisition in the header details panel using the \ncomment section. The details must include the following \ninformation: \na. Contact person \nb. Phone number \nc. Email \nd. Pick-up location \ne. Site to be visited \nf. Address \ng. Site telephone number \nh. Site contact person" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "h. Site contact person \ni. Purpose of trip \nj. Date of trip \nk. Departure time \nl. Time back at school \nm. Number of students \nn. Number of buses needed \no. Adults riding along \n5. For requisitions to post, a valid budget check must be done. \nRequisitions that do not pass a budget check will not be \nprocessed. It is the responsibility of the school ordering the \ntrip to ensure that all budget checks have passed and that a \npurchase order has been dispatched. Refer to the BAIS FN \nPeopleSoft training material titled “Creating a Requisition” if \nyou need assistance in this procedure." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 9:\nSuperintendent’s Circular TRN-03 \nPage 9 of 12 \n \nFor more information about this circular, contact: \nOwner: \nDirector of Transportation \nDepartment: \nTransportation \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9643 \nFax: \n617-635-9541 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 10:\nSuperintendent’s Circular TRN-03 \nPage 10 of 12 \n \nREQUEST FOR WAIVER FORM TO USE SCHOOL BUS SUPPLIERS \nNOT CURRENTLY APPROVED AND UNDER CONTRACT \n \nThis form must be used when utilizing suppliers that are not already under \ncontract with the Boston Public Schools. \n \n \nI am hereby requesting a waiver to use non-Boston Public School \ntransportation for the field trip \nrequested on the attached Field Trip Request Form (based on the Field Trips \ncirculars referenced above). \n \nSCHOOL: \n \nDATE OF TRIP: \n \nDESTINATION: \n \nBUS COMPANY (CARRIER): \n \nRENTAL COMPANY CARRIER: \n \nThe building administrator must check each of the following to indicate" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "documentation on file in the school providing assurances noted: \n \n● Three informal quotes received from potential non-BPS transportation \ncarriers." + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 11:\nSuperintendent’s Circular TRN-03 \nPage 11 of 12 \n \n● Carrier selected is licensed by the Commonwealth to provide charter \nservice. \n● Carrier drivers are properly licensed to provide charter service. \n● Carrier drivers are all CORI & SORI checked. \n● Carrier maintains a minimum bodily liability insurance policy of $1 \nmillion per occurrence. \n \n \nAPPROVALS: \n \n \n___________________________________________ \n________________________ \nSignature of Principal/Head of School \n \n \n \nDate \n \n \n___________________________________________ \n________________________ \nSchool Superintendent \n \n \n Date \n \n \n___________________________________________" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "___________________________________________ \n________________________ \nChief Financial Officer \n \nDate \n \nTHIS FORM SHOULD BE SUBMITTED TO THE PARTIES LISTED ABOVE. \nALLOW AT LEAST TEN SCHOOL DAYS FOR APPROVAL" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "Page 12:\nSuperintendent’s Circular TRN-03 \nPage 12 of 12 \n \nAPPROVED FIELD TRIP TRANSPORTATION SUPPLIERS \nSupplier Name \nSupplier ID \nPhone \nNumber \nAddress \nAdams Motor \nTransportation Inc. \n0000003388 \n617-296-1930 \n631 Walk Hill Street, \nMattapan, MA 02126 \nChantals, Inc. \n0000053323 \n617-293-0754 35 Nikisch Avenue, Boston, \nMA 02131 \nCrystal Transport, \nInc. \n0000001421 \n617-787-1544 \n1616 Hyde Park Ave, \nBoston, MA 02136 \nDollar Ride ECO \nRide LLC/ ECO \nRide Group \nTransportation \n0000071239 \n \n62 Huntington Street, \nBrockton, MA 02301 \nEastern Bus \nCompany \n0000000396 \n617-628-6868 PO Box 514, Somerville, MA \n02143 \nLocal Motion, Inc. \n0000022242" + }, + { + "folder_name": "Transportation", + "file_name": "TRN-03 Field Trip & Athletics Transportation", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7", + "content": "02143 \nLocal Motion, Inc. \n0000022242 \n781-535-6344 66B Rocsam Park Road, \nBraintree, MA 02184 \nPeople Care-iers, \nInc. \n0000003949 \n617-361-1515 \n270 Islington Road, \nNewton, MA 02466 \nTony’s \nTransportation, \nInc. \n0000055218 \n617-719-3777 \n66 Glendale Street, PO Box \n220815, Boston, MA 02125 \nVocell Bus \nCompany, Inc. \n0000000385 \n781-393-0220 378 Commercial Street, \nMalden, MA 02148" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nCOM-01 \nVersion 01 \n \n \nCOMMUNICATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools (BPS), Boston School Committee, \nsuperintendent, and all central and school-based staff are \nresponsible for communicating accurately and effectively with \nfamilies, students, colleagues, partners, and the community. \nOngoing communication with all stakeholders is essential to \ndeveloping and sustaining effective home/school/community \npartnerships for improving student achievement. \nThe Boston School Committee affirms the following principles:" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link", + "content": "● Families and citizens have a right to know what is occurring \nin their public schools. \n● All BPS employees have an obligation to ensure the public is \nkept systematically and adequately informed. \n● Boston Public Schools staff and families benefit from \nimproved sharing of information – positive and negative. \n● Written and verbal communication from schools and \nemployees should reflect the BPS commitment to \nsupporting all children and families, focusing on student \nachievement through high-quality teaching and learning. \n● Effective communication requires an ongoing two-way \nexchange between schools and constituents, including" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link", + "content": "Page 2:\n \nSuperintendent’s Circular COM-01 \nPage 2 of 4 \n \n \nthoughtful mechanisms at the school and district levels for \nseeking family, student, and community perspectives on \ncritical issues and decisions. \n● Language used to communicate with families and the \ncommunity must be free of educational jargon, acronyms, \nand other terminology unfamiliar to non-educators. \n● All communication must reflect and be sensitive to the \ndiversity of BPS families and staff, free of bias with respect \nto race, ethnicity, language, education, income, gender, \nreligion, sexual orientation, or disability. \nIn keeping with these principles, the superintendent shall issue" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link", + "content": "district-wide procedures and guidelines to foster effective \ncommunication in crucial areas such as media relations, \nemergency communications, customer service, publications, \npresentations, photography, events, and \ntranslation/interpretation. \nTo ensure brand consistency and help families identify official \nBPS publications and properties, schools and departments must \ndisplay the BPS logo on websites and publications. School and \ndepartment stationery and signage should incorporate the BPS \nlogo, the Boston city seal, or both. The BPS logo may not be \naltered and must be reproduced in its correct aspect ratio. The \nlogo digital and printable files are available at the BPS-LOGO" + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link", + "content": "folder. \nIt is the responsibility of every school, office, and program in the \nBoston Public Schools to adhere to these procedures and \nexecute additional effective communication strategies. The BPS \nCommunications Office shall provide leadership, resources, \nguidance, and technical assistance to support the district and \nschools in these efforts." + }, + { + "folder_name": "Communications", + "file_name": "COM-01 Communications Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link", + "content": "Page 3:\n \nSuperintendent’s Circular COM-01 \nPage 3 of 4 \n \n \n \n \n\n\nPage 4:\n \nSuperintendent’s Circular COM-01 \nPage 4 of 4 \n \n \nFor more information about this circular, contact: \nowner: \nChief of Communications \nDepartment: \nChief of Communications \nMailing Address: Bruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9265 \nEmail: \ncommunications@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nCOM-02 \nVersion 01 \n \n \nMEDIA RELATIONS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe Boston Public Schools is committed to cultivating and \nmaintaining an open and productive relationship with the news \nmedia. The district recognizes that the media provides a public \nservice, are viewed as a reliable source of news about the Boston \nPublic Schools and seeks to provide timely and accurate \ninformation toward that end. \nThe district maintains that the top priority of schools is to \neducate students and ensure the safety and privacy of all \nstudents, staff, and families." + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view?usp=drive_link", + "content": "students, staff, and families. \n To balance the responsibilities of schools and the need to provide \ninformation to the media, all press inquiries about the Boston \nPublic Schools or any individual school, student, staff member, \nprogram, or initiative are to be directed first to the \nCommunications Office. \n Any staff member contacted directly by a member of the news \nmedia must refer the reporter to the Communications Office, \nwho will work with staff and the media outlet to respond \nappropriately to the inquiry. \n District officials, schools, and staff must cooperate with the news \nmedia to the extent required and appropriate by law while" + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view?usp=drive_link", + "content": "ensuring that media coverage does not interfere with teaching \nand learning." + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular COM-02 \nPage 2 of 2 \n \n It is critically important to protect the privacy of students and \nstaff while fulfilling the requirements of public records laws. The \nCommunications Office works closely with the Legal Advisor to \ndetermine what information is a matter of public record and \nwhat must remain confidential. Only a student whose parent or \nguardian has signed and returned a Media Appearances form \nmay be recorded, filmed, photographed, or interviewed. Students \nfor whom no such consent is on file in the school office may not \nparticipate in any media-related activities, and their name and" + }, + { + "folder_name": "Communications", + "file_name": "COM-02 Media Relations Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view?usp=drive_link", + "content": "image are not to be released to the media or anyone else outside \nof the school. For more information, see the Guide to the Boston \nPublic Schools for Families and Students. \nFor more information about this circular, contact: \nOwner: \nChief of Communications \nDepartment: \nChief of Communications \nMailing \nAddress: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9265 \nEmail: \ncommunications@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nSUP-20 \nVersion 01 \n \n \nCHILD ABUSE AND NEGLECT \n \nTHIS CIRCULAR WILL REMAIN IN EFFECT UNLESS RESCINDED OR \nSUPERSEDED BY A SUBSEQUENT VERSION \nGENERAL INFORMATION \nMassachusetts General Law (Chapter 119, Section 51A) requires \nthat certain persons who in their professional capacity have \nreasonable cause to believe that a child under the age of \neighteen (18) years is suffering serious physical or emotional \ninjury resulting from abuse, including sexual abuse, or neglect, \nincluding malnutrition, inflicted upon them SHALL \nIMMEDIATELY, VIA TELEPHONE, REPORT THIS ABUSE OR \nNEGLECT TO THE DEPARTMENT OF CHILDREN AND FAMILIES," + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "either via the attached Area Offices Telephone Directory or via \nthe 24-hour reporting hotline: 1-800-792-5200. \n \nWithin forty-eight (48) hours of the initial oral report, these \nprofessionals are required under Massachusetts law to notify the \nDepartment of Children and Families (DCF) in writing using the \nattached Report Form. The Report Form should be sent by \nregistered mail, with return receipt requested, to the appropriate \nDCF Area Office. A new Report Form must be completed for \neach new injury or re-injury." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 2:\nSuperintendent’s Circular SUP-20 \nPage 2 of 15 \n \nWHO MUST REPORT? \nBy law, the following professionals, among others, are “mandated \nreporters” and must report cases of child abuse or neglect to \nDCF: physicians, medical interns, medical examiners, dentists, \nnurses, teachers, educational administrators, guidance \ncounselors, family counselors, probation officers, school \nattendance officers, social workers, psychologists, and police \nofficers. When these professionals are employed at a school, they \nmust either notify DCF directly or, alternatively, notify the person \nin charge of the school or that person’s designated agent. Out of" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "an abundance of caution, however, all school professional staff in \nthe Boston Public Schools are required to report to DCF any \ninstance of neglect or abuse that they observe or which is \nbrought to their attention. \n \nPlease note that all employees are required to report any \nsuspected or alleged bias-based conduct toward a student \nor sexual misconduct toward a student under circulars EQT-\n02 and EQT-03. This report must be made to a school \nadministrator and/or directly to the Office of Equity. A \ndetermination will then be made whether it meets the \nstandard for a report to the Department of Children and \nFamilies under SUP-20. Please see Attachment 1, Procedures" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "for Reporting Suspected Child Abuse and Neglect Cases. \n \nNothing in this policy prohibits a school professional from \nnotifying DCF directly when such school professional has \nreasonable cause to believe abuse or neglect occurred. In the \nevent that a school professional notifies the building \nadministrator in charge of an incident of suspected abuse or" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 3:\nSuperintendent’s Circular SUP-20 \nPage 3 of 15 \n \nneglect, that building administrator must make a report to DCF \nfollowing the procedures outlined in this circular. \n \nAny other person may report a case of child abuse or neglect \nwhen there is reasonable cause to believe that a child’s health or \nwelfare is being harmed, or is at substantial risk of being harmed, \nas a result of abuse or neglect. \nWHAT TO REPORT? \nAny incident in which there is reasonable cause to believe that a \nchild’s physical or mental health or welfare is harmed or is \nthreatened with substantial risk of harm through abuse or \nneglect must be reported. Truancy by itself is not a reportable" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "matter. This means that a child missing school is not, on its own, \na reason to report. \nABUSE. Abuse includes: \n• Physical, mental, or emotional injury by other than \naccidental means, i.e., beatings, cuttings, burns, broken \nbones, multiple bruises \n• Physical dependency on an addictive drug at birth \n• Any sexual act against another person either by force, or by \nthreat of force or bodily injury, or against the person’s will. \nThis includes a sexual act against another person who is \nincapable of giving consent either because of their \ntemporary or permanent mental or physical incapacity or \nbecause s/he is a minor. Such crimes as indecent assault" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "and battery, rape, rape with force, rape and abuse, assault \nwith intent to rape and unnatural and lascivious acts \nconstitute a sexual assault." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 4:\nSuperintendent’s Circular SUP-20 \nPage 4 of 15 \n \nIndecent assault and battery includes, but is not limited to, \ninappropriate and unwanted touching of private body parts. \nA person under the age of 14 is legally unable to consent to \nthis type of sexual activity. \nNEGLECT. Neglect is deemed to exist when the person or persons \nresponsible for a child’s care, although financially able to do so, \nfail to provide the child with: \n• Adequate food, clothing, shelter, education, or medical care \n• Proper supervision and/or guardianship. \n \nThe attached Procedures for Reporting Suspected Child Abuse or \nNeglect detail the relevant reporting procedures to be followed" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "by Boston Public School employees. \n \nIMMUNITY \nAll reports will be held in strict confidence. A person required to \nreport who does in fact make a report, including a report of \nabuse or neglect by personnel in the public school system, shall \nnot be held liable in any civil or criminal action by reason of that \nreport. In addition, a person who, although not required to do so \nby statute, voluntarily makes a report shall not be liable in any \ncivil or criminal action by reason of that report if it was made in \ngood faith and that person did not perpetuate, inflict, or cause \nthe reported abuse or neglect. \nIn accordance with Massachusetts law (Massachusetts General" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Laws Chapter 119, Section 51B), persons who are mandatory \nreporters of child abuse shall share any relevant information \nrequested by the Department of Children and Families during \nthe investigation of a specific 51A child abuse report. Those \npersons who are required to share information are protected" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 5:\nSuperintendent’s Circular SUP-20 \nPage 5 of 15 \n \nfrom civil or criminal liability for providing such information \nwithout parental consent. \nCONSEQUENCES FOR VIOLATIONS OF THE REPORTING \nREQUIREMENT \nUnder Massachusetts law, any person required to make oral and \nwritten reports of suspected child abuse or neglect who fails to \ndo so and any person who knowingly files a frivolous report will \nbe subject to penalties as prescribed by law. \nBoston Public School employees required by law to report \nsuspected child abuse or neglect who fail to do so in accordance \nwith the attached procedures will be subject to discipline. \nPROHIBITION OF RETALIATION" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "PROHIBITION OF RETALIATION \nRetaliation against any Boston Public School student or \nemployee for filing a complaint of abuse or neglect, including a \nreport of abuse or neglect against personnel in the public school \nsystem, is strictly prohibited. \nIn accordance with both Massachusetts law and the attached \nProcedures, any Boston Public School employees who \nthemselves perpetuate, inflict, or cause the abuse of any child will \nbe subject to discipline as outlined in the attached Procedures. \nATTACHMENTS: \n• Procedures for Reporting Suspected Child Abuse and \nNeglect Cases \n• Area Offices and Telephone Directory Guide for Reporting \nPurposes \n• DCF 51A Reporting Form" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 6:\nSuperintendent’s Circular SUP-20 \nPage 6 of 15 \n \nFor more information about this circular, contact: \nOwner: \nChief of Student Support \nMailing \nAddress: \n2300 Washington Street, Boston MA, 02119 \nPhone: \n617-635-9000 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 7:\nSuperintendent’s Circular SUP-20 \nPage 7 of 15 \n \nATTACHMENT 1 \n (p. 1 of 6) \n \nPROCEDURES FOR REPORTING SUSPECTED \nCHILD ABUSE AND NEGLECT CASES \n \n1. Pursuant to Massachusetts General Law Chapter 119, Section \n51A, a mandated reporter is required to report when they has \n“reasonable cause to believe” that a child under the age of \neighteen (18) years is suffering from abuse or neglect. Out of \nan abundance of caution, however, all school professional \nstaff in the Boston Public Schools are required to report to \nDCF any instance of neglect or abuse that they observe or \nwhich is brought to their attention. \n \n2. Upon such suspicion of abuse or neglect of a child under 18" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "years of age, a teacher, or any other mandated reporter, will \nimmediately report their concerns to the building \nadministrator and will confer with the school nurse. Such \nabuse includes but is not limited to physical, mental, or \nemotional injury by other than accidental means (e.g. \nbeatings, cuttings, burns, broken bones, multiple bruises). In \nthe event of suspected physical abuse, a school nurse should \nbe contacted to immediately examine and document the \nchild’s physical condition. Appropriate Special Education and \nSupport Services staff should be notified of the situation \nconcerning the suspected abuse or neglect." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 8:\nSuperintendent’s Circular SUP-20 \nPage 8 of 15 \n \nATTACHMENT 1 \n (p. 2 of 6) \n \n3. Upon suspicion of sexual assault, please refer immediately \nto the Equity Circular on Sexual Misconduct Toward Students \n(EQT-03) and follow the reporting procedures outlined in that \ncircular. School personnel responding to sexual assault \nconcerns will obtain only basic minimal facts of the alleged \nincident. These basic facts should include: (1) when the \nincident occurred; (2) where the incident occurred; (3) who \nassaulted the student, if known; (4) the nature of the \nincident; and (5) whether there are known witnesses and/or \nother victims. In an attempt to minimize the emotional" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "stress victims of abuse experience and to preserve the \nintegrity and reliability of the required DCF and law \nenforcement investigations, additional interviews and more \ndetailed probing questioning are not to be conducted by \nschool officials. A student who reports being a victim of a \nsexual assault should never be asked to submit a written \nreport detailing the incident nor be asked to discuss the \nincident with the alleged perpetrator present at any time \nand under any circumstances. School personnel are \nmandated reporters but should not investigate the \nallegations or prepare a probing and/or detailed incident \nreport." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "report. \n \n4. The building administrator or designee shall compile any and \nall relevant information from school professionals with \nknowledge of the incident and student. They shall also \ncompile any and all relevant information from school records \nto be used when reporting the case to the appropriate DCF" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 9:\nSuperintendent’s Circular SUP-20 \nPage 9 of 15 \n \nArea Office and have all such information and records \navailable for DCF. \n \n5. The building administrator must report to DCF even if they \nbelieve that the teacher, nurse, or other mandated reporter is \nmistaken in suspecting abuse or neglect. The building \nadministrator may not substitute their judgment for that of \nany mandated reporter within the school. The failure to file \na report as mandated by law will subject the building \nadministrator (or other mandated reporter who fails to \nmeet their statutory obligations) to discipline in \naccordance with BPS employee discipline procedures." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "6. The building administrator or designee must immediately \ncall the DCF Screening Area Office to report the case. If the \nreport must be made after 5:00 PM, the building \nadministrator or designee must immediately call the DCF \nHotline number at 1-800-792-5200. \n \n7. The child must not be sent home from school before the \nverbal 51A report is filed with DCF. A written report must be \nforwarded within 48 hours. \n \n8. Within 48 hours of the initial oral report, the building \nadministrator or designee will send written notification to the \nDCF Area Office via fax or via the Virtual Gateway Portal at \nMass.gov. A confidential copy of the written notification form" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "(copy attached) should be retained in the office of the \nprincipal or headmaster." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 10:\nSuperintendent’s Circular SUP-20 \nPage 10 of 15 \n \nATTACHMENT 1 \n (p. 4 of 6) \n \n \n9. If the alleged abuser is an employee of the Boston School \nDepartment, a copy of the notification should also be \nforwarded to the BPS Office of the Labor Relations. If an \ninvestigation confirms the allegations, the offending \nemployee will be subject to discipline in accordance with \nBPS employee discipline procedures. \n \n10. The building administrator, in consultation with others as \nnecessary, will decide how, when, and by whom the family, \nincluding the child who is suspected of being abused or \nneglected, will be notified of this report. Although the school" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "is not required by law to notify the family, such notification is \nrecommended. In deciding whether to notify, the building \nadministrator and others should consider whether \nnotification will create a substantial risk to the student’s \nhealth, safety, or welfare. DCF and the police and the \nDepartment of Social Work can provide consultation in \nmaking this determination to ensure the child’s safety and \nwell-being. \n \n11. DCF investigators, who report to the school in order to \nconduct one phase of their investigation, should be required \nto identify themselves and to verify their assignment to the \ncase. School-based staff should encourage them to interview" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "the child at home in the presence of the parent or caregiver, \nunless the 51A has been filed against the parent. In this latter \ncase, the interview of the child may be conducted in school \nin the presence of the building administrator or designee." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 11:\nSuperintendent’s Circular SUP-20 \nPage 11 of 15 \n \nATTACHMENT 1 \n (p. 5 of 6) \n \n \n12. Within sixty (60) days of filing a report, the building \nadministrator should receive a feedback report from DCF \ndetailing the department’s findings and specifying the social \nservices that the department intends to offer the child. This \nfeedback report may be used to plan further collaboration \nwith other professionals assisting the family. \n \n13. Certain cases that the schools report to DCF (sexual abuse \nand exploitation, serious physical abuse, and some others) \nwill also be referred by DCF to the local police and the District" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Attorney’s Office for investigation. In these circumstances, \nthese agencies will typically conduct a multidisciplinary team \ninvestigation. This investigation will typically include an \ninterview with the alleged victim(s), alleged perpetrators(s), \nand witness(es). Relevant investigative information will be \nprovided to the school when appropriate, and as permitted \nby law. \n \n14. Throughout the reporting, investigation, and follow-up \nprocess, school documentation must be done in a way that \nensures confidentiality. Accordingly, reports of suspected \nabuse or neglect will not be part of a child’s educational \nrecord, but will instead be kept separately. The school will" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "maintain files of the 51A reports of suspected abuse or \nneglect for no more than five years." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 12:\nSuperintendent’s Circular SUP-20 \nPage 12 of 15 \n \nATTACHMENT 1 \n (p. 6 of 6) \n \n15. When a building administrator seeks to remove a child from \nschool because of, for example, a disciplinary emergency \nremoval or illness, a parent may not always be available to \npick the child up. Other childcare, eldercare, school or work \nresponsibilities, or lack of transportation may delay or \nprevent a parent from being able to immediately pick up the \nchild from school. This is not, on its own, a reportable matter. \nMaintaining the child’s safety at school or ensuring that the \nchild has a safe way to return home is the building \nadministrator’s responsibility." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "administrator’s responsibility. \n \n16. Importantly, a special education dispute is not, on its own, a \nreportable matter. A parent disagreeing with school staff’s \nopinions that a child needs a particular special education \nplacement, service, or evaluation is not a reportable matter. \nIn such situations, school staff should contact the assigned \nspecial education district assistant program director. \n \n17. Each school building will designate a representative who will \nensure that, in the event of the building administrator’s \nabsence, the above reporting procedures are followed as \nrequired by law. School Health will make arrangements for" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "emergency nursing staff coverage so that the required \ninvestigation, discussed above, will begin before the end of \nthe day." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 13:\nSuperintendent’s Circular SUP-20 \nPage 13 of 15 \n \nEMERGENCY PROTOCOL \n \nIn the event of a clear emergency where the life or safety of a child \nis in imminent danger, the building administrator, designee, or \nother mandated reporter should immediately notify the \nappropriate DCF Area Office and file the required 51A Report. \nAfter 5:00 PM, the school official should use the Massachusetts \nChild Abuse Emergency Hotline, at 1-800-792-5200. A written \nreport must be filed within forty-eight hours. \n \nMassachusetts General Laws Chapter 119, Section 51B(3) authorizes \nthe Department of Children and Families to take a child into" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "immediate temporary custody, without parental permission or \nprior notice, if the department has reasonable cause to believe \nthat this action is necessary to protect the child from further \nabuse or neglect. Emergency responses by the Department of \nChildren and Families may include law enforcement, \ndepending upon the nature of the incident reported. If DCF \nseeks to exercise this authority in the school setting, the building \nadministrator shall: \n \n1. Verify the DCF representative’s identification and retain a copy \nof the identification in the student record \n \n2. Contact the DCF representative’s immediate supervisor to verify \nthe need for the DCF action \n \n3." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "the need for the DCF action \n \n3. \nMaintain a log, which should be filed with the office copy of \nthe 51A report, of the action, the DCF employee(s) involved, and \nthe DCF Area Office involved; and provide any other pertinent \ninformation related to the suspected abuse or neglect." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 14:\nSuperintendent’s Circular SUP-20 \nPage 14 of 15 \n \n \nATTACHMENT 2 \n \n \n \n \n \n \n \n \n \n \n \nDEPARTMENT OF CHILDREN AND FAMILIES \nBoston-Brookline Region Area Directory \n \nBoston Regional Office \n1785 Columbus Ave. Fifth Floor \nRoxbury, MA 02119-1041Local Number: (617) 989-9200 \nFax Number: (617) 989-9250 \n \nHyde Park Area Office \n1530 River Street \nHyde Park, MA 02136 \nLocal Number: (617) 363-5000 \nFax Number: (617) 363-5175 \n \nDimock Street Area Office \n30 Dimock Street \nRoxbury, MA 02119 \nLocal Number: (617) 989-2800 \nFax Number: (617) 445-9147 \n \nPark Street Area Office \n50 Park Street \nDorchester, MA 02122 \nLocal Number: (617) 822-4700" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Local Number: (617) 822-4700 \nFax Number: (617) 282-1019" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-20 Child Abuse and Neglect", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l", + "content": "Page 15:\nSuperintendent’s Circular SUP-20 \nPage 15 of 15 \n \nHarbor Area Office \n80 Everett Avenue, Suite 100Chelsea, MA 01250 \nLocal Number: (617) 660-3400 \nFax Number: (617) 884-0215 \n \n \nBOSTON POLICE DEPARTMENT – FAMILY JUSTICE CENTER \n(Formerly the Sexual Assault Unit) \n \nMain Number: (617) 343-4400 \n \nSUFFOLK COUNTY DISTRICT ATTORNEY’S OFFICE \n \nMain Number: (617) 619-4000 \nChild Abuse Unit: (617) 619-4300 \n \n \n \n \nATTACHMENT 3 \n \nDCF 51A Reporting Form" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 1:\nSuperintendent’s\nCircular\nNUMBER:\nSUP-19\nVersion 01\nDE-ESCALATION, PHYSICAL RESTRAINT,\nSECLUSION AND TIME-OUT POLICY\nThis Circular will remain in effect unless rescinded or superseded\nby a subsequent version.\nI. INTRODUCTION\nThe purpose of this circular is to ensure that every student\nparticipating in a Boston Public Schools program is free from the\nuse of physical restraint inconsistent with state law and district\npolicy and to ensure that physical restraint is used only in\nemergency situations of last resort, after other lawful and less\nintrusive alternatives have failed or been deemed inappropriate,\nand with extreme caution. The purpose of the circular is also to" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "state that the use of seclusion is prohibited by law and in the\nBoston Public Schools. This circular is consistent with regulations\nestablished by the Massachusetts Department of Elementary and\nSecondary Education, 603 CMR 46.00 and with school district\npolicy.\nThe Massachusetts Department of Elementary and Secondary\nEducation established regulations governing the use of physical\nrestraints on students. These regulations supersede all previously\nestablished procedures. The Boston Public Schools must follow\nthe provisions of 603 CMR 46.00, which regulates physical\nrestraint on students in Massachusetts public school districts,\ncharter schools, and collaborative and special education schools." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 2:\nSuperintendent’s Circular SUP-19\nPage 2 of 35\nPhysical restraint should be administered only when needed to\nprotect a student or other students and staff from assault or\nimminent danger of serious physical harm. Physical restraint\nshould be administered in the least intrusive manner possible\nand should be used to prevent or minimize harm to the student.\nBoston Public Schools does not use Seclusion. Seclusion shall\nmean the involuntary confinement of a student alone in a room\nor area from which the student is physically prevented from\nleaving. Seclusion does not include a time-out, which shall mean\na behavioral support strategy developed pursuant to 603 CMR" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "46.04(1) in which a student temporarily separates from the\nlearning activity or the classroom, either by choice or by direction\nfrom staff, for the purpose of calming. During time-out, a student\nmust be continuously observed by a staff member. Staff shall be\nwith the student or immediately available to the student at all\ntimes. The space used for time-out must be clean, safe, sanitary,\nand appropriate for the purpose of calming. Time-out shall cease\nas soon as the student has calmed and no time-out can exceed\n30 minutes without the express approval of the School Leader or\ntheir designee.\nII. DEFINITIONS\nMechanical restraint shall mean the use of any physical device or" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "equipment to restrict a student's freedom of movement.\nMechanical restraint does not include devices implemented by\ntrained school personnel, or utilized by a student that have been\nprescribed by an appropriate medical or related services\nprofessional, and are used for the specific and approved" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 3:\nSuperintendent’s Circular SUP-19\nPage 3 of 35\npositioning or protective purposes for which such devices were\ndesigned. Examples of such devices include: adaptive devices or\nmechanical supports used to achieve proper body position,\nbalance, or alignment to allow greater freedom of mobility than\nwould be possible without the use of such devices or mechanical\nsupports; vehicle safety restraints when used as intended during\nthe transport of a student in a moving vehicle; restraints for\nmedical immobilization; or orthopedically prescribed devices that\npermit a student to participate in activities without risk of harm.\n*BPS prohibits this type of restraint*" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "*BPS prohibits this type of restraint*\nMedication restraint shall mean the administration of\nmedication for the purpose of temporarily controlling behavior.\nMedication prescribed by a licensed physician and authorized by\nthe parent/guardian for administration in the school setting is not\nmedication restraint. *BPS prohibits this type of restraint*\nPhysical escort shall mean a temporary touching or holding,\nwithout the use of force, of the hand, wrist, arm, shoulder, or\nback for the purpose of inducing a student who is agitated to\nwalk to a safe location.\nPhysical restraint shall mean direct physical contact that\nprevents or significantly restricts a student's freedom of" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "movement. Physical restraint does not include: brief physical\ncontact to promote student safety, providing physical guidance\nor prompting when teaching a skill, redirecting attention,\nproviding comfort, or a physical escort.\nProne restraint shall mean a physical restraint in which a student\nis placed face down on the floor or another surface, and physical" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 4:\nSuperintendent’s Circular SUP-19\nPage 4 of 35\npressure is applied to the student's body to keep the student in\nthe face-down position. *BPS prohibits this type of restraint*\nSeclusion shall mean the involuntary confinement of a student\nalone in a room or area from which the student is physically\nprevented from leaving. Seclusion does not include a time-out as\ndefined in 603 CMR 46.02. *Seclusion is prohibited in public\nschools and in BPS*\nTime-out shall mean a behavioral support strategy developed\npursuant to 603 CMR 46.04(1) in which a student temporarily\nseparates from the learning activity or the classroom, either by" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "choice or by direction from staff, for the purpose of calming.\nDuring time-out, a student must be continuously observed by a\nstaff member. Staff shall be with the student or immediately\navailable to the student at all times. The space used for time-out\nmust be clean, safe, sanitary, and appropriate for the purpose of\ncalming. Time-out shall cease as soon as the student has calmed\nand no time-out can exceed 20 minutes without the express\napproval of the School Leader or their designee.\nIII. PHYSICAL RESTRAINT PROCEDURES\nA. METHODS FOR PREVENTING VIOLENCE AND ENGAGING\nPARENTS/GUARDIANS\nThe BPS Behavioral Health Services department has school" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "psychologists assigned to all BPS schools and has social\nworkers that provide district-wide services. The Behavioral" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 5:\nSuperintendent’s Circular SUP-19\nPage 5 of 35\nHealth Services department provides a wide continuum of\nbehavioral health services including prevention, at-risk and\nintensive services. In addition, the Behavioral Health Services\nteam is the mental health crisis response team for the\ndistrict and works with educational staff to identify and\nrespond to unsafe situations.\nIn addition, BPS has developed a multi-tiered system of\nsupports for preventing student violence, self-injurious\nbehavior, and suicide, including individual crisis planning\nand de-escalation of potentially dangerous behavior\noccurring among groups of students or with an individual" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "student. The Comprehensive Behavioral Health Model\n(CBHM) is a multi-tiered system of supports (MTSS) designed\nto promote students' social, emotional, and behavioral\nwellbeing. MTSS is a three-tier model of service delivery for\neducational and behavioral services in a school setting. This\nmodel is also often called Response to Intervention (RtI). In\nBPS, the Academic Achievement Framework (AAF) is a\nversion of RtI focused on students' social and behavioral\nlearning. CBHM is focused on students' social and behavioral\nlearning. The goal of the CBHM Lighthouse model is to\ncreate safe and supportive learning environments in which\nstudents may grow and thrive academically, personally, and" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "socially. This includes providing the right amount of services\nand supports at the right time when a student absolutely\nneeds them.\nThese models are based on the logic that the majority of\nstudents can and will be successful when provided with\nevidence-informed instruction and preventative" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 6:\nSuperintendent’s Circular SUP-19\nPage 6 of 35\ninterventions. Appropriate interventions and the use of data\nto assess progress help ensure that students who benefit\nfrom progressively more intensive services will not need\nthem over the long-term.\nBPS engages with parents and caregivers at a school level,\nthrough the Guide for Families and Students and through\nthe Special Education Parent Advisory Council (or SEPAC) to\nengage parents and caregivers in discussions about restraint\nprevention and the use of restraint solely as an emergency\nprocedure.\nB. USE OF RESTRAINT\nPhysical restraint should be administered only when needed" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "to protect a student or other students and staff from assault\nor imminent serious physical harm. Physical restraint can\nonly be used as a last resort in an emergency when a\nstudent’s behavior poses a threat of imminent, serious\nphysical harm to himself or herself or others, and the\nstudent does not respond to verbal directives or other lawful\nand less intrusive behavior interventions, or such\ninterventions are deemed inappropriate under the\ncircumstances. Physical restraint shall be limited to the use\nof such reasonable force as is necessary, for the least\namount of time necessary, to protect a student or another\nmember of the school community from assault or imminent," + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "serious, physical harm. A physical restraint may only be" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 7:\nSuperintendent’s Circular SUP-19\nPage 7 of 35\nadministered by school personnel who have been properly\ntrained in the use of physical restraint.\nC. USE OF TIME-OUT\nSeclusion does not include a time-out. A time-out is not a\nrestraint. A time-out is a behavioral support strategy in\nwhich a student temporarily separates from the learning\nactivity or the classroom, either by choice or by direction\nfrom staff, for the purpose of calming. Time-outs are\npermitted as a behavioral strategy if the student is with a\nstaff member or is continuously observed by a staff member\nwho is immediately available to the student at all times. The\nspace used for time-out must be clean, safe, sanitary, and" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "appropriate for the purpose of calming. Time-out shall cease\nas soon as the student has calmed. Time-out may not be\nused for discipline or punishment. The preference is for\ntime-out to be implemented within a classroom to the\ngreatest extent possible. Staff must document in Aspen the\nantecedent behavior prior to the time-out, any other\nbehavioral support strategies attempted, and the time, date,\nduration and location of any time-out used as a behavioral\nsupport strategy. The school leader must give and\ndocument approval for any time-out to continue more than\n30 minutes based on the individual student's continuing\nagitation." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 8:\nSuperintendent’s Circular SUP-19\nPage 8 of 35\nD. OTHER LIMITATIONS ON USE OF RESTRAINT\nPhysical restraint shall be limited to using such reasonable\nforce as is necessary to protect a student or another\nmember of the school community from assault or imminent,\nserious, physical harm. 603 CMR 46.03(3).\nInstances when restraint is not to be used:\n1. Physical restraint is not to be used as a means of\ndiscipline or punishment. 603 CMR\n46.03(2)(a).\n2. Physical restraint is not to be used when the student\ncannot be safely restrained because it is medically\ncontraindicated for reasons including but not limited to\nasthma, seizures, cardiac condition, obesity, bronchitis," + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "communication-related disabilities, or risk of vomiting.\n603 CMR 46.03(2)(b).\n3. Physical restraint is not to be used as a response to the\ndestruction of property, school disruption, refusal of the\nstudent to comply with public education program rules\nor staff directive, or verbal threats when those actions\ndo not constitute a threat of assault, or imminent,\nserious, physical harm. 603 CMR 46.03(2)(c).\n4. Physical restraint should not be used as a standard\nresponse for any individual student. No written\nindividual behavior plan or individualized education\nprogram (IEP) may include the use of physical restraint" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 9:\nSuperintendent’s Circular SUP-19\nPage 9 of 35\nas a standard response to any behavior. 603 CMR\n46.03(2)(d).\n5. Boston Public Schools prohibits the following forms of\nrestraint: mechanical, medication, seclusion, prone, and\nprone restraints.\nNothing in this document, or in 603 CMR 46.00, prohibits:\n1. the right of an individual to report to appropriate\nauthorities a crime committed by a student or another\nindividual.\n2. law enforcement, judicial authorities, or school security\npersonnel from exercising their responsibilities,\nincluding the physical detainment of a student or other\npersons alleged to have committed a crime or posing a\nsecurity risk." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "security risk.\n3. the exercise of an individual’s responsibilities as a\nmandated reporter of child abuse/neglect according to\nMGL c. 119, s 51A to the appropriate state agency.\n4. the protection afforded publicly funded students under\nother state or federal laws, including those laws that\nprovide for the rights of students who have been found\neligible to receive special education or related services." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 10:\nSuperintendent’s Circular SUP-19\nPage 10 of 35\nE. PROPER ADMINISTRATION OF PHYSICAL RESTRAINT\n●Restraint must be implemented only by trained and\nactively certified personnel. Whenever possible, the\nrestraint shall be witnessed by at least one person who\ndid not engage in the restraint. As an exception, in the\nevent of an emergency situation where no trained staff\nare available to protect students and staff from imminent\nharm, the restraint may be implemented until properly\ntrained staff have arrived.\n●Restraints must be implemented in a way that does not\nprevent a student from breathing or speaking.\n●The use of unnecessary force in administering physical" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "restraint is expressly prohibited. Intervening staff can use\nonly the amount of force necessary to protect the\nstudents or others from physical injury. Staff shall select\nthe safest and least intrusive method that is likely to be\neffective for the student.\n●If a student indicates or is observed to be in significant\nphysical distress (difficulty breathing, signs or indicators\nof pain or discomfort, change in color or alertness, etc.),\nthe student shall be released immediately, and medical\nassistance should be sought.\n●Students shall be released from physical restraint as soon\nas it is safe to do so, meaning that the student is no\nlonger a danger to themselves or others and/or a plan has" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "been made to manage the student safely without having\nto use physical management." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 11:\nSuperintendent’s Circular SUP-19\nPage 11 of 35\n●In the rare event that a student is in crisis for more than\n20 minutes, restraints over 20 minutes must have\napproval from the school leader. The school leader must\ndocument that approval was granted for any restraint\nover 20 minutes.\n●Follow up procedures following restraint must be\nimplemented. These include a debrief with the student (if\nappropriate), a review of the incident with staff, and any\nneeded follow up with student witnesses.\n●The school nurse should assess the student’s physical\ncondition after any restraint.\nF. SAFETY REQUIREMENTS\nPursuant to 603 CMR 46.05(5), the following is required:" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "1. A restraint shall not be administered in a manner that\nprevents the student from speaking or breathing.\n2. A restraint shall be administered in such a way to\nprevent or minimize physical harm.\n3. During a restraint, a staff member shall continuously\nmonitor the physical status of the student including\nskin temperature and color, and respiration.\n4. If at any time during the restraint the student\nexpresses or demonstrates significant physical distress\nincluding, but not limited to, difficulty breathing, the\nrestraint will immediately terminate, and medical\nassistance will be sought." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 12:\nSuperintendent’s Circular SUP-19\nPage 12 of 35\n5. Program staff will review and consider any known\nmedical or psychological limitations, known or\nsuspected trauma history, and/or behavioral\nintervention plans regarding the use of physical\nrestraint on an individual student.\n6. During a restraint, staff will continuously talk to and\nengage the student in an attempt to de-escalate\nbehavior and to end the restraint as soon as possible.\n7. Staff administering physical restraint will use the safest\nmethod available that is appropriate to the situation.\n8. If a student is restrained for a period longer than 20\nminutes, program staff shall obtain approval from the" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "school leader. The approval shall be based upon the\nstudent’s continued agitation during the restraint\njustifying the need for continued restraint.\n9. After the release of a student from restraint, the\nincident, when applicable, will be reviewed with the\nstudent and the behavior that led up to the restraint\nwill be addressed.\n10.\nThe staff person(s) who administered the restraint\nwill also have a review to discuss whether proper\nrestraint procedures were followed and consider\nwhether any follow-up is appropriate for students who\nwitnessed the incident." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 13:\nSuperintendent’s Circular SUP-19\nPage 13 of 35\nIV. REPORTING REQUIREMENTS\nA. FOLLOWING EACH RESTRAINT\nFollowing the use of any physical intervention of any\nduration that meets the definition of physical restraint under\nDESE regulations, several steps must be taken to notify\nappropriate parties and report the restraint in both BPS and\nDESE systems:\n●Notify School Administration: Notify school\nadministration verbally as soon as possible, and provide\nwritten report by the next school working day. In the\nevent that the school leader was involved in the\nrestraint, the restraint must be reported to the School\nSuperintendent or Operational Leader within the same\ntimeline." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "timeline.\n●Notify Parents/Guardians: The school leader or\ndirector of the program notifies the parent/guardian\nverbally as soon as possible (by the end of the day of\nincident), and by written report in the language of the\nhome to an email provided by the parent/guardian or\nby regular mail postmarked within 3 working days of\nthe incident. The written report shall include:\n○Student information, the names of those involved\nin the restraint, and observer names (if any). The\nreport will also include the name of the\nadministrator notified if the event went beyond 20\nminutes." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 14:\nSuperintendent’s Circular SUP-19\nPage 14 of 35\n○Date and time of the restraint, including\nbeginning and ending timesA brief summary of\nthe event in progress at the time of restraint, the\nimmediate antecedent to the challenging\nbehavior, efforts/attempts at de-escalation, any\nalternatives to restraint tried, and documentation\nof any injuries to staff or students. The summary\nshould also include description of the holds used\nand why they were necessary, any reaction of the\nstudent to the restraint, how the restraint ended.\n○Any further actions taken by the school,\nopportunities for the parent/guardian to discuss\nthe restraint, any consequences that may be" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "the restraint, any consequences that may be\nimposed on the student, or any other related\nmatter.\nImportant note: The school leader will print a copy of\nthe same report submitted to DESE (see “Report to\nDESE” below) as written documentation of the\nrestraint and email or mail it to the parent/guardian.\nThe report to DESE should contain the required\ninformation listed above.\n●Record in Aspen: a conduct incident must be recorded\nin Aspen within 24 hours, detailing attempts to\nde-escalate, provide limits, type of restraint used and\nduration. The use of restraint should be added as a\nconduct action of “Restraint-Physical.”\n●Report to DESE: all restraints must also be reported to" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "DESE via the DESE Security Portal" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 15:\nSuperintendent’s Circular SUP-19\nPage 15 of 35\n(https://gateway.edu.state.ma.us/edu/myportal/meoe)\nwithin three business days. The school leader is\nresponsible for ensuring that all reporting timelines are\nadhered to and that the restraint is uploaded to the\nportal in a timely manner.\n○In the event of an injury during restraint, a copy of\nthe written report must be sent to DESE within\nthree school working days. In addition, the school\nmust also send the copy of the record of restraints\nmaintained by the school leader for the 30-day\nperiod before the date of the reported incident.\nThe program will be notified of any additional\nsteps needed within 30 calendar days of receipt of" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "the reports.\nB. DATA REVIEW\n1. Individual Student Review\nThe school leader shall conduct a weekly review of the\ndata to identify any students who have been restrained\nmultiple times that week. If students are identified as\nhaving been involved in multiple restraints in a week, the\nschool leader will convene a support team to:\n(a) review and discussion of the written reports\nsubmitted in accordance with 603 CMR 46.06 and any\ncomments provided by the student and\nparent/guardian about such reports and the use of the\nrestraints;" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 16:\nSuperintendent’s Circular SUP-19\nPage 16 of 35\n(b) an analysis of the circumstances leading up to each\nrestraint, including factors such as time of day, day of\nthe week, antecedent events, and individuals involved;\n(c) consideration of factors that may have contributed\nto escalation of behaviors, consideration of alternatives\nto restraint, including de-escalation techniques and\npossible interventions, and such other strategies and\ndecisions as appropriate, with the goal of reducing or\neliminating the use of restraint in the future;\n​\n(d) agreement on a written plan of action by the\nprogram.\n*If the school leader directly participated in the restraint, a" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "duly qualified individual designated by the superintendent\nor board of trustees shall lead the review team's\ndiscussion. The school leader shall ensure that a record of\neach individual student review is maintained and made\navailable for review by the Department or the\nparent/guardian, upon request.\n2. Monthly School-Wide Review\nThe school leader will complete a monthly review of all\nschool-wide restraint data. The review should look for\npatterns like time of day or day of week, individuals\ninvolved, types of restraints or durations for specific\nstudents, duration of restraints, and the number and\ntypes of injuries. Based on this review, the school leader" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "may decide that updates or retraining are needed or any\nother actions needed with the goal of reducing or" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 17:\nSuperintendent’s Circular SUP-19\nPage 17 of 35\neliminating restraints\nV. TRAINING REQUIREMENTS\nA. FOR ALL STAFF\nThe laws of MA require that all school district staff that\ninteract with students receive an annual Prevention of\nRestraint and Seclusion and De-Escalation Training. To\nrespond to this requirement BPS has created an\nasynchronous online learning module consistent with 603\nCMR 46.04(2). The training must be completed within the\nmonth of September of every school year. For employees\nhired after the beginning of the school year, the training\nmust be completed within the first month of their hire.\nEach school leader shall determine a time and method to" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "provide all program staff with training regarding the\nprogram's restraint prevention and behavior support policy\nand requirements when restraint is used.\nTraining shall include information on the following:\n(a) The role of the student, family, and staff in\npreventing restraint;\n(b) The program's restraint prevention and behavior\nsupport policy and procedures, including use of\ntime-out as a behavior support strategy distinct from\nseclusion;\n(c) Interventions that may preclude the need for" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 18:\nSuperintendent’s Circular SUP-19\nPage 18 of 35\nrestraint, including de-escalation of problematic\nbehaviors and other alternatives to restraint in\nemergency circumstances;\n(d) When behavior presents an emergency that\nrequires physical restraint, the types of permitted\nphysical restraints and related safety considerations,\nincluding information regarding the increased risk of\ninjury to a student when any restraint is used, in\nparticular a restrain of extended duration;\n(e) Administering physical restraint in accordance with\nmedical or psychological limitations, known or\nsuspected trauma history, and/or behavioral\nintervention plans applicable to an individual student;\nand" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "and\n(f) Identification of program staff who have received\nin-depth training pursuant to 603 CMR 46.04(3) in the\nuse of physical restraint\nBelow is the link to the training.\nDe-escalation training link\nB. FOR ALL STAFF AUTHORIZED TO SERVE AS A\nSCHOOL-WIDE RESOURCE ON THE PROPER\nADMINISTRATION OF PHYSICAL RESTRAINT\nAt the beginning of each school year, school leaders are\nrequired to identify program staff who are authorized to\nserve as a school-wide resource to assist in ensuring proper\nadministration of physical restraint. These individuals will" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 19:\nSuperintendent’s Circular SUP-19\nPage 19 of 35\nparticipate in in-depth training in the use of physical\nrestraint. Such training will include the content described in\n603 CMR 46.04(4) and be competency-based and be at least\nsixteen (16) hours in length with at least one refresher\ntraining occurring annually thereafter. This training will be in\nthe Safety Care Program and provided by the Office of Social\nWork Department or Special Education. Staff can register for\nSafety Care training on Vector.\nOnly public education program personnel who have\nreceived Safety Care training shall administer physical\nrestraint on students. Whenever possible, the administration" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "of restraint shall be witnessed by at least one adult who\ndoes not participate in the restraint. However, the training\nrequirements shall not preclude a teacher, employee, or\nagent of the public education program from using\nreasonable force to protect students, other persons, or\nthemselves from assault or imminent, serious physical\nharm. 603 CMR 46.05(1)\nC. PROPER ADMINISTRATION OF RESTRAINT\nPlease review the Proper Administration of Restraint in Section III\nabove. This section gives additional details directly from the state\nregulations.\n1. Trained Personnel. Only public education program\npersonnel who have received training pursuant to 603" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "CMR 46.03(2) or (3) shall administer physical restraint\non students. Whenever possible, the administration of" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 20:\nSuperintendent’s Circular SUP-19\nPage 20 of 35\na restraint shall be witnessed by at least one adult who\ndoes not participate in the restraint. The training\nrequirements shall not preclude a teacher, employee or\nagent of a public education program from using\nreasonable force to protect students, other persons or\nthemselves from assault or imminent, serious, physical\nharm.\n2. Use of Force. A person administering a physical\nrestraint shall use only the amount of force necessary\nto protect the student or others from serious physical\ninjury or harm.\n3. Safest Method. A person administering physical\nrestraint shall use the safest method available and" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "appropriate to the situation subject to the safety\nrequirements set forth in 603 CMR 46.05(5). Floor\nrestraints, including prone restraints otherwise\npermitted under 603 CMR 46.03(1)(b), shall be\nprohibited in Boston Public Schools.\n4. Duration of Restraint. All physical restraint must be\nterminated as soon as the student is no longer an\nimmediate danger to himself or others, or the student\nindicates that he or she cannot breathe, or if the\nstudent is observed to be in severe distress, such as\nhaving difficulty breathing, or sustained or prolonged\ncrying or coughing." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 21:\nSuperintendent’s Circular SUP-19\nPage 21 of 35\n5. Safety Requirements. Additional requirements for the\nuse of physical restraint:\n(a) No restraint shall be administered in such a way\nthat the student is prevented from breathing or\nspeaking. During the administration of a restraint,\na staff member shall continuously monitor the\nphysical status of the student, including skin\ntemperature and color, and respiration.\n(b) Restraint shall be administered in such a way so\nas to prevent or minimize physical harm. If, at any\ntime during a physical restraint, the student\nexpresses or demonstrates significant physical\ndistress including, but not limited to, difficulty" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "breathing, the student shall be released from the\nrestraint immediately, and school staff shall take\nsteps to seek medical assistance.\n(c) If a student is restrained for a period longer than\n20 minutes, program staff shall obtain the\napproval of the principal. The approval shall be\nbased upon the student's continued agitation\nduring the restraint justifying the need for\ncontinued restraint.\n(d) Program staff shall review and consider any\nknown medical or psychological limitations,\nknown or suspected trauma history, and/or\nbehavioral intervention plans regarding the use of\nphysical restraint on an individual student." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 22:\nSuperintendent’s Circular SUP-19\nPage 22 of 35\n(e) After the release of a student from a restraint, the\npublic education program shall implement\nfollow-up procedures. These procedures shall\ninclude reviewing the incident with the student to\naddress the behavior that precipitated the\nrestraint, reviewing the incident with the staff\nperson(s) who administered the restraint to\ndiscuss whether proper restraint procedures were\nfollowed, and consideration of whether any\nfollow-up is appropriate for students who\nwitnessed the incident.\nD. REPORTING REQUIREMENTS\nPlease review the Reporting Requirements in Section IV\nabove. This section gives additional details directly from the" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "state regulations.\n1.\nCircumstances under which a physical restraint must\nbe reported. Program staff shall report the use of any\nphysical restraint as specified in 603 CMR 46.06(2).\n2. Informing the Principal. The program staff member\nwho administered the restraint shall verbally inform the\nSchool Leader of the restraint as soon as possible, and\nby written report no later than the next school working\nday. The written report shall be provided to the School\nLeaderfor review of the use of the restraint. If the\nSchool Leaderhas administered the restraint, the\nSchool Leadershall prepare the report and submit it to" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 23:\nSuperintendent’s Circular SUP-19\nPage 23 of 35\nan individual or team designated by the\nsuperintendent or board of trustees for review. The\nSchool Leadershall maintain an on-going record of all\nreported instances of physical restraint, which shall be\nmade available for review by the Department or the\nstudent's parent/guardian, upon request.\n3. Informing Parents/Guardians. The School Leadershall\nmake reasonable efforts to verbally inform the\nstudent's parent/guardian of the restraint within 24\nhours of the event, and shall notify the parent/guardian\nby written report sent either within three school\nworking days of the restraint to an email address" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "working days of the restraint to an email address\nprovided by the parent/guardian for communications\nabout the student, or by regular mail postmarked no\nlater than three school working days of the restraint. If\nthe program customarily provides a parent/guardian of\na student with report cards and other necessary\nschool-related information in a language other than\nEnglish, the written restraint report shall be provided to\nthe parent/guardian in that language. The School\nLeader shall provide the student and the\nparent/guardian an opportunity to comment orally and\nin writing on the use of the restraint and on\ninformation in the written report." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "information in the written report.\n4. Contents of Report. The written report required by 603\nCMR 46.06(2) and (3) shall include: (a) The name of the\nstudent; the names and job titles of the staff who\nadministered the restraint, and observers, if any; the\ndate of the restraint; the time the restraint began and" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 24:\nSuperintendent’s Circular SUP-19\nPage 24 of 35\nended; the name of the School Leader or designee who\nwas verbally informed following the restraint; and, as\napplicable, the name of the School Leader or designee\nwho approved continuation of a restraint beyond 20\nminutes pursuant to 603 CMR 46.05(5)(c). (b) A\ndescription of the activity in which the restrained\nstudent and other students and staff in the same room\nor vicinity were engaged immediately preceding the\nuse of physical restraint; the behavior that prompted\nthe restraint; the efforts made to prevent escalation of\nbehavior, including the specific de-escalation strategies" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 58, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "used; alternatives to restraint that were attempted; and\nthe justification for initiating physical restraint. (c) A\ndescription of the administration of the restraint\nincluding the holds used and reasons such holds were\nnecessary; the student's behavior and reactions during\nthe restraint; how the restraint ended; and\ndocumentation of injury to the student and/or staff, if\nany, during the restraint and any medical care\nprovided. (d) Information regarding any further\naction(s) that the school has taken or may take,\nincluding any consequences that may be imposed on\nthe student. (e) Information regarding opportunities for\nthe student's parent/guardian to discuss with school" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 59, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "officials the administration of the restraint, any\nconsequences that may be imposed on the student,\nand any other related matter.\n5. Individual Student Review. The School Leader shall\nconduct a weekly review of restraint data to identify" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 60, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 25:\nSuperintendent’s Circular SUP-19\nPage 25 of 35\nstudents who have been restrained multiple times\nduring the week. If such students are identified, the\nSchool Leadershall convene one or more review teams\nas the School Leader deems appropriate to assess each\nstudent's progress and needs. The assessment shall\ninclude at least the following: (a) review and discussion\nof the written reports submitted in accordance with\n603 CMR 46.06 and any comments provided by the\nstudent and parent/guardian about such reports and\nthe use of the restraints; (b) an analysis of the\ncircumstances leading up to each restraint, including\nfactors such as time of day, day of the week," + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 61, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "factors such as time of day, day of the week,\nantecedent events, and individuals involved; (c)\nconsideration of factors that may have contributed to\nescalation of behaviors, consideration of alternatives to\nrestraint, including de-escalation techniques and\npossible interventions, and such other strategies and\ndecisions as appropriate, with the goal of reducing or\neliminating the use of restraint in the future; (d) an\nagreement on a written plan of action by the\nprogram.If the School Leader directly participated in\nthe restraint, a duly qualified individual designated by\nthe superintendent or board of trustees shall lead the\nreview team's discussion. The School Leader shall" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 62, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "review team's discussion. The School Leader shall\nensure that a record of each individual student review\nis maintained and made available for review by the\nDepartment or the parent/guardian, upon request.\n6. Administrative Review. The School Leader shall\nconduct a monthly review of school-wide restraint data." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 63, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 26:\nSuperintendent’s Circular SUP-19\nPage 26 of 35\nThis review shall consider patterns of use of restraints\nby similarities in the time of day, day of the week, or\nindividuals involved; the number and duration of\nphysical restraints school-wide and for individual\nstudents; the duration of restraints; and the number\nand type of injuries, if any, resulting from the use of\nrestraint. The School Leader shall determine whether it\nis necessary or appropriate to modify the school's\nrestraint prevention and management policy, conduct\nadditional staff training on restraint reduction or\nprevention strategies, such as training on positive\nbehavioral interventions and supports, or take such" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 64, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "other action as necessary or appropriate to reduce or\neliminate restraints.\n7. Report All Restraint-related Injuries to the Department.\nWhen a physical restraint has resulted in an injury to a\nstudent or program staff member, the program shall\nsend a copy of the written report required by 603 CMR\n46.06(4) to the Department postmarked no later than\nthree school working days of the administration of the\nrestraint. The program shall also send the Department\na copy of the record of physical restraints maintained\nby the School Leader pursuant to 603 CMR 46.06(2) for\nthe 30-day period prior to the date of the reported\nrestraint.\n8. Report All Physical Restraints to the Department. Every" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 65, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "program shall collect and annually report data to the\nDepartment regarding the use of physical restraints." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 66, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 27:\nSuperintendent’s Circular SUP-19\nPage 27 of 35\nSuch data shall be reported in a manner and form\ndirected by the Department.\nVI. COMPLAINT PROCEDURE\nA. INFORMAL COMPLAINTS\nParents/guardians or students will notify the school leader or\ndesignee of any concerns regarding restraint practices and\nprocedures. If a designee receives the complaint or a\nconcern, that designee shall notify the school leader within\nthe school day. The school leader shall attempt, within their\nauthority, to work with the parent/guardian to resolve the\ncomplaint fairly and expeditiously. If the parent/guardian is\nnot satisfied with the resolution or does not choose an" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 67, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "informal resolution, then the parent/guardian may proceed\nwith the formal complaint process.\nB. FORMAL COMPLAINTS\nA complaint may be submitted to the Regional School\nSuperintendent regarding any restraint.\nA complaint may be submitted to the Problem Resolution\nSystem at the Massachusetts Department of Elementary\nand Secondary Education at\nhttps://www.doe.mass.edu/prs/intake/default.html.\nFor more information or questions on:" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 68, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 28:\nSuperintendent’s Circular SUP-19\nPage 28 of 35\nTopic\nDepartment &\nContact\nEmail\nGeneral Restraint\nPolicy, DESE\nRequirements and\nDocumentation\nOffice of Specialized\nServices\nKay Seale, Chief of\nSpecialized Services\nChristine Trevisone,\nSenior Advisor of\nSpecialized Services\nkseale@bostonpublicscho\nols.org\nctrevisone@bostonpublics\nchools.org\nSafety-Care\n(De-Escalation and\nPhysical Restraint\nTraining) – ABA\nStrand\nOffice of Specialized\nServices\nZachary Houston,\nAssistant Director ABA\nzhouston@bostonpublicsc\nhools.org\nSafety-Care\n(De-Escalation and\nPhysical Restraint\nTraining) – non-ABA\nschools\nOffice of Student\nSupport\nJenna Parafinczuk,\nDirector of Social Work" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 69, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Jenna Parafinczuk,\nDirector of Social Work\njparafinczuk@bostonpubli\ncschools.org" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 70, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 29:\nSuperintendent’s Circular SUP-19\nPage 29 of 35\nDe-Escalation\nTraining\nOffice of Behavioral\nHealth\nAndria Amador, Senior\nDirector of Behavioral\nHealth Services\naamador@bostonpublicsc\nhools.org\nReporting\nSchools Department\nDrew Echelson, Chief\nof Schools and\nAccountability, or\nOperational Leader for\nRegion\ndechelson@bostonpublics\nchools.org\n●\nRegion 1: Jeichael\nHenderson:\njhenderson@bostonp\nublicschools.org\n●\nRegion 2: Courtney\nKinney:\ncmaginnis@bostonp\nublicschools.org\n●\nRegion 3: Michelle\nJordan:\nmjordan2@bostonpu\nblicschools.org\n●\nRegion 4: Naima\nAbdal-Khallaq:" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 71, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 30:\nSuperintendent’s Circular SUP-19\nPage 30 of 35\nnabdalkhallaq@bosto\nnpublicschools.org\n●\nRegion 5: Kristen\nWeeks:\nkweeks@bostonpubli\ncschools.org\n●\nRegion 6: Monique\nCarter:\nmcarter3@bostonpu\nblicschools.org\n●\nRegion 7: Nelson\nMiranda:\nnmiranda@bostonpu\nblicschools.org\n●\nRegion 8: Zach Solis:\nzsolis@bostonpublics\nchools.org\n●\nRegion 9: Rui Gomes:\nrgomes2@bostonpub\nlicschools.org\nMary Skipper, Superintendent" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 72, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 31:\nSuperintendent’s Circular SUP-19\nPage 31 of 35\nATTACHMENT A: QUICK REFERENCE DO’S AND DON’TS\nFOR CRISIS INTERVENTION IN BOSTON PUBLIC SCHOOLS\nIn Massachusetts, the use of physical restraint in public schools is\nhighly regulated, and it should only be employed as a last resort\nto ensure the safety of students and staff. It is essential for teachers\nand school staff to follow specific guidelines and best practices\nwhen using physical restraint. Here's a list of Do's and Don'ts for\nstaff using physical restraint in public schools in Boston:\nDo's:\n●Use the Least Restrictive Method: Use the least restrictive\nmeans of intervention. Alternatives to restraint, including but" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 73, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "not limited to verbal or other de-escalation techniques,\nshould be attempted before resorting to physical restraint.\n●Safety First: Physical restraint should only be used when\nthere is a threat of assault or imminent serious physical harm.\nIt should never be used as a form of punishment or discipline.\n●Training: Teachers and staff should receive proper training in\nsafe and effective restraint techniques, including annual\nrefresher training.\n●Documentation: Document the incident thoroughly,\nincluding the reason for restraint, the duration, and any\ninjuries sustained. This documentation should be completed\nas soon as possible after the incident. The documentation" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 74, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "should contain the facts of the incident and restraint rather\nthan conclusions." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 75, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 32:\nSuperintendent’s Circular SUP-19\nPage 32 of 35\n●Documentation of Time-Outs: Staff should document in\nAspen the antecedent behavior and the time, date, duration\nand location of any time-out used as a behavioral support\nstrategy. The school leader must give approval for any\ntime-out to continue more than 30 minutes based on the\nindividual student's continuing agitation.\n●Communication: Maintain open and effective\ncommunication with other staff members during a restraint\nto ensure a coordinated and safe response.In the rare event\nthat a student is in crisis for more than 20 minutes,\nrestraints over 20 minutes must have approval from the" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 76, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "school leader. The school leader must document that\napproval was granted for any restraint over 20 minutes.\n●Notify Parents/Guardians: The principal or director of the\nprogram notifies the parent/guardian, verbally as soon as\npossible (within 24 hours), and by written report within 3\nschool working days by providing a copy of the physical\nrestraint report submitted to DESE.\n●Monitoring: Continuously monitor the student's physical and\nemotional well-being during the restraint. All physical\nrestraint must be terminated as soon as the student is no\nlonger an immediate danger to themself or others, or the\nstudent indicates that they cannot breathe, or if the student" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 77, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "is observed to be in severe distress, such as having difficulty\nbreathing, or sustained or prolonged crying or coughing." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 78, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 33:\nSuperintendent’s Circular SUP-19\nPage 33 of 35\n●Legal Compliance: Be aware of and follow all relevant laws,\nregulations, and school policies regarding the use of physical\nrestraint in schools.\n●Seek Medical Attention: If there are any injuries or signs of\ndistress during the restraint, seek immediate medical\nattention for the student or impacted individual.\n●School Nurse Assessment: Whenever possible, the school\nnurse should assess the student’s physical condition\nfollowing a restraint.\nDo nots:\n●DON’T Implement Unnecessary Restraint: Do not use\nphysical restraint unless there is a threat of assault or an\nimminent serious physical harm. It should not be used for" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 79, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "minor infractions or as a convenience for staff.\n●DON’T Seclude: Always maintain visibility and ensure\ncontinued communication with the student. Also ensure the\npresence of another staff member if possible. Under no\ncircumstances may a student be left alone in a room or area\nfrom which the student is physically prevented from leaving.\nDoors cannot be locked during any time-out.\n●DON’T Use Protracted Restraint: Do not continue the\nrestraint once the student is no longer an immediate danger\nto themself or others, or if the student indicates they cannot\nbreathe or is observed to be in severe distress." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 80, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 34:\nSuperintendent’s Circular SUP-19\nPage 34 of 35\n●DON’T Restrain the Head or Neck: Do not use any form of\nrestraint that puts pressure on a student's head, neck, or\nthroat, as it can be dangerous and potentially lethal.\n●DON’T Use Untrained Staff: Do not allow untrained or\nunauthorized staff to engage in physical restraint. Only\ntrained personnel should be involved in the process.\n●DON’T Use Mechanical Restraints: Do not use mechanical\nrestraints, such as handcuffs, on students in public schools.\n●DON’T Use Restraints for Revenge or Punishment: Do not\nuse physical restraint as a means of revenge, discipline, or\npunishment. Restraint should always be a last resort to" + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 81, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "protect the safety of all involved.\n●DON’T Fail to Report: Do not neglect to report the use of\nphysical restraint to school administration, parents/guardians,\nand relevant authorities as required by law and school policy.\nReports should be carefully written to record the facts of the\nincident and restraint.\nRemember that the use of physical restraint in public schools is\na sensitive and potentially risky action that should only be used\nwhen all other means of ensuring safety have been exhausted.\nCompliance with Massachusetts laws and regulations is\nessential to protect the well-being and rights of all students\ninvolved." + }, + { + "folder_name": "Superintendent's Office", + "file_name": "SUP-19 De-Escalation and Physical Restraint Policy.docx", + "chunk_id": 82, + "uri": "https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing", + "content": "Page 35:\nSuperintendent’s Circular SUP-19\nPage 35 of 35\nATTACHMENT B: NOTIFICATION PROCESS" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools’ policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "reporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent’s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "ancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent’s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent’s staff work with city officials to address \nmany of these issues and the Office of Communications" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 2:\nSuperintendent’s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent’s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department’s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "unavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident \nOrder of Notification \nArrest \nDepartment of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault \nDepartment of Safety Services, Police \nBomb Threat \nPolice, Department of Safety Services, \nSuperintendent’s Office \nDemonstration" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Superintendent’s Office \nDemonstration \nPolice, Department of Safety Services, \nSuperintendent’s Office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 3:\nSuperintendent’s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession \nDepartment of Safety Services, Police \nExtortion \nDepartment of Safety Services, Police \nFacility Damage \nFacilities, Superintendent’s Office, \nDepartment of Safety Services \nLarceny \nDepartment of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent’s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) \nDepartment of Safety Services, Police \nRobbery \nDepartment of Safety Services, Police \nSex Offense \nDepartment of Safety Services, Police, \nSuperintendent’s Office, Equity" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Superintendent’s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent’s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) \nDepartment of Safety Services, Facilities \nThreats \nDepartment of Safety Services, BPD \nSchool Unit \nTrespassers \nDepartment of Safety Services, Police \nVandalism \nDepartment of Safety Services, Facilities \nWeapons \nDepartment of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 4:\nSuperintendent’s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n● Superintendent’s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n● Superintendent’s Circular FSE-01, School Safety / \nContingency Plans \n● Superintendent’s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Owner: \nDeputy Chief of Safety \nDepartment: \nSafety Services \nMailing \nAddress: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-12 \nVersion 01 \n \nSCHOOL ACCESS CONTROL \n \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nAMENDMENT FOR SY 2024-2025: \nThe safety, health, and wellness of our students, staff, and \nfamilies is our highest priority at Boston Public Schools. \nParents/guardians are asked to drop off and pick up their \nstudents on the exterior of the school building at the area(s) \ndesignated by your school leader/staff. \n● Parents/guardians should contact their school directly, via \nphone or email, to schedule any discussion or virtual \nappointments that they would like to have on behalf of their \nstudent." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "student. \n● If a student is sick or injured and needs to be picked up, \nschool staff will contact the parent/guardian to make \narrangements and escort the student to meet the \nauthorized adult. School staff will verify identification of the \nindividual prior to releasing the student via exterior camera \nand intercom." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SAF-12 \nPage 2 of 7 \n \nSAFETY PROTOCOLS PERTAINING TO INDIVIDUALS IN AND \nOUTSIDE THE FACILITY \nIf school staff have safety concerns pertaining to an individual \noutside or inside the facility, they should immediately contact the \nDepartment of Safety Services/Boston at 617-635-8000. In the \ncase of any imminent threat to student or staff safety, the Boston \nPolice Department should be notified immediately by dialing 911. \nThe Boston Public Schools Safety Services Department should \nalso be notified by dialing 617-635-8000. \nEach school in the district must, through its School Safety \nContingency Plan, have clear and comprehensive school access" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "control protocols in place. School access control plans must \nadhere to the following: \n● Ensure that only those students, staff and others who are \nauthorized to be in the school building are admitted to the \nfacility. \n● Require all staff (school based, central office, \ncontractors/vendors, etc.) to wear and prominently display \ntheir BPS identification cards at all times while on school \nproperty and during school-based activities (e.g., field trips, \nschool assemblies, outdoor activities). All staff are also \nrequired to follow all school access protocols and \nprocedures as outlined in this circular. \n● Employ a standard operating procedure that all doors to the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "school building are locked and secured at all times, while \nsimultaneously allowing for appropriate egress from inside \nthe building. \n● School secretaries and other staff should NOT admit any \nvisitor to the building until they can reasonably ascertain the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SAF-12 \nPage 3 of 7 \n \nidentity of the individual seeking entrance and the reason for \nentry. Staff must use an intercom, camera buzzers and \nmonitors to assist them with observing and communicating \nwith any individual seeking access to the facility. \n● Secretaries and other staff should NOT allow (buzz in) people \nin without knowing or asking the visitor the reason for being \nat the school. The camera buzzer shall be used to identify the \nperson and the reason for their visit before allowing them to \nenter school premises “Hello, how can you help you, do you \nhave an appointment?,... please indicate the reason for your" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "visit and the person who is hosting you during your visit…” \n● Post appropriate signs directing visitors to the main office. \n● Any staff member that finds a person in a school building \nwithout an appropriate visitor pass or BPS ID is encouraged \nto inquire of the person’s business or reason for being there. \nThe person should be directed to the main office for further \nassistance. If the person may be creating an unsafe \nenvironment, please follow the procedure as outlined above \nunder “Important Note.” \n● ALL staff should inform the designee at the main office in \nthe event they are expecting a visitor and provide name and \nreason prior to the visitor’s arrival. In the event a family" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "member, partner, or friend is dropping something off for a \nstaff member, the main office designee MUST obtain verbal \nconfirmation from the employee PRIOR to allow access to \nthe facility per this circular. If verification cannot be \nobtained, the individual is not to be allowed in the facility. \nREQUIREMENTS FOR ALL VISITORS \n● Upon admittance, report immediately to the main office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SAF-12 \nPage 4 of 7 \n \n(staff allowing entrance to the facility should confirm arrival \nto the main office and sign-in etc.). \n● Present photo identification. \n● If an individual cannot produce a photo ID, staff should \nrequest another form of identification and/or gain \nconfirmation from school staff that the person is known to \nthe school. If additional support is needed to confirm \nidentification, staff should obtain support from the head of \nschool/principal or designee before authorizing a visit to \ncontinue. \n● Sign the visitor’s log, including full name, time in and time \nout, reason for visit, and affiliation (i.e., student, vendor," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "department, agency etc.). Please see Superintendent \nCircular LGL-04, School Visitors Guidelines. \n● After completing the sign-in process, all visitors are to \nremain in the main office, or designated area, while waiting \nfor staff escort to appointments or meetings. All visitors \nmust be in an area attended by staff to avoid any \nunauthorized movement through the building for the \nduration of their visit. \n● If an authorized visitor states that they are wearing an ankle \nmonitor or staff observes an ankle monitor on a visitor, staff \nshould follow the procedures outlined above. \n \nHEAD OF THE SCHOOL AND FACULTY \n● Mandate that ALL visitors to the building be issued and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "prominently display a visitor identification badge received at \nthe time of sign-in at the main office. \n● Identify designated meeting space, close to the main office," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SAF-12 \nPage 5 of 7 \n \nto prevent visitors from moving throughout the building. \nClassroom access should be limited to special events and \nopen houses. \n● Ensure the safety and security of students and the integrity \nof the school building entrances during recess, physical \neducation, and activities that might occur outdoors, and \nduring student arrival and dismissal times, by assigning staff \nto closely monitor all aspects of the movement of students \nand any open doors to accommodate transition in and out \nof the building. \n● Prohibit prospective BPS employees from beginning their \nwork until they have been fully hired, and therefore CORI" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "and SORI cleared by the Office of Human Capital. \n● Demand that any facilities and physical plant contractors \nslated to work in the building prominently display their \ngreen BPS identification cards, which demonstrate that they \nhave been CORI and SORI cleared. \n● Prohibit staff (including all vendors, contractors, and staff \nfrom other departments), students, or others from \n“propping open” doors or creating other potential \ninconspicuous means of unauthorized entry into the school \nbuilding. \nDistrict personnel will look for these elements when reviewing \nschool safety plans. In addition, specialists from BPS Safety \nServices will conduct proactive site visits to assist and provide" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "input and support on school access control. \nSchool safe mode and internal threat procedures should be \nexplicitly planned, discussed, and documented by all staff \nmembers. In addition to conducting evacuation procedure drills," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SAF-12 \nPage 6 of 7 \n \nschool safe mode drills must be conducted in September and \nJanuary of each school year (see Supt. Circular FSE-08, Safe Mode \nand Internal Threat Drill Procedures). \nAll staff members must exercise extreme vigilance regarding \nschool building security: remain alert for trespassers, unsecured \ndoors, and/or suspicious persons or activity around the school. \nSchool employees should not compromise their own safety or \nthat of students when undertaking these security measures. \nSound judgment and reasonable action by all school-based \npersonnel are expected. Any potential threats to student or staff" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "safety should be reported at once to the principal/head of school \nor their designee (in the event they are out of the building). \nRELATED SUPERINTENDENT CIRCULARS \n● LGL-04 School Visitor Guidelines \n● FSE-01 School Safety Contingency Plans \n● SAF-07 Metal Detectors \n● SAF-08 Release of Students to Authorized Persons \n● SAF-11 Sexual Offender Registry Information (S.O.R.I.)" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-12 School Access Control", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SAF-12 \nPage 7 of 7 \n \nFor more information about this circular, contact: \nOwner: \nChief of Safety \nDepartment: \nSafety Services \nMailing Address: \n213 Townsend Street, Dorchester, 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-03 \nVersion 01 \n \nLOCKER POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nConsistent with the policy outlined in Superintendent’s Circular \nSAF-02, Weapons and Objects of No Reasonable Use, this \nmemorandum explains the Boston Public Schools’ policy \nregarding student locker searches. \nAll students and parents must understand that lockers are the \nproperty of the Boston School Department, made available for \nstudents’ use and convenience. Lockers remain the property of \nthe Boston School Department while being used by students. \nSchool administrators, other school department personnel," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "including but not limited to teachers, custodians, and school \npolice have authority to search student lockers; any personal \neffects found within lockers; and places of concealment within \nthose personal effects. Students will be held accountable for the \ncontents of their lockers and the contents of their personal \neffects. Any contraband or evidence of a crime found because of \na locker search will be turned over to the appropriate authorities. \nThe information from the above paragraph is to be included in all \nschool-based rules and all student handbooks. Students and \nparents must be informed that such information serves as prior" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "and ample notice of the School Department’s student locker \npolicy. The phrase “prior and ample notice” is to be included in" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SAF-03 \nPage 2 of 4 \n \nschool-based rules and student handbooks. \nIn implementing the locker policy, each school must adhere to \nthe following guidelines: \n1. Each school will determine its own procedure for assigning \nlockers and issuing padlocks and locker keys. This procedure \nmust be included in the school-based rules and student \nhandbook. Students must adhere to all school-based rules \npertaining to locker use. \n2. Only school issued padlocks and locker keys are to be used. \nAll unauthorized padlocks are to be removed immediately \nupon detection, and the locker and its contents immediately \nsearched by the school leader, principal, or designee." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "3. Locker assignments are to be documented. This document \nis to contain the student’s name and the appropriate master \nkey information or the padlock combination. This document \nis to be kept in a secure but readily available place in the \nmain office of the school. \n4. Students are not to share lockers, unless authorized by the \nschool leader, principal, or other building administrator. \n5. All unused lockers are to be cleaned out and locked or \nsealed to prevent unauthorized use. \n6. School leaders and principals will arrange for periodic \ninspection of lockers by school personnel, including at least \none general cleanup during the school year. Personal effects" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "removed from lockers are to be inventoried and reasonable \nefforts made to return property to its owners. Contraband \nand evidence of a crime is to be inventoried and turned over \nto the appropriate public safety agency." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SAF-03 \nPage 3 of 4 \n \n7. School leaders, principals, and other school department \npersonnel will conduct inspections of student lockers when \nit has been reasonably determined that a safety or security \nproblem exists, or that there is reasonable suspicion that the \nstudent has evidence in the locker tending to show either a \nviolation of the law or a violation of school rules. Personal \neffects are to be inventoried and reasonable efforts made to \nreturn property to its owner. Contraband and evidence of a \ncrime is to be inventoried and turned over to the \nappropriate public safety agency. \n8. Students whose lockers contain contraband or evidence of a" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "crime will be subject to the provisions of the Code of \nConduct and to the applicable criminal statutes. If \ncontraband or evidence of a crime is confiscated from a \nstudent's locker, procedures detailed in Superintendent \nCircular SAF-02, Weapons and Objects of No Reasonable \nUse, cited above are to be followed." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-03 Locker Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SAF-03 \nPage 4 of 4 \n \nFor more information about this circular, contact: \nName: \nDeputy Chief of Safety \nDepartment: \nSafety Services \nMailing Address: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-08 \nVersion 01 \n \nRELEASE OF STUDENTS TO AUTHORIZED PERSONS \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchool leaders/principals must use extraordinary care in releasing \na child to a parent or guardian. Such care should be further \nemphasized when an administrator has been informed that a \ncourt order exists prohibiting release of that child to a certain \nperson or persons. It is essential to exercise extreme caution in \nthis area to prevent a parent or guardian from attempting to \nremove a child from school. It is both essential and mandatory" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "that school leaders/principals regularly update the Student \nEmergency Information Card (Form 460). \nIf telephone notification is received from a parent or guardian to \nrelease a student to a third party, it is the responsibility of the \nbuilding administrator to verify. A suggested procedure is to ask \nfor the telephone number from which the party is calling, cross-\ncheck that number with the information from the emergency \ncard, and then call the party back at that number. \nSchool leaders/principals must require proper identification from \nany person removing a child from school. No child is to be \nreleased to anyone other than a custodial parent without the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "parent's consent and proper identification. \nSchool leaders/principals should note that the Department of \nChildren and Families (DCF) has statutory authority to take" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "Page 2:\nSuperintendent’s Circular SAF-08 \nPage 2 of 5 \n \nimmediate custody of any child if DCF has reasonable cause to \nbelieve that such action is necessary to protect the child from \nabuse or neglect. In such cases, the child will be brought before \nthe court on the next business day. Such emergency measures \nare usually taken without the consent of the parent. However, \nbefore school leaders/principals release any child to an agent of \nthe DCF, the agent should be required to present their official \nphoto identification and prepare a simple signed statement to \nthe effect that the Department of Children and Families is" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "exercising its authority to take immediate custody of the child on \nthe grounds of suspected abuse or neglect. \nUnder no circumstances should a child be sent to any location by \nway of a taxicab, or any other transportation service based solely \non notification received by telephone. \nSchool leaders/principals having doubts about the release of a \nstudent should immediately contact the Boston Police \nDepartment by calling 911 and Boston Public Schools Safety \nServices Department at 617-635-8000. \nThere are some situations in which parents have authorized a \nthird party to transport their children to or from school on a \nregular basis in a van, bus, or some vehicle other than that" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "assigned by the BPS Transportation Department. School leaders, \nprincipals, and program directors must obtain written permission \nfrom such parents authorizing alternative transportation \narrangements. The attached form, Parent Permission to Release \nStudent to Authorized Persons, must be completed by the parent \nbefore administrators put a child into a vehicle operated by a \nthird party." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "Page 3:\nSuperintendent’s Circular SAF-08 \nPage 3 of 5 \n \nIt is important to record the name of the driver, the name of the \nbus company (if applicable), the type of vehicle, and the vehicle \nregistration number. School leaders, principals, and program \ndirectors are to retain a copy of each completed form. \nFor more information about this circular, contact: \nOwner: \nOffice of Legal Advisor Director \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: \nChief of Safety \nDepartment: \nSafety Services \nMailing Address:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "Department: \nSafety Services \nMailing Address: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "Page 4:\nSuperintendent’s Circular SAF-08 \nPage 4 of 5 \n \nPARENT PERMISSION TO RELEASE STUDENT TO \nAUTHORIZED PERSONS \n \nThe Boston School Department is concerned about the safety \nand wellbeing of all students and consequently will release a \nchild to a third party (someone other than the parent or legal \nguardian) only with the parent’s or guardian’s written \nauthorization. If you plan to release your child to a third party, \nyou must complete this form and return it to the principal of \nyour child’s school. \n \nDate_____________________________ \nI, as parent or guardian, give permission for [print name of \nstudent] \n \nto be transported to and/or from the [print name of school]" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "by [name of third-party driver] \n \nfrom [start date] _________________ to [end date] \n." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "Page 5:\nSuperintendent’s Circular SAF-08 \nPage 5 of 5 \n \nI further understand that [name of third-party driver] \n________________________________________ will be responsible for my \nchild’s transportation services and safety. I release the Boston \nSchool Department from any liability in case of any accident, \ninjury, and/or other claim as a result of the Boston School \nDepartment releasing my child to the person or agency named \nabove. \nSignature of Parent/Guardian: \n \nHome/Cell Phone Number: \n \nWork Phone Number: \n \nAddress: \n \n \n \nName of third-party company or individual: \n \n \nPhone Number: \n \nType of vehicle (check as appropriate):" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-08 Release of Students to Authorized Persons", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99", + "content": "Type of vehicle (check as appropriate): \n☐ Van ☐ Bus ☐ Automobile ☐ Other Vehicle \nVehicle Registration Number:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-04 \nVersion 01 \n \nINCIDENT DATA AND NOTIFICATIONS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nIt is Boston Public Schools’ policy that all building administrators \nand responsibility center managers report all incidents \ncompletely, promptly, and accurately to the Department of \nSafety Services and appropriate public safety agencies. \nAdministrators and responsibility center managers must be \naware that often an incident occurring at one site may \nprecipitate a similar or related incident at another site. Timely" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "reporting of incidents will help ensure a prompt and appropriate \nresponse by the School Department, public safety agencies, and \nother agencies whose support may be required. \n \nIn addition to reporting all incidents to the Department of Safety \nServices, building administrators and responsibility center \nmanagers must report all serious incidents to the \nSuperintendent’s Office and to the appropriate assistant \nsuperintendent. Serious incidents are considered to be those that \nrequire or precipitate the assistance of the Police Department, \nFire Department, Emergency Medical Services, or the \nDepartment of Children and Families in other than a routine and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "ancillary manner. Any situation that could result in the request \nfor the closing of a school building is also to be considered a \nserious incident reportable to the Superintendent’s Office and \nthe appropriate assistant superintendent. Since personnel from \nthe superintendent’s staff work with city officials to address \nmany of these issues and the Office of Communications" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 2:\nSuperintendent’s Circular SAF-04 \nPage 2 of 4 \n \ncoordinates responses to media inquiries, it is imperative that the \nSuperintendent’s Office be notified of serious incidents in a \ntimely manner. \n \nBuilding administrators and responsibility center managers must \nimmediately notify the appropriate public safety agency by way \nof the 911 emergency telephone line of any situation that poses \nimminent danger. These calls should be made by the on-site \nadministrator or manager using conventional or cellular \ntelephones. The School Department’s two-way radio system is \nnot designed to access 911 emergency services and should only \nbe used when conventional or cellular telephones are" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "unavailable. \n \nWhen accessing emergency services through the enhanced 911 \nsystem, the caller must give the complete address, succinctly \nstate the nature of the problem, and follow any instructions \nissued by the dispatcher. \n \nThe following chart lists some typical incidents occurring on \nSchool Department grounds, and the appropriate order of \nnotifications to be made. \n \n \nIncident \nOrder of Notification \nArrest \nDepartment of Safety Services, Police \nArson (or Attempt to \nBurn) \nFire, Department of Safety Services, \nFacilities \nAssault \nDepartment of Safety Services, Police \nBomb Threat \nPolice, Department of Safety Services, \nSuperintendent’s Office \nDemonstration" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Superintendent’s Office \nDemonstration \nPolice, Department of Safety Services, \nSuperintendent’s Office" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 3:\nSuperintendent’s Circular SAF-04 \nPage 3 of 4 \n \nDrug Possession \nDepartment of Safety Services, Police \nExtortion \nDepartment of Safety Services, Police \nFacility Damage \nFacilities, Superintendent’s Office, \nDepartment of Safety Services \nLarceny \nDepartment of Safety Services, Police, \nFacilities \nFire (No matter how \nsmall) \nFire, Department of Safety Services, \nFacilities \nMedical Emergency \nEMS, Department of Safety \nServices,Superintendent’s Office (if \nmajor event) \nPolice Assistance \n(Unspecified) \nDepartment of Safety Services, Police \nRobbery \nDepartment of Safety Services, Police \nSex Offense \nDepartment of Safety Services, Police, \nSuperintendent’s Office, Equity" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Superintendent’s Office, Equity \nSchool Closings \n(Emergency) \nSuperintendent’s Office, Department of \nSafety Services, Police \nTechnical Assistance \n(Safety and Security) \nDepartment of Safety Services, Facilities \nThreats \nDepartment of Safety Services, BPD \nSchool Unit \nTrespassers \nDepartment of Safety Services, Police \nVandalism \nDepartment of Safety Services, Facilities \nWeapons \nDepartment of Safety Services, Police \n \nAdministrators and responsibility center managers are to note \nthat requests from the media or from other parties for incident \nreports, written statements, or other documents should be \nreferred to the Office of Legal Advisor at 617-635-9320." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Page 4:\nSuperintendent’s Circular SAF-04 \nPage 4 of 4 \n \nSchool leaders, principals, and program directors are reminded \nthat they are required to sign off on all incident reports prepared \nby School Department employees (excluding Safety Services \nreports), including but not limited to teachers and other school \nstaff. \n \nFor related information, refer to: \n● Superintendent’s Circular FMT-12, Report of Loss or Damage \nResulting from Fire, Theft, Vandalism, or Unlawful Acts \n● Superintendent’s Circular FSE-01, School Safety / \nContingency Plans \n● Superintendent’s Circular FSE-02, Fire Safety Practices. \n \nFor more information about this circular, contact: \n \nOwner:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-04 Incident Data Reporting and Release", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y", + "content": "Owner: \nDeputy Chief of Safety \nDepartment: \nSafety Services \nMailing \nAddress: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-01 \nVersion 01 \n \nSTUDENT SEARCH PROCEDURES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSchool leaders, principals, and other administrative personnel are \nresponsible for enforcing the Student Code of Conduct and for \nestablishing a safe and secure environment for learning in the \nschools under their supervision. The United States Supreme \nCourt in the case of New Jersey v. T.L.O., 469 U. S. 325 (1985) has \nissued a decision that affects how school personnel may enforce \nschool rules and maintain an atmosphere conducive to teaching \nand learning." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "and learning. \nThe Supreme Court’s decision established constitutional \nstandards for student searches by school officials and school \nemployees. Specifically, the Court ruled that the Fourth \nAmendment to the United States Constitution, which prohibits \nunreasonable searches and seizures by government employees, \nis not violated when public school administrators and teachers \nconduct student searches if there are reasonable grounds to \nbelieve that the search will yield evidence of either a violation of \nlaw, a violation of school rules, or both. \nIn announcing its ruling, the Court rejected the school board’s \nargument that school officials, like parents, are exempt from the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "requirements of the Fourth Amendment. At the same time, the \nCourt rejected the student’s claim that school officials must \nobtain warrants or meet the more rigorous “probable cause” \nstandard, applicable to searches by law enforcement officials, \nbefore conducting student searches on school property. Rather," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SAF-01 \nPage 2 of 6 \n \nthe Court struck a balance between the student’s legitimate \nexpectations of privacy in the school setting and the school’s \nequally legitimate need to maintain an environment in which \nlearning can take place. The Court held that the “legality of a \nsearch of a student should depend simply on the reasonableness, \nunder all the circumstances, of the search.” \nTo be legal, a student search must be reasonable in two respects. \nFirst there must be reasonable suspicion to believe that the \nstudent has in their possession evidence tending to show either a \nviolation of law or a violation of school rules. To reasonably" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "suspect something, school officials must have facts of sufficient \nquantity and certainty to establish that the suspicion is likely to \nbe true. Mere suspicion, hearsay, or a single isolated fact, \nunsupported by further evidence, is generally not enough to \nmeet the reasonable suspicion standard. Second, the scope of \nthe search must be reasonable in relation to the intrusion on the \nstudent’s privacy. There must be a likelihood that the area \nsearched will yield the item(s) being sought. \nThe determination of whether a search is reasonable is a \nquestion of judgment without definite benchmarks. School \nofficials must exercise common sense and good judgment to" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "ensure that student searches conform to the “reasonableness” \nstandard. \nIn conducting student searches, school personnel should adhere \nto the following guidelines: \n1. Only administrators who are authorized under Boston \nPublic Schools’ Code of Conduct to suspend students from \nschool should conduct student searches. The authority to \nconduct student searches should be limited to school \nleaders, principals, other administrative officials, and \npersonnel specifically designated by school leaders, heads of" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SAF-01 \nPage 3 of 6 \n \nschools, principals, and other administrative personnel to \nsuspend students. \n2. If the school administrator believes that a student may have \nin their possession a firearm, weapon, dangerous object, or \ndrugs, or otherwise fears that a search would jeopardize \ntheir safety, the administrator should not search the student \nuntil the student has notified the Safety Services \nDepartment to be present during the search. \nIt should be noted that the Supreme Court specifically did \nnot decide in the T.L.O. case what standard should apply to \nstudent searches conducted by school officials in" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "conjunction with or at the behest of a law enforcement \nagency. However, the Court noted that the higher standard \nof “probable cause” has been applied to student searches \ninvolving law enforcement agencies by a lower federal \ncourt. Thus, it may be expected that Massachusetts courts \nwill closely scrutinize student searches conducted by school \nofficials in conjunction with police officers. Consequently, \nsuch searches may be deemed reasonable only if based \nupon the more stringent probable cause standard. However, \nthe presence of a police officer or safety specialist for the \npurpose of ensuring the safety of the administrator should \nnot alone trigger the higher standard." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "not alone trigger the higher standard. \n3. Authorized personnel should search only students of the \nsame sex. All searches must be conducted in the presence \nof another staff member of the same sex, who shall serve as \na witness. A male administrator may not search a female \nstudent. If a female administrator is not available to search a \nfemale student, the administrator may designate another \nfemale staff member to conduct the search. If a male \nadministrator is not available to search a male student, the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SAF-01 \nPage 4 of 6 \n \nadministrator may designate another male staff member to \nconduct the search. It is important to emphasize that \nsearches must always be done by a staff member of the \nsame sex, and must always be done in the presence of a \nwitness of the same sex. \n4. Before conducting a student search, the administrator must \nbe confident that the reasonableness standard, as outlined \nby the T.L.O. decision (The United States Supreme Court in \nthe case of New Jersey v. T.L.O., 469 U. S. 325) has been \nsatisfied. \n5. The manner and method of the search should be tailored to \nthe circumstances. The scope of the search normally should" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "be limited to those areas and objects that could reasonably \nbe expected to contain the item(s) being sought. The basis \nfor the suspicion that a student possesses evidence of a \nviolation of the law or school rule should increase in direct \nproportion to the extent of the intrusion upon the student’s \nprivacy in conducting the search. A body search of a student \nrequires a higher level of suspicion than a search of a \nstudent’s book bag. \n \nIn determining whether and how to conduct a student \nsearch, school officials must consider such factors as the \ndanger posed by the object being sought; the likelihood of \nthe evidence being disposed of or destroyed; and the age," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "sex, and prior disciplinary record of the student. The more \nserious the threat posed by the item(s) being sought, the \nmore likely a court will be to find the search reasonable. On \nthe other hand, it is likely that a court would strike down a \nsearch that involved the wholesale rummaging through a \nstudent’s personal property without individualized suspicion" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SAF-01 \nPage 5 of 6 \n \nthat the student had violated either the law or school rules. \nStudent searches must not become general and \nexploratory. \n6. School Department employees are not allowed to conduct \nstrip searches. Strip searches are searches in which a \nstudent is asked to remove articles of clothing that could \nresult in the exposure of undergarments. \n7. An administrator should never use physical force in \nattempting to conduct a search. If a student refuses to \nsubmit to a search, the Department of Safety Services (617-\n635-8000) should be called for assistance. \n8. Searches of student lockers and desks, which remain the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "property of the Boston Public Schools while used by \nstudents, should be based upon reasonable grounds to \nsuspect that they will yield evidence of either violation of \nlaw or school rules. Refer to Superintendent’s Circular SAF-\n03 Locker Policy for related information. \n \n9. If a search by a school administrator yields evidence that a \nlaw has been violated, the administrator should notify the \nDepartment of Safety Services. \nSchool leaders/principals must incorporate salient and pertinent \ninformation from this memorandum into all school-based rules \nand student handbooks. Students and parents must be informed \nthat such information serves as prior and ample notice of the" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "School Department’s procedure for student searches. The phrase \n“prior and ample notice” is to be included in school-based rules \nand student handbooks." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-01 Student Search Procedures", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SAF-01 \nPage 6 of 6 \n \nFor more information about this circular, contact: \nName: \nLegal Advisor \nDepartment: \nOffice of Legal Advisor \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9320 \nFax: \n617-635-9327 \nEmail: \nlegal@bostonpublicschools.org \nOR \nOwner: \nDeputy Chief of Safety Services \nDepartment: \nSafety Services \nMailing Address: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-09 \nVersion 01 \n \n LOST CHILDREN PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nFrom time to time, students may be “lost” — that is, a student \nleaves home in the morning but does not arrive at school, or a \nstudent arrives at school but is missing later in the day, or the \nstudent may leave school at dismissal and not arrive at home. The \nfollowing are standard procedures to follow whenever any of these \nscenarios should happen. \nSTANDARD PROCEDURES \nThe first receiver of information will: \n \n• Gather as much information as possible from the person" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "reporting the lost child, including name, student number, \nschool address and phone number, bus stop, bus number, \nnames of friends/classmates, if known, clothing description, \nand the name and phone number of the caller. \n• Notify Safety Services: Inform the safety specialist assigned or \npresent at the building, and they will inform BSP dispatch. If \nthere is not a safety specialist at the school, the designated \nschool staff should call Safety Services dispatch at 617-635-\n8000 to initiate immediate support. \n• Notify the appropriate official: operational leader and school \nsuperintendent. \n• Notify the principal/head of school and/or program director." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 2:\nSuperintendent’s Circular SAF-09 \nPage 2 of 9 \n \n \nThe principal/head of school or program director will: \n• Contact the student’s parent/guardian. \n• Contact teacher(s), student(s), and other(s) who may have \ninformation about the lost student. \nThe operational leader or the school superintendent will: \n \n• Make every effort to assist in locating the student. \n• Once the child is located, arrange to get the child home. BPS \nTransportation may be used as needed, subject to availability. \n• Notify the first receiver of information and principal/head of \nschool of the child's school that the child is located. \nSafety Services will:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Safety Services will: \n• Notify Boston Police and assist in coordinating the search \nprocess for lost children. \n• If a transported student, call the bus company (who in turn will \ncall the bus driver) and check students who travel on the same \nbus. \n• Notify the Superintendent's Office." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 3:\nSuperintendent’s Circular SAF-09 \nPage 3 of 9 \n \nIF LATE SITUATION: \nSafety Services will: \n• Coordinate search process for lost children \n• Update parent/guardian of the situation and assure him/her of \ncontinued efforts \n• Provide parents/guardians with telephone numbers of central \nTransportation and Safety Services as additional resources \n• If the student is transported, call the bus company, who in turn \nwill call the bus driver, and check students who travel on the \nsame bus \n• Notify the Superintendent's Office \n• Notify the Boston Police Department \n• Notify the first receiver of information, principal/head of school," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Transportation, and Superintendent’s Office that the child is \nlocated. \nIf the Boston Police Department finds a child wandering, it informs \nBPS Safety Services of the located child. Boston Police will arrange \nto get the child home. \nIMPORTANT TELEPHONE NUMBERS \nBoston Police Department ............................. 911 \nBPS Department of Safety Services ........... 617-635-8000 \nAssistant Superintendent .............................. 617 293-7048 \nCentral Transportation ...................................... 617-635-9520 \n \n \n \nTransdev (Bus Company) ................................. 617-603-7800" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Superintendent’s Office ................................... 617-635-9050" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 4:\nSuperintendent’s Circular SAF-09 \nPage 4 of 9 \n \nFor more information about this circular, contact: \nOwner: \nChief of Safety \nDepartment: \nSafety Services \nMailing Address: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent \n \n \n\n\nPage 5:\nSuperintendent’s Circular SAF-09 \nPage 5 of 9" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 6:\nSuperintendent’s Circular SAF-09 \nPage 6 of 9 \n \nBOSTON PUBLIC SCHOOLS \nINCIDENT REPORT \n \nObtain as much of the following information as possible: \nReceived by: \n \n \n \n \n \n \n \n \n \n \nDate: \n \n \n \n Time: \n \n \n \n \n \n \nChild’s Name: \n \n \n \n \n Student # \n \n \n \nSpeaks English: ☐Yes ☐No Language: \n \n \n \n \n \nSpec. Needs ☐Yes ☐No \nName of Parent/Guardian: \n \n \n \n \n \n \n \n \nSchool: \n \n \n \n Grade: \n \n Dismissal Time: \n \n \nAddress: \n \n \n \n \n \n \n \n \n \n \n \nPhone # (Home): \n \n \n \n (Emergency): \n \n \n \nPlace of Incident: \n \n \n \n \n \n \n Bus # \n \n \nDescription of Incident" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Need Medical Help? ☐Yes ☐No Type of Help? \n \n \n \n \nRequest for Medical Transportation? \n \n \n \n \n \n \nStudent Sent to Hospital? \n \n \n \n \n \n \n \n \nParent Contacted? \n \n \n \n \n Time? \n \n \n \nNames of Child’s Friends/Classmates/Witness \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n(Use next page for additional information)" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 7:\nSuperintendent’s Circular SAF-09 \nPage 7 of 9 \n \nNotified Parties \n \nParent/Guardian: \n \n \n \n \n \n \n \n \n \n \n \nParent/Guardian’s Signature: \n \n \n \n \n \n \n \n \n \nSchool Leader: \n \n \n \n \n \n \n \n \n \n \n \nSchool Leader Signature: \n \n \n \n \n \n \n \n \n \n \nSafety Notified/Time: \n Contact Person: \n \n \n \n \n \n \n \n \n \n \nSchool Supt’s Office Notified/Time: \n \n \nContact Person: \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n---------- End of the Incident Report ----------" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 8:\nSuperintendent’s Circular SAF-09 \nPage 8 of 9 \n \nBOSTON PUBLIC SCHOOLS \nLOST CHILD REPORT \nObtain as much of the following information as possible: \nReceived by: \n \n \n \n \n \n \n \n \n \n \nDate: \n \n \n \n Time: \n \n \n \n \n \n \nChild’s Name: \n \n \n \n \n Student # \n \n \n \nSpeaks English: ☐Yes ☐No Language: \n \n \n \n \n \nSpec. Needs ☐Yes ☐No \nName of Parent/Guardian: \n \n \n \n \n \n \n \n \nSchool: \n \n \n \n Grade: \n \n Dismissal Time: \n \n \nAddress: \n \n \n \n \n \n \n \n \n \n \n \nPhone # (Home): \n \n \n \n (Emergency): \n \n \n \nPlace of Incident: \n \n \n \n \n \n \n Bus # \n \n \nDescription of Incident" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Need Medical Help? ☐Yes ☐No Type of Help? \n \n \n \n \nRequest for Medical Transportation? \n \n \n \n \n \n \nStudent Sent to Hospital? \n \n \n \n \n \n \n \n \nParent Contacted? \n \n \n \n \n Time? \n \n \n \nNames of Child’s Friends/Classmates/Witness \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n(Use next page for additional information) \nCaller’s Information" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "Page 9:\nSuperintendent’s Circular SAF-09 \nPage 9 of 9 \n \nCaller’s Name: \n \n \n \n \n Phone # \n \n \n \nRelationship to Child \n☐ Parent ☐ Other \n \n \n \n \n \n \n \n \n \nSpecify: Relative (Aunt, Grandfather, etc.), Friend, Teacher, etc \n \nNotify the Following Parties: \n☐ Principal / Head of School \nNotified Time \n \n \n \n☐ Safety: 635-8000 \nNotified Time \n \n \n \n☐ Operational Leader \nNotified Time \n \n \n \n☐ Boston Police: 911* \nNotified Time \n \n \n \n *(If child not found within 1 hour of drop-off or by 4:30 p.m. or if \nwarranted by other circumstances) \n \nImportant Telephone Numbers: \nWelcome Centers: \n• Dorchester 635-8015 \n• East Boston 635-9597" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-09 Lost Children Procedures", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF", + "content": "• East Boston 635-9597 \n• Roxbury 635-9010 \n• Roslindale 635-8040 \nTransDev (Bus Company): \n• Readville Yard 532-2580 \n• Washington St. Yard 532-2560 \n• Charlestown Yard 532-2550 \n• Freeport St. Yard 532-2570 \n \n☐ Resolved \n \n \n \n \n \n \n \n \n \n \nDate/Time \n---------- End of the Lost Child Report ----------" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nSAF-02 \nVersion 01 \n \nWEAPONS AND OBJECTS OF NO REASONABLE USE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nThe Code of Conduct lists as grounds for suspension or expulsion \nthe possession of any dangerous weapon, including but not \nlimited to a firearm, knife, razor blade, club, explosive, taser, stun \ngun mace/pepper spray, tear gas, brass knuckles, studded \nbracelet, other dangerous weapons, or dangerous objects of no \nreasonable use to the student at school. (See Code of Conduct \nSections 7.4 and 14.13). \nHeads of school and principals should note that as of January" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "1999, the Boston City Council enacted an ordinance restricting \nthe sale, possession, and use of laser pointer devices (Ord. 1999 c. \n2 § 4)). As a result of that ordinance, persons under twenty-one \nyears of age are prohibited from possessing any laser pointer \ndevice on any school property within the City of Boston. Laser \npens and other laser pointer devices are considered to be objects \nof no reasonable use within the meaning of the Code of Conduct. \nStudents found in possession of such devices are subject to the \nprovisions of Section 7.4 of the code. Students may also be \nsubject to non-criminal court proceedings, under MGL, c.40, \ns.21D." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "s.21D. \nHeads of school and principals must communicate to students \nthat the possession of any weapon or object of no reasonable use \nin school, on the way to school, or during school-related activities" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SAF-02 \nPage 2 of 4 \n \nis strictly forbidden, and that violations of this rule will be dealt \nwith appropriately. Students must also be advised that under \ncertain circumstances when evidence exists of serious \nmisconduct outside of school — for example, a student’s being \ncharged with or convicted of a felony, such that the student’s \ncontinued presence in school will have a substantial detrimental \neffect on the general welfare of the school — these shall be \nconsidered school related offenses and shall be dealt with in \naccordance with Section 7.0 of the Code of Conduct. \nHeads of school and principals must incorporate salient and" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "pertinent information from the above two paragraphs into all \nschool-based rules and student handbooks. Students and \nparents must be informed that such information serves as prior \nand ample notice of the School Department’s policy regarding \nweapons and other objects of no reasonable use. The phrase \n“prior and ample notice\" is to be included in school-based rules \nand student handbooks. \nThe Educational Reform Act of 1993 requires that all student \nhandbooks include the following information. Such information is \nto be incorporated into all school-based rules as well. \n1. Any student found in possession of a dangerous weapon," + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "including but not limited to a firearm or a knife; or found in \npossession of a controlled substance, including but not \nlimited to marijuana, cocaine, or heroin, on school premises \nor at a school sponsored or school related event, including \nathletic games, may be subject to expulsion." + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SAF-02 \nPage 3 of 4 \n \n2. Any student who assaults a staff member on school \ngrounds, or at a school sponsored, or school related event, \nincluding athletic games, may be subject to expulsion. \nMassachusetts law requires all school staff personnel to report in \nwriting to their immediate supervisor any incident involving a \nstudent’s possession or use of a dangerous weapon on school \npremises, (MGL, c.71, s.31 L). Refer to MGL, c.269, s.10 and the Code \nof Conduct for definitions of dangerous weapons. \nIf a dangerous weapon or an object of no reasonable use is \nconfiscated, the following steps are to be taken:" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "1. Each item is to be kept in the possession of the \nadministrator, who will notify the Department of Safety \nServices immediately upon confiscation. If the item is a \nfirearm, the Boston Police are to be immediately notified by \ntelephone, using the 911 emergency line. School Department \npersonnel will comply with subsequent instructions issued \nby the police. \n2. Safety Services will hold items, other than firearms, making \nthem available for hearings, conferences, and court \nproceedings for a reasonable period. \n3. Following any parental conferences and court proceedings, \nitems which are classified as dangerous weapons under" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "MGL, c. 269, s.10 or MGL, c. 140, s.131 J shall be turned over to \nthe Boston Police by the Department of Safety Services. \n4. In no instances will a dangerous weapon or an object of no \nreasonable use be returned to a student. The Department of \nSafety Services will be responsible for returning any" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SAF-02 \nPage 4 of 4 \n \nproperty not classified as a dangerous weapon to the parent \nor legal guardian upon written request. \n5. Objects of no reasonable use not claimed by a parent or \nguardian within a reasonable period will be turned over to \nthe Boston Police Department for destruction. \nAll staff members are expected to meet the same standards that \nhold for students. Employees of the Boston Public School are \nprohibited from bringing firearms or other dangerous weapons \nonto school property at any time. Except for law enforcement \nofficials, it is a violation under federal and state law for anyone to" + }, + { + "folder_name": "Safety Services", + "file_name": "SAF-02 Weapons and Objects of No Reasonable Use", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link", + "content": "bring a firearm, loaded or unloaded, into an elementary school, a \nsecondary school, or a college or university, even if that person is \notherwise licensed to carry a firearm. \nFor more information about this circular, contact: \nOwner: \nDeputy Chief of Safety \nDepartment: \nSafety Services \nMailing Address: \n213 Townsend Street, Dorchester, MA 02121 \nPhone: \n617-635-8000 \nFax: \n617-635-8006 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nSHS-11 \nVersion 01 \n \n \n \n LIFE-THREATENING ALLERGIES (LTA OR ANAPHYLAXIS) \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY \nThe Massachusetts Department of Education recommends that \nall school districts have policies and protocols regarding the care \nof students with life-threatening food allergies. This is in addition \nto 2012, c.77, An Act Relative to Medical Emergency Response \nPlans for Schools, requiring local school districts to develop \nefficient written medical response plans for responding to life-\nthreatening emergencies." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "threatening emergencies. \n \nMassachusetts Department of Public Health Regulations \ngoverning the Administration of Prescription Medications in \nPublic and Private Schools 105 C.M.R. 210.100(A)(4) and (A)(4)(c)(iv) \nauthorize school personnel who are trained and tested for \ncompetency to administer epinephrine by auto-injector to \nindividuals with previously diagnosed life-threatening allergies \nwho are experiencing an anaphylactic event. School districts \nmust be registered with the Massachusetts Department of Public \nHealth for this purpose." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-11 \nPage 2 of 10 \n \n \n \nBACKGROUND ON ANAPHYLAXIS \nAnaphylaxis is a sudden, severe, potentially fatal, systemic allergic \nreaction that can involve various areas of the body (such as the \nskin, respiratory tract, gastrointestinal tract, and cardiovascular \nsystem). Symptoms occur within minutes to two hours after \ncontact with the allergy-causing substance, but in rare instances \nmay occur up to four hours later. Anaphylactic reactions can be \nmild to life-threatening. The annual incidence of anaphylactic \nreactions is about 30 per 100,000 persons, and individuals with \nasthma, eczema, or hay fever are at a greater relative risk of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "experiencing anaphylaxis. The most common allergens in \nchildren are food and bee-sting. \nBecause of the life-threatening nature of this condition, it is \nimportant for schools to develop and implement care plans for all \nchildren identified with life-threatening allergic reactions. \nThe Massachusetts Department of Public Health regulations \nprovides for the administration of epinephrine by auto-injector by \nnon-medical personnel who have been trained by the school \nnurse in the administration of epinephrine by auto-injector \ndelivery. In consultation with the school physician, the school \nnurse leader has the final decision-making authority about the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "program, which must be in accordance with MA DPH standards. \nThis includes school-sponsored programs as well as before and \nafter school when a nurse is not immediately available. \nThe Boston School Committee, as part of the Superintendent's \nCircular SHS-08 Medication Administration, has approved the \ntraining of administration of epinephrine by auto-injector for \nstudents with identified allergies under the supervision of the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-11 \nPage 3 of 10 \n \n \n \nschool nurse. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n• Provide a safe and healthy learning environment for all \nstudents \n• Protect the rights of students with food allergies to \nparticipate in all school activities \n• Reduce the likelihood of severe or potentially life-\nthreatening allergic reactions during school \n• Ensure a rapid and effective response in the case of a \nsevere or potentially life-threatening allergic reaction. \n \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers, \nparaprofessionals, food service staff, school leaders, support staff," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "and student interns/teachers. \nEducation and training by the school nurse will include: \n• Identification of potential food allergens \n• Role and responsibilities in the prevention and reducing \nrisks \n• Recognizing allergic reactions \n• Responding to an allergic reaction \n• How to administer an epinephrine auto-injector \n(EpiPen®)." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-11 \nPage 4 of 10 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent: \n• Inform the school nurse if their child has a Life-\nThreatening Allergy (with specific information regarding \nthe allergen (i.e. food types, insect, medication)) \n• Provide the school with a list of allergens, the Individual \nHealth Plan (IHP) (preferably with a Food Allergy action \nplan, where appropriate), and a physician order for \nepinephrine auto-injector administration \n• Provide physician/provider documentation regarding \nallergy, diagnosis and treatment \n• Work with the school nurse, school leader, and classroom \nteacher to develop and implement the Allergy Action Plan" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "+/or IHP for ensuring that their child is safe from potential \nallergens \n• Provide an epinephrine auto-injector(s) and other \nphysician-ordered emergency medication if indicated to \nthe school nurse \n• Sign release of information/permission for identified \nschool staff to have information about their child’s allergy \n• Provide current contact information, including emergency \ncontacts \n• Ensure that the pre-school and after-school staff have the \nappropriate information." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-11 \nPage 5 of 10 \n \n \n \nRole of the School Administrator: \n• Support training for school staff, provided by the school \nnurse at the beginning of every school year and as needed \n• Support faculty, staff, and parents in implementing all \naspects of the LTA (Life-Threatening Allergy) program \n• Consider a school-wide policy, with input from the School \nSite Council, for avoiding LTA's wherever possible (i.e., \npeanut-free zones, no food at functions, etc.) \n• Provide emergency communication devices (two-way \nradio, intercom, walkie-talkie, cell phone) for all school \nactivities, including transportation, that involve a student" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "with life-threatening allergies \n• Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel \n• Ensure that 911/EMS is activated (in the event of an \nexposure). \nRole of the School Nurse: \n• Provide training at least annually (beginning of school \nyear) for school staff that will include information on food \nallergies, risk reduction procedures, how to recognize an \nallergic reaction, and how to respond in the event of an \nallergic reaction, including the use of an epinephrine auto-\ninjector. Training will include a return demonstration by \nschool staff on the administration of an epinephrine auto-\ninjector." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "injector. \n• Obtain an Individual Health Plan (IHP) from the \nfamily/primary care provider (this should include the \nspecifics about a food allergy action plan) \n• Develop a plan for child management in the classroom," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-11 \nPage 6 of 10 \n \n \n \nlunchroom, playground, field trips, and emergency \nsituations \n• Ensure that all other staff members who have contact \nwith students with life-threatening allergies (LTAs) are \nfamiliar with their IHPs on a need-to-know basis \n• Provide a list of students with life-threatening allergies (if \nconsent is given by parent) to all staff on a need-to-know \nbasis (including transportation staff) \n• Conduct in-service training and education for appropriate \nstaff regarding a child's life-threatening allergens, \nsymptoms, risk reduction procedures, emergency \nprocedures, and how to administer an epinephrine auto-\ninjector" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "injector \n• Post general emergency protocol and location of an \nepinephrine auto-injector; Epinephrine should not be \nlocked away but should be available to school staff in a \nsecure location and must be readily available for use in an \nemergency situation \n• Ensure that all IHPs for children with LTAs are readily \navailable for transport with EMS \n• Ensure that there is a contingency plan in place in all \nschool-related venues where substitutes are utilized \n• Communicate with parents on a regular basis to discuss \nissues relating to the plan \n• In the event of epinephrine auto-injector administration, \ncomplete the Massachusetts Department of Public" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "complete the Massachusetts Department of Public \nHealth’s epinephrine auto-injector administration form \nand alert Health Services \n \nRole of the Teacher:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-11 \nPage 7 of 10 \n \n \n \n• Receive training at least annually to recognize symptoms \nof allergic reaction and to understand their role as a \nresponder in the event of an allergic reaction; including \nthe use of an epinephrine auto-injector (i.e.EpiPen®) \n• Collaborate with the school nurse and parent/guardian to \ndevelop and implement a plan for ensuring that their child \nis safe from potential allergens, including field trips, \nclassroom festivities, arts & crafts activities, and cafeteria \nmanagement \n• Maintain a list of all students in the classroom with LTA; \ninclude the list in the substitute teacher folder" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "• Participate in a team meeting for a child with life-\nthreatening allergies and in-service training about LTAs \n• Keep accessible the child's emergency plan with a photo \n(where possible) in the classroom (with parent's \npermission) or keep with the lesson plan \n• Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's food/other allergies \nand necessary safeguards by both verbal communication \nand in an organized, prominent, and accessible written \nformat \n• Coordinate with the parent on providing a lesson plan \nabout food allergies for the class and discuss anaphylaxis \nin age-appropriate terms, with the child's permission" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "• Remind students never to share or trade food \n• Inform parents about events involving food \n• Provide the school nurse 4-6 weeks in advance with dates \nfor field trips & school-sponsored off-site activities \n• Discuss with the parent the process for ensuring before \nand after school continuity of access to epinephrine auto-\ninjector administration and allergen reduction." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-11 \nPage 8 of 10 \n \n \n \nRole of Off-site Staff (Athletics): \n• Maintain a list of all students in their charge who have LTA \n• Athletic coaches will be informed via review of sports \nclearances in ASPEN of any students on their teams who \nhave LTAs \n• Coaches will participate in training at the school level that \nwill include information on Life-Threatening Allergies, risk \nreduction procedures, how to recognize an allergic \nreaction, and how to respond in the event of an allergic \nreaction, including the use of an epinephrine auto-injector \nand return demonstration \n• Encourage these students to carry the epinephrine auto-" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "injectors to all practices and events \n• Ensure the off-site staff has knowledge of the child with \nthe allergy, their specific allergy, and symptoms that they \nmay suffer during a reaction: \no Ensure that the off-site staff knows to call 911 or \nother emergency numbers and request an \nAdvanced Life Support unit if a reaction occurs. \no Allow a responsible child to carry their own \nepinephrine auto-injector in their backpack. \n• Keep accessible the child's emergency plan in the specific \nvenue (with parent's permission) \n• Inform substitutes about the child's food/other allergies \nand necessary safeguards by both verbal communication" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "and in an organized, prominent, and accessible written \nformat. \nRole of Food Services: \n• Provide a food preparation environment that follows" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-11 \nPage 9 of 10 \n \n \n \nsound food handling to avoid cross-contamination and \nprocedures to address food-allergic students \n• Ensure all food service staff are able to recognize \nsymptoms of allergic reaction and to understand their \nroles as a responder in the event of an allergic reaction; \nincluding the use of an epinephrine auto-injector. \nRole of the School Transportation Company: \n• Provide training for all bus drivers on managing life-\nthreatening allergies \n• Be familiar with local EMS procedures \n• Have functioning communication equipment to access \nEMS \n• Maintain a policy of “No food/drink consumed on the bus”." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Details of management and all necessary forms are available in \nthe Nurses’ Protocol and Procedure Manual (available to BPS \nSchool Nurses) \n• Managing Food Allergies in Schools The Role of School \nTeachers and Paraeducators \n• FAACT Education for School Personnel \n \nREFERENCES \nMass.gov Report epi-pen administration \nMass.gov School Health Services: Medication Administration" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-11 Life Threatening Allergies", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-11 \nPage 10 of 10 \n \n \n \nSummary of significant dates and deadlines: \nDate \nActivity \nSeptember 2024 \nAll staff should have a Life-Threatening Allergy \nreview & epinephrine auto-injector demonstration \nby the school nurse \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nSHS-26 \nVersion 01 \n \n \n \nADMINISTRATION OF NALOXONE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTo recognize and respond to potential life-threatening opioid \noverdose as part of the MDPH opioid overdose prevention \nprogram, the Boston Public Schools will maintain a systemwide \nplan for addressing a potentially life-threatening opioid overdose \nreaction. \nAdditionally: \n• This plan will be supplemented by any building-based \nmedical emergency response plan. \n• The director of Health Services will have the responsibility \nfor the development and management of the intranasal" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Naloxone administration program in the school setting in \naccordance with MDPH protocols. \n• The school physician will provide oversight to monitor the \nprogram and creation of the standing order for the district, \nto be renewed annually. \n• Training per MDPH protocols will be provided for all school \nnurse responders. \nNaloxone is the only Schedule IV controlled substance in \nMassachusetts that can be prescribed to someone other than the \nultimate user. The Massachusetts Controlled Substances Act," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-26 \nPage 2 of 9 \n \n \n \nM.G.L. c.94C,§19(b), authorizes naloxone to be prescribed or \ndispensed to a person for use on someone else. It is the policy of \nthe Boston Public Schools that all schools shall provide and \nmaintain naloxone on-site in each school facility. To treat a case \nof suspected opioid overdose in a school setting, any school \nnurse may administer naloxone during an emergency to any \nstudent, staff, or visitor suspected of having an opioid-related \ndrug overdose, whether or not there is a previous history of \nopioid abuse, per 105 CMR 210.000, The Administration of \nPrescription Medications in Public and Private Schools." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Because naloxone is treated differently than any other \nprescription medication, and because any person can possess \nand administer naloxone, pursuant to the standing order, it is the \npolicy of the Massachusetts Department of Public Health School \nHealth Unit that individual possession and use of naloxone is not \ncovered by 105 CMR 210.000. This means that pursuant to M.G.L. \nc.94c,§19(g) any staff member of the Boston Public Schools who, \nin good faith, attempts to render emergency care by \nadministering naloxone to a person reasonably believed to be \nexperiencing an opiate related overdose, shall not be liable from \nthe attempt to render emergency care and may carry and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "administer naloxone on school property and school events, as \npermitted within M.G.L. c. 94C, §§ 19(d) and 34A9e). This immunity \ndoes not apply to acts or omissions constituting gross \nnegligence. \nBACKGROUND \nRecognizing that fatal and non-fatal overdoses from opioids play \nan increasing role in the mortality and morbidity of \nMassachusetts residents, the Massachusetts Department of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-26 \nPage 3 of 9 \n \n \n \nPublic Health launched the Overdose Education and Naloxone \nDistribution (OEND) prevention program using intranasal \nNaloxone in an attempt to reverse this trend. Naloxone is an \nopioid antagonist which means it displaces the opioid from \nreceptors in the brain. An overdose occurs because the opioid is \non the same receptor site in the brain that is responsible for \nbreathing. Rapid administration of naloxone may be lifesaving in \npatients with an overdose due to opioids. Naloxone usually acts \ndramatically, allowing slowed or absent breathing to resume. It is \nboth safe and effective and has no potential for abuse. Naloxone" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "has been used by paramedics in ambulances and by emergency \nroom clinicians for decades. \nSIGNS AND SYMPTOMS OF OPIOID OVERDOSE \nSchool nurses may administer naloxone to a patient (student, \nstaff member or visitor) in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid overdose \nis suspected. \nThe following are signs of an opioid overdose: \n• Blue skin tinge-usually lips and fingertips show first. \n• Body is very limp. \n• Face is very pale. \n• Pulse is slow, erratic, or not present. \n• Vomiting. \n• Choking sounds, gurgling, snoring/gasping noise. \n• Breathing is very slow, irregular or has stopped. \n• Unresponsive." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-26 \nPage 4 of 9 \n \n \n \nROLE OF SCHOOL HEALTH SERVICES \n• Develops policy for administration of naloxone and presents \nto BPS School Committee for approval; reviews policy \nannually. \n• Provides annual education and training for school nurses by \napproved MDPH organizations. \n• Secures and distributes naloxone kits to each school/school \nnurse. \n• Determines proper disposal of used +/or expired naloxone. \nROLE OF SCHOOL LEADER \n• Supports and facilitates access to school nurse training on \nadministration of naloxone. \n• Supports substance abuse prevention education as part of a \ncomprehensive health education program." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "comprehensive health education program. \n• The school leader and staff should be alert to those \nsymptoms in students which may indicate problems with \nsubstance abuse so that they may initiate assistance to \nstudents in need of early intervention. \nROLE OF SCHOOL NURSE \n• Participates in a training program offered by Health \nServices. \n• Provides safe storage and easy access to naloxone. \n• Is alert to symptoms in students which may indicate \nproblems with substance abuse in order to initiate \nassistance to students in need of early intervention." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-26 \nPage 5 of 9 \n \n \n \n• Refers the student to the Student Support Team if the \nstudent is struggling with substance use. \n• Administers naloxone following the procedure as listed \nbelow in the event of respiratory depression, \nunresponsiveness, or respiratory arrest, when an opioid \noverdose is suspected and activate EMS. \nPROCEDURE: \n1. Activate EMS via Medical Emergency Response Plan. The \nnurse or designee must call 911 in all potential overdose \nsituations. \n2. Assessment: ABC’s: Airway, Breathing, Circulation. When \nan individual is suspected of an opioid overdose, the nurse \nwill conduct an initial assessment of the level of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "consciousness and respiratory status. \na. For individuals with no pulse: initiate CPR per BLS \nguidelines. \nb. For individuals with a pulse but who are not breathing: \nestablish an airway and perform rescue breathing \nusing a face mask or shield. \nc. Check for: foreign body in airway, level of \nconsciousness or unresponsiveness, very low \nrespiratory rate or not breathing, no response to sternal \nrub, respiratory status, gasping for air while asleep or \nodd snoring pattern, pale or bluish skin, slow heart rate, \nlow blood pressure. Pinpoint pupils and track marks \nmay be present, although absence of these findings \ndoes not exclude opioid overdose." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-26 \nPage 6 of 9 \n \n \n \nd. For individuals who have a pulse and are breathing: \nassess if there is depression of the respiratory status as \nevidenced by: \ni. a very low respiration rate. \nii. interpretation of pulse oximetry measurement, if \nimmediately available. \ne. Assess for decrease in level of consciousness as \nevidenced by: \ni. difficult to arouse (responds to physical stimuli \nbut does not communicate or follow commands; \nmay move spontaneously) or \nii. unable to arouse (minimal or no response to \nnoxious stimuli, does not communicate or follow \ncommands). \nf. Nurse determines need for naloxone administration." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "3. Administration: Intranasal administration of naloxone \na. Assess person for contraindications or precaution, per \navailable information. \nb. How to use naloxone nasal spray: \ni. Follow manufacturer’s instructions for proper \nadministration. \nii. Step 1. Lay the person on their back to receive a \ndose of naloxone nasal spray. \niii. Step 2. Remove naloxone nasal spray from the \nbox. Peel back the tab with the circle to open the \nnaloxone nasal spray. \niv. Step 3. Hold the naloxone nasal spray with your" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-26 \nPage 7 of 9 \n \n \n \nthumb on the bottom of the red plunger and your \nfirst and middle fingers on either side of the \nnozzle. \nv. Step 4. Tilt the person’s head back and provide \nsupport under the neck with your hand. Gently \ninsert the tip of the nozzle into one nostril until \nyour fingers on either side of the nozzle are \nagainst the bottom of the person’s nose. \nvi. Step 5. Press the red plunger firmly to give the \ndose of naloxone nasal spray. \nvii. Step 6. Remove the naloxone nasal spray from the \nnostril after giving the dose. \nviii. If the person does not respond in 3 mins, repeat \nthe steps and give the second dose of naloxone" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "the steps and give the second dose of naloxone \nnasal spray in a box. \nix. Monitor until EMS arrives. \nx. Place the victim in the recovery position and stay \nwith the victim. \n4. Monitor the individual: Naloxone blocks the opioid from \nacting so it can cause withdrawal symptoms with opioid \ntolerance. \na. Remain with the victim until emergency support \narrives; The victim may breathe but not have full \narousal OR They may require continued rescue \nbreathing and support. \nFollowing the incident, debrief with the school team and health \nservices." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-26 \nPage 8 of 9 \n \n \n \nDocumentation: \n1. Record the encounter in SNAP. \n2. Complete an Incident report. \n3. Complete a “911” report. \n4. Include the individual’s presentation, route of \nadministration of naloxone, and dose administered. Also \ninclude the individual’s response to the naloxone \nadministration. \nStorage: Store at 59° to 86°, away from direct sunlight \nDisposal: Empty, administered naloxone nasal spray should \nbe returned to the original packaging and disposed of in a \nwaste receptacle. \nREFERENCES \n• BPS SHS-01 Drug and Alcohol Abuse – Update On \nProcedures \n• BPS SHS-08 Medication Administration" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "• BPS SHS-08 Medication Administration \n• NASN Naloxone Toolkit for School Nurses \n• MDPH Bureau of Substance Addiction Services" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-26 Administration of Naloxone", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-26 \nPage 9 of 9 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 1:\n \n \n \n Superintendent’s \nCircular \nNUMBER: \nSHS-08 \nVersion 01 \n \nMEDICATION ADMINISTRATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY FOR ADMINISTRATION OF MEDICATIONS \nThe school nurse is the supervisor of the medication \nadministration program in the school. The school nurse is the \nonly staff authorized to administer medication except in two \nsituations: (1) during field trips and (2) in the event of a life-\nthreatening allergic reaction requiring administration of \nEpinephrine via an autoinjector. The school nurse is responsible \nfor training designated staff in the administration of medication" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "in these two situations. This policy is in accordance with \nMassachusetts state regulations for administration of medication \nin public schools (105 CMR 210.000). The protocol has been \napproved by the Massachusetts Department of Public Health. For \nmore detailed information, please refer to the 105 CMR 210: \nDEPARTMENT OF PUBLIC HEALTH \nPROTOCOL FOR ADMINISTRATION OF MEDICATION \nThis section is a summary of the medication protocol. The full \nprotocol is in the Nurses’ Protocol and Procedure Manual and \ncontains the referenced forms." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 2:\nSuperintendent’s Circular SHS-08 \nPage 2 of 14 \n \nGeneral: \n● The school nurse shall be the supervisor of the medication \nadministration program in the school. \n● All school nurses will have read the complete Medication \nPolicy and 105 CMR 210.000- THE ADMINISTRATION OF \nPRESCRIPTION MEDICATIONS IN PUBLIC AND PRIVATE \nSCHOOLS annually. \n● The school nurse, in collaboration with the parent or guardian, \nshall establish a medication administration plan for each \nstudent receiving medication, in accordance with the details of \nthe full medication policy. \n● In accordance with standard nursing practice, the school nurse \nmay refuse to administer, or allow to be administered, any" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "medication which, based on their individual assessment and \nprofessional judgment, has the potential to be harmful, \ndangerous, or inappropriate. In these cases, the \nparent/guardian and licensed prescriber shall be notified \nimmediately by the school nurse and the reason for refusal \nexplained. The school nurse will document the above in the \nelectronic medical record (EMR). \n● Health Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. \nWhen inconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. When" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "inadequacies continue (despite appropriate counseling and \nsupport), the issue and the measures taken will be \ndocumented in the nurse’s performance evaluation. Auditing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 3:\nSuperintendent’s Circular SHS-08 \nPage 3 of 14 \n \nwill occur as part of routine site visit or as incidents deem \nnecessary. \nHandling, Storage, and Disposal of Medications \n● All prescription medications shall lie stored in their original \npharmacy or manufacturer labeled containers and, in such \nmanner, as to render them safe and effective. \n● All prescription medications to be administered by school \npersonnel shall be kept in a securely locked cabinet used \nexclusively for medications, which is kept locked except when \nopened to obtain medications. The medication cabinet is to be \naccessed solely by the school nurse. The cabinet shall be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "substantially constructed and anchored securely to a solid \nsurface. Prescription medications requiring refrigeration shall \nbe stored in either a locked box in a refrigerator or in a locked \nrefrigerator maintained at temperatures of 38F to 42F. \n● Access to stored prescription medications shall be limited to \npersons authorized to administer prescription medications and \nto self-medicating students, to the extent permitted by school \npolicy developed pursuant to 105 CMR 210.006(B)(8). Access to \nkeys and knowledge of the location of keys shall be restricted \nto the maximum extent possible. Students who are self-\nmedicating shall not have access to other students’ \nmedications." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "medications. \n● Parents or guardians may retrieve the prescription \nmedications from the school at any time. \n● No more than a 30 school-day supply of the prescription \nmedication for a student shall be stored at the school." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 4:\nSuperintendent’s Circular SHS-08 \nPage 4 of 14 \n \n● Where possible, all unused, discontinued, or outdated \nprescription medications shall be returned to the parent or \nguardian and the return appropriately documented. In \nextenuating circumstances, with parental consent, when \npossible, such prescription medications may be destroyed by \nthe school nurse in accordance with any applicable policies of \nthe Massachusetts Department of Public Health, Division of \nFood and Drugs. \n● The school nurse is responsible for maintaining the \nconfidentiality of a students’ health record, including \nmedications. Do not discuss or share information about" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "students or medications with other school staff or people \noutside school unless directed to do so by the school nurse. \nRefer all questions or comments about students or \nmedications to the school nurse. \nMedication Orders/Parental Consent \n● The school nurse shall ensure that there is a proper medication \norder from a licensed prescriber which is renewed annually \nand when changes are made to the orders. The \nparent/guardian must sign a consent for the administration of \nthe medication every time a change is made. \n● A new order must be obtained at the beginning of the \nacademic year for all daily medications/treatments and any \nPRN medications." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "PRN medications. \n● All students with medication orders should have a medication \nadministration plan and an IHP. \n● Medication orders will be transcribed into the Electronic \nMedical Record (EMR) using the date the order was written by" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 5:\nSuperintendent’s Circular SHS-08 \nPage 5 of 14 \n \nthe prescriber until the end of the school year. (The official end \nof the school year is the last day of the Extended School Year \n(ESY) program. \n● A telephone order or an order for any change in medication \nshall be received only by the school nurse. Any such verbal \norder must be followed by a written order within three school \ndays. \n● The prescriber Medication Order form should be used. It is \nrecommended that the Boston Public Schools Medication \nOrder Form be completed by the prescriber, as the form \ncontains the necessary information about the medication. \nOrders may be accepted from a prescriber that has not used" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "the BPS Medication Order form as long as all necessary \ninformation is on the letter or form. The parent/guardian must \nconsent to the administration of medication in school. \nReporting and Documentation of Medication Errors \n● A medication error includes any failure to administer \nmedication as prescribed for a particular student, including \nfailure to administer the medication: \n● within appropriate time frames (the appropriate time frame \nshould be addressed in the medication administration plan) \n● in the correct dosage \n● in accordance with accepted practice \n● to the correct student \nIn the event of a medication error, the school nurse shall notify" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "the parent or guardian immediately. (The school nurse shall \ndocument the effort to reach the parent or guardian.) If there is a" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 6:\nSuperintendent’s Circular SHS-08 \nPage 6 of 14 \n \nquestion of potential harm to the student, the nurse shall also \nnotify the student's licensed prescriber or school physician. \nMedication errors shall be reported to the Health Services \nnursing leadership and documented by the school nurse utilizing \nthe medication error report form. These reports shall be retained \nby Health Services leadership and within the student electronic \nhealth record where applicable. They shall be made available to \nthe Department of Public Health upon request. \nAll medication errors resulting in serious illness/injury requiring \nmedical care shall be immediately reported to the Health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Services leadership who will make the decision, as necessary, to \nfurther report to the Department of Public Health, Drug Control \nProgram utilizing the Drug Incident Report. \nAll suspected diversion or tampering of drugs shall be reported to \nthe Health Services nursing leadership and to the Department of \nPublic Health, Division of Food and Drugs. \nThe school nurse shall review reports of medication errors and \ntake necessary steps to ensure appropriate medication \nadministration in the future. \nOver The Counter (OTC) Medications, i.e., Non-Prescription \nMedications \n● The school nurse shall follow the Board of Registration in \nNursing protocols listed in their Advisory Ruling (AR)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Medication Administration of Over-the-Counter Drugs (AR 92-\n05) regarding required provider orders and safety steps in the \nadministration of OTC medications in schools. (Board of \nRegistration in Nursing Advisory Ruling 92-05" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 7:\nSuperintendent’s Circular SHS-08 \nPage 7 of 14 \n \n● The school physician is responsible for the OTC Standing \nOrders policy, in consultation with the Office of Health Services \nnursing leadership and feedback from the school nurse body \nand will sign off on a standing order for administration of OTC \nmedications (Appendix). \n● OTC medications may only be administered once during any \nschool day (except as noted). If requested more than two times \nin any given week, or a pattern of regular usage develops, the \nschool nurse will contact the parent/guardian for provider \nguidance per Standing Order protocol. \n● OTC medication may NOT be administered without parental \npermission." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "permission. \n● A one-time dose of an OTC medication may be administered \nwith verbal parental/guardian consent in the event that a \npaper consent form has not been signed, the parent/guardian \nmust return a signed consent form within two school days \nfollowing the administration for future administration. \nHerbal Preparations \n● Herbal preparations/medications are to be considered over-\nthe-counter medications and are subject to the same \nregulations and require parental permission. \n● Herbal preparations/medications must be listed in the U.S. \nPharmacopeia (USP.org) in order to be given in school. \n● The OTC standing orders do not cover herbal" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "● The OTC standing orders do not cover herbal \npreparations/medications and require a prescription from an \nappropriate and duly licensed prescriber." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 8:\nSuperintendent’s Circular SHS-08 \nPage 8 of 14 \n \nSpecial Medication Situations \n● For short-term medications, i.e., those requiring administration \nfor ten school days or fewer, the pharmacy-labeled container \nmay be used in lieu of a licensed prescriber’s order. \n● Investigational new drugs may be administered in the schools \nwith (a) a written order by a licensed prescriber, (b) written \nconsent of the parent or guardian, and (c) a pharmacy-labeled \ncontainer for dispensing. If there is a question, the school \nnurse may seek consultation and/or approval from the school \nphysician to administer the medication in the school setting. \nControlled Substances" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Controlled Substances \n● Students may require medications that fall under the category \nof “controlled substances.” \n● The detailed protocol for administration of controlled \nsubstances is in the BPS Nurses Protocol and Procedure \nManual. \nMedications During Transport \n● Asthma exacerbations may occur while in transport. A self-\nmedication plan would address this issue and allow for the \nchild to carry and self-administer the medication without the \nsupervision of the school nurse. The student should be advised \nto report to the school nurse if they require treatment en route \nto or from school. \n● Emergency medications, other than Epinephrine, cannot be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "administered by the bus driver/transportation monitor. The \ndriver is expected to pull over and call 911 EMS if there is an" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 9:\nSuperintendent’s Circular SHS-08 \nPage 9 of 14 \n \nemergent need and there are no licensed personnel \naccompanying the child. \nAnaphylaxis \n● Nurses, in conjunction with building administrators, MUST \nhave a plan in place to ensure the safety of those children with \nlife threatening allergies requiring the administration of \nEpinephrine. \n● In the event of a life-threatening, previously undiagnosed \nanaphylactic reaction, the school nurse may administer \nepinephrine in the protocol dosages. \n● The school physician is responsible for reviewing and renewing \nthe anaphylaxis protocol on an annual basis. \n● Refer to Superintendent Circular SHS-11 “Life Threatening" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Allergies (LTA or Anaphylaxis)” for specifics. \nAsthma \n● If a child with known asthma has a severe exacerbation while \nat school and there is no order for medications administered \nvia nebulizer from the child’s primary care provider, the nurse \nmay administer a nebulizer or Metered Dose Inhaler (MDI) \ntreatment, under the school physician’s order and according to \nthe asthma protocol (BPS protocol and procedure manual). \n● The emergent use of nebulizer should occur within the context \nof the child’s primary or specialty care management. After the \nfirst episode of medication administered via nebulizer or MDI \nutilizing standing orders, every effort should be made to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "secure a treatment plan which includes use of PRN nebulizer \nwith feedback to the family and/or the primary care provider." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 10:\nSuperintendent’s Circular SHS-08 \nPage 10 of 14 \n \n● If there are no subsequent medication treatment orders from \nthe patient’s primary care provider, the parent will be notified \nand 911 will be accessed in the event of an asthma \nexacerbation. \nDelegation/Supervision for Field Trips and Life-Threatening \nAllergic Reactions \n● The school nurse shall have final decision-making authority \nwith respect to delegating administration of medications to \nunlicensed personnel in the school system. Boston Public \nSchools is registered with the Department of Public Health \nand has chosen to limit delegation to field trips only. \n● When medication administration is delegated by the school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "nurse to unlicensed school personnel, such personnel shall be \nunder the supervision of the school nurse for the purposes of \nmedication administration. \n● After consultation with the principal or administrator \nresponsible for a given school, the school nurse shall be \nresponsible to select, train, and supervise the school personnel \napproved by the school nurse to administer medications on \nfield trips. When necessary to protect student health and \nsafety, the school nurse may rescind such selection. \n● A school nurse shall be on duty in the school system while \nmedications are being administered by designated unlicensed \nschool personnel, and available by telephone should" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "consultation be required. \n● The administration of parenteral medications may not be \ndelegated." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 11:\nSuperintendent’s Circular SHS-08 \nPage 11 of 14 \n \n● Medications to be administered pursuant to PRN (“as needed”) \norders may be delegated to be administered by authorized \nschool personnel while on a field trip after an assessment by or \nconsultation with the school nurse for each dose. \nNote: any medications that require a nursing assessment \nmay not be delegated with the exception of asthma \nmedications. \n● For each school, an updated list of unlicensed school \npersonnel who have been trained in the administration of \nEpinephrine shall be maintained by the school nurse. Upon \nrequest, a parent shall be provided with a list of school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "personnel trained to administer medications on field trips and \nin life threatening cases. Note: It is the expectation that all \nschool staff are trained by the school nurse in Epinephrine via \nan autoinjector administration twice a year and complete a \nreturn-demonstration to the nurse. \n● Designated, trained medication delegation school personnel \nshall be listed on the specific student’s medication \nadministration plan. \n● Principals/head of school or the district department \nsponsoring the trips have the primary responsibility to ensure \nthat all procedures pertaining to field trips are followed by \ntheir school and establish clear and transparts internal" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "protocols for field trip requests and approvals at the school \nlevel. \n● Before approval of a field trip, the lead chaperone must consult \nwith the school leader to determine if and what type of \nmedical assistance is needed for participating students. To \nensure accessibility, this step is crucial, and must take place" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 12:\nSuperintendent’s Circular SHS-08 \nPage 12 of 14 \n \nbefore the field trip is secured. For additional questions, please \nconsult the Health Services Department. Additionally, to \nthoroughly support a student's participation in a field trip, at \nleast six weeks before departure (much longer for international \nand overnight field trip programs), consult with, and when \nnecessary, receive training from the school nurse regarding \nany students who have medical needs. \n● Refer to Superintendent’s Circular CAO-22 General Guidelines \nand Procedures for All Field Trips for additional information. \nSelf-Administration of Medications" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Self-Administration of Medications \nConsistent with school policy, students may self-administer \nprescription medication provided that certain conditions are met. \nFor the purposes of 105 CMR 210.000, “self-administration” shall \nmean that the student is able to consume or apply prescription \nmedication in the manner directed by the licensed prescriber, \nwithout additional assistance or direction. \nFor a child to self-administer, the following must be in place: \n● Parent/guardian approval. \n● An assessment by the school nurse that the student is capable \nof self-medication administration. \n● The school nurse develops an individualized medication" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "administration plan (105 CMR 210.005(E) for that student which \nis agreed to by the parent/guardian and contains: \n○ Documentation by a designated school personnel or by \nthe student, when the student is assessed as capable by \nthe school nurse, that medication was self-administered. \n○ Periodic review of process by school nurse" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 13:\nSuperintendent’s Circular SHS-08 \nPage 13 of 14 \n \n○ Determines a safe place for storing the medication for the \nindividual student, while providing for accessibility if the \nstudent’s health needs require it. \n○ Documentation of teacher’s and student’s knowledge of \nthe medication dose, frequency, and side effects, the \ndisease process for which the medication is being \nadministered, the safety of the plan and the student’s \nability to self-administer the medication, and the student’s \ncompliance with the identified plan. \n● A medication order from a licensed prescriber for this student’s \nmedication. \n● In the absence of a school nurse, the school administrator will" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "contact a health services administrator to assist with the \ndevelopment of an appropriate plan of care which includes all \nthe above. \n● All self-medication administration plans must be renewed \nannually. \nHealth Services administration is accountable for reviewing all \naspects of medication administration and ensuring that the \nMassachusetts Standards of Nursing Practice are upheld. When \ninconsistencies are discovered, the school nurse will be \ncounseled, and the head of school/principal informed. \nSummary of significant dates and deadlines: \nMonth \nActivity \nJanuary \nSend an updated list of nurses/schools \nto MA DPH." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-08 Medication Administration", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m", + "content": "Page 14:\nSuperintendent’s Circular SHS-08 \nPage 14 of 14 \n \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nSHS-20 \nVersion 01 \n \nASTHMA IN SCHOOLS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that a clear, concise policy \non asthma management in school can impact academic \nachievement. All schools must have protocols and procedures for \nchildren with asthma and evaluate the implementation of these \nplans regularly. This document outlines the comprehensive and \ncollaborative nature of managing a child’s asthma within a school \nsetting. \nBACKGROUND ON ASTHMA \nBecause asthma is one of the most common chronic childhood" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "illnesses and a major cause of student absences, it is important \nfor schools to adopt a comprehensive, coordinated approach to \naddressing asthma. \nWhile asthma affects people of all ages, races, genders, and \nsegments of society, the burden is not equally shared across \nracial and ethnic groups. It is most often a disease of the young \nand of the poor. In 2020, 25.3 million Americans reported a \ndiagnosis of asthma. Of those, 21 million were adults, and 4.2 \nmillion were children.1 Nearly half of children (52.7%) and adults \nwith asthma living below the poverty level reported an asthma" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-20 \nPage 2 of 9 \n \nattack in the past year2, which is an indication of poor asthma \ncontrol. Children and people living below the poverty level are \namong the groups most likely to have asthma, and to suffer from \nsevere asthma attacks, hospitalization, and even death. Asthma \nmorbidity and mortality are disproportionately burdensome for \nAfrican Americans and Hispanics, who are least likely to have \naccess to health education and adequate healthcare. \nA comprehensive plan includes management and support \nsystems, appropriate health and mental health services, \neducational programs for staff and students, appropriate and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "reasonable environmental remediation, and communication \nsystems with home and child clinicians. \nThese components need to be integrated with community efforts \nthat include the medical and mental health fields, housing and \ncommunity air quality improvements, and active engagement of \nfamilies. \nThis document links with the Medication Administration Policy \nand Management of Life-Threatening Allergic Reaction policies. \nPROTOCOL FOR IMPLEMENTATION \nRole of the Parent \n• At the time of registration, the parent/guardian should \ninform the Welcome Center staff of any health concerns of \ntheir child, including asthma. The Health Services" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Department remains available to support any student or \nparent/guardian wishing to discuss this information \nprivately. \n• Complete emergency forms indicating that their child has" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-20 \nPage 3 of 9 \n \nasthma and include emergency numbers. \n• Provide the school nurse with a current Asthma Action Plan \nand emergency management plan from the student’s \nphysician and/or pulmonologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child’s plan. \n• Review with your child’s primary care provider/specialist and \nsign all asthma forms presented by the school nurse. These \nmay include a combination of the following: \no Permission for a school nurse to communicate with the \nfamily and the primary care provider/specialist \no Authorization to dispense medication" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "o Authorization to dispense medication \no Consent for child’s self-administration of asthma \nmedicine (when developmentally appropriate) \no The Parent/Guardian Asthma Questionnaire \no The Asthma Action Plan \n• Provide the school with a pharmacy-labeled supply of \nmedications (oral and inhalers), including nebulizer \nmedications, masks, and tubing. Most health rooms have \nnebulizers but are not equipped with extra masks and \ntubing. \n• Participate in the Asthma Action Plan for their child with the \nchild’s health practitioner and deliver the completed asthma \naction plan to the school nurse. \n• Provide a cell phone number or other emergency number/s" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "• Assure that the pre-school and after-school staff has the \nappropriate information and training." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-20 \nPage 4 of 9 \n \nRole of the School Administrator \n• Support faculty, staff, and parents in implementing all \naspects of the asthma management program, including \nself-management. \n• Support the development of a schoolwide policy, with input \nfrom the School Site Council, for management of the school \nenvironment, which includes, but is not limited to: \no Maintaining an active Integrated Pest Management \nProgram \no Review of and action on annual school inspections \no Use of green cleaners \no Enforcement of the tobacco-free policy \n• Ensure there is a contingency plan for a substitute nurse," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "teacher, or food service personnel who is not familiar with \nthe child. \n• Ensure that the classroom staff is informed about asthma \nprevention, management, and emergency response. \n• Support program development, especially in schools with \nhigher than the state average of students diagnosed with \nasthma or with large numbers of absenteeism related to \nasthma. \n• Review environmental inspections and ensure that all work \norders occur in a timely fashion. \n• Support the student support team, the school nurse, and \nthe classroom teacher in identifying children with increased \nabsenteeism in relation to asthma. \n• Inform the school nurse 4-6 weeks in advance of field trips" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-20 \nPage 5 of 9 \n \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g., staff training, \npreparation of medications) \nRole of the Student (where it is developmentally appropriate) \n• Sign off on self-administration plan guidelines. \n• Participate in self-management program(s) such as Open \nAirways or Kickn’ Asthma to help better identify triggers \nthat may cause asthma symptoms and response. \n• Complete the “Student Breathing/Asthma Questionnaire.” \nRole of the School Nurse \n• Obtain and review the student’s current Asthma Action Plan \n(AAP) and other pertinent information from the student’s" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "parents/guardians and health care providers, including \nmedication administration permission form. \n• Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n• Administer medication per provider order, monitor asthma \ncontrol, coordinate care, and maintain records. \n• Provide safe storage and easy access to prescribed \nmedication when needed. \n• Promote and encourage independence and self-care \nconsistent with the student’s ability, skill, maturity, and \ndevelopment as indicated in the AAP. After reviewing the \nAAP with the parents/guardians and student, implement, \nreview, and update the plan throughout the school year as \nneeded." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-20 \nPage 6 of 9 \n \n• Develop a plan for student management in the classroom, \nlunchroom, playground, and athletic field that provides \nroutine and emergency care. \n• Complete with the student (where developmentally \nappropriate) the Student Breathing/Asthma questionnaire. \n• Ensure that all other staff members (including coaches) who \nhave contact with children with asthma are familiar with \ntheir Asthma Action Plan on a need-to-know basis. Teachers \nshould be contacted individually rather than with lists \nposted. \n• Provide a list of students with life-threatening allergies as a \ncomponent to their asthma (if consent is given by parent) to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "all staff on a need-to-know basis; lists must be maintained in \na confidential manner to protect students’ privacy. \n• Conduct in-service training and education for appropriate \nstaff regarding asthma symptoms, risk reduction \nprocedures, and emergency procedures. This information \nshould be reviewed annually, preferably at the beginning of \nthe school year. \n• Ensure that there is a contingency plan in place in all school-\nrelated venues where substitutes are utilized. \n• Communicate with parents regularly to discuss issues \nrelating to the plan. \nRole of the Teacher \n• Maintain a discrete list of all students in the classroom with" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "asthma; lists must be maintained in a confidential manner \nto protect students’ privacy." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-20 \nPage 7 of 9 \n \n• Participate in asthma awareness professional development \nopportunities, as needed. \n• Inform volunteers, student teachers, aides, specialists, and \nsubstitute teachers about the child's asthma needs on a \nneed-to-know basis, while maintaining student \nconfidentiality. \n• Provide the school nurse with an adequate warning (4-6 \nweeks for field trips) about school-sponsored off-site \nactivities. \n• Notify the school nurse of any concerns. \nRole of Off-site Staff \n• Maintain a list of all students with severe persistent asthma; \nlists must be maintained in a confidential manner to protect \nstudents’ privacy." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "students’ privacy. \n• Coaches will be informed of any students on their teams \nwho have asthma (through review in ASPEN/Sports \nClearance form) and trained in asthma awareness and \nmaximizing athletic performance. \n• Allow responsible students to self-medicate during practices \nand sports events; students must have a self-medication \nplan on file with the school nurse. \n Role of the Coordinator of Special Education (COSE): \n• If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate; the parent/guardian, school \nnurse, and other school staff must be involved in the plan" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-20 \nPage 8 of 9 \n \ndevelopment and implementation. \n• If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n• If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs (team shall include \nschool nurse). If special transportation is necessary, it can be \nadded to the IEP. \n \nREFERENCES \nManaging Asthma: A Guide for Schools" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "REFERENCES \nManaging Asthma: A Guide for Schools \nAsthma Self-Management Skills, American Lung Association \nCDC Strategies for Managing Asthma in Schools \n1CDC Most Recent National Asthma Data \n2American Lung Association Controlling Childhood Asthma \nand Reducing Emergencies Initiative" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-20 Asthma in Schools", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-20 \nPage 9 of 9 \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSHS-16 \nVersion 01 \n \n \n \nSUICIDE PREVENTION AND INTERVENTION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nIt is the policy of the Boston Public Schools (BPS) to provide an \narray of services for students through the utilization of internal \nand external support resources to promote their social and \nemotional growth and well-being. In those cases where \nindividual students are at-risk or in-crisis, all staff will collaborate \nin providing those supports needed to ensure the student’s \nsafety and well-being. When there is an acute crisis within the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "school community, staff will collaborate, under the direction of \nthe building administrator and with support from the Behavioral \nHealth Services District Crisis Team (as needed/appropriate), in \naddressing those problems and issues raised by that death \namong students, staff, and parents. \nPOLICY GUIDELINES \nThe following policy guidelines have been established to address \nthe issue of suicide prevention and intervention and will be \nfollowed in all schools: \n1. All staff should be aware of suicide distress signals and \nsymptoms outlined herein. \n2. All staff have an obligation to be knowledgeable about and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-16 \nPage 2 of 18 \n \n \n \nto cooperate fully in the implementation of the BPS Suicide \nPrevention and Intervention Policy Statement and Policy \nGuidelines. \n3. Building administrators will provide leadership in \naddressing the issue of suicide prevention and intervention \nand will establish and maintain the following support \nmechanisms required to address the issue within the wider \nschool community: \na. Implement prevention and intervention strategies \naccording to a multi-tiered system of support (MTSS) \nframework. \nb. Be sure that staff is knowledgeable about the purpose \nof the Student Success Team (SST), its membership," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "and the process for making referrals to the team. \nc. Ensure the provision of in-service training for staff in \nthe fall of each school year concerning the issues of \nsuicide/crisis intervention and prevention, including \nsuicide risk assessment procedures. \nd. Establish and maintain linkages with appropriate \ncommunity-based support agencies that will assist the \nschool in addressing this issue. \ne. Provide information and services to students with a \nview to implementing fully the letter and spirit of the \nBoston Public Schools Suicide Prevention and \nIntervention Policy. \nFinally, it is paramount to highlight that racism undermines" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "mental health. Therefore, BPS is committed to culturally and \nlinguistically sustaining practices (CLSP) in all that is done in \nsupporting students and families. This means that we pledge to \nwork against individual racism, interpersonal racism, and \ninstitutional racism in all their forms by creating systems that" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-16 \nPage 3 of 18 \n \n \n \nwork for our students and families. It is also well understood that \nthere is an increased risk of suicide amongst traditionally \nmarginalized groups, particularly in LGBTQ+ students. \nKEY TERMS \nIt is essential that all Boston Public Schools staff understand the \nfollowing terms. \nSuicide: Death caused by self-directed injurious behavior with \nintent to die as a result of the behavior. \nSuicide Attempt: A non-fatal, self-directed, potentially injurious \nbehavior with at least some intent to die as a result of the \nbehavior. \nSuicidal Ideation: Thinking about, considering, or planning \nsuicide1." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "suicide1. \nSelf-Injury: The act of deliberately harming one’s own body, \nsuch as cutting or burning, as a way to cope with emotional \npain2. \nTIERED PREVENTION & INTERVENTION STRATEGIES \nIt should be the goal of the school community to work together, \nunder the leadership of the building administrator, to establish \nand maintain a program of suicide prevention. Schools are \nimportant settings for suicide prevention for the following \nreasons: school personnel interact regularly with students and \nplay an important role in keeping students safe; suicide has a \n \n1 NIMH » Home \n2 Self-injury/cutting - Symptoms and causes" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-16 \nPage 4 of 18 \n \n \n \nnegative impact on an entire school community; and creating \nand maintaining a safe and supportive learning environment is \npart of the mission of BPS3. Prevention efforts should follow an \nMTSS continuum, with low-intensity prevention efforts for all \nstudents and more intensive prevention efforts for those with \nhigher risk. The following prevention and intervention strategies \nare strongly recommended as part of a school-based suicide \nprevention approach. \n Tier 1 Prevention \nSchool Climate \nand Culture \nBuilding a safe and supportive school \nclimate is a vital step in suicide prevention." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "climate is a vital step in suicide prevention. \nSchools should consider how they are \nteaching kids to ask for help and how they \nare creating safe spaces for relationship-\nbuilding. \nSchool-Wide \nPsychoeducation \nBreak Free From Depression (grades 9-12) \nSigns of Suicide (grades 6-12) \nSocial Emotional Learning curriculum \n(grades pre-K to 12) \n \n3 Schools" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-16 \nPage 5 of 18 \n \n \n \nUniversal \nBehavioral Health \nScreening \nUsing a universal behavioral health \nscreening tool (e.g. BIMAS-2) at least twice \nper year helps schools assess students’ \nlevel of risk and identify appropriate \nprevention strategies. \nThe Trevor Project — Saving Young LGBTQ \nLives \nSamaritans 24-hour Hotline \nSamaritans IM Here Online Chat Program \nKnowing Risk \nFactors & Warning \nSigns \nEnsure that all staff are familiar with \nsuicide symptoms and report student \nconcerns to the building administrator in a \ntimely fashion. (See page 9-10 for a list of \nwarning signs along with common risk and \nprotective factors.)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-16 \nPage 6 of 18 \n \n \n \n Tier 2 Prevention & Intervention Strategies \nStructures and protocols to address and provide support to \nstudents presenting at risk. \nPerson(s) \nResponsible \nResponse Protocol \nStudent Success \nTeam (SST) \nThe SST should provide a systematic \nprocess for identifying and addressing the \nneeds of students in need of support \nservices and emphasize suicide prevention \nstrategies. This can consist of guardian \ncontact regarding concerns, referral to a \npartner or other agency for provision of \nservices, such as group counseling, etc. \n \n Tier 3 Intervention Strategies" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": " Tier 3 Intervention Strategies \nAll school staff should be familiar with intervention strategies and \nprotocols and be trained once per year. Different levels of \nintervention (suicide risk assessment, safety planning, \nemergency response, and postvention) are required, depending \non the nature and seriousness of the situation. \n1. Student has made suicidal gestures or statements. \nThe BPS Suicide Risk Assessment (SRA) should be initiated \nimmediately if there is concern that a student has thoughts \nabout suicide. The SRA will guide the process for (1) gathering \ninformation about the concern, (2) developing an appropriate \nintervention plan, and (3) documenting both." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-16 \nPage 7 of 18 \n \n \n \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Keep the student safe. \na. Supervise the student by ensuring \nthey are in the presence of a staff \nmember. \nb. Call 911 if there is a concern about \nimminent danger. The BEST team \nand / or a safety check may be \nappropriate. \n2. Notify the school administrator. \n3. Report the situation to the designated \nschool leader(s). \nHead of \nSchool/Principal \nor Designee \n1. Continue the support initiated by the \nstaff person. \n2. Contact the parent/guardian and request \ntheir immediate presence. \n3. Consult with the appropriate members of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "3. Consult with the appropriate members of \nthe school’s student success team (SST), \nsuch as the nurse, school psychologist, \nsocial worker, student support \ncoordinator, etc. \n4. Identify the professionals completing the \nSRA. The SRA must be conducted: \na. In the student’s preferred language \nb. By at least TWO people, one of \nwhich must be a BPS employed \nprofessional and a licensed mental \nhealth professional. If these" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-16 \nPage 8 of 18 \n \n \n \nindividuals are not available at the \nschool, please call the Office of \nSocial Work at 617-971-8292. \n5. Use of the Boston Emergency Services \nTeam (BEST) should be considered (1-800-\n981-4357). The parent/guardian may also \nopt to take the student to a nearby BEST \ncommunity clinic. \n6. Submit reports as required. \nBPS employed \nprofessional and \na licensed mental \nhealth \nprofessional \n1. Complete the BPS Suicide Risk \nAssessment and determine the level of \nrisk. \n2. Work with the student to create a \nStudent Safety Plan \n3. Identify appropriate supportive services \nand list them in the intervention plan at" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "and list them in the intervention plan at \nthe end of the SRA document. \na. Possible High-Risk Interventions: \ni. \nGuardian takes their student for \nimmediate intervention with a \nhealth care provider. \nii. \nGuardian and/or school to \ncontact BEST team at 1-800-\n981-4357. \niii. \nContact BPS School Police at \n617-635-8000. \niv. \nCall 911 if necessary. \nb. Possible Low Risk Interventions:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-16 \nPage 9 of 18 \n \n \n \ni. \nGuardian to speak with the \nstudent about this incident or \nconcern. \nii. \nTeacher to monitor student’s \nbehavior and report any \nchanges or concerns. \niii. \nReferral to outside agencies \nfor support \niv. \nReferral to Student Success \nTeam or other school-based \nsupports \n4. Scan and upload a copy of the completed \nintervention plan and signature page, \nalong with the student safety plan to \nAspen. Retain SRA interview pages in a \nclinical file in an agreed upon location in \nyour school. \n5. Share the Student Safety Plan with \nparents/caregivers and all appropriate \nschool-based personnel and community-\nbased partners." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "based partners. \n6. Create a re-entry plan for students when \nthey return to school." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-16 \nPage 10 of 18 \n \n \n \nParent / Family \nCollaboration \nNotify the Student’s Legal Guardian(s) or \nEmergency Contact(s). These may include: \n Legal Guardian(s) listed in ASPEN. \n Emergency Contact(s) listed in ASPEN. \n Legal Guardian(s) has been asked to \ncome to school to discuss the student’s \nneeds. \n Record if the Legal Guardian(s) have \nNOT been notified and why they have \nnot been notified. \n Share the SRA interview and plan for \nany interventions and collaborate \naround follow-up. \n \n2. Suicide Attempt Has Occurred \nPerson \nResponsible \nResponse Protocol \nStaff Person on \nScene \n1. Initiate first aid, if appropriate." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Scene \n1. Initiate first aid, if appropriate. \n2. Contact the head of school/principal or \ndesignee (e.g., nurse, social worker, \nschool psychologist). \n3. Contact the school nurse. \n4. Do not leave the person alone. \n5. Remove anything that may enable the \nperson to hurt themself." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular SHS-16 \nPage 11 of 18 \n \n \n \nSchool Nurse \n1. Initiate required medical procedures. \n2. Accompany (or ensure that a staff \nmember accompanies) the student to \nthe hospital. \n3. Remain with the student until the \nparent / caregiver arrives or for as long \nas possible. \n4. Inform the building administrator of the \nstudent’s condition. This includes \ninforming the administrator when the \nstaff member is leaving the hospital. \nHead of \nSchool/Principal \nor Designee \n1. Initiate the procedures in \nSuperintendent’s Circular, FSE-05 \nMedical Emergency Management \n2. Contact the legal guardian and inform \nthem of the situation and the hospital to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "them of the situation and the hospital to \nwhich the student is being taken, if \napplicable. \n3. Accompany the student to the hospital, \nif applicable \n4. Contact the Superintendent’s Office \n(617-635-9055) to report the incident. \n5. Complete required reports." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular SHS-16 \nPage 12 of 18 \n \n \n \n3. Postvention \nStructures and protocols to address school need after a \ncompleted suicide. \nPostvention should be tailored to a specific situation, handled \ncase by case by your school's mental health staff and the crisis \nteam. Call your assigned District Social Worker or the Director of \nSocial Work, Jenna Parafincczuk at 617-971-8292 \nPerson Responsible \nResponse Protocol \nHead of \nschool/Principal or \nDesignee \nCall and notify your assigned District \nSocial Worker for assistance in \nplanning and carrying out Postvention \nsteps for ensuring safety and \naddressing the psychological needs of \nstudents and staff." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "students and staff. \nRELEASING STUDENTS TO PARENT/CAREGIVER \nThe head of school/principal or designee should release the \nstudent to the parent after: \n• Providing the parent/caregiver with the name of a medical \nperson, a mental health worker, or a resource agency \n• Urging the parent to immediately bring the student to that \nperson or agency \n• Urging the parent to provide the school with any follow-up \ninformation that may be forthcoming from medical or \nmental health personnel in order for the school to better \nprovide for the student \nIf a parent/caregiver or emergency contact cannot be contacted" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular SHS-16 \nPage 13 of 18 \n \n \n \nafter two hours, Department of Children and Families should be \ncontacted at the hot line (1-800-792-5200) and/or emergency \nmedical procedures should be implemented. Under no \ncircumstances should a child be allowed to go home without a \nparent/guardian. The student should be kept at the school until a \nDCF worker arrives. In these cases, schools should initiate the \nprocedures in Supertintendent’s Circular SUP-20, Child Abuse \nand Neglect Procedures. \nREFERRAL TO EXTERNAL SUPPORT AGENCIES \nIt is recommended that all students, both those “in-crisis” and \nthose who have exhibited or expressed any symptoms of suicide," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "be referred for support by external agencies with staff trained \nand experienced in providing suicide intervention. \nRETURNING TO SCHOOL \nAll students returning to school after a period of absence are \nrequired to bring notes of explanation/excuse for the absence, \nsigned by the parent/guardian. For students returning to school \nafter emergency treatment for suicide intervention, schools \nshould make all reasonable efforts to obtain documentation from \na medical/mental health provider indicating that the student is \nable and safe to return to school. Failure of the school to receive \nsuch documentation, however, will not be grounds for excluding" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "the student from school. Those students unable to return for \nmedical or mental health reasons after a crisis situation may \nqualify for services under the provisions of Superintendent’s \nCircular SSS-19 Home and Hospital Instruction. \nAll returning students should report first to the school nurse (or \nother trained student support staff, such as the school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular SHS-16 \nPage 14 of 18 \n \n \n \npsychologist or social worker), who will take the following \nactions: \n1. Review and file the letter from the medical/mental health \nprovider as part of a confidential health record. \n2. Accompany the student to the homeroom for re-admission. \nEvery effort should be made to do this with sensitivity and to \nmaintain as great a degree of confidentiality as possible. \n3. Inform the head of school/principal of the student’s return. \n4. Bring the case to the school’s SST for review and assignment \nof an internal liaison person. \nThis liaison person will monitor the student’s re-entry and serve" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "as the person to whom staff should report recurring warning \nsigns. The liaison might be a homeroom or subject area teacher, \na school psychologist, a guidance counselor, the nurse, or other \nmember of the faculty who is trusted by the student. The liaison \nmight also serve as the link with the parent/guardian concerning \nthe student’s status and, with written permission of the \nparent/guardian, serve as a liaison with any external agency staff \nproviding special support to the student." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular SHS-16 \nPage 15 of 18 \n \n \n \nAPPENDEUM: \nSUICIDE WARNING SIGNS \nWarning signs are indicators that a student may be in danger of \ncommitting suicide and may need urgent help. \nVerbal \nBehavioral \n• Talking about and/or \nmaking suicide plans \n• Talking about and/or \ngathering suicide \nmethods/information \n• Statements that family \nand friends would not \nmiss them \n• Expressions of \nhopelessness and/or \nanger at self and the \nworld \n• Talking about seeking \nrevenge \n• Talking about feeling \ntrapped or being in \nunbearable pain \n• Talking about being a \nburden to others \n \n• Looking for a way to kill \noneself \n• Increasing the use of \nalcohol or drugs" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "• Increasing the use of \nalcohol or drugs \n• Acting anxious, agitated, \nor restless \n• Sleeping too little or too \nmuch \n• Withdrawing or feeling \nisolated \n• Scratching, cutting, \nmarking body, or other \nself-injurious behaviors \n• Writing of suicidal notes \nor posting on social media \n• Making final \narrangements \n• Giving away prized \npossessions" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular SHS-16 \nPage 16 of 18 \n \n \n \n• Reading, writing, and/or \nart about death \n• Sudden positive behavior \nchange following a period \nof depression \nENVIRONMENTAL WARNING SIGNS \n• Recent loss through death \n• Recent loss through suicide \n• Anniversary of a significant loss \n• Recent experiences of violence \n• Justice system involvement \n• Anniversary of a significant loss" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular SHS-16 \nPage 17 of 18 \n \n \n \nSUICIDE RISK FACTORS \nRisk factors are characteristics that make it more likely a student \nmight consider, attempt, or die by suicide. \nIndividual \nEnvironmental \n• LGBTQ+ Identity \n• Substance Abuse \n• Medication use \n• History of mental disorders, \nparticularly clinical depression \n(that has not been dx or \ntreated properly) \n• Prior suicide attempts \n• Hopelessness / A Burden \n• Hallucinations \n• Delusions \n• Impulsive or aggressive \ntendencies \n• Cultural and religious beliefs \n(e.g., belief that suicide is noble \nresolution of a personal \ndilemma) \n• Physical Illness \n• Unwillingness to seek help \nbecause of the stigma" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "because of the stigma \nattached to mental health and \nsubstance abuse disorders or \nto suicidal thoughts \n• Interpersonal conflict \n• Isolation / aloneness \n• Parent suicide \nattempts / family \nhistory \n• Early loss / \nseparation from \nfamily \n• Cultural sanctions for \nsuicide \n• Loss (relational, \nsocial, work or \nfinancial) \n• Local epidemics of \nsuicide \n• Barriers to accessing \nmental health \ntreatment \n• Easy to access lethal \nmethods" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular SHS-16 \nPage 18 of 18 \n \n \n \nSUICIDE PROTECTIVE FACTORS \nProtective factors are characteristics that make it less likely that a \nstudent will engage in suicidal behavior. \n• Effective clinical care for mental, physical, and substance \nabuse disorders \n• Easy access to a variety of clinical interventions and support \nfor help seeking \n• Family and community support (connectedness) \n• Support from ongoing medical and mental health care \nrelationships \n• Skills in problem solving, conflict resolution, and nonviolent \nways of handling disputes \n• Cultural and religious beliefs that discourage suicide and \nsupport instincts for self-preservation" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-16 Suicide Prevention & Intervention", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link", + "content": "support instincts for self-preservation \nFor more information about this circular, contact: \nOwner: \nDirector of Social Work, Division of Student \nSupport \nDepartment: \nSocial Work \nMailing Address: \n205 Roxbury Street, Roxbury, MA 02119 \nPhone: \n617-971-8292 \nE-mail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "Page 1:\n \n \n \n Superintendent’s \nCircular \n NUMBER: \nSHS-24 \nVersion 01 \n \nDIAPERING AND TOILETING ACCIDENTS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nToilet training typically occurs between 18 months and 3½ years \nof a child’s developmental stage. \nIndividuals with disabilities may face more significant obstacles \nwith toilet training than persons without diagnosed disabilities. \nThis may be partly due to the individual’s challenges with \ncommunication, medicines, social interaction, sensory sensitivity, \nor making changes in their routine. \nEven for individuals without disabilities, toilet training can" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "present both the caregiver and child with obstacles to immediate \nsuccess, and most children will continue to have toileting \naccidents well beyond the time they stop wearing diapers. \nPOLICY STATEMENT \nThe Boston Public Schools acknowledges that toileting \nprocedures should be planned based on individual children’s \nneeds and be culturally appropriate according to the children’s \nfamilies’ needs and beliefs. The Boston Public Schools staff will be \naware of the diverse styles of toileting students due to cultural or \nreligious practices. Program staff will use a variety of formal and \ninformal strategies (including conversations) to become" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "Page 2:\n \n \nSuperintendent’s Circular SHS-24 \nPage 2 of 6 \nacquainted with and learn from families about their preferred \nchild-rearing practices, including toilet training. \nThe Boston Public Schools will be aware of and accommodate \nthe need to maintain privacy for toileting and dressing. \nBoston Public Schools staff will interact in a positive manner \nduring toileting procedures and support students in developing \ntheir self-help in this area. \nDIAPERING PROCEDURES \nToileting accidents and diaper changing will ONLY be handled by \na classroom teacher, classroom paraprofessional, and/or other \nadult designated by the school principal. Parents will not be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "required to change diapers and volunteers will not change \ndiapers and/or assist with toileting at the school site during \nschool hours. \nEach school year, the principal will complete and sign off on a \nform that states in writing who is designated to help students \nwith toileting and changing diapers and who will help children \nwith toileting accidents (see attached form). \nIt is not the responsibility of the school nurse to assist with \ntoileting and diaper changes, except for caring for students who \nhave an ostomy/colostomy, require urinary catheterization, or \nhave other genito-urinary diagnosis." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "Page 3:\n \n \nSuperintendent’s Circular SHS-24 \nPage 3 of 6 \nStaff will follow these diapering procedures: \n● Staff to assess children for signs that diapers or pull-ups are \nwet or contain feces at least every two hours when children \nare awake and when children awaken from a rest period. \n● Diapers are changed when wet or soiled. \n● Children wearing cloth or disposable training pants and \nchildren who have accidents. \n● Changing should be initiated within 5 minutes of discovery \nthat they are wet or soiled unless circumstances clearly \nmake it unreasonably difficult to do so. \n● Staff will change children’s diapers or soiled underwear in" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "the designated changing areas and not elsewhere in the \nfacility. \nIn the changing area, staff post and follow these procedures for \nchanging diapers or pull-ups: \n● At all times, caregivers have a hand on the child to ensure \nsafety is maintained when the child is being changed on an \nelevated surface. \n● Bring supplies (e.g., clean diaper, wipes, diaper cream, \ngloves, plastic or waterproof bag for soiled clothing, extra \nclothes) to the diapering/changing area. \n● Diaper cream (provided by the family): if used, dispense it \nonto a tissue and/or cotton ball and cover the diaper \nchanging surface with disposable liner (paper or chuck). \n● Put on gloves." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "Page 4:\n \n \nSuperintendent’s Circular SHS-24 \nPage 4 of 6 \n● Changing table, if used: place the child on a diapering \nsurface and unfasten diaper. Keep one hand on the child at \nall times. \n● Clean the child with disposable wipes. Always wipe front to \nback. \n● Keep soiled diapers/clothing away from any surfaces that \ncannot be easily cleaned. \n● Securely bag soiled clothing. \n● Place used wipes in the soiled diaper or pull-up. \n● Put the soiled diaper/pull-up into two plastic bags and tie up \nthe bags. \n● Discard the bags with the soiled diaper/pull-up and wipes in \nthe covered trash can. \n● Remove and discard gloves. \n● Apply diaper cream, if needed, with a tissue and/or cotton" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "ball or a freshly gloved finger. \n● Put on a fresh diaper or help the child put on a fresh pull-up \nor clean clothes. \n● Help the child to get dressed. Wash the child’s hands with \nsoap and water and place them in a safe, supervised area. \n● When a diaper changing table is used: \no Remove liner from the changing surface and discard in \nthe trash can. \no Wipe up any visible soil with damp paper towels or a \nbaby wipe. \no Clean the entire surface with disinfectant. \no Wash your hands with soap and water." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "Page 5:\n \n \nSuperintendent’s Circular SHS-24 \nPage 5 of 6 \nRESOURCES \n● BPS Department of Early Childhood \n● BPS Department of Special Education \n● NAEYC Early Learning Program Accreditation Standards \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-24 Diapering and Toileting Accidents Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link", + "content": "Page 6:\n \n \nSuperintendent’s Circular SHS-24 \nPage 6 of 6 \n \nAdults Designated to Change Diapers, Assist Students with \nToileting, and/or Assist Children with Toileting Accidents \nSchool: \n \nSchool Year: \n \nName 1: \n \nPosition: \n \nName 2: \n \nPosition: \n \n \nName 3: \n \nPosition: \n \nName 4: \n \nPosition: \n \n \nPrincipal Signature: \n \nDate:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 1:\n \n \n \n Superintendent’s \nCircular \nNUMBER: \nSHS-23 \nVersion 01 \n \n \n \nCONDOM ACCESSIBILITY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nBACKGROUND \nIn June 2017, the School Committee voted to revise the district \nWellness Policy, which includes provisions on sexual health \neducation and condom accessibility in high schools. The goal of \nthis policy is to support the sexual and reproductive health of \nstudents and to prevent negative sexual health outcomes and \ntheir impact on student learning. This policy establishes access to \ninformation and resources for students in order to reduce the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "spread of HIV and other sexually transmitted infections (STIs) as \nwell as decrease the number of unintended pregnancies. This \npolicy increases the access and agency of BPS students to care \nfor their personal health and well-being. The revised policy states: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family \nplanning services without parental notification. Family Planning \nservices include testing and treatment for sexually transmitted \ninfections and HIV, all birth control options, pregnancy testing, \nand emergency contraception." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-23 \nPage 2 of 10 \n \n \n \nBPS High Schools shall provide access to free condoms with \nappropriate reproductive health counseling for students. Each \nhigh school (grades 9-12) will have a Condom Accessibility Team \n(CAT) which will consist of a minimum of at least three school \nstaff members. Condoms will be made available through the \nCAT at each high school. Condoms will also be accessible at \nsome schools from school-based health centers and the Boston \nPublic Health Commission’s (BPHC) Health Resource Centers \n(HRCs). Parents and caregivers may exempt their students from \nreceiving condoms from the BPS CAT by notifying the school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "when they complete the family information forms at the \nbeginning of the school year. This condom opt-out does not \napply to other confidential health services. \n \nUnder this policy, the Office of Health Services, along with the \nOffice of Health and Wellness, is charged with enacting systems \nand practices to ensure that all students have access to key \nresources and services that are developmentally appropriate and \nsupport sexual and reproductive health in a safe and supportive \nenvironment. \nBPS high schools have three possible venues for the delivery of \nsexual health services: 1) through BPS CAT members; 2) school-\nbased health centers run by BPHC or neighborhood health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "centers that provide medical, reproductive, and mental health \nservices, including STI/pregnancy testing, options counseling, \naccess to contraceptives/condoms, treatment for STIs, and \ncomprehensive routine health care; and 3) school-based health \nresource centers (HRCs) overseen by the Boston Public Health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-23 \nPage 3 of 10 \n \n \n \nCommission, which provide individual counseling, condom \naccess, and STI testing and treatment for gonorrhea and \nchlamydia, where available. Annually, all BPS CAT members must \nparticipate in appropriate training related to the condom \naccessibility program. \nThe following chart summarizes the services available and \nstaffing model for each location. \n \nPlease note: \nUnder Massachusetts Law (Mass.Gen.Laws Ch.111, Section 24E) \nadolescents may seek and consent to confidential family planning \nservices without parental notification. Family planning services include" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "testing and treatment for sexually transmitted infections and HIV, all \nbirth control options, pregnancy testing, and emergency \ncontraception." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-23 \nPage 4 of 10 \n \n \n \n \nLocation \nSchool-based \nHealth Centers \nRun by BPHC \nSchool-based Health \nCenters Run by \nCommunity Health \nCenters \nHealth Resource \nCenters * \nBPS High School \nCAT \n \n \nServices \n \nA clinical setting \noffering routine \nhealth care and \nacute care \nservices, \nincluding mental \nhealth \ncounseling and \nsexual & \nreproductive \nhealth care. \nA clinical setting \noffering routine \nhealth care and \nacute care services, \nincluding mental \nhealth counseling \nand sexual \nreproductive health \ncare. \nClassroom sexual \nhealth \neducation; 1:1 \neducation; \ncondom \navailability; \n \nSTI screening, \ntreatment and \nreferral, where" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "STI screening, \ntreatment and \nreferral, where \navailable. \nFree internal and \nexternal condoms, \noral dams, lubricant, \nand educational \nmaterials to \nstudents not opted \nout of the program \nas these products \nare available. \n \nConfidential sexual \nhealth referrals \nmade available to \nany students in need \nof sexual health care. \n \n*a barrier method \nthat reduces the risk \nof STIs \n**lubricants increase \nthe effectiveness of \ncondoms, reducing \nbreakage." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-23 \nPage 5 of 10 \n \n \n \n \n \nStaffing \nStaffed by: \n● \nNurse \nPractitioner \n● \nMental \nHealth \nClinician \n● \nHealth \nEducator \n● \nHealth \nCoordinator \n● \nAdmin \nAssistant \nStaffed by: \nNurse Practitioners \nor Physician \nAssistants \nA team of two \nHealth Educators \nassigned to 2 \nhigh schools \nA minimum of \nthree* trained school \nstaff members. \n \n*Schools are \nencouraged to add \nmore CAT members \nto increase access \npoints within the \nschool. Each \nadditional member \nmust complete CAT \ntraining. It is \nimportant that \nstudents receive \nsupplies from \ntrusted, caring \nadults. This may \ninclude the school \nnurse, health \nteachers, trained" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "nurse, health \nteachers, trained \nteachers of sexual \nhealth, social \nworkers, school \ncounselors, family \nliaisons, and/or other \nstaff able to \ncomplete the \ntraining." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-23 \nPage 6 of 10 \n \n \n \nIMPLEMENTATION \nThe implementation of condom accessibility will be directed by \nthe Office of Health & Wellness (OHW), with support from and \nintegration with the Office of Health Services at both the central \nand individual school levels. \n \nSCHOOL-BASED IMPLEMENTATION \nEach high school serving students in grades 9-12 will have a \nCondom Accessibility Team (CAT) which will consist of at least \nthree school staff members. Schools are encouraged to add \nadditional interested staff to the CAT. The CAT shall meet at least \nbiannually to oversee its responsibilities and report back to the \nWellness Council." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Wellness Council. \n \n Condom Accessibility Team responsibilities: \n● Participate in CAT training organized and led by the Office of \nHealth and Wellness \n● All parents and caregivers will be notified of the policy in the \nGuide to the BPS for Students & Families and have the option \nto opt their student out of the condom accessibility program \nby informing the student’s school. Additional communications \nto notify parents and caregivers through the school’s \npreferred communication channels is also recommended." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-23 \nPage 7 of 10 \n \n \n \n● Distribute communication information provided by the Office \nof Health and Wellness, such as brochures, posters, stickers, \netc. that outline the Condom Accessibility program \n● Post information advertising who the CAT members are so \nthat students are aware of this program and know who and \nwhere to locate CAT members in the school \n● Store condoms in secure, appropriate storage that does not \nexperience extreme low or high temperatures to preserve \neffectiveness \n● Ensure that the school wellness council is updated on CAT \nfunctionality in the school \n● Advocate for all students to receive the BPS Comprehensive" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Sexual Health Education Program \n● Provide CAT team member names to the Office of Health and \nWellness annually and add any new team members \nthroughout the year \n● Document referrals and provide tracking as outlined in the \ntraining \n● Ensure that student confidentiality is maintained as per \nMassachusetts State Law \n● Ensure that parental/caregiver opt-out is clearly and \nconfidently documented in the nurse electronic health record \n(SNAP) and communicated to all CAT members and other \nappropriate staff, including HRC staff involved in condom \naccessibility" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-23 \nPage 8 of 10 \n \n \n \n● Please note: CAT members are required to file a 51a only when \nthere is reasonable suspicion of physical or emotional harm by \nabuse, not based solely on the age of the student. \n \nDISTRICT-BASED IMPLEMENTATION \nOffice of Health Services responsibilities: \n● Align the condom accessibility process with the overall Health \nServices action plan \n● In partnership with OHW, monitor referral tracking data \nwithin SNAP and assess district capacity to implement the \ncondom accessibility program \n● Promote and complete CAT training \n● Partner with OHW instructional coaches to review" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "questions/concerns brought forward during the CAT training \n● Promote the sexual health services referral resource 211 Help \nSteps at https://www.helpsteps.com/#/ \n● Coordinate and communicate with adolescent community \nsexual health programming, including school-based health \ncenters \n \nOffice of Health and Wellness responsibilities: \n● Include the condom accessibility process in overall wellness \naction planning." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-23 \nPage 9 of 10 \n \n \n \n● Review and approve all reproductive health materials that are \nto be distributed in the schools by CAT members, including \nmaterials donated by community partners. All community \norganizations interested in donating condoms and other \nmaterials should contact the Office of Health and Wellness \nbefore delivering materials to the schools. \n● Oversee ordering and storing of condoms for the district and \ndistribution to schools. \n● Coordinate and communicate with adolescent community \nsexual health programming including school-based health \ncenters and Health Resource Centers." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "centers and Health Resource Centers. \n● Collaborate with the Office of Health Services to provide \ntraining, marketing materials, and implementation tools to \nschools and technical assistance. \n● Provide updates and promotions for the BPS sexual health \nservices referral guide (Y2Connect). \n● In partnership with Health Services, monitor referral tracking \ndata, providing all high schools a system for tracking and \nreporting, and assess the district capacity to implement the \ncondom accessibility program." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-23 \nPage 10 of 10 \n \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nMonth \nActivity \nAugust \n● Parental and Caregiver Opt-out information \nincluded in Family Handbook \n● Parents and caregivers who do not want their \nstudent to receive condoms at school should \nemail or submit in writing their intentions to the \nschool principal and include the school nurse(s) \nin this communication. \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-23 Condom Accessibility", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link", + "content": "617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSHS-22 \nVersion 01 \n \nRESPONSE TO CARDIAC ARREST IN SCHOOLS AND \nSCHOOL PROPERTY: AUTOMATIC EXTERNAL \nDEFIBRILLATOR (AED) USE AND ACCESS POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY STATEMENT \nThe Boston Public Schools recognizes that an Emergency \nMedical Response Plan is multifaceted and is designed to \nrespond to life-threatening medical emergencies in the first \nminutes before emergency medical services arrive. The elements \nof the policy include: effective communication throughout the \nindividual school and the district, a coordinated and practiced" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "response plan, risk reduction, training and equipment for first aid \nand CPR, and a lay rescuer AED program. \nThis policy addresses the Cardiac Arrest Plan and focuses on CPR \nand AED use. It interfaces with Superintendent’s Circulars FSE-\n05 Medical Emergencies; FSE-01 School Safety and Contingency \nPlans; and SHS-11 Life-Threatening Allergies. It is also coordinated \nwith the City of Boston Public Access Defibrillator Program \n(PAD). Detailed procedures and protocols, including a \nMemorandum of Agreement between BPS and Boston EMS, are \navailable through Facilities Management." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-22 \nPage 2 of 22 \n \nBACKGROUND \nSudden cardiac arrest (SCA) presents a potential life-threatening \nsituation to students, staff, and visitors, and quick response \nactions and interventions like cardio-pulmonary resuscitation \n(CPR) and proper use of an automatic external defibrillator (AED) \nwithin the first two (2) minutes significantly increases the chance \nof SCA survival. \nPROTOCOL FOR DISTRICTWIDE RESPONSIBILITIES \nThe City of Boston’s Public Access Defibrillator Program (PAD) \nrequires that a systemwide policy be established that interfaces \nwith the district's School Safety and Contingency Plans. These \nplans are submitted each year." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "plans are submitted each year. \nIn BPS, the AED/CPR policy is directed by an AED/CPR \nCommittee. This systemwide AED Committee includes but is not \nlimited to representation from Health Services, Facilities \nManagement (Environmental and Safety), BPS Operations, and \nCity of Boston’s Emergency Management Services (BEMS). The \nresponsibility of this team is to oversee the AED and CPR \nprogram, including quality assurance, data review of critical \nincidents, equipment maintenance, inventory management, \ncoordinated and practiced response exercises, and lay CPR and \nAED training. \n• All school buildings have been provided with AEDs. All BPS" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "school buildings with an AED will need to register their \nindividual plans along with their annual safety contingency \nplans. Staff who have been trained in CPR will be added to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-22 \nPage 3 of 22 \n \nthe school safety contingency plan and reviewed/updated \nannually. \n• AEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any \nathletic event or practice. The BPS Athletic Program shall \nmeet the same requirements and intent of the AED/CPR \nprogram for school buildings, including providing an \ninventory of the AEDs and their designated coaches (those \ncoaches who are responsible for the AED during their sport’s \nseason). \nPROTOCOL FOR INDIVIDUAL SCHOOL RESPONSIBILITIES \nPrincipal/Head of School: \n• Ensures that there is an appropriately trained AED/CPR" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "coordinator at their school.* \n• Ensures that there is the required number of CPR trained \npersonnel in the school. \n• Includes the AED/CPR plan in the annual safety and \ncontingency plan submission to the director of Fire Safety \nand Emergency Preparedness. \n• Reviews and submits the annual AED/CPR plan to Safety \nServices (safety and contingency plan). \n• Oversees the placement of AEDs. \n• Ensures that the required staff are appropriately trained in \nCPR and AED use." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-22 \nPage 4 of 22 \n \n• Ensures periodic checks are done to better ensure safe and \ncontinuous operability and access to the AED. These checks \nshall include but not be limited to the following: \no Daily check of AED indicator light: Check the active \nstatus indicator light on your AED. It varies depending \non the brand. If any problems contact Richard Deraney, \nDirector of Safety/Emergency Preparedness. \no Weekly check: Check the condition of the AED and \naccessories (including but not limited to the AED, the \npads (infant and adult), and the AED alarmed metal \ncabinet. \no Monthly check: Check pads and battery pack for" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "o Monthly check: Check pads and battery pack for \nexpiration dates and AED signage throughout the \nbuilding. \no Quarterly submission of logs to the AED/CPR \ncommittee. \n* A member of your school site safety team is strongly \nrecommended. \nSchool Nurse: \n• Reviews plans with the AED/CPR coordinator. \n• Is up to date in CPR/AED training as required by \nemployment. \n• Includes plan in substitute school nurse folder. \n \nAthletic Coaches: \n• Participate in training in CPR/AED." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-22 \nPage 5 of 22 \n \n• Ensure that protocols are in place. \n• Review plans with the school nurse. \nBPS Athletics: \n• Ensures that all coaches are in compliance with AED/CPR \nguidelines. \n• Ensures that all athletic trainers providing services to BPS \nAthletics are in compliance with AED/CPR guidelines. \nTrained Staff: \n• Reviews CPR/AED plan for individual school. \n• Reviews Safety and contingency plans for school. \n• Participates in training. \n \nDetailed information on protocols and training is available in \nHealth Services & Safety Services, when available." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-22 \nPage 6 of 22 \n \nDate \nActivity \nOctober 1 \nAnnual Review of AED Program. This will be part of \nthe school’s Building Safety and Fire Safety Plans. If \nthere are any changes, you will submit a copy to \nBPS Safety/Emergency Preparedness. \nOctober 1 \nBPS Athletics shall provide a list of coaches with \nAEDS and training verifications to \nSafety/Emergency Preparedness \nNovember 1 \nSchool leaders and building administrators shall \ncontact Office of Health and Wellness: Physical \nEducation to receive Anytime (Hands Only) CPR \ntraining and equipment for their physical \neducation teachers. \nMay 1 \n9th grade Physical Education teachers shall receive" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Anytime CPR training as needed and implement \nthe lesson with their students. \nJune 1 \nAnnual Review of AED Policy by AED Committee" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-22 \nPage 7 of 22 \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nOR \nContact: \nDirector of Safety & Emergency Management \nDepartment: Safety & Emergency Management \nMailing \nAddress: \n205 Townsend Street Boston, MA 02121 \nPhone: \n(617) 635-9122 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-22 \nPage 8 of 22 \n \nBOSTON PUBLIC SCHOOLS \nMEMORANDUM OF AGREEMENT \nAUTOMATIC EXTERNAL DEFIBRILLATION PROGRAM \n \nTHIS AGREEMENT is made and entered into on ________________ \nand is between the Boston Public Schools (BPS) and Boston \nEmergency Medical Services (EMS). \nThe purpose of this agreement is to establish training and quality \nassurance programs for the utilization of automatic external \ndefibrillators (AED) by volunteer, trained Boston Public Schools \npersonnel. Those trained personnel will function under the \nmedical supervision of the BPS medical director and the assistant \ndirector of Health Services in collaboration with EMS medical" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "director. \nThe Parties now mutually agree to the following: \nThe Boston Public Schools (BPS) agrees: \n1. To identify an AED/CPR coordinator from Safety Services to \nassume responsibility for coordinating the AED/CPR \ncommittee and monthly meetings. This committee will \ninclude representation from EMS and oversee aspects of the \nPublic Access Defibrillation program in BPS. \n2. To conduct CPR/AED training programs that are approved \nby the American Heart Association, American Red Cross, \nAmerican Safety and Health Institute, or BPS approved \nequivalent." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-22 \nPage 9 of 22 \n \n3. To establish a quality assurance program that reviews all \nAED response events with the EMS medical director, BPS \nmedical director, assistant director of Health Services, EMS \nliaison, and BPS responders. \n4. To maintain a database for AED training programs and \nshare trained personnel information rosters with the EMS. \n5. To notify EMS annually of the types of AEDs and location of \nunits in each building. \n6. To maintain database information regarding the AED daily \nchecks and maintenance information for each unit. \n7. To follow the protocols approved by Boston Public Schools \nfor AED use in BPS." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "for AED use in BPS. \n8. To notify EMS of any changes in program, location, or \nequipment. \n9. In case of an incident, provide EMS with cardiac event data \ncards for evaluation and feedback. \n10. Work collaboratively with the EMS on student CPR training \nprograms \nBoston EMS agrees to: \n1. Identify the medical director of EMS as the overall medical \ndirector of the BPS AED program. \n2. Identify an EMS liaison that will collaborate with BPS on AED \nimplementation in the schools. \n3. Maintain records of location/types of machines, trained \npersonnel sent by BPS program coordinator." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-22 \nPage 10 of 22 \n \n4. Provide feedback, after a response incident, from the \ncardiac event data card to BPS CPR/AED coordinator and \nBPS medical director and other members of the AED/CPR \ncommittee for review. \n5. Provide “Train the Trainer” CPR/AED programs to BPS \ndesignated volunteer employees. \n \nThis memorandum will be reviewed on an annual basis. \n __________________________________________________________________ \n \nIn witness whereof, the parties hereto execute this Agreement \nthrough their duly authorized representatives as of ________ day \nof ________________, 20____. \nBOSTON EMERGENCY MEDICAL SERVICES" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "BOSTON EMERGENCY MEDICAL SERVICES \nBy: ______________________________________ Date: _________________ \n \nIts: _______________________________________________________________ \n \nBOSTON PUBLIC SCHOOLS \n \n___________________________________________Date: _______________ \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular SHS-22 \nPage 11 of 22 \n \nBOSTON PUBLIC SCHOOLS \nPUBLIC ACCESS DEFIBRILLATION PROGRAM AND \nCPR GUIDELINES \n \nPURPOSE: The purpose of the Boston Public Schools Public \nAccess Defibrillation (PAD) Program guidelines is to assist \nemployees of the Boston Public Schools who are trained and \nwilling to do CPR, including use of an Automatic External \nDefibrillator (AED) in the event such use is necessary. These \nguidelines do not create an obligation to do CPR and use the \nAEDs, nor to create any expectation that either an AED or trained \nemployee will be present at every event. The guidelines should" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "make clear that by increasing the availability of AEDs and \nincreasing the number of persons trained to use them, that both \nthe school and larger community may be aided. Evidence shows \nthat time is a significant factor in victim survival rate, and on-site \nresponders are more likely to arrive faster than EMS to begin aid \nto incidents of “sudden death”. By equipping and training \nvoluntary employees in the use of AEDs, we will increase the \npotential to save lives through AED intervention. \nDEFINITION: The condition “sudden death” occurs when the \nelectrical impulses of the human heart malfunction, causing a \ndisturbance in the heart’s electrical rhythm called “ventricular" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "fibrillation (VF)”. This erratic and ineffective electrical heart \nrhythm causes complete cessation of the heart’s normal function \nof pumping oxygenated blood, resulting in “sudden death”. The \nmost effective treatment for this condition is the administration \nof an electrical current to the heart by a defibrillator, within the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular SHS-22 \nPage 12 of 22 \n \nshortest time possible of VF onset. Each minute of delay in \ndefibrillator use decreases the survival rate by 10%. \nPROGRAM PROCEDURES: The Boston Public Schools anticipates \nthat where reasonably possible, employees who have been \ntrained and who are present when an incident occurs will react \nby activating the EMS system (calling 9-1-1 or 9-9-1-1), begin CPR, \nand utilize the AED available to them according to the guidelines \nof the American Heart Association. \nPROGRAM OVERSIGHT: The City of Boston’s Public Access \nDefibrillator Program (PAD) requires that a systemwide policy be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "established. This system-wide AED committee includes but is \nnot limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston’s Emergency Management \nServices (BEMS). This committee meets monthly and guides the \nprogram implementation and quality assurance. \nThe EMS medical director agrees to act as the medical director \nfor the BPS PAD Program, ensuring its consistency with the \nCommunity AED Public Access program and reviewing each \ndeployment of the AED with the BPS team. \nThe Boston Public Schools physician / medical director is \nresponsible for: writing prescriptions for purchase of AEDs;" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "reviewing and approving guidelines for emergency procedures \nrelated to the use of AEDs; reviewing all AED deployments; and \ncoordination with the local EMS medical director for consistency \nof operation. \nThe BPS assistant director of Health Services (nursing director) \nwill be the overall AED coordinator of the program, chairing the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular SHS-22 \nPage 13 of 22 \n \nCPR/AED committee. This systemwide AED committee includes \nbut is not limited to representation from Health Services (Health \nServices), Facilities Management (Environmental and Safety), BPS \nOperations, and City of Boston’s Emergency Management \nServices (BEMS). The responsibility of this team is to oversee the \nAED and CPR program, including quality assurance, data review \nof critical incidents, equipment maintenance and inventory \nmanagement, coordinated procurement of funding, practiced \nresponse exercises, and lay CPR and AED training. \nPRE-PROGRAM EVALUATION AND AED SELECTION" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "PRE-PROGRAM EVALUATION AND AED SELECTION \nOnly US FDA approved AEDs will be provided for this program. \nThe program manager and Facilities Management Department \nwill maintain the specification/technical information sheet for \neach approved AED on file assigned and/or donated to the PAD \nprogram. \nAll BPS schools have at least one AED. \nAEDs have been provided to the BPS Athletics Program for \nselected coaches to have in their possession during any athletic \nevent or practice. The BPS Athletics Program shall meet the \nsame requirements and intent of the AED program for school \nbuildings." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular SHS-22 \nPage 14 of 22 \n \nTRAINING \nAll volunteer employees and coaches will participate in a \nrecognized CPR/AED initial training course which will include the \nfollowing content: \n• Proper use, maintenance, and periodic inspection of AED. \n• Assessment of an unconscious person to determine if a \ncardiac arrest has occurred and the appropriateness of \napplying the AED. \n• Defibrillator safety precaution to enable the user to \nadminister a shock without jeopardizing the safety of the \nvictim, the user, or other persons on the scene. \n• Rapid accurate assessment of the victim’s post-shock status \nto determine if further activation of AED is necessary." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "• The role of the initial rescuer in the coordination of care for \nthe cardiac arrest victim on arrival of EMS personnel. \n• Scenario based practice consistent with common scenarios \nthat rescuers may face. \n• Routine AED maintenance, troubleshooting options, and \nspecial situations that initial rescuers may encounter. \nEmployees will only be held to the standards of “Good Samaritan” \nstatus and shall only be expected to use an AED if they have \nsuccessfully completed the CPR/AED training and feel confident \nusing the device." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular SHS-22 \nPage 15 of 22 \n \nSKILLS REVIEW AND PROFICIENCY DEMONSTRATION \nThe AED team candidate will need to demonstrate proficiency in \nadult CPR and the following: \n• Safe and effective use of the AED training device that \nconforms to the unit assigned to that location or building. \n• Perform a single or multi-shock practical exam conducted \nby a qualified AHA or ARC instructor. \n• Demonstrate common trouble-shooting techniques used \nwith the AED. \n• All AED team members will participate in a CPR/AED skills \nproficiency review annually. The PAD program manager will \nmaintain the proper training and review documentation. \nLOCATION OF AEDS" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "LOCATION OF AEDS \nAll BPS school buildings with an AED must register their plan \nwith BPS Safety Services. All school buildings have been provided \nwith AEDs. If additional AEDs are to be purchased, it must be \ndone through BPS HS or with the approval of BPS HS. AED will be \nnumbered for internal identification and inventory. These records \nshall be kept and maintained under BPS HS. \nAll AEDs shall be located immediately outside the main \nadministrative office unless a written exemption with stated \nreasons for another location is provided. All AEDs are placed in an \nalarmed metal cabinet with an identifying AED location sign" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "above it. Other signs identifying AED location will be placed in \ncommon areas throughout the school building. For additional \nsignage or if there are any missing or broken signs, please" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular SHS-22 \nPage 16 of 22 \n \ncontact Facilities Management – Environmental Section at 617-\n635-8300. \nAEDs are located outside the main administrative office because \nit is a well-identified location with continued access during \nschool occupancy and operating hours. In cases of BPS school \nbuildings sharing the building complex with another BPS school \nprogram or DYFS Community School or Center, if possible, a \nlocation may be chosen that would allow access to both \nprograms’ operating hours. All AEDs shall be kept in the alarmed \nmetal cabinet, with the exception of AEDs provided specifically \nfor BPS Athletics Department. \nMAINTENANCE AND TESTING" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "MAINTENANCE AND TESTING \nMaintenance and testing will be conducted according to the \nrequirements of the FDA and the AED manufacturer. \nDocumentation of maintenance and testing will be maintained in \nthe PAD program manager’s office (nursing coordinator) for a \nperiod of two years. Documentation will record the date of \ntesting and the signature of the person performing the testing. If \na problem with the AED is identified, the AED coordinator must \nbe notified immediately. \nResponsibility for overall maintenance check assignments in \neach location will be with the BPS AED/CPR coordinator in \ncoordination with a designated person in each building. A" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "person in each building will be responsible for: \n• Daily visual checks and documentation during the actual \ncontracted school year. (Summer locations and checks will" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular SHS-22 \nPage 17 of 22 \n \nbe determined by summer program use of the buildings, \nand Boston EMS will be notified of the Summer Plan.) \n• Prompt notification of PAD program manager for any \nequipment or supply needs. The designated building \ncoordinator will be responsible for scheduling AED training \ncourses in their building. Authorized AHA instructors will \nassist with training on AED use. \nUSE OF THE AED \nGeneral \n• Scene safety is vital. Rescuers are volunteers and are not \nexpected to place themselves at risk to provide aid to \nothers. To assess for scene safety: \no Verify that the victim is not in contact with any live \nelectrical connections." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "electrical connections. \no Remove the victim from any exposure to water to a dry \nsurface. \no Refrain from use of any portable radios near the victim \nwhile AED is analyzing. \n• During school hours, the building program coordinator will \nbe notified of any event occurring that may require the use \nof an AED. \n• During afterschool hours, a trained athletic coach or their \ndesignee may move the AED from its current location to \nsupport Athletic Department activities. A visible notice \nmust be clearly stating the location of the AED as well as the \nlocation of the nearest AED, if another one exists." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular SHS-22 \nPage 18 of 22 \n \n• Contracted and community activities are not guaranteed \naccess to the AED or a trained AED operator as part of \nstandard school facility rental contracts. \nActual Use of AED in a Cardiac Event \n• Determine unresponsiveness of the victim and activate the \nEmergency Response Plan (Call 9-1-1). \no If a victim is unresponsive, call 9-1-1 (or 9-9-1-1) and get \nAED. \no Assess victim (airway, breathing circulation). \no Initiate CPR, if required, while AED is brought to the \nvictim's side. \no Designate a person to wait for a facility entry to direct \nEMS to location. \no Notify nursing coordinator of use to assign backup AED" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "unit, if available \n• Upon arrival of AED, place AED next to the head of the \nvictim, close to the AED operator. \n• Prepare to use the AED: \no Turn power ON. \no Bare and prepare chest for AED use. \no Attach AED to victim (picture guides on each pad for \nproper placement location). \no Stop CPR while the AED device analyzes the heart \nrhythm." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular SHS-22 \nPage 19 of 22 \n \no Follow the machine prompts for further action. If a \nshock is indicated, be sure all rescuers are “clear” \nbefore shock is administered. \n• Upon arrival, EMS shall take charge of the victim. \no Provide victim information (name, age, known medical \nhistory, time of incident). \no Provide information as to current condition and \nnumber of shocks delivered. \no Defibrillator pads and electrodes shall remain in place \non the victim. EMS will utilize BPS AED through \ntransport of victims to hospital to maintain continuity \nof event recording. \nAFTER USE OF AED \n• First responders will notify the program coordinator by" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "phone of the incident, complete an incident report, and fax \nto the program coordinator. \n• A Critical Incident debriefing session will be held or \nscheduled within 24 hours for initial responders. (Boston \nEMS may not be immediately available.) \n• The health services director and program coordinator will be \nnotified of AED use and: \no Complete follow-up report for medical directors. \no Arrange for a quality improvement meeting of AED \nresponders. \no The AED will be checked and put back in readiness \nstate." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular SHS-22 \nPage 20 of 22 \n \no Restock AED inventory. \no Clean AED if needed according to manufacturer \nrecommendations. \no Document AED return readiness." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular SHS-22 \nPage 21 of 22 \n \nBOSTON PUBLIC SCHOOLS \nAUTOMATED EXTERNAL DEFIBRILLATOR PROGRAM \nPARTICIPATION REQUEST FORM \n \n_________________________________________________ (Name of person \nrequesting) requests implementation of the AED Program for \n _________________________________________________________________ . \n \n(Name of school / site) \nI understand that to be eligible for the AED Program, the \nfollowing requirements must be met: \nFunding / resources have been identified for the purchase and \nmaintenance of an “APPROVED” AED. (Please consult program \nmanager for list of qualifications for approved AEDs.)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Funding source: _________________________________________________ \n \nAt least 2 staff have been identified to be trained in CPR and AED. \nStaff member: ___________________________________________________ \nStaff member: ___________________________________________________ \nAt least 1 primary staff member and 1 back-up (in case of \nabsence) have been identified to be the building coordinator. \n \nList staff member and back-up:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-22 Automatic External Defibrillator Policy", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link", + "content": "Page 22:\nSuperintendent’s Circular SHS-22 \nPage 22 of 22 \n \nPrimary: __________________________________________________________ \nBack-up: _________________________________________________________ \nPlanned location of the AED in the building: \n __________________________________________________________________" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSHS-04 \nVersion 01 \n \n \n \nINFECTION PREVENTION AND CONTROL IN \nSCHOOL SETTINGS \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nSchools can minimize the risk of disease transmission through \nstudent and staff awareness and simple infection control \npractices at the school and classroom level. \nMODES OF TRANSMISSION \nDiseases have different modes of transmission. Diseases can be \nspread through direct contact, indirect contact, droplet, or \nairborne transmission. The following guidelines minimize the \nrisks for all modes of transmission." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "risks for all modes of transmission. \nThe single most important step in preventing exposure to and \ntransmission of any infection is anticipating contact with \ninfectious materials in routine as well as emergency situations. \nBased on the type of possible contact, the responder should be \nprepared to use the appropriate precautions and techniques \nprior to providing care. Diligent and proper hand washing, the \nuse of barriers, appropriate disposal of waste products and \nneedles, and proper decontamination measures will enhance \nprotection of students and staff." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-04 \nPage 2 of 14 \n \n \n \nUNIVERSAL (STANDARD) PRECAUTIONS \nThe Centers for Disease Control (CDC) have long recommended \n\"universal blood and body-fluid precautions\" to prevent \ntransmission of hepatitis B, human immunodeficiency virus (HIV), \nand other infections, as well as to decrease the risk for exposure \nto responders and students. As it is not possible to identify all \ninfected individuals, these precautions must be used with every \nstudent. Universal precautions pertain to all blood and body \nfluids. For bloodborne infections, these precautions do not apply \nto other body fluids and material, such as saliva, sputum, feces," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "tears, nasal secretions, vomitus, and urine, unless blood is visible \nin the materials. However, these other fluids and body wastes can \nbe sources of other infections and should be handled as if they \nare infectious, utilizing the same precautions. This is the basis of \nstandard precautions to be used with all body fluids, blood, and \nother potentially infectious material. \nTRANSMISSION BASED PRECAUTIONS \nThe CDC has recommended “transmission-based precautions” as \nthe second tier of basic infection control, to be used in addition to \nstandard precautions for individuals who may be infected or \ncolonized with certain infectious agents for which additional" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "precautions are needed to prevent infection transmission. \nContact Precautions \nUse contact precautions for those with known or suspected \ninfections that represent an increased risk for contact \ntransmission. Proper personal protective equipment (PPE)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-04 \nPage 3 of 14 \n \n \n \nincludes the use of gloves and gown for all interactions that may \ninvolve contact with the student or the student’s environment. \nDroplet Precautions \nUse droplet precautions for students known or suspected to be \ninfected with pathogens transmitted by respiratory droplets \ngenerated by coughing, sneezing, or talking. Proper personal \nprotective equipment (PPE) includes the use of masks, both for \nthe patient and school nurse, during all interactions. \nAirborne Precautions \nUse airborne precautions for those individuals known or \nsuspected to be infected with pathogens transmitted by the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "airborne route (e.g., COVID-19, tuberculosis, measles, chickenpox, \ndisseminated herpes zoster). Proper PPE includes a fit-tested, \nNIOSH-approved N95 or higher level of respiratory protection for \nhealthcare personnel and a mask on the patient. \nRESPIRATORY HYGIENE \nIn addition to spread by bodily fluids, infections can be spread by \nrespiratory droplets that are generated when people sneeze, \ncough, laugh, or exhale. Respiratory hygiene is a term adopted by \nthe CDC and Massachusetts Department of Public Health \n(MDPH) to describe measures that can be taken to decrease the \nrisk for spreading respiratory illnesses by droplet and airborne" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "transmission. A universal “respiratory hygiene/cough etiquette” \npolicy includes: \n• Covering the mouth and nose with a tissue when coughing \nor sneezing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-04 \nPage 4 of 14 \n \n \n \n• Disposing of used tissues in a wastebasket \n• Practicing hand hygiene (washing) often \n• Coughing or sneezing into elbow \nHAND WASHING \nProper hand washing is crucial to preventing the spread of \ninfection. Use of running water, lathering with soap, and using \nfriction to clean all surfaces of the hands are key. Rinse well with \nrunning water and dry hands with paper towels. If soap and \nwater are unavailable, hand sanitizer may be used. \n• Hands should be washed before physical contact with \nstudents and after the contact is completed. \n• Hands should be washed after contact with any used" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "equipment. If hands (or other skin) become soiled with \nblood or body fluids, they should be washed immediately \nbefore touching anything else. \n• Hands should be washed whether gloves are worn or not \nand after gloves are removed. \n• Textured jewelry on the hands or wrists (such as rings and \nstones) should be removed prior to washing and kept off \nuntil completion of the care procedure and hands are \nrewashed." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-04 \nPage 5 of 14 \n \n \n \nBARRIER PROTECTION \nBarriers include disposable gloves, protective eyewear, and gown. \nThe use of a barrier is intended to reduce the risk for contact with \nblood and body fluids for the caregiver, as well as to control the \nspread of infectious agents from student to student. It is essential \nthat appropriate barriers be used when contact with potentially \ninfectious material is possible. Gloves should be worn when direct \ncare of the student may involve contact with blood and body \nfluids, as well for contact with urine, feces, and respiratory \nsecretions. Gloves should be disposed of after each use and not \nreused." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "reused. \nGloves should be worn: \n• When changing a diaper or catheterizing a student \n• When changing dressings or sanitary napkins \n• When providing mouth, nose, or tracheal care \n• If the caregiver has broken skin on the hands (even around \nthe nails) \n• When cleaning up spills of blood (e.g., nosebleeds), body \nfluids and wastes, and soiled supplies \nGowns or aprons may be worn to protect the caregiver's clothing \nif spattering of body fluids is possible. The apron or gown should \nbe laundered or disposed of after each care session and should \nnot be reused. \nIn addition, protective eye wear and masks should be worn if \nsplashing of body fluids is likely to occur (such as mouth" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "suctioning or care of a student who is coughing)." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-04 \nPage 6 of 14 \n \n \n \nChux or other waterproof barriers should be used to cover any \nwork surface if drainage or splashing with blood or body fluids \nare possible. The barrier should be disposed of after each care \nsession and should not be reused. \nDISPOSAL OF WASTE \nAll used or contaminated supplies (including gloves and other \nbarriers) except for syringes, needles, and other sharp \nimplements should be placed in a plastic bag which is then \nsealed. This bag should be placed in a second plastic bag, which \nis also sealed. The double-bagged waste can then be thrown in \nthe garbage, out of the reach of children or animals. Bodily" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "wastes such as urine, vomitus, or feces should be disposed of in \nthe toilet. \nNeedles, syringes, and other sharp objects should be immediately \nplaced in FDA-cleared sharps disposal containers. To reduce the \nrisk of an accidental needle stick or cut, needles should not be \nrecapped, bent, or removed from the syringe before disposal. \nOnce it is full, the container should be sealed and brought to \nHealth Services central administration for disposal in a large \nbiohazard container. Health Services will arrange for pickup by a \nbiohazard waste disposal company for proper disposal at least \nannually. \nCLEANUP PROCEDURES \nSpills of blood and body fluids that are covered under standard" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "precautions should be cleaned up immediately." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-04 \nPage 7 of 14 \n \n \n \nThe CDC method of clean-up is as follows: \n• Wear gloves. \n• Mop up the spill with paper towels or other absorbent \nmaterial. \n• Using a solution of one-part household bleach (sodium \nhypochlorite) in ten parts of water; wash the area well. \n• Dispose of gloves, soiled towels, and other waste in a sealed \ndouble plastic bag in the garbage as outlined above. \nRoutine environmental clean-up procedures for facilities (such as \nthe health room and bathrooms) does not require any \nmodification unless contamination with blood or body fluids \nshould occur. If so, the area should be decontaminated using the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "procedure outlined above. Regular cleaning of surfaces which are \nnot visibly contaminated with potentially infectious material, \nsuch as toilet seats and tabletops, can be done with the standard \ncleaning and removal of obvious soil. \nLAUNDRY PROCEDURES \nWhenever possible, disposable barriers should be used if \ncontamination with body fluids or blood is possible. If sheets, \ntowels, or clothing become soiled, they should be handled as \nlittle as possible. Wash with hot water and detergent for at least \n25 minutes. Cool water washing is also acceptable if an \nappropriate detergent is used for the water temperature." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-04 \nPage 8 of 14 \n \n \n \nPREGNANT WOMEN \nPregnant women are at no higher risk for infection than other \ncare-providers as long as appropriate precautions are observed. \nHowever, due to the possibility of in-utero transmission of viral \ninfections such as cytomegalovirus (CMV) or HIV, as well as the \npotential for adverse outcomes with certain infections, pregnant \nwomen should be especially careful to observe standard \nprecautions. \nGENERAL INFECTION CONTROL PROCEDURES \nThe purpose of the procedures outlined herein is to establish \nbasic guidelines to address the role of staff in all incidents" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "requiring concern about infection control. Such incidents may \ninclude, but not be limited to, a bleeding nose, sneezing, \ncoughing, uncontrollable urinating, and sudden bowel \nmovement. \nHead of school/principal shall: \n• Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n• Encourage the use of class wide respiratory hygiene, \nespecially during flu season and other respiratory illness \nupticks. \n• Reassure and calm students involved in hygiene \nemergencies. \n• Notify the school nurse of any infectious disease concerns." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-04 \nPage 9 of 14 \n \n \n \n• Notify custodians of infection control needs \nSchool nurse shall: \n• Review infection control procedures annually at the \nbeginning of the school year with classroom staff. \n• Assist the classroom staff in developing hygiene plans \nappropriate for the classroom as well as individual students. \n• Notify Health Services of cases and possible clusters. \nSchool custodian shall: \n• Refer to and follow the steps identified in Superintendent \nCircular FMT-19 for cleaning related to possible infectious \nbodily fluids. \n BITE EMERGENCY PROCEDURES \nThe purpose of the procedures outlined herein is to establish" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "basic guidelines intended to assist students and staff who have \nencountered a human or animal bite that breaks the skin. \nBackground information for human bites: \nBiting is very common among young children but usually does \nnot lead to any serious infectious disease concerns. If the skin is \npunctured or broken, bacteria may be introduced into the wound \nthat can lead to blood-borne infection which needs to be treated \nby a healthcare professional. Blood-borne infection could be of \nconcern if the biter breaks the skin and blood is drawn into the \nbiter’s mouth or if the biter has bleeding gums or mouth sores. \nHepatitis B, Hepatitis C and HIV are some pathogens of concern" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "although the risk of transmission of these viruses is very low in" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-04 \nPage 10 of 14 \n \n \n \nschool settings. For HIV, there have not been any reported cases \nof transmission in school settings. \nThe “biter” might be considered at higher risk than the “bitee” \ndue to the exposure to the blood from the wound if the skin is \nbroken. Each human bite represents a unique set of \ncircumstances and requires an individualized response. In most \nbiting episodes there are no communicable disease extenuating \ncircumstances, and the episodes are treated with standard \nprecautions. There is a heightened sense of urgency when one of \nthe children has a communicable disease. The school nurse is" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "responsible for guiding the response, working with the \nheadmaster/principal, and ensuring that confidentiality is \nmaintained. \nBackground information for animal bites: \nAnimal bites are common since children can behave \nunpredictably and animals have normal protective instincts. An \nanimal bite that breaks or punctures the skin will require \nimmediate medical attention due to the risk of bacterial and viral \ninfection. The longer the animal’s mouth germs stay in the \nwound, the greater the risk of potential infection that will require \nantibiotics. \nAnimals can also transmit rabies, a very serious viral infection \nthat infects the nervous system. Although any mammal bite can" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "transmit rabies, the bites of some wild animals (e.g., bats, \nraccoons, skunks, foxes, coyotes) and some stray and \nunvaccinated pet dogs and cats are of greatest concern. Wild \nanimals should not be kept or allowed to visit schools. All" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular SHS-04 \nPage 11 of 14 \n \n \n \nsuspected animal bites should be promptly reported to public \nhealth authorities by Health Services. \nIn the event of an animal or human bite that breaks the skin: \nPrincipal/head of school shall: \n• Ensure that all staff are familiar with this policy and that the \nprovisions of this policy are implemented. \nClassroom teacher shall: \n• Reassure and calm the students. \n• Employ standard precautions in evaluating the bite. \n• Notify the school nurse immediately. \n• Have the student wash the area with soap and water \nimmediately. \n• Report action taken to the headmaster/principal. \nFor human bites, school nurse shall:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "For human bites, school nurse shall: \n• Provide first aid to the child who was bitten by washing any \nbroken skin and applying a cold compress to any bruise. \n• Review known medical information of both the “biter” and \nthe “bitee.” If there is a known communicable disease issue, \nthe nurse must consult with Health Services administration \nfor more specific guidance. Confidentiality must be \nrespected throughout the consultation. \n• Contact the student's parent/guardian to report the incident \nand recommend next steps. \n• Refer both the “biter” and “bitee” to their primary care \nprovider for further guidance. This may include any or all the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "following: risk counseling; hepatitis and HIV testing;" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular SHS-04 \nPage 12 of 14 \n \n \n \nprophylaxis. The treatment approach is at the discretion of \nthe primary care provider and the family. \n• Notify Health Services prior to calling the families if there is a \nknown communicable disease issue with one or both \nstudents. \n• Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality. \n• Document the incident in SNAP for students. If a staff \nmember was involved, the staff member must file a Report \nof Injury Form [see Superintendent’s Circular HRS-PP07, \nWorker’s Compensation Procedures] within 7 days. \nFor animal bites, school nurse shall:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "For animal bites, school nurse shall: \n• Immediately provide first aid to the child who was bitten by \nwashing any broken skin and applying a cold compress to \nany bruise. \n• Notify Health Services prior to calling parent/guardian. An \nanimal bite that breaks or punctures the skin needs \nimmediate wound care to reduce the risk of infection. All \nanimal bites should be reported within 24 hours. \n• Contact the student's parent/guardian to report the incident \nand recommend next steps. \n• Refer the student to their primary care provider for further \nguidance. The treatment approach is at the discretion of the \nprimary care provider and the family." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "primary care provider and the family. \n• Be a liaison to the primary care provider as requested by the \nparent and within the boundaries of confidentiality." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular SHS-04 \nPage 13 of 14 \n \n \n \nEMPLOYEE NEEDLESTICK MANAGEMENT \nWhen a needlestick occurs: \n• Gently bleed the area, wash, and immediately flush with \nsoap and water. \n• The employee who has had the needle stick should call their \nprimary care provider. \n• If the risk assessment of the primary care provider and/or \nschool nurse is that the needle stick represents an exposure \nto blood or body fluids, it is advisable that the employee \nseek management at an emergency department that can \nprovide the latest in prophylactic management; the \nemployee’s primary care provider will be able to assist with \nthis." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "this. \n• Health Services should be notified for further guidance. \n• The employee should complete an incident report and \nWorker’s Compensation form after the situation has been \nstabilized. \nLIST OF TERMS USED ABOVE \nBlood-borne infection: infectious germs present in blood that can \ncause disease in humans. \nCommunicable disease: an illness caused by an infectious agent \nor its toxins that occurs through the direct or indirect \ntransmission of the infectious agent or its products from an \ninfected individual or via an animal to a susceptible animal or \nhuman host." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-04 Infection Prevention Control", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular SHS-04 \nPage 14 of 14 \n \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nSeptember 2024 \nAll staff should have universal precaution \nreview by school nurse \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nHealth Services \nMailing Address: \n443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-6788 \nFax: \n617-635-7937 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nSHS-06 \nVersion 01 \n \n \n \nIMMUNIZATION LAW \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nTHE IMMUNIZATION REGULATIONS \nIt is the policy of the Boston Public Schools to enforce the School \nImmunization Law, Chapter 76, Section 15, of the Massachusetts \nGeneral Laws: \n“No child shall, except as hereinafter provided, be admitted to \nschool except upon presentation of a physician's certificate that \nthe child has been successfully immunized against diphtheria, \npertussis, tetanus, measles and poliomyelitis and such other \ncommunicable diseases as may be specified from time to time by" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "the department of public health. A child shall be admitted to \nschool upon certification by a physician that he has personally \nexamined such child and that in his opinion, the physical \ncondition of the child is such that his health would be \nendangered by such vaccination or by any of such \nimmunizations. Such certification shall be submitted at the \nbeginning of each school year to the physician in charge of the \nschool health program. If the physician in charge of the school \nhealth program does not agree with the opinion of the child's \nphysician, the matter shall be referred to the department of \npublic health, whose decision will be final. In the absence of an" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "emergency or epidemic of disease declared by the department of \npublic health, no child whose parent or guardian states in writing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-06 \nPage 2 of 6 \n \n \n \nthat vaccination or immunization conflicts with his sincere \nreligious beliefs shall be required to present said physician's \ncertificate in order to be admitted to school.” \n \nMCKINNEY-VENTO HOMELESS ASSISTANCE ACT \nUnder the McKinney-Vento Homeless Assistance Act, state and \nlocal educational agencies must ensure that homeless children \nand youths have equal access to the same free, appropriate \npublic education, including a public preschool education, as \nprovided to other children and youths. Children and youth who \nare homeless are to be enrolled in school, even if the child or" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "youth is unable to produce records normally required for \nenrollment, such as previous academic records, medical records, \nproof of residency, or other documentation. If the child or youth \nneeds to obtain immunizations, or immunization or medical \nrecords, the enrolling school shall immediately refer the parent or \nguardian of the child or youth to the local educational agency \nliaison who shall assist in obtaining necessary immunizations or \nmedical records. \n \nPROTOCOL FOR ENFORCING IMMUNIZATION REQUIREMENTS \nNew students, during the priority registration period: \n● Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "for school at all Welcome Center locations. \n● It is preferred that all students be up to date with all state-\nrequired immunizations at the time of registration for the \nupcoming school year. If the child’s medical appointment" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-06 \nPage 3 of 6 \n \n \n \nfalls between the priority registration period and September \nof the upcoming school year, the parent must provide a \nvalid appointment card with all the following information on \nit: \no registering student’s full name \no registering student’s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student’s appointment for \nvaccination and/or physical exam \n• If the student does not have the appropriate immunizations \nduring the priority registration period, the student will be \nregistered but will not be allowed to attend until the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "immunization documents are submitted to either the \nWelcome Center or the student’s assigned school prior to \nthe start of school. \n• The type and number of immunizations vary with age and \nwhether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nNew students, current rolling registration: \n• Parents must bring proof of immunizations upon registering \nfor school at all Welcome Center locations. \n• All students must have all state-required immunizations at \nthe time of registration in order to attend school during the \ncurrent school year. In the event the child’s physical" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "examination appointment falls after the date of registration, \nthe parent must provide a valid appointment card with all \nthe following information on it:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-06 \nPage 4 of 6 \n \n \n \no registering student’s full name \no registering student’s date of birth \no name of the clinic/hospital where the appointment is \nscheduled. \no date of the registering student’s appointment for \nvaccination and/or physical exam \n● If the student is not up to date with immunizations prior to \nstarting the current school year, the student will be \nregistered but will not be allowed to attend until the \nimmunization documents are submitted to either the \nWelcome Center, the Health Services Department, or the \nstudent’s assigned school. \n● The type and number of immunizations vary with age and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "whether the student-initiated the immunization process \nafter the age of 7 years or before. See attached state \nguidelines. \n \nContinuing students: \n• All continuing students who are identified as being behind \non immunizations will be notified that they will be excluded \nfrom school if there is no compliance with immunization \nupdating. This is a necessary action because if there is a \nvaccine-preventable disease outbreak at the school (i.e., \nmeasles), all susceptible students and staff (i.e., those with \nno record of vaccination, disease, or blood test for immunity) \nMUST be excluded from school for the duration of the \ndisease outbreak per the MA Department of Public Health" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "and Boston Public Health Commission. \n• It is important to note that students whose immunization" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-06 \nPage 5 of 6 \n \n \n \nschedule has been interrupted and are in the process of \nbeing immunized (i.e., awaiting the next DPT/TD or polio \ndose and in the specified time interval between doses) may \nremain in school until the next dose is given. \n \nEXCEPTIONS \nALL EXEMPTIONS RELIGIOUS/MEDICAL EXEMPTIONS MUST BE \nRENEWED ANNUALLY BY PARENT/GUARDIAN. \n• Students at any level whose parent or guardian provides a \nstatement in writing that all immunizations or a specific \nimmunization conflict with their sincere religious beliefs. \n• Students at any level who present a physician's certificate \nexempting a child from an immunization(s) due to a medical" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "contraindication: the reason why an individual cannot \nmedically receive the vaccine(s). \n \nThe Massachusetts Department of Public Health has \nimmunization recommendations based on grade. Please refer to \nthe MDPH website for the current schedule and detailed \nimmunization guidelines. \nDepartment \nContact Information \nHealth \nServices \nOffice: 617-635-6788 Fax: 617-635-7937 \nWelcome \nServices \nOffice: 617-635-9085 Fax: 617-635-9703" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-06 \nPage 6 of 6 \n \n \n \n \nDate \nActivity \nSeptember \nAll new students and students entering grades, \nK2, 1, 4, 6, 10, 11 will be asked to provide an updated \nimmunization record prior to the start of the \nschool year in compliance with current \nMassachusetts Department of Public Health \nrequirements. \nMonthly \nLetters will be sent to parents/guardians \nrequesting immunization records for students \nwith missing immunizations. \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-06 Immunization Law", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link", + "content": "02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nSHS-25 \nVersion 01 \n \n \n \nSICKLE CELL DISEASE POLICY AND IMPLEMENTATION \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY BACKGROUND \nBPS recognizes that a clear, comprehensive policy on Sickle Cell \nDisease (SCD) management in school can have an impact on \nacademic achievement and support the general wellbeing of \nstudents with SCD. \n \nPOLICY STATEMENT \nBPS acknowledges that SCD is a disability that substantially \nlimits a major life activity, and qualifies students with SCD for a \ncomprehensive evaluation and consideration of eligibility under" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Section 504 of the Rehabilitation Act of 1973 (Section 504) to \ndetermine the services and accommodations they may need to \nattain a free appropriate public education. As part of BPS’s \ncommitment to maintaining an educational environment that is \nwelcoming, inclusive, and encouraging, such that all students are \nable to flourish, all schools must follow established protocols and \nprocedures for addressing the needs of children with SCD and \nregularly evaluate the implementation of these plans." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-25 \nPage 2 of 12 \n \n \n \n \nBPS acknowledges that the successful implementation of this \npolicy at the district and school levels relies on fostering and \nmaintaining a culture of awareness and acceptance regarding \nSCD through acknowledging the history of SCD and the unique \nchallenges students with SCD face. With this in mind, BPS \nrecognizes that: \n● People with SCD have long faced harmful stigmas, many \nwith racially charged origins. \n● People with SCD are often challenged about the seriousness \nof their disease or even its existence. \n● Students with SCD have long experienced barriers to their \nhealth and success at school." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "health and success at school. \n \nIMPLEMENTATION IN BOSTON PUBLIC SCHOOLS \nSickle Cell Disease Basics \nSCD refers to a group of genetic blood disorders. It affects \nindividuals of all races and ethnicities, but in the United States it \nis especially prevalent among African Americans and Hispanics. \nComplications include but are not limited to severe anemia, \nsusceptibility to infections, insomnia, jaundice, frequent \nurination, dehydration, chronic pain, and episodes of extreme, \ndebilitating pain. Pain episodes (also known as “crises”) can cause \ntissue and organ damage, lead to hospitalizations, and have life-\nthreatening consequences. People with SCD are also at" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "heightened risk for anxiety, depression, post-traumatic stress" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-25 \nPage 3 of 12 \n \n \n \n \ndisorder, social isolation, delayed social development, visible \nstrokes, and “silent strokes” that may go unnoticed but can affect \nlearning abilities in the short and long terms. Pain episodes and \nother complications may be triggered by a wide variety of \nphysical and psychological stressors. \nAs a result of these complications and the side effects of \nmedications, many children with SCD experience frequent \nabsences and difficulty focusing or engaging as they usually do \nat school, particularly with regard to physical activities. On days \nfree from harsher symptoms and side effects, many students" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "with SCD still experience baseline symptoms and health \nvulnerabilities that require modifications to standard \nparticipation requirements. \nAdditionally, the biology and history of SCD create the following \nunique challenges: \n● SCD pain is often “invisible.” People with SCD learn coping \nmechanisms (such as staying still and quiet) that may seem \ncounterintuitive. SCD pain therefore often goes undetected \nby others, leading to challenges about the seriousness or \nexistence of the pain. \n● Symptoms such as jaundice, short stature, and delayed \nsocial development, along with repeated absences, can \nmake students with SCD targets of bullying and \nharassment." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "harassment. \n● Medications used to treat people with SCD, such as opioid \npain medications and hydroxyurea (a chemotherapy drug" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-25 \nPage 4 of 12 \n \n \n \n \nthat can also help some people with SCD), can cause serious \nand disruptive side effects and carry stigmas of their own. \n● Individuals with SCD have historically been stigmatized in \nthe community, hospitals, schools, the armed services, and \nplaces of employment. Labeled a “Black disease,” SCD has \nhistorically been associated with claims of racial weakness \nand genetic inferiority. \n \nOVERVIEW – ADDRESSING NEEDS OF BPS STUDENTS WITH SCD \nA. \nCHILD FIND: Identification, Location, Immediate \nAccommodations & Evaluation \n \n1. Identification and Location \nBPS acknowledges that, due to the stigmas noted above, many" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "parents choose not to identify their child with SCD instead of \nseeking supportive services and accommodations for their \nchildren. To overcome this challenge, BPS utilizes multiple \nstrategies as part of an outreach and public awareness campaign \nto raise awareness of SCD and its effects on learning to assure \nfamilies that BPS is a willing partner to create a community of \nsupport, collaboration, and understanding around students with \nSCD. These strategies include but are not limited to: \n● Collaboration with local medical centers that treat \nchildren with SCD and leveraging these to develop \nstrategies for identification and location (e.g., sharing" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-25 \nPage 5 of 12 \n \n \n \n \noutreach materials with clinics, providing “know your \nrights” materials for families in clinics that see students \nwith SCD, meeting with medical providers to develop \nadditional strategies etc.) \n● Ensuring that all communications are available in \nmultiple languages and/or modes in order to be \naccessible to all families \n● Ensuring that the outreach and public awareness \ncampaign includes outreach to preschools, early \nintervention providers and community support \nproviders, who are likely to have students that are or \nwill enroll in BPS (i.e. located in Greater Boston)" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "● Additional strategies developed with input from the \nSCD Advisory Group \n \nSpecific considerations regarding enrollment: \nUpon identifying a child with SCD at enrollment, BPS ensures \nproper placement in a school with appropriate health and related \nservices. Given stigmas related to SCD, BPS gives special \nattention to ensuring the privacy of students with SCD. This \nincludes appropriately limiting the scope of releases parents sign \nregarding disclosures of their child’s SCD status. Further, BPS \nensures appropriate efforts are made to initiate and maintain \nconnections between school health staff and students with SCD, \ntheir parents, and their medical teams upon enrollment of the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "student (or upon identification if after enrollment). This includes" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-25 \nPage 6 of 12 \n \n \n \n \nproviding information to parents and school health staff and \nensuring privacy rights are maintained. \n \n2. Interim Services/Supports Pursuant to Section 504 \nBPS acknowledges that, because SCD is a physical disability that \nsubstantially limits major life activities, students with SCD are \nentitled to certain accommodations upon identification and \nlocation to ensure their health, safety, and equal educational \nopportunities, pending the completion of a comprehensive \nevaluation. All rights and protections pursuant to Section 504, \nincluding procedural safeguards, are ensured upon identifying" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "and locating students with SCD. BPS ensures that the interim \naccommodations implemented pursuant to Section 504 include \nthe following: \n● Two sets of textbooks, one for school and the other for \nhome \n● Unlimited bathroom access as needed \n● Unlimited access as needed to the school nurse or \nschool health official \n● Unlimited access as needed to communicate with \nparent and/or physician if they are experiencing \nsymptoms that are unfamiliar or are ones their \nphysicians told them to contact them about if \nexperienced" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-25 \nPage 7 of 12 \n \n \n \n \n● Unlimited water access as needed through access to a \nwater bottle and water fountains \n● Time/permission to access medication (including \nprescribed opioids), as needed \n● Permission to wear a coat indoors whenever feeling \ncold and to stay indoors or be exempt from outdoor \nactivities whenever it is too hot, too cold, or when air \nquality is poor \n● Permission to move away from indoor AC or heating \nunits \n● Consideration for door-to-door transportation, except \nin the very limited circumstances where it would be \nimpractical (e.g., student resides next door or across" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "the street from the school building they attends) \n● Permission to access an elevator, if relevant, and to \nleave class early to get to the next one (or alternatively, \nextra time between classes) \n● Modified participation in gym class, based on student \nneeds \n● Proactive plans to address academic and \nsocial/emotional supports upon return to school from \nabsences including supplemental instruction provided \nby qualified subject-area teachers and service \nproviders in order to scaffold missed and ongoing \ninstruction in the classroom and to enable students to \ncatch up with and stay on pace with classmates" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-25 \nPage 8 of 12 \n \n \n \n \n3. Comprehensive Evaluation \nBPS ensures that all students with SCD receive a timely, \ncomprehensive evaluation of all areas of suspected disability to \ndetermine the nature and extent of a student’s need, if any, for \nspecialized instruction or related aids and services. BPS ensures \nthat a neuropsychological evaluation is considered as part of a \ncomprehensive evaluation for any student with SCD. \n \nB. \nFREE APPROPRIATE PUBLIC EDUCATION \nTo address needs for students with SCD, BPS ensures that—as \npart of special education and related services that may be \nidentified through comprehensive evaluations—any 504 plans" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "and/or IEPs specifically address challenges students with SCD \nface related to health and safety needs, academic needs, social-\nemotional needs, resuming school after absences, and \nstagnations and/or declines in academic progress or \nperformance. BPS therefore ensures the utilization of a checklist \nof potential accommodations at each Section 504/IEP Team \nmeeting for a student with SCD. The checklist is considered in \naddition to all other appropriate services and supports \ndetermined necessary for an individual student with SCD to \nreceive a free appropriate public education. BPS ensures that \ndocumentation of each item’s consideration by the 504 or IEP" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "team is included in meeting minutes and provided to parents." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-25 \nPage 9 of 12 \n \n \n \n \nBPS ensures that neither Individual Health Plans (IHPs) nor \nIndividual Collaborative Health Plans (ICHPs) are used in lieu of a \n504 Plan, IEP or interim accommodation plan. \nAdditional points requiring particular attention: \n1. Continually Updating Health and Safety Services/Supports \nBPS ensures that the 504 Plans and/or IEPs of children with SCD \nreflect the up-to-date health and safety needs of the child, \nrecognizing that these needs may change during the course of \nthe year. BPS ensures that any new information received \nregarding changed needs for a student with SCD will be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "addressed in light of the student’s 504 Plan or IEP. \n \n2. Tracking Effects of Absences and Sudden Changes in \nNeeds \nBPS ensures that, when a child with SCD has had absences and \nthere has been a lack of expected progress toward annual goals \nin an IEP and/or in the general curriculum, discussions are \npromptly held regarding how the absences are interfering with \nacademic progress and how this interference can be overcome, \nincluding consideration of instruction in the summer. BPS also \nensures that sudden drops in academic performance and sudden \nincreases in social-emotional needs that are experienced by \nstudents with SCD are detected and responded to appropriately." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "3. Designation Director of Constituent Services If and When \nServices or Supports Are Not Provided" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-25 \nPage 10 of 12 \n \n \n \n \nBPS ensures that students with SCD, their parents, and (with \nproper consent/privacy precautions) their medical team have \naccess to the Boston Public Schools Director of Constituent \nServices to escalate concerns they have about a child with SCD \nnot receiving a free appropriate public education. This process is \nseparate from and does not preclude due process and grievance \nrights available under Section 504 and IDEA. These mechanisms \nare necessary given the severity and swiftness of the health, \nacademic, and social-emotional consequences that can occur for \nchildren with SCD. \n \nC." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "children with SCD. \n \nC. \nENSURING APPROPRIATE CULTURE WITHIN BPS \nREGARDING SCD \nBPS ensures that the culture regarding SCD with BPS includes: \n● believing students with SCD when they communicate that \nthey: are in pain, are having some other complication, or are \nunable to perform a certain task due to their symptoms \n● not blaming or shaming students with SCD or their parents \nfor their challenges \n● identifying challenges quickly and working collaboratively \nto find appropriate solutions \n● facilitating awareness that children with SCD are members \nof school communities \n● facilitating an understanding of what SCD is and its \nimplications for health and safety" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular SHS-25 \nPage 11 of 12 \n \n \n \n \n● facilitating an understanding of the services/supports that \nstudents with SCD may need to ensure their health and \nsafety, as well as an understanding of the importance of \nadhering to these accommodations \n● facilitating an understanding of the special education and \nrelated services a student with SCD may need to ensure \ntheir access to a free appropriate public education \n \n1. Awareness and Trainings \nAs part of ensuring an appropriate culture regarding SCD, BPS \nconducts ongoing outreach and public awareness campaigns \nthat address each aspect of an appropriate culture described" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "above. BPS also conducts ongoing training for all teachers, \nadministrators, nurses, and other relevant staff. Training covers all \nnecessary topics to ensure that all BPS staff coming into contact \nwith students with SCD have the necessary knowledge and \nawareness to properly implement all policies, protocols, and \nprocedures regarding SCD and to appropriately support the \nstudent with SCD. School nurses receive additional periodic \ntraining in managing the medical needs of students with SCD. \n \n2. Scope and Frequency of Awareness and Training Activities \nBPS ensures that awareness and training efforts are wide enough \nin scope to reach all appropriate personnel and repeat with" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "enough frequency to reach any new or temporary personnel who \nmay enter over the course of a school year." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular SHS-25 \nPage 12 of 12 \n \n \n \n \nD. \nDATA MONITORING \nBPS conducts sufficient data monitoring to track successes and \nfailures in the implementation of its policies, protocols, and \nprocedures regarding SCD. This monitoring includes \ndocumenting instances where students with SCD, their parents, \nand/or their medical team had to escalate concerns about health \nand safety services/supports being provided or followed and/or a \nfree appropriate public education being properly provided. The \ndata produced is regularly reported through summary statistics \nwithout personally identifiable information to the SCD Advisory" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-25 Sickle Cell Disease Policy", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link", + "content": "Group and publicly via BPS website postings and press releases. \n \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nSHS-01 \nVersion 01 \n \nDRUG AND ALCOHOL MISUSE AND HARM REDUCTION – \nUPDATE ON PROCEDURES \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nEDUCATION OF STUDENTS IN THE PREVENTION OF ALCOHOL, \nMARIJUANA, TOBACCO AND OTHER DRUG DEPENDENCY \n \nWhile substance misuse prevention and harm reduction should \nbe a part of a comprehensive health education program, certain \ncurricula should be used to complement and supplement health \neducation curriculum materials for grades K-12. Substance \nmisuse prevention and harm reduction may also be integrated" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "into reading/language arts, social studies, and science classes. \nThe National Health Education Standards and performance \nexpectations provide the functional health knowledge, beliefs, \nand skills necessary for students to adopt and maintain healthy \nbehaviors, reduce risk behaviors associated with substance \nmisuse, achieve health literacy, and enhance health outcomes. \n \n \n \nThe Boston Public Schools scope and sequence for Health \nEducation recommends the following substance prevention \ncurriculum, including:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-01 \nPage 2 of 9 \n \n• CATCH Curriculum Grades K-6: Tobacco, Alcohol and Other \nDrug Prevention (contact the Office of Health and Wellness \nfor access); \n• Essential Health Skills for Middle Schools & High Schools, G-\nW Publisher: Tobacco, Alcohol and Other Drug Prevention \n(contact the Office of Health and Wellness for access); \n• Stanford University K-12, Tobacco Prevention Toolkit, which \nincludes e-cigarette use of any type, including nicotine, \ncannabis/THC, and/or non-nicotine products; \n• Stanford University Grades 6-12, Cannabis Awareness and \nPrevention Toolkit. \n \n \nEARLY IDENTIFICATION AND INTERVENTION" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "EARLY IDENTIFICATION AND INTERVENTION \nEven though a student may not possess or use substances at \nschool, they may still have serious problems involving alcohol or \ndrugs that demand the attention and assistance of school \npersonnel. School nurses, school counselors and social \nworkersphave been trainedin identification and the medical \neffects of substance use or addiction. The District will continue to \nprovide in-service programs and workshops, to craise staff \nawareness, understand the protocols and procedures in place \nwhen dealing with a student who is suspected of using or has \nbeen identified as needing support regarding substance abuse." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "School staff should be alert to those symptoms in students which \nmay indicate problems with substance abuse and follow the \nprotocols outlined in this circular. \nThese symptoms may include one or more of the following: \nabrupt change in mood or attitude; sudden decline in attendance" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-01 \nPage 3 of 9 \n \nor performance in school; sudden resistance to discipline; \nimpaired relationships with family or friends; drowsiness or \ninattention to discussion or surroundings; weight loss; inattention \nto dress; unusual flare-ups of temper; stealing; heightened \nsecrecy about actions or possessions; and association with new \nfriends, especially with individuals known to be substance users. \n \nSCREENING \nScreening, Brief Intervention, and Referral to Treatment (SBIRT) \nfocuses on prevention, early detection, risk assessment, brief \ncounseling and referral for assessment that can be utilized in the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "school setting. This tool is frequently used by the school nurse to \nassess the acuity of the problem and to develop next steps. Use \nof a validated screening tool will enable BPS school teams to \ndetect risk for substance use related problems and brief \nintervention strategies will help to address these concerns at an \nearly stage in adolescents. \nIn March 2016, the Massachusetts Legislature enacted an Act \nrelative to Substance Use, Treatment, Education and Prevention \n(STEP Act), which outlines the requirements for public schools in \nthe Commonwealth to engage in substance use screening and \neducation. Legislation can be found at" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "education. Legislation can be found at \nhttps://malegislature.gov/Laws/SessionLaws/Acts/2016/Chapter52 \n(see Sections 15, 63, 64, 66). \nBPS has implemented the use of the approved and validated \nCRAFFT-II screening tool that is approved by the Massachusetts \nDepartment of Public Health (DPH) and Department of \nElementary and Secondary Education (DESE). Per legislation, \nSBIRT screening will be provided annually to students in grades 7" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-01 \nPage 4 of 9 \n \nand 9. Parents/guardians must be notified about the screening \nprior to the start of the year and must be given the option to opt \nout in writing. Please Refer to SBIRT in Schools. Staff conducting \nthe SBIRT screening must complete a mandatory training \nthrough the MA Department of Public Health/BU Shield. \nSBIRT in Schools Resource Toolkit \n \nCOUNSELING/REFERRAL \nWhen it is suspected that a student is either using or abusing \nmarijuana, alcohol or other drugs, or there are strong indications \nthat such is the case, the student should be referred to the school \nnurse for a wellness check, the school social worker and the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "parent/guardian/caregiver shall be notified. The student may be \nreferred to the Student Support Team(SST) and/or the school \nadministrator for a referral to the voluntary Substance Use \nProgram (SUP) at Succeed Boston. The Substance Use Program \n(SUP) is a voluntary program for students whose use of drugs or \nalcohol is of concern. The program provides education and \ncounseling about the effects of drugs, alcohol, and vaping and \nprovides students with alternative ways to deal with stress. \nReferral for outside services will be provided as needed. The \nstudent may participate in the voluntary intensive program for \nup to five days and upon discharge will be referred to appropriate" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "outside services. Students may be referred to the Student \nSupport Team (SST) by teachers or by any other school staff \nmember. Students may self-refer because of a problem with \nsubstance abuse. The team should be prepared to assist the \nstudent by providing them with a source of early intervention in" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-01 \nPage 5 of 9 \n \nthe form of individual or group counseling by a provider agency \nwhich serves the school or is available in the community. \n \nRE-ENTRY \nFollow-up is a crucial phase of a student's recovery after \nreturning from treatment for substance abuse. An after-care \nprogram should be devised by school staff in collaboration with \nthe facility which has provided treatment services. The plan \nshould include a review of the student's school program with \nparents, guidance counselor, and case manager; placements in \nan appropriate class schedule; and follow-up meetings. \n \nREPORTING OF INCIDENTS RELATED TO DRUG/ALCOHOL USE \n1." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "1. \nAll School Department personnel are under obligation to \nreport to the principal, head of school, or other designated \nadministrator any and all incidents or suspected incidents \ninvolving the use, possession, or distribution of any drug, \nalcoholic beverage, while they are under the authority of the \nBoston School Department. \n \n2. \nAll School Department personnel are to understand that in \nthe event they are subpoenaed to testify in a court of law or \nother proceeding, they are obligated to reveal any \ninformation pertaining to drug, alcohol, and weapons \nincidents, even if such information was given to them in \nconfidence." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-01 \nPage 6 of 9 \n \n3. \nAll School personnel are to understand that they are \nprohibited from \"making deals\" with students whereby they \nagree not to notify law enforcement agencies of known or \nsuspected illegal activities involving drug, alcohol, \n \n4. \nEach and every incident or suspected incident is to be \nreported immediately to the appropriate principal, head of \nschool or designated administrator, in accordance with \nSchool Department policy and procedure. \n \n5. \nStudents are considered to be under the authority of the \nBoston School Department when they are on School \nDepartment property, on School Department buses, at or" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "near school bus stops, while on their way to or from school, \nor participating in school sponsored activities conducted off \nschool grounds. \n \n6. \nAny student who is suspected of or who has admitted to \nbeing under the influence of drugs or alcohol must be \nimmediately escorted to the office of the principal, head of \nschool, or designated administrator. \n \n7. \nStudents involved in incidents described in items 1, 5, and 6 \nshall be considered in Massachusetts General Laws, Chapter \n94C (Controlled Substances Act), Chapter 138 (Alcoholic \nLiquors), Chapter 119 (Protection and Care of Children and \nProceedings against Them), and Chapter 169-10 (Dangerous \nWeapons, Unlawfully Carrying)." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-01 \nPage 7 of 9 \n \n8. \nUse of drugs and/or alcohol is prohibited.Students deemed \nto be in violation of school rules after an investigation by the \nprincipal, head of school or designated administrator will be \nappropriately disciplined, but law enforcement and EMS \nassistance may be requested in cases where it is apparent \nthat the student is engaging in disorderly or dangerous \nbehavior. \n \n9. \nIn some cases, if a student is found to be in possession of \ndrugs, alcohol or weapons or to be under the influence of \ndrugs or alcohol is to be considered in violation of \nMassachusetts General Law. In such cases the principal," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "head of school, or designated administrator is obligated to \nsummon the Boston Police Department, which will assume \nresponsibility for criminal prosecution in the event that such \nprosecution is warranted. \n \n10. \nIn all such cases where students are found or suspected to \nbe involved in any incident involving substance abuse, a \nsafety specialist will take custody of any and all evidence \nincluding drugs and alcohol. \n \n11. \nThe Department of Safety Services will coordinate record-\nkeeping functions." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-01 \nPage 8 of 9 \n \nDISCIPLINARY PROCEDURES RELATING TO DRUG/ALCOHOL \nABUSE \n \n1. \nSections 7.7 .1 of the Code of Conduct requires that sale, \ndistribution, or possession with intent to sell or distribute of \nany prescribed or non-prescribed controlled substances in \nschool, on school grounds, or while under school jurisdiction \nmay result in expulsion. \n \n2. \nSection 7.4.2 of the Code of Conduct allows for suspension, \nlong term suspension, alternative program placement, or \nexpulsion if a student is found in possession of any non-\nprescribed controlled substance, narcotic drug, \nhallucinogenic drug, amphetamine, barbiturate, marijuana," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "alcoholic beverage, or intoxicant of any kind. \n \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-01 Drug and Alcohol Abuse", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-01 \nPage 9 of 9" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSHS-21 \nVersion 01 \n \n \n \nDIABETES POLICY \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBACKGROUND \nDiabetes is a chronic disease in which the body does not make or \nproperly use insulin. Insulin is a hormone produced by the \npancreas that is needed to convert sugar and starches into \nenergy for the body. People with diabetes have increased blood \nglucose (sugar) levels because they lack or have insufficient \ninsulin or are resistant to insulin’s effects. High levels of glucose \nbuild up in the blood and spill into the urine; as a result the body \nloses its main source of fuel." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "loses its main source of fuel. \nThere are many types of diabetes that affect children. The most \ncommon types seen in school settings include: \n• Type 1 (formerly called “Insulin-Dependent” or “Juvenile-\nOnset”) Diabetes Mellitus: This type of diabetes is considered \na disease of the immune system because the immune \nsystem destroys the cells in the pancreas that produce the \nhormone insulin. People with type 1 diabetes must inject \ninsulin every day because their bodies cannot produce \ninsulin. It needs to be injected under the skin to be \nabsorbed; it cannot be taken by mouth because it would not \nbe effective. \n• Type 2 (formerly called “Non-Insulin Dependent” or “Adult-" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-21 \nPage 2 of 13 \n \n \n \nOnset”) Diabetes Mellitus: People with type 2 diabetes \nproduce insulin, but the cells of the body do not respond \nnormally to the insulin. This is referred to as insulin \nresistance. Type 2 diabetes can often be managed with diet \nand exercise, but some students also need medications \ntaken by mouth (oral hypoglycemic agents), insulin \ninjections, or both to help glucose enter their cells. \n• Pre-Diabetes: Pre-diabetes is a condition in which blood \nglucose levels are higher than normal, but not yet high \nenough to be classified as diabetes. Before people develop \ntype 2 diabetes, they almost always have pre-diabetes." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "• Gestational Diabetes (may affect teens who are pregnant): \nGestational diabetes results from pregnancy hormones that \ncause the body to become resistant to its own insulin. \nDiabetes is the third most common chronic health disease \naffecting an estimated 2.22/1,000 children and adolescents \naccording to The Search for Diabetes in Youth (SEARCH) Study \n(Pettitt et al., 2014). Children and adolescents are defined as \nyouth under the age of 20 years. In 2009, approximately 191,986 or \none in 433 youth with diabetes lived in the U.S. From these, 87% \nhave type 1 diabetes and 11% have type 2 diabetes (Pettitt et al., \n2014). In the years 2008 to 2009, 18,436 youth were newly" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "diagnosed with type 1 diabetes and 5,089 youth were newly \ndiagnosed with type 2 diabetes (Centers for Disease Control and \nPrevention [CDC], 2014). As the sixth leading cause of death by \ndisease in the United States, long-term complications of diabetes \ninclude heart disease, stroke, blindness, kidney failure, nerve \ndisease, gum disease, and amputation of the foot or leg. \nAlthough there is no cure, diabetes can be managed, and \ncomplications can be delayed or prevented." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-21 \nPage 3 of 13 \n \n \n \nAdvances in diabetes technology continue to enhance students' \nability to manage diabetes at school, thus improving their quality \nof life. Children and adolescents monitor blood glucose levels \nseveral times a day via blood glucose meters and continuous \nglucose monitors, conduct carbohydrate calculations, and inject \ninsulin via syringe, pen, and pump to attain blood glucose control \n(Brown, 2016). Intensive resources and consistent evidenced-\nbased interventions will achieve the long-term health benefits of \noptimal diabetes control, according to the landmark study from" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "the Diabetes Control and Complications Trial Research Group \n(DCCT, 1993). \nCoordination and collaboration among members of the school \nhealth team and the student’s personal diabetes health care \nteam are essential for helping students manage their diabetes in \nthe school setting. Members of the school health team include \nthe student with diabetes, parents/guardians, school nurse, \nteacher(s), school leader, COSES, social worker, coach, physical \neducation teacher, food service staff, and other school staff \nmembers. In addition, it is essential for team members to \nunderstand the federal and state laws that may apply to students" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "with diabetes, including Section 504 of the Rehabilitation Act of \n1973, the Americans with Disabilities Act, and the Individuals with \nDisabilities Education Act. \nThe purpose of these Administrative Procedures and Guidelines \nis to: \n• Provide a safe and healthy learning environment for all \nstudents \n• Protect the rights of students with diabetes to participate in \nall school activities" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-21 \nPage 4 of 13 \n \n \n \n• Ensure proper medical management and safety of the \nstudent, minimizing the possibility that diabetes related \nemergencies might disrupt their educational and classroom \nactivities \n• Facilitate self-management so that the student may \ngradually assume responsibility for their care \n• Reduce the likelihood of severe or potentially life-\nthreatening diabetic emergencies during school \n• Ensure a rapid and effective response in the case of a severe \nor potentially life threatening diabetic emergency \nEDUCATION AND TRAINING \nStaff to be trained includes, but are not limited to, teachers," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "paraprofessionals, food service staff, school leaders, support staff, \nand student interns/teachers. Coordination and collaboration \namong members of the school health team and the student’s \npersonal diabetes health care team are essential for helping \nstudents manage their diabetes in the school setting. \nEducation and training for key personnel by the school nurse will \ninclude: \n• an overview of diabetes \n• signs and symptoms of diabetes, including \nhyper/hypoglycemia \n• role and responsibilities in prevention and reducing risks \n• recognizing and responding to a diabetic emergency \n• review of the student’s Individual Health Plan (IHP) and \nDiabetes Emergency Action plan" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-21 \nPage 5 of 13 \n \n \n \nROLES AND RESPONSIBILITIES \nRole of the Parent/Guardian \n• At the time of registration, inform the Welcome Center staff \nof any health concerns of their child, including Type 1 \nDiabetes. The Health Services Department remains \navailable to support any student or parent/guardian wishing \nto discuss this information privately. \n• Provide the school nurse with a current diabetes medical \nmanagement plan and emergency management plan from \nthe student’s endocrinologist. It is recommended that the \nparent/guardian meet with the school nurse in person to \ndiscuss their child’s plan." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "discuss their child’s plan. \n• Actively participate with the school nurse in creating an \nindividualized healthcare plan for school that supports the \nstudent’s medical, educational, and developmental needs \n• Provide the school nurse with the necessary supplies \nneeded to care for the student during the school day: \ninsulin, glucometer, glucagon, syringes, etc. In the case of an \ninsulin pump: extra insulin delivery catheter, insulin, insulin \nreceptacle. \n• Provide the school nurse with the carbohydrate count for \neach item when lunch or snack is brought from home. \n• Provide current contact information including cell phone \nnumbers (if available), emergency numbers, and at least two" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "back up numbers to call if parents/guardians are not \nreachable. \n• Educate after-school activities personnel about the diabetic \nmanagement plan and provide a plan as necessary." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-21 \nPage 6 of 13 \n \n \n \nRole of the School Administrator \n• Facilitate diabetes management training for school \npersonnel. \n• Support faculty, staff, and parents in implementing all \naspects of the Diabetes Management Plan. \n• Identify all staff members who have responsibility for the \nstudent with diabetes throughout the school day and \nduring school-sponsored extracurricular activities and field \ntrips. \n• Ensure there is a contingency plan in the case of a \nsubstitute nurse, teacher, or food service personnel. \n• Ensure that the classroom staff have been trained in an \noverview of diabetes, how to recognize and respond to" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "hypoglycemia and hyperglycemia and the steps to take in \nthe event of an emergency. \n• Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n• Promote a supportive learning environment for students \nwith diabetes to manage their diabetes safely and \neffectively at school. \n• Inform the school nurse 4-6 weeks in advance of field trips \nto thoroughly support a student's participation in a field trip \nand ensure adequate planning time (e.g. necessity for \nnursing support during the field trip). \n• Understand the federal and state laws that may apply to \nstudents with diabetes, including Section 504 of the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Rehabilitation Act of 1973, the Americans with Disabilities" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-21 \nPage 7 of 13 \n \n \n \nAct, and the Individuals with Disabilities Education Act. \nRole of the School Nurse: \n• Obtain and review the student’s current Diabetes Medical \nManagement Plan (DMMP) along with other pertinent \ninformation from the student’s parents/guardians and \nhealth care providers. \n• Obtain releases for nurse/health care provider \ncommunication and physician authorization for medication. \n• Develop an Individualized Health Care Plan (IHP). Promote \nand encourage independence and self-care consistent with \nthe student’s ability, skill, maturity, and development as \nindicated in the DMMP. After reviewing the IHP with the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "parents/guardians and student, implement, review, and \nupdate the plan throughout the school year as needed. \n• Develop a plan for student management in the classroom, \nlunchroom, playground, athletics, and field trips that \nprovides for routine and emergency care. These would \ninclude blood glucose monitoring; urine/blood ketone \ntesting; insulin administration; glucagon administration; and \nassistance with carbohydrate counting. \n• Perform or assist the student with routine and emergency \ndiabetes care tasks, including blood glucose monitoring, \nurine or blood ketone testing, insulin and other medication \nadministration, carbohydrate counting, and glucagon \nadministration." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "administration. \n• Maintain accurate documentation in the electronic health \nrecord of all diabetes care provided at school. Document \ncommunications with the student, the parents/guardians," + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-21 \nPage 8 of 13 \n \n \n \nand the student’s personal diabetes health care team, and \ndocument communications related to the training and \nsupervision of trained diabetes personnel. \n• Ensure that all other staff members who have contact with \nstudents with diabetes are familiar with their Individual \nHealth Care Plans (IHPs) on a need-to-know basis. \n• Provide a list of students with diabetes (if consent given by \nparent) to all staff on a need-to-know basis, including bus \ndrivers. \n• Conduct in-service training and education for appropriate \nstaff regarding a student’s symptoms; risk reduction \nprocedures; emergency procedures; and appropriate" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "responses to symptoms of diabetic emergencies. This \nincludes PE instructors and coaches. This training should be \nrepeated annually or when a student transfers classrooms or \nschools. \n• Ensure that there is a contingency plan in place for all \nschool-related venues where substitutes are utilized. \n• Encourage the students to eat all meals and snacks fully and \non time. Be flexible with time requirements for eating and \nprovide the parent or guardian with the carbohydrate \nmenu. \n• Make certain that emergency communication devices (e.g., \nwalkie-talkie, intercom, cell phone, etc.) are always present \nand functional. \n• Participate in the teams that develop and implement the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "student’s Section 504 Plan, other education plan, or \nindividualized education program. Contribute to IEP, and \n504 implementation of diabetes related issues, where" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-21 \nPage 9 of 13 \n \n \n \nappropriate. \n• Communicate with the student’s parents/guardians and—\nwith their permission—communicate with the student’s \npersonal diabetes health care team about progress as well \nas any concerns about the student’s diabetes management \nor health status, such as hypoglycemia episodes, \nhyperglycemia, general attitude, emotional issues, and self-\nmanagement. \nRole of the Coordinator of Special Education (COSE): \n• If a student is referred for consideration for a 504 \naccommodation plan and/or special education, the COSE \nwill process as appropriate. The parent/guardian, school" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "nurse and other school staff must be involved in the plan \ndevelopment and implementation. \n• If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nwill discuss eligibility for transportation. \n• If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam will consider transportation needs (team will include \nschool nurse). If special transportation is found to be \nnecessary, it can be added to the IEP. \n \nRole of the Teacher \n• Have a list of all students in the classroom with chronic" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "diseases, including diabetes." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-21 \nPage 10 of 13 \n \n \n \n• Participate in team meetings for students with diabetes and \nparticipate in in-service training provided by the school \nnurse. \n• Be prepared to respond immediately to the signs and \nsymptoms of hypoglycemia (low blood glucose) and \nhyperglycemia (high blood glucose), in accordance with the \nstudent’s Emergency Care Plans for Hypoglycemia and \nHyperglycemia. \n• Keep accessible the student’s emergency plan with a photo \n(where possible) in the classroom (with parent's permission) \nor keep with the lesson plan. \n• Inform volunteers, student teachers, aides, specialists, and" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "substitute teachers about the student’s condition both \nthrough verbal communication and in an organized, \nprominent, and accessible written format. \n• Recognize that eating meals and snacks on time is a critical \ncomponent of diabetes management. \n• Coordinate with parent/guardian to provide lesson plans to \naccommodate any learning needs. \n• Support the student in participating in all school-sponsored \nactivities. \n• Inform the school nurse 4-6 weeks in advance of field trips \nto ensure adequate planning time for supports. \n• Notify the school nurse and parents/guardians in advance of \nchanges in the school schedule, such as class parties, field \ntrips, and other special events." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular SHS-21 \nPage 11 of 13 \n \n \n \nRole of Physical Education Teacher and Coaches \n• Have a list of all students in their charge who have diabetes. \n• Coaches will be told of any students on their teams who \nhave diabetes through review in ASPEN/Sports Clearance, \nand will be trained in identification of symptoms of diabetes \nemergencies. \n• Participate in in-service training about diabetes as needed. \n• Keep accessible the student's emergency plan with a photo \n(where possible) in the specific venue (with parent's \npermission). \n• Allow students with diabetes to wear their insulin pump \nand/or sensor and medical ID during physical activity." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "• Designate a safe place for students to keep their diabetes \nsupplies, including their insulin pump, if they remove it \nduring physical activity. \n• Make sure blood glucose monitoring equipment and a \nquick-acting form of glucose are available at all activity sites. \n• Include the student’s Emergency Care Plans for \nHypoglycemia and Hyperglycemia and diabetes supplies in \nthe first aid pack that goes out to physical education \nactivities, practices, and games. \n• Allow the student to monitor blood glucose levels and/or \nadminister insulin, as outlined in the student’s health care \nplans and education plans. \n• Recognize that a change in the student’s behavior could be" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "a symptom of blood glucose changes. \n• Understand and be aware that hypoglycemia (low blood \nglucose) can occur during and after physical activity." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular SHS-21 \nPage 12 of 13 \n \n \n \n• Inform substitutes about the student’s diagnosis and the \nsigns and symptoms of hyper or hypoglycemia. \nRole of Food Services \n• Work with health services to provide access to carbohydrate \nmenus to parents and school nurses and assist in \ncarbohydrate counting activities. \n• Make available and maintain current food labels for all meal \nplans. Provide nutrition information on all menu items and a \nla carte items to the school staff and parents/guardians. \nRole of the Office of Transportation \n• Provide training for all bus monitors for medical \nemergencies, including but not limited to Heartsaver" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "CPR/AED, Heartsaver First Aid. \n• Know local EMS (Emergency Medical Services) procedures. \n• Have functioning communication equipment to access EMS \n• Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \n• Encourage 1:1 communication between bus monitors and \nschool-based staff as well as between bus monitors and \nparents/guardians. \nRole of the School Bus Company \n• Provide training for all bus drivers for medical emergencies, \nincluding but not limited to Heartsaver CPR/AED and \nHeartsaver First Aid." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular SHS-21 \nPage 13 of 13 \n \n \n \n• Know local EMS (Emergency Medical Services) procedures. \n• Have functioning communication equipment to access EMS. \n• Understand that a student with diabetes may need to have \na snack to regulate their blood sugar, despite the policy of \nno food eating allowed on the bus. \nREFERENCES \n• Massachusetts | ADA \n• Diabetes Management in the School Setting \n• Diabetes | Healthy Schools | CDC \n• Diabetes Care Tasks at School | ADA \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-21 Diabetes Policy", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link", + "content": "443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nSHS-05 \nVersion 01 \n \n \n \nTUBERCULOSIS PROGRAM \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPOLICY ON TUBERCULOSIS TESTING \nAll students must have an assessment of tuberculosis risk. Staff \nare no longer required to show evidence of TB skin test screening \nat time of employment. \nPROTOCOL FOR TUBERCULOSIS PROGRAM \nStudents: \n● At the time of registration for entry into the Boston Public \nSchools, if parents present with information on TB \nscreening, the data will be entered along with the \nimmunization data into the student(s) electronic health \nrecord." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view?usp=drive_link", + "content": "record. \n● No child will have school registration delayed because of \nlack of tuberculosis screening documentation. \n● It is the responsibility of the primary care health provider, \nand NOT the school system, to ensure that appropriate \nscreening for tuberculosis is occurring in the community. \n● The school nurse may choose to check a child’s PPD \n(Mantoux) or monitor preventive therapy at the request of \nthe primary care provider. The primary care provider must \nsubmit a written physician order to the school nurse for \nservices." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-05 \nPage 2 of 2 \n \n \n \n● Written documentation of an in-school PPD test result or \nthe monitoring of preventive therapy will be provided to the \nprimary care provider by the school nurse. \n● Students with active disease will be excluded from school \nuntil placed on treatment and written documentation by \nBPHC TB Control of non-contiguous state is presented. \nStaff: \n● Staff are no longer required to have TB screening as \ncandidates for hiring. The regulation of Communicable \nTuberculosis Periodic Examination of School Personnel has \nbeen repealed in the Massachusetts General Laws. \n \nFor more information about this circular, contact: \nOwner:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-05 Tuberculosis Program", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view?usp=drive_link", + "content": "Owner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nSHS-13 \nVersion 01 \n \n \n \nTRANSPORTATION, MEDICAL ACCOMMODATION \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \n \nSome students may be eligible for transportation \naccommodation based on medical needs. The following \nguidelines and processes refer to transportation for student \nmedical indications only. Transportation accommodations for \nmedical needs do not include transportation accommodations \nwritten into an Individualized Education Program (IEP). \nBACKGROUND \nMedical transportation is warranted when a student’s illness, \nmanaged by a health care professional, requires the assistance of" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "transportation as an accommodation to enable the student to \nattend school. Transportation accommodations for medical \nneeds should not substitute for treatment of specific medical \nconditions. The school, through the Student Support Team, is \nencouraged to explore creative solutions to assist these families \nwith extraordinary needs. Children with chronic medical \nconditions that cannot be remediated by medication or therapy \nmay be granted renewal each year. Renewal is collaboratively \ndetermined by the school nurse and central office staff. Schools \nwill be notified in the spring to begin the transportation renewal \nprocess. No student should be considered “renewed” until" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SHS-13 \nPage 2 of 11 \n \n \n \nreceiving written notification that will be sent according to the \nTransportation Office policy. \nPOLICY IMPLEMENTATION GUIDELINES \nParent/Guardian Role: \n• Inform the school nurse of medical diagnosis and provide \nsupporting medical documentation that may require \ntransportation as an accommodation. \n• Communicate with the school nurse and their child’s health \ncare provider regarding the need for medical transportation. \n• All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Principal/Head of School Role:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "School Principal/Head of School Role: \n• Review, discuss, and approve each case with the Student \nSupport Team and/or school nurse. \n• Designate a member of the Student Support Team to \ncollaborate with the school nurse to inform \nparents/guardians of eligibility determination. \n• All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Nurse Role: \n• Provide parents/guardians with a release of medical \ninformation form to be signed to obtain consent to speak \nwith the student’s licensed health care provider." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SHS-13 \nPage 3 of 11 \n \n \n \n• Contact the licensed healthcare provider to inform them of \nthe BPS transportation accommodation policy, discuss the \nrequest submitted by the parent/guardian, and share \nclinical observations related to the child’s medical condition. \n• Present the case to the Student Support Team, including \nnotes taken during discussions with the parent/guardian \nand licensed health care provider to determine the \nappropriate accommodations, if any. \n• Document all relevant and objective information related to \ntransportation in the student’s electronic health record. \n• If the school nurse does not believe transportation is" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "warranted based on the above criteria, but any other \nparticipant in the process disagrees, the case is referred to \nSchool Health Services for further clarification and \nresolution. \nStudent Support Team Role: \n• Discuss medical transportation request cases as referred by \nthe school nurse. \n• Each request should be considered individually, and other \noptions must be reviewed prior to authorization of medical \ntransportation. If additional support is needed, the Student \nSupport Team may make referrals for 504 or special \neducation concerns. \n• All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Department of Transportation at 617-635-9520." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SHS-13 \nPage 4 of 11 \n \n \n \nCoordinator of Special Education (COSE) Role: \n• If a student is eligible for a 504 accommodation plan (or is \nbeing evaluated for a 504 accommodation plan), the team \nshall discuss eligibility for transportation. \n• If a student already has an IEP (or is being evaluated) and \ntransportation may be necessary for the medical condition \n(but not necessarily the area of educational disability), the \nteam shall consider transportation needs. As part of this \nconsideration, the team shall include the school nurse. If \nspecial transportation is found to be necessary for the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "student to benefit from special education services and make \nmeaningful educational progress, it can be added to the IEP. \n• If a student is referred for consideration for a 504 \naccommodation plan and/or special education and related \nservices, the COSE will process the request for \ntransportation as appropriate. \n• All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \nSchool Health Services Role: \n• A member of the Health Services administrative team will \nbe available to discuss any request for transportation as an \naccommodation for medical needs." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "accommodation for medical needs. \n• School Health Services will consult with any party involved \nin the transportation as an accommodation for the medical \nneeds process regarding the eligibility determination. \n• In some cases, School Health Services may overturn the" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SHS-13 \nPage 5 of 11 \n \n \n \ninitial determination or provide recommendations for \nalternative accommodations to support the student’s needs. \nDepartment of Transportation Role: \n• After approval, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen. \n• Collaborate with School Health Services regarding the \nmedical transportation renewal process. \n• Transportation requests for students who are healthy, but \nwhose parents or guardians are ill, will not be approved. \n \nELIGIBILITY DETERMINATION" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "ELIGIBILITY DETERMINATION \nA student determined to be eligible: \n• The school nurse will fill out the Request for Medical \nTransportation form provided below and submit it to \nschool-based leadership for final approval; the signed form \nwill be sent via email to the school’s Transportation Officer \nwithin the Department of Transportation by the school \nleader and/or school transportation coordinator. \n• Once approved, the parent/guardian of the student will be \nnotified by mail of transportation specifics (time of pick-\nup/drop-off/bus numbers/effective date). School staff may \naccess route information via Aspen." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular SHS-13 \nPage 6 of 11 \n \n \n \nA student determined NOT eligible: \n• The parent/guardian will be notified by the principal \ndesignee in collaboration with the school nurse. \n• All participants in the process may seek further assistance \nby contacting Health Services at 617-635-6788 or the \nDepartment of Transportation at 617-635-9520. \n \nSPECIFIC GUIDELINES \nAsthma: Transportation as an accommodation for asthma is \nreserved for severe asthmatics that are adhering to a treatment \nplan, have a rescue inhaler at school, and have an Asthma Action \nPlan on file with the school nurse. If asthma impacts a student’s" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "ability to walk to a school bus or MBTA stop, further medical \nevaluation and treatment may be necessary and should be \ndiscussed with the child’s health care provider. Even the most \ncompliant students with asthma may need medical \ntransportation during the cold winter months. Mild, episodic \nasthmatic students on intermittent medications do not qualify \nfor medical transportation. \nSickle Cell: Please refer to Superintendent’s Circular SHS-25. \nAmbulation: Students with conditions that significantly affect \nambulation, such as leg braces, crutches, lower extremity \nfractures, or amputations may be eligible for transportation as an \naccommodation. Students who can ambulate and fully" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "participate in the school program should not be authorized for \nmedical transportation. \nSeizure Disorder: Students experiencing current, intermittent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular SHS-13 \nPage 7 of 11 \n \n \n \nseizure activity are eligible for transportation accommodation \nuntil stabilized. In general, if seizures are well controlled, medical \ntransportation will not be provided. \nEmotional/Behavioral Problems: Children with emotional and/or \nbehavioral issues which impact their transportation to or from \nschool should be discussed at the Student Support Team \nmeeting before any referral is made for this type of \ntransportation accommodation. ADHD, depression/anxiety, \nimpulsivity, and other behavioral issues have an impact on \nteaching and learning as well as school access. Behavioral" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "modification and other modalities may be more beneficial to the \nchild’s overall functioning than just transportation alone. The \nschool nurse will gather the medically relevant information for \nthe team. \nOther: Neuromuscular disorders, cardiac disease, and other \nmedical conditions should be reviewed on an individual basis; \nconsult with School Health Services as needed." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular SHS-13 \nPage 8 of 11 \n \n \n \nFor more information about this circular, contact: \nOwner: \nDirector, Office of Health Services \nDepartment: \nOffice of Health Services \nMailing Address: \n443 Warren Street Suite 2, Dorchester, MA \n02121 \nPhone: \n617-635-6788 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular SHS-13 \nPage 9 of 11 \n \n \n \nREQUEST FOR TRANSPORTATION ACCOMMODATION, \nMEDICAL NEEDS \n(For school system use only) \nStudent Name _________________________Student ID # ____________ \nSchool_ _________________________________________________________ \nHours: _____________________________ \nTransportation will only be provided for the official hours of the \nschool. \nSchool Nurse (please print) ______________________________________ \nPrincipal/Head of School (please print) __________________________ \nDoes the student currently receive any kind of transportation \nfrom Boston Public Schools? Yes No" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "from Boston Public Schools? Yes No \nIf yes, please describe why the additional accommodation is \nbeing requested. ________________________________________________ \n _________________________________________________________________ \nDoes the student currently receive services related to a 504 or \nIEP? Yes No \nIf yes, please discuss adding this accommodation to the student’s \ncurrent educational plan, instead of submitting the request in \nthis manner. Call Health Services for additional information and \nsupport." + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular SHS-13 \nPage 10 of 11 \n \n \n \nMEDICAL CERTIFICATION: \nReason for request: ______________________________________________ \n _________________________________________________________________ \nHealthcare Provider/ Clinic Name: _______________________________ \nIs all relevant data documented in the student’s electronic health \nrecord?  Yes  No \n \nDURATION OF MEDICAL TRANSPORTATION: Any \naccommodation lasting longer than 6-8 weeks will be reviewed \nby School Health Services in collaboration with the BPS \nDepartment of Transportation. \n Wheelchair van #weeks _________ \n Cold winter months  School year \n \nAUTHORIZATION:" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "AUTHORIZATION: \nDate the request was submitted to school nurse: ________________ \nDate the request was discussed at SST meeting: ________________ \nPrincipal/head of school signature ______________________________ \nDate: _______________________________ \nSchool nurse signature __________________________________________" + }, + { + "folder_name": "School Health Services", + "file_name": "SHS-13 Transportation Medical Accommodation", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular SHS-13 \nPage 11 of 11 \n \n \n \nDate: _______________________________ \nName of Transportation Officer: _________________________________ \nDate faxed/emailed to Transportation Officer: ___________________ \n \n***************** \nDEPARTMENT OF TRANSPORTATION ONLY \nDate processed by Transportation Unit: _________________________" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nODA-04 \nVersion 01 \n \n \n \nBPS BALANCED ASSESSMENT SYSTEM \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nStudent assessment is an effective tool to support success inside \nand outside of the classroom. Assessment takes many forms, and \nit is the responsibility of all in the Boston Public Schools to use \nthe data that emerges from assessments to ensure that every \nstudent receives what they need every day. \nPURPOSE \nThe Boston Public Schools assessment system supports the \ndistrict's strategic goals of eliminating opportunity gaps and \naccelerating learning. The assessment system:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "accelerating learning. The assessment system: \n● provides teachers, administrators, students, parents, \nthe district, and the community with ongoing \ninformation regarding student progress in relation to \nstate frameworks. \n● ensures all our students are prepared for college, \ncareer, and life. \nA balanced assessment system includes formative and \nsummative assessments that provide information on the \nclassroom, school, and district levels and is responsive to needs at \neach of these levels." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ODA-04 \nPage 2 of 7 \n \n \n \n1. At the classroom level, the assessment system provides \nteachers with data on students’ strengths and needs so that \nteachers may develop lessons that respond to individual \ndifferences. \n2. At the school level, the assessment system provides school \nleaders and instructional leadership teams with data to help \nthem measure school success based on school and district \ngoals: \na. Assess the effectiveness of curriculum, instruction, and \nprofessional development programs. \nb. Work with teachers to develop strategies that attend \nto priority areas. \n3. At the district level, the assessment system provides district" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "leaders with information that allows them to determine if \nthe system, individual schools, and central departments are \nmaking progress regarding the district’s long-term teaching \nand learning goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented to \nachieve those goals, to implement effective practices, and to \neliminate practices that are unsuccessful. Quality \ninformation allows comparisons across programs, schools, \nand classrooms to be data-driven and equitable. \nASSESSMENT EXPECTATIONS \nFor SY24-25, district assessment expectations will maintain its \ninstructional focus on Equitable Literacy across all content areas" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "to strengthen equitable Multi-Tiered System of Support (MTSS), \nlaying a strong Tier 1 infrastructure to become a fully inclusive \ndistrict and expand access to bilingual/native language" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ODA-04 \nPage 3 of 7 \n \n \n \ninstruction. As BPS more consistently implements effective \nequitable literacy practices, the data provided by assessments \nwill inform educators to meet the learning needs of all students. \nThese expectations are a minimum for schools; school \ncommunities are encouraged to craft the assessment strategy \nthat supports their own work towards grade-level, standards-\naligned, culturally responsive instruction. \nThe following tables outline the formative and summative \nassessments in use in Boston Public Schools during SY24-25, \nincluding the purpose, grade level, participation expectation and \nfrequency." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "frequency. \nBPS FORMATIVE ASSESSMENTS \nAssessment \nPurpose \nGrade \nExpectation \nFrequency \nPALS/ \nHeggerty \nScreener for all 4-year-\nold students in K1 used \nto understand student \nprogress in relation to \ndevelopmental \nbenchmarks. \nK1 \nRequired \n2x per \nyear \nNWEA MAP \nReading \nFluency \nComputer adaptive \nuniversal screening tool \nthat assesses early \nliteracy skills, oral \nreading fluency, and \nreading \ncomprehension; DESE \napproved dyslexia \nscreener. \nK2–2 \nRequired \n3x per \nyear \n3 \nRequired \n2x per \nyear \n \n(extended \ntest \nwindows)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ODA-04 \nPage 4 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment \nPurpose \nGrade \nExpectation \nFrequency \nNWEA MAP \nReading \nGrowth \nComputer adaptive \nuniversal screening tool \nthat assesses reading \ncomprehension; \nidentifies what \nstudents are ready to \nlearn next. \n3 \nRequired \n2x per \nyear \n \n4–11 \nRequired \n3x per \nyear \nNWEA MAP \nMath Growth \nComputer adaptive \nuniversal screening tool \nthat assesses \nmathematical skills; \nidentifies what \nstudents are ready to \nlearn next. \n3–11 \nRequired \n3x per \nyear \nPre-IPT \nDiagnostic measure of \nEnglish language \nproficiency of pre-\nschool children whose \nhome language is not \nEnglish, in compliance" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "home language is not \nEnglish, in compliance \nwith federal law. \nK0* \n*ML \nstudents \nRequired \n1x per year \nWIDA \nKindergarten \nScreener \nDiagnostic measure of \nEnglish language \nproficiency in \ncompliance with \nfederal law for English \nLanguage Learners. \nK1* \n*ML \nstudents \nRequired \n1x per year" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ODA-04 \nPage 5 of 7 \n \n \n \nBPS FORMATIVE ASSESSMENTS \nAssessment \nPurpose \nGrade \nExpectation \nFrequency \nInterim \nAssessments \nin ELA and \nMath \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content. \n2–11 \nStrongly \nRecommended \n2x per \nyear \nInterim \nAssessments \nin Science \nStandard-aligned \nassessment to measure \nstudent access to \ngrade-level content; \nunit-based. \n3 - 10 \nStrongly \nRecommended \n3x per \nyear \nLanguage \nAcquisition \n(TBD) \nStandard-aligned \nassessment to measure \nEnglish language \nacquisition \nK2-12* \n*EL \nstudents \nTBD \n2x per \nyear \n \nAdditionally, all district supported curricula include ongoing," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "curriculum-embedded, formative assessments (classroom tasks \nand formal assessments) to provide real-time information to \neducators about what students have learned and are ready to \nlearn next. \nBPS SUMMATIVE ASSESSMENTS \nAssessment \nPurpose \nGrade \nExpec-\ntation \nFre-\nquency \nMCAS \nAnnual assessment of grade \nlevel content standards for \nstate and federal \naccountability. \n3 - 8, High \nSchool \nRequired \n1x per \nyear" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ODA-04 \nPage 6 of 7 \n \n \n \nBPS SUMMATIVE ASSESSMENTS \nAssessment \nPurpose \nGrade \nExpec-\ntation \nFre-\nquency \nACCESS for \nELLs \nAnnual assessment for EL \nstudents; measures English \nlanguage proficiency and \nprogress in compliance with \nfederal law. \nK2 - 12* \n*EL \nstudents \nRequired \n1x per \nyear \nSAT \nA standardized assessment \nthat assesses mathematics \nand evidence-based \nreading/writing; used by most \ncolleges and universities to \nmake admissions decisions. \n11 \nStrongly \nRecom-\nmended \n1x per \nyear \nPSAT/ \nNMSQT \nA standardized assessment \nthat assesses much of the \nsame content (evidence-based \nreading/writing and \nmathematics) that is on the" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "reading/writing and \nmathematics) that is on the \nSAT; \n10, 11 \nStrongly \nRecom-\nmended \n1x per \nyear \nAP \nStandardized exams designed \nto measure how well students \nhave mastered the content \nand skills of a specific AP \ncourse. \n10 - 12* \n*students \nin AP \ncourses \nStrongly \nRecom-\nmended \n1x per \nyear \n \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-04 BPS Balanced Assessment System", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ODA-04 \nPage 7 of 7 \n \n \n \nOwner: \nSenior Executive Director \nDepartment: \nOffice of Data and Accountability \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9450 \nEmail: \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nODA-07 \nVersion 01 \n \n \n \nREQUIRED DOCUMENTATION TO WITHDRAW \nSTUDENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThis circular lists the documentation schools are required to \nobtain when withdrawing students and includes information on \nmonitoring processes conducted by the central office. \nFor the last several years, Boston Public Schools has been under a \nstate audit regarding our documentation of student withdrawals. \nAuditors found that we collect insufficient documentation of \nstudents categorized as withdrawals. The audit finding has been" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "upgraded to a “material weakness,” which is a more severe \nfinding. Lack of action could result in loss of federal funds (e.g., \nTitle 1) and/or the City’s overall credit rating. The Systemic \nImprovement Plan required the district to revise withdrawal \nprocedures and implement controls for monitoring. All \nadministrative school staff (school leaders, registrars, or any \nschool administrator whose responsibilities involve enrolling or \nwithdrawing students) are required to complete asynchronous \ntraining at the 2024 Management and Operations Institute. \nOVERVIEW OF REQUIRED DOCUMENTATION \nThis section seeks to clarify what documentation is required and" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "acceptable. Schools can use this template to document" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ODA-07 \nPage 2 of 9 \n \n \n \ninteractions with families and upload along with supporting \ndocumentation or with a family signature. Your school may use \nyour own template as long as it contains the necessary \ninformation and has been approved by the central office (contact: \nstudent-withdrawal@bostonpublicschools.org). \nACCEPTABLE DOCUMENTATION TYPES FOR STUDENTS \nWITHDRAWING INCLUDES: \n1. A written request for a student’s records from a receiving \npublic or private high school or an educational program \n(that culminates in a regular high school diploma). This \nincludes requests from the receiving school that come to \nthe district through Scrib Order." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "the district through Scrib Order. \n2. Written record of a response from an official receiving \nschool or program acknowledging the student’s enrollment. \n3. Written confirmation from a parent or guardian that their \nstudent has moved to another state or country and will be \ncontinuing their education. \n4. Written confirmation from a parent/guardian updating the \nschool enrollment status of their child, including indication \nthat they will be continuing their education elsewhere. \n5. Letter from the BPS Office of Expanded Learning Time, \nindicating an approved Educational Plan for homeschooling. \n6. Record from the state's data system (Edwin DESE Security \nPortal - Central Office Process)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Portal - Central Office Process)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ODA-07 \nPage 3 of 9 \n \n \n \nIf you do not have the above documentation at the time of \nwithdrawal, the student must be withdrawn as a dropout. See \nAppendix for a table of withdrawal codes with acceptable \nmatching documentation. \nREQUIRED ELEMENTS OF SUFFICIENT WITHDRAWAL \nDOCUMENTATION FOR A TRANSFER STUDENT INCLUDE: \n1. Date when the transfer occurred or was confirmed, \nincluding the year. \n2. Identifiable name of the student withdrawing \n3. Identifiable information for who is confirming the \nwithdrawal, such as the parent name or receiving school \nregistrar’s email address \n4. Indication that the student is continuing their education \nelsewhere" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "elsewhere \na. New school name is ideal but not required. Stating a \nstudent will enroll in a school elsewhere is sufficient if \nthe new school name is not known. \nWithdrawal documentation must be uploaded to the student \nrecord in Aspen at the time of the withdrawal in a non-editable \nformat, such as a PDF, screenshot, scanned handwritten & signed \nwithdrawal form or letter. Word documents, Aspen journal \nentries, travel tickets or itineraries are not acceptable forms of \ndocumentation to confirm a transfer. \nMONITORING AND ACCOUNTABILITY \nSchool leaders will be required to identify a primary point of" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ODA-07 \nPage 4 of 9 \n \n \n \ncontact at their school for withdrawal related processes. \nAdditionally, school leaders will be required to sign off that they \nhave reviewed student records and that sufficient \ndocumentation exists for each student’s withdrawal code. This \nsign off will align with the October state reporting period. Central \noffice staff will hold office hours and be available to answer \nquestions that may arise at this time period and will \ncommunicate these dates via the Friday Flyer and Weekly Recap. \nAdditionally, the central office team will be conducting periodic \naudits to confirm sufficient documentation is in place: Fall, Mid-" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Year, End of Year. Supervisors of attendance will be included as a \nresource to support schools in gathering the necessary \ndocumentation during review periods. \nFor questions and support, please contact the following: \nGeneral Questions \nstudent-withdrawal@bostonpublicschools.org \nTechnical Questions \nabout Aspen \nKevin Arias, karias@bostonpublicschools.org \nGraduation and \nDropout Reporting \nApryl Clarkson, \naclarkson@bostonpublicschools.org \nStudent Attendance \nRequirements \nBrian Marques, \nbmarques@bostonpublicschools.org \nSchool Specific \nQuestions \nSupervisors of Attendance, Regional \nOperational Leader and then School \nSuperintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ODA-07 \nPage 5 of 9 \n \n \n \nTECHNICAL RESOURCES \nWithdrawal Code Guidance \nHow to Update Withdrawal Codes in Aspen \nHow to Upload Documents in Aspen \n\"Did Not Report\" Protocol for Students with IEPs \n \nFor more information about this circular, contact: \nOwner: \nSenior Executive Director \nDepartment: \nOffice of Data and Accountability \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9450 \nEmail: \nstudent-\nwithdrawal@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ODA-07 \nPage 6 of 9 \n \n \n \nAPPENDIX A: TRANSFER CODES WITH REQUIRED \nDOCUMENTATION \nBPS \nCode \nBPS Description \nState \nCode \nState \nDescription \nRequired \nDocumen-\ntation Type \n06 \nMass. Public Boston Resident \n20 \nTransferred — \nIn state public \n1, 2, 4 \n \n09 \nEOY Flip Record \n10 \nBatch Assignment process school \nchange \n12 \nMass. Public Non-Boston Resident \n42 \nDischarged to Charter School \n43 \nDischarged to Virtual School - Mass \nPublic \n98 \nResidency Violation \n99 \nDischarged - Student ID Error \n01 \nBoston Parochial \n21 \nTransferred — \nIn state private \n1, 2, 4 \n03 \nMass. Parochial Non-Boston \nResident \n04 \nMass. Parochial Boston Resident \n07" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "04 \nMass. Parochial Boston Resident \n07 \nMass. Private (Non-Parochial) \nBoston Resident \n11 \nBoston Private (Non-Parochial) \n13 \nMass. Private (Non-Parochial) Non-\nBoston Resident \n15 \nHome (*KINDERGARTEN ONLY) \n44 \nDischarged to Virtual School - Mass \nPrivate \n19 \nOut of Country \n22 \n \nTransferred — \nOut-of-State \n(public or \nprivate) \n1, 2, 3, 4 \n14 \nOut of State \n1, 2, 4 \n45 \nDischarged to Virtual School - Out \nof State \n1, 2, 3, 4" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ODA-07 \nPage 7 of 9 \n \n \n \n05 \nHome Schooled \n23 \nTransferred — \nHome-school \n5 \n30 \nAdult Diploma Program \n24 \nTransferred — \nAdult diploma \nprogram \nleading to MA \ndiploma \n1, 2, 4 \nSS \nNo longer receiving special ed \nservices only \n41 \nTransferred — \nno longer \nreceiving \nspecial \neducation \nservices only." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular ODA-07 \nPage 8 of 9 \n \n \n \nAPPENDIX B: NON-TRANSFER WITHDRAWAL CODES \nBPS \nCode \nBPS Description \nState \nCode \nState Description \n17 \nGraduate \n04 \nGraduate with a Competency \nDetermination \n95 \nExpelled from BPS \n05 \nExpelled \n96 \nExpelled from Other School \nSystem \n97 \nMultiple Expulsions \n16 \nDeath \n06 \nDeceased \n18 \nStudent Reached Maximum \nAge (22 yrs.) \n09 \nReached maximum age did not \ngraduate or receive a Certificate \nof Attainment \n33 \nCertificate of Attainment \n10 \nCertificate of Attainment \n31 \nGrade 12 - Met local \nrequirements/Did not pass \nMCAS \n11 \nCompleted grade 12 and district-\napproved program. (District does" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "approved program. (District does \nnot offer a Certificate of \nAttainment) \n23 \nGED \n30 \nDropout — Enrolled in a non-\ndiploma granting adult education \nor HiSET program \n27 \nNon-Diploma Educational \nProgram (non GED) \n32 \nJob Corps \n31 \nDropout — Entered Job Corps \n22 \nMilitary Service \n32 \nDropout — Entered the military \n28 \nIncarcerated \n33 \nDropout — Incarcerated district \nno longer providing educational \nservices \n21 \nWork \n34 \nDropout — Left due to \nemployment \n24 \nOver 16/No plans known \n35 \nDropout — Confirmed Dropout \nplans unknown \n25 \nIllness \n26 \nMarried Pregnant or Parenting \n51 \nRegistered - Did Not Report \n36 \nDropout — and/or student" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-07 Required Documentation to Withdraw Students", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular ODA-07 \nPage 9 of 9 \n \n \n \n52 \nMoved - No Forwarding Address \nstatus/location unknown \nD1 \nDNR More Than 8 Days" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nODA-06 \nVersion 01 \n \n \n \nPARTICIPATION GUIDELINES FOR TESTING ENGLISH \nLEARNERS ON STATEWIDE ASSESSMENTS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent versions. \nThe purpose of this circular is to provide schools with the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) guidelines for testing English Learner (EL)1 \nstudents on statewide assessments. \nDEFINITION \nAccording to MA DESE, an EL student is a student whose native \nlanguage is not English, and currently unable to perform ordinary \nclassroom tasks in English. An EL student also scores less than" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "proficient on an English language proficiency assessment. When \na student has been identified as an EL according to MA DESE and \nU.S. Department of Justice requirements, a student retains this \ndesignation, regardless of their program setting until they meet \n \n1 English Learner (EL) refers to a specific subset of Multilingual \nLearners (MLs) who are classified as English learners. This term is \nused in federal and state laws, regulations, and policies. For more \ninformation, see MA DESE’s Guidance on English Learner \nEducation Services and Programming, page 5, available at \nhttps://www.doe.mass.edu/ele/guidance/." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ODA-06 \nPage 2 of 13 \n \n \n \nstate exit criteria2. Students who meet the exit criteria must be \nreclassified as Former English Learners (FELs). \nPARTICIPATION REQUIREMENTS FOR EL STUDENTS \nFederal and state laws require that all EL students participate in \nstatewide assessments. Massachusetts students will meet the \nrequirements of these laws by participating in both the MCAS \nand ACCESS for ELLs tests. \nEL Participation Requirements in Statewide Assessments \n \n \nACCESS \nGrades K2-12 \nMCAS \nELA \nMath \nScience \nand \nTech/Eng \nFirst-Year \nEL \nStudents3 \nRequired only for \nK2-12 grade \nstudents entering \nOptional4 \nRequired \nRequired" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Optional4 \nRequired \nRequired \n \n2 Students must score 4.2+ overall and 3.9+ in literacy on ACCESS \nfor ELLs to be reclassified as former English learners (FELs). MA \nDESE will release Alternate ACCESS exit criteria in fall 2024. \n3 Results for first year EL students are not included in MCAS \nschool and district summary results or in state accountability \nreporting. \n4 Optional, provided that the student has participated in ACCESS \nfor ELLs testing. This first year exemption shall be applied one \ntime." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ODA-06 \nPage 3 of 13 \n \n \n \nbefore ACCESS \nfor ELLs testing is \ncompleted \nAll Other \nEL \nStudents \nRequired \nRequired \nRequired \nRequired" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ODA-06 \nPage 4 of 13 \n \n \n \nACCESS FOR ELLS AND ALTERNATE ACCESS FOR ELLS \nAll EL students must be assessed annually to measure their \nEnglish language proficiency and progress in learning English in \nthe four domains of reading, writing, listening, and speaking. \nStudents in grades K2-12 who are identified as EL must \nparticipate in ACCESS for ELLs testing or the Alternate ACCESS \nfor ELLs for their grade. This requirement applies regardless of \nthe number of years a student has been enrolled in U.S. schools \nand whether their parent or guardian has an approved request to \nopt-out of ESL services. The following students must participate:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "● students who were reported as EL in the October 2024 SIMS, \nand \n● students who enroll in school after the October 2024 SIMS \nsubmission and prior to February 7, 2025 who will be \nreported as EL in the March 2025 SIMS. \nForeign exchange students who are coded as #11 under DOE013 \n“Reason for Enrollment” in SIMS must participate in an ACCESS \nfor ELLs test, if they are reported as English learners. They are also \nrequired to participate in the MCAS tests specified for the grade \nin which they are reported. \nALTERNATE ACCESS FOR ELLS \nThis is the state’s alternate English language proficiency \nassessment for EL students in grades K2-12. This assessment is" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "designed specifically for those EL students with the most" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ODA-06 \nPage 5 of 13 \n \n \n \nsignificant cognitive disabilities5 who are unable to meaningfully \nparticipate in ACCESS for ELLs, as indicated in the student’s IEP. \nThis paper-based assessment is uniquely designed to monitor \nstudents’ progress in acquiring academic English. \nMCAS \nEL students must participate in all MCAS tests scheduled for their \ngrades, regardless of the language program and services they are \nreceiving or the amount of time they have been in the United \nStates. The one exception applies to first-year EL students who \nenrolled in U.S. schools after March 1, 2025 and who were not" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "reported in the March 2024 SIMS report, for whom only MCAS \nELA testing in Spring 2025 is optional. \nNote: EL students in high schools need to pass MCAS tests as a \nstate requirement for graduation. There are opportunities for \nretesting if students do not pass MCAS the first time. \n \n \n \n5 For more information, see \nhttps://www.doe.mass.edu/mcas/access/participation-\nguidelines.html." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ODA-06 \nPage 6 of 13 \n \n \n \nASSESSMENT TESTING WINDOWS \nThe testing windows for administering the SY2024-2025 annual \nassessments in Boston Public Schools are listed below: \n SY 2024-25 Dates State Assessment \nNov. 6- 7 \nNovember 2024 MCAS HS ELA Retests \nNov. 12-13 \nNovember 2024 MCAS HS Mathematics Retests \nJan. 6- Feb. 14 \n2025 ACCESS for ELLs \nFeb. 4- 5 \nFebruary 2025 MCAS HS Biology and \nIntroductory Physics Tests \nMar. 6 & 7 \nMarch 2025 MCAS HS ELA Retests \nMar. 11- 12 \nMarch 2025 MCAS HS Mathematics Retests \nMar. 24 Apr. 18 \nSpring 2025 MCAS Grades 3-8 ELA Test \nMar. 25-26 \nSpring 20254 MCAS Grade 10 ELA Test \nMar. 28" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Spring 20254 MCAS Grade 10 ELA Test \nMar. 28 \n2025 MCAS Alternate Assessment (MCAS-Alt) \nSubmission Deadline \nApr. 28-May 23 \nSpring 2025 MCAS Grades 3-8 Mathematics & \nGrades 5&8 STE Tests \nApr. 28- June 6 \nSpring 2025 MCAS Grade 8 Civics Test \nMay 20 21 \nSpring 2025 MCAS Grade 10 Mathematics Test \nJune 4-5 \nSpring 2025 MCAS High School STE Tests \n \nNote: dates are based on the State Initial Release of the 2024–25 \nMCAS and ACCESS for ELLs Testing Schedule, as of 5/15/2024. \nThese dates are not considered final until confirmed by DESE." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ODA-06 \nPage 7 of 13 \n \n \n \nGUIDELINES FOR ASSESSING EL STUDENTS IN THEIR FIRST 12 \nMONTHS OF ENROLLMENT IN U.S. SCHOOLS \nFor recently arrived ELs who have been enrolled in a U.S. school \nfor the first time after March 1, 2024, and who were not reported \nin the March 2024 SIMS report, the following apply: \n1. The participation in ACCESS for ELLs or Alternate ACCESS \nfor ELLs testing is required, provided that the student \nenrolls in school before February 7, 2025. \n2. The participation in Spring 2025 MCAS ELA assessment6 is \nnot required but is recommended for student diagnostic \npurposes only. Testing in MCAS ELA is strongly encouraged" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "to be considered an opportunity for students in high school \ngrades to earn a passing score for graduation requirements. \n3. For students expected to participate in statewide \nassessments, non-participation in ACCESS and MCAS testing \nnegatively impacts the school and district accountability. \n \n \n \n6 ELA testing is also optional for EL students from Puerto Rico \nwho are in their first year of enrollment in a Massachusetts \nschool." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular ODA-06 \nPage 8 of 13 \n \n \n \nSCHOOL AND DISTRICT REPORTING FOR EL STUDENTS \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n \nAll Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district’s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nAssessment \nParticipation \nRate for \nMCAS ELA is \nbased on \nACCESS \nStudents are \nexpected to take \nthe ACCESS test to \nbe counted in the \nschool MCAS \nparticipation rate \nfor ELA. Regardless, \nstudent’s \nparticipation in the \nMCAS ELA test is \noptional. \n \nIf a student does \nnot participate in" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "If a student does \nnot participate in \nACCESS testing, the \nstudent counts as \n‘non-participant’ for \nMCAS in the \nStudents count \nas participants \nregardless of \nparticipation in \nMCAS ELA \ntesting. ACCESS is \nnot required if a \nstudent enrolled \nat the end of the \ntesting window. \n \nStudents are \nexpected to take \nthe ACCESS test \nto be counted in \nthe school MCAS \nparticipation rate \nfor ELA. \nOtherwise, the \nstudent counts \nagainst the \nschool MCAS \nparticipation rate \nfor ELA. \n \nMCAS ELA testing \nis not optional." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular ODA-06 \nPage 9 of 13 \n \n \n \nReporting \nMeasure \n \nFirst Year ELs \n(1st year in any U.S. school) \n \nAll Other ELs \n(Regardless of \nnumber of years \nenrolled in BPS) \nStudents Reported \nin the district’s \nOctober 2024 SIMS \nor enrolled before \nFebruary 7, 2025 \nStudents \nEnrolled after \nFebruary 7, 2025 \nschool's MCAS ELA \nparticipation rate. \nAccounta-\nbility \nDetermina-\ntions \nStudents’ MCAS results7 are not \nincluded in the accountability \ncalculations. For first year ELs who \nparticipate in ELA testing, results will be \nprovided at the school level and will be \nused for Competency Determination \npurposes for high school students. \nStudents’ MCAS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Students’ MCAS \nresults are \nincluded in the \naccountability \ncalculations. \n \n \n \n \n7 First-year EL students must participate in MCAS Mathematics \nand Science and Technology/Engineering tests, although results \nwill be reported for diagnostic purposes only and students’ \nresults will not be included in school and district summary results \nor in state accountability reporting." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular ODA-06 \nPage 10 of 13 \n \n \n \nPROVIDING APPROPRIATE TESTING ACCOMMODATIONS TO ELS \nTesting accommodations involve changes to testing procedures, \ntesting materials, or the testing situation to allow students \nmeaningfully participate in an assessment. However, testing \naccommodations must not alter the test construct or the test \ncontent being measured. \nTesting accommodations for ELs are designed to address their \nunique linguistic needs during the normal process of English \nlanguage acquisition. When appropriately assigned, testing \naccommodations offer ELs the opportunity to demonstrate \nknowledge in a subject, regardless of their English language" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "proficiency level. This provides schools and divisions with an \naccurate picture of an EL’s content area achievement. \nEL students may be eligible for testing accommodations on \nMCAS assessments. Certain testing accommodations may be \nmore appropriate for ELs at a particular language proficiency and \nfor certain MCAS assessments. Decisions about accommodations \nfor EL students should be made by the Language Acquisition \nteam of educators familiar with the student. These decisions \nshould be documented as described in the MA DESE MCAS \nAccessibility and Accommodations Manual. \nThe following accommodations are available to ELs, with or \nwithout disabilities, on MCAS tests:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular ODA-06 \nPage 11 of 13 \n \n \n \nAccommodation \nApplicability \nPaper-based edition \n(EL1) \nMay be administered to a first year EL student \nwith a low level of English proficiency or an EL \nstudent who has little or no familiarity with \ntechnology (student does not use a computer \nroutinely). \nAuthorized Bilingual \nWord-to-Word \nDictionary and \nGlossary (if available) \n(EL2)8 \nList of authorized English/Native Language \ndictionaries (also available to Former ELs). \nBilingual dictionary use for MCAS tests is strictly \nlimited to those that provide word-to-word \ntranslations. Dictionaries that include definitions, \nsynonyms, antonyms, phrases, and other" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "synonyms, antonyms, phrases, and other \ninformation are prohibited. Electronic dictionaries \nare not allowed. \nText-to-speech (TTS) \n(EL3.1) \n \nNext-generation computer-based Mathematics, \ngrades 5 and 8 Science and Technology/ \nEngineering (STE) and/or high school Biology or \nIntroductory Physics tests \nHuman read-aloud \n(EL3.2) \nNext-generation computer-based or paper-based \nMathematics and/or Science and Technology/ \n \n8 The use of DESE approved word-to-word bilingual dictionaries is \nstrongly encouraged if students have demonstrated usage with \nneed in accessing the native language definition. Some students \nwith limited academic proficiency in their native language may" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "find the dictionary usage a deterrent or a barrier to access the \ndefinition and translation. School teams are advised to use \nprofessional judgment in assessing the need based on the \nindividual learner." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular ODA-06 \nPage 12 of 13 \n \n \n \nAccommodation \nApplicability \nEngineering tests or legacy Mathematics or ELA \nComposition retests \nScribe (including \nhuman scribe or \nspeech-to-text) (EL4.1, \nEL4.2) \nMathematics and/or STE tests or legacy ELA \nReading Comprehension retest \nEnglish/Spanish test \nversion for \nMath/Biology/Physics \nonly (EL7) \nIntended only for a Spanish-speaking EL student \nwho has been in the U.S. for less than 3-years; \nAvailable in computer- and paper-based formats. \n \n \nThe student should be introduced to an accessibility feature or \naccommodation as early as possible in the school year, prior to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "the assessment. Accessibility features and accommodations are \nintended to remove barriers and allow EL students to \ndemonstrate their knowledge and skills more effectively and \nshould never be provided for the first time on a statewide \nassessment. \nPlease consider the following resources available: \n● MA DESE MCAS and ACCESS Participation Requirements \n● MA DESE Authorized Bilingual Word-to-Word Dictionaries \nand Glossaries for Use by ELs and FELs on MCAS \n● MA DESE MCAS Accessibility and Accommodations Site \nIDENTIFYING FIRST YEAR EL STUDENTS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular ODA-06 \nPage 13 of 13 \n \n \n \nA list of the identified first year ELs, students who have been in \nthe U.S. for less than 12 months and are actively enrolled in your \nschool, can be retrieved through SIS (ASPEN). On the ‘Student’ \ntab in the field set menu, filter for “First Year in U.S. Schools LEP \nStudent.” A report will be generated based on the school \nenrollment up to the date of retrieval. \nIn January 2025, the Office of Data and Accountability will flag \nthese students in the SR/PNP file uploaded on the Spring 2025 \ntesting platform. Schools may later export this file to identify the" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link", + "content": "First Year EL students. New first year EL students enrolled after \nJanuary 2025 will not be coded in the file, but schools can identify \nthem in ASPEN. \nFor more information about this circular, contact: \nOwner: \nSenior Executive Director \nDepartment: \nOffice of Data and Accountability \nMailing Address: 2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9450 \nEmail: \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nODA-01 \nVersion 01 \n \n \nPROCEDURES FOR CONDUCTING EDUCATIONAL \nRESEARCH \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to define the policy and procedures \nfor conducting educational research in the Boston Public \nSchools. \nOVERVIEW \nThe mission of the Boston Public Schools’ Office of Data and \nAccountability is to serve the BPS community by facilitating \naccess to quality information and building capacity to make data-\ndriven decisions that advance educational equity, opportunity, \nand achievement for all students. Research is one way to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "facilitate our community’s access to quality information. It is the \nresponsibility of the Office of Data and Accountability to ensure \nthat researchers have access to quality data and can responsibly \ninterpret the results. As such, the Office of Data and \nAccountability reviews and approves research that works to \nadvance educational equity, opportunity, and achievement for all \nstudents by ensuring responsible access to and use of quality \ndata. \nAll research activities must be coordinated through the Office of \nData and Accountability’s BPS Research Team. ODA approval is" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ODA-01, \nPage 2 of 4 \n \nnot required for research that uses data that is publicly available \nsources such as on the BPS public website. A list of current \nsources of publicly available data can be found in the appendix of \nthe Policy and Guidelines document. In these instances, the \nresearcher may use the data presented from these sources as \nlong as the sources are cited, and any modifications or analysis \ndone by the researcher are clearly delineated. Approval by the \nresearcher’s IRB and/or BPS school leaders does NOT guarantee \napproval of research proposals by the BPS Office of Data and \nAccountability (ODA). While research may be approved by ODA," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "BPS school leaders have the final say in whether their particular \nschool will participate in any given study. \nWHO MAY CONDUCT RESEARCH \nAny academic or professional organization or any individual \ndoing doctoral work may submit a proposal to conduct research \nwith the Office of Data and Accountability in BPS. Doctoral \ncandidates must submit written evidence that their proposed \nresearch has been approved by their university’s IRB and will be \nsupervised by their advisor(s). \nWHAT IS THE PURPOSE OF THE RESEARCH TEAM REVIEW? \nWhile it is necessary for all research submissions to have an \napproved/exempted IRB decision from their own institution, BPS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "requires that all research is submitted to the BPS Research Team \nfor review prior to BPS approval. The BPS research review is not \nduplicative of the IRB process and aims to ensure the following: \n● The research is aligned with district priorities. \n● The research follows federal and local guidelines \nregarding conducting research with human subjects in" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ODA-01, \nPage 3 of 4 \n \nschool settings (This includes consent forms for all \nresearch participants; assurance that students receive no \nincentives of monetary value for students and not to \nexceed $50 for teachers; voluntary participation for all \nresearch subjects). \n● The research is not overly burdensome to classrooms and \nis new research that will advance the aims of the district. \n● The research is fully supported by an internal BPS staff \nmember (district sponsor) who is committed to using the \nresult of the research. \nWHAT ARE THE STEPS TO CONDUCTING RESEARCH IN THE \nBPS? \n1. Submit a research proposal adhering to the Guidelines and" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "Procedures. In general, the research submission and review \ncalendar is as follows: \nReview Period Submission \nMonth \nReview Month Decision Letter \nSent \nP1 \nJune 1-30 \nJuly 1-31 \nMid-August \nP2 \nOctober 1-31 \nNovember 1-30 Mid-December \n2. For primary research (i.e., interviewing, focus groups, \nobservations, and in-person surveys), each researcher needs \nto have submitted and passed a CORI check. \n3. For secondary research (i.e., requesting administrative data: \nrecords that are maintained by the school district), \nresearchers need to submit a data request and sign a \nstandard NDA template. NOTE: for some administrative data" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "requests, a fee will be assessed to assist in the fulfillment of \nthe data pull." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ODA-01, \nPage 4 of 4 \n \n4. Submit policy brief updates annually to your district sponsor \nand the Research Team \n(research@bostonpublicschools.org). \n5. Annually renew your research proposal with the BPS \nresearch team. \n6. For continuing research, the following needs to be \nsubmitted: \na. Cover page describing research activities already \nconducted and proposed changes to the study for the \nnext year \nb. Most recent policy brief describing interim findings \nc. Updated district sponsor letter \nd. Updated IRB approval for next year of research \n7. Submit a final report and policy brief (template) for review to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-01 Procedures for Conducting Educational Research", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link", + "content": "research@bostonpublicschools.org once the study has been \nfinalized. The study is officially finalized once the final report \nand policy brief have been approved. \nFor additional information about this circular and the \napplication process, contact: \nOwner: \nSenior Executive Director \nDepartment: \nOffice of Data and Accountability \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9450 \nEmail: \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nODA-02 \nVersion 01 \n \n \nTEST SECURITY AND ETHICS \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to ensure that all BPS staff \nunderstand and follow the appropriate procedures for test \nadministration and security on all state and local tests where \nsome or all content is deemed to be secure content that must \nnot be given to or accessed by unauthorized persons. This \nincludes, but is not limited to, paper or digital information. This \ncircular also outlines the reporting requirements in the case of a \nsecurity breach or a test irregularity. \nREQUIREMENTS" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "REQUIREMENTS \nTesting is not at the option of parent/guardian or the school, \nexcept if a student is not required to be tested based on certain \nconditions that are specified in the specific testing requirements. \nAppropriate testing accommodations must be provided to \neligible students on test day as documented in the students’ \ncurrent Individualized Education Programs (IEPs), Section 504 \nPlans, or English Learner (EL) plans. \nSchool leaders and test administrators must read and adhere to \nall test procedures in the instructions that are issued by the \nMassachusetts Department of Elementary and Secondary \nEducation (MA DESE) and/or the Boston Public Schools. Visitors" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ODA-02 \nPage 2 of 4 \n \n \nare never permitted in the school’s designated testing area; but \nMA DESE and/or BPS staff may make announced or \nunannounced visits to schools during testing days to ensure \ncompliance with testing procedures. \nSchools must enforce a strict electronic devices policy during \ntesting to maintain test security. The term electronic device \nincludes any personal, non-educational device with an on-off \nswitch (with the exception of medical equipment), most \ncommonly cell phones, smart phones, iPods, iPads, iWatch, \ntablets, laptops, and pagers. \nSchools must clearly inform students that bringing an electronic" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "device into the testing area violates district and state policy, and \nviolation of this policy is grounds for confiscation. If brought to \nschool during testing, electronic devices must be stored in a \nsecure location away from students. Acceptable storage includes \nin a bag, backpack, locker, central location in a classroom, or \nschool office. \nConsistent with the district’s Acceptable Use Policy (AUP), school \nleaders have the authority to enforce security measures on \nelectronic devices when used to access testing materials and \nremove devices found to be in violation of the AUP. If any of the \nelectronic devices are accessed during testing, the student’s test" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "is compromised and is to be invalidated due to prohibited \nbehavior, even if the student did not use the device. For \nsuspected student cheating or electronic device violations, the \nschool should conduct the investigation of the incident, report \nthe test violation, and follow their school’s disciplinary \nprocedures to impose sanctions." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ODA-02 \nPage 3 of 4 \n \n \nPENALTIES \nFailure by BPS staff to adhere to the Test Security and Ethics \nRequirements may result not only in sanctions and \nconsequences imposed by the state as outlined in the specific \nassessment policy, but also in disciplinary action by the \nsuperintendent. \nPROCEDURES IF TEST IRREGULARITIES OCCUR OR IF YOU \nSUSPECT A SECURITY VIOLATION \nEach person directly involved in secure test administrations is \nresponsible for immediately reporting any violation or suspected \nviolation of test security. If questions arise concerning test \nsecurity or if any situation occurs that could compromise any part" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "of the test administration process and procedure for any state \ntests, call the MA DESE at 781-338-3625 immediately and/or \nreport the incident using any required form. Please also advise \nyour immediate supervisor and the Office of Data and \nAccountability. For any suspected BPS district assessment test \nviolations or irregularities, contact the Office of Data and \nAccountability at 617-635-9450." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-02 State Testing Security and Ethics", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ODA-02 \nPage 4 of 4 \n \n \nFor additional information about this circular, contact: \nOwner: \nSenior Executive Director \nDepartment: \nOffice of Data and Accountability \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9450 \nEmail: \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nODA-05 \nVersion 01 \n \n \n \nBPS SURVEY ADMINISTRATION GUIDELINES \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nA federal statute, the Protection of Pupil Rights Amendment \n(PPRA), 20 U.S.C. §1232h, affords some protections for students \nand their parents before certain student surveys are conducted. \nMany student surveys, however, will not come within the scope of \nthis statute. Please assess each student survey carefully before \nadministering it to determine if this policy applies. A student \nsurvey that is anonymous or voluntary need not comply with the" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "following policy. Additionally, a student survey that is not \ndeveloped or administered with funds received from the United \nStates Department of Education also does not need to comply \nwith this policy. \nFor those student surveys that are developed or administered \nusing federal education funds and in which a student is required \nto participate, the following policy applies. This policy applies to \nthose surveys that ask a student to reveal any of the following \ninformation: political affiliation; mental illness or psychological \nproblems; sexual behavior and/or attitudes; illegal, self-\nincriminating, and demeaning behavior; critical appraisals of" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "close family members; relationships to which a privilege is \nrecognized, such as clergy, medical doctors, or attorneys; \nreligious affiliations or beliefs; and income, other than for" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ODA-05 \nPage 2 of 10 \n \n \n \neligibility for participation in a program. Prior to administering \nsuch a survey, the student’s parent or guardian must consent, in \nwriting, to the student’s participation in the survey. Also, a copy \nof the survey must be made available to the parent or guardian. \nAny such survey should also be brought to the attention of the \nOffice of Legal Advisor. \nPERCEPTION SURVEYS \nStudent, teacher, and family surveys are an effective tool to \nsupport success inside and outside of the classroom. These \nsurveys are required district-wide; however, schools and \nprograms may choose to administer additional surveys (please" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "see further down for guidance about administering additional \nsurveys). It is the responsibility of all in the Boston Public Schools \nto use the data that emerge from the surveys to ensure that \nevery student receives what they need every day. \nPurpose \nThe Boston Public Schools’ climate, culture, and feedback surveys \nsupport the district strategic goals of eliminating opportunity \ngaps and accelerating learning. The surveys: \n● provide teachers, administrators, students, parents, the \ndistrict, and the community with information \nregarding climate, culture, engagement, and student \nlearning. \n● are utilized to assess criteria for inclusion as a Family \nFriendly School." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ODA-05 \nPage 3 of 10 \n \n \n \n● are included in measures to calculate school scores for \nthe School Quality Framework and assignment tiers for \nthe Home-based Student Assignment System. \nA robust survey system includes surveys that provide information \non the classroom, school, and district levels and is responsive to \nneeds at each of these levels. \n● At the classroom level, the student feedback survey \nprovides teachers with data on student’s perceptions \nof instruction and classroom climate, so that teachers \nmay create formative goals to better meet the learning \nneeds of their students. \n● At the school level, the surveys provide school leaders" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "and leadership teams with data to help them measure \nschool success in relation to school and district goals; \nassess engagement and the creation of a safe and \nwelcoming environment; and work with teachers to \ndevelop strategies that attend to priority areas. \n● At the district level, the surveys provide district leaders \nwith information that allows them to determine if the \nsystem, individual schools, and central departments \nare making progress regarding the district’s long term \nstrategic goals. Information is needed to assess the \neffectiveness of specific initiatives being implemented \nto achieve those goals, to implement effective \npractices, and to eliminate practices that are" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "practices, and to eliminate practices that are \nunsuccessful. Quality information allows comparisons \nacross programs, schools, and classrooms to be data-\ndriven and equitable." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ODA-05 \nPage 4 of 10 \n \n \n \nAdministration Expectations \nPerception survey administration is required for students, staff, \nteachers, and families in Boston Public Schools during SY24-25. \nBPS administers the Student, Family, Teacher, and Staff Surveys \nthrough Panorama. Communications are sent centrally; however, \nschool-based outreach makes the difference for many families! \nSchool leaders and coordinators have access to response rate \ntracking and completion lists via Panorama's platform. In \naddition, survey coordinators and school leaders are offered \ntraining and resources for administration prior to the survey \nwindow." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "window. \nThe following table outlines the surveys required for students, \nstaff, teachers, and families in Boston Public Schools during \nSY24-25, including the purpose, grade level, and administration \nwindows. Specific dates are included in the annual assessment \ncalendar released during summer 2024." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ODA-05 \nPage 5 of 10 \n \n \n \n \nBPS Districtwide Surveys \nSurvey \nPurpose \nGrade \nAdminis-\ntration \nWindow \nStudent \nClimate \nand \nFeedback \nSurveys \nAssesses perceptions of pedagogical \neffectiveness, rigorous expectations, \nrelationships, engagement, \nclassroom climate, school culture & \ncommunity, belonging, mindset, \nschool safety, and more \n3-12 \nMid-Year: \nDecember \nSpring: April-\nMay \nSenior Exit \nSurvey \nCollects information regarding \nstudent postsecondary plans and \noverall experience in high schools. \nGradua-\nting \nSeniors \nApril-June \nTeacher \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "climate, culture, relationships, peer \nvictimization, school leadership, \nprofessional learning, etc \nAll \nMid-Year: \nDecember \nSpring: April-\nMay \nStaff \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, relationships, peer \nvictimization, and school leadership \nAll \n \nSpring: April-\nMay \nFamily \nClimate \nSurvey \nAssesses perceptions of school \nclimate, culture, school \ncommunication, school fit, school \nsafety, engagement, etc. \nAll \nSpring: April-\nMay" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ODA-05 \nPage 6 of 10 \n \n \n \nAccessing Results \nTeachers and other school staff can access results in Panorama: \nsecure.panoramaed.com. (Select “Sign in with Google” and \nchoose your BPS email to log in). Results should be reviewed and \nconsidered with respect to how they may impact planning and \nadjustments, and the alignment with your School Improvement \n90 Day Action Plan: specifically, the Student Culture and Adult \nCulture goals. Resources to support are available in Panorama \nAcademy. \nTo ensure the data is a reasonable representation of their student \npopulation, school-level results are only shown if (1) the response" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "rate is greater than 10%; and (2) there are at least 7 responses to \nensure student confidentiality. Support is available through \nPanorama at support+bps@panoramaed.com. \nADMINISTERING SURVEYS TO MULTIPLE SCHOOL \nCOMMUNITIES OR WITHIN THE CENTRAL OFFICE \nThe above guidelines and recommendations are to support the \nadministration of surveys to students, families, and school staff. \nThe remainder of this circular describes the process that will be \nused to create and administer surveys for central office staff or \nmultiple school communities. To reduce the number of surveys \nthat staff are required to respond to, the Office of Data and" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Accountability will review all surveys prior to their administration. \nPlease refer to the BPS survey calendar for existing surveys and \ntheir timelines, if available. The process below describes how \nthese offices will review survey creation and administration. \nStep 1: Survey Request Process" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ODA-05 \nPage 7 of 10 \n \n \n \nIf your office is interested in administering a survey to staff \noutside of your department, you will need to submit a survey \nrequest form to the Office of Data and Accountability. The form \nwill collect information on: \n● the goals and objectives of the survey \n● decisions the survey is meant to inform \n● tabulations and analytics results that will inform the \ndecision \n● confirmation that this information is not already being \ncollected in other surveys \n● audience and users (especially if intended to for any \noutside agencies) \n● research approval requirement, if any" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "● research approval requirement, if any \n● sensitivity of data being collected and any necessary \nsecurity protections \n● ideal timeline for the survey/form to be administered \nas it relates to instructional priorities \n● \n● ideal method for distribution. \nDepending on the targeted survey population, surveys should be \nscheduled in coordination with any standing district surveys to \nmitigate overlap. Departments or teams must share the reasons \nfor collecting information and how this information will be used. \nWhether responding to the collection of information is \nmandatory or voluntary, each team should take into \nconsideration the timeline of requested responses in relation to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "other district required training, surveys, and events." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular ODA-05 \nPage 8 of 10 \n \n \n \nStep 2: Consultation \nOnce you have submitted your survey request form, the Office \nData and Accountability will meet with you to review your \nrequest and determine whether it is appropriate and distinct \nfrom other survey collection tools already in use by the district. If \nthe survey is approved to be administered, the Office of Data and \nAccountability will be able to recommend a level of support for \ncreating and administering the survey. Examples of ODA support \nmay include, but are not limited to, item and domain \ncreation/review, sampling strategy, survey administration timing," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "communication; design, hosting, and analysis of collected data." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular ODA-05 \nPage 9 of 10 \n \n \n \nStep 3: Data Analysis and Dissemination of Information \nA plan for analysis of the survey data should be provided prior to \ninitiating the collection of data. Teams are expected to keep \ndetailed documentation of activities and decisions informed by \nthe data collected. Departments should plan to identify which \nportions of their evaluation will be shared with participants. High \nvisibility data, such as results that will be shared with the public, \nthe School Committee, and/or School Committee task \nforce/working groups should be shared with the Offices of the \nSuperintendent and Data and Accountability to interpret results" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "from the analysis and inform the process for future recurring \nsurveys. \nBEST PRACTICES FOR SURVEYS AND DATA COLLECTION \n1. Shorter surveys will lead to increased response rates. \nLimiting the number of questions in a survey will increase \nthe response rate and improve your overall ability to collect \nfeedback. Surveys should be designed to minimize the \nrespondent’s time and ideally designed to be completed on \na mobile device in 3-5 minutes. \n2. Minimize open response answers. \nOpen response answers (short or paragraph) will increase \nthe amount of time it takes to complete a survey and can \nlead to degraded response quality. Using drop-" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "lead to degraded response quality. Using drop-\ndown/checkbox options as much as possible will improve \nyour survey response rates and allow for easier data analysis. \n3. Do not collect data that we already have." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular ODA-05 \nPage 10 of 10 \n \n \n \nA common practice when designing surveys is to ask for \ndata that we already have in a data system, such as names, \ngrade levels, school name, etc. However, this increases the \ntime to complete the survey and increases risk of data leak if \nthe responses are not safeguarded. Collecting a \nrespondent’s email address or emp/student ID number \nshould be sufficient for identifying the person afterwards \nand additional identifying information that is already \ncontained in a BPS data system should be used during \nanalysis. \nFor more information about this circular, contact: \nOwner: \nSenior Executive Director \nDepartment:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-05 BPS Survey Administration Guidelines", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link", + "content": "Owner: \nSenior Executive Director \nDepartment: \nOffice of Data and Accountability \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-9450 \nEmail: \nall-acad-division@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nODA-03 \nVersion 01 \n \n \n \nGUIDELINES AND PROCEDURES FOR ACCESSING \nSTUDENT DATA \nThis circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nBoston Public Schools recognizes and values the planning, \nresearch, and evaluation work done by our partner organizations, \npolicymakers, and the greater education community to improve \neducation. The Office of Data and Accountability has established \nthe following guidelines regarding the processing of data \nrequests to improve the quality, timeliness, security, and \nappropriateness of requests and request handling. Additionally," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "as the Office of Data and Accountability is charged with \nprotecting student privacy and confidentiality, all student data \nrequests will be evaluated against federal, state, and local data \nregulations to ensure student confidentiality. \nThe following data sources are considered directory information. \nBy federal, state, and local laws, they can be given to external \nparties without explicit consent from parents/guardians. All other \nstudent data are not considered directory and should not be \nshared with members of the public without express consent from \nparents/guardians or unless disclosure is expressly permitted by \nan exemption under federal or state law. Schools should not" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "share any non-directory student data with external parties," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ODA-03 \nPage 2 of 11 \n \n \nmembers of the public, or media outlets. Common examples of \nnon-directory information that should not be shared include, but \nare not limited to, date of birth, BPSID, and school name. All \nrequests for non-directory student information should be \ndirected to the Office of Data and Accountability. \nDirectory Information: \n1. Student’s name \n2. Age \n3. Grade Level \n4. Dates of enrollment \n \nGUIDELINES AND PROCEDURE FOR ACCESSING STUDENT DATA \nPublicly Available Data \nThe Boston Public Schools (BPS) and the Massachusetts \nDepartment of Elementary and Secondary Education (MA DESE)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "make a number of datasets and reports publicly available online. \nBefore submitting a data request, please review Appendix I to see \nif your data request is included in publicly available data. \nAdditionally, BPS departments regularly make presentations to \nthe Boston School Committee. See Appendix I for links to \nmaterials from School Committee meetings.. Appendix I includes \nthe following types of data available for public use.\n● General data profile of \nBPS \n● Student Attendance \nand Discipline \n● Standardized test \nresults \n● School Climate \n● Student Enrollment \nand Demographics \n● High School and \nPostsecondary" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ODA-03 \nPage 3 of 11 \n \n \n \nFor school personnel, there are additional reports available in \nAspen and Panorama. \nLegal Guidelines on Requesting Student Data \nIf your data needs are not met by publicly available reports \nprovided by BPS and MA DESE (see Appendix I), you may be able \nto request certain additional data. The Family Educational Rights \nand Privacy Act (FERPA), the Massachusetts Department of \nElementary and Secondary Education (MA DESE), and the Boston \nPublic Schools establish regulations that maintain family and \nstudent data privacy rights. These regulations restrict BPS and \nschools governed by BPS from providing personally identifiable" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "information without family or student consent1. Additionally, any \nindividual or organization intending to use BPS student data for \nresearch and/or evaluation purposes must submit a research \nproposal to the district before any research activities, including \nadministrative data sharing, may take place. Receipt of grant \nfunds does not guarantee approval to conduct research by the \nBPS Office of Data and Accountability. Guidelines for conducting \nresearch in BPS and the research application can be found on the \nBPS website. \nFor data requests that include either identifiable or de-identified \n \n1 Exceptions may apply to the general data request" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "requirements. Three common exceptions include: \n1. District sponsored-studies to improve instruction (Studies); \n2. Evaluations or audits of federally-mandated programs \n(Audit); or \n3. Provisions of data to appropriate school and central office \nstaff (School Official)" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ODA-03 \nPage 4 of 11 \n \n \nstudent-level data, a written and signed agreement will be \nrequired, depending on the scope of the request. The Office of \nData Accountability will communicate with all requesters to \nexecute the appropriate agreements prior to sharing data. \nFor requests for individual student records, please see the BPS \nSuperintendent’s Circular LGL-7: Privacy of Student Information \nand Student Record Procedures: How to Respond to Student \nRecord Requests in Compliance with FERPA and State Law." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ODA-03 \nPage 5 of 11 \n \n \nIn order to determine the next steps for your data needs: \nWHAT CATEGORY OF DATA IS REQUESTED? \n \nLevel of Data \nData Request Requirements \nAggregate Data \nDe-identified aggregate level data is generally \navailable to requesters without explicit \nparent/guardian consent. Aggregate groups that \ncontain fewer than 10 students will be suppressed to \nprotect privacy. To gain access to this data please see \nthe section below on the process to request data. \nStudent-Level \nAdministrative \nData \nDe-identified student-level administrative data \nrequires a current signed non-disclosure agreement" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "(NDA) with the Office of Data and Accountability. \nStudent-Level \nRoster Data \nIdentifiable student-level roster data requires current \nfamily consent as well as a current signed NDA with \nthe Office of Data and Accountability." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ODA-03 \nPage 6 of 11 \n \n \nWHO IS REQUESTING DATA? \nRequester \nNotes \nBPS Officials \nand School \nPersonnel \nSchool leaders have access to identifiable and individual \nstudent data only for the students in their school for the \nacademic year that they are enrolled in the school. \nTeachers have access to identifiable and individual \nstudent data only for the students they are teaching in \nthat academic year. \nResearcher \nAll research requests must go through the research \nproposal process. \nBPS School- \nCommunity \nPartners \nBPS deeply values and recognizes school-community \npartnerships as a key strategy in our collective efforts to" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "ensure all our students achieve success in college, career, \nand life. Data can be an important tool for partners to \neffectively collaborate with schools to strengthen \nservices for students. For partners to collect or access \nany data about students, school-community partners \nmust be fully registered on PartnerBPS. A complete \nregistration on PartnerBPS includes registration of all \nprograms the Partner runs in BPS and all partnerships \nthey have with BPS schools. More information on the \nPartnerBPS registration process can be found here. \nPartners must also have active parental consent to \nobtain individual and identifiable data on students" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "unless the request falls under the FERPA exceptions. \nFurthermore, partners must sign a Non-Disclosure \nAgreement with the district before receiving any data. If \na school-community partner has any agreement with \nschools including memoranda of understanding," + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ODA-03 \nPage 7 of 11 \n \n \ncontracts for services, and/or school-based partnership \nagreements, this must also be provided when \nsubmitting a data request. Typical school-community \npartner data requests include student demographics, \nquarterly attendance, and course grades for consented \nenrolled students. \nMedia \nAll media requests must go through the BPS \nCommunications Office. \nAgencies \noutside of BPS \nAgencies may receive aggregate level de-identified data. \nAny aggregate group of fewer than 10 students may be \nsuppressed to protect student privacy. \n \nPROCESS FOR REQUESTING DATA \nTo receive data according to the guidelines listed above, requests" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "must be submitted through the Office of Data and \nAccountability’s Data Request Form. \nIn preparation for completing the form, please have the following \ninformation available: \n● Purpose/Use: how will the requested data be used? \n● Intended Audience: with whom will you share the \ndata/analysis? Note: depending on the nature of the data \nrequest, some data may not be appropriate for sharing \nwith the public. \n● Summary of data request: please describe in detail what \ndata is being requested, including school years, student \npopulation, student attributes, and data scope. \n \nPlease note that if you are requesting data for a specific group of" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular ODA-03 \nPage 8 of 11 \n \n \nstudents, BPS student ID numbers or state-assigned student ID \nnumbers must be provided. Requests without ID numbers will \nnot be fulfilled. \nAfter submitting the form, requesters will receive an automatic \nconfirmation email. If analysts have any clarifying questions, they \nwill reach out to the requester within 3-5 business days. While \nODA endeavors to fulfill all non-research requests within 15 \nbusiness days, high volume and more complex requests may \ndictate a longer turnaround time. As such, we will attempt to \nfulfill partner data requests with an already executed NDA within" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "15 business days; and, we will attempt to fulfill research requests \nwith a fully executed NDA within 25 business days. Please plan \naccordingly when submitting a data request. The Office of Data \nand Accountability reserves the right to deny certain data \nrequests. \n► All requests from the media must go through the BPS \nCommunications Office. Communications can be \nreached at 617-635-9265 or \ncommunications@bostonpublicschools.org. \n► All public records requests should be submitted through \nthe City of Boston’s online Public Records Center. \nFEES FOR DATA REQUESTS \nSome data requests may incur a fee, dependent on size, the time" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "required, and the scope of the request. Upon receipt of a data \nrequest, the Office of Data and Accountability will communicate \nwith the requester and provide a fee estimate, if applicable. \n \nFor additional information about this circular, contact:" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular ODA-03 \nPage 9 of 11 \n \n \nOwner \nSenior Executive Director \nDepartment: \nOffice of Data and Accountability \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9450 \nEmail: \nrc069@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular ODA-03 \nPage 10 of 11 \n \n \nAPPENDIX I: PUBLICLY AVAILABLE DATA \nOverview of Boston Public Schools \n● BPS At a Glance \n● Facts and Figures \n● Boston District Profile (MA DESE) \n● BPS School Profiles (MA DESE) \n● Data and Reports produced by the Office of Data and \nAccountability \n● School Committee Meetings Materials \nStandardized test results \n● MCAS results by school and district, with options to \ndisaggregate by subgroup and grade level \n● PARCC results by school and district, with options to \ndisaggregate by subgroup \n● NAEP results \n● ACCESS results \nStudent Enrollment and Indicators \n● Attrition \n● Enrollment by Grade - Number of students by grade" + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "● Enrollment by Kindergarten - Enrollment by Kindergarten \n● Enrollment by Race/Gender - Percent of public school \nstudents by race and gender. \n● Enrollment by Selected Population - Number and percent \nof public school students in subgroups: First Language \nNot English (FLNE), English Language Learners (ELL), \nStudents with Disabilities, High Needs, and Low Income. \n● Enrollment for Students with Disabilities and CVTE \n● Mobility Rate Report - Students transferring into or out of \npublic schools, districts, or the state." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular ODA-03 \nPage 11 of 11 \n \n \n● Student Attendance Report \n● Student Retention Report \n● Student Discipline - Student Discipline data is reported \nfrom the Student Safety and Discipline Report (SSDR) \n● Student Discipline Days Missed Report - Student \nDiscipline Days Missed Report \nSchool Climate \n● Reports can be found on the BPS website. \nHigh School and Postsecondary Data \n● Advanced Placement Participation - Number of students \nwho took one or more Advanced Placement exams for \neach subject. \n● Advanced Placement Performance - Number of students \nwho received each possible score on the Advanced \nPlacement exam for each subject." + }, + { + "folder_name": "Data and Accountability", + "file_name": "ODA-03 Guidelines and Procedures for Accessing Student Data", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link", + "content": "Placement exam for each subject. \n● Dropout Report - This report provides the percentage of \nMassachusetts public high school graduates who drop \nout of high school. \n● Graduates Attending Higher Ed. - Graduates Attending \nHigher Ed. \n● Graduation Rates - Percent of students who graduate \nwith a regular high school diploma within 4 or 5 years by \nstudent group. \n● MassCore - The Massachusetts High School Program of \nStudies (MassCore) is intended to help our state's high \nschool graduates arrive at college or the workplace well \nprepared and reduce the number of students taking \nremedial courses in college. \n● Plans of High School Grads \n● SAT Performance" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nOIIT-02 \nVersion 01 \n \n \n \nPROCURING DIGITAL PRODUCTS GUIDANCE \nDOCUMENT \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance to Boston Public \nSchools (BPS) staff on the process to procure new digital learning \ntechnologies that use student education records or staff \ninformation. The overarching guidance is that schools and central \noffice departments should continue to use already-vetted digital \nproducts that are included with the Google Enterprise suite of \ntools or those that are included in Clever. \nDEFINITIONS" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "DEFINITIONS \nDigital Tool - Any digital products or learning tools that are used \nto enhance or improve workflows that do not store or maintain \ndata/information. Examples include applications like \nSmartsheets, Chrome Extensions, or personal notation tools. \nThese tools are exempt from this circular. \nSystem - Any digital platform that purposely built to store, \nmaintain, or transfer sensitive student or staff data/information. \nExamples include Aspen or EdPlan." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular OIIT-02 \nPage 2 of 5 \n \n \n \nPlatform - A suite of tools and programs that allow users to \ncreate structures to maintain information. Examples include \nGoogle Apps, Salesforce, or Wordpress. \nLearning Application - Any digital tool used in a classroom \nsetting that may contain content and student \ninformation/progress. Learning applications may fall into multiple \ncategories, depending on how they are used, but any tool that \ncontains content and tracks student learning should be \nconsidered a learning app for the purpose of this document. \nExamples include Imagine Learning. \nCONTEXT \nBPS staff seeking online learning products or receiving offers to" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "use online learning products to support instruction in a digital \nspace has resulted in the desire to use products that may not be \naligned to BPS instructional standards, do not comply with our \ntechnical specifications, or do not adhere to data sharing \nguidelines under FERPA. Our district is committed to ensuring \nthat appropriate educational supports and effective learning \nopportunities are provided to students. As such, this document \nwill outline guidance for the appropriate review of digital \nlearning tools in BPS. The guidelines outlined below are created \nto ensure that product confidentiality and security practices \nmeet or exceed industry standards and adhere to the" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "expectations contained in the federal Family Education Rights \nand Privacy Act (FERPA), the Children’s Online Privacy Protection \nAct (COPPA), the Protection of Pupil Rights Amendment (PPRA), \nand HIPAA regulations. This document describes the \nconsiderations schools and central office staff should employ" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular OIIT-02 \nPage 3 of 5 \n \n \n \naround protecting student data and education records, when \nselecting digital learning tools. \nGUIDANCE FOR BPS STAFF PROCURING DIGITAL PRODUCTS \nAny tools or products that are procured (paid for or free) by \nschools or departments for schoolwide or districtwide use need \nto comply with the FERPA school official exception criteria1 and \nspecifications for technical interoperability. Exceptions are made \nfor tools that do not track/store/maintain student or staff \ninformation. For example, a Chrome Extension that magnifies the \nscreen does not fall under these guidelines since it will not be" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "1 Performs an institutional service or function for which the \neducational agency or institution would otherwise use its own \nemployees; \nHas been determined to meet the criteria set forth in in the \neducational agency’s or institution’s annual notification of \nFERPA rights for being a school official with a legitimate \neducational interest in the education records or PII; \nIs under the direct control of the educational agency or \ninstitution regarding the use and maintenance of the education \nrecords or PII; and \nUses the education records or PII only for authorized purposes \nand does not re-disclose the education records or PII to other" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "parties (unless the provider has specific authorization from the \neducational agency or institution to do so and it is otherwise \npermitted by FERPA). See 34 CFR §99.31(a)(1)(i)." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular OIIT-02 \nPage 4 of 5 \n \n \n \naccessing any sensitive information. New requests for products \nshould: \n1. Meet the district’s technical specifications \n2. Have signed or sign a data privacy agreement \n3. Aligned to the Essentials for Instructional Equity \n4. Serve a purpose that is distinct from currently available tools \nwithin the district. \nPROCESS FOR SUBMITTING A SPENDING APPROVAL FOR THE \nDIGITAL LEARNING PRODUCT \nBefore a new digital learning product will be integrated, the \nfollowing steps need to be completed: \n1. Review the Essentials for Instructional Equity for alignment. \n2. Have the vendor submit an NDA Request to receive and sign" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "the MA Student Data Privacy Agreement and Technology \nSpecifications Template. \n3. Once fully executed, follow the procurement process as \noutlined in the BUSINESS SERVICES GUIDE. \n4. Once the product is procured, email the BPS Clever Admin \nat cleveradmin@bostonpublicschools.org" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-02 Procuring Digital Products Guidance Document", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular OIIT-02 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nName: \nDirector of Technology \nDepartment: \nOffice of Instructional and Information \nTechnology, Office of Data & Accountability \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9200 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nOIIT-01 \nVersion 01 \n \nACCEPTABLE USE POLICY AND GUIDELINES \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nGuidelines for Implementation of Acceptable Use Policy for \nDigital Information, Communication, and Technology Resources \nSCOPE OF POLICY \nBoston Public Schools (BPS) provides access to technology \ndevices, Internet, and data systems to employees and students \nfor educational and business purposes. This Acceptable Use \nPolicy (AUP) governs all electronic activity of employees using \nand accessing the district’s technology, internet, and data" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "systems regardless of the user’s physical location. \nGUIDING PRINCIPLES \n• Online tools, including social media, should be used in our \nclassrooms, schools, and central offices to increase \ncommunity engagement, staff and student learning, and \ncore operational efficiency. \n• BPS has a legal and moral obligation to protect the personal \ndata of our students, families, and staff. \n• BPS should provide a baseline set of policies and structures \nto allow schools to implement technology in ways that meet \nthe needs of their students. All students, families, and staff" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular OIIT-01 \nPage 2 of 13 \n \nmust know their rights and responsibilities outlined in the \nAcceptable Use Policy and government regulations. \n• Nothing in this policy shall be read to limit an individual’s \nconstitutional rights to freedom of speech or expression or \nto restrict an employee’s ability to engage in concerted, \nprotected activity with fellow employees regarding the \nterms and conditions of their employment. \nCOMPLIANCE REQUIREMENT FOR EMPLOYEES \nThe Acceptable Use Policy is reviewed annually by the BPS Chief \nInformation Officer and is issued via the Superintendent’s \nCircular. Technology users are required to verify that they have" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "read and will abide by the Acceptable Use Policy annually. \nSTUDENT AUP & CONTRACT \nCopies of the Acceptable Use Policy and the student contract for \nInternet use are included in the Guide to Boston Public Schools \nfor Families & Students, given to all students at the beginning of \nthe school year. The Student Contract for Internet Use must be \ncompleted and signed by all students and their parent/guardian \nafter going over the AUP together. The signed contract must be \nreturned to the school before the student may begin using the \nInternet. \nCONSEQUENCES OF BREACH OF POLICY \nUse of all BPS technology resources is a privilege, not a right. By" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "using BPS internet systems and devices, the user agrees to follow \nall BPS regulations, policies, and guidelines. Students and staff \nare encouraged to report misuse or breach of protocols to \nappropriate personnel, including building administrators, direct" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular OIIT-01 \nPage 3 of 13 \n \nsupervisors, and the Office of Instructional and Information \nTechnology (OIIT). Abuse of these privileges may result in one or \nmore of the following consequences: \n• Suspension or cancellation of use or access privileges. \n• Payments for damages or repairs. \n• Discipline under appropriate School Department policies, up \nto and including termination of employment, subject to any \ncollective bargaining obligations. \n• Liability under applicable civil or criminal laws. \nDEFINITIONS \nFreedom of Information Act (FOIA) - The FOIA is a law that allows \nfor the release of government documents at the request of an" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "individual. A FOIA request can be made to the Boston Public \nSchools for electronic documents/communications stored or \ntransmitted through district systems unless that information \ncould be detrimental to governmental or personal interests. For \nmore information, visit http://www.foia.gov/ \nFamily Educational Rights and Privacy Act (FERPA) - The FERPA \nlaw protects the privacy, accuracy, and release of information for \nstudents and families of the Boston Public Schools. Personal \ninformation stored or transmitted by agents of the Boston Public \nSchools must abide by FERPA laws and the BPS is required to \nprotect the integrity and security of student and family" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "information. For more information, visit \nhttp://www.ed.gov/policy/gen/guid/fpco/ferpa/index.html \nChildren’s Internet Protection Act (CIPA) - Requires schools that \nreceive federal funding through the E-Rate program to protect" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular OIIT-01 \nPage 4 of 13 \n \nstudents from content deemed harmful or inappropriate. The \nBoston Public Schools is required to filter internet access for \ninappropriate content, monitor the internet usage of minors, and \nprovide education to students and staff on safe and appropriate \nonline behavior. \nCOMMUNICATION & SOCIAL MEDIA \nEmployees and students are provided with district email \naccounts and online tools to improve the efficiency and \neffectiveness of communication, both within the organization \nand with the broader community. Communication should be \nconsistent with professional practices used for all" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "correspondence. When using online tools, members of the BPS \ncommunity will use appropriate behavior: \na) when acting as a representative or employee of the Boston \nPublic Schools. \nb) when the communication impacts or is likely to impact the \nclassroom or working environment in the Boston Public \nSchools. \nAll communication sent by an employee using district property \nor regarding district business could be subjected to public access \nrequests submitted through Freedom of Information Act (FOIA). \nUsers need to be aware that data and other material/files \nmaintained on the school district’s systems may be subject to \nreview, disclosure, or discovery. Use of personal email accounts" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "and communication tools to conduct school business is strongly \ndiscouraged and may open an individual’s personal account to \nbe subject to FOIA inquiries. BPS will cooperate fully with local, \nstate, and federal authorities in any investigation concerning or" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular OIIT-01 \nPage 5 of 13 \n \nrelated to any illegal activities or activities not in compliance with \nschool district policies or government regulations. \nGUIDELINES FOR ONLINE COMMUNICATION \n• Communication with students should not include content \nof a personal nature. \n• When communicating with parents/guardians of students, \nemployees should use email addresses and phone numbers \nlisted in the Student Information System (SIS) unless steps \nhave been taken to verify that the communication is \noccurring with a parent/guardian that has educational \nrights for the student. \n• When communicating with a parent/guardian, refrain from" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "discussing any non-related students when possible. \n• Employees who use internal or external social media (blogs, \nX/Twitter, etc.) are expected to refrain from discussing \nconfidential information and/or discussing specific students. \nInformation that can be traced back to a specific student or \ncould allow a student to be publicly identified should not be \nposted on any social media sites. \n• When using social media, employees are expected to refrain \nfrom posting any negative comments online about \nstudents. \n• Employees are required to notify their principal/headmaster \nbefore setting up an online site to facilitate student learning. \nEmployees are encouraged to monitor/moderate online" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "communication to the best of their abilities. \n• Employees are advised not to add any students/former \nstudents or parents as ‘friends’ or contacts on social media" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular OIIT-01 \nPage 6 of 13 \n \nunless the site is specifically set up to support classroom \ninstruction or school business. \n• Employees may communicate with BPS graduates (+18 \nyears old) on social media but should be advised to maintain \nprofessionalism and caution when communicating online. \n• Employees are advised not to add parents/guardians of \nstudents as ‘friends’ or contacts on social media to maintain \nprofessionalism and to avoid any appearance of conflict of \ninterest. \n• Avoid responding to spam or phishing attempts that require \na user to click on any links or to provide any account \ninformation. Note: BPS will never ask for a user’s account" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "password for any purpose. Users are advised to report any \nsuspicious requests for account information directly to the \nOIIT Help Desk (617-635-9200). \nSOLICITATION \nWeb announcements and online communication promoting a \nbusiness are prohibited by the BPS Solicitation Policy. The \nSuperintendent’s Office may make exceptions if benefits are \njudged sufficient to merit exception." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular OIIT-01 \nPage 7 of 13 \n \nUSE OF COPYRIGHTED MATERIALS \nViolations of copyright law that occur while using the BPS \nnetwork or other resources are prohibited and have the potential \nto create liability for the district as well as for the individual. BPS \nstaff and students must comply with regulations on copyright \nplagiarism that govern the use of material accessed through the \nBPS network. \nUsers will refrain from using materials obtained online without \nrequesting permission from the owner if the use of the material \nhas the potential of being considered copyright infringement. \nBPS will cooperate with copyright protection agencies" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "investigating copyright infringement by users of the computer \nsystems and network of the Boston Public Schools. \nNETWORK USAGE \nNetwork access and bandwidth are provided to schools for \nacademic and operational services. BPS reserves the right to \nprioritize network bandwidth and limit certain network activities \nthat are negatively impacting academic and operational services. \nUsers are prohibited from using the BPS network to access \ncontent that is inappropriate or illegal, including but not limited \nto content that is pornographic, obscene, illegal, or promotes \nviolence. \nNETWORK FILTERING & MONITORING \nAs required in the Children’s Internet Protection Act (CIPA), BPS" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "is required to protect students from online threats, block access \nto inappropriate content, and monitor Internet use by minors on \nschool networks. OIIT is responsible for managing the district’s" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular OIIT-01 \nPage 8 of 13 \n \nInternet filter and will work with the BPS community to ensure \nthe filter meets the academic and operational needs of each \nschool while protecting minors from inappropriate content. \nBy authorizing use of technology resources, BPS does not \nrelinquish control over materials on the systems or contained in \nfiles on the systems. There is no expectation of privacy related to \ninformation stored or transmitted over the BPS network or in \nBPS systems. BPS reserves the right to access, review, copy, store, \nor delete any files (unless other restrictions apply) stored on BPS" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "computers and all employee and student communications using \nthe BPS network. Electronic messages and files stored on BPS \ncomputers or transmitted using BPS systems may be treated like \nany other school property. District administrators and network \npersonnel may review files and messages to maintain system \nintegrity and, if necessary, to ensure that users are acting \nresponsibly. BPS may choose to deploy location tracking software \non devices for the sole purpose of locating devices identified as \nlost or stolen. \nPERSONAL USE \nBPS recognizes that users may use BPS email, devices, and \nnetwork bandwidth for limited personal use; however, personal" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "use should not interfere with or impede district business and/or \ncause additional financial burden on the district. Excessive use or \nabuse of these privileges can be deemed in violation of the \nAcceptable Use Policy." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular OIIT-01 \nPage 9 of 13 \n \nNETWORK SECURITY \nThe BPS Wide Area Network (WAN) infrastructure, as well as the \nbuilding-based Local Area Networks (LANs) are implemented \nwith performance planning and appropriate security measures in \nmind. Modifications to an individual building network \ninfrastructure and/or use will affect LAN performance and will \nreduce the efficiency of the WAN. For this reason, any additional \nnetwork electronics including, but not limited to, switches, \nrouters, and wireless access points must be approved, purchased, \ninstalled, and configured solely by OIIT to ensure the safety and" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "efficiency of the network. Users are prohibited from altering or \nbypassing security measures on electronic devices, network \nequipment, and other software/online security measures without \nthe written consent of the chief information officer. \nDATA & SYSTEMS \nAccess to view, edit, or share personal data on students and \nemployees maintained by BPS central offices, individual schools, \nor by persons acting for the district must abide by local, state, \nand federal regulations, including the Family Educational Rights \nand Privacy Act. Student and staff information and data may only \nbe shared with individuals deemed eligible to have access by the" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "person(s) responsible for oversight of that data. Outside parties \nand/or non-BPS individuals requesting protected data must \nreceive approval from the Office of the Legal Advisor and have a \nnon-disclosure agreement with the BPS. Individuals requesting \nongoing access to data through BPS systems are required to \nhave a designated BPS administrator who will act as a “sponsor” \nto ensure the safety of the data." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular OIIT-01 \nPage 10 of 13 \n \nELECTRONIC TRANSMISSION OF DATA \nWhen educational records or private data are transmitted or \nshared electronically, staff are expected to protect the privacy of \nthe data by password-protecting the record/file and only using \nBPS systems to transmit data. Staff are also expected to ensure \nrecords are sent only to individuals with a right to said records \nand must take reasonable measures to ensure that only the \nintended recipients are able to access the data. \nPASSWORDS \nUsers are required to adhere to password requirements set forth \nby the Boston Public Schools and the City of Boston when" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "logging into school computers, networks, and online systems. \nUsers are not authorized to share their password and must use \nextra caution to avoid email scams that request passwords or \nother personal information. \nMEDIA & STORAGE \nAll local media (USB devices, hard drives, CDs, flash drives, etc.) \nwith sensitive data must be securely protected with a password \nand/or encrypted to ensure the safety of the data contained. Use \nof cloud-storage services for storage or transmission of files \ncontaining sensitive information must be approved by the Office \nof the Legal Advisor and OIIT. Users are encouraged to use BPS \napproved data/information systems for the storage and" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "transmission of sensitive data whenever possible and avoid \nstorage on local hardware that cannot be secured." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular OIIT-01 \nPage 11 of 13 \n \nELECTRONIC DEVICES \nBPS defines electronic devices as, but not limited to, the \nfollowing: \n• Laptop and desktop computers, including like-devices \n• Tablets \n• Wireless email and text-messaging devices, i.e., iPod \n• Smartphones \n• Donated devices \nDEVICE SUPPORT \nBPS provides basic installation, synchronization, and software \nsupport for BPS-issued electronic devices. Devices must be \nconnected to the BPS network on a regular basis to receive up-\nto-date software and antivirus updates and for inventory \npurposes. Password protection is required on all BPS-issued \nelectronic devices to prevent unauthorized use in the event of" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "loss or theft. Users are responsible for making periodic backups \nof data files stored locally on their devices. \nLOSS/THEFT \nUsers must take reasonable measures to prevent a device from \nbeing lost or stolen. In the event an electronic device is lost or \nstolen, the user is required to immediately notify appropriate \nschool staff and/or their direct supervisor, local authorities, and \nthe OIIT Service Desk (617-635-9200). The BPS will take all \nreasonable measures to recover the lost property and to ensure \nthe security of any information contained on the device. \nRETURN OF ELECTRONIC DEVICES" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular OIIT-01 \nPage 12 of 13 \n \nAll technology purchased or donated to the BPS is considered \ndistrict property, and all equipment assigned to employees or \nstudents must be returned prior to leaving their position or \nschool. All equipment containing sensitive information and data \nmust be returned directly to OIIT before it can be redeployed. \nPERSONAL ELECTRONIC DEVICES \nThe use of personal electronic devices is permitted at the \ndiscretion of the principal/head of school and chief information \nofficer. The BPS is not responsible for the maintenance and \nsecurity of personal electronic devices and assumes no" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "responsibility for loss or theft. The district reserves the right to \nenforce security measures on personal devices when used to \naccess district tools and remove devices found to be in violation \nof the AUP. \nENERGY MANAGEMENT \nBPS strives to reduce our environmental footprint by pursuing \nenergy conservation efforts and practices. The district reserves \nthe right to adjust power-saving settings on electronics to reduce \nthe energy consumption. \nTECHNOLOGY PURCHASING & DONATIONS \nTechnology hardware and software must be purchased or \ndonated through OIIT unless prior approval has been received by \nOIIT and the Business Office. All technology purchases and" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "donations must abide by City procurement policies and are \nsubject to approval by OIIT. Technology pricing can include \nadditional expenses required to ensure proper maintenance and \nsecurity, including but not limited to warranties," + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular OIIT-01 \nPage 13 of 13 \n \nhardware/software upgrades, virus protection, and \nsecurity/inventory software. Schools or departments applying for \ntechnology grants, funding, or donations must budget for any \nadditional expenses associated with the requested technology \nand can be held responsible for any additional expenses incurred. \nFor more information about this circular, contact: \nName: \nDirector of Technology \nDepartment: \nOffice of Instructional and Information \nTechnology \nMailing Address: \nBruce C. Bolling Building, 2300 Washington \nStreet, Roxbury, MA 02119 \nPhone: \n617-635-9199 \nFax: \n617-635-9176 \nEmail: \nOperations-Department-" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-01 Acceptable Use Policy", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link", + "content": "617-635-9176 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nOIIT-03 \nVersion 01 \n \nTECHNOLOGY PURCHASING, DONATIONS & \nRETURN GUIDE \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nPURPOSE \nThis document is intended to provide guidance on the \ntechnology purchasing process, acceptance of technology \ndonations, and the return of technology. \nTECHNOLOGY PURCHASING \nAll requests to procure technology that must be added to the \nBPS network should be submitted to BPSTechnology (OIIT) \nthrough the Technology Purchasing Request (Form 40), \nregardless of funding source. Please visit the BPSTechnology \nPurchasing Menu for technology options, pricing, and the" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "request form. If you’re not sure if a request form should be \nsubmitted, please feel free to reach out. \nTechnology listed on the menu has been evaluated by \nBPSTechnology (OIIT) experts based on industry standards, \ndistrict priorities, and school needs. Most technologies come with \nthe standard BPS image, and we guarantee service and support \nfor the equipment. Competitive pricing has been negotiated with \nvendors, contracts are already in place, and BPS purchasing \nguidelines have been met." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular OIIT-03 \nPage 2 of 5 \n \n \nIf you do not find what you are looking for on the menu, please \nreach out. While most technologies are standardized across the \ndistrict, we may be able to get them with different specifications \n(i.e. memory, storage). If you are considering technology that \ncannot be supported by BPSTechnology (OIIT), please: \n• examine compatibility with existing systems and digital \napplications, \n• be conscious of any software licensing or subscriptions \nneeded, \n• understand the warranty coverage and how repairs will be \nhandled, \n• ensure training is available on use and integration of the \ntechnology," + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "technology, \n• arrange for shipment, delivery, assembly, and installation if \nnecessary, \n• follow the procurement process (see Business Services \nGuide), and \n• plan ahead to meet implementation and procurement \ntimelines. \nBPSTechnology (OIIT) reserves the right to decline requests for \nthe procurement of technology. \nBefore submitting your request, please be sure sufficient funding \nis available in technology accounts (55903, 55905, and 55907). If \npaying by check/BEDF, please wait to make payment. \nBPSTechnology (OIIT) will provide you with payment instructions \nonce the request has been reviewed and approved." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular OIIT-03 \nPage 3 of 5 \n \nOnly school/department leaders who are authorized by the \nsuperintendent to make budget decisions can submit requests \nto purchase technology. However, we encourage staff to work \nwith leaders to make technology decisions that will benefit \nschools/departments as a whole. \nPublic funds cannot be used to provide a prize or gift to an \nindividual. Under the Anti-Aid Amendment of our State \nConstitution and by order of the Massachusetts Supreme Judicial \nCourt, money raised by taxation (i.e., public money) can be used \nonly for public purposes and not for the advantage of private \nindividuals. \nDONATIONS" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "individuals. \nDONATIONS \nSchools receiving technology donations from outside vendors or \npartners should contact BPSTechnology (OIIT) prior to receipt for \na comprehensive consultation. Donations can differ from \nBPSTechnology (OIIT) standards but must meet the minimum \nsystem requirements for the device. All donations of technology \nare the property of the Boston Public Schools and, as such, must \nadhere to the same policies regarding purchased equipment. \nAfter consultation, BPSTechnology (OIIT) reserves the right to \ndecline donations if they do not meet the minimum system \nrequirements or require additional support or resources beyond \nthe means of the district." + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "the means of the district. \nThere may be additional costs associated with software, re-\nimaging, repair, and maintenance. All donated computers must \nbe re-imaged with the standard image before being used by \nstudents or staff to ensure that existing data/information can be \nremoved, and the necessary security and management software" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular OIIT-03 \nPage 4 of 5 \n \ncan be installed. \nMaterials funded through DonorsChoose.org are the property of \nthe public school at which the teacher is employed when \nresources are shipped. The teacher who created the project is the \nsole steward of the donation while employed at the school, \ncarrying out the project for which the materials were donated. \nFor more information, go to DonorsChoose.Org Materials \nOwnership Policy. \nRETURNS \nAll technology (laptops, desktops, cell phones, tablets, desk \nphones, etc.) must be returned to BPSTechnology (OIIT) for \nreimaging or recycling. Any BPSTechnology (OIIT) staff member" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "at either the Bolling Building or Campbell Resource Center can \ncollect technology and provide an electronic receipt to the \nemployee and RC manager, if requested. If re-imaged, the device \nis held until the purchasing school/department reassigns the unit \nand/or provides us with further instruction. \nTechnology cannot be transferred from one employee to another. \nAll computers, phones, and tablets must be returned to \nBPSTechnology (OIIT) so that data can be properly archived and \ndestroyed before it is redistributed to another employee. Hard \ndrive contents will be archived according to the City of Boston \nRecords Retention Schedule by the director of records" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "management. Once data is archived and destroyed, the RC \nmanager can direct BPSTechnology (OIIT) to redeploy the \ntechnology to another employee in their RC. \nFor more information about this circular, contact:" + }, + { + "folder_name": "Instructional & Information Technology", + "file_name": "OIIT-03 Technology Purchasing, Acquisition & Return Guide", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular OIIT-03 \nPage 5 of 5 \n \nName: \nDirector of Technology Business Operations \nDepartment: \nOIIT / BPS Technology \nMailing Address: \n2300 Washington Street, Boston, MA 02119 \nPhone: \n617-635-9190 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nSCP-01 \nVersion 01 \n \n \nSCHOOL COMMUNITY PARTNERS \n \nThis circular will remain in effect unless rescinded or superseded by a \nsubsequent version \nBPS deeply values the essential role that School-Community \nPartners play in our collective efforts to eliminate opportunity \nand achievement gaps. To advance our goals of providing BPS \nstudents and families equitable access to high-quality partner \nopportunities and create more coherence, alignment, and \nunderstanding of the complex and extensive partnership \nlandscape, BPS requires the implementation of this PartnerBPS \n(www.partnerbps.org) Policy for all BPS schools and for all BPS" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "School-Community Partners. \nPOLICY STATEMENT \nAny School-Community Partner providing any services in any \nBPS school must register and update their information annually \nvia the PartnerBPS Partnership Platform. BPS requires all School-\nCommunity Partners to be fully registered and approved via the \nPartnerBPS platform before providing any services within any \nschool. \n \nDEFINITION OF A SCHOOL-COMMUNITY PARTNER \nA School-Community Partner is an organization, group, or" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular SCP-01 \nPage 2 of 5 \n \n \ncoalition that intentionally collaborates with the Boston Public \nSchools to provide ongoing, direct services to BPS students, staff, \nfamilies, and/or other members of the school community. This \nbroad definition encompasses a variety of groups, including \ncommunity-based organizations, colleges and universities, \nbusinesses or corporations, hospitals, government agencies, \ncultural institutions, nonprofit or non-governmental \norganizations and faith-based organizations. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOLS \nA. School principals/school leaders/heads of school and/or a" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "school staff member designated by the principal/head of \nschool must identify all School-Community Partners \nproviding services within the school building at the start of \neach school year within the www.partnerBPS.org website. \nThis can be an agreement, contract, or Scope of Work \noutlining services provided and expectations on both sides. \nIf the partner is a paid partner, the school is responsible for \nentering the requisition before the partner begins providing \nservices to the school and providing this requisition number \nto the partner. No Boston Public School employee, other \nthan those listed below, is authorized to enter a contract" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "with any vendor. This includes, but is not limited to \ncontracts, agreements, memorandums of understanding, \ngrants, partnership agreements, or any other expenditure \nthat binds the district to payment for services/goods. This \nincludes purchases for services or goods for under $10,000. \nB. If additional School-Community Partners begin work at the \nschool site during the school year, the designated school \nstaff must also ensure the partner is registered and all" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular SCP-01 \nPage 3 of 5 \n \n \nagreements entered www.partnerBPS.org before services \ncan begin. \nC. The school designee must ensure that all current School-\nCommunity Partners are registered on PartnerBPS by \nAugust 31st of the upcoming academic school year. \nD. School leader or designee will require all new partners \nbrokered throughout the school year to register in \nPartnerBPS before beginning services at the school. \nE. School leaders or designee must review their PartnerBPS \nSchool Partnership profile annually to verify and rate the \npartnerships listed on their profile. Review, verification, and \nrating should be conducted by June 30, before the end of" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "the school year. \nF. Schools should use PartnerBPS as a resource for accessing \nand brokering partner opportunities and helping students \nand families identify and access partner opportunities. \n \nIMPLEMENTATION PROCEDURES FOR SCHOOL-COMMUNITY \nPARTNERS \nAll School-Community Partners must be fully registered and \napproved on PartnerBPS.org before providing any type of service \nin a BPS school. \nIn order for School-Community Partners to be considered fully \nregistered, they must complete three steps: organization \nregistration, program registration, and partnership registration. \nFurther instructions and tutorial information on registering for" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "PartnerBPS can be found at https://partnerbps.org/help-school-\ncommunity-partners/. \nAll registered School-Community Partners must update their" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular SCP-01 \nPage 4 of 5 \n \n \nPartnerBPS profile by September 30 before providing their \nservices in schools. Updates should include registration of all \nschool partnerships for the upcoming year, an update of current \ninformation in organization and program profiles, and \ncompletion of any questions that have been added by the \nSchool-Community Partnerships team. \nAs part of this process, School-Community Partners should work \nwith partner schools to establish a school-based partnership \nagreement which they should then upload onto PartnerBPS.org. \nIn addition to the annual updates, School-Community Partners" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "should regularly monitor their profiles and keep information up \nto date. At minimum, review and necessary revisions should be \ncompleted by November 1 and April 1 of each school year. \nAll School-Community Partners are required to be aware of and \nfollow the guidelines outlined within the Guide for School \nCommunity Partners. \nAppropriate and authorized BPS staff reserve the right to deny \napproval of partners if they do not meet basic safety or quality \nstandards set forth by BPS, including those found within the \nGuide for School Community Partners. \nIMPLEMENTATION MONITORING & SUPPORT \nA. The Office of Family and Community Advancement’s" + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "Partnerships Team will approve and/or follow up with \nregistering partners after registration completion. If \nadditional information is required before registration \napproval can be granted, the Team will contact the \nadministrator of the respective PartnerBPS account for \nmore information." + }, + { + "folder_name": "School Community Partners", + "file_name": "SCP-01 School-Community Partners", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular SCP-01 \nPage 5 of 5 \n \n \nB. The Partnerships Team will provide partners and schools \nwith ongoing PartnerBPS technical assistance and support \nusing the site. In addition, support resources are available \nonline at https://partnerbps.org/help-school-community-\npartners/. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Partnerships \nDepartment: Office of Family and Community Advancement \nMailing \nAddress: \n2300 Washington Street, Roxbury, MA 02119 \nEmail: \nofca-staff@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nATH-01 \nVersion 01 \n \nPREVENTION AND MANAGEMENT OF SPORTS-RELATED \nHEAD INJURIES \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nBACKGROUND \nA concussion is a type of traumatic brain injury caused by a \nbump, blow, or jolt to the head that can affect brain functioning. \nConcussions can also occur from a blow to the body that causes \nthe head to move rapidly back and forth. Even a mild bump or \nblow to the head can be serious. \nConcussions can occur in any sport or recreational activity. \nChildren who return to play while still experiencing symptoms of" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "a concussion are more likely to have another concussion or other \nlasting effects and symptoms. This circular outlines \nresponsibilities of all who are involved in athletic participation. It \nincludes the following components: \n● Pre-participation examination, including a history of \nprevious concussions. \n● Protocols for assessing and managing a child who has a \nconcussion on the field. \n● Protocols for returning a child who has had a concussion to \nfull participation. \n● Academic assessment and accommodation for a child with \ncontinued symptoms that interfere with cognitive function \nand academic progress." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ATH-01 \nPage 2 of 7 \n● Prevention of head injuries and health promotion activities \nthat contribute to safe sports participation. \nHEADS OF SCHOOL AND PRINCIPALS SHALL BE RESPONSIBLE \nFOR: \n● Support and enforce the utilization of appropriate protocols, \nrequired documentation, training, and reporting outlined in \nthese procedures. \n● Supervising and reviewing that all documentation is in \nplace. \n○ All active coaches must complete the annual \nconcussion certification required by the \nCommonwealth of Massachusetts. \nCOACHES, CERTIFIED ATHLETIC TRAINERS, ATHLETIC \nCOORDINATORS, SCHOOL NURSES, AND VOLUNTEERS (EMS," + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "SPORTS PHYSICIANS) SHALL BE RESPONSIBLE FOR: \n● Completing the annual educational training on \nidentification and management of head trauma. \n● Ensuring and documenting that all students/families have \nsubmitted: \n○ Updated physical examinations consistent with \nCommonwealth of Massachusetts and Massachusetts \nInterscholastic Athletic Association (MIAA) sports \nparticipation guidelines. \n○ Consents for: participation in athletics, emergency on-\nfield care, non-emergent injury or illness evaluation \nand associated follow up treatment related to athletics, \ndocumentation, travel, and medication." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ATH-01 \nPage 3 of 7 \n○ Completed department pre-participation forms (BPS \nSports Medical Questionnaire) before participating in \npractice or extracurricular athletic activities. \n○ Commonwealth of Massachusetts head injury form. \n○ An indication that the family has reviewed educational \nmaterials about concussion. \n● Ensuring that the medical history questionnaire and pre-\nparticipation sports physical form(s) are delivered to the \nschool nurse and certified athletic trainer (ATC) in a time \nframe consistent with the sport. The school nurse and \nathletic trainer will discuss any student with a concussion" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "history (as indicated by the athlete's primary care physician, \npre-participation sports physical, or parent history) with \ntheir coach. All athletes must be cleared by the school \nnurse and athletic trainer in order to play. \n● Teaching techniques aimed at minimizing sports-related \nhead injury: \n○ Discouraging and prohibiting student athletes from \nengaging in any unreasonably dangerous athletic \ntechnique that endangers the health or safety of a \nstudent, including using a helmet or any other sports \nequipment as a weapon. \n○ Identifying students with head injuries or suspected \nconcussions that occur in play or practice and \nremoving them from play, using either:" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "removing them from play, using either: \n■ Coach/volunteer recognition of potential head \ninjury \n■ Sideline assessment of concussion evaluation for \nMDs and ATCs." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ATH-01 \nPage 4 of 7 \n● The results of the evaluation or screening tool must be \navailable to the school nurse and parent/guardian, who will \nforward it to the PCP or other designated physician. \n● The coach, athletic trainer, or physician who observed and \nevaluated the concussion shall complete the DPH \nCommonwealth of Massachusetts Report of Head Injury \nDuring Sports Season form and the Department Report of \nHead Injury form and transmit it to the athletic director, the \nparent/guardian, the school nurse, and the athletic trainer. \n● Communicating promptly with the parent/guardian of any \nstudent removed from play and providing them with" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "documentation to bring to the student athlete’s PCP or \nother designated physician. This documentation must \ninclude the DPT Commonwealth of Massachusetts Post \nSports-Related Head injury Medical Clearance and \nAuthorization form. This form must be completed by the \nphysician and returned to the school nurse and athletic \ntrainer. This form will be reviewed by the school nurse or \nathletic trainer and is required before the student athlete is \nallowed to begin a Return to Play protocol. \n● No student can return to play without clearance by the \nschool nurse or athletic trainer in consultation with a \nphysician per 105 CMR 201." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "physician per 105 CMR 201. \n● All student athletes who have sustained a concussive event \nmust complete a graduated Return to Play protocol unless \notherwise stipulated by the treating physician, assuring that \nall documentation is in place by conducting an annual \ncompliance audit. This includes documentation that all \nstudents have:" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ATH-01 \nPage 5 of 7 \n○ pre-participation PEs, consent forms, and \nparent/athlete sign off that concussion information has \nbeen reviewed. \n○ list of all students with concussion \n○ documentation of follow up for each student with \nconcussion; documentation that athlete is cleared to \nplay. \nTHE SCHOOL NURSE AND ATHLETIC TRAINER WILL BE \nRESPONSIBLE FOR: \n● Completing the required annual educational training on \nconcussion: \n○ School nurses will complete the Concussion \nManagement in Massachusetts Schools course \nprovided by Boston University School Health Institute \nannually. \n● Reviewing any questions raised by the athletic director" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "and/or coaches, reviewing all medical questionnaires and \nphysical exams. \n● Athletic trainer: Following up with parents/guardians as \nneeded prior to the student's participation in extracurricular \nathletic activities. \n● School nurse: Following up with parents/guardians as \nneeded prior to the student's participation in classroom \nactivities. \n● Maintaining documentation of the medical questionnaire \nand physical in SNAP (the electronic medical record). \n● Maintaining documentation of the head injury assessments \nin the student's health record in the electronic medical \nrecord." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ATH-01 \nPage 6 of 7 \n● Ensuring that any student who has experienced a \nconcussion or head injury, during sports activities or \notherwise, provides documentation of medical care and \nproper clearance to return to sports activities using the \nCommonwealth of Massachusetts Post Concussion \nClearance Form. \n● Participating in the graduated reentry planning meeting for \nstudents who have been diagnosed with a concussion to \ndiscuss any necessary accommodations or modifications \nwith respect to academics, course requirements, homework, \ntesting, scheduling, and other aspects of school activities \nconsistent with a graduated reentry plan for return to full" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "academic and extracurricular activities after a head injury \nand revising the health care plan as needed. \n● Presenting appropriate and relevant medical information to \nthe service team, on a need-to-know basis maintaining \nstudent privacy. \n● Monitoring recuperating students with head injuries and \ncollaborating with teachers and coaches to ensure that the \ngraduated reentry plan for return to full academic and \nextracurricular activities. \n● Providing beginning of school year review of concussions as \nwell as ongoing educational materials on head injury and \nconcussion to teachers, staff, and students. \n \n \nPARENTS/STUDENTS SHALL BE RESPONSIBLE FOR: \n● Ensuring that the child has:" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "● Ensuring that the child has: \na. A valid up to date pre-participation physical" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ATH-01 \nPage 7 of 7 \nb. A completed sports medical questionnaire \nc. Completed the Commonwealth of Massachusetts Pre-\nParticipation Head Injury and Concussion Reporting \nForm for Extracurricular Activities \n● Reviewing concussion materials, including signed \ndocumentation of the review on the athletic permission \nform. \n● Ensuring that the child with a concussion is evaluated by \nPCP or other appropriate physician even if there has already \nbeen emergent transport deemed necessary by EMS or AT \nevaluation. \n● Working with the school nurse, athletic trainer, and the \nservice team to safely implement return to play guidelines." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-01 Prevention and Management of Sports-Related Head Injuries", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link", + "content": "For more information about this circular, contact: \nOwner: \nSenior Director, Athletics \nDepartment: \nAthletics Department \nMailing Address: \nWhite Stadium, P.O. Box 302205, Jamaica \nPlain, MA 02130 \nPhone: \n617-635-8143 \nFax: \n617-635-8147 \nEmail: \nbpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n \n NUMBER: \nATH-02 \nVersion 01 \n \n \n \nATHLETIC ELIGIBILITY \nThis Circular will remain in effect unless rescinded or superseded by a \nsubsequent version. \nASPEN/ ELIGIBILITY MANAGEMENT \nASPEN will be used to manage the students who are interested \nand ultimately participate in athletics each season. The students \nand sports they are participating in should be accurate in ASPEN \nat the start of each season. Key personnel (athletic coordinator, \nnurse, school admin) at the school level will have the ability to see \nthe seasonal list of participating students and the current \neligibility status. Athletic coordinators, athletic trainers, school" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "nurses, and coaches should communicate regularly to ensure \nthat ASPEN accurately reflects who is participating on each team. \nThe ASPEN sign-up period will open 8 weeks prior to the start of \nthe season. The sign-up period in ASPEN will close 14 days after \nthe start of the season. Athletes who start within the 14-day \nwindow must have a minimum of 5 days of practice prior to \nbeing allowed to participate in a game competition. Using the \nlabels provided, each student in ASPEN should be identified as \nfollows: \nAspen Athletic Eligibility Status Definitions \n• INTEREST: defined as “Student identifies interest” — \ncompletes sign-up in ASPEN" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular ATH-02 \nPage 2 of 12 \n \n \n \n• ACTIVE: defined as “Waiting on student”; i.e., turn in ALL \nrequired documentation known as the BPS Athletic \nParticipation Forms, copy of a valid 13-month physical exam \nto the athletic trainer (or school nurse if athletic trainer not \navailable), and tryout status \n• ACTION REQUIRED: defined as “Call to action”; \nSchool/Athletic Department submit MIAA waivers/forms \nwhere applicable \n• INELIGIBLE: defined as “Does not meet baseline eligibility \nrequirements”; i.e., valid 13-month physical exam on file as \ndocumented in ASPEN, does not meet academic \nenrollment, attendance, or GPA requirements" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "enrollment, attendance, or GPA requirements \n• PENDING: defined as “Awaiting decision from a higher \nauthority”; i.e., MIAA waiver/approval, BPS Athletic \nDepartment, school principal/head of school or designee to \nreview student academic eligibility \n• ELIGIBLE: defined as “Meets ALL eligibility requirements” for \nparticipation and has MIAA approvals on record with the \nBPS Athletic Department \n• INACTIVE: defined as a “no show,” “not participating,” or “did \nnot make the team after tryouts.” \n \nRESPONSIBILITIES \nAthletic Coordinator \nWill serve as the athletics liaison and primary contact at the \nschool for the Athletics Department and coaches to support" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "athletics. The athletic coordinator will be responsible for student-\nathlete eligibility in collaboration with coaches, athletic trainers, \nschool nurses, and school leadership." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular ATH-02 \nPage 3 of 12 \n \n \n \nHead Coach and Assistant Coaches \nMust be knowledgeable of the MIAA eligibility rules and \nregulations. As interest lists and teams are being organized, \ncoaches must communicate any eligibility concerns to their \nathletic coordinator so they are resolved prior to the start of the \nseason and practice. \nAthletic Department Staff \nWill support schools through the eligibility/waiver process and \nserve as a liaison between the schools and the MIAA. Athletics \nDepartment staff will schedule meetings prior to the start of each \nseason with athletic coordinators, athletic trainers, and school" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "nurses (if necessary/indicated) and support staff to review \nstudent-athlete eligibility. Athletic department staff will maintain \nAspen functionality and advise/teach athletic training staff \nnecessary operations of the Aspen system for their needs \nAthletic Trainers \nAthletic trainers are responsible for the primary review of athletic \nphysicals and determining the date(s) of valid pre-participation \nphysical examination (PPE) and athlete eligibility based on \nhaving an up-to-date PPE on file. Athletic trainers will route all \nPPE obtained from student-athletes to the school nurse to place \nin the student-athletes file. Athletic trainers will provide coaches" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "with a list of all athletes who have a valid, up-to-date PPE and are \ndeemed eligible to play. \n \nHead of School/Principal \nMust be aware of and officially sign off on eligibility and rosters" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular ATH-02 \nPage 4 of 12 \n \n \n \nfor teams each season. When needed, school leaders must \nsupport and sign off on any MIAA or BPS eligibility waiver \nrequests. New heads of school are required to attend an MIAA \nrules workshop. \nSUMMARY OF HIGH SCHOOL INTERSCHOLASTIC ELIGIBILITY \n• 1.67 or higher GPA (schools may choose to have a higher \nGPA for athletic participation) \n• Must pass four (4) core classes \n• School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n• A physical examination completed within the last 13 months \nstating that the student-athlete is or is not cleared for" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "athletics that does not expire before the end of the season, \nwith sports clearance from the r athletic trainer and/or \nschool nurse \n• Students who turn 19 before September 1 of the current \nacademic year are ineligible unless an age waiver is granted \nby the MIAA. \nSUMMARY OF MIDDLE-LEVEL ELIGIBILITY \n• 2.0 or higher GPA (schools may choose to have a higher GPA \nfor athletic participation) \n• School attendance rate of 90% or higher (aligned with \ncurrent BPS Attendance Policy) \n• A physical examination completed within the last 13 months \nstating that the student-athlete is or is cleared for athletics \nthat does not expire before the end of the season, with" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "verification from the school nurse or athletic trainer and/or \nschool nurse \n• Students who turn 15 before September 1 of the current" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular ATH-02 \nPage 5 of 12 \n \n \n \nacademic year are ineligible to compete. \n• Yearly signed parental consent forms (transferable season to \nseason) \nDETAILED OVERVIEW OF HIGH SCHOOL INTERSCHOLASTIC/ \nMIAA ATHLETICS \n \nSeason \nStart Date \nFall Sports \n3rd Friday in August (Football Aug 18) \nWinter Sports \n1st Monday after Thanksgiving (November 27) \nSpring Sports \nThird Monday of March (March 18, 2024) \n \nParticipating student-athletes must meet the following criteria \nfor eligibility each season. \n \n1) Age (Rule #60) \na) A student shall be under 19 years of age but may \ncompete during the remainder of the school year," + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "compete during the remainder of the school year, \nprovided that their birthday occurs on or after \nSeptember 1 of that year. \n \n2) Transfer Students (Rule #57) \na) A student who transfers from any school to an MIAA \nmember HS is ineligible to participate in any \ninterscholastic athletic contest at any level for a period" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular ATH-02 \nPage 6 of 12 \n \n \n \nof one year in all sports in which that student \nparticipated at the varsity level or its equivalent during \nthe one-year period immediately preceding the \ntransfer. \ni) \nNote: MIAA Form 200 may be executed between \nthe receiving and sending school principals of \nMIAA member schools only. \nii) \nAll Form 200s must be submitted to the Athletics \nDepartment and MIAA Office for their records. \nb) Reason for Transfer \ni) \nExemption to the transfer rule: When a student’s \nschool transfer is necessitated (i.e., required) by a \nchange of residence of their parent(s) to the area \nserved by the school to which they transfer. \nii)" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "ii) \nThis exception does not apply to a change in \ncustody, guardianship, or to a student’s change in \nresidence from one parent to another, nor does it \napply when the student could continue to attend \nthe former school. \n3) Date entered school (MIAA Rule #51) \na) Student-athletes must be enrolled in the school at the \nstart of the season to be eligible to participate in \nathletics. \nb) This can be appealed with an MIAA waiver. \n4) Student Eligibility: Membership in School (MIAA Rule #55) \na) A student shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation)." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular ATH-02 \nPage 7 of 12 \n \n \n \n5) Years of Eligibility \na) When a student enters 9th grade, they are eligible for \nonly four years. \nb) A student shall be eligible for interscholastic \ncompetition for no more than 12 consecutive athletic \nseasons after first entering grade 9. \nc) A waiver can be requested for an additional year of \neligibility if there is an extenuating circumstance \ninvolved. \n6) Grade Point Average (GPA) and Transcripts (MIAA Rule #58) \na) BPS requires that all students must have a cumulative \nGPA of 1.67 (or higher) to be eligible to participate in \ninterscholastic athletics. \nb) During the last marking period preceding the contest" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "(e.g., second-quarter marks and not semester grades \ndetermine third quarter eligibility), a passing grade in \nthe equivalent of four major subjects \nc) To satisfy this requirement, a student must have \npassed sufficient courses for that marking period \nwhich carry Carnegie Units totaling the equivalent of \nfour traditional 1-year major English courses. \nd) Full-Time Student: A student cannot at any time \nrepresent a school unless that student is taking \ncourses that would provide Carnegie Units equivalent \nto four traditional 1-year major English courses. \ne) To be eligible for the Fall marking period, students are \nrequired to have passed for the previous academic year" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "the equivalent of four traditional 1-year major English \ncourses." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular ATH-02 \nPage 8 of 12 \n \n \n \ni) \nIncomplete grades may not be counted toward \neligibility until they are made up following school \npolicy \nii) \nA student who repeats work in which they have \nonce received credit cannot count that subject a \nsecond time for eligibility. \niii) \nA student cannot count for eligibility for any \nsubject taken during the summer vacation unless \nthat subject has been pursued and failed during \nthe preceding academic year. \n \n7) Boston Public Schools Athletic Programs Consent for \nParticipation Forms: \na) BPS Athletic Programs Consent for Participation Forms \nmust be completed and on file prior to any student-" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "athlete being allowed to participate or play for any BPS \nAthletic Team \nb) All BPS Athletic Programs Consent for Participation \nForms will be sent to the parent/guardian of the \nstudent-athlete after completion of ASPEN registration. \nThese forms will be distributed via DocuSign and will \nbe distributed to ATC for review with the school \nathletic coordinator. These forms only need to be \ncompleted once per school year. The BPS Athletic \nPrograms Consent for Participation Forms will consist \nof the following required forms: \ni) \nParent/Guardian Consent Form \nii) \nAcknowledgment of MIAA: \n(1) MIAA Rule 57: Student Eligibility: Transfer" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular ATH-02 \nPage 9 of 12 \n \n \n \nStudents \n(2) MIAA Rule 59: Student Eligibility: Time \nAllowed for participation post 9th grade \nenrollment \n(3) MIAA Diversity Equity and Inclusion Pledge \n(new Nov 2022) \niii) \nCommonwealth of Massachusetts - Chapter 269 \nSection 17: Anti-Hazing Law \niv) \nHold Harmless Agreement \nv) \nConcussion Awareness \nvi) \nUpload - current physical examination for review \nby ATC \nvii) \nMedia Appearances \nviii) \nDPH Head Injury Form \nix) \nMGB Athletic Training Services Agreement \n \n8) Physical Exam (MIAA Rule #56) \na) Participating students must have a valid physical or \npre-participation examination (PPE) completed within" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "the last 13 months. \nb) Physicals or PPE forms must have a statement that \nclears the student for athletic/sports \nc) Physicals or PPE must be completed and on file with \nBPS Athletics in Aspen prior to any student-athlete \nbeing allowed to practice or play for any BPS Athletic \nTeam. \nd) Physicals or PPEs must be valid and on file for the" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular ATH-02 \nPage 10 of 12 \n \n \n \nentire athletic seasons \ne) Physicals or PPEs must include the date of the \nexamination, physician's signature (electronic or \nactual), and wording that states that the student-\nathlete is cleared for athletics or sports competition \n \n9) Enrollment/ Attendance \na) Attendance for the term prior to the season must be \n90% or higher \nb) Students are ineligible to practice or compete if they \nare not in school for more than half of the school day. \nc) For a student to practice with or to represent a MIAA \nmember school in an athletic competition, the student \nmust be duly enrolled in that school (#51). Also, a" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "student shall have been a member of the MIAA \nmember secondary school for a minimum of two \nmonths (exclusive of the Summer vacation) and have \nbeen issued a report card preceding the contest unless \nentering from an elementary or junior high school at \nthe start of the school year or transfers in from another \nschool. (MIAA Rule #55.1) \n \n10) \nMIAA Waiver Request Process \na) All “Form 200s” must be sent to the MIAA office so that \nall transfers are on file. \nb) Student Waiver of Athletic Eligibility waivers must \ninclude the following: \ni) \nA letter of support from the Principal/AD/School" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular ATH-02 \nPage 11 of 12 \n \n \n \nAdministrator addressing the four standards of \nrule 87.5. \nii) \nTranscripts from every year since first entering \nGrade 9 (including current grades) \niii) \nCurrent school year attendance records \niv) \nComprehensive athletic resume (now included in \napplication) \nv) \nLeague or District Advisory Vote \nvi) \nForm 200 (if applicable) \nc) The third standard, which must be addressed during a \nwaiver application, was changed to “address how this \nwaiver will impact the home school student body.” The \nnew language captures the overall impact the waiver \nwill have on the home school student body." + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "will have on the home school student body. \nd) A new section was added to Rule 87 titled \n“Accountability.” This details the process in the event \ninaccurate or incomplete information is presented \nduring the waiver process. \n \n11) \nMIAA Appeals Process \na) As of Fall 2021, there is only one level of appeal. The \nappeal hearing board will consist of members from \nboth the MIAC and ERB. Their decision is final. \nb) The deadlines to submit waivers are as follows: \ni) \nFall - September 21, 2023 \nii) \nWinter – December 14, 2023 \niii) \nSpring – March 31, 2024" + }, + { + "folder_name": "Athletics", + "file_name": "ATH-02 Athletic Eligibility", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular ATH-02 \nPage 12 of 12 \n \n \n \nc) Waivers can be submitted after this date, but there will \nbe no appeal hearings granted. \n \n \nFor more information about this circular, contact: \nOwner: \nSenior Director, Athletics \nDepartment: \nAthletics Department \nMailing \nAddress: \nWhite Stadium \nP.O. Box 302205, Jamaica Plain, MA 02130 \nPhone: \n617-635-8143 \nFax: \n617-635-8147 \nEmail: \nbpsathletictrainer@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nFAM-08 \nVersion 01 \n \n \n \n• TRANSLATION AND INTERPRETATION SERVICES \nThis Circular will remain in effect unless rescinded or superseded \nto a subsequent version. \n \nHISTORICAL CONTEXT \nThe “Parent Communications” section of the Successor \nSettlement Agreement between the Boston Public Schools (BPS) \nand the Department of Justice (DOJ) outlines the services that \nmust be provided to ensure meaningful language access for our \nBPS families. The Office of Language Access, formerly the \nTranslation and Interpretation Unit (T&I), was established to \nimplement and coordinate interpretation and translation services" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "throughout BPS to centralize and standardize language access \nacross the district. The Office of Language Access strives to \nprovide meaningful language access to limited and non-English \nproficient constituents via qualified, trained, and professional \ninterpreters and translators. \nREQUEST PARAMETERS \nThe Office of Language Access handles translation and \ninterpretation services for essential information. The following list \nprovides examples of essential information requiring translation \nand interpretation:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-08 \nPage 2 of 7 \n \n \n \n \n• IEP/504 meetings \n• Report cards for students \n• Academic progress reports for students \n• Enrollment/registration documents \n• Disciplinary process information \n• Permission slips/forms for district and school activities and \nprograms \n• Applications for activities requiring parental consent \n• Parent-teacher conferences \n• Open houses \n• Parent handbooks \n• Public health and safety information \n• Documents on academic planning/options \n• Screening procedures needing students’/parents’ language \nbackgrounds, the process for refusing all/some ELL services \n• Written information on parents’/students’ rights and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "responsibilities \n• Written information on services and benefits available to \nparents and students \nWith every request, the Office of Language Access will determine \nwhether the services sought are the most appropriate to fulfill \nthe specific language access need and may tailor the request \naccordingly. Fulfilling requests for translation and interpretation \nof non-essential information is at the discretion of the Office of \nLanguage Access and is contingent on availability." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-08 \nPage 3 of 7 \n \n \n \nSERVICES PROVIDED BY QUALIFIED AND BILINGUAL STAFF \nThe district is charged with providing qualified and trained \ntranslators and interpreters to ensure families have meaningful \naccess to information. As such, the Office of Language Access \ndiscourages the use of non-approved professionals with \nbi/multilingual skills, save for in exceptional circumstances. In \naddition, the use of computers/machines to translate is strongly \ndiscouraged. \nREQUESTING TRANSLATION AND INTERPRETATION SERVICES \nAll services are requested and managed through the district's \nonline translation and interpretation request platform. Please be" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "aware that the Office of Language Access can only support \nBoston Public Schools' requests placed through the Office of \nLanguage Access online platform to comply with the City of \nBoston's procurement regulations and processes. To that end, \nany language access work performed outside of the district's \nestablished translation and interpretation protocol will be at the \nrequester's expense. \nSchools should designate one primary and one alternate point of \ncontact for submitting their translation and interpretation \nrequests. In addition, the point of contact (1) is responsible for \nanswering logistic questions about events, (2) will serve as the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "contact for interpreters, (3) will provide informational materials \nfor interpreters before scheduled events, and (4) will clarify \nwritten content and receive the written translations. Lastly, this \nperson must also promptly fill out the post-service survey. \nFor district staff, designated central office employees may \nrequest translation and interpretation services. Similarly, the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-08 \nPage 4 of 7 \n \n \n \ncentral office requester serves as the point of contact for that \nservice. This could entail (1) answering logistics questions about \nevents, (2) contacting on-site/virtual interpreters, (3) providing \ninformational materials for interpreters prior to the event, (4) \nclarifying written content/materials, and (5) receiving the written \ntranslations. This person must also promptly fill out the post-\nservice survey. \nFULFILLING REQUESTS FOR TRANSLATIONS AND \nINTERPRETATIONS \nFor translations, requesters should allow a minimum of 2 weeks, \nbearing in mind that larger jobs will, correspondingly, take longer" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "to complete. As rush/short notice jobs do occur, please specify on \nthe request form if the translation needs expediting. Expediting \nis at the discretion of the Office of Language Access. \nFor in-person interpretations, the more advance notice given, the \neasier it is to secure interpreter services. Please submit a request \na minimum of 2 weeks before the service date. For American Sign \nLanguage (ASL), a minimum of 3 weeks is recommended to \nsecure services. As rush/short notice jobs do occur, please specify \non the request form if the service needs to be expedited. \nInterpreter assignment is based on availability and not \nguaranteed." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "guaranteed. \nEmergent requests outside of the Superintendent’s and \nCommunications offices that need to be expedited will be \ncompleted in a timeframe at the discretion of the Office of \nLanguage Access." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FAM-08 \nPage 5 of 7 \n \n \n \nCANCELLATIONS OF SERVICES \nThe Office of Language Access must be notified immediately of \nany appointment cancellation in which an interpreter (i.e., oral, \nASL) has been scheduled. A 48-hour notice of cancellation is \nrequired for ASL. For oral interpreter services, we require a 24-\nhour notice of notice of cancellation. Please be aware that if you \nfail to cancel within the designated timeframes, the district will \nbe charged for the services you requested. This can lead to \ninefficient utilization of our limited funds and resources, which \nwe strive to avoid. To cancel interpreter services, please submit" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "via interpretations@bostonpublicschools.org. If you are canceling \ntranslation requests, please do so as early as possible via \ntranslations@bostonpublicschools.org. \nTELEPHONIC INTERPRETATION SERVICES \nSchools have the option to utilize the on-demand LionBridge \nTelephonic Interpretation service that is available 24 hours a day, \n7 days a week, 365 days a year, in more than 350 languages. \nTelephonic interpretation is the oral transmission of a message \nfrom one language to another via telephone. It is typically \nconducted in consecutive mode, meaning the interpreter will \ntranslate the message after the speaker has stopped speaking. \nThis service should be used for instances when parent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "communication is not pre-scheduled, e.g., a parent stops by a \nschool, a school must contact the parent of a sick/injured \nstudent, etc. When essential information is discussed, please \nensure that an interpreter or translation of relevant documents is \nrequested in advance. \nThe Office of Language Access will monitor calls and usage to" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FAM-08 \nPage 6 of 7 \n \n \n \nensure adherence to district protocols. Schools and/or central \noffice departments will be notified of usage restrictions due to \nnon-adherence, which will be at the discretion of the Office of \nLanguage Access. \nTALKING POINTS \nSchools have access to TalkingPoints, which is a two-way \nmultilingual family engagement platform allowing educators and \nadministrators the opportunity to communicate with families in \ntheir native language (including English speakers) via the web, \nmobile, or text messages. \n• TalkingPoints equips educators and administrators with a \nplatform for collaborative communication and analytics" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "around family engagement and student progress to \nincrease student potential for long-term success. \n• The service is available 24 hours a day, 7 days a week, 365 \ndays a year, in more than 100 languages.1 \n• It removes the need for educators to provide parents with \ntheir personal cell phone numbers. \nASSISTANCE \nFor further information, including but not limited to detailed \n \n1 At present, the platform doesn't support Caboverdiano; \nhowever, a simplified version is currently being piloted at the \nOrchard Gardens Elementary School. The simplified version \nsupports outgoing one-way messaging/announcements to \nfamilies only. Additional functionality will be considered based on" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "pilot results." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FAM-08 \nPage 7 of 7 \n \n \n \ntranslation and interpretation policy and procedures, tutorials \n(i.e., How to Submit a Request, Request Platform User Guide, \nSchool-Based Administrator Training Webinar), and school and \nparent resources/materials to support your school-specific \nlanguage access efforts, please refer to the Office of Language \nAccess website at \nhttps://www.bostonpublicschools.org/translation-interpretation. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Language Access Services \nDepartment: \nFamily and Community Advancement \n(Office of Language Access) \nMailing Address: 2300 Washington Street, Roxbury, MA 02119" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-08 Translation and Interpretation Services", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link", + "content": "Phone: \n617-635-7967 \nEmail: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \n NUMBER: \nFAM-06 \n \n \nBOSTON STUDENT ADVISORY COUNCIL \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMassachusetts State Law Chapter 71: Section 38M. Student \nAdvisory Committee states: School committees of cities, towns \nand regional school districts shall meet at least once every other \nmonth, during the months school is in session, with a student \nadvisory committee to consist of five members to be composed \nof students elected by the student body of the high school or \nhigh schools in each city, town, or regional school district. \nMISSION STATEMENT" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "MISSION STATEMENT \nThe Boston Student Advisory Council advocates for and protects \nthe voices of students in the Boston Public School system, \nempowers the student body to express their opinions regarding \neducational policy changes, and ensures that students are \nincluded in decision and policy making which impacts their lives \nand educational experiences. \nIn the Boston Public Schools, students can apply to their school \nto serve on the Boston Student Advisory Council. The Boston \nStudent Advisory Council (BSAC), a citywide body of student \nleaders representing their respective high schools, serves as the \nvoice of students to the Boston School Committee, the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "superintendent, and central office departments. BSAC offers \nstudent perspectives on policies, initiatives, and reform efforts, \nand inform their respective schools about relevant citywide" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-06 \nPage 2 of 4 \n \n \nschool issues. They also address student issues by developing \ndistrict-wide policies and working with student governments and \nheads of schools on school level policies and practices. \nBSAC is made up of a Full Council and Executive Committee. The \nFull Council is the think tank which generates the ideas for \nprojects, and the Executive Committee is the leadership team of \nsix (6) to twelve (12) students who serve as the advising body to \nthe Boston School Committee and superintendent. The Executive \nCommittee also plans and facilitates meetings with the support \nof the BSAC manager, facilitates youth engagement in district" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "initiatives and departments, develops BSAC priorities, and \nmonitors progress. \nEach Boston public high school (including district, exam, all high \nschool-level alternative, pilot, and in-district charter schools) is \nrequired to have at least one and up to two BSAC representatives \nfrom their school. The BSAC representative is a part of the \nstudent government and must regularly attend student \ngovernment meetings to share BSAC’s work, receive feedback, \nand gather input on projects/policies. Where possible, it is helpful \nto have a student representative who is on the School Site \nCouncil serve on BSAC as well. There are two ways students may" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "become a BSAC member: (1) through student elections at the \nschool level, or (2) through the BSAC application managed by the \nOffice of Youth Leadership. \nROLE OF BSAC MEMBERS \n1. To elect a leadership team that will serve in advisory to the \nSchool Committee as part of its decision-making process. \n2. To keep their Student Government and school community \ninformed about relevant district initiatives and decisions, \nand actively seek and collect feedback to inform district" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-06 \nPage 3 of 4 \n \n \ndecision making through regular attendance and \nparticipation in Student Government meetings. \n3. To work on BSAC projects and initiatives. \nBSAC representatives will: \n• Represent their schools at BSAC meetings. \n• Assist in decision making for their schools by advising the \nadministration on student-centered citywide issues and \npolicies. \n• Work on policies that BSAC develops. \n• Perform tasks necessary to advance project work, such as \nsurveys, meetings with heads of schools and Student \nGovernment advisors, peer interviews, etc. \n• Ensure representation of student voice for their school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "through continuous engagement with the Student \nGovernment and their broader student body. \nThe Office of Youth Leadership is responsible for oversight and \nsupport of BSAC." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-06 \nPage 4 of 4 \n \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nSeptember 29 First BSAC meeting for returning representatives \nOctober 15 \nDeadline to hold Student Government Elections \nOctober 15 \n \nEmail names of Student Government \nrepresentative(s) and BSAC member to Office of \nYouth Leadership, \nBSAC@bostonpublicschools.org \nOctober 28 \nDeadline for youth to apply to City of Boston’s \nSuccess Link to qualify for a youth job slot. When \npossible, the Office of Youth Leadership partners \nwith the City of Boston’s Department of Youth \nEngagement and Employment to provide paid \nyouth jobs to BSAC members." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-06 Boston Student Advisory Council", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link", + "content": "youth jobs to BSAC members. \n \nFor more information about this circular, contact: \nOwner \nSenior Director of Opportunity Youth \nDepartment: \nDepartment of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-9620 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFAM-05 \nVersion 01 \n \n \nTITLE I FAMILY ENGAGEMENT REQUIREMENTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Strong family and home-\nschool connection focused on student academic learning has \nconsistently been shown to be associated with improved student \nachievement and school improvement. The shared responsibility \nthat results from partnerships has the potential to improve" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "relationships, strengthen schools, and ensure students are \nprepared to reach their educational potential in school and \nbeyond. \nThe BPS Five Core Elements of Engagement provide clear \nguidance for schools to develop and implement the Title I Family \nEngagement Requirements. Title I, Part A, Section 1118, of the \nElementary and Secondary Education Act (ESEA) identifies \nspecific family engagement practices required of all schools that \nreceive Title I funds. The Office of Engagement provides oversight \nand support to ensure all schools that receive Title I funds meet \nthe engagement requirements of Sec. 1118." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-05 \nPage 2 of 7 \n \n \nREQUIREMENTS OF SCHOOLS RECEIVING TITLE I FUNDS \nAll schools receiving Title I Funds are required to do the following: \n1. Have a written Family Engagement Plan/Policy, developed \nin collaboration with parents and approved by the School \nParent Council and School Site Council or Governing Board. \n2. Have a Home-School Compact, developed in collaboration \nwith parents and approved by the School Parent Council \nand School Site Council or Governing Board. \n3. Set aside a minimum of 1% of Title I allocation in the school’s \nbudget for family engagement. Decisions on how to allocate" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "the 1% for family engagement must comply with federal \nguidelines and be made by the School Site Council or \nGoverning Board. \n4. Host an annual parent meeting to discuss school priorities \nand programs under Title I by October 31. \n5. Build capacity of both families and teachers to effectively \nengage with one another to improve student learning \noutcomes. with an emphasis on the use of CRIOP, Pillar II. \nFAMILY ENGAGEMENT POLICY/PLAN \nThe family engagement policy/plan is jointly designed by families \nand school stakeholders to describe how the school will carry out \nparent engagement to meet the changing needs of families, \nstudents, and the school." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-05 \nPage 3 of 7 \n \n \nThe Family Engagement Policy/Plan must: \n● Describe how parents will be engaged as equal partners in \nschool-based decision-making, including tools they will use, \nsuch tools as School-based Equity Roundtables. \n● Describe how parents will be engaged in school \nimprovement and student learning. \n● Identify strategies that the school will employ to build both \nparent and teacher capacity for partnering to support \nstudent learning. \n● Be shared with the school community in a format that is \nfamily friendly. \n● Be translated into families’ home languages. \n● Be updated annually to reflect the changing concerns of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "families’ and school priorities related to school climate and \nstudent learning. \nFor additional information on the family engagement policy/plan, \nsee ESEA Title I, Part A, Section 1118(b). \nHOME-SCHOOL COMPACT \nThe purpose of the Home-School Compact is to establish shared \nresponsibility for student academic achievement. \nFor additional information on Home-School Compacts: \n● ESEA Title I, Part A, Section 1118(d) \n● BPS Circular FAM-7 Home-School Compacts \n● www.schoolparentcompact.org \n● Title I Toolkit" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-05 \nPage 4 of 7 \n \n \n1% MINIMUM FAMILY ENGAGEMENT ALLOCATION \nAll schools receiving Title I funds are required to set aside a \nminimum of 1% of the Title I allocation in the school's budget for \nfamily engagement. As needed, the Family School Engagement \nPractice team can provide guidance in allowable expenditures to \nschools. Decisions on how to allocate the 1% for family \nengagement should be made by the School Site Council or \nGoverning Board in consultation with the parent body. \nFor additional information on the use of Title I funds for family \nengagement, please see ESEA Title 1, Part A, Section1118(a)(3)(C)" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "and Section 1118(e)(8), (9), and (10). \nANNUAL MEETING \nSchools receiving Title I funds must convene an annual meeting \nwith families in which: \n● All families are invited and encouraged to attend. \n● Families are informed of the school’s status as a Title I \nschool. \n● The requirements of Title I are explained to families. \n● The school’s use and allocation of Title I funds is shared with \nfamilies. \n● Families are informed of the different opportunities to be \ninvolved in school-based decision-making, school \nimprovement, and supporting student learning. \n \nFor additional information on the Annual Meeting as required \nunder Title I, please see ESEA Title I, Part A, Section 1118(C)(1)." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "CAPACITY BUILDING" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FAM-05 \nPage 5 of 7 \n \n \nSchools that receive Title I funds are required to provide capacity \nbuilding opportunities for both families and educators designed \nto: \n● Help families understand learning standards, assessment of \nstudent learning, and how to effectively monitor student \nprogress. \n● Strengthen families’ ability to support student learning at \nhome. \n● Help principals/heads of school, teachers, and other school \nstaff develop the mindsets, beliefs, skills, and strategies to \neffectively build relationships and maintain ongoing, two-\nway, culturally appropriate communication with students’ \nfamilies." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "families. \n● Collaborate with community-based organizations that work \nwith school staff and/or parents to strengthen student \nlearning outcomes. \n● Translate communications and provide interpretation from \nthe school to families who speak a language other than \nEnglish into the appropriate language. \nFor additional information on the Title I requirements related to \nparent and teacher capacity building, please see ESEA, Title I, \nPart A, Section 1118(e). \nREPORTING \nTo be considered in compliance with the family engagement \nrequirements of Title I and the requirements of the BPS Core \nElements of Engagement, schools must submit the following" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "documents to the Office of Family and Community \nAdvancement, or submit to their engagement folder:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FAM-05 \nPage 6 of 7 \n \n \n● School-based Family Engagement Plan/Policy \n● Home-School Compact \n● Agenda, meeting minutes, election documents, meetings \ndates, roster, and bylaws of School Site Council \n● A self-assessment of the school’s engagement practices. \n \nThe Office of Family and Community Advancement will be \nresponsible for tracking parent participation in BPS Parent \nUniversity, which builds the capacity of parents to effectively \nsupport student learning and advocate for student needs. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Title I Family Engagement requirements align with the \neducator evaluation Standard III: Family and Community" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Engagement addressing the continuum of supports that reflect \nshared expectations, responsibility, and opportunities for active \nparticipation and collaborative partnerships between schools, \nfamilies, and community. Further, Title 1 requirements align with \nCulturally and Linguistically Sustaining Practices (CLSP), \nincluding the Culturally Responsive Instructional Observation \nProtocol (CRIOP)." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-05 Title I Family Engagement Requirements", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FAM-05 \nPage 7 of 7 \n \n \nFor more information about this circular, contact: \nOwner: \nDirector of Family School Engagement \nPractices \nDepartment: \nOffice of Family and Community \nAdvancement \nMailing Address: \n445 Warren Street, Roxbury, MA 02121 \nPhone: \n617-635-7750 \nEmail: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nFAM-01 \nVersion 01 \n \n \n \nSCHOOL PARENT COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nBoston Public Schools values the voices of families and seeks to \nengage families in both school governance and in an advisory \ncapacity at all levels throughout the district. School Parent \nCouncils (SPCs) serve as advocates and advisors to \nprincipals/heads of school, school superintendents, the \nsuperintendent, and the School Committee. \nSPCs provide an opportunity for families to be more deeply \nengaged at the school level, partnering with the principal/head of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "school to improve school culture and outcomes for all students. \nIn addition to the school-based SPC, there are districtwide parent \nadvisory councils that bring together parents across schools to \nserve as advisors to district leadership. The Citywide Parent \nCouncil (CPC) serves as the districtwide voice for parents and is \ncomposed of representatives from each school. The Special \nEducation Parent Advisory Council (SPED PAC) represents the \nfamilies of students with disabilities who receive special \neducation services. The District English Learner Advisory \nCommittee (DELAC) works to ensure that parents are informed \nabout all aspects of BPS that affect English learners and provide" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "recommendations to the Office of English Learners. These groups \nserve to empower parents and partner with BPS to improve" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-01 \nPage 2 of 10 \n \n \noutcomes for all students. This circular focuses on the role and \nfunction of the SPC. \nSCHOOL PARENT COUNCILS \nThe SPC is the independently established \"voice\" of all parents in \nthe school community. The SPC advocates for students and the \nschool, meets frequently and consistently, elects representatives \nto sit on the School Site Council (SSC), and promotes an \nenvironment of understanding and common purpose among \nparents, students, and school staff, with a focus on student \nlearning and school improvement. For the purposes of this \ncircular, the term “parent” includes a legal guardian or other" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "person standing in loco parentis (such as a grandparent or \nstepparent with whom the child lives, or a person who is legally \nresponsible for the child's welfare).\" Sect. 9101(31) ESEA. \nThe roles and responsibilities of the SPC are as follows: \nRoles: \n• Collaborate with school staff to create a welcoming school \nclimate for all students and families. \n• Coordinate school-wide activities and events that engage \nfamilies in student learning. \n• Raise funds to support school-based initiatives, activities, \nand events. \nResponsibilities: \n• Provide a safe forum for families to express concerns. \n• Contribute to school-based initiatives related to school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "improvement, school climate, and student learning. \n \nAll parents or legal guardians of a child attending a particular" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-01 \nPage 3 of 10 \n \n \nschool are automatically members of that school’s SPC. \nThe SPC Executive Committee is the elected leadership of the \nSPC. Schools must adhere to the following guidelines for the \nelection of the Executive Committee: \n• OFCA recommends that the school’s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n• Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n• Elections for the 2024-2025 school year may be conducted" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "in person, virtually, or through a hybrid system, providing for \nequitable access to voting. \n• Parents/legal guardians who wish to become members of \nthe Executive Committee must have a child enrolled at the \nschool in which they are running. \n• Co-chairs and officers should be representative of the school \ncommunity. \n• Any parent/legal guardian who is present at an SPC election \n(held in person or virtually) may be nominated for the SPC \nExecutive Committee (a parent may nominate themself). \n• Within one school, elected members can serve more than \none role only if there is an insufficient number of candidates \nto fill all roles." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "to fill all roles. \n• Parents/legal guardians who are not present (in-person or \nvirtually) at the time of the election may not be nominated. \n• Parents/legal guardians who work at their child’s school \nmay not be elected to the SPC Executive Committee, except \nfor extenuating circumstances. \n• Each family is allowed one vote per family." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-01 \nPage 4 of 10 \n \n \n• Each candidate should be allowed one minute to introduce \nthemself. \n• Elections may be carried out by secret ballot or can be \napproved by a majority vote of the present group. \n• Nominations and elections are held during the same \nmeeting; therefore, voters must be present, virtually or in \nperson, to participate in the election. \n \nSPC EXECUTIVE COMMITTEE \nThe role of the SPC Executive Committee is to: \n• Provide leadership and to organize the work of the SPC . \n• Maintain ongoing communication with all parents to ensure \nthat they are connected to what is happening at school." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "• Maintain ongoing communication and a collaborative \nworking relationship with the principal/head of school, \nteachers, school staff, and community partners. \n• Create an inclusive environment on the SPC and in the \nwhole school community that welcomes the active \nparticipation of all parents. \n• Set a schedule and format of meetings that invites \nmaximum participation of families. \n \nThe composition of the SPC Executive Committee should: \n• Reflect the racial and ethnic diversity of the student body. \n• Include parents of students who are English Learners \n• Include parents of students who receive special education \nservices. \n• Include parents of students in a range of grade levels." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "• Include a mix of newly elected and experienced parent \nleaders." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FAM-01 \nPage 5 of 10 \n \n \n \nParents may serve in more than one SPC Executive Committee \nrole simultaneously at the same school if no other candidates \ncome forward. However, SPCs are encouraged to elect as many \nparents as possible for the various roles for the purposes of \nsharing responsibility and building leadership capacity. The SPC \nExecutive Committee consists of the following roles: \nCo-Chair \n• Number elected: 2 \n• Schedule and facilitate SPC meetings \n• Create agendas \n• Maintain ongoing two-way communication with \nprincipal/head of school \nTreasurer \n• Number elected: 1-2 \n• Maintain clear and accurate financial records for the SPC" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "• Provide monthly expense reports \n• Lead or manage SPC fundraising efforts \nSecretary \n• Number elected: 1-2 \n• Conduct outreach to the parent community \n• Record and share meeting notes with the school \ncommunity \n \nSchool Site Council Reps \n• Number elected: 5-8 (based on the number of staff in the \nBTU bargaining unit) \n• Represent the parent community as a member of the SPC \n• Participate in school-based decision-making" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FAM-01 \nPage 6 of 10 \n \n \n• Attend SPC meetings to report out on SSC business and \nreceive information to bring back to the SSC \n• Facilitate communication between the SPC and SSC \n \nCitywide Parent Council Rep \n• Number elected: 1-2* \n \n• Participate in a districtwide parent group designed to \nadvocate for BPS families and students and influence BPS \npolicy \nSpecial Education Parent Advisory Council Rep \n• Number elected: 1-2* \n• Participate in a citywide parent organization designed to \nprovide information and resources to families of students \nwith disabilities who receive special education services \nDistrict English Learners Advisory Committee" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "District English Learners Advisory Committee \n \n• Number elected: 1-2* \n• Participate in a citywide committee tasked with providing \nrecommendations to school and district officials regarding \nprograms and services provided to EL students \nTotal # of Parents Elected to SPC Executive Committee: 12-20 \n \n*If vacant, this position should be revisited throughout the school \nyear, and families should be reminded of the opportunity and \nthe benefit of representation on these citywide councils." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FAM-01 \nPage 7 of 10 \n \n \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council (SPC) elects parent members to \nrepresent the parent voice on the School Site Council (SSC). SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on \nSSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSCHOOL PARENT COUNCIL BY-LAWS" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "SCHOOL PARENT COUNCIL BY-LAWS \nAll SPCs must develop by-laws for their council to provide \nstructure and guidance for SPC operations. SPCs must annually \nreview and approve their by-laws at their first meeting following \nthe election. The by-laws are a public document and should be \nmade available to all parents and members of the school \ncommunity, upon request. The SPC by-laws should be submitted \nto the Office of Family and Community Advancement (OFCA) \nupon approval by the SPC. \nSCHOOL PARENT COUNCIL MEETINGS \nThe SPC should meet at least once monthly. The first meeting of \nthe year should include a presentation from the principal/head of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "school on the school’s goals for the year and election of \nrepresentatives to the Executive Committee and School Site \nCouncil (see Superintendent’s Circular FAM-02 for more details). \nThe following meeting should focus on sharing the work that the \nSPC is doing and provide the opportunity for feedback from \nparents. SPCs are encouraged to meet monthly, in keeping with \nthe SSC frequency, to ensure that the parent body is kept" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FAM-01 \nPage 8 of 10 \n \n \nabreast of SSC activity. Meeting frequency and purpose should \nbe detailed in the SPC By-laws. \nSPC GUIDELINES FOR PRINCIPALS, HEADS OF SCHOOL, AND \nADMINISTRATORS \n• The principal/head of school must work with the SPC to host \nan annual Title I meeting to share with families (1) how the \nschool is investing its Title I allocation, (2) rights and \nresponsibilities of Title I parents, and (3) to seek feedback \nand/or input from parents on the Home-School Compact \nand Family Engagement Plan. \n• The principal/head of school should meet with the SPC on a \nregular basis to provide updates on school policies, the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "instructional focus, school data, other pertinent information, \nand to address school-wide parent concerns. \n• The principal/head of school should provide families with \nperiodic updates on overall student/school progress, sharing \ndata at SPC meetings. \n• The principal/head of school should meet with the SPC co-\nchairs for ongoing communication regarding family and \nstudent engagement practices, student learning, and school \nimprovement. \n• The principal/head of school should work with the SPC co-\nchairs to have information translated into the home \nlanguages represented at their school and ensure that \narrangements for translation and interpretation have been" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "negotiated and agreed upon by the SPC and school staff \n(this includes election night). \n• The principal/head of school or designee should assist the \nSPC in notifying families of all SPC and/or Executive" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FAM-01 \nPage 9 of 10 \n \n \nCommittee meetings, by providing access to a computer, \npaper, copying machine, and postage; and by working with \nthe SPC for timely dissemination of notices for the entire \ncommunity using a range of communication methods, \nincluding School Messenger, email, the school’s website, \nand school media. \nThe SPC works collaboratively with the principal/head of school \nand school staff to solve problems and develop plans to improve \nthe engagement of families and students. The commitment to \npartnering with families reflects the value that BPS has placed on \nthe engagement of families and is grounded in decades of family" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "engagement research. \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts Administrator Evaluation rubric: \n• Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n• Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n• Indicator IV-E-1. Shared Vision Development \no Parents, students, and teachers have an opportunity to" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "shape the vision for the school as it pertains to \ninstruction and school climate. \n• Indicator IV-F-3. Consensus Building" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FAM-01 \nPage 10 of 10 \n \n \no Decisions are made using a consensus model, in which \nall members of the SSC (including SPC members) have \nan equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate \nActivity \nSeptember 15 \nElection dates submitted to OFCA \nOctober 31 \nDeadline for completing SPC elections of all \nparent reps, including SSC representatives; and \nsubmitting rosters to OFCA. \n \n \nFor more information about this circular, contact: \nOwner: \nDirector, Family School Engagement \nPractices \nDepartment: \nOffice of Family and Community \nAdvancement \nMailing Address: 2300 Washington Street, Roxbury, MA 02119" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-01 School Parent Councils", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link", + "content": "Phone: \n617-635-7750 \nEmail: \nofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 1:\n \n \n \nSuperintendent’s \nCircular \nNUMBER: \nFAM-02 \nVersion 01 \n \n \n SCHOOL SITE COUNCILS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nEngaging families and students as equal partners has been \nidentified as a core strategy for improving student performance \nin the Boston School Committee goals and the BPS Engagement \nPolicy. Family and student engagement is also a significant \ncomponent of the Massachusetts School-Level Administrator \nRubric. \nThis circular has been developed to help principals/heads of \nschool effectively implement School Site Councils (SSC) as a \nfoundational structure for engaging parents and students in" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "school-based decision-making and school improvement. The \nOffice of Family and Community Advancement (OFCA) \ncollaborates with the Boston Teachers Union (BTU) to provide \noversight and support for SSCs. \nFor the purposes of this circular, the term “parent” includes a \nlegal guardian or other person standing in loco parentis (such as \na grandparent or stepparent with whom the child lives, or a \nperson who is legally responsible for the child's welfare). Sect. \n9101(31) ESEA." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-02 \nPage 2 of 14 \n \nROLE AND PURPOSE \nThe role of the School Site Council is to engage parents and \nteachers to serve with the principal/head of school as the central \ndecision-making body of the school. SSCs are required by the \nMassachusetts Education Reform Act of 1993 and by the \ncollective bargaining agreement between the Boston Teachers \nUnion (BTU) and the Boston School Committee. \nUnder the school-based management/shared decision-making \nmodel described in the collective bargaining agreement \nbetween BPS and the BTU, the role of the SSC is to: \n● Review and approve the Quality School Plan within" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "guidelines established by the superintendent. \n● Review and approve the recommendations of the \nInstructional Leadership Team (ILT) that have been \nendorsed by the principal/head of school and that will have \na major effect on the school community. \n● Review and comment on the entire school budget, \nincluding the general funds and external funds budgets, in a \ntimely fashion. \n● Approve the budget for discretionary school materials, \nsupplies, textbooks, and equipment, including the use of \nschool improvement award funds. \n● Review and approve recommendations from any other \ncommittee or group that is established to recommend \nchanges that will have a major effect on the school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "community. \n● Develop and approve plans for increasing parent \nengagement in the school." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-02 \nPage 3 of 14 \n \n● Develop, review annually, and approve the School-Parent \nCompact as required by Title I. \n● Receive information about all outside programs or outside \nprofessionals that come into the school. \n● Approve waivers. \nAs the central governing body at the school, the SSC oversees all \nschool-based committees, including the ILT and the Personnel \nSubcommittee. \nThe role of the ILT is to: \n● Serve as an advisory body to the principal/head of school on \nissues related to teaching and learning, assessment, and \nprofessional development. \n● Give a report each month to the SSC on ILT activities." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "● Seek and receive SSC approval for any ILT recommendation \nthat alters the Quality School Plan or may have a major \neffect on the school community. \nEach school must elect a Personnel Subcommittee, whose \ncomposition must include two teachers, one parent, and the \nprincipal/head of school. The responsibilities of the Personnel \nSubcommittee are to: \n● Approve the hiring of new BTU teacher bargaining unit staff \nand in-transfer of BTU teachers’ bargaining unit staff from \nother schools in the system and the choice of teachers from \nthe excess pools. \n● Approve the selection of lead teachers, mentor teachers, \nand new athletic coaches. \n● Determine the schedule and procedures for reviewing" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-02 \nPage 4 of 14 \n \ncandidates for positions. \nSchools must submit the names of the members of the \nPersonnel Subcommittee to the Office of Family and Community \nAdvancement by October 31. For additional information on the \nPersonnel Subcommittee, see Superintendent’s Circular FAM-04 \nPersonnel Subcommittee. \nSSC GOVERNANCE AND OPERATIONS \nThe following provisions describe how effective SSCs should \noperate. \n1. SSC operations are governed by a BPS/BTU Joint Steering \nCommittee, which includes parents and students. Any \nmember of the SSC may file a complaint with the Steering \nCommittee concerning the operation of the SSC at their \nschool." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "school. \n2. The SSC is expected to operate as a single decision-making \nteam, working together to reach consensus, as opposed to \nbeing individual representatives of specific constituent \ngroups. \n3. Formally, decisions made by the SSC will be made by \nmajority vote, with the principal/head of school voting with \nthe majority. \n4. The principal/head of school is required to account in writing \nand in person (at a subsequent meeting) for any vote in \ncontravention of a majority of the council. \n5. A quorum must be present to vote on issues. To constitute a \nquorum, the principal/head of school must be present as \nwell as at least two teachers and two parents for SSCs with 9-" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "12 members and three teachers and three parents for SSCs \nwith 13 or more members." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FAM-02 \nPage 5 of 14 \n \n6. The principal/head of school shall serve as SSC co-chair and \nat the first meeting of the school year; the elected members \nof the SSC are encouraged to select one member (preferably \na parent) to serve as the other co-chair. \n7. Other roles, such as note taker and any subcommittees, shall \nalso be selected at the first SSC meeting of the school year. \n8. At the first SSC meeting of the year, a calendar of meetings \nfor the entire school year shall be established, ensuring that \nthe times and dates are convenient for all members. \n9. The agenda for the meetings shall be developed by the SSC" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "co-chairs with input from other members of the SSC and the \nschool community at large. \n10. Each SSC is required to pass by-laws to govern its operations. \nThe by-laws must be approved or amended by two-thirds of \nthe members of the bargaining unit in the school eligible to \nvote for the SSC and by two-thirds of the parents who come \nto a parent meeting. There must be at least two weeks’ \nnotice for the parent meeting. \n11. All SSC meetings are subject to DESE regulations regarding \nspecific law, including publicizing meeting dates in advance \nand sharing meeting minutes with the school community. \n12. On March 29, 2023, Governor Healey signed into law a" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "supplemental budget bill which, among other things, \nextends the temporary provisions pertaining to the Open \nMeeting Law to March 31, 2025. These provisions allow for \nSchool Site Councils to meet remotely, provided that \nadequate access to the meetings is still available to the \npublic. Please see https://www.mass.gov/the-open-meeting-\nlaw for more information or current updates. Decisions \nabout hosting in- person or virtual school-based meetings" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FAM-02 \nPage 6 of 14 \n \nwith families for SY 24-25 should be a shared decision with \ncommunity members. \nFor additional information on SSC governance and operations, \nplease contact the Office of Family and Community \nAdvancement or refer to the Shared Decision-Making section of \nthe collective bargaining agreement between BPS and the BTU. \nCOMPOSITION OF THE SSC \nThe SSC shall be composed of: \n● The principal/head of school \n● Elected members of the BTU who work more than 50% of \ntheir work week at that school \n● Parents of children enrolled in that school elected by the \nSchool Parent Council" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "School Parent Council \n● Two students (high school only) enrolled in that school \nelected by the Student Government. \nThe specific number of parent and teacher representatives on \nthe SSC is determined by the number of BTU members employed \nat the school. The number of parent representatives on the SSC \nmust be equal to the number of BTU representatives, plus the \nprincipal/head of school. The table below demonstrates how the \nnumber of teacher and parent representatives are calculated." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FAM-02 \nPage 7 of 14 \n \nSchool Site Council Representation* \n# of BTU members \nin school \n# of BTU SSC Reps # of Parent SSC Reps \n30 or fewer BTU \n4 \n4 \n31 – 60 BTU \n5 \n5 \n61 or more BTU \n6 \n6 \n \n*Plus, the principal/head of school and, as applicable, two \nstudents, as outlined above. \nSchools may also select associate (non-voting) SSC members \nfrom community-based organizations, higher education, or \nbusinesses that partner closely with the school. \nEach school shall also elect each year alternate parent, teacher, \nand student members of the SSC to substitute for absent \nmembers of their group. Alternate members who are elected by" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "BTU bargaining unit members or parents to substitute for absent \nmembers may also fill vacancies created by the resignation or \nremoval of SSC members. \nParents elected as SSC representatives must reflect the racial and \nethnic diversity of the student population at the school and \ninclude parents of students participating in a range of \neducational programs, such as special education and related \nservices and programming for English Language Learners. \nFor specific information on the election process of BTU \nrepresentatives, please refer to the Shared Decision-Making \nsection of the collective bargaining agreement between BPS and \nthe BTU." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FAM-02 \nPage 8 of 14 \n \nSSC ELECTION PROCEDURES FOR SELECTING PARENT AND \nSTUDENT REPRESENTATIVES \nThe following are key points for conducting successful elections. \n● Principals/heads of school should designate an impartial \nstaff person as the school’s Election Facilitator. Elections \nshould not be facilitated by the principal/head of school or \nby a parent currently serving on the SPC Executive \nCommittee or SSC. The Office of Family and Community \nAdvancement provides training, support, and materials for \nall election facilitators, and can facilitate elections provided \nthat (a) a facilitator cannot be identified from within the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "school community, and (b) the school contacts Office of \nFamily and Community Advancement with the election \ndate, time, and location at least two weeks in advance. \n● OFCA recommends that the school’s Family Liaison is either \nthe facilitator, co-facilitator, or observer of the election. \n● Elections for SSC and SPC parent reps must happen in the \nfall of the new school year. Spring elections will no longer be \naccepted. This is to help make opportunities for \nengagement in the councils more equitable. \n● Elections should be held at the first School Parent Council \n(SPC) meeting of the year and conducted at a time that is \nconvenient for parents. The SPC consists of all parents in the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "school community. See Superintendent’s Circular FAM-01 for \nadditional details. \n● Election of student SSC representatives at high schools \nshould be incorporated into schools’ student government \nelection process. \n● Schools should be prepared to provide translation and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FAM-02 \nPage 9 of 14 \n \ninterpretation, as well as childcare, at the parent election \nand at the meetings as needed. \n● Parent elections typically take between 30 and 60 minutes. \nThe election facilitator should be prepared to explain the \nrole and purpose of the SPC and SSC, as well as provide an \noverview of each position and requirements of the election. \n● Parents or legal guardians of students currently enrolled at \nthe school are eligible to be elected to the SSC. Note: \nparents/legal guardians who work at their child’s school \ncannot serve as the parent representative on the SSC. \n● Parents may be nominated and elected to serve on both the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "SSC and the SPC executive committee/team. \n● All families who are present at the election are allowed one \nvote per family per elected position. No absentee ballots will \nbe accepted. \n● Voting may be conducted by secret ballot or by majority \nvote. \n● Upon completion of voting, each newly elected parent \nshould complete an Elected Member Information Form and \nreturn it to the election facilitator. \n● After the election, the school is responsible for submitting all \nelection results to the Office of Family and Community \nAdvancement \nRELATIONSHIP BETWEEN SCHOOL PARENT COUNCIL AND \nSCHOOL SITE COUNCIL \nThe School Parent Council elects parent members to represent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "the parent voice on the School Site Council. The SSC \nrepresentatives are members of the SPC Executive Committee \nand should attend SPC meetings to provide regular updates on" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FAM-02 \nPage 10 of 14 \n \nthe SSC proceedings to ensure opportunities for parent input and \nfeedback. All SSC meetings are open to the public; therefore, any \nparent, staff person, or community member can attend. However, \nonly the elected representatives can vote on SSC decisions. \nSSC REPORTING \nAll BPS schools are required to submit their SSC rosters and \nmaterials listed below directly to the Office of Family, Student \nand Community Advancement by October 31. Additionally, \nschools are required to submit the following documents for the \npurposes of demonstrating compliance with MA Open Meeting \nLaw and BPS policy: \n● SPC roster \n● SSC roster" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Law and BPS policy: \n● SPC roster \n● SSC roster \n● Personnel Subcommittee roster \n● SSC meeting calendar for the year \n● SSC meeting agendas, monthly \n● SSC meeting notes, monthly \n● SSC by-laws \n● Family Engagement Plan \n● Home-School Compact \nThe first deadline for submitting this documentation is October \n31, at which time every school will be assigned one of the \nfollowing statuses: \n● Full Compliance: School has uploaded SSC and SPC roster, \nas well as all other SSC documentation. \n● Reporting: School has uploaded SSC and SPC roster, with \nincomplete additional SSC documentation. \n● No Data: School has not uploaded SSC and SPC roster." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FAM-02 \nPage 11 of 14 \n \n \nSSC meeting agendas and notes should be submitted on request \nfor updated SSC status to be maintained and/or updated. \nSUPPORT AND TRAINING \nThe Office of Family, Student and Community Advancement \nprovides the following supports to schools to help them \neffectively conduct elections, provide the required \ndocumentation, and implement effective SSCs throughout the \nschool year: \n● Required election materials \n● Election facilitation training \n● Election facilitation, in the event that the school is not able \nto identify a facilitator and is able to request an election \nfacilitator at least ten school days in advance" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "facilitator at least ten school days in advance \n● SSC trainings, in collaboration with the BTU, on topics \nincluding SSC Basics, SSC Budget Basics, and Shared \nDecision-Making \n● SSC manuals, including specific tools to support SSC \noperations and answers to frequently asked questions \n● SSC trainings for high school students and adult allies \n● Ongoing support, coaching, and technical assistance. \nOPEN MEETING LAW REQUIREMENT \nSSCs serve as the decision-making body of the school and are \nsubject to certain aspects of the Massachusetts Open Meeting \nLaw, per DESE Regulations. According to these laws, SSCs must \nadhere to the following requirements:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FAM-02 \nPage 12 of 14 \n \n● Meeting dates and agendas must be posted publicly, with \n48 hours advance notice. \n● All SSC meetings must be open to the public. \n● Meeting minutes and notes must be shared, posted, and \nkept in a place at the school where they are accessible. \nFor more complete information on the MA Open Meeting Law, go \nto www.mass.gov/ago/government-resources/open-meeting-\nlaw/ \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nEffective implementation and the authentic engagement of \nparent, teacher, and student voice align with the following \nstandards of the Massachusetts School Level Administrator \nRubric:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Rubric: \n● Indicator III-A1. Family Engagement \no Engages parents, students, and teachers in creating a \nwelcoming school environment and fostering a shared \nresponsibility engagement. \n● Indicator IV-A-3. Professional Culture \no Plans and leads well-run and engaging meetings that \nhave a clear purpose, focus on matters of consequence, \nand engage participants in a thoughtful and \nproductive series of conversations and deliberations \nabout important school matters. \n● Indicator IV-B1. Policies and Practices \no Creates opportunities for authentic parent, student, \nand teacher voice in school-based decision-making. \n● Indicator IV-E-1. Shared Vision Development" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FAM-02 \nPage 13 of 14 \n \no Parents, students, and teachers have an opportunity to \nshape the vision for the school as it pertains to \ninstruction and school climate. \n● Indicator IV-F-3. Consensus Building \no Decisions are made using a consensus model, in which \nall members of the SSC have an equal voice. \no Resolves conflicts among members of the school \ncommunity. \nIMPORTANT DATES \nDate \nActivity \nSeptember 15 \nElection dates submitted to the Family-School \nEngagement Practices Team, Office of Family \nand Community Advancement \nOctober 15 \nDeadline for completing elections of all parent, \nstudent, and teacher SSC representatives and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "student, and teacher SSC representatives and \nsubmission of rosters \nOctober 31 \nDeadline for conducting first SSC meeting \nOctober 31 \nDeadline for submitting all required \ndocumentation to the Office of Family and \nCommunity Advancement \nTBA \nDistrictwide SSC trainings" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-02 School Site Councils", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FAM-02 \nPage 14 of 14 \n \nFor more information about this circular, contact: \nOwner: \nDirector, Family-School Engagement \nPractices \nDepartment: \nOffice of Family and Community \nAdvancement \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-7750 \nEmail: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nFAM-04 \nVersion 01 \n \n \nSCHOOL SITE COUNCIL PERSONNEL SUBCOMMITTEE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nDeepening partnerships with families is one of the key strategies \nfor strengthening student learning and closing achievement \ngaps in the Boston Public Schools. Consistent with the principles \nof school-based management, the School Site Council engages \nparents and students in shared decision-making as a lever for \nschool improvement. The intention of the Personnel \nSubcommittee is to actively involve members of the school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "community in the teacher hiring process, as these decisions will \nhave a significant impact on instructional practice and the lives of \nstudents. \nRESPONSIBILITIES OF THE PERSONNEL SUBCOMMITTEE \nThe responsibilities of the Personnel Subcommittee of the School \nSite Council are to: \n• Approve the hiring of new Boston Teachers Union (BTU) \nteachers’ bargaining unit staff and in-transfer of BTU \nteachers’ bargaining unit staff from other schools in the \nsystem and the choice of teachers from the excess pool. \n• Approve the selection of lead teachers, new teacher \ndevelopers, mentor teachers, and new athletic coaches. \n• Determine the schedule and procedures for reviewing" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-04 \nPage 2 of 5 \n \ncandidates for positions. \n \nThe decisions of the Personnel Subcommittee are not subject to \nthe approval of the School Site Council. \nPERSONNEL SUB-COMMITTEE MEMBERSHIP \n1. The Personnel Subcommittee shall consist of two teachers, \none parent, one student in high schools, and the \nprincipal/head of school or their designee. \n2. BTU members on the School Site Council shall select the BTU \nrepresentatives to serve on the Personnel Subcommittee. \n3. The parent members of the School Site Council shall select \nthe parent representative. \n4. The student members of the School Site Council at high" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "schools shall select the student representative. \n5. The composition of the Personnel Subcommittee should \nreflect the racial and ethnic diversity of the school \ncommunity to the extent possible. \n6. Teacher, parent, and student representatives on the \nPersonnel Subcommittee may designate temporary \nreplacement representatives to the subcommittee for \nspecific positions. \nSCHOOL STAFFING \nThe Personnel Subcommittee interviews and decides on the \nselection of permanent teachers who voluntarily apply for \ntransfer into the school and the hiring of new teachers for \nvacancies, consistent with the terms of the current collective \nbargaining agreement between Boston Public Schools (BPS) and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "the BTU." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-04 \nPage 3 of 5 \n \n \nOPEN POSTING \nIn accordance with circular HRS-HS-07, schools must adhere to \nthe requirements to open post. Therefore, schools must ensure \nthat the Personnel Subcommittee of the School Site Council is \nformed and ready to begin the hiring process by March 1. \nTraining related to personnel subcommittees is offered by the \nOffice of Family and Community Advancement, the BTU, and the \nOffice of Human Capital. \nPERMANENT AND PROVISIONAL TEACHERS \nIn addition to permanent teachers who apply for transfer, a \nPersonnel Subcommittee may consider a provisional teacher \nwith a letter of reasonable assurance for a position which appears" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "on the transfer list and that the provisional currently holds within \nthe school. \nAfter interviewing candidates for a vacancy at a school that \nresults from the transfer process, or if a vacancy at a school \noccurs after the completion of the regular transfer process, a \nschool may choose to advertise or re-advertise the position. \nTIME COMMITMENT \nThe Personnel Subcommittee is a standing committee of the \nSchool Site Council for the duration of the school year. As such, \nthe Personnel Subcommittee must be formed by October 31 and \nshould meet as vacancies occur. The Personnel Subcommittee is \nnot required to meet between the end of one school year and the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "beginning of the succeeding school year. Before the summer \nrecess, members of the Personnel Subcommittee should leave" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-04 \nPage 4 of 5 \n \ncontact information with the principal/head of school, who will \ncontact members prior to the interviewing or hiring of any \nteacher applicants. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe Massachusetts School-Level Administrator Rubric includes \nFamily and Community Engagement (Standard III) as one of four \nstandards for effective principals/head of school practice. \nEngaging parents and students in shared decision-making as \nmembers of the Personnel Subcommittee aligns with Standard \nIII, Indicator A, Family Engagement of the rubric. Sharing \nevidence of effective implementation of the Personnel" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "Subcommittee may be a valuable way for principals/heads of \nschool to demonstrate proficient practice in Standard III. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on the role and purpose of the School \nSite Council, shared decision-making, and school-based \nmanagement, please refer to circular FAM-01 School Site Council \nand the School Site Council Manual. \nFor additional information on school staffing and hiring, please \nrefer to circular HRS-HS-07 School Staffing, Reassignment, and \nHiring. \nEngagement staff from the Office of Family and Community \nAdvancement (OFCA) are available to provide support, coaching," + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "and technical assistance related to shared decision-making and \nschool-based management to all BPS schools." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-04 Personnel Subcommittee", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FAM-04 \nPage 5 of 5 \n \nAdditionally, OFCA and the BTU collaborate to provide training \nfor schools on all aspects of the School Site Council, including the \nPersonnel Subcommittee. \n \nFor more information about this circular, contact: \nOwner: \nDirector of Family School Engagement \nPractice Team \nDepartment: \nOffice of Family and Community \nAdvancement \nMailing Address: \n443 Warren Street Boston, MA 02121 \nPhone: \n617-635-7750 \nEmail: \nofca-staff@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFAM-07 \nVersion 01 \n \n \nHOME-SCHOOL COMPACT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nOVERVIEW \nThe Home-School Compact is a document that clarifies what \nschool staff and families, working in collaboration, can do to help \nchildren reach high specific academic goals in core content \nareas. At their best, compacts link family engagement to school-\nwide and grade level instructional goals and help ground the \nrelationships between teachers and families in student learning. \nAdditionally, the compact serves as a clear reminder of the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "shared responsibility of the school and home to ensure that \nchildren can learn what is required of them. It is a written \ncommitment indicating how all members of a school community \n— families, teachers, principals, students, and concerned \ncommunity members — agree to share responsibility for student \nlearning. \nAll schools receiving Title I funds are required to develop a \nhome-school compact annually. \nWHAT IS INCLUDED IN A HOME-SCHOOL COMPACT? \nThe compact should clearly communicate the following:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-07 \nPage 2 of 6 \n \n \n1. Schoolwide instructional goals in core content areas and \nculturally and linguistically sustaining practices \n2. Specific learning goals for each grade level \n3. Key instructional strategies that the school plans to employ \n4. Specific strategies for families to support student learning at \nhome \n5. How stakeholders, especially families, are involved in \ndeveloping and revising the compact. \nAdditionally, the compact provides a vehicle for clearly defining \nthe expectations and shared responsibility for educating \nstudents. \nThe compact must describe how the school and teacher agree to \nbe responsible for:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "be responsible for: \n● Providing high-quality instruction for all students \n● Creating a supportive learning environment \n● Describing how school/teacher will build student agency in \ntheir learning \n● Showing respect for students and their families \n● Communicating with families and students about student \nprogress. \nThe compact must describe how families agree to be responsible \nfor: \n● Supporting their children’s learning in school and out of \nschool \n● Seeing that their children attend school regularly and on \ntime" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-07 \nPage 3 of 6 \n \n \n● Participating in decisions relating to the education of their \nchild and the school \n● Communicating with teachers on a regular basis. \nThe compact must describe specific ways students agree to be \nresponsible learners with the support of their parent(s) and \nteacher(s) by: \n● Attending school regularly and on time \n● Showing respect for themselves, their school, and other \npeople \n● Believing they can and will learn \n● Trying to do their best in their work. \nThe compact must emphasize the importance of ongoing, two-\nway communication between home and school through the \nfollowing minimum requirements:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "following minimum requirements: \n● Annual parent-teacher conference(s) to discuss the \nrelationship between the compact agreements and the \nstudent’s achievement \n● Frequent, timely progress reports to families \n● Reasonable access to school staff in a variety of ways \n● Opportunities to participate in and observe class activities. \nDEVELOPING AND REVIEWING THE HOME-SCHOOL COMPACT \nThe following are key considerations for developing your home-\nschool compact: \n1. The compact must be developed by a committee consisting \nof administrators, school staff, families, students, and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-07 \nPage 4 of 6 \n \n \nteachers. Existing school-based family engagement action \nteams or a subcommittee of the School Site Council are \noptions for the development of this document. \n2. The process for developing a compact should be open and \ninclusive, soliciting the input and contributions of a wide \nrange of stakeholders. \n3. The compact provides an opportunity for each stakeholder \nto articulate their expectations regarding the delivery of \nteaching and learning and what they agree to be held \naccountable for regarding student achievement. \n4. The compact should be written in clear, family-friendly" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "language, and translated into the languages spoken at the \nschool. \n5. The compact should be written using the Racial Equity \nPlanning Tool. \n6. Once a draft of the compact has been developed, families, \nteachers, and students should be given an opportunity to \nprovide feedback and input. \n7. The final version of the document must be approved by the \nSchool Site Council annually in the spring in preparation for \nthe upcoming school year. \n8. A final version of the compact must be submitted to the \nOffice of Family and Community Advancement by \nOctober 31, 2024." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FAM-07 \nPage 5 of 6 \n \n \nUSING THE HOME-SCHOOL COMPACT \nSchools must also develop a process for utilizing the compact to \nframe the relationships between teachers and families. Examples \ninclude: \n● The compact is reviewed at the beginning of parent-teacher \nconferences to frame the conversation about student \nprogress and mutual accountability. \n● The compact is used throughout the year to frame \nconversations between teachers and families related to \nmonitoring student progress toward specific learning goals. \n● The compact is used to frame school-based workshops \ndesigned to help families understand schoolwide and" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "grade-level learning goals and how to support learning at \nhome. \nALIGNMENT WITH EDUCATOR EVALUATION \nThe compact, if it is developed and used effectively and \nconsistently, can be used as evidence of reaching the proficiency \ntargets for the elements and indicators of Standard III in both the \nadministrator and teacher evaluation rubrics. \nADDITIONAL INFORMATION AND SUPPORT \nFor additional information on home-school compacts, please see: \n● ESEA Title I, Part A, Section 1118(d) \n● www.ctsschoolparentcompact.org \n● Title I Toolkit" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FAM-07 \nPage 6 of 6 \n \n \nThe Office of Family and Community Advancement is responsible \nfor supporting schools with the development and \nimplementation of the compacts. \nIMPORTANT DATES \nDate \nActivity \nOctober 31 \nDeadline for submitting current year Home-School \nCompact to Office of Family and Community \nAdvancement \nMay 31 \nDeadline for School Site Council to review and \napprove the Home School Compact for the \nfollowing school year \n \nFor more information about this circular, contact: \nOwner: \nDirector, Family School Engagement \nPractices \nDepartment: \nOffice of Family and Community \nAdvancement \nMailing Address:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-07 Home-School Compact", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link", + "content": "Advancement \nMailing Address: \n2300 Washington Street, Roxbury, MA 02119 \nPhone: \n617-635-7750 \nEmail: \nofca-staff@bostonpublicschools.org \n \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFAM-03 \nVersion 01 \n \nMIDDLE AND HIGH SCHOOL STUDENT GOVERNMENT \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n“As we continue to work at improving the quality of education \nfor all students, it is important that the voice of students be \nheard at the local, state and national levels.” \nMassachusetts Dept. of Elementary and Secondary Education \n \nEvery Boston public middle and high school (including district \nschools, exam schools, and all alternative, pilot, and in-district \ncharter schools) must have a written student engagement policy" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "documenting opportunities for students to assume leadership \nroles within classrooms and the broader school community, in \nalignment with the 2016 BPS Opportunity and Achievement Gaps \nPolicy. As part of this policy, each high school must also have a \nfunctioning and engaged student government. Middle schools \nare encouraged to have a student government. Student leaders \nin this body will represent their peers by serving as advisors, \nresearchers, and participants in the decision-making process at \nthe school and district level. Student government serves to \nengage students in learning about democracy and leadership. \nStudent government bodies are essential to ensuring equity in all" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "aspects of schooling. With faculty and administrative support, \nstudent government members should: \n● Ensure student voices are heard and incorporated in school" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FAM-03 \nPage 2 of 7 \n \ndecision making through the School Site Council, \n(SSC)/Governing Board, and meetings with the \nadministration. \n● Develop and grow a body of student leaders by working \nclosely with the faculty advisor(s) and the head of school. \n● Organize the student body and advocate for policies, \npractices, and opportunities that will close opportunity gaps \nat the school and district level. \nThrough student government and SSC, students can assist in \nfulfilling the school’s mission and design and improve the culture \nand climate of the school. \nSTUDENT GOVERNMENT COMPOSITION" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "STUDENT GOVERNMENT COMPOSITION \nSchools will strive to form a student government that reflects the \ndiversity of the student population in terms of race/ethnicity, \ngender, grade level, educational program (e.g., general, special, \nand bilingual education), and other factors. The number of \nparticipants should depend on the size of the school and what is \nmanageable for the advisor. The recommendation is to have 10-15 \nstudents serve in student government. \nIt is recommended that student government members be \nconnected to other school-based groups such as the School-\nBased Wellness Council and student clubs. These positions can" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "be dual roles with other positions on Student Government or can \nbe stand alone. The faculty advisor should help students think \nabout their time and commitments and what it would mean to \ntake on dual roles in the student government. \nROLE OF THE FACULTY ADVISOR \nThe principal/head of school, with student input, should appoint" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FAM-03 \nPage 3 of 7 \n \none or more faculty advisors to support and oversee each student \ngovernment. The principal/head of school will include students in \nthe selection process. Student governments can be considered \nschool clubs, and as such principals/heads of school are strongly \nencouraged to pay a stipend to the faculty advisor(s). \nThe faculty advisor(s) will: \n● Facilitate youth leadership in all aspects of student \ngovernance. \n● Meet with the student government at least twice per month \nand provide support in organizing quarterly meetings each \nschool year. \n● Assist student government leaders in the development of" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "action plans for the school and obtain the appropriate \napprovals before a plan is implemented. \n● Assist student government leaders in planning and \nmanaging their events/activities, supporting with logistics \nand approval. \n● Act as a liaison between the student government, School Site \nCouncil/Governing Board, and the Instructional Leadership \nTeam (ILT). \n● Ensure the tracking of data and support members as they \ncomplete reporting on activities. \n● Provide the principal/head of school with regular updates on \nhow the action plans are being carried out. \n● Advise student government leaders on their leadership and \nscholar-activism." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "scholar-activism. \n● Monitor and record all student work and approvals for \nproposals and dates. \n● Develop student leaders by providing or facilitating training \nand support as necessary." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FAM-03 \nPage 4 of 7 \n \nALIGNMENT WITH PRINCIPAL/HEAD OF SCHOOL EVALUATION \nPlease refer to the Massachusetts Department of Elementary and \nSecondary Education Educator Evaluation: Appendix B: School-\nLevel Administrator Rubric. \n● Indicator III-A1. Family Engagement. \no Engages SG in activities, events, and opportunities to \ncreate a welcoming environment. \no Students contribute to the design by sharing their \nknowledge of family and culture. \no Students evaluate and problem solve with staff and \nleadership challenges/barriers to including families in the \nschool community. \n● Indicator IV-B1. Policies and Practices." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "● Indicator IV-B1. Policies and Practices. \no Students participate in an activity identifying the makeup \nof the school. \no Cultural Sharing day. \no Students participate in SSC and/or other groups that \ndevelop culturally sensitive policies. \n● Indicator IV-E-1. Shared Vision Development. \no Students are part of the visioning process through focus \ngroups, surveys, community meetings, etc. \no Students share in the developing messaging for the \nstudent body. \n● Indicator IV-F-3. Consensus Building. \no Conflict resolution. \no Restorative justice practices. \no Student involvement in SSC and decision-making body." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FAM-03 \nPage 5 of 7 \n \nELECTIONS \nIt is the responsibility of every principal/head of school to ensure \nthat elections are held and the student government is \nestablished no later than October 15. The recommendation is that \nall student elections be held as one process by April 15 of the \ncurrent school year to roll out the following school year. See the \nStudent Elections Toolkit for guidance on facilitating student \nelections and all the necessary reporting forms. \nREPORTING \nOnce the student government is established, each school must \nsend the student government roster to the Office of Youth \nLeadership, which must include:" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Leadership, which must include: \n1. Student information for all elected positions. \n2. Student information for the two (2) students who are \nelected to serve on SSC or Governing Board (these \nstudents shall also serve on the Personnel \nSubcommittee). \n3. Student information for the BSAC representative (see \nSuperintendent Circular FAM-06). \n4. Student information for the Greater Boston Regional \nStudent Advisory Council (GBRSAC) representatives. \nPlease note the Department of Elementary and \nSecondary Education requires secondary schools to host \ntheir student elections for GBRSAC representatives and \nthose names be submitted no later than mid-April for the" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "representatives serving the following school year." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FAM-03 \nPage 6 of 7 \n \nMIDDLE SCHOOL LEVEL OVERVIEW \nMiddle school student governments serve the same functions as \nhigh school student governments. During middle school, \nstudents are building their self-advocacy skills to develop their \nvoices, identities, and agency in the school community. Learning \nabout leadership is a key activity for many middle school student \ngovernments. Student government members learn how to \nresearch, plan, organize, and execute programs and activities for \nmany students. The student government advisor leads student \ngovernment members in developing their leadership skills." + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Practicing Democracy: Governing democratically is a skill \nstudents learn during student government. Student government \ngives students hands-on experience in the workings of a \ndemocracy and teaches them how to work cooperatively with \nothers. Meetings should be run to promote students' working \ntogether for the common good and learning how to put \nleadership into action. \nPlanning and Implementing School Spirit Activities: Building \nschool spirit and culture that is linguistically sustaining and \naffirming can be one of the projects of the student government. \nThrough school events such as talent shows, fundraisers, and \nassemblies, students, teachers, faculty members and parents" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "come together to help plan these activities throughout the \nschool year and appoint various people to run these functions. \nAddressing Cares, Concerns, and Restorative Justice: Students \nwill raise school concerns that can best be addressed in student \ngovernment. Whether it is more nutritious foods served in the \ncafeteria or issues regarding school spirit days, student \ngovernment meetings give students a forum for sharing their \ngrievances and analyzing possible solutions to these problems. \nWith the support of the Office of Restorative Justice, students" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FAM-03 \nPage 7 of 7 \n \ncan be trained as circle keepers and can implement restorative \njustice to build community, repair harm, and promote collective \nhealing. \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nOctober 15 \nDeadline for student government elections to be \nheld \nOctober 15 \nDeadline for reporting the student government \nroster, including all student and faculty \ninformation listed above, to the Office of Youth \nLeadership at BSAC@bostonpublicschools.org \nOctober 31 \nDeadline for the first student government meeting \nto be held \n \nFor more information about this circular, contact: \nOwner: \nSenior Director of Opportunity Youth" + }, + { + "folder_name": "Family and Community Advancement", + "file_name": "FAM-03 Student Government", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link", + "content": "Owner: \nSenior Director of Opportunity Youth \nDepartment: \nDepartment of Opportunity Youth \nMailing Address: 443 Warren Street, Dorchester, MA 02121 \nPhone: \n617-635-9620 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-01 \nVersion 01 \n \n \nPERFORMANCE EVALUATION OF CUSTODIANS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nThe purpose of this circular is to set forth the individuals \nresponsible for custodian evaluations and to outline the \nphilosophy, objectives, guidelines, and procedures applicable to \nthe process. \nThe contract between the School Committee and the Custodians \nUnion provides for the annual evaluation of the performance of \ncustodians by principals and heads of school. To assist in the \nimplementation of the performance evaluation process, the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Department of Facilities Management (Building Services) has \ndeveloped a handbook for custodians, principals, and heads of \nschools. The evaluation process relates to the job duties and \nresponsibilities of the position as contained in the handbook. \nIt is the supervisor's responsibility to clearly communicate the \nspecific duties associated with the position, in writing, to the \ncustodial employee. Therefore, principals and heads of school \nshould take all steps to become familiar with the contents of the \nhandbook and should ensure that each custodian understands \nthe content of the manual. \nHeads of school, principals, and other administrative heads are" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "responsible for the evaluation of the performance of all custodial" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-01 \nPage 2 of 14 \n \n \n \nemployees under their supervision. However, the actual \nevaluation must be done by the immediate supervisor, i.e., the \nprincipal/head of school is responsible for the evaluation of both \nsenior and junior custodians. During the school year, all custodial \nemployees, with input by the senior custodian and Facilities \nManagement, will be evaluated using the diagnostic-prescriptive \napproach and the procedures and forms developed for the \nimplementation thereof. \nTraining on the performance evaluation process will be provided \nduring the school year. Principals and heads of schools are" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "encouraged to consult with the Department of Facilities \nManagement (Building Services) on all performance issues \naffecting custodial employees. The evaluation process itself is \nmodeled on the teacher evaluation procedures. \nPHILOSOPHY \nThe Boston Public Schools recognizes that the quality of \neducational service provided depends upon the professional \nperformance and total job effectiveness of all employees in the \nsystem. Thus, since custodial employees can and should be held \naccountable for the quality of their performance, a just and \neffective process for evaluating that performance is essential. \nTrue performance evaluations involve analyses of an individual's" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "strengths and weaknesses, resulting in diagnoses and \nprescriptions. This in turn leads to the desired improvement of \nskills and improved performance of the custodial employee. \nAn effective performance evaluation program is one that is \ncontinuous rather than periodic, and organized to:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-01 \nPage 3 of 14 \n \n \n \n● Develop in the support staff a clearer understanding of the \ngoals of the department or school. \n● Assist employees to address more effectively the needs of \neach school or department. \n● Encourage cooperative staff relations through mutual trust \nand respect for each employee's individual role. \nThe contract with the Custodians Association further provides for \nthe principal/head of school and the senior custodian to establish \na mutually supportive relationship, and to cooperate in the \nresolution of all plant maintenance and operation problems. \nFurther, the contract clearly provides that the principal/head of" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "school of a school building will oversee all staff and has the \nresponsibility to ensure the cleanliness and maintenance of the \nschool building at all times. Each custodian in a school is \nmanaged by the principal/head of school of that building. \nA diagnostic-prescriptive evaluation program is positively \ndirected and encourages staff to maximize unique strengths and \nskills. This evaluation program encourages staff to participate in \nthe evaluation of their own performance and to help set \nobjectives for self-improvement. The performance evaluation \nprocess, however, is not intended to be a substitute for the day-\nto-day communication and supervision of employees." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "ROLES AND RESPONSIBILITIES \nHeads of schools, principals, and other administrative heads have \nprimary responsibility for the evaluation of all staff in their \nresponsibility centers. After the evaluation has been presented to \nthe employee, the evaluation form must be signed by the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-01 \nPage 4 of 14 \n \n \n \nemployee (refer to the evaluation instrument) prior to submission \nto the Office of Human Capital and Office of Facilities \nManagement (Building Services). Performance evaluation \nactivities may include but are not limited to: 1) preliminary \nplanning conferences, 2) daily observations, 3) notations, 4) \nformal interim evaluations, 5) follow-up conferences, and 6) \nrecommendations to the staff member by the evaluator. \nPrincipals/heads of school must evaluate both senior and junior \ncustodians, in writing, and sign the completed written \nevaluations. \nPROCEDURAL STEPS \nPreliminary Procedures" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "PROCEDURAL STEPS \nPreliminary Procedures \nPrior to the implementation of the process, the principal/head of \nschool must prepare the work schedule in cooperation with the \nsenior custodian(s). They should then meet with the senior \ncustodian to provide an orientation to the performance \nevaluation process and to specific roles and responsibilities \nwithin that process for the upcoming year as contained in the \nwork schedule. Principals and heads of school should seek \ntechnical assistance from area managers and the Department of \nFacilities Management (Building Services). \nThe evaluator shall meet with the staff member for the purpose" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "of explaining the diagnostic-prescriptive evaluation process, \nincluding a description of all components of the evaluation \nprocess." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-01 \nPage 5 of 14 \n \n \n \nDiagnosis and Prescription \nThe performance evaluation process should provide each \ncustodial staff member with an appraisal of the individual's \nstrengths and identify areas in need of improvement. The \nemployee will be evaluated on each standard within the various \ncategories: \n● U - UNSATISFACTORY: The employee fails to meet the job \ndescription and their performance needs improvement. \n● S - SATISFACTORY: The employee meets the job description \nand their performance, as measured against this standard, is \nsatisfactory. \n● G - GOOD: The employee meets and/or generally exceeds" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "the standards and their performance, as measured against \nthis standard, is good. \n● E - EXCELLENT: The employee exceeds standards and their \nperformance as measured against this standard, is excellent. \nEvery formal evaluation must result in a mark for each \nappropriate item on the performance evaluation form. In any \narea where the supervisor indicates a need for improvement, \nthey will provide the employee with a written prescription. The \ndiagnosis and subsequent prescription should be fully descriptive \nand instructive, suggesting specific remedies or \nrecommendations for adoption by the employee. During the \nentire evaluation process, continuous administrative assistance," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "support, and encouragement should be extended to assist the \nemployee in meeting established objectives. The employee may \nsuggest additional or alternative prescriptions." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-01 \nPage 6 of 14 \n \n \n \nEvaluation Conference \nThe employee's supervisor shall meet with the staff member for \nthe purpose of discussing the evaluation. During the conference, \nthe staff member will be shown the written evaluation and will \nsign it to indicate that it has been seen but not to indicate \nagreement or disagreement with its contents. The staff member \nwill be allowed to attach comments to the evaluation. One copy \nof the written evaluation must be given to the employee, and a \nsecond signed copy must be retained and filed with the assistant \ndirector of Facilities Management (Building Services). In any area" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "that has been identified as being unsatisfactory, the \nprincipal/head of school should consult with the appropriate \noperational leader. \nINTERIM REPORTS \nIf an unsatisfactory evaluation is issued for any item, the \nimmediate supervisor must evaluate the staff member at least \nonce a month until the individual's performance is judged to be \nsatisfactory (see Section V). \nPrincipals/heads of school must submit a copy of the written \nevaluation of any employee who has received a mark of \nunsatisfactory in any item indicated on the form to the assistant \ndirector of Facilities Management (Building Services). \nAdministrators must submit the evaluations directly to the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "assistant director of Facilities Management (Building Services). \nAny subsequent unsatisfactory evaluation must also be \nforwarded. \n➤ All evaluations must be completed by August 31 of each year." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-01 \nPage 7 of 14 \n \n \n \nSUMMATIVE REPORTS \n● \nAt the end of each evaluation period, the principal/head of school and other administrators \nshould retain copies of all evaluations and send copies to the team leader/Human Resources \nand assistant director of Facilities Management (Building Services). \n● \nIf, at the conclusion of a prescriptive period (normally at the end of an evaluation period, but in \nany event at most one month after the last evaluation), the supervisor judges an employee's \noverall performance as unsatisfactory, the supervisor shall submit to the superintendent or" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "designee and to the assistant director of Facilities Management (Building Services) a written \nreport based on the series of evaluations. \n● \nContinued failure on the part of an employee to meet a standard will result in possible \ndisciplinary action. \nPROCEDURES FOR DISCIPLINE \nIf a principal/head of school determines that an employee has \ncommitted an infraction of work rules such as excessive \ntardiness, absences, etc., the supervisor should follow procedures \noutlined in Superintendent's Circular: Procedures Relating to the \nDiscipline of Employees. Additionally, the supervisor should \nconsider the infraction in evaluating the employee's overall" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "performance. Principals and heads of school may issue discipline \nonly up to and including letters of reprimand. The director of \nFacilities Management or other designees of the superintendent \nissue discipline beyond this level. \nFailure to address job performance problems of assigned staff \nthrough the performance evaluation process represents \nunacceptable performance on the part of the supervisor. This \nproblem is further compounded when \"problem staff” is given a \nsatisfactory rating by the supervisor and encouraged to transfer \nto another school/department. Such failure on the part of a \nsupervisor represents \"unsatisfactory\" administrative" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FMT-01 \nPage 8 of 14 \n \n \n \nperformance on the part of that person, who may be held \naccountable by the appropriate supervisor. \nPlease refer in advance to Superintendent's Circular: Procedures \nrelating to the Discipline of Employees. \nFORMS \nPerformance Evaluation Report may be obtained from the Office \nof Facilities Management. Summary of significant dates and \ndeadlines: \nDate \nActivity \nAugust 31 \nDeadline for completing custodian evaluations \n \nFor more information about this circular, contact: \nOwner: \nAssistant Director, Building Services \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Ave, Dorchester, MA 02125" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: \n617-635-9162 \nFax: \n617-635-9306 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FMT-01 \nPage 9 of 14 \n \n \n \nCUSTODIANS ASSOCIATION CONTRACT LANGUAGE \nARTICLE XXIII \nPERFORMANCE EVALUATION \n \nSection 1 - A diagnostic-prescriptive evaluation procedure shall \nbe maintained which is reasonably related to the custodian's job \nperformance using the procedure and form currently in use. \nEvaluation shall be from June 1 to May 31 for each custodian. \nSection 1A - Interim Performance Evaluation may be performed \nat the discretion of the principal/head of school and/or senior \ncustodian between annual bid. \nSection 2 - Custodian Association members shall be evaluated by \ntheir immediate supervisors as follows: \nEvaluatee \nEvaluator" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Evaluatee \nEvaluator \nJunior Custodian \nPrincipal/head of school with input by \nsenior custodian and Facilities \nManagement. \nSenior Custodian \nPrincipal/head of school with input by \nFacilities Management. \nSection 3 - No later than thirty (30) days after the start of the \nrating year, the evaluator will meet with the evaluatee for the \npurpose of explaining the diagnostic-prescriptive evaluation \nprogram, answering questions, and determining additional job-\nrelated responsibilities which will be covered in the evaluation." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FMT-01 \nPage 10 of 14 \n \n \n \nWithin five (5) days after the meeting, the evaluatee will receive a \ncopy of a list of job-related functions for which they are \nresponsible and on which their performance will be evaluated. \nSection 4 - Within ten (10) days following the completion of the \nevaluation, the evaluator will meet with the evaluatee for the \npurpose of discussing the evaluation. At this meeting, the \nevaluatee will be shown their written evaluation and will sign it to \nindicate having seen it, but not to indicate agreement or \ndisagreement. A copy of the evaluation will be provided to the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "evaluatee. The evaluatee shall be allowed to attach their \ncomments to the evaluation. The evaluatee whose overall \nperformance has been judged unsatisfactory will be so notified in \nwriting and will meet directly with the evaluator. There will be a \nspace for the principal/head of school to sign the evaluation and \nattach comments to it, if any. \nSection 5 - In any area where the evaluator indicates a need for \nprofessional improvement, they will provide the evaluatee with a \nspecific written prescription. \nSection 6 - Continued failure to meet a standard will result in \nwarnings, additional evaluations, and further action." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Section 7 - An overall evaluation of unsatisfactory shall be subject \nto the grievance and arbitration procedure. \nSection 8 - The committee will comply with state and federal \nlaws concerning confidentiality and privacy of evaluations." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FMT-01 \nPage 11 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION — CUSTODIAL \nDATE: _____/_____/__________ \nNAME: ___________________________________________________________ \nSCHOOL: ________________________________________________________ \n(Building staffed according to formula): Yes _______ No _______ \nSenior ______ Junior ______ Days ______ Nights ______ Grade _______ \n \nE - Excellent \nG - Good \nS - Satisfactory \nU - Unsatisfactory \nQUALITY \n1. Work performed is of an acceptable nature and level. \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \nQUANTITY \n \n2. Completes work in a reasonable time. \n \nE ☐ \nG ☐" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "E ☐ \nG ☐ \nS ☐ \nU ☐" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FMT-01 \nPage 12 of 14 \n \n \n \nATTITUDES \n \n3. Knows the tasks to be completed and organizes them. \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n4. Learns and applies new ideas and techniques. \n \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n5. Shows interest in work. \n \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n6. Accepts responsibility related to work performed. \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \nDEPENDABILITY \n \n7. Continues to work in absence of supervision. \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n8. Complies with reasonable written and oral instructions. \n \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \nATTENDANCE \n9. Maintains good attendance. \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n10. Maintains contracted hours of work. \n \n \nE ☐ \nG ☐" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "E ☐ \nG ☐ \nS ☐ \nU ☐" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FMT-01 \nPage 13 of 14 \n \n \n \nSUPERVISORY SKILLS (APPLIES TO SENIORS ONLY) \n11. Plans and directs work to others. \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n12. Guides the group to reasonable effectiveness. \n \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n13. Provides evaluation reports. \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n14. Trains subordinates. \n \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \n15. Attempts to settle disputes at lower level. \n \n \nE ☐ \nG ☐ \nS ☐ \nU ☐ \nSignatures: \n \n \n \n \n \nPrincipal/Head of School/Admin \n Date \n Comments \n \n \n \nSenior Custodian \n Date \n Comments \n \n \n \nJunior Custodian \n Date \n Comments" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-01 Performance Evaluation of Custodians", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FMT-01 \nPage 14 of 14 \n \n \n \nBOSTON PUBLIC SCHOOLS \nPERFORMANCE EVALUATION — CUSTODIAL \n \nDIAGNOSIS AND PRESCRIPTION" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \nNUMBER: \nFMT-05 \nVersion 01 \n \n \n \nPERMIT ACTIVITIES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPERMIT REQUEST PROCESS FOR ALL BPS BUILDINGS \nAny activity taking place in a school building after school hours \nrequires a permit, including activities during school vacation \nweeks, holidays, and summer months. \nALL PERSONS WILL BE DENIED ACCESS TO BPS BUILDINGS IF \nNO PERMIT HAS BEEN REQUESTED AND APPROVED BY THE \nSCHOOL AND FACILITIES MANAGEMENT. \nPermits are to be electronically submitted through SchoolDude \nat least two weeks (minimum) before the event, so it is advisable" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "to submit your request when the activity/event is scheduled and \nconfirmed. \nFor external (non-BPS) users: \n• Access link: Facilities Mgt. Community Use Monthly \nCalendar \n• Please see the CommunityUse Requester Guide for more \ninformation about how an outside organization accesses the \nsystem and submits requests. \n• Please see the FSRequester Guide, which includes video and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-05 \nPage 2 of 9 \n \n \n \npicture how-to guides for submitting requests once you are \nlogged in. \nFor internal (BPS) users: \n• Single Sign On: From the nine-dot grid in the top right of \nyour Gmail screen, click “More,” then click the SchoolDude \nicon (looks like a cartoon face). \n• SchoolDude log in screen \n• Please see How to Submit a Schedule Request, which \nincludes video and picture how-to guides for submitting \nrequests once you are logged in. \n• Once an organization or BPS staff member has submitted a \nrequest, it will be routed to the school leader or their \ndesignee for approval. Please see Processing Schedules for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "more information about how to manage approvals. \nIf an independent third party (NOT a BPS or BPS partner \norganization) submits a permit request form to use or \noccupy school property for an event at which attendance is \nexpected to exceed 60 people, or at which there is a charge \nfor admission, the party shall be required to hire a School \nPolice detail, at the third party’s own expense, to be present \nfor the duration of their use of the property. \nPlease Note: The routing process for summer will be different \nfrom the school year process. [See page 4 of this circular.] For \nsummer programs, requests will go first to BPS Facilities, then" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "the school leader will receive notification of the approval of \nbuilding use." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-05 \nPage 3 of 9 \n \n \n \nCUSTODIAL HOURS AND OVERTIME \nThe applicant is responsible for custodial overtime, utilities fees, \nand building usage fees, if applicable. Schools and other \napplicants may also be responsible for overtime if the event \noccurs before or after a building is closed, on a weekend, holiday, \nor school vacation, and/or when the building is open if additional \ncustodial coverage is required, as determined by Facilities \nManagement. Payment in the form of a certified check or money \norder made out to Boston Public Schools is required prior to the \npermit activity occurring." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "permit activity occurring. \nFor all activities and events that occur when the building is \nclosed, the custodian(s) will open the building one-half hour prior \nto the entrance of the applicant to the building and will close the \nbuilding one-half hour after the applicant exits the building. \nGroups requesting building space must abide by their requested \npermit hours. \nREQUEST FOR BUILDING USE BY COMMUNITY USERS \nAll the above conditions apply, with the addition that outside \ngroups must pay a building usage fee. A fee is charged per \nspace. \nAn invoice for all Facilities Management permit fees will be sent \nby the Facilities Management Department via the SchoolDude" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "building permitting system with the actual fees that the \nrequester will be charged. Custodial coverage is determined by \nthe number of people and the amount of space used by the \napplicant. \nStaffing Minimum" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-05 \nPage 4 of 9 \n \n \n \nUp to 150 people = 1 Senior Custodian \nUp to 350 people = 1 Senior Custodian and 1 Junior Custodian \nUp to 450 people = 1 Senior Custodian and 2 Junior Custodians \n \nAn additional hour is added to the permit hours (one-half hour to \nopen and one-half to close). \nIf a custodian works overtime, principals/heads of schools should \nwork with their area managers to ensure that the custodian has \nmeaningful work to do (a predetermined work schedule) during \novertime hours. Custodians are expected to remain on the school \npremises while on overtime and perform the scheduled work." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Custodial opening and closing times (one-half hour before and \nafter) are figured into the permit hours. Requesters DO NOT need \nto include this time in the request. \nGENERAL TERMS AND CONDITIONS \nResponsibility for Use: \n• It is expressly understood and agreed that the regulations of \nthe School Committee are to be strictly complied with. The \nrequester/organization may refer to the BPS Superintendent \nCirculars for BPS Policies and Procedures. \n• The requester/organization assumes full responsibility for \nany injury to or loss of city property as a consequence of \nsuch use of the above-described accommodations and \nengages to make the same good without the expense to the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "city. The requester/organization further agrees to pay the \ncharge for the light, heat, custodians, security, and other \nservice as required. \n• BPS gymnasiums: Requester/organization assumes all" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-05 \nPage 5 of 9 \n \n \n \nresponsibility for the proper use and protection of the \nfacilities provided in the school. Requester/organization \nmust not allow persons to use these facilities over whom \nthey have no control. \nThe organization, their participants, and spectators are \nprohibited from any part of the building other than the \ngymnasium. Organization shall enter the school through \none entrance. Entry doors are NOT to be propped open to \nallow unauthorized individuals to enter the building. It will \nbe the responsibility of the organization to station an \nindividual at the designated entrance to ensure only" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "participants of that program are allowed in. Once all \nparticipants are allowed in, all doors should be closed and \nsecured. \nSupervision: The applicant/organization must provide sufficient \nsupervisory personnel to ensure proper supervision for the safety \nof members/guests and regulate responsible usage. The \norganization will be responsible for all costs incurred to repair any \ndamage done to the premises. Custodial employees are not \navailable for supervising the premises but do have obligations \nconnected with cleaning and maintenance of the building. \nLicenses: In addition to the permit required by the regulations of \nthe School Committee, for any exhibition or entertainment where" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "an admission fee will be required, a license under the provisions \nof Chapter 348 of the Special Acts of 1915 must be obtained. This \nlicense can be obtained by applying to the Mayor of the City of \nBoston and paying the required fee. No such license is required \nfor entertainment in school buildings by or for the benefit of the \npupils thereof, and under the supervision of the principal/head of \nschool." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-05 \nPage 6 of 9 \n \n \n \nPolice Attendance: If admission is charged, the person to whom \nthe permit is issued must make provisions for BPS School Police \nattendance. If a school building is occupied outside of school \nhours by third-party programs, sufficient BPS School Police \nattendance is necessary if there are sixty (60) or more persons \noccupying the facility. A BPS School Police detail is the sole \nresponsibility of the renter(s). If BPS School Police are not in \nattendance, BPS Facilities Management may cancel the permit \nand exclude all persons from the building. \nTime for Filing Permit Requests: Building permit requests during" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "the school year must be submitted. No definite and final \nreservations are made until (1) the request is approved by the \nprincipal/head of school and (2) Facilities Management has given \nfinal approval and activated the permit. \nGymnasium Permit Start and End Date: Gymnasium permits will \nbegin the last week of September and end two (2) weeks prior to \nthe closing of school. \nAlcohol, Smoking, and Food Regulations: According to state law, \nalcoholic beverages are not allowed in public school buildings. \nConsumption of food and/or beverages is not permitted in the \nauditorium or conference rooms. Smoking is not permitted in any \nschool building." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "school building. \nPayment: Personal/company checks; certified bank checks, \nand/or money orders will be accepted as forms of payment. Cash, \ncredit cards, and money transfers are not accepted forms of \npayment. Any check returned for insufficient funds will be \ncharged an additional $25.00. \nRight to Cancel: Heads of schools/principals reserve the right to" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-05 \nPage 7 of 9 \n \n \n \nrequest cancellation of any requested permit activity occurring at \ntheir facility. BPS Central Administration will make final \ndeterminations regarding principal/head of school cancellation \nrequests. BPS Central Administration has the right to cancel any \npermit in violation of BPS building usage and/or safety policies. \nObligation to Clean: Requester is obligated to clean and organize \nany used building space and return the building space to the \nstate it was found it. If the space is not suitably cleaned and/or \nreturned to the state it was in prior to use, the requester may be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "charged additional custodial and/or other fees and may lose the \nprivilege of using any BPS facility in the future. \nSchool Closures: If schools are closed due to inclement weather \nor other emergencies, all permits are automatically \ncanceled/suspended for the duration of the inclement weather or \nother emergency. Gymnasiums are not available for rental during \nholidays and Christmas, February, April, and summer vacations. \nWeekend Use: If snow is forecast, Facilities Management cannot \nguarantee that parking lots will be cleared for scheduled events. \nOrganizations are urged to contact Facilities Management to \ncancel when necessary. You may contact the area manager on" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "duty through Municipal Protective Services at 617-635-4844 to \ncancel. \nPERMITS DURING SUMMER TERMS \nPermit Approval: Summer permit requests will be routed first to \nBPS Facilities. The school leader will then receive notification of \nthe approval of building use. \nPermit Start and End Date: Summer programs may operate in" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FMT-05 \nPage 8 of 9 \n \n \n \nBPS buildings between July 8 and August 9, 2024, with one day \nof setup to be arranged with the school leader prior to July 1, \n2024. Gymnasium permits will begin one week after the opening \nof school and end one week prior to the closing of school. \nStudent and Employee Attendance: Programs operating in BPS \nbuildings must record daily student and staff attendance to be \navailable upon request. \nIdentification: During the summer, all adults working in any BPS \nbuilding must wear an identifying name badge indicating at \nminimum their full name and organization/program name." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Specifications for employees working in BPS buildings during \nsummer staff are as follows: \n• BPS summer staff: All BPS employees must wear their BPS \nissued ID. \n• Non-BPS summer staff hired via OHC external hiring \nprocess: All non-BPS summer staff must wear their BPS \nSummer ID issued by OHC at their Welcome Session. \n• Community-based program staff: Must wear a visible \norganizational ID badge every day during the program. \nBOSTON PUBLIC SCHOOLS FACILITIES RENTAL FEES \nAll events and functions to be held in Boston Public School \nbuildings will be implemented in accordance with the following \nfee schedule. \nOne Time Event ··········· $515.00/event" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "One Time Event ··········· $515.00/event \nContinuous Usage ······ $2,575.00 per 10 events \nUtilities ·························· $95.00/hour \nSenior Custodian ········· $49.00/hour" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-05 Facilities Building Permits & Conditions", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FMT-05 \nPage 9 of 9 \n \n \n \nJunior Custodian ········· $37.00/hour \n \nFor more information about this circular, contact: \nOwner: \nAssistant Director, Building Services \nDepartment: \nFacilities Management \nMailing Address: \nCampbell Resource Center, 1216 Dorchester \nAve, Dorchester, MA 02125 \nPhone: \n617-635-9162 \nFax: \n617-635-9306 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-19 \nVersion 01 \n \nBPS STANDARD OPERATING PROCEDURE FOR \nCLEANING AND DISINFECTING BODY FLUID SPILLS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nPURPOSE \nThis standard operating procedure (SOP) will be implemented to \nensure BPS custodians safely and properly respond to all \nincidents requiring cleaning and disinfecting of body fluid spills. \nBody fluids – including vomit, diarrhea, and blood – are \nconsidered potentially infectious. Employees should always treat \nany body fluid response action as potentially infectious and \nalways wear proper personal protective equipment when" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "cleaning and disinfecting body fluid spills. \nPROCEDURES \n1. Contain the affected area. \n● Discontinue food service operations if a spill occurred \nin food preparation or service areas. \n● Remove students and staff from the affected area or \nclassroom. \n● Block off the area of the spill from staff and students \nuntil cleanup and disinfection are complete. For \nincidents involving vomit, contain all areas within 25 \nfeet of the spill." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-19 \nPage 2 of 10 \n \n \n \n● Send sick students and staff to the school nurse. \n● Excuse (e.g., send home) food service employees with \nsymptoms of vomiting or diarrhea from food service \noperations. Refer to the TFER Exclusions and \nRestrictions for Ill or Infected Food Service Employees \nfor guidance. Please refer to the food service employee \nreporting agreement. \n● Allow only food service employees and/or custodial \nstaff designated to clean and disinfect body fluid spills \nin the affected area. \n2. Put on personal protective equipment (PPE), including: \n● Wear disposable, non-latex gloves. Gloves should be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "vinyl or nitrile (rubber), and non-powdered. \n● Consider double-gloving (wearing two gloves on each \nhand). Replace gloves if they tear or become visibly \nsoiled. Keep hands away from the face while wearing \ngloves. \n● Wear a face mask and eye protection (goggles or \nprotective glasses). \n3. Remove visible body fluid. \n● Put on new disposable gloves. Consider double \ngloving. \n● Clean the affected area with soap and water, and paper \ntowels and/or a disposable mop head. This includes \nsurfaces that came into direct contact with body fluids \nand surfaces that may have been contaminated with \nbody fluids. Before disinfecting, all surfaces should be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "thoroughly cleaned (i.e., not visibly soiled)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-19 \nPage 3 of 10 \n \n \n \n● Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n● Remove gloves and discard in a plastic garbage bag. \n● Wash hands. \nFood contact surfaces: \n● Put on new disposable gloves. Consider double \ngloving. \n● Clean the affected area with soap and water. \n● Rinse thoroughly with plain water. \n● Wipe dry with paper towels. \n● Dispose of paper towels in a plastic garbage bag. \n● Disinfect surfaces. \n● Prepare and apply a solution of ¾ cup concentrated \nbleach + 1 gallon of water. \n● Leave the surface wet for at least 5 minutes. \n● Rinse all surfaces intended for food or mouth contact" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "with plain water before use. \n● Wipe down with sanitizing solution concentration for \nfood contact surfaces to air dry. \n● Wash your hands thoroughly with soap and water." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-19 \nPage 4 of 10 \n \n \n \nNon-absorbent surfaces (i.e., tile, stainless steel): \n● Prepare a disinfecting solution. The disinfecting \nsolution shall be an EPA registered hospital grade \ndisinfectant.* \n● Wear all PPE, including the face mask and eye \nprotection or goggles. Ensure that area is well \nventilated (mix solution outdoors if necessary). \n● Prepare a disinfecting solution per manufacturer’s \nrecommendations immediately before applying it to \nsurfaces. It is recommended that this solution be used \non surfaces that have had any direct contact with body \nfluids. \n● Transfer solution to a spray bottle." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "● Transfer solution to a spray bottle. \n● Using the spray bottle, generously apply the \ndisinfecting solution to affected surfaces, including \nsurfaces that came into direct contact with body fluids, \nand surfaces that may have been contaminated with \nbody fluids. \n● For incidents involving vomit, disinfect all areas and \nsurfaces within 25 feet of the spill. \n● Use in a well-ventilated area. \n● Disinfect high touch areas (e.g., door handles, toilets, \ndispensers, carts, sink faucets, telephones, etc.) \nthroughout the food service area, cafeteria dining \nareas, break rooms, and restrooms using disinfecting \nsolution and paper towels." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "solution and paper towels. \n● Leave the disinfecting solution on affected surfaces for \na minimum of 5 minutes. If another EPA-approved" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-19 \nPage 5 of 10 \n \n \n \ndisinfectant is used, follow the manufacturer’s \ninstructions. \n● Rinse surfaces with clean water and paper towels \nand/or a disposable mop head. \n● Allow surfaces to air dry. \n● Dispose of the paper towels and/or disposable mop \nhead in a plastic garbage bag. \n● Remove gloves and dispose of them in a plastic \ngarbage bag. \n● Wash hands. \n* EPA-approved disinfectants may be used instead of \nchlorine bleach solutions. EPA-approved disinfectants \nappropriate for vomit and diarrhea may be found at \nwww.osha.gov/sites/default/files/publications/norovirus\n-factsheet.pdf. CDC guidelines on norovirus outbreak" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "management and disease prevention recommend \nusing chlorine bleach solutions on hard surfaces when \npossible. EPA-approved disinfectants appropriate for \nblood may be found www.epa.gov/pesticide-\nregistration/selected-epa-registered-disinfectants. \nAbsorbent surfaces (i.e., carpet, upholstery, cloth): \n● Disinfect with a chemical disinfectant when possible or \nremove and dispose of the affected material. The \nmaterial will be double-bagged and disposed of \nthrough mainstream waste disposal. \n● Steam clean for a minimum of 5 minutes at 1700F." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-19 \nPage 6 of 10 \n \n \n \n● Launder in a mechanical washing machine on the \nhottest water setting, and dry in a mechanical dryer on \na high heat setting. \n● Dispose of disinfecting materials in a plastic garbage \nbag, as appropriate. \n● Remove gloves and dispose of them in a plastic \ngarbage bag. \n● Wash hands. \n4. Discard potentially contaminated food. \n● Put on new disposable gloves. Consider double \ngloving. \n● Dispose of exposed food and food in containers that \nmay have been contaminated by body fluid in a \ngarbage bag. \n● For incidents involving vomit, discard all food within 25 \nfeet of the spill. Food stored in intact, sealed containers" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "(i.e., cans) may be salvaged if adequately cleaned and \ndisinfected. \n● Remove gloves. Dispose of gloves in a plastic garbage \nbag. \n● Wash hands. \n5. Dispose of PPE and cleaning and disinfecting materials. \n● Put on new disposable gloves. Consider double \ngloving. \n● Securely tie garbage bags containing all of the \ndisposed of materials." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-19 \nPage 7 of 10 \n \n \n \n● Place garbage bags in a second garbage bag (double \nbag). \n● Clean all non-disposable items (bucket, mop handle, \netc) with soap and water; then disinfect. Allow these \nitems to air dry. \n● Remove PPE, including disposable gloves, and place in \na second garbage bag. \n● Securely tie the second garbage bag. \n● Discard the bag(s) in the dumpster. \n● Remove soiled clothes, if necessary, and place clothes \nin a separate garbage bag. Securely tie the garbage \nbag. Keep clothes in the tied garbage bag until they \ncan be adequately laundered. \n6. Wash hands, arms, and face with soap and water in a" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "restroom sink or hand sink. Put on clean clothing, if \nnecessary. Apply ethanol-based hand sanitizer to hands. \n7. Wash, rinse, and sanitize potentially contaminated food \ncontact surfaces. Include food contact surfaces that were \ndisinfected in step 5 of this SOP, and food contact surfaces \nthat contained food discarded in step 6 of this SOP. \n8. Restock supplies for cleanup." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FMT-19 \nPage 8 of 10 \n \n \n \nMONITORING \nStandard daily cleaning of food services areas shall include: \n● Custodial Staff: Sweep and clean the cafeteria floors with a \nneutral cleaner. Cafeteria walls and ceilings shall be cleaned \non an “as needed” basis. \n● Food Service Staff: Clean and disinfect cafeteria tables with \na solution of bleach and water. \nNOTE: Cleaning of body fluid spills in food services areas will be \ndone by the school’s custodial staff. This will include any bodily \nfluid spill on the cafeteria tables. In this case, only the affected \ntable(s) will be cleaned by the custodial staff. All other cafeteria" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "tables will be cleaned by the food service staff. \n1. The senior custodian is designated and trained to \nimplement this SOP and trained in the use of necessary \nsupplies. They will ensure that: \n● Necessary supplies are available at all times. \n● Custodians are: \n○ Educated on illnesses and symptoms that must be \nreported to their building service area manager or \n617-635-9162. \n○ Monitored for signs and symptoms of illness. \n2. The food service manager will ensure that food service \nemployees are: \n● Educated on illnesses and symptoms that must be \nreported to managers. \n● Monitored for signs and symptoms of illness." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FMT-19 \nPage 9 of 10 \n \n \n \nAdapted from USDA document Cleaning and \nDisinfecting Body Fluid Spills (Miami County Public \nHealth website). \nFor more information about this circular, contact: \nOwner: \nSenior Environmental Supervisor \nDepartment: \nFacilities Management \nMailing Address: \nCampbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: \n617-635-8300 \nFax: \n617-635-7855 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nName: \nEquipment Coordinator \nDepartment: \nFood and Nutritional Services \nMailing Address: \nFood & Nutrition/Wellness Building, 370 \nColumbia Road, Dorchester, MA 02125 \nPhone:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Columbia Road, Dorchester, MA 02125 \nPhone: \n617-635-9296 \nFax: \n617-635-9305 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FMT-19 \nPage 10 of 10 \n \n \n \n \nName: \nSr. Manager, Building Services \nDepartment: \nFacilities Management \nMailing Address: \nCampbell Resource Center, 1216 Dorchester \nAve., Dorchester, MA 02125 \nPhone: \n617-635-9165 \nFax: \n617-6359306 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-03 \nVersion 01 \n \nRENOVATIONS TO SCHOOL BUILDINGS AND YARDS – \nEXTERNAL FUNDING \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nTo guarantee that all work performed on School Department \nproperty conforms to district standards, building and life safety \ncodes, and other requirements, the following procedure has been \nestablished for external funding sources, particularly those that \nare not processed through the PeopleSoft Financial System, i.e., \nBoston Educational Development Foundation (BEDF). \nRENOVATIONS VS. REPAIRS \nThe following table lists projects that fall under the category of a" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "renovation or a repair or maintenance, as well as the sequence to \nfollow for each:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-03 \nPage 2 of 9 \n \nRenovations \nRepairs & Maintenance \nType \nProcess \nType \nProcess \nMajor renovations \nor improvements \nAlterations that \nare required due \nto programmatic \nchanges \nAlterations of \nexisting spaces \n(wall up/wall \ndown) \nToilet room \nrenovations \n \nSubmit a \nREQUEST FOR \nSPACE MODIFI-\nCATIONS \nGeneral \nrepairs (i.e., \nbroken glass, \nbroken \nlocks/hardw\nare, graffiti, \nleaks from \nplumbing or \nroof) \nSubmit a \nWORK \nREQUEST \n \nTo properly plan resources and budget, requests for renovations \nfor the coming school year must be initiated by the requester by \nno later than December 1 of the previous school year. Requests" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "received after this deadline may not be approved." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-03 \nPage 3 of 9 \n \nRequests for renovations or alterations to school buildings and \nyards must follow the sequence outlined below: \n1. Complete the form. \n2. Submit a request through Asset Essentials; choose \n‘Modification of Space’ as the work type and attach the form \nto the work order. \n3. A confirmation of receipt is sent to the person submitting \nthe request. \n4. Form and Asset Essentials request are reviewed by a cross-\nfunctional team to determine next steps: \na. Planning and Analysis verifies that the request is in \nalignment with current and future space requirements. \nb. Finance determines that there are not financial issues" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "or challenges for the request. \nc. Facilities Management determines feasibility of \nrequests only after steps 1 and 2 have been completed. \n5. After the request has been reviewed, it will determine if and \nwhen the work can be completed. \n6. A follow-up email will be sent to the school leader, \nrequester, and school superintendent to provide status and \ntimeline of request. Please note: Not all projects will be \napproved. \n7. Once approved, Facilities Management will engage to \nestablish a plan within the timeline identified. \nProject requests that do not comply with this process will not be \nconsidered." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-03 \nPage 4 of 9 \n \nThe Office of Facilities Management / Planning & Engineering \nmust review and approve all plans for improvements to any \nschool buildings and yards. \nEXTERNAL FUNDING \nIt also strongly recommended that a school communicate with \nthe Director of Facilities Management prior to submitting grant \nfunding applications, or seeking any other material support that \nmay require alterations and/or additions to a schools’ facilities. \nApplicants should first receive acceptance from the director of \nFacilities Management of Facilities Management’s willingness to \nparticipate in implementation contingent on the school’s" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "successful grant application/funding etc. Principals/heads of \nschool, and community school directors must include the \ndirector of Facilities Management in the drafting of plans that \nwould require any form of alteration, addition, repair, and/or \nconnections to any building services or location on the property \nof the school. The director of Facilities Management will submit \nthe plans, specifications, and/or product data to the appropriate \nPlanning and Engineering staff for review and approval of all \nproposed plans, specifications, product data, warranties, and/or \nmaintenance agreements. \nThis process will ensure that there is a thorough review of the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "proposed renovation, alteration, addition, repair, and/or \nconnection to existing building systems, including the materials \nused, quality of workmanship, fairness in pricing, and contractors \nability to complete the proposed project; and that the contractor \nperforming the work has the proper insurance coverage \n(including but not limited to Worker’s Compensation, General \nLiability, and Property Damage)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-03 \nPage 5 of 9 \n \nA Request for Facilities Improvement Form (Attachment A) \nshould be filled out and forwarded to Planning & Engineering, \n1216 Dorchester Avenue, Boston, MA 02125. No work will proceed \nwithout the final approval of the Office of Facilities \nManagement/Planning and Engineering Division. \nRequest for Space Modification Form \n \nFor more information about this circular, contact: \nOwner: \nExecutive Director of Facilities \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: \n617-635-9170 \nFax: \n617-635-9252 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Heads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-03 \nPage 6 of 9 \n \nATTACHMENT A \nOFFICE OF FACILITIES MANAGEMENT \nREQUEST FOR FACILITIES IMPROVEMENT \n \nDate: _____________________________________________________________ \nSchool: ___________________________________________________________ \nAddress: __________________________________________________________ \nContact: __________________________________________________________ \nTelephone: _______________________________________________________ \nProject Title: _____________________________________________________ \nFunding Sources: _________________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Budget Year _____________Org. __________ Fund Code _____________ \nProgram Account ________ Sub Class _______ Proj./Grant __________ \nExpense Object __________ \nProposed Implementation Date: _________________________________ \nProject Description and Justification (attach a sketch):" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-03 \nPage 7 of 9 \n \nPlease return this form to: \nBrian Forde, Executive Director \nOffice of Facilities Management \n1216 Dorchester Avenue \nDorchester, MA 02125 \n \n----------------------------------------------------------------------------------------------------------------------" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FMT-03 \nPage 8 of 9 \n \n(For Planning & Engineering Use Only) \nPROJECT COST ESTIMATES: \nA. OPM Fee (projects over $1,500,000): ____________________ \nB. Design Fee (if needed): _________________________________ \n \nC. Construction Costs: ____________________________________ \nD. Contingency (A+B+C x 15%): ____________________________ \n \nTOTAL COST (A+B+C+D): __________________________________ \n \nESTIMATED PROJECT TIMELINE: \nOwner's Project Manager Selection: ______________________ \n \nSubmit CB-04 __________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Interviews: _____________________________________________ \nAward: _________________________________________________ \nDesigner Selection: _______________________________________ \n \nSubmit CB-04: _________________________________________ \nAdvertise RFP: _________________________________________ \nRFP Due: _______________________________________________ \nInterviews: _____________________________________________ \nAward: _________________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FMT-03 \nPage 9 of 9 \n \nBidding & Construction: \nAdvertise Filed Sub Bids: _______________________________ \nAdvertise General Bids: _________________________________ \nFiled Sub Bids Due: ____________________________________ \nGeneral Bids Due: ______________________________________ \nAward Contract: ________________________________________ \nConstruction Start: _____________________________________ \nCompletion Date: ______________________________________ \nMAINTENANCE PLAN: \nRequired Annual Maintenance: ___________________________ \n ___________________________________________________________ \n ___________________________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-03 Renovations to School Buildings and Yards", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link", + "content": "Costs: _____________________________________________________ \nMaintenance Schedule: ___________________________________ \n \nPrepared by: ________________________________Date: _______________ \nApproved by: _______________________________Date: ________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-11 \nVersion 01 \n \n \n \nGREEN CLEANERS’ POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nHigh-performance schools that have superior indoor air quality \nand are healthy and well maintained have been shown to reduce \nabsenteeism and improve student performance. Many Boston \nschool children suffer from allergies and asthma, which can be \ntriggered by poor air quality and chemical, biological, and \nparticulate contaminants. Long or short-term exposure to toxic \nchemicals or harmful particles, gasses, or vapors can have serious" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "consequences, especially for children, such as asthma, allergies, \ndepression, hormonal changes, or even cancer. To ensure the \nbest quality learning environment for our students and working \nenvironment for our staff, it is the responsibility of the Boston \nPublic Schools (BPS) to minimize the negative impacts that \ncleaning products have on occupant health and the \nenvironment. \nPOLICY \nThe BPS is committed to providing and maintaining high-\nperforming buildings and grounds in an environmentally friendly \nand sustainable manner. The Green Cleaners Policy is in \naccordance with the City of Boston’s executive order relative to" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-11 \nPage 2 of 5 \n \n \n \ngreening city building maintenance and operations and \nexecutive order relative to climate action. This policy applies to all \nBPS buildings and grounds, including offices, classrooms, \nrestrooms, cafeterias, gymnasiums, hallways, pathways, \nkitchenettes, stairwells, etc. \nUnder this green cleaning policy, BPS departments, school sites, \nand partner programs taking place in schools must comply with \nthe following: \n● Purchase, provide, and use only environmentally friendly \ncleaning products that comply with the Green Seal \nEnvironmental Standard (GS-37), including but not limited" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "to glass, bathroom, carpet, and general-purpose cleaners \nused for industrial and institutional purposes. \n● All other non-approved cleaning products are prohibited \nfrom being used in BPS buildings and grounds by any staff, \nvolunteer, vendor, or partner. \n● Use of disinfectants for cleaning shall be limited to food \nservice areas and the clean-up of biological and bodily \nwastes and “high touch areas” (when directed). All \ndisinfectants must be premixed, registered by the U.S. \nEnvironmental Protection Agency, and have a Hazardous \nMaterials Identification System (HMIS) rating of 2 or less. \n● Pre-approved or least toxic and asthma friendly" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "sanitizer/disinfectants must be used in early learning \ncenters in accordance with the National Association of \nEducation for Young Children accreditation standards." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-11 \nPage 3 of 5 \n \n \n \nIMPLEMENTATION PLAN \nBPS Facilities Management and custodial staff will maintain this \npolicy through these implementation steps: \n● Ensure vendors can provide proof that their products meet \nthe criteria for Green Seal Environmental Standard for \nCleaning Products for Industrial and Institutional Use, GS-37. \nThe Green Seal program is a North American multi-attribute, \nlifecycle environmental standard and certification. \n● Burnish floor surfaces where applicable to reduce the use of \npotentially irritating cleaning and stripping compounds. Any \nnecessary floor stripping and waxing will be performed" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "during non-occupied hours. \n● Automatic mixing stations will be installed for custodial use \nthat dispense pre-mixed products to ensure the active \ningredient concentration required by the EPA, limit \nemployee contact with chemicals for enhanced safety, and \nminimize waste. \n● Upon request, school custodians will provide teachers and \nother BPS staff with OSHA-compliant pre-labeled spray \nbottles of mixed green cleaning compounds (desktop and \nglass cleaners) that meet the Green Cleaning Policy \nstandards. \n● Train and update BPS custodial staff and others who use \nchemicals on the Green Cleaners Policy, including but not \nlimited to hazard communications (Right to Know law," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "MSDS, etc.), worker safety and personal protective \nequipment use, safe and proper product and equipment \nuse, etc." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-11 \nPage 4 of 5 \n \n \n \n● Custodians will participate on the school’s Wellness Council \nto ensure compliance with this policy as well as other \nHealthy School Environment policies and initiatives \n(recycling, integrated pest management, etc.). \n● To the greatest extent possible, cleaning materials and \nassociated packaging will be reused and/or recycled to \nminimize waste. \n● Protocols governing safe handling and storage of cleaning \nchemicals shall be adopted. Quality control checks will be \nused to ensure adoption. \nRESPONSIBLE PARTIES \nThis policy is overseen by the BPS Facilities Management" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "Department and is updated annually to help ensure cleaning \npractices, products, and technologies specified in this policy \nmeet industry standards and best practices. \nBPS staff, contractors, and vendors shall review this policy and \nmay request additional information and training as required." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-11 Green Cleaners Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-11 \nPage 5 of 5 \n \n \n \nFor more information about this circular, contact: \nOwner: \nAssistant Director, Building Services \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: \n617-635-9576 \nFax: \n617-635-9306 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-10 \n Version 01 \n \nINTEGRATED PEST MANAGEMENT (IPM) \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nMISSION STATEMENT \nTo further ensure a healthy and safe learning and work \nenvironment at all Boston Public School (BPS) buildings, BPS will \nbe implementing a systemwide IPM program. IPM is a holistic \napproach to control pest activity and to reduce pesticide usage in \nthe building and surrounding landscape. \nIMPLEMENTATION PLAN \nA key component of an effective IPM plan is the selection of an \nIPM coordinator. The IPM coordinator should be someone with" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "administrative authority to adequately enforce and implement \nthe program. The IPM coordinator acts as a representative of the \nprincipal. The IPM coordinator is required to establish an IPM \nCommittee, which will include interested stockholders (e.g., \ncustodian(s), after school program, community school (as \napplicable), food service manager, teacher, etc.). \nState laws and regulations require all school buildings and \nlicensed daycares to register an indoor and outdoor IPM plan \nwith the Massachusetts Department of Agricultural Resources \n(MDAR). The law requires the IPM plans to be updated and \nregistered annually. The pest control contractor (PCC) is" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "responsible to annually update the indoor and outdoor plan." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-10 \nPage 2 of 7 \n \nAll IPM plans must be updated annually by the pest control \ncontractor by December 1. The PCC will meet with the \nprincipal/head of school or designee to update the plan. The \nupdates will include but not be limited to technical components, \npest treatment products, and devices of the IPM plan. The \nprincipal/head of school or designated representative (i.e., IPM \ncoordinator) will provide the PCC with the school's information, \nincluding but not limited to school name and address, name of \nprincipal/head of school, IPM coordinator’s name, IPM Committee \nmembers, etc. \nThe logbook must contain the following sections:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "The logbook must contain the following sections: \n• A copy of the MDAR approved indoor and outdoor IPM \nplan \n• Complaint/sighting forms \n• Pest control contractor inspection and treatment reports \n• Treatment product health and safety information (similar \nto a material safety data sheet) \n• Pest control contractor (PCC) information (name and \naddress of company, contact person, telephone number, \netc.) \nNOTE: It’s very important that all pest problems/issues be \nentered into the logbook to ensure problem areas are treated \nduring monthly inspections. \nMONTHLY INSPECTION \n1. All PCCs working in BPS facilities will be familiar with \nthe BPS IPM protocol." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "the BPS IPM protocol. \n2. Prior to the start of any service, the PCC will report to \nthe main office and review the IPM logbook for recent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-10 \nPage 3 of 7 \n \nentries. \n3. The PCC will conduct a monthly inspection of all school \nbuildings. The minimum inspection will include a \nphysical inspection and assessment of the following \nareas, noting IPM related deficiencies: \na. Food prep and storage areas \nb. Dumpster and waste storage areas \nc. Loading and receiving areas \nd. Building grounds \ne. Teacher’s lounge \nf. Entry points or connections from a mechanical \nspace or crawl space \ng. Boiler room area, mechanical rooms, and \nmoveable storage areas \nh. Storage rooms, sinks, and custodial storerooms \ni. Noted rooms with recent complaints (those" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "i. Noted rooms with recent complaints (those \nareas/rooms marked with a complaint after the \nlast service call) \nj. Other suspected areas \n4. Temporarily seal all potential rodent access holes or \nvoids (< 3 in. diameter), including voids around pipes \nand duct penetrations or any other penetrations. The \nPCC will only use approved sealants. The PCC will \nprovide product specifications for sealants prior to any \nuse in BPS facilities. The Alterations and Repairs \nsupervisor will be contacted to permanently seal any \npenetrations. \n5. The PCC will vacuum any rodent droppings around any \narea where traps, glue boards, monitoring stations, etc. \nhave been placed." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "have been placed. \n6. The PCC will inspect the above noted areas and make \nrecommendations for enhanced treatment as" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-10 \nPage 4 of 7 \n \nnecessary. \n7. The PCC will provide electronic copies of any IPM \ninspection, treatment, or service via email to the \nschool’s email address, to the environmental supervisor \nor specialist with BPS and Food Services. \nThe pest control contractor or the school will notify and seek \napproval from BPS Environmental Division for any additional IPM \ntreatments, service calls, or inspections beyond the monthly \ntreatment. This request must be made through or verified by \nemail confirmation. \nA quality IPM program must effectively control the following \nconditions: \n• Rodent entry points and access \n• Harborage and clutter" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "• Harborage and clutter \n• Food source and sanitation \n• Moisture \nThe IPM coordinator must review the IPM logbook immediately \nfollowing each inspection. The coordinator will create a work \norder request addressed to the environmental supervisor for \ntreatment or necessary repairs." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-10 \nPage 5 of 7 \n \nClutter is a major issue that needs to be addressed for an \neffective IPM program. Clutter creates harborage for pests \nand limits full treatment. Clutter is defined as storage \nwhich: \n1. Impedes egresses \n2. Limits safe movement throughout the area \n3. Blocks and limits access to essential mechanical, utility, \nand emergency equipment \n4. Becomes stagnant: boxes or materials left on the floor \nthat show signs of deterioration, water damage, or pest \nactivity \nAll unnecessary unwanted or contaminated materials must be \nremoved. \nBED BUG PROTOCOL FOR BOSTON PUBLIC SCHOOLS \nBed bugs are becoming a more common pest problem that" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "could impact the general quality of life but are not known to \ntransmit any diseases. Bed bugs are small (less than ¼ inch in \ndiameter), brownish, flattened insects that are known to bite \npeople when they are asleep. The bites often may not be felt but \ncan cause itchiness and swelling. Unlike some other insects (e.g., \nhead lice), bed bugs do not live on people but may hitchhike on \none’s personal items (backpacks, clothing, books, etc.) to get into \na school building. Bed bug infestations are uncommon in \nschools, but since they may get in by other means, schools need \nto be proactive. \nSchool’s Response Actions: \n1. The school’s IPM coordinator, principal, or head of" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "school must be notified. \n2. Write the complaint in your school’s IPM logbook" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-10 \nPage 6 of 7 \n \nwhich is kept in your main office. Please provide details \nin your complaint without divulging anyone’s personal \ninformation. A complaint should be logged for any \nsuspect bed bugs. \n3. Contact the Facilities Management, Environmental \nDivision at 617-635-8300. \n4. If you can capture the insect, place it in a sealed clear \nplastic bag (Ziploc) for identification. The pest control \ncontractor (PCC) will come by to identify the insect as \nsoon as possible. \n5. If a student has been identified with a bed bug, the \npersonal belongings of all students in the room should \nbe bagged and sealed tightly." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "be bagged and sealed tightly. \n6. A student who has suspect bite marks should see the \nschool nurse as soon as possible. \n7. The school nurse will contact the student’s parent or \nguardian to provide them with contact information for \nthe Boston Public Health Commission to arrange a bed \nbug inspection. \nFor more information, please visit the link below: \nhttps://bphc.org/whatwedo/healthy-homes-\nenvironment/Documents/bedbug_fact_sheet." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-10 \nPage 7 of 7 \n \nSUMMARY OF SIGNIFICANT DATES AND DEADLINES \nACTIVITY \nTIMELINE \nCopy of this year’s Superintendent’s \nCircular included in IPM book \nAnnually by October 1 \nPest control contractors will annually \nreview and update indoor and outdoor \nIPM plans, register with \nMassachusetts Department of \nAgricultural Resources, and submit to \nFacilities Management. \nAnnually by December 1 \n \nFor more information about this circular, contact: \nOwner: \nSr. Environmental Supervisor \nDepartment: \nFacilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester MA, 02125 \nPhone: \n617-635-8300 \nEmail: \nOperations-Department-" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-10 Integrated Pest Management", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link", + "content": "617-635-8300 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link", + "content": "Page 1:\n \n \n Superintendent’s \nCircular \n NUMBER: \nFMT-15 \nVersion 01 \n \n \n \nANNUAL ENVIRONMENTAL INSPECTION/AUDIT \nPROGRAM \nCONDUCTED BY BOSTON PUBLIC SCHOOLS & BOSTON \nPUBLIC HEALTH COMMISSION \n \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nPOLICY \nTo fully meet the intent and requirements of the City of Boston’s \nIndoor Air Quality Ordinance (7.12.1-4), Boston Public Schools \n(BPS) and the Boston Public Health Commission (BPHC) have \ndesignated an Indoor Air Quality Unit which shall ensure that a \nminimum of two facility inspections per occupied school building \nare completed on an annual basis. A report with an assessment" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link", + "content": "of conditions at each site will be developed by BPS and BPHC \nand presented to school principals/heads of schools and \npublished on the BPS website annually. \nIMPLEMENTATION PLAN \nThe Indoor Air Quality (IAQ) Unit responsible for completing the \nannual BPS environmental inspections/audit (inspection) will be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-15 \nPage 2 of 3 \n \n \ncomprised of representatives from BPS Facilities Management’s \nEnvironmental Division and the BPHC’s Office of Environmental \nHealth. \nThe IAQ Unit will conduct two inspections of each occupied BPS \nowned or operated building during the academic school year. \nThe inspections will begin after the beginning of the academic \nschool year and will be completed by the end of the academic \nyear of the following year. An environmental audit will be done by \nthe BPS and the BPHC. \nThe inspection report will investigate and note environmental \nconditions in each report. The inspectors will test and look for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link", + "content": "health and safety conditions throughout the interior and exterior \nof each building including but not be limited to: general \nsanitation and housekeeping; water-staining, leaks, and mold; \ngeneral building repair; signs of pest infestation and activity; \ngeneral life safety; unobstructed means of egress; bathroom \nsanitation, hygiene, and operability; general ventilation, etc. \nUpon completion of the annual environmental inspection, \nFacilities Management will immediately address critical health \nand safety deficiencies by filing a work order with the appropriate \ndivision. They will incorporate other needed work at the school \nsites into the annual budgeting process. On an ongoing basis," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link", + "content": "Facilities Management will provide technical assistance to \nprincipals/heads of schools on environmental problems and \nother building-related issues." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-15 \nPage 3 of 3 \n \n \nSIGNIFICANT DATES AND DEADLINES \nDate \nActivity \nSeptember Environmental inspections will begin after the \nbeginning of the academic school year. \nOngoing \nPrincipals/heads of schools will receive a detailed \ninspection report following completion of the \nbuilding inspection. \nJune \nEnvironmental inspections of all school buildings \nwill be completed by the end of the academic year. \nAugust 31 \n \nEnvironmental inspection reports to be posted on \nthe BPS website (linked from \nhttps://www.bostonpublicschools.org/domain/175) \n \nFor more information about this circular, contact: \nOwner: \nSr. Environmental Supervisor \nDepartment:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-15 SY Environmental Audit Program", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link", + "content": "Sr. Environmental Supervisor \nDepartment: \nFacilities Management \nMailing \nAddress: \n1216 Dorchester Avenue, Dorchester, MA, 02125 \nPhone: \n617-635-8300 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \n Mary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-20 \nVersion 01 \n \nDRINKING WATER ACCESS POLICY \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \n \nThe Drinking Water Access Policy is for all water units used for \ndrinking and food preparation. \nSTATEMENT OF COMMITMENT \nBoston Public Schools (BPS) will safely bring online and maintain \nall school building water units used for drinking and food \npreparation. \nBACKGROUND \nBy law, all students must have access to water during meals and \nthroughout the school day, at no cost. BPS follows the Healthy, \nHunger-Free Kids Act of 2010, Massachusetts Legislation (H 4459)" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "223(g), and Massachusetts Uniform State Plumbing Code (248 \nMASS. CODE REGS. § 10.10, Table 1 (2011). \nBoston Water & Sewer Commission (http://www.bwsc.org/) is the \nPublic Water System (PWS) that supplies potable water to BPS. \nBPS also upholds a bottled water contract. \n \nBPS, like all school districts, is responsible for following the \nguidance of the US Lead Contamination Control Act (LCCA). The" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-20 \nPage 2 of 21 \n \n \n \nLCCA directs the United States Environmental Protection Agency \n(EPA) and its state designees to assist school system \nadministrators, schools, and programs, to identify and reduce or \neliminate lead contamination in their facilities’ drinking water. \nThe LCCA is an assistance-based, non-regulatory program. \n \nAs a federal designee and the responsible Massachusetts agency, \nMassachusetts Department of Environmental Protection \n(MassDEP) is responsible for educating school/facility officials \nabout the LCCA and coordinating statewide efforts to reduce or \neliminate lead in drinking water at schools and childcare" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "facilities. The Massachusetts program includes both lead and \ncopper because the same mechanism that leaches lead from \nplumbing into drinking can also leach copper. Additional \ninformation on the MassDEP Drinking Water Program is available \nat https://www.mass.gov/lead-in-drinking-water. \nPOLICY \nIn accordance with the EPA’s revised 3Ts for Reducing Lead in \nDrinking Water in Schools and Child Care Facilities Toolkit \n(https://www.epa.gov/ground-water-and-drinking-water/3ts-\nreducing-lead-drinking-water-toolkit), and the subsequent \nrecommendations from MassDEP, BPS is committed to the \nfollowing drinking water access policy: \n1. Annually test all water units used for drinking and food" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "preparation. \n2. Deactivate any unit with test results above or equal to 15 \nparts per billion (ppb) for lead and or 1,300 ppb for copper \nand implement remediation actions to reduce those levels \nto the lowest possible concentrations. Remediation actions" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-20 \nPage 3 of 21 \n \n \n \nmay include, but not be limited to, daily flushing, installation \nof filtration systems, and/or replacement of drinking water \nfixtures, plumbing fixtures, and/or piping. \n3. Continue to use units with test results between 1 ppb and 15 \nppb for lead, while implementing short and long-term \nremediation actions to reduce those levels to the lowest \npossible concentrations. \n4. Communicate all test results and subsequent actions. \n5. Provide bottled water and cups for any deactivated, offline \nschools and any online schools that lack access to fountains \nin food service and medical areas." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "in food service and medical areas. \n6. Provide drinking water access training for relevant BPS staff \nin accordance with this policy. \nDEFINITIONS \n• EPA’s 3 T’s for Reducing Lead in Drinking Water: Training, \nTesting, and Taking Action, 3Ts for Reducing Lead in \nDrinking Water | US EPA. \n• Deactivation Level, Copper: ≥1,300 ppb \n• Deactivation Level, Lead: ≥15 ppb \n• Water Unit: Any water fountain or food service \nequipment/fixture (e.g., food preparation sink faucets, \nkettles, tilt skillets, etc.) \n• Online School: A school building supplied by online water \nunits as its primary source of drinking water. (see definition: \nOnline Water Unit)" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Online Water Unit) \n• Online Water Unit: An active water unit, with verified lead \nand copper concentrations below deactivation levels, for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-20 \nPage 4 of 21 \n \n \n \ndrinking and/or food preparation. Concentrations are \nverified by the required testing. \n• Offline School: A school building provided with a \ncommercial bottled water supply as its only source of \ndrinking water. \n• Offline Water Unit: A deactivated water unit supplied by the \nPWS for drinking and/or food preparation with verified lead \nand or copper concentrations above deactivation levels. \n• Activation: A change in a water unit’s (e.g., water fountain or \nfood service equipment and fixtures) status from offline to \nonline due to initial installation or remediation action(s) and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "subsequent testing demonstrating the lowest possible \nconcentrations for lead and copper. \n• Deactivation: A change in a water unit’s (e.g., water fountain \nor food service equipment and fixtures) status from online \nto offline. Any online water unit with elevated lead or copper \nlevels above deactivation levels will be deactivated. \nDeactivated units will remain deactivated until remediation \naction(s) have been completed and the remediated unit has \nbeen re-tested with subsequent test levels at the lowest \npossible concentrations for lead and copper. \n• Flushing: Turning on a plumbing cold water fixture(s) and \nletting the cold water run continuously for a specified time" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "frame in accordance with MassDEP protocols. \n• Daily Flushing: For high use areas, such as fixtures used for \nfood preparation (e.g., food preparation sink faucets, kettles, \ntilt skillets, etc.), BPS will adhere to MassDEP’s flushing \nguidance for schools, available at Fact Sheet – Flushing: A \nShort-Term Solution to Reduce Lead and Copper. For any" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-20 \nPage 5 of 21 \n \n \n \nonline water fountain, it is recommended that the drinker \nfirst let the water run for 5-10 seconds before drinking, and \nthis is only for precautionary measures as lead and copper \nconcentrations were already verified to be below \ndeactivation levels. For directly plumbed water units where \nflushing is not feasible (e.g., combination ovens, steamers, \nice makers, etc.), filters have already been or will be \ninstalled. \n• Activation Flushing: BPS will adhere to a minimum flushing \ntime of 20 minutes for activation of offline water units, per \nthe activation protocol." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "the activation protocol. \n• Remediation Action(s): Shall include, but are not limited to \nreplacement, repair, maintenance, filtration, and/or flushing \nto reduce the concentration of lead and copper to the \nlowest possible concentrations. \n \nREQUIREMENTS \nPer the Annual Testing Protocol (pg. 8), BPS Facilities \nManagement Environmental Division will annually test all online \nwater units used for drinking and food preparation for lead and \ncopper concentrations. BPS annual testing will adhere to \nMassDEP’s guidance for sample collection procedures for schools \nand early education childcare facilities, available at the following \nlink: Sampling for Lead and Copper at Schools and Childcare" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Facilities | Mass.gov. This testing protocol does not include any \nsinks used for facility cleaning or handwashing, including but not \nlimited to those found in utility rooms, bathrooms, locker rooms, \nkitchens, science labs, prep rooms, and classrooms. These sinks \nare not to be used for drinking or any other consumptive purpose" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-20 \nPage 6 of 21 \n \n \n \nsuch as food preparation, and signage shall be posted as such. \n• In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: BPS Water / Boston School Water Quality. Units \nwith results between 1 ppb and 15 ppb for lead will continue \nto be used, while BPS Facilities Management implements \nshort or long-term remediation actions to reduce those \nlevels to the lowest possible concentrations. \n• In cases where concentrations of lead and or copper in" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "water units used for drinking or food preparation exceed \nthe lead/copper deactivation levels, BPS Facilities \nManagement and BPS Communications will enact the \nDeactivation Protocol (pg. 10), which requires BPS Facilities \nManagement Plumbing Division to immediately deactivate \nonly the impacted online water unit(s), and place signage \nthat says “Water Shut Off. Do NOT turn on without Facilities \nManagement or FNS (Food and Nutrition Services) \nApproval.” For water units used for drinking, the units will \nalso be tagged with a “DO NOT DRINK”. \n• In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "or food preparation), signage has been conspicuously \nplaced (as of September 1, 2016) near that source stating: \n“WATER FROM SINKS WILL BE USED FOR WASHING ONLY.” \nPictures will be used in locations as needed. BPS \nprincipals/heads of school will designate a responsible \nperson to check and ensure this signage is posted in \nbathrooms and classrooms on a regular basis. BPS Facilities \nManagement will provide the signage and can be contacted" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-20 \nPage 7 of 21 \n \n \n \nfor additional or replacement signage. \n• BPS will follow the Activation Protocol (pg. 12) to safely bring \nonline school building water units used for drinking, food \npreparation, or medical services. \n• BPS will follow the Flushing Protocol (pg. 13) as one \nremediation practice for reducing lead levels to the lowest \npossible concentrations. \n• BPS Facilities Management will follow the Filter and Filtered \nWater Fountain Standard Operating Procedure and \nMaintenance Protocol (pg. 13) to manage all filtered water \nfountains and filters. \n• BPS Facilities Management will follow the Bottled Water" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Protocol (pg. 16), which includes providing bottled water, \nbottled water units, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online school. BPS Facilities Management \nwill manage and track all bottled water accounts. \n• BPS Facilities Management will provide water testing results \nand any recent water-related information to BPS \nCommunications for the BPS water webpage, \nhttp://www.bostonpublicschools.org/water and annual \nnotices to the BPS community. \n• Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "continuously, without disruption, on all water coolers \nthroughout the entire school day, including during \nmealtimes. Schools are responsible for calling Facilities \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FMT-20 \nPage 8 of 21 \n \n \n \n• BPS Department of Health & Wellness will educate, \npromote, and communicate the importance and benefits of \ndrinking water and collaborate with Facilities Management \nand Food and Nutrition Services to communicate all aspects \nof this policy to school leaders, staff, students, and school \ncommunity. \n• In alignment with BuildBPS, BPS will integrate water \ninfrastructure improvements into routine renovations and \ncapital planning and develop a water infrastructure plan for \nschools that are offline with a goal of bringing all BPS \nschools online. \nIMPLEMENTATION PROTOCOLS: TESTING, MAINTENANCE, & \nACCESS" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "ACCESS \nAnnual Testing Protocol \nBPS annual testing will adhere to MassDEP’s guidance for \nSample Collection Procedures for schools and early education \nchildcare facilities, available at the following link: Sampling for \nLead and Copper at Schools and Childcare Facilities | Mass.gov. \nHow to Collect a First Draw Sample \n1. Collect the sample before any water has been used. Water \nunits must be unused for at least eight (8) hours, but not \nmore than eighteen (18) hours, before testing. \n2. Sampler must wear chemical resistant Nitrile gloves while \nsampling. \n3. Complete the sample collection form during all sampling \n(Sample Custody Log - MA DEP LCCA Program or \nequivalent)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FMT-20 \nPage 9 of 21 \n \n \n \n4. Only use containers (250 milliliter/wide mouth) supplied by \na certified laboratory. \n5. Containers should not be opened until you are ready to \ncollect the sample. \n6. Sampling containers that have been compromised in any \nway (e.g., by being touched on the threads or the interior \nsurfaces) must not be used. \n7. Keep any food and drink away from the sample and its \ncontainer. \n8. If the fixture/faucet has an aerator at the end of the fixture, it \nshould not be removed before taking samples. The sampler \nshould not remove or clean any aerators prior to or during \nthe collection of tap samples. Make sure no water has been" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 24, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "withdrawn from the tap or water fountain, as well as from \nany adjacent taps, before the sample has been collected. \n9. Place the container under the water unit that is being \ntested and collect 250 milliliters (mL) of water. \n10. For all water units being tested, make sure you turn on the \ncold water tap. Open the cold water tap and run it as you \nwould when filling a glass of water. \n11. Turn on the water and fill the container without allowing \nany water to run down the drain or the outsides of the \ncontainer. \n12. Close the container according to the instructions from your \ncertified lab. Tightly cap the sample bottle and place in the \nsample (shipping) kit provided." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 25, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "sample (shipping) kit provided. \n13. Make sure the container is labeled with the same \ninformation from your sample collection form (Sample" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 26, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FMT-20 \nPage 10 of 21 \n \n \n \nCustody Log - MA DEP LCCA Program or equivalent). \n14. Prepare the container for shipping according to the certified \nlab's instructions. Ship containers according to the certified \nlab's instructions. \n15. Samples must be delivered and relinquished to a certified \nlab within 14 (fourteen) days of collection for proper testing. \nDeactivation Protocol \n1. In cases where concentrations of lead and or copper in any \nwater unit do not exceed the lead/copper deactivation \nlevels, no deactivation is needed. Test results will be \navailable at: https://www.bostonpublicschools.org/water." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 27, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Units with results between 1 ppb and 15 ppb for lead will \ncontinue to be used, while BPS Facilities Management \nimplements short or long-term remediation actions to \nreduce those levels to the lowest possible concentrations. \n2. In cases where concentrations of lead and or copper in \nwater units used for drinking or food preparation exceed the \nlead/copper deactivation levels: \na. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately \ndeactivate only the impacted online water unit(s), \nunless otherwise specifically directed. These units will \nbe made offline and tagged “Water Shut Off. Do NOT" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 28, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "turn on without Facilities Management or FNS (Food \nand Nutrition Services) Approval.” For water units used \nfor drinking, the units will be tagged with a “DO NOT \nDRINK”. If required, a bottled water unit will be placed" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 29, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 11:\nSuperintendent’s Circular FMT-20 \nPage 11 of 21 \n \n \n \nas near as possible to the deactivated unit. \nb. BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups. One bottled water \ncooler will be provided for each deactivated water unit \n(e.g. water fountain) or as necessary to meet 248 CMR \n10.00: Uniform State Plumbing Code requirements \n(See: Table 1: Minimum Facilities For Building \nOccupancy, available at the following link: 248 CMR \n10.00: Uniform state plumbing code). . \nc. BPS Communications and Facilities Management will \nimmediately implement the Deactivation \nCommunications Protocol (pg. 18)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 30, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Communications Protocol (pg. 18). \nd. BPS Facilities Management Environmental and \nPlumbing Divisions will inspect the impacted water \nunit to identify any source or cause of elevation and \nschedule any remediation action(s). \ne. The impacted water unit will remain deactivated until \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has \ntested and received three (3) consecutive lead and \ncopper sample results at the lowest possible \nconcentrations. \n3. In cases where water sources are not tested for lead or \ncopper (because these units are not designated for drinking \nor consumption) or levels of lead in water units exceed the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 31, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "lead/copper action level, signage has been conspicuously \nplaced near that source stating: “WATER FROM SINKS WILL \nBE USED FOR WASHING ONLY.” \n4. The Boston Public Health Commission (BPHC) does not" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 32, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 12:\nSuperintendent’s Circular FMT-20 \nPage 12 of 21 \n \n \n \nrecommend that BPS screen children for lead. If a child is \nexposed to water containing elevated lead levels, the BPHC \nrecommends that parents consult their child's medical \nprovider to assess whether their child's individual risk \nwarrants blood lead testing. Many healthcare providers, \nsuch as MassHealth, cover the cost of lead testing. Families \nwith questions or concerns about costs may contact BPS \nHealth Services at 617-635-6788. \nActivation Protocol \n1. Upon completion of any water unit’s remediation action \n(e.g., replacement, repair, etc.), Facilities Management" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 33, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Environmental Division will flush each water unit for \napproximately 20 minutes or more as needed to remove any \nvisual signs of sediment, debris, and rust. BPS will adhere to \na minimum flushing time of 20 minutes for activation of \noffline water units. \n2. Eight to eighteen (8-18) hours post flushing, a sample from \neach water unit will be collected for confirmatory analysis of \nlead and copper. \n3. Repeat step #2 two additional times to conclude three (3) \nrounds of testing. For the initial activation of a filtered water \nunit, a sample for coliform will be collected during one of \nthe three rounds of testing (see New England States’" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 34, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Sample Collection & Preservation Guidance Manual For \nDrinking Water, p. 36, New England States' Sample \nCollection & Preservation Guidance Manual for Drinking \nWater, Revision 5.0, January 2015). \n4. Upon receiving three (3) consecutive sets of sample results \nat the lowest possible concentrations and one negative fecal" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 35, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 13:\nSuperintendent’s Circular FMT-20 \nPage 13 of 21 \n \n \n \nbacteria test per filtered water unit, BPS Communications \nand Facilities Management will immediately implement the \nActivation Communications Protocol (pg. 18). \n5. Facilities Management and the head of school/principal will \nselect a date for activating the water unit(s) to go online. \n6. Once a date has been selected, the Facilities Management \nPlumbing Division will work on logistics for turning the \nwater unit(s) online. Logistics will include an activation flush. \nFlushing Protocol \n1. Food services equipment and fixtures (i.e., food preparation \nsink faucets, kettles, tilt skillets, ice makers, etc.) shall be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 36, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "flushed every morning for two (2) minutes prior to the \npreparation of any food by the food service manager or \ndesignated food services employee. Only cold water shall be \nused for the flush and for the preparation of any food and or \nbeverage. The food services manager will be responsible for \nkeeping a daily log of all flushing activities. \n2. When drinking from an online fountain, it is recommended \nthat the drinker first let the water run for 5-10 seconds \nbefore drinking. This will be communicated to the BPS \ncommunity through the Implementation Protocols: \nEducation and Training (pg. 20). \n3. Following an extended school vacation (e.g., summer" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 37, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "vacation, February vacation), custodians will flush all online \nfountains prior to the restart of school. \n4. Before watering a school garden with tap water, all \ngardeners must first flush the water for 2 minutes." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 38, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 14:\nSuperintendent’s Circular FMT-20 \nPage 14 of 21 \n \n \n \nFilter and Filtered Water Fountain Standard Operating \nProcedure and Maintenance Protocol \nIn addition to the Annual Testing Protocol (pg. 8), BPS will collect \nsamples for coliform testing of filtered online water units. \nIn cases where coliform is present within filtered online water \nunits: \n1. Upon notification from the BPS Sustainability and \nEnvironmental Resources Manager, BPS Facilities \nManagement Plumbing Division will immediately deactivate \nonly the impacted online water unit(s), unless otherwise \nspecifically directed. These units will be made offline and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 39, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "tagged “Water Shut Off. Do NOT turn on without Facilities \nManagement or FNS (Food and Nutrition Services) \nApproval.” \n2. BPS Facilities Management will provide bottled water, \nbottled water units, and cups. One bottled water cooler will \nbe provided for each deactivated water unit (e.g. water \nfountain) or as necessary to meet 248 CMR 10.00: Uniform \nState Plumbing Code requirements (See: Table 1: Minimum \nFacilities For Building Occupancy, available at the following \nlink: 248 CMR 10.00: Uniform state plumbing code). \n3. BPS Communications and BPS Facilities Management will \nimmediately implement the Deactivation Communications \nProtocol (pg. 18)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 40, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Protocol (pg. 18). \n4. BPS Facilities Management Environmental and Plumbing \nDivisions will inspect the impacted water unit and schedule \nremediation action(s) (e.g., replacement of the filter). \n5. The impacted water unit will remain deactivated until" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 41, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 15:\nSuperintendent’s Circular FMT-20 \nPage 15 of 21 \n \n \n \nremediation actions have been completed and BPS \nFacilities Management Environmental Division has received \none (1) sample result absent of coliform per affected water \nunit. \nBPS Facilities Management will initiate and uphold a vendor \ncontract to replace and maintain water fountain filters once per \nyear or more as needed. \nDaily Use/Maintenance \n• Only water should be put down the drains. Anything else \ncan cause clogging and lead to permanent damage of the \nunit and plumbing. \n• Custodians are responsible for wiping down the units daily. \nThe units shall be cleaned using the procedures outlined for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 42, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "all high touch surfaces using food grade cleaning products. \n \nFilter Status Indicator Light \n• When the light turns yellow, the school should put in a work \norder via Asset Essentials, and select “Filter Replacement”. \n• The yellow light is just an indicator that the filter is \napproaching the end of its life and will need to be changed \nsoon. The light does not indicate that the filter or water \nquality is compromised. \n• If a light turns red, please place one of the signs provided in \nyour Drinking Water Binder on the unit and encourage \noccupants to utilize another unit until the filter can be \nreplaced." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 43, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 16:\nSuperintendent’s Circular FMT-20 \nPage 16 of 21 \n \n \n \nLeaking/broken Unit \n• If the unit has been newly installed within the last year, the \nschool should reach out to Audrey Ng, the Water & \nSustainability Project Manager to have the contractor \naddress the issue under warranty. \n• If the unit is not newly installed, the school should put in a \nwork order via Asset Essentials to be addressed by your \nplumbing supervisor. \n• The school’s operations staff may choose to use the tools \nprovided in the Water Bottle Refill Station Repair Kit to open \nand turn off the unit to stop the leaking until the contractor \narrives. \nBottled Water Protocol" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 44, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "arrives. \nBottled Water Protocol \n• BPS Facilities Management will provide bottled water, \nbottled water coolers, and cups for all offline schools, and for \nany medical or food service areas that lack access to tap \nwater units in any online schools. \n• BPS Facilities Management will cease bottled water \naccounts for schools that are activated online. Bottled water \ncoolers will only remain in an online school in medical or \nfood service areas if those areas lack access to tap water \nunits. \n• BPS Facilities Management will manage and track all \nbottled water accounts. \n• Heads of school/principals will develop a school-based plan \nfor ensuring bottled water and cups are available" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 45, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "continuously, without disruption, on all water coolers \nthroughout the entire school day, including during meal \ntimes. Schools are responsible for calling Facilities" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 46, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 17:\nSuperintendent’s Circular FMT-20 \nPage 17 of 21 \n \n \n \nManagement to order water and cups, if running low before \nthe existing, regular water delivery schedule. \nIMPLEMENTATION PROTOCOLS: COMMUNICATIONS & \nREPORTING \nBPS Communications is responsible for updating and \nmaintaining the BPS water website at BPS Water / Boston School \nWater Quality with content support from BPS Facilities \nManagement and BPS Department of Health and Wellness. BPS \nCommunications will update the BPS water website to include a \ncurrent list of online schools and the most recent annual test \nresults, and a current list of offline schools. These lists must be" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 47, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "updated every time a school is activated or deactivated. \nDeactivation Communications Protocol \nIn cases where coliform is present or concentrations of lead and \nor copper in water units used for drinking or food preparation \nexceed the lead/copper action levels, BPS Communications and \nFacilities Management will promptly implement the Deactivation \nCommunications Protocol: \n1. The school’s principal/head of school will be notified of the \ndeactivation protocol and test results by email with the test \nresults and a standardized letter for the school community. \n2. The letter will include the water testing results and a link to \nthe BPS water website, which provides resources related to" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 48, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "lead in the water. A letter template will be provided by BPS \nCommunications and BPS Facilities Management, and the \ntesting results will be provided by BPS Facilities \nManagement." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 49, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 18:\nSuperintendent’s Circular FMT-20 \nPage 18 of 21 \n \n \n \n3. Any media statements will be managed by BPS \nCommunications. \nActivation Communications Protocol \nUpon receiving three (3) consecutive sets of sample results below \nlead and copper action levels, and one negative fecal bacteria \ntest result for filtered water units, BPS Communications and \nFacilities Management will immediately implement the \nActivation Communications Protocol: \n1. The school’s principal/head of school will be notified of the \nactivation protocol and test results. \n2. The letter will include the water testing results, a link to the \nBPS water website, and details regarding any water" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 50, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "infrastructure improvements (e.g., new fountains, filters, \npipes). A letter template will be provided by BPS \nCommunications and BPS Facilities Management, and the \ntest results will be provided by BPS Facilities Management. \nThe principal/head of school will share this information with \nthe school community. \n3. BPS Facilities Management and the principal/head of school \nwill select a date for activating the water unit(s) online. \n4. Once a date has been selected, BPS Facilities Management \nPlumbing Division will implement the logistics for turning \nthe water unit(s) online. \nANNUAL REPORTING \nBPS Facilities Management will provide water testing results and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 51, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "any recent water-related information to BPS Communications for \nthe BPS water webpage and annual notices to the BPS" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 52, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 19:\nSuperintendent’s Circular FMT-20 \nPage 19 of 21 \n \n \n \ncommunity. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will provide annual updates to the “BPS Drinking \nWater Access Policy”, if needed. \nBPS Department of Health and Wellness and BPS Facilities \nManagement will annually report on the implementation of the \nWater Policy to the District Wellness Council and subsequently \nthe BPS School Committee. Following BPS School Committee \nreview, this information will be shared with MassDEP. \n \nIMPLEMENTATION PROTOCOLS: EDUCATION & TRAINING \nThe following BPS staff will receive annual training and \nprofessional development about this policy and its protocols:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 53, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "• Principals/heads of school will receive training at the Annual \nLeadership Institute as a part of Operations and/or wellness-\nrelated sessions. \n• Food service managers and staff will receive training at the \nsummer training provided by Food and Nutrition Services. \n• Custodians will receive training at summer training \nprovided by BPS Facilities Management. \n• School-based staff will be trained by principals/heads of \nschool at the beginning of the school year, as part of the \nschool policies and procedures overview. \n• Any new Facilities Management Environmental and \nPlumbing Division staff will receive training as part of their \nonboarding process." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 54, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "onboarding process. \nBPS Department of Health and Wellness will educate, promote," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 55, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 20:\nSuperintendent’s Circular FMT-20 \nPage 20 of 21 \n \n \n \nand communicate the importance and benefits of drinking \nwater, and collaborate with Facilities Management and Food and \nNutrition Services to communicate all aspects of this policy to \nschool leaders, staff, students, and school community. \nBPS School Wellness Councils will include water-policy related \ngoals as part of their annual Wellness Action Plans." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 56, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Page 21:\nSuperintendent’s Circular FMT-20 \nPage 21 of 21 \n \n \n \nFor more information about this circular, contact: \nOwner: \nSustainability, Energy, and Environment \nProgram Director \nDepartment: \nFacilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: \n617-635-9576 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOwner: \nSenior Environmental Supervisor \nDepartment: \nFacilities Management \nMailing Address: 1216 Dorchester Avenue, Dorchester, MA 02125 \nPhone: \n617-635-8300 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nOwner: \nSenior Executive Director \nDepartment: \nHealth & Wellness" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-20 Drinking Water Access Policy", + "chunk_id": 57, + "uri": "https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link", + "content": "Department: \nHealth & Wellness \nMailing Address: 370 Columbia Road, Dorchester, MA 02125 \nPhone: \n617-635-1631 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-12 \nVersion 01 \n \n \n \nLOSS OR DAMAGE RESULTING FROM FIRE, THEFT, \nVANDALISM OR UNLAWFUL ACTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nIn all cases of loss or damage to Boston School Department \nbuildings, grounds, or other property, heads of school, principals, \nand responsibility center managers must complete Form A \n(attached) and follow prescribed procedures upon the discovery \nof such incidents. Form A is to be used to report all acts of fire, \ntheft, vandalism, destruction of property, graffiti, breaking and \nentering, and attempts to break and enter. Vandalism is" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "considered to be all willful acts causing damage to school \ndepartment property. \nHeads of school, principals, and other responsibility center \nmanagers must also contact the Boston Police or Safety Services \nand request that an official Police Department incident report \n(commonly referred to as a “1-1”) be prepared. This report serves \nas documentation that the incident has been reported to and \nlogged by the Police Department. Heads of school, principals, \nand responsibility center managers should keep a copy of both \nForm A and the official police report for their records. \nThe original Form A and a copy of the police report are to be sent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "to the Department of Safety Services, 213 Townsend Street, \nDorchester, MA 02121." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-12 \nPage 2 of 4 \n \n \n \nAdditional copies are to be forwarded to the following \ndepartments: \n● Facilities Management \n● Academic Superintendents \n● Others, as necessary \n In the event of emergency or hazardous conditions, notify \nFacilities Management immediately. \nRefer to Superintendent’s Circular FSE-01 School Safety / \nContingency Plans for additional information. \nFor more information about this circular, contact: \nOwner: \nSr. Supervisor Electrical/Security \nDepartment: \nFacilities Management \nMailing Address: 1216 Dorchester Ave., Boston, MA 02125 \nPhone: \n617-635-8300 \nFax: \n617-635-7855 \nEmail: \nOperations-Department-" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "617-635-7855 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-12 \nPage 3 of 4 \n \n \n \nFORM A \nREPORT OF LOSS OR DAMAGE RESULTING FROM \nFIRE, THEFT, VANDALISM OR UNLAWFUL ACTS \nThis form is to be used to report all acts of fire, theft, vandalism, \ndestruction of property, graffiti, breaking and entering, or attempts to \nbreak and enter. Vandalism shall be considered to be all willful acts \ncausing damage to school property. \nSchool or other facility: ________________________________________________ \nDate of report: ________________________________________________________ \nSpecific location of incident: __________________________________________" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "Point of entry: ________________________________________________________ \nName of person who discovered the incident: _________________________ \nDate/time of incident: _________________________________________________ \nDescription of damage or loss. Identify property by manufacturer, \nmodel, serial number, and school department identification number:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-12 \nPage 4 of 4 \n \n \n \nPlease complete the following information if this report is the result of \nloss, theft, or damage to a laptop/desktop. Once completed, forward a \ncopy to your Technical Support Teacher (TST). \n \nProduct \nModel \nSerial # \nAsset Tag # \n☐ Laptop \n \n \n \n☐ Laptop case \n \n \n \n☐ Cables \n \n \n \n☐ Lock \n \n \n \n☐ Desktop Monitor \n \n \n \n☐ Desktop CPU \n \n \n \n \n________________________________________________ ______________________ \n \nName of responding Police Officer \n \nCC Number \n_______________________________________________ _______________________ \n \nName of Facilities Mgt. personnel notified \nDate/Time" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link", + "content": "Date/Time \n_______________________________________________ _______________________ \n \nSignature \nTitle \ncc: ☐ Facilities Management Copy \n☐ Safety Services Copy \n☐ Office of Instructional and Information Technology" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-02 \nVersion 01 \n \n \nWORK ORDER REQUESTS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nAll work requests are to be submitted through Asset Essentials. \nThe following procedures are to be followed when originating \nwork requests. \nASSET ESSENTIALS \nYou will be able to login through your Google App launcher, \nwhich is the icon at the top of your Gmail (3 by 3 box.) Scroll down \nuntil you see the \"SchoolDude - Asset Essentials\" icon. \nREQUEST FORMAT \nEach request begins by selecting the school from the drop-down \nmenu. Please provide a detailed description of the work needed," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "including the floor, room number, and room name (if there is \none). Please note the system will automatically collect your email \naddress for return messages. \nEMERGENCIES \nCall emergencies into the Planning and Engineering Office \nimmediately at 617-635-8300 or 617-635-9135. You may also call \nthe appropriate Planning and Engineering supervisor to report" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-02 \nPage 2 of 6 \n \n \nany emergency. After calling in the emergency, enter the \nemergency Work Order Request into the system by the end of \nthe day, indicating that it was an emergency, and the request is a \nconfirming order. \nEXTERNAL FUNDS \nIf the costs are to be charged to an external funding source, \nindicate in the request to what account the costs should be \ncharged. Refer to Superintendent’s Circular — External Funding \nof Renovations to School Buildings and Yards. \nSTATUS OF WORK ORDER REQUESTS \nOnce a Work Order Request has been submitted for initial \nreview, you will be able to view the status and actions taken by" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Planning and Engineering staff on the initial request. \nStatus codes are as follows: \n● In Progress - We have decided to move forward with \nobtaining an estimate from a contractor. Once we have \nobtained an estimate from a contractor, we will assess and \nmake a final decision. \n● On Hold - The decision has been made to put this on hold \nfor right now. You will be able to view the status and actions \ntaken by Planning and Engineering staff on the initial \nrequest. There will be a detailed note explaining this \ndecision. \n● Denied - The decision has been made to not proceed with \nthis work order. You will be able to view the status and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "actions taken by Planning and Engineering staff on the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-02 \nPage 3 of 6 \n \n \ninitial request. There will be a detailed note explaining this \ndecision. \n● Capital Project - This has been deemed to be a capital \nproject and so it has been forwarded to the Capital Project \nteam. \n● Completed - Once a supervisor has provided estimated \ncosts, contractors to complete the work, and estimated \ncompletion date, and a final decision has been rendered, \nyou will be able to review the status and actions taken by \nPlanning and Engineering staff. \n► Please note that, for most approved work orders, you \ngenerally will not receive a note. If your request is put On" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Hold, Denied, or Capital Project, you will generally receive a \nnote explaining the reason for the decision. \nSUBDIVISION OF CLASSROOMS/CHANGE IN \nOCCUPANCY/REQUEST FOR SUBDIVISION OF CLASSROOMS \nFOR OFFICE SPACE \nRequests for subdivision for expanding classroom space must: \n● be submitted on the attached Request for Space \nModification Form (Attachment A) with location and \npurpose. \n● be approved by the director of Student Assignment and \ndirector of Facilities Management. \n● meet building codes for safety. \n \nPartitioning of non-educational spaces such as cafeterias, \ngymnasiums, or corridors is prohibited." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-02 \nPage 4 of 6 \n \n \n► PLEASE NOTE, ALL APPROVALS ARE SUBJECT TO THE \nAVAILABILITY OF FUNDING \n \nFor more information about this circular, contact: \nOwner: \nExecutive Director of Facilities \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Avenue, Boston, MA 02125 \nPhone: \n617-635-9170 \nFax: \n617-635-9252 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-02 \nPage 5 of 6 \n \n \nATTACHMENT A \nREQUEST FOR SPACE MODIFICATION \nRequest for any programmatic plan that changes existing space \nin a school building must be done in writing. Please complete \nthe Request Form below and submit to the director of the \nStudent Assignment Unit. \nA. Request: \nSchool: _______________________________________Date: \n \nDetail of Space Modification: \n \n \n \n \n \nRationale for Modification: \n \n \n \n \n \nSource of Funding: \n☐ Requested from Facilities Management \n☐ School Funds Available ☐ Grant Funds Available \nPrincipal/Head of School signature:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-02 \nPage 6 of 6 \n \n \nB. Approval / Non-Approval: \nDirector of Student Assignment: \n□ Approved / supports enrollment capacity needs. \n□ Not approved / negatively impacts enrollment capacity \nneeds. \n□ No impact on enrollment capacity needs / move to Facilities \nManagement for decision. \n \nSignature: ___________________________________Date: \n \nDirector of Facilities Management: \n□ Approved / supports enrollment capacity needs. Funding \nwill be allocated. \n□ Approved / no impact on enrollment and funding identified \nby principal/head of school. \n□ Not approved / no funding available. \n□ Not approved / building code violation." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-02 Work Order Requests", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link", + "content": "□ Not approved / building code violation. \n \nSignature: ___________________________________Date: \n \n \nUpon final decision regarding Approval / Non-Approval, a copy of \nsame will be forwarded to the principal/head of school initiating \nthe request for space modification." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-08 \nVersion 01 \n \n \n \nBOSTON PUBLIC SCHOOLS RECYCLING AND ZERO \nWASTE GUIDELINES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBACKGROUND \nThe Commonwealth of Massachusetts and City of Boston seek to \nminimize waste by reducing, reusing, and recycling. State policies \nand programs such as the Environmentally Preferable \nPurchasing Policy, MassDEP’s Waste Ban Regulations, and \nExecutive Order 484 – Leading by Example, and the City of \nBoston Zero Waste Plan are helping state agencies and \nmunicipalities create healthier buildings and cleaner" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "communities while simultaneously reducing costs. Boston Public \nSchools (BPS) has been actively recycling for over a decade. By \nreducing the amount of resources we use and waste we produce, \nwe are creating a healthier and more sustainable Boston Public \nSchools. \nBPS is committed to Zero Waste because: \n• Recycling is a core component of the City of Boston's \ncommitment to zero waste. \n• Recycling is free for BPS, while trash is an operational cost \nfor BPS. School recycling is picked up curbside for free by \nBoston Public Works Department (PWD) as part of the PWD" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-08 \nPage 2 of 10 \n \n \n \nResidential Recycling program. School trash is picked up at \na cost by a contracted waste hauler. Increasing recycling \nwhile reducing trash decreases BPS operating costs, funds \nwhich could otherwise be directed to teaching and learning. \n• School zero waste programs mitigate clutter. Clutter \nattracts pests, creates asthma triggers like dust, and takes \nup valuable school space that could otherwise be used for \nteaching, learning, and organized storage. \n• School zero waste programs create hands-on learning and \nengagement opportunities for students and staff. A \nsuccessful zero waste program incorporates education and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "collaboration. \n• The principles of zero waste – redesign/rethink, refuse, \nreduce, repurpose, reuse, recycle – teach us responsibility for \nour schools and our waste. \n POLICY \nThe intent of this BPS Zero Waste Policy is to reduce the amount \nof waste generated by building occupants and reduce the \namount of non-recyclable waste that is hauled to and disposed of \nin landfills or incineration facilities. Boston Public Schools has \ncreated this policy which aligns with the City of Boston’s Zero \nWaste Plan. \nBoston Public Schools is responsible for providing recycling \nequipment, education, and cardboard hauling services to all \nbuildings operated by BPS, and for ensuring that banned" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "materials are separated from trash at the school and other \nbuilding sites, according to MassDEP’s Waste Ban Regulations \n(310 CMR 19.017). The City of Boston Public Works Department is" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-08 \nPage 3 of 10 \n \n \n \nresponsible for providing curbside hauling services for all BPS \nsingle-stream recycling. \nSchool principals/heads of schools, and custodians must ensure \nsingle stream recycling equipment and signage are displayed to \ncollect applicable materials (cardboard, glass, metals, paper, \nplastics) and that other materials are collected and recycled \nand/or disposed of properly, including but not limited to: office \nsupplies, books, textiles, yard waste, batteries, ink/toner, \nelectronics, and furniture. \nEach school is responsible for identifying a zero waste champion \nwho serves as the liaison to BPS Facilities Management and" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "whose duties can include educating the school on recycling \npractices, advising a student recycling team, and ensuring the \nschool has recycling equipment and signage provided by \nFacilities Management. The zero waste champion and custodial \nstaff are encouraged to participate in the school’s Wellness \nCouncil to ensure that waste management is prioritized and that \nthe school’s indoor environment is upheld as a healthy and clean \nplace to learn and work. \nIMPLEMENTATION PLAN \nBoston Public Schools recycling and zero waste guidance and \nresources can be found at bostongreenschools.org/zero-waste. \nPlease use the BPS Zero Waste Guide and BPS recycling signage." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "BPS provides the following recycling services: single stream \n(paper, metal, glass, plastic, paperboard), corrugated cardboard, \nelectronic waste, furniture, books, yard waste, construction \nwaste, hazardous waste, and universal waste." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-08 \nPage 4 of 10 \n \n \n \nRecycling is a collaborative effort and will require support from \nthe principal/head of school, custodians, cafeteria staff, teachers, \nstudents, zero waste champions, and Facilities Management. \nSchools are encouraged to form a student-led Zero Waste Team \nto help manage the single stream recycling program and keep it \nrunning smoothly throughout the school year. Schools are \nencouraged to host an annual recycling event to educate the \nschool community about recycling best practices and announce \nany new recycling or waste management initiatives. \nFor recycling to be successful across BPS, each school must:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "• Identify a zero waste champion (teacher, staff, active \nvolunteer, or a staff-advised student team) to be a liaison to \nthe Facilities Department and a recycling advocate in the \nschool. \n• Incorporate recycling tasks into the custodial work plan. \n• Allow time for the zero waste champion and the senior \ncustodian to attend any recycling training with Facilities \nManagement. \n• Commit to providing ongoing education to the school \ncommunity about recycling best practices to divert as much \nrecycling material from the waste stream as possible. \n• If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), complete and submit the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Zero Waste Equipment Request form to request free \nequipment from Facilities Management. BPS warehouse \nstaff will deliver the equipment. \n• Place recycling signage and equipment in appropriate \nplaces and implement updates to the program per" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-08 \nPage 5 of 10 \n \n \n \ninstruction from Facilities Management. \n• Equipment must be placed in a 1:1 ratio – one recycling bin \nnext to one trash bin. \n• Classrooms and offices must have small recycling bins or \nboxes and trash bins (one of each per room). These small \nbins should be emptied into the larger recycling barrels or \ncarts and trash barrels, respectively. \n• Hallways, common areas, food service areas, and \ngymnasiums should have recycling barrels or carts and \ntrash barrels. Recycling barrels should be emptied into carts, \nand carts should be rolled outside to the curb before 6am on" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "the day of your school recycling pick-up. You can find your \nrecycling pick-up day by school address at \nhttps://www.boston.gov/trash-and-recycling-day-schedule-\nand-search. Trash barrels should be emptied into the trash \ndumpster, which is serviced by BPS’s contracted waste \nhauler. \nRECYCLING PROCEDURES AND CONTACTS \nZero Waste Program and Education \n• Sustainability, Energy, and Environment Program Director, \nOperations-Department-Heads@bostonpublicschools.org or \n617-635-9576, or visit bostongreenschools.org/zero-waste if \nyou have questions about the BPS Zero Waste Program or \nneed educational materials and support." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-08 \nPage 6 of 10 \n \n \n \nRecycling Equipment \n• If your school needs recycling equipment (boxes, carts, \nbarrels, lids, wheels, or signage), please complete the Zero \nWaste Equipment Request form to request free equipment \nfrom Facilities Management. BPS warehouse staff will \ndeliver the equipment. Get the form at \nbostongreenschools.org/zero-waste. \nSingle-stream Recycling \n• Paper, and most plastic, glass, and metal containers can be \nrecycled and picked up curbside by the Public Works \nDepartment (PWD). Learn more at \nhttps://www.boston.gov/trash-and-recycling. \n• Question about a particular item? Visit the state’s" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "RecycleSmartMA.org and use the Recyclopedia tool. \n• Was your curbside recycling not picked up? Call the City of \nBoston 311 or report through the 311 App. PWD will be \nnotified immediately of your missed pick-up. Indicate your \nschool, your address, and the issue you had with a missed \npick-up. \n• Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, if you have \nquestions or concerns related to the trash and recycling \ndumpsters. \nCardboard Recycling \n• All corrugated cardboard must be separated from the \nsingle-stream recycling, flattened, and stacked into \nhampers for pickup, because BPS receives income for" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-08 \nPage 7 of 10 \n \n \n \ncardboard that is put back into the recycling program. \nCardboard is regularly collected by BPS warehouse staff, \nseparately from PWD’s curbside pick-up. \n• Contact Sustainability, Energy, and Environment Program \nDirector if your school needs an additional cardboard pickup \nor there were issues with the collection. \nFood Waste \n• At this time, BPS does not compost food waste. Therefore, \nall food waste should be placed into the large trash barrels. \nFood waste should never be put into any type of recycling \nbin, barrel, or cart, nor should it be put into classroom trash" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "bins. By putting food waste into the large trash barrels, you \nare helping to prevent pests, spills, and odors in the \nclassrooms. \n• BPS will begin implementing food waste collection and \ncomposting services at some schools in 2022-2023, with \nplans to add services at additional schools each subsequent \nyear. \n• Contact your Food & Nutrition Services representative with \nquestions about food waste. \nReuse: Books, School and Art Materials, Sports Equipment, \nClothing, etc. \n• Consider setting-up a “reuse station” in your school for \nunwanted school supplies that could be used by another \nperson in the school. \n• Contact the Office of Academics and Professional Learning," + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 18, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "bostonpublicschools.org/Domain/2439, for anything related" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 19, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FMT-08 \nPage 8 of 10 \n \n \n \nto unwanted books or curriculum. \n• Clothing and textiles can be placed in the Bay State Textiles \nor Helpsy boxes, which can be found at multiple school \nlocations. Learn more at bostongreenschools.org/zero-\nwaste, including how your school can add a textiles \nrecycling box to your schoolyard. \nFurniture \n• All furniture waste must be reviewed by BPS Facilities \nManagement for reuse, redistribution, or proper disposal. \n• Contact Assistant Director, Building Services, Operations-\nDepartment-Heads@bostonpublicschools.org for any \nfurniture related questions. \nElectronic (anything with a plug or cord) and Toner/Ink" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 20, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Cartridge Recycling \n• BPS OIIT manages the collection of old and recyclable IT \nequipment such as printers, monitors, computers, and TVs, \nand ink and toner cartridges. \n• Complete Form 57 and submit to OIIT. OIIT will schedule a \nvendor to pick up the items. Get the form at \nbostongreenschools.org/zero-waste. \nUniversal Waste/Hazardous Waste \n• All universal waste (lamps, batteries, mercury-containing \ndevices, and pesticides) and hazardous waste must be \nproperly labeled and stored in the school’s accumulation \nlocation. \n• Contact Sr. Environmental Supervisor, Operations-\nDepartment-Heads@bostonpublicschools.org or 617-828-" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 21, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 9:\nSuperintendent’s Circular FMT-08 \nPage 9 of 10 \n \n \n \n0695, to schedule a pick-up. \nMetal Recycling \n• Contact Area Manager, Operations-Department-\nHeads@bostonpublicschools.org or 617-763-1030, to recycle \nmetal furniture or scrap items. \nYard Waste \n• Prior to accumulating yard waste, contact Head \nGroundskeeper, Operations-Department-\nHeads@bostonpublicschools.org or 617-293-3889 to \nschedule a pick-up. All schoolyard waste must be bagged in \ncompostable brown bags or in plastic barrels. All branches \nneed to be cut into small pieces and bundled. \nFacility Alterations, Additions, Construction, and Demolition \n• Base building elements permanently or semi-permanently" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 22, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "attached to the building itself, including all studs, insulation, \ndoors, windows, panels, drywall, trim, ceiling panels, carpet, \nflooring material, adhesives, sealants, paints, and coatings \nshould be reused or recycled to the greatest extent possible. \nMassachusetts law bans clean gypsum wallboard, concrete, \nasphalt, brick, and wood from disposal in the trash. \n• BPS Facilities Management shall coordinate with \ncontractors and Public Facilities Department, when \napplicable, to ensure building repair projects are complying \nwith all waste removal laws. \n \nFor more information about this circular, contact:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-08 Recycling and Zero Waste Policy", + "chunk_id": 23, + "uri": "https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link", + "content": "Page 10:\nSuperintendent’s Circular FMT-08 \nPage 10 of 10 \n \n \n \nOwner: \nSustainability, Energy, and Environment \nProgram Director \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: \n617-635-9576 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-04 \nVersion 01 \n \n \n \nCUSTODIAL PAY ADJUSTMENTS – CALL-IN \nPROCEDURE \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nSo the Office of Facilities Management (Building Services) may \nproperly adjust a custodian's pay in a timely manner, it is \nessential that you follow the payroll procedure outlined below: \nWhen a senior custodian is absent, you must notify Facilities \nManagement (Building Services), by telephone 617-635-9162 or e-\nmail (emalone2@bostonpublicschools.org) with: the name of the \nabsent senior custodian; the name of the custodian covering; the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view?usp=drive_link", + "content": "reason for the absence; and all dates of absence, if known. \nWhen the absent senior custodian returns to work, Facilities \nManagement (Building Services) must be notified to ensure that \nthe person covering is paid for the correct number of days. \nThe custodial pay period begins on Saturday and ends on Friday. \nIt is a weekly payroll. If the absentee is to be out on a long-term \nbasis, Facilities Management (Building Services) must be notified \nif the current acting senior should be carried forward to the next \npay period." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-04 \nPage 2 of 3 \n \n \n \n If a custodian is being docked for all or any part of a day, \nyou must notify Beth Malone to ensure the dock is \nproperly recorded. You must also notify Facilities with the \nreason for the dock (i.e., late, no show/no call, left early). \nIf a custodian is at \"0\" balance (out of sick, personal, or vacation \nleave), they must be coded. Select Absence Name - Leave \nWithout Pay, then select Absence Reason. Additional information \nshould be entered in the “comments” panel. \nAll docks and acting senior coverage must be reported in a timely \nmanner. \nTo ensure coverage in a single-person building, prior notice" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view?usp=drive_link", + "content": "should be given to the Office of Facilities Management (Building \nServices) whenever possible. Forty-eight (48) hours’ notice is \nrequired for personal and compensatory days. Two weeks’ notice \nis required for vacation. \nCalls for acting senior coverage while school is in session will only \nbe taken from the head of school/principal, secretary, or \nprincipal's designee. Custodians should call in any acting senior \ncoverage during school vacations and summer months." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-04 Custodial Pay Adjustments", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-04 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \nOwner: \nAssistant Director, Building Services \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Ave, Dorchester, MA 02125 \nPhone: \n617-635-9162 \nFax: \n617-635-9306 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link", + "content": "Page 1:\n \n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-09 \nVersion 01 \n \n \n \nMATERIAL DISTRIBUTION PROCEDURES \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nINDIVIDUAL OR SPECIAL PURCHASE ORDERS FOR DELIVERY TO \nTHE MATERIAL DISTRIBUTION CENTER \nIndividual or special orders are delivered to users as requested by \ndepartment heads. Copies of the purchase order must be \nforwarded to the Distribution Center before the material arrives \nor it may be refused; if accepted, it may be confused with other \nindividual orders and sent to the wrong department. Freight \ncarriers are required to schedule their deliveries with the" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link", + "content": "Distribution Center. Failure to notify the Distribution Center \nbefore making a delivery may result in your order being refused, \nespecially during the period between August 1 and November 15 \nwhen storage space is at a minimum. All orders shipped to the \nDistribution Center should have an “Attention To:” block which \nindicates a person or department to which the material is being \nshipped; this is very important. You can stipulate an “Attention \nTo:” address on your original requisition entered on PeopleSoft. \nCUSTODIAL ORDERS \nCustodial requisitions are submitted on two forms developed by \nDistribution and the Facilities Management Department. The first" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link", + "content": "form is an annual order form which lists all custodial items" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-09 \nPage 2 of 3 \n \n \n \nauthorized for delivery to schools. This form is delivered to each \nschool on an annual basis in June/July. The second form is a bi-\nmonthly (every 2 months) “short” form which is delivered to \nschools each bi-monthly except those months when the large \nannual form is used. Custodians are required to complete these \nforms and return them to the Distribution Center. All forms \nshould be emailed to warehouse@bostonpublicschools.org or \nfaxed to the Distribution Center at 617-635-8581. All orders which \nare not a part of regular bi-monthly cycles must be submitted \nand approved by Facilities Department custodial area managers." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link", + "content": "REQUIRED DATA \nDepartment head signatures, shipping location, and “Attention \nTo” are required on all requests; if any of these items are missing, \nyour requests could be delayed or may ship to the wrong \ndepartment. \nPlease call the Distribution Center at 617-635-8745 if you have \nspecial requirements or problems, or fax us at 617-635-8581, or \nemail warehouse@bostonpublicschools.org." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-09 Material Distribution Procedures", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-09 \nPage 3 of 3 \n \n \n \nFor more information about this circular, contact: \n \nOwner: \nExecutive Director of Facilities \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Avenue, Dorchester, MA \n02125 \nPhone: \n617-635-9170 \nFax: \n617-635-9252 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \n \nMary Skipper, Superintendent" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 1, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 1:\n \nSuperintendent’s \nCircular \nNUMBER: \nFMT-18 \nVersion 01 \n \nSCIENCE SAFETY IN SCHOOL LABORATORIES AND \nCLASSROOMS \nThis Circular will remain in effect unless rescinded or superseded \nby a subsequent version. \nBoston Public Schools (BPS) has developed a Science Safety Plan \nto promote a safer and more effective learning environment for \nstudents and a healthier workplace for teachers and other \nemployees within science classrooms and laboratories in Boston \nPublic Schools. The Science Safety Plan is a comprehensive effort \nto address chemical use, storage, and disposal procedures, as \nwell as the prevention and/or minimization of and response to" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 2, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "chemical spills and other accidents. \nThe districtwide plan addresses the needs of all BPS science \nclasses and is consistent with the requirements of the U.S. \nDepartment of Labor, Occupational Safety and Health \nAdministration’s (OSHA) 29 CFR 1910.1450 Occupational \nExposures to Hazardous Chemicals in Laboratories for the \nprotection of our students and employees, as well as guidance \nmaterials from the National Fire Protection Association (NFPA), \nthe National Institute for Occupational Safety and Health \n(NIOSH), and the Boston Fire Department. The Science Safety \nPlan promotes a culture of safety in science and the safe" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 3, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "operation of all science laboratories for students, faculty, and \nstaff. \nTo ensure that all students and their teachers work in an \nenvironment which is safe, it is necessary to formulate standard \nprocedures and requirements for all schools and their personnel." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 4, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 2:\nSuperintendent’s Circular FMT-18 \nPage 2 of 8 \n \nThe Science Safety Plan and this circular will be reviewed \nannually. \nYour performance of these procedures is required. \nRESPONSIBILITIES OF PRINCIPALS/HEADS OF SCHOOLS \n1. \nEnsure that all science classes and laboratories are \nassigned to and conducted in appropriately equipped \nScience Rooms. \n2. \nProvide a list of all science teachers/teachers of science to \nthe Science Department by October 1st each year using \nthe form provided in Appendix R of the BPS Science \nSafety Plan. \n3. \nAppoint a Science Safety Coordinator (SSC) and ensure \nthey: \na) Attend the mandatory Chemical Safety Training" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 5, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "a) Attend the mandatory Chemical Safety Training \nsession co-hosted by the Science Department and \nFlinn Scientific. \nb) Conduct an annual chemical inventory. \nc) Complete the required safety checks as stated in \nSections J and O of the BPS Science Safety Plan. \n4. \nInform the staff and students in writing of the safety \nstandards and procedures, including the need to wear \neye protection devices. \n5. \nEnsure that workable fire extinguishers, blankets, safety \nshowers, and eyewash equipment are readily available \nand that appropriate personnel receive training in the use \nof each. \n6. \nEnsure staff review and implement the BPS Science \nSafety Plan." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 6, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 3:\nSuperintendent’s Circular FMT-18 \nPage 3 of 8 \n \n7. \nEnsure that staff has instructed all students in safety \nstandards and procedures, including the BPS Science \nSafety Plan and the School Safety Plan. \n8. \nPost building evacuation procedures in classrooms, \nlaboratories, and chemical storage rooms. \n9. \nConduct quarterly fire drills. \n10. \nMaintain adequate lighting and proper ventilation in \nlaboratories and classrooms, and report problems to \nFacilities Management immediately. \n11. \nBe sure that teacher evaluations reflect the \nimplementation of safety standards and procedures. \n12. \nEnsure that a \"Right to Know\" workplace notice is posted" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 7, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "in the school's Science Rooms pursuant to Mass. Gen. \nLaws c. 111F. \n13. \nEnsure a copy of all safety data sheets (SDSs) is \nmaintained in the main office and chemical storage areas. \n14. \nEnsure that all instructors working with toxic or \nhazardous substances receive training as specified in \nChapter 111F of the Massachusetts General Laws through \nthe Science Department. \n15. \nNotify the Science Department of any accident or injury in \na Science Area. \n16. \nSubmit the Annual Hazardous Material Permit \nApplication to Boston Fire Department and post the \ncurrent permit in the main office." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 8, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 4:\nSuperintendent’s Circular FMT-18 \nPage 4 of 8 \n \nRESPONSIBILITIES OF TEACHERS \n1. \nReview and implement the Science Safety Plan, including \nSOPs for general laboratories, chemical use and storage, \nchemistry laboratories, biology laboratories, physics \nlaboratories, and waste management. \n2. \nAttend annual safety training(s) including science safety \nand first aid. \n3. \nPractice safety procedures and serve as the model for \ngood safety conduct for students. \n4. \nEstablish a Student Safety Contract with each student \nprior to any laboratory activities. \n5. \nRequire the use of appropriate personal protective \nequipment. \n6. \nAvoid accidents by insisting that students dress properly" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 9, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "for the laboratory. \n7. \nSupervise students at all times. Under no circumstances \nshall a teacher leave students unsupervised in a \nlaboratory or chemical storage room. If an instructor must \nleave the laboratory in an emergency, they must: \na) Arrange for a qualified teacher as a replacement, OR \nb) Relocate students to a properly supervised area, \nc) Lock the laboratory, and \nd) Shut off equipment. \n8. \nInspect fire extinguishers monthly and safety showers \nand eyewash stations weekly (SSC or science teacher in \ncharge). \n9. \nMaintain first aid kit in an easily accessible area (SSC or \nscience teacher in charge)." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 10, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 5:\nSuperintendent’s Circular FMT-18 \nPage 5 of 8 \n \n10. \nMaintain a chemical inventory using the online \nChemVentory system, update at least annually, and \nsubmit an electronic copy to the Science Department and \nFacilities Management by October 1st each year (SSC or \nscience teacher in charge). \n11. \nEnsure SDSs for all chemicals are accessible and copies \nare kept in the chemical storage room or school’s Science \nDepartment and in the administrative main office (SSC or \nscience teacher in charge). \n12. \nStore all chemicals in their compatible chemical families. \n13. \nKeep all chemical storage rooms or cabinets locked at all \ntimes when not in use. \n14." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 11, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "times when not in use. \n14. \nLabel all chemical storage rooms/cabinets and laboratory \ndoors with the appropriate NFPA Diamond (SSC or \nscience teacher in charge). \n15. \nEnsure all chemical and waste containers are labeled \nappropriately and stored safely until they can be \nremoved. Contact Facilities Management for removal. \n16. \nImplement the appropriate emergency procedure, waste \ndisposal, spill cleanup, evacuation routes, and fire \nemergency notification when needed. \n17. \nConsult with the Science and/or Facilities Management \nDepartment staff as appropriate regarding the use of \nClass 1A flammables, compressed gasses, donated \nchemicals, and the implementation of any laboratory" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 12, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "experiment that may be more hazardous than those \ncontained in the district-identified curriculum. \n18. \nReport all accidents and injuries to the principal/head of \nschool and direct supervisor." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 13, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 6:\nSuperintendent’s Circular FMT-18 \nPage 6 of 8 \n \n19. \nReport lighting, ventilation, safety equipment, and \nlaboratory disrepair to principal/head ofschool, direct \nsupervisor, and Facilities Management. \nRESPONSIBILITIES OF STUDENTS \n1. \nPractice good chemical hygiene habits. \n2. \nMaintain an awareness of health and safety hazards and \nreport unsafe practices and conditions to the teacher. \n3. \nReport all accidents and injuries to the teacher \nimmediately. \n4. \nKnow and follow emergency procedures. \n5. \nNotify the teacher of any sensitivity or allergy to \nchemicals. \n6. \nWear appropriate apparel and personal protective \nequipment, including goggles, during laboratory" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 14, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "equipment, including goggles, during laboratory \nactivities. \n7. \nConduct all activities according to teacher instructions to \nensure the Science Safety Plan is followed. \nTECHNICAL ASSISTANCE \nFacilities Management and BPS district Science Department will \nprovide all schools with technical assistance in improving and \nmaintaining safety procedures. Facilities Management and Safety \npersonnel are available to coordinate fire prevention activities \nand building and safety equipment inspections." + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 15, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 7:\nSuperintendent’s Circular FMT-18 \nPage 7 of 8 \n \nContact: \n• Chief Environmental Technician, Facilities Management \n \n617-635-8300 \n• Assistant Superintendent, Office of Teaching and Learning \n617-635-8079 \n \nFor more information about this circular, contact: \nOwner: \nSr. Environmental Supervisor \nDepartment: \nFacilities Management \nMailing Address: \n1216 Dorchester Ave., Boston, MA 02108 \nPhone: \n617-635-8300 \nEmail: \nOperations-Department-\nHeads@bostonpublicschools.org \nOR \nOwner: \nScience, Technology, and Engineering \nDepartment \nDepartment: \nOffice of Teaching and Learning \nMailing Address: \nCampbell Resource Center, 1216 Dorchester \nAve., Boston, MA 02125 \nPhone:" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 16, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Ave., Boston, MA 02125 \nPhone: \n617-635-8750 \nEmail: \nbpssciencematerials@bostonpublicschools.org" + }, + { + "folder_name": "Facilities Management", + "file_name": "FMT-18 Science Safety in Schools", + "chunk_id": 17, + "uri": "https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link", + "content": "Page 8:\nSuperintendent’s Circular FMT-18 \nPage 8 of 8 \n \nAdditional contacts in the Office of Teaching and Learning: \nChief of Teaching and \nLearning \nOPL@bostonpublicschools.org \nExecutive Director of STEM OPL@bostonpublicschools.org \nProgram Director, High \nSchool Science \nOPL@bostonpublicschools.org \n \nMary Skipper, Superintendent" + } +] \ No newline at end of file diff --git a/project-chatbot/public/custom.css b/project-chatbot/public/custom.css new file mode 100644 index 0000000..cac105a --- /dev/null +++ b/project-chatbot/public/custom.css @@ -0,0 +1,16 @@ +a[href*='https://github.com/Chainlit/chainlit'] { + visibility: collapse; + position: relative; +} + +a[href*='https://github.com/Chainlit/chainlit']::after { + content: "Chatbot can make mistakes. Check important info."; + visibility: visible; + color: Grey; + position: fixed; + bottom: 20px; + left: 50%; + transform: translateX(-50%); + white-space: nowrap; + font-size: 12px; +} \ No newline at end of file diff --git a/project-eda/EDA.ipynb b/project-eda/EDA.ipynb new file mode 100644 index 0000000..2ecfcf2 --- /dev/null +++ b/project-eda/EDA.ipynb @@ -0,0 +1,413 @@ +{ + "cells": [ + { + "cell_type": "markdown", + "id": "fcc4f492", + "metadata": {}, + "source": [ + "# Getting Started With Exploratory Data Analysis (EDA)" + ] + }, + { + "cell_type": "markdown", + "id": "186c32f6", + "metadata": {}, + "source": [ + "This notebook serves as a starter guide or template for exploratory data analysis." + ] + }, + { + "cell_type": "markdown", + "id": "b719995b", + "metadata": {}, + "source": [ + "### Fetch necessary library" + ] + }, + { + "cell_type": "code", + "execution_count": 50, + "id": "8fe91016-f706-4c6b-ac78-645e7b2105a0", + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "# Libraries to fetch\n", + "\n", + "import os\n", + "import spacy\n", + "import matplotlib.pyplot as plt\n", + "import pandas as pd\n", + "from sklearn.feature_extraction.text import CountVectorizer, TfidfVectorizer\n", + "from collections import Counter\n", + "from wordcloud import WordCloud\n", + "from gensim.models.ldamodel import LdaModel\n", + "from gensim.corpora.dictionary import Dictionary\n" + ] + }, + { + "cell_type": "markdown", + "id": "dc870fb4", + "metadata": {}, + "source": [ + "The dataset we will be using today consists of publicly available PDF documents outlining the policies of Boston Public Schools.\n", + "\n", + "\n", + "Link: https://www.bostonpublicschools.org/domain/1884" + ] + }, + { + "cell_type": "markdown", + "id": "3d4c24f5", + "metadata": {}, + "source": [ + "### Basic functions" + ] + }, + { + "cell_type": "code", + "execution_count": 51, + "id": "8c833a0b", + "metadata": {}, + "outputs": [], + "source": [ + "# Load spaCy model\n", + "nlp = spacy.load(\"en_core_web_sm\")" + ] + }, + { + "cell_type": "code", + "execution_count": 87, + "id": "18bf915b", + "metadata": {}, + "outputs": [], + "source": [ + "\n", + "\n", + "# Function to load all text files from a directory\n", + "def load_all_text_files(directory):\n", + " file_texts = []\n", + " for filename in os.listdir(directory):\n", + " if filename.endswith(\".txt\"):\n", + " filepath = os.path.join(directory, filename)\n", + " with open(filepath, 'r', encoding='utf-8') as file:\n", + " file_texts.append(file.read())\n", + " return file_texts\n", + "\n", + "# Function to load text from a file\n", + "def load_text_file(filepath):\n", + " with open(filepath, 'r', encoding='utf-8') as file:\n", + " text = file.read()\n", + " return text\n", + "\n", + "# Plot Word Cloud for frequent words\n", + "def plot_word_cloud(text):\n", + " wordcloud = WordCloud(width=800, height=400, background_color='white').generate(text)\n", + " plt.figure(figsize=(10, 6))\n", + " plt.imshow(wordcloud, interpolation='bilinear')\n", + " plt.axis('off')\n", + " plt.show()\n", + "\n", + "# LDA Topic Modeling\n", + "def apply_lda(texts, num_topics=5, num_words=5):\n", + " # Tokenize the text for LDA\n", + " tokenized_texts = [tokenize_and_lemmatize_text(text) for text in texts]\n", + " \n", + " # Create a dictionary and corpus for LDA\n", + " dictionary = Dictionary(tokenized_texts)\n", + " corpus = [dictionary.doc2bow(text) for text in tokenized_texts]\n", + "\n", + " # Train the LDA model\n", + " lda_model = LdaModel(corpus=corpus, id2word=dictionary, num_topics=num_topics, random_state=42, passes=10)\n", + "\n", + " # Print topics\n", + " topics = lda_model.print_topics(num_words=num_words)\n", + " for idx, topic in topics:\n", + " print(f\"Topic {idx+1}: {topic}\")\n", + "\n", + "# Tokenization using spaCy\n", + "def tokenize_and_lemmatize_text(text):\n", + " nlp.max_length = 3_000_000\n", + " doc = nlp(text)\n", + " tokens = [token.lemma_.lower() for token in doc if not token.is_punct and not token.is_space and not token.is_stop and token.text not in ['•', '• ', '◦', '●']]\n", + " return tokens\n", + "\n", + "# Word count and frequency analysis\n", + "def word_count_analysis(tokens):\n", + " word_freq = Counter(tokens)\n", + " word_freq_df = pd.DataFrame(word_freq.items(), columns=['Word', 'Count'])\n", + " word_freq_df.sort_values(by='Count', ascending=False, inplace=True)\n", + " return word_freq_df\n", + "\n", + "# Calculate TF-IDF\n", + "def calculate_tfidf(corpus):\n", + " vectorizer = TfidfVectorizer()\n", + " tfidf_matrix = vectorizer.fit_transform(corpus)\n", + " feature_names = vectorizer.get_feature_names_out()\n", + " tfidf_df = pd.DataFrame(tfidf_matrix.toarray(), columns=feature_names)\n", + " return tfidf_df\n", + "\n", + "# Function to plot histogram of top 10 frequent words\n", + "def plot_word_histogram(word_freq_df):\n", + " # Select top 10 frequent words\n", + " top_10 = word_freq_df.head(10)\n", + " \n", + " # Create a histogram\n", + " plt.figure(figsize=(10,6))\n", + " plt.bar(top_10['Word'], top_10['Count'], color='skyblue')\n", + " plt.xlabel('Words')\n", + " plt.ylabel('Frequency')\n", + " plt.title('Top 10 Frequent Words')\n", + " plt.xticks(rotation=45)\n", + " plt.show()\n", + "\n", + "def plot_word_count_histogram(texts):\n", + " # Calculate word counts for each document\n", + " word_counts = [len(text.split()) for text in texts] # Split text into words and count\n", + "\n", + " # Create the histogram\n", + " plt.hist(word_counts, bins=20, color='blue', edgecolor='black') # You can adjust the number of bins\n", + "\n", + " # Set labels and title\n", + " plt.xlabel('Word Count per Document')\n", + " plt.ylabel('Number of Documents')\n", + " plt.title('Histogram of Word Counts per Document')\n", + " \n", + " # Show the plot\n", + " plt.show()\n" + ] + }, + { + "cell_type": "markdown", + "id": "a4f78a04", + "metadata": {}, + "source": [ + "### Functions to save tokenized corpus" + ] + }, + { + "cell_type": "code", + "execution_count": 74, + "id": "022369c4", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Tokenized text saved to ../data/data_txt/tokenized_data/tokenized_text.txt\n", + "Loaded 232242 tokens for analysis\n" + ] + } + ], + "source": [ + "# Save tokenized text to a file\n", + "def save_tokenized_text(tokens, filepath):\n", + " with open(filepath, 'w', encoding='utf-8') as f:\n", + " f.write(' '.join(tokens)) # Saving as space-separated tokens\n", + "\n", + "\n", + "# Load tokenized text from a file\n", + "def load_tokenized_text(filepath):\n", + " with open(filepath, 'r', encoding='utf-8') as f:\n", + " text = f.read()\n", + " return text.split() # Returning as a list of tokens\n", + "\n", + "\n", + "def main(directory, tokenized_output_path):\n", + " # Load all text files from the directory\n", + " texts = load_all_text_files(directory)\n", + "\n", + " # Tokenize and lemmatize the text\n", + " tokens = []\n", + " for text in texts:\n", + " tokens += tokenize_and_lemmatize_text(text)\n", + " \n", + " # Save the tokenized text to a file\n", + " save_tokenized_text(tokens, tokenized_output_path)\n", + " \n", + " print(f\"Tokenized text saved to {tokenized_output_path}\")\n", + "\n", + " # Load the tokenized text from the file (merged corpus)\n", + " merged_tokens = load_tokenized_text(tokenized_output_path)\n", + " \n", + " # Proceed with further analysis on merged_tokens as needed\n", + " print(f\"Loaded {len(merged_tokens)} tokens for analysis\")\n", + "\n", + "\n", + "directory_path = \"../data/data_txt/\"\n", + "tokenized_output_path = \"../data/data_txt/tokenized_data/tokenized_text.txt\"\n", + "\n", + "main(directory_path, tokenized_output_path)\n" + ] + }, + { + "cell_type": "markdown", + "id": "c452566f", + "metadata": {}, + "source": [ + "### Main function" + ] + }, + { + "cell_type": "code", + "execution_count": 89, + "id": "7f7cbd2b", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Total number of words after tokenization and lemmatization: 232242\n" + ] + }, + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAA1sAAAJqCAYAAADdbVq5AAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjguMCwgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy81sbWrAAAACXBIWXMAAA9hAAAPYQGoP6dpAACDUklEQVR4nOzdd3QU5fv+8WshJISSBCkJvUoJvUiRjhSliAoqgoJI/4BKRxABAUVBqgiI0kVBFEFBmvTeQQSlSAlIU0pChyT37w9+mS9rECGyLEner3P2HDLz7O49w7ZrnmeecZmZCQAAAABwXyXxdgEAAAAAkBARtgAAAADAAwhbAAAAAOABhC0AAAAA8ADCFgAAAAB4AGELAAAAADyAsAUAAAAAHkDYAgAAAAAPIGwBAAAAgAcQtgAAwAN3+PBhuVwuTZ482dulAIDHELYAIB5yuVx3dVuxYoXHaxk7dqyef/55ZcuWTS6XS6+++uo/tj1//rxat26t9OnTK2XKlKpataq2bdt2V89TpUqVf9zO33777T5tzcPv8uXL6tev3139327atEkul0vDhw+Pta5+/fpyuVyaNGlSrHWVKlVS5syZ70e5AJCo+Xi7AADAvZs2bZrb31OnTtWSJUtiLS9QoIDHa/nwww914cIFlS5dWidOnPjHdtHR0apTp4527typbt26KV26dBozZoyqVKmirVu36tFHH/3X58qSJYsGDRoUa3mmTJn+0zbEJ5cvX9a7774r6WYAvZMSJUooRYoUWrNmjTp16uS2bt26dfLx8dHatWvVvHlzZ/n169e1efNm1atX777XDgCJDWELAOKhl19+2e3vDRs2aMmSJbGWPwgrV650erVSpUr1j+2++eYbrVu3TrNmzVLDhg0lSS+88ILy5s2rvn376ssvv/zX5woMDLynbbx06ZJSpkx51+0TGh8fH5UpU0Zr1651W75371799ddfaty4sdasWeO2buvWrbp69aoqVKjwn5//8uXLSpEixX9+HACIrxhGCAAJ1KVLl9SlSxdlzZpVfn5+ypcvnz766COZmVs7l8ulDh06aPr06cqXL5+SJ0+ukiVLatWqVXf1PNmzZ5fL5frXdt98842Cg4P13HPPOcvSp0+vF154QXPnztW1a9fubQP/5tVXX1WqVKn0+++/q3bt2kqdOrWaNGki6Wav2ogRI1SwYEElT55cwcHBatOmjc6dO+f2GGamgQMHKkuWLEqRIoWqVq2q3bt3K0eOHG7DI/v163fbbZ48ebJcLpcOHz7stnzBggWqWLGiUqZMqdSpU6tOnTravXv3bev/448/9MwzzyhVqlRKnz69unbtqqioKEk3z3NKnz69JOndd991hlH269fvH/dLhQoVdOrUKR04cMBZtnbtWgUEBKh169ZO8Lp1Xcz9YowZM0YFCxaUn5+fMmXKpPbt2+v8+fNuz1OlShUVKlRIW7duVaVKlZQiRQr16tVL0s3ho6+++qoCAwMVFBSkZs2axbq/JJ08eVLNmzdXlixZ5Ofnp4wZM6p+/fqx9icAxBeELQBIgMxMTz/9tIYPH64nn3xSw4YNU758+dStWzd17tw5VvuVK1eqY8eOevnll9W/f3+dOXNGTz75pH755Zf7VtP27dtVokQJJUni/tVTunRpXb58Wfv27fvXx4iKitJff/3ldrt48aKzPjIyUrVq1VKGDBn00UcfqUGDBpKkNm3aqFu3bipfvrxGjhyp5s2ba/r06apVq5Zu3Ljh3L9Pnz565513VLRoUQ0ZMkS5cuVSzZo1denSpThv97Rp01SnTh2lSpVKH374od555x3t2bNHFSpUiBUioqKiVKtWLaVNm1YfffSRKleurKFDh2r8+PGSbobTsWPHSpKeffZZTZs2TdOmTXMLsH8XE5pu7cFau3atypYtqzJlyihZsmRat26d27rUqVOraNGikm4Gy/bt2ytTpkwaOnSoGjRooE8//VQ1a9Z023eSdObMGT311FMqVqyYRowYoapVq8rMVL9+fU2bNk0vv/yyBg4cqGPHjqlZs2axam3QoIG+++47NW/eXGPGjNEbb7yhCxcuKCws7B72OAA8RAwAEO+1b9/ebv1InzNnjkmygQMHurVr2LChuVwuO3DggLNMkkmyLVu2OMuOHDliyZMnt2efffae6kiZMqU1a9bsH9e99tprsZbPnz/fJNnChQvv+NiVK1d2ar31FvN8zZo1M0n21ltvud1v9erVJsmmT5/utnzhwoVuy0+fPm2+vr5Wp04di46Odtr16tXL7XnMzPr27Wu3+wqdNGmSSbJDhw6ZmdmFCxcsKCjIWrVq5dbu5MmTFhgY6LY8pv7+/fu7tS1evLiVLFnS+fvPP/80Sda3b9877q8YERERljRpUmvRooWzLF++fPbuu++amVnp0qWtW7duzrr06dNbjRo13PZJzZo1LSoqymkzevRok2QTJ050lsX8/4wbN87t+WNei4MHD3aWRUZGWsWKFU2STZo0yczMzp07Z5JsyJAhd7VdABAf0LMFAAnQjz/+qKRJk+qNN95wW96lSxeZmRYsWOC2vFy5cipZsqTzd7Zs2VS/fn0tWrTIGcL2X125ckV+fn6xlidPntxZ/29y5MihJUuWuN26d+/u1qZdu3Zuf8+aNUuBgYGqUaOGW49YyZIllSpVKi1fvlyS9NNPP+n69et6/fXX3YYIduzY8V431bFkyRKdP39eL730kttzJ02aVGXKlHGe+1Zt27Z1+7tixYo6ePBgnGtInTq1ihQp4vRs/fXXX9q7d68ef/xxSVL58uWdoYP79u3Tn3/+6fSGxeyTjh07uvVItmrVSgEBAZo/f77bc/n5+blNtiHdfC36+Pi4/b8kTZpUr7/+uls7f39/+fr6asWKFbGGdwJAfMUEGQCQAB05ckSZMmVS6tSp3ZbHzE545MgRt+W3mwkwb968unz5sv7880+FhIT855r8/f1ve17W1atXnfX/JmXKlKpevfo/rvfx8VGWLFnclu3fv1/h4eHKkCHDbe9z+vRpSf+3T/6+L9KnT680adL8a223s3//fklStWrVbrs+ICDA7e/kyZM752TFSJMmzX8OHxUqVNDHH3+sv/76S+vWrVPSpElVtmxZSdLjjz+uMWPG6Nq1a7HO14rZJ/ny5XN7PF9fX+XKlSvW6yhz5szy9fV1W3bkyBFlzJgx1uQpf39MPz8/ffjhh+rSpYuCg4NVtmxZ1a1bV02bNr0vrz8A8AbCFgDggciYMeNtp4aPWXY/pm/38/OLdU5YdHS0MmTIoOnTp9/2Pn8PN3fjnyYE+XsvYHR0tKSb523dLjD4+Lh/DSdNmvSea7kbMWFr7dq1WrdunQoXLuyEn8cff1zXrl3T5s2btWbNGvn4+DhB7F7dTWC+k44dO6pevXqaM2eOFi1apHfeeUeDBg3SsmXLVLx48f/02ADgDYQtAEiAsmfPrp9++kkXLlxw692Kufhv9uzZ3drH9MDcat++fUqRIkWcwsjtFCtWTKtXr1Z0dLRbINq4caNSpEihvHnz3pfn+bvcuXPrp59+Uvny5e8YBmL2yf79+5UrVy5n+Z9//hmrZymmp+v8+fMKCgpylv+9pyd37tySpAwZMtyxR+5e3M3Mj3936yQZ69evV/ny5Z11mTJlUvbs2bV27VqtXbtWxYsXd6Zrj9kne/fuddsn169f16FDh+5qm7Jnz66lS5fq4sWLbr1be/fuvW373Llzq0uXLurSpYv279+vYsWKaejQofriiy/uebsBwNs4ZwsAEqDatWsrKipKo0ePdls+fPhwuVwuPfXUU27L169fr23btjl/Hz16VHPnzlXNmjXvW29Lw4YNderUKc2ePdtZ9tdff2nWrFmqV6/ebc/nuh9eeOEFRUVFacCAAbHWRUZGOlOQV69eXcmSJdPHH3/sNj3+iBEjYt0vJkTdOj3+pUuXNGXKFLd2tWrVUkBAgN5///1YM/dJN4PcvYoJQrebOv2fZMqUSTlz5tTSpUu1ZcsW53ytGI8//rjmzJmjvXv3uk35Xr16dfn6+mrUqFFu+2TChAkKDw9XnTp1/vW5a9eurcjISGcWRelmD+DHH3/s1u7y5cvOkNIYuXPnVurUqf/zZQEAwFvo2QKABKhevXqqWrWq3n77bR0+fFhFixbV4sWLNXfuXHXs2NEJCzEKFSqkWrVq6Y033pCfn5/GjBkj6ea1nP7NDz/8oJ07d0qSbty4oZ9//lkDBw6UJD399NMqUqSIpJthq2zZsmrevLn27NmjdOnSacyYMYqKirqr54mrypUrq02bNho0aJB27NihmjVrKlmyZNq/f79mzZqlkSNHqmHDhs41rQYNGqS6deuqdu3a2r59uxYsWKB06dK5PWbNmjWVLVs2tWjRQt26dVPSpEk1ceJEpU+f3m2a8oCAAI0dO1avvPKKSpQooUaNGjlt5s+fr/Lly8cKxP/G399foaGhmjlzpvLmzatHHnlEhQoVUqFChe54vwoVKmjatGmS5NazJd0MW1999ZXTLkb69OnVs2dPvfvuu3ryySf19NNPa+/evRozZowee+yxu7rAdL169VS+fHm99dZbOnz4sEJDQzV79myFh4e7tdu3b5+eeOIJvfDCCwoNDZWPj4++++47nTp1So0aNbqrfQMADx0vz4YIALgP/j71u9nNacc7depkmTJlsmTJktmjjz5qQ4YMcZvW3Ozm1O/t27e3L774wh599FHz8/Oz4sWL2/Lly+/quWOmLL/dLWZa7xhnz561Fi1aWNq0aS1FihRWuXJl27x58109T+XKla1gwYJ3rCNlypT/uH78+PFWsmRJ8/f3t9SpU1vhwoWte/fudvz4cadNVFSUvfvuu5YxY0bz9/e3KlWq2C+//GLZs2ePNaX91q1brUyZMubr62vZsmWzYcOGxZr6Pcby5cutVq1aFhgYaMmTJ7fcuXPbq6++6jbd/j/Vf7tp5tetW2clS5Y0X1/fu54G/tNPPzVJljlz5ljrtm3b5vyfnTp1Ktb60aNHW/78+S1ZsmQWHBxs7dq1s3Pnzrm1udP/z5kzZ+yVV16xgIAACwwMtFdeecW2b9/u9hr566+/rH379pY/f35LmTKlBQYGWpkyZezrr7/+120DgIeVy+yWcQEAgETH5XKpffv299zDkpjkyJFDVapU0eTJk71dCgAgHuGcLQAAAADwAMIWAAAAAHgAYQsAAAAAPIBztgAAAADAA+jZAgAAAAAPIGwBAAAAgAdwUeO7EB0drePHjyt16tRyuVzeLgcAAACAl5iZLly4oEyZMilJkjv3XRG27sLx48eVNWtWb5cBAAAA4CFx9OhRZcmS5Y5tCFt3IXXq1JJu7tCAgAAvVwMAAADAWyIiIpQ1a1YnI9wJYesuxAwdDAgIIGwBAAAAuKvTi5ggAwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAAD/DxdgGImw+2/+XtEjzureLpvF0CAAAAEGf0bAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAeQNgCAAAAAA8gbAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAeQNgCAAAAAA8gbAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAe4PWw9ccff+jll19W2rRp5e/vr8KFC2vLli3OejNTnz59lDFjRvn7+6t69erav3+/22OcPXtWTZo0UUBAgIKCgtSiRQtdvHjRrc3PP/+sihUrKnny5MqaNasGDx78QLYPAAAAQOLk1bB17tw5lS9fXsmSJdOCBQu0Z88eDR06VGnSpHHaDB48WKNGjdK4ceO0ceNGpUyZUrVq1dLVq1edNk2aNNHu3bu1ZMkSzZs3T6tWrVLr1q2d9REREapZs6ayZ8+urVu3asiQIerXr5/Gjx//QLcXAAAAQOLhMjPz1pO/9dZbWrt2rVavXn3b9WamTJkyqUuXLurataskKTw8XMHBwZo8ebIaNWqkX3/9VaGhodq8ebNKlSolSVq4cKFq166tY8eOKVOmTBo7dqzefvttnTx5Ur6+vs5zz5kzR7/99tu/1hkREaHAwECFh4crICDgPm39f/PB9r+8XYLHvVU8nbdLAAAAANzcSzbwas/W999/r1KlSun5559XhgwZVLx4cX322WfO+kOHDunkyZOqXr26sywwMFBlypTR+vXrJUnr169XUFCQE7QkqXr16kqSJIk2btzotKlUqZITtCSpVq1a2rt3r86dOxerrmvXrikiIsLtBgAAAAD3wqth6+DBgxo7dqweffRRLVq0SO3atdMbb7yhKVOmSJJOnjwpSQoODna7X3BwsLPu5MmTypAhg9t6Hx8fPfLII25tbvcYtz7HrQYNGqTAwEDnljVr1vuwtQAAAAASE6+GrejoaJUoUULvv/++ihcvrtatW6tVq1YaN26cN8tSz549FR4e7tyOHj3q1XoAAAAAxD9eDVsZM2ZUaGio27ICBQooLCxMkhQSEiJJOnXqlFubU6dOOetCQkJ0+vRpt/WRkZE6e/asW5vbPcatz3ErPz8/BQQEuN0AAAAA4F54NWyVL19ee/fudVu2b98+Zc+eXZKUM2dOhYSEaOnSpc76iIgIbdy4UeXKlZMklStXTufPn9fWrVudNsuWLVN0dLTKlCnjtFm1apVu3LjhtFmyZIny5cvnNvMhAAAAANwvXg1bnTp10oYNG/T+++/rwIED+vLLLzV+/Hi1b99ekuRyudSxY0cNHDhQ33//vXbt2qWmTZsqU6ZMeuaZZyTd7Al78skn1apVK23atElr165Vhw4d1KhRI2XKlEmS1LhxY/n6+qpFixbavXu3Zs6cqZEjR6pz587e2nQAAAAACZyPN5/8scce03fffaeePXuqf//+ypkzp0aMGKEmTZo4bbp3765Lly6pdevWOn/+vCpUqKCFCxcqefLkTpvp06erQ4cOeuKJJ5QkSRI1aNBAo0aNctYHBgZq8eLFat++vUqWLKl06dKpT58+btfiAgAAAID7yavX2YovuM6Wd3CdLQAAADxs4s11tgAAAAAgoSJsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHeDVs9evXTy6Xy+2WP39+Z/3Vq1fVvn17pU2bVqlSpVKDBg106tQpt8cICwtTnTp1lCJFCmXIkEHdunVTZGSkW5sVK1aoRIkS8vPzU548eTR58uQHsXkAAAAAEjGv92wVLFhQJ06ccG5r1qxx1nXq1Ek//PCDZs2apZUrV+r48eN67rnnnPVRUVGqU6eOrl+/rnXr1mnKlCmaPHmy+vTp47Q5dOiQ6tSpo6pVq2rHjh3q2LGjWrZsqUWLFj3Q7QQAAACQuPh4vQAfH4WEhMRaHh4ergkTJujLL79UtWrVJEmTJk1SgQIFtGHDBpUtW1aLFy/Wnj179NNPPyk4OFjFihXTgAED1KNHD/Xr10++vr4aN26ccubMqaFDh0qSChQooDVr1mj48OGqVavWA91WAAAAAImH13u29u/fr0yZMilXrlxq0qSJwsLCJElbt27VjRs3VL16dadt/vz5lS1bNq1fv16StH79ehUuXFjBwcFOm1q1aikiIkK7d+922tz6GDFtYh7jdq5du6aIiAi3GwAAAADcC6+GrTJlymjy5MlauHChxo4dq0OHDqlixYq6cOGCTp48KV9fXwUFBbndJzg4WCdPnpQknTx50i1oxayPWXenNhEREbpy5cpt6xo0aJACAwOdW9asWe/H5gIAAABIRLw6jPCpp55y/l2kSBGVKVNG2bNn19dffy1/f3+v1dWzZ0917tzZ+TsiIoLABQAAAOCeeH0Y4a2CgoKUN29eHThwQCEhIbp+/brOnz/v1ubUqVPOOV4hISGxZieM+fvf2gQEBPxjoPPz81NAQIDbDQAAAADuxUMVti5evKjff/9dGTNmVMmSJZUsWTItXbrUWb93716FhYWpXLlykqRy5cpp165dOn36tNNmyZIlCggIUGhoqNPm1seIaRPzGAAAAADgCV4NW127dtXKlSt1+PBhrVu3Ts8++6ySJk2ql156SYGBgWrRooU6d+6s5cuXa+vWrWrevLnKlSunsmXLSpJq1qyp0NBQvfLKK9q5c6cWLVqk3r17q3379vLz85MktW3bVgcPHlT37t3122+/acyYMfr666/VqVMnb246AAAAgATOq+dsHTt2TC+99JLOnDmj9OnTq0KFCtqwYYPSp08vSRo+fLiSJEmiBg0a6Nq1a6pVq5bGjBnj3D9p0qSaN2+e2rVrp3LlyillypRq1qyZ+vfv77TJmTOn5s+fr06dOmnkyJHKkiWLPv/8c6Z9BwAAAOBRLjMzbxfxsIuIiFBgYKDCw8MfmvO3Ptj+l7dL8Li3iqfzdgkAAACAm3vJBg/VOVsAAAAAkFAQtgAAAADAAwhbAAAAAOABhC0AAAAA8ADCFgAAAAB4AGELAAAAADyAsAUAAAAAHkDYAgAAAAAP8PF2AYAncNFnAAAAeBs9WwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAN8vF0AgAfrg+1/ebuEB+Kt4um8XQIAAEjk6NkCAAAAAA8gbAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAe8NCErQ8++EAul0sdO3Z0ll29elXt27dX2rRplSpVKjVo0ECnTp1yu19YWJjq1KmjFClSKEOGDOrWrZsiIyPd2qxYsUIlSpSQn5+f8uTJo8mTJz+ALQIAAACQmD0UYWvz5s369NNPVaRIEbflnTp10g8//KBZs2Zp5cqVOn78uJ577jlnfVRUlOrUqaPr169r3bp1mjJliiZPnqw+ffo4bQ4dOqQ6deqoatWq2rFjhzp27KiWLVtq0aJFD2z7AAAAACQ+Xg9bFy9eVJMmTfTZZ58pTZo0zvLw8HBNmDBBw4YNU7Vq1VSyZElNmjRJ69at04YNGyRJixcv1p49e/TFF1+oWLFieuqppzRgwAB98sknun79uiRp3Lhxypkzp4YOHaoCBQqoQ4cOatiwoYYPH+6V7QUAAACQOHg9bLVv31516tRR9erV3ZZv3bpVN27ccFueP39+ZcuWTevXr5ckrV+/XoULF1ZwcLDTplatWoqIiNDu3budNn9/7Fq1ajmPcTvXrl1TRESE2w0AAAAA7oWPN598xowZ2rZtmzZv3hxr3cmTJ+Xr66ugoCC35cHBwTp58qTT5tagFbM+Zt2d2kREROjKlSvy9/eP9dyDBg3Su+++G+ftAgAAAACv9WwdPXpUb775pqZPn67kyZN7q4zb6tmzp8LDw53b0aNHvV0SAAAAgHjGa2Fr69atOn36tEqUKCEfHx/5+Pho5cqVGjVqlHx8fBQcHKzr16/r/Pnzbvc7deqUQkJCJEkhISGxZieM+fvf2gQEBNy2V0uS/Pz8FBAQ4HYDAAAAgHvhtbD1xBNPaNeuXdqxY4dzK1WqlJo0aeL8O1myZFq6dKlzn7179yosLEzlypWTJJUrV067du3S6dOnnTZLlixRQECAQkNDnTa3PkZMm5jHAAAAAABP8No5W6lTp1ahQoXclqVMmVJp06Z1lrdo0UKdO3fWI488ooCAAL3++usqV66cypYtK0mqWbOmQkND9corr2jw4ME6efKkevfurfbt28vPz0+S1LZtW40ePVrdu3fXa6+9pmXLlunrr7/W/PnzH+wGAwAAAEhUvDpBxr8ZPny4kiRJogYNGujatWuqVauWxowZ46xPmjSp5s2bp3bt2qlcuXJKmTKlmjVrpv79+zttcubMqfnz56tTp04aOXKksmTJos8//1y1atXyxiYBAAAASCRcZmbeLuJhFxERocDAQIWHhz805299sP0vb5fgcW8VTxfn+7J//lli2DfSf3v9AAAA/JN7yQZev84WAAAAACREhC0AAAAA8ADCFgAAAAB4QJzC1sGDB+93HQAAAACQoMQpbOXJk0dVq1bVF198oatXr97vmgAAAAAg3otT2Nq2bZuKFCmizp07KyQkRG3atNGmTZvud20AAAAAEG/FKWwVK1ZMI0eO1PHjxzVx4kSdOHFCFSpUUKFChTRs2DD9+eef97tOAAAAAIhX/tMEGT4+Pnruuec0a9Ysffjhhzpw4IC6du2qrFmzqmnTpjpx4sT9qhMAAAAA4pX/FLa2bNmi//3vf8qYMaOGDRumrl276vfff9eSJUt0/Phx1a9f/37VCQAAAADxik9c7jRs2DBNmjRJe/fuVe3atTV16lTVrl1bSZLczG45c+bU5MmTlSNHjvtZKwAAAADEG3EKW2PHjtVrr72mV199VRkzZrxtmwwZMmjChAn/qTgAAAAAiK/iFLb279//r218fX3VrFmzuDw8AAAAAMR7cTpna9KkSZo1a1as5bNmzdKUKVP+c1EAAAAAEN/FKWwNGjRI6dKli7U8Q4YMev/99/9zUQAAAAAQ38UpbIWFhSlnzpyxlmfPnl1hYWH/uSgAAAAAiO/iFLYyZMign3/+OdbynTt3Km3atP+5KAAAAACI7+IUtl566SW98cYbWr58uaKiohQVFaVly5bpzTffVKNGje53jQAAAAAQ78RpNsIBAwbo8OHDeuKJJ+Tjc/MhoqOj1bRpU87ZAgAAAADFMWz5+vpq5syZGjBggHbu3Cl/f38VLlxY2bNnv9/1AQAAAEC8FKewFSNv3rzKmzfv/aoFAAAAABKMOIWtqKgoTZ48WUuXLtXp06cVHR3ttn7ZsmX3pTgAAAAAiK/iFLbefPNNTZ48WXXq1FGhQoXkcrnud10AAAAAEK/FKWzNmDFDX3/9tWrXrn2/6wEAAACABCFOU7/7+voqT54897sWAAAAAEgw4hS2unTpopEjR8rM7nc9AAAAAJAgxGkY4Zo1a7R8+XItWLBABQsWVLJkydzWz549+74UBwAAAADxVZzCVlBQkJ599tn7XQsAAAAAJBhxCluTJk2633UAAAAAQIISp3O2JCkyMlI//fSTPv30U124cEGSdPz4cV28ePG+FQcAAAAA8VWceraOHDmiJ598UmFhYbp27Zpq1Kih1KlT68MPP9S1a9c0bty4+10nAAAAAMQrcerZevPNN1WqVCmdO3dO/v7+zvJnn31WS5cuvW/FAQAAAEB8FaeerdWrV2vdunXy9fV1W54jRw798ccf96UwAAAAAIjP4tSzFR0draioqFjLjx07ptSpU//nogAAAAAgvotT2KpZs6ZGjBjh/O1yuXTx4kX17dtXtWvXvl+1AQAAAEC8FadhhEOHDlWtWrUUGhqqq1evqnHjxtq/f7/SpUunr7766n7XCAAAAADxTpzCVpYsWbRz507NmDFDP//8sy5evKgWLVqoSZMmbhNmAAAAAEBiFaewJUk+Pj56+eWX72ctAAAAAJBgxClsTZ069Y7rmzZtGqdiAAAAACChiFPYevPNN93+vnHjhi5fvixfX1+lSJGCsAUAAAAg0YvTbITnzp1zu128eFF79+5VhQoVmCADAAAAABTHsHU7jz76qD744INYvV4AAAAAkBjdt7Al3Zw04/jx4/fzIQEAAAAgXorTOVvff/+9299mphMnTmj06NEqX778fSkMAAAAAOKzOIWtZ555xu1vl8ul9OnTq1q1aho6dOj9qAsAAAAA4rU4ha3o6Oj7XQcAAAAAJCj39ZwtAAAAAMBNcerZ6ty58123HTZsWFyeAgAAAADitTiFre3bt2v79u26ceOG8uXLJ0nat2+fkiZNqhIlSjjtXC7X/akSAAAAAOKZOIWtevXqKXXq1JoyZYrSpEkj6eaFjps3b66KFSuqS5cu97VIAAAAAIhv4nTO1tChQzVo0CAnaElSmjRpNHDgQGYjBAAAAADFMWxFRETozz//jLX8zz//1IULF/5zUQAAAAAQ38UpbD377LNq3ry5Zs+erWPHjunYsWP69ttv1aJFCz333HP3u0YAAAAAiHfidM7WuHHj1LVrVzVu3Fg3bty4+UA+PmrRooWGDBlyXwsEAAAAgPgoTmErRYoUGjNmjIYMGaLff/9dkpQ7d26lTJnyvhYHAAAAAPHVf7qo8YkTJ3TixAk9+uijSpkypczsftUFAAAAAPFanMLWmTNn9MQTTyhv3ryqXbu2Tpw4IUlq0aIF074DAAAAgOIYtjp16qRkyZIpLCxMKVKkcJa/+OKLWrhw4X0rDgAAAADiqziFrcWLF+vDDz9UlixZ3JY/+uijOnLkyF0/ztixY1WkSBEFBAQoICBA5cqV04IFC5z1V69eVfv27ZU2bVqlSpVKDRo00KlTp9weIywsTHXq1FGKFCmUIUMGdevWTZGRkW5tVqxYoRIlSsjPz0958uTR5MmT732jAQAAAOAexClsXbp0ya1HK8bZs2fl5+d314+TJUsWffDBB9q6dau2bNmiatWqqX79+tq9e7ekmz1oP/zwg2bNmqWVK1fq+PHjblPLR0VFqU6dOrp+/brWrVunKVOmaPLkyerTp4/T5tChQ6pTp46qVq2qHTt2qGPHjmrZsqUWLVoUl00HAAAAgLsSp7BVsWJFTZ061fnb5XIpOjpagwcPVtWqVe/6cerVq6fatWvr0UcfVd68efXee+8pVapU2rBhg8LDwzVhwgQNGzZM1apVU8mSJTVp0iStW7dOGzZskHSzh23Pnj364osvVKxYMT311FMaMGCAPvnkE12/fl3SzWnqc+bMqaFDh6pAgQLq0KGDGjZsqOHDh8dl0wEAAADgrsQpbA0ePFjjx4/XU089pevXr6t79+4qVKiQVq1apQ8//DBOhURFRWnGjBm6dOmSypUrp61bt+rGjRuqXr260yZ//vzKli2b1q9fL0lav369ChcurODgYKdNrVq1FBER4fSOrV+/3u0xYtrEPMbtXLt2TREREW43AAAAALgXcQpbhQoV0r59+1ShQgXVr19fly5d0nPPPaft27crd+7c9/RYu3btUqpUqeTn56e2bdvqu+++U2hoqE6ePClfX18FBQW5tQ8ODtbJkyclSSdPnnQLWjHrY9bdqU1ERISuXLly25oGDRqkwMBA55Y1a9Z72iYAAAAAuOeLGt+4cUNPPvmkxo0bp7fffvs/F5AvXz7t2LFD4eHh+uabb9SsWTOtXLnyPz/uf9GzZ0917tzZ+TsiIoLABQAAAOCe3HPYSpYsmX7++ef7VoCvr6/y5MkjSSpZsqQ2b96skSNH6sUXX9T169d1/vx5t96tU6dOKSQkRJIUEhKiTZs2uT1ezGyFt7b5+wyGp06dUkBAgPz9/W9bk5+f3z1N9AEAAAAAfxenYYQvv/yyJkyYcL9rkSRFR0fr2rVrKlmypJIlS6alS5c66/bu3auwsDCVK1dOklSuXDnt2rVLp0+fdtosWbJEAQEBCg0Nddrc+hgxbWIeAwAAAAA84Z57tiQpMjJSEydO1E8//aSSJUsqZcqUbuuHDRt2V4/Ts2dPPfXUU8qWLZsuXLigL7/8UitWrNCiRYsUGBioFi1aqHPnznrkkUcUEBCg119/XeXKlVPZsmUlSTVr1lRoaKheeeUVDR48WCdPnlTv3r3Vvn17p2eqbdu2Gj16tLp3767XXntNy5Yt09dff6358+fHZdMBAAAA4K7cU9g6ePCgcuTIoV9++UUlSpSQJO3bt8+tjcvluuvHO336tJo2baoTJ04oMDBQRYoU0aJFi1SjRg1J0vDhw5UkSRI1aNBA165dU61atTRmzBjn/kmTJtW8efPUrl07lStXTilTplSzZs3Uv39/p03OnDk1f/58derUSSNHjlSWLFn0+eefq1atWvey6QAAAABwT1xmZnfbOGnSpDpx4oQyZMggSXrxxRc1atSoWLP9JTQREREKDAxUeHi4AgICvF2OJOmD7X95uwSPe6t4ujjfl/3zzxLDvpH+2+sHAADgn9xLNrinc7b+nssWLFigS5cu3XuFAAAAAJDAxWmCjBj30CkGAAAAAInKPYUtl8sV65ysezlHCwAAAAASi3uaIMPM9Oqrrzoz/V29elVt27aNNRvh7Nmz71+FAAAAABAP3VPYatasmdvfL7/88n0tBgAAAAASinsKW5MmTfJUHQAAAACQoMTposYAkFAxNT4AALhf/tNshAAAAACA2yNsAQAAAIAHELYAAAAAwAM4ZwsAcNc4pw0AgLtHzxYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAV4NW4MGDdJjjz2m1KlTK0OGDHrmmWe0d+9etzZXr15V+/btlTZtWqVKlUoNGjTQqVOn3NqEhYWpTp06SpEihTJkyKBu3bopMjLSrc2KFStUokQJ+fn5KU+ePJo8ebKnNw8AAABAIubVsLVy5Uq1b99eGzZs0JIlS3Tjxg3VrFlTly5dctp06tRJP/zwg2bNmqWVK1fq+PHjeu6555z1UVFRqlOnjq5fv65169ZpypQpmjx5svr06eO0OXTokOrUqaOqVatqx44d6tixo1q2bKlFixY90O0FAAAAkHj4ePPJFy5c6Pb35MmTlSFDBm3dulWVKlVSeHi4JkyYoC+//FLVqlWTJE2aNEkFChTQhg0bVLZsWS1evFh79uzRTz/9pODgYBUrVkwDBgxQjx491K9fP/n6+mrcuHHKmTOnhg4dKkkqUKCA1qxZo+HDh6tWrVoPfLsBAAAAJHwP1Tlb4eHhkqRHHnlEkrR161bduHFD1atXd9rkz59f2bJl0/r16yVJ69evV+HChRUcHOy0qVWrliIiIrR7926nza2PEdMm5jH+7tq1a4qIiHC7AQAAAMC9eGjCVnR0tDp27Kjy5curUKFCkqSTJ0/K19dXQUFBbm2Dg4N18uRJp82tQStmfcy6O7WJiIjQlStXYtUyaNAgBQYGOresWbPel20EAAAAkHg8NGGrffv2+uWXXzRjxgxvl6KePXsqPDzcuR09etTbJQEAAACIZ7x6zlaMDh06aN68eVq1apWyZMniLA8JCdH169d1/vx5t96tU6dOKSQkxGmzadMmt8eLma3w1jZ/n8Hw1KlTCggIkL+/f6x6/Pz85Ofnd1+2DQAAAEDi5NWeLTNThw4d9N1332nZsmXKmTOn2/qSJUsqWbJkWrp0qbNs7969CgsLU7ly5SRJ5cqV065du3T69GmnzZIlSxQQEKDQ0FCnza2PEdMm5jEAAAAA4H7zas9W+/bt9eWXX2ru3LlKnTq1c45VYGCg/P39FRgYqBYtWqhz58565JFHFBAQoNdff13lypVT2bJlJUk1a9ZUaGioXnnlFQ0ePFgnT55U79691b59e6d3qm3btho9erS6d++u1157TcuWLdPXX3+t+fPne23bAQAAACRsXu3ZGjt2rMLDw1WlShVlzJjRuc2cOdNpM3z4cNWtW1cNGjRQpUqVFBISotmzZzvrkyZNqnnz5ilp0qQqV66cXn75ZTVt2lT9+/d32uTMmVPz58/XkiVLVLRoUQ0dOlSff/45074DAAAA8Biv9myZ2b+2SZ48uT755BN98skn/9gme/bs+vHHH+/4OFWqVNH27dvvuUYAAAAAiIuHZjZCAAAAAEhICFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAeQNgCAAAAAA8gbAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAeQNgCAAAAAA8gbAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAeQNgCAAAAAA8gbAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAAAHgAYQsAAAAAPICwBQAAAAAeQNgCAAAAAA8gbAEAAACAB/h4uwAAABKKD7b/5e0SHoi3iqfzdgkAEC/QswUAAAAAHkDYAgAAAAAPIGwBAAAAgAcQtgAAAADAAwhbAAAAAOABhC0AAAAA8ADCFgAAAAB4AGELAAAAADyAsAUAAAAAHkDYAgAAAAAPIGwBAAAAgAcQtgAAAADAAwhbAAAAAOABhC0AAAAA8ADCFgAAAAB4AGELAAAAADyAsAUAAAAAHkDYAgAAAAAPIGwBAAAAgAf4eLsAAACQOHyw/S9vl+BxbxVPF+f7sn/ujP2D+IieLQAAAADwAMIWAAAAAHgAwwgBAACAeI5hlg8nerYAAAAAwAO8GrZWrVqlevXqKVOmTHK5XJozZ47bejNTnz59lDFjRvn7+6t69erav3+/W5uzZ8+qSZMmCggIUFBQkFq0aKGLFy+6tfn5559VsWJFJU+eXFmzZtXgwYM9vWkAAAAAEjmvhq1Lly6paNGi+uSTT267fvDgwRo1apTGjRunjRs3KmXKlKpVq5auXr3qtGnSpIl2796tJUuWaN68eVq1apVat27trI+IiFDNmjWVPXt2bd26VUOGDFG/fv00fvx4j28fAAAAgMTLq+dsPfXUU3rqqaduu87MNGLECPXu3Vv169eXJE2dOlXBwcGaM2eOGjVqpF9//VULFy7U5s2bVapUKUnSxx9/rNq1a+ujjz5SpkyZNH36dF2/fl0TJ06Ur6+vChYsqB07dmjYsGFuoQwAAAAA7qeH9pytQ4cO6eTJk6pevbqzLDAwUGXKlNH69eslSevXr1dQUJATtCSpevXqSpIkiTZu3Oi0qVSpknx9fZ02tWrV0t69e3Xu3LnbPve1a9cUERHhdgMAAACAe/HQhq2TJ09KkoKDg92WBwcHO+tOnjypDBkyuK338fHRI4884tbmdo9x63P83aBBgxQYGOjcsmbN+t83CAAAAECi8tCGLW/q2bOnwsPDndvRo0e9XRIAAACAeOahDVshISGSpFOnTrktP3XqlLMuJCREp0+fdlsfGRmps2fPurW53WPc+hx/5+fnp4CAALcbAAAAANyLhzZs5cyZUyEhIVq6dKmzLCIiQhs3blS5cuUkSeXKldP58+e1detWp82yZcsUHR2tMmXKOG1WrVqlGzduOG2WLFmifPnyKU2aNA9oawAAAAAkNl4NWxcvXtSOHTu0Y8cOSTcnxdixY4fCwsLkcrnUsWNHDRw4UN9//7127dqlpk2bKlOmTHrmmWckSQUKFNCTTz6pVq1aadOmTVq7dq06dOigRo0aKVOmTJKkxo0by9fXVy1atNDu3bs1c+ZMjRw5Up07d/bSVgMAAABIDLw69fuWLVtUtWpV5++YANSsWTNNnjxZ3bt316VLl9S6dWudP39eFSpU0MKFC5U8eXLnPtOnT1eHDh30xBNPKEmSJGrQoIFGjRrlrA8MDNTixYvVvn17lSxZUunSpVOfPn2Y9h0AAACAR3k1bFWpUkVm9o/rXS6X+vfvr/79+/9jm0ceeURffvnlHZ+nSJEiWr16dZzrBAAAAIB79dCeswUAAAAA8RlhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8gLAFAAAAAB5A2AIAAAAADyBsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQtAAAAAPAAwhYAAAAAeABhCwAAAAA8IFGFrU8++UQ5cuRQ8uTJVaZMGW3atMnbJQEAAABIoBJN2Jo5c6Y6d+6svn37atu2bSpatKhq1aql06dPe7s0AAAAAAlQoglbw4YNU6tWrdS8eXOFhoZq3LhxSpEihSZOnOjt0gAAAAAkQD7eLuBBuH79urZu3aqePXs6y5IkSaLq1atr/fr1sdpfu3ZN165dc/4ODw+XJEVERHi+2Lt09eIFb5fgcRERvnG+L/vnnyWGfSOxf/4N++fO2D93xv75Z3x33Rn7587YP3f2X/bP/RSTCczsX9u67G5axXPHjx9X5syZtW7dOpUrV85Z3r17d61cuVIbN250a9+vXz+9++67D7pMAAAAAPHE0aNHlSVLlju2SRQ9W/eqZ8+e6ty5s/N3dHS0zp49q7Rp08rlcnmxMu+IiIhQ1qxZdfToUQUEBHi7nIcO++fO2D93xv65M/bPnbF/7oz9c2fsnztj//yzxL5vzEwXLlxQpkyZ/rVtoghb6dKlU9KkSXXq1Cm35adOnVJISEis9n5+fvLz83NbFhQU5MkS44WAgIBE+Ya6W+yfO2P/3Bn7587YP3fG/rkz9s+dsX/ujP3zzxLzvgkMDLyrdoliggxfX1+VLFlSS5cudZZFR0dr6dKlbsMKAQAAAOB+SRQ9W5LUuXNnNWvWTKVKlVLp0qU1YsQIXbp0Sc2bN/d2aQAAAAASoEQTtl588UX9+eef6tOnj06ePKlixYpp4cKFCg4O9nZpDz0/Pz/17ds31tBK3MT+uTP2z52xf+6M/XNn7J87Y//cGfvnztg//4x9c/cSxWyEAAAAAPCgJYpztgAAAADgQSNsAQAAAIAHELYAAAAAwAMIWwAAAADgAYQt3DcXLlyQdPOq2gAAAEBiR9jCfTF9+nRlzJhRYWFhcrlcBK5/EB0d7fw7MjJSknTjxg1vlYN4Kub9FRYW5uVKEr6oqChvlwAAiMcIW7gvypQpo+LFi6tKlSo6evQogesfJEmSRIcPH9b58+fl4+OjOXPm6O2339b169e9XRriEZfLpTlz5uj555/X7t27vV1OgnX9+nUlTZpUkvTjjz/q4sWLXq4IAOKvxPq7kLCF+yJPnjyaNm2asmfPrgoVKhC4/sG1a9fUrFkzFS9eXJMnT9Zzzz2nEiVKyNfX19ulec2trxFeL3cWs3+OHj2qkSNHqmXLlipYsKCXq0qYFixYoNKlS0uSOnfurK5duz7UYevWXvMYvJ/uDfvLc9i3iWsfxGzr+fPndeLECV29elXSzQOFt/usSui4qDHuq0OHDum1117TwYMHtWbNGmXNmlVmJpfL5e3SHhqnT5/WY489plOnTmn48OFq166doqKinCPoic2lS5fk4+PjXIWe18udrV69WnPnztWBAwc0fvx4ZciQwdslJUg7d+5Uw4YNFRkZqXPnzmnTpk3Kmzevt8u6rejoaCVJcvPY6fTp05U8eXI1aNDAy1XFLzGfOytWrNDq1au1e/duNWvWTKGhocqePbu3y4tXYvbllStXZGZKkSKFt0vymrVr1yoiIkKVKlVSypQpvV3OAxHz/z937lwNHTpUBw8eVIkSJVSwYEG9//77ifL7nZ4t3Fc5c+bUpEmT6OG6g5gvoaCgIH366ac6f/68kiZNmijPDRk2bJgaNmyomjVrqlGjRrpw4UKi/CC+F1u3btWwYcO0YsUKHTt2zNvlJFhFixZV5cqVdeTIEWXLls0JWg/bUVkzc4JW9+7d1bt3bx0+fFinTp1ya4M7c7lcmj17tp555hkdOHBA/v7+atmypd555x23fYk7i/mh/cMPP6hu3bp64oknNGDAgEQ5VL5Hjx6qX7++Xn75ZRUtWlRff/31Q907fr+4XC4tXLhQL730kp555hktXrxYuXLl0tChQ/X99997uzzvMCCOoqOjzczst99+s3Xr1tnatWvtypUrZmZ27Ngxq1ChgmXLls3CwsLc2sPsjz/+sMOHD1uRIkWscOHCdu7cOTMzi4qKMjNz9mNC1rNnT8uQIYN98skn9sMPP1jq1KmtcuXKFh4e7u3SHnqTJk2yNGnSWPv27e3QoUPeLifB+Ptn1OLFi23WrFkWGhpqjz32mF2+fNnMzG7cuOGN8u7oo48+snTp0tnGjRu9XUq8EvN/fuDAAcubN6999tlnZmYWGRlpvr6+1rt3b2+WFy+tXLnSAgICrEOHDvbmm29aihQprHHjxnby5Elvl/ZAREdH286dO61UqVK2atUq++OPP6xRo0aWL18++/zzz+3ChQveLtFjoqOj7cqVK/byyy9b3759zczszJkzljlzZnv99de9W5wXEbYQJzFfUN98842FhIRYgQIFzOVy2VNPPWUzZswws5uBq2LFipYrV65E/YMwZl/9/PPP9uOPP9rWrVuddXv27LEiRYpY0aJF7ezZs2ZmNmLECHvrrbec4JUQ7d2714oUKWI//fSTmZnNnz/fAgICbOzYsW7tEntAj9n+K1euWEREhNu6ESNGWObMma1Xr1525MgRb5SXoNz6fjt//rxb6N++fbvlzZvXHnvsMbt+/bqzfOrUqXbx4sUHWuftXLx40erXr28jRowws5vB4ZtvvrGnnnrKmjZtakePHjUz3k8xvvvuO1u/fr3bsj179ljJkiUtOjrafvvtN8uSJYu1bNnSWf/zzz8nioNg/9WhQ4fsyy+/tMGDBzvLNm3aZAEBAfbiiy/aqVOnvFjdg3H16lU7ePCgde3a1W1506ZNLW/evDZhwoQEHbjMzJ588kmbOXOmHT161DJnzmytW7d21s2dO9f57k8sCFuIs40bN1pgYKB9+umnduzYMduyZYs9/fTTVrVqVZs1a5aZ3fzgLVasmBUqVOihPBr8oMyePdv8/f0tb9685nK5rGfPnvbHH3+Y2c0v+eLFi1u6dOnshRdeMB8fH9u5c6eXK/asdevWWbZs2czM7IcffrBUqVLZuHHjzMwsIiLCJk6c6M3yHgoxP4znzZtn9erVs7x589obb7zh9iU1bNgwy5w5s73zzjuJ+oDG/dS3b1+rVKmS5cmTxz777DOn13nHjh2WP39+K1asmC1btsyqV69uFSpUeGgOijRs2NDKli1rX375pdWoUcOqVatmLVq0sBw5cljdunW9Xd5DITo62o4dO2ZBQUHWoEED27Jli7NuxYoVlidPHtu7d6/lypXLWrVq5fzfrl+/3po3b2779+/3VunxwsmTJy1JkiTm5+dn/fv3d1u3adMmS506tTVp0sROnDjhpQo9791337WKFStaSEiIVa1a1ekNj9GsWTMrUKCAjRo1Kta6+CrmuyrmwNO1a9fsueees1dffdVy585tLVu2dNqcOXPGXn75Zfvkk08sMjLSazU/aIQtxNnHH39spUuXdnvD7Nmzx5566imrX7++s+zw4cN2+PBhL1ToXTEfLn/88Yc9/vjj9tlnn9mpU6ds2rRplipVKuvQoYNzxPncuXPWqVMn69Chg+3evdubZT8Qf/31l1WtWtXefvttS5UqlX366afOum3bttmTTz5pmzZt8mKFD150dHSsnoe5c+daqlSprEePHjZ9+nQrUaKEVa1a1b788kunzciRIy158uQ2YMCARH1AI65uDUsff/yxBQcH25AhQ6xdu3aWLFky6969ux0/ftzMbvbIlilTxvLnz29VqlRxerkeZI/RrfXe+rwLFiywJ5980gIDA61fv362YcMGMzP75JNP7Omnn7Zr1649sBofdmvWrLG8efPaiy++6Dbsslq1auZyuezVV191a9+jRw8rX758ouiV+a9mz55tadKksRdeeMEuXbpkZv/3Ot28ebO5XC577bXXHpqDFPfT5MmTLTAw0AYPHmw1a9a0kJAQ69u3r3PAJsbTTz9tjRo1ShA9zTHb8OOPP9pzzz1n27dvNzOztWvXWqpUqaxo0aJu7Xv16mW5cuWyAwcOPOBKvYuwhXsW8+YaM2aMFSpUyM6fP29m5oSu1atXm8vlct50idmiRYusd+/e1qxZM7dhYF9//bWlTp3aOnTo4BZEbx2ilNAMHjzY+QH4119/2XPPPWe+vr7WuXNnp82VK1esdu3aVr9+/QT5ZXwnMa+PmPfR3r17rVChQvbJJ5+Y2c2jhcHBwZY1a1Z7/PHH7euvv3buO2bMGNu3b9+DLzoB2bVrl7399tv2ww8/OMumTJliAQEB1qVLF6cn2sxs9+7dzuvzQQbcW3+cjR8/3tq3b29vvfWWzZ8/31n+9yGlTzzxhLVo0eKB1fgwi4qKcv6/li9fbjlz5rRmzZo5B3aWLFlipUuXtvLly9uvv/5qS5YssW7dulnq1KkT/GiDuPinsPDNN99YsmTJrHPnzk7Ij2m7bds2++233x5YjQ/K4sWLrXPnzm6fy506dbJSpUrZgAEDnN9JMWI+PxJC4Pruu+8sZcqU1rt3b7fTJCZOnGgul8ueffZZa9KkiTVp0sSCgoJs27ZtXqzWOwhbiLMVK1aYy+Wyzz//3G357t27LTQ01Pbs2eOlyh4eI0eONJfLZRkzZrTff//dbd2sWbMsbdq01rx58wTf83fw4EErVaqUpUuXzgnhu3btssKFC1uVKlWsa9euNmLECKtSpYoVKlTICZ2JJXBNnz7dHnnkEWcymcjISDt06JANHDjQzp07Z8eOHbOcOXNahw4d7MCBA5Y5c2YrX768TZgwwcuVx3/R0dG2du1ac7lcljJlSrcfS2b/F7i6d+8e6z38IF+ft/4o69Onj6VMmdJeeuklK1q0qOXLl8+tNyY8PNx++uknq1GjhhUuXNgJGAnhh91/EbP9s2fPtr59+1q+fPksadKkVrduXdu1a5eZ3Ry2W7FiRUuVKpUVKFDAypcvbzt27PBm2Q+lmH25cuVK+/DDD50hzjGTYMycOdMJXN7oAX6Q1qxZY0WKFLF06dLZ3Llz3dbFBK733nvPOS87Rnz9fru17qNHj1q+fPls6NCht227evVqe/nll61Bgwb21ltv2a+//vqgynyoELbwr26ddXDFihW2du1aZ3hA//79zdfX1z799FM7fvy4Xbp0yXr27Gm5c+dmyMX/N2HCBHO5XPbOO+/EGk7wxRdfWLZs2RL0LE09e/a0KlWq2BNPPGH+/v4WFBTkDN3Zvn27derUyQoXLmy1a9e2Nm3aOD8ME9OQuDVr1lilSpUsf/78ztDSS5cu2bFjx8zMrHXr1takSROn9+uFF16wRx55xJ5//vlYR0zx7273o2/UqFHmcrmsS5cusd6n06ZNM5fLZaNHj35AFf6znTt32pNPPmkrV640s5s9op9//rnly5fP/ve//5nZzQNhbdq0sWeffTZRvp/uZOnSpZYsWTL79NNPbcGCBTZjxgxLkyaNPfPMM25DuLds2WInT56M9QMZ/+fbb7+1FClSWP369e3RRx+10NBQe/bZZ+3gwYNmdnMER4oUKaxNmzYJetTGjRs3bNCgQZYtWzZ7+umnY30md+nSxbJly2aTJ0/2UoX3xwcffBBrYo9du3ZZnjx5nIPr0dHRsXrtYj574mu4vB8IW7ijW2cdzJo1q2XNmtWyZ89uuXLlco4EDhw40JIlS2a5c+e2IkWKWIYMGRJlN3HMvjp48KBt27bN7ZyjESNGmMvlsoEDB8b6IP77LHMJyWeffWYpU6a09evX2+nTp23Dhg1Wr149S506tRO4bty4YdeuXXP7AZwYfxhu2rTJqlWrZnny5Il1uYSaNWu6Dbds166dff75504Yw9279Qv/2rVrbuecDho0yFwulw0dOjTW+3LBggVef11+8sknVqlSJStTpozbAZrw8HAbOnSolSxZ0o4cOWJRUVG2b9++WD92YNa1a1d74okn3JatWbPGAgMDrV69eonuXNG4OnTokD366KNuM8hOmTLFatWqZQ0bNrTTp0+bmdmXX35pGTJkSPAHX2/cuGEffvihlS5d2tq3bx/rEiajRo2K1xNCHD582KpXrx6rZ+rnn3+2FClS2MKFC51lMZ+xq1atcvstmFB7Nu8GYQv/asOGDZYqVSr77LPPbP/+/bZp0yarW7euZciQwTkSuH79evvqq6/siy++SPBD4m4n5kPk22+/tYIFC1ru3LmtTJkyVrZsWedI0OjRo83lctmgQYPcjpYm5A+gHj162HPPPee27MiRI1a9enVLmzatMzznn076Twxu3fYNGzZY1apVLU+ePG6TpzzzzDP2zDPP2KeffmrdunWz9OnTO5M24O79fTKM559/3urVq+d2/ZcPPvjgHwOX2YMNLn8/Erx06VLLli2bJU2a1ObMmeO27tdffzVfX99Yw5gS2/vp33Tu3NmqVatmZjeH68b0uEycONGSJ09uzz77rNt5JzB7//333c5lNLs5O2dISIjbBCNRUVE2ceJEK1CggNvyhHhA8YcffrBhw4bZjBkz7Oeffzazm+dcDxw40MqWLXvbwGVm8TJw9e7d23r06OGMaFq9erXzf/rHH39YxYoVrWnTprEm92rdurW98sorTM5jhC3chc8//9yqVq3q9iPj0qVLVrt2bStQoECCmb70XtzuB8zy5cstZcqUNm7cOIuIiLBvv/021tCjmMA1dOjQRPEjqFevXpY1a9ZYwwomTZpkLpfLHnnkEfvll1/MLHEPMdi7d6/z71sDV0wP17p16+zxxx+3QoUKWWhoaKLsOb6fevToYRkyZLDBgwfb6NGjLSAgwKpVq+a8BgcPHmw+Pj7Wr18/5wfGg3brj7L9+/c7r4Xff//dcufObbVr17a1a9c6bU6ePGn58+e3efPmPfBaH3YHDhxwrpH1zTffmMvlssWLF5vZ/33uzJgxw4oWLWrFixenx/gWx44ds7Zt28bq0di9e7flzZvXvvvuOzNz//zOlCmT9evX70GW+UB1797dsmbNamXLlrXy5ctbpUqVnEtyXL9+3d577z0rX768NW7c+KG4Dt9/8fHHH5u/v78zNDQ8PNyKFy9uOXPmdALXtGnTLE+ePNa4cWP75ptvbO3atfbmm29amjRpnO/3xI6whX/1wQcfWNq0aZ2/Y0LX0qVLLUeOHM5RncQkZohEZGSkEyAGDhxoHTt2NLObJ41my5bN2rdvH+u+n376aaKY3t3s5hGw4sWLW58+fdyO8i1btszatGljL7zwghUuXNjOnDnjxSq9648//nDOFYoRE7hy587t9BQfP37c/vzzz0S9r+Lq1uCyfft2K1CggK1evdrMbk6vnzp1amfWxxi9evWy8uXLP/CDImPGjHEL0927d7f8+fNb2rRprWLFivbdd9/ZwYMHLVeuXPb444/bkCFD7LvvvrO6detagQIF4uWRc0/67bff7LHHHrMePXo4BwZbtWplqVKlsoULFzr/v7169bIPP/wwwV9sNi5igurKlStt9uzZzvKKFStayZIl3a7xd+3aNatatap99tlnD7rMB2L48OGWLVs2W7dunZmZffjhh+br62uhoaHOgY7r16/bW2+9Za1bt473BxG7du1qL774opndHBa4ZMkS2759u5UoUcIKFy7sBK6ZM2da3bp1LWXKlJYvXz4rVqwYM1LfgrAFxz99KOzatcsKFChg7733nvOha3bzRO3s2bMnuqPs33zzjfn6+sYaAvfKK69Yhw4d7MSJE5YlSxZr3bq180U+c+ZMGzVqlNdqflA2b95smzdvdl4T169ft27dutnjjz9ub775ph05csQOHjxodevWtXbt2tmPP/5oISEhbkfoE6PPPvvM/P39rVevXs6ymMCVP39+LlgcR61bt3YObMSEkEWLFlmePHnMzGzOnDluF9S+cOGCffHFF879Y96/DypwHTx40LJkyWKtWrWyAwcO2OzZsy0kJMTmzJljkydPtq5du1qSJElsypQpdvjwYcudO7e5XC574YUXrHPnzk6dBK7/c/nyZWvXrp2VL1/e+vXrZ9euXbMzZ85YmzZtzOVyWenSpe2xxx6zlClTMuvg30RFRTmvqWvXrlmTJk0sS5Ys9u2335rZzSHOefLkseLFi9u0adNs6dKl1qNHD0uTJk2CvAD05cuXrVGjRs55aj/88IMzU+mTTz5p+fPnd3q4bj0QGx8D1/z5851hkdmzZ7du3bqZy+Wy5cuXm9nN34VFihSxQoUKOYErPDzcwsLC7NChQ0ws8zeELbgFKLObY7Hnzp3r/AC+evWqvfnmm1axYkV799137caNGxYeHm5vv/225cuXL0HPpHc7W7dutXr16lnWrFndvpzHjRtnderUscyZM1vLli3N7OaPtGvXrlnbtm2ta9eusfZ1QtK7d2/LnTu3PfrooxYQEGBDhgwxs5tf0v369bPSpUuby+WyPHnyWKFChczMnCP0iemk9H/64T558mTz8fFxC1ybNm2yEiVKWMmSJd2+vPHvDh48aGXKlLEcOXK4XYPs119/tdq1a9vw4cNjXVB73bp11qhRI6e3/nYXmva07du3W8mSJe3NN9+0tm3b2rBhw5x1ERERzkWs16xZY3v27LFcuXJZq1atbPPmzU67xPY6uTUU327br1y5Yp06dbLSpUtb//79nXNIfvjhBxs4cKANHDgwQV77KS5i9l94eLjTE7hw4UILCwuzX375xVq1amUFChRwLpEQERFhNWvWtNDQUMuWLZsVL148QR6AnTlzpv3xxx+2b98++/33323Xrl2WI0cO5yDqmDFjLEmSJJY2bVpbtWqVc7/4+F7s0qWL5c2b1wlMJUuWND8/P2vXrp3TJjo62glct/Zw4fYIW4nce++9Z2+88Yb99ddfZnbz4nTJkye30NBQc7lc9vrrr9vZs2ftwoUL1rlzZytQoIClTJnSypQpY+nTp0+0JxL/+uuv1qhRI8uYMaNz5Hzv3r2WP39+y5Qpk23ZssXMbp7b1qtXL8uUKVOC/jIfMGCABQcH28qVK+3SpUv2xhtvmMvlcoJDVFSURURE2Lx582zdunXOkb7OnTtbsWLFEvxMVX+3cOFCpzflVpMnT7akSZNa3759nWVbtmxJlJPO/FfR0dG2fft2q127tmXJksU5L+7o0aNWsmRJZ3bQGJcvX7annnrKnn/+ea//QNq6dauVKlXK0qRJYwMGDHBbd/bsWXv66aedIcrLly+3XLlyWePGjW39+vXeKNfrYiaLifl/27Bhg40dO9atR+Hy5cvWuXNnK1y4cKxRGvg/0dHRzuiMH374wb744gtzuVzOxCvbt2+35s2buwUus5sTHx04cCBBDnN+7733LEuWLG6nTIwePdqeeOIJ55zOWbNm2TPPPGMjRoyI1z3LO3futODgYFu0aJGZ3ZyFMEWKFFa0aFHLmTOnff311842xwSuEiVKWLZs2RiCeweErUTu008/dX4U79271ypVqmSff/65nTlzxubOnWsBAQHWvHlz+/PPP+369et25MgRGzt2rM2ePTtRDm2K+RDdvHmzjRgxwnx9fS179uxOD9fOnTstJCTESpcubYUKFbK6detacHBwgjzSF+PXX3+1OnXqOOPV58yZY0FBQdasWTNLmjSp9e7dO9YPm9WrV1v79u0tKCgoUY7r7tevX6wLgsccle/SpYtbUMW9u/WaPkuXLrVKlSpZ3rx57cCBA2Zmtm3bNgsKCrJ69erZ4MGDberUqVatWjW3CwB7e+jPzz//bDly5LASJUrE+vxo0aKFPfnkk064WLt2rQUFBVmLFi3s6tWr3ijXa2bNmmU5c+a0DRs2mNnNkRgNGza0okWL2meffeb2/xgVFWU1atSwbNmyWffu3Qlcd9CmTRtLnTq1JUmSJNb5V7cGrm+++cZLFT4Yv//+u7Vq1SrWxDOjRo2yzJkz25YtWywyMtKefvppe+edd+L9UN4dO3ZYaGioLVy40CZNmmStWrVyhoQ+99xzlj17dvv666+dXs/o6GjbsWOHlS9fPtZF3/F/CFtwjlx169bNXnnlFbextgsWLLCgoCBr3ry5MxtNYjdr1izLkCGDderUyRo2bGi5c+e2TJkyOb18+/bts0mTJlmnTp1s0qRJCf4D6PTp0zZu3Di7ePGirVq1yjJnzuzMwNi8eXNzuVzWsWNHt9ksly1bZi1atEg0MxXFfAEfO3bM+ZJ67733zOVyuQ1jM7t5TbbQ0FBLnz59ouvxu9/effdde/LJJ+2xxx4zl8tlOXLkcC6+uWHDBmvQoIHlyZPHqlatak2bNnVC2sNyXaqdO3da0aJFrWnTps5BiYiICHv88cetVatWbhcQXb9+fYI8T+bfLFq0yOrVq2ePPfaYE7hOnTpljRs3tscff9zGjRvn9sN34MCBliNHDqtfv74z0RH+T8zradu2beZyuczPz8/mzJkTa9bh7du3W6tWrSw4ODjWtPAJxVdffWUul8uyZ8/uTKhza+/pk08+aenSpbP8+fNbaGio87nh7Z7x/6pRo0aWI0cOc7lcsSYOatCggWXPnt1mzZrl9ppgevc7I2wlYrce8ZswYYK5XC4LCgpyhrvFfGAsXLjQ0qdPby+++GKCDw7/5s8//7RChQrZ+++/7yxbvXq11a1b1zJlymQ7d+40s/j/YXs39u/fb8eOHXM7kt6hQwd7+eWXnSPGPXr0sGrVqlmlSpVi7ZPEclQ5ZrvnzJljlStXto8//tiuX79uly5dsoEDB8YKXL169bLx48fH+ymDve2TTz6xlClT2ooVK+zw4cM2a9Ysq1KlimXNmtWZxvrixYtu56aYPTxBK8a2bdssNDTUMmbMaPXq1bOGDRta8eLFnWB46yQGidWKFSvsmWeeseLFi9uaNWvM7OZBoBdffNHKly/vNqSwR48eNmbMGA5k/Iu//vrL1q5dax06dLAUKVLY9OnTYwWu3bt3W9u2bZ0e44SoUaNG5nK5bNSoUbF6jTdu3GhTp061kSNHOp8b8bVHy+z/fhPOmjXLXC6XZc6c2ZYtWxZru2MOUn3xxReJ8tI/cUHYSqRivpwPHTrkHJGIeYN16dLFOYcrxvfff285cuRI9BdSDQsLswwZMtisWbOcZdHR0bZy5UrLmjWr5cmTxwlcCVmPHj0sf/78li5dOqtcubLTk1W1alVr0qSJmd0cylW/fn2bP3++cz9vTDjwMPjhhx/Mz8/PRo0a5db7cPnyZfvwww8tSZIkVqlSJXviiScsKCjI6X1B3ERFRVmbNm3stddec1u+bt06K1mypOXJk+e2PfUP62tz165dzsQyU6ZMcX7QPWzB8EG79YDhypUrrX79+la8eHFncqfTp09bkyZNrHTp0la+fHl7+eWXLWXKlIn+oOHt3DrJyN9/QLds2dJSpEhhM2bMcNaNGzfOwsLCvD7c1hMWLVrkdj76M888Y2nSpLEff/zxju+5+By0bjVz5kybOnWq1a1b1/LkyWM//PBDrJ6rGjVqWJEiRZgY4y4RthKhW4+0lylTxoYMGeJ8SEydOtVcLpf17Nkz1omuifFI+99/fMWM+e/QoUOsL6S6deuaj4+P5cuXz65evfrQ/nD7r7766iu36ai7detmPj4+Nn78eFu4cKG5XC6rV6+eM0tRQhlaEVdnz561J554wt577z235bfujwULFtirr75qHTp0SDRDKz2tffv2Vrx48Vg/BmN6E1OkSGFHjhzxUnX3btOmTW6Xk0iIP3LvRcx+2L17tzOBzKpVq+zZZ591C1xnz561cePGWePGja1x48a2a9cur9X8sIrZl4sXL7aWLVtatWrV7OOPP3abmKdly5YWEBBg/fr1s//973/mcrkS5PUit23bZilSpLD27du7bV+dOnUsffr0tmDBggR3kCPm/3/nzp22YMECZ2p/M7P69etb7ty5bxu4jh49+kDrjM8IW4lUzJH2Tz75JNZR9ClTppjL5bLevXvbn3/+6SxPrD+WFy1aZF27dnX+7tOnjxUrVswmTpzo1r3eokULmzhxYoKeCn/58uXWsmXLWNNRjxo1yjnyOWvWLGvSpIl17tw5QQytiItb3yvh4eGWK1cut8kwbhVzEOPGjRuJ9j32X/xT6Jg1a5YVK1bMJkyY4MyeZWb29ddf2wsvvGD9+vWLd69LgtZNMfth9uzZlj17dhs2bJhz/tXy5cudIYUxgSvm/5nzSv7Zd99950yI1adPHwsICLBWrVrZxo0bnTZdunSxihUrWpkyZRLkxEb9+/e3d955x9KnT2++vr7WsmVLt4NfdevWtYwZM9p3330X7z47/s2sWbPskUcesWLFilmSJEmsVKlSNnXqVDO7Gbjy5Mlj8+fP5z0UR4StRCg8PNxq1qxp/fr1c1t+6wxeMT1c/fv3T/Rf7F9++aW5XC7r3r27s6xJkyZWrFgxe+211+zzzz+3tm3bWpYsWRL0DI0nTpyw3LlzW+rUqd2mzDYzO3PmjD3zzDP2+uuvm5n7j5qEdhTwbn377bc2atQo++233yxfvnw2ZswYM3PfH7t27bJhw4Ylyl7j++HWz6bZs2fbpEmTnFnDbty4YY0bN7bHHnvMhg0bZseOHbNTp07Z008/bZ07d3buF99+NBHIb1qyZImlTJnSxo4daydOnHBbt3z5cnv22WetdOnSzsQG+Gc7d+603Llzu507GhQUZIGBgfb888+7Dak7depUgpzi+8MPP7TAwEBbtmyZbdiwwcaNG2cBAQHWpk0btx6ucuXKWZ06dbxY6f23bds2S5cunX3++ed29uxZO3nypDVr1szKlStn06dPNzOz2rVrW/r06W3hwoVerjZ+ImwlQqdPn7Zs2bLZ+PHjb7s+5sfg9OnTE+QwgTv5px8yM2bMMF9fX+vUqZOz7P3337c6depY7ty5rVy5cgl6evcYMV/Kd5qOOrG69Xy0ffv2ma+vrzNlcseOHS0wMDDW0eAePXpYnTp17Ny5cw+42vjv1vdqjx49LFWqVFakSBFzuVzWoUMHM7t5AKlly5ZWokQJ8/PzswIFCiSoWcMSo5j3WbNmzZyLx8e49UDGmjVrrGrVqla5cuVEMxlPXK1du9b69Olj0dHRFhYWZjly5LCOHTva0qVLLUmSJPbqq686E48kRJGRkfbkk0+6fb+b3TzQ6uvra61atXIbfhrfDtD8m+nTp1toaKiFh4c7n4knT560Jk2aWNmyZZ12zz77bIKeDMWTfIQEz8zkcrm0Y8cOpU2bVoGBgUqfPr3Cw8Njtd22bZuWLFmizp07q3Hjxl6o1rtcLpckKSwsTNmyZXOWv/jii4qOjtarr74ql8uloUOHqmfPnpKkP//8UylSpFDKlCm9UvODVKRIEc2ePVtNmzbViBEj1KlTJxUrVkwXLlzQr7/+qoIFC3q7RK+Jee2sXr1aZ86cUZcuXdSyZUtJUr9+/RQWFqYKFSqoT58+SpIkiQ4ePKgvvvhCq1evVlBQkBcrj59i9vfvv/+uVatWadWqVcqePbs2btyoZ599VhcvXtTnn3+uTz/9VEeOHNHGjRuVMmVK1a5dW0mTJlVUVJSSJk3q5a3AvXK5XIqOjtZvv/2mGjVqSJLzf+njc/MnzR9//KHy5ctr4MCBypYtm5InT+7Nkh96+fLlU9q0aRUdHa3OnTurSpUqeu+995QiRQqVKlVKU6dOVfLkyVWqVCn5+fl5u9z7Kjo6WtHR0bp27ZqioqIkSdevX5ePj49eeuklbd68WZ999plSpkyp119/Xbly5VLSpEkVHR2tJEmSeLn6+yNJkiS6du2aLl++rICAAEVGRio4OFgDBw5Urly5tGDBAj311FOaPXu2t0uNv7yd9uBZMUcpvvvuO8uUKZP17t3bzMzatm1r6dKls3Xr1rkd3e3Vq5dVr17d7VpbicGtvRKHDx82l8tlQ4YMidVu4sSJ5nK5Yk12kNjETEcdEhJidevWteeee86KFy/uDB9MLD0GHTt2dHudXLlyxSpVqmQulyvWUJOoqCjr1auXlStXzooUKWL16tVLFDNXetL7779vL7zwgts1sszMfvrpJ/Pz87PXXnvNzp8/H+t+Ce3IdGLUoEEDK1euXKzzQg8fPmzvv/++/fHHH94s76EV89l89uxZu3Hjhtt74dKlS1auXDm3Ic9t27a1CRMmJPgejXfffddSpEhh+/btM7P/ez0NHDjQqlWrZmnSpHE+6xPa99uBAwfMz8/P+X0Y4/Dhw1a4cGHn+nWIO8JWIjBv3jzz9/e3zz77zG32mIYNG1r69Omtb9++9sEHH1irVq0sderUieYHYMz5HrcOMTl06JD9+eefNnDgQPP19bVRo0a53ef48ePOxf769OnzQOt92Ozatcty5sxpFStWtLFjxzrLb/3Rm9BNmjQp1nDKvXv3WoMGDSxt2rTO5DO3/qA5d+6cXblyxW3SBsTNuHHjzOVyWcGCBZ3ZU2Pe1z/99JOlTJnSGjZsaOHh4d4sE/9BzA/bM2fOuE3YNHfuXCtcuLC9/vrrbu+vnj17WoECBRL0REX/1Zw5c6xYsWJWuXJla9u2rXPO6OHDhy1v3rz25ptv2ooVK6x3796WI0eOBDnMefv27bZu3Tq3UyVq1aplISEhtnPnTrt06ZJdu3bN6tevb0uWLLH333/fUqdOHeuyOAnFF198Yb6+vvbWW2/Z/v377dSpU/b2229b1qxZOXBxHxC2ErgrV67Y888/b7169TKzm0eu9u3bZx999JEtXrzYGjZsaPXq1bNChQrZs88+az///LOXK36wwsLC7OWXX7YTJ07YnDlzLCgoyH7//Xe7evWqDR482LmYYYzLly9bu3btbOrUqc6FUROz7du3W5kyZaxVq1Zu149KbH788Ue3CWd+//13q1SpkmXPnt05wMF5Qv/NP03U88UXX1iSJEnsnXfecX50x+zj+fPnW5UqVRL9JD/x3ezZs61s2bKWPXt269Kli+3evdsiIyNt8ODBVrx4cStevLi1bdvWnn766dueG4n/s3PnTkubNq3179/fOnToYGXLlrXSpUs710uaPn26pUmTxvLkyWNZs2Z1mxwjoejRo4flzZvXAgICrGDBglavXj0zu3me0jPPPGN+fn5WrFgxy5Mnj+XNm9du3Lhh3377reXPnz9BTg5idvMz86uvvrLUqVNbtmzZLG/evJYlS5YE+f/vDYStBO7y5ctWqlQpe/311+3MmTPWoUMHq1SpkoWEhFj27Nnto48+ssuXL1tERESivBL4t99+axUqVLCyZcuan5+fM/OO2c2gGhO4+vTpY8uXL7devXpZ4cKFE+SRvrjatm2blS5d2ho1apRoAuitw06vXr1q06ZNizW89ODBg1axYkXLnj27HTt2zMyYsjuubt1v69evt7lz59rq1aud4c7jx4+3JEmSuE3nfrtr5CF+uPX/bvPmzZY+fXp755137L333rPs2bPb008/bZs3b3YuKN+iRQurV6+etW/fnguC38bf92fMcLEbN27YsmXL7LHHHrPixYs7PcA///yz/fLLL7FmeUwIRowYYY888oitWLHCtm/fbjNmzLB8+fLZ448/7rSZMWOGDR8+3D7++GPnIFmHDh2scuXKCf4ivocPH7aFCxfa/PnzuY7WfUTYSgSmTJli/v7+FhAQYM8++6xNmTLFzMzeeOMNq1q1aqKcmvvWL5/+/fuby+WyEiVK2MGDB93WX79+3SZNmmSpUqWyPHnyWJYsWRLFrIP3atOmTVa5cmU7fvy4t0t5IGJeH0uWLLFOnTrZr7/+alOnTrUkSZLYgAEDnHYHDx60qlWrWurUqRmKcR90797d8uXLZ7lz57Zq1apZ8eLFnf06adIk8/Hxsf79+3NOVjw1Y8YMtwM2Bw4csCFDhri9pzZv3mwlS5a0evXqOdfRwj+L+axauXKlffLJJ9a8eXN77bXXnPWRkZG2fPlyK1WqlJUqVSrBD7lt3Lixvf32287fUVFRtmnTJnv00UedS5fc6vDhw9a2bVtLkyZNohv5g/uHsJVI7N692xYvXmxm/3eEt3379ta0aVO3C/MmFjFfQNu2bbOePXvawIEDrWbNmla/fn3nnLVbj4QfO3bMfvvtNzt16pRX6o0PEtv0yt9++635+/vbgAEDbPPmzWb2fz0st/443L9/v9WuXTtRD7O8H0aPHm3p06e3devWmdnNE9pdLpf98MMPTpuYCWwmTpzorTIRR0ePHrUKFSpYWFiYmd2cwCFz5szm7+8f60fwxo0brUSJEtagQQP78ccfvVFuvDJ37lzz8/Oz0NBQy5kzp2XPnt2t1yoqKspWrlxpefLkscqVKyfIoc4//fSTXb9+3WrWrOkMG7xVt27drFq1am6/h86cOWNTp061WrVq2Y4dOx5kuUhgCFuJ0K+//mq9evWywMBAt2tHJBYxXySzZ8+23LlzO0e5vvzyS6tWrZo9/fTTbpOEbNmyJdEFCdzZ3r17LWfOnM6sXbf69NNPLUmSJG5DChNj7/F/FfM+jY6OtuvXr1uLFi2c2cC+//57S5UqlXMds4sXLzrnUsybN4/9HU/FDGX/+eef7ezZs7Z+/XrLli2bVahQIdZ5WJs3b7acOXNakyZNEuUQ+Lt14cIFa9OmjU2ePNkuXrxoGzdutFKlSlmBAgXcJnuIioqyNWvWOKM7EpJ33nnHChYsaPv377eRI0damTJlYl2cd+zYsfbYY4/F6tkLDw9P8EMH4XmErURmy5Yt9tJLL1mBAgUS9ZGamBkax48fb0eOHHGWf/fdd1ajRg2rV6+erVixwt59911Lnz59gp2BCHGzZMkSy5s3rx0+fNhZdmtP6BdffGEul8sGDx7sjfLivdudX/X888/bp59+avPmzbNUqVI5M2BGRkbaZ599ZhMnTnQbPkjgip/Cw8OtcOHC9tJLL9mZM2ds/fr1ljVrVnv11VdjDePaunVrggwH98u2bdssS5YsVrFiRbchl7/++quVKlXK8ufP78zimVD9/PPPVrduXVu5cqWZ3RzaXa5cOatfv759++23FhUVZX/99ZfVqFHDGjVqlCB79eB9CeOKbLhroaGhateunRYtWqSiRYt6uxyvuHr1qqZMmaJOnTqpVatWSpcunfbv368hQ4YoRYoUqlWrllwulxo3bqzJkydr3rx5Sps2rbfLxkPk4sWLunLlivN3dHS0c5HdFStWqGTJkpo5c6bq1q3rrRLjrfXr1+vq1auSpD59+mj48OGSpMyZM2vEiBFq0qSJBg8erLZt20qSzpw5o2+++Ubnzp1zu0hxzAVuEb8EBARo4sSJ2r9/v7p166Z8+fLpq6++0tKlSzVs2DD98ssvTtsSJUooZ86cXqz24WNmkqRVq1bpkUceUaFChbRmzRqdOXPGaZM/f35NmzZNQUFBCg0N1blz57xVrkeNGTNGHTp00Llz55Q/f35JUs6cOfXZZ5/p4sWLevvtt5U5c2bVqFFDp06d0tSpU+VyuZx9CNwvLuNVhUTmypUrqlSpksqVK6d+/fqpb9++2rVrl/bt26ekSZPqzTff1PPPP6/Tp08rU6ZMypw5s7dLxkPm0KFDKliwoDp16qT33nvPbV2nTp2UOnVq9e3b1+3HP/7d6dOnlS1bNj333HMKCgrSl19+qbVr16pgwYKKiIhQxYoVFRERoUWLFilDhgy6fPmyWrZsqbNnz2rNmjUErARk+/bteu2111SiRAl99NFH2rNnj5o2barixYurf//+Cg0N9XaJD63ly5friSee0OzZs1W5cmU999xzCgsL07x581SgQAGn3e7du/X666/rs88+U+7cub1YsWcsW7ZMzZs31+nTp/Xtt9+qdu3azrqTJ08qLCxMa9euVaZMmdSwYUMlTZpUkZGRfI7gviNsIVGaOnWq2rZtq2TJkumJJ57QM888o6ZNm+rNN9/UL7/8osWLF/NDGXc0ceJEtW3bVh07dlTTpk2VNGlSTZ48WePHj9f69eudI6m4N/v27VPRokXl4+OjRYsW6fHHH9eNGzeULFky/f7776pRo4Z8fX118eJFZc+eXTdu3NDatWuVLFkyRUVF8b5NQG4NXEOHDtWOHTv0+uuva9GiRcqUKZO3y3soHTx4UNOmTVNgYKA6duwoSTp//rzq1q2r06dPa+7cuW6BK+a9lZAcOHBAfn5+ypo1qw4ePKgaNWooNDRUffv2ValSpf7xfnx+wFMIW0i09uzZoz/++EM1atRQdHS0kiRJog4dOigiIkKfffaZ/Pz8vF0iHmLR0dH69ttv1aZNG6VMmVLJkydX0qRJ9dVXX6l48eLeLi9eioqK0rZt21SmTBmlSJFCzz33nD7++GMFBgbKzORyuXT16lXNmzdPf/75p3LmzKkaNWpwRDoB2759u1q3bq1cuXJp/Pjx8vX1lb+/v7fLeijt3r1bHTp00OHDhzVkyBA1bNjQeV/EBK5z585p5syZKlSokLfL9Yi33npLc+fO1Z9//qnQ0FB17txZRYsWVfXq1VWyZEn16NFDJUuWlCTnMwXwNMIWIOm3337TtGnT9Mknn2jNmjUJ9osI99/x48d15MgRuVwu5cyZU8HBwd4uKV6JOdBxq8uXL2v//v2qXLmynnrqKY0bN06BgYH/+BgckU7YNm/erK5du2rGjBnKmDGjt8t5aB06dEh9+/bV3Llz1axZM40aNUrS/70/wsPDVb58eSVPnlzr1q2Tr6+vlyu+v2bMmKFOnTpp3LhxOn/+vH755RcNGzZMkyZNUoUKFVSzZk2VLl1ab7zxhsqWLevtcpGIELaQ6G3dutUZovLVV18l2olDgAft1qC1dOlSnThxQhUrVlSGDBnk7++vtWvXqk6dOqpXr55GjRqloKAgvfrqq3r88cfVpk0bjkwnIlevXlXy5Mm9XcZDLywsTO+//75WrVql1q1bO0MJbw1c586dU44cObxa5/22YsUKTZ8+XaGhoerUqZMk6cKFC5o0aZJ69OihpUuXyt/fXxUqVFDXrl317rvverliJCaELSR6V65c0ZYtW5QjRw5lzZrV2+UAiU63bt00ceJE+fn5KTIyUm+99ZZeeuklZcyYUevWrVPt2rWVK1cuuVwuXbp0Sbt27Upw55kA9yLmQMP27dv122+/6fr166pYsaJy5cqlY8eOacCAAdq5c6deeuklvfnmm5ISbg/wyZMnVaFCBZ0+fVo9evTQ22+/7aw7d+6cXn31VWXNmlWjR4/Wjh07VLhw4QS5H/DwYup3JHr+/v6qWLEiQQt4QKKiopx/r169WuvWrdPcuXO1d+9etWjRQp999pnGjx+v48eP6/HHH9f27dtVsWJF1atXT7/88oszGQaQ2ERHRztB65tvvlGNGjX03nvvacCAASpYsKAmTZqkLFmyqHfv3ipatKi++eYbffDBB5KUYANGSEiIZs+erQwZMmj27Nnavn27sy5NmjRKnz69Dhw4IEkqVqyYkiZNyucHHijCFgDggfj5558l/d+PvkmTJunrr79WyZIlVaFCBaVOnVqDBg3SCy+8oBkzZujzzz/XsWPHlDNnTg0bNkz9+vWTj4+PIiMjE+wPR+B2Ro4cqQMHDihJkiRyuVzatWuX2rVrpyFDhmjt2rXasmWLunTpojZt2mjatGnKmjWr3nrrLWXLlk3Lli1LsNfSilGkSBHNnj1bUVFRGjFihHbs2CHp5lDCX3/9VdmyZXNrz+cHHiSmbgIAeFyrVq0UFBSkIUOGOEfmf/zxR3377beqUKGCLl68qFSpUkmScz7F119/rYiICL311ltKly6d81jMOojEpE+fPvrkk0/crhN1/PhxhYSEqE6dOgoICJDL5dLAgQMVFRWl9u3bq1KlSsqZM6c+/PBD+fj4KE2aNF7cggejSJEimjRpkl5++WU99dRTKlWqlHx9fXXlyhWNHj1aEjMQwjvo2QIAeNyrr76q999/X9LNk/gladasWXrjjTe0f/9+TZkyReHh4U77d999VzVq1NCJEyeUNm1ar9QMeNvp06c1Z84cvf/++3r00Ue1Z88enT9/XteuXdNvv/3m9HRdv35dktS+fXulSZNGO3fulCRlyZJFISEh3tyEB6p48eKaOXOm/P39FR4erho1amjbtm3y9fXVjRs3CFrwCsIWAMCjoqOjVb58eSVLlkwTJkxQq1attHz5cknSiBEjVLt2bY0cOVIzZ85URESEc7/hw4friy++kMvlEnM5ITFKliyZQkJCtHfvXo0aNUp169bV8ePHVaVKFZUqVUodOnTQ2bNnnWncY65Dlph7fwsVKqTZs2fr+vXr2rZtm3O+FpPqwFsIWwAAjzEzZ3r3sLAwFS1aVGfPntX48eO1YsUKSdKECRNUoUIFDR06VDNnznTr4YoJWhyRRmKUJk0atWzZUrNnz1bnzp3VqlUrhYaGKmXKlGrevLlOnDih1q1b6+jRozp48KBGjx6tS5cuqXDhwt4u3auKFSumsWPHaufOnXrnnXf022+/ebskJGKELQCAR0RHRzsh6Y033lCBAgVUqlQpDRw4UIcOHdLYsWOdwDVx4kRVrFhRXbt21cqVK90eh6CFxCimNzdjxowKCwtTSEiIrly5ot9//11JkyZV8+bN1bRpU508eVLZs2dXvXr1NGXKFM2dO5fZdXVzSOHo0aN14sSJO14UHfA0rrMFAPCo/fv3a9CgQWrWrJkqV64sSVq4cKH69eunbNmy6X//+5+qVKkiSXr//ffVo0cPZgsD/r+//vpL27Zt0++//66RI0eqfv36at26tXLnzq3o6GhFRUVp5cqVCgwMVObMmZUpUyZvl/xQ4YLY8DbCFgDAY7766iv16dNHadKk0Y8//qjAwEDn3ImFCxfq3XffVY4cOfTqq6+qVq1azv0S6gVYgX8TM2z27NmzunbtmjJmzOisGzJkiCZMmKD69eurTZs2ypUrlxcrBXA3Eu8ZlAAAj7t+/bqCg4O1e/duRUZGKlmyZLpx44aSJUumJ598Ui6XS//73//06KOPuoUtghYSK5fLpe+++06DBw/WiRMn9Pzzz+vFF19UqVKl1K1bN7lcLn3++edKmjSpWrZsSeACHnL0bAEA7ovo6GhnMowYZqbvv/9ePXv2VNq0afXNN98oODjYCVyStHHjRpUqVYqAhUTr1klgtmzZotq1a6tt27ZKnjy5xo8frxIlSuh///ufqlevLkkaNmyYPvjgA/3vf/9T7969E/Xsg8DDjrAFAPjPbg1aP/74o86dO6cbN27omWeeUVBQkL7//nsNGTJEKVKk0NSpU2MFLomhg0h8Zs6cqaJFiyp//vySpN9//13fffedrl69qt69e0u6Gb7atm2rrFmzqn379k7g+vjjj1W7dm3lzp3ba/UD+HeELQDAfdOjRw9Nnz5dhQoV0q+//qqsWbOqV69eql27tr7++mt98sknSpEihSZOnOh2LgqQ2Bw7dkwvvfSSvvzyS2XNmlXnzp1T4cKFdfbsWbVs2VKjRo1y2m7atEnt2rVTrly59Nprr+mpp57yYuUA7gVTvwMA7otJkybpiy++0Pfff6+FCxeqb9++Wr9+vbP+hRde0JtvvqnDhw9r8ODBXqwU8L4sWbJo8eLFypo1q3bt2iVJ+uabb5Q+fXpt375dO3bscNqWLl1an376qbZu3arp06fr8uXLXqoawL2iZwsAcF/07NlT4eHhGjNmjGbOnKk2bdpo0KBBateunS5evKjIyEgFBQVp2bJlqly5MkMGAUkRERGqUKGCChUqpNGjR2vfvn164YUX9MQTT6hz585uFyjetm2b0qRJo5w5c3qxYgD3gp4tAMB/EhUVJUkKCwtT9uzZtX37drVs2VIffPCB2rVrp+joaE2aNElff/21JKlatWpKmjSpcz8gMQsICNDEiRO1f/9+devWTfny5dNXX32lpUuXatiwYfrll1+ctiVKlCBoAfEMYQsAcE+io6Pd/o7poapdu7b69eunkiVLavz48Wrbtq0k6cqVK5o3b54OHz582/sBiV2pUqU0fvx4bdu2TV27dlVoaKi++uorrVq1Sv369dOePXu8XSKAOCJsAQDu2q2zDq5bt07z58/Xvn37dOHCBTVu3FhNmzZVSEiI0qRJo8uXL2v//v1q2LCh/vrrL/Xv39/L1QMPr+LFi2vixIlO4CpYsKAmTJigvXv3KigoyNvlAYgjztkCANyzLl26aPr06bp+/boyZMignDlzauLEiYqMjFTfvn01bdo0ZcyYUWnSpFFgYKCWLl2qZMmSMb078C+2b9+u1q1bK1euXBo/frx8fX3l7+/v7bIAxBFhCwDwr2696OqCBQvUtWtXjR07Vrlz59bKlSs1ceJEnT17VgsWLFBwcLA2b96sY8eOKTg4WGXLllWSJEkUGRnJxVeBu7B582Z17dpVM2bM4BIJQDxH2AIA3LWZM2dq/fr1MjONHDnSWb569Wr16tVLxYoV09ChQ+Xr6+t2v1uHHwL4d1evXlXy5Mm9XQaA/4hDjACAfxTToxUdHa3o6Gh99NFH2rp1q6pWrerWrmLFiipfvrwWLlwYawINSQQt4B4RtICEgW8/AMA/ihk6ePr0afn4+GjVqlV69tlntWfPHk2dOlVXrlxx2pYuXVqRkZE6d+6ct8oFAOChQtgCANzRtGnT1KJFC23evFn+/v764osvVLhwYQ0fPlyff/65Tp48qbCwMI0ePVqZMmVSSEiIt0sGAOChQNgCANxRZGSkzp49q5EjR2rLli3y9/fXnDlzFBwcrK5du+rxxx9Xp06d5O/vrx9++MEZdggAQGJH2AIAOG4Xkpo3b64333xTR44c0dChQ7VlyxalSJFC3333nWrXrq3IyEjVrVtX3377rfz8/HT9+nXO0QIAQIQtAMAtYkLSkiVL9PvvvzvLGzVqpHbt2unYsWP66KOPtHPnTvn7++vLL79Unjx5NGbMGC1atEhXr16NNRMhAACJFWELAODWo7Vjxw61aNFCI0aM0OHDh53ljRs3VosWLfTjjz/qww8/1Pr16+Xv76/58+crffr06tKli3766ScvVA8AwMOJsAUAidyt18D6/vvvlSNHDnXt2lUbNmzQ8OHD3QLXq6++qly5cmn16tVavHixIiMj5e/vr2+//VZFihRRwYIFvbQVAAA8fLjOFgAkYmbmBK1evXpp4sSJ6tevn9544w1FRkZq2rRpcrlc6tixo3LkyKGTJ0/qscceU4UKFfTKK68oSZIkunHjhvz9/TV79mwvbw0AAA8Xl5mZt4sAAHjXgAEDNGrUKP3444969NFHFRQUJEkaO3aspk2bpjRp0qhatWpavHixJGnhwoXOrINMhgEAwO3xDQkAidzZs2e1atUqjRgxQo899pguXbqk5cuXq02bNkqXLp3q1q2rNGnSaPLkyUqRIoXmzZsnl8vl1isGAABiYxghACRyLpdLe/bs0a+//qpVq1ZpzJgxOnTokKKjo/X999/rnXfe0ZQpUxQeHq40adLI5XIpMjJSPj58hQAAcCcMIwQAaMKECerWrZuioqLUtm1b1ahRQ9WrV9fLL7+spEmTasqUKU5bhg4CAHB3OCwJAFCLFi1Uo0YNXbt2TY8++qikm6Hq5MmTKlu2rFtbghYAAHeHni0AgJuLFy9qx44d+vDDD3XkyBFt27aNIYMAAMQB354AAIeZacuWLRo6dKhu3LihrVu3ysfHR1FRUUqaNKm3ywMAIF6hZwsA4ObatWvas2ePihYtqiRJkjAZBgAAcUTYAgD8IybDAAAg7ghbAAAAAOABHK4EAAAAAA8gbAEAAACABxC2AAAAAMADCFsAAAAA4AGELQAAAADwAMIWAAAeUqVKFXXs2NHbZQAAvISwBQBIsMaNG6fUqVMrMjLSWXbx4kUlS5ZMVapUcWu7YsUKuVwu/f777w+4SgBAQkXYAgAkWFWrVtXFixe1ZcsWZ9nq1asVEhKijRs36urVq87y5cuXK1u2bMqdO/c9PYeZuYU5AABiELYAAAlWvnz5lDFjRq1YscJZtmLFCtWvX185c+bUhg3/r537eYlqjeM4/ja0hHEgjRTDEvxRUVBEUotizpxKIqhdW9tIiygkiIkgiHAlRtsIQkgoXBUEkf2AzkS/rk1M0EYKiugPqMR00gltceFc5NKF4J7m3uH9Wp3znO9853nO7jNnnvPHkvEwDJmbm2NgYIDm5mbq6+vZvXs3hUJhSV1NTQ3j4+Ns376dFStW8OTJE2ZmZjhy5AgNDQ20trZy8eLFv83n0qVLdHd3U19fT0tLC4cPH050/ZKkyjJsSZKqWhiGRFEUn0dRRDabJQiCeLxUKjExMUEYhpw+fZobN24wOjpKsVikq6uL/fv38+nTpyV9z5w5w9DQEJOTk2zZsoVcLsejR4+4desW9+/fJ5/PUywW4/qXL18yMDDA4OAgb9684e7du2Qymd9zEyRJFVFb6QlIkpSkMAw5efIk379/p1Qq8erVK4IgoFwuc/nyZQCeP3/O3Nwc2WyWo0ePcvXqVQ4cOADAlStXePDgASMjI+Ryubjv4OAgvb29wJ/7wEZGRrh27Rp79+4FYHR0lLa2trj+48ePpFIpDh48SDqdpr29nW3btv2u2yBJqgCfbEmSqlo2m2VmZoZCocDjx49Zv349q1evJgiCeN9WPp+no6ODqakpyuUyu3btij9fV1fHjh07mJycXNK3p6cnPn737h3z8/Ps3LkzHmtqamLDhg3xeW9vL+3t7XR0dNDX18f169eZnZ1NcOWSpEozbEmSqlpXVxdtbW1EUUQURQRBAMCaNWtYu3Ytz549I4oi9uzZ80t9U6nUL9Wn02mKxSJjY2O0trZy7tw5tm7dypcvX36pjyTp/8OwJUmqemEYks/nyefzS175nslkGB8f58WLF4RhSGdnJ8uXL+fp06dxTblcplAosGnTpp/27+zspK6ujomJiXjs8+fPvH37dkldbW0t+/btY3h4mNevX/PhwwcePnz47y1UkvSf4p4tSVLVC8OQ48ePUy6X4ydbAEEQcOLECebn5wnDkFQqxbFjx8jlcjQ1NbFu3TqGh4eZnZ2lv7//p/0bGhro7+8nl8uxatUqmpubOXv2LMuW/fWb5u3bt3n//j2ZTIbGxkbu3LnDwsLCkr8aSpKqi2FLklT1wjCkVCqxceNGWlpa4vEgCJieno5fEQ8wNDTEwsICfX19TE9P09PTw71792hsbPzH77hw4QJfv37l0KFDpNNpTp06xdTUVHx95cqV3Lx5k/Pnz/Pt2ze6u7sZGxtj8+bNySxaklRxNYuLi4uVnoQkSZIkVRv3bEmSJElSAgxbkiRJkpQAw5YkSZIkJcCwJUmSJEkJMGxJkiRJUgIMW5IkSZKUAMOWJEmSJCXAsCVJkiRJCTBsSZIkSVICDFuSJEmSlADDliRJkiQlwLAlSZIkSQn4AeZhTaxfJcYzAAAAAElFTkSuQmCC", + "text/plain": [ + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + }, + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAAkQAAAHHCAYAAABeLEexAAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjguMCwgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy81sbWrAAAACXBIWXMAAA9hAAAPYQGoP6dpAABUNklEQVR4nO3dd1gUV9sG8HtpC4iASBOlWbEgKkZEjFhQYoyV2KLGFk0MoqgvlhRbiiVFEyUa8xo1icZEY0ksoGJHbChWgqgoRgWCUgSl7vn+8GU+V4os7rLA3r/r2kv3zOyZ5wwL3MycmZUJIQSIiIiIdJietgsgIiIi0jYGIiIiItJ5DERERESk8xiIiIiISOcxEBEREZHOYyAiIiIincdARERERDqPgYiIiIh0HgMRERER6TwGIlIbFxcXjBkzRttl1HhffPEFGjZsCH19fbRp00bb5ahs/vz5kMlk2i6DiEgJAxGVaP369ZDJZDh79myJy7t27YpWrVq99Hb27NmD+fPnv3Q/umLfvn2YOXMmfHx8sG7dOnz++eclrvf+++9DT08PDx8+VGp/+PAh9PT0IJfLkZOTo7Ts5s2bkMlk+OCDDzRWf0UcPnwYgwYNgr29PYyMjGBra4u+ffti27Zt2i4NAPD48WPMnz8fhw8f1nYpajVmzBjIZDLpYWZmhoYNG+LNN9/EH3/8AYVCoe0Sq6ya+p6o6Qy0XQDVHHFxcdDTUy1j79mzB6GhoQxF5XTw4EHo6elh7dq1MDIyKnW9zp07Y9WqVYiMjETfvn2l9hMnTkBPTw/5+fk4e/YsOnfuLC2LjIyUXltVzJs3DwsXLkSTJk3w7rvvwtnZGQ8ePMCePXsQEBCAjRs34q233tJqjY8fP8aCBQsAPP1DoSaRy+X473//CwB48uQJbt++jb/++gtvvvkmunbtip07d8Lc3FzLVVY9Nfk9UZMxEJHayOVybZegsuzsbNSqVUvbZZRbSkoKTExMygxDwP+HmuPHjysFosjISLRu3RpPnjzB8ePHlcLP8ePHoaenh06dOr1UjQUFBVAoFC+s8UW2bt2KhQsX4s0338SmTZtgaGgoLQsJCUF4eDjy8/Nfahu6TAiBnJwcmJiYlLqOgYEBRo4cqdT26aefYvHixZgzZw4mTJiA3377TdOlElUOQVSCdevWCQDizJkzJS739fUVLVu2VGpzdnYWo0ePlp7n5eWJ+fPni8aNGwu5XC6srKyEj4+P2LdvnxBCiNGjRwsAxR5FsrKyxPTp00WDBg2EkZGRaNq0qfjiiy+EQqFQ2u7jx49FUFCQqFu3rjAzMxN9+/YV//zzjwAg5s2bJ603b948AUBcuXJFDB8+XFhaWoo2bdoIIYS4cOGCGD16tHB1dRVyuVzY2dmJsWPHitTUVKVtFfURFxcnRowYIczNzYW1tbX46KOPhEKhEImJiaJfv36idu3aws7OTnz55Zfl2t/5+fli4cKFomHDhsLIyEg4OzuLOXPmiJycHGmdkvbVunXrSu3T0dFR+Pj4KLW9+uqrYvLkyWLcuHHijTfeUFrWsmVL4e7uLj1PTk4W48aNE7a2tkIul4vWrVuL9evXK70mISFBABBffPGFWLZsmWjYsKHQ09MT58+fF0IIcezYMdG+fXshl8tFw4YNxerVq6V9+CJubm7CyspKZGZmvnDd8tZ76NAhAUAcOnSoxHE8uz9Hjx4tatWqJf755x/Rv39/UatWLWFtbS1mzJghCgoKlF73/KPofXf//n0xZswYUb9+fWFkZCTs7e1Fv379REJCQpljKdr2jRs3RK9evYSpqamoV6+eWLBgQbH3f2FhoVi2bJlo0aKFkMvlwtbWVkycOFE8fPhQaT1nZ2fRp08fERYWJjw9PYVcLhfLli17YQ2l6dWrl5DJZCIuLk6pPTQ0VLRo0UIYGRmJevXqiffff1+kpaUVe/3JkydF7969haWlpTA1NRXu7u5i+fLl0nJfX1/h6+tbYl3Ozs7S82ffgytXrhSurq7CxMRE9OzZUyQmJgqFQiEWLlwo6tevL4yNjUW/fv3EgwcPivW7Z88e0blzZ2FqairMzMzE66+/Li5fvlziPnmZ9wRVXTxCRGXKyMhAampqsfby/GU+f/58LFq0CO+88w46dOiAzMxMnD17FufOnUPPnj3x7rvv4t69e9i/fz9+/vlnpdcKIdCvXz8cOnQI48ePR5s2bRAeHo6QkBDcvXsXy5Ytk9YdM2YMfv/9d4waNQodO3bEkSNH0KdPn1LrGjx4MJo0aYLPP/8cQggAwP79+3Hz5k2MHTsW9vb2uHLlCtasWYMrV67g5MmTxSYBDx06FM2bN8fixYuxe/dufPrpp7CyssL333+P7t27Y8mSJdi4cSP+85//4JVXXkGXLl3K3FfvvPMONmzYgDfffBMzZszAqVOnsGjRIsTGxmL79u0AgJ9//hlr1qzB6dOnpdMYZR3N6dy5M7Zt24bc3FzI5XLk5eXhzJkzmDRpEh4/foyZM2dCCAGZTIa0tDRcvXoV7733HoCnp0e6du2K69evY/LkyXB1dcWWLVswZswYpKenY+rUqUrbWrduHXJycjBx4kTI5XJYWVnh0qVL6NWrF2xsbDB//nwUFBRg3rx5sLOzK3NfAEB8fDz+/vtvjBs3DrVr137h+qrWW16FhYXw9/eHl5cXvvzySxw4cABfffUVGjVqhEmTJsHGxgarVq3CpEmTMHDgQAwaNAgA0Lp1awBAQEAArly5gqCgILi4uCAlJQX79+9HYmIiXFxcXrjt1157DR07dsTSpUsRFhaGefPmoaCgAAsXLpTWe/fdd7F+/XqMHTsWU6ZMQUJCAlauXInz588jMjJS6chaXFwchg8fjnfffRcTJkxAs2bNKrRfAGDUqFHYt28f9u/fj6ZNmwJ4+j2/YMEC+Pn5YdKkSYiLi8OqVatw5swZpVr279+PN954A/Xq1cPUqVNhb2+P2NhY7Nq1q8Jfq40bNyIvLw9BQUF4+PAhli5diiFDhqB79+44fPgwZs2ahevXr2PFihX4z3/+gx9//FF67c8//4zRo0fD398fS5YswePHj7Fq1Sp07twZ58+fV/pavex7gqowLQcyqqKKjhCV9XjRESIPDw/Rp0+fMrcTGBhY4tGCHTt2CADi008/VWp/8803hUwmE9evXxdCCBEdHS0AiODgYKX1xowZU+oRouHDhxfb3uPHj4u1/frrrwKAOHr0aLE+Jk6cKLUVFBSIBg0aCJlMJhYvXiy1p6WlCRMTE6V9UpKYmBgBQLzzzjtK7f/5z38EAHHw4EGp7UV/tT8rNDRUABDHjh0TQggRFRUlAIjbt2+Lq1evSkfLhBBi165dAoDYuHGjEEKI5cuXCwDil19+kfrLy8sT3t7ewszMTDpqU/TXsLm5uUhJSVHa/oABA4SxsbG4ffu21Hb16lWhr6//wiNEO3fuFADKPILxrPLWq+oRIgBi4cKFSuu2bdtWeHp6Ss///fffEo8ApKWlSUcuVFW07aCgIKlNoVCIPn36CCMjI/Hvv/8KIZ4egXv261YkLCysWLuzs7MAIMLCwspdQ1nvtfPnzwsAYtq0aUIIIVJSUoSRkZHo1auXKCwslNZbuXKlACB+/PFHIcTT7xdXV1fh7Oxc7MjRs0e/VD1CZGNjI9LT06X2OXPmCADCw8ND5OfnS+3Dhw8XRkZG0tHXR48eCUtLSzFhwgSl7SQlJQkLCwul9pd9T1DVxqvMqEyhoaHYv39/sUd5/tqxtLTElStXEB8fr/J29+zZA319fUyZMkWpfcaMGRBCYO/evQCAsLAwAE+vqnpWUFBQqX0XHQV51rPzKHJycpCamoqOHTsCAM6dO1ds/XfeeUf6v76+Ptq3bw8hBMaPHy+1W1paolmzZrh582aptQBPxwoA06dPV2qfMWMGAGD37t1lvr40z84jAp7OH6pfvz6cnJzg5uYGKysraSL18xOq9+zZA3t7ewwfPlzqz9DQEFOmTEFWVhaOHDmitK2AgADY2NhIzwsLCxEeHo4BAwbAyclJam/evDn8/f1fWHtmZiYAlOvoUEXqVcXz75dXX331hV9TANJcr8OHDyMtLa1C2548ebL0f5lMhsmTJyMvLw8HDhwAAGzZsgUWFhbo2bMnUlNTpYenpyfMzMxw6NAhpf5cXV3Ltf/Lw8zMDADw6NEjAMCBAweQl5eH4OBgpYsrJkyYAHNzc+l9fP78eSQkJCA4OBiWlpZKfb7M7RgGDx4MCwsL6bmXlxcAYOTIkTAwMFBqz8vLw927dwE8PVqVnp6O4cOHK+1DfX19eHl5FduHQMXfE1S18ZQZlalDhw5o3759sfY6deqUeCrtWQsXLkT//v3RtGlTtGrVCq+99hpGjRpVrjB1+/ZtODg4FPuF2Lx5c2l50b96enpwdXVVWq9x48al9v38usDTy9EXLFiAzZs3IyUlRWlZRkZGsfWf/SUPABYWFjA2Noa1tXWx9gcPHpRay7NjeL5me3t7WFpaSmNVVatWrWBpaakUenx8fAA8/cXj7e2NyMhITJgwAZGRkXB0dJTGdfv2bTRp0qTYVYPP7/8iz+/Tf//9F0+ePEGTJk2K1dWsWTMpBJam6Mqlol+2L6JqveVlbGysFPSAp+/98gQcuVyOJUuWYMaMGbCzs0PHjh3xxhtv4O2334a9vf0LX6+np4eGDRsqtRWdmrp16xaAp6cWMzIyYGtrW2Ifz7+XS3rvV1RWVhaA/w+tRfv4+dNwRkZGaNiwobT8xo0bAKCW23Y8q6TvSQBwdHQssb3oa1j0B1v37t1L7Pf5q+he5j1BVRsDEWlMly5dcOPGDezcuRP79u3Df//7XyxbtgyrV69WOsJS2Uq6qmbIkCE4ceIEQkJC0KZNG5iZmUGhUOC1114r8X4r+vr65WoDIM1TehF136xQT08P3t7eOHHiBIQQiIyMVLrHUKdOnfDjjz9Kc4sGDBhQ4W2VdaVSRbi5uQEALl26pNZ+S9vHhYWFJbaX9jUtr+DgYPTt2xc7duxAeHg4Pv74YyxatAgHDx5E27ZtX6pvAFAoFLC1tcXGjRtLXP78L251fp0uX74MoOw/Pl6GTCYr8XtH1a/Vi74vi76/f/755xKD6rNHl8rqj6o/njIjjbKyssLYsWPx66+/4s6dO2jdurXSPYdK+wXl7OyMe/fuFTtC8Pfff0vLi/5VKBRISEhQWu/69evlrjEtLQ0RERGYPXs2FixYgIEDB6Jnz57F/jrXlKIxPH9qMTk5Genp6dJYK6Jz5854+PAh/vzzT6SkpEhHiICngejGjRvYs2cPnjx5onQJvrOzM+Lj44uFwef3f2lsbGxgYmJS4unSuLi4F9bdtGlTNGvWDDt37pSORJSlvPXWqVMHAJCenq60XkWPIAEvDrKNGjXCjBkzsG/fPly+fBl5eXn46quvXtivQqEodhrm2rVrACBN8m3UqBEePHgAHx8f+Pn5FXt4eHhUbFDl8PPPP0Mmk6Fnz54A/n8fP//1zcvLQ0JCgrS8UaNGAP4/UJWmTp06xb5OwMt9rUpSVI+trW2J+7Ai9xHindirJwYi0pjnTxWZmZmhcePGyM3NldqK7gH0/A++119/HYWFhVi5cqVS+7JlyyCTydC7d28AkOZDfPfdd0rrrVixotx1Fv3F9/xfo8uXLy93Hy/j9ddfL3F7X3/9NQCUecXcixSFnCVLlsDU1FTpoz46dOgAAwMDLF26VGndopqSkpKU7jFTUFCAFStWwMzMDL6+vmVuV19fH/7+/tixYwcSExOl9tjYWISHh5er9gULFuDBgwd45513UFBQUGz5vn37sGvXLpXqdXZ2hr6+Po4eParU1/PvH1WYmpoCKP4efvz4cbG7gTdq1Ai1a9dW+h4oy7PvfyEEVq5cCUNDQ/To0QPA0yObhYWF+OSTT4q9tqCgoMRAoQ6LFy/Gvn37MHToUOm0qJ+fH4yMjPDtt98qfS+tXbsWGRkZ0vu4Xbt2cHV1xfLly4vV9+zrGjVqhL///hv//vuv1HbhwgXpFLC6+Pv7w9zcHJ9//nmJV88+u/3yKu09QVUbT5mRxrRo0QJdu3aFp6cnrKyscPbsWWzdulVpoqinpycAYMqUKfD394e+vj6GDRuGvn37olu3bvjwww9x69YteHh4YN++fdi5cyeCg4Olv+o8PT0REBCA5cuX48GDB9Jl90V/SZfnLzVzc3N06dIFS5cuRX5+PurXr499+/YVO+qkKR4eHhg9ejTWrFmD9PR0+Pr64vTp09iwYQMGDBiAbt26VbjvDh06wMjICFFRUejatavS4X9TU1N4eHggKioKlpaWSnM6Jk6ciO+//x5jxoxBdHQ0XFxcsHXrVkRGRmL58uXlmuy8YMEChIWF4dVXX8X7778vBZSWLVvi4sWLL3z90KFDcenSJXz22Wc4f/48hg8fLt2pOiwsDBEREdi0aZNK9VpYWGDw4MFYsWIFZDIZGjVqhF27dhWba6MKExMTtGjRAr/99huaNm0KKysrtGrVCgUFBejRoweGDBmCFi1awMDAANu3b0dycjKGDRv2wn6NjY0RFhaG0aNHw8vLC3v37sXu3bvxwQcfSKfCfH198e6772LRokWIiYlBr169YGhoiPj4eGzZsgXffPMN3nzzzQqPraCgAL/88guApxcb3L59G3/++ScuXryIbt26Yc2aNdK6NjY2mDNnDhYsWIDXXnsN/fr1Q1xcHL777ju88sor0g0e9fT0sGrVKvTt2xdt2rTB2LFjUa9ePfz999+4cuWKFJjHjRuHr7/+Gv7+/hg/fjxSUlKwevVqtGzZUpp0rw7m5uZYtWoVRo0ahXbt2mHYsGGwsbFBYmIidu/eDR8fn2J/mL1Iae8Jdc+bIjXT1uVtVLWp48aMn376qejQoYOwtLQUJiYmws3NTXz22WciLy9PWqegoEAEBQUJGxsbIZPJlC7HfvTokZg2bZpwcHAQhoaGokmTJiXemDE7O1sEBgYKKysrYWZmJgYMGCDi4uIEAKXL4IsumS+6ZPlZ//zzjxg4cKCwtLQUFhYWYvDgweLevXulXrr/fB+lXaJc0n4qSX5+vliwYIFwdXUVhoaGwtHRsdiNGcvaTlm8vb0FAPHBBx8UWzZlyhQBQPTu3bvYsuTkZDF27FhhbW0tjIyMhLu7e7EbQT57U7ySHDlyRHh6egojIyOVb8xYJCIiQvTv31/Y2toKAwMDYWNjI/r27St27typcr1CPL0kOiAgQJiamoo6deqId999V1y+fLnUGzM+r6T6T5w4IY2z6D2TmpoqAgMDhZubm6hVq5awsLAQXl5e4vfff3/hmEu6MaOdnZ2YN2+e0iXtRdasWSM8PT2FiYmJqF27tnB3dxczZ84U9+7dk9YpujFjeT1/41RTU1Ph4uIiAgICxNatW0usQ4inl9m7ubkJQ0NDYWdnJyZNmlTijRmPHz8uevbsKWrXri1q1aolWrduLVasWKG0zi+//CLdrLRNmzYiPDy8zBszPqvoFgtbtmxRai/tZ9uhQ4eEv7+/sLCwEMbGxqJRo0ZizJgx4uzZs0r75GXeE1S1yYQo54xPomokJiYGbdu2xS+//IIRI0ZouxwilYwZMwZbt24t1/wpIlIPziGiau/JkyfF2pYvXw49Pb0X3iGaiIgI4BwiqgGWLl2K6OhodOvWDQYGBti7dy/27t2LiRMnFrsHCRERUUkYiKja69SpE/bv349PPvkEWVlZcHJywvz58/Hhhx9quzQiIqomOIeIiIiIdB7nEBEREZHOYyAiIiIinVfj5xApFArcu3cPtWvX5u3UiYiIqgkhBB49egQHB4diH9ysCTU+EN27d49XGhEREVVTd+7cQYMGDTS+nRofiIpu2X/nzh2Ym5truRoiIiIqj8zMTDg6Opbro4LUocYHoqLTZObm5gxERERE1UxlTXfhpGoiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6z0DbBVRniYmJSE1N1Ujf1tbWcHJy0kjfREREpIyBqIISExPRrFlz5OQ81kj/xsamiIuLZSgiIiKqBFo/ZXb37l2MHDkSdevWhYmJCdzd3XH27FlpuRACc+fORb169WBiYgI/Pz/Ex8drseKnUlNT/xeGfgEQrebHL8jJeayxo09ERESkTKtHiNLS0uDj44Nu3bph7969sLGxQXx8POrUqSOts3TpUnz77bfYsGEDXF1d8fHHH8Pf3x9Xr16FsbGxFqsv0hxAO20XQURERC9Bq4FoyZIlcHR0xLp166Q2V1dX6f9CCCxfvhwfffQR+vfvDwD46aefYGdnhx07dmDYsGGVXjMRERHVPFo9Zfbnn3+iffv2GDx4MGxtbdG2bVv88MMP0vKEhAQkJSXBz89ParOwsICXlxeioqJK7DM3NxeZmZlKDyIiIqKyaDUQ3bx5E6tWrUKTJk0QHh6OSZMmYcqUKdiwYQMAICkpCQBgZ2en9Do7Oztp2fMWLVoECwsL6eHo6KjZQRAREVG1p9VApFAo0K5dO3z++edo27YtJk6ciAkTJmD16tUV7nPOnDnIyMiQHnfu3FFjxURERFQTaTUQ1atXDy1atFBqa968ORITEwEA9vb2AIDk5GSldZKTk6Vlz5PL5TA3N1d6EBEREZVFq4HIx8cHcXFxSm3Xrl2Ds7MzgKcTrO3t7RERESEtz8zMxKlTp+Dt7V2ptRIREVHNpdWrzKZNm4ZOnTrh888/x5AhQ3D69GmsWbMGa9asAQDIZDIEBwfj008/RZMmTaTL7h0cHDBgwABtlk5EREQ1iFYD0SuvvILt27djzpw5WLhwIVxdXbF8+XKMGDFCWmfmzJnIzs7GxIkTkZ6ejs6dOyMsLKyK3IOIiIiIagKZEEJouwhNyszMhIWFBTIyMtQ6n+jcuXPw9PTE0ztLq/vGjOcAeCI6Ohrt2vGmj0REpHs09fu7NFr/6A4iIiIibWMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMMtF0AlS42NlYj/VpbW8PJyUkjfRMREVVHDERV0n0Aehg5cqRGejc2NkVcXCxDERER0f8wEFVJ6QAUAH4B0FzNfcciJ2ckUlNTGYiIiIj+h4GoSmsOoJ22iyAiIqrxOKmaiIiIdB4DEREREek8BiIiIiLSeQxEREREpPO0Gojmz58PmUym9HBzc5OW5+TkIDAwEHXr1oWZmRkCAgKQnJysxYqJiIioJtL6EaKWLVvi/v370uP48ePSsmnTpuGvv/7Cli1bcOTIEdy7dw+DBg3SYrVERERUE2n9snsDAwPY29sXa8/IyMDatWuxadMmdO/eHQCwbt06NG/eHCdPnkTHjh0ru1QiIiKqobR+hCg+Ph4ODg5o2LAhRowYgcTERABAdHQ08vPz4efnJ63r5uYGJycnREVFldpfbm4uMjMzlR5EREREZdFqIPLy8sL69esRFhaGVatWISEhAa+++ioePXqEpKQkGBkZwdLSUuk1dnZ2SEpKKrXPRYsWwcLCQno4OjpqeBRERERU3Wn1lFnv3r2l/7du3RpeXl5wdnbG77//DhMTkwr1OWfOHEyfPl16npmZyVBEREREZdL6KbNnWVpaomnTprh+/Trs7e2Rl5eH9PR0pXWSk5NLnHNURC6Xw9zcXOlBREREVJYqFYiysrJw48YN1KtXD56enjA0NERERIS0PC4uDomJifD29tZilURERFTTaPWU2X/+8x/07dsXzs7OuHfvHubNmwd9fX0MHz4cFhYWGD9+PKZPnw4rKyuYm5sjKCgI3t7evMKMiIiI1Eqrgeiff/7B8OHD8eDBA9jY2KBz5844efIkbGxsAADLli2Dnp4eAgICkJubC39/f3z33XfaLJmIiIhqIK0Gos2bN5e53NjYGKGhoQgNDa2kioiIiEgXVak5RERERETawEBEREREOo+BiIiIiHQeAxERERHpPAYiIiIi0nkMRERERKTzGIiIiIhI5zEQERERkc5jICIiIiKdx0BEREREOo+BiIiIiHQeAxERERHpPAYiIiIi0nkMRERERKTzGIiIiIhI5zEQERERkc5jICIiIiKdx0BEREREOo+BiIiIiHQeAxERERHpvJcORJmZmdixYwdiY2PVUQ8RERFRpVM5EA0ZMgQrV64EADx58gTt27fHkCFD0Lp1a/zxxx9qL5CIiIhI01QOREePHsWrr74KANi+fTuEEEhPT8e3336LTz/9VO0FEhEREWmayoEoIyMDVlZWAICwsDAEBATA1NQUffr0QXx8vNoLJCIiItI0lQORo6MjoqKikJ2djbCwMPTq1QsAkJaWBmNjY7UXSERERKRpBqq+IDg4GCNGjICZmRmcnZ3RtWtXAE9Ppbm7u6u7PiIiIiKNUzkQvf/++/Dy8kJiYiJ69uwJPb2nB5kaNmyIzz77TO0FEhEREWmayqfMFi5ciObNm2PgwIEwMzOT2rt3744DBw6otTgiIiKiyqByIFqwYAGysrKKtT9+/BgLFixQS1FERERElUnlQCSEgEwmK9Z+4cIF6eozIiIiouqk3HOI6tSpA5lMBplMhqZNmyqFosLCQmRlZeG9997TSJFEREREmlTuQLR8+XIIITBu3DgsWLAAFhYW0jIjIyO4uLjA29tbI0USERERaVK5A9Ho0aMBAK6urujUqRMMDQ01VhQRERFRZVL5sntfX18oFApcu3YNKSkpUCgUSsu7dOmituKIiIiIKoPKgejkyZN46623cPv2bQghlJbJZDIUFhaqrTgiIiKiyqByIHrvvffQvn177N69G/Xq1SvxijMiIiKi6kTlQBQfH4+tW7eicePGmqiHiIiIqNKpfB8iLy8vXL9+XRO1EBEREWmFykeIgoKCMGPGDCQlJcHd3b3Y1WatW7dWW3FERERElUHlQBQQEAAAGDdunNQmk8mkO1hzUjURERFVNyoHooSEBE3UQURERKQ1KgciZ2dnTdRBREREpDUqT6oGgJ9//hk+Pj5wcHDA7du3ATz9aI+dO3eqtTgiIiKiyqByIFq1ahWmT5+O119/Henp6dKcIUtLSyxfvlzd9RERERFpnMqBaMWKFfjhhx/w4YcfQl9fX2pv3749Ll26pNbiiIiIiCqDyoEoISEBbdu2LdYul8uRnZ2tlqKIiIiIKpPKgcjV1RUxMTHF2sPCwtC8eXN11ERERERUqVQORNOnT0dgYCB+++03CCFw+vRpfPbZZ5gzZw5mzpxZ4UIWL14MmUyG4OBgqS0nJweBgYGoW7cuzMzMEBAQgOTk5Apvg4iIiKgkKl92/84778DExAQfffQRHj9+jLfeegsODg745ptvMGzYsAoVcebMGXz//ffF7nI9bdo07N69G1u2bIGFhQUmT56MQYMGITIyskLbISIiIipJhS67HzFiBOLj45GVlYWkpCT8888/GD9+fIUKyMrKwogRI/DDDz+gTp06UntGRgbWrl2Lr7/+Gt27d4enpyfWrVuHEydO4OTJkxXaFhEREVFJKhSIipiamsLW1valCggMDESfPn3g5+en1B4dHY38/Hyldjc3Nzg5OSEqKqrU/nJzc5GZman0ICIiIiqLyqfMHjx4gLlz5+LQoUNISUmBQqFQWv7w4cNy97V582acO3cOZ86cKbYsKSkJRkZGsLS0VGq3s7NDUlJSqX0uWrQICxYsKHcNRERERCoHolGjRuH69esYP3487OzsIJPJKrThO3fuYOrUqdi/fz+MjY0r1EdJ5syZg+nTp0vPMzMz4ejoqLb+iYiIqOZRORAdO3YMx48fh4eHx0ttODo6GikpKWjXrp3UVlhYiKNHj2LlypUIDw9HXl4e0tPTlY4SJScnw97evtR+5XI55HL5S9VGREREukXlQOTm5oYnT5689IZ79OhR7M7WY8eOhZubG2bNmgVHR0cYGhoiIiICAQEBAIC4uDgkJibC29v7pbdPREREVETlQPTdd99h9uzZmDt3Llq1agVDQ0Ol5ebm5uXqp3bt2mjVqpVSW61atVC3bl2pffz48Zg+fTqsrKxgbm6OoKAgeHt7o2PHjqqWTURERFQqlQORpaUlMjMz0b17d6V2IQRkMpn0Ya/qsGzZMujp6SEgIAC5ubnw9/fHd999p7b+iYiIiIAKBKIRI0bA0NAQmzZteqlJ1SU5fPiw0nNjY2OEhoYiNDRUbdsgIiIiep7Kgejy5cs4f/48mjVrpol6iIiIiCqdyjdmbN++Pe7cuaOJWoiIiIi0QuUjREFBQZg6dSpCQkLg7u5ebFL1859HRkRERFTVqRyIhg4dCgAYN26c1CaTyTQyqZqIiIioMqgciBISEjRRBxEREZHWqByInJ2dNVEHERERkdaoHIh++umnMpe//fbbFS6GiIiISBtUDkRTp05Vep6fn4/Hjx/DyMgIpqamDERERERU7ah82X1aWprSIysrC3FxcejcuTN+/fVXTdRIREREpFEqB6KSNGnSBIsXLy529IiIiIioOlBLIAIAAwMD3Lt3T13dEREREVUalecQ/fnnn0rPhRC4f/8+Vq5cCR8fH7UVRkRERFRZVA5EAwYMUHouk8lgY2OD7t2746uvvlJXXURERESVRuVApFAoNFEHERERkdaobQ4RERERUXWl8hGigIAAdOjQAbNmzVJqX7p0Kc6cOYMtW7aorTjSnNjYWLX3aW1tDScnJ7X3S0REpGkqB6KjR49i/vz5xdp79+7NOUTVwn0Aehg5cqTaezY2NkVcXCxDERERVTsqB6KsrCwYGRkVazc0NERmZqZaiiJNSgegAPALgOZq7DcWOTkjkZqaykBERETVjsqByN3dHb/99hvmzp2r1L5582a0aNFCbYWRpjUH0E7bRRAREVUJKgeijz/+GIMGDcKNGzfQvXt3AEBERAR+/fVXzh8iIiKiaknlQNS3b1/s2LEDn3/+ObZu3QoTExO0bt0aBw4cgK+vryZqJCIiItIolQMRAPTp0wd9+vRRdy1EREREWlGhQAQA0dHR0qXbLVu2RNu2bdVWFBEREVFlUjkQpaSkYNiwYTh8+DAsLS0BAOnp6ejWrRs2b94MGxsbdddIREREpFEq36k6KCgIjx49wpUrV/Dw4UM8fPgQly9fRmZmJqZMmaKJGomIiIg0SuUjRGFhYThw4ACaN///e9i0aNECoaGh6NWrl1qLIyIiIqoMKh8hUigUMDQ0LNZuaGjID34lIiKiaknlQNS9e3dMnToV9+7dk9ru3r2LadOmoUePHmotjoiIiKgyqByIVq5ciczMTLi4uKBRo0Zo1KgRXF1dkZmZiRUrVmiiRiIiIiKNUnkOkaOjI86dO4cDBw7g77//BgA0b94cfn5+ai+OiIiIqDJU6D5EMpkMPXv2RM+ePdVdDxEREVGlUykQKRQKrF+/Htu2bcOtW7cgk8ng6uqKN998E6NGjYJMJtNUnUREREQaU+45REII9OvXD++88w7u3r0Ld3d3tGzZErdv38aYMWMwcOBATdZJREREpDHlPkK0fv16HD16FBEREejWrZvSsoMHD2LAgAH46aef8Pbbb6u9SCIiIiJNKvcRol9//RUffPBBsTAEPL0Uf/bs2di4caNaiyMiIiKqDOUORBcvXsRrr71W6vLevXvjwoULaimKiIiIqDKVOxA9fPgQdnZ2pS63s7NDWlqaWooiIiIiqkzlDkSFhYUwMCh9ypG+vj4KCgrUUhQRERFRZSr3pGohBMaMGQO5XF7i8tzcXLUVRURERFSZyh2IRo8e/cJ1eIUZERERVUflDkTr1q3TZB1EREREWqPyh7sSERER1TQMRERERKTzGIiIiIhI5zEQERERkc4rVyBq166ddNPFhQsX4vHjxxotioiIiKgylSsQxcbGIjs7GwCwYMECZGVlqWXjq1atQuvWrWFubg5zc3N4e3tj79690vKcnBwEBgaibt26MDMzQ0BAAJKTk9WybSIiIqIi5brsvk2bNhg7diw6d+4MIQS+/PJLmJmZlbju3Llzy73xBg0aYPHixWjSpAmEENiwYQP69++P8+fPo2XLlpg2bRp2796NLVu2wMLCApMnT8agQYMQGRlZ7m0QERERvUi5AtH69esxb9487Nq1CzKZDHv37i3xYzxkMplKgahv375Kzz/77DOsWrUKJ0+eRIMGDbB27Vps2rQJ3bt3B/D0XkjNmzfHyZMn0bFjx3Jvh4iIiKgs5QpEzZo1w+bNmwEAenp6iIiIgK2trVoLKSwsxJYtW5CdnQ1vb29ER0cjPz8ffn5+0jpubm5wcnJCVFQUAxERERGpTbnvVF1EoVCotYBLly7B29sbOTk5MDMzw/bt29GiRQvExMTAyMgIlpaWSuvb2dkhKSmp1P5yc3OVPlctMzNTrfUSERFRzaNyIAKAGzduYPny5YiNjQUAtGjRAlOnTkWjRo1U7qtZs2aIiYlBRkYGtm7ditGjR+PIkSMVKQsAsGjRIixYsKDCryciIiLdo/J9iMLDw9GiRQucPn0arVu3RuvWrXHq1Cm0bNkS+/fvV7kAIyMjNG7cGJ6enli0aBE8PDzwzTffwN7eHnl5eUhPT1daPzk5Gfb29qX2N2fOHGRkZEiPO3fuqFwTERER6RaVjxDNnj0b06ZNw+LFi4u1z5o1Cz179nypghQKBXJzc+Hp6QlDQ0NEREQgICAAABAXF4fExER4e3uX+nq5XA65XP5SNRAREZFuUTkQxcbG4vfffy/WPm7cOCxfvlylvubMmYPevXvDyckJjx49wqZNm3D48GGEh4fDwsIC48ePx/Tp02FlZQVzc3MEBQXB29ubE6qJiIhIrVQORDY2NoiJiUGTJk2U2mNiYlS+8iwlJQVvv/027t+/DwsLC7Ru3Rrh4eHSUaZly5ZBT08PAQEByM3Nhb+/P7777jtVSyYiIiIqk8qBaMKECZg4cSJu3ryJTp06AQAiIyOxZMkSTJ8+XaW+1q5dW+ZyY2NjhIaGIjQ0VNUyiYiIiMpN5UD08ccfo3bt2vjqq68wZ84cAICDgwPmz5+PKVOmqL1AIiIiIk1TORDJZDJMmzYN06ZNw6NHjwAAtWvXVnthRERERJWlQvchKsIgRERERDWByvchIiIiIqppGIiIiIhI5zEQERERkc5TKRDl5+ejR48eiI+P11Q9RERERJVOpUBkaGiIixcvaqoWIiIiIq1Q+ZTZyJEjX3hDRSIiIqLqROXL7gsKCvDjjz/iwIED8PT0RK1atZSWf/3112orjoiIiKgyqByILl++jHbt2gEArl27prRMJpOppyoiIiKiSqRyIDp06JAm6iAiIiLSmgpfdn/9+nWEh4fjyZMnAAAhhNqKIiIiIqpMKgeiBw8eoEePHmjatClef/113L9/HwAwfvx4zJgxQ+0FEhEREWmayoFo2rRpMDQ0RGJiIkxNTaX2oUOHIiwsTK3FEREREVUGlecQ7du3D+Hh4WjQoIFSe5MmTXD79m21FUZERERUWVQ+QpSdna10ZKjIw4cPIZfL1VIUERERUWVSORC9+uqr+Omnn6TnMpkMCoUCS5cuRbdu3dRaHBEREVFlUPmU2dKlS9GjRw+cPXsWeXl5mDlzJq5cuYKHDx8iMjJSEzUSERERaZTKR4hatWqFa9euoXPnzujfvz+ys7MxaNAgnD9/Ho0aNdJEjUREREQapfIRIgCwsLDAhx9+qO5aiIiIiLSiQoEoLS0Na9euRWxsLACgRYsWGDt2LKysrNRaHBEREVFlUPmU2dGjR+Hi4oJvv/0WaWlpSEtLw7fffgtXV1ccPXpUEzUSERERaZTKR4gCAwMxdOhQrFq1Cvr6+gCAwsJCvP/++wgMDMSlS5fUXiQRERGRJql8hOj69euYMWOGFIYAQF9fH9OnT8f169fVWhwRERFRZVA5ELVr106aO/Ss2NhYeHh4qKUoIiIiospUrlNmFy9elP4/ZcoUTJ06FdevX0fHjh0BACdPnkRoaCgWL16smSqJiIiINKhcgahNmzaQyWQQQkhtM2fOLLbeW2+9haFDh6qvOiIiIqJKUK5AlJCQoOk6iIiIiLSmXIHI2dlZ03UQERERaU2Fbsx47949HD9+HCkpKVAoFErLpkyZopbCiIiIiCqLyoFo/fr1ePfdd2FkZIS6detCJpNJy2QyGQMRERERVTsqB6KPP/4Yc+fOxZw5c6Cnp/JV+0RERERVjsqJ5vHjxxg2bBjDEBEREdUYKqea8ePHY8uWLZqohYiIiEgrVD5ltmjRIrzxxhsICwuDu7s7DA0NlZZ//fXXaiuOiIiIqDJUKBCFh4ejWbNmAFBsUjURERFRdaNyIPrqq6/w448/YsyYMRooh4iIiKjyqTyHSC6Xw8fHRxO1EBEREWmFyoFo6tSpWLFihSZqISIiItIKlU+ZnT59GgcPHsSuXbvQsmXLYpOqt23bprbiiIiIiCqDyoHI0tISgwYN0kQtRERERFqhciBat26dJuogIiIi0hrebpqIiIh0nspHiFxdXcu839DNmzdfqiAiIiKiyqZyIAoODlZ6np+fj/PnzyMsLAwhISHqqouIiIio0qgciKZOnVpie2hoKM6ePfvSBRERERFVNrXNIerduzf++OMPlV6zaNEivPLKK6hduzZsbW0xYMAAxMXFKa2Tk5ODwMBA1K1bF2ZmZggICEBycrK6yiYiIiJSXyDaunUrrKysVHrNkSNHEBgYiJMnT2L//v3Iz89Hr169kJ2dLa0zbdo0/PXXX9iyZQuOHDmCe/fu8bJ/IiIiUiuVT5m1bdtWaVK1EAJJSUn4999/8d1336nUV1hYmNLz9evXw9bWFtHR0ejSpQsyMjKwdu1abNq0Cd27dwfw9LL/5s2b4+TJk+jYsaOq5RMREREVo3IgGjBggNJzPT092NjYoGvXrnBzc3upYjIyMgBAOtIUHR2N/Px8+Pn5Seu4ubnByckJUVFRJQai3Nxc5ObmSs8zMzNfqiYiIiKq+VQORPPmzdNEHVAoFAgODoaPjw9atWoFAEhKSoKRkREsLS2V1rWzs0NSUlKJ/SxatAgLFizQSI1ERERUM1WZGzMGBgbi8uXL2Lx580v1M2fOHGRkZEiPO3fuqKlCIiIiqqnKfYRIT0+vzBsyAoBMJkNBQYHKRUyePBm7du3C0aNH0aBBA6nd3t4eeXl5SE9PVzpKlJycDHt7+xL7ksvlkMvlKtdAREREuqvcgWj79u2lLouKisK3334LhUKh0saFEAgKCsL27dtx+PBhuLq6Ki339PSEoaEhIiIiEBAQAACIi4tDYmIivL29VdoWERERUWnKHYj69+9frC0uLg6zZ8/GX3/9hREjRmDhwoUqbTwwMBCbNm3Czp07Ubt2bWlekIWFBUxMTGBhYYHx48dj+vTpsLKygrm5OYKCguDt7c0rzIiIiEhtKjSH6N69e5gwYQLc3d1RUFCAmJgYbNiwAc7Ozir1s2rVKmRkZKBr166oV6+e9Pjtt9+kdZYtW4Y33ngDAQEB6NKlC+zt7bFt27aKlE1ERERUIpWuMsvIyMDnn3+OFStWoE2bNoiIiMCrr75a4Y0LIV64jrGxMUJDQxEaGlrh7RARERGVpdyBaOnSpViyZAns7e3x66+/lngKjYiIiKg6Kncgmj17NkxMTNC4cWNs2LABGzZsKHE9ns4iIiKi6qbcgejtt99+4WX3RERERNVRuQPR+vXrNVgGERERkfao/NEdRGWJjY3VSL/W1tZwcnLSSN9EREQMRKQm9wHoYeTIkRrp3djYFHFxsQxFRESkEQxEpCbpABQAfgHQXM19xyInZyRSU1MZiIiISCMYiEjNmgNop+0iiIiIVFJlPu2eiIiISFsYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdB4DEREREek8rQaio0ePom/fvnBwcIBMJsOOHTuUlgshMHfuXNSrVw8mJibw8/NDfHy8doolIiKiGkurgSg7OxseHh4IDQ0tcfnSpUvx7bffYvXq1Th16hRq1aoFf39/5OTkVHKlREREVJMZaHPjvXv3Ru/evUtcJoTA8uXL8dFHH6F///4AgJ9++gl2dnbYsWMHhg0bVpmlEhERUQ1WZecQJSQkICkpCX5+flKbhYUFvLy8EBUVVerrcnNzkZmZqfQgIiIiKkuVDURJSUkAADs7O6V2Ozs7aVlJFi1aBAsLC+nh6Oio0TqJiIio+quygaii5syZg4yMDOlx584dbZdEREREVVyVDUT29vYAgOTkZKX25ORkaVlJ5HI5zM3NlR5EREREZamygcjV1RX29vaIiIiQ2jIzM3Hq1Cl4e3trsTIiIiKqabR6lVlWVhauX78uPU9ISEBMTAysrKzg5OSE4OBgfPrpp2jSpAlcXV3x8ccfw8HBAQMGDNBe0URERFTjaDUQnT17Ft26dZOeT58+HQAwevRorF+/HjNnzkR2djYmTpyI9PR0dO7cGWFhYTA2NtZWyURERFQDaTUQde3aFUKIUpfLZDIsXLgQCxcurMSqiIiISNdU2TlERERERJWFgYiIiIh0HgMRERER6TwGIiIiItJ5DERERESk8xiIiIiISOcxEBEREZHOYyAiIiIincdARERERDqPgYiIiIh0HgMRERER6TwGIiIiItJ5DERERESk8xiIiIiISOcxEBEREZHOM9B2AUTlFRsbq/Y+ra2t4eTkpPZ+iYioemEgomrgPgA9jBw5Uu09GxubIi4ulqGIiEjHMRBRNZAOQAHgFwDN1dhvLHJyRiI1NZWBiIhIxzEQUTXSHEA7bRdBREQ1ECdVExERkc5jICIiIiKdx0BEREREOo+BiIiIiHQeAxERERHpPAYiIiIi0nkMRERERKTzGIiIiIhI5/HGjKTzNPEZaQA/J42IqDphICIdprnPSAP4OWlERNUJAxHpsHRo5jPSAH5OGhFR9cJARMTPSCMi0nmcVE1EREQ6j0eIiKqZxMREpKamaqRvTgQnIl3FQERUjSQmJqJZs+bIyXmskf45EZyIdBUDEVE1kpqa+r8wxIngRETqxEBEVC1xIjgRkTpxUjURERHpPAYiIiIi0nk8ZUakQer+WBBNfcyIpvHKOCLt09T3YU35HmQgItIIzX4sSHXCK+OItE+T34c15XuQgYhII9KhmY8F2QPgYzX2p3m8Mo5I+zT3fVhzvgcZiIg0St1Xg1XPU2ZP8co4Iu3j92FpOKmaiIiIdB4DEREREek8njIjIiXV8co4TWxDk1fOVMer7qpjzUSqYCAiov+pjlfGaa5mTV05Ux2vuquONROpqloEotDQUHzxxRdISkqCh4cHVqxYgQ4dOmi7LKIaJh3V78q4dGimZs1dOVMdr7qrjjUTqarKB6LffvsN06dPx+rVq+Hl5YXly5fD398fcXFxsLW11XZ5RDVQdbwyrjpeOcOaiaqSKj+p+uuvv8aECRMwduxYtGjRAqtXr4apqSl+/PFHbZdGRERENUSVDkR5eXmIjo6Gn5+f1Kanpwc/Pz9ERUVpsTIiIiKqSar0KbPU1FQUFhbCzs5Oqd3Ozg5///13ia/Jzc1Fbm6u9DwjIwMAkJmZqdbasrKy/ve/aABZZa1aAUWnGKpT36y5cvpmzZXTd9zTXqOjn/leV1PPcXH/+58m9odm6q6ONQNP/4BWKBRq7VPTfWuqX819DZ/2m5WVpfbfs0X9CSHU2m+pRBV29+5dAUCcOHFCqT0kJER06NChxNfMmzdPAOCDDz744IMPPmrA486dO5UROUSVPkJkbW0NfX19JCcnK7UnJyfD3t6+xNfMmTMH06dPl54rFAo8fPgQdevWhUwmq1AdmZmZcHR0xJ07d2Bubl6hPqoTXRovx1oz6dJYAd0aL8daM5U0ViEEHj16BAcHh0qpoUoHIiMjI3h6eiIiIgIDBgwA8DTgREREYPLkySW+Ri6XQy6XK7VZWlqqpR5zc/Ma/6Z8li6Nl2OtmXRprIBujZdjrZmeH6uFhUWlbbtKByIAmD59OkaPHo327dujQ4cOWL58ObKzszF27Fhtl0ZEREQ1RJUPREOHDsW///6LuXPnIikpCW3atEFYWFixidZEREREFVXlAxEATJ48udRTZJVBLpdj3rx5xU7F1VS6NF6OtWbSpbECujVejrVmqgpjlQlRWdezEREREVVNVfrGjERERESVgYGIiIiIdB4DEREREek8BiIiIiLSeQxE5RAaGgoXFxcYGxvDy8sLp0+f1nZJZVq0aBFeeeUV1K5dG7a2thgwYMAzn2PzVE5ODgIDA1G3bl2YmZkhICCg2B3BExMT0adPH5iamsLW1hYhISEoKChQWufw4cNo164d5HI5GjdujPXr12t6eGVavHgxZDIZgoODpbaaNta7d+9i5MiRqFu3LkxMTODu7o6zZ89Ky4UQmDt3LurVqwcTExP4+fkhPj5eqY+HDx9ixIgRMDc3h6WlJcaPH1/sc6QuXryIV199FcbGxnB0dMTSpUsrZXxFCgsL8fHHH8PV1RUmJiZo1KgRPvnkE6XPNaquYz169Cj69u0LBwcHyGQy7NixQ2l5ZY5ry5YtcHNzg7GxMdzd3bFnz55KHW9+fj5mzZoFd3d31KpVCw4ODnj77bdx7969ajneF31tn/Xee+9BJpNh+fLlSu01aayxsbHo168fLCwsUKtWLbzyyitITEyUllepn8+V8gEh1djmzZuFkZGR+PHHH8WVK1fEhAkThKWlpUhOTtZ2aaXy9/cX69atE5cvXxYxMTHi9ddfF05OTiIrK0ta57333hOOjo4iIiJCnD17VnTs2FF06tRJWl5QUCBatWol/Pz8xPnz58WePXuEtbW1mDNnjrTOzZs3hampqZg+fbq4evWqWLFihdDX1xdhYWGVOt4ip0+fFi4uLqJ169Zi6tSpUntNGuvDhw+Fs7OzGDNmjDh16pS4efOmCA8PF9evX5fWWbx4sbCwsBA7duwQFy5cEP369ROurq7iyZMn0jqvvfaa8PDwECdPnhTHjh0TjRs3FsOHD5eWZ2RkCDs7OzFixAhx+fJl8euvvwoTExPx/fffV9pYP/vsM1G3bl2xa9cukZCQILZs2SLMzMzEN998U+3HumfPHvHhhx+Kbdu2CQBi+/btSssra1yRkZFCX19fLF26VFy9elV89NFHwtDQUFy6dKnSxpueni78/PzEb7/9Jv7++28RFRUlOnToIDw9PZX6qC7jfdHXtsi2bduEh4eHcHBwEMuWLauRY71+/bqwsrISISEh4ty5c+L69eti586dSr8/q9LPZwaiF+jQoYMIDAyUnhcWFgoHBwexaNEiLValmpSUFAFAHDlyRAjx9AeQoaGh2LJli7RObGysACCioqKEEE/f6Hp6eiIpKUlaZ9WqVcLc3Fzk5uYKIYSYOXOmaNmypdK2hg4dKvz9/TU9pGIePXokmjRpIvbv3y98fX2lQFTTxjpr1izRuXPnUpcrFAphb28vvvjiC6ktPT1dyOVy8euvvwohhLh69aoAIM6cOSOts3fvXiGTycTdu3eFEEJ89913ok6dOtL4i7bdrFkzdQ+pVH369BHjxo1Tahs0aJAYMWKEEKLmjPX5XySVOa4hQ4aIPn36KNXj5eUl3n33XbWO8VllhYQip0+fFgDE7du3hRDVd7yljfWff/4R9evXF5cvXxbOzs5KgagmjXXo0KFi5MiRpb6mqv185imzMuTl5SE6Ohp+fn5Sm56eHvz8/BAVFaXFylSTkZEBALCysgIAREdHIz8/X2lcbm5ucHJyksYVFRUFd3d3pTuC+/v7IzMzE1euXJHWebaPonW0sW8CAwPRp0+fYvXUtLH++eefaN++PQYPHgxbW1u0bdsWP/zwg7Q8ISEBSUlJSrVaWFjAy8tLabyWlpZo3769tI6fnx/09PRw6tQpaZ0uXbrAyMhIWsff3x9xcXFIS0vT9DABAJ06dUJERASuXbsGALhw4QKOHz+O3r17A6hZY31WZY6rqryvn5eRkQGZTCZ9DmVNGq9CocCoUaMQEhKCli1bFlteU8aqUCiwe/duNG3aFP7+/rC1tYWXl5fSabWq9vOZgagMqampKCwsLPYxIXZ2dkhKStJSVapRKBQIDg6Gj48PWrVqBQBISkqCkZFRsQ+9fXZcSUlJJY67aFlZ62RmZuLJkyeaGE6JNm/ejHPnzmHRokXFltW0sd68eROrVq1CkyZNEB4ejkmTJmHKlCnYsGGDUr1lvWeTkpJga2urtNzAwABWVlYq7RNNmz17NoYNGwY3NzcYGhqibdu2CA4OxogRI5TqqAljfVZljqu0dbT58y0nJwezZs3C8OHDpQ/5rEnjXbJkCQwMDDBlypQSl9eUsaakpCArKwuLFy/Ga6+9hn379mHgwIEYNGgQjhw5ItVYlX4+V4uP7qCKCwwMxOXLl3H8+HFtl6IRd+7cwdSpU7F//34YGxtruxyNUygUaN++PT7//HMAQNu2bXH58mWsXr0ao0eP1nJ16vX7779j48aN2LRpE1q2bImYmBgEBwfDwcGhxo2VnsrPz8eQIUMghMCqVau0XY7aRUdH45tvvsG5c+cgk8m0XY5GKRQKAED//v0xbdo0AECbNm1w4sQJrF69Gr6+vtosr0Q8QlQGa2tr6OvrF5vxnpycDHt7ey1VVX6TJ0/Grl27cOjQITRo0EBqt7e3R15eHtLT05XWf3Zc9vb2JY67aFlZ65ibm8PExETdwylRdHQ0UlJS0K5dOxgYGMDAwABHjhzBt99+CwMDA9jZ2dWYsQJAvXr10KJFC6W25s2bS1dtFNVb1nvW3t4eKSkpSssLCgrw8OFDlfaJpoWEhEhHidzd3TFq1ChMmzZNOhJYk8b6rMocV2nraGPcRWHo9u3b2L9/v3R0CKg54z127BhSUlLg5OQk/by6ffs2ZsyYARcXF6nGmjBWa2trGBgYvPDnVVX6+cxAVAYjIyN4enoiIiJCalMoFIiIiIC3t7cWKyubEAKTJ0/G9u3bcfDgQbi6uiot9/T0hKGhodK44uLikJiYKI3L29sbly5dUvrGLPohVfQG9/b2VuqjaJ3K3Dc9evTApUuXEBMTIz3at2+PESNGSP+vKWMFAB8fn2K3ULh27RqcnZ0BAK6urrC3t1eqNTMzE6dOnVIab3p6OqKjo6V1Dh48CIVCAS8vL2mdo0ePIj8/X1pn//79aNasGerUqaOx8T3r8ePH0NNT/hGlr68v/eVZk8b6rMocV1V5XxeFofj4eBw4cAB169ZVWl5Txjtq1ChcvHhR6eeVg4MDQkJCEB4eLtVYE8ZqZGSEV155pcyfV1Xud5FKU7B10ObNm4VcLhfr168XV69eFRMnThSWlpZKM96rmkmTJgkLCwtx+PBhcf/+fenx+PFjaZ333ntPODk5iYMHD4qzZ88Kb29v4e3tLS0vutSxV69eIiYmRoSFhQkbG5sSL3UMCQkRsbGxIjQ0VKuX3Rd59iozIWrWWE+fPi0MDAzEZ599JuLj48XGjRuFqamp+OWXX6R1Fi9eLCwtLcXOnTvFxYsXRf/+/Uu8ZLtt27bi1KlT4vjx46JJkyZKl/Wmp6cLOzs7MWrUKHH58mWxefNmYWpqWqmX3Y8ePVrUr19fuux+27ZtwtraWsycObPaj/XRo0fi/Pnz4vz58wKA+Prrr8X58+elq6oqa1yRkZHCwMBAfPnllyI2NlbMmzdPI5fdlzXevLw80a9fP9GgQQMRExOj9DPr2auoqst4X/S1fd7zV5nVpLFu27ZNGBoaijVr1oj4+Hjpcvhjx45JfVSln88MROWwYsUK4eTkJIyMjESHDh3EyZMntV1SmQCU+Fi3bp20zpMnT8T7778v6tSpI0xNTcXAgQPF/fv3lfq5deuW6N27tzAxMRHW1tZixowZIj8/X2mdQ4cOiTZt2ggjIyPRsGFDpW1oy/OBqKaN9a+//hKtWrUScrlcuLm5iTVr1igtVygU4uOPPxZ2dnZCLpeLHj16iLi4OKV1Hjx4IIYPHy7MzMyEubm5GDt2rHj06JHSOhcuXBCdO3cWcrlc1K9fXyxevFjjY3tWZmammDp1qnBychLGxsaiYcOG4sMPP1T6JVldx3ro0KESv0dHjx5d6eP6/fffRdOmTYWRkZFo2bKl2L17d6WONyEhodSfWYcOHap2433R1/Z5JQWimjTWtWvXisaNGwtjY2Ph4eEhduzYodRHVfr5LBPimdu+EhEREekgziEiIiIincdARERERDqPgYiIiIh0HgMRERER6TwGIiIiItJ5DERERESk8xiIiIiISOcxEBHVMF27dkVwcLC2yyAiqlYYiIjUaPXq1ahduzYKCgqktqysLBgaGqJr165K6x4+fBgymQw3btyo5CqBvLw8LF26FB4eHjA1NYW1tTV8fHywbt06pc9HqgxVMcAVfW1kMhn09PRgYWGBtm3bYubMmbh//762y6tUMpkMO3bs0HYZRBrHQESkRt26dUNWVhbOnj0rtR07dgz29vY4deoUcnJypPZDhw7ByckJjRo1Unk7Qgil0KWKvLw8+Pv7Y/HixZg4cSJOnDiB06dPIzAwECtWrMCVK1cq1G91lJeXV+byuLg43Lt3D2fOnMGsWbNw4MABtGrVCpcuXaqkComosjAQEalRs2bNUK9ePRw+fFhqO3z4MPr37w9XV1ecPHlSqb1bt24AgNzcXEyZMgW2trYwNjZG586dcebMGaV1ZTIZ9u7dC09PT8jlchw/fhzZ2dl4++23YWZmhnr16uGrr756YY3Lly/H0aNHERERgcDAQLRp0wYNGzbEW2+9hVOnTqFJkyblqmn9+vWwtLRU6nvHjh2QyWTS8/nz56NNmzb4+eef4eLiAgsLCwwbNgyPHj0CAIwZMwZHjhzBN998Ix2RuXXrVol1u7i44JNPPsHw4cNRq1Yt1K9fH6GhoUrrpKen45133oGNjQ3Mzc3RvXt3XLhwoVg9//3vf+Hq6gpjY+My95WtrS3s7e3RtGlTDBs2DJGRkbCxscGkSZOkdRQKBRYuXIgGDRpALpejTZs2CAsLU+rnn3/+wfDhw2FlZYVatWqhffv2OHXqlLQPBgwYoLR+cHCw0hHFrl27IigoCMHBwahTpw7s7Ozwww8/IDs7G2PHjkXt2rXRuHFj7N27V6mfy5cvo3fv3jAzM4OdnR1GjRqF1NRUpX6nTJmCmTNnwsrKCvb29pg/f77SPgeAgQMHQiaTSc+JaiIGIiI169atGw4dOiQ9P3ToELp27QpfX1+p/cmTJzh16pQUiGbOnIk//vgDGzZswLlz59C4cWP4+/vj4cOHSn3Pnj0bixcvRmxsLFq3bo2QkBAcOXIEO3fuxL59+3D48GGcO3euzPo2btwIPz8/tG3bttgyQ0ND1KpVS6WaXuTGjRvYsWMHdu3ahV27duHIkSNYvHgxAOCbb76Bt7c3JkyYgPv37+P+/ftwdHQsta8vvvgCHh4eOH/+PGbPno2pU6di//790vLBgwcjJSUFe/fuRXR0NNq1a4cePXoo1Xz9+nX88ccf2LZtG2JiYlQai4mJCd577z1ERkYiJSVFGsNXX32FL7/8EhcvXoS/vz/69euH+Ph4AE9Pmfr6+uLu3bv4888/ceHCBcycORMKhUKlbW/YsAHW1tY4ffo0goKCMGnSJAwePBidOnXCuXPn0KtXL4waNQqPHz8G8DQcdu/eHW3btsXZs2cRFhaG5ORkDBkypFi/tWrVwqlTp7B06VIsXLhQ2qdFAXjdunW4f/++UiAmqnFU/jhYIirTDz/8IGrVqiXy8/NFZmamMDAwECkpKWLTpk2iS5cuQgghIiIiBABx+/ZtkZWVJQwNDcXGjRulPvLy8oSDg4NYunSpEOL/P1X62U+KfvTokTAyMhK///671PbgwQNhYmIipk6dWmp9JiYmYsqUKWWOoTw1rVu3TlhYWCi9bvv27eLZHyvz5s0TpqamIjMzU2oLCQkRXl5e0nNfX98y6y3i7OwsXnvtNaW2oUOHit69ewshhDh27JgwNzcXOTk5Sus0atRIfP/991I9hoaGIiUlpcxtFe3vtLS0Ysv27t0rAIhTp04JIYRwcHAQn332mdI6r7zyinj//feFEEJ8//33onbt2uLBgwclbmv06NGif//+Sm1Tp04Vvr6+0nNfX1/RuXNn6XlBQYGoVauWGDVqlNR2//59AUBERUUJIYT45JNPRK9evZT6vXPnjgAg4uLiSuy3qPZZs2ZJzwGI7du3l1g7UU3CI0REata1a1dkZ2fjzJkzOHbsGJo2bQobGxv4+vpK84gOHz6Mhg0bwsnJCTdu3EB+fj58fHykPgwNDdGhQwfExsYq9d2+fXvp/zdu3EBeXh68vLykNisrKzRr1qzM+oQQLxyDKjW9iIuLC2rXri09r1evnnR0RVXe3t7FnhfVc+HCBWRlZaFu3bowMzOTHgkJCUoT152dnWFjY1Oh7QP/v/9kMhkyMzNx7949pf0EAD4+PlJdMTExaNu2LaysrCq8TQBo3bq19H99fX3UrVsX7u7uUpudnR0ASPv2woULOHTokNK+cHNzAwCl/fFsv8DLfX2IqjMDbRdAVNM0btwYDRo0wKFDh5CWlgZfX18AgIODAxwdHXHixAkcOnQI3bt3V7nvotNZL6Np06b4+++/X7ofPT29YuGqpCvUDA0NlZ7LZDKVTxeVR1ZWVrH5W0Wenev0svuwKOiUdz6NiYlJmctfZj8+21Y0d6to32ZlZaFv375YsmRJsb7q1atXZr+a+PoQVXU8QkSkAd26dcPhw4dx+PBhpcmxXbp0wd69e3H69Glp/lCjRo1gZGSEyMhIab38/HycOXMGLVq0KHUbjRo1gqGhoTQ5FwDS0tJw7dq1Mmt76623cODAAZw/f77Ysvz8fGRnZ5erJhsbGzx69AjZ2dnSOqrOyQEAIyMjFBYWlmvdZyelFz1v3rw5AKBdu3ZISkqCgYEBGjdurPSwtrZWua6SPHnyBGvWrEGXLl2kidsODg5K+wkAIiMjpf3UunVrxMTElDr3ysbGptil/BXZj89r164drly5AhcXl2L7Q5VQaGhoWO6vD1F1xkBEpAHdunXD8ePHERMTIx0hAgBfX198//33yMvLkwJRrVq1MGnSJISEhCAsLAxXr17FhAkT8PjxY4wfP77UbZiZmWH8+PEICQnBwYMHcfnyZYwZMwZ6emV/WwcHB8PHxwc9evRAaGgoLly4gJs3b+L3339Hx44dER8fX66avLy8YGpqig8++AA3btzApk2bsH79epX3lYuLC06dOoVbt24hNTW1zKMTkZGRWLp0Ka5du4bQ0FBs2bIFU6dOBQD4+fnB29sbAwYMwL59+3Dr1i2cOHECH374odJtEFSRkpKCpKQkxMfHY/PmzfDx8UFqaipWrVolrRMSEoIlS5bgt99+Q1xcHGbPno2YmBipruHDh8Pe3h4DBgxAZGQkbt68iT/++ANRUVEAgO7du+Ps2bP46aefEB8fj3nz5uHy5csVqvdZgYGBePjwIYYPH44zZ87gxo0bCA8Px9ixY1UKOC4uLoiIiEBSUhLS0tJeui6iKku7U5iIaqaEhAQBQLi5uSm137p1SwAQzZo1U2p/8uSJCAoKEtbW1kIulwsfHx9x+vRpaXlpk3wfPXokRo4cKUxNTYWdnZ1YunRpuSYp5+TkiEWLFgl3d3dhbGwsrKyshI+Pj1i/fr3Iz88vV01CPJ1E3bhxY2FiYiLeeOMNsWbNmmKTqj08PJRes2zZMuHs7Cw9j4uLEx07dhQmJiYCgEhISCixZmdnZ7FgwQIxePBgYWpqKuzt7cU333yjtE5mZqYICgoSDg4OwtDQUDg6OooRI0aIxMTEUuspSdH+BiBkMpmoXbu28PDwECEhIeL+/ftK6xYWFor58+eL+vXrC0NDQ+Hh4SH27t2rtM6tW7dEQECAMDc3F6ampqJ9+/bSpGwhhJg7d66ws7MTFhYWYtq0aWLy5MnFJlU//zV1dnYWy5YtU2rDcxOgr127JgYOHCgsLS2FiYmJcHNzE8HBwUKhUJTab//+/cXo0aOl53/++ado3LixMDAwUPq6EdU0MiHKMcOSiEjLXFxcEBwcXOXuak1ENQNPmREREZHOYyAiIiIincdTZkRERKTzeISIiIiIdB4DEREREek8BiIiIiLSeQxEREREpPMYiIiIiEjnMRARERGRzmMgIiIiIp3HQEREREQ6j4GIiIiIdN7/AUnRY2pOFpzBAAAAAElFTkSuQmCC", + "text/plain": [ + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "\n", + "TF-IDF Scores (Top 10 words):\n", + " 0\n", + "school 0.521059\n", + "student 0.387545\n", + "page 0.338063\n", + "circular 0.227151\n", + "superintendent 0.222873\n", + "bps 0.115351\n", + "department 0.093476\n", + "include 0.091377\n", + "information 0.091377\n", + "program 0.091377\n", + "Total number of files: 190\n", + "Average word count per file: 9266.252631578947\n", + "Generating Word Cloud...\n" + ] + }, + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAAxoAAAGXCAYAAAA08SZ9AAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjguMCwgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy81sbWrAAAACXBIWXMAAA9hAAAPYQGoP6dpAAEAAElEQVR4nOz9d5gd553fiX4qnxz7dM5o5AyQAKMYxSAqa0bSBHnsmbG9u+Ns766vn11717773Ou5a3vW9jqsx57gkTyjUaBGFCWKEklRzAE5dzfQOffJsdJ7/6jGARrdALobDRKk+vM8DF2nTqVT9db7S9+fJIQQbLDBBhtssMEGG2ywwQYbrCPyh30AG2ywwQYbbLDBBhtssMHHjw1DY4MNNthggw022GCDDTZYdzYMjQ022GCDDTbYYIMNNthg3dkwNDbYYIMNNthggw022GCDdWfD0Nhggw022GCDDTbYYIMN1p0NQ2ODDTbYYIMNNthggw02WHc2DI0NNthggw022GCDDTbYYN3ZMDQ22GCDDTbYYIMNNthgg3Vnw9DYYIMNNthggw022GCDDdYd9cM+gI87tu1gVi1UTUXTFSRJ+rAPqY5l2tSqFv6ggSxLd9SxbbDBx4GqY/G90aP8dPIMw8V5aq5F0gjxpa67+XLXXaiyQtYs878d/x4NRoiOYILvjR4la5bZHm3hV3vu4Z6GTSiyzGszF3h25Cg9oRRZq8TrMwO4QvCJpi18pfsQPaEU8sIz/E+OPUtA1bk31cdzY8c4mh5BIPhU2x7+5rbHUSUZ07V5a+4if3LxDS4WZlFkhf2JLr7afYjdsTYs4fDsyFGeHz/B72x9lHtSm+rnNVSc4/fOvkizL8Jv9j1IyhdmqprjW8Pv8fLUOdK1EilfmF/quoun23YTVn0f2PgihACo7892XWRJQrpq2Z2GEAJ34bhlSSJdqZCvVmmJRDAUBbGwjrRwHgJwhaj/3peXSUDBNPne2bM82ddHKhgEvGugyDLS1fsDFGnxuC+EYL5c5sjkJIaicHd7Oz5Vre9bliQc160f5516PTfY4BcFIQS24+K63vihyBKKIt9Rz+aGoXGbOX9ynG//0Wvc+8g2Hv30PhRlbT++EAIhBJbpYPi0dTm2N185x7f+8DX+3v/+Bbr6Gtdlm7+IWI5D0TIBCGk6mqJ8yEe0Oqq2TaZaqf8tSxIxw4ehbgwPt4omyYyVMxxIdPHVnsNoksJ3Ro7wr868wO5YG7vj7QBUHZNXps+zN97O72x9lKJd4wdjx/mPF14hpgfYGWsDYLySpb8wzcNNW/mfdj7NQGGG748dQ5VkfmPT/TT5o/V9n86Oczo3wWPN2/l85wHmqgVCqg9ZknARvDN3if/l6He5v7GPX+m5h6pt8cLEKf75qef5H3c+xcFkN5sjTeiTKsczo9zd0IMiyQghOJ0dZ65W5PGWHaR8YbJWmf/rzItcLM7yuY799IZSHEkP8+8vvIwrBF/oPIBPWdu45Qq3PqmWJRlHuAghkCXZm/gufK5IXoC+aFXRFRVD9u7f/sI0rf4oEc3vvZSF602w8a6DEAIJCUX+cAL8rhAUajXG83l8qkpHNErJNKnaNrIkYToOmWqVdLlMIhAg6fczUyqRLpdpj0apWBZxv5+iaeJXVUK6jk9VqTkOAjBtm1MzM8R8PnoTCXLVKvOVCpbjsKWhgatHq5rjcGxqikuZDJ/asgVNlpksFOpGT0DTGM/nqdk2bZEIIV2/oyY0v5AIGyFqIBlIKIANKICEwAVRQ5L8sPE7LUIICyHKgIskBZAkY5237wI2kqRfs9wBUQNJueV92rZDOlvi2Okx5uaLyIpEa1OMXVtbiYR9qOqdMRfZmEncZnRDIZEK4QvonstpjQghmJ3KcerIMI99et+6HJvfr5FqiqCo8hV32Aarpj8zz79+/00kSeJvHbyX7cnUh31Iq+LdqTH+/ks/xHZdipZJ1PDxLx55mk90dH/Yh/aRR5EV/v6OJxct2x5t5dMv/x7HM6N1Q8MVgpBq8D/v/BSN/ghCCFr8MX739PO8On2+bmiYjs2hhl5+q+8TRHQ/DzVtxXRtXp25wCeKWxcZGpdK8/wf+77IvalNaPLiF07FsfjDi6/TGUrwT/d+Hl3xXgVbo8380xN/wbOjR9mX6KQ9EKcv0sj5/BTTlRytgThVx+JsbpKEHqQ3lEKSJF6b7udcforf3vwJPtmyE0NReaBpM6OlNN8afo8nWndiyOqqJ6W26zJXK5AxyzT6woQ1H9OVPEW7SrM/SlAxmK7myVllOgJJAL478j59kSbuSnYDkLPKtAViABTsKsPFeaK6nyZfhPFyFlu4yEBvuLEeIfggKdRqvDU6StW22dXUhCzLZCoVhrNZWiIRqrbNq5cuoUgSD3Z3cymT4fTMDHGfj/ZolNdHRjjc3s7ZuTk6o1H6EolF258plchXqzx75gz/+NFHOT0zw5GJCZ7o61tyvhJelMOvqhiqykypxNHJSRzXJWwYDMzPM5zNMpbLcV9nJ3tbWtA/Yo6V5ShXTcpVk0jQh659hKZFwkHYZ8A6BcYjIDci7POgdCFJQXBnoPYy+D8HBGFh8gsKSB/93+1WcJ1RKuX/hutM4wt8Bd24f123L0QJ2zyB7lu8XeHOY5nvI8kJdOPwLe3j2Okx/u0fvIJt2cRiQVzHJZsv09gQ5rd/5QF2bW+7pe2vFx+hJ+qjyeYdbWzeces/tlmzOfrWIG+8dHbdDI27H9zK3Q9uXZdt/SJjKApt4QiqJOP/CEYBdqea+ZePforZcok/PXeSi9n0h31IHxsEgpJlUrCrmI6FIwQuAlVSKFq1+nqyJNPgC9HojwBeik9cD9DsjzJZydXTgXyKRpMvQkT319frDjXw0tQ58la1nuIC0O6P0RlMLDEyhBA4rsO57CRf7DpQNzIAIpqfrZFmBgoz9fSnPbF2vjn8LiczY7T4Y/QXprlYnGVPvIPOoDe5v1icrU9aR0vz9e0l9CA/L/dTsmsk9OCqr1/OKnM6O07RquGTNaYqOfrz08xWC+yItRLRfAwV50kaIaSg5y+puTY+RVtIl5I4m52k2YgSDBo8P36C7mAD785f4qGmrfx06ixdgSQTlQwt/hhBbX29miuh5jjUbJs9zc2kAgEQwouuSBJVy0IAreEwbZEIjaEQlzIZGoNBehMJgrqOrigUTJNCtYobiWC5LlXbplCr4bguZ2dnGc3lKFkWAIaqcrC1lW2ppQ4RQ1VJBgJYrktjMIhp2zQEAhybnGSuXCZXqzFTKhHQ9Y9VxPPtk8M8/9oZfvPz97C9p+nDPpyVI/JQfR70B5DkOGCCmwalByQZpAiggqgh8IE7D84kyDEkpcNb5xcURe3F5/8lzNqri5YLt4QrciBskHzIcgxJ0hGiiuumveUIZKUF0HDdWS9CgYskhZDkBIgKjnWOavm/oqhdSJKBrDR4URRA1XYjydGr9lle2KcFkoEsxwAJ1816y3AABVlJIUkal73Cv//1n3PfXb38+pcOE/DruEIwO1fgvz37Ln/2F+9tGBp3ErWqxcxklkgsQHa+CJJEc1uczHyRcrFKOOqnocm7KWzLIZcpUSrWsC0HSQJ/0CCWCOIPXHlJFXJl5mcKWJYDQGNLlGh88Yt2fjaPZToEggaFXJlqxUJWJEIRP8lUGEmSEK5gZirH7FSOI28MUCpW6T8zAYCmKyRTYcLRAEIIqhWLfLZEpWzi2K63rbCfaDyIblz5qedm8uQzJRzHm7x0bUqhG1fSGoQQTI1nUBQZn18nM1/Atlw0XSEaCxKJBzbC5VexKZ7kf73vkQ/7MNZMzPDxQHsXZcvkncmxDUNjHUnXSvxo/BTHMyOkzRIV28IWDiW7tijAKUsSfnlxapEiyaiSQs21cRfW1mQZ/RrDQZe9HHrLtRF4aUAAYc1XTye6Flu42MIhoCwO68uShE/RcIRL1bFQJJmeUIq4HuR0doIHm7ZyNjeJ6TpsizQTWpiYVx2LmWqef33uJ+jy4tdKyhfGcd01BU3Dmo+UL8xwcZ7pag5FkpmrFdFkBb+ikTUrpHwROoMJfLKGJitENT8xPYAiyTiui6GoFOwqjnAp2yZdoSTpWomcWcGvaNzd0M3bc4KKY30ohkbEMGiPRvnZ0BDbGhrY1djIfLnMZD7P+IKBETKM+sS+L5nkzdFRfjY0xAOdnfQmEpyZmWE8n2dnUxPz5TL5apXTMzO0R6NYjkPM76c9EkECgpqGcYMohF/TiBjedShaFq4QBDQNCdje0EDVsiiZJolAAO1DSjfb4DIyYCwYFDIggXUa1E3ANYa9yEHtFaDmWeT+z4MU/mAP9w5HCBOz9jPM2hsgqkhyDMP/eVRtG1btTczqSwhqgEkg/D8iy63UKt/BsS8hqCDLjQTD/xDbGaRa+RaWdYxy6T+iqr34g7+B685TLX8bxz6P4XsGw/8UQliY5ptY1VcQooIkRzD8n0aSwlTKf7xgxIDrFgiG/x6Kuqk+/0rnyjz1yE78C+n0siSRjAd54FAff/TNNz+sy7iEDUMDGB+e41/9b89y/6PbOfrWIPOzBX7jbzzO269eoP/MGN2bGvlb//jz+IMG87MFvvNHr3FpYJpSsYpwBMmmKJ/87D7ue3QHmu5d0gunx/n+n77N8OAM6dkCf+0fPM0zXz60aL/Pf/NdLl6Yom9HKwNnxpmezAHQ1Zvia//DY7R0JDBNmx988x1OHx1meGAaV8C//F+/DUCqJcZnvnKYux/cguO49J8Z58VnjzA+Mk+1YiIE9Gxu4pkvH2Lb7naUhXy9N186y89fPMXESJrMXIF//62/QeemKzUariv4z//yBZCgb3srR94YoJCv4PNr7DvUy2d/5V7iDaEP4qf5QBFCkK5WmK+UqdjeC1aVZQKqRtIfIObz19e1XZeZcpHJYrG+LGYYtIS8POblKJomw/ksjYEgMZ+PuXKZ+UoZy3VQZYUGf4CW0NKB33Yd5isVMtUKVccGAZoiE9R0GvxBQro3WSxbJuPFAhLQusxxDGTmKZgm25MN+NS11/k4CylWmWqFkmViOS6SJBFQNVKBABHDtyQlo2jWGMplaQ6GiPn8zJSLpCsVLNdBWzj35mXOfS0UTZP5SpmCWcNyHWRJwlBUYj4fKX+wnosvhKDmOMxXyuTNGqZj4wovQhX3+UkFgqjLTKQsxyFTqzBfqVCzbRRZIqwbNAZC+NXF6UHfHTnCt4ff54tdB/lE02ZSRhgBfPql31t8TYVL0bYwHRtd8QyHqmNRtKs0+lJ1g6Hm2hTtGvbCPSOEIGuWUSSJgKojr8BDKUkSuqyQ0ENMlHOLioprjs1srUhQNYho3v3eEYyzPdrCqew4R9PD9OenafZF2BS+MmbE9ABtgThf6T7E1kjzEkdESyC2pszMmmNhuw4RzYcqyXSFGijZNbJmmYQRoivk4735Id6ey3JvahNNvggJI8hgfoYWf5SiVaPiWAwWZ+kONXAw2c3bsxexhUt3KMlMNY8qK8T0D2/S7FNV9re2sq+lBfAmCw/19PBQT099nebwlWcjGQjwzNatC7Ul0B6NsiOVWlSc/Tv33FNf/5mtW70aloXz29F443q8zckkm5NepCrh93OovZ3D7e31718+lvUsrjctm1yxSqVmUTNt/IaGpirkihUiQR/JWNArVM+VyRer2I6Lrik0xkOEgwbyTX47y3a4ND5PMhYknSthWS6hoEFTIoyx8M52XJd0rsz5oRkc1yUa8pGMhfDp3vOYK1aZyxapmTaGrtKUCBP0e0Iqg2NzxMJ+8sUq5YqJqio0N4SJhrxnyHFcZjNFMoUKCEE46CMVD9X3vWbkqPeP2gWSDqLq/dfNgtwEogKiiHDzIPm9iAYaKB+hqM0HiOOMY9vnMHyfRPd9gnLxP2FbJ1GUFNXyn+ML/hqafhhJ8n43IVwM40mET4CokM/8DUKRf4Sm7UIK/iauM0U4+s/q21eUFnz+z1KrvVhf5jqTONYZNOM+DP9TVEpfx7ZOoajbEW4WX+BX0PR7KOb+MY4zgqJ2Ap4jYPf2Nk6dG8dnaOi6gusKCsUqA0MzdHUkyBW82ktVkQkGPngnymU+EoaGEIJKyaRcqhJLhlZU4GKZNo7johvqTQchgHKxyujQHL/0lx/gj//vn/Iff/d5vvQbD3Dgnl7+3f/3B1w4Pca+w5s8L3/A4FO/dDcNTVHmpnO88N33+eF33qd3awsdPV44et/hTWzb08E7r17gm//l1evud/DcBJn5Ak994S46elIMD07zx//3T4knw/zVf/AUuqHy6a8c5r5Hd/D1//ASpmnzt//J5wFQVYVI1BvIZFlGkqClM8E9j2wnEgvQf2acF777Pq/95DQtHQkSDd4L4ulfuouHn97ND7/1Ht/+49eWPS7XdTl1ZBjLtPnC1+4jEDR4/80BfvbCKRqaYzzzy3ff9Jp+lBDAQHaeZy+c5bXxYbLVKrbrYigKLaEwX92+h8/0bauvX7YtXhwa5E9OH6NsmaSrFe5r6+Lv3X0/OxuWf5GfT8/yP73yAr+6Yw+7Gpr4/sA5js1Mkq5WUSSJL27Zwd+9+0o+pwBqts3xmUmeGzzPkekJCmYNVwh8isq2ZIpf37mPe1o7ALiYzfC7b/8cVZb5B4ceYMc1x/F/vPkKb06M8tyXvkZfPLnmazVfrfDi0AA/HR5kopCnbHkpQalAkCd7NvO5vm20hMKLJiFn52f5+y//kN/acxfbkim+d+EMx2emyFQr6IrKl7bu4G8evHfNxwTe9ZouFXll5CIvDg0wnM9RtT2vvF9VebJnM7+99y7CulFf/72pcb51/hQDmXmKponpuvhVlYNNrXx1+x72NbUsMpqqts2ZuRn+YvAc706OUTBrqLJMTzTBpzdt5aGObuI+f/3cR0pePcB9qU20+uPUHIv30kMIsdi7L4RgtpLn7bmLbI+24AjBmdw4WbPC5khzfT3TcejPz3AmN0lbIEbJrnEiM0rcCNJgrNxQUyWFh5q28vrsAGdy47T4YzjC5UxugouFGR5s3EJ0IT0rrPnZFm3hWHqEFyZOkTHL3JvaRIs/Vt/enngHb80OUrCqhDUfYc2PuxBBkJDQpLUp7oU1P3sTneyNd6AsRHIeatpaj9xIksQTrTvrBd3e37s8lSVJIqga/Fbfg1eOM9bOrlhb3XB7qm03APdepaj1YbDaSfu169+okF2SJJRbMAiuNbZvRx3LfK7MD18/w8WxecpVk4BPp60xyunBKTZ3pPjS43tRFZkX3jjLqcFJaqYDQnDfvl6evn87sbD/htvPFir8v/7193n6gR1cHJsnky+TjAX53EO7uGtnJwCZQoWX371AtlClVKnR0hDhMw/tYu+WNrKFCj964yxHz41Rqpr4dY379vXw2KEtREM+/vkf/oTdfa3MZ0vMZYrYjuCePd38+qcOIskSw1MZvv3iMcZnPcO+KRHmsUNbuHtnJ4pyiwau3AKXS/rdrJfa4wyD2g0iA8IEZwRJ24fQD4NzCZRGkFefyvixR5SQ0JDkAACyHEOIEq6bWyjeDnGlK4TAddOUS7+PrKS8ony3BJ6e28I6LjcrgBWi4m1b9py3khzBdWZAVJHlZmQpjCTJyHJoIW3LrX93S28Tf/Rnb3L6/ATJRAjLchifytJ/cZp7DvTyvR8dA6C9Jc6jD2xbZu8fDHe8oSGEoFa1OPLWALWqyeGHtmMYAlVVcBwXSZZwbAfXFciKjK6rWKbN5FgGs2bR1pVclNJ0Iw49sIW9hzex681BXnvxNE996SBCwH/+vR8zO5VDkiRSzVF+8+88Uf+OZdpYpsP3vvEmU+OZuqGhKDLBkI9I1I+mXd8wqlVtvvDr93HvI9vRDY2dB7p4+9XznDk+ghCeAdHUGkPXVXx+HVmRaetcOkmUZYndB3vYffCKF6xvewtjl+aYmciSz5TrhoaqKoSjAUIR/3WNsIWUcH7zbz9BV5/n/Ug2Rjh9ZJhLFyZXdD0/SkwWC/yz11/mxOw097Z18FTPFvyqynS5yEy5hP+aCEBQ1Xiyu49tiQZOz83w7QunV7yv03MzvD42Qszn43N921FkmcFsekk0w3Ycjs1M8v9582fMV8scbu1ga7wBRZYYzXv3441SIG4XmWqFC+k5NFnh0a5NJHx+0tUyr42N8PvH3yWs63xxy85lIzunZqd5ZeQiCZ+fL2zZgQRczGVoDt56hCxbrfD108f4bv8ZmoIhHu/aRHMwRMkyOZ+eI2L46mlFlzk9N8N0qchdLe20BEMI4Nj0JD8eGiBdrfDPH36SpN976bjC5ez8DP/2yFtczKW5r7WTTfEkBbPGOxNj/N9H3qJsW3y2b1vdmNkX7+RCforvjx2nLRCnbNcYLs3T6IssOg5Z8uQIvzt6hOOZFCW7xpncBDujrdyf6quv51M0xspegbVXzJxhqDTHZ9v30RVaufGoygpf7r6bS6U5/s25n7Iz1oblOvTnp+kNp/hU255F6/eEGmj2R3ltpp898Q62RpoXTUD3Jzp5qHkbb8wOMFJKe+lSwmW+WqQjmOAr3YcIyPq1h7EiFEle9J6WFmov6n+zVGZ1uUjU5e8qd4jqhRCCilNjvDJDyamgSQoNRpyUEV9RZOrjRrZQIeDTeOKerXz7pyeomTaff2Q3750ZZXgyzZ7NrRza1cWjh7YQC/l55f1+vv/qaQ5sayca8t9UVKlSs7g4Ns9//+UHcByXb//0ON99+STbejxDPp0rsbO3mb/9mUNUahZ//Ny7vHlyiL7OFD8/OsiJ/gmevn87e7e0cWpwkm/88H2ak2EO7eoC4PVjF/k7v/owOzY1886pYX73j17iyfu2EQ4YPPfqKSzH5X/+K48jAc/9/DR//uJRetqSNCVvLZIr+Z++8ofSjBT661c+UzdDaPOVv/X9wL6Fv25+j9muzXB5kqxZqC/zKQa9oTb8iu+m33eFTcGaoubkCWopgqo3P7LcKkVrCkeYBNVG/GrspttaT4RwEW4Gxx7EdSZwpACO2oskp0DyY1sXABnHHkHVdiIrLchyM7Z9FrAAGVXdiuuMIdw59MAXEKJKrfr9+j68WgoZy3wfWU6iqN24bh7b7sd1JkE4OPYYkhxDkkI49gCWFMC1h5CVroUaDokbGSmXhufYtrmZYqlGseSlWEl4Bkg6WyKdLQE3dkR8ENzxhgZALlPm/df7eebLh1AUiUv903RtamRmMksgaDAzmcV1Bbqh0tqRZHYqx+D5STRdpak1tuL9hGMBZFnCH9SJN4SQFRl3ISpiWY4njWg7zE7mSM8VqJZNbMdlfGQe4QrMmr3qc/MHdTp7GxfVSCRSEcaH5xeveJNBVAhBpWwyO5kllylTq1o4jksmXcSxXWzbWdVxSRJEYoG6kQGgqjKhiI9SsXaDby6llK+g6Sr6dWR5c3MFwvEg8go9O7blYNYsDJ9WTwe7Vf7bmeO8OTHGr+/cyz849ABBzZsUebnvTt3wuowiyzSHwjSHwvg1jVfHhla8r58MD/IbO/fz23vvIqIbXi3Own6uJlOr8KdnTzBRLPDX9t3N13buw7eQp+0KF8t1kT+ESVNPNM7fOngvmqzUc7ldIeiNnebfvP8WJ2en+URHN51abMl3fzw0wG/uPsBv7bmLoKZd99zXwpvjo/zoUj/dkTh/79D97EldmQzbroPtikUKORLw1W27+cLm7TQuGDpCCIbzWf6XV3/CUC7LmbkZHlxQ38pWq7w0fJGz87P8pV37+NrO/fW0tWPTk/zu26/yrfOn2JZIcaCppe5dFwiOZ0Y5nhml1R/lt/oe5LWZfpp8V4oBFUmiN5TiM+17+dn0BSqOyf2pzTzWsp3WwJXr6Fc17op20xKIcSIziizL/HLX3XyiaUs91QlgW7SFJn8E/4KkbM6sMlbMsTWWQpU9WdjuUJJ/uPNTPD9+guHSHIqscG9qE480b6sXeV+mxR/jvlQfWbPMXcluesOLo2U+ReOr3YfoDiZ5Z+4iA/lpNFmhxR9lX6JjSUH69bBch6pt1w21D5OKbZGuVfApKklfYN23b7oWRzNn+fOxFxmvzBBU/Nyb3MPn2h+h2dew7vu70/EbGrGwn67WJJ0tcZobIvS0JjlxYYJqzcbv04lHAsykC0zO5RECsvkKNdMrzr3ZS9Lv07h/Xw8dTTFcV3D/3h7+4C/eZnjSq0lraYhyz+5uOprjCCHobk0wmykyny1yenCSrpY4+7a2k4gGeHD/Jn76zgVODkyyo9czVO7Z3c3uza0E/ToPHezjd//wp4zPZOlsjvPakYs8dngLF4ZnAO/9MZ8vc2l8/pYNjdVx44nrtZSdGt8ceYE35o/Xl3UGWviftv1luoKtN/2+IyxmKicZK79LW/AutkQ+BYDlFhkvv0PavERP6CE61HtusqX1RuC4k9j2eQQ2jjOOYw+g6XehG/di1l6nVn0RRelA1fcjy2F8wV/FrL5ArfoS4CIHW1DUTSjaFszaz5GkCIb/c1y+xp6q1CeoVX+Mqu5EUbsR7hyOdRqEievOYdvn0PTDaPphzNprC/tsRdMPgqShaluQZO/+UNTNyEojXCVI/Q//5lO4rsvsfJFyxUSSJEJBg0QsiCzfGQ4V+IgYGpqu4A/oRONBalWL00eGaWyJMXhuklRzlAunx0k1RSiVvALt6YksQoC1yon/1U1OVO0av5cAy3I4c3SYn/3wJJWK6TU9cgVz07l6E6PVEggaSybYEtSbN62UQq7Ce6/3c+ztQcyajesKhCsYHphZNgJyMyRJIhha3mMhVnlsl06PEUkESbUn0X0aiiJTLlSRZQndr3Pi9Qvsvn8LuqHiD/lwXUExW8YX0NEMDatmofs0HNsLQ5YLVTIzeZq7G1BUBbNmYZs2ul9HliUc2/WaJOoKuqHdNCWhZts8f/ECQU3jr+87VDcyLl+Hq1V51oOQpvOZvm11I2O5/bhCMFcu8/OxYfriSX5p6866kQGeB9y41ZD7GtEVpe7lv3I8ElviDbSGwmSqFSr28s9eSNP5/ObtdSMD1ucaW67DkekJZsolfnPPQXYkGxd5tVVZQb3mckmSRNTnW7rM8LG/uYVnL5wlfVV/kdFCjqMzk/TG4tzb2lk3MgD2NDazv6mVb5w9QX9mnp0NjfhUlZBm8KWuu/hS112L9rPpmom6wCv0fqR5O480b7/ueTpCkPKF+Wr3Ib7afei66/1Kz2LZxKF8hq9fOMY/ufsx1IXIgizJ9IQb+J1tj153O5fRZIVPtu7kk607r7uOT9F4uHkbDzevPUQ/WylxJj3D4x19N1/5NlOxLUYLWeKG/7YYGnm7xAtTbzBYHAWg6tR4J32KrmArT7Wsn6EhhMARAntBjSpqGLhCULIsDEXBUFXPwLNsNEXxenDYNpbr4FO1BSUzuHqC6gpB1bbwqRqaLFN1bGq2Q0jXUSSJgmmiyTI+deWSxooso6sqsgSGpqCrCpLk7csVgotjc7zy3gDpXBlZlihWauRLVVyxsnevIsv1mglZlvD7NFRFplD2HGdBn1ZPwZIkCVXxesYUyjXKVYuuFh/+BYegLEskIgGvXsT29t+UDKPIV8Y0TVWomTaW7TCdLnC8f4KhiStCG7v7Wgj61xbluxOZr/ZTcwsI4RLQGojr3Wiyn47Q/ZiitGjdgNpAR/DeJYr/FTtDwZrAFlV0OUREa6Noz+BX4lhuCdMtEdU7yZpDxBa2vxYkSUHTdqFpu5Z8pmo7UbWl45yq9qCG/rsly4Phv7/sPmQ5hj/0W4uWKeomAuG/tcy6W1G1pQqgSuCX6v/vC3xpyeeVqsn7J0Y4dnqUUtlEAmLRAPt3dbBrW1u9SPzD5o43NCTJU2EKhv2kmqMU8hU0XWF4YJp8rkyqOUIw5GPTtlaGBqaxTMebuBgqS9zQt0gxX+G7f/ImuUyRv/Q7j9PRm8LQNV5/6QzPfv2NNZ/fSpEVCddZflC9dGGKH37rXVLNUT77K/fQ3B5HliT+4N+8SHqmsOx3bnps6zSPzczkyc0XmJvM0r2tFdcVzIzNU85X2Xqgm8mhGWINIfLZEnc9ugurZjF8dhzTtNl972YunRmjfVMTc5NZks0xSvkKmekcTR1JSvkyU8NzlHIVEk1Rog1hpobnKBcqtPc1k2iO3vT45iplZsolemNxGgO3P2+1JxonfJWRsRyO6zJTLlG2TLojMeK+tQ2otwMhBEXLZKyQZ7ZcWigIdxgv5slUKwQ0/brGaG8sTvA2NPkqmiYz5SJh3aAtFFlklN3oPFwhGC3kmSzmFwrCHYqmyaVsBoFY5EDIVCtMFPPsSTUvSXOTJYmOSJSQpjOaz1K0zBUdw6LjWeV6M5Uiw4UsZcvEUFS2xBrQZIVLhTRd4ThR3ceJ+SlSvmB9YvjezBiuEDQHw2yPN2K5Dhcyc8xVS8iSRMofYls8RdkyuVTIMFcpYSgqXeEYLcEIc5USF/NpTNdBWVg/bviZLBVoDYZJ+AKcTk8T0300BcJMlQsMFzLYrkvSF2B7opF0tUJ/dg7wDMSEL8D2eCNz1RKvjF/ktckh/KpKgy/IlljDsvfKfLXMXKVEUyBEzPAzXMhguS5twQiZWoXhQgbTcUj4/GyLN6LJCm9NjRA3/MxXywAcaurAES4XsnOkq2UUSaYpEGJzrIGCWWO0mMUVgshV0ZWZcpGhQoaybREzfPRGkl76Xz5N2TYxHa+ua09DC35Vu6Hv2HJtZmqLFd4qTpW0mVvhnbBypktFLmbShA2D7Q2NjOVzTBWLGKrC9mSKqVKR2XKJ9nCUqGEwWsiRr9Xq46GuKMiS5BnEisJYPo/p2GxNegbRxUwGVwh2phrJVCuMF/KULJN7WjtWbmxIV3rKSZK0yPHuCsHL7/YzMpXhy0/sZ0dvMwOjswyMzq34GriuoFQx69szLQfHFfh0lWrNQpblZesldFVB1xSqC0aDH8/4Klctgn4deaEJr6YqyzbFk2WJhniQX33qAPfs7l50vh+nFLmMeYmSPYvtVqgUMzzQ9A9YTfTEcqtMVo4xX+tHk3xYokJb4G4myu/TFriL+doA6doAexK/yvncD9iX+PU1GxofF946convv3CczvYk7S0xHMdlajbPd54/imU73HfXh1t7dpk73tAA70HdvMML0xmGRu/WZuamCyQbwsSTXqFMIGTQ1BojHA2gqDIzE1kSjeG6CtR64NguuUyJeDJEa2cSCYnhwRnOHB9ZNEAJIXAdgWXZVKsWrutSq1lUyjU0TUVRV98eXlFlYokQ48PzDJydqEvlBsM+AkGDasWkWrVItcRINUexTIfBcxNMjqbxXeU1EULg2C6WZVOrWt6AWapRrZhomrLi9KXV4HnEZCYuzRAI+Zi8NEulVGNuIk1jRwLhCiRFZvDEKFv395CZzTM3meX0W/3sPLSJ9FSOUq7CzHiah79wN7bpMDuZpadikp7OMdY/hREwKBUqWKbN6IVJgtEAhn9l1nze9PoPxIwPZtCKGL665+t6uEJQMGsokrxuaSTrYXcLIRgv5vnx0CDvT45TsGr1QtOCaTJdLtEWvr5xFzX8t+XlWrEtTMchqGkrbiDmCMGLQwO8NHyRyVJhQXVIwnIdxgv5JeubjucR1he8wNfiVzVUWaZkeUpJt5t3p8d4d2aMBl+AhC9AW9DrofD9S+f45b7dRHUfzw2d5Z6mTsK6wVy1vDAhtvjJ2AD/8MBDOELwx+eP0BgIEdf92ELQF00ymE/z45ELRHQfeavGcCHDE51beHdmjKOzEzQHw/Rn5+iNJjjQ0MbL44M83tFHwhfghZF+dsRTGIrKc0NnAQlZkhguZPgbu+9juJDh3558gyc7t5CtVZmrlPi7+x4kZ1YZLmSZLOUZyM3jCMGW2PKe/bxZ5cej/Rxq6uDuxnZeGOmnwRcgpOn8aOQCNcdGkWRGi1l+e8fddIRi/NH5I9zd2I4mywgBdzW2ka6W+fr5o975G16e/+ZYAzXH5kxmhjPzMzzc3ktLMELJMnljapjBfJqQZpA3qzzYYhMzfHzjwlGaA2FCmsGp+Snihp++WPK68sLg1Z5EtCDjV4JmGIpORFtar1SxLKwFoQJtmfvbE69wCGr6shP7yWKBM/OzPNW7mapt8erIEIosYbsureEIM+Uig5kMuuL1dxnMpPGrGgWzRs12aAh4csEugrBucCE9S2ckhq4oHJ+eIl+r0RGJosgyr42OIITLcD7HtmSKZnUdFAqFIF+qEgn5aYgFqZk2J/onyRerK95EzbI5NTjBoV2duK7gwvAMfkOjNRUlW6hc93sBn05PW5LhiTSXJubp60gxOZtjcjbPE/dtrUc5lkOSvO9v62nmndMjbO1uIhL0Ua6a1EybVCLEx6FTriscQmoTfiWJi8lbM/92UU+flVC25yhY4zT5dtIZuo/zuefJmEPIkorpljCdIo6wKFoz+JQYsnRneOs/TL713BGefmQnTz+6C2UhAlcq13juxZP86OXTG4bGalBVhUOf8MJKuqGyfW8nQoh6IXPrQmrQ5cl3Q1OEHfs6191r6g8a3P3AFt75+Xm+9Yev4fPruI6LbTn1QmvwIh+njwxzqX+akYszpGeLHHlzgHKxRjDs496Ht9HcnrjBnpbi82nsP9xL/5lx/uz3f0a8IUyiIczhh7bSs6WZlvYEW3a2ceH0GN/6QxNVUxCuwPBphMJX0kPmp/MceWuA2akc506MUa2Y/PjZIzQ0RQhF/Dz1xbu8TuHriLQwqZYVr6hTkiVK+TL+kK9et9Gzo42JwRnMqsXQ2XEy03nMqonh1+na1sor33mX1t5GNEOjUq5SSBeZm8wiyxKS7D1g8sKDFkuFae5KEYqtLDphKCqSBBXbXNfzvh6easuN701JkjBUxfNEO9Yt79MVAtN1Vp32di15s8aPLvbzR6eO0hdP8lTPZjojMUK6zkg+x3858f4Nv+81UVt/NFlBkWVMx1lxGuP59Cz//O1XkYCvbNvDlkSSqOHHch2eGzzPKyMXr9mHjKGoWK6L5Sw1JGqOgyNcDFW54QTzWnRZ5eGmbTdVBmrxx3i8eTtbFlSofKpKazBMSyBCVzhOwhdgunxZbtn7na/+vTVZ4YubdhFQNf6HV55lqJClKxwj4QvQs/D97fFGKrbFmfQMQ4Usn+7eRn9ujqFChkv5NKPFLNsTjXyuZwd/cPY9nGXSVgQCAYyV8rw5NcIz3duI6j7enBpmqJD2ireR+LUt+5mrlvjdIz8jUyuzJdrAI+29pKtlfmPbwRtei45QDL+qMVHKM1zIMFspcjDVRsGs8fb0KA+0dNHoD/H+7BiX8hnaglEkoDMUW5SWpUgySX+Q7kiclC/IlphXrNrgD3JvUxfVq1IAp8oFxkp57m5s58HWHv7bhWMM5ObZHGvAcl0eadvE3oYW/vE7LzJVLtITSXAjmzekBrg3uZf5Wo6MmcevGOyK9LEzsnhykKlUGMnlSFfKdEajdMfii4o7JwsFxvJ5RvM5Dre10xIOL3nGZEliczxJVzRGvualCpVMk8ZgCJ+qEtR0CrUa44U825KpheiFQJFkfKpEulIhb1ZpCoYJ6wbNwTCb4ol6mqkiewa667qossRMuUrUMJY1+l3hMlfLciJ7AVVWaPWnCHPj96Esy2zraeLtk8M89+ppQgGDuWwJL/CxshHFdQUz6SLfe+UUlZrJ6HSWB/b10pgIcebi9b8nSRL37e0hnSvz4lvnOXJujNl0kY7mGPu2tt/Q0ADP0Pj0gzv43iun+NZPjhHyG1iOQyoe4sl7t33ohbrrQcmeYaDwY1K+HTjCxBG1BWW4lSNw8ZwS3rRUllRwK4S1VnLmKEgQ1lqYqZ4mpDWhSB9+HddasF2H0fIUg8VRdFmjJ9RGR6D55l9chpm5PDu2tNbrMSRJwmdo9HY28Nq7A+t52LfER8LQuBZJWqoycu3nqyGaCPLUF+8i1RJDkiR27u8invSKwSVJ4ukv3UXv1hYCQZ0nv3CAeEOIuakcsirTvamJ5vY4EyPz9VoIx3YplWqUilWSjREe/fReAKoVr5GeZXqTlB37OwlF/ERii/N/D9zXR3NHYlEUVtNV9h7ehOuKeopYOOqvRytaO5M888t3c+K9IXLpEr6AzrY97RwWWykVPFlg8OpMivkqlbJJV18jXX1erni5VMNx3LoX4t5HtlMuLS76DoZ93P/YTjR9dQXYHZubyc7mkSSJhtY4qdYEY4PTCNclmgyz7a5eNF2je0cbwWiA5q4GGlriNHUmkRWZWCrCpt0ddG5tQQiB4dNp7EggKxLJphi25ZCdzZNqT5BsjmH4dUKxledUpwJBwrrBSD5HwawRNW6upnG7UWUvLUWV5XoawtW1I8uhyDKyLFFzbOxrJtuZaoXigjTurTBVKvLO5BgBTeMr23bxZM/m+vNWtqybKr/cLsK6QdznI1erMlcpYznOsp7fq3llZIjxQoG/uvcgf23f3XXZztlyadkXZNTnoykYIlOpMFsukboqzc4VgqlSgZJl0RK8fi+V5QioOl/uvrlc9KZw46LajsNNHUR1H/3ZOX40cp6nu7YS0X3YrlPPa8/UKvV7QZEvT/G9e8URLkFN51c27+XI7DhnMzMM5Ob5ct9uLNehbJvMVcvEDT/bY40LheWeVKqEp+wkXOqeccf19pmrVRf+9gQL0lXvGB5r7yPlDzFfKdMcDHtF6Uj4VA3r8v0qvJ4iN/OGqrLM3mQzR+cmeW7oHO2hKK3BMHmrVu9zokgyn2jpoSUYrt+XHaHF0baEz88vbdrFsblJTsxPMVzI8utb9y+7TyE8nZ7L94kiyV6TRCFI+AJeqpQk4Ve9hofiJslwfsXHQ413EVQDzNUyBFU/2yO9dAVbFq03nMtyYnqasmUiSxKt4Qj+qyanc+USFzNpxvJ5Dre1L3vvNgVD9XHNr6o82NnFeKFAwucnoGoENZ0dqUaihkFzMETVtpmrlGkNhYka3tiIBE3BIEm/H5+iEFy4x3c0pDg9N0tpobnfvW0dDGYzKAv1TtdiuhbHsuf4Lxefxa/4eKTxLj7f+AR7N7eiaSrhoI/929qJBA2iYT937+ykpSFKMhbA0FSGJtI4rstjh7fQ0hChMbGyiInfp3FoZydV06ZmyTx0YBP37O5GkiQ6m+M8dFcfyeiV98auTS10NscJBwzaQlE+9cAOjp4fI50t09kS5/CuLlqSnoz3k/dsY3NXI+plp5oEX3xsL62pGJqqcGBbB6qicHpwkmK55vXwSIY/FkYGgOVWqDpZVNmHKgwMOYJAUHMWir5rg6iSjyn1BEnfZkynwETlCJnaIKZTwK8kCKopAmqS+Vo/NSdP3hyjwbeVmN7J8fTXaTC2EtHbOZ39NjtiX0SVP5qGRsEu8drcUX4w8SpRLcQX2x9fs6HR193Iq29dQNe3E4sEcF3B1GyOI6dG6em4cwQlPpKGxnqTTEX45b9yRWv94H2bOXjfFUm4L//mJ+r/39AU5VO/tHRS0Lf9igJDLBnisU/vu+l+r93PZR54fGkhkiRJBIIG9z++k/uX+VzVFHq3ttC7tWXJZ1fT0pHgi3/p/huuA/D4Z5e+bMPRAE98/sBNv3st3dvbEFtb6058SZJILHRaR4K9D3rFo1v2dwOw657NC9K+3heCET/3PLW3vr2uba10bbtyvcOJIIgrkZNwfHV1FmHd4L62Lr7Xf4Zn+8/yK9v3LPLEOa5LzXFWNXm8VWRJpjEQZHeqiYFMmp+NXOKT3X2LJs+W4+AiMBYKqaOGj7CmczI7zXS5iO26qLKM5Ti8MnKJuUp5xXUA18ObPHopGlHDV58MFk2T4zOTjBfyJG5D4ezN8KkqO5KNvDx8iZ+NXmJXQxM9sfgizf+yZeFT1fqyqm0hS9ASDNeX2a7LSD7L+1PjS/bRHoqwJ9XEi0ODHJmeoDcWrzc+HMplODE7Rczw0RdPLJFDXm+EEAzm5hnKZ5AkiaxZpWxbdIVj+BSVn41f4kJ2jmztqtQSAT8ZHcB0bUKaTlc4TtW2eXNquD7hmSkX8asaOxKNTJeL+BQVCe/e6gzHaMqGOJ+dw710hgvZOTpCMaK6H7+q8ebUCOOlHHPVEgJBeyjKoaYOIrqBX1VxXEFrIMx8pXzdXgwBVcMRgm8PnqIvlmRfw/WVbbYnGnl7epQjs+P8xraDJH2ew+DupnZCmoFPVXFdQUsgXFdnu3q3l2uN3p0eQ5YkT4ChWkYIwWS5wM8nL3E6Pc1spUTKH6IlEKLRH+LE3BRT5QIjxSx3N7Z7og5IqzayZUkioUd5ovnG/WM0WcF2HQQQ0PUlk9OQbjBdKhLUl08blCSJtvAVOWVNUdgUS9AbS9T7cfTE4nRHY/Vt70o1IrhiVDUGQ4t7d1w1xMZ8fu5r76w3EAzqer355nL9QSpOjdO5QUpOBReXmmsSCfo4fFX9wn17r8i0P3TwSgTqiXuvCA3kcmV6mhP4/Sur+VIkifam2KL9XGZTRwObrpmYXe6vcZnNnSk2d6aW3faXHt+36G9Zlvmtz19RUjJ0lbt3dnL3Ndv8uBDR2ugKPYArbDTZz674l5GQYSFKkTA2IyPjCAshXFxcNMlH0tiCKhsL3wvQ7N/LfPUCNbdAg28bjb7tGEqEtsBdxPRuglojncH7iOs9yB/R6WvGzDNYHKXkVFBlBUusPWPhi8/s5y9eOM7EN7NEwn5cV5AvVtF1lWceW1ro/mHx0fylNvjIIV1Tk3Dt34s+k1b30r62cHAtfG3nPk7PTfOfT7xHrlqlL5FEk2XytRrpaoXOSJQne64YhUWzxmSpSM2xOZ+eI1f1VLTOpWe9qIui0hQKeUXfazymhM/PV7bv4V+9+zr/z/H3GCvk6YxEkSRpoSu3xd7GZu5qbgMg6fOzJdHAWxOjfPv8adLVCiFNZ7JY4NWxoXqn86txhWAol6Fq2+TNGrOVEpbjMJCZJ2b4MFSVqOGr97lI+P30xhI8P3iBF4YGKC90UD8/P8f70xM47voKMKyGB9q7OD4zxRvjI/x73uZQaztxn5+abTNTLqHKMl/csoPQQs3L/qYWJCR+PDRAKhAkoOlMFvO8OTGKuUz6VdIf4OGOXk7OTvPd/jNULIvOSIyybfHm+AgXs2me6d3KlnjytjQ1uxZZ8mRqDVnhiY7N9EWThHUfj3dsZrSYRZFkvtC7ky2xBnRF4Ve37POiHZbLVzbvJab7KNvWgtytTEcoysOtvWiywpZYA7brMl7KexEQScKnqNzd1I5fVak6Tn0yH9Z0Hm7rZaiQQZZkPt21ja3xFAmfn892b+dMZtproCd7tRrtoShPdW4BIKjpfLJjMylfEEmS6AjHeKZ7G0Wzxs0e6pBmcF9LFx2hGFsXzlFXFJ7u3MrZzAw1x0aSr/Tc+Gz3dpK+pU4IZUHud1M0QV/0ymQzbvg5mGpDXzC2QprBPc2dnM3MUDBrHGpsZ3fS64L+cFtPfdsPtfbQFoyuKn3uRnRGo0iSZ8x3RqJLOpiP5fNsiicomSbpSoWYz3fTaJ50TQqjLEmLrLBlP7/R9lhsUFxvfYGg4lS5UBi64fZuRi5Xpr9/moaGMG1tceQVyidvcHtQZYPNkaeXLDeUCJvCjy1ZritBwtpSL35YbiGsLXWWbop8sv7/22Ofu8Wj/fAQCNJmjpHy+vQiO7i7C1WROXl2nFy+gqLIbN3UxJ4d7WzpXb5x8IfBhqGxwQbA7lQTf/eu+3i2/yzPDZ5DH/LqNoSAsK7zhS2Lo0hn52f5/ePvUXUcstUKw/ksAH986igxw4+uKPzl3Qe4r7VjWSWSleBTVT7R0U3JrPHjoQG+feE0mqzUj6s9HGHzVR2+DVXlk919zFfKvDY+TH9mHr+qEdBU7mntJKIbvDY2vGgfFdviX737OkXLpGrbDGbTlCyTPz9/ildGLuFTVfY3tfDf7/fkUpO+AJ/s6mO8kOeN8WGOz0ziU1TCusH97Z2o8ofR2cOjIxzl13buJWoYvDs5zpn5mfpkTyC4t60L56rUsYPNbfzK9j38bOwS/+7o2/hVDUNV6YnG+er2PXzjzPFF21dkmT2NzfzmnoN8r/8s3xs4h4RXVB7QND7Vu5UvbNlBwwegXCZJEruTzexOLn1ZH2xs42Bj25LlrcHIkmVBTedLm3YvWR7SDA41dSy7jcvbMV27XsOwt6GFvQ1LJwi90QS90cX5920hjbZQpL7/R9p665/FDT9PdCyN8l6PA6k2DqQWn2t3JE53JL5k3ae6FstHSpJEzPDzpU1LPX9Xn+fVtIeitIeWih3c39K97P+vB55SVKreKeJa731Q11BlCX1Bmna9axPXE1e4zNQyTFXnb77ydRgfzzA7k6e/fwpNU2hpid30O0G/zq8/czedzUvviw02+KAwHYvp6vy6KcvJssS+nR3s2d5OqeKlVgb8Oo7j9dZobPgge7Rcnw1DY4W4wmXenOTtuR8S01M8kPpgrWrTrXI+/z7z5hQ7I/eQ8i2dSGywdmRJ4vHuPrqicQYy82SrVRzh4tc0Gv1BtiQWh9WT/gD3tt04DN7oXzzh7IhE+RsH7iHu8xO6Sb0FLPR00A0+t3kHOxqaGM5lyJsLmu+aTmsovMjQANiSaOAv7z7APa0dzFfKSJJEYyDE3sZmxgo5HmzvouGq41IkmUOtHdctoJYkifZr0i72NjXzt4x7uZCZo2Sa6IpKZyTK1kSKPalmSpZZb4B3mc5IjL998D4aAoHbllYkSRK7G5pI+YM80N7NVKlA1bbRZIWoYbApnlyU/hbRDf76/kMcam0nXa0gAQ3+ADuSjRiqSsofYFfDYq9QSNd5sL2bjnCU/sw8uVrVa0wXCrM9mSLpD3wg0Yw7gX0Nrdiue9PaoQ1unWsjDFezPZViulhEliSaQ+HrdkW/E6g5Fv2FYWyxdlW2oUuzhMM+QiHfipuSBXw6n3nozkkl2eAXk7xdZKQ8uayIxlqRJAlFkYhc1fdsPlPmBz89yV/5yn3rtp9bYcPQWCECQc6a483552kP9H3ghkbVKfNu+kVma+MElciKDI2aUyZrzRFQwoS1DU/OzZAlia2JBrYmbl5E1buQ47waGgMhvrBlx6q+I0kSAU1jb2MzextvXjAmSxLd0Tjd0aW/dyoQZH/T4px3n6rytZ37VnVMflVjR0MjOxqWhmYPtbQv+52mYIjPb9mOzI2FHG4VSZJoCYWX9Lm43rrNwRBP925Z9vPPbV6+cZ5PVdmWTLEtuXy+9i8KfdHVNwLdYP3xqxrdsY/G+F5zTc7mL93SNoJBg3SmRCZTorNj4x7c4KND1iwwVJq47fsplU2OnRqFr9z2Xa2IDUPjI4KMjE8OoEoafmVlqRlT1RGOZ19lW/iuO9LQSJs5+gsjjJQmmbdy1JwaEjIh1U+jL0lvsI2+UCe6sj4ecIFgvpZjvDLNdHWeuVqWkl2m6pi4CHRZw5B1YnqYRl+CDn8T7YHmdcu1Bk/abrg8wWh5isnKHEW7TNWpIUkSES1Eqy/Frlgfzb7bpxjhCJfR8hSXSuNMVebIWgVM10KRZAKKn7AWoMPfRFewjSbfrdUbTJRz/HzqIhdyM+StKoas0hqI8FBLH9uiTR+K6krOLDJQGmGqMs9cLUPZqWK5FgKBJmv4ZK+XQUKP0uRL0uZvJKqHViyj+VHAFYLp6hznC0OMl2fI2gVs10aVVMJakBZfA5tCHXQEmtHk9XtNCCGwhcOl0hiXShPMVNMU7BKW60WeAoqfqBamI9BEd7CVhB77QCJEpmstSE6OMV2dp2CVsIS98Ez4iOsRmnwNdAVaaPTF0eSPtoa/Ixxmaxn6C8OMV2bJmgVM10RCxqfoRLUQLf4UPcE2mn0NqOtQA+EKl4yZp78wfPOVb8CmTY3MzRdpSIZobomhrkKOXQhBxa1xqTjGcHmS2WqGol3GEQ6arBJQ/ST0KJ2BZroCrUS10G1xjFiuzXRtnoHCCBOVOfILY7AsyfgUg5gWptWfojfYTsqIo6zT9c/bJc7nhxgtTzFv5qg6NS/dRvHTaCToCbXRHWwlpHqCHvJNFD5XixCColPhUnGMkfIkc7UsRbuMK1x0WSOg+mnQY3QGW+gMtBBWA7fl+puuxWRlloHiKFPVOfJWCdO1UCUFn2IQ1yO0+lNsCnWQ0Nen3sp2HaaraUbKU7e0nf/6rbdIZ0s3XCdfqFKt3ros/nqxYWh8RPApQR5q/BIlJ0+rv/fmXwCmq8NcLJ6iI7C8x/Z2cixzjjfmj1O0FrrwJndxV2InITVA2a7w5txx3smc9iY5Vp6yXcUWNhISuqwRUgMkjRg9wTY+kTrIrljfmid6OavAufwlzuQvMlqeImPmKVhlSk4F07UWFF0EiqSgSgp+1SCk+olpEbqDrRxK7GJ3bMstDTaOcDmV7eft9EkulsbJmDkKVomaa2G7ttc3Q9aJaEF+NttAWL25Mbk53MkjjYeI6SvLw3SFy9n8Jd6YO86l0hjzZpaCVaLi1HCEiyxJaJKGoWhEtTApI8bWcA/3NuylK9iy6us/mJ/jDy68zYnMBFHdT1DRyYgyx9MTvDZ9id/Z8QD3NHavqyF3IyYrc7w+d5Rz+UvM1NIU7DJlu4Lp2jgLqRyKJNdfNn7FR1gLENcitAca2RHpY0u4a0XX+7XZIxzJnKPqXJGI/lLH43QH21Z1vjXH5Fj2PD+bea++LKaHeTB1gO2R648DP51+m5O5fsyFHixPttzPzsgmVFkhbxV5YeoNjmcvMFtNk7eLVBwTVzjIkowh64S1II1GnG3hXh5I7acn1HbLhpYrXI5kzvL63DHGytNkrDxFq0zVNXGFiyzJ6LJan2g1+RLsjPRxKLmbFn/Dmvf/B5eeZbaWAQGarPLbvV8krHnPl+06jFWm+On0O1woDDFv5hYdkzceqYvuhftT+7m/Yd+yjfWW47mJVzmbv7iiHjYpX4KHU3fRE7q11NgfTr7GmfxFHNdBkiQ+0/oQ2yI9uEIwX8vy8uy7nMz2M1fLkLOKVJ0atnCQkFBl7/6PqEFSRpztkV7ub9hHe6B5xUbfZaNiuppmujrHdC3NTDXNdHWenFWsr2e6Fu9lzpA5+wcr2m5PyHsfdHd7jpiVTkKFEFScGu+mT/Ne+pRnXFl5SnaFmmviCq9niC5r+BUfcT1Ms6+BfbFt3JXYQcKIrur+++7YT+kvjADgUwyeaX2QTSGvE/10dY5XZt7jdG6QOTOzMAabOMJBRkKVVfyKsfAMJtgV7eP+hv00+5JrmnQLBBW7ytvpk7w1f4LxsnfuZcdr8igBuqwRVAMk9Ci9oTbub9jH9kgvmqShSLdu5AghKNhl3kmf5Ej6LJNVz7i9/A52hUCVFDRZJaj6FwytRg7Gd3AgsY2ItnJHT80xeXb8JYZLXsF1VA/xZPP9dAdbF573aV6dfZ+z+YvM17IUFpx9l9+BqqQSUHxEtCCNviR7Y1u4v2E/ST26out/2Zkyb2aZrqaZqc4zXZ1nppZhrDxFyS7X1y3bVX4y/RZncjdo5HIVO6Ob+OFr5ziwtZuA//opq6oq33LPrPVkw9BYEx+8Z1OVNdoCK+/yaDpV5mqTlOz1KTpaLZPVOd6ZP8n8QtGTKitsDXdTdUy+P/EKb82dYLo2vyRXUSCouiZV02TOzDJUGmeoNMGjTYd4vOmeVXlXa47JW/MneHP+OCPlKeZrWSpO7br69rawsYVN1ayRMfOMMk1/YZhz+Us8kNrPp1oexKesXru7bFf4yfTbvDr7PsOlSapubelKQlB2qpSd6ooLJS1hc2/DXuDmE9+iXebFqTd5Y+44Q+WJRRPgyzhC4IgaVbdGzioyWp6ivzDCucIlHm68iwcaDqzq+v94/DwD+Tm+2nuAXfEW/IqGLVzma2X+47nX+aP+d7mroRPlNnSjvxqB4O35k/x46g36CyPkrOIN7gEHWzhUXZOsVWCy6jUEO5kzOJ7t56nm+3mi5d6bvvSGy5O8NX+cwlUvlUea7qYr0Lqq4cMRDqPlaX4+d6S+rMXXwNZw9w0NjcHiKG/MHafiePK2Lf4UW8JdzFbS/MnwDziRvUDWKiyzP7d+H85U57lUmmCoPM6TzfdzML5jzZ7tvFXk2fGXeTd9irHy9LI5+o5wqDgOFcd7/oZLk1wojHA2f5HHm+9hf2z7mvZ/JHOW4dIEAjBknc+1PUJYC2K6Fsez5/nO6E+5WBqj7CztMl0fj1yTjJVnhCm2RXtXNfk6VxjitdkjuCsQl+4JtrE3toUebs3Q6C8M8/rsUawF5013sJUt4S6GSxN8Y+SHnMtfWvb3FwhM18V0LfJWkfHKDIOlMS6Vxnmm9RN1Y/VGTFbm+OboC8zW0pTsSv2fslNd8rs7wmWiMstEZXZF51VyKhyM70Dyrfwhuhy9+87YTzmRvcB0LV13LFyNLRxsx6HsVJk3s1wqTXChMMyZ/CBPtdzPlnDXin/3s/mLvDl/AvD6pfSG2ukKtHChMMKfj/6YC8Uh8tZSr7SDwHFNagvjz1h5movFUS6Vxvls28P0hTpWde8JIchaBb479lPemj/BdDWNy7XvXOrv3Hkzy0h5ksHiKJ9supf7GvahyxoS0k37wlwPRziMlKf4i/GXOZUbYLaWWbZGwRI2lmNTdqrM1jJcKo1zoTDE6fwAz7R+gq5AC/IKnDS2cDiZ6+d49gIACT3CpmAHLb4Up3L9fG/8ZfqLIxSvGpuvHKvAEd71z1h5RspT9ev/xbbHaA803fAYHOEyUBjh22MvUrDL3n1vVyg5VSpOdcl5W8JmsDjGYHHspucF3jxKyA5PP7qLVPL6jo6xySx/8KdvrGibHwQfC0PDs5YzDBSPM1bup2TncIWLXwmR0JvoCG6l1d9bTzmqOCV+PvMsE5VBnmj5Gi2+7iWW6tvzL3A+/x67o/ezP/HwVZ9IyMgUrRxn8+8wXD5L1SkTVCP0hHaxObSPoHqlePZY5lUmKoNsjx4mXZtksHiCgBLhrsRjRPUUxzKvMFQ6i08JcijxJC3+LuSFgcRyTX4w8Z/JmlcG4YAa4WD8UTaF9yy5DlWnzEjpPJdKp5k3Jxkr91N1Svx89nscz7y6aN1Ptvwarb7eD0yhZLIyx0RllqPZs7w88x75q7xaN6LmWlwoDFOwSzjC5emWB1bsEVYkhUulcY5mzi07iVgJVddkoDhK3iqhIPPptodX5ZE2XYsXpt7gh5OvMV2dXzTZiGlh2v1NhLWgVwNkeoViJaeypmO9HjmzwLfGfsJrs0eYN3MrfmEIBHm7xPHsBeZqGfJWiaea78NYobHVn59lR7yZR1s20+QP1+81IQTTlTz/58mXbrmB4Ep4Y/YY3x77KRdLo2sqwhN4RmDNqeFXP5pNoi4Vx5itpfnjoe9zJH0WS9g3/Y7AM1CPZc5TtCsIBIcSu1b0sr+a+VqWPxr6Pu+lTy0yvG6Gi0vazPFu+jRzZpaSXeW+hr3ot5C2JBDM1jJ0BJo5njnPHw39BSPlqRU/EzEtTIuvAf8aHA4fFgLBQHGEmWqa37/4Xc7kB1dcjC0Q5K0i72fOYAsbn6KzJdx1Q0M7axV4N31qUeTiw8IVgrHKNL9/8TuczQ1Sdc0Vf9cRDjO1NK/PHWOuluWXOz7Jrmgf6ipTCW1hc7E4ynB5kj8a+gvOF4aWNXSWQyDIWAXenj+JK1x+pfNpOoLNK/LuCyEo2RX+dORHvDr7HkV7Ze+VmmsyWByjYP8UF4EjXDRZxXRXn4pjuw6DxVH+aOj7XCgMUVvF9beFw2R1juxsgblall/pfIq+cOeqIyxVx+RSeZymQpKvDz+/qveAQDBv5nh97hgI+NWuT5Hyxa97/YUQzNTSvDV/cs2G2c34tS/eQ09nww0jGq4r2Lwhb7t+CCGYro7wysy3GC1fwBE2uuzHFTZVt4yMTE91iAdTn6c94DX+cYTNeGWAgeJxHrQ/v+x2Z2tjDBSPL0lTkpAoO0V+Ov1nDBSPISHjYlN1SlwsnmQ6Osw9yU8R1b0itbQ5xfn8EbLWPGU7x0x1FEc42MJEl31cLJ6kaOcw3So5c44vd/4dAmq4vq+IlqTmVijZOSYql9Aknc3hfcses+VWmTcnmK2NUXYK2AuNYBxhY4nFD/gHHVabqMzw7PhLjJanyFtFJCT6Qp3sjPbS5m8irAZwhUvaynMqN8DRzLn6oOTiMlmZ5cWpN2nxNXAwsbKCakWW2Rzu4p30KcpX5UU2Ggl6Q+20+5to9CUIqX5USaXi1JisznImd5HT+YH6YORNTtL8fO4oWyM9bIv0XG+XSziSOcsrM+8tMjJCaoCnWjwPcUQNoskqArBci6xV4I2547w49eaiyWBA8bE53ElSj9NgREnqMbpDrcT1pRKcV1NzTL438Qovz7xL7ioPpiIp7Ir2sTXcTas/RUDxYQubnFXiYnGM47kLzCxEVhzhMFae5oWpNwiqfh5rPLwiA9WvaEQ0w5O8vUajP6johDXfbY8NjpeneX7y50teLo1GggPxbXQEWohrEa8pmnApOxVmqxkmqjNcLI4zWZ3FES4S0BFoZkdk00eyVmOwNMZ/HXqOo5lzC7UHCnuim9kW6aHRl8QvG5iuyVRtnpPZfs4VLmG53v1nCZv+wgg/mXqLpB5jc3jlTceqTo3/Ovwcb84dXxTJ88k6++Lb6At10mgk8CkapmuTNvMMFEc4lRuoS0B6Xr9Rnpv4GSHV73m01+gguTwRGClP8sfD32d4Qc9ek1Ra/Y30BttoMOL4FB0Xl6xZZLwyzVBpgqxVoC3QSLOvYVXG1gMN+2jU4xTtEiW7StEpe/+1S6TNHJVloovrzfn8EH8y/Fx9XJORafTF2RvdSneojYgaRJEVClaRS6UJTmQvMFaZrn/fdC1OZPvpDLSQ0uMkjKUSv5dRJdl7pqSl0wtbOIsiKRJealFQ8a/oPKJaCHWFE00hPCPpPw1+i5O5/kXPf1QLsTe2ld5gOw1GDE1Wqbkmc7Us5/JDnCtcqjvDaq7Jmfwg3x1XCKp++kKdq7r/bNfzsBftMufyl3BxUSSFVl8Du2Nb6Aq0ENKCyEjkrAIXS2OcyF5YFNmuuSbvpc/QE2wnpodXlLZnCZuXZ9/llZl3FznaZCRSvgT7Y9vYFOogqPpxhMO8mWOgMMKZ/CBpM890dZ7vj7+Ci4u7FgeNEMzU5vnDoWc5k7tUj6RIeI0q98S20BNsI6lHUWWFqlNjppbhbP4iFwrD9YhDxalxInsBTVb5y92fpdXfuKrrX3NNjqTPMl6eZrA4utAsUKU90MTu6GbaA02E1AASkDELDJRGOJG9wFwtW99G1anx5vxxNoe7eKTxbgLq0o73l9FllaS+9PkQC8dydSRFQiKg+FbsuAirQQ7v78Hvu7GzJREP8sufObiibX4QfOQNjapbYqB4jIHicbqCO7iv4VMElIgX8nZKTFWG0GUfEW11CkHXQ+CSM+eYUUb4ZPOv0mC0IYTLWGWAt+d/yLHMz4hoCQ4ln6pb3gU7TdCOcDjxJIYS4KXpP+NU7k1iegMPpj5PXG/i+Yk/YKh0hrQ5jU8JIksyiqRyKPkktmuSt9L8aOqPydSmr3tsfiXMzui99IX3UbAyvD77F1wsneJg/DG2Rxd3M49qH6xaR8EuczrnedIiapDPtT3CXYmdxPUIPsWovzxM1+JwYjf9qRG+PvwDxiszALgIRstT/GT6LTaHu4hoN69hkJDYHd1MT7CNilNlV6SPA/EdtAeaCGsB/LKBruiokoyEjCNcam6NT6QOcjLbzzdGnq975S7v/435Yys2NIp2mbfmjjNanqobGYas82tdz3Bfw15iWnjRhEUIQQfNtPhSxPQw/234h3WvSFD1c09yL4eTu9FlDV1S0WTtpsXUb8wf4425Y+Sverl3BJr55Y4n2BzqJKwF8ck6iqQg8Lp+35Pcw2PVw7w0/TY/mX4LF4GLYKIyw0vT79DqS7EjevM0vodb+vjB6Gku5GeJ6H70hZSL6UqBZ0dO8vnO3be9GPyd9CmGr5ET/ETDAT7b9jANRhy/4kOT1XpqgCMcTNei6piU7AqztTSncgMMlSbYHum9qWF3p5I18xzJnMV0LRr0GL/R8zm2hLsIqQEMWUORZFwhqLkm9yX38X7mDM9N/MyrbcDzyp7M9dOTbqPN33jDF+3VvDD1Bu+mTy8yMraFe/hq59O0BRoJKj4MWfc6cyOwXJv77X2MlKf48dQbvDV/YuF3cRksjvHS9Ds0GHG6g9fvGH4jXARDxQmOZc4xXJpElRS2hLt4ovk++kIdBBQ/uqzVaxEsYVN1THJWgcHCKD7FoNW/OrWxfbGtbA/3YAsHR7gLjiaXnFXg+YmfL0qLu11kzDxvzZ/0JLsVg0ebDvNo4yGSehS/4kOVFSQkbOFwyKnyYGo/P556i9fmjtQNzsuT3f3xbTc0NDoCzfz9bb+xZHLqCpfh8iS/d+FP6st0WedQYhdfbH98RefhV3wkVvgMCgTfGfsJp3JXnEa6rLE3tpXPtT1Ci6+BgOrzfm+8+890LR5MHaC/MMLzEz/ndH4QgZdzfyo3wEvT7xDVPLGQlSIQzFQzZMw8Li4RLcjjTffwYOoACS2KXzHqURLbtbnH2cMDDQd4fvLnvJf2IkkAVbfGm/PHOBDfdlNDQwjBTDXNs2MvLTIydFljf2wbn2t7xHMwqX5USVlImbN4oGE/Q6Vxnp98jePZC0xW55BgRWl/11J2qjw7/hJn81eMDL9icHdiF0+3PECTL0lgYfyVkXCEl7L3UOogZ/OXeG7iZwwURzwnnLA5mjlHR6CZz7Y+vOK6RPDSmSars8zUvLSxBiPGJ5vu5Z7kniXzD2vh+g83TPDsQqrX5ehT2anys9l3ORDfft3xT5Fkdkb6+F93/vUln1nC5v30Gf7byA/ry4Kqn6ea7+PB1MqMgpAaIK6HFxlahWKVk+fGKZVqPPrANmRZQghoSKyshuyD4CNvaFiuSc6aR5YUOvyb6QnurKceucKtRyR0ef1C3YbiZ0/sfrZHDqHJOkIIkkYLllvlp9N/xqXSafpC++oStI6wafNvoie0m6AS5kzubaaro3QEttAd2klETdAZ2MJUdZiMOU2LvxvwvMAh1RvQFUm96TmoskZE9gZATdIxFD8SMmEtRsr4cPtuCASWsDFkja92PsWDqYNEtNCS4kJNVusqL0HVx+9d+DoZMw94D+qFwjBvzR/nieaV6UOH1QBf7ngCWzjEtDAhNeDlnC7jEVFRMBSNsBqsTyj/w+Cf1yf7FafKUHGCvFVckUfpUnGckfLUosjEoeQu7k7sJK5FlhyDp5UvkTLifCJ1kCOZs5xbkILMmgXOF4Z4rOnwir0fw6VJXp55l6nqXP010RFo5q9v+mW2hbuXuQ4KmqwRUL3rf1lx5YUpL9fTES4DxRHenj9JX7hzSQrLty8d55XJ/vq5mK7DQH6W0+9P0eQPE9YMao7NdLVIplZmc+T2y8OeyV9c5EFq8TXw5c4n6Qg016/31Wh4xcgRbcHwCzSxNdJD1anhV4wPrHB9vbk8ifLLBn9j86+wK9qHoSwNveuKVxQa18Posso3hp+vpzuVnSpHMmfZEellf3x56d+ruVAY5sWpNylclYu+OdzF397ya9dVMvKKUv3E9Qhh1Y9A8NZCrrstbI5lz7Mj2ku7v3HVKSzgRefemD+G6Zrossr9Dfv55Y4nSBnxZa/HZZp9SboDrV6dxw3WWw6fYixb2xUxAysuKL9VXDwj0ifrfLr1IT7b+hARLbx0/MUrRI6oIQxZp+xUeHv+ZP3z8co0w6VJtoZ78F3nOvgUY1lD0BXukpQ9WZKIaiF6Q8vLYt8KJ3P9vDj9Zj1NTJNUDsS381u9XyRlxJZNwbksRBLXIgQUH2JUcDo/CHhOsNfnj7E/vo2kEV1VCo+LS831jIzPtT7Cky33E1GDS94BmqziV31EtRC6rFG2K5zI9dc/HypNMFaZpjPYcsMUQkvY/GDi58zW0vVliqSwLdzDb3R/ltZAasnx189djxDVwkh4Efm1dHywXZuj2XP8bOb9upHnkw3ua9jHr3U+Q8JYquSk4j1bYS1IXPcMsD8d+REXS179Qs01eWn6He6O7ySiBVcVVfQMfJeUEefzbY/wSOMhL4qx3PxD9RHTwiiSTMmuMFAcqX8+UBhlojJLyogvO35JkkRICxDSAks+M12rXqB+GUWSSRqxNd//I+Np/uV/eJFMrowrBA/ft4Wa6fKzNy+QL1b5ymfvWtN215uP5lvzKnTZR0xLUbGLDBSPcal4Gnshl9CTigvgUwJ142M98CshekN70GRvoPUUg/y0+HpI6i2ka9PMm4tvqKiWJKAEUWSVoBpBlTQajDYM2b/QKyGGLMlU3fIdpRaw3hxO7OZgYgfRZYyMy0iSpzy1LdzLZ1sfXvRZ2sxxNHOemrOyXE9JkugINNMbbCdpxDAU/aZhVy+1x8/BxA62ha9ELwSQt0srLlwcLk3UjaTL3BXfSUwL3/AYJEkiroU5GL+SImYJm9HyJBdXWDQG8F76FJeK4/WBXpMUvtrxFNvCPdc1ti6jSDIt/hSPNR2mzX8l17Pi1DhXuFRXVLka07UpO5b3j23iuA4dwRgtgQiqJGM6NgJBUg+wJZJiqDB/W+/1ilMlbxUXRTN6Qx0kDe9Zu1kKlCR5CjBRLUSTL/mBTQpvJ0+23MeuaN8NJymyJBFWg9yV2Mn9DfsXfTZcmqC/MFL3ct+Il2feZbqarhvquqzyV3u+RJu/8aYFxZqssinUwYOpA6SMK9LcBbvEiWw/YwuRzrXgyZm67Ihu4i91f4Y2f+NNjQdZkvGrPgKq7yNrbMrIbA1384W2R4npkRsqSKmyQk+wjQOx7cS0K95jWzhMVGYo2DeW17wTeG7i1UV1CSlfnK91fYYmI3FTI8FQdHbHNnM4uXvR+WfNPO+lz5Cu5W/w7eXRJJVdkc18qvXBm8rmqrLKlnAXe2JbCatXJq32QmF15QY1h0J4KlM/n31/URwioUf4TOtDtAUab3j+uqzRF+rk/oYDNPvW5gyquRY/nHitHk2RkOgMNvPl9idoMGI3fYZ8is6B+HYOJnbUpXbBe/+/nT65bCH3zfDJBgfi23ms6R7C2lIj72o0WWVntI9d0U0ElCvRC0vYDJXH11Svcjv4+rffZnNvI//obz1NJltCCE9xKhL2cfTk0nf09TidG+SVmXeZqaZvvvIa+MhHNAzZR194L9tLd3O+cIRvjf5rmnxd7IgeYkv4AFF97bKI10OVNGL64gdQkiT8aoiIlmC6OkLJXjwQabKBInkvd0VSkSQJn3zFAPIGfQn3Fjqm3ukoksyh5B5SRmJFk32/YnBPcg8vTL3BVHUOWCgQq8wwUBxl5wrSd4BVF69e3n9Q9bMzuomzhSvSc6ZjLasWshxpM78obK1JKi3+hhUVs2qy5ikUXUXeKjNamVrRec/WMpzJX1xUkLk/voOtkW50WV1RjqsiyTT7GjgY31FPYQOvsH9wmev/mc5dPN629abbvRptHfThr4crxJKCPNu1uU01enc8qqTwyab7bmpkgnf/p4wE++PbeSd9kvSCwVxzLS6WxpiqztERuH4DycnKLKdy/YtSpu5v2E/vKmRbVVmlJ9jG9kgvs7Pv15dfKo0zUZlZc/oUQFAJ8Kudz5BYoWTlxwFD0fhc26PLeluXQ5VVOoMttPkbF9VVzNTSFO3yIgPwTmOkPMmJBdUh8FJW72/YT3tg5fn9uqyxI7KJ9wKnyea88xd4UdKMlSflW935x/Qwn2p5gKC6snoUz9hup9GXpFC8MrGeqs5ScWpEteXThwReJCJnXxn7VUmhN9jOgcT2Fb0PVVnhYHw772fOMFldmWPtMq5wuVQa58xCJAi8zIJ7k3tp9jes+Pobis6+2FaOZs7VowoCwfHseZ5ovnfVjp8mX5JHGw+tOO1TlzW2hrt5N32acuXKe3ysPI3pWgRY2XZuJ8fOjPLP/5cvkboqTUpRZMJBH9n8ykVlzuYvMl6ZoSe4/pFF+BgYGpIkkzLaeKb1N9lc3M/76Z8yVDrNSPkcb8z9gD2xBzgQf2SJYXAryJKMKi2dLCqSiirrOMLGvqr42kvQuLog1jMqJElZagJ9jCdBHYFmWvzJFRfzeU3sguyJbq4bGuCpmgyWxlZsaKwVVVJovOZlagvnht6kq6m41UWeX79ioEkrm+TLkte48Gos16r3JbkZ5/OXmKjMLppo749vI3ITT861BFU/m64J6+YWZC+9JmtXhpCQZhDS7hw1Hv9CL4yrpRlP5QeYrs4TUH1rMkA/ymwNd5G8QW79tXiGZpLeYDtp80x9+URllsmbGBpHM+fImovlU+9v2OfVw6zi/kvqUdr9TYuWzS70ZLBdZ01yt4oksyu2ic3hjl8YIwOgQY+zN75lVY63hB5dUo9Rtr0Gl3cyr88eW6RwZCg6hxO7V/3Mt/gbSBmL6zHGK9NkzDyOcFcc3ZKRaTKS7IiuTkwiZSSIXjOhLloVbPf6DkmB4Ejm3KJlAcXHntiWVSm2xfQwnYFmjiq+Vak22sLhjblji5TNQlqQ/fFtq77+nYFm4tfUYwyXJslbJZp97oq3p0gKbf5GNt9EMe1amv2pRREVgIJVXlNx/O3A0FWqlcXPomU6jE5miEdXZtCCl6mgLfRvuR18LN60sqQQ0ZLsjz3M17r/Eb/e/Y/YET1M2Snw6sx3eGn6m8zXJm++oauw3BrXm/ULBC5LH3RXuDjCRpYUlGUUN37RafM1ElRW1+nTkPUlhcclu8rUCtOXboXL6RJXI3BXLg0pFt9B7qpK6sSS/XjNhFY2sRorTy9SmfI8Wm34VlmrpEkqSSOGdtV+XbxmXBnzw+nRslIkSaqrqlymZFf4F+f/mOPZC3fMy+KDojfUgSopq3r+EnqUrmsiB2kzR9a8cerIYHF0kZqSKqlsCXevOrp8uXna1fe9I1xmzQzFNabvqJLK/tj2dWlE9lFBkWR2Rjetusu7IWv45MVpZVXXxLrBRPdO4Gz+4iLp7IBisCncserthNXgknoAWzhMVWeprUItzFA0tka6V20Y+xUD4xrjwGuweqPrL7hYGl2yne2rUEsE7/3XHmgivoyC0o3wGsMubkAXVgNLxpGVEFmoq5SvGjcsYdcdXSslqPrYFO5Y9fUPKr4l6mllp7KkF8mHxdOP7OJf/+eXeO2dAWzH5cipUb7x7Dt85wdHePSBm9fRXSahR5CR1twG4Gbc8bPhip3BxSao3jgiIUkSqqShSCq9oV10BbdxsXiKl6e/ydn8u3SHdpIwmhdiC1fys21hInCRuHIDCiHI1Kavmz9uuxZ5M03caFz0napTomTn8MkB/Mqdlc8tEB+6LGfKl1h1HwJNVpeovFTdGrPVDKZro6+hIPTq31Vc9e9rcYW7JPVmNQGnoOrHkDVsxxsQS7bXCO1yF+QbYbvOInk9AE3yCnVvhu06TFXnFuUnJ/QIuqJ7ps4q6yJkZAzFwLoqL7bmmpQ/AFnOW0FC4oGGA7wzf2pRTu9oZYr/95n/h32xrXyu7VF2RnuRF3wuH2cPt9fZeXW+pZDqJ2nEFi3LWyUyZuG6EQXLtRmrTC/yKDf64qiSsqb7T5VUdFnDdq5Mrip2ldoaveqqpLA13LWm735UkZHpDrau+h2gSuoSg2y5cfFOwnQtLpXG68co46UBSgvKRqtFlzU0SaV2VZZCwS5jrSLN+bKc6uqvv7KkvtQVzg2vfs01l9QR6rJGq3/1fRXimifKslKEENQck6HSRH2ZJqk0GLE1X39DNlAkBfcqIYH8Ql+tleKTDVp9q0+jVyV1yZjp3OT6f5D80mcOEgwafOO771Cr2fzv/+L79HQ18LVfvocHDm1e8XbuTuxivDLDyewFGvTYsullEtKa3493vKHx0uQ/IV0b4Gt9zy/7uRACF3chPUmqK8lIaHQENtMa6GWs0k/VuZKvqMt+1AUvzbw5RZdbxZA9T7sQgrQ5xUTl0nUH04pT5GLpFPv1h5Elr9W7KxzmapNMV0foCe4kqV8/reCDQJYUZEnFFiaWayKE+NAnUREtsOpmWxISITVASA0smixW3RoFq7TiVBDvPvF+p5JdZbQ8zdBCrnfOKpCzShTtMqZrUXMtTNfCdE1qztpTBNr8jUS0UL0Bn0BwNn+R3mA7IdV/3d9DCEHFqXEqd2HR8rAWpPMG6SqXSZs5cnZp0f07U8vw94/+n6zlFhCCJR4cTwL2zjY0AHqCrTzVch9/PvpivS8DeMf/TvoU72fO0hlo5vGme7g3uZeY7qmNLKdI9VEnoYdXfU6KpBBWg/gVox6hEAiKdpmKUyUsL5WZnq7OU7IXe8YmKrN87e1/tKbjvvzsXk3VMddckClLEsk7uL7gdiBJEi2rlOW96tvreiy3m7HKzKJ7w0VwMtfPl17/u2va3nK1XmW7irOKqI4iKzT51kdS/kbOMYDZamZRxENGIqKFFhU1r5SoFl7190Yq04ui8ZaweWPu2Lpe/5JVXlVUQZc1Gtbzmb9TLA0Bn3p0F596dBeW7YAAXVeRZOmGYg/XMlWdo+xU+d7EKzw38SqNvsSSudpv936JFn/Dmg7zjjc0am5h2TSly+Stec7m3yWkxegMbEGXfYCEI2wGiycYKV0gqjUQVq90c1RllWZfN8Ols7wz/2Ma9FbaA5uRJYW8lea5id/H5vovsbJT4J30CyT0Jlr83QgEw6XzvJv+MTIKHYEtpHw3D9Pe6DbwXq5O3XthubW6J8l2bUy3Wjeu5GW8HgE1TFiNIRAMFo/T5u8laXihS4FAl30feOqAIRsorG6fkiQhSzJB1b/I0LCFQ829+URXIHBc1+twnD3Ha7NHOZHrX3Gdxa2wLdJNsy+5qJjuJ1Nvsje2hc2hLhTkJcaGEJ4M8GBplNfnjteXK5JCiy9JzwqKaStObdmwsou7bgOkI9wb5gnfKUiSxDOtn0CVVL41+iJzZmaRJ8wRDpdK4/yni9/mvw4/x6H4Th5pOsT2SO9Cf4nVpRrdyQSU6xu318NTgFPxycaiVCjTta7bXbzkVJZN7ViLN/N6WMJe8/YkpBUXhH5ckGBNE82PIkWrtKyTcF3vP9de1URXRsa/jhL7N5o9XJv+4tX7rS5l+TKGoqGuMg28sIxYimB9r7/pWqtSLFQk+bpyzB9lfu8//YT9uzu5a28XPkND0xQUZfUVEeOVGSYrcyT1GOApSJrXzCFuJdX4jjc0LPfGebimW6O/cJSB4nFkZIJqBF32UXHLVJwSmqRzV+JxuoOLu0nvjT/IeKWfodIZvjH8u0S0BLKkUrDSRLQkh5NP8ubc0iiKJhl0BbehyQZfH/7dehfvgpVGRmZH9DB7Y59Yh0m84GT2dcYrg9ScCmU7z1RliJpb4d30CwyVTmPIfmJ6A33hfUs6mKuSRm9oNyPl85zLv8el4hlCatRryiZMvtzxd+kMrk4h6Fa5uhHWapCR0K/JE3aEi3mTaIMQgqprciR9hu+Ov8RAcXTZCZCMjCzJyPVomLTg+ZfqDdzWQqu/kb2xrQyVJshYXk77dC3Nfxj4c/5S92foC3WgK1o9bccVLjXX4nR+gN8f/E499UQC2vwpHmq8e0URIdM1PXWl24rgWqtFCIFYcApcSUUUC6mJMkgSQjgLBr+88Km9IJRw+4xeCYmnWu5ne6SXPx/9Mcez5yna5SU1MFWnxqtzR3h9/jjdwVY+1fIAdyd2EVIDq85tvxMxZH1NvmlFUpacv+Va1zU0q07tA6l/WWv6jifmsfz95gpR7wR/OWVCCAES9aZuCC8qIvCezSv/vXJE8i2kGdwepFX3//ioUrart10ifrX3niSB/gFd/7JdW3R0EtKSOo+VosnqqpqqCqBsr1ztaK2s9teVJRltjdfgTiYU9PEHf/oG/+VPX+eeA73cc7CXLT2NGIaKrqkrNjqebnmAp1seuG3Hue5vTyG8PsLrheXeWGUnoiU43PC0JytbG6Vs5bGFRUiN0hvczc7oYXpDu/Api0P8KaONT7f+VY5mXuFi8QQlJ48h+9iSeIx7G54hZ81zPn+k/j0JrwleytfO3vhD9IX2ciTzEhcKR6jYBTr8W9gWvZvd0fsIa1dCdD45SExvxFCuFKT6lSAxraEeffHWCxDTUwtN9ryX2MXiKS4WrzRL0mUfuuyjbBcYts8CENUbiOtNSwwNgL7QXnTZx9HMK4xXBjCdKobip8XoqRtIHyRrz+uVUK7RLXDFzYuyy06VH0y8yg8mf74obQbAJ+v4FAND0Wk0EqSMOGE1SFgLYCg6hqyjSDIXCsP1hnVr4bGmwwyXJ3hj7njdcLhYGuOfnv6PbIv0sDnU6amKSJAxc5zPD3OhOHzVmUNcj/JAw4FFfTVuhOnaSwwqTVIJa8F16wEQ0yJLBm6BTdkaxRZlgmonkqRgOhlMN0NQ60YWKiV7GIRMSO9GCEHePIMiB4noW9bluG5EV7CFf7DtNzidG+RHk69xMjdAya5Qcxe/mB3hMFgc5d8NfJO+0Jt8vu0R9sW3E1R8H/jk8WZpEqvb1tq240VNr81Tdq9rTNRca4m3V5e1ZRuUrZWoFlqxMMJKcYRLulZktDxHQDFoDSSoOhZZs0hI9ZE0wsxU81QdkyZ/lIpjEVQMTNdClRVKdo2KbeIiaA8kMVapsHW7+bilAl6P6jXPM3g5+uEVyvquhLC6uoZxH+TVt8Rix5gksabmlrBQI7IqzSBB5ZpMAwnwKb4lKoq3wo1Sj6+H/DG8///733iI3/rV+zl2epQ337vIv/vDVwgFDQ7v7+GuvV1s39zyYR8icBsMjYqTIVO7tE5bE5huud5/YjkMxc+W8H62hPdfd53rkTSaebz5q8BXl3wW1xv5O1v/df1vWVLoCm7ndzb//+rLHm78Eg83fumG+7gv9Qz3pZ5ZtOz+1Ge4P/WZRcsOJZ/kUPLJRcu+2PE7Kz2VZZEkia7gNrqC225pO+vFasPNl/G6ii8ePD0v6w06o7oWP5l+i+cnX1tkZOiyRqMR51ByN3fFd9IX6sR3nSZ+Vae2YoWp6xHTw3yl4ykc4XIsc46CXV7w8bucyQ8u0hq/Fk1SSRlxHm66my+2P75ixQxVXppK1xtq57/b9MtrKghcDs9DtHj4sN0ilptntvIqKf8n0JUo0+VXCKo9hLReZitvYLtFCmY/nZGvAGC5RUYL32FP6p+ty3GthJ3RTeyMbmK4NMnPZt/jvfRpMmaekl1ZlA7kCIfzhSH+/cA3ebTpMJ9ve+QD77vg3SvrY2iYrrWmLbnCXRIhU2UV5Tr3oy6pXgTrKraHe/h7W//Ssh2y14KyzP13q+TMMsczQ8zXiuiKStIIcyR9kYpjcm/DFi4UJpmp5shbFTJmiZlani3hFubNAlEtwKnsKA1GmMHiNE+07KUjkPiFmdzfSejXRO5USeHe5B7+u74vr9s+VElZ8+T9dnNt9EIIVqXQdO13V4eEcU32gU8xeKzxEF/r/sx1vrN61GWirL+o6JrK3Xu7Obi7i0yuzLvHhvj52wO8d3yY/+uffWXF27FdL3vDFvayEcGQFlhzps66/1IT5SO8MvVP13WbNzI0Nlge07S9KIx+45/YrFnIioyiXKkXEELgOC6lQpVw1I+8itDpDfclbJw1hLSFcBcp2ACoknzDVIDB4hhvzZ1g3szWl2mSyt2JnXy14yk6gi0fWIfftkAjf23TL/EX4y/zo8nXyS/Icl72sLiIeqqGKqkYsk5Q9dMTauOJpns5kNi+qgmLXzaWDMLVBZ3s25mbXrGnKFj91Jx5BN6LLaRtImbsRpWDmM48lihiqAkkSSZfO0vFnsQWq+/yuh50BVv4WuDTfKn9cd7LnOGtueP0F0fIWcVFhe55u8SPp95AIPhyx5NEtKUF0LcLV7jr1rOg6pqsJTpiCwfzmnoMXVaXyD5eJqD6lzxbZaeGT9Hv6NoIQ9HQZZU5s8D+eDeKJJM0wsT1IM3+GOPlNEHVR0wP1iM6ZadG3qoQUn0IBK2BOFXHouqYuEIgb9gZHzjX1iMIBFW3dkffe6vn+s+x1zvoyhouYsn7c6WYwsS+Ti3WckiwqJM5eOmINdf6mF3/OwPXFZQqNQrFKvPzRU6en+DC4DS5fJkDuztXvJ2aY3KpNM7p3CAztfRCWqx3B0mSjCHrfLH90SUKhCvltpmEquTHUG49Padkz9x8pV9QHMfFthwURUbVlPrfsiwxPuQ1uGvrSqKoXoGQZdpei3pNQZYlalWLwXOTNDRGiCaD6LqK47jIskSpUOXl50/wxOf2Ewj5cF2BZdooqoyqrs2qrdjVVdcOXC6OvrZRnXqD5jKucDmdG2CkvLh3yo5IL7/a+Sk6As0r8koLwHJuvdbhcgG/TzbqXuCg4qc72IYqy9RcCwWZgOojpkXoCrawJdzNlnDXmoyhgOpb4tXK2yVM177N6mMCRfLjV9tQpCCyZKDJ4Xr9RcJ3N9naCZBAl+MLogQxgurKB8T15nIH+IdSB7kvuZfB4igvz7zL0cxZZmuZekSr7FR5Z/4kXYFWHms69IE1+7OFQ9VZ2yThWgpWuV5vsFKEENTcGpVrVKQMWb9uvVBIDSyJvmUsr8HZnaB+dz0s16HiWgRVA4F37UOqD9/CebYHk5zPTzBanmNXtJN4JEh/cYqpSpY2fxwZmbO5cYp2lUNG3wfmyNhgMVEttMgx4wpBxiysSFb844DXYO6KqSGEJ4aylvOvOqvvmRK7psGeIxxyVmHB8L4zn/2PKmcuTHDi7DjnB6eZnM7S1Z7gwcObObCnk3h05amCF4rD/Nnwj5iuzRPVwkxV5wgofgxFo2CV2RntuyVJ69tmaDT5d7I58vQtbUMgeG36d9fpiD5e2LbD/GyB9EyehqYIsUSI+ZkCmfkiiVSYzFyRfK5MuVQj1RwlEDKYmchRKZu0d3sye1PjGc6dHGP3wW4y6SK9W1uYGsuQSIUIhAxUVcY0HQzHJT1bYGYyiz9o0LWpcU3KBmkzt2rPitccrrjgjfWQkRckb5fP+Sw7VcYqM/XIAXipFg833k2TL7niiY4r3EXbWCs5s8i3x37CS9PvUHIqBBU/n2y+ly+2P0ZMC6/7xCusBr0cYuR6qlrWLNS72a53bvtlosYOIvo2uKoQ1q9eadIU0nsI6pf7F0i0BD+JEA53St9QTVbZFumhN9TO6dxuvjX6Iqfzg3W1lKnqPKdy/RxO7r5pVGO5CNRaBuqqYy5qvHgrzFTnV52GVXMtclZpUUqZKilEtOB1VVwSesRrzHlVR/b5WpasWVjSZfdOouqYSEgcTm4mbRZRJJnt0Ssqb02+KCkjgsSVfiubwk11WfWJSpZ98S5SRgSkX5yaiDuNlBHDf1U3a4FgtpamYJWJ6ndWf6vbQVKPosta/V3rIshbJUp2hfAqo7FFu7xqGfNGI4Eh6/X928JhtpahaJc/0GjwLwK//43XCAYM7t7XzV/7tQdpa4mtaTv9hREcXP5Kz+e5K7GTf9P/DQ7Gd7I90sOz4y/R5m+6pbTX22JoyJJK3NhEX+SJW97W27P/BkesT+rAx4la1WLs0izTE1kUVcF1BRfOjOMP6DS2REHy0qcGz09RrVo4tmcszE3nkBWJ6fEM4WiAYr6C47gcfWuAju4GzhwfYc9d3TQ0Rur7qpZN3nn1vOfdrNk0tkQJhVdf2DVTTS+SyFwJpmsviUz4FYOUEb9uvqA3qC6OgES1MM3+hlUpr9iuzVR1flXHey2ucPn57Pu8MXes3k/j3oa9fKn9MaJr6GuwEgxFp8WfIqT664aSQDBQHGV7pJewfPsme9JNPGbX5u7fTrWptaLLGntiW9Bkjf8w8E2GF+4/gWCulmGqOnfTF6bXgXvxudYca9XGRtmuMFvNrO4ErsNIeWrVEpMFu8T0Nc9AVAsT0yLX9Y76FIOOQBODxZG6g0AgOJ0fpDWQWrXE9QdF0gixNdLKdDVLdzBF0lgakb/WI3v1NdgV7SCirb5I9ReL239tAqqf7mAraTNXf95qrsW5wiUOJ3ff9v1/2OiK15zvUmmsvsx0LcYq02zXlorG3Ii5WnaRrPzN8CLEAbqCLVwoXBE1KdtVBouj7I/fGfWiHwYS63/3/83fepS25hiFYhXbduu1Fa7rRY7lFeZulu0Kbf5GeoPt9QaVlmsT08Lcm9zLd8Z+yt7YljU7im6LK1GRDLR1mszo8sffA7EWDEMjlghRLFSZGs/UU6jiyRCariKAptY4m7Y2oxsa1XKNfK6M4dMwDBXbdvAHdKKJIIoiEwgYTI5lyM0XEQIqZZN8rkJ6toBtO5RLNcplk0hsbXrc4E10smZ+xdKXAkHVqXE6N7BoeUgL0BZouu73TMdcogG9WolSIQQFu8zAVYPlWihYJY5mz5E2PXlbGYmHUgcJa8Hb6vHsDrYS1xc3MzySOUPWyt926cePA4qk0OpPLXkxVpzaEiN2OXyKsSR1ZjX3PnhGatrMM15Zn/TRC4Uhqk5txb+/QJCu5RZ1+QVoMGI3bZS5NdyN/5qc7J/PHfGMrTv0/tNkla5gA4eSfbQFEqv+fmsg/rHU6l9PrlUPFLBuYgdXsze2dZERWHNM3po/8QHIfn9QXP/dISGxJbw4HbXiVDmTu77wyHK4wmWyMkvOKt585atQJJm90cXS+QW7xPuZMx+J3ku3D2mJgpeAWxoPm1MR3nr/It/8i/f4k2+/5aXPOy4j42kuDs/efAMLaLKGEKKeKhxUA+TsIlW3RlD1k7UKaxYUgNtgaPiVGC3+fUS1mzesWwnrZbB83HAcb8LS3BojHPWTSEWIJ0OMDs2RmS8QiweJJYJEYgGisQCbd7bRs7mJlo4EsWSI7Xs6yaQ9o8Ln19m6p4OxoTl0Q8PwaZSLVfxBg0y6iK6r7LtnE00tMZrbYgSCawuhZa08g8XRJQ2FrocrBDPVec7mLy5antAjbA5d//6SZWXJJM8RzqoeaMu1OZUbYLI6t+LvLMdsLUv+qgZSiqRgKMZtT6voC3XQEWhalCY1WBzlZLZ/URraBtdHlVQCyuLI3Uo7hke00JJi6YHi6KpUzAp2mf7icL0Hy60yU0tzoTC84qiK6ViMlCcXRRQloCPQTIvvxl2md8c202gkFklKnskNcjLXv6Zj3+Cjj4SEoWiLnh7HdaiswvhdKXcndnqy4QtYwuZk7gIXiiPrup8Pj+tfLwmJ/z97/x0m15Wd98K/kyunrs45Ao2cM0kw5zBJEzWjUdZYV5Y+25Kv5CtfWbYcxrpKlj/JlkayPJqgCRxySA5zAAkSIAAiZ3TOXd2V80n3j6ouoIkG0A2AIGfuvM/Dh6jqU+fss88+e++11rvetSE4X0AkZxY4nriwYDG9KyFaTDKQGSO1RPqwJIhsrlqJ+xJqc87Mcyx+joHM2JLO9ZMESRBRpcvrERWWWHzwUuw90Md3n3mP2ViGN945h2XZGIbJibPjfP9Hhxd9nrAWQLcN4mWaboOzmsH0GIeipzkcO4N0ldpDi8FNp06FHb1sqf4KDunqHq/Fosa5Cod0E0vHLxLH4idJGSlsShrcm0JLl8/9IKE5FNp76mjrqkEqJ2f3rm2md21pA75Q1KGuMVipLhUKC9Q3hxCEi8d2r2hAFC/y6z/2+e2V33Ytr6dzWSmJ+kaoAXtnjrDc18Eyb9tV5Vpt2yatZ3lt+kBl8EMpCbXFVU+T88oRDbfkxPm+KrjxYoqknsG0zWtKtJm2xWB2nOcn995QAhTML+IFpQXvwOwJHKJKjSOEQ1IRF6gQfqOo0gKsCy7nXGqI6UIUKHFln5nYQ7UjxLrAMmRRWrLBY1omJtaiCgd+2ChaOpIgXVfxNBubrJG7LJrgkhyL4jk3OKsvG4PHE+eZLkRpleqvmZSpWwYXUsPsmzm2pHZfC8+Mv0GXp/maMr2WbTGei/Bu9MQ86oRHdtPhabxmRKPWUcWm0EpGs1MVyqBhm3x7+AWqtSDtnsbrMrZ1q6Sm91GVFv0prgxBKEmfuiTnJWPCYLaQIK6nCKq+a5xh8Why1bKtag3PTbxZ+S5aSPL90VfwtblpdNVc1/grzSniTSjI+8Fipa+TGkeQqfzFuX8gM8a+2WPcVbPlitLUc9AtgyPxM/Rfh2EgCiJt7gY2BVfyRuQgUNp2TORm+OH4G3y25QHqnOHr6v+CWUQR5R/LpH5RENFEDaeoVWqN5M0iM4U4GTN3XbSkJ390mE88vIHtGzv49K/8DwAURaaxLsBLb5xa9Hm6PM3kzQKOsjTxSl8nJxN9/HD8DYqWzvrA8iXn91yKmz5ba5IHTbp5dKeVgU+iWx98pcn3YyAzxEhulL50qSbIjRoatm2T0JNoknbZBuR6IYoCXDJhXGszJQjCvIjrHH/PMGOIggNRnF+QrGRl2wiCeMMGxhz60iO8PLUPh6TS6qpfcMNg2zZpI8femcOViWoONVqILaFVV91o+BQ3Vaq/xDMsJ7FmzBzHEufo8jQTVH0L3ottl+pbnEsN8YOx1+hLj9zg3ZY8BQHFOy8x+9mJPYzlpmjzNOKTPeUN/3wICChiSerWp3hKdBU1sOhaGgDrA8s5mbhAYiZdScwbyU7y3ZEXyZsFVvu7Swot13iuhmWSNNJM56NM5aOEVB+rA91L6ocPA0OZCSbzM4RUH/WOavyqB1EQr7nA2bZN2sxyOH6GE5d44EVEqrQA4UVI/DU4qwlrAUZzF/MiIoUYz0/s5ZNN9xDWgguPQWyKls651BAvTr7NYHb8smNuBMcS53l+ci/31+284n2YtkUkH+WNyEGOxs9WvhcQ6PK2sMzbvqiN1m3VGzgRP8+J5IVKH5xPD/GPQ8/yaONuuj0t87yeV4Ju6cT1NFP5WSL5GK3uejo8TYu74Z/iIwVFlGl21XEmVVpXbWAiH+Fg9CR31Gy6qQ6M++t2cjR+tuIs0G2Do7GzfEd6kfvrd9LubryicuGlKJhFYnqSydwss8U4q/xd1Dqqblo7bzYEQcAlO7mrZivfGn6+4upK6ClemHybGkeIXl/HFfu6YBY5kxrkjelDTOauL6Kvigr31e3gbGqgkueYtwocjJ7AIancU7uNFlfdohKM82aBaDHJZH6G2UKCTaEVN9UovZXwyE5qHVWVed3G5nx6iNPJAdYHli3ZgRKNZ+jpmO90tS2bfEFfkhnX5Kql0VlbYYI0u+t4uOE2TiX7y2UBVuFTrn9f/5F3CwXUD0f68uH6+8hZeb4++G3OpS9c+wfXQNbMcjB2mA53Gx2ethtv4CJg2UXmczkt7PJ3ouBEECQMM0ameByH0oYq1aObcUTBiSi4sewMueJZNKUdRQph2wamlUIUnYjC0owlsVxd2LQt3pg+SN4ssLVqNa2ueoKqv5KknTPyTOQjHE9c4IWJvaSNi0amU3KwJtDD6sDVq0groky7p5FqR4jxSzzSe2cOE1R9bAmtotZRhSJcrNybNfJEClHOp4Z4I3KII/GziJSkT7NmfslJtHMIqF42hVYynJ1gKj+DTUkV6+3Zo7w9e/Sq/aVJJe9fjSNIs6ueXl87vd526p3Vi/Lo1DhC3Fu7nel8lDOpwUq18FPJfuJ6im2hNXR7W6jWQrhlZ7kAYomnqVs6aSNHWs8yW0wwnptmIDPGdD7K7prNPxaGRn9mlB+MvopHdtHtbaHZVUeNFsKvePAqblySo1R4rjwui2aRlJFluhDlbGqQNyPvMXtJscewFmC5t31RE65HdrHa382Fcl2OObwytb9ELQitpMFZi1d2IgkSum2QMwvMFGIMZsZ4Z/YYR2PnynVVFLJm/oaia6IgIiGi2wY/GH2VjJFjQ7CXOkcYv+JBEWVM2yJlZBjNTnEwepK3Zg7PE28Iqj42BVfQ6mq4ypUuotFZw2ONu5ktxhnLRSrtPxA9yUwxzvaqtbS7GwipgcqzABvDMilYRTJGjqSRYbYQZzQ3RX96lISe5lPN9/1YGBqJYoqUkUW3DAzbQLdMdNvAKH9O6pl58xOUVH5OJi5QMIvIooQsyCjl4nCyIKOIEqqoEFB9i9okf9TgkDTWBpZVDA2AmUKMFybfRhYkur2tBFRvhXZYmosMClax5HGVNIKqb1EGSZu7gY833sP/GnyqIoqRtwq8NXOYqfwsm0OraHXXEyz3pSTI2LZVkpS2imSMLEk9Q6QQYzQ7yYX0CAVTJ9wV+AgYGlffRsqCxO6azeyPHqc/XUoKN22L/vQo3xz6EXfXbqWzHNnUJBXbtsmZeaLFBH3pUd6ceY/Tyf6yE0wuF/tc/PwjCRI93lYeqb+Db408X4mKpowSS2EiN8PGYC8trjoCqq+c0yZV+n8uFy6pZ5guRBkp979pm3R6mn5sDY2Q6qfL2zLPgTSQHuOFyb0YlkGbuxGf4kYRZCzs8rxhUDCL5MwCXsVNUPVWHD3Lu+p4c995Nq9vw7JhaibFTDTFvkMD9PYsviq4JEiVIWWVn0G3p5Xl3vab4mD+yBsaHxZkUcYtuFBvUnLfRH6KY4mThNRbRwMrGMOIQmkSERDRrVksu4BlpXGpq7DsHLo1RaZ4FEUKYQo+8voQujlJ0PUQujlLLPcCVeLHkUQ3eb0f3ZxGEDQ82gZEYfF9o0kqvb4OhjMTzBTjvDVzmHOpIdrdjdQ6qnDJDmwb0kaGgcw459ND85KPZEGix9vCPbVbF7XArvB10uttZ6YQo1gueDZTiPOD0VfpS4/Q5m7EK7sQEdFtnVgxxWhukuPxC6SMDAICNY4QO8PreXvmKBP5xSdWXQoBge1Va5jKz/DS1DskF8mRtbDJmQVyZoHZYpzTyQHenT3G5tAq7q7dRq+vfVHGxkp/Jw/V30beLDCYHa8YTOO5CN8fe4VqLUCDsxa/4qlUdNUtnbxVJKGniRWTRIuJSh+6blI07lYhbxUYTU1xJjWAJqrUOasIq0FCqh+v4kIVFCRRwrRNckaemJ5iLDfFcHZy3vhzSQ42BFdcxn2+GrZVreF44jxH42cruRkFq8gz43s4leinw9NEUPUiC6WFPG1kGctNM5QZJ2lkEBFocdXR7m7k3eiJJXOlL4VL0lgf6GV/9Dj5chuOxs/S7m4kpAXQRBXDKnF0+9OjDGcn5uWTOCWNTcEVbAqtRJMW73XeGFpJpBDjB2OvMpWfLSU/YtOfHmUwPU6ds4o6RzVe2YUqKtjY6JZBzsyT0NNEiwnixVQlMum/Aa/arca70RMcT5wna+TRbYOCqVO0dfTy/wtm8TJFn2gxwfMTe3HKh1BFGVVQUEQFtfKfjFfxcH/ddrq9rVe48kcXDkllY6iX16cPMFUoebpN2+J8aoiv60mWe9up1oLluciu9FvOzJMxcvT6Ori9eiOha1D3oLRvur1mI9OFWX408VbF2ChaOieTfZxPD1PnqKLGUYVHKomFWFjolkHWyBEvj7+knq68C1Vq4APqmZsLQRCo1oI80XgXX+t/skI/1m2DU8l+xvMRuj0t1DnCuGQHlm2TNrJM5mfoT48S11OIgsj6wHJs2+JManDRuZVz0ESF3TWbmSnGeHlqf2Ws580CR+JnOJPsp84Zpqbs6JIFuVKgNGOW+n+2ECdlZCrrVo22dJGGjxJCmp81gR7ei50mWnZi6bbBwegpJnIzdHtbCKl+1LKhoVsGeatIzsiTMXNsr1rD9vBanFLJ0PjEQxt45uXjjE/HKRQMvvHkfvIFA5dD4d7b1y6pbSk9Q396lJHcJBkjx0p/F92eFibzs8iiRI0Wuu5q7B+aoaFbWdL6FBljmqKVBSxEQcUpBfAq9Til0DWlMi9FpDBDf3qQBmc9uqXTnxmkYBUIKkF6vJ2EtZIHomjpDGdHGM6OkjVyuCQHHZ52Gp31ZY/u4lCi92QYzA4xnZ8hZ+WRBYkarZoOdyuB8oQ0npukLz3A6dRZRrKj7I8eZCRb4j02uRro9S2rJJzmzQLnUucZz09hWDp+xc9ybzfVjvCi23UpisYooujBtk0EJPJGH4pUS9GcQjGryeqncSrdULaOC+YIujlFLPcyQddDZSqVjCJVY1oZkvm9CIKMgIRL7V2SoWEDu8LriXhbeWHyHaLFBNOFaCV/4GqY83Q92rCbzqskgV+Kai3IHTUbmcrPciY1UFko4nqKNyPvsTdyGK2cH1GwivM2VQIC9c4wjzXsZlNoBdFi8roMDcu2GM1OczpViiDcaAJ4XE+zJ3KIlJFFE++ny3vtaJ8oiGwLr0EQBF6afIdTyT4Kl1SajhTiRArxG2rXjwsKVpGhzARDmYlrH3wJPLKLLaFV3Fe3jRrH4he6RlcND9bvIqln6M+MVBZLG5u+zAh9mStT80REGp2l39c6Qgxlx0mlr9/QsIHHm+7EIam8ETlUngcnGc5OXvO3TkljQ7CXe+u2U7/EuUgSRO6p3YYsSLw0tW9eMrpFKQ9kPHd9RvxHHaeT/bwVOTyvBsm1YJZr91ytfo9XdrE+sPzH0tCQBIkWVz0PNuzi+6OvkCxH+yxspvNRpvNXXw9csoOCtWZR1yrlhCg83ngnmqjwWuQgI5eM96W8A/NPvLTDPyzIgsSW0Cqm87M8N/FWZWNrYxMrJnk3euKKv5UEiV5fO4803M50Psp4PrJkQ0MQBLyKm8cb78QhauyZeW9eBC9vFRnMjF+maveTDFVUWOHrZFd4Pa9M7a/kKpm2eZnwxkJoddXPY1esWdGEpskcPjHCpx7dgCAI1FT72LCqmdamxUfdknqGt2be4+2ZI6T0UlTfLl/vdLKP2WKSB+t3ElKvL/f6lhsaplUkkj/NWPYQsWIfaX0a3cpgYyEJKg4pgE9poNqxklbPLhxSYFGhm6l8hJen36DJ2YAkSOTMHEWrSExJUOeoIaxVYVgGR+LH2Dd7ENM20USVjJnjRPIM99XeSZenY9EcORub2WKUvTP7MW0TUZBIGxny5mG2hjZyW/V2nJKTvJknpseJFePkzQIpPU1ULE2mQdVfkbssWjqvTb/J0cRx3JIbSRRJJs9wNnWexxoeouY6jA1RdKMbk+hmBE3pAGwsK4NNEQQRUXRjWHHscp2SUsRiBtsuTSiS4EVARjcjqFIdgqBhWSlUuQGBpXFpC2YRl+zgvuAOXJKTPZFDDGTGrqnC45GdrA/2cnfNVtYFly86jCcIAqv8XehNBi9OvlPyLF4yUc5FDN4PRZBZ5e/mrtrNbK9ai43NCl8Hr02/u6T7LXltzvJm5D1OJC4QKyaxsalS/SW6iupFE5UFjQ/TtjBsg6yRZ7aYYCo/W8mxKFg6x+PnaXBWU++sXhTHXRUVdoTXUaUF2D97nMOx0+WaCotXQJIEkSo1wHJfO8t9bYv+3YeJRmc13Z6Wchh+6XleqqjQ6mpgc2gl28JraHMvjjJ0KTYEe7Ftm5en9l02Bq8ETVTp9bVzZ80WtlatJlpMUOcIc+EGcoZyRp6g4uVTzffjVTzsjRyueJSvBAGBsBZgS2g1d9ZuptvTcl1hdE1SuaduGzWOKt6ZOcqR+Jklq7kpgkyNI8RKfyctrrolt+Gn+OjAJTm4q2YLhmWyJ3KIkezkDYtuXAmCIOCRXTzSuJs6ZzXvzh7nZLKPSGFptWk0sVSbaLW/i7B268VprgeCIOCSHDxYfxsuycEbkUNcSA9fkwbsk92sCfRwT+12Vvo7OC8O45XdTLL0mlKiIFClBniscTcNzmr2R09wOtlfMXoWC4eo0uiqZW2g58cqqrkQqrUg99fvRBRE3pk9ynQ+uqTxPzYRQ7UvRkJVRWbr+nYsy8K2QZJELMtmfDJOQ11gUec8lxrkYPQkTc5aVtZ18ez4nsrfnJKTk4nD3F694cfD0NCtHMPpvZxNPMt0/hRGubNEZBDAsk3AZiJ3mNHsAWYL51gb+jxuuXZRC1xCT6IIMturttDmbkFAwMIiqAQAGMtNsCfyNm7ZzZ3h26hSQ8wWo3xv9Glej+yl3lGLf5EdKSDgV3xsDK4jpAZxSU6ixTivTL/BscRJen3LaHY10uhsIKxVoYkqST3F9vAW1vhXAiXtYodYogGdT13g5enX2BLaxJbQBhyixmB2hG8Nf4+QGuTjTY8uub8dcjsCCqLoQZObMcwZBEHGoXSiSg0oUpiiMYZbWYki1QACmtyCJjeV7lBQ8Dq2IyAgim78jtvQrWlkMYgoLq1gn41NwSwSULzcV7eDZlcdxxPnuZAeYbKs1V2w9MrkWKX6aXHV0+tvZ42/hxZ3/ZIjAoqosDG0gqDqZ3m8nbOpQcZy08SKSfJmoVIl2yk7CCheGpzV9HhbWe3vocfbgiiIWLbF2sAyvtT2GABu2UnXNaIqhmVyMHqKJ8deoT89imGbOESVTaFVrAsuo9FZg0/2oIryguPanOOpGnliepILqWH2RA5VNmcZM8e55BCj2SmWLXLTLwkiK3wdNDprWOXv4nxqmKHMGJP5WWJ6koyRm6foo4kqXtlNQPVSrQVpcFbT6Kyhzd1A3XVG2G41Ot3NfLzpHtYGljGam2YyN0NcT5YKOpq5MlfeLI8DGVVUcMsOQqqfGkeINlcD3d4WujyteJXrk9lWRJktVasJawFWJbo4lxpiIh9hphAnZxbQy2PeKToIqj4anDV0e1tYHSiFreeirPfUbqtE8zyyc8k5CnOGdYurnk823UOHu5GTiQv0Z8YqVZMN20QSRDyyi2otSJu7kRX+jkry641E5CRBYn1wOa2uelYHurmQHmE4M8F0IUpCT5E18hi2iYiALMo4JBWf7Cag+qjRQtQ7q2l21dLmbqB6ifSJxxp2k9TTlaX8VtW62BFeR7Or7rrzu64EVVRodV+df/3+a8uCRFC9vADhteCQVLaH11B7SSQvoHhvKEdBEAQCipeH6m+j2VXLqWQfA+kxpgsxkuV1wMZGKecnuWQHAcVHSPOzyt+NW14afVMQBJySxo7wWro8zZxK9pcoItlJIoUYCT1NrpyHJwoCiiDjlBz4FDdB1Ueto4p6RzXNrjra3A2L2mzdWbOFHm9b5bNLcuBXlt7/TtnB7ppN89ackOojuMhzCYKAV3Zxb912mlx1HI+f43x6hMl8hHgxTdEqlvuntOY2u+pY7mtnbaC0Ts0l7z/WeCczZePMp3gILCFHYi6ysat6A13eFk4nB+hPjzKamyJSfuZz67EkiKX+lx34ZDch1V/qf2c1La462tyNBK4xjucS0dcFLtZACije61JNcstO7q/bMa+eUlgLLMrBdyWIgkCzs5bHGnfT7m7kdLKf4exEpXr6HE15ji7plpwEVR9Vmp8ebys/euoUyVjJSSpJItlcERsbSSqJ9hiGiSJLLO+u57NPbF5UmwbSYzgljXvrttPhaeKdS/JHw1qAjJG9oRo0t8zQsG2LscwBjse+TbTQh19tpsaxAq/SgCK6EAQR0y6SM6LMFi4wlTvG2cQz2Nhsr/kNJK69ONi2TZ2jli2hDWgL8Pj70v3EinF2hrfS6y3Je9Y7azkeP8WB2CHSRgafsrAi0fshCAJBNcDm0IbKd9VamJHcKO9GD5E0SpxITVLRJBWnVEr6dEsu/MrlL+l78aPYwB3hHdQ6akoStGqQNyNvczB2mMcbH1qypJ4ihZHFqkp7DXMGVW4sRyQAhIqBIZT/bWNVPgsoeLVtzClPaUorGi3lDcf1SFOaWLaNS3awMbSCbm8r47npSvVR3TIQhFLCoF/xUlee4JeitPR+SIJEt7eFJlctm/IrmMpHSekZClYRy7aRRBGHqOFVXFRrIRqc1fMSDUVBpN4Z5pPN9y76mkPZcV6dfpe+dIkuIwA7w+t5rHE3La76Jd2PbZciKrIg8Y3hH1U8HzPFOCPZyUUbGnPwKx42h1ay2t/FVD7KbDFOUk+TMwsYloEgCEhCKeHUJTnxKi6CSmmSW4xCyEcJTtnBcl87Pd5WknopqThppMkYeXJmvmJkWLaFJEgoooxT0vArHkKqv8QVvwmbUlEoqTW1uhvYmJ9hphAnXkxSsPTymBdwiCpexU2NFqLOGZ6Xh+SWnWwMrWBjaMUNtWMuodOruLm9eiOr/F0Vwztj5MobLRGXrBFU/NQ7w4S1wE2V8gxpfnaF17Mh2MtEfoZYIUHKyJY3GiaCIFxi9DnxyW6Cqp+g6r3uZ3Fv3fZrH/QBYFNoJZtCK3+sr61JKhuCvWwI9t6EVl1EafPpYlvVGlb6OhnPR4gVk5V1wMYuJ7/LOCQNr+wioHgJqr7r3uRJgkS9s7oivTyVnyVWTJA2cuTNIlbZ0JAECYek4pac+BQPIc1PQPEuiZ++Pbw0fvyV4JQ0tlWtgRvIPRcEAYeksS6wjG5vC2Nza66eoWgbFeERv+yp5Exc+q4FVC+7azbd8L3MGS0Nzmo2V/q/NPfMrceiICALEg5JK73/iocqNYBf8Sx63VREmdurN15XG0dn4xzuH0cSRTZ1NVHj93B7zfWdCyCeyXGob4w1rXVU+y9GYuZyaO6o2ciaQDeT+RlixRRZI4deZhoogoQiKjglDZ/iwa94qFL9pHpk0umSoXHy3ARTM0l2bOrE73eCDZHZFCfPTmBZi4+SFG29ooj6foeSUZ6XuYGk8FtmaCT1cQbSrxEvDtLi2UGX7z6qtG6cUhWSoCAIArZtUbBSpPQJxjIHOBb7Bn2pl2jz3EaTe+s1r+GQNEJqcEEjAyCmJ0gYSd6a2cep5EXZxuHMCLFiglxZ2WUxnrs5nf3z6T5GsmOkjDS6VWQkO1bevCytAuZkfpqckeMH489WvJiWbTFdiJA3C2Xq0dIn2EuNJqe6HFGYXyxOeF/Nxss+CxeNius1MOZgv6+qhE9x41Par/t8S4FT0mhzN9LmbvxAr2NjcyJxgfOpoYo3sdYR5vaajUs2MmAu9O9mpb8Ln+wmYZQ4zdlysuz1wiFptLrrr+kZ/UmAKIgEVO81PWEfNOYW2uYPifpjXVIUShAEqrQAVYuQ6r3ZEAThYmRwkTlXP8VPJkRBxK968d/Cd1MURPzljdv/lzBHI1vmbWPZhzgVSoJEUPV9JJWjHIpCQTcYj6boqq+ixn9jYySdK3Kob5SW6sA8Q2MOkiAR1oJLouPdveui0X/w6BCfeWIzOzZ14nKWhH8SqRxvvXuBCwOLz30LqX4upEcYzIzPkz0vWjonExeoUv2VGhvXg1tmaMwWzjJTOIdfbaHH9xCN7s1IwnyevyCIOCQ/DsmPT2kkoY/Ql3yR/tQrizI0REG8ao6FgIAiKDglB27pIhWi17eMXt8yfKqPxW6k03qaPTNvcyp5lkZnPQElgCLKpI0MU9eROHxRztQ1z6O+Kbgep+S4rNL19UAWP3ov9k8ackae0ezUPCOg3d1IjRa67siMKJQq6rpkZ8XQsG0Lk5tLyfgprg+pZA5DN/F4HViWTTZTwDBMfAEXqioTnU0jSxJevwPDsNB1g2QsS21DANuGqfEYoiQRrHIjigLxaAa3x4GqyeQyBQzDQtVk3B4H+ZxOKpnD4VRQFAlRFBAlEdMwkWUZSf7xK2T1U/wUP8VPBmzbZmAqyr5zw4iCQK6o09tcy7aeFqYTafac7CfgdjIRTVIX8rF7VQfT8TQHLowym8wQ9rnZ2NlEU9jPyZFJzo5GiGVypHIFNnY2sbGzkT0nB9AUidlUlngmxye2ryHgdvDsoTNMx9OYlkVvcw3r2xvZc7KfbEEnmcsT9rnJFnR2r+qgNrCwpRX2uemqC5POF+d9f248wuH+cdL5AvUhH3es6MDtUHnh8DnGY0mKusGyxmp2r+okrxu8caKfkZk4tm2TzZeoUPFMjkMXxhiKxHA7VNa217O8sYYTQ5MMRmIIQCSRZkNXEyuba5HEa8/lZ/um+NlPbsPpKO0ZBUHA7dQI+d30DS2+YN9Kfydnk4P8cPx1TiYuMJSZIK1nieSjDGTGuK9ux3VR/+ZwywyNlD5J1pih03sPIa3jMiPj/dAkL+3e3fSnXiaSP3NT2hDWqvDIblb4lrM+sBrxfZQAt+RatL8+ric5FDtCWAtzV80d+GQvpm2Q1FMLGhqSIGJjV5K/348mVxNj+Ul2hrcQVqvmhalEhCUpYv0UNxe2bZIzZsgYE4QcK686djNGSYbx0shN4AZoH1CKkhiWSe6SRGJFlG/Iw3Cr0T8TZSSeYFNzI27t5rZ7KpXmrf4hJpIp1jbUsb6pHo+mMRSN89qFfjLFIjvbWllRV4MqL83YyxSLJPMF6n0LT7KT4zHGh2eZiaTo6KkjNpNmbHgWh0ulqbUKURDIpPNMTybZdvsyctkixw4N0NgSprrWx5kTY6SSOaYnE+y+fxVDfdMk4llAoL2rlr6zEwiigMOh0NXbwMhAhFy2SHtXDZly+LxYNHA4FBqaQx9JQ+PN4UFORKbRLZNql5vPrFiNYVnsHR3m+PQkiiixqqaWXc2tjCaTvD40QMDhYDSZoM0fYFVNLeejs9R7vSyvqubUzDST6TQrwzUkiwXeHR9hNpuj3uvlrrYOqpzXl0/zU/xk4LmvvcbY+Ul+7g8+haLeujTUf/rjZxg4OYJlWjg9Dv75X/w8gvhjIlF1ExFJpnn9RB+/cv92ZpJpXj5yjp6GMKlcgcP942ztaaa3uQaf00G2oHN0cILZZIaVLXWlDf3AGF6XxqG+MVRJoqc+zA/2n2RNWz2yJHFyeBKfy8Hq1jqaqvxoSmlOb6kOUO1zk84V+f6+E6xoruPcxAxBt5PZVJaiYaIpMmfHIlc0NBZCKpdnz8kB6oM+WmuCvHrsAk0hPyuaa2kK+wl6nBSKBt986zC3rehgbDbBmyf7eXhzL9FUllMjU+iGyfmJGc6MTbOxq4mh6SgHzo9SF/AyFk1ycniKjZ2NrGipI+x1L1p0o7ujlm8/fZB771hBOOTGsmxGx2O88c65JalONThKCodvzRzmQnqYnFkgUoghCRJ31m5hS2jVDdXtuWVvoW7lMKwCDimAIi5uIfDK9YBAzozflDYs9/ZwInmaI7FjKIJMvbMe0zaZKauvrA+swSWXtJyL5QJBhXKSUqwYRxM1NFFFEqUK/Shn5smWOcZ9mX5OJk8vGFUJKCWu8/HkKdyyu8KBD2tVKKLCttBmjidO8PLUG2wJbSSgBsgZOaaLEbyyh43BdTelD35SYNsWupWmaKXRpACiIJfUy2wLRSwlfRl2FhtQRQ8CAqZdpGDGcUhVSKJG1phCFpyoopeilUQV/Zh2EbAQEMkYU2hSAFX0YGGRMaYI2F1XNTQWmh+Kln5FA3MxyJtFhrMT8+oouCQngRvwMNxqBF1OJFFEkW4e338Opyanmclk6K2tpjUUQJVK79++oREs22ZtQz11Pg/SdSz6o/Ekh0bG+dzGhSU1J0aiDFyYwjBsMukC8WiGdCpHKOwhEcsyPjKLqpY4tdlsgWy6gCAINLdVIQgCum4w2DeN06ViGhYnj47gdCqoDpVkPEMmU6ClLUxsNs3kaJR0Kk9rRzX+oBtJEhnsn2a4f4aV65qRl2hE3So8efY0G+sb6AyGcCsKNjCeTvFi/wWeWNZLLJfjtcF+OoMhkoU8R6cm2NHcwuaGRvyaA7eiMpZKMpVJ0x2s4sjkBJZts6wqzJvDg3g1jW1Nzbw80Eed28PmhiYc8k9LRH2QOD44weEL46RzBXwujQc2LSfsX3qy7QeBswf7ObXvPF/8/U/c0usu29yJr8rL6//0DodfO8Vv/MWXb1jS/McTAj6Xgw0dDcwkM+w/O8JkLIWmyLg0heVNNfQ0VAMwOhNnNpWltSbI1p4WiobBwFSMWDqLS1UYmUmQzhforK+is7aq4ihqDgdY296AUy2txbphcm4sQr5oUDRMBqei2LaFKku01QbRFBlVlnBpCrH00hQIp+JpTo1MMRlLEfK6mIqnmU6k6ayr4sLEDKlsAUGA/skohmkyNpvA7VDZ1tPCUCTO/nPD5Is658dnODIwjiAIRFNZPE6NVK7kLAp5XaxsrqU+tDTWyRc/tY2nXzjKt546gF40gJJTqqM1zIN3rlr0eWRRosvbQpUWYKYQI2cWKkICdY4wLslxQ4X7btlsLAkyoiBjWHlMW7/2D4CClQRAWWIV6iuhSgvxQN3d7J89yNuz75I38wiCiEtysi6wunLc8cQpXpp6jbxZYCI/ScbI8pcX/ieKqNDhaeNTTU8QUgPcFt7Om5F9fH34n3CIGo3Oero9XUSLl2uBt7mb2Rxaz5H4cb418j0UQWFr1Qa2V21FERWaXPV8uvkTvD2znx9NvkTRKiILMgHVz/aqLTfl/n+SYNkGBTNBtHAGWXTjlmtI6oOYtoFHrsfGomDGKVppQtpyFNFNJHcEVfKhOn3Ecmcx7TxpfYJG921M5Q5R79rCVO4w1Y612JikjTGmcofo9n8MUZCBUh7R1eCUHJdZ/gPpMRJ6mhpHaMkLj2lbjGQmeGlq3zz1mrAWoOUm5VeYlsVfvf0unVUh+majSILIl7duoGiavNk3yKnJCC5VZlNzE3U+D28PDBPN5kqJ46JAldPJ7u4OBmZjvDs8SjJfoMHv5d6eLur9Xg6PTrCnb5Cw28Wjq5ajyhJD0TgvnDmPYVmkCwUafD4+v3ndFXtnJp3hzf4h+mZm8Tkc7Ghvob0qyKGRMX5w/BTZok48lyfsduHRVN4+O8yPTp3D59SIZXO0BEsy2e8OjbJvcISCadBTXcVjq3oxbZsTE1O8dPYCAiWj6NPr19A3G+X7R09yeirCTCbDitpq7u7pnDfh+kMeZEVGLxZwuVQ0h4zDoeL1u8jnitTUBZiaiCPLIm63Ri5TxB904w+WNmWyIjMzlWT56iZkWaK6xsf0ZAJ/0I3mVFA1mWCVh0wqj8OlYk6nOHV0hGWrGmlsqUI/U9Jd93idiNJHL5oBcH9nN+dnZ9iTHOSejk4s2+Z8dJYjk+MEHQ7yhkE0lyOWK20APKrKynANPVUldTPLtqn3eOmPRzkyNUGqWKQ7VEXe0DkZmcbGZjAeYySRIFKVQbdMHD+tRfuBYt/pYURRYFNPE16Xhtvx4xNd/aCweucyerd0MnhyhIGTox92cz5E2KSyBWwbTMsmUyziVBUs20aWJDyOi+ujKsuIAmQLpT1hrlgSrFBlGUkUqfF76G2uodrnnpcv4XVqSJfMw+cnZjg6OMHnbl/PTDKDbpakXgUEVElClkpOLkEQsJYopexUFZyqwpq2etpqguxY3kp90MdQJMaR/nGe2LYSw7TQzVJerqbIpHIFbEpra75oIIkiHodKfdDLrt42bMCtqVR5S053pyKjqUtnrXS31/DZj21meiZFLl9EQMDt0qit8VFTtXhHZCl6IVKl+uflaNws3LLZ2CWHcUgBZgvnSRtTuORrh3WG029j2xYhR9c1j21zt/Cl1s8uqOg0B0kQaXW1EFD8xIpxClbpwWiiSkgNVlR1WlxNPFR/32VeaIFSYi6UtIW3hDbS5molb+XLCWY+VFElZ+Yv47O5ZBe7wttZ4VtOzswjIFClBivytpIgscK3jBotTEJPolsGkiiVpV5/vKthfhDQ7QwJfZBEcRCnHC5HyUQcUgjdylGwYjikECCiW2ls20IUFLxKC7LgJF7so865iYKZJGtM4VEamcodIlEcpN61jZn8MVLFYdL62JLa5ZQ0ah1hPLKrUgl1JDvJK1P7CSpewlpwUZ6BOTngw7EzPD32Ov3piwuXS3LQ6WmmwVm9pLZdDScnpgm5XNzdfXEj3T8T5ejYJI+uWs5QLM7bg8Osa6hnNpPDocgkcjl8DgepQpHReIKWoB+3pqCbFt89eoJlNWHq/F5ag37qfR5G48nKZJwqFHjx7AV+7947sG34230HuXtZ54IUpYJhcGpqmtF4ggd6ezg5Oc27Q6PUeDwsq6lmeW01uaLOzo5WmoMB3KrCusZ6Do2M0RwIsL6pniqXk2g2y7OnzvLwymW4FIWv7TvEmoZ6Qm4nf7f/EJ9evwa/Q0OVZTRZojngY2VdDbFsjnuXdRFwXO7waGwJ4fM50HWTQNBNda2fYkHH6dawTAtRFMlk8mCDL+DC4VSprfcjiiUZwr4zE9z72DpGB2dIp/Ns3tlNJp3H4VRxujWCIQ9ujwOP14HDqRIIechnC/j8LkRRABtaOqoJ13x08692NjXTHQwRyWb583ff4W8e+RgBzUHQ4eSBzp6ypLJIo9fHSDKBIoq41YsbV1EQWFYVZiSZ4Mmzp+kOVbGsKowoCHhUle5QmHW1ddjYVLvcOOWf0kw/aGxd1szh/nHePjXI+s5GWqp/PGpLfJAQJRFVUpHVj2Zk8VaioBv81Qv7iGeydNSGaAj5GJ29vHZG0OOkuyHMm6cG+OqTryOKAtuWtRBwO8jrBqdHpxmLJrBtuGdtN6tbS0Ia719DA24Hs8ksLx05jyKL1AWXHu03TIsD50d48cg5xqNJJqJJHtq4nM76Knb2tnF2LML5iRls2+bzd2wg4HYSz+R49VgfHqdKfdCHJAq014ZwaSpfffJ1NEXGqSk4VIWVzXWMziZ58ci5Up2vllraasrvjXB9MjuiKNBUH6TxknoZ1xN5eHvmCAeiJ+j1dbA5tJJWV8NNUVycwy0zNEJaFwG1mancCc4nfoQmevEpTQt2imUb9KVepi/1MjYWnd5rS4t6ZDcez7VDt5IgElKDhNQrT4xBNUC0YPD82Em+svz2BdtYUk5x036Na55NTPHS+BkUUeKBxhW0e65czVUSJGodNSV52/ehaBqMZGJ0+ha3uRzPJnh5/AwD6Vk2h1vZUdNBQHXSl5rhudETxIt57qrrZmO4BYf047cwG1aWjD6BYecoUZ0ga0xi2RZ+tR1Z0EgWh9CtDLXODYiCgiK6USUfoiDjURqYKZwkXRyjyrEKpxRiJP0aAa0TEZGUPoJuZbAwMe0iaX2UaOE0muSnxrEB6Qo5M6IgstLfwcHYSU4n+wHQbYM9kUNM56NsD69hpb+LWkcISbhIwbOxS4oReprJ3Azn00McT1xgMDNOpBCtRDMEBLq9LdxRvWmeaMCNQhQEemtLm3Yo5Sacj8xycGQM0y55pRyyTKpQwK0pNPh9OBSZgNNBKl8gVSiQihQ4Nj6FAJyZinBHZzvYNiG3izqfl6nUfJWssNtFb/l6iiwTz+UXNDQyRZ1z07O8MzhCIl8gUT6uYBg0B/3Ueb1kizrd4SpCrpIyW1PAT5XbTWPAx7KaMC5V5VxkllOT09g2qLJEPJ9nplxtO5ErsLmlcR61K+h00uj3EXA6Ku18PzRNQb1kk+90X85j9fguGigutwblY0RRpGdFA7PTKUJhL1VhL6om4wuUvFyCIOB0liZ7rZzsp2oyhEpzzvRkAl/ARV1jsPT9RxCWbfNXh94lrRcxLItWfwBREOgOVbGjuYXvnj6JJECNx8PPr52TCr887lfn8eDTHAwnE2yqb6TW7cG2bXa1tHJwfJy+2Cw28LlVa6hxX67ukjd1Xps8xaHYIJPZOAXLwCEphFQ3KwKN3F+/moB686k/0UKa3z/6PbLm/ORSj6zxyZYt3F67/Aq/vIisUeAHI4d4efLkZX/bHu7i8eaN1DhuraHZ01RNdcBDNJXlW68foTHsp6vh+uvr5NJ5Tr1znreeOsD08AwIAjXNYbY+uI61d/Ti9JTeIdu2OXugj7d/eIiBE6MUC0W8QQ/rdq/gzk9vx+0rvTuSLHLqnfO8/I03mRmLEawLsPWBddz+iS1IZfpNIVvg9P4LvP69/UwNRnB5HKzdvZIdj20g3HDRuZeYSbHvucMcevk4ydkUVfVBbvvYlnntupk49uYZju05RWNXPTNjUY7vLSlkdm9o5+7P7KC+vQZBFHj2b17l9LsX+Ll/+0nCjRfb+63/8jTDZ8f57b/9VQBiUwn+8T/9gPW7V+AJenjp628yOxajurmKOz+9nfV3lmSQ0/EsR147ybvPH2FmPIokS9S11bDric0s39KJVp6L0okse767n/dePUEqmqa6KcQ9n9vF6tuWI0oiAgL1IR8PbFiGaVoE3A40RaYh5OPzt68n7L1InVdkiVUtddQFvOR1A02RCXvdDE7HsG2b+9f3UBfwsvfMIINTUTpqQ3zmtnV4ndo8qmiN38tvPXYboiggiyL3revB73Lw+NYVuDWVrvqSY0IQhCvSmEVRYFljNWGfG8Ms1aKo9rlxqQq7etvobarBMEu/DbodyJLErz+8E2yQZZHdqzqRRJEqr4ufu3sT2UIRpRxNCftKRZg/tm0l6VwRBPA5HYiiwJbuZnTTxOu8/o39jdCaAHq8rUzkZzgUO82+2WO0uOrYEFzB+uByAooP8QbPf8tWp6DaTpNrK7HCAH2pl5ktnKfOuZaQ1oVTCiAIErqVJaWPM5k7QiR/lowRocW9kybXracOZY0iA+nS4nUjXdzkDrDMX8u55DQ5c3GUsYWQ0PN8d+gIv7N6cfUcziSmKFgmDzetos0Twi2XBvG7kUFCqps765bR5Paj3ECNig8TTqmaFs9dWLaOJDhI6sO45DqqHCtQBDfT+SP41FZ8SmvJuEDCJdcgi6WFIexYg2FlsBzrccphBCR6/J9EEd2IgkKz+05su6TnLiITULtxybUooucyEYH3o8vTwo6qtUznZ5ktV0BNG1mOxM/QnxnBLbtwShoeuaQwZtkWerkSeMEqUjB1smaOjJGbVzldRKDb28rHGu++6RKpggAe7eImWRZFqtwuWoIBPrthDQKgSBLT6TSxXA65PKHPha8nkilmMzlagn6W11RzbHwS2756iNqtqmVZ69L1LGvhBUCVJEIuJ8trq/nshlKuhFORqXIvLek36HLgc2g8saaXgNOBZdvUejxkdZ1ssUi2qON3SvMC6zY2umVVNN4XwrUm+Sv9XRQFupY3kMsWUDS5Ykws9lzBkBt/wIWiLlz48aMAAfhUOfkbSrQoAfBqGp9ZsYZ4IY9A6RnLokR7IMiX126gyjX/2cqixF1t7ayrrSPkdCKXFVl2NLawvKq6Eimr83gum69zZpH/eOKHHJjtJ6lnKZgGFjZSuTjbRC7BI43rP5D7t7CZKaSYzMVJGYWKSIRfcXFn3eLqothA2igwmpklZeQpXFI4q8EZoHgDhbSuB5Zt88P9pzgzEsG2bVyaWuHKX9f5LJsz7/bxzf/8FA2dtWy6bw2FbJHx/inikcQ8SuDbTx/iB3/5ArIqs2xjB96Qh5mxKNhw6XSTimb4+z/4LhvuXkXH6hbOHuznm//laTSnwo7HNlHIFTn48nG+/dUfUt1UxbrdK0jMpNjzvf2MXZjkE7/xADUtYRKzKX7wly9w+NWTdK1rpWttKyNnx/nHP3qS5GyKXR/bjMt7/cXbFkJyNsV7r5zkrR8cpHNtK6u29xCbTvDODw+RT+f52K/fT7gxxNTwDH1Hhyjm5+8rxi5Mcv7wYOWzXtQ5e6CP2fEYkizRsbqZ1t5G9IKBVO5by7R49/kj/Ohrr9G6oonN968jm8oxdn6STDJbip4C+WyBf/yjJzmx9yyrdi5j+aZOzr03wF/+i//Nr331C6zd3QtCiT7UUTufieFUFZrClxc7dGkqLdXzN9lBj5NUvsBrx/twKDJ53eD+9T24NIWg5/L+liWR7gUM3frg4g1wURAIeV2EvJevKz6XA5/rcqOys+5yZo4kCDRVLVzUsT7og/f5uBe6n1uNLk8zdY4wsWKSc6khjsTP8P3RV3hu4k1W+bvYVrWGTk/zdTs3b5mhIYsaXb77KVhpziSeJpI/Taw4iCxoF/nvWJhWEd3KYqHT5NrK1up/tujk8Wvh4Mwwr0+eY7aQIaC6+HT7Bto8VfQlI3xv6AjxYo6iZfDbq+7FxiZWzPGfjr9Iopij3VvFryy7jUQxx/eHjnAuMY1PdbC7rpsdNR0MpaM8M3KCkUyMOqePexqWsypYj1vWCGlutEU+oKdHjnMgMoRhmzS7g/zKsl2cT0zzrYFDvDnVR97UaXYF+bnubQxnonx38AiRfAqf4uTehmWsDNTzdmSA7w4eJqXn6U9GeKRlNct8Nbw2eY4fjhzHISmcTkzyxa6teJWb75G5FZBEFYdwSTFCO4dDCuCSa0sbGaUJWXDiUmorVUAkLm6kFdGFLDgrvwdwKxc37yXa1cW/qZIHVVqcprYmqdxduxXTtnh2Yg+RckVVwzaJFpNEi6XcI0koeX9suKoiWak9GpuCK3i88U46PE03VMTwSrh0g6ZKEr211ZyeivA3+w4iILC8JsyaxoUNHJ/DwWwmxyvn+jk5OY1hWbjKvNzvHj7Om/1DTKXSRLM5PrN+NZZtL7r+j0tVWNtYz2g8UW4LbG1t5qEVy5Z0f41+Hw8s7+H7x05iWSXj6t/cdyd+SeKJNSv4gxdeRZNlajxufmXHZpyKQsjlomiY/J/PvMjtHW08vHJp17waBEFA1eTrjkao2kc/EikIAq3+wOXfA1Uu12UGhVNRcCoL31fA4STgmL8ou1V1Hs1qITwzeoQ3pk6TMvKsDDRxX90qAqqLnKkTL2bwyU6cH1C18IDi4qsbPodhGxQtk/dmB/nq6WeXdA6npPCpli3cV78K07YYy8b4u749HI0PfyBtvhYE4K613WzvbQMoRTZvwLOvF3QmBqcp5Ivs+thmVu1YhmVZFHJFVIdSGecz41H2fG8/qlPlk7/5EJ1rW5FkCb2gI8kSrkvakJxN8fnffYKdj29CVmTW37WKr/7CX3PwpePseGwTs+MxXvr6mwRq/PziH30Gb8iDqRu89YODvPgPezj40nEe+oU7Of7mGd575QTbH93IvV/YhcOlkc8W+Id/9z2e//s36NnUQduKphvpzgWRimdoW9nEY792L42ddZiGgVE0OHuwn+hkfF4EYzHIZwpMD8/wlT/+Ii3LGxAlEcu0UMrOjUKuyNiFSWRV5o5PbqVzTSumaVHIFnB5nchl9a5DLx/n4IvHefRX7mbHY5twejTu+NRW/v3n/4Lv/dlzrNq5jFUtdbRW3xjdu9rn4ZPb15DX9VLxYAECbueSVQN/isVBERWCqkJA8dLgrGZTaCXThSgnExc4HDvDvtnjNDiq2Vm9nu1Va5acHH5L4+0OKcDq4Kep0ro4l3yOyewRctblidNBtZ0e30O0e+/ELd88Hvqh2WF8ipMnWtbiUxwEVCeWbfO359/hzvoeVvjrSlat5mIqn2Q6l+IP1j1MwdT5k1OvMZCaZTQTYzyb4J+vvJOB1Cx7p/sJqC7OJqZQJZl/vvJO9kcGOTAzRJ3TS9ixtIIvPxw+zqfbN7IyUIciSogItHmreKJ1LRdSEX512W0oooQA1Dv9fKFzM7Zts2eqjwMzw2wMt7C9up1ILkW8mOOu+mU0e4Joosx9Db2MpGPUu/xsr26n3uVH/DFWxbh0oLvkWrik2KJXaWauwvlifr+Uvy0GHtnFg/W76PI28/zEXg7FTs+TpwXmJXdf+TxO1viXcUfNJlb4OvAqrptaqRlKnpz/6/67CDgvLtSCIFDtcfP5jWvJ6TogoMkSLlWhoyqELIqYloUoClhWqcL6ttZmcoaBJAhYto3foSEKAvf39nBHVzumbaOIIv7ydX7n7ttRpVIE4Xfuvg2fY2H5PFEQaA0G+OKW9eT1kvfWparIZS/bvcu6Sp7V93lVv7BpLYok4ShvXBVJ4qGVPdze1VZOFARNLr1Lj6/u5c7ujkq+gEMpFRHtClfxr++5HdOyrrmh/Sk+mnhl8iQZo4BfcfKHaz9JjeZFFERs28a0LQRBuGFqwJUgixLN7lDZkWATLSy9yKYoiAQ1N0HNjY2NU1I/VAeRIAhU+W6ehLCiydS1htELBt//i+dJzqZZf9dKqurnu35Hzowz3j/FbR/fQs/G9gpNCi73CCsOhV2Pb8Ib8iAIAuGGEDUtVURGSwqTyWia4dPj3PfF26lrq67M990b2tn37HsMnholk8wydGoUQRToXt9GqK4kKOH2u1i3ewXH3jzDeP8UjV11N11GV5JFuta10rmmFbks31rfWcvpA30UssVr/HqB8ykS9e21LNvcWTnfpdCcKvUdNbz5/Xf5/p8/z12f3cGa23ovM2hO77uArEos39JFVX2pP1xeJ8u3dPLiP7xJIVfEE3DhukEJc1kSK4nSP8Wtw1wV+ZLSapKzyUH6M6OE1QB5q8A3hp7l9el3+eWOT9LkqkVcZH23W2poCIKAJnlpce+g3rWOnBEjoY+SM6LYGCiih4DSgkupRhXdyMKNSWq9H/c3ruC1ibP8z3N72RRu5Z76kncyb+q0eapocPkvuZ5Q/s5H1tBxySrRQprxXJxWd5A6p4+CqeOSFc4kJknrBZrdAeqcPppcfiL5FJFCesmGxj/rvZ0Xxk7z3NhJPt22gbDDgybKBFUXqihT6yxx2C3bZjA9y1PDRzFsi6F0jFZPSdXIo2h4VQeGbRF2uCu0Kb/qxC1r+BRH6bzSR5PXfT14P52pFCX78CAIAi7ZwUpfFx3uJiKFGCcSF7iQHmE0O8lsMUHWyFO0dSREVEnBIWp4FTf1jjANzmra3Y30eFvxyC4ckoZylWKUN9rWmgVyjaSyUeB3zt/UaFeUDlVYKGAccDrAefnGqNpTOo8AVF8j10mWRAJO50J7CjxXWNQCzssPvpIH/Erfq7J0zbb9FB9dGLbJUGYGC5sVgUaaXaGbUvx0qSg5POwbXs/mvLs/SRAEgZU7lvHrf/olXvnGXr711af5zp88y84nNnPfF26jrq3kbEzHs+QzRUJ1AZzuqxtagbAPzaVd7G8BJFmiWDCwLZtirohe1PGHvfOeidPjwO13kU3myCRyZFN5FE3B6Zm/FwnU+JFkkeRsGtMwb7qh4XQ78Pjd84wCSZawrJLBejXY1uV/lxWJYJ1/QSMDQBAFdj62CX/Yx2vfepu/+/1/wulxcNdndnLnp7cTKicbJ2aTTPRP8/sf/+NKlAMgE8+QTeXJpnJ4AjdmIOSzBV78+lu88q238YU8fPZfPcryzZ0V+tbNxsvf2Ms3/svT6EWD7Q+t52P/7D7q2y/Pk/3/AiZyEd6ePco7M0eYKcTp9DTza50/w3JfO5qoMpGL8L8Gn+abwz/iN3o+v+jaGh/KbkwSVSRUNNGHX22+KBkqCIhIgPCBcI4bXX5+pn0jaT3Pn5x8lTZ3iHVVTRRMg0Qxi2WXeLtzr6kmldoCJa+qJIiENDcHZkoh66yhEytk2Rpu40IqwlQuBUCsmEO3LPzK0rl3vf5aurzVzBYy/Ob+7/Lk3b9c+VvRMitc8aSe43hsnIDq5lNt63lq+Bij2TjccFbJzcFdNVvYGV43b1J0StpNTWC+2fh/zn6LmUKCP1rzKzftnLIo4RXduGUnTa5aDMvEsi0sLGz7Ylk/QShtRQRK40wURCRBQhakjyz/HmDfzEmem3iH3TXruat241WP/ZOz3+ZA9Ay6ZeCUNP77pn+BR174HUnoaZ4Zf5tIPsGvd3/8A6GKLQWnk0P80/CrrPC38anmO2/ZdY/H+/jvF55kppBAFiUebdjJ51qvnaf1s62P8Onm++flm3hk1//ndP1zhl7Jc6rRfD/WEdyfVAiCgOpQ6N3aRceaFmYnYrz99CFe+/Y7ZGIZfuZfPkJVfRDVoSArEvl0HkM3UK9Cd7ti4cpyKFPWZERJJJeeH2XWCzr5bIFQrROHW0N1Khi6gV6YnweRTeUwdBOXx/GByEoLonBZsb852ZDKZ0GYn5hSRmI2tdAZEa9SaVoQBBxujfV3rmTltm6mhiO8/p19PPe11yjmizz8S3fjC3nQnBp1bdU88HO7qW66nB7lX4Kk6pUweGqMfc8d5tx7A6UE7Y3tNHbV3pRzL4RcOk9kLIpeMEhG05jG9de8+nHF2eQgL0zu5Vi8pIi1LrCcL7d/jGZXHU5Jq+xDvIqbRxrv4Gv9P8CwTFjksvyhuX1LiaICAhLCAlQQ275x78+lsGybb/Qf5K2pPgSg2R2k2ulBFkR+rnsb3+w/xP889zaWbfNv1z2EfQkNB8o0C0lmfaiJY9ExfnnvN/AqGnfVL2N9qAmvovFPA+/xy3u/QbXDw6PNq6jS3Dw7coIfDB9jJp/m8Owwn27fyJbq1gWVnizb5l8fepqsUcS2be5tvKhI4pE1mt0BfmHvP7I53MIv9uyg2uHhmdGTnE9F0C2TFf66S9p7hb4ry6h90MutJqk3VR7tViBj5Enp2Q/k3KIgogriFQ0t3TLYO3Oc3TUfTFLqB4WibZAyshSsawsd/GLHo3yyaTffGXmdd2ZPXDVZ3LJtckaBrJnHtC3kxc5oHxAMyyRt5MibhVt63eW+Vv7dql/gaLyPp8beIrfI6ztlB05+PPOvbgTvH1M5s1D5ThTEUjL2AsPuSmvNtQQNrvbbjyKWej8LHX8jf1+oryrPRxJxehw0dtXzxFfup5ArcvZgPzNjMarqgzR21RGs9XN87znW3bmSxq7L88UuRjCuTov1+N3UtlRz7mA/ekGveOcnB6aZHp5lxdZuvEE3jZ117H/uCBP906zauaxiVJzadx5Zlqhrr0FR5Sv269z3H8QY8YU8pBNZcpk8llXKecumclw4OognsDQmxVw7JVnE6XXQuqKJz/z240QnEwyeGiMRSeILeeha18qxPadpWlbPml3LLxp0Zf/mzTC6TNNEL5YiT6ZlY5rWgu/sTxKWOk4uHW9Lfd8WwoHYSfrSozxYv4vt4bWEtWDJuHif018SRPyKB0lYmsvqlhsaJS+uScaIMJk9xnThFFkjgmUbqKKbgNpGg3M9IUc3Mho3K7ohAF/o3MznOjaVPwulzhIENla1sD7UVBnLsiDS4PLzHzc+hgC4ZZU/XP8IolDyh/3WiruwsBEoRTpEQaTHV8P/ueb+soFC5dgHmlZwX2NvpR2ScGWfmgB8ddMTlXbM8YaFct7IH65/BJuS+pAoCNxW28WOmo7K+Upe8dKnh5pWVI69FL/YvQNBuIoh8lN8KDidHOKbwy//2BkaS4FHduKRnYQ03zXf6YDi4csdD2Pb9odCdfmoQBYkwlqAemcVLln76Vt7Dbw4cZxXJk8xmp0lkk+RMnIUrVJE46mRQzwzenje8XXOAH+w5uOsC82XHS+tUzYzhTR7p8/x6tQpLqSmyBpFvLLGMn89DzauZXOoA6/i/MByPG4W5jYgeVPnSGyIZ8eOcCI+SqyYRRUlWt1V3FHbyz31q6h1+OZxr/+ubw9f63uD22uW80tdu2n3XqSVPD9+jL8+/yoTuTgPNK7hN5bdT5V2cZP74sRx/u2x71Pv8PO9O35zwfGbnE2x96lDDJwYoWdTBx6fk9Hzkxx88Rg9G9sJN5ZyNRq769j60Hqe/G/P8z/+9TfY+uB6fFVeZsZmKeZ1Hvjy7kV7vWtbqrj/i7fzD3/4Pf7kK3/LpnvXMDMe5c0nD1DXXs3WB9chCAKb7l3N6Xcv8ORfvsDk8AxtvY2cOdDH3qcP8tAv3FnJ7zCKBql4mkwiR3w6hWmaDJ4cxRN04/G5cPluvrLQyh09/Ohrr/E3v/st7vncTmzgpa+/hXQdlOiZsSh7vvcu0ck4nWtbcbg0+o8Pc/ZgP3d8Ygv+6lK/3vbxLRx+7SR/+3vf4vaPb6Glt4l8psDAiSGcHief/pePICs3tq3sWNXC5nvXMDMWpbYlzJZ71+ALLc1w+ihh7t17P9fk0s+GbQE2MlJZifFyy+rS4/syU1RrXnyyqzJXlYRlbCbzcQ5F+7indi1OeXHO3scbdvN4w25cshPxGnvuTk8z/3blr+GUF+/IuqWGhm3b5M0YpxNPcSb+NFlzZsHjDgG1jjVsrf4KYccysG+cPiIIAhICklCS0yvki+h2SZ/esmx03cAyLUDAlAQUTUESxcp15XLUxTItCtkioiSiOUu/zReL5XBbKQojKxKiIiKIF69p2zaWaVHUdSzTqkRsJEksyVOKpYcrvy+6Y9slD5yuG5iGhWXZlesIooAsS4iydDl/0QZTNynoVpmaJiBKAooiI8riFT1LpmGh6wa2WarrMNcuSRZL13qfx8K2bWzLxtBNDNOq8EOFsndDliWkK1zvowgBAd0y0K2ytK0gogjyPOqObdsYtolumdhYCAjIYonmdOkCbdk2hm1gWGZZ1rJkIKqijEipTwqmjmmbvBs9hWEZpI1cuR2gikolL2MucVW3DKzyNSVBKgkGlK+pWwambSEJIqZtVZLNJUFEFeWKd6JQ1vSXBJHiJfegikrlPi3bomiVksAdl0SmzPL30iXRGQGh/G4XK9dUBAlZlOdtwObGwNVGgmWXChWaXGy7LF7OA7VtGwu7cs9z07AsiCiiXOkTy7bQLRPTvvgM3t8fc5O6Pu9ZseCzt2yboqmjl+k4kiCWRRsujvG5a5YoOzYCpetJwsVj5tpftPSK2ljpecrzDKv3vzdXcuwtZqwtFosZawBFy8C2LSRBwrStyv1KglS67iXPoFh+TvYld1AqlqrcVFpcX3qa4/ER0kaJEiMLEjpmyekiCKjv24Sp4sJri2lbHI4O8tfnX+NwbAipPDcLAswWDd6cPssb02e4u3Ylv9i1m05vzaITIz8sRItp/vT0Czw3fhRRKL0roiCgmwbH46MciQ3z7NgRfrn7Lm6vWVZ5LlUOD17FyUQ+TkzP0l4+n23bXEhNEdez6LbJ6cQ4eVOfx0Y4k5zAtC06vLVXfO81p4Y/7GXo1Chv//AQpmFR1RBk64PruOfzOyv5AYIg8Mgv30VdW5gX/2EP3/6vP0QvGITqAtz92R2VugqaU72svoUgCDhcWoVppDpVdj6+CZfPyVP//xf5m9/7Fh6/i60Pref+L91BY1ctAP5qH1/43Y/xyjfe4rXvvMML/+sNapvDfO5fP8GuJzZX8hHeeuoAf/f73yEVy8x1Dv/y3v+AKIn0bGznj57+7UU/J1mRcXocl+V9yFrp+7kowrJNHfz8v/80P/zrl/nbf/NtPEE393/pDpTHNvDKN9+55N5FnJ4SDexKcHmdeAIu9j51kNe+XfptdXMV9/3sbez+me14g57Kcb/xF1/m+b9/gz3fe5en/vtLONwaLcsbePiX7ka4Cj1rsXC4VD71mw/yqd988IbP9VGAbptM5+NkzQIuSaNG8xPXs0SLKWodARySyr6Zs+TMAlurlhFQ3UzmYuiWSY2jlDecNvLMFpI0u8LIgkhGz1GnlTIii5bBudQYIdVLgzOEV3aW1nlbx8niDA2PfLF207XgFDUanUvLYbllhoZt26SNKQ7N/A0D6ddKZeZFD6KgIAsagiBiWAUsW8e0i0zlj/Oj0d/i7oY/pNG1mZtJ9onPpviv/+KbFPM6v/i7jzJ0boqXvneAobOTCAJ0rmrk4z9/B2u3d6Fo8zXqxwYi/M7n/orlG1r57f/nc5w8OMCz//g2Z4+MkM8VCVZ7uPPxDTz02e0Ey14A27bJZQscees8rz71HmePDpNJ5vH4naza3MEjn99O58pGVIdyWRjM0E0mhmd5+XsHee/Ns0yNxTB1E5fXSV1LiO33rOSuj20kGL7oydGLBkPnJnn96cMceP0MkYk4iirT2lPHPR/fyObdvfir3PM4m7Ztk4xlePO5Y7z29HtMjcZIJ3J4fE7C9QHW7+xi10Nr6OxtnPcbvWDQd2qMV58+zPF9fUQjSWzLxhd009ZTx7Z7V7L5juUEwh8Mv/JmwwaeHX+HH03sI6anaHJW83jjbewMr0YWJWzbJqaneCtyjJemDhLJx3DLTrZWreC+ui00u2qQyoo2o9lpnp/cz3uxc8SLKVRRocVVy2da7mG5rwVZkPjm8Mu8M3uC0ew0hmXyxX3/Hih5/z/dcjcPN2wvPRs9w9szJ3h+cj9T+ShOycGm0DIeqNtKm6ceSRB5I3KEfTMn6fA0MJqd5niiVDCw19fKzzTfRbu7AUkQ+J/9PySl51gb6OSlqYOM5qapUv080Xgb99RuQhYlZgoJ/uzcd3DLDn53xRcr/XMmOcQ/DP6I5b42vtz+EFDawF1Ij3EyOcCxeB8CAtvDq3i0YScNzvCSvL2xYoo/PvtNziSHyZsFVvk7+C/rvnLZcbplcDI5wAuT73ImOVSexB1sDPbwRNPtNLtqsG2b/vQEz4zv5URygJSexSmptLnr+XL7Q7S4aivnmykkeHp8L+/OniJWTCGLMq3uWh5p2MHO8GqgtDGezM/y94M/Yt/sSQqmTrunnscadrE+2I0iyFi2xWBmkmfH3+a9+DmyRp4aR4iH67ezK7wGt1xKKjVtiyPx83x35DUGs1OICCzztfB4wy5W+TuuuPleqCcXO9YWg8WONYAnR99gODvFpuByTiUHORg9Q94qsjnUyxda76PGEcSybU4mBvnu6OsMZiZI6VmyZh7btmlwhvmNnk+xPti9qLYtBj/XcRufbdte2VCmjBw//87/JFbMcH/9Gn6z94F50VxREHDL8w1Zy7Y4Fh/hL8+9zIn4KLUOH7fVLGN7uBuf6mS2kGbP9BneiVzg5cmTmLbFV3ruod1T/ZF0qNi2TcYo8F9OPctLEydwyxobQm3cX7+GeqefrFHkSGyYlyaPcyE9xV+ffwWwuaO2F0kQqdF8VDu8TOeSxIvZivfUtC0GMhFEBFySynBmpuwoCVSufS45WSoG6q+/Yt843Bo7H9/Ezsc3XfNeJEli64Pr2frglSO/X/njn73sO2/QzW9/7Vcrn+dyErY/soHtj2y47PhLjwvW+vnkbz3MJ3/r4Sset/tT29n9qe3XbP9isO3h9Wx7+PL7e+jn7+Shn7+YHyYIAjse3ciORy/PjXvsV++r/Lu6KcRXX/i9q17T7Xdx/5fu4P4v3XHV4wRBwO1z8YnfeJBP/MYHYwh8FN+hG8FMPsF3hveiiQrNrjAt7mpcksaJ+BBDyjS3Va+kaOqlelKCyKnECKPZWcZys2wOdeGWHeyNnKbDU0uLqxpJEDmZGManuHDJGrPFFGk9z/MT7/Gvej9+XW1cSp9fz/O5ZYaGYRc4E3+KofSbKIKTFs8uOrx3U+1Yjiq6EQQR09ZJFccYyeznbPIZEsVh9kz+Jz7W9rc4pRvTZV4IU6MxvvHnLzE6EEHVFJatbSYaSXHu6Ah/+Gt/z2/9509zx6PrL6N7mobJzHicd146wT/++UtIkkhrTx2FfJGZyQTpZB71kuJb6WSOJ7+2h+e/tR9DN6lvraKtp47YdIqDb5zhvTfP8sv/5jF23r+6YmzYdombeHjvef7i975LMp4lEHLT1lOP5lSITicZH5zh3PFR7vvUxYKGhm5yaM9ZvvnfXmZ0IEJVrY+eNU3ksjpjAxH+2+9/n4c+u41P/NJuwnUXVbYKOZ0//lff5sje8/irPDR1VKOoMtGpJJHxKG88c4SqOv88Q8MyLQ69dY7/+R+eJjGboaYpSPeqZvSCTnQ6ycmDA9hAx/IGAmEverFUIOhqPE5dN5CkkufQMm2KBR2HU60kxllWKTJUOoddklaVbl7EZDQXYd/sSb7Qdh828OrUIf5u4DmCqpc1gU5SRo4XJw/w3MQ77KxazZqWe5jMR3l9+jAzhQSfb72XVncdhm3yvdE3GMhM8HD9dpqc1UT1FKcSA/OoFg/Wb+XOmvX8/cCP6E+P8+9W/wJQ2gD5lZJxljULvDZ9mO+Ovsb2qlV8uuVuZgsJXp8+zD8MPs8X2x+g01N6LiO5ac6mhtkVXsNXuj7GVD7G0+Nv8eTYm3yp7QFqHCUawrHEBabyUR5t2IFXcfPa9Hv8dd9TVKk+Nlf1Xt4xl+D9XvWknuNI7Dy3Va/hK10f50J6lJcnD6KKMh9vuoOgungjM6R6+f2VX2YkO8U/Dr1I1rg8J8GyLQ7EzvCPgy/ikZ18omk3tY4Qs8UEsiBXlDB0y+DvBp6lYOl8puVuqlQ/kUKM44l+vGUPjm3bJI0sf3b+OwykJ7i/fgvLPC3otsFsMUFIvVjwqWAVORK/wPpAN19uf4iMkefFyQM8NfYmfsXNMl8Lo7kIf933FAVL5+ONd1DtCHAs3sffDTxLzizyUP1WNEnlVHKQ/3DqH9gQ7OH/6PoEhm2yJ3KEvzj/Pb7S9TE2hhZfr2OxY20xWMpYAxjOTDOem2WNv4Nf6XqcnFlEFqTKM4jrKf7s/Hdod9fzf6/8cqlSeN9TTBdi/NmGf45PubmKXi5Zw3VJvRxZECv0UVWSCanua84VM4U0r0ye5Fh8hGZXFb/QdQcPN66bF2naXdvLt4f28fWBvbw2dYpVgSbCDi++6xAA+aBhA29Mn+GliRM4RIXHmzbwz5c/MK9Y67bqLraFO/mTM89zKjHGM2NH6PLW0eKuosbhI6x5OZuYIF7MVCIWY7kYs4U0bZ4woiByOjHGhdQ0be4aNEnGtC36UyUjutfX8OF1wE/xU3yIkESJKs1LtSNAgyPITCFJ0TKYzMfQJAWXrBHUPNg2uGQHsWKaSCGBS1JRRAkbm25vPSsDrbhkDcMy8cgOipaBZdtcSE0wlpslYxQuYVsYJeNFvrm5zteLW2ZoRPKnmMgdQRAk1lf9HN2+B1Gl+YuMJCgEtDYCWhstnh28NP57JIpDnE08w7rQF296YtXMZAIb+NK/eJBdD6zG6dbQiwb/9Fev8t2/fp2//U/PsH5XD4Gq+fxA24aRvmme//Z+Hv3iTu79xCZcHgeWaRGZSGAYJm5vKXRrmRZ7nz/Oqz94D3/Ized+4z42716Ow6liFA1efeo9vvEXL/G3/+lZGtur6VrVhCSV7m9qNMaf/+53yabz3PuJTXz61+6iuqG0USwWdCaGZynkdLyBi5umwbMTPPfNfUSnk3zmn93NfZ/cjD/kwbIsjr5zgb//rz/iuW/uo6O3gdsfXofDVQqtnTw4wOn3BqluCPBH//tXqGkoaWRbpsXUWIy+k2P0bmyb1w/x2TTH9/WRjGZ4+PPb+cw/u7tSNCmbKXDh+CiKKtPQVqrYef7kGNX1AYJhD5IkYll2pQ6DWFb7Gjg7SVNbGKdLIzaTZP/rZ7jr0fU43RqWZZOIpolMJmhoqcI0LJLxLDUNARRVLlWWtksVl0VJxNBNLKtklCzWGLGx+ZfLPkvY4ce2bTrc9fy7k3/Pq1OHWBPoZCwX4e2Z42wJ9fILHY9UPM9B1cs/Db/KkfgFml015M0iObNAozNMj7eZFnctmqhw9/uUmWodJQPaq7hQJIlW9+UJjpFCjNci77E20MUvdz5e2SBUOwJ8ffBF3p09Tbu7HoCCqXN79To+1bybQHmDP5mf5WRykIyRY64sacbI88srHmO5rwUBgVX+ds6nRnlm/O1rGhrvh2kb7Kpew6db7sYlO9hWtYKskee92Dm2V61akqFR0vFWCao+XJJzQUMjWkxxKHoWt+zk59ofYoW/bcFzZc0CebNIu6eBHk8zNY4g68Qu7qu7aJibtsWJeD8n4v38SufjPNiw7YptM2yT5d5Wvtj2AHXOUrHIoqXz8tRBIoU4y2jhrcgxosUkv9r1BOsD3YiCyLaqlaSNHD8Y28Ou6tWERYVvj7xKWPPzO71fQC3T45b5WvjqmW/wzPjbrAt2LbpeymLH2mKw2LE2RxOKFGL8TPNdPNiwbUGpwwupUeLFNB/vub08tgUeadjOn577DtFi6qYbGjcK27YZzszyduQ8siCxtaqTu+tWXpYnpIgSjzSu51hsmFenTvHSxAl2VPfglW+uJPvNgGlbfGfoXQBqHH5+oWv3PCMDShTAlYEmHm/awPnUJGcS4xyY7afZFaLa4aNa86LbJpF8ioxRxKs4GEhHSpHRYAt+xcVAOsLZ5AS31yxHk2SmcgniehZZlOj2LVzo88cBpmmRiCTJpvM4nCq+sBdVUzB0k1wqRy5TwNBLtMESpVrD4y8VubvWWDBNi0w8SzKWRtUUfFWeMsWrxGbIpnIUssWL5xdFFE2u0MPEq6xrtl2iP+fSefKZAnqhTA8vS/3OneP9TIpLUczrJGZTFHJFBCBYF8Dp1q55X3NU8amRWSzTQpJEfFVe3O/LVbEtm3QiewWlrBKCNT5cXueS36u5PswkshRyRUyjRHeVFRmHS8PpLdPTriNnVS8apX7NFjB1s7KXkdXSuV1eB1KZyicLIj7ZhbusuikJIpZt4VPcuMt5DqqoMJiZYiIXpNvbQN4skjEKBBQ3NiXFTqncxtlimulCAj1hUecIkDXyuCSNKs2LaVtM5uJM5KKcSY4SCHtQP2Spf7iFhkasMEBKH6PBtYEG18bLjIz3w682syLwBPsi/43RzH7Whb6IadtEUhnq/aWNS8EwSBWKhN3Xr9t81xMb2bx7OU53aZFUVJmf+dW72ffSSQbOTLD/1VPcf0nEYA6iLNK1spFHf3ZHhYIkSiK1TcH59z2T4ti+C0SnkvzCv36EzXeUjAwAWZW571Nb6Ds1zovfeZdXvn+I5s4aXB4HtmXz8vcOEJtJsmZrJ7/0e4+hXRIlUTWF1u75k7dlWpw+PMSpgwPc8eg67npiI/5yEpUoiqzf2cOpQ4NMDs+y/9XTrNnWRZ2rtNEtFnSwIRj2IIoCtmUjSKUNe31LFfUtVZf1gWXa6EUDzang9pVeGNsq5XW43BprtnXOO35yJEouUyARTdPQUsVsJEVtQ4BoJIU34EKSRBLRDM3t1QiigNvrRJYlikUDVVOIzaboPz1BIpYhGPaWJvpsAUEQSCWyxCIpigWDQNiDL+BiajTG7HSSuuYQNQ2BCof3aqhSfYQdJe7jXPGaFnct4/kZbNsmpWdI6lna3Q3z6C0NzjB+1cNULkrGyONRnKwLdvGj8f3876EX2Bhcxip/O7WOEB7ZuWg+d4n2kCdaSLK7ev28DUKNFiSs+ZnKRyu5Haoo0+KqqRgZUDKCiqZeTjgrwa+4qXOGKu2QRYleXwsnEgOLUqa5FE7JQbUWwFWeNAVBoNVdy7vR0xWazM3cfM0WEkzkZml119K2gGE2B7/qZnPVcl6fOky0mGBTaDm9vjaqtQDucmVTy7Y4lRxEk1S2hVde9bqyIFHnCFWMDCgZiAICBavETR/JlmhoIWV+Qu2aQBdvRY4xlYsSUrycTQ5xR/W6ipEB4JI0lnlbOBw7T7SQotoRWFR/fBhjbc5ACGk+Gl3VV9FTLwlUpM18RWY2YxRQBHnevX9UYNgWU7kEI5lZahw+enx1l1Gr5hBQXSzz1XMoOsiF1BQzhRSd3prKhuCjgrSe51RiDEWQWBdqIaguvPY6JIVWd5gmZ4jh7CyD6Qi6beJVHFQ7vDgkhal8gqSew6s46EtNk9BztLnDNLpCvDx5grPJCYpWqajmudQkNjZhzUuNY6EKOz8eSMcy/I/f/Ravf3c/q3ct41f+6DPUd9Ry4egQb//wEEf3nGF6ZAbTsPCHvSzb1MkdH9/Mqh09BKp9Vz13Jp7lqb96mX/8z0/Rta6VL/6bj7HpntWkohnOHOznnecOc+bdC0TGopiGhcfvor6jhpXbunnoywtLzEI5HzZTYKxvin3PHeH43rOMnBsnncghigJV9QG61rWx+Z7VrN61nFCtH0W7/H2cGIzw1//6m7z32glEQeA3/9uXueMTW9Gc1+D+2zDeP81v3vPvycSzVDeG+KU/+gy3f2zzvMP0osHz/2sPf/v7/3TFU/3mf/sy93x2x5KSzC3LJjmb4szBfvZ8/11Ov9tHPJIAoKapipXbe9j+8HqWb+5AlCQkRYLCtZUTLcsiHklx/r0B3n3xGCf3nWdmPEoulcfjd1HbWs3qnT3sfHQjzcsa8AbdVGk+nmi+6MDq9TdVpO3nos3rgu2sDrRWhIRq5/Yg5TzCRtfFNafW4ecXOy9S4+6v34DFRdGUXn8Tvf6bX63+RnDLZvq8laBgpfGrTTjl4LV/ANQ4ViEgkNQnAEjlC/z3N/fxh4/cW1rUYwmeOXGW37xzx3W3q2tVYyX6MAdFlVizvYvBc5OcOTy0oKHhD7lZt7P7qtrUAGMDM0yNxqhtCtLUWV2JIFyKDbt6eOtHxzjy9nmKhXtxeUoTxeG3zqGoCrseXDPPyLgSkrEsY/0RCnkdSZaYnYwzO5mYd4xt28iqzGj/NPnsRW9x58pGaptDnD48zLf+8hXufHw91fUBfEE3Dpe64EbRG3DS3tvAG88c4fWnj+Bwqqza0kGo2lfy6CjzEy1typGOU+OIt4sc2dfHXY+u49R7Q3SvaqK2MUDf6XFaOmsqht8cUoksh/aex+FUiUcziKJAJpVjtD9CXVOI0YEIQ+enMAyLmno/gSovk6NRRvqncbpV6hoXN+bev/kREVAFuZx0bFY2S+8/ThYkFEEqJRTbJgIC99dtpc1dz57pI7w6dYgXJ99lS2gFDzVso1oLLHoDaNomtm1fJo0rl5OH50KlsHCtkrliYZeSnhySepkXRxPVStLulWDZNqY1/+9zdT8uhSIqWLZV0tq+yTBsE902UEXlqnVZBAQ+1XwXy7yt7Jk+wg/H9vLM+NvcHl7HQw3b8MoubGxyZgEBoeJduhJUUbnChrrUt3P3+/6EbgCnqCIKAjmzUBEScLzvXAICDlHFsq1FyQVf+rsPY6zB3Hi78jKy3NdKh6eBp8beRLcMREFgT+QI64Jd1DoW907eSuTMItOFBBY2XsVJ2HH1aFytw49b1ogVM0zm4hRMA9cilV5uFYazs5i2iSoqtLnDVz3WqzipcfgYyESIFtPEi1lqHD5qHH5CqqdiaNRaPgYzEbJGgWZ3Fct8DbhkjQupKXJmSZ79fHIS24Ze/08ObWpmPMbMeIxT+/v47l88T2R0FkUt1eSwTIvpkVmmR2Z5+4cHefjn7+Qz/+oRQrWBRZ27kC2SSeSIjEZ55m9e5cWvv0ViJlURZLEti3ymwMx4jIn+aXY9vmlBQ8O2bZLRNG8+eYBv//GzRMaiQKk6uKLI2JbNxECEsQtT7HvuMOt3r+SJr9xL7+bOywyI5u462lc2cmr/efKZAkfeOM3a23upbbn6ONJ1g8OvnSQTzyKIAuHGIGtvX37ZcYIg4A25aeisxTRMTMPCKOpkkjn0grHAma8N27KJTsb54f94hR/81csUyvscWZWRZYnxgQjDZyd494WjPPTl3ZUI0ftrqrwfpmkxdn6S7/7F87z5/QPkMvlKDRhVU8im85x7b4Bz7w3wyrfe4bFfuZsHvnQHodrLjey5ulmX4tI1YynCEnNCRx9l3DqXkm2BbSEgstjE7ouqJSaJXJ4LkVmi2RzHx0sT2Eg8Qd64vsE4B1/AtWC1zOqGAAAzE4nL/galiELoGt4KgFQ8SyaVx1/lweVZ2DNW0xhEUSUmR2YxDbNi7U4MR5Ekkeau2gV/936kkzni0VKl0he+vZ+Xv3fwisd6fc55tX5qGoJ87tfv5cmvvcHbL57gtaffY83WTjbv7mXFxlZqGkOXGWQOl8bG23qYHovx9gvH+fqfvUigysOGXT2s29lNR28DoRrfPPWMYNiDXjDK1VQlojMpUolsOdRqIysSyXiWcK2ffK5IJp0nlcjicKpYhkVtQ4BiXq/UYTFNi2w6j2Xa1DQE8Ppd5LJFnG6VVDyLLEt4fK7Lih9dCUk9S8HU0SSllOxum8T1DD7FgyzKlY1VrJiqFE8ESBnZUiRDdlZUmiRBZIWvjRW+NiL5OG9EDvPdkTcIqV7uq9uC8xJPqcjCknaCIKCJKg5JJVpMzrtmxsyT1rOE3HXzN8CLuNWUnqVQ3hBAyYCIFBIEVE8lUiMJIrp9sUikbdvkzDxJIzPvXAVLL9W7sEykcsJ8vJhGEeWSQXOTqSROScMjO0joGRJ6mirtyt5SSRBZH+xmfbCbydwsL00d4BvDL1HvDLGrei0CAmHNj2mbjOVmKhS0K+FqtyKJEn7FzWwmUanfMHfvk/koAgJB1YsiylSpPibzUSzbuqgaZhtECnGcklbJIVksljLWrnxv1zHWrgGf4uLhhu38Tf8z/NPwq7hlJ72+Vh5p2LFoatithGlZ5I2SkaeI0oL1ji6FU1KRy88vaxYrCmIfJWT00gZKELhidGYOsnDxnouWSdEsra91Dj9VmoepfJKknmW2mCaST+KRHVRrPuqdAcKal4F0hIlcnDpHgPPliMYKf+PVLvljhdhkgle+/Q4XjgxiGSa9Wzqpa6nG6XWQimUY759i9Pwk+UyBZ7/2Ogjw5f/7k9esZA6UIhAXJhk4McIL//AmkiLRuaYFT8CN6lQoZApkkjlSsQyrdy3DG1w436iQK/Lc373OP/7Hp0pFBb0O6ttrqGmuIlDtwzBMZsdjTAxGmB2Lsf/5IyRnU3z2tx9l3R0r5q3XoiSycscyDr1ygsFTYxzfe5bIWJTqptAVnay2bVPIFnnrqUNAqdr66l3LF5QelhWJbQ+so3V5I5lklkwiy9TwLHu+/y4Xjg4t8qnMv3YuW+BHf/8G//Snz2FbNg63RmNnLfXtNfhCbnLpAlPDM0wOzfDs371OqNa/qCj+6LkJ/ub/+ieOvH4K07Soa6umujFEXVvJgZyMphnvm2ZyKEI8kuS7f/Y86XiWz/32o3gCHy2K6K3GLTM0VMmLIrpJ61MUzCQO6dqh1NnCBWxs3FINg9E4Pzxxhr5IlL/b916Jt6bI3NXTcf2NEq6c7yGVE5YNY2GPrCBcpfroJTBN65KE5YWPl2QRBAHDuCgPC6UqpaIkoi4Q0lwIlmlhGhaKqtC7oZW2ZVemlXj9rkpuxxx23L+KnjVNvPHsUQ7tOcto3zTH9vVR3xzioc9v57aH1uILzn9haptCfPrX7mLdji7efvEE546N8Nbzx9nz7FHW7ezmwc9uY9naFjSHQnWdn5nJJOlkjkCVh2Wrmxg4M0E+p6OocsngsGwmR6M0tYVJxrMYusnkSIxla5pobAtz4dR4JbqTyxTIpgvEZtI4XCqaQ8Hl0UrVY7PFUvEht0axoGMYJsoiQq9pI8e70VOs8LUBcD41wnhuhvvLvP4q1U+Lq5ZTyUEGM+MEVB9Fs8jxRD+GbdJW3ojlzALRQhJREHBKGooosznUy0tTB4nq6UpkZA4B1UPGyDOWi1Q87XObPr/qocvbxKnEAP3pMUKar6S6lOgnbebpcNdXaEuLRc4scCB6hi1VvWiiwmg2wvn0CHfUrAMobYY1P+dSIwxlJwgqXtJGjrOpEeLF9Lxz6ZZBX3qMC+kxahxB0kaO08lBqrUgfqVE3bPtksffpCyDatsUrCIOS61EROYme9M2KVol2V+LktytVJYOFoWSYdDubuRQ7AzvRk+zIbgMTVTQbQPTMvGrHpySVqIBFRMoooJDVHFIGrvCa3h6fC8zhWSlRsfqQCfPjL/NCxP7ebRhJ27ZUZKeNQ00SVlSjskKfxunkoOcSg7iU9w4JJWknuFA7DTtnnpqHEFEQeS26jW8NHWQ08kh6h1V2NhcSI9xPj3KukAXftVd0UevSM3aFoZtUTBL8sJzcrlLHWtXwwcx1vbNnGSZp4nfXPYzuKSr5zBYtkXGKJIs5svSy1ffAFQ7PHiVm1eYUBBAKm+g5mR+rwajPEahxMX+qOVnAPMonsY17sfmoix2qUZU6X5qnSVDYyg9Q1LPM5SeIaHn6PDU4FE0REGgy1vLsdgwZxITrPQ30p+exoYPNRHctCwOz47R6asiqF0/xXoO+WyBN588QMuyej75Gw9y2xOb8IY8lec+1jfFd/7sR7z67Xco5oq8/I29rN+9gu0PX1nZag6ZVI63nj6EUTRo7Krljk9sZfN9a6htqUJWZEzdJDIW5fS7fQRr/VesLXHszTN866vPYOgm3qCb3Z/cyiO/dBctPQ0Vh1sunefYm2d45m9e5eibZzh9oI9n/uY1quoCdKxumXe+5Zs6aOyqY/jsBJHRKBeODNK+svmyfIs52LbN5FCEU/vPA6XCglsfXLvgsYIoEKjxEai56LSdHpnlwtGh6zM0LJu+o4M8+ZcvVoyMHY9u4JP/x4O0r2xCEEsOs9hUgte/9y7Pfe11zh8evOZ50/EMT/7li5zYexajbGB+/J/dz6Z7V6M51XLEyWZmPMYzf/sqz33tdVKxDK9/dz+tvQ3c94XbPpJzw63CLTM0/EozHqWWqfwJpnLHcEohFNF1hXoOFkl9nPPJF7Fti2bPVtaG6+gIB/n+kZN8YfO6ktP2konwumCXNquWaVUSd+aQSpQ4717/jU1OTreKw6mQyxTQr8ABTMWzWIaF1++s1LgQAG/QRSqeIzGbWfB374fqUHC6VGRFYuvdK3j85267vL7GNRCuD/DxX7idBz6zlaNvX2D/yyc5/PZ5vv6nLwICD3/+cgk/p1tj3Y5uVm3uYHxolkN7zvDuq6c58NppMqk8X/oXD9C5opE1WzqwrJIuPwJU1wfoXNGIKF4sEPOpX7wor9faVUvrJdGc1ZvbWbWpreJJCdf6Wb25nYVw8tAgjW1hdN1E101M3UK5NvuMRmeYlyYPcD41imGbnEkO0+au4/bq0kRZ6whxd+1GfjD2Jl8feokmZzVJPcNYboaNoWWs9JcM39lCkucn95PUM4RUH5IgMpGbxS05WO3vmFebAmBdoIs9kaP878EXaHbVoooy6wLddHubqFJ93Fu7me+MvMr/HnqBFlctGSPPaG6atYFO1gd7rn1j74NPcfPWzDGm8lFkQeJEcoA6R4gH6rYClKVil3EmOcT/HnyBNlcdKSPHWC5yWQQhqHqI5OM8N/EOQcXLWG6GybKi1Rw9ZraY4HxqlKSeoT89TtEyeH36CAHFQ0jzsSHYg4XNZG6Ws6lhZotJxvMzZIw8r0y9h1PWaHJW0+1twqe42VLVy2humlemDnEhNYpPcVOwdByiyu6a9bS4a5nOx/jh+F5sbAKKF1EQGM5O0+CoZk2gs2K4dHuauLt2Iweip0noGWodQWy7FGFY4WtjV/WaRffrptByBjOT7J05znB2Cp/sZjQ3Td4s8pmWeyrRgIcbdnAhPcbfD/yIZd4WbCz6MxM0OMM8UF96BgVLZygzyUh2mqHsJLOFJIo4wWvT7+GRnXR6Gql3Vi15rF0NH8RYS5s5bNviQPQMDklFRMQlO2hyhuflEuVNnbOJad6bGeFccppEMV/aGF/F2/hz3dvYUbvwHHA90ESFgOJCoBShSBZzVz0+Xo6AlqJVbpSPYJSmplyAz7JtpvPJqx6bM3USeume3bKGp2zEVWtewpqHjFkgoWeJFzOk9Bzrg614yoZnt7cOh6RwLjVBrJhhppBGFSU6vYuLyH8QyJs6/7/9T/IHGx/kzvqbI6PscGs8/qv3cuent1fET+bQ2FnLL/7hzzDRP83RPafJZ4s88zevsfHu1fOUKBdCNplj+PQYvVu7+dzvlKIL0iUKjZIiUddWTV1b9RXPkcvk+dZ/fYZCrljaBzywlp//g09dVlfE6XGw+b41eENu8rkix986y4m9Z3nn2cM0dNbicF2MfIVq/fRsaOfkO+eJR5IcfPkEW+5fi8u7sNPA1E32Pn0IQzeRFInm7jp61t+8d/RKsO1Szuizf/s62VQOURLpXNPCl/7Nx+dRvQRBIFQX4P6fvQ3LtPjmV39IJpG96rnfe/UkR944TS5ToL69hp//g0/Ru7lz3r5REAWqm0L8zG89RCqW4bmvvU48kuT17+5n20PrF11M8icRt8zQqHJ0U+1YwYXkC5yK/wDdyhF2LMchBZAFFQQByzbRrQwZfZoLqZeYzB7Go9TS6b0bAJeicH9vD9miXvG6yKKER7t+Tuz44Az5bHGedW6ZFv2nxrFtm5bupRUmeT9qGoKEanycPTrM7HQSwzAvS0ruOzlGIV+kc0XjRa+7INC5opGDe85y4uAAm3cvv6osLIAv6KKmMYheNJgcjpKKZ/GHlh6yEwQBt8fB9ntXsn5nN09+bQ//+OcvsfeF4zz0uW1XtMxlRaKlq4bmzmp6N7Ty91/9EScO9DPWH6GjtwFBEC4Lt0rXuKf3t2uxXoGO3nrGBmbQdYOm1vCCuTHvR6+vlZ3h1QRUL3sjx0gZWVYHOrgtvIZGV2ly1ySFDcEePLKTfbMny3UGNO6v28KGYA8hreSZCSgeOtwNnEwOMJaLIAoiVaqPe2o3scLfVinEN4c1gS4+13IvxxJ9DKTHCWk+rHLROkWUWR3owClpvDNzgul8DIekclfNRjaFlhMub/xrtCBrA11Ua4F55250VbO+3OY5+BUPH2+6nSOxC0zmo3R5Grm9el1F9UqTFNYHe9Atg6PxC4znZ2lwhnk0tItIPlY5V1j1c0f1emocQSZyM5xLjeKUNT7WdDubQssr3u/JfJR3Zk+S0rOoYuncJxMDANQ6giVDw7YYyk7yZuRY+dwBwiociJ5GEkTWBUuGF8Bybws/23Y/B2ZPM5iZZDQXwS05aPPX4VVKzoGQ5qPT08j51Agj2SlkUaLWEeSJxl10eOorTgpNVPhc6720u+vLz2sGRZBpdFVTX0789iluVvs75tXeAKjWAqwJdFGtBSvHfaLpDpqi1ZxMDDCRn6HGEeSJxttY7mutPPdqLcCvd3+CV6YOMZKdQhRE1gW62BleTZOrNOfkzAJnUkMciV0AqDyb/bOncEoqTkmj3lm15LF2NSx2rAE0uWrImcVK1GohDGYmqNb8XEiN8dTYWwiUmH2CILIh2MOnmu9EEWV0y+R4dII/PfkaB2eGkQURp6wiXyMHLla8+gZhqdAkhXpXEL/qIlbMMJKdRbfMy1SaAIqmUfHwB1QXtU7/gsd92Kh3Bqhx+JjKJziTGK9QQ98Pw7KI5JOM52K4JJU6hx9PmWrlkjVqHH4cksJMPkW0mCFtFEoRjfI73uOrQ5MUziUnGUhHMG2LRlfoIyn5eyNoX9XE8s0dlxkZc/D4XTz6S3dx9M3TWKZF3/FhJganaV1+bQqZv9rHbU9sYs2u5UtaG+dw4fAQF46UIgGegJuPfeW+y4yMOYiSSMeqFnY+upFz7w2QSeY4c7CfsQuTdK5pnXfsml3LefuHh4hHkpx+t4/JoRlqW8KXOWht2yaXKfD2s+8B4PI42PrgusuKD35QyCSyHHrlROXaOx7ZcMV8ErfPycptXXStbeXontNXPKdeNDjw0nGiU3EA7vjEFlp7Gy+79zk4XBp3/cx2Xvz6mxhFk8nBGc4eGmDLfYt3WP2k4ZYZGm65mg7vnaT1SSZyRzgw8z8Iqm341WZUyYuIiG4XyBrTzOTPkTNjeOQaVgc/Q0BtA8C0bIaiMUbjF70yNV43t3W2XXe7Du45y8pN7XSuakSWJSzT4uzRYU6/N4iqKazfuXQP3qWoaw7RtbKRkwcHOPzWedqX1dPUUY0kS1iWxdjADPteOYmum2y/b1XF6yEIArseXMN7b51j30sn2bJ7OT1rmivJWpZlk88WyGWLeP0uVE3G5XHQtbKJ+pYqTh4c4NCes2y9uxeX56LnIZ8tMjMZxxd04/E7Kxv/qdEolmVTVVvKqahUcRYEqmp8YNuY5nwKRi5TIDaTwunW8AXdlYnRtsHtceDyaFimhbVEFaObAadLo2vl0rjBn2y+WAxpw1U8t5qksjrQyepA5xWP8ShO7qrdwF211w6ZQykf6Z66TdxTt3DRKlVUWOFvu6KUK8CaQCdrFmjTzvDqStG5ORi2yTJvC1urrqy05JYd3Fm7gTuvcg/XatMcVvk7WOW/Os1REWV2hFez431tXQiCINDiqr1s438p/Iqbhxu2A1cvpCWUKUd31W7kritIwra6a/li+wOXfb/QfflVD/fVbZkno7vQNeudVXyh7b4rHhNUvTzeeBuPN9521fYvdaxdC4sZa7DwuLoURUvnm8OvYFgmX2p7kJDmQ6BkQL069R5Pj73FfXVbCGt+YoUsTw0f4/DsKO3eKtaGGqlz+q6ZI9Hlu3pS6lIhCgINziDrgq28MXWao7ER+tJT9Hjr50XPS2plY5xMjJEzi+yq6SGseT+S9AhFlLi3fjX/0P8mZ1MTHJwdYHt117yEU9u2+X/Z++/wuM70zBP+nVinckIq5AwwZ1EUReXYUie525087eyJa8/O2Dvz7ezsNZ93vt2dtN/YnmCPw3jsbrtzklo5Z4qZIEEQRM6pcq46Yf8oECSIQAAEKaqbd1+6pEad8J6qc97z3M/7PPc9k4tzLDxAOJ+i0xNii7d60TZVdi8B1clMLsFIJoyIQK3Tv/Ab1TuCeBQ7o+kwl5JTGJbJFk/1opYxy7LI6EV6YtOE8+n58jhwKzZa3EEq7W6GU1EKpoEmyQwmw+imSZu3nAZXgLyhM5QKM5VJkjd1nLJKu7eCCs2FJJZWbS7EphlJRZEEgWqnd1GTbd7Q6UvMMZ6OYQFVDg+t7jKcytqTlS3b61csW7qMHfd2YLOr5DMFinmdS6eH10Q06jtCdOxr2nBgfvKN8xiGgSAKVDdX0LSjbtXtNaeN+o5qQo0VDHWPMd43zeilpUSjaXsd9R3VDJ4bIx3P0PXeRVp3NSz9HizoOzPMSM8ECOAr97Dvke0bupaNYPTi5II7u+a0sfu+1aXay+uC1HWEViUac+NRxvumKOSKCKLA9nvaV+25kWSJspoA3jIP4Yko2VSO0Z6JTyzRMC2TC4kBGp01OOWNJQ1uqb5glX03pt9Ek7xMZ7sI5y8xm1/6A9tEL1X2XTS7H6LD8/TC39OFAn974izbQxXY1dLEUFihh2ItUFSJiaFZXvjWh2w70ITL4yCdyPLaD0+QiKY5/MQO2neu/qBeDza7ysGHtzJ8aZqT71wELHYcbMHp1sgk8xx76wL958fZfaiVgw9tXejHEAQ48MAWDj68lWNv9PAX/+an3Pf0biqqfYiSSDadZ24yjigKPPi5vQQrS+Z7HbvreODTu3n+W0d59q/fZW4qRnVDGaIkUMjphGcS9J0b47EvHmD7gWZEtTQJf/haN8MXp2hoq8QbdGGzq5iGwdxUnLeeO43b52Dv4fZFL9K5yRivfP84lmVR01SO06MhSxK5bIELJ4fp7x6nfWcdlbWB2/IF/PONW0/+7uDnC0VTZzA1wW5fG+WaF7fsnO8zMRAFcVFTeaKY48OZISrtbn6t7W6ert/+sak3Vdt9PFS5lZ7EBOdio3xr6EM+Vb2LaocfmyiTM4qMZiL8aPQE/clpQpqPh6u2UWZbuTTisqfBFcW2Uv/H1WIAa0Gpb8Ra6F0x5/tIVpOQFhD4dM0ePpjtZSA1y5/3v0nR1Gl0leOUbeiWyUwuwbszvbw+3Y1HsXNXsIXtvsXvvpDmI6C6uJScYi6fotrhx6tcKX+2yyoNzjIGUjOcCA+hmwZbrmkEL5gGx+dG+OFQFwGbg6lsgu7YNDsDIX657S7cisbL4xe5GJ9mp7+a4VSUjFFAFETqnD7ihSwfzAwxkAhjWBbxQpYdgRBfad5LQHNyKT7Ln/S8j2VZeFQbTtm2UP1QNA3ORSf5/tAZDLO0XmwTJe6pbOLRmo41r0YFq/1o12nudnkdlNcGGOudwigaTA7MrOnYgSofFXVLpeTXisFzo/OeDiJN2+uuq4oJ4C1zUVkfZKh7jMh0jMhkbMk2mkNl++F2zr7bw/RImOOvdPHwlw4taUg3LYs3v3cULFBsMlsOtFDVsHKp12bCsixGL00u/H/VrlLdsnrZntvnxF+xuqjPxMA06USpnFAUBS4c6ye8zHd0NZLR1EK/bbFQJDa3esni7YyCWeTbIy/xa82fwylvTNjhlhINUZCodR7Ao1QzmT1FOH+JjD5H0cwBJqKgookevLZ6auz7CWrtiFfVvFqWhU2W+NW79y007N0IFFXmvqd2MzYww3f/+A30okEqnsHu0jj06Ha+8g8fWVaRar1omffbsDttdJ8Y4uQ7vUiyRDGv4/LaOfjQNj7zK4cJVnoWrSQ4PXZ+6R8/jsfn5MLJIb7zx68jyxLSvBmdrErsu3+xZJy/3MODn9uHpEgce+MCP/3mBwsvIb1YUnoqq/ItMbBTNZlL50Z576UuLCzsdhXTtNB1g7IqH49+4QAPfX5xtleURDKpHMff7CGTziMrErIsYRgGiqpQ31rFo184QEPbx1ejezshr+ulDJ5l4VRUJFEklsuiSBIOWSGr6yCUXn5F00CT19BUcgd3cJvCLmncU7adi4kRfjL+HpqkYlgmaT3LVC7C46GDBOZ7NAqGwUwuyc5ADY/XbvlYJWLtsspdZS1M5eL8aPQEr0x20Zecps1diUO2kSrm6ElMMJwOU2Zz8Uz9AfYFGpesvsQLGU5EBknrBYqmQd4s0p+cBiBv6hybG0A3DVRRRhElXLJGi7uSeueVQDNnlPYZTs9RMEvSwnP5FBOZGABD6Tl+On6acltJzUwRJartfrZ5a1Cly0krgQZnkN9ofZC/6H+LrtgY/+HCC+zw1+FXnRTMUgnYhcQEkiDyQOUWnqzZucRvo8ruw29zcnSuH900OBBsWlIW1ekJ8d5sL12xUQzLZOs10rZpPc/rE5co05z8s50PM5AK82cXP6TTW8G+sjpi+Sx5Q2cyk+CJ2i18vnEnumVik2RUScajahypauFTdVtxKxqvTfTy15eO8WhNJ37NyXcHT5M3dP6XnQ8RsDn49sApEsWSvGmikOPHw134VAe/0nYAE4sfDXXx4+Fz7PCHqHOtTW7Z7tLWFBcEKnyM9U5hmibJSOq620MpC293b7zULDITB8tCEKEstLbr0ZwarnmRl3wmTyaZxTTMJaXaOw53UFFfxsxohKHzY4z0TFBZX4Ziu3LfJ8Ipjr/aVTquw8a9n9t/65KMFsTnSsZ/giBgd9pWLBu7DFVTsM9XfKykPJUIpyjkSv21hm7yzf/rx+salqmb5DKFde1zOyFnFEjo6esKY6yGj8UxyaPW4FFr0M08WSNCwUxjWSayaMMhBeebxJcSCUEQMEyLH57tJuAoOUX67XZ2164uSbkSCnmdAw90ct9Tu+g+McTcVBxBFKisDbDvSDsVNf4lD4nL5+Cprx3C4daWKDCtBFEU2XGwhfJqPz2nhhkfmiOfKaA5VWqaytlxVzP+cveS7IMoCtQ2lfP1f/oE3ccHGemfIRktKTPZnTb8FW5attYsGUdVXYCnf+ketu1ror97nMhsAtOw0OwqkkuhqT1E89aaRapZdz24FY/PyeRwmEQsjV4wkGQRj99JQ1sVnXsbsFSR/qkwDeV+ZEmkLOTliS8fpHV7LeHpBNl0Dsu0sNlVykI+OnbVUddcgaophJMZHDYFu7p68DyXTOPSbGjrMOf5pOBCZIaCaTCbzXAoVEeikGcynSCez3NvdSNn5ibRLZN6l5dEIc+u8o3d19fDLl8rFTY/NvH20vu/UcQLc4xn+6nU6gmoVUue3Z7EMSKFGSzLRBJlDgQe25DEaiQ/xXh2gDJbNSF746rbXkqeYi4/iWkZSILM3sCDqOLmqSTdzhAFgc/V3McpRy9j2Rkyeh5REKmxl3O4bAc7fVfKdwShJK1qE+VNVZHaKCo0D5+p3YtHsfPOzEUGUjO8NNlFcZ4YBFQnB8tauLe8nQerthKwLS2lmczG+E8XX2UunyBv6BSvUv/KGUVemTrHK1PnkAURm6hQ7fDz1cZDi4hGspjj5ckufjJ2kryhUzD1BZUrgJ7EBD2JiZLfj1gKxh+o3EKzq3yBaECpl/GByi0oosRLE130JiZ5Z+YiuXkFM49ip91dxb5gE49UbVvWybvM5iJocy147TS5KnBfQzQ6PKF5+e80Tlml3rE4O29aFjmjiEfVEEUBRZCwiRLGVUGehUWDK8CB8nqC2uJ3mypJYFmcCU+Q0vNMZ5LM5FIUTB3LsvhodoQvNO2izulDESU+07Cd/9bzAViQKuZ5Z2qAw5XN/HS0G4DxdJzZXIqhVGTNREOS16YuJs+XP1kWa/aEkCRpTWqWK6GQLczfHQKKtrZ3qCiJC32jlgV60cDQjSVEo6qhnLZdDfSfGSGTzHL81XNsO9SO9yqicebtC0SmYgiiQKixnG2HNqcBf60oXBbcEVjWgPBaCIJQSt7K4rz7+vLHNOfLxiVJxFPmXlcC2uawrajQ9XFhOD3B+Xj/mrZN6RlihZWd29eCjzWak0UbbnHtwZQiSTSVBbg0EyboLBGNGq9nw0TDMEpTduv2Wlq3r81J0V/m5pd/98l1n0sQhBUdtq+3n9vr4ODD2zj48OrOxVfD4dLYdqCJll21pPNFHDYFRZYYnonisduwu2wYpkXR0EnnCviCLu55bDupXIFcUSfodpAtFHGoCvmijixJTMeTnB+bptLnwimqGKKAr97PA+1VqJJE0TDIFnRkScRpUxZNxr2Ts5S5nVR4XThtKrphYMyvUBUNE5siE0lmODsyyba6KjTv6jWwn0RciM7S4PYxnooTyZVxdGoEAYHxdIIdZVWcD89gWCajiRhVzpunUHGkfHmpwU86woVJjkVeZV/gIfxqBQKLXwZpPUE4P8lQuptYcZa9/oc2RDSmcyN8GH6enb57r0s0MnqSSGGKofQFooVptnnv/rkhGlCSbV6tx+cyNEmh3uUnrReYy6WosG/O/a9KMl9qvJu0nme7b31uuZfJxi5/PT3xCWbyCYqmgU2UqdA8dHqqqXcGl22sBvCqDp6o3kHWWJv5olvWaHQt7jnRJIWdvvp1lVe1uCqWNVFURIn7Kjro8IToio4yni2VJcmCiF910uKqoN0TWpHo2SSF+yu24FOc6JbBwbIWHNd4qrR7qvhq4yFSeh6PouFSFisTOWSVfWV1vDTWw19dOkZGLyKLEvvKFv82TlnFoyz1/Dg5N8ZrE5eQBRG3YiNezFE0LntPWaSKOfyqfUE4xKNoCyVRBdMgXsiS0QtMZRLz41F4onbLuu43vaBjmtfP7uqF0u8uCCCvUaL+RqFqynxPjLVmclOSxb8SZEuyuKzwjCiJ7HloG0dfOkMmmeXkG+f57N97BE/AtSAb+9b3r5RNHXh8J07PjUsKrwcL7uEWGMW1ZeAta1VhuxKxnE8C210aT/36gwSrfGsek6RI1FynhOtW40JikG+PvkTQ5r3uO7Bo6qT0GxPd+NiIhmkZGGYek7U9DDbJg12R+eyOTuZSGQQByl1OZOn2U/m4XRDP5BicjpAr6rRWBfE4NKZiJWbqc9mJprJcGJtBUxV2NYSYTWS5NDmHS1PxOjSO941xqKOeixOzNFUE0RR5flXJRDdNoqkM/VNh3HaNtlCQvqkwiUye1qogTtvil280lSWZzdM/FWZXY4jpeIpoKktt0EssncNhU0hlC5wbmaa1anMbPG8XWFjUe3xE8zkMy0STFKazKdyKDU2WS/9IEufC0xypaVyyfz5f5OKlKU6eXl5fvDrkY8+uBsrLfj5l9HxqBbt8Ryi31S5xPQfY7X+Abd5DvDb9Lc7E3r4lY9rhO0yn5wBvzXyfk9E3bsk5P4nwq3YeCrXz45GzvDh+gV9o2IVzmUBzvdAkhd9ofeCG9u/whOjwrD+ZFbL7+K22hzZ8bgC3ovFwaBsPh9aeZFoNoiASsvsI2X0b2v/einburVhZKCNoc/Prq3zfqijR5A6SKOZIFwv4bQ4OlNexM7C4xEoUhCXPsGGZvDreS6KY41fa7qLdW8HZyDhvTZZU2QTAqdhIFHMLPTFZ/WqFSpFKu5tP1W3lgdAV0QyB9cnkp5M59ML1e0Njs6V3rSiKuNdY/XCjCFT5QBCwTIhML282fC3ymTypeTn/y6VEKykqde5vprq5kqmhOaaHZ+k9NUioqRxVU5kZDdP9Yem3sLs0Dn9meWGTmwaBheb0kvpVjny2sMTt/GoYukEhV1hEtK6F2+dcaM43LYtDT+6heWfdJ7rv1LRM6h1VPFp1CLu0pdeSaQABAABJREFUeuIrWUzxtyMv3ND5binRsCyTeHGMmex5EsUxCmYa07o+0ZAElUMVv41umvTOzHFhaha/w85D7S2cm5i+MdO+n2GMRxJEUhlqgl4cNgVJFEnni6RyeUzTIpHJMR1PsbuxGlkS6RqZwmlTqPS6sCyLC+MzHGitZWgmRsjvQbrKkyObLzIWjtM3FcZhU6kv8zKXSKPIMi67jeXsqZ02lfFIgmg6y8hsjHAyw1g4TsDlYCae4t4tjcgbkPT7pGBXWQivqtHhL8Ov2bmnuoHRVBwJAY+qsa+iGlWSKLc7CTmXNqjlCzpnukb5y2+8t+zx9+1poLba/3NLNAJqJQF15cyRJEhIkgNFuPEAtoTrv2hEQcIm2VFE2yf6xXSz4VY0Hq3p4EJ8im8PnCSaz7DNV0WZ5sImycsSR4CQw4NXvb3KEu5gZVhAWi8QK+RIFHPkTZ20XsCyLPaVrS68UlIsK6JJMi7FRqKQ493pQWLzXicCAnuDtXwwM8zhymYCNgevTFwsEQ0BPIrGrkANb0xeosNbQVBzEC9kyeo69S4/8hqfz/BElFwmjye48qp7OpFldjwClDLiq3lfbCaattdx7OWzmKbJ0PnLjeGrX1cikmJ2LAyAv8KDv2JlM2W338WOw+30nhwkPpfkw+dPc9dju1A1lROvnSOdyCCKAm17GmnovLVGjQICoeYrdgT5bIGZkTnqOlYeRzqRJT63ev9MVWM5jvnSp2wqx/TIHPWd1WsqzboR5PNFZmYSRMJpMtkChmHS0lJBRYVnQ9LHV8MmqTS76rgrsOO6PkuJYppnJ966ofPdMqJhWRZT2S56Ez9lKnuadHF2zasZiujgUMVvky0WeaN3gO3VlXRPzbKvroZjI2N3iMYKuFyWNB1LEnDaMUyLWDpLOpcn5PdgWhaVXhc1AQ+yJOLSVKKpLBNygqDbideh8cHFESajCQzDJJLKMTIbYygYJeh2MjwbI57OYZNLt5FLs1HmceKxLw3kLKDS68YwLQQEJFEk6HZwdniS3U3V6KbBZCRBvri2e2Kz8Ob5fnon5/j6/XvR1uLodwPYFiwFwW71yvdT6XAthFCXP2/zfTJXdEzLYDY/znimj1hxjqKZxybaqXW0U+doxyZp5Iw0H8w9T52jnSbX9oVlW9Mymc4N0534iN2++wioVWSMBMPpHubyE2SNNJIgUWarodG5BZ965cU9mu7lUuo0OaMka7jbfz/V9vXPCZZlkTPSDGcuMJMbI2uk5z0pQjQ6txKwXSExAiJpPc7Z2HvM5EYQBJEaewsNjk7s8vrK/izLJKnHuJQ8RSQ/DQKU2appdm7Hq34y74X1YjaX4nuDp4nmM/Qn5vgfmaPUOH0EVAeKJK9I6X51kw377uDmwbIsIvkM70z1c7iyicC8U/d0Nslzo1E8qp2QfWUFIFEQOVjewGsTvfy3nvdxKxqKKKJd1YvyhaZd/JcL7/FfLryLX7WXVnAcpWO6VY1nGnfy3cHT/EnPe6iSjIhAu7ecWqdvzdcxcG6URCS1qjpU99E+sukcAIqm0LqrYcVtNxP7HtrOD/7oRfLZImN904xenKBhy8pKQflsgbG+aSYHS6pYoaYKqptXL/PZ98gOXv/2B8TnknS910t0Jo7b7+SD509hGCayInH/M3etuCpy0yBAQ2c1dpdGNpUjl8lz7v3eVYlGeCLKxMD0qoetbCijqqGM/rMj6AWdj146w9a7W/GVr65WtVEUCjrd3eOcPDnE8PAcsWiGXL6IaVh89auH8F9lJTA2FuH8+TFkWeKBB7asmYB0uhsXjIGvB01S2eFtwyltPKFzy4hGsjjBpcQLDCbfwLAKuJUa3EoVsmhfMVt1GfJ8BtI0LbJFnXuaGuiemi2lOO6odK6I6oAHi9LqgyxJSKLA1toKTMvCpsiUe124NBvq/ISwva6S/ukImiIjSyKH2huIprLsb63F7bAhiAL7W2rxOe247TZ2NlTRFgritKk4bSpNFX60FZq9t9dV4nPacdgUNFXGYVMQBYEqn5umcj8VHifT8RQH2+rxO29dhvLEwDivdPXx5Xt23TSiYZoWg7MRKue/76txQ872mwTLssibGXRLL5UfyF4MSyelx7FLTiRBoWBkMTCQBRlNWr4MwAJG0hcZSnejiCoCImOZPvpSZ3io8ks0ODoREelPdTGdG6bO0Y40P3kZVpGu2PtcSHzEPv/DgEVKj3M+/gGSICOLKmk9Tn/qLLHCLAfLnsA+Pw5FsuGQ3czmxuhPdVHraNsQ0QDIGCm6Yu8hCjKKqJLVk/SnzhIuTHK47DM45kmEbhXoT3URL4aRBIl4McxQqpt8IEunZz+2NU7KllW6zjdmvsdcbpyArQrLMpjI9jOdG+bu4FP4fg7IRjif5tuDJzEsE0EoZa77ErPX3e+pus0pKbqDmw/dMumNz3A2MsEfHHqGCs2NZVmciozxrf5TDCYjNLuDPFzdTtE0llWWvK+qGb/NwUQmjibJbPeH6PBWUu0oZeG3+qv49Y67GUjMIQkiW3yV7Curpd1TjipK7ArWoMkK/Yk5coaOS1Zp9gQXrdZfDyM943Qf7SPUVLFsk28mmeWF//4mWKW+hobOmltWo9+yq4H2vU10vddLKprm2T99nV//P34Ru3Np8s80LUYuTnD0hdNkkjlsdpXW3Y3UtS8VArga9e0hmrbXMzEwQyKc5MKxfmRFov/MCJZp4a/0sv/R63sh3Qx4y9xsO9TG8Ve6yCZzvPfsSQ4+ubtUUnYNCrkil84M03tycNVjag4b+x/ZwYWjfcyMRTj60hm23dPOfZ8/sGpZFpT6X4oF/brbXUYmk+eddy7y0otd9PZOkc0uVquKx7OL1LGKRZ2//ZsPkCSRpqZympvXZjBds4r/1LVQBJknQofxqxsnVreMaMzle5jOlRwb2zxP0uC6F4dchiQoCAiL+MK1/EGgNOEokkS118N3TnVxaWaOV3v6aC0PrHssTrfGM79+P/d/eg+1TbdmSfPjgF1VaKkMcvnbFASB7fWLJ5Grg3qPQ2N3Y/XC9g3lPurLfAtLry7NRpXvSlnO5ZWLyyUhK5GM0rFKih5eR6keMOAqZbPqynylY9ttlHtd867BH3/wvZmYTab5yfFunt63hbaqzSrb2UxYXEycwCF7iBfn2Oa5m8ncELpZxMSgQqtjItOPKEhIgkSLazfyMpkQEZE6RzvlWi0u2YMkKEzlhnlp8q8YSncT0hqxyy62eA/w/uyzxItzlIulJtC8kaU3eZIm5za8SilT6Jb97PE/iEv2YZPspPQYx8KvMJg+R7tnD/Z5MlFpq6NMDeGQ3Ezllu9fWSucsofd/gdwyT40yUFGT3Iy+gYDqXN0eg7gkEsqKgUjR8DmY4f3HgJqJWkjwdszP+Rc/H0qtXqq7GvLYBqWTnfiKJeSp3i48hepd3RiYtKXPM2JyOv41SoOBh+/oWv6JKDa4eX3935q3fvtCa6vwfsOPl5YFmT0InmjtHKdKOboT4TJGgXKNSc2SWZ3cOUMvM/m4EjV4iRCy1WmjRIC+8vq2H9VGdZW/5V3nk2S2RmoXtITsh5kU3le+Ms3UVSZQ0/vwRtwI8y/I2dGwzz/39/k7LsXS+ezqzz+9SNrDjRvFHanjS/8zqcYmDfWe/fHx/EEXTz85Xuobq5YeLfmswV6Tw7ywl++xbkPekGAtj2N3PX4Tpze1Ru4FZvC/ke2c/adC4QnY5x6o5t8Jk86kUEQBPY9tH3V8qubBUEQUFSZJ3/lfs6+c5FCrkDP8X6+94cv8qlffYCa1soFGdt0PMPJN87zyjfeJTwVu+6x9z+6g673LvL2D48RnY7zvT94gfBklLse20ldewh53uTYsiyyqRyzYxFGeiYYvTRFZV2Qh79yz3XPYZoWR48O8P3vHWNwcBan08bWbTWUl7k5c2aEWGxpQ3Yo5EPXTaam4hw/NrhmorEaMnqOtJFBEiTcshNFlKm239hxb+GKxiSZ4iwV9m10eJ+iXNu6yCNjLbCrCk9v7+DsxBR2RaG9IsjO6vU36dk0lf3z/hPhZJoP+0ZoLg9Q5nasyeDmk4TSvLL2wP3a7VeL+TebENwO2f2bgd7JWbpGpnhoe+vHPZRlYQFz+Ql2OlqYyY2S1GNM50Zoce1gMjtIJD9F2khQqdUTL4QpmvlliYYgCEsCbJfs433FT6IYRrdKKixbPXfx/uxz9CZPErSVnINHMr0k9Sjbffcs3FcO2U2r+4pClkcJUusYZCY6SlpPXHVeEVlQkQV1WVnstUIQBDTJQZt798LfvEqQhkInw5kLpPTYwt9FQaLG3kKTaxuSIOOnkkbnVk5F3yCpR6libURDt4r0JI7hU8rY5j2EKmpYWOhmkfPxDxlJ93Ag8Mi658pPGvw2B8807v5Yzp0s5nl76hLRQpYvN+1Dvg3eAV3RCX40fIZ4MYssiDxes5UHQys3Yd8qfDgzyEdzwzxa3ckW3+qZ72shCyKtnjLuKq/nP3e/u9DwLYsi91W10um98SDpZkOURNr3NjE9PMv3/uAFjr96lqrGChwujXQiy9ilKS4c6yObyiHJIvd+Zt8td4Teff8Wvvg7T/Ktf/8c8bkEz/3Z61w8MUB1UwWegKtUBj0VY7hngpGeCbKpHA1bqnni60do39O0pvf67ge2Egz5iUzFufBRP4lwEr1gIEoCD33p0JrGWSzoxOcSxOaS5DMF8tnSP3PjEWZG5ha26zk+gOa04XBpqHYV2/w/wSof7oBzUcwmSiI7DnfwyFfu4fm/fJNUPMMr33yXkZ5xattCuHxO8tkCs2NhBrvHyKXzdO5rZnpkbtXmeX+Fl8/+3UdIRtKceP0cwxfG+fF/fZUTr50jWOXD6XUgigL5bIFMIksyliE6HSebynHkc/vXRDTGxyO8+85Fhobm6NxSzSOPbKe1tQKXS+Pf/pvnliUamqbS1lbJzEyc7u7xNX3vKyGcj3Esco7ziX6SxQyiIBBUfRwM7mCbt3WRwep6ccuIRtHMolt5ArYW3Er1hl+csiTSUVlGY8CPy6Zi3oCJSKZQ5K2eQTRFpq2yDASB6XgKQYAytxMBmIglcNlsC5n4y9ANk1Q+T9EwsSsKDptCIpsjnSvgdzlwqArRdJZ4JodbK+2fyOUwTQuvXUO5yfWLsViGkdEwyVSpTlQQBNrbKikL3h6NwqZlcWZogg96RxiLxDFME6/Dzt1t9Ty4rXlB3WpgOsIrZy8xGomhiBJbait4YGszIX9pGe/S5BwfXhqhyucmUyhyanAcw7RorgzwwNZmGsr9CwRmKpbk1a5L9IzPIksi+5tr0c1SqQZCKaPwV2+fIJ7J8TufundhrOFkhh8dO49NkfmlI3uA+Z6jeIr3e4boHp8hlctjVxTaQmXct7WZuqCXj/pGeK9nmFNDEwzMRPjDF95buI8OtTfw1J4OHLbbx8vCp5QvlCPZJRcT2UEKZo6AWIUsqHjkAFk9hcnyCh0WFrO5cYbS55nNj5M10uhWkZncGD6lfMHN2KuU0+jcxrnY+9wVeAJBEDgf/5CgWk2to3XhWDkjzUCqi/HMACk9TtHKE8lPYWFiWtdXfVkvLCwKRo6BVBdj2T5SxRhFK0+sMItpGYvOqYg2NMmJJMyboiHgUvwYlkHBzK3q1LzonJZJOD9JwczzvdE/Wvh73sgymx/HJtopWgVswuqlWHPhJCOjkYWldkEQ2LGtFrf750dKd6MoGDoX4tNMZGJ8sXEPMh8/0SizOdkbrONUZIx3pvto8ZTfFkRjOB3h3Zl+dgZq2ML6iIYgCFTY3fxK+10MJ6PkjCKKKBGwOWhwBXCrt/+9apkW933+ANGZBK98813ef+4UmsOGosoU8kVymTxYpQbwB754N1/6p0/j8t0axanLUDWFJ375Pmx2hR//yWtMDc1y4rVzdNkUbPNGvPlsHr1goKgy2w618dSvPcj+R3egLVNitRz8FV62HWpntHeS8GSUVCyNoRs07aijbXfjmo4RnYnzyjfe5cTr5zGKOnrRQNcNCtkCsdkriaQPnz/Fufd7URQJad4UWFIkHv3avTzwhYNojitjFgQBl9fB5/7Bo+hFnTe/+yHJaJoTr52n6/1eVE3BKJrkMnn8FR4e+6UjVDaU8fxfvHldla6m7XX80v/6OcprA7z1g4+IzsaJzsRLnh3zipy6bmAaV2JST9CFd43iLH190/T3TxMMunjyyV088EAnjvlrs9lWrhapqwtimiWislHECklennqfE9EL+BQ3FbYAumUwlp1icGScX6h9hL3+Ldiu0zi+Em4Z0ZAEBVGQkQQVUdjYabOFIt8/fR7LKrksx7M59tXX8JV9G8sYFHSdqXiSbTWVaKrM4EyES1Nhyj1OAk4Hp4cniGdzzCRSfGbvVpxXBYWxTJYP+kawKyXd6oOtdcTSObrHp/E57DSW+xmaizIajtNcEcDv1JiMJZmKJdlZH6KlInhTFZbO94zzw5+cZHZeYk8QBf7+bzx42xCNl0738p0PzuDUVJrKA2iqzEw8RTxTIkaGaXJpco7/8Nw7SKJAZ3UFeV3nzfMD9E7O8WsP7KeuzEckleGtCwNk8kXqy3yE/G5S2QKvd/URTmb4yuFd1AS8pPMFvvHOKU4MjLGltgK/08E7PYMMzkQpzpvxWFicGZ5kJr5YhSJbKHJqaByX7cqENjgb5ZvvnKJvao7G8gC1AS+ZQpFkLk9BL5UFeB12WkNljEXiTEQTdFSXUz1PkBrKfDesHLFZEBDY5TuCJMi0uHZil1zYJSc5I40kyDhlLx4lgF12o4g2bOLyQe9Y5hIfzr2AYelU25sJaU0oosJ0dnhRKaQoiOzy38t3R/6AidwAPqWMwfQ57il7asFjIqMnORZ+mf7UWeocHdQ721EEG0NiN2PZvpvyPeSNLMciL9OTOE69o4NaRxuqqDGR7ac3eXrRtiYmFouTHCUFPQFxnYGqJCi4ZDs12uKSkGbnNgK2KqQ1TNPHTw7xwstdC1kvQRT43/7Z0zeFaMQTWaKxNF6vA7ez1Lu1XD39JwVuxcbnG3aSM/TbYjUDoNLu4bGaLbgUG92xyY97OJsGWRRpcAVocK2/5Pl2gGVZuP1ODj21h6bttRx7+Sw9xweITMawTJNApY/mHfUcfHIX+x7adt3G6psBQRDwlrl57JeO0LitjhOvnuP8h5eY6J8mk8wiyiLBKj/1ndVsv6ed3fdvpa69Csc6HMlFUeDQU3t450fHyKZyZOcTmkc+ewCbY23BaD5TYOTiBN0fXlp1u9hMgthMYsnfd9zbiaEvTTSLkkhNaxVf/t2n6dzfwtGXztB/doRkpOTwHazy0b53J3c9voudRzqJzsTxlV8/LhIlkeYddXzhd55k70PbOPVWN5dODjE5NEsqlkHXS70Y3jI3lQ3lNG+vo/NACx171yZWMT0VJxxOsXt3A52doQWScT14fXbAIpHIrWn75dCd6KcvNcrhst3s9W/FIWmYmCSKKZ6deIt3Zk/S4qqjQtrYc3vLiIZDLscu+UkXZ8kbSTRp/TV8miLz6e2lkifDNBkKxxgIb5zFOW0qXrud2oAXTZEJOB0k8xNEJzNsr63kxNA4bs1GtlAkW9AXEY28bpDKFWguDzASjjEeTTAeTdA/HaEm4KW5IsBcMk0klaGzupzRcJzhuRi6YZAtlLS9b1bmzDBMBofm6Do/Rn7etEcQIJ3J35TzrReT0QQ/+OgcbruNr9+3j/pyH7Ioks4VsM8z93zR4DsfnGUumeb3f/ExQj43umlyYmCMb7xzihfP9PKbD98FQDKbx63ZeHpvJx3VFeiGwTffPc250SnGI03UBLycHBjng95hPrWnk0d3tuGwKUxFk/xv334Z01yfokA6V+DopRHOjUzx1N5OHtregl1V542jwOcsBXdNFX5qgyXZ36HZKPdvaVrokZFFseRyextAEATKtFJd9GWVI0W04ZJ9C1n5y83Nqrjy5DeaucRsfpy7go+xxXMAVdRI6fFl92lwbMGrBOmOf0ilVo9pGWzzXllyz+hJLiZPELCFOBh8HE1yYVhFIoUpyN4cBYi8kaE7fhSX4udg8AnskgvTMkgbca5VnSiaORLFCDkjgyY5sCyLcH4SWVSwSY41lxWKgkS1vYW5/Di7/fcvMfMr9cWsPk3rhsmFi5N090xQnHe3FQQWnv3NxMDgLO9+eInp2QT339tBKpWnuspLZ/vmuthbloVhWZirOWkBsiisy8xuOaiSTIv79urVEwWhJI0sykg3eH13sLko5IsEqnwc/vQ+thxoIT6XJJ8tYM0b1bn9TsprAmtaHXB4NB756j0LDtrlNX4U5cbDMkEQcHod7DrSScOWGh768iEyiSx60UAQQNVUnF4H/go3Lq9zocdkPWjf28j/5y/+LvnsFUPKhi1r730prwnw5d99msf/zn3rPjdAVWMZ2gqkRpJEQk0V+Cu97DjSQTKSpjjvGm5z2PAGXfgrvWjzrt2/8r//Ap/7+4/hr/RSVrOyQ7wgCFTUBQmGfLTtaSQeTpFN5igWdCzLRJIkVE1Bc2m4/U48fifKKqsRVyOTLZDPF/EHnDjXuLJ0eUxX/3sjGM1M4ZTt7PVvocF5ZS6v1IIcCu7m2yMvkjE2TmRuGdGo0LYSsLUwlT3NbK4bp1yOvErQshwUSaKzsvRCsCwLWZLompza8JgUSUKRJexqyWMilc9jmRbD4RimZdFWVcbFiVncdhtubfENLQCJbJ6u0amFbN5kNEG2WMS0LCRRIJMvopsmiiRS4XUxHk1QMAycNttNzZxFo2kmJmM3JdDYDHSPzTAajvEPHjvE9voqtPmJ9XKDOJTKGd67OMzhjga21VUulD/tqA9RFxzk3MgUicyVsrC2UBkHWuqwzR+ruSLAqcEJktkSubo4MYskiuxtqqY26EUUBAIuB22hIGeG15cxjKQznB+dptzr4uEdrdQElifNqiyjyqDKEpIgoKnKIrJ6O2Mjk5YiKOhWkXgxTKwwR87McCH+EUk9TuU1PQs2yc5W792cib1DpDBNk3M7XuVKU6coiEiCTLIYJVacRdKjjGR66UmeQBaufIeX+xkKZo6MkcSwdNJ6Yp7gaCiCgiCImJaJbhbIm1lyZgbLskgU53DKXlRRQxLkUq+HqJIqxogVZkmLCcaylzgX+wBZXPy7iUhcSp5GEx3UOduZzU/QkzhOg7NzwcvDtEx0q0DByJEz0piWSaIYRhJkVElDoqRstS/wID8e+xPenP0+WzwH0EQHKT1OohihXKulxbW6gsvsbILpmfgCybgaumEiicKm9VONjEVwOGyEKr1kswXmwkncrs0ROCgYOudjUzw3co6B5BxZQ+d6soJ/v/MI94eW9j6ZlsX7MwO8PtnLcCqMaVkENSePVHfyRM1WACL5NP+x+w36EqV68O3+EP/rzqWN9+9O93M6MsaBsgbGMjHenrpEWi+wzRfimYbdC9l507L4aG6I1yd6GUjNYZgmfpuDI1WtfLp2B6Zl8p963iKtF/iXu55cOP5kJs43+o/hUTX+bse9S86/EoqmwfG5Ed6Z7mMwFSZrFAnanDwS6uDBUDvavGO5YZn8q1M/5e7yZhpdAb41eIKxTJSAzcmTNVt5pLpzzecEEBEYSoX5owsTdEXGkUWJPcFaPl+/i6DNuXCv/f7pF9jpr2Grr5JvDhxnJB3Bo9h5omYLT9aW1MJyepEz0XFeHO9mLB3DwiJk93BvZSuHK5pxbYJp42bDMktmgJrDRqipglDTxntLZEW+4WOsBlESCVR6CVRufnO25rCx7dDGy/k0p42mbXU0rVE47o3p7zCQOkeLaxcHgo/ilFdXQRIEAbtTo65t9SSI3aXRvKN+rcMGQJIlgiE/wdDKpGS9kGUJSRLRdQPDWHtLwNxcChDweDeu1qmbJUVJRVxKihySDcMysG6gTeGWEQ2PWku791OciXyDM5FvkCpO0+i6D7dajSSsjfElc3n+5L1jQGnyjGdyVPturBTo4W0tuOclR8s9Tu7rbOKe9gZsssTBljo6QxUokrggAXsZFuDRVO7f0owy70Hhd9op6gZ2VWEkHKPc46Ta7yGeydNaGeTxne0YponPYb+pjc+T03EmJqM37fg3inAyQ0E3qC/zLfleoUQii7pBPJOjyude9F3ZVZmg20Hv5ByJXIlEaIqMz6EtkAwARRaxuJIRjaSzaKqMXVUXjicKAkGXY22/xVXxTq6gE01n8Tk1Kjzr80z4WUarezeRwgy9yZNcSHyEU/LS4dlLk2vbkkw9wC7fvbw3+yxZPckzdf9oUWbaLZdWFT4Mv8Cz43+GKtqocbTS6d7HbP5K01s4P8nR8IsMps6TNVKk9BjvzP6I45FX0UQHT9f8OiF7E32pM7w3+xNSepxkMULOSPM3Q/8OSZSpsNXzxfrfxi65OBR8ivfmfsJzE3+OIqqE7E10evYzkV0sgVhuq8GnlhMpTHM+8SGGpVPraGeP/0HcSunlM5g+x3uzzxEvzpHSY2T0JN8d/UNkQcGvVvLVht9DQKTW0c6ToV/mVOwtXp36W3SriE10UKU1rkmmd3gkzFx4qelUOlfghY96aKz001lfQTKTx+eyky/qGKaJbhjkCjo2RcHvLv19JpbC67TjWWHZvqgbuJw2bDYZrJKK0HUWHdYE3TQ4HRnn/3fmZUZSEbJ6EXMVkiELIlUOz4Lr87X4zuAJ/nbgBLUuH3uD9dhlhbF0lKJ5ZXuXbOOLjXvpTczwg6HT9MZnlj1WOJ/m6OwQ52OTlNlcbPdXUzB0nIpt0dzxo5Ez/E3/Mco0F7v8tTgVlfF0DGP+nCYWfYk5EsXsouPnDJ1LiVmC2upqP9dCQOBUZIxEMccOfzWKKPHBzCB/0P0mZTYXe4J1yKKIZcG52CSxQhYDi63eKprcQVLFPJK4/lXVjF7g+0On2ROs467yRsYzMX4wfAbDtPhq8348870WF+PTzGSTvDhxnm2+aprcQWKFLLJ42TvHoicxzR9eeJNqh5fDFc3kTZ3RdJTpbPLOSs4dLMJsfoLhTA9etRxjDUbPnzT4fA7cbjvjY1Gi0TTV1dcnMYZhcurUMKIo0Nq68TK9gM1Lb3KYscw0VVpw4V2smzqnYxfxKK4N92fATSAak5nTdEW/veTvJQlbk6KRIalP0RX9Fr2J59EkL6roQlyFbMiijYdC/wpFkthTF1o4ntum0hS8MUYZvCqLrikKFV55QWLVoSo45iVbr80Iumwq22urqPK6SqMRWDCuKzUyW2QKRTL5InVBH36nfZFW97XHS6fzFAs6LrcdSbqxDOTkVIzxydiG97/ZUGUJURDIFool51Jp6bVKoogiS2QLxUV/NwyLXEFHEsWF71sUrl8jrikyhmEtEQ/IFvUlgdK14Y1hmqRy+QUPDFEUUCQJ3TDJ68ZNb+z/pMCrlHG4/NPs9T+AYRlIgoxL9rLdW1LcuDYD5Vcr+c2Wfw1YBGyLG0sV0UaHex/V9maKZmFeEcqJIqgUzDya5Fg456HgU+z1P7hkPALigslenaONT1X/6rJN5Mr8yqosKLS5d1Gp1VM086Vzig5USSNv5NDmy8eaXNsJ2ZtRRIWiWSRvlvoi7JILh+RZKHWqtrfwROjvLPtSvJxcEQQBBZVW926q7I3kzSyWZSIKMjZRwyFfP5EyNDK3LNEoFA1GZ2JU+FxYwNELI+zvqOWjnlH2tdfyxuk+QkEPk+EEj+/v4NzQJIlMHl03eexA+7JCBdVVPt5+v5ee3klESWBrRzUVa6hvvh6i+SzPjZ7jYnyaCs3NZ+t30uopozs2xVtTfTxQ1Uarp4zzsUmOzg5zd3kjX27eR8cySkUj6QjfHz5NsyfI3+s4QpXdgygI5Awd21Xmbooosc1XRUB18OHMILO5lR2CxzMx7qlo5pdaDlA1bypnAU5ZXfj8xyNnCTm8/Gb7YepdAaT5c6piaUVT3+SKP0kQ+ELDbkws7JKCIAjcXdbI73z0PU5GRtnuDy2sxBmWSVd0gv9r32fo9FYhiyK6aW6ofDOtF7i3soWvNZe+i7ypE86n+WB2kM/U71ggGgDHIyP8u/2fY5uvGmX+nMo80dBNg/F0jHghy6+0HOTuiqaSPKiho4jSot/qDu7gZx0NDWWEqn1c6p3i+LFBqqv9+P2rCwn89KenGR6eQ5JEDh9u2/C5d3rbOB/v56+GnuWjyDmqtCBFU2cgPcpgepxfqH0Un3Ib+Whk9DnG0h8u+5kgiFiWiYmOYeXJmwkSxXEExFVN+xSxFFSIgoDPfmUSkwSBqWSKqWQKj2aj3u+74fFfnaFaLdh3azY6qssXbXP1fwdddlxaNYZpoSnSqo3f8XiGV17oQlFLpVwPP7Yd1SZviGwUCjoTUzEikZVfmh83WudN/j7oHWFrbeUSRS9BEFBliS3V5ZwenqCgGwsrH9FMlr7pMM2VAQIuO9cx9VxAtd9DIptjOp6iLVSGIkkUdYP+qTD6VVlOr0PjwvgsBV1HlWVM0ySazjI0G6PKV3rQfA6NhnIfxwfG6B6b5q7WupVOC4AiS+imte5ekE8aREHEJXtxyYuX6Vda0BUFaUW/CUEQUCWNoLR02dvBlcBWEdVFjt0rodTgvvrqkyAIKIKNoG2pms7V+2qSY4HorH5O54KK1/XOKwvKIrfztSKXKzI2HiGRyC75zOPU8DhsNFT6USSRXS3VfNA9zNhcnAd3t5DM5Hl4byWJdI7xuTjnh6bxODVcdhtF3YBlFjXaWirwuDW2dVYjSQLNjeWUrVFVZTUkijmOz41Q7fDyDzuP8FB1OzZJRhmROBUeY0+wlidrt5A1dvCTkS5+OnqevsQsW5eRWO2KTDCdTfJbHffS5C5DnQ9s3dfksoSr5FWvt6rplG10eitp9ZQvm2nvjk4xkYnzzJbdtHsrFsqWrj3nZuKyitPV2OIL4VZszOVSGFdlUEQEQg4v+8saFgL9jUIWRfYF62hxly0keJpcQd6Y6qVoLibylZqbu8oalyUNsigRcniREPmr/o9IFHMcrmxZIHJ3sDa8PfMjknqUhyu/tKZ56Q5uT7S3h9ixo46B/hl+9KPjTE3FePjhbXRuqV5k0meaFoMDs7z88lleffU8hXyRnTvr2bdvbU3ny6HKXsYv1D7CazNHORHt5oO504iCSLW9nC/VPcFdwR23l7ytTfJSpq2v5vN6kC8r0RSLfOOjM4TTacpdTubSaXx2O27NxtaqCr6637ep510NoigsvMCW/1zErq5t6TcZzxIIuohF08SjmRsKSGfnkoyPRzGM2zeo7QiVc6i9nudP9ZAtFDnU3oCmyoyHSzK3X5p36f7akT38q+++yu9/71Ue3tFKJl/kpTMXKeoGn9rdsS6lm3u3NPLi6Yv86WsfEU5mqPC6eKt7gNlEeuEhFgSBg211PHeyh//w7Ds8sK2ZqViS505eWDAtBPA57RxsreeD3hH+y0sfMDgToTboJZnNE01n2dtUQ0f1laCxLuhFEOBHx86TzOVQJJmgy05TZQDlNmkIv4NPJsYno0zPJJadM0orqAJHLwzz6P52qgIuJsMJmqsCSJJI0TB541QfkWSGe7c30VZbzsBEmKDbiVNb/qWiKBLVIR+VFR4EASRJWvRsbBR5U2cik2Crr4pHajrwqiV6qkkyglDqiXMqNhyKjSdqt9AVmeDFsQts9VWx4xrztXA+TdEyqHX4UDap/MYlq3gV+4rlPNFChoJpEHJ4UZfxmLkerOv0oiy/D5ycG+GViR4uxKaIFNLkDIPJbJx9wcUEXkCgUnPfMMmAUsmZW9EWzb+yIGGY5pLrWO2cgiCwzRfi/7vnKX48epa/uPQhf9H3IQ9VtfOFxt00uII3PNafdZQMPz9ERPyZLCf6eYKmyXzqU7uYno7zztsXefPNHo5+NIBmk4lG0wB8+9sf8oMfHCOXK5JO58nlipSXe/iffvsxNG3jWQ1JkKh3hvhK/ZN8ruYhimYRURBRRQWHpKGKyg1V2Ww60Qg5dvOY9n9v6jEXVjssC59d41888QCyKDAYjvJ23xC/cnDvJzpgC1X7GR0JMzSQYev2GhRl49cyNR1nbPz27c+AUob/Hzx+iNqgl1fO9vH6uZJcadDt5It3lxpfJVHgrtY6/uUvPMTfvHuaf/3911FkkV31If7J00fY07Q+Z9cKj4t/9MQ9/NXbJ/njV45iUyQe2NrMLx7ayQ+PnQOrFMzct6WZ33jwAM+f7uHVrkvUBL3c29lIS2WQxLxqlySK7G+p4fc+cx8/+Ogcf/32SdL5Im67ysHWevY3L3Yr3tdUyxfv3slPTnTzTs/ggh9HbdD7ib5v7+Djx8hohJl5Cevl8Mx9OzAME01RsCh5e9yzrREBUCSRp+7eAgg4NIUjO5q4u7MeSRYXlXlejfc/6sc0LY7Mq+S8/Pp5qqt8bN+6spvzWmBaFkXDwCWreJQrK5ylen6BjFEqoRSAKruHaqeXE+FRprIJdrB4LrBLKiIiyWKuJMyxCf1wgrB6OasmyUiCQKqYw7DMVXyihCWlmrplkCzmKdPW57fwysQF/tvF92hyBflKy35qHT4cssrf++Bby26/WT0Poigu+10sR5VWUwQTAFWU2OGvptVTzmwuxZtTvfxkpItoPsM/2nI/VY47qxurYTo3QrIYW7KKfAefPAiCQFWVl1//9fvx+Ry8+sp54rEMV7t7zM4mFs0fW7fW8I//58dpaLhxUi4JIk7ZjmEZpPUMsijjk9w31JtxGZtONCRBQdqAdO1aYFgW0UyWgMOOAGiyTDKXx2u//Y1+VoMoCuy/q4W9+5sAAUlefiJfC6ZnErc90YBS6dkvHtrF5w5sx5wvXRIEAds8yRIEAU2RuW9LMwdb60sNlUIp8LAp0kI2bV9zDX/0q59dUpr2+K4OHtzWsqiPY0d9Ff/6S48tlEqpkoQgCPzioZ24NHWhL+dXH9zP147swbKshX4My7K4OmmsSBJ7m2rYXleFbpgLBm3yMsIBiizxzMHtPL2vs5R5nu/nWa4R/g7uYD0YHQ0veOUsB4dNWVixO903yYO7W3HZbViWxYHOOpyayuUeM1WWFu7JleafQkHHnF8tNS2LmdkkbteNz7+SIGCTZXKGTtEyUOf7XDRJBssimr/iiisKAi7ZRt7QyejFJcfa4qvCKau8PnmJLb4q3MsIEWw22j0VuBWNd6b72emvoUxbWqYnIBCw2elPzpCf7xcxLJO5XIqh1BxN7vVp1J8Jj5fmr6a97A7UIgkCQ6nIQvP5zcJmypgIgoAkCLhEGw5Z5SvN+zGBNyd7Gc/E7hCN62AofYGCmQXuEI2fBYiiSGWll9/4jQd45JHtfPD+Jc6cGWFiIkoymUOWJXx+B50d1dx7bzt79jbgdGpshrbQeHaan4y/xUfhLtJGDgHwqx6err6fByr245I3Xpb3ieq2sskStX4Pv/E3P6TS7SSWzfFo51Jpw08aRobniMUydG6t5rWXz/HQo9uwbaBHI5nKMT4RXXADv51xuQ9jtWC7FLgLyKswalmSkJdZFVju2JIoLtvgerVaVYnsyIv+ttLYJEFYU3nctUHcHdzBZiAWzzA+GSMz7wa+Ei7PI7tbQiAIC2IXu5qrV+wxuxbhSIpX3+jmhVfPkUrn+etvf4BuGDTUBtm3e33SkMvBJsnUOnwki3mGkhHa55u8vaodj6oxlAozkYkTsnsomAaRQqbkRbRM+eRWXxUPhdr58egZYsUMhyuacUgKQ6kIkiDyK213l5TtTIN4McdYJka8mCVjFBhMzuFWNFyKbaHPYi1o91byUKid7w2dIlHMcaSyBZdsYzQdQzcNfqXtbiRB5J6KZn46dp5/dfp5Hg61M5aO89xYF+pVPQymZZE1iiQLOSazCTJ6gXAuzUgqilux4VJsKKJEpd1Nspjj/ZkBDNNiLp/iJyNnyRrFm6pquFlIFHK8NtnD2egEuwI1eBU7o5kor070UOvwUe3YWPBsWVbJUNOyEAXxhn1WEEoysfJ8Ekz8GE0d80aWU9E36U+dZSo3TKIYRreKZLMp/u2F31pEAmXRxv3ln+dIxecWHePy9zOXH+dk9A0GUmeJF8IIgki5rYbt3nvY6r0LtxxYMidYlkXOTNOXPMPF5AnGMwMk9QiWZeGQ3VRrTewJPEi7e++K37tlWRTMHKOZXs7G32Us00eyGAEEHLKLoFpNk3MbW70Hl+2XExHRrQJHwy9yNvYuc/kJDEvHqwTp9OznUPApnLJ32bFv9LoBTkbe4I2Z77LFs5/7K76AYRkcC7/EheQx4oVZZEElYKtim/du7il7ek2/53IQBAGbTaGtrYqWlgq++rV75lcxrpR4C4KwIBq0GdLlU9k5/nb4RQbSYxwq20W9I0TBLHI+0ce3Rl7EsiwerjyIQ95Y0uaWEQ3LMjEsHQEQhctB9MpfUMmwab5URVARBBGnqvLb99/DQDhCJJ2lMeAj5N08p2vLKjXslv4xS9Ko1vzPe3m9av5FjVDKUInzGvWieOW/1wun08a5s6P4A07mZhIbkou0LIvp6QTDI+H173wHNxWX7yfDtLDMecndhR+5lE0u3T/ipk4eNwtXnhOz9G/LKl3ONdd09XNRKre4MVOhmwXLKlWWm8aV38i6fE1c9dwLpWz6ZSfsjT7vmzXmkdEwU9Px6288j2sDpPUMPeB38ovPHKCuNoCumxy6qwVBnP8+NuE7cCsau4M1vDXZx6nw2ALRCNk9tHsqeHH8An7VweO1WzgfneLtyT6CNseiMqvLEAWB393+MO3eCn48cpZ/c/ZlLAFqHH6+3lwy+cwZOt8bOsV/7H4DuNIj8YU3/hxFlPh03Xb+xa4ngJKUrl1SkFcJWEVB4B913k+Lu4wfjZzlP5x7DROLKs3Ll5r2IlBKTDwUaucfb32Q7w+f4p2pPprdZXyufifT2STJYilBNJKO8N8uvsdL4xcWxjaUivDdoVP4VDu/t/0Rnqjdyufqd5E1ijw/ep7vDp2i3unnt9oP897MAC7FtujtapeVTVFxkkUJu6QsKcNSJQmHrCJedVa7rJRWpFaAKkkEbE4GknO8PnGRomVQrrm5t6KFZxp3b7gpPFII8+eDf8hMfobP13yZw2UPbOg4l+EJuPi9P/lNfvdPfgP4eOewgpllJNPDTH4UURBRRA3D0BEFGY8SWBTcy4KyYLR6GZeD/POJD3ll8puk9DiSICEIIlgwmullOH2BnsRxHq78ErWO1tJn89CtIt8b/UP6kmeAksDP5dL2ZDHC+cI0F5LHuLf8MzxS+dUlZMOyLMKFSd6a+QGno28BJVGQy99pvJAjWpghUZyjyl6/LNEwMfn+6H9iMjs4/9wKgMVsfpzpmREuxD/i603/2yJxjRu97tJ5DXSzQLwQZiI7wEuTf8VcfnIhFiyaBSayA5TZ1lfWvRJK781bk5w8FeshrWf5zeZn2O270mP96er7+dbIC7wfPs1ef+eGiYZgWRsJa9ePSL6fC7EfIgoKW3yfw6fWsxrRMKwir0387xSMBAcr/hHl2hYsyyKey9MzNYssieyoriRb1BcpUa0Xlz0bigWDcDRFf/8Mg8NzDA7NMTEZJZ0pkMnkyeZKUqx2u4JdU3E4VPw+B9UhPzXVfupq/NTXBwkGXMhySZpVktZeAnWpZ5KLPZN0bq2mqaUCaQWVqssBkGmaGIaJYVgYhkk6k+e9Dy/xvR8eZ3JqafAhCPBPf/sJ7r1n4xJoUHqh2mwytjW6XV4NwzDJZgvoK5jR2FQZTbuxpqPloOsmudzK59U0BZu6MZWvlWBZpd+lUNCZmk7QdX6Mc93jDI/MMTuXJJ3OY5oWmqbg8diprfHT3lrF3t0NtLRUoNkUVEVaNKZkKsezz5/mv/3FW8uec9+eBn7960fYuuXG6uVXuh7TtCgUdOKJLH0DM3R3jzMwPMvkVJxoLEM2W8CyLFRFwuXSqCjzUFcXpLO9ih3baikvc6NpMrIsbfpvbJom2VxxWdM6h0NFWeaclmWh6yb5fJGZuRSnzw5z4eIkY+NRZmYSpDN5ikW9JOxgLz3vVZVemhvL2ba1hraWSjweDVWRbxrpuPy8G/PPuzn/zCdSWV557TzPvXBmWWlbQYD/+/e/SEf70hf1eiCKQuleVEsBYzyRBcvC41kcwNzotRcMnXem+/l/zr3OV5sP8LXW/UApu//ieDf/5uxrTGXiC30AsiDyleZ9/EbHIUIbzHzfwc8m3px5mR+Of4uiVaDe0cQ/7/w/Pu4h3TS8PPlNPgy/QLmthq83/YvrmtgZls6l5Gl+OPZfKJg52t17uDv4FJVaHbqlczF5gqPhF5jKDrHTd4SHKn+RoC20SBX0w7nnGc30Uu/spNG5lYBahWkZpeB76q8ZzfRiF138Zuu/plK7stppWRax4hxvznyX45FXsUtuWt272Om9lwqtFgGBeHGOkcxFNMnJFs9deJUrvQffGfmPnIu/j0BJHfDusifZ7X8An1JOWo9zPPoKb838AIC7Ao/xdM1vbOp1H4+8ymtT30KTnOhWEU10sD/4CI2Ordgkx/zYewhpTbS6d93oT3tL8ddDzxErJPhi3WNU2csWfXYu1scf93+Xf9Lxd2h21a5whNVxy1Y04oVRprJnyRkJQo69+NTlZS0vQxJKAed07jyDybcp17aQyhf4r+8cZTKRxO+w47Sp/OTsBf7Zo+u3sLcsi3xeZy6c4vipId59v5eu82PXddNOpfKkUqWVluGRMKfPji58pqoydbV+dmyrZdfOetpbKvF6HWg2eUXSYZoWggDNbZU0t1WSiGUWtrvMAQsFA90w0HWTYlEnmcwxPBJmYHiOoeE5hoZnmZqOUygsDbKuXC/8+z94kX//By+u+7u6GgG/k1/68iGe+ey+de87NRXn//z3z3H+wsSyn//CZ/fx937jwRtqhl8Off3T/MF/eYULF5d3AP+tX72PL3z+wEIwdaO4TPzOdI3y4ivnOHVmmExm+fKWVDpPKp1nYjLGR8cH+ea3P6S2xs+nHt/BQ/dtwe93LoxLkkRsmzTGtcKyLAzTIpnM0dc/zauvd3Ps5CCReRWM5aDrJplskZnZJOcujPPCy2eRZZEtndU8/vA2Duxrxu9zoCibRzhm51L85z95jbff613y2b/855/hyD1ti35fwzBJpnIcOzHE8y+d4fTZkRVXEg3DoFjMkkhkGR4Jc/TYAABlQRf33N3KIw9upaW5Arum3pAC02VSUSzq6LqJrhsUigaxWIbh0TkGh+cYGir9e2Y2ia6v/rz/s3/53Q2P5TJqa/z88tcO8+hDJfteu10hkykwO5cq+X2IIm63hraBxMPVUCWZI5Wt7A3W4bddqQUWBYF7K1qIdGT4m/4TRPJpJEHkQFk9zzTuukMy7mAJVElFEiR0S8RxR+51ERLFCKeib5LRk3R69vF09W8sGIwCHAg8gizIvDb9LXqTJ2l17SKgVi2apw+WPclBnlxiSdDk2sbna/8B/6n3n6BTZDTdu4holMhIP2eib+OQPNxd9gT3lT+DIl4pZw7aQjS7dqx6DYal82jVVzkQeBTbZT8lNciDFV9kOjvC+cSH9Ke6FvomN+u6L2MmP0qNvZUvNfwTAkrlwjY+tYwG5+Yprpqmha4b6LqBaZbeDTabvKnvzctQBAndMiiYxUXfm2VZpI0sknB9CfDVcMuilrQ+Q1aPENTacclLTZaWQ5V9J6OpD5jJdgFQNAzmUml+7+Ej/PkHx5HmyxnWi2LRIBJN8/a7F/nRc6eYmIyxGQs7hYJO/8As/QOz/OjZU1RWeji4v5n7j3SwpaMah31pf0A6XVouj86lMS2Lox9c4nNfOLCwYpDJFHjj7QsMDYcZGp5jZDTMbDi5KW68d7D5yOd1Bodm+MFPTvLeB32k55Wq1grLshgdi/Cn//1tXn71PF/+4kHuOdiKy2VDkUuZ9VsF07TIZgv09k3zo2dP8MFHAxQKG5NQ1HWTrnNjdJ0bo7GxjK996W727W7E7yu9KG5mOcLYWJh8vnGBaOTzRfr6Z/jv33iX4yeHNnzcuXCKn/z0NG+/18unHtvJE49upzrkQ76BXpxoLM077/UyNFJ63kfHwkSi6dvmeT93fpyfvHCG/qEZikUTr8fOr/3SYQ7uv76D+fWgShLqMoGhR9X4WvN+nqzZylQ2gUuxUWX33DF0u4Nlsd2zh/OeM0SLER6r/PTHPZzbBpZlkSxGGUidxa34aXPvWRRsX0a1vZkqrZELiY+YyY+SMZKLVK1W8zwrs9Xgkn1kjRQZY7FIRcZIMpg+X1ppsney1//gIpKxVniVctrdexdIxtXjanJt43ziQ7JGioKZxSY5Nu26r8bhsk/jlYM35b1lmhaZTJ7p6Ti9vVMMD4eJxzMUiwZPPLGTnTvrFt5luVyRTKZkLuvzOTY8nhpHJecT/ZyNX8Iul+RsLcsiY+R4Z/Yk1fZyHNJKjljXxy2bqYtmlqKVwyGXoYqrG2ddhkuuBEEgY5T6DgRBwK4qTCVTpAtFZlNpNHl9l5DLFTnXPcbffOcoXefGSsZUNwnT0wl+8tPTDAzO8lu/dj87ty81dksmciQTWS5dnELTFOLRDNZV8kazc0n+/R+8dNPGeAebh2y2wNFjA3zre0e5eGnqhoJD07QYHJ7jj/74VfoHZvjiMwcIBlw4HCqCwE0PPA3TZG4uxetvdfPdHx4nEll5BWO9GBqa4//8t8/x2MPb+KWv3ENNyL8pqhkrYXQ8Si6v43ZDJlvg3fd7+eM/e3PVVZn1IBbL8Lff/ZCRsTBf+cJB2tuqNrQqZ5gWA4Oz/Mf//MqmjOtmYGYuyf69jdx/uB1VlYlE07eE/AqCQFBzElynBOxlXO2VcyMwTZNcOo8kiah29bbsOfp5h0fx8pvNv/NxD+O2g2HpJIphMkaKoOQGBKZzI0u2SxXjC89LshglZ6SXBNxFM0/ezFE08xiWgWUZWFiYloEqamSMFKa1uFS5YOaYy40jCwp+tQK/en2j1eVQqdWhrqAk57iqdEy3dGybfN1QMokN2RuRhM0Pnw3DZGIixgsvnObVV84TvqYsdvu2WrZtu1Iafal3km98431UVeZ/+WdP4XZvjAzs9LXTnxrlJ+Nv8u7cKcpUH7plMJ6ZxhLgVxs/i1+9jZzBV4JhFTCtIopgRxLW9mJSxdKFFYzSl21XFPbX1/A3x04zm8rwRu8AT29f+1JVPl/kg4/6+Ou/+YCBodn1X8QGIIoCWzurqa1ZXrqwusZPLuiioakcm01m154GVNudTN0nDdlsgbff6+Vvv3uUoeG5TTtuKpXnuRfOkErn+eWvHUad72PJZpfKem4WDMNkbDzKD358gudePH1TzB8tC1569Tyj41H+6f/0OE2NZTdNzWV0PEI+r5PLFXntjW7+5M/fJJVe30rT9WBZ8O77lzAMk1/+2mHaWipX7LP6JENVZSSjJJSRyRaIxtOECrd3+ZKhG4QnorgDLjSnrSTIYJgYuoFqVzENk2JeR1ZlREnAMixEWVwoazWN0vayIlEs6Jx7vxeXz0n7nkbkW1zKeAd3sFGYlkHWKCVXwoVJfjz+x9fdR7cKmNaVZKxhGSSKYUbSPQykzzObGyVtJCiaBQxLnz9HCklYWkppWDo5M4MsqDikjYv42CXXKj41V3D5rbUZ1301bKJjUQP7ZsGyLEZHw/yP//EOH7zfh2VZuN0aNpuysKJxLerqgvT0TFIo6Bw7NshDD23d0Lm9iovP1z5Mtb2cjyLnGM/OIAkiHZ5GHq48SKurHmUDRqSXcctmSVFQEAUZ3cphWKvLMV5G0cos7AugKTJPb+9kX10N0UyWWp+HgHNtNZiGYXL23Bjf/t5H1yUZgsBCA6SiSCXFHBEss9TgqxsmhbxOvqBf18U7GHDR0V61UCKyHEzTZG4miarK2B3qqkuTd3D7oVDQOXZykO/96PiaSIZmk9E0FVWVEEQBywRdN8gXdLLZwpJ7KpMt8Na7F1FtMls7q3E4bDeNaJhmiWT81d++z2tvdF93e0WRsGsKiiIjSaX71jBKAgvZbGHZyfFqdF+Y4N/9wYv87u88QUtT+U3JEE9Mxkhn8gwMlsqlViIZsixi11RUVUaWxflrKfVKZHPF6/ZvAXx4tJ+KMje+X7x73j37Z+tZrqzwYBilXrFjJ4dIJnPs2bl6v93NQFYvkijmcCsl/4XVkIymefZPX+PQ03vpPNBCbDbB7HgEURRo3lFPMppmtHcSt89JeW2A+FwCT5mHbDKLaldJRtMkwknKqgOU1fjRHCqWUWrO38wXaM7IMpefwcTEq/jxKj5MyyRv5kgWE+TMHKZllJphRQVNsuOWPciisuo7I2/kSepxskYWw9KxsJAFGU2y45LdaJJ9Te8cyzLJGBlSepK8mcO0TERBxC458MheVNFG0SoymR3HsHQqtRAOybnwDJiWSawYJVaIIAkSfjWIR1mZpKb0JNFCmKJZxKv48Kn+ZbPIsUKEWDG2bGDokj1UaGvPnKf1FJFCaQ73q0FcshvTMskuum4DARFFVLFLdjyKtxR4rvAdWpZV+g31BDkjizE/TlmQsUsOnLIbm2S7+e99QVhQgVJFjYBauUSV6lqU2aqRr0oMz+RGeHX6WwykunBIbtxKgCqtEbvkwiZqiILMscgrFM3l5lgBAQELc8Ugfm2Xsc4EziZc9zIHXd8Y1oB0Os8Lz5/lo6MD2B0q7e1VbN9eS3W1n29+432Gl4ktfH4nzc3lnD8/zpnTwxsmGlAiG49V3cNjVfdgmAbCDfZlXI1bRjQ0yYMqukgUx8gaEdxW9aovYQuL2ewFsCxcSqmnQzdMJhIJqr0eFEliPJ7AtCzKXNdfTp+ZS/L8y2e51D+94jYOu0p5mRt/wElDbYDycjcBvxNVVZBlkUKhFDyl0jmmZxJMzySIJ7KkUjmSyRzpdH6JstHWLdW0NFWseq2SJDE2GmGgbxqPz84TT+1eqMGz2RS2b1ubilAikWNqKkZhheCurjaA17vxOjsAr9tOMLC20refB5imSd/ADM+9cIZLfSvfW4IAfp+TygoPTY3l1NcGCARKjd6GbpJI5pieiTMwNMfMTIKZucSiBvJ0Os/b715kdDSyYJi22bAsi7lwim9//6NVSYYsi/h9TsrL3IRCPupqAvh8DlyO0sScyRaIxTMMj0aYnIoxPZMgFkuvuDLSe2mK//qnb/B7//MTVFVsfnY8mcxx8tQwr75xnlgss+Rzv89BeZmbqkovjfVllJW5cDptiKJANlsgFs8yNh5heCTC9ExJYctYQcHMAl598wJbt9Rw/70daNram6QFwOXS1vy8RyJpZmYT6PryY2luKsfhuLGypooyDz7vlSTJ1o4QUCrtC1X6EEWBYPDWzwcX49O8MNbNw9Ud3FW+OtERRYFCXsflc2GZFmN9U5x77yKHP7N/YbVjon+ayGSUh792L4Pnx7A5bOTSOcpqAgx0jZKKpaluqcRzE691IjvGN0f+jLSe5tHKp7m//BHm8jN0J89yLn6aidwYWSODLMj4FD8NjhYeqXySkH15JRjLspgrzHIpeYGu+ElGMkOk50taXLKbWns9Wzw72OLZQbmtYtVSEN3Umc1P0RU/xbn4aabyE+SNHHbJQZ2jgd2+A2zx7CBRjPPH/f9/EnqMv9v8T9jh3b0QQBfMAu/NvckLUz/EI3t5uvoXuLfsoRXPeTHZzU8mvsNsfpqHKp7gscpPL0tMPoy8y2vTz5M2rlVfEzgYuJdfbvy71//y59GXusj3x76JBXy6+gvs8R1gOjfBucQZuhNnmM5NkjOyKKKKXwnS7GrjiarP4lOX1vxf9m2Yzk1wMdlNd+Is49lR0nppnB7FS72jkS2enXS4txJQy5DWkKm/5hLXDEmQcMpeRCSCahVPVf86Ta5ta95fN4t8MPcC/cmz+NRy7q/4BTo9+9HEK70BhqVzNvbOskRDFhRcso9xq4+kHqNoFjbUo7Fe3Oh13yr09Exy7vwYAI8/toNnfuEAFRWlqp6fPnea4eHl92tpqeTcuTEGBzdepWNZFik9Q7SQIGfmSxL816DRWY0m2TZ0/FtGNDxKLS6lknC+j6nsWbxqPTZx+YyfhUW8MMJI+l0sTEL23QCkCnm+8dFp/t6Rg/z4bDeXZufYW1fDV/evLiVmmibHjg/SfWFixWCnOuTjrv1N3He4gy2dITTb9WVWdd0gHEkxODTHxd4p+odmmJpOMBdOkkhkURWZLR3VVId8qx5HEKC61o9lmczOJK+s+SFQWeHh3/z+F1fd/zI++KifP/vLt5fV1hcE+Oov3s19h9vXdKyVxypsuirUJxnRWIY33+nh9NmlNZ+XoaoyzY3lPHhfJ/fd205FuWfZsprLcqvdPRO89e5Fjp8cZGw8urDCEYmkN7VX4tpzZ7NFXnr1PC++0rXsNoIAXo+DrZ3V3H1XC3fta6K83L2qFPP0TIL3P+zj/aN9XOiZIL2M+pZpWpw9N8q3vnuU3/q1B5YVTbhR/OU33qVQ1Bf1tthUmbbWSu65u5VDB1tpqA+umMExTYvZuSQfHO3jzXcu0ntpakWjvHQ6z+tvXWBLR4i62uXNn5aDKIq0t1au+Xl/4eUu/va7RwlHlpe3/Ye/9RCd7aE1HWvlMS1+3i83ppcFXVSHfMzMJshmCygbrA3eKIZTUd6YvESntxKuQzQ8QTcur2OhJFWSRdr2NNKwpYZUPMPg+VFmRucwdBN/uYeyaj8n3zhP8/Z6ZFkiFU2BIOBwaegFnXQii6mXejVUm4JwA0pjy6FoFUjpCcazo7w28zxn4yeRBAlVtOGQnBTMAtO5SSwgY2RWzIRPZEd5cfonnIp+BIKAW/bgU/xYWOSNHN2JLi4mz3Mh0cXjVZ+hydm6rMmaaRmMZYd4afpZuuNn0S0Dp+zEp5bKgYczQ/SlerkneD8+NYBu3byyzuVQbqugzb2FtJ7CsHTSeoqZ/BQ3ko7Jm1nSeorBdB8vTz9LX6oHWVBQRRWH7KRgFJjIlbwsimZh2d/AwmIw1ccL0z/iQqILWZBxyR78agALi6yR5UzsBBcS59jp28PDFZ+ixl6/LoNBSZAQgKKVx5r/30r3gyTIeJUygraq+furnzpHO7K4fDLk2r6mjJEgXBinaOXZ6jlIh3svdmlxkjdRjJIxEsseT5MchOxNXEh8xFx+gvFsPw2OjvWvUKwTN3rdtwqjo2GmJmO0tFZy5EjHAsm4HsrK3SV/kmVkzteKeDHFu3MnOR7pJl5MYVrGkufn9zp/hTrHxuTSbxnRCNhaKLO1E8kP0Jt4HlGQqXbswyEFkMXS0q1p6RTMFMniFN2x7xMvjKKKbhpdJfla07SYS2eYS6WZTqb4+l17eb774nXPnUzm6Lk4ycxsctnPqyq9/NKXD/HgfZ3ramyUZYnKCi+VFV7uvquFXK7I8GiY02dHuNAzgarKbOkIXVc2NZcrMj0Vp60jxKF72xdq1S8bnDmda2ORmk1eVV7TZpPXfKw7uD503eDsuTHe+6BvRWlhVZXZt7uBr/zi3WzpCK1K0i6TuF076uhsD7FnVz3f+f4xui+MY1ynRO9GYZoWXefH+Pb3ji5bDiiKAlWVXh55cCtPPbGLyjVMgoJQ2ueZz+7j4IFmvv29j3jz3YskEtkl2xaLBq+/1cOenQ3cf6RjU67pauSvUctyOFTuPdTG1750iIb64Ap7XYEolkj/Z57aQ2d7iO/84CM+/GhgRbJxpmuUkdEwoSrfmom5IJQkjNf6jKqqtGoTvaYpm/68nz0/hmlYPPxAydfo3Q8uUV8XZP+exk09z/WQN4oUzLWXX9S0VjLaO0lFXRC334VNK83zoiDg9Dioaa0CCxSbgifgpqq+nLr2EG6/k479LURn4gSr/ZS8Ni0yqSyZZBa337npJS9Fs8B4doSUnqQ/dZFWVzvVWv1CgJooxpnJT1Flq8anLN/7FymE+fHEd+hOnMUhO2hzbaXV1YFX8WFhESmEuZTsYSDdy4XkOQA+X/sVQtrS1bRIIcw7c69zPn6mpOzjbKXTs51KWxUgEM7PcCnVw9HIe/gUP/lly2ZuHvb572andy95M0fWyHIpeYHvjP0VBXPjhCdv5BhO99OXusB0bpIO9zaqtTq8ig8Dg3ghxnR+kiZHCw55aUWFZVlM5yb5/vg3GckM4lcCtLm30ORsxS17MCyDufnvbSjdz6nocQREngo9Q5ltbaqcAC7JhyhIxItzTOeGqXN0oAgqJiaGVUREWhRQuxU/27yHeH/uOc7FPyBoCxGaL30SBAHD1ClYeTJ6Et0s4LdVLjREC4gIlOayrJkkb2axW06EebIVK8xwLPIquqkv20OhSY55341KZvNjHJ17EbFMwK9Woop2wEK3iuSMDAUzh0cJXNcXZK24keu+VUjEs6TTOWpr/fgDaxe9sM0nUK5XprwazsZ7eXv2JH7Fzd3BHdikpXGwe5n7fK24ZUTDIQdpcN1HtDDETPY8p8J/yVj6I8q0NjQpUOrfMLMkixNMZk6RKI4jCSptnico00oN36IoYJNljg6PsqO6ClWW1qS+MzEZY2r6iqLA1RBFgaef2MWRw+03rJ6iaQodbVV0tFWRTJVKqTzu65sJCgi0d4TweO03rSH2DjYfs3NJTpwcYnwiuuznoiCwc3stX//qPbS3Va2rOdhmk7n7QAset8af/PlbdPcs7z2yGbAsi1g8w9985+iK/QuVFR6e+cw+nnhsB64NBK811X5+5ev3IogCL71yjlx+aRCQTuX44bMn2bmjbtWephuFTZV59MGt/Nov37em5/NqiKJAZ0eILz5zgEymwLGTQ8uWUeVyRbrOj7NtSw1+/8Yn6NsF+XyRyek4/YOzFIs6druCaVpMTMWpr70+UbsMy7IoroMgrISMXlzXcR760j0YuoEgCtR3XHHudXjs3P3UHizTQpx/PkPNFYSarwR7O490LmjLC4LAPU+v30NoPdAtnUupHsrUcg4G7uVQ2QOU2coXEZqMkcEwdezLyAGblsm7c6/Tm+pGEAQOlz3IY5WfwX5VXbplWez13cULUz/mg/DbDKb7+CjyHk9VfX5RYGpaBheT5+lJnEe3dNpcnTwVeoYWV/uiUqvduQP8aPxbdCe6MKyNSWDfCBRRRRFVXLKHaCGMwI29R4tWka7EacrUco6UPcxdgcN4Vd+i3yCtl8rQlv0NMHh95gWGMwM4JRcPVTzBvWUPYZOuzDemZbIjt5cXJn/E6dgxepLnqHM0cl/ZI8hrbLytc7bjUQJM50Z4Y/q7bPMewiG7McwiRStPrb2DGscV6Wmn5GaH9zAzuVEGUud4ceJ/0OLeSUCtRBRkCkaWlBFnNjeGgMCRis/hcu0ESopOVVoDE9l+ehLHcUoeKrUGBEEgrSfpT54hUpimQqstOWZfA1GQqNTquSv4OO/P/ZQLiaNEClM0urbikUuEOWukiRamKZp5DgafoMW9c20/2HVwI9d9q2BaFqZZSmCvJw7MzEvo22+gTHYyO0tQ9fKFukdpcS1VR71R3FLJjJB9D0VfBlnQmM1dYDxzjPHMR0u2ExBxKyFqnXexK/A1LhciarLCfa2NjMcSfGprI7lika1V12f/4UiaeGJpbTaAx21n7+6GDQVPq8Ht0nC71hbEJBJZei9M0NpehU2TKSt33yEctzlM06R/YIaTZ1YonASqq3185qk9tKzi9L4aFEWisz3EF5/Zzx/98Ws3sWwKPjjax9mu5cu/PG6NB+7r3DDJuIyAz8mXfuEuBodmOdc9vmTlxDAtBoZm+eBoH596/OZN8gf2NfH1r96Dx61teHm8raWS++7tYGgkvGypIkB3zwTJVO5ngmgUigbjkzHGJ6Jkc0V0w8QyLSorPNctDb0aFvDdwVM3VNYCcHxuhLS+NlGRy5BW8DcRBAFBWvk+uEwwbiUsTJqcrdxX/uiy9f8OyQErLJTFihFORT+iYBaoszfySMVTaNfIgQqCgF8Ncih4hO7EGWLFKIOpPiKFMBXalfKIlJ5kODNAtBjGLjnY6z9Io7N1ST9HlVbNkbKHGckMEisun3j5pMGyDLZ5d3EoeB9uZWlm3Smv3K8zl5/hRPQoIiKNzlbuK39kST+CKIiEtBr2+Q/Sl+ohXowxlO5nt+8AAXVt5L1Ka2Rf4GHOxt5lKjfMcPoCFhaSoOCWfTxa9bVFREMQRMq1Gh6s/CIeJchI5iLnYh+QM9NYlokkyKiihlP20ejaglO6ct2SILHH/wAFM8dQ+jzvz/0UCxMBEVXUKNdqub/iGcL5Sd6Y+d6y43XKHnb57kcSZLrjHxEpTPFR+KWF8jNZVLBLLmodrSji5sVkN3Ldtwoupw2HQyUSSZFeoyqiaVpcujSNIAhUVy+dJ9YKC3DJDuzS+hJva8UtJRqSqNDgOoJLqWQ0fZRofoCsEaFoZrEwkVBQJRdOuYIq+y4aXfehXNVopCkyj3e2ksjlyekGPrudz+y4vrxtNlcgt4JiTDDowu64fj/GzYTXZydf0BkbC6MoEoGgizs84/ZGMpXn4qVpJqeWDzJlWeS+w+1s21KNqmz8MbPZFHZsq+XeQ2385KenN3yc1ZBO5/nxc6eXDf4kSaS9rYqnHt+1KWS8OuTj6Sd30z8wu6yZYSaT5+33Lq67jHGtKC9z86Uv3IXP57yhZ16WJXZsq6WzvWpFojE8Mkc6k1/ktPpJhdulcfhgK36vA8O02NYZAoSF8s61wrBMfv/0izdMNH7W4VeCtLm3LEsyrofeZA9JvVQnv8O7B01anlCLgohb9hLSaogVoyT1BNO5yUVEY64wy2x+BoAKWxUhrQZ1hQbeFlc7btlLvBjD+hn4hSu0EK2ujmVJxvXQnegiZ2ZRRZXt3t0rNj1LgoRPDVBuqySpJ4gWIoTzs2smGqIgclfgcSpstYxl+0gVY5iYqKKGRwlQfRXJuHJOmZC9iUeqvsxYpo+p7BBJPYphGShiSXo2aAtRrTXhuWYcNY4WHpJ/kcH0OcL5SbJGGkmQ8anlNDm3U6nVM5HtJ6lHqbY3LTtmt+Jjf+BRmpzbGM30Ei3OkjcyCIjYJDseJUBIa6JCW5xZb3HtQJMc1NpbUZclIQJBtYoDgUfRJCfKNRK7N3LdAOW2Gnb57wcstJvgOB8K+Sgrc9PfN0Nf3xQ1NT40bfV3YG/vJOfOjSFJIvv2NW743HWOKqZzYYbTEwRUL9oypVM3glsuAi4KEuXaFoK2djJ6mLQ+Td5IYWEgCSp2OYBbqUYR7Esmx4JucGpsgovTcyUGZlPZXVNFS/nal+6vha4bWMuLttwy2GwKO3fXUcgbqNfps7iD2wPT03EuXJxY0VG+OuRn9856ApuQzfZ5Hdx9VwtvvXOR+DL9DTeKc91j9A/MLPuZ12Pn7rtaqK3ZeLbkWtx9oJnvVHnpH5xZUvqo6yZDw2EGh+fY2lm9/AFuAA/d30lL08ZWmK5FqMpLY2M52rEBcrmlpWCJZI7YvELVjbiF305oaijDghtacRUQCNgc7A1ufIl+OBVhMBXe8P63O7yKn0ptY43849lh9PnypdnCNG/NvrpiH0naSJHUS72LBTNPQl9MmlPFJMliibQE1DLcq9TMa5IdvxpkIje6IOH6SUaZWkFALdvQvsOZAaBUDjOeHeGNmZVNd2PFyIJiVtbILKOetTpkUaHVvZtW9+417yMgYJdctLl307aO/QB8ajl71AdX/LzW0Uato23VYyiiSpW9kSp745rPuy/wMPt4eMXPBUG47rlv5LobnFtocG5Z1z7rQWtbJa1tlbz5xgVefqkLAYFt22spL3cvou2WZRGNpunvm+YHPzxOPJYhFPJx6FDrms81npnmYvJKNUa8mGQmF+alqfcYy07jVzxLRAkOBLbhVjYWz3xsbkOiIOFSKhaka9eCTLHIs+d62FJZjluzMRZL8Fpv/3WJhqYpCw0z12JuLslsOEl9XeBjCwYM3WByIoZllZpUKyo9CMInPwv6swrTtJiZTawYnAPs2FazLsWh1SDLErXVfjo7Qhw9NnDDx7sWr7x+flk5O0Eo9Wbcc/faJ7C1wOOxs2d3A8Oj4WUb2NKZPKfPjmw60XC7NO4/0rniXLBeyLJEqNJLwO9kYjK27DbhSIqibvzMEI1oLINpWRSLBt09E5imxdbO6nX11IiCQIe3gn+285ENj+MHw2f42/4TG97/dodNKilMbQSxYnTBp+BY5H2ORd5f036GZVC8poE6b+bIm6XkhkNyrJBJvgKX7EZExOCTTzTskh1N3JiaWqRQIsG6VeTdudfXvJ9h6eg30MR+B59cVFR4ue++TkZHInR1jTE3l2TLlhqqa/zMzpTIflfXCOlMnmgkTVfXKAMDM9jtKp///H5qVjCFXg4jmSlenHp34f8LiOiWTrSYZGbmGJqoIouL31kd7sZPHtHYCEzLRDdNvrx/FyLQOxvm2a4L193P53Ws2C+RzhR48+0eGuvLqCh3fyzBfTyWYXQkQrGgU8jrNG+wpv8Obg1y+SITUyU/heVgU2Vamio21W/E6y3Jym420Ugks5zpGl32M1WVaWosJ1S5+eobO7bW8Ozzp5clGrlckZ6Lk5tectTZHiJU5d3UZyvgd+L12FckGolkDmMFn4tPIi4NTGMYJi6nRvfFSVLpHB6Pti6iIQgCVXY39a6Nr5JV2d1o0u3x+hpKhjkfm8SrauwO1OFSrgTjU9k4FZp7XZKlUHrxr9tTYR5Fs7hQulRnb8IpO9eki3VZevVqmJaBMb/kLwrSdR2ZFVFh88zMPt7yq9L1bmyuKJil/iERkQZn85IemZXgu46J4R387EIUBfbsaSCXK/Lcc6fo6Zlk7JVzi7Z5771LvP32xYX+xspKD48/sYvHn1hfT2ODs5qnq+9f1z5eZePxzO0xU18HumHwUk8fuWKRVL7A3xw/g0tVGY8nsCvXN8QKVflKJILlp65337+E1+vg6Sd3lQKRW9wgYXeolJe7GR6cI1jmutMIfpsjmcwyNhZZ8fPycjdVVd7ryhqvB06HSkNdEEWWKOqbly3svTRFIplb/pxOG1s7VzfW3CiaVylfKhYNpmYSpNL5NQsqrAW7d9Vhs63dQG8tcDjUVU35crnisnLBn1QUCgapVI5EMkdbS0WpOXwdLvUCAp3eSlo95Tc0DpukoIi3ySqRAMPpMIWkQaunYhHReG60i19qPogmr5dobByyIC0cYX/gblpdHWuS4C35DfgW/e3qYNvExGJ10mxuYh2yYRmf2BIsZb5ZXhEV7gk+QI19bWWCiqisKFn8s4Z0Os/ERBS7XaW29so1x2IZLnSPE4mkaWoup6mpHLtdZWYmwexsksbGsp9ZmX67XeXw4TYCAScnTgzRe3GS8fEoiUSWfL6IIAi43RoVFV6amsvZs7uBe4+0Y7ev771WbS+n2n5jc/B6cAuJhoVuFhAEEUlY/ksxLZ14YZSMHkYR7fjURhTRgQVE0hksLLaFKohnsxR0HQFoq7h+f4bP56CluYLjJ4eWzUInUzl++sIZZmbi3HOwlX17G/F5HbdsdcPjddDUXIHbY6ei0oOsSHfKpm5jJFN5JldoAIYSsd2M3oyrIcsSfr8Dv9+xoh/MRtB1fmzFQNihqbQ0r720cT2orPCgKhIr6WhlswVmZhKbSjTaW6tQN9ls0qYqq/pkFHVjxT6eTyI8bo3ungkqKzzU1QQYn4it6/pEQeB3tt1PrdN3Q+Oo0Fxs84fw29a2kvLs6FkqNDcTmTi6ZfLZ+l1YlsmZyDgDqTkUUaLdU8EOfw3hfJpT4VHm8klUUWaLN0St00dPbAqfzUGbp4LTkTFEoM1TQaMryDZfiN7ElVLKaD7N8fAIz452YZdV7JLC5+p3r2gIuZnwKD4kQcSwQBVU6h1NG14dUUUbtvlsfM7IkDdWV8NJG6kVyYjAYgJ1vbsmb+TJG8snQW53XCELAnbJTqOz5WMdz+2Iy75R8jUJp/6+aS5dmiYYdKFcFQtJkoD6cxAb2WwKu3c30Nxcwfh4lOnpOMlkjkJBRxQFNE0hGHRTXx+gosK7KT29U9k54sUUIXsZnmtWLvpSI+imQaOzZsNN4reMaOSMBIPJN8gZcRpd9+NT6xc5QuaMOH2Jl5nInCRnRJEEG35bI1u9z+BR63l8SxuGaTKZXNwo5bZdn9nKksjeXQ2cODnE8VNDy3pvJFM53ni7h77+GY6dHGTXjnr27KqnqtJ702/sZCILApiGSU/3xPyqxidisennEplMnrnwysF+WdCF5yY4JdvtKhXlnk0lGn39M1grEA1Vlam6CWVTUJLuddjVFcvPikWDcCS1aUTH6VApL1vZxXyjkCRx1RVQy/xZ0N+5gtb538PrsVNd5WXPrjq8nvX1Z9xXdeM9P53eSn617W6qHWtTBHpjqpfd/lrqXQEMy8SyLMYzcd6YusieYD2xfIY3py5R7fAxmorwzvQldvhr8KsONEkhoxc4F5ugzumnzVPBxfgUkiBS5wxgl5e+fCVBwq1oFEwdn2rHKd+6DGytvR5ZUChQoC/dw+GyB2CDRMMle3DLHiYp9R2k9JXnnqJZJFoIr7IKISx4dJhYFFYhLQWzQEKPkTU3X/ziVqDB2cyJ2IcYlk5/qpe9/oMf95DWjZGRMBd7Jkim8jjsKvv2NSJKIufOjZHJ5MlmClRUeNh/oBlNU7hwYYKLFyexTIv6+iD79jeh6waDA7N0zZfnBgIu7j3STjqdp+vsKPF4hi1bSiaRuVyRvr5p3nzzAtlsAZtNRpYlFEVieGiWc+fGcThUqqquvJOmpuIc+2gAXTcwDZNPf3bvplYSfJzweOx4PHa2bNl8UZRrcSExwGB6nAcr7lpCNMYy05yL9/HFusfQpI0JL92yXyReGGEg+Tqp4jRBWys+tX7hM8syuZR4gfPR75PSp7mc65jOdZHVoxyp+udUuF2k8nm+f6YbgIKuk8wX2FldRdsaVKca6ss4cridsYnoipKklgUjYxFGxyMlx+cP+9jaWc2uHXW0t1betBs4mczR1zvF7EyCTDpPodCCLP/sM/dPKnK5ItHo8gEylHqCNtuXBUqZjs00sjMti+HR8AqN4CVHevc6De3WA4fThiCwLPHXDWPFkq6NoCzoxmaTN/+Z+jl7RIMB16Leo47WqlW2vonj0JwEtfWtGja6ghypbEUQBAqGTl9yljORMSo0D4lilrlcikg+jd/mpNldTrKYwynbcMrqErlWywJrld/eo2ocKGvArWgcqWjFo25+4mEltLu34FY8ZIw0F5MXGM0O0eho3dC9H1TLKLNV0JvqZjo3yVRunEZn87JyrSOZQeLF6IrStqIg4JmXii2YeWbyU1hYy5Z1zeanGcuMLDS1f9KwzbOT56d+SN7I0ZM8x2R2jJC99uMe1rrQdXaUyYkYLa0VeLx2VJtMNJLm/fcusWdPPVVVPt599yI1tQH8fgevvnKOPXsbsUyLN9+8QF19EEkSef75M2zfXovDoeKa9y6SZQlZlpgYj+H1Oeb7UgU8bg23W0NRJCoqPTgcKoIAdoeNQr7IxHiUrdtqcHvsmKbFj354nLr6IFVlXizLuqPYuUFM5yIkiuklDeAAHtnFYHqc7HVWM1fDLSMaieIYKX0aTfaiiq5Fqxnh/CUGkq+T1meoceyjznkPWSPKhdgPGUm/z3j6GE3u+1ElibsaagGLomEyEokxFlu5hOVq2Gwyhw+1MTOb5KcvnSUaXdn8zLJgcirO5FScc+fH+OBoHw31QXZsrWX7thqqq/2bugTu9TnQNIWdu+uJxzI/Mwo1P4uwLIt8XieVWjkIdrm0m+IBoSoS7k1cKclk8iRWlMu1mJiM8m//n+c37XzXYmYmsSzJADANi1xufYZsq8Hvd9wRWLgJ+CQlQ8q0KwRJEARsooxDVmnzlFMqcVEo19w4ZJWHQx2MpqN0RSfIGgXur2zDsCwKpoFpWcQLWezy9euiddPEhFvqpRJQy9nrO8hrMy+Q0hM8O/F9PhX6HM3O9iXNzaZlktaTTOUnsYk26h2LvQ/ciod6RxPnE2eIF6OcjH1EyF5D0zWmfdFCmHfmXiNZXHnFQxJkqrQaFEGhaBYYTPfRn+ql1dWxaLtYMcqp2FEG0r2b8G18PCi3VbHfdzfvht9gNj/N81M/5JGKp6hzNC75DQzLIFGMM5ufxi17CNlrPqZRL0ZDQxnZbIGpqTgOp7owf6qqROeWahoayjhxYpDJyRjJRJbu8+P4/U4EAaKRNHOzSWw2mdnZJEfu61iUqHU6bTQ2ljE5ecXcUVFk6hvKaGwsJ5stsGdPAz5fKZlQUeGhsamc1FVGdpl0nv6+GT7/zH4qKjyfqLloOWSzBQRBWLXn72ahaOlIgrjQW3Q1bJJKwSzeUP/VLSMaGT1CzohTqe3ALi9egRhKvUW8MIZLqWKH/ytU2XdRNDNk9TB9iZcYTr1dIhqyPE80ShN3ucvJj852r3kMwYCLp5/chV1TeO7Fs0xNx1YMdC4jnsgS7x6np3eSU2dGqA75aGupZO/uBrZ2Vm9KU5LTaaNjSzVOl41ctoiq3lnNuF1hGCbZbAHdWP6hkyQRu6Ygr7P5cy1Q5FK50WYhGs1grFA2ZVkQjqR5+bXzm3a+9cCyLIrFzWssdTm1OyILd7AASRBp91Sw01/Lmcg4ggAhu5edgRqGkmFeGD+PKECikKPa4cWlaARsDj6aG2IsHWUoHWaHvxrdMnhj8iJvTF1kOpukaBp8qnY7dY5SMqrTW8WfXnyHCrubr7fcfUvmdVEQOVz2AFO5Cc7ETtCb7CZnZKl3NFJhC2GTNEzLIGtkiBZLBnG6pbPLt38J0ZAEiU73NgbSvZyIfshg+hLPTnyfLZ7tVNiqEBCJFsP0pS7Sn7pI0FbGbH562fIpAYGgWkaHexvnEqeZzk3y7MT32ObdSblaCQjEihGG0v0MpvuQBRmP7F3i7XEtdFOnaBUomHnyZp65/Ox8n4hFxkgxlRtHFW2oog1FUFFEZcNqUmuFJEg8WPEE0/kpLqUucDZ+ingxRq29gXJbJapow7B0MkaaaCFMuDCHgMDBwJHbhmi0tlXi9dqZmU3w4Qd9uF12HA6VXK6IYZTeG9lsAVWVsNtVZEWivSOEqkhs21ZLqNpHPJZBLxrouomqXlm93ozHQJJFdN1YUC7czGOvFXkjjSpuTj/v22/10NMzwY6d9ezYUUsweOuEgRySxrg+TaKYosq+2DtmKjeHLMgb7vOCW0g0imYW3czhkIOo4pXMUqo4w1S2i6KZptP7NGVaJ7JoQxZtNLjupS/5CnP5S6Vt8wX+9sQZAAzTIpLO4LqOc+K1qKr08qkndlJbG+CFl85yumt0WbOta6HrJhOTsf+Xvf+MsuvMzzvR37vTyTlUzgE5A0QiwACSzdCRnaVWt1otWZJtWfbM3LE9Y88dz/JaY8+6d4Jl+1pWbqmlbkmtTupmMxMECYAACCKHQuWc6+S4w/2wCwUUqgpAFQog2cbzBaizz3n3u9O7//F5GBlNcPnKCCdOddPQEGXX9iZ2bm8kFvUtax63IjBbEuP1PcxmfJRhGCaF4tL3i6bK981RlBVpVaMdqXR+yf6MDxsWYJqr52g4HgphfixgWRbpcpELM8NcSY4zUchQMnRUSSbi9NDmj7EhVEXUsTxl919r3Ued5wadriQEMaeXzzZsYbJg9/15VQeyEEScHvbHmxFCoEkKVe4AmqywP95Cs89+Ce+JNRNxevCpTpp9UXyqE90ycMkaIc02PIQQfKttH9OlLE75wUYpw1qUT1Z9Hp/i5/j0EXpzXQzl+3ErXhShYFkmZatM0SxQMksE1BAbra2LjhVxxHg0+iQ5PcuV9AW6MlcZLQzN6nwICmaegpFnd/hRDEtfsk9DCIFH9vFk/FkS5WkG8/2zYw3jlt2AoDg7VoOnmTW+DVxOXSCVWdrReGv8Fa5lLlM0i7MsVTpZPTunB9KT7eQ7fX+ELGTkWXrekBrm8fgzVN8lE9RKIISgwlnFZ2u+zJvjL3MmcZLOzFX6c724ZTeykG09GqtE0ShQtsrEHBUY6PdtTsuBZVmcfr+HS5dsUdpSyZgjvbAseP21C7wpSWiaQl1dBL/fxf79bZw/P4AsBIqmsGFjDbIssWlzHd/+0yNoDoV4hZ+nntrIxESKV16+QHf3OH6/E1mW2Ly5ftHArWlaHD/WyfHjnYyMJCiXDZ54ch21tRGePLSBv//xB2iz2khf+epe3O7VryZYCu9M/BnrAk9S5WyfV6WzEvT3T/HKKxd4/3Qv1VUh1q2rZseORlpaK+5LhcTNqPdU8UHiCm9NnEKRFWqccXTLpDPdx5tjJ6lxxXErKy+jfoBdM3aEQRbqPC7u0fxZMuVRVMlFnWcvmnSj7tanViEQFAw7vSZLgqqAbdALBO3xKK2x5VPBhYIe9j7SQkN9hPdP9/LKGxfp6h5Hvwu+e8uyBcW6eiboH5jm0uVh3jpyhT27mtm/t4147O6aEx/i4wnTtG57nyiKfN9KdIQQqzp2oVD+SDcqr+bcFEX+b62d4mOHkqFzfmaYv+x6nyvJMRKlPHm9jGlZSELglBUCmosWX5TPNmxmX0UT7kUasRfDxtDChkpFkqn3hKn3zH+HhB0ewo6F/R8VLj8VroXre4M3QoN38T7BFn+MFh4cjeTNqHLV8Ezlp1jr28j51Pv0ZXuZKU+RNpJIQsIlu6ly1lLjqqfVu4Z23+Kqx7KQaXA386nqL9KYbOFi6ixjhVGmShO4ZDc1rjq2BHawIbCVtydfv+2cZCHT7G3nC7W/wtnEKTrSl5kqTTBlZNEkJzFHnN3hA2wObschORkpDN12vP5cLxeSZylbi5dZZvT0ggb2qBZnZ3jvbcddDUhCosHdzCerPs8G/xYupc4ykO8nUZqmZJaQhYRb8VLnbqTW1UCbb+2CMrIPE80tFYTCXgSzRCQVfsZGkwT8LjZtqiMY8uDxOIhEvCiKzNPPbGJylqhEku13lcfj4BPPbmJiIm2P49ZQVZlQyMPBg2vYvacFWRKEI9650qrtOxoxDBOPxzZshYDmljjhsIeybuB02KxLsizx+BNrGRlOzPUZatqDDdT2Zk+xKfgJVqNZLxrz4XJrDA3OMDyU4OrVEd59t4P6+ijbtjWwc1cT0ftAaAKwzt9EX3aYtyfe53KqB4/iwrJMkuUMmqTyufiTBD8OOhqycCAJlbKZx5hdFAyzxFDuBHljmhr3LtuxuMkrlGanZ81GRxyKwuOt11O7AkWScKgrOwRNU2isjxKN+NiyuZ4PzvbxxluX6ei0BanuBmXdYHQsycRkms7ucd472cOTj69l7+7WVaXlfIiPDkzLuu39IUnivpVHSKvsaJTK+uKd2L+AEEL8N9e4/XGCbppcSozy7869xpXEGEJAvSfEhlAVTlmhZOiM5tP0Z2YYyM7Qn52hbBkcqmpHu0fhvlJZp3dkmulkji1t1bjukCWfTmWxLAh4Xei6wfmuEWpiASojPiRJYngyidflwOt2IAmBbhjIkoQQAsM0GZpIEgt6cd2i6VLlquFXGv4BJbOIV/HhVe49aBXWIgSUAPWeRrJ6lpJZnKu1ViQFTXLgkt14ZC8OeekyYFVSqXHVEdLCbA3upGAUKJs6iqTgUTwE1RAOyYlpGks2g4P9HGpCo8XbToWzkj2Rg3NzkoWMQ3bgVwK4FS+mZfJc5WfZH3mckBZZVCn9mcpPsjdy8CZK3VvVsm7+W8wdS4WjatH5tXjb+WbTP6Q8m+VZqTr7dUhCIuaoIKSFafGuIW9kKZklTMu0A0dCxiE5cctu3IoXbZEm+w8DQggqKwPzGJ6uQ1Fl6uoi1NbNd9AjES+RyEJjNBr1Eb2l4sPrddLWvjiRxK3fvd1cfD4XvjUPjmhhwf6VOGWzgH2P3dsL5uDBtTQ1xbh8aZiTJ7vp6Bilq2uc/v4pLlwY4KWXzrJ+fQ27d7ewcVMtmrZ65CYexcWhit3Uuiu4kuphojiDLCQ2B9vZGGijxVuHskj/xt3igTkaLiWMUw4wU+omq0/gViIM508zWejAtHQavY/hlIPzGCiKpi27Ls/yeOdKZX58/gqf3byOI119vHG1i09uWsuBlsYVz8vrcdDSFKOyws8jO5q4fHWEw+9c5fQHfRRLd5fGNAyTqakMyWSOnr4Jzl0Y5DMvbKO1peKu6wULhTL5bAnLsgiGPQ/LPD6iEIjbXtP7araL1a4/fXiPPcRHAzOlHD/oO8eV5BgbQpV8vfURWv0xnLKKJASmZVE0dfoz03y/9yxHx7v5af9Fmn1R1gRWToFsmCaD40nePdvDI+sbUGSZZCZPIp0nEvDgdTvIFUpMp3K4nRo+t4N0tmjz+WPTNGcLJTL5IobpRTd0kuk8HqeGADK5Ii8fv8KWtmpaaqMUijrJTJ6KkG1MFcs6EzMZAh4nPo+bCrmO6WwOj9sxq7J9A4VimXSuQLFsEPS6cDpUxqZSyLJEJOChUNLJF8uYpkk06AUs+kZmCHhdRAIRAnKY3pFpNFkiHvYhSYKJmQyqx4kkKUwlsxRKZVwOjZDPRTpXJJsvEZwloMjmS+gGhLyVICyOX+wj4HFR3RSbKw27WzJnWcgE1BABdWl1eFnIVDqrqXQuTe95p+3Lhe3g3VsZ9K0QQqAKjagjBh9Sdmu1UFkV5HMv7iS0yjpRH1fsiX6Zq6nDSMiEHXXzCBLsYPjdO46RiNfWfGup4NED7QwPJzhzpo+TJ7oZGJhiYiJNX98kx493Ul0dZOfOZvbtb6OqKnjPDodAENL8bA+tY62viZJpiwM6JQ234kK+x7KwFTkaFhZl02Asn6A0WwvpVhxUuZYuYwprzfjVWsbyFzg99cez/z9HsjRAhWszMedaZDE/ojJT7MWyLNyz3L0lQ+f88CiPtzXxXu8Aj7U18X7/0D05GmAvBF6PE6/HSUU8wLYt9YyMJnn3WCdHjl5ldCx1V+PousnYeIrX37rE8EiCL764i0d2NN0xCj01meat1y/h87lQFIkDT6x9qKOxijBNa9UC90ISyLdhBTNN8/4pQVurm4BQVXlJz0VRJFqa4mzf2rB6O1wGXC6NtW0fDnXqQzx4JEt53h3rpsYd5LfWPsreeBOORTIVDZ4QQc1NVi9xdnqIwezMPTkalmVRKJXJF8v4PA5MyyKVKXCldwxFkdm2ppZLPaMUSzrrGivweZwMT6ZQFYmQz43ToSJJ4oZooRB0DEzg0FS8LgfFUpme4SnWNVYAtmNzsWuU6mgA3TA5fXWQdK6Arhvs3thIz9AUmXyRNfVxAt75kdoLXSN80DGE26lRXxmisSpEJlfk1OUBntjZxuWeMWRZomd4ik8+ugFVlkhlC7zy3lV+4zN7eO9iH8WyTt/oDJ85uImL3aNz+17bUMGRM13IskxNPEDQ6yJfLDOZyFAVDSBLElPJLMlsnvVNldTGAwxPJJHETcf+EL/wcDrVRTML/63iXOLnDGTP0Z05iSI55gXKg1o1n6n918saT5YlfLMUv1VVQdaureL557fQ3T3OiRPdnDrZzfBwgtHRJB0do/z0p2dYt76agwfXsn174z1LMGiSiqatfj/ZimaVLOX4s+7XmS5ncMt2tqHFW8kX6vct+ZuIo5Vazy5mSj0M5U4xwhkMq4QquVkb+Mxs2dR8o2c0fxYLk7BjVlXTgnxZZzCRwu900BwNc254bCWHsCScThWnM0A04qO5McanX9jKxctDy8py5PNlzl0YmKPn3LOr+bYep2FYRKI+NmyqxelUH9LbrjIM01xUK2IlkCWBepvro5eNuy69Wy7s/pDV45V3OtQlcxqyLNHYEOWrX/pwhKaEEDh+QYSXHuLOKBo6Y/k0O6J17FnCyQDQZIVNoWpa/VFOTw6Q1e+NAlmWJEI+F5GAh6qon0yuSOfgJL0jM4T8LqaTWUzDZHNrNUGfC0USaIpskxUssqaosoSmKHZwAwj43HjdDhqq7CCcpsioioxh2A7O5Z5RfB4nXpeGIkuEAm56hqfxuVPUVc6P9puWhSJLVEXtkqrekRnS2QJ9ozMUSzrJbJ5d6xvI5kvki2X6pzMMTiToH50GIXA5Nc53jRAP+TBNa96+i2UDEIQDbnxuJ30jM6RzBVRVxjQtcoUCkYCHgNeJaVo4VBWfx0lNLIDzPhgmD/Hxwq++/ReM5dP8D5ue5Mmq9nuKsOf0Et/tPs1bI9f4cvN2DlW335FM4fcuHeblwcsYNz2TlS4/v7f3C3jVe2MG/U7nKX4ycJ61wQp+c81+qtw3HK2NgU+wxndw0UyeQ7o3zStFkQkE3Pj9bioqAmzeXM+Xv7ybCxcGOX6sizNn+ujvn2JsLMmpUz3EY3727m3j0QNtNDQsL3OW1fMYloFbdqLMBrlH85N0ZgYIawGavbUrVgWHFToaJVMnWc7xO+2fRJqre7z9ULKksSbwKTTJS2f6VXL6JAG1jvbAC9S6dy3IZhT0JMO504BFvcd2YFRZptLv5Tsnz/DbB3ZjmibGKjLTzJuvLOH3u/D5nMRjfh7Z2czYWJI3Dl/hrSNXmJi8vTqzrptcvTbG3790lkjYQ/sSwlYdV0a4cG6ATLrA6HACIeCzX9yFw/Fw8V4tFApljFUy0JU7UMwWSwalkoFlrT7NnmGalO6ynO9uEAi4EEuU6JmmRamk3xeF84d4iFshCwmXoqJJ8pJOxnWosowmyWiyfM8pfSEEsiQhyxKqIpMvlhmbTlPSdUzLIux30z08xcvHr7BjbR2VUR89I1NMJXP43Q4CXhed/ZP0DE7hdTuRJUH30CSTyQxBn4tIwDY23jnbxdOPrGFwIsHVvnGcmsLeTU201EbpGZ4i4nejyjLJdGG2VGuhzpMQAkWe7UsUMD6dJl8soxu20jkWuB0qTk3BsiwGJxLkCuV5FNbTqRz1FSFUVZ63b6/bgSxLaKqCqshEAm40VWYykcHtVLEsC02VURW710SS7Njtuc5hwgEP4WWowz/ELx76MtMM5ZKkyysXdbuO8XyGD6YGODnZx5pgBTuidVS6bm8P1biDNHojTJeyjORTDGWTFE0d4x60H65jppSjJz1FQHNRvsXerPNsWrpeepUMACHsnmJNUwgGbadj3742UqkCr75ygZdeOsvUZIbpqSx9fZP87Gdn2Ly5jk9+ahsbNtydSOS5RAcnpy/weHwXm4Pt9GdH+HbvT7iS6kGWZH6p/nkOxrbjWiHz1IocDUkIfKqLoOpZVElwcQgckp82/3M0+R7HskyEUFAlFxILm1pkycHTNf87lmUSmc1oeBwa/+jAHnTTxOd0YFkW//jgnpUcwl1DCIHDoaBpMoGAi/r6CJ96YSuHj1zlpy+fZXQJlXGwezdOnupmTWsFNVWhRanbmlpi1NaF55XE3C8F8v9WkS+UKN8Fo9jdQAhm7wdlUaPfsixy+SKlko7DsbrXsawbZHOrJ2IXjfiWFJ40DJNUeikxv4d4iNWFR9FYG6wgVS4wkU8Tdy1dJz9VyDJZyFLvCRFdpjr4YogEPbywfz0AFWEfnzqwEcM0UWQJp6ZycGsLZd3EodmMcs/vW29H9TUFSQi+/PRWAByanSH8xguPIISdMQT42nM7sUxbsK+hMsw//tIBVEXGoco8uqWZR9bXoygyDlVhc2sVaxpii5KcbGmrZkNz5VwprmnaxBSGaeJxadTEAmiawoFtzSiyTGXEh66bfPLR9Zimyblrw/zqC49wpmOIRDo3b9+qIvPFp7YiSwJJSFiWhWlZ6IaJQ7UzOHaZlL0GKrLEU4+sQdeNOzbPP8RDLAdhh5tqd5AKl49mbwS/emfj9vna9RyqbqdsGhwZ6+afn/zRqs9rsTelLFQKZpr+7Bmyxgxbgi8gkNCtIhKrzw4lhGB4KMGRI1c4evQaw8MJ8nnbJpBlQbGoMzqaZGoqw9lzAxw6tIGvfGXPHfXehvMTlE0dj2IHFt+Z/ICcUeB32n+JS6kuTkyfZ3Ow7cE6GgCDuSn+0anfp84dQSDR6qviyw2P3vY3QggU4UDhzqksRTiIOtpne/ntSywJgc9547eWZeF33rtg3t3AZogQuF0OXDUaX3pxFwf3t/OTn53hpy+fm7vYt6JUNnjvVDdbNtexZVP9gu2qqjA8NINhWNTVRzj2Tge7drfgdKkPRftWCalUntJttC+WA9vxVAn4nUxMZhbfX7pALl9cfUejZJBeRePf6VAIhTykF1E5N02LdLpAPl/GdYdo0kM8xL0i5vTyhYat/J8X3+D7vWf49TX7UBcJYpVMg9eGr3B2aohP1m9kjb/invctSxIuh20UyLKEe1ar5vr669BUHJo195n7FsPa45r/DvK6b/nb5ZjrY1Bnjfrr0FSBNqtPcL1c0LEEm4ymKtxapXR9XDvbYY8ja/axKLKGNTtvy4JHtzZzpmOIyrCP2lgQSZq/b+WW0oibey8Wm4/LoWI9DIo9xCrDpzr43Q2P8dvrHsUl21nOO8GpqDhRMUwTn3J/bMLFEheTxT5+NvTvyRspDKvMpuCzWFaZi4lXyehTPBr/1VXZdyZT5OTJLl55+TwdHaPkciXKZQPLsqiqCvCJZzfz+OPrKRbLvPLyOV577SJjo0l+/KPTZNJ5fuu3D922SiZnFHDJDnyKm/HCNB3pPraG1rLe34xbdnAh0UnRXHmQc0WrhE9x8StNj8/xm4PAr65uiYWYHfd2pvaHYYjbLJkCTVOorwvzza8/SntbBf/1jw8zObW44dlxbYy+/ik2rq9d0Bhu6AanT/YwMDCNz+fE0E0e2dv6IA7lweMOl+s+VcExPZMjv0qOBoDbrREJ+5Z0NKanM6TTBULB1WXmKBTKTE0vLKlYKYQQtDbHGRyaXrSBPZsr0dM3wfq1q8fq8hAPsRgcssK+iiZ6M1v542vHOTrew/6KZmrdQRyyQt4oM5xLcmKij3PTQ+yI1lPvDfHB9MCivRKPxBrw3UUkdDHc+l6x/7xHVpcl3lUL97W8/dzp+ze2WzRXR2isDNmEFnehOHw3c1kwfwQCafbfX1zc7OB9HMf/KEMIgVvR+DgU4x2b/AuafbvZHvoMf9j1TcDOcoQddVxNH1nRmNevvWlCb88Eb755icOHrzA5mUbXbedCliV27mziuec3s3NnM5qmoCgSlgW//htP8PwLW/nTPznCkSNXOXWqh3fe6eDQoQ1L7lOVFCQhYWJxOdlF2dRp99bjVdxoskbBLM3rf1kuVuRoaJJCq7eKy6kBxosZWryV1Ls/3rRty8X1l4/bpXHw0TWUSgb/+Q/eILdIaUtZN+gbmGImkSN6C8+0JEscemYjhUKZUNiLJIn7qsXwYeI6l/xSyOfvvb7zVliWxdhYkmx29cb2uDXiMR9XOkYW3T4+kSKRzFFft7iI10pgWRa5XJHx8aVL9VaCte2VvP3OVcxF4jX5fInOrrGHjsZD3HdcSY7xtcPfJlsuYWLx3kQfJyf6b9j3s7fn9fv0rZFrHB7tXHK8v3vy11kfeshadh22UjlId13qvDK8WPtLfK72q4CFodtZWE37xXufdfSOUxUL4L9PelljxREkbA0OsK/f3bB7WVhzLt5Kz7llWRiWiTFbPncdQoCEZJfXsfQ1tbAoGwamdaNFWr7eC7VET5VhmeimOafxch2KJKOI29sNqwFz7phNuzwQu4LmTq0B44Uu9ke/gWOe3opAldwUzeUFBU3TwjRNUqkCp9/v4ZVXznP58jD5fBmETUQTi/l57LG1PPvcZqqrQ8iyNGeLiln6e1WVaWiI8q1ff4zJyTTdPROcPz9wW0ejwhnmSqqHn4+8S0e6jxpXnCpXDCEEM8UUqqTcUz/cihyNtJ7ne/3vMJqfIebwc2qqk92Rdp6u2rriiXxcIYTA6VDZsqmOfbtbee3NS4t+b3IqQyZTWOBoAHh9LryzTbe5bBGP9/6Vg1mW9aEt+oom31YfJJ0trjpV4uRUhompzF2pvt8t/D4XtTVLUzkPDiWYnMys6rk2TYvpZI7xO5AQLBc7tjcif/sI+iJMWdlckUtXRnjhuS13FQF9iAeNO99bH+bzvlwIxD0zxIDdX6Trxk0Z96VhWRamaa2aEGaxWEaSJRR5+cbRas/lw4B0kzHyH//Tzzn5Xjff/s5vrzoxxkpgWRbFso5hWAiYIwDQDcPWulBk+94x7P4cCyiX7ftICLt0TRKCsm7w08MXeWrvGlrrYzgddqmbbph2OQugyAJNVSiWdJuhzDSRJWmut+dO13imNE3eyKFbOn4lgEtxMVmcBCxCapiskcWreMkbeRyyA9Myyek5knqCelcjsli+Q3ndwRjMJnhtuIM3RjroTk+SLRdxKRpxp5dN4RpebNzM5lDNoqQNAsGlxCh/2HGcUxN9JEp5fKqTreEavtC0lQMVLYsKbH4wNch/uHiYU5P9s4xudkjhn218nF9u2XVXfRorhWGadKcn+WHfeV4bvspYIYVfdbIv3sxXm3cA9n292C3skgMkyyN4FdseMC0D3SoyVrhKQF1eWWdPzwSvvnqet9++yvhYEsuyaeZdLpU1a6t4+ulN7N/fhsfjuO3acn2b3+9i67YGrlwZZnrq9k7PtuBaOjMDvD72HjFHiAOx7cQc9jH1ZoeIO0I470FMckWORsEoM1aY4V9t/BIAV1KDvDl2nqfZuuKJfNwRi/loa61Y0tHI50u2EvMtSKfsev7rBvaxI9d44TPbVsQ6JUnSkgahZdmL3YcJt0uztRuWwMhoEsuyVtU46uweZ2p68RKnlcLnc1JXE0aWpUWpbGcSWQaGpsnlSndswrpbpNIFurrGV13Iu7kxTmU8QN/A1IJtxaLO1Y4RenonaG2+91r4h1hdyLJAus3zbtwvPZf7gHXBSk595v+1KmNdujpM1/sTNO4P35E1LZcv0dk9zpaNdauy77/46+O0t1Swa3sTTufy1vCZRI7xyRRr2xZXrX6Ie0MqU+DbPzrB4NgMDk1h69paDuxs5Z33u/C4HTy9dw2Xu0c5d3WIXZsaSKbzvHr0Col0gaDPxWcObSYW8vLq0SscP9vLwOgMQZ+L3/jifioiPn7+zmVOXbAp8BuqQnz9s7v5o789RrGs0z88TXtjBcMTSX7pkzvZ1HbnLHFGT3M+eYZaV/2sdlmZqdIELZ52+nLdbApsozfXTaWzmrJZ4kziFOv8G+135wpen2XT4PBoJ//58hGuJMdwyioOWcGnOjGxGM2nGRy8xN54I5tCi8+/Kz3Bvz3zczsAK6vEnF4yeonDo52cnxnmt9cd4KvN2+c5pGBT0T5Tu5Y6b4ipQpZLiVFG83enX3YvMC2TD6ZtJ+fkZD9uRSWoukDAGyMdnJ8ZpsYdWPJ0bgk+z/HJv2KN/yCmZXAt9Q4TxR4GcmfZF/2VZc3ljdcv8jd/fQJJEjidKsGgh127mnj6mU20tlYsmyRIliXcbg1JEqjq7R3boObn1xo/y5dqn0GTVZzyDU2QXZGN7IttI+IILmv/N2NFjoYAZCRmihlkSSKrF9AekMCcZVmUDMNWZZVvNLJ92HBoCh63A8HiTUO6vriQ25kPesmmi1x/7oYGF6+XvxuoqnzbBuRCQUfXzdsa+/cTLqeGy2Xf+IsdY//AJLlcedVYtwzD5NLlIcbGV3fBUhSZigo/tTUh+voXGugAl64MMzySoLUlfs/3p2VZzMxkuXBp6J7GWQxCwFNPrOePvr14PenkdIbDR67SWB99qO/yEcN1NrylkM+VZiPkH876mMuVKBTLczXFfp8LXTfI5UsEA267TCBdwO3SMEyLQqE050i7nCoulzb3/XLZQJYlXC4Nh6aQyxXnaF113cTrcaBpCsWiTmU8YLP8zTZll8s6mdnSSdO0UBR7LuWywcDgND/62RnqasKoiozX68AwLfI5OzAkSXZEUVVk8oXSLHW1HQjxeBxoqkKhWLLLG4BSWZ87hny+RL5gH7+mKXg9Dkolg2zOnotNGavg8TgolXWudo5y8nQv8agfh6bgdmuLrh26bpDPl9ENY/Z4ZDweB4oskckUKJXtzzVNxjdb2pPOFOai9QLw+VyoikQuV6JY0m3jxmGf819UFEs6I5Mpvv7p3VTHA3bgS5Gpqwpx5vIgxZLOxHQGRZFpro3ys7cvUhkL8JXndxIJeXA7ba2TLz+3nWt9E3z+mS1snHUYhsYSHDnVyW99+QB+n5N/9wev0Nk3gaLIbGqvpq4yiGlabGqvpqN3/I6OhoVFhbMaWchYlsVUaYIKZyUu2YlulbGwKJlFimZhTsOh0dNCi6d9RdkM07I4NdnPH1w9Skdqgs2hGj7XsJl9Fc1EHG4yepGO5ASd6Ql2ROqW1LX4w45jbAvX8t9vfIItkVoMy+L89BD/z8XDHJ/o5cf953miqo3qm7QoAGo9Qb7WsguwxTv/3dlX+X7f2WUfx3Ixmk/z4/7znJzsY2Ooml9v38vBylYUSeJSYpT/cuUdjo71kDcW7/HcEHwaTXZzZubv8Sghjk5+h6ijgQOxb9Ho3b6suaiz9LUNDVEefbSdRx9tJxrz37YK5HawS7EsgkEPkeid1e5lSSagLfxei/fegzArsuhcskajp4Lf73yZoOYhrxfZF1t3z5O5E0zTZCyT5croBJois622mmShQJX/zifxfqNU0snmiktSKjsd6qJCbzsfacbhUOdSqVu2J1bMVqRpym2jaNOJLIVC+UNzNISAeMyPw6EuytKl6yZnL/Tz2KNrVmV/A0PTXLoyTGYRVqV7RTzuY01b5ZKOxsVLQ3R2j9PYEL3n863rBv0DU1y6MnxP4yyFp55cz3e//x7Z7MJrkk4XOHaii927mlm/tmbFi95DrD4cDvW2TvnkVHrOQP8w8LNXz3Pl2ghC2FTK3/jqPrp7JvjBT0/zP//3nySdKfJf//QwLzyzmYnJNG8cuUIo6CFfKLNlYy3PPLGB3v5J3jxyhcmpDA6HyqN7Wtm5rZHXD19hYGgaVZWZnMrwwic2s2FtNReuDPHSq+fx+1x8/St7CQU99PRN8md/dZRoxEcmW0BTFf7Jbz5F/+AUP/zZGS5cGuJPvvMu9bVhXvz0dgaHpnntrcuMT6TQNIVHdjTR3lLBa29doqd/cta5KPPCM5vZvLGON49c4cz5QZwOhaGRGda0VmIYJq+/fZkrHaOUywaRsIdvfHUfl6+O8L0fnKQy7iedLRKP+vjal/dyrWuMn792gZ6+Scplg43rqnnmycVrqsfGU/z9y2dJpm3nwelQefFT26mrDfP621e42mmz0gQDLn7zm4+jqTJ/+O13kGXByGiSZDrPP/kHh4hGvPz0lXMMjyRQFJmN62t4+on1txUkXQqlkk4ymaNQKCOEwOt1zmsHv14Wlk7nyedKc6WaDoeK3+/C6VQxTYtMpkA+VyIQdM97l5XLBomZLIoi4/M7VxT0CAfc/MqndvHa8asUimX2b2tm37ZmKqN+YmEfJ873UdYNmuuiyLLEwV1tnDjXy9+8/AGRoIen962lvio0WwZmYVk3ShOnElkmpjP86Q+Po6kyIb8bE/ud5/M6SWULyLKt13I3ZbwOyYEsZKRZR6PGVcdoYZiZ0jSbA9tocDdxLXOVqeIE9e4mVEnFKblWXKKWKuV5d7yHc9PD7IjW8083PM6u2A2WTI/qoMLl50Bly23HCahO/o9dn6HGEwRAFrAlXMtvrX2UM9ODzBRzXEqMLnA0PgxYlsXlxBjHx3uJOL18qWkbT9esnSu33BKu4TfX7Gcin+HczNLv3lbvPho9OyiZBcBCk1wo0vIrGbZsqWf9+ho2bKhZlUoIh0Nh69YGIhEv9fWr1y+6EqzIovWqLl6s20tnZoRUOUedO0alM7jKU1uITKnMHx97n3SxiENRiHjc/OjcZf750wfv+77vhEQyz9DwzJLbg0E3bvfCaJHb7UDXDSYnbKPgXuB0KIvu4zp6+yZJJHP4fPev3vFOqK0O4nYt7mgA/PyV8+x9pOWeBQvzhRJvv9NBV/fEPY2zFOJRP+vXVXP4nasUiwtL4jLZIu8c66C1JU5LU3zFBrplWYyOpXjj8OVVFeu7GfG4n0OPr+fHPz2z6Pa+/im+9/0T/KN/cIiKuP8jkUF8CLsU0Xmb5+TqtVH27m5ddgnPamFweJq9u1pobY4TCrpvq/RuGCZut4Pf/e2nuHh5iNcPX2ZdeyWXr44gSRLf+Oo+3jvdw7XuMVqabOIRp1PlE4c2UFN1Q0F759ZGO5N5i1M+Ppnmf/rvXkCWJf7Xf/9jxidStLdW8OXP7SKRyPLf/+NnADsLc/XaKMVimW98dR9nLgzQ2T1GNOwhky2yeUMdn3p2M3/7o/cZHU8RGpziaucYn35+C+vbq/nf/6+fYZkWo+NJjp3o4htf3Y/P5+D3/usbdPdOYFoW+UKJ3/nNQ4xPpvnT77xLMplj66Y6dN3g8NGOubncDtlsicf2t7NrexP/vz96i56+CeJRH/seaWH3jiYA/uX/9neUSwaSBL39k/yLf/YcE5NpfvrKeVqaYpw+28fwSMJ2APsm+OBcP5s31FJbHbrD3hdeuw9O9/KjH7zP8PAMLreDLVvqyd4S4Ekkcnzvr47RcXWEVLqAZVrEK/w884nNHHxsLaZp8sbrF3nrzUt89Zf3sXv3DfbF/v5J/vC/vklrayUvfmEXodDyGP1sXRA7U/aZJzZxtXect05cY9+2ZioiPmoqArxxvINN7VWsa6qYdYxM1jTFaa6L8sPXztI7NEV9VQhm+zkmZjIMjyeJh33UVARprovyhWe24vM6MUyTeMjL8TM9K1ovW7ztCz6rcdXZbF6z4zV6Wub9zT0Qf/ZnZ7iUGEWTZR6taGZLZGUEIAcqW+YpZwMokkTc5aXC6adk6swUcyuf6CrCsEyGcwkGsjPsjTexNlCxoKdrQ6iKOm+Ii4nRxStVzCKJ0ihD+Ytk9WkEEj41SrV7PX4ljrKMvoZt2xru8Yjmw+FQ2bixlo0b7060735ixTUqDlllQ8D2eFPlHD3ZMdp895edRjcMpnM5/unj+/nDY6fsm+IOz3ChWCadyiPLEj6fC0WRV70xrVw26Owa4+z5gUW3S5KgsiKwZL3w9FSWV146y9DADKZh8rv/43O4XIunzW+HYNBDPOZfcvvFS0MMDk1TVRn40MpgWlsr8flcS9K0nj7Tx+kzfeze1bJi4zyfL3H8RBdvv3OVRPL+LGqaptDWXMHa9qolr/vJUz20tVQQCXsJBd0rag5NpfMcO9HFsRNdqzHtRSEJwec/u5OjxzsXpWgulw0+ONvPd753nC9/fhdVlcFVjZJbli08lkzmyeVL1NaEHjozd4F4zEf4NgbX6Q/6eP4TmwkGXEv2ctxP/PIX9/D20Q6+/+PT1FQH+dwL2xBCYOjmXIS7MOuk26VVTgR2GarLqTKdyDE1k+H8pUEyWdtobW2+UYoYj/rwe+/OuqqrCaOqdnTY53FQLN0ohbg5Ml0q60zPZLnUMUJZtwM/DfURhBAEA25CQTeSJOF0qggsUukCLqc6q30BQb/9jkkkc0zPZPnxS2fQNJmqigCSLCFJgtqaMIoi2/odLpXSTQGmu+1R83jsEjIBBPxOiiWdRDLHT185j2lZqIrETDI3KzyoUVcb5vs/eh+Px8FzT23EMEymprN0903yNz86BUBFzH/H5vnFMDKS4M/+5Ag+v5Nf/bXH8PmcHH33Gh980DdvnZBlm37z2ee3UFkZZHomw0s/PcsPf3CKlpY4jU0xWlsreO94FxfPD7FtWyParMr55UvDZLNF1q6tIhhcGfFpOlvguz97H1mWcDpUnthtG/OqIuNxabidKgGfG4/b1j051zHM8TM9SEJQEfXTVGtHhSUh2LutiVMX+rnQMcxXX9hJLOzl+YPreeXoFcq6gSTgH3zpUSoiPjwujZDfbTeUyxLBO/QNAXMaCYpyg0Dl1r6GW/++jusq8WIZ78/pYo7RXIq400edN7jiUvh1gcolhO0kvKqDqWIZfRXUulcDWb3EZCGLYVlEHJ5FxT9VSSbu9OJcpIEdoC/7Accn/wohwC2HsDDpyia5mHyN3ZEv0+jdcb8P42OBZd1NpmUyVUwT0ryMF27QbPbnJriUHLjvjoYkBF6Hg67JaZL5AgOJJH7H7VNMQ8Mz/PyV8ximxfYtDdTVhgkG3Xg8jlm61ZXPx7IsSiWdq9dG+flrF5YsowmHPNTXhnG7F59rqVRmxyPNxGITZDLFFRtZoaCbmqogiiwtyiI0Np7iyNFr1FSHqK0JfSjGR0tjjIqYn4GBqUWbVUtlg9//48OEQh5am+PLcohM0yKdKXDydA9/8/2TdHaPr+bUF6ChPsIjO5u4em2UQmFhDWepbPDjn53B63Xy5GPrCAbcd+08mabFTCLLO0c7+M53j91ztut2EEJQXRXkSy/u4o++fWTxDE2myKtvXCSdzvPiZ3bQUBfB53PdUylVqayTyRRJJnMMDc9w4v1eRkYS/Pt/+4WHjsZdIB7zE4/5kCWx6LM0ODzDm4evEAl7iUS8KzIiVwrLsuwMwMZa2lsr+MNvH+GFZzbj97vI5ct0do+TyRaZmQ0E6LrJ6FiS7t4J+gamAUF9TZhspoiiyOzZ1QKWNWvs2wbBrU2vlmUxPpFmbDxFIpFjYGhm1lAFyZZlWtBAJyv2O+Ba9zh+r5NwyENTQ4x8ocyBvW2AzTJ3nTry1lMYCXnAgr6BKSRJYnI6g2GY1FSFaG2O88yTG/B4HJiGRWNDhIuXhljqkVFU2Q5adY8TCrqJRpYuCU6lCwwMzeBxO5icyrCmrYpEMs9MIsuTj63D63bwxttXEMJeS/K5Io/uaSUW9SFLNqNSU0OUzRtqee6pjSAELqdKRcXSgaqlcPxYJ+l0nt/87SfZuKkOWZbYvKWeC+cHSKdtB1EIQTDo5h/9ztNzv9PLBook86d/8jaDQ9M0NsWoq4/Q1l5Jd9c4fX2TtLVVkskU6OgYpaIiQG1dZEVrgxCCSNDDv/iN+dmiUllnKpFlcDRBKOCmrT429/3Hdrby2M7FNa2eeKSdJx6Zn3XYsaGeHRvmi/K+OKsa394QJ5HIMjQwzbrNDRiGSbmsoygyiiKj64Z9PlRbfX5m9j6KxnxIkkKxWJ7rrxTC7nG83vsjsINriiKjajK6bjI2miAc8eJ2OzBNi2KxbG9fooy3ZOoUjDI+1YlbXnmfjl+7sxO12sySK0XZNCgY9rvOISs4lug7cSnakjS3J6b+mkbvTnaGX0STbAc4Z8zw/vQPOT3zw3tyNAzDJJMpkE4XKBV1dMO0G7sVGZdbIxBw2df/Y/CuXJajUTYNTkxfY29kLX/Zd5iow16UpoppTO6/l+rSVPY01vHa1U7ypTJnB0d4Zl3bbX9jGhb9g9O8d7Kbn79ynrVrKtm8qZ7W5jixqI9gwIXH48TlVO9av8I0LfL5ElPTGa5eG+WlV89z+oO+Rb8rhGDzxjoaG6NLOjVV1SE8yRxG2SSRyM5mXZZ/82iaQk11iIqKwJJlXK+/dQmfz8nTT6ynrjZ81zeqHWmz+wWu15quBB6Pgx3bGujoHGUmsXi2oa9/kv/zP7zMN3/lUVqa40TC3tvuT9dNstkCI2NJTr7fw6tvXKR/YHpu+91ykC8XXq+T7VsaOHOun1On+xbdx/R0lu987xiZdIF9e1uprQ4tma26fo7TmQJDwzMce6+Tn/zsDMnUDTVwIVh15ikARZZ47hObuXx1hCNHOxatIy4Uyhw52kFv/ySPH1jLti31RCM+/H4Xbpe25DWy7xudQkEnX7AbZ9PpPKPjKa51jnHx8hCXrw5jGBY11cH7cny/iHA4VBrqo4TDXiaWoD3+8U8/wOdzcnB/O1WVQRTl7mhXr2ccDMNc0fNuAe+9383MjJ25fPapjTg0mcq4n43ra3j1zYt4vU52b2+au3csy+Lwux1gWTyyo4l4zI+QBNlcidffugQCtm2uJxzyEIv6EJJAuWlelmVx/tIgA4MzlHWD02f7CPhduJwqzU0xJCGwJGhujOF22xSRQZ+LbZsbeOX1i7S3VfDMExtY01ZBMpXjtcOXEQI2rK1mw9oaKuMBQgHbyYnP7j8S8bJrRxNnzvUzODhDQ22EWNTONH3i0EZOvN9jM9MJ+EbtPnw+F431UQA0TaahLoLLqSKEoCoeoKEuwqtvXmLrprrbOhput0Z37wSDw9PU14ZpaYzhcqnUVIc4faYPn8/Jnl3NaKrM0MgMLpfGmXMDmJbJTCLHL31xNw31ETatr5k7zoa6CJVxPyxzaR8dThAIugnftE6rqkxjc4wL5wZnr43dYzk5kWZmJkuhWMbQTUZGE1hYFAu2wRcIuFm3rppLFwa5fHGI5uY4ndfGGBmaYc/eVioqV7e2P5cvc+bKEIOjM+za2EAsvJB+/l5hGCbj4yn6+yYZGZ4hEvOTSReZmkrj9Tqpqg4yOZkhlcxRUREgEHTPOWgAmUyBkeEEk+Mp6hujlMsGpZJOJlOgra0SVZXp652kUCizaUsdqWSOv//xBxx6aiPNrXEmJ9KMjydxOFSaWxYP3l0vwbqun7FSyB8Do/c6BGIu+GJa1gINj7tB0czQ5tuHJt2oWHDJAZo8OxnKXVjRvCzLYmoqQ0/PBBcvDnGtY5TJyfScM+n3u6irj7BxYw1trZXUN0Rm9TQ+uud+WY6GLCTavFWYmOiWyeZgIwDD+WkGcpP3Y36AfeKTBfvBe6ShlsZwkES+QFXAR9Rz92nUXL7E6TP9nD7Tj9OpUl8bpr2tkrraMJVxPz6fa46CVVZsLnRJkjBNmzGqVDYoFEqkM0UGBqY4d2GQM+f7yWSWFoOLx3w8sqtpXh3xrTAMk4nxFLIiUd8YQ5LEiileW5rjbNpQw8hoYlFmp2JR5/s/PMXAwDSP7mujtiaEz+tEVWUkSZqtZbUwdJuLvlQ25ha2XL6EZVlsWFdD7C5YDJbC/r1tvHu8k1Q6j2EsnKNlQUfnGP/H//USjx1Yw46tjYRDHtxuDUWVkW7iLC8UykxPZ+jumeDk6V46OkcXRP+bm2Kk0nmmJjOLqgjfC5qb4zxxcB39A9NLslvNzOT48+8e4/zFQfbtbaWpIYbf58ThVJElCcMwKJdNCsUyMzM5OrvHOPZe1wJBQK/XSTzmY2QkQX6RDMq9QAiBx+3gm7/yKMlUnjPn+he9fwzDordvij8fPMarb1xkbXsVrc1xqqqCuN02i8v1EgnDMDFNE103SabytqbJZJrRsSQ9vROMT6QeOhX3iE0bamlpjjM5lVnU0c0XyvzZd96lu2eC/XtaqagI4PU47OddCPsFa1p2RFU3Kev2s14q6eRyJTRNYd2aqmXXxEtC8JUXH1l029e+tGfe34VCmYGhaZoaYvza1x6dty0W8fH8M5sWjLFnV/PCfUoSTz2+nqceX79g2y/dJJ751S/snvu/3+/iyy/umvfdUNB2Em7FzSQVe3bdaIrdsaWBHVsW1ldv3lDL5g3z66Nbm+O0Nsfn9vPip25EPCsrAvzyF+efm6Xgdmns2tbExvU18z7/pZuO7Tq6eruJRnzs2dlMvljm9Jlem3rb7eCJA2t54sDau9rnUiiVddvQuSVVoyryXMbJNE2udYzyys/Pk0jm0A0DQzdJJnMYtwQ1GptiVNWEuHp1lEd2p+i4OoIsSzS3xFe93yjod/HcgYX3y2qiWNQ5daKbysoA2UyRVCpPx5URDN1AVWVcLo2hgWmmpjI4nRqhsJdkMmczqFUFGRtN0tc7weDANJGYn+7OUfwBNz3dE4TCXmRZkErlefuty6xdV42sSJiGiT/golTSOX6sE0nYWY+q6iC+RUq3PIpGQHUyUcgwU8rdlQbNxx1OWcWn2kyhmXKRTLlI1Dnf0bQsi1QpT8nQFy0Jq3VvZiB3DlmoaJIbC5OCkWYof5Goo4FM2a5ykYWKS7lzttA0Tfr7p3nllfO88cYlJpd4R54/P8DPXzrL5s31fOELu9i5qwlVfTDMryvBsmamSDLt/hryRonnq3awOdQIQE0hQkC9f4LxumnyRkc3FtiCO6aJU1XompymPhTgYGvTsscsFMp0dI7R0TkG2H0UoaAdKfN6HDicKi6HiqLJ6LOGdjZbZGo6Y4vv3YXStM/r5PGDa9m+peG2zEPJmRxnP+ifiyC++MVdOFa4oFZWBti+tYEz5wYYHVtcRVrXTY6+18mJ93uoqgxQXRXE63WiKTKGaTsY+UKZQr5MJlecS99lc0Vqa8L8D7/77D05GjXVIQ49vp7hkcSSkViweeV/+JMP+NnL5+1MTdyP26WhKBL5Qplcrsj0dJbR8eQcveStqKoM8NUvPsLZ84O8/uYlcks0oa8UDk1h144mBodm+PuXzpBKL85wZRgm75/p4/TZPuIxPzVVIYJBN6omUyyWyWVLJJI5+gem5urW5+3HYbPfPLKzmb/+uxN096x+k7skCWqqQ/z6Nw7yB396mPMXB5dkSDEMk6HhBEPDCV5/6zKSZJdeuF0aDoeKOVtWWCzpFAvleXXoD7F6aKiPsH1LPR3XRpmeWbzvqVw2eOPwZY4c7aC2JkRVZRCP24Gi2CWWetl+3vP5Etms/bynMgVyuRKbNtTyj3/z0LIdjeVAkgTRiG/Rcs+HWAiXU6WxPorff3ekHps31DIwOM3pc31YFtRWh2lvXT1dnHDYy+VLQ3N0ypIk7ODZRGou/Voslvned48z0D/Ft37j8Tmn4fT7vfzJHx+eN148bhNtvPXWZY4f76KnZ4LaujB1HzJzzsphN5a7PRoejwNrtiLCsixCYQ8ul4bP76S7a5yJiRR19REM3SSbKZDNFPB4HCSTeRRVxuPRsLCdsev0pUMD00xMpMjlSlhY+P0uXLOkMJZlUSyUMWfLDpfq66hw+WnwRriaHOdyYpTJQoa468Nn87yfcCkqlS4/PtXBYC5BfzZBgzc8L8CbKOUZyiUpGvqizeA+Jcbp6R8ymr+KV41gWjqp8gTjhS7q3Vv5YOZHAATVajaFnr3jnAYHp/ned49x5MhVTBNqa8OEwt45u8cug9PtioDRJGfO9DE0NM3v/tNn2bt38TK/jwJW5AI5JZVNwRsRnLgjQCx2f+nKcqUyRV3nRN8g7fEoQZeTkWSamVx+RY7GrTBNi6npzKqJu/m8Tg7sb+eZQxtv26ANIMmCquoQQwNTthbHPUQSZEliy6Z6Du5v56VXzpO+DbWrrts88gOD00t+537hycfX0dc/ycuvXbij01Yq6fT0TtDTuzzjOhrx8snntrB9a6PN1+/WVt3RAIhFfTxzaAPJVJ6337l623NuWXavzHK0PTRNYcumOj77qW34vE4qKwL3xdEAu2Gzva2Cf/Brj/EX3z3GmbP9ZHN3PmemaZHNle7quw+xepBliX17WununeDtdzpue3+XywY9vZP09N6/7PNKoGkK69dWs37t/e3x+0VBOOxdVhYiFvHxq7+0/77NZ9162yk4caLLplh3qQwMTDM0OD2XZTNNi4nxFJGoj5aWOIqqMDqS5MKFwQUis7Is0dpeyfvv93D4rUs4NJXtO5oIh++fs3s/oWkKa9dVMzgwjdfnJBrzsXVbA+NjSeIVflRNRlUVqmtD+P0u9LIx2zskKBbtAKfbbVda5PMl4hV+XG6NWNyPz+sk43OgqKFZvRoZEDQ0xhgbTRKJetmxq4mhwWmCIQ9uz+L9F9VuP9ujtRwb7+GdsW6q3QEOVbdT4fLjkGTKpklGLzJVyBJ2uAk7PCgfQo/nakISgiZfhPXBKs7PDHNktJNGb5hqtx9JSCRLeV4ZukJPegpzCeGCopmh0WNnJUuGXeLsloNznxUM254sKflFf38zMpkCr792kWPHOvF4HGzf0cQjjzTT3FxBJOLB4VAxDJN0Os/QUIJz5/p5950OurrG+ZM/PkxrawWx2EfTOVyRo1E0y3SkhucyGmk9z1ghcd+awVVZ5mu7tjKdy9M1Oc0/fWI/EtA5McXfX7x6X/a5UgghiEV9PLqvjU8+u5mmxtgdfxOJ+ojH/eRzRWrrIyjqyno0rqMi7ucTT20klc7zztFrd5V9edDwehx88cVdlMoGb759+bblZytBZUWAZ5/eyNNPbCAc8sxFcRdjVVoNNNRH+NyntiFJ8M7Ra0v2nywXDofC9i0NfP6zO9m8sY6JyTSVFffXqVcUmfbWSv7BNx/nJz87w7ETXQyPJB5IE9+HQVDwcUdtTZhPPreVTLbIqdO9ixITPAhY5ctYegdCioO6GSFkLL0LyxgEKwPIIEIItRkhLy0CZVk6GL1YpdMIuR6h7bQ/NydA78Eyp4AyoCKkIMgNIFcixOJGlGUmQO/GMsfAygEChAchV4PcjJDuZMBaWGYS9D4scxTMLLA01bRQmkHdhBA3yD8sM4NV+BkIDcn5PKBgWRnQO7GMUaAASCB8s/OqX3RelpUHYwzLGAFzBqxZA0aoIAUQco39W6HCPB0LA6t0HMwJhLYXhAOrfMYeQwQR6lqEXIVlJrH0K2CMABpCaQGlcd6x3IrNm+vZu6+NY0evMTg4jd/nIp0uUN8QpW/WqVVVmT17WzlypIO//esTON0apZJOKpknEl3YF1FbG6apKc6ZD/rZsrWe5ubYx3ZtUBSZ9jVVtLVXzh1DNOqlrb1ylmBA0NJaQXNLfK7HZfuOG8HTSxcGqaoOUSyWsSzYuKkOh0OdyzLGK/yYpokQLXN2wxOH1s+KddolZ03N8bl9LQaXorEv3kRncoKXhi7z550nuJwYZU2gAo+iUTDKTBaz9KSn+Ez9Jh6valsWdevtkNNLDGUTTBdzlE2DZCnPcM6uxuhKTfLOaDd+zYEqZEION/Xe0DzBwKFsgpF8iqKhUzR0zs7YwrYFvcyR0S78mhNVkvEoGjXuIJGb2KVafVEOVbfTk57ipcHLZPUSm0LVKJLEYDbBycl+HLKCV1n8WA/Gv4VlmWT0aUpmDoHAIXtwK6F5OjJ3g+7uCc6eHUDXTZ57bgOfe3EnsZh/Xm+vqso4nSqxmJ8tW+poa63g//6/X6a/f4p3jlzlcy/uXNY+HxRW5GikywVeHf2AzaFGLMtiJD/D4fEL9591CsCC16504tE0+mYSqHdoUvT5nDQ3xujpnWBqKrMoO8tqwet10N5ayf49rezf10Zl/O4Mwly2SC5fIl4RmKO1u1c0N8X43Kd34HJqvHv8GhOT6Y9cPXxlRYCvfWUvPp+Td97tYGBo5p6P3eFQaG6M8dQT63nswJq5hsrqysBtNUbuFUIIWlsq+OLndhEKenj7nQ4Gh6fvSpxpqfHCIQ+7dzXx/Ce2sGGdXYvt9Tjuu6MBdlSxvi7Mr3x1H81NMd493snVjhGmpjP35T6KhD00NkTZtKH2oSjgCrB+bTVf/NxOvB4nx092kVglR3c5MItvYWX/FKFtQvL8DqZ+Fav4Klb54qxBK4NUjdB2IpyfQnLsZvHO4zJW6QRm6n9BOJ9HUhrBGMQs/ByrdAKMQbAKIBwgVyK5fhnh+iQscDRMrNIFzOKbUH4PS+8GMwkIkEIIpR0cjyI5HrcN6sVgmVhGH1bhVazSO1h61+wYJVhAgKKA8CC5v4JQWu35zQ0zhZn6n0H4Edoue9zC32OVjmCVO21HTMggRRDaY0ieX4NbHA1L78cqvYtVOo2ld9jOgJXG5jJ1gRSzHQbHIXA8hRDum2iyypi5v4DSCST/vwIzgZn7S3sMuRLh/DSS61NY5TP298odIFwIbS+S5xugbltIuTULl1vj85/fSU1NiIGBKVRF5sDBNXg8Dj443WfTumoKz72wFa/PyehIEr1s0NQU56mnNtLdPU5tbXj+mC6Nyqog/oCLxsYY1TXL0/ZYbRTzJc69e5XR2az6lgNrqWmpQL5LVkQh5hPN2H/f2C7N0aItRHNLnJGRBIbhoLomtKjG1K1OmBACWRaL7mspNPui/HLrTvyai5MTfbw30ccrQ1cwLHPOUI87faiSjLRMI/p2GM2l+NveM5yaHKBglMnrZaaLdhnomyOdfDA1hEtWccgKO6J1/FrbHirdN87BW6Od/HTgIplykYJRJlWyKwpmSnn+P+ffwKXYv61xB/li01Yer7pBIOTTnByqXkNOL/Hq8FVeGbrCTwYu4JAUKlw+Dla2EHf6+G7P6UWPOG+k6M2cYrTQQcksIABN8lDtWku9ZytO+e4zDH29EwwPz9DQEGXvvrYFTsatEEKwd18b777bwcsvn+fkye5fDEfDtExG8jO8N9VBT3acHw+ewMJiupRBWYHs/XLh0lSeXNPCpdFxVElCkWUOtty+bCoa9fHs05uoqgxwpWOE/oFphkcTJJN5mw3kHqEoEtGIj8aGKOvWVLFzWyOtrXEc2t33WKTTBXq6xmhsiqOpdurzXiGEYE1bJcGAm/q6CKdO99DROcbUdGbRJt+7gc1171qxcvliqIj7+dqX99LcGOO9k91c6RhhcGh62cas06FSWxNi44Za9u9pZf26ajw30QnHYn58Pud9Y226jvq6CJ//zA6aGmMce6+TS5eHGR1PLsvhCAbcrF1Txa4dTTw628B7HQ6HSjTixelU73vkWghBIODimUMb2Li+hpPv93Dx8hDdPROMjqfuaf+yLBGNeKmoCFBTFaS9tZL166ppbox9pNkzPqqQJMGWTfVEwj4a6iN8cLaPjs4xksn8ip13VZHxeZ1o2vLWdkvvxcz/DVbpPTtzoG4GVCwrAeWLWPm/xdKvIcS/QGi3p3+0zDRW6Shm4edQvghSfHY8E8ucAWMMO7uwcL21Sh9gZn8fq3jENsTVtQgpbBv55iRW+TSUP8DUu5Dc30SoCxkMLXMUM//XWLm/AaHa+5brAAHmOFb5AzBGASfC9SxCaUOoW+39LQoDS7+CVXgXq/ATkGP2vJCwrDQY42BOLv57Y2D23HWAVIlQ14DwAxZYSazyNazCS1jls0jCA46DCG5xvqwiVvE1MMYRSiOWFIDyOazCDzGtadB7EKigbcPSr2EVX8NSakBpRojgktcpGvPzyU9tW/D55i036F4jES+f/dxCQ6i1bWG/SKmkk0hkiUS8tK+pXJIa/kEhnynw0p+9zdG//wCAf/YfvkFFffSuHY17gdOl0TRLIHA/IQnBmkAFFWv8HKhopiM1wVQhQ9kycUgKfs1JvSfE5nA12i26El9s2kaylKfVH1107IDm5NP1G8nqJdYG5l9vl6LS7Lu7/ptGb2TBvitdfraGazDuwBrl11yEHAt7iWs9Qb7SvIMNoSquJMZIlQu4ZI0Wf5Sd0TpyegkTC7/qxKfOvw8vJ9+kK32MiKOegBrHtEyyxgznEy9TMLNsDt65L+M6ZmaypNN5tu9oIhLx3rX0wqbN9fz85+cZGHjwJfB3i2VZjBZQtgzyRtHuxi/nsLDwyA42Buvv+Pt7hUNRONjSSJXfR75cpjUWxnsHHQ1Flmioj1BfF2b/3jb6B6boH5xmdCzJ1FSGmUSWVLpANlskny9RLOqUyga6bswZ5JIkkCQJh8MWkvJ6HAQCbttQigeor4vQ2hKnria8bCN8YjxFb/eEzaVtGIgSLCB7vwdUxP188rktbN1cx4VLs0biWJKJyTTJZI5CsUypZFAq6wgEsiyhqDIul93Y6/M6CfhdBGd53RvqI1TcZabmbuF2azz1xHo2b6zl/MVBOjpHGRpOMDlpX59srkSxUMYw7EpJRZFwaAo+r5NQyE08HqC+Nsya9irWrqkkHPQsMFbdLo1nDm1kTVvlAkdrw7qaVRWgCwTcPH5gDWvaKrl0ZYir18YYHJxmfCLFTCJHLlekdJMgk9OhEgi4iEa81FaHaG6Os2lDLc2NsQXzkiRBS3Ocr31l7wJ19ZrqENF7aNJfCooiU18XoboqyL49rXRcG6Onb2KumX8mkSOdKZDPlSiVdQzDQgj7d6oioaq2Yr3f5yLgdxLwu4nH/VRXBamtCVFXG8Zw5ejL9nI+M4hulqlwVlHjqmW8OEbeyNHibWO6NMVUcZIaVx0pPclUcRIhBBk9TUDE2L67mnxggqyRoWyW8Chemj2tuGQXrpoS53On0QyJqBajyduChERn5hrTpUlAEFSDrPGvo2QU6c/1M1maQJVUqpzVVLtqFj03Qb+Lxw+upblp8RLJzZvqbqvevdqorQnx+c/sYMfWBi5cGqKnb4Kx8RQTk2lSqby9vpV0yroxG/WU5phv5p73gItQ0EM04qW1pYJIZJmUn8YIVuHnCOcnEI5DCKUBULHMaSi9g5n9Yyifx8z+AZLShpBu08Nm9GDm/hoA4f4aQt2AkEJzzgLGIELbY0fvb4JljGJm/8h2MqQokvsroO1BSDHAsMuVSu9g5r+PVfgZJhqS75/apVhzg5hY5XNYhZcAHeF4AcnzNYTcAMhY5oj9+9z3wMoitAMI59MIcZsmbatoH4/ehXC9iNB2IOSK2fESYAyDFERIixhsSgvC+QLC3A9KO0KuBSkIWGDOYJZOYOX+AowhrPz37czJgixPEat0Dsn9VYTjKSyjGzPzH+3SssKrCG0bkvsfgdAwc3+Nlf872yk0hmb3df9gmibZTJFkMs/AwBRnz/TT1Bynta3yvu73IeYjqLnYHW9kd7zxrn/zD9cduO32sMPDN9sXZ1Srcgf4cvPK9SYOVbdzqHqhkvpyEHK4OVjZysHKxRuqv9W+d9HPLyZfZXPwedYHnkSZzWAWzQwXE69xJfnmshwNw7QwDAttVkvlbmEzsdnMgR9VLJvettETJ6r5qHSGeKJiM2DH3x9EFLKo6xzrGeDy6AQht5O6UIAzg3083nbnZnAhhC1cFfaybUuDraSayNmORipPdrZ86fqLWJ+l5rQs27iTZdu4dbk0vF4HwYBteEfCnkVTmXcLy7JwezRq68JYsOr0q2DX9TU1xmhsiJJK55mYyDA+kZpzNIolfY4SVpalOUGY64bHdUXcYNC9pICeZVpYsGTZSyadZ3RwhlDURzDsIZsuMDI4TVVtGK/fFn6Lx/w8+dg6Ht3bxvBokomJ9KyjUaRYKNusNJYtbOXQFHw+Jw5FJhR0076m6o7X4akn7i+N4c24LoJXXRVkz64WRsdSjE0kmZm57mjoWBYosozTqRAIuIlFfdRUhwgFPbeNZjTURWj4yuIL3/2EoshUVQapqgyyd08LiUSO8Vle/FSmQD5XpFQyMAwTIQSKKqEoMpoq43E78PtdBPwuAgHXnDaKEALTMrmc6ubdybfZF32UtJ6if7ofX4WfofwgE8VxWrxtTBUnuZK+REgLM5If5krqEvWeBmSh4PFo7DlYT3FtJz61ipAaoifbze5IK2EtzNsTb2IqEoalcWrmBD7VT9QR462J16l3N+BXA5iYmJbJRGmCc8kPqHRWM1WcZLI4QUAN4lEW1syHQh4+8dRCKtQPE5qm0N5WSWtLBclkjonJtP28zzoa9vOuIwlbH0PVbEfD49Lw+Waf95AHv8+5LMHMGyiCshnJ/XWE0gazTDeCeiylHWEMYeX/Bqt0Cqt8GuF4fOmhjCEQfiTPb9hOi3TDobAfEWveX9dhFd7AKp0EdCT3LyPcX0cI11z5j5AbsdQ1CEys7B9ilQ5jlfYgnDcMA8sqgN5rG//KGoTjMft4ru9RrkVyPodRPArl97HKF+z+B/l2bFBlKJ1AeL6F5P7aPMfmdsdj7y8Ors/bmRVxa2S2CUlZg1k+j1WctrM11mLEABYIJ8L1JYQcBSmMcOyz+zKEajtL2iOAhdC67IyGOYVlzqxiscziKJcMLlwY5O3DV0gm8/j9Lg4cWDOvCdy0TMqmjiwkZHFvvYwP8RD3CoEg7mxBETe0sVTJRcTRQHf2vWWN5XZpOJ0qM4ksudzd96wOD0/PCWJ+VLGiGhiX4mBXpG1WaNU2MG31VYFuFimZq9twKxC4lDD5cpk3rnaytjLO5bEJttVW8V7fwF05GrfCoSlUxP1UxJevhLqaiFcEiD+AmnuYLYXxuwn43bS23FsqtlTSyabyOFwamkNhZGCaTCpPXXMMt8dJJpXH0A28fheWZXHx/T7SqTxev5NSsczpY9cwTYvYIgJMRtkg6HUS8jkJhBoxDJNUIofLraE5VPLZIuWSgarJTE2kmBhNUsyXwQKHUyWXKVAuG7i9NoOXXjbIZYp4fA40h/rAX05er5NWr/Oez/lHCZqqzCpTr8bzYxtXDtnBjvAjTBUn+dnIT5gpTS341s1+uFtx0+pdQ4XTTsWPF8YQQtDsaWGNfx0TpXGmSpNk9DRFs8jW4HYCWpC/HRhkINdPRItS66pFkzQsyyTqiFE2ywzlBunL9RJ1xCmaRTJ6mrSeWtTR+ChDkgShkIdQyEP7A44KC8djIFfNORk3NriQXF/CyP8tWAWs4lG4naMhHHbU3/HYPCfjpi8s/MjSsYpv2v0LUq2dBbjJybB/JoAAkvN5jPyPwJjAKh4G5zPc6Bsp2uVMmLNZhkX6BKQ4QrjtO9icxO7duB0EyDVIri/Pz57c7nhu7AwhLf2uEJIHobRilY7aPTGU7Qdm3nonI6S47WSA7XRINfb8RdBuZL8+D+EF4bP7YaylmfRWC5IsEQp5aG2twOlSaW2tpKnZLqVMlNJcTnXTkx0io+fYEV7PBn8LA7kxVEmh2hVDkx5c5vAhHgKgxbeXS8nXKRoZXEoQyzJI65P0ZE4SczQzUegBQJNcBLTbr8HxuJ9w2ENX5xg93RPU3EWFzPR0lqPvdiKEYO26jy5r34ocjZKpc3q6i2vpYYqmjirJrPXX8lh8I1PFa1xO/GBVJykLjQOV/xzTtMiVdQ60NHJ1fHJWJnlVd/UQd4FCvkR/1zjJmSy1jVFCUR9DfZOMjySJVQZQVYWZqTS918ZobK0gEvcz2DdJtCKAx+ekVNTp75xg3dY63B5t3nvQsuDoG5cpFXWCYTfV9REK+TKJ6QxY0NhWwblTPWBBJO6nVCozNZ6mXDYIhb2Eoz5Gh2eYmUxT1xTDH3TTfXUUIQnWbKxBe4BlLB9lDE+mqAjNV1w3DJOu4SnyxTJbWh/8omVYN4gQTMtEEjICQdksY1kWJbNIzrihFeGUXbhuiR6blp2VwLL/LwBFKJiWORsSAd0ykGaVcPdFDzCYG2C6NMVb46/zmZrPIwkJSch4FA8exYNbduNVVl8x+BcZdiZjYZ+BACylGUQQrBSWfu32A0khu+/hduVVt8COwA8BOkLdAFJg0UZmIWQsKYJQ2u1Gb6MPy0zYfRwAaAjhwUKAlcGyMgvdADNxwwgXHuBOGSDFLv+S78xGuMTRYRlTYHTbbF5mAsvKzmYvylD6AKwiYIK1WCmFBNLNjdfyjesknLeUR8mAMjvO/S/LUFWZteuqFxhMiVKaN8bf472p8+iWwWh+Er/qpd3bQGemn7HCFJ+qfoyII7j4wA/xEPcJ6fIEPZkTTBV7ccheLMskb6RIlceIOBo4PvkdAKKOJvbGfvm2Y7W1VdLUFOfddzt46aWzCEmwY0cjfr9rQXBU1026u8b4+cvnuXZtFI9H48knH1zFxnKxIkcjqxd4d/IyLd5KehJ9tHgr6c2M81gc0uUROtOvrOokNcnHAf45qixTFfDx/TMX6JyY4o2OLlqi4TsPsEykMnkOn+ikb3iaYkknEvTwhU9sw+u5fw1pFztHOHG2l89/Yis+j3PejZXNFfmrn77PdCKLEIKGmjBfem77fZvLnSCELcg0MjiDw6kSqwridGr4/C68fhfJmSwjAzNcuzSM1++iuj6Cx+ckWuHH6dSwLAuPz0msMrhQzdKyGOqdQHNohGM+ejvHGB9J4nCqSJIgHPUx0j+NP+zBV9KZmcjgdKkoikxiKkNiOsPIwDTlkoE/6EaSJDKpPDWNUZyu+8c69XHDz45f5iuHtuJ13XRPC3A7NZRV7Fe5e1jk9CxvT7xJWk8TVEPEHRXoZpnzybO8Pv4yqXIKaQHpxPwF2LAMLqcuMpgfJKfniDkqiGgR+rI9HJ96F1koSAjqPY0AHJt6FxmZglnAtEwUoVDrrqMh38B00Q5mSJqES/7opqVXA5Zl2hkGiggUhHRvvT5CCiAWe70IAZYKUhSMxGwW4HYDeZbfG2BOzhrb2FmVRZmtrkMFaTbTaObBnJ4zxIVwYimNINXY1LbFt7HkRoRSA0hYxiRm4SUsox9wIrTNcMfzJtn0tSuAZSawiu9ild7G0ntmj/O6kyHb2SOrgE39uxQESM55f849Q0KGW5vH7T2vaL6rhcupbs4nOtkQaGFjoI3vD7w2t82neHg7/T5PGrt5oHJ+D0u2HgJo8Gyl2rXujt/zKne+OyurAux/tI3e3gnOnx8gkchx8kQXNbVhgkEPDk3BME0y6QKjY0l6eya5fHkI07R4/oWtrF1btRqHdF+wIkfDtEwsy+JgbAM5vcS+2FpOTNmRKZ9aRav/Ewt+I5CQkJgoXmWm2IMsVPxqNR61AlVyI6FgWGWKRpJEqZ+cMYkmeVgffJGAZosDulSVFzas4dzQKHubZFoiYbbUrv7J/fHr53n92FU2tFXhUBWy+RKKcn+Nr4GRGd587xrPHliPzzM/SivLEvXVtiDPkVNdDI0lPlRHA+zeklymwMRYyq7Ddypk0nlmpjJkknnGRxLks0VM00LVFBwOFa/PiarZt5zmVPAFXAtZO4Rd/uT2OQlFvYz0FwmEPExPpIlVBnC6VZwuDX/QjdfnZGo8RS5r9wYEQx5CUS9jwwksS8fldiArEr6gm2iF/2ORzTBMk+7hKd7vGAQEpbLOhqZKdrTXMjSR5OSVfrwuB6PTaRoqQuzd2EDPyAynrw2SyRUJ+dzsXldPTSzARCLD8Ut9TCVz6IbJs7vX4tIU3rvczysnr2Jh4XZofOmJLUhC8N7lfi73jbG2Pk5ztb0wFkplLvWOcbZrGCyoqwjy+NZWptM5PugYYngqScDjYkd7LQ2VK6egFEIiqIWodFYRs+JEtChuxU21q5a9kf0YlkGtqx634sGr+Kh3NxJ3VizIaLhlF2EtSsQRpcXbSqWzCqfsZEd4N1OlSUzLYK1/PWEtDAhqXLWI2dUppIWRhEREi7IrvIeZ0jQCgU/xLZsT/eMEy9IxjT704kmEHEGSwih3YIO6M6TbVwEJu4HxdnoUNmaj6suBVWbOOBYad5jITQ3TJlg3zUfICHUbwvUsVu57dtO40Qey7WjYrFPnwUohnM8j1F0I7qTWLVjcmL/DIZkprPxPMPN/CXofyA0IbS9CbgQpZFPpCgWr8HOs4hs39DUWxVLvsqUpVj9M9OdG8CouDsR20Oip5rWx43PbwlqArJ5HN+90H60uhBAfxVP1EA8Ya/yPLfq5bpZJlccIO2rveixFkdm1q5lctsgPf/g+vb2T9PVN4vE4cLsdtjL4rNJ7KlVA1w2cTpXPfHY7n/3sjoVB248QVjQzWciEHT4sIFHOcnj8wlwTc8jRzLbwry7yK4uB7HHG8heocG6kyfc4IUcLDtmHLNRZej+TspWnoCcYyp3kWvplikaGZu8T9mRlifZ4lJqAn4Ku43VouNTVNR5N0+LVo1eoqwzxpee243KqlHXzvjPHbFlTQ8DnIuhfWG7g0BSe3N3O6GSKnsGp+6JuvRzIikRFdYhdBzRcs0qjNQ1RXG77gXB7HDhcKms21hKttEse1m+rx+u7cWzb97biXeRYhRDsfXI9iirjC7gJRezynuRMFrfHQSDkYc+T63A4VZwudbZ8SsfQDXwBN76Ai0DIQ7FYJhr3Iysybq9j3r4/yrAsi9HpNMcv9vH1T+xkZDrNWx900lIdIZHJc7ZrhF1r61jbECfscyMJQcDjpK0mSqlscOxiL2G/m6qIn9dOXcPCor0uhiQJvC4NVZZpqAzZuh81UfweJ5Ik7Ka2oJcznUN0DU2xf1OTrZEzlea196/xyLo63A6NoNdFSde51DPKyFSKDY2VXOqzHZGw343vNjSUV2cm+IuOD0gW7VKTqMvDv9j+OMosgYBbdrPWPz/961E8Cz4DcC7RcKtIKrXuOlq886lKK5wVc70cN2NTYMuCz1RJpcZVS43r7l8SHwZ+1neVVweuYZi3p3V8tqGdJ2tacCpLrWEWmDmEkJGVVruf4V5hFcAyZ6Pki23PYltqdzLMYdkWnXAxZ0xbWW4fkTdnRfyw53oLY5SQKpBcX8a0ilj5H2IV3551kiQQboTciHB9EeF4GuTqhT0pqwSrfB6z8BPQOxHaPoT7Kwhlk93MLZxz+zXKV1nha/0jC90yUSUVh6QucPhLZglZSEgPOMMgzSp3T48muHC8k65z/SQmUpiWhS/gpmlDLdseX0+0eungS6lY5vy7Hbz6l+8SqQyy/1PbWb+7lVw6T9f5AS6f7GKsf4pSsYzL7aC6Oc7Gfe3Ut1ehOe/OHrEsi3ymwKUTXfRcHGByOEEuXcDQDTSnijfgJloTora1kqb1tYQrAoiHOkb3jIKR4szMT3iy8reX9btAwM1jj68jGvNz7Og1zpztZ2wsSTpdWPC9deur2be3jV2PNN8XtsnVxIpWJJ/q4vnqnYQ0L4/FNzCan6HJa7/ENcmNpi0sM5gpdjOWP4ckVNYGP02991FUybVkpDDsbCFvzNCbeYs6z27qvfvIlkq8dqWLZ9a1cnlwnKPd/Ty5poVHGlbPIMjlS0wnchzY2Up1PLBC1pXloyoeoGoJ2lghBIoi49DUD6msZT4URSYc8xGKeueEggIhD/5Z1gMhxLz/A1TcsuDWNCzOty2EoKH1hkHoD7qxLItwzHdj+01N1cGwd55OgBACZ50272/3HUrefnDiAuf6R/mXn30C7QFd79tBCAh5XWxrqyE2keRC9wjjMzbBgselzcs4mKbJRCLD1QFbSKpnZJrm6gi5YonBiQT7NjWyZ339PEGntfVxPC6NzS1VRPw3GpzrK4LUxgIkZhc1w7SYSmbJF8vs39iEOntuJpNZOgYmuNw3TqGsMzqVxjIt8sXybR2NiXyWVwc6Gc2lAWjwBvkftx1EoFDrqsenLL1Y9mWnuJQYYmekiZjzxvfOTPeTKufZEqojoAaocrTTlcrgU1LEnTfq+geyU1Q4A/M42C3L4kJiiJlSloMVa+5wVZaH8zMDHJ3opMLp58mq9fjV1Xd0ryYm+PveK5TN29fPN/lDHKy+HWGGAKFimQn00mkkKY4k31vzuGVOAGXErT0LlgUUwJgAZIR8H9L9ctVsvwSg93PbrIlVsgUArzc/39o7ISSwUrO0s3Ek57OgbsB2NBx2g7hcgxCB++Zk2MdxFfRrti6J4xDC8fjiDqGV5EH0UzxIxBxBOtK9dGYGiGjBuc+LZpkziatEHSGc0oPV2VBVxXYS/uoonWf7mBlLUsgVsSzQnCrBmJ8jPzrFs18/yL4XFuqLAJi6yXDXGG99/wSxmjCVTTFC8QCvfe8YJ189x/jANNlUDkM37cBbyMPbPzzJ/k/t4NCX9hC8AxGHoRtcfb+HH//hm/RdHiIxkSKXLlAu6VimhaxIqA67esAf9hKrCfPEF3fz6Kd3zFUefFRhWCYd6X6aPTU45AddqbA0M9x16FaJ0ULHikYPBNzs2tVMU1OMQ09tYHIyTTKRp1Ao2feBz0Uk4rUp4quDaJrykWdfW9HdpAqZalcYVchsCjbS7K3EcQfGh4nCFSYLV6lybyPu3Ii2KIPIDXiUGM2+J+nNHOZa6iXqvfso6QYn+gbY3VjLu939NEdDnOgdWBVH443jHZw428vYVIpUpsBr717hUucIiiyxfUM9X3lhB5ZlkUjlefd0F5e7xphJ5lAUiZb6GAd2ttBcFyWVKfD2yU4yOdtY6+qf5LFdbZiWxbEzPQS8Tl54fCO1lUGEEPzg1bOcPN9HsWS/DP+Xf/QcgWVG30tlnaOnu7l4bYRnD66npf7Gy3JyJsOPXz9PJOjh8d1tyx57KdyqdHr9s8X+vxr7Ws725e67Y2SSo1f7ME2TOzdz3n9YFmTyJSzLLqXKF3VcmkpZN9AUGbfzhiM1nc5zsWcUWRJsaKzkYs8ohmmiyBKmaVEq2XowknSDsUlgN5OZloVlWUueL0nYZXvFsq27oCryLCWvhMelUV8RZP/GRiwLAh4nfs/dRKcXQgiBX/XjV5d+caZKebozE6wPVAM3HI2xQorJYpq1gSoCmp+1/hZS5QI+Zf5cfjp0js/X7yAmz99HlTtI2LH6bFJV7iA+1cVoIUXJ0BfTk7tn+FQHEaeL6UKe0h2cjdtDRsjVyOo2LCuNpNy7JpJVvoBwPLogQ2Bh2Q3L5OyMgHrn+ublQggvQl2HpXdhlc/ZTo3wL3AELEvHMoex9Kv2XJTWhXocZgKzeBirdBzh/DTC/cuzjdwP9sVumVk7OyPFQI4t7mSYGdA7bvSn/IJgU6CNq+lefjj4BqemL9GVGWC6lKInM8RoYYLP1DxBUHuwEd2OD3rpPt/Pxfc6MXSTcGWASFWQdCJHYjzFaO8E4/2TTA4nsEyL/Z+6falzJpnl6vs9TAxO88p33iE9k8Ub9FBRH6VUKJMYTzE1kmBqJGFnOfIlnv/VxwgsEck2TZOu8wP8l3/5XbovDqKXdCRZIhDx4gt57HdMMkdqKk0+U2BqJMHMeIrtT25YVU2p+4XRwhQ/GT7Crzd/5oE7Gscnv0umPMn+2Dc4MvEnFIz0gu+UzQJlc+VMbaoqU1UVpKoqiK4btuSCbiJJAk1TUNWPF7XzihyNRDnLDwff45vNh1CFTKqc4/RMN5+rXVyQBSCrj5MzpnErURzy3TG4+FVbJGuyeBWwI5DZUpmhZAqHIrO5upIfnb+ykkNYgOp4gG3ra0mk81zoGKGhJszuLY0oskRt1Y1ofDZf5PiZXqIhL22NcaYSWd58r4OJqTS/9sV9mKZJZ98EF64Ns31DHdOJHN/+4XvUV4dxO1VOne8nHvERDrjxuB1sWVtDKODmzfc6ePtEJ6Xy8g2G63oEFztHqYoH5jkaV7rHOHGul2cPrn+gwmEPcW9I5gr8/k+OkczkaaoKURH2kpp1Xm9eXhyqggVc7B4lkSlQKht4nBqaIvPo5iZOXhng9LVBAD53YBMNlSEkIdjQVMHv//g4Ub+Hb73wCIZp8uevvM+l3jGKJR2nQ+HQ9jZqogFaa6L83t+9g6rItFRHeHpXO5tbqjlyrpvXTnWAEOxZ30BtbGU0zWVT5y9732MinwJge6SRJyvXMV3M8PLwBYbyM+imgTxrKPZmJnlz7DKJUo5EKUeDx87uXE2OcHjsKpok80z1RlyKxmQhzVtjV3hl5AJTxQw+1cU3Wx7Fqzg4PHaVYxOdbArVUuO2n/FUOc8rwxfoyUzgVZzsjjazxl/FBzN9nJ0ZQDcNELAv2srOaBMfTPdzfKKLVDlPlSvAoar11LrDRB0+ql1B8sb9K3N8oWEt26LVlEyDvF4mXSqSKhf5cc8lzk6OLMP5MLHMBIZ+FSEFMcqXkJWGe5qbVXwNy/EUaAGEuOk1Y6Uxs39i/1+4b09tu1IICeH8JFbxXTBHMLN/hOT/nxD4bjTxWhaYE1i5P7cNeLkJ4XiKBQ6EmbK1PKwsWBkwk7M9EQ92LRXCiSWcNmWvmbD7UG6eg6Vj5v8WS+/iFy2jEXeG+XT14xydPMuFVCeGZZIqZ/ArHj5T8yQ7w+txSA+W6OONvz5GMVdi3/Pb2P/p7USrQyiqTLmk031hkO//3suM9E7Qc2mQ7/3fL9G8sY6qJUQ9AQq5EidePoeqKdQ0V/Dkl/fQsLYazalhGiYjvRO89ldHOX/sGlMjCX7yR29Sv7aaXU9tWrSMSi8Z/Oj3X6PjTC+KIrNxbxsvfPMxKhqiqLPvDL2kk5rO0Ht5iIvHO1EdKi2b6pA+Bo7G1VQvfblRjEWZ1e4vwlotLjmALBT6sqdZH3gK5RZhzIKRJqtPLTHC8qAo8gOrrLlfWJGjUTYNhvP2SRQICkaJsfzMbX9jWgaWZaCbBQzrdqwYN1Cc9RR1047QqLJMzOvhbz+4wJe3b8aCO9Yn3y1a6qI0VIdJZQt8+4cnaGuM8fT+tSiyNM/Dj4V9fOsLe/G4HWiaQjZX5GeHnZw428fAyDQ1FUFM07QzCI+0UxHx83evnKGpNsJT+9bwe39+mIGRGbL5Eh63g8baCHVVIYbHEhw93b2iucuSREt9lLrKIJc6RzmwM00s7EM3DC51jeJ0qjTXRdHUj/fN+t8KJElQFwvyiUfWYJoWIa8LTVVorArzhcc2E/LdiLp6nBqHdrSxY00tiizx1I42wn43Qgi2t9dSFw9SLBuARUXIhzSbifr6J3aSzhVRFQlZkpAkwdM72zm4uRnLsvC6HfjcDiRJ4tP7NzCTzgF2n4dDVWirjRLxu8kVyiCw+0VWWNsrC4kDsXZ0y2CikOKHA6d5NN5GZ3qcnswEn6/fxZXUMO9P95I3ylxLjVI2DF6o2cLrI5fmjPlqd4gmX4xrqdG5z3yqk93RFn46dJbHKtZQ5Qrimo2ArQ9W05OZYChnr10lU+dyYpiu9Difq9/OUC7BsYkuPKqT3swkyVKOLzTs4tRUL5eTI6wJVNHoieBXXRimwd8NvE9fZooad+iBNI9XeXxUeexeOdM00S0T3TS5PDPOxemxZTgaBpY5jSRXIMm16OXz2MbqStcLDYxJzMy/Q3K+AOoWEB4sY8jucyifBlSE8xmEcm+KvktBaDsQrs9g5b6NVfw5ZjKNcD1nN09jYJU7sQo/wyqfBGHraQh1kRIXKYSQ67BwYhXfxtCv2Q7STUxNQvjsbIjjaVDXIcR9KONRGkGuA70DK/9DTOFCqNvtBnBjAKvwGlbxNcCB/Vp/sM3R9xOykKlzV/J8tZ/9sW2UjBJCCFyyk7DmxyFpDzy6OzOe4vlffYxP/foT1LZVotwUYW5aX0t1U5z//Vu/T3omS/+VYV75zjt84199bsnxLNMiNZ1h0/52vvLfvcD6R1pwehxzYzZvrKWurYo/+d++z5m3rzA9muTVvzxK29YG4rXzGY0sy0Iv65x45TxY4At7+er/8AKb9q2Z55RYloVpmGzY08aBz+wEAZGK4F0d/3B+gu8PvsGO0DqOTHyAEBJfb3iON8bf53Kqh22hNXyu9nEEAsMyGcqN8+rYe/RkR5CFYK2/kcdi26l23XC+ikaJc4lOjk6dY6w4jVdxsTu8kV3hdfhVOzj91vj7nJy+xNV0P5PFBP/24h+jSLYZ+2TFTp6v3Leie0GftSMV6c5OVqN3J5ZlokpOVMnFhsBTC4LnqfIYw/lLy57HLypWXIhnRxVyuGUHGb1wR0Vrh+xDlTyMFy6SKg/hVmzWl6Vh0Z1+HdMy8Kp2zb5bU/nW3h3kyzo1AR+6afGru1eHfUlVZVRVpqwbCLDVsR3qPE9SCIFDU2iqu9Ff4Pc4aamP8e773aQyBWpm2wvCAQ/V8QCTMxmiIS8VER/xiA+/10mpbKsngy1yKCkyiiLdk3FSEfWzoa2Kl9+5zOWuMWJhHwMjCTp7J2hviFNXFbqnxXgileXP3z5NRcCL3+3k5bMd5ItlNtZV8Mmd62irvHFOXjnbQefoFLtaa7k2MsU7V3rJl8tsbazmi3s2UR2yy1eGZ1L86OQlPugdolDSaYyH+OKezWysq5ibq2VZpAtFXj7TwdGOPibTORyKTHNFhGe3trO9yc56FUplTnYP8vKZDgank/hcDh5f38wTG1oIe28Y5gOTCf7uxAXO9Y2gKgqPb2i2793ZU1PSdf7DS0fJFkr8v7/41NzvRmZSfPvt0wTcTn7raTtzd7JzgHeu9vJIax1T6Ryvne8knS+wtibOi7s3zp2TTL7IK+eu8fblHqYzOeIBL5/esZ7dbXU4FmGKEIDLodJcNf8F4nFqeJzzIyeSJIgGPEQDC8t/XA6V+orFmxGrIn7mDy9orFycKnqx8WVNojq6OkKTeaPMayMXKVs6Ob3EaCFJwSgzWUwTc/po91eQM4p0pcfJ6AUyeoEqd5A2XwUdqVEmi3ZAwqc6iTl99GduUKY6ZJVqdxCXrFHviVDvuXHQUYePqNPH8KyjUTYNBnMzVLuDtPkr0SSVK6kRhnLTOGWVWk+YNl8FQ7kZejOTZPUivZlJzkz3A3A5OcyOcKNdwvsA7R6BHWyQkXDIoErLXUsUJLmKcvkypjGKrLZze0rYO03Ig3B/Gavwc8zsH9zQl7CKs3S2BsLxOJLnt+6PUQ4I4UJyfxMTMetsvIlVPjvbKG7ZrEzmtF0y5f4lhPtXENJi5BQqltIGSivoF0BPLviOhYJVOgHF15A8/xAcTy8hLngPx6PtQHI8gWmMYJXPYaWHZql0hd14b87YTeKOg5iZ/wDm2Kru/8OGJCQCqpeA+tHQs4nXRXjsxV3Ur6lawJzo8jrZuK+Np7+6j7/7z69SzJc4/vJZPvcPn8YfXnr+/rCX7U9sYNO+9gVZCs2p0bSxlse/sJuhrjFG+yY58/ZlRnomiFQGF8zBMCzSCVtzSFEkIlWhBWMKIZAVu/fDF1pe+WjBKHE+2UVGz9PsqeHno8f5f659jxpXnFp3nJ8MH2FrsJ1GTxUDuTH+S9ffARZbg+0UzRJnE9cYyk3wSw2foNoVo2zqHJk8w0sjR6lwhtkabGesMM2Ph94mVc5yqGIXftVDnbsCTVIpmCUKRpFDFbvwKfaz1uC5+34v3TQplMvos3ZY30wCh6KwtuLO+jbaTevEkxW/jU+NIYv573HT0qlxb7zr+dwLLMticjKNZdmifx9FrMjR8CpONgUa+V/O/SUuRcMpqXyq5pHb/ibkaCag1TJV7ODM9J+zIfh5Kl1bUBdZ3LP6BJcTP6Ar/TpgUe95FLCN8qDLSaXffmBUy8IVeHC1mZZla1ocPnmN0xcHGJtMkyuUSKbzuJwqpnnD2VJkCUWxI8UOTUFR7IiHJAlM01p1ZnJVkWlrjPPubK/Grs0NXOkeJZsvsqa5goB3ZfXz11E2DK4OT/D2lW5aKiI80lLLdDbPic4BJjM5/uEze6gJ24bndDbPqe4hzg+MUhXysbe9nkJZx+vUkGej3qMzaf7dD99kKpNn/5oGfE4Hp7uH+FfffZl/86Wn2dpoc80ncwX+48tHee9aPzuaa9neVENJ18mXbkTsSrrBq+c7+e67Z6iLBHliQwvDMyn+5th5ZrJ5XnxkI2Gvm3S+yH96+RidY1McWNdIyOPmvWv9dI5OzS04pgUDUwmSufn1lUXdoH8yMc9pSeWLnOkd4droFGGvix3NNRimiSrLc5GRfKnMH75xkmPX+tjeVMPOlhouDY7z//37t/knz+3nwLqmeQ3osiSxpbWGttqVCnp9vGAB52cGGcrP8FvtT9CdnuD0dB+ykHBIKjPFHBZQNHTSegFNUgBBupzHArJ6ibx++wypQKBbBsYsLfdSDrcsJPyqi96s3VhfNMukywUCqptUqYBDspvupFlqy9F8ksvJYRq8ETYEa+nKjGN+DBVEhZBAiqI6PwHod0EJeyfkEdoBhOMJrPwPsErv2uVHQgNlHZLreVutW17IAraaEHIEyfMtLG0XVv7HWKVTs/OQQapAuD6LcD6HUDctqtJtGZNY+b/DzP8NYCEcLyDU1psyGiaWVQBjEKt4BPRuzMx/RlY3gNTCanqbQgTB/XUkuQYr/zMs/TLo07bjpLQguX4J4Txka4Dk/vQXztH4qGHNjibidZGF9OyzUDWFJ764h7/7z69iWRbJiTRdFwbYdnDpnqR4XYTWzfVLMkrJssS2x9bx8p8fYbRvkkK2SOe5ftq2NuC+pfdSUSTitRHGB6ZIJ3L87E/f5lf/9edw36MdcDNMy2S9v4mDsW0M5MZ5f+Yyv9P2JWQh8+b4+/Tnxog7Q7wxfpJkKc3vtn+FWncc07Koc1/mB4NvcmL6Ep+teYy+7AjvTp6jzl3B52ufJKz5KZpl/qr/ZY5OnWOtvwG/2kSDu5I6VwUd6X76c6PsDK8jOksQIC2DjGEokeJE3wDy7LtgOJlmbWX8rhyNm1Hj3oC0SObXJfvZGX5xWWOtFKZp8W/+zQ+wTIv/9J9/9YHsc7lYkaPhlDWeqdrKjnAzeaNEUPMQukMzVty5kTrPHpLlQYZz7zNV6MCrVhFQa3HKASShULbyZMqjJEv95I0ZymaOsKOVtYFPAZDMF/i9t4/xr599EljdhuO7QTpb4M9/dIJjH/Tw9P61PL1/HX6Pg7NXh/jpWxfmf/kmmm0hHoy+T2NNmHUtlVzoGOZCxzBXe8aJBD001UbmsQ6tFCXdrpP/1hO7aIiGMEyT+miQv3r3DMc6+vnCnk1z3x2YSvD05la+sm8LEZ9njhnKpdmL6I/fv0Tn6BT/+vOH2FBXgSxJPLd1Df/sz37Cf3r5KH/wm1+gbBic6xvl8KUevrhnE1/cswmHqmBaFoZp4ZzNBnSPTfP6+U6a4mF+49AjRP0eyrrBH75xksOXutnSUEXY6+bdq72cHxjl1598hMfXN6GpCoc2tPDbf/TDecxVy8FYMs22UDXffGwnlUH7GbCw5jIVJzoHeLejj09uX8tzW9fgdWo8t1XnX/7lS/zVu2fY0VyDptx4SQghFs1c/CKj2h1kKDfDH1w7jCYp1LhDOCSFVl+cYxOd/Kszf4smKfhVF37VSZu/kr8fPMP/evYH6JZJu78Cy7J4ZfgCr4xcYDSfpCszwefqdrA5VIsmKWwN1fN7V14j7PDwu2ufwa1o/Mcrr3EhMUTWKKJbJi/W7WBjqIYLyUH+5em/wSGr7Ag30uCJMJCb5lbD0a+6kIXE6yOXuJAYomCU8SgOSqbOjwfOcHj8CslSjqHcDF9t3E2zLz7XZ3IvsCxrNmki5u7blZat2UJ9OSwkoGT3ahgDaM6n72GCJYTQQN2EUJrB+u1ZfYpZzQrhQ0i3i6A6EM5PIWv7Zr8fXPFUhBQEbS9C3WhnMa7rZAjFdhiEF7FYv4VVwiodwcz9CYggkudbCMcTs07YjWsoMAEdS1mPmf2vYPRgla+BXDcvWyPkauToq/Y5WK4AoX0gCCkGzs8gHIduqH8jzZ4jLwibxVEO/aHdwzGPOUxD9v8b+xyIm8+9A+F8FlnbZTfuSzcyfkLbhxz+49k/VjDnX2DUNMdx3cFor2qKEYj6SE6mKRXL9F0euq2jEYz5iNXeXoA4XBEgUmX3g+hlg/4rQ5QK5XmOhhACRVP4xC8/yp//ux9RyBV57a+O0ntpkENf3ssjz2wmtEqR72pXDJ/iIeoIENJ8RLQAJhYu2UHeKFAwSlxMdlPrjtPmq0MWMhYWda44btlJX3YE3TQYLkwyXUqyPbiGGlcMSUi4cdLiqeGDmQ6miilbUHW2TEoWdtZWlRS0FTSDRz1uDrQ04p61R6ayeRwr6IMYzV+h0rUW+SZT2sKiaGboTB9jc+i5ZY+5XFiWRU/3BA7HR5cpbEUzk4TALTtwu2OYWJRNnXQ5R8Sx9M2rCAfrgp9FCJlLiR+Q0ycoGAmmih1zHqGFhWUZmLP1pVWubeyL/3c45eDs9tXryVgJcoUSp8730d4Y5wvPbkNTZQrFMmevDjHfThV8GGqqTofK2uYKzl0d5tV3rzCdyLJ9Qx21d1l3eSfIkiAe8LKmOoYsSViWRXM8jM/ppH8yMe+7PpeDNdVxasPBRY2g0z1DNMRCNMXD+Jx2LarHofHYhmb+5M1TjCXSeF0OTvcMoikyz21bQ8i7eDnC0EySsWSa7U1rqIvY+7M0aK+K8vblbsaTGUzT5NroFF6nxtrqGEGPy6a+1VTWVsf4oHd4drTlXTePQ6O1MkpjPIS8iDN3aXAMgcX62gpifo9dW6xpbKyv5K+PnSVbLBFwOx+40/xRgQBqXCH+/fYv2cJ5s+dBFhK17jC/s/YpdMtEEgJZSLhljWp3iFZfHNMy5142LkXl0Xg7OyKNmJZlf1fR0GazEF9v3k/R1JEQeBQNgeAbLY+imwYWoEkyHsW+D7/VepCyaSAhcCoqDknhmaqNXM9D7o62sCPciFNWqazfxSdrtyILgWlZeBQHmqTwXM0mnqxa9/9n7z8D5DjPK1/8V7k6x+nJOSLnSBDMQRRJicrRlrNlr9O9u7Z3713/vfZ67bve9d1rr+11WluSJStSkRJzJkGAyBmYASbnmc65K/w/dKOBAWYGAxCkKFnnCzDdVfVWV1e/9T7Pc55zsGwbWRBxKRriLcpwx5JZpmZThAMupuaTuB0a7U2hm7yHTCxzEMuMYZZOlRfgdgneSqBRgSDIIASAGzNyFAQRBM8KXLYhWZpBRMIpl5NVix9PAWH5BdzVsK057OJRsGYR9F0I2u0I0jLuvsoGEL1gTYEd4+qGbEFQyn0WbwWCUFHFWp6WJUiNi+wqghRZ/PUlrnWZ/nVrKWA/LvCFvajLLOwEQUBWJCLNQRJzKUzDIjadXPaYukvDtYi31JUQJZFgnQ9VVzBKJrGZJIZxbS+WrEg89DN3MDk0w7Nf3kc2lePUvn4unhjlG3/xFBtu72PP+7awanvnWzKyVQUZQSjP17qoViib5aqxjY1pm8wWYlxIj/MzB/6wup9hGaSNHEHVR9EqkTMLTOfn+fzw9/na2HPV7fJmgayZJ2cWMG3rhqoWy8GpKjhUpfq8cak3l9h7Yfpv2Rr8ID3ePYiChG1bJEpTvDTz9wgI70igYZo2xaLxlgON56dOkzWL7A53EdBct7TP8KbP7NJDTUJgNBfjzegAH265bdntNdHHWv+HaXRuYyTzKhOZQ8SKQxStsqmSgIRbjhDW+2j33EmDczOaeDl4USSJ5oCfJ06dozcSRkTAoSrUv0P0KVkS8XucXByd4/jZcRy6wrGzYzzz2rmbUnSybJt8vkQmVySWzGFZNpMzibK5mlOrNm+blk0mW2A2miKbK1IoGkzOJMqOkVf0kQiCQE9bhKY6P8+/cY6etghdrTUot6gJXBJFvA69uqAWBAFdkdEUiXS+gGFaVZ8Pj67i0dVFg4ySaZLKFWgJ+1EqilmXUOvzUDItopkcTk1lPp1DkSTq/Ut/x7liibFokr98eh//8MKb1dcLJZNcsUS2UMKwbOKZHA5VQZUvN+4JgoDftYKFfkUK9mo4VAWfU1s0yACIZ/OMzMX5zX/6zgIPlFyxRL5okMkX32lK/7sOkigS0q7lLkuCgG8RTx4AdRGdd6es4pQXf2C4FZ2rR/AvcezFPC+uPK4uKVDJosmihItr+wwWG+9WQZYkoskMuUKRuXiG+rfUKyMjyr0IUg5Z3YCNiW3Fb9WpAhArjiMAXqWerBHDJQfJmykUUadgZShZeRRRxyUHKFo50qU5HJIfTXJSsnLkzBSiIKGJLkBAFhUMq4SAQNHKooluLv2CEqVpLNvAK0eQRIW5wjC66MEl+zHsAiUrT9qIUqO3IyzXh2Jnwa6oxgiu8mJ8Gdh2vOJIDgg+3g0y2T/B2wfNoV5XnUlAwFWpNFiWRTa1nFs7yIq8okW/7tSQpPL9lU3lscxrn0uCIOCv8fCLf/RRNt+9hsf/59MMHB8hnciSSWaZHJ7lxccP0LaqkQc+fTs7H9yA238TQeWVD65FnqECIh7ZSYuzjofqrl0fhnU/qqSgCBJB1cd6XzfrfV3XbNflab4l1eDLpyqQK5bYNzjC8+cvUjQM7l/VzX191469HHaHP8UL03+DjUWvdy9TubM8N/3XRPQObgv/9C073+WQzRZumpFxJXJmka8MvcE/XXiZbaEOHmxYT6+3vvy8e4u4oUCjYJZ4auoId9Ss5Wujr1XvsWghtaKVkiAIyIJOWOshqHWwPvBJbCxMu4RtW0iCgihICEjVf69cAJZMk0Oj4wgIPHWmbIbSEwnzb/buupGPsaLzXAx+j4Of/dAu/u6rr/FH/+tJNEVm58Y2PvbeLRw5M3rFAViQGL86Mrx0/COnxviLL7zI2HQcwzApGSa/9V++gSAKBH1Ovvz//iwlw+Qr3z/EF751AMu2y/K3ts2n/93n0TWZ+/es4td/6s7qsQM+J6s6a3n14ACNtX46W8K3LFtu2Ta5YrHKc7dtm5JpYZgWDlWp9l9c+oxLRcSyKOJQFTKFEqa10MshkckhCOB1aAgCuDQF07JI5goL+iOuhCJJ1PrcbOlo5Lbetmve76oLIYsCbl2laCzk6tu2TTpfvOaHasOCbYzKOYQ8CykfZbr+0tfXoSg0Bf08um01bTXXZnYbgt4VBRk3O5G8le/+nRzzRsZ6Jz7TrfjNvF1jeVwarQ1BTg1M4nZotNT7udlQtXx/K1X6kAAIkr/ckHYLrsFE7gyz+Yv41Ho8Si0nE0+zLfghLqYPUOvo4UJ6H145QtqYo9d7BxPZ0+Stsjllh3sbE9nTZMw4Ha7tRI0RilYeGxsJhYjewXxhBIfkQ5c8zBWGmMkP4JQDuOQgF5L7kQSZc/mXWe9/DxljjnPJV+j07Lr+9RJ0EMpJLtscwzYvgrBm8W2tKFbumxVTv0CZLsa/HurjDwvf+Zc3eP77x/m1/+sROvveBuPHZbGy3/aNTKG2bS/o83yrBxUEAU/Axd7HtrH17rWcfKOfZ770GkdePE0+W6RUMDj5Rj/9x4Z54ev7+dj/8RBrd3Xf0uq6Jin0eFoZy86w1t+J65K/0SVPp8o6IaIFCShe3LKDjYGey94Y1e0W1oNVUaFkGVUvqKs/90qQLRXx6Co725qZTqcJOB1Ytn1DLvNt7i08IP0GT078v4znTnEhvZ9NgUfYHHgUaRGhi1sREFyNTObW+ObcX7+OvZFe+pPTvDp7nj859V1cssbdtau5p24NNbqnuta50XvkhgINURCo1wPkrSLnkmPcV1eWA1RFmWjxWtOSpSAIIhIqUlXSfKGz81LwO3T+vw8+fNl4TLj1fRoel8bjf/kLZTWoq7LxkiSypqeeP/v3HyifQ2V8UYAH966uSIfCb1QW/qIosHtTBzs3tFV7JH7rM3djU6Yh1YW9/N0ffWLReeNSX4eqSHzykW187L1br92GxbnZkihSE/TQ11FLcBE1opuFYVpMxlOMRxPUB7zYdlmNKZrO0hDwrvi7EASBjW31PHHkHLOpDEF3mcZkWTYvnL5IS9hPQ8BLybTY0FrPU8fO89zJAR7btnaBDL4glD9rvd9Dnc+DJstsbGuo8i4vcdllUUQQoK0mwNPHzzM6n6AlHECRRPJFgzPjM1VKnoBAyO1kYGqebLGErsiYlsVUPM3wbIz2yI1RMPoaa9h3foSI1822ziaUSibKsm0EuK7Tu23bWLZNopjn4MwYr0wOcTY2y3gmSbpUwLQsdEkhoDlodHvp8YfZXNPIxnADId1Z/uys/HdiVy6uadukSgUOzoxxYHqME/OTTGXTJIt5CqaBKsn4NZ0ml49uf5iN4Xo2hRupc7mREVc03qV717Zt8qbB4dkJnho5x9G5SWZzGVKlAk5ZodbpYUOonrsaO9hR14xTVm/oYXBpDMO2uJCY59XJIV6bHGYkFWe+kMO0LMK6kxaPn9vq27ijoZ0OXxBZWNnnWGws07YYTsV5fWqY1yaHGUxGmctnKZgmAU2nweXltro27m7qpNcfLksM38BYDREfDTU+bKjsd5N1MdsGCpilUwiCF0H0YJZOomh38hYK3lVEtA7mC8NM58/T5FhTocaalOwCNhaCLdDsXMdo9gTx4hRzhSF0yYNbDmLaBk7ZT0Brxq82ULT8TObOMpU/T5NzHaroRBNdCIKIjUVQbSZaHGOuMEit3k2qNEOf7y5sbFLGLNg2jc41NDpWX/9KibUIymbs/JNQ3IeV/ENEx/tBWYMgeMAuYVtTUDyKVXgSjIuAjej8DEgN70hP3r92lEomuWxxZYvzW4xiroRlLk/jtrHJp8uiIqIoXrenwyyalArXl/4v5IqYZpku5XDpy/ZnCYKALEt4gi52vmcD2+5bx9xEjFe+fZAXv3GA4TPj5DMFDj9/knQ8w6d+91G23rP2lq2r3LKTB+t38WfnvsR/O/sFbq/ZjEvWmS3EmC8mWePtYEdoDd2eZraGVvH01BvESynW+boQBIGx7AyGbXJ3ZAtNzsviER3uRkzb4isjT7M1uBobmzo9RIfrWtrgUgg4HPRFanAqKqZtoUrSimZQ0za4MtCs0/t4qPG3+f7Ef2WV5042Bd6HIIhYmAt6NwCOHBnmr//62RWf40pQKpo3FNAuBUWUkAWdjcFW1gea+bmuOziTmOAHE8f48v43WOtv4oMt21nra6xSkleKG3qSyILE1mAXGbPAQw1buTNSlu8azsxwMDpwY5/qCtzICedKBmenZ5FEkXX1teRKJbz6rZNIFAQBZYmmoHL0DeIi71+5XJQk4Yp9QBSvUBW6YmF59XtLQZIEpGU2s2277D9lWcRTOU71TxIOuFnVWXdLAzFRFJhNZvjPj7/Afeu7SGTzPH2sn6aQjz19bTd0rA/tXM+hixP84def5b2bV+F3OXj59EXOT8zyXz7+nvL3IIls62xmTVMdf/vMfkZm4/Q21lAsGcwms/TUh7hrbRd9jTXcsbqDr+w7RjybY0tHE5IgMDIXx7AsHtrUS1ddmLvWdvL08X7+/AevMTQbo8bj4sXTFymUzOp1kiWR2/raePLYef7g689xx+p2JmMpnjnRj1O78Szl3lXtHLo4zt8/f4BzkzP01NVQMAwGpuZxago/fccWXEsc164EGE+P9vM3J/dzIRlddLuMUWK+kGUgOc9LE4PAm3hVnT31rfzq2l2sCkZWXDWxgbl8hq8PnOTLA8cYScWXHDNWyDGYjPHK5BAAbkXl19fv5uPdG/Go1/9NumQVC7iQmOc/vflc9ThXIl0qMpPLcGJ+iq8MHGN7pJlfXbeL7bXNK9I8h7KU4cXEPH93+k2+N3SGnHmtx0CqVGAwFeOliUH+4vjrPNK2ip9dvZU2T2DF40C5h2wkHecL547wzYuniBWupUukSwVG0wn2T4/yFyde54Hmbn51/S66feHrjmXbNjPzKWaiZa+cydkEHpdOx033aIBtJSnln8K28wiCD1Fu4lZRfxKlsvpRzkhgYxPW2zkY/TpZI06Tcx1FK8eZ5IvYWLS5t1KycswVhlBEB7rkJmNEkSqVbVV0YmGiiA7ccpCsGWeuMEzByqBLbiRBxrIN8kYayzaod/ZxPvkSaSPK1tCHSBankAW13JdwHQjIoN+FYE1hZz8PpeNYpSNUap1Uaj+UZ34JxCCi89MIzo9VKiE/iTR+nBGfS1IsGDiXYNRd8qiYGi3T7yRZJBBZnuKYTedJx7NEmpfuBbItm+h0gmK+HJD4I17kFVCjhYp/kqAI1LWG+fCvP8h7fmovLz1+gK//xVNMDc9x7vAgr3/vCD0b25Z0HL8EURBxSBqSIAECqijjELUqm8MhaciChIhAl7uZf7/qM3xz/AX+ZeQp8maRkOZjk7+Hekf5s8qCzN012/FKHl6YfZMD0W8DAvV6iL01m3DLCxOmWwOr+EjzvTwzvZ998ydxyhqfbHnPDQUaoiAgS2V2xfqGOhp8K0uWvjzz98SLk5evLQKiIONX6jmVeIb5Ylnu3KtEuKfuVxfsm0kXuHhhdsXn+E7iUoLMsC3m8knemLvA89Onmc0n2Rvpw6Po/MnJ7/Bo02Y+1Lodh7Ty9dANBRqXvgSXrHFnZC2mXY7oG50hGp3LNMpd9WEsTGzbwGaljd0CiuggXSjyly+/wXg8ScjtxKkqfOf4GX7nvr3XjHHl+b6TuN7YV79vGiaCKFQngpuBYVqMTMY4PzjDqf5JTg9M8tj9G2hrXNl3slKossSG1nq2djTx5deOkSuW2NzRyMd2b6D1ClqQrsh4HfqSARtAnd/DH338Af75lSN8Y/9JssUSnbVB/vTT72VHVzNQvkYhj5M/+Oh9fHXfcV4+M8hTx87j0BTWNdexo7u5cl4yj25dRa3fzbcOnORvn92PbUNj0Mt967sJuMqUK7/Twb99ZC9fePkwj+8/iSpLPLSpj9v72vjaGydAEJBEkT29bfzGg7fxrYOn+PMfjNEW1vnA9jXMJvOk85ednlVZwufQy+7cFYdSQVj4mZ2aym++dw/fP3yWJ4+d54nD59BkifZIkMe2r6lWOK6GbdvM57P8w5mD/M2p/VWfGoFyX4AkXG6cti5NENZlcdVkMc+p6DSpUmFFmXK7UsU4HZvmDw48x8HZ8Wu2uTSmwKVGP3uBf44qydQ6PbiVlU1ADllhID7Pz73wdWZzFc13QUSuZPfLVQi72rBdsixemxomXszzmxv2cHdjx5K9MZdQNE1emRzkPx98gaFktHp9REFAEaUF17BkmViVSs6/9B/l6NwEv7P5DnbVtaIuF+lXULJM3pwZ40+PvMyxucnqtRERkEWxzDEWyte6ZJmYlX+/N3yWw7Pj/Mdt93B3UyeatPS0bNk2Y9Nx9h0dRJJEVEVm96b2m1eVEwQEMYTm/iWwQRCD1ddv/FBObDEItlRuKgdCWgs+tQ4JBUEQ6HLvptO9A1GQKZgZnLKPTcFHKyV5gQ7Pdjo82yg/vgWanOuuOL5Ah3uhjPrW0EIJSZ9SxyrvXQiCiEepoU7vRahU2ByOG1DaEQQEIYTk+kVs9Tas/FNlHw5rCuxiWelJ9CNIzaBsQdTvQhAbQXj39WbYtk0qmUNVZSRZJJctYhoWoiigO1Q0/XIF2CiZ5HMlTLOcfFFUGU1XFiTILm1XyJcwjDINVRQFVFUu9y6Il59tuWyx2qwsyxK6U13gTVUer4hS6bnK50vYloUkSegOpfq6aVoU8iWKhXKSQFGlciXjhxTPjQ1Mk0vl8C+zIJ8amiMxV2Z6qJpCa1/DsseMzyWZGY/Ssa55yW1is0nmJuMYpfI1LbuHr5xDf+UawxNwcf8n9yCIAn//e18jly4wOTTL5NDsdQONNlc9f7H531X//mjL/Xy05fL7f7n5t6v/lxBoc9XzWz2fWPJ4/fF5vnTuKJlSkU/0PcKWyPIBgyAIPNywh4cb9iy73XLIlwwOjUwwFI0jYNMaDLCns/W667CQ2oouLT6XXOmd4ZSWDix1XcHrddy0WuCVMEyTudn0Wz5OvJTlSHSYF6fPcDI+SqMzyHsaNnB7pAefUjYBvj3Syx8c/yYPNW54+wKNS7Bsm/lCkvFslFJFLtCvuOjxLn9zmHaJvBFjtnCOaOECeTNeXaAtB0lU2Vnza5RMk7l0ht+9by9/v+8gUoWqdCVs2y6XFg0T3akhSmIlu2AjiGU6lGmUAxxJFrErPQK2Xf5bEITqj1iSxbLnhVXeV6ocyzRMxEoTs23blWOUqxWF/MKxLdPCtqk2juXSOURJQnOUH7xjF2bwBV14g24EScAoGQgVp2brUv8CLKnXDVAyTE6cm+BrPziM3+vgsfs2cPeOnltyE199bZ2qwqf3bubTe5c2Snz/tjW8f9sSfOYr0BDw8tuP3rHsNoIgEHQ7+eX7dlaN8haDpsjsXdXO3lXtyx6vszbE73/4WkWdx7ZfniA0Reajt23go7dtwDYnIPP3CI5toCz8zLevauf2yni2MQjYIHdcc2yXpvLhXev58K71y57blSiYJq9MDPF3pw9UaVZOWaHJ7WNNsI4Wjx+vomHaFrFCnrF0nIHkPLO5DDmjRN4w2FvfTovbf92xysG/zanoNL/84reYzF5WR5EFEbei4qvQpMIOF7okkzGKTGVSTGVTpI0SeaPE1ppGun0rz6wXTIPf2fd9ZnMZVFEipDtZHYiwKliLT9XImwYXk1GOzE0wlUmRr1QiTkWn+dqF47R7A3T5lg6mDcviubEB/vjQi4yk40A5wPCpOm0eP1siTdToLhBgNpfh6NwEFxJRksWywsnp2Ax/dOgF/t2mvdzV2LlstcG0LPZNjfCnR17mxPxUdSyPotHi9rGpppF6pwdZFIkXcxydneRcfJZ4IY9hW0xkU/z+gWcpmAYPt61acixJFFnTXU9bUwhNkXHq6lui6dgVDqggBECwgAK2nUW4QZUmANH104iuaxsgZeHyA6lcFS4/dmRRpdm1YUFTtlCtFNwcpKukasW3uvAXVAR1E5K66a0d54cIy7T5vz/7eXbetYqW9hq+8+U3mByL4Q+6eO+HtvHgB7aUe9WSOQ68cp6nv32EqbEYiiazcVsHDzy2mY6e2uozKJctsv+lc7z01AmGL8xSKhm4PDq771rFY5/chdfvxDBMTh4e5pv//DqD/TPYQHt3hIc/vJ2NOzqqYg4DZyb4/F+/wI7be7CBF75/jOh8mrbOCB/41G427ezEsmyGL8zwva8e4Oj+iwiiwPotbeVn6g/JtubswYvMTsSpbQkv2hRuGiYvPn6g/IcA7oCLrg0t12x3JaZH5rlwfIQtd6+pBlhXwrIsjr1ylvnJssGoqit0bWhBcyxc8Nn25b7H683FiiYTaQoSrPMzPjCNUTQoFa+t+N4KWLZN3jDIm6Xq1+aUFRyyQl+who/0rGff5MiCfbKlIjmz3IuhiCJuRUMWRYqmSbpUKPdoAEHNgSgIZI1S1VdJl2XcytKV9YJp4tQUNjXXkykUkSVxRQTUW6EktXNnJ7/xmw/ivY7K2EowPh7lp3/qb97ycb4ytJ+XZ86wI9TJH238CJ2eSMW36jLaXTWoUtnL6kZwU4FGvJjmL84/gSrKuKQy77DDXbtsoGHZJjO5UxyNfo7J7NGqhO3yEFEEDV3ys7Pm1yoqRwoz6QzZUoloNocmL/wIxXyJE/sGmBmbZ/u96/AGXcTnUiSjaYK1PrwBFxODs+RzRZq6aknHs+QzBfK5Iq099QiiwMj5KVRNobm7lomLM5iGhSBCU2ctqViGmfEovqCHQK2XVCxDfD6FpimEGwILxg5EvEyPzpOKZ6hvrUFWJF769mG8ARcbb+9F1RRS8QyegBOEsoLE+MVpNF2loSPCxOAMlmlTKhl0rm1aMmvp1FXef+963n/vyheyP8HSKHsLxCtOxlGoVO5suwhWAjAo69e7EQQd286WDbswKwo1bgRBxbbTIDjK21hxQAFKYJtAodxwaudB8Fe2u/zjTZbyfHPwFEald8SvOfhY93p+YfV2gvriTfEF06j0IAzzxtQwdzS2E3GuTPtoJpfh9/Y/Uw0yBMCjamypaeTDXeu5ra4Vn7aQY3yp6nJkboJXJobYGK6n3bvyBerxyoLcKSvc19zNr6/fTedVgYNl2wwlo/zt6Tf51sVT1WDj2Owkb0yN0OENLlmx6U/M8Ten9jNaCTIkQWBdqI5fW7+bOxraka+iLRZMg/1To/zlyX0cnp2gZJn0x+f5h9Nv0uT20RdYmoI2nI7zubOHOBWdro7V66/hF9Zs5/7mblzKtYuBY3OT/NmxV3hjapSiZTKTS/OXJ/bR5gmwoaZhybFUWSZLiblYBodWxO91oCrSigO8hbAq96aNbc1iWQkscwzN+aGbONaNQRIUarTlEwM/wa2Badoceq2fs8dHefADW/AH3SRiGWrr/QAU8iVef+EsX/unV9m4rZ3HPrWb2FyK579/jK997lU++Yt30toZwTBMnvzmIX7w9YN09tXz6V+5C3/QzeRYFJ/fiaKWf1PnT47zX//DN1i1oZnP/s5DCILAa8+d4q/+5Al++d+9h5139lXPLRnP8Mozp2hoDfHhz9yOokoU8iXCteWscSKe4dtfeoP+0xO898PbaG4Lc/zQEPtePEv2FjXC3ijmJmK88PU3CNR4qG+PVJOUAMVCicFTY/zg8y8DoOkq2+5dt6wrOEAmkeXwC6fp29rB2l3dqLpSPaZRMpgemefFb+xnZqxMoV23u5f6tppFk5Cx6ST5bBG334Hu1FA05ZrEY1kJK8/k4CzxmfK8fzMu4StFplTk2ZEBnhkdwK/pFEyTOxrbeaitd8nEykvjQ7w6MUS8mMOn6vzi2u20evzsmxrm+0PnKZomBdPgD3bei0fV+MLZo5yLzQAC3f4QP79ma2VhfC18ukbQ6eDA8BgORWFTU0M58XID82jeTCEJCnKl8TtvJslbGWRBwSkHrnEMvwRVldFvoBK1HJzOm28dKJoGFjaqKPNI00Y+1LqNsLZ0NUsWJX579cN4lBszfrypQMO0bXRJ4T+s/vCKH24ZY4YziW8xkT2MIjrRJR+SoJE2pjDtEm65FklQsGyTkpUlZ8ZQRCednrupc2wEwKHIbGlp4HP7DzObzvD0mX4eWdu3cCChQkdCQNVkkrEMR14+i6qXA4FUIkcqnmX/Mye46wPbOH9kGJfPwcWTYzg9OtlUnvNHh6lpCNDYUcOL3zzIqi3tnDsyxD0f2cmRl88QrPVx/sgwW+5ew+DpMWbGomy/t9xAdeXY2XSeZDTD4ZfPsHprgZ5NrRgFA1UrO4WLssjo+Uk0XcEbcPHa949Q0xDgzedOcfeHd/DStw7Rs7GVM4cuUt8axu1bmfxcyTCJJrKksnnCfhc+t+MmFyH/CmHbYKew039dDioEHex4edFnTkPuK9jmHAg2gnobaHdCcT8Uni9TKswR0O4HuRFy3wR1D6hbIPslkNvBGAY7UTb1UnrB6AfH+xG0B7iSF18wDc5EZ6p/t3sDfKZvy5JBBoAmyawO1rI6WMvPrd66wJdiOVi2zb+cO8qx+cu8U7/m4CNd6/nVdbvwLtFvIQgCYYeL+5q7ua+5+7rjLAZREHiotZf/vOMBdPna6UgUBDp8IX5u1VZi+RxPjZbV5qZzac7FZ0mXioueX8E0+OK5I5yPz1WzZ2uCtfzX3e+hyxdaVI9dk2T2NLRR5/Lw+wee5fWpYWxsjs9P8eXzx/jdLXfikK99OBRNk+8OnubQzHiVLtXlC/F72+5hS6QRZZE+LEEQ2BCu57/veZjfff1Jnh8bwAaGU3H+5tQB/vue9+JcZCwo+/kcPj3C0HgUTZXZtq6V3rZrPRJWBgvbmsGyYlil/grl6e3JaP4EPzxYlsXMVIL//scfJlJ/LaVjeiLOGy+epbO3jp/+N/fg8TmxbRtZkfjWF/dx5tgoLR01TI5GOfhaP91rGvnUL91JQ8ulxEDnguN984v7cDgVfuv334fLXZYPX7W+iT/+3a/x7X/Zz9Y93VUKVTZdIFLn52d//T78wWsXuWePjzE0MM19j27kvR/ehqopbN7dRXQ2xbGDQ7f6Ul0XkizhcGs89+V95FJ57vvEbiLNIWRZwjAsLp4Y5Qt//G1S0QyCIFDfXsNDP7N85R7KkrmDp8r7PvSZvXRvakPTVWzLZnJ4lif+94scffksZsnEE3Dx4E/tWbTvw7bh6Ctn+Yff+xpb713L2l09tK5uxOnWywERApZlkYplOPLSaZ7+4mtkkjkcbp2OdS3Ut92YO/aNoGiZ1Dpd/Mft9/DqxBCvTQyzvbaJOte1i1vbttle18T6cC0g8IcHnmcul6XB5eVzpw/zaxtvY32otkqfPReb5eXxi/zxbQ+SLOT5Xyf2cyERZVVw8bmxYJjoisLernZUSSKazTGeSFLv9SxJab4ab85/nSbnOlpdmyhaOV6d+zyjmaP4lAZ2hj9Bo/Nag0ZRFNA0ZVGJ9puB06ne9PruVGKMrFlkS7C97DN1nf41RZRY62+64XFu2rBPFmT6UxM4ZQ0Q0CWF8DKGfbP5s0QLA8M4l4EAAQAASURBVCiik17fw/T4HsKrNPHcxH8kURzhrvr/REBrI28kmM6f4Gz828wVzhPS+mjzlH+kuqLwyNo+1tXXMpPO0BkOUuddeINquoov5KZYKKE5VIpFg0hjkLrWMIEaL+cODzF8fpLEfBrTsLBsm56NrQCYhkV9Ww0XT44ycGKUzXeUb5LGzgizE1EyySxG0aShvYZCrkQmkcXtcxKM+GhoL9/MV449NTrP8LkJYtNJzJKJy+PAE3Th9ruQFAnbspFVmVymgFEyyaULRJpDRGeSpKJpEGDj7b0komny2cKKA43ZWJr/9fjrPLnvDL/5sTv42P2b37IKiiJJtIYDeN5C9PyjABsLjAtgTiIG/hzbGMZO/Un5TTEEjg+X6R3F17BLJxEcjyDo91S42xbCJeqIObr0IPJqBLEZ7CQ4PwXFg6Ddx5WBhmVDzrysQFLm+a+cBnIjmuOxYo6vDByv/q1JMnc2dvAb63YjW1DMF1E0Bcu0MEomslo2aTIr/GxJluCSRHGFTigKAsIKqHu1Djf/duPeRYOMK9Hq8XNXUwcvjF+gaJWpjdPZNNPZ1KKBxpnYDEfnJsleKqNLMr+ybhdtnuCyk6koCLR7Avz86m2cjs0QL+TIGiWOzk9yfH6SHbXX0h8Gk1EOzU4QL+Yr10/i072bWReqWzTIuARBEAhpDn5zw20cnZtgPp+laJmcjk3zxtQIdzd1LrqfaVoEvE6S6TzZfPEtGQEKgoIo9yJSRFC3V3w0Ejd9vHcKtm2TLZaQRRFNefc64r5bIIoCLR3hRYMMgGQiy+R4jJ7VDUyOxZgcK9NzspkCxaJJtGI6NzEaJT6fYfddq6oVh6thWzb9pydYs7EZTbuclVc1mdUbmnnpyZPMz6SobfAD4HBpNLWFFg0yAKJzKQRRpKbeX/WZkGWJxtYw509PLLrP24nalhB737+VY6+c5dXvHOKVbx8k3BjE5XGQjKaZn4yXqUuiQH1bDR/9rYdo7Fg+ESCIAr1bOqhpDPD694/wP37jc3hDHvwhD4V8kehUnEKuPJd5g24e+pk7WLu7Z8n+DFEUiE4nePqLr/H0F19DkiWCtT7cfieiJJJL54lOJ8hnCiCA0+NgxwPr2f3eTddQsW4lVFHCp+oIlHv0NEkiUyouum3GKPLE4FlGUwkcssJgMkrJMsmUiiiihE/Vqok0m3JVfjKT4u9OlClrzW7fsom2TLHIgeExLs5FcWsqfoeDgNOBgEBzYGXeRIPpN2l3lxVBhzNHGM4c5q7ILzOZP8vR2HeuCTTcHp1Vqxtpbr5xaupSkCTxpoOW04kJkqUcGwOtPD5ykHZ3DR9s2XbLzu0SburspIqc4D9ceJZahx8RgXZ3Le9r2rHkPunSFFkjSp1jA93eBwio5ZK5KCiYdgmwkQQFlxKmQ7mLWn0Nz03+Hgfm/pKw3k1Y78W0LMbjSQbnY+QNoxzwiCJh98IJyuHSKOSKzIxF8YbcuH3OasMbgMvjoKGtBodLI1DjRdUUvEE3mkMlFU3jCbrJpPLlxk3L4szBQYxSOcDIpvKcPnAR3alS1xpmenR+AZ/yyrGxy+Y6da2hqhmON+BiZmye+rYwAPlskcmhWZq66lizvZOzhwZJRtM0dq4n0jiOKIn4wx7kWxT93ixqvC7+/WN3/VDP4Z2BXa5kiCHK+sUKghjEtg0wzkD+eyCEsM0LFXUZu7rbNYo0tgVY5dfsXIUyBQhuEE2wBUCDq+TyABRRpNHl41y8rFAxlUvzzGg/D7b0lCfqW1ih2jc5wkzucjNZrcPNz/RsJh/LMT0yh9PtoL49zNxknOR8Cn+NF82hEp1KYBgWgRpPuf/pUt+SZeMNulFW4FT6UGsftSugd6mSTL3TQ8TpZixdXginS0VSpcWpE69PDjOZvSy5vSncwIZQ3YqauhVJoscf5ra6Vp4YPgvAcDLG/ulRtkear7n2R+YmuJiYr/69KhBhY7j+GrrUYhAFkVaPn/uau/hyfznYm81leGH8Anc1diz6Pfs8DmpDXmZjGerCXmrDnrd+P9g2FmmwMu/KhuarkS8ZvH52mJawn97Gty8D++MCQRDweJdOVFmmVe7RePU8508tFIKQJAGXR8e0LEpFA9M00Rzqkn2DpmVhGOVtroyBBUFA01Us26ZwhYyrLEs4XEsnsEoFoyyCIS9MEMiKdMv7EFeC1r4G7vnYLlbv6OK7//ACQ6fHScymmB2Lgm2jaDJuv5P6thoe/cV7uOOx6y/cbMumvj3Me3/mThxunSMvniY+l2R0YArbtJBkCW/QTbDOx973b+XBn95LoGbxQE8QINIUpGdzG4m5FNlUnkK+yPxUnLmJsiCGJIkoqkwg4iUQ8bLh9j4e+PTttK1auWrTzaBgGoymE5yLzzGYiCEJIkHdSSyfYyydYC6XYTydpM0TIF7IMZVNszZcS5cvzPG5qXLfm6oR1J2cic6QNw1EoN0XpNMXZF24lk/0bUREQBIE2n1LL+hlUaTJ56VomEwlU7h8Ch5NrUrdrwRFK4dLCmDaJU7Gn2Kt737a3dtwyn6en/qra7bftKmVTZs+fTOXbkkIgsDqNY3YNyHzLAoCqVKeyVycrFkgWcoxlYsvum1I8yybOFsON7V6dUoajzQuVP9wy8tztopWhpKVxae24JAu87BlUcW0C+VMGnbVEMSlRFjj/xAvT/8xZxLf4nb9d8gUinxu/2FkSSLgdHB4dIL+2Xl+avvCRr22VY209JYNfERRXKAM0bu5je6NrVUPjqausjZzIHL5R1vbHCpXHGwbf42XOx/bWlWGWruzizXbO6sNYFdXGa4eu6W3vrzsrEyIW+5ajWmaiIKIIAo8ckVJNRjx0r66sTrWA5/YDcD2e9fyE7wzEBCxpSawYtilE+V/rSQCBTDHAa0se1nQyzr6lb0QNGxzHEqnQGpEEFzYiAjGELbgxDYnK0ZeK4NLUbmzsYP+xByWbTOeTvBXJ99gLpdhT0MbjS4vfs1x0z/8K7F/erQa5siiSG8gTIfu5+iLZwDwrnEzP5Xg9P4BnB4HU8NzuHxOZsdjyIpEdNqFN1Cu5EWn4jR0RPCGVtYbclfTyq+JQ1bwqzpjlAONomlQMK8VkyhZJgOJeZKVCgPArrqWFS38L8Gv6WyLNFUDjUSxwFAyRtYoLTiOYVmMpOLM5bPV1zaGGwg7Vs5z1iWF2+vbq4FGzihxIREltQQtDKCpzk9TnX/FYywPA8scxDQuYBoXEcUAqvNTK5KB/WFhdC7Bs8f7uXd9908CjVsATVeobfDT2BrikY/uWGC+CuAPuVEUGY/Pie5QmZtKkM0U8CzSzCrLEqEaL9MTcUzDQpbtCq3YYnoihsOh4vOv/Pfh9joAm0y6gGVaZZEVyyYRy1AsXl9M5lZAVmXa1zSRTeXZfNcafEEPzd31dK5r4fALpzlz8ALRqQS2ZeENuune1MbOhzYSaVx55tooGjS01/CZ//gYOx5cz/FXzzE5NEspX8Lh1mnprWfz3WtoX9OEpi89lwmCwOrtXfzeF36VU2/0M3x2grmJGKlYllKhhG3baE4Nf42H5u461uzoom110w2pV90sFFEiZxh87+IZRFFkb0MbHlXj6OwER2cniRfznJyfJqw7WR2M0O4NcHp+hvF0kt5AmLDuRBIEfnb1Vr47eIajs2V1v8+u30Gd08MHOtfy+MApRAF8moNf8G5lofnAZfgcOo1+L4oksbWlkbF4AlkSqfWu7NkF4FfrGc+dRi24iBXHuafuVwAb0y6+Y/OnKAr8zu9c9pe7EbS6whyPjfK5i68wkJpmIhtjvrC4gtWn22+j1rGySs/VuKlAw7AtxrPlDJ5pW5QsgyZnmFbX0uVBu5LZlQQV8YoGGUVwYdhFilb2GjfaWsd6QGAmd6o8rmWRLpb4f953NwJwbmaObx0/veh4y8k9Xi8LcmX1YPMdfQtUJQRBQJCW3//KsRc11Fsmq7qYgsVPAKZtUjCLOOW3rtKwLAQR5BYE7Xbs3JMIoh9B3YkghssBg3EeofAyICIolwJcAZQ1YM1h558pU6mUdQjKBuzSEQRruhxkSM0gaJVqiaPcbC76K0pVC793t6zySPsq9k+PcGJ+CtO2GUnF+R/HX+Pbg6e5q7GTrZFGWjwB6pxuvKp2XX7lUjgRnar+XxUlNoYbsC2bUuXBp7s0CtkioijiC7lJRtMU8yU0XcEdcCEKAg0dEc4fGWS2Is+4mGrK1ZAEge5lVKMW21654rdVlte9NvsUL+SYyWUoXZGZ6vKHlpWNvRoOWaHF40cSxLKTPDZz+SwTmSTd/nB1u1Qxz3QuXW1ShzLNy7OM2snVkEWxahBo2GWJ4nghx3AqxrpQ3YqPc/Oo+EHYeSS5C0F0U67E3Zq5qH9yDtOyCXkcjM4lyBaKaIpMrd9DU+gyvcG0LKLpHGPz5W0kUaTG66I+4MVZoczMpTKMzSXY3z/Kxekop8emUSs+AhGvm7ZIAEfFsLNomIzMxZlLpimZFi5NpS0SIOheGQX1XxOCNV66VzcyORalWDCoa/AjiCKFXJGSYaIoMqIo0NQWpqnSjN3SUUP36gYURaZQKGGaFpF6H4oic9s9q/j2l97g5OFh2rprEYDhCzOcOTbK2s2t+AIr/w4aW0PoTo2zx0dp767FF3ARm0sxNDBT9ZN4u+H2Ofn0777vmtdD9X7u+8Ru7qskBd8KLNPGNG18IRfb7l3HtnvXXX+nJSCIAuGGAHd8YPv1N34HIUsi60J1fHb9QvbL1tomttZey/3/cPfi16A7EOL/CFwrbXtnUwd33kDyqs7rqdLv20OB62x9Ldb6H+BM4nkMq8ha//341QYMq0jGiBF+h4QuBEEgfB054qWwMdCCKAgcj40wmJ5FEkTkJdYRb6VqfpPythazhbJKQcEqMZWLES2m2RxcnFMMoAg6kqBRtFIYVh5NKl8Yh+RHRCJRHCGir0IRLk9AckWqMG/GgXKZR5Uk3hgaRZdlhqIxDNPi2PgUPodGW/DGb5TlUK54vBMP+p/gekgbWc4kB9gZevtlJgVBA+eHr2G+C4CgXNvcBSAoaxCUhZK+gn4ngn7n9QdUeq95SRJFun0h/u3Gvfzd6QOcmJ8iWshhWBb9iXn6E/N8dUBnfbiOHbUtrAvV0e4NEHG4b2hBDTCTvZzBUESJNk8Ah0ujfU0T/UeHMUoWLX311DaHmBmLEqrzI8ki/RX1k8auWnwhN5ZpUdscuq4x1SW4FQ3vLaaBAcQLZffyK1HruLGyr1SR9fUoarX3IlsqkriiSgKQKhXJXsUxDutlCeCVQhQE3HJZQni+UhkpWibRK6okbyfKfRqtgIkghgAbYQm1lJvBV147xkQ0yaqmCP1Tc6SyBUzLpqXGzy/cu53WmgCmZTE2n+C7B89wbGgCw7QQBIE6v5u713Wxq6cVl64yMhvnqaPnOTo0wXg0wUunLnJipBwob+9qJux14VAVDNNk37lhvnvwDLFMFtOykQSBbV3NfOS29T8JNq5CKOzh9vvW8O0vvcHjX3idhuYgkiySSRdwulT23LMGj89BqMbD3vvX8sTX3+QHjx/i+MEhHE6VXLZAIOTmoQ9tQ/HL3PvIRi6em+Kr//gKXasbEYGhCzPUNwd56EM3xgHv6Klj255uXnn6FF/7x1eJ1PtIxLIIAmiOtz8L/87i7dPrNW2LnFFEkxQUUcKwLPJWEQkRXVIwbIuCWar4NC3s/BIEAbPyvi6pyIJ4w/O2LIrUu7w3NDe+29Hr3YtHDlOyCjRVPDQEQcAr17DWf/8P+eyuD6essTPcxc5wF4Zl0eIK8XDTrV9j3dQ37lEcfLKtTPmxbZvzqXFemz2z7D4OOYgueUmVJsibcVxKudztU5tRRCejmTeod2zCr7YgCCI2NjP509hYiJWAQxJFfA6NH5w+h0fTiOfyuDSVF/sv0lUTuiWBhm3Dq8cukM0V2bu5C10tW60bhsn50VlGpmK4nRpb+ppxVLJsmVyRgbFZ0tkCnU1h6kKXaViFosF0NMXkXJJ0roBt2zg0hZqAh+Zaf/X4156HzfH+CWbjGTb3NuLzOJhPZBiZipPM5LEsC11ViATdNNcGqueyEpQMkzOD00xHU+iazPquRrwu7S0t+DJGjun8LGkjiyap1Ok1CAgkSikCqg+37GQ6P4dhm9SoAVJGhunCPCWrhFd20+xsIGfmGc1NAjYly8AlO+lwNZMspTmROMerc2/ikV24ZRctroYqze7HFZoks7OuhQaXl+8MnWHf1DAXElHm85ly1ruY5+WJIV6dHKbJ5WNXXQu761rZWFNPg8u7ooW1Zdukr1goCwJ4VQ1ZkWntayibTNnlDNnqnV2ssstVusHTY3Stb2HNzm4QIJPMoTlUGtoj+K4j43gJN0JluhHkjBIl6zKlQkRAkxf/nS0HWRRxyEo10ChaZlWj/RLyplFtTi+PVf7ebtRATxAEnLLCpU4PwzKrjexvN2zbwrYL2FYKy0ogimGQ6m/pGKdGp5FEkQ/tXkfY4+LkyBR//+wBmoI+fvmBnaRyBX5w+BzPnRjgQzvXsaallmQ2zzPH+vnqa8dxaSq7elvpbaihIejl2eMDfPfN03xw51r2VLxsHJqCRy9Xki5MRfmrJ/fRXhvkZ+7aSsDt4NjgFH/33H68To1P3P6j64txoxAE2HpbN8GapbOekizSt7YR9y/dyZuvnmd8eB7TtPAFXHSvaqCm7nLyYNueHgJhN0f3X2RiNFqhUOm0dtWiVvqygmEPv/B/PsjLT51gcGAGbNiwtY2dd62iue1yRdDrd7JldxetnUuzITRd4e6H1uP1OTlzfJRkIkfvuib23LeaM8dG8fje5ir3jwGKlsFYNkq8mMUpqbS4QswVUswWUtRoHmo0L5P5OLFihgZHgJJloopyhc5eljWdzMYpWgbd3lo8N8EscMgK2xepWvwoQ0Cg0bkwwSgJCvWLqE2927Eu0ERAfXukjW8q0MibRU4lysYqlm0znpvHvA5BzKs04ZJriRYGSRmTBOwOREEirPfilMNMZo9wLvFdGpxbUEQnBSvB6dg3sW2ToFaulGiyzL29C6smiiTh0TWcyq3LbPzjd/dz6uI0n//9T9LTUg6IsoUSX/zBIZ45cI6WugD/5Vcerr43NZ/kC99/k5lYhs9+8LZqoBFLZTl8doyXDl/g1MVJ5hMZLMvG69Lpbqlh76ZObt/YQdDrulbj2rb56rNHee34IH/4S+8hEvTwxGunOHBqhMm5JIZp4XPp3LahnZ97364VBxolw+Tw2TH+4TtvMDwZ5Y7NnXQ2hvE4tZtWpjIsg8HMKKcS51EllXQpQ7ennTo9zMHoCVZ7u+nzdrJ//hhexY3Dp7E/epScWUBEYK4Y59GGe0iW0nx19Am2BtaRNfPM5Of46bYPkDayjOWmmC3EGMyMEdFDtLiWd1n9ccElWs1n1+7g/uYuXp4YqhjLzTOeSZI1Sli2zUg6zshAnOfHL3BnQwfvbetjS00jniU4/pdwyVX8EoQr1K2qC/NL/1xhkBlpDGLU+qq9R8V8iYaOCIGIb0VqUwCK8Fb0kpaGfVVWUBCo9OnfmEZ6ed/L29uAdXXGsWL2uXCwGx9LgAUKKTYscF1/e2FimWOYxgCi3IRRfBNJ6eJWUacACobBz9+7jXWt9YiCQEvYz9NHz3N6rOw7Ek3nePHURTa1N/DR2zYgVyikDlXhr57ax/7+UbZ0NuLSVVy6SsClo8oSAbeThuC1TbHPnRggmSvw03dtobc+jCiK9DZEeP7UAN9+8xQfvW3DdV3lf1wgSiKf+bV7r7udJEu0dkaWXfRDOdHQs7qRntXLNw6Hajw89qnlKUUNLSF+6lfuvu65+YNu7n1kI/c+snHB61t335ys9r82ZIwCR6LDtLrCnE+WK4Cj2ShexYFDUpkrpLiYmiGgutAlhYvpGVyyhmlZSKKIQ1I5n5qk1RVGEeUfmiP7vyZYlk0uVyCZzJPPlzAME1EUUFUZt1uvOovfKkbA7ZG+Jd+bL6TxKjffE3pTgUbRMjgRHwbKD0NJENkQaFt2n4DaRljvppTNlDNoWICER2mk2bWDZGmUU/FvMJp5A0VykjXmyBrzKKKTbs8DQDnLd25mrvx/0yJXMugMB1nXcOvoTYIA3c0Rzg7NcGFsjp6WGmzbplgyOT8yi8epkSuUuDA2Ww000rkCk3NJwn439eHyQy+dLfDy4Qt86alDJDMFeltr2L6mFUkUiCaynBqc4tzwDNFElg/evQGfe3EKiWlZHB+YYGo+xcXxOToaQqztrKdYMomnsmiqjGuFcnQlw+TgmVE+970DjE7HuGdbD596z1bqQt63pN6RNfNcSA+TKKXY6F5NvzHEZG6aLncrqqgwV4wynfcRLcXp8baTNXOcSvSz3r+KoOrjfHqIidw0TsmBYRk8WLeXglXiry98kXgpRZOjjp3BjYxlJ3m44foPpR9HXPLI6PXXMJNLc3h2gqNzE5yNzdKfmGc2l8a0bWZzGb5+4QTn43P8wprt3NnYvqw7qiyK6JJczZ5btr2k3OCVcF0lghCsvbkmsbcDTlldwDM1bZuiZazI9fVKmJZN/oqqgipKOKSFAb0my2jSlbLE5bEsbKQbGM2ybbKlK5R4BPGWJk+Wh4CAjiCGARlRuvV0UY9Doz1y2VxRFAT8LgexTK4sVVsoMp/O0FEbrAYZACGPi4jXzWwyTSpXJORZ2SPr4vQ8tm3x2pkhjg+V/WEs26ZYMpiMpciXDFza2yfjuRQsy2JkPsEbAyN4HBp3r+6s9pT8BD/B2wUBoSJ5bqOIEpZtVX2WDNvCoiJJXqFI6aJCtJAmXszR4PThkFRqdT/t7ggO6Z3/3fxrgmlaTEzEuXBhmtGReaanE6RSBYqlEpIk4nCohEMeGhsDtLXX0NNTh3LThq0rw7OTJ7mrbjURfWkLi+VwU4GGJiqs87cyV0hi2+CQVELq8s0ouuyj3XMXdY5NRPRViBXPAFGQ6PI+QN5MMpJ5jWRpDLtkISDjU5ppde+h2V3OiggIaJJcySkaJJJ5Tk3NcE/v0r0hN4OelhokSWRgrBzU2DbMJzLEUlnWddVzenCaC2PzlfdsUpkCM7E0PS0RIgE3tg1nh6b57isniadyvGf3Kh65fS0tdQFkSWQ2lubFShDyjeeP0dEUYvf69kX14EuGyatHLxL2u/i5R3eyrqsBr0snXywxHU1h2/ay3hYVa4NqkPH5Jw4wOhPjvu29fOz+zdSFvSsydVsOVkUQIG1kmS/ECap+6h016JJGl6eVgdQwr88fIqKFCKsBskaOomUQLyawbYv1vl6Cqp+CVSSkBZAECYESmqhiWBWuvQAm1gJlsn+NkCo81/e6vNzd1MnFZJRDM+O8OTPKoZlxJrMpbODY/CSfO3uIBpeXjeH6Zb/jgO4kWsgBZR7v1BWysD+K8Ko62lW+HPP5LIZlrUjeFioLf6O4IOjSZfmaJm+3ouGQFz5444U8RdPEIa8sY27bNjnTWCDVq0gSPvWdoYQIgowoNWCZ49hWAlnZwK2sZgC4tEVMpS5Vmq7A1ffpJXVA2y5fp5XCsCyKhsnRoQnUK+6FsNdNa03gho51K2FaNifGpvjDbz9PWzjAto6mnwQaN4Gp0Sj9p8ZZtbGFUK33J4a014FTUlnja2SmkKTW4aXdHUGTFMZzMXJmkTrdR9YoMF9IkzdLNDmDWFmbkmURVN34VReqKKNflWgxbZPJ3BjThUkyRhrLtnDJblqc7dTql+mXNjZFs8BYbpiZwjQFM48kSPgUP03OVoJquLpdohRnPDtCrBTFsEoookpYi9DibMMhlRNcRavAcGaQmcIkJauEU3bR4eompNZU7wXLtoiXogxnLpIyUthY6JKTiFZLo6MZVdQqxyoyk59kIj9GzswiIuKS3TQ5yucli+9cT0k+X+L48RFefOEMR44MMzeXwlpCtlbXFXr76tm7t4977lmDx3Njbt1wufp/vTXVq7Pn2Bxse2cDjbxZ5EhskJBa5mLnzAKqJNPpWY7XK1Dn2LDoOx6lnnWBjxHSu0kURzCsAoroJKC20ezaiSyUL6BDVfjAxjIfzrZt+mfn+e7JszfzEZZFd0sNkihyYazsKmxaFueGZ5Alka2rWhidiTM4MY9hWpiWxXwiU1bcCLhxaCq5QpGj/ROcG5ll++oWHrptNZ1Nl3mpkaCHh/es4fzwDM8cOMdzB86zvqsBzXft12FZNvF0jt/4+J3sXNtafV1TZXzu5RcioiggiiKGafHm6RH++QcHGZtJcP+OPj587ybqQp6bDjLmchn2T4/iVXV21jXS4S4bmbnl8kQQUHw4JZ02ZxOnEwOcS13kPfV34lM8OCWdVd5O3LILp6RjYVGjB5nIzix+wwugigqyIPHy7JvU6WF6PStXlvhxhUNWWBOspc9fw96Gdp4Z7edrlWoGlP0djsyO0+0LLUuh6vQGuVDxgShZJqei0+/I+b9d8Gs6Yd1VVXECuJiMsquuZcWBRsE0mMymKFzRf+FXHUSukq31qBo1DheqKFV7NUbTCdKl4qIu4ovBsC3G0okFylVuWaVxEbfctwPlHo0UYCAIbixrBpFGbiU/YrmFoCAIOFSFgMvByFyiStcAiGdyzKUy9DbU4L5C0lMUy318S9HLmkN+hmZifHrvFuqDngXziigKP1nc/4hjZGCa731xH76gi2DkFvjI/JhDlWS6PLV0emqrz/wOT4QOd5kmJwgCfb6GauAvCAI1urcsgLLMtbVsi4OxfcwVZhEEAcu2iBbnaHA08/6Gj+JRygvTvJnjcOwAxxOHsGwbVVQBG4/swym7qoHGTH6KA9HXGMkOIgkSsqhg2gZNjlZqtFockhPDKnEw+gbHEgcRBQkJiZyZ4XzqNA/WvZ+wVmahZIwUz838gLn8DLrkwLRNTEyaHC3UavWoooZt2wxnL/LG/MvkzByyUB7Psi3EkIhfvXXGeteDaVocOTLEl//lDc6cmcC2bUIhN+EaD26XjiyXZZ1z+SLxWJbJyTjHjo5w8cIM2WyRD394G8oNmpeeT05xJjHOGl8TiVKOc8nJRbcbyUSvpQ3fAG5S3tZkJh+nwRHAVfHPcL9F2VG3EqFHeQ+WbWLZBpJwyVH08k2eL5V4oX8QKGccp5KptyW33VYfxKEpDE7MY1s2hmlx6uIkqiKxqq2WQ2cDzMbTzCcyKLLExFwSj0unocaHIJSrH8OTUUqGSW9rhObaa5vUnbrCxp5G3jg5xOGzY6SzBYJe5zU/alEQaK4NsKXvxpuoVLlsaHT47BhffPIQ47MJHtjVxwfv2kBd6K1NzjO5NF/rP0GLx8/tDW10uVuRBJH5YhyBy1x2p+xgja+HsBagxVmPIsoooszO0CYuZkYpWZWMsQ0B1ceO0EYAFFFme3A9ftWLgIBf8XF7eBtpI7ugp+CHBdu2iRVyFEyDetfNRfm3CpIo0uYN8NHuDaRKBWZyGeIVharz8TkSxfyygcbWSCNPj/YDUDItTsxPMZ1Nr8hI790ITZLp9oXxqTrzhbJy06GZcd7fvmZZGtmVSBTzHJu7POk6ZYUmtxe/vnCeUysqXTUOF+OZshLfyegU0XyWmhV6aRRMkwPTl53kVVGiye0jrL89jXnXwsS25rDMKUSpEbN0FlndyDtJxA64HezqbeVA/yjPHOunsy5EtlDk+RMXMAyLDW316FcEB36XjiSKnB2foS0SQJNldFUm5HaiyBJ3rungQP8oBy+MskdtI+Byki8ZzCbTuDSFxkX6On6CHx00tIW597HNRBr8/KRhYGUQhIVpPAFhoaHiVX+vJAkpCRLNznZ6PWvwKeV1zvHEIZ6e+h6b/dtZ49uAaRuMZod5efZZ6vVGdoT24FcCGLZB0SoSUssU9LyZ41j8IGeSJ1jtXc8q7zqcsouckUESZZyVasZwdpAXZ5+my93LlsBOXLKLyfwEXx/9Z3xKgEcaPoSNzXxxjiOxA+wN38vGwDYs2yJZiiMIIppUfg4YdomL6fNM5yfZW3MvLc52SlaRWHGeiF6PfAvV966HiYkYzz57ijNnJggEXGzZ0saatU3U1fnwuHUURcK0bHK5ItH5NIODc7y+r5+LF6Z5/BtvsmpVPZs2td3QmIlilqHMHE3OEK/OnONkfIxG57XBVdYovKUq8E1fRdO2iBczVXUXTbw1GSJRkBCXcKY1bZuZdFmK07ZBV2Q23YBm8krhdek01vjKPRTJLLomc3pwGp/LQUtdgM7GMCNTMQbH52mM+JmYTeBzO2ioKfPUk5k88XQOTZHxexwLHpBXor7Gi6bKjM3EyeSKi/aPiqJAY40PZQkX1uWgyBLnhmfYd3yQ4/3jrO9u5N5tPW85yFgMXsXNBv/iSgurvJ2s8i6ktzU4IjQ4FjYdOmUHu7SyGowiKNWgA8AlOxb8/cNG1iixb2qEbKm0pNb3Ow2vqtHlCxHSHMQrVKisUcK4jtPpbfVtOGWl3FhOubH8W4On+PlV235kG2Z31Dbz/eGz1UDj4MwY/Yk5gvr1G9oMy2I4FeP1qeHqaw0uL+vD9RWe80KUpYWDlwON+WlOx2Zo8fivW9WwbJvpbIpnxwaqrwV0Bztqm9/Bay8AEiBgWymwsxiFg4hyJ6K0cp+TtwKvQ+e9m/vI5It8681TuDUVw7RAgAc29rC1c2GipasuzNbOZo4PTzA8G8OhKmzrauautZ34ZIl1rXV8fM8GXjk7xNBsrLpokgSRPava2PjOSNz/BG8TmtpraGr/0TZqlFWJvm2dfOY/fgAoO47ry9Cg340QBZEtgcueGLZt45RcPD39PWYKU6xhAwWzwIX0OUpWkb0199LhXryBP1qcZzBzgVq9nh2h26nRFhclOJU8RtEqsiN0O82OVkRBpFZv4M3oaxyKvcFD9Y+VRU0EBV10MFecJV6K0uRoocFxdcJWQBP1imXDDLV6PbVaA83Otlt0hVaOs2cnOX9+CodD4b771vLehzdSW+tdUsFw5y6DvlX1/M+/eIaZmSTPPHPyhgON1b5Gml0hPIrOvrl+9kR6uadu9TXbjWbn3hLF/qYCDZsytyuoeXBJZVlUj7LyioaNTd5MkClNUzBTWBiEtG4cUmBZN0VdlnnPqh6gHJ3rsoxbf3t+mD0tNZwZmmZoIkp9jZeJuQS717Xjdel0NoX53qunGJyYx+9xMDGXxOfWq4GGYVoYpoksiciSuKT4jKqUKw62XTaXshdpVxUEAW0F5meLoVAyeO3YIIpc1ryemk9yYXyO5trAihvIl8a/7izSbC7DG1Mj+NQb50VeD5ckZ5WKvOqN7Bcr5MgYl/sKPIp63YV1ly/Envq2alUjXSry9YGTNLt83NfcjbJCutGlfMe74c5YHYywMVzPUKrs5h0t5PjiuaO0uH00uf1LTpqWbTOVTfH4xVOMpsoO5Ioo0heoYWvN4lXFTl+QzTUNnJifIlHMkyjm+ebFU3T5QqwKRJCXeFDYtk2qVOBf+o9xMVn2JJEEgTZPgL2N7yQ1UESQapHkrvKfUi0IjrJ55S3Aveu7Wd9aj6Zcvo9UWeLRravJl8p0MVkS6agN8dN3buHkyBSxTA5FlmgJ++ltqMHvWvh8CXtcvG/7anoaQsynsoiCQGvYj1pJyKiyzEOb+2iNBBiaiZHJF1FliZDHxZrm2lvyuX5cMXR+iv5T47T31pFJ5jlzdIR8tkhdc5DNt3URaShnrvO5IqcPD9N/coxMKo/H72TDjk46+uqRK9+1bdtYpsXJg0OcPzlGKp5FlESCYQ+rN7fStaasXGWUTCaG5zm+/wJz0wkUVaZjVQOrN7fiC1yu7B174wLHD1wklyn3Mz38iV00tF4OhtPJHN/63Kus29bBum3tVQNc0zC5eG6Kgy+d5c6HN1LfEsI0TKbGYhx7Y4CZiQSyItHWU8eaLa0EbtIA7UYgKzLdG1vp3th6/Y3fpbCxGcuOMJobJFGMU7AKFK0itm1TssriFoZdYq5Ypi81OpqXPFbaSJE2kjQ5mgkoS1sVzBVmKFg5Xpl9ttqzUX59lkQpTsEs4JAdhLUa7oo8yNnUCZ6feQq/EqDD1U2vZw2BCiVKFmX6vGvJmGlGs0OM54ap0eroca+m3dWFU37n/HZmZpJE59P09Nax+7Zu6up8yyaENU1mx45ODh8a4vHHD3Lu3OK0p+XgVnTcSnkNsz3UgV910uy6Nrm02tf4lkQAbmoFKwkiQdVDvJgmI+RBKGvVrwRZY56x7AGmssdIG9OUrCy2bbIt/Etozo1IlSbEgplkJP0aFhadnvuQRZWiaXJ8Yoo9HW2cmJji8OgEu9pbWN9461VSetsiCK/AxYl5ioaJaVr0tUVQZImmiiHZ0GSUnpYIM9EUm/uaCPvLE6IqS6iyTMkwKRnWkkqX+YKBZdkIQrk6s9RNdbPVh2LJpCHs5d7tPQxNxnjxUD9fffYoQY+TLauaUVfI5ytZJudjc7wwfpFYPkut00NQd1yTcc2Uihyfm+LgzBjxQg6vqrMl0sjGcD3uK6g7tm1zKjrNm9NjTGSSmLaNR9XYFG7g9oY2LGy+1n+CnFHi59ZcNneay2X4wfA53IrKAy09HJwZZzyTxKdqnI7OsDXShFtR2T89iipJ3N3USYc3iCAIZI0iB6bGODo3QbJYIKA52NPQxtpgbXUh/bX+EygVOdkXxy8SL+QJ6U421zSyva4JSRCZyqZ4dmSAo3OTvDk9ilfVqiZubZ4A9zR30eZ9a34uJcvkzZlRXp4YZGO4gVWBCK3XyY5nS0UOzo7z7OhA1fRNEgS6/WF82vLBuCpK/MyqLRydm2Aml8GybQaTUf7niX2MpOPc0dBBhy+4qBFgyTSZyaW5kIwymIyypaaRte+Im/XycCkqj3Wu5VR0hhPRKSzb5sXxC3hUlY93b2R9qO6a+9ewTM7H5/jKwHGeHD5fpf+1eQI81Np7TX/GJThkhfubuzk+N8Wrk0MYtsWB6VH+5uR+Pt6zgS01jehXfXe2bTOcivPVgeM8fuFktdcgrLv4QMcaGpzvTH8GgCCICEIAUXt7XIR39rRc85oiS9yxZmEwJUsizWE/zWH/dY8pCNAS9tOyzLaqIrOpvZFN7cvLsP4ECzExPM/z3z5MfXMIWS2r2RTzJQQBsunyAr9UNHjhu0fZ9+wpXB4dp1tn9OIMJw8O8pFfuJPeDc3IsoRtwzPfPMzz3z6My+sgEHYjCAKJ+TS1jQG61jRimhYXz07wnX/eRzKWIVzrI5crcu74KDMTMe58eGM12HC4NLx+J0P9Uxx/4wI77169INCQJJEjrw8wdnGO1Ztbq4FGIV/i5e8f48jrA9z7ga1YpsXIhRm++U+vEZtNUlPvp5Avcf7EKJOj89z32Bb8oR9N6ug7iXPJU7w09ywuyUVADeOS3ThsE3sBvVmoZqGulh5fDPYKtpMEuSIBfnmcbncfqzzrEAWxLBwk6uwI7aHZ2cZ4boSR7EX2R19hJj/JnZEH8Co+BARqtXr2hu9hIj/GWHaEoewFnp/5AbtCe1nr24QuLZ1MPJd8mZDaSkhrvobqf6MoFQ0Mw6SxIUAg4FrRuk8QBFatboDHbbLZ66tFLodNgbYlx3y0aTMh7eZ/DzcVaKiiTLMzzFh2rsqXV1bAZUuVJjmX+B4XU8+RKk1hc7nRsmCluFKCRBRkziWfIGvM4VWaqHduIF8yeGlgiHUNdbzYP0jQ5eD1wZG3JdDoa40gCgJDE/PkCiUUudyfIYoCXpdOJOhmbCbBTCxFsWRQF/JWVaP8Hichn4tCyWA+kSGbLy5aQRibiZMvlIgEPDgd6tuSCd62poVH964lmshSMkxePDzAF586hM/joLclgiQtn7W0bJvRVII/O/IKyVKBVYEIY+kEb06PMpaO01jpT8iUijw7OsC3L55Gl2TCDhcXEvMcm5vkvW193NfShbeS/X9h7CL/cv4ohm1R5/SgSzLDyRgR3VVtvn9h7CKJYn5BoJEsFnh+7AJh3cUdjR0cmZ3g2dEBdtW10B+f49DMOB2+IEXLZCgZQ0CgptuNJkl8Y+Akz44OENSc+DSNE/PlgOhX1u1kS6QRWZR4ZWKQwWSMZrePsMOFIJQpN29Oj6FIIlsjTYiUK2l6Rf3MISsEtXLWw6vqKLeA7mLZNsOpGP9y/hgvjQ/S5PbR4PLQ4PIScbjxqXq1qTlrlJjLZRhMxjg+P0l/Yp5ShSq1MdzAhnA9Tvn6mYhN4UZ+ee1O/vTIy+SMEoZtcTY2y0wuzSsTQ7R4/NQ7PbgVDVkUKJgmyVKBuVyGuVyG6VyaeCGPb6P+rgg0ADaE6vlU7yb+/PhrjKUT5EyD7wyeYTgVZ12wthyEqTqiIBAvFriYmOfE/BTH56eqClARh4v3ta9hT/3SkzBAb6CGj3avZyaf5kx0hrxp8MzYAOOZJOtCdfT4w4R0J7Ioki4VGUrGOD4/xeHZ8Wqg6lE0Hm1fxf0tPStOLli2TckyKZgGecMgZxoki4UFD+BoIcdoKkFQd6BJMg5JQZXeXjnEt4IL0/N8Zf9xWsMBHt28ilgmx4ELowzNxcgWSuiKTHPIz7aOJlrD/iUrboZpcmx0iuMjU0wlUhRKBh5do7M2yM6uFup8Swdzlm0znUhxaGiCC9PzJHMFJFGg1utmQ2s9qxoiy8rjzqUyvN4/TP/UPOl8AZem0ttQw+7u1qpPzbsZc1NJnG6d+z6whZbOCGVanUWgYvrXf2qc5799hM7V9dz58Eb8ITfz00n+9o+/x/e/sp/W7lrcXgdTo1G+8Q8v095Xx/t/ag/BiKcsZ5wu4K8Ye8bn0rzy5Ammx6I89jO3095TRy5b5JnHD7LvmdM0ttWw9fYyk6FrTSOt3bVoDpULpyauOW+HS2P3vav55udeY24qQV1zOXOdSeU58voAa7e2Ea71koxlefWpkwz3T/Ghn99L5+pGivkSLz5xjP3Pn6GxNczu+9Zcc/yfYCEOxd5gtjDFnU2fpkFvQhV1ZgpT/GDyW9VtFFEhotdxIXOekewgPZ5rqTkAXtmLR/ExU5giWpxfoFp1Jer0BsZyI2wL7KJOb1wg9CAIVBrNy4twVVBpc3XQ7Gylx7OKA9HXOJE4wirveryKr7qdR/HRq/hoc3bRXejjuxNf51zqFG2uzmUDjbHsSc4mXsSv1tPkXEeDczUO6eb6v3SHinYDxsuXYJk2giDg97216styzIce71szcL2pQKNglhhIT7LG11KtZNRoy+vol6wcF1MvcD7xBHkrRY2+ioDaxnj2TdLGtSo3iujAIQWZzp1kNLOPeucGbNsmnS8wmSjLb+5qa+E7b4PqFEBLXRCHrjA6HSeVK+LUFLoqylEOXaGjIcSZoWnODE7j1NVqlQMg5HPS2RTCpaucHpxicGKetZ0Lv6h0rsDhs2MkMwXu2d6D2/HWnLmXgtep49BUmmpVPnrfJuKpLEfOj/PFJw/xyx/YTVPEv+y4ecPgqZHz9Cfm+L+33c3qYC3ZUpGnR/s5PHt5ou+Pz/Hdi6fxazo/1beZsMNFopDnn88d4dsXT9HmDbAl0shMNs2X+4+RNw0+3beZ3kAYVZRIFPK4FPWGeICmbaFJErfVt9LuDfCPZw6xKhjhU72b+MczhxiIzxMv5JjOpvjO4Bk2hOt5X/tqQrqTmVyG/3TgWb50/ih9wQg+VcIGBpNRHmrr5YGWHjRJ4uT8NP/9yCu8PD7I1kgTQd3J/S3dRBxuLiTmWRuq5WdXbwXKTdn6Iln/m4FN2Yl6KBVjKBVDEgTcilqRU1WQBRGbcvUjXSqSKOQWKCT1+sN8uncTPf7wda+pIAhoksRjHWsoWRb/dOYgk9kUFjZz+SxzU8Psnx7Frahl1+uK9nreMMgapWqywSWr1zXufCehShL3t3Rj2hb/6+R+hlNx8qbB/ulRjs1NUuNw4ZAVBCBnGMznswtoZ3VOD5/q3cQHO9ZUg+SloIgStze0YVgWf3vqAKdj0xRMgyNzE5yOzRDSnbhkBVEoB2nRfJbkFXK2XkXjE70b+UT3RgLa8jTUs7EZnh0bYCKdIm+WKFomJcvCqPzbH59bcC+8OH6RC4kouiQjiyKKKKFKEpok41d17mvpYssStLAfBmaSGb535Cy9DTW4NIVXzw1xfHSK+XQ5WSJLEgGXg1fOD/Lp3ZvY2t50TQ9bIpvny28c55Vzg4zOx0nkCpiWhSbLhL1OXj47yMd3bWBbx7VUjqJhcHR4kq8dOMHp8RlmUxnyJQNRAI+u0XTKx71ru3h4Yx+1iwQrA9Pz/NMrhzg8OM5MMk3BMFFliTqfmzf6R1jfcmtd198OiKJAW08dm2/rqbp9X4nTh4fJpvNsvb2X7rVNSJJIbWOAVZtaePWpk+QyBVwenZNvXmR2Ks5v/OfHWL15cYrQ/EySc8dHae+tZ+vtPaiagm3brN3azsk3Bxm9MMPm27oQRRFRFNB0BVVXlvR+2n3/Or7xj69y4KVzPPqpXZiGxdljoyRjGW67f125ohLLcOrQEC1dEbbfuQpNvzRmG0df72fw3CQ7715VrYj8sDCRTjKYiNHuC9DgfncKGJSsEoZVImfmmMyPsz/6Kop4OQhXRY0udx9H4gd4buYHpI00ITVMyS6RNdIE1RqanC0E1DCdrm4ORF/jpdlnWOvbiEv2kDUyFK0C7a4uvIqP9b4tnEme5M3oPjYFtuJTghStAvPFWXRRZ71/C6ZtMJIdYjQ7TL3eiENykDHTJEsJZEGuNoOnjRSDmQFyZpawVosiyMwXZilYeTRJv24z+BrfvcSKE8SKI1xMH+Bc6mVqtA6aneup0TqQbkAat6kpSKTWy9RUgkQiS329f0X7nT49jigKbNhwbeX4RvD9iWPUaB62hxf206aNAt8bO8zddWveWXlbBAEBgZxRwF1RnbpeOj5auMBYZj9FK0Of7xE6PHfjksMkS+OLBhogUKOvYjj9CrP50+WTlUQCTiffOXmGB/q6EYSyAdLbAYem0FobYGw2QSyVo7kugMdVkdnVVDqbwrx+fIgTFybxuDSaIv7qvqois7m3mQNdI5y4MMm3XjyBKAh0NYdRZImp+SRPvHaGw+fG8Lg07t3eg9v19jaBCZXxP/ngVhLpPPtODBH0OvnMw9sJel1L9pEUTIOD02O0eYLc0dhR9jGxbeLFPN8fOlfdbjAZYzKb5r7WbtZXfBua3D5ub2jnr47vYyA+x9pQLWdiMwzE5/nMqi3cVt+KSylPSDer3BTSXfQFyzz4OqeHFo+fvkANEYeLiUySgmlweGaCTKnI7Q1trA5Gyl4Ubi+bahp4YvAsmVIRb0WNSJUkPtq9nqBezg7YQK3TzXAyDpQN7ryqjltRkUURTZLxabe2T0MSRBpdPhpcXiYqDcambZMoFkgUC8vu61ZUdtW18MHOteyqbcW1QpUlQRDwqzof61pPs8vLdwbP8NrUEKmKj4RhW8QrmfelENAduJV3l5mTT9V5b2sfIc3JNy6e5KXxi+RMg7xpMJpOLLqPJslsrmnggx1ruaOxY8XqUW5F4+6mTvyazjcvnub5sQHixTwF06h+j1dDEgTWBuv4UNda7m3qpn4FkrYjqQRPDJ1jIDGHYV1fdHA0nVj0s8qiiF910Orxv6sCjUsYmJrjc68cRhIFHlzfQ0ckhG3bnJ2c5cXTF3jt3DAeXaPW56EjclkppWgYfOG1w3zjzZPkigb3re1mdVMEt6YyGU/x9Il+njt9gWSugM/hoKf+svS4aVmcHp/hb17Yz4nRaTpqgjy0sZcGv7cagLzeP8wXXzuKIkk8umnVgv6RRDbPP758kKdO9ONSVT6+awO99TXYlCs1z5zs59zU7Dt5GW8KDrdGIOxZNMgAiM4kic6l+Nrfv8RTX3+z+vrIhRni8+kyxcqGiZEooijSuYyLeD5bYHosRmwuzZ/+u69UX4/NpZkai5FO5jBKJqq22KL/2ru/tsHP+u0dvPzEMR7++A5KRYN9z52iqa2G7kpPSDFfYmo0yuxknP/225fHTMQyTIxESSfzlEom2g850PCoGs0e37KqgT9M7AjtIVGK88z0E0iiglv20ObsJFqYq24jCRKNjhbur32EQ7H9vDj7NACyIBPWImwL7AJAkzQ2+bdjY3M+dYYnp75TbuoWZdqcnTQ7y4Fqvd7Ae+rfx6HYfl6YeRrDNpAEEYfkZHOlMd22yypWxxOHOBTbVzYsFGUcopPbwndRq9VXtrOZL8xyPHEY0zYQBRFRkKjVGtjo24pbXn5dUufooVbvImPESBqzpEozJErTHI//ANu2aXVtpMW1Cad8fUPb1asaWL+uhddfP8/hw8PU1/vxXadKcfjwEPv29RMOe3jgwfXXHWM5nElMkHfXsJ2FgYYAvDxzji3B9nc20DAtk7lCknpHAMks/xCLZmnZfaKFCyRKI9Toq+n03EtEX40giEjC0gsTr9oIgkDKKGfOnarKJ7dtIJUv0FsbpmRafGjT2pv5CCtCb2stpwaPk1Jldq+/TJ1waArtjSEy+SIXxuZY391AY2ThjdTRGOIDd60nnSvw0pEB+sdmqfG7EAWRZCbP0GQUURT45INbWNfVgPIOTGiSKLKuq4FPvmcrf/31V3lq31lq/G4+cNd63EuoXZi2xUwuQ28gXOXoC4KAU1YIVjKvlm2TKhYQhPLC/8oMeq3TjSbLzOezFEyDqWyanFmi0xdCl2/89rv6saKIIpokIQkiLkVBl8q9LpfUgWzbZiaXZjqb5s+Pvc7nzxyu7nsxGWMunyFdLGA7PQhASHNWgwwoS/zpkkzBMninIIsi2yNN/Ndd7+FsbIaz8VmGUjFmcxlihTwFs0TJshAFAYekENB0Gl0++gIRNtbUszoQodntu6Yv4HoQBAGvqnFvcxc9/hrel1jN4dkJzsVnGU7FSBTyZIwSlm2hSmXzuojDRavHz6pAhNXBWta/S2hTV8KjatzR2EG7L8j9zd0cnBnn+PwkU9kUyWKhUjpXiTjcrAnWsqmmgY3hBlo9/mogvFK4FJWddS20ePzc1dTBoZlxjs1PMpFOkijmsWwbt6IS1J3lscINbK5poMMXXLH0rmFb5E2jSpG7WRiWRb5yL70bEc3kqPG6+OTuTdze24bPWQ7od3e34tIUvrb/BAcujPLeDX0LAo39F0Z58vh5oukcv/7Abu5b202N14UqSWQKRTa01PP7jz/L0eEJvnbgOP/+0buqc9ZsKsNTJ85zZGiCdc31/NLd21nVEMGtq5iWze7uVnxOnW8dOs23D51mVUOEre2N1WfDa+eHeGNgBMO0+Oy9O7l7dQchd3k+iWVy9NTX8PuPP/MOX8kbhySKyMsYTkqSiMut09wZoabu8rPvUnO3L+ACAWSlfIxSwcCxxDNGEAU0h0pNna+6/yVsu6O33GtxA5RUURK565GN/Lff/ioXz0zi8jo4fXiYx356D7rzMq1Gcyj4g+5rxtyyp6dapblVKJomJ+emeX1iBNu2MW2LHfXN7Gpo4Wx0ljcmRnEqCmOpBOtr6rizuZ2hRJwXRwexsbm/tasabOyfGOXA1BgZo0hvIMx9rV24VY2/P/4mDW4vQ8k42VKRf7Np1009Y28Ebc5OHm34CEkjgWWbOCQndXoDne7uBY3amqix1reROr2RZCmBYZeQBAmX7K7K2wIE1BA7Q3vpdq8iY2awbBNZVPArATyVRb8kyvR6VhNSa4iXYpSsImIl0AirZaUqSZBocbbznrr3U7DyWLaFLMi4ZQ8htQatQodyyk7W+TbT6GimWJHaV0QVvxIgoAZXZNYnCCIuOViW1C0MM549ScqYpUbrYCx7gpHsMTYGHiGiLy/w4Q+4eO/DG0ln8jz/3CkmxmNs3NhCc0sIr9eBIkuYpkUmW2BqKsHp0+O8eeAipmnzcz9/Bz6fg/n59KLHVhQJr3fxSrll29iVrphL9+Yl2LbNYHqWnPnW+j9u6i4UBRG/4iSi+coVDUHAryyf9cuZUQpmkoC7Hbdcu6y61CWoohsBKJrl5lZZFOkMX36g6LKNp+btk1/sbYtQMkwUWWR1++UFlCQKhHwuQj4Xc/E0IZ+LoHdh5KmpMttWt+Bz67xwaIADp0Y4dGYM07IIeJ1s6Wvi7m09bOlrxuN8e2hTi0FVJHaubSWWzPK/v7OfrzxzhJqgm7u3dC+qblV2Y5comQsXI5ZtU6wsUATKDybbLjfUXomiaWJaFopYDgZkUUREoGAa2NeKbF0ed5HXDdsiUypSc5W/wCX9b0EQFl7HSlQiiyI+VWd9qG5B5WRHXbnUGHI4q6dxtaP0DwOiIBDUneyub2VDuJ5EMU+qVCBvGBSt8vW0sMvXXShXVZyygl/T8WsOVEm+6X4fQRDK5pu+IK1eP1sijSQKedKlIiXLrGTQbURBRBFFdEnBraj4Nb3Sv7H073pNqJY/v/0RChVjOoesIFkCtm2v6P7v9of5/22/l1SlquNVdVo9/hV9LlWS6PKFaHL52FnXQjSfJWcalMzy/apIEg5Jxq85CGiOGw4wroQiSrR6AtQ5PWyLNBHN58gaxbKhn021EhbQHAR1x4oDjEvYHmniT3e/h5yxfHJnJZBFkVbPWxMveLugyRIbWhq4d20XnivUBWt9bja3NfLquWHOTMwQz+YWmPw9c3KAqXiKdc113L+uh6bAZedor0NnQ0sdD67v4e9eOMDBwXGmEika/OV5YSKW5KWzg3gcOnv72tna3lRVslKkshHgnas6ODYyyZmJGc5NzrK68XK/xivnh4hl8qxrrmVvbxs1nstNnSG3k93dLWxua+SVc0Pv1GV8W9DYFkZ3qqzb2s7GXV2I0sLfr9NdXsh1rm7ANC0OvXKeux7dtOix3F4nDS0hPH4n9z625ZoqiqopSMsEPYth3fYOQrVeXn7yBA2tIWwLdt17uefC4dJoaq9BFEXuef9mNH1hUkZR5RseczlYtsVkJsnp+Wl+deNOBuJRXhy5SG+whng+x/nYLLc3tXF/WzcB3YEoiEScLpo8Xk7Nz5CszHnjqSQvjw+xLlxLvdvLt/pP0+j2sSlSz+n5GQD2NrVh2/Yt6Re8HmRRocl5LWXHJS9sHC73S2g0OJoWkZhduJ1b9uCWl6/sSoJclqJdoo9DEARcsptOd891jxPSwoS08LLbLYWSlWc8d4rB9CFm8gN4lVraXFuI6J045QAFM81Aeh+nE88S0X9x2WMdOTzEq6+e48KFGUZH5pmcjHPkyBDuiodGWaHUpmRY5HJl0750Oo+uy3z3O4f5/hNHyqIii5S416xt4pd+6e5rXrdtmxenz/DE+FHOJMbZJ6k8O3VywTapUp41/ib86s33gNyk6pSAU9YZyc4iVTwvmhwher1Ll0fLRnwmiuhAElf2EDesAjYgi4tTU97uxfmeDR387X/4CKIg0t5wOcARBIG2+iD/z795hGLJIOB1Ii/SkOjUVdZ21tMUCfDwnjXkCiWwy4t9r0sn5Hehyos3ZYqCwC+8fxcfuXcjQd+NGXeF/C5+7tEdPHbnOhorJoJXn9d9O3pZ1V5LoWjQUONbMnsliyJNbh+DyRjJQh6vpmPZNvFCnvF0kr5ADYIgEHG4kEWRoWQcw7KqC86BxBw506DB7UWXZTq8QdyKyoHpUTbW1C+oHlxGObM+mIhStExUUcK0LWL5HCOpOG03uDBq9wVxyAqbI43sqW9Duorb61pBs/TVkASh3KvwNmaDRUHAo2o/lLK5IAgogkTE4SbiWFptIpvKk5hLInhlbI9CJl8gGU3j8Ttx+ZzMT8YRRAFfyINXUmlIyjjcHgIRL9l0nqf++VXW7+mlpace0zCZHp3H43fhCVx7z3tVnY3hhrf0uXRZpkH20vAOmCxqkkyd00PdLVaQCjtchFdI5/pRht/poLs2tCDIuISQy4nXoWHZNgXDxLRsJBGSuQIXpufJlww2tNTjd+jXzK+SKLK6MYJNefvh2RgNfi8lw2QqnmY8mqSrLkRvXbgaZFyJxoCXkNtJybQYjcarzd7ZQpGR+ThFw2B9cz0efWECSRAEdEVhfXPdj3ygsXlPN0f2DfDMNw+RzxZp6qihVDQYH55DkiTufHgDukNl7dZ2etY28i//6wWSiRwdfXVYps38dAJvwMXWvb3UNvrZdmcvT371Tb73pX2s396BosrMTSXIpPKs3txKe289tm1TLBjks0VS8QyGYRGbz5CIptGdGqp2WbnRWWkKf/kHJ2jprmX9jnbCtZd/88GIh933reHx//0K3/78a2za3Y2my8xPJ0kmcvSua6J77a2lE0qCSMThZnUogiSInJybZiZTzkD7NQerQxFar1As9Gp6uUKRiFdfG0snkAWRvmANrb4Ab0yMMJiIsiZczuT3BmtYFapZ1O/nJ7j1+P7En5I3U9TpPWwNfgC/2ohLDqBJLgQETNsgY8Q4Hn/iusc6dXqcZ545RaFQwrJsTNNiaioBLE7xvYR83uD06fFlt3F7lqZ3r/U34ZI1vjL8Bi5ZY0PgcuAoIuBXXXR76gioN//MualAwy07eF/jdgYz08SKGVpcNbS5FjdXuQRF1JFFjaKZxrDyIF2fszZf6AfbxqPcHB1jMpPEhpteVPg9DjZ6Fp9sHJrCqvbr67HLkkTY76pK364UgiDQdkVwcyPQFJnW+iCt9Uvv73XpC6o0S8EpK7y3rY/fff1J/uvhl3mgtYdYPscTQ2cpXkEnWhuqY0ukke8Pn0MUBFYHIwwmozx+4RTrQnWsCpQn175ADTvrWnhy+DwmNrvrWnDKKpOZJCXL4rHONciiwLZIE08On+d/Hnud2+rbmMwk+e7gmaoM6I3gjoYOXpsY5ivnj5MsFuj2hShYJhcT8yiiyPs71+K8QZqRV9MJ6U4Oz07wvcGz1Lnc6JJMk9uH/zrNvD8uiM0kOX9kiFKhRPemNkpFg2Mvn0VWZdbf1sPA8RHmxqNMXJxl+/3r8ARcJGMZXvzmm3zgs/dRzJUYPjvOqm2dlIoGR186QyaVIxXNcO/HduFw33qPkp/gRwdOTSHgWvy3JIlile5kWVbVtTaWyZItlrCB7x87y4GLo0hXBRo2kMqXM8SmZRHPlnuPiqZJNJMtGzbOxfmT772I+5lrkxBF02IyXu65SeWLFA2z8v8C+ZKBDUS8rkWpN6IgEPb86AeJ4VofH//s3bzw3aM8/50jJOMZZFkiEPZw+0Prqwt+t9fBr/ze+/jel97ghe8c4ftfLqAoMrWNfu59bAtwSSlqDYos8fpzp3nzpXNYpoXH52TttnaUSqV9eGCab/3Ta/SfKvtxxObS/NOfPYnTreHy6PzbP/kIkcbLC/U7H97I4//4Krlsgd/8ow8uaOzWdIVte3sRgFefPsXR1wcwTQu310HfxhbWbmm75dfMsMrJMoty72O2VMStqsQLORRRQpOu/wzyaTqpUoFCpRI7m83Q7PFVAwuPqiHcdD37J7hRdHt2E1JbcMlBHLIP6armcRGRsNbGWt8D1z1Wba2PjZveHk+V3t7F13qCIBDRvYQ0Nyfio9Q5fNxde6UqmIAiSsiC+JYS+zenOmWVeDM6wEBqEq/iYDA9Tammj+2hpctUbqUepxxmJn+KZGkCt7L8Ij1jzHEh9Qw2FvWOxUuuiyFbKjKbz6DLMmOZBMliHtu28Wo6TlmpNmVGHG6Klkm6VECkTFVRRInhVAyHrBDWXRTNsqrOXD5Dpy+MaVmMZeKE9bJaTaKQp2gZaJJMSHeRrJh1BTXnW6JevJsgiyLbapv47LqdPH7hJPsmh2ny+FgfqlvQ+BtxuPhk70Y8isYPhs/xlf5juGSVHXXNPNa5hmZPObB0yAqfXbeTWqebVyaGeH50AAEBv6bzcFsfUM783NPcxUBinqdG+vn+0DnqXR42hhuWqIAsj1qnm9/YcBvfuniKb188RTSfQxZFap1uHm1fvWIPmCvR6PLxvo41fP7MIf7H0VcRBYE9DW18snfjv5pAIzoVx7Zt+rZ14At5iE7FcXp0GtojeAJujrx4hthMArNkUiqUGOufYnxwhtFzk5iGiTfkxuV10tRVi2mYnHnzAt6gG0kWKeZL77pAYyzbz1RuiG7vZnzKO+OYvVLEitNoohPndSgHUC6XT+YHaXAs5AwXzBwj2TPYQI9n89t0piuHJIorNou8BMOyq0HHbDLDXCqz5LaiUKZompWqpGXb1QplrlhiaC627MwgCmBbNpdyH6Z1mbYgiYvPKgIsWiV5N2HDzk5au2vx+Jeea0VJpKUzwgd+Zg+pRI5S0SjTYzQZb8CFegUNt7W7jk/92r2kE+WmbkEUUHUFf7AccAmCgD/o5vb3rGf9jk7yubLhm6zIuD06bl95Pq1rCvKRX7yD/CJ+AaIk4r/KZK+hLcyffeVXEEWhKnN7CYIg4PE72X3fWlZvaSOfvTSmhMutL/vZbxaCAHP5LP953/OkikU2ReqpdboZqxiDXnm/WLbNy6ODfOfCGUZTCfrjczzWtYZ1NbX0BcN87tRhSqZJ0OFgQ01dVe78xxmWOQY4EEQ/gnDt57VKg1ilI0j6PQji9RPZtwLNzvW45BDikhUkAY8SXlEz+G23dbPpbQo01OuYPkuCyPuatqCKEk751jMobirQyBoFzqfG+dmOe5EFif70JMfjQ8sGGhF9DSGtm6H0y5yOP44qughqnYtsaTOdO83h+f9NsjiGLOp0e9+zovOKFbIcmZsgXSqwPlSPYVtMZJOMZuJ0+8KsDtSSKObZNzXE3oYOLiaj2NiMpuM82NzHWCZOqljgXGKWj3dtZCaX4bnxfm6ra6NgGrw4MYAsihyYGWFbTQuvTw/hlBVM22ZHpIVz8Rnm8hlCuos76jtuuBn3VmMkHuc7p84yGI2xt6ONOzra8Tt0zs7M8rXjJ0kWCjy8qo8dLU3ossyhsXEuzMf4wLrVVepTuUFY52Pd63mgpZuSZaFKEm5FXaB4I4kibZ4AP7t6Kx/qWkupQp/K5IvsuzCK1Qxr68rBZa3Tzaf7NvO+jtXVzMylPgqp0mcR1J386vpdfKpvE6ZlLxjTsm18qs5nVm2hZJm4FZUN4Xp+b/s91crET6/aTMmyCGhln4QOX5CfX7ONj3avp2RZFb1tCZ+qo1Um6f9r292UruoxiThc/MHO+69ZNCiSxI7aZnr9YXJmmRLnVFQCt1iB6t2MQK2XkfOTvPKtg6zf04fTo6PqCg6PjqxINPfUEZ9LYtvg8jkZOT9FJp7FrJhYyoqEbdu8+cxJdjy4ns71LQyeGqOmIYBrica1leB47EUm8xfYHLyfGm1pJ9obRdHKkzbimO+gMMBKcTb5Jg2ODlrlxTXqr4SNxWtz3+bDzb+14HVF1Gh29r1dp3hzuMEcgFtTq5WEX75nB/eu6ar6Gy0GSRQJVqomiihWey3WNtXyS3dtpz2yfFXZralV1SmnqlRpmelCcdHqq41NtvDWe2veTrg8Oq5lqBaXIEoivqAbX3BpamW5bw4CYc+ybtuCKOBwaTiWUV/UHSoNrSvn0suyREff0lLCgiCgO1XqnDfHHLhRyKJEbyDML2zYBja4VRVFktgQqacnGF4goS0AW+oa6QmGq/1HXlXHqSg81N7L3qZ2TMtGl2X8lWfc72y/A5+m/3jWM+witpVEFHXKni4JbCsDmAhSA9gpjNyXkLS7QXBg2yVscxhBrAHBA3YW206DXUCQarGtBNhZBNGNIIaAm6OaPT/9V2wMPEqzc8OiwYYgCAhIiIsERlfD7dZx/xCTa2HNjWXbnE6Mczo+TtYsUqN72BbqIKi6b8h64GrcVKBhA4ZtUqOXozRvwbGARrMYXHINnZ57SRRHGM28zlz+DAGtk2jhAgAXU88xkT1EojhCojRG3ohjYbAt9Fk8ysp0x6OFHEXTZGdtKwHNwVQ2RbPbX1FLshlKxRhMRRlKR9lqNFcDEmxIFnMcn59EFSVUUSJvmpQsky5vmHXBeoqmwUQmwfva1nJoboyxTBxJENgQauB8YpaxTIKz8RmcskpYEChZFj/sJefJqRmcqsIv7thGo8+Lo/LAfW1ohL5IDdubm6hxuarZkDW1tfTUhK+hGoiCgFvVFrh7LwZJFPFp+gK511EzQapQbmS+BGEFvQeiIODXHMtWB66sbjhEcYFz9tWVj5Ucr9Z57QNTFqVFJUcFynz/uhVkkH9c4Q972fngBkolA92hIsoSwVofslK+n9rXNFHfHsG2bJwenR0Prscomtz9kZ24K7J9H/q1B8oN0orE1nvWsm53D7IiISk3l6EzbZPB7Amm84Os9d3+lj9jrDjNodizxArT2IBPKS90xrMDnEi8SqI0R0hrYL3vdiJ6M/OFCQ7HnidWnMa0De6MfARJkDkWf4nbwo/ilL08OflPrPHt5mL6OAUrx1xhnEZHF7OFMfaE349HCXA8/goj2XM4JBd9nm00OXs4nzrEcOY0hl1CEETW+/dSp7dyJnmAo/EXOJc6iE8JsSv8CLV6Kwfnn2Yke46ClaXR0cWu0MOkjBj7oz9gIHWEb479BQ7JzQP1nyFvZjgae5GxbD+93m2s9+8BYK4wztHYi8wXJ/EpYdb6bsOnhDmdfIOp3BBFK48iqmwLPUiDo+OHTtsIe5xEPG76xXni2TwNAS9ex8pmYk2Rqfd58OgaBcMEQaC9ZuWLUK9DJ+ByIIkCA1NzFA2Tq9fNpmUzOBu9kY/0rsB89kUmUl/Ask1afZ/Fp29bkaDL241k/iiz2adJF///7P11mCXpfd6Nf4pPHaZmppkeZtihZQZpxWTJku04kuI4iWK/TvLa/iUxxLKTN7ZjW7ZjgWVLsni10krLNLzDPD3TzHgYi35/nJ6e6WkYXLJ1X9deO134VJ2qp7543ycpWhM4jo0kenDJNYT1nVR6P/iOEaYUKJGNXP090WVl1rcLFv9GLvQtrvC8O5TMM8WL9CX+ipzZT6XnSap8H5o3QzEbArZ5HiQDUfRj5p8DQcc2z6C4P4WAgONkpjMZJlb+BRA0HGsPkusRHPMstnEOUdsJZi9m/ilAQ5QbEJW1iHLjTV3LWL4brxx52+e924GUmeebPft4ZfQsHknDJSlMFdN8s3sf/3rJvWyMNKHegC7IlbipvTRRJqz4+KPT3yPq8jOeT7IhPF924jJEQaLWswUQODb590wUzpExJ3Aopar70vsQBAHbMXGwkVDZHP0s7YHHEK7T24xobi7g8N2uE2wuq8OeZl5wSTIFy2QynyGWz80w5wiCwJ6RHoazSZaHK9hYVssb4/2IiIQ0nanpEixNknFwqPUG+WHPaQTgzuoWRrKpEnOOIBJxuanzBhnIJHBLCm7lrclm9MTifPfEKTonp6jy+3i0fSlLyiK8dLGLb584Rc4wOTo4zIfXrKKtLMIzZ8/zozPncKsKe3r6+Ny2zbSEw/z0/EV+dOYsyyrK+OzWzSiShGlZ7Osb4BvHjiMiUO718Ft37SJRKPCj0+c4OjREQHfx0JJWdjU3LTjGTMHg64eP8bXDR/GoCr+6ZTOO4/C9U2f41Ia1lHu9/I+XX+OBJa3s6+0nXSjSMTHB+ppqzo6N8dmtW4h4dP72wGGGkyncqsKDS1rZVFfLK53d7Ovtp2iZiILA48vbubOl6Z/Ba//OhyiJuDwaLkofPUEQkK8oC5EVGY//8t+6x4Xjdma2BWYcDkEolVOo0+wvN2scxIojxItjmLZxTX2Ja8GwCwzlujBtg0eqf4mO1BH6sx2kzTgDuQ7KXLXsLHsfJxOv05c9i0cOcGjqecq1OrZEHpkWhnIznh8ka6Wwp+e6rJXEtA3yVpZKvQFVLDm/bb51dGdOU+6qI26M81j1rzCUu0h35jQeJUi8OI5b9nNH9HFOJ/Ywnu+n2tXE6sAORnLdNHiW0epdhyaVjrcyuIMVgTuwHYdv9X+R9eF7Carl7Io+ycXkUR6s/MUZY9Elulnu3wpA0c4BkLPS9GXP4ZLcPFb9r7iYPkZP5hSNnpVMFoYod9WzOriDA5M/ZTw/QFStnjn32wVJFNnZ3sipwRGePdnBo2vbWV1XOcNIdSUcx8F2mMlCCIJAVcjHpuZa9lzo5bVz3axvqJ6lk3ElbNtBEC4/q6IosKa+ihP9I+y90MdQLIlf12bO7TgOyVyBV852v0lX/2bBIVU4Riy3H7BJ67vwaSuRhLe312Qo9S0Gk18lbw5hOwZwKRstkCmeQ5XKFtv9LYUmydxZ28S26lsTVXv3w6FgDjGReQ4bA12upczzIIp0LYdeRsBDyV1zwEkjadsQnCw4GZDqEMQIgtwGjoFtDaC4P4pV2A/WIAgqgrICUW7FsXpBcCOI1QhiFMdZuLzyWgirdWTNOGG1lhtOvy4Cw7CIx7OkUjkMw8Kxr/01kySRtiU3Ty//yuhZhnJx/s3S+1nmr5kW5rV4euAoPxo4QoMnQs1NZv9uytHwK24+3ngnpxN9JIwsO8tW0Oy9dmO0JCjUebYQ0VrpTe+hN/0aE4XzFO00NgY4An6limr3JtoDTxBUG5AE9bqNjoDq4p6aNnY5NrIgcplcqPRwOjBTeqNJMp2JSXZWNVPt8ZcaeT1BVoRL2RNdklkZrpreq+Rc3VPdhulYM9SeDd4gslhikhARaPKFsRwbWZBuqu7/RpHI5zkyMIRHVfniow+xt7eXA/0DVPt9PLy0jZxRajh7YEkrFV4vkijy0XVriOXytETCbGusJ6zriILAvW3NGJbJhclStM1xHJLFIn+x9wBffOQBwm53KXUmwJnRMWK5HH/0yIMcGhjk0MAQrdEo1f75o/uxXJ772lq4q6WJP9+9n87JKSq8HtKFQqmuGUgVChQti4xRZHlFGQFdw7YdHlm6lMODQ3x83Wp+fccdCAIc7B/k1a5uNtTWMJpOEXbrfPaOTTzbcZHOySnWVFcS0v9l9Em83bjWu3n1+sX+vh2Rx5F8Nylz6rqDE4vBsAvkrQwBpQy35Mcnh/FKAbJWEtuxCCnluGUfQaWcyeIwseIopmMQUKP45NCC12M7l2ihBXxyCMMqIAgiLtHDhDXIWB4upI4yVRzBdizCaiWGVUCXvXiFIB7Jjy75yJgJLMfCJXmRBAVVdM30aFiOyZHYi0wUhhARmSwMY9sWoiSWGFEEcXY/hyCgiBryFYyAeStLwcoRUiunrzNK0pgkbcbxyAGCaum+uCUfNiVWwXcCHl+3jL0dvey50MsXvvETPrR5FTuWNFLm95IpFBhPZugcm+JQ9wBtlVE+e+/WmX3rw0GeWL+MUwMj/OT4OcZTGZ5Yt4ylVWXIkkg8m2MoluJIzyCpfIGP3rGGlbWXP+6PrVvG86cucmF0gt/53vP8+oPb2dxSi4DAyf4R/uLF/Uyms2/HbbkluJVWdKURARG32ooovL3za7p4jtH0D8ga3YiCi0rve/Br6xEFF6adImt0EXXf97aO8UoIgoAmy2g3qZH8diNVOEXW6CHo2oQmX9vWWwyqFMWnrSFv9uNVVyJfRz+FbY9hm2fAPIMg+nGwEdBAUCjV2IjT/8kgOIhyC2b2W4CDoG7GsS4iCCqCoFBi1RcRBAWQ4CYIZi7hzorPcHDiuzjYlLmakYXLAWYBEVm8sX6HCx0j/OSZYxx6o4tkstRf7MC8lLVXIxDQ+cdvfO7GLuAKdKfHafJEWRtqwC2V7G7HcXi8Zh2vjZ4jYy4uFrwYbrJ0ykEWZbZGl+JQEvgoWibKdaRVREHGI5ezLPge2gOPYWNh2jksx0SV3IgoCIKIyGVxuOuFIAgokoTiXO4vuBqycHndmkg1FboXt6SU1M4FZpUNXakJIAgCiiiicLn7/lIt8CWHRnQEQLrucccLOX5r3884Fxvji9seZn1Z7aI6BFcjUzRIFQrUBwN4NZVyj5eeqTgTmQxVfh+qLGHaMrqizDRVumQZRZLQZBm3osxE29TpZZfgAFOZLLosUxsMIArCNB1kns7JKV7q7OLi5CS249AaiVAwFy6dq/J7qfR58aoqAd2FYVlYV7zczqUmTKdkfJV5PWSLpTpmj6bQlyjSF0/wlUNHsG2HiWwGXVZwHBu/y4VP0/BpGn5NKzks5ttr8FxMHeGVsW8RUivYVfYhPHKAU4nXOJ3Yy2SxREPnUyK0eNexM/qBWVFgZ1o8J23GOBp7gYupw0wZoziOTUitoM23kVWBOwmr82vROI5D0pjgZOI1zib2ETNGp2vvl7El8hhVrma+0ft7DOTO8anG36NKb0EURIp2jr+6+OsUrTy7yj/Elshjc46dMqbYP/k0ByZ/zOrgXTxY+Wm0K0SZSmI/Bl2ZE5yKv85groOslUQTdar0FtaF7qfRsxJFmKsb4zgONhYjuW6Oxp6nP3eOpDGFALilACG1nHrPCtp8GynX6mfqYYt2gQupw5xN7mMs30PcGKNolybEr3T/5zkO//rwA9xT/vFZ414IsqiiiBoThUEsLPJ2hoyVRJd8gEDSjGE5FgljAgmZgBLFcRzSZhLDKSChICCgiip5K4Nlmxh2kYnC4EwAQ0Cc0YABkAWFiFZJk2cl91d+YjolL1C0c4wV+hAFabru9woHDaE0jzpmSd0WieFcN1OFEe6IPIpb8tGVOX55e0HEcgxMx0REmHHKbGwcxwZEbMdGE3UUUSNujGM5Fikzju2YuCU/oiAhXpoLp4dyqxmk2wWvpvLb772XP/rxK7x2vocvvXSAv3754KVYKFCyLdyqQm04OGtfWRLZvqSRLzy8k796cT+7z/ewt6OXaamemY++g8PK2kpMa/ZV14UD/NsHtvOHT7/MhdEJfv3rT8/0KQCU+738/gcf4D9+85k39ybcVgiUeR4m6rl/+i95fqGjtxCJ/CHy5hDgUOf/Zar9H0MRg9NrS3OowD//Bum3Ao5jM5z6FpO5V1gW/ZNbdDQEPGo7qyu/jOPYCIIM11GCJ4jlKN7PT/8lobg/BUhIridgeo5UvP9mer2CpN0HmkHJxJUQxY1cmqgEqRnZ869m/r6VTMRLo19iLHeRC6ndc75pEbWBjzf96XUf69SpAb76ldc4frwPx2E6W3r94ysWb613UBUlDMeiaJu4JXXGyUmbeWRRvKXysJtyNMYLSb504Wf87qqP4OBwITXMy6Mn+Wzb9TVtX2qQQZAQcZCFK2poBW7pgkq/y8L7X/kwtAWic5Yt5iDcaPT2WuhOxuhMTNCbinFqaoyVkaobcjS8qoLPpdIXT5AzDMYyGQzLIuq5sZS24zgULYuiVRJky5smHkUl5NbJGEVGUilCul6KyigyTeEQO5sb+Lfb7wCm1bMXEbqTRGFGTO/SHdIVhXShSNYwyBgG3VPxGUXKmdd/+n5miwYnhkfwqRr/+o5NvNTZxSsXu2fOzSWhvndILa6NjeUYpM0Yo/luTiX20JU5XjLiBAEch5zVh1sKYDuXJ4eSsW3Tnz3LUwN/RtwYRxLkGaN6NN/LcK6Tc8n93F3+Mdp8G2c1oJXYhDp5cfTrdKdPIAgSkiBhWgbnkwfoSh/lvopPMVkcpGjnZ4zd0s5g2EUMp7hIZNrBckxMp4jlzJ7USgZ2jNfHv8uJ+CsYTgGRklGcsVJ0pA5xLnmQLZFH2VX2IXTJN/P7OtPHPRF/hZ8O/w2WYyEJ8rQj5ZAwxokbo3RlTjJRGOThql/BNe0omHaRkXwXI/lSr5ciujBtY1r4KTgrQg/gEr3XPb8ogka13kJf9hzf6vsiuughqtXgV8I0eJZxLPYKJ+KvEVGrWB+6F68cZFPkAQ5OPsvx+Cs4ONxT/hGq9CYiahVPDf4VbtlHSK1EEiRkUUEUJCRkBEREQUKV3KV+jfwA3+3//wCBenc7a0N3IQnyjG6RKEilezRtAde72zkRf41Tid3cVfYholo14PDi6DdK2QelfIZ6UURkiW8jf9/936h0NfBw1WdIGBO8OPoNpoojiIJIzkqxLnQ3De52DsVe4Bu9f0hAibImeCcBNYqUk2caHCVBRkK6ba+fJAq4NQVdVRacD0VRwKXIeLRSEOXKcwuCQLnfwx9/9BH2XezjZyfOc6JvhKlMDk2Wifo8NJeHuLO9mTtaZ5eyCIKArsg8sradtQ3VPH/qAq+f76FvIo5hWfh0F1VBH+saq7l7WTMtVzWLC4LAXcuaaIgG+Ob+E+y/0MdUJkfI42Ln0iY+vWsDgiBQGw6gq8o7pn/gWhAE6R1luBfMISy7lBkK6ptRxNCswMu7466+O5A3+8mZA9hObvY34yYhCCIC6g39SKX35Mpy9Eu/9ZXP5NXrNS6f5PJ2pefk9vQX3VPxuVnf8CshCzfGPHryZD/nzw+jKBJ33NHGli0tlJf7p/Vhrr3/rSrZrwzW8b2+Nyha+9he3oZXcjGUj/O9voNvj46GMM2tazvOTfuEJQpCZ+6DO7+w4XV17d8o3u5JvtkfZkW4EpessKGsBk28sWv0u1xsqKnm2ydO8e+e+gmVPh+PLV9K1XQJkyZJWLI9hy3gUlbj0vXbjsNf7D3IyZERkvkCqUKeX9m8iWq/j1/dsonffe4lZFGkyufjC3duZ1VVBd2xGL/x458hILC5rpaPr1+NOA/FXskJUWZUSl1K6dy1AT/NkTB//Orr+DSNukAATZbRlcsZF0EosTuFdBctkTA/OdfBf3vhFWRRpDkSLjk+V5xTlURcsnxd7AiO42AWLWR1fsHE24FYcYxXxr6FJChsjz5Jq289nunSm/7sOXxKGOWq1GqsOMIP+v83aStGnXsZO8reR43ehoBIX/YMByafpidzmr0TP8QjB6lxt80YzhkzwcHJZ+hOnyColrMl8gQrAtvRRA8ThX72TfyQF0e/TtZKzr0f13lNC92popPnwOSPOR5/CUV0sTn0KCsCOwgq5aStOEennudo7AX2Tz5NQImyMfwwsqCWxu5Awc7y4tjXAYE1wbvZVvZegko5tuOQMEYZzF1kJN9Frd4+42QAuGUf91Z8gnsrPgHAoamf8fr4d1FFnffU/Bq17sWVYRe9VkEgqlXzWPWvzFkXUsupm+fYFa4GHq+ZqwB7X+XH5yxr8Cyb9X+ANkpU3tvL3sP2svfM2n5D+HIpyIrAHbPWrQ7uZHVwdvP74zW/OuecUJq/H6n+zKxlQbWM99f9+pxtfUqYh6s+PWf5tujjM//eFL42R/yNYHNLHS/81i8vuk1rRYQ/++QTC64XBAFJENixpJEdSxpv6PyXAiK14QCf3rWRT+/aeMP7N5dH+C9P3L3gNs/+5mcWXPdzLI5S5jSPg4kkuBEF/R3RmP7PEQ4OGeM8RWv87R7KDeKtse2iWomO1rmF8qtLKOQNikWTnbva+eQnd1Bf/9ZSqG8ra8PB4R+79/K9/oNYjo0uKtxftYpPNG0not082cBNORri9ETckxnFK7sYyceuq2yqNEEUMZ0cRStL0U5hOYVreskCEhX6ypsZ6jsaAc3F/975+LU3XAQNoRC/cef87DqPLls67/Jf2TL7wymJIv9h17Z5t723rYV722Y3+ntUlV/atIFf2rThmuOrCfj51a2bZv7+zBX7fH7bljnbb6wtqcuvr7msAL2toRR1/Jv3v2fO9u9deZnO8+6W5jnrF0Ixb/DaDw+x7dF1t0SluhjixihRrZYHqj5Nk2fVjLMcpJxqvXXO9pZjcGDyxyTMCcq1et5X++8IqpeFMNv9W3BLPn4y9CWG852cSx6gSm+ZiXL3Zk8zmOtAFlW2RZ9kTfAelOmIfpXezKPVn+Xbff+D7sxJHG5veVlv5jSd6WNYjsVd0fexPnT/TEmYJuncV/lJCnaWY7GX2TvxI5YHtuMXojPfg7ydJWMm8cpBVofuJqrWzjiA5VID5a4G4N7bOuaf4+e4HUilcuQLJgG/viBffS5XJJMp4PW6cLneXtrz64Fl5zDtJPOFIGQxgCRee8407RSWnUEUNGQxSCkjmsV28jiOBdPlTYKgIok64gIRYNspYtt5bAwcx8LBmB6bDUgY1iQFc2TWPoIgo4iRBYNIpbIQE8vO4lCcLhksZW5EQUMUdETh2jZN0ZrEcQxk0T/t8IBlF7Cd7HSku1SKKAoKouCadd9sx8C0U4CDLPqm71kaxzEQBAVZ9JQi/9hYTgbLLglLSqILSfAsyNTkOFbJEXMKV4yBWeMQBW1B58x2DGyngOMY2E6RROEYRWsMx3Ew7Kk59xpAFNzIom/e+207JoY1dcU4LkMS3MjSjQkqO46N7eSmr9HiynssCfo0Be78sB0Dy05hOyaS6EES3As8BzKioCEJ+qKMWJZjUrDSWI4x03t3+dpkvDegt1RZFaSszI9jO1iWhW07iOJbFwyXBJEdZUvZHGlhspAmbxmENQ+6VHovS70tN4ebcjR8ss6OsuX8r3NPoYoyEc3Hxxp2LbqP4zgU7RS96T1cSP6U8fxZTCd/XedTRDefan32Zob6c/wc86LzZD8/+fIrrN3Z/qY5GgCrAruocrVcMyPnOA6mY3AmsRdFUGn3b5nlZFxCUK2g0buK0cleJgoDJI1JQmo5juMwXugnVhylWm+lwtU442RcgibptPjWMZS/SM5K37ZrdByb4VwnE4UBqvVWat1L5mUfavdv5VzyIClzkuFcN15fGAkJBNBFL0GljIyZ4ET8ZfxyGLfsRxVdc9RWf47bB8dxyOcNksk85eXzGwo/x+L40l+/zEsvneEP//BDrF0zP6vQc8+f4stffo1f+7X7ue/eFW/xCG8cE9nn6Zz6fQw7Nmu5KGgsjfwB5d5rB8h643/FYPKrBPU7WFn+JXJGFyPp7zOV20PBGsJ2imhiGX7XOso8jxB0bZkxuK9EqnCSkfR3SRfPUrTGMaw4Dpe1SE6Nzc3ceZV21lZ9G0mYa3Q6joVhx0gWjjKeeYZk4QRFaxIBAU2uJujaQtR9Pz5t1bRBv/A7cXrssyQLx2gN//+o9L4Xy0oznn2W8cwzZI0uTDuNIoVwK81E3Q9S47+c2cwanXRO/SGWnaYx+G+xHYP+5N+RNS7gVlqo8f0CYfdd5M0BBpN/z2T2ZcAh7L6TOv8v41aa5xjBhpUka15kKvsKicIRckY3hpUAARQxhEdpIaTvJOq+D02umdeZShVOMJ79GeniWbLFLgz7spNwdvzfz3sfqn0fpzn0m0jzkATkzX5OjHyKgnWVM4hMle8jtEV+Z8H7ezUsO0fO7GUi8zOm8rvJGX1YdgZZ8uNVl1PmfpCI++5pJ3OuI5Uzuumc+iPSxdPUBj5NtfejJAqHGE3/mFTxGEVrAgEJl1xHWN9BmecRPOqSBZ3goexZ9k38A3FjmLQxgVsOYjkGhp2n1r2aD9T//nVf25YtLfT3TbJv30Vee+08O3eWGrwl6fpUuQVBwH8LtkzRNhnJJehOjxMrZjCvcpzurVx+0+VTN0dvKynsKFvO1uhSsmYBr6IjXSN1aTp5zsR/yOn4d8hbcWTBhSYFEK+j7lO5Knpi2Baj2TSmbVHp9qGIEmmzSLKQp2CbOE6pudmnaPhV17x1vrbjkCoWSBp5CpZVUgUVRbyKRkjTZ4TjZsZv2wxmEhi2RUhzE1lAodp2HOKFHBP5DF5FI+JyT+t4lJAs5pnMZylasyPKNV4/HvnaDFslh80iXsiRNQ1Mu1Qa5ZJkApoLt6zOlA45wEQuQ6yQo0z3EFBdM+sShTyT+QyGbVPjDeCRL9cLT+WzTOSzhDWdqH75wTKKJrGxJIoqIYoiqXgG23bQPRr+sBdNV2fGmM8USCeyFLJFLMtGkkW8ATfeoGdGZwFgbGASRVPQPRqJiRT5bBFRFPCFPQSj/svXnDeIT6QoZIsIAuheF/6wd4YONZvKk0lmUV0KpmGRTeXAAdf02FRX6foSkynSiSxvPH+CVCzDwMURMqkSnWcg4iVY5r9txpYsKES1GnTp+lKOSWOCjBVHFXU00c1YvnfONnk7O5OmzdtpMmaMkFqO4eTJmglMp0hwmiVpPkTUaiTh9kZU83aWlDGF4RTQRDc5MzXv2A27wKUI6VRhCMe7DgRpumHaxc6yD/LK2Dc5GX+N7vRx2v1bafGup0yrRZe8qKL+c0P4NsM0Lfbv7+TrX9/DX//1L6IsIm73c9w8fD6dpsYyAoHbrzj9ZkCVIni1lRTNMWwMTCuOYcdv6li5YhepwjHOT/xnCtYosuhDFrzYmBTtKcYyPyaeP0CN/5PU+D45J1ti2kkK5gimnUYUdDRZx7CmsKZpSTWpAuEqQ1CTq+adKxzHImf2M5j8KsPp74JTyiYooh8Hh6I1xnDqW0xkn6fa93GqfB9YNDNyCYY9Sc7opTv2J8QLBxEF13RWwodlZ0kVTuCSaxfYN8F49jny5gB5sw8Hh2ThGLZTwHTSJPKHieX3IAgSpp1gNP0DJEGnPvA5NHl2MGos8xRdsS9iO8Z0WZkLVYrgYGM7eWL5/cTzB5nMvUpz6DfwaSvn9KxljS7iuf1YTg5JdONQnM68gCqVIc7jvJXoaee/R6LgwqetQjZDOE4By87eVCmWZWcZzzw7rcHRhyS4kUQ3kqTjYJLIv0Est4dQ5g5awv8Zt9KyYNbGstNki50Mp7/NQPKrWHYOSdSRxSC2UyBrdJIxzhHP76cp9BsEXBsR5/luHpj8J8pczews/zTPDP4xj9X+FpOFPjqSe1gbemRmu0v9l84VxrsoiLMCkMGgm/c+uQFJEvnx00d5+kdHqa0NEY54cWkKgnj5l7o6u+AAbrfK5z9//w3f10s4Fe/n77v20J+ZRJdVpKv6WDaGm95aRwOmWZgEmcA1pM0vYSx/hv7MXgpWEr9SQ5V7PWGtGVX0XpOK8mqvezyX4b8ceJbBdII/2PogYc3NM73neba/g55UDNtxqHL7eF/zCj7ctpYyffbNKVgm3ckYz/Se4+XBTnpTMQzLIqJ72FJRxwdbVrMmWoVLkmcmmGQxz3/a9zNOTA7z8SXr+H/W3zVvL0DGKPKVc4f4y5P7eW/Tcv7dmh3U+YIz63cP9fCl0/vpTsZKjdeWiYPD39z9Pu6qbpkRz5sPtuMQK+Q4ONrPU92nOT4xTLyQwyUrtAWjPFS/hPtr26jy+Gecq6+dO8z/PXOQL6zdyceXrsMtlybkp7rP8H9O7mEsl+Ev73wv99W2ok47RN/oOMqfndjLv1uzg8+tulwLPj4wxd/+zrcJRv0Eoz6OvnaOTDJLbUsFD35iB+vvWYGqKZimxfHXz/HK9w4y1D1GPlNAlERWbG3liV+5l7q2SsTpxqUv/da3KK+P0r6hid0/Okz/hREkSeSeD23hA7/2EI7jkE3lOfTCSZ7/5l4mhmIIAtQvqeaeD29l7a5laLrKyT3nee4be6ioj5LLFLhwrAejYFLVEOXRz9zJ6h3taLrKvmeOsffHR7lwrIdUPMOf/4d/mBGHe/hTO3nyszf/ol4NRdRKfQjXaRxnpnsninaO50e/yvOjX110e8uxMJ1SZM+wizP/VhbJAmiiG3Ge9+16Rnipq+pqGHaBolNierqQPsSF9KFrHqtwVWOhLCqsCd6NVw5yJPYco/k+jsZe5PDUc1S4GlkR2E6rbwNBpXxOpubnuHkUixYnT/a/3cP4Z4HF3qF77l7GPXcvW2SLdxZC+nZC+nZsx8SyMwymvs5g8mvY11mFcBkOeWuYjsn/iuXkKPM8Qsi1A1UKU7DGSeQPMJl9iaI1zljmJ3iVdsLuO2cdIeDajEdZOiuL0RP/cyayzyEg0hL+f/Gqs8uEBUGdLju6YiSOQ9GaYDDxVYbS30QSvQRc64jod+NSGnAci6xxnsnsq6SLpxlIfgVBEKn2fQRZWLy8J2/00Zn/I3JGFwHXFoKuLWhSBbaTI2f2kzU6Cek75t23aI0Tzx/Er62lyvcR0oVTjGaeIl08z0Diy2hyJbX+X0SXGxhJf494fh+T2Zep9H4QVSqb9X3xqivQpGoUKURAW49HbUeVothOkUzxAhPTmYpU4ShDqW/QpvzOHMcu6n6QoGsrl7IYfYm/YSzzNAISzaH/iF9bN+caJNG3YNTfJVexovwvcBwby8kSy+2lc+q/U7QmF72nV8JxTCayL9Kb+HPy5hC63EDUfT9+11okwYthTRHLv8pk9jVi+X10TP4Oy8r+Jy65et7j2RSZzL1MonAERYpQ4d2FX12LICjkjB4mcy+RLBwlVTzFaPr7uOQadGVutjJhDHFPxa8SUKuQRJmo1kRUa8Ijhzgy9RSN3lKZuuWYJIwpsmYSG7tEEy17iWqXxajTqTy7d3fw2mvniMVKAcVYLIMoCtdlQwQC+i05Gm9MdFPu8vPv2x+i3nNt5/pG8JaFr2KFLpLGIF6lik3RX6XeswNJvLXIat40ODw+SFdiij0jvQRVF63+CIZtkTENsqYxq1kYwLJtjo4P8b+Ovc7Z2BhluoelwTJEQSRZzPNsXwevD3Xzu5vu58H6JUiUnCq3rPBIw1IOjPZxYLSPeCE3R30aoDs1xYmJEbyKyspIJdWe2RPUklAZH2pdzUA6wXguw0uDncQKuWteqzPtZHyj4xh/c+YAmlhSGG3whShYJgPpBP/7+G7OTI3y2ZV30OwvNUtXe/yEXW4GMykSxQJuuURbdj4+hmnbCMDpqVF2VjXNOBrn4uOIgsCK8Fwau0wiR8/pQbY8tIZf+K3HSU6meenb+/nR/32ZcGWQJesakSQR07RoaK9h15Ob8Ph1TuwuOQKVDWVEqoIzQm0AZw5cYKhrlF3v3ciTn7uPqZEEgeh0zaphcWpvB1/9vR+wZmc77/3V+8jnirz+wzf4zp/+DLdPZ9W2UlPuWP8kvWcHuePRdXz6t99HYjLFT778Kj/9+9cpq43QuKyGLQ+uYdX2pfzwr57n0Aun+Pd//ouEKqcV7kO3V4DqRtnTLmX3RCSiWg0uafHxlGv1aNMfiZKzfimTZV+j72meSN91jK/0oZjb2yFwmW7VKwfxK9FZfOLzISBH59wfWVRY6t9Ms3cN/dnzXEgdoj97loQxzkuj/8j55EF2ln+ARs/qmb6UW0E8nmV4OE5DQxTDMJmYSFMsmsiySCDgJhLxzmHysCybbLZIIpEllytimnaJqUhXCIe9eDwq4lUZ1EymwOBgjPJyPz6fi4mJFIlEDtO0UBSZUMhNNDq7ZMS2HXK5IpOTabLZIg4OLpdCOOTB53PNOkc2W2R0NIHXq6HrGolElnQ6j207qKpMJOLF77+8j+M4JBI5YrEMk5Npjp/oJ18wOHN2CHl6vlRVmfJy322JwGcyhenrKGBdRQcrSQLRqI9o1IdpWkxOpmfKuK4+9+RkmrHxJGXT21+CaVqkUnmSyRyFgolp2UiigMejEY360DR51kfTdhwSiSxjY0lqa8LIssT4eJJMpoBtT9/nsJdAYLYBViiYxGIZkskctm3jcilEIr4ZGv6r36F83qCndwLLnK77FgWqqwIEg/O/17Ztk8sZJBJZstkihmkhAJpLIRQs/e5XPo+ZbIHRkQSBgBtNU4jHMzPXoGoy0YgXv//WsoCiICNKAeTrCAguDJuCOUxD8N9QG/jUrOOE9Z1oUhV9ib8ib/QTL7xBSN85KxItix5kcfY9K5VYlWhNXXIlutJwzVE4TpFE/g2G099BFHSi7vtpCn4BTb4s7BdhFyF9J73xv2Iy+wJj6R/jUdoI63cu2nA+kX0JUVCoD/xrqvwfLmU0ZuZjp9RLsACbn+3k0KQKavy/gF9bjU9dScEaZSzzI/LmAJXe91Pt+xiy6AUcckYPObPnipKmy3NhwLWOtsjv4netn1M2FtZ3EdK3cm7iP5E1OsgZXWSNLnza7FI+RfKjXJERV0T/tO6EiCpVXNe9ng+CICILXhQpVKK1vQHkzH6GU98ibw6iK420hX+XgGvTrCxDmedBBpWv0x3/XzOOYnPo/1mw18a0k+hKE43Bf0NI33HFc7mLoGszXbEvEsvvJZbfS6X5AVxy3Zx3SRU95K0UAapwS0FGc+cJa/UISGTNy2WHlmORNKfoz1zEcAxUUUWXvETUypljHjrUzVM/PMzgYIxw2EMw5Matq7hc6nX1ang8N6bZcTUMx6LOHabMdftLaN8yR6NgJShaaRq8O4m6lt2ykwEQK+R5puccuqLy66u3s6OqkaCmkyjm6UxMEtR0/Orsl20gneDvzr7BqakR7qpu5tPLNrI6WoUqyfQmY/zN6QN8v+sUf3D4JVaGK6ifzkZokszWigYiLg+j2TT7Rnp5tHF2hMq0bS7GJzk9NcqSYJTl4fI5irStgQitgVKD0Hguzbn4+HU5GgXbYs9wD399ej9hzc2n2jfwRNMyorqXVDHPiwOdfPnMGzzbd4Fqj59/tXwLXlWjxuMn6nIzlEmQLOapcvvITWd0Gv0hrITDmalRirYJaNiOw/nYBKoo0R6a2yNg2zZltWE++oVHCUR9OI6Dpmt8409+zKl9F1iyrhFRFNnx+Aa4ooy3dU0DHUd7GLgwQjaVm+VojPRO8G/+5y/QurpurpGWyPLydw8QKvPz6d95H4FI6Zz+kJu//e3vcvjFU6zc2gaUSrvW7lrG+z53P6HykvMw1j/J/p8eIzlZSv2Gyv2Eyv34Qx5kVaayIUpZ7c2pXd5u+OQQkiCjiC7uqfgE7f65zfILQRE1NFFHQCBnpafLlOYiYyWw52kEL32yS0oBV1PXXoLhFMnNw1ilijouyYOASKt3A7vKP0RYvXmFUkXUaPaupsmzkrQZ51zqAMdiL9KXPcvhqeeIqLUE1Wup/l7bddp/oJM//dNn+c3ffIzennHeONRNLJZBkkRWrqzh8cfWs3Rp5SzjLhbLsGfPBfYf6GRsLEk+X8S2HSIRL7t2LuXuu5cRjc6eqDs7R/n9P3iaX/jEdurrIzz33EnOd4yQTOZxuWQefHAVH/vo5cyhbdtMTKTZvbuD118/z/hECtt2CIU8bN7UzD33LKOmJjTzrvT0TvClL73EkiWV1NaEOHq0l77+KTKZArqusGP7Ep54Yh1lZX5EUcBx4MjRXl5+6QwDgzEGBqYQBPjiH/1khiK6siLA+9+/kW3b2m7gl5uLVDrPyy+d4eVXzpFK5igUTaam0uRyBl6vRmNDlMcfX8f9968knS7w1I+Osvv183z607u4+6oMwKuvnuPLX3mNX/iF7Xz4Q5ffjcHBGC+9dJYTJ/uJxTIUCibgUFMd4uGHV7N9+5JZzoZl2hw40Mn//b+v8oUvPIxl2jz3/Cn6+ibJ5w0qKvy89z0bZp0/nzc4eWqAn/3sBOfPDyMIAmVlPrZvayOZzM37YZ6YSPOlv3qJWDxDIpEjny/y7//dgzz44Op571U6XWD//ou8/noHwyNxcjkDy7IJBt1s3drCffeuoKbmshBkZ+cYf/mXL7JxQxPhsIfDR3oYHIyRzRbRdZW77mzniSfWEQ4v3mfw5kPEp62gxv/xOc6KKoUI6lsZyfyAgjlAwRzBdvJIwu0vMTOdJKOZp3Ew0OUmqn0fneVklCDgVdsp8zxMpniWjNFBonAEv7YORQoueGzLSVHp/TSVvg/O6VMQEKb1IhY2tzS5ErfSMvNvl1yKdKtyObrSNO1kgEuuRZp2ugxrarpE6sqgi0BIn5/YRRBENLmGiPsesokOTDtN0RoF3vk9Q1PZV8mZvYBAlfcj+LRVc0qZBEGkyvdhJnOvEs/vYTL7EtW+j+FWmuY9piwGiOh3EXJtm/NcerWl+LTVpIonKFrjpaZ/TARmn7PBvZakOU4FS2j0bmT/5D9Ro69gsthHhX557tQkF9WuRiQkCnZ+RvvoyiKogcEpRkeTVFYGeM97N7BrV/u8wa43Cw2eCJ3pMU7FB6j3RKeZQi/PGwFFR75BZtRLeEsLch3AJQXn9FzcLDJmkbxl8u/X7uKe2svMSB5FnZNJgFIk78XBi5yYHKbRF+KXV2xmbbR6pgSq0R/iP6zdxcHRPjqTU/y49yyfW1kyAARBIOzSubummR91n+XVoW4eqF+CcsWNjxWynJ4aJV7IsTzUzpLAtYyh64Mz3ffxzQvHALivrpVPtW+YKY/yqy4eql/CVD7Lnxx9lTdGB7izupkN5bXUePxEXG6GMkmShVLauzsxRayQY2d1I7bjcDExSc40cRyHVDHPUCZJlcdPuXtub4GsSASi/pmMgyAIBMt9eINuYqMJHNsBAbLJHBPDcdLxDMW8gW3Z5DIFCrkitjm7yai6qZyKuvAcJwNK7FA9ZwcJRHx0HO2ZWT7cPY5tWUwMxTCMkmGsagqVjWUzTgaAL+jBMm2M4jtDtXghCIKAVwlR7mpgIt9Pb+YULd51C5YJXerTuGRAKKKKX4nikrxMFgZJGBNEtdpZOhu2YzOc65rfCREEXJKHnJUmYYzjOM5VUWCblDHFeGFgzq6apBNRq/HIfsYLfcSLowSVsgUb4K8e+2XxutnGkCCI+JQw64P3oYk6Pxr8CxLGBFPFoQUdDQERARHTMbCxpoW7FjayTNPm+99/A0kS2bypGbdHo6trjCNHeohNZfi1X3uAmprQzPaJRI6englUVWbbHa34AzqxWJbDh7v51j8dwOt1ce+9y9G0uYGU8x3D7N7TQSjo5sEHVuE4DoNDsTnZjGQqzzM/PcFPfnKMtrYKHnxwFaIocv78MD979gSJRJaPfGQr5eWz57g33uji+HGZlpZyHn54NYWCwRsHu/ju997A49F43/s24nIpCALU1oS4997lpNMFvvyV11AUic98ZtfMR03XVZqaogvet+vF3r0X+PJXXmflyhqeeHwdqiazf99Fnn/hFI2NZXz+c/fOur83g5GRBP0Dk1SU+1m3rgGPW2VwKMbevRf5y796ibq6CK2t5XOM7WLR5I2DXQyPJKiqCrJmTT3ZTIFstoj/imyG4zhcvDjKt761n5GRBJs2NlFXF2ZiMs3ruzsYHo5j23MZdcrKfHz2s/eQTOV46aWzvPzy2UWvI5Mp0NU1ju04bN7cQijoJpXOc+xYH089dQRZEnnf+zbids+OXO7dewFRElm6tIp16xrIZors33+Bb3xzH36/i/e8ZwOy/PY5GgIyEfe9C5TWCEiCB02qoGAOYDt5LDuDJN5eR6MkCpskWTiMgIyu1OFVFzKwBTxKGx51KTmzl0zxHHlzcFFHQ0ClwvvovM3n14KAXOpbmXYgSsxQbgQUFDE8q0FeFHSEabPNdgrMx+S0GCRBQ5NKlQqOY84wWb2TYTsGqeIpDCuGIgYIuNYjCfP1PQoIgkKZ5yHi+T2YdopE/sCCjoZLrsWnrVoguyKgSeVIgheTJJaTwnFMuMq5WRUq0bSLiKwI3EfamKA/e5KgWsG60Gz6bU3SCanl9GbPA1CjN8/Kkum6isulsGx5DVu3ts6Z399sRDQvPxo4wql4P22+Snyya1Z7wPvrt1DmmkvWcD14yxwNTfKjiR4MO4tlF7kd2j+KKLEkWMaO6sbr2j5vmZyaHGU8l+HRhnZqPP45fRZR3c2KcCU9qTh7h/v47Mo7ZswUr6JyT20rP+w+zanJEQbSCZr8l6PhPckYRyeGqHT7WBmpIOS6PQ7Vpabuw2ODlLu93FXTPKfBXZcVGn0hqjx++tIJelNxNpTXUuH2EXF5ODk5SqJYwHEcOuLjJIt5WvwRcqbJD7tOM5pLUeX20ZGYxHJsVoYr5jXPBEFEUWb/eKIkIgoClllqqk9Mpjn4s+Oc2n+BfKaIZVrYts1g5yiRysCcyh3PIun9UmN5kcTEEN/8k5/MWqe5NSobyrCt0mSrupSZ5vArBnzpQIve43cCJEFmQ+h+nhv5GmeT+6nW26h1L0GX/EiChOWYGHaBnJWmaOfwyqFZzFRVribKtDoGsx1cTB8hqJQRUisQBXlGWborfYziPB8XAZFyVz0ThQH6s+cYzncR1WqQBRXTMYgVR7iQPsTEPI4GQJ17KTX6ErozJzid2IMsqIS1KlTRBdOMWkU7T8aMAwKVehPSpenHgYQ5QbI4gU8Jo0s+VFFDQMRyTLJWkoyZREAoCd0tIoTklnwookrCGGc830+ZVocmurmcqRGQhcvEB7btMDWV5r//tw/Q3FxyXmKxDP/4jX28/PJZdu/u4MMfvhw9r6sL86lP7UBRpJlUtW071FQH+cdv7OP8+WE2bGikoiJw9dB47bXzfPADm/nABzbNRNgdx8G8Qsnesmy6u8Z59tmTtC+t4nOfu5eqqiAA/f2TfP0f9nLwjS6WL6/h3nuXz3pvRkYSfOQjW3nve9YTmi4DXLumnt///ad55dVzPPLImmlHQ2DJkkqWLKlkairNN765D5emsGvX0tvaDG7bDi+8cBrHcfjMp3fR2FiGIMDKFTUcPdZLLJahrj6CW7+1npvVq+tpa6vE69Vm6GUty0ZVZH709FGOn+ijsTGKqs6eM7PZIkeP9fKJT2zn7ruWzZQn2LaNbV+eL/J5g8NHeujuHuc971nP+57ciM/nwnFK1/e1v9+NYVhz5ktNk1m6tBSZ7umeuKajUVbm46Mf3Voiw/Dp02Nx2Nt2gS9/5TU6O8cYG0vR2Djb0RgajvGpT+3ksUfXzOy3alUt//W//oAXXjjNY4+tQ5bfPp0JQRDxKAvr2YiCPJPBKLXM3khQ6HodKIuCNYZpJ5EEL7pcvyh9rSpFUaXSfFAwh6fLlBaGJpejSuWLUqEuBEGQ5zgooiCXlotuREG7Yltx5pvmLOBkXHKqDGsC00ljO3lsp0QNbDt5ckbXpS0XPMY7CaVrmcTBwCXXIQneBe0FAXGmX8d2CmSKFxc8riIG0aSqBdeLohth2rGYTRN8GW4pQMIYIWmMYmPR5t+O7ViIgjQnoHeJ/jagRLAde472xsqVtaxf30gmXaCvb5JAQMft1t6yjEaimKNaLwV9smaRrFmctd5cUMj32njLHI2Q2oRPrWEyf4GEMYAuh29ZhE+XZep9QdTrTOdM5DPECllsx2Eyn+XVoW50aW7kMWHkcYD+dHzWckWSWRYqpy0QZSyX5rWh7hlHo2CZXEhM0BEfZ0t5HasiN186cjVM26Y/HadoWxiWxfnYBInC3Kh0R3wc07ZJFvMkiiVj0qdqVLp9FCyTyUIGw7HpSExQtCzqfUFEQeCZ3nOcnhxlRaiC87ExHBxWReb2ZwBYpkUylqGQK6LppX6PbDJHPlfEF/IgSiKn9l7gma+9xpJ1jTz6mbupqIsADv/z81+54WuXFZnKxiiyLPGZ333/TOP2JXj8Ouql6LFwfU1TUHKObNu+DTqntw8iEsv9OxjIXeB88gDPjnyZ1mnWJVnUKNolZqmp4gh5K83a0L2sUy9rS1TpLbR5NzBVHOZE/GVyZop6zzIU0UXKmOJC6hCSKCMLMoYzexKRBIll/m10pY8zXhjghZGvscS/CV3ykbfS9GfPMZrvIarVMprvmTP2clcjq4K7SJtxTiVeZ7zQT527HZ8cxsEhb2VImzFG8l0ElXIeq/ncDBuXjUVP5iR7x39Ajb6EqFaLRw4gCTIFO8dEoZ+LqSOIgky13kZEq1nwHpa56gmrVUwWhjg09TMyZpzgNP1v3s5S4Wqgzt0+4+SIosCK5TUzTgaA36+z7Y5Wnn32JOfODWGaFrJ8uXfhaq0EURRobi4jGvWRmO4TmA8ej8b996+YVcYjCMIs4z6bLXL69CCWZbFhQ+OMkwFQUxNi2bJq9uy5QG/fBMWiOStzUlERYP26hlk9AMuX1+DzuxgejmNZb61RYVk24+MpAn6dUMgzY8i7XAo1NWEuXhwlmczdsqOh6wq6PnselySR1avrePa5k0xOpOcV1BIEgYqKADt3LJlVAy2KIlfGccbHU/T2TlBe5mNZezU+n2tm/w0bmnj+hdMMD8dv6RoAZFma05ciigI1NSFqakKk0wVyueKc/aqqgmzc0IjXezmwtXp1HW6PxuBQ7LaIid0aBBTxRrJWt3+8DnaJ5pWSYS+LcwMBV0IS3TPOj+lksK8R+ZdFPzerNl3SEpnfFCutW+C48/yupp0mVThJsnCUdPEMeXMI045h2lmcSzokC5TGvlNh2ins6e+VLAWuoW8ioIiXtCvsRZnSREG7gczZ/M/kueSrjOY7So7DVQ6yV45SqV92sA27yHC+l47UCXJWmmbPckLq5Wb+qqogmzc389OfnuCpHx6mq3OMyqoAuku9THG7iHkjyyIbNsyfvbkePFyzhodr1tz0/ovhLXM0Iq6l1Hnu4ELiGTqTzyEgENKaUEXvTTsckiDO6ygshLxpYkynuH/Sc46f9p5f5NjCHB5hAQioLu6va+MvTu7jwGgfH2hZhUdRGc2mOTYxjOPAsnDFrEzHrcLBIVUsvWhjuTR/fPTVRbd3yTL2FZNQjcdPQHUxnEkRy2fpSk4R1HRC0z0sLknm1NQoT9o252LjOA6sXMBRsm2b0b4J9v/sOEvWNlLMFzmx+zyO49CwrGQApuMZLNOmprWSspoQxYLB+cPdxMaSeIM3lhLXvRob713Jq98/yGj/BI3LapBVmVymQD5TwO11zTBY3QiC5QGMgknXqX4EoRQF0j0uvEH321bPLAgCuuTl7vKP4ZWC9GRPczF9lFOJ17AcC0mQUEQXbslHtd5KQJld2qJJblYGd2I6Rc6n3qAj9QanEq8hChIeOUi13kqbbwOvFL+JYc5m/BAQafOuZ2P4ITpShxjKXaQnc5JSCtlNRK1mdfAuZEHh+ZGvzhm7JEgs9W1GEmROJ/Ywku/m8NSzM9kTWVTQRB2fEqHc1TCrrlhAwCeHkQSFC+nDnEq8jumUGqAlQUYT3fiVCGtD97A2eA8eeeGUclitYlVgF6ZjMJrv4dXxf5qOMMloos72siep1ltnWLlEUaDmqh4dSRLx+3UCAZ1kKk86XSA4/dw6jkMmU2BkNEFsKkMuZ2CYFiMjcVKpHMGAe0HDrr4+gu5enIUsnzfo7ZvAshwGBqd49tmTs9Z3do4BkErmyWaLsxyNqqoAXp+LKw8vSSK6rs7KmrxVEISSExCLZSkWzZn7YtuleyjLIop866ntEjtLltHRBIlEttQQblp090xgGBamac+b0FQVifr6yIIie5eQTOWIx7OEwt6Z5+ASQiE3Pq82b9nnzVxHPm8wMpJgcipNLlvEMCwmJlJMTWVwafK8JVo11WF0XZ3zu7vdKlNTmVse1+2AcJsptW8OV74D1/q9hCuy4dci1yg5BLeGW//mWHaW0fQPGUz+Azmzu9S4LdfhUiunBQhVQCRv9hHPH7jl8711cLhs6F+PnkTptyiJMi487wmCeMu/2+nE87R4t1DrXjWH6VEW5jZn+5UQS31rmCgM41dCXNmjcfxYH/v2XySVztPREePQoW5EUcDlUlAUeZp9auGx+Hw6X/7Kr9zS9bxZuO2ORsoYYSx/es5yAQFZ0NCkIF2pF0kY/VToq/HJlciiviijg4hMk+/OedfdiE0oi+JMqdSWijraglHkRc7rUdQ5j7VHUdlaWc9Xzx2mMzHFmdgYG8tq6E/HOTI+SL0vyJpo1SztjNuBS7S3QU3nofoleOSFo4CyKLE8fLmkptYbIKTpDGeSdCYmmchlaA1E8CgqYc1NQNM5MzWGYVucj4+jihJLgvPXZ5ceeJGDz53g9P4LpGMZxodibLh7Bcs3l/pkGpfXUNNawbFXzzI+MIUkiRQLBh6/jku/MWYEl8fFjsfXM9I7zk///nXKa8JIikSxYOBya2x9aM1NNXMv39JCQ3s1z3z1VaoaypBkkU33r2LtnbdOQRlQoizz30HOShNQ5jbULwZBEPArEe4s/whLchcZynWSNCcw7SLyNFNFQCmnSm8mpMx1BkNqBVsjj1PjXsJQ7iJZM4ksKIS1Klq8a0mZsXnfNUEQUEWdHWUfoEZfwki+m+x0uZJXCVKjL6HW3c5EYYCN4Yep1lvmTKyKqNHu30qlq5nB3AUmCgPkzBQIpYZxj+Sn3NVApd6MckWpgIBIrb6Ueyt+gfFCP2kzRtHO4zg2sqjilYOUuxqo0dvwyPNHIk3bYjSXQpcV2v1bCarl9GfPkTAmsBwDWVDxyH4aPXM/CK55+ilEUUDTFCzLplAo0Wo6jsPISII9ey5w+vQAmWxxJq2dSeeZmspQV7uwEqzf55pTqnk1LMsmmymSyeTZv7+TY8f65mxTVRWYKY26+jrkeZzukiO96GnfFMiyxJo19TzzzHFe393Bxg2NyLLEhYujDAxMsXZt/RzDfTHMdw227XDhwgh79lygs2sM07RmjP54vOTgLARREvF5r11TbxoWhmHh87lQ1NmGiSAIqJqCJN2aoeg4DlNTGfbuvcCx432kUrkSkYggkMsVGRlJ0Ngw/7Pl0pUFyiuEd0A2450CEWU6i+E4Fpa9uGCp7eRnshhXly+9UxHPH6A3/n8w7Bg+dTUV3vfi11ajyVXTyuXqjDPybnI0SqKJJXvHstOLOg/gYNqXMlfSdKbpzUODZx2GnSdpjCGL2ix7Ub0qW6KKGmG1AllQSqrhsn/Wt3hkNEFPd0lf5Gb6M26VderNxG13NCby59k39qdzlgsIiIKMZRcwnSIjueOM5I4jCiqKoE17ofNP1oqoL+ho3AhCmo5fKT0M26oa+cSSdQS0G2vekkWRWk+AzeW1vDE2wN7hXlaEyrkYn2QgneCB+iWsnIcW9lYgCyJVHh+SIBLSdD65dAPLwtdvwNZ6A4RcOiPZFGdiY6SMAjurm/AqGh5FpckfYs9wL5P5LP2pODVePwF1/v4SSRZpXFbDXe/fzNmDnWi6ytq7lrN2ZzvBstLL0bK6nsd/+W5O77tAciqD7nOx9eE1rL1zGaZh4vZdPvbmB1ZjGubc3oppiKJAeX2Ej37hMQ6/fJrBi6MYRYOySIj6pdXUtZWM7YqGKDseX0/TitllNY3LarjzyU2U1UXmLP/gv32I0/svkIxlUFwK+nUYHdeDClcjFa7Gm95fQEARVeo9y6n3LL/h/XXZxxLfRpb4Ns5ZlzJjC0bnBEFAE3Ta/VsWZLyq1luo1lvmXXdp7CG1gpB6/e+AIAhokk6rbx2tvhJH+yVhyrSZxyNrKIJE3jJIGXlUUUYSBAqWiY2DS1JwcLiYGiek6rQHK4lqzVS62gAH23GQRWlBI/+SI3ElbMehWDQRRWGmJymVyvPqq+f40dNHaWoq485d7VRWBvB4NAYGp/jOdw5e8zqvBVEUUFUZv9/NvfeuoK11/vtYURGY0xQs3EDp4FuFBx9YRU/PBN/97hucOzeEqsgMDsVYsaKG979v4xwDWRDmL1JwHAfTsuaUf41PpPjhDw9z7HgfmzY1s2Z1PdGoF11XOXN2kK98JTbP0S7jemgjJUmcpuy255zfcRwsq5QxuRWTPpczOHiwk2/90wEqKvzcuaudmpoQHo/GxESKp350pES0Md81CDcWcPvnheu76wIiqlSGJHiwKZC3BnEca8GeCsOKzfRlKGL0TTdYbwdG0j/EtJMISDQEP0/EfdecbRzHxHKyN3jkt/fhUkQ/ihhEQKJgDmNNi9bOP9fZZKd7UERBQZfrbts45nvSJEHlYnoPcWMYTfRw5b3yyhHqPWuv2N8mbSSYKIygiS4UUZtFVrJ+fSORyPWJ+86Hm+2vyxhF8paBR1FJFPNokkxAcb2zdTQEQURapFlTEl24xRsz6BY73o3Ar7poDUQJqC4Ojw1wb20rPlW7ZpTxaoQ0nbtqWnhlsIuTk8N0JCY4PjmMV9FYGa6gwn1znfkLQRQEajwBWgJhJvNZ9o70lrIx15mur3B7ibrcdMQnODs1Rs40aAtE8cgl435FqIJXB7s4PD5I0iiwfZHmescBVVfYdN8qNt23at5tVE1h5da2GdrZxfDQJ3decxtRFIlUBXngY9sX3KZxWQ2Ny+bW7q/Y2sqKra1zlguCwOodS1m9Y+mcdT/H2w/bcYgXs1xMjaGIEk3eMi4kR0tlVoqGT3ExnEtg2jaVup8mXxRNkrAdB8dx6E5NENLcxIpZgopOmcs3b4mm4zgMDSdmn9u2yaQLpFJ5mprK8E47oGNjSU6eGsDr0Xj0kTXccUfrzGScTudvy8SsaTLV1QHOnhuivNzPjh0LN9HeHghIklhqC13AkL0VRKNeggE35WU+ohEfsizS2lbB6lV1tF7lRAkCyJKIbdkUi7Odv1zOIJnMYV7FWNd5cZSOC6M0Npbxvic30tBwWWjqUpnZrcLj0fD7dWKxDKnk7Fr9bLZIOp2/5f6XRCLL0WN9CELJOXvggZUz13H27BACwjXLd36OhSEIIrIYwqutJJE/QM7oJWf241Ya59naIWd2kzW6AXCrzWjy7eu5fLOQM3twsBAFfUGKW9PJLNogPS8ECRBLDeVYixj5bw5E0YVHbSeeP0DRGiNT7MCttMyhES4VmZtM5V4r7Se48Wvr39Sx9WQOs8S/izr3KqSrygOvJi0xbIOp4hhDuR4EBCrtHEElOuObtLZWzJkT32zYjkNPepKz8VGCqpt4McuKUBWBwO0Jul7CbXc0wmoLGyKfua3HXLz550aOI7CrpokDo30cnRjiOxdP8GhjO83+MG5FpWiZZAyD4WypxOiummbC2tyafZessDJSSY03wEAmwcsDXRyfGKbJH2JDWc0NOy7XgiAIBDUX729ZxZ+f2MMPu08T1T1sKKsm6vKAIJA1isQKOXpTMXyKxqpIJa5pR8Itq1S5/RyfGOZ8fAJNKon9XaLmXRGuQJNkXhnsxLBtVoUrF4xhONxi6O4mYNoGE4VRbGyq9bnqnLeCwVwPA9keIlo5zZ72WXSwbzcsx2SiMErKSNDqu/HMxrsZRdtkIBOjKzVB3jIIqR4GMjEqdD+D2RyapExnNySGcgmq3FeVVAnQmRqnMzXOroq2BT+MluVw/vwQw8PxmcbrTKbAiRMltezm5rJZTEaGYeF2a/h8lyM+mWyBs+eGGB9PUl52a5FPt1tl+fIaXnjxDMeO9rLxKgYry7LJ5w1EUUC/xSZqKEX0/X6dZDLHxGSamupbo5q9Gl1d4xw52sujj6zmwx/eOkc870qUxAs9pDMF+vqnMAwLRZGwLJuu7jE6OkbnlAIZhoU9rTVx5bETiSxHjvRQyM/NVt0oolEftTUhzp0bprNzjPb2KnRdxbYdTp8ZZGwsecslSrbtYBQtNE0hELj8zcnljZlSs+rq4C1fy79kyKKXMvfDJPNHyZuDjKafotb/6VnidAB5c5ip7OvkjFKfg19bjSrdOtXzmw0RjZLVamNYU3OcI8vOkcwfJp7ff0PHlUUfoqBh2BnyRh+2tv5N0TlZDGF9B1O5l0kWphjN/AiPugSv2j6rid5xHGK5fUxlX0NAxqetwKu2v6njCqnVpM1JxvJdJcfiirnNJXoJa5czKqIg4Za96JKHop1Hv4Yg71sFRZTQJBkbm3KXj5B6ayKf8+G2Oxp+tRq/Or/s+zsBK8IVfKhtDX935iA/7D7NufgYTf4wbvmSo1FkJJuiMznF8lAFYW3uCyUKAhW6lx3VjTzdfZYXBi4wlkuztbKeJcGFtTPGc2k64hNMFXIlFqhclql8KY356mAXE7ksuqygSRL13iArwhUzP7hbVnmkfindySme7TvPnx7fzepIJRHdg4BA1iwSy+foS8fZXtlAayAy42gA1PlKxkpPaor1ZTX41cuGUnuoDJckc2hsANO2FmwEf1shgPAmOThDuV5ixgRNniXcLHPImwHLsRjJDzCU6/sX52jkLZOu9ASxYnamj6poW2TMAqJQ6rXKWwambeGWVXKWwWguhenYVLr9NHmjnE+MYjvgkTWkBRxIQSgZq3//9d1s3NCEqin09Izz0stnaGyMcscdl7NhoZCH2toQe/deZPfuDjKZApbt0Nk5xpkzg9jWrT+gilKiRN22rY2DB7v4h3/cx4oVNXg8GkbRZHIyjWGUGKkuUafeClRVYvXqOn7842N873tvsG5dA5IoIssSjY3RW+ZyV1UZt1vl9OlBvva13chyiT3F7dGorgqydm09fn8pMqlpMg0NEXw+FwcPdBIMeigv95FK5jh9epCRkTiuq0osa2pDhMIeOs4P8/ruDhobo+RyJeau8fHkbYmJ+HwuVq+u4/CRHl5+5Qy2bVNZGSSZzHH4SA+5XHEO5TfA8HCcXK5IsWgyMhLHcRwGBmOlEjJVRtc1KisDCAIl8cKmKCdO9rNnTwe2XVKc7+2b4NSpwbecMQwuNdOa2E4B287PZFRMJ4tppxEFFQHlLY1u3wpEwUVY30HcfRcT2RcYyzwFOARcm9CkKA4OBXOYWG4PE9kXcLCJ6HcR0GYrUL9T4dfWki6exnYK9Ce/QoXnURQpCg4UrVGShWNMZF/AdvLcSDmUW2lFlaIY9iSjmR+XMgzKUkRBw3EMLCeDKpXjkmsX7LUtOeIWllPEsjM400Q7tlPAtFOIqAiCsuD+HnUJZe6HyZtDJPJv0J/4GyLu+3ArzYiCC8tOkzbOMpL6PoY9hS43UOP7xG3XY7kaUa2RkVwH407ndOXN5fvqkUO0cLkEWREVgkqUnCuD5ZiE1Oii706hYDA+nmJyMk0uV8SybJqbyykv9982yltREGjyRajQfdiOgygIN0SwdL14SwX73gnQJJn769rwKiov9F/g+OQIJyfOkDGLqKKMVy2J/e2saiLiWvghDWou7qio54ddp+mIT1Dl9rEuWoVPXbgh52Jikr8/f4QL8QmKtkXeNIlPq4I/3XOWlwY6USUJVZR5oL6NFVf0eoiCQJXHz6+u2EKdN8DekT72j/YTy2excXDLKhGXm2Z/mBVXZDMuoc4bxK2opJNFmvxhfMrlaGjU5aHa4+fw+CBuWV2QMcsf9vLwJ3fdtl6GqzFZGON86gTgICCyKXInjmPTnTnPeGGEGr1hZtup4jh9mYuokkbCiFOmVdLkWUrBytGbvchUcRzHsWn2LsMnB+jPdVGjNxBQwpxNHiOkRChzVVGjN1Lr7iNmTMwc27QNTiUOkbHSCAhU6/U0epaQMKboTJ9Dl9wkjClCapRW74qrlFlLyJgp+rKdpMwEpm0giwrtvhJ1XE+mgzbfCnTJw7H4fmr1RkYLQ5h2kYQRI6pWEDMmafUux8FmqjjGgclXAIdadxM1eiMpI0FftpO4MYkuual3txDVKunJXCBtJrEck4yZotW7nKhW+Y7K1FwPXJLMskAlTd4I0nTmTRQEynU/AUUnUcwhCyI1nhCVuh9dUmjyRShaFqooo4gSlmOzPFCJT1n4eRVFkfXrG8nlijz942PkckXyeYOqyiAPP7yalubLvVChkIft25cwPp7i0OEeTp8ZQlVLehqbNzWXjneLTcGXzvPe96zH7dY4ebKfc+eGEEURQSj1C8wnPnez0DSFu+9exvBQnDfe6ObMmSFkWaS2NswTj6+7JUcjnzfo758sRRrjWc6eHQKhlJUxTRvTtOjtm+TDH9qMqspIkkhTUxnvfc96XnzpDD/84WE8HhVVVWhqjLJ5czNvvNE16xy1tWHuu28Fzz17iuefP4Wuq8iySCDg5okn1jM69sot9y8IgsDy5TW89z3ree750zzz0+NomoJbV1m6tAqXS+Hgwc45ptu3v32AsbEkRcNieDiOadq8/tp5zp0bRlUkqqtDfPaz9yIIAh6viy1bWujvn+L0mUG6usdnnLTly2vwerRrMEjdnufBwSFdOMNk9gVsp1hyMjDIFM+WauMxGcv8mHTxDCIKgqAiChoR99141fYFRPneTFz/dZeUsSup9X8GB4up7OsMpr5OLL8HVSzRcBetMXJGHwgCUfd9VPo+iEuufRPHf/tQ4X2CRP4AaeMcI6nvkC12oEhhwKFoTZI3+9CkKqp8H2Y4/e3rPq5fW03AtZm8NUSycATTjqHJNYiCMi36l6PC+x4qvJUIXP79HRxMK85g8h9Kz5FTxKFI3hzGtBM4WCQLR+ma+uL0c6QgCho+bQ1B1+YZNXQAUVAp8z6K6WQYSX2biezzpI3zuOQaRFxYToas0UnRGsetNFPr/yUCrvn7DG8W8z1pTZ6NNHjWzbv91aVUpm2QNKbImEk0USdvZQkocwkeikWTs2eHOHKkh97eCeKxLPm8gWXbfOyjdxAKeWYcjYGBKc6cGUSWJe68s/2mHBDDtriQnGAqn8ElySwNllOh396epHeloxFQXXxiyTom6paw/CYar0vCey0sCUbpTk4xnsuQs0wUQcQtK0R1Dw2+EFF94dSWKslsKKvlv2y4h5xpEHG52VA+d0Ia7hnj+KtnaVxeS9WSEA/XL+WOimuX/zQH5hr7sijS6AvxyfYNbKtsYCCdJGnkcZxSQ2xAc1Ht8VPnDeC6ivVqabCMz67cylg2zdpoNQHtcn2jJIp8duVWBtIJVEkmoM7fCOQNutn5nrkNxrcDtmPz6vgzVOv1uCUvwkyLlIAkyEwURwGHRk+pZj1hTHE+dYIm71J8sh/XtNp8Z/osQ/k+yrRKJEFCFVVyVoau9Fn8cpCAEqYrc44GvZWwVj6HgYjpc+qSG0EQSZtJDsVep8HTRtpIci51jBbPMryyH5foXvAzl7eynE4cJqCGKdeqOZc8TkiJoktuOtInqXe3oEsezqdO4JV8dKXP4ZMDjBeGyZppBEGgJ9OBLCrkrRwe2cdkcZTTiSP45RADuR4Gcz1UuGoYLwxjOgZe2c9QrpeJ4gh1ejNe2Y8iKrPGGFIquLv8YxTtHEGlbFHV7LcTuqyyIljKjAqCwHA2wdJABevD9SBAV2oCt6yyLFBZynYhsDp0+f0bzsap0gO0+svRxIWnOVEsifBt2tTMxYujZDIFXC6F+roILS3lM/oZAIoisWJ5DX6fi97eSbK5IqoqU10dpKmxjObmMopFaw4jVHV1iF/8xZ2URX1o2rWnXEkSqauL8IH3b2TdunrGx1MUiyaKLOH361RXB2fpa1RWBHj/+zfi0hRCobnBkfe/byOxWBa3e64RKEkizU1lfOpTO+jsGiObLSIKEIn4qKxcXGvgWti//yI/+OFhtt3RxurVdXg8GoJQKldLJLI8/fRRXnjhFDt3LqGxoVSaEgi4uf/+lTQ0RBkbS2FZFj6fTlNzGbIksmJ5DXV1l+dGl6awa+dSqqtDjAzHKRYtdLdKY2OUhvooDlAW9c36HSVJYFl7Nf/qV+5iyZLry976/To7diylpibM4FAM07AIBt20tVWSSudZs7qO6qvKztqXVVNXvxgL2eU5WJ7+HT7x8W10dY2RzhRQZImKSj/NTeWMjiaYnExTWRmc2ae6KsiHPrQZn1ef0fa4Eh/9yFbS6fyNifU5DpniOfoSf4vD/CJlifwBEjOsRSU1ZlUqw620vA2Oxo3lrERBxaetpCHweTzKUhL5A2TNHtLW2Wl2vDB+bQ0B12Yi7rvxKK2LMmK+k+BVl9EY/HVGsz8imT9OvPAGjmMhiW5cUg0hfRdl7oeQxQDx/BsY1sS1D0pJvLDK9yFk0Ussv6fU32L0ACKSqKNKZQjzVQI4YNhx+pN/i+0YMA9bVNa4SNa41DMiICBR5fsQXnX5LEcDQJPKqPJ9CJdczVT2VdLF0yTyR7CdApKg45JrCLvvJqLfRdi147aV3F9xOXNwZWnUtWA7FlkrjeWY+JUQrnlKp7LZArt3d/Dsz07Q0TFCNjtbNyeRyM0q0zSKJt/8xj4kSaSxMUpz842xXEJJAy5WyCKLEhVuP66fZzRK8Cgq99ddu9F4MUiCSIMvRIPv5muSy91ePty2uMDJ1EiCg88eR5BE7lvXSOM8DsSNQBBKzbDrympYV7awcNnViOoeHmlYuF7xntq5DdPXC8d2mBqNYxRMKhsXLh1bDHkrR1+2kwcr319yNC45OgJU6fWMFYawr1Km1CSdOr2FKr30sht2kfHCMF7Zx5rglhknYjw/PHu8i9RTO05JQTphxrEdi5yZYTQ/OLOPJrqo1ZuocTde85okQabe3cIS7yqGcr1krTSqOPtDfHksAhWuGmRRwXFsIlo5fdkuKlzVhNQIK/zr6c91cTS2j/HCMIPTjoYqasSNSWxs8lYpO+aTgzR72wkoc581nxJmXejeOcvfibjS2Q1rHryKNrOsWg9gs3BToktSWB6owns97BkONDZEZ4zdxeByKbS1VdLWNtdAXbu2YZ49SjX+Dz+0+prHvhKiKBAKedh4HQJM4bCHO3ct/G7vWmQdlGhom5rKaGq6uXd3Iby+u4PJyTQPPFByHK5keMrnDTo6RujpnWBsLDlz7wVBIBBws2k6Q3Q1auehsvZ6XaxdUw9r5gZw7r1nbsmhKIo0NERpuOL3zueKxCbTVC1ClX2phGr16tnGRSWBednBHnxgfrKMhaCqMo2NURob5z6H89EAR6M+7rl74ZLKe++9mXJLAb+2ltbIb9/QXgFt3Rwno8z9IG6lEQFpRmV7PqhSBTX+TxL1PIBLrpmhoV0M5Z7H8KkrAQHtBjMOoqDiVZfjkmvRxa0c7jhGPB3nno1LkEVvqbfBquLgiThHOl5HFATu37yUVS1zSxVV86McPtLE49u2IYs3RgKjSZXU+j+NYU3iUWfbMyF9J4oYRpEiuK5gTlKlCPWBf0XRmiSgbZihfYUSnWvYfRcupZ6cuwfTSeA4NsmMzVOv9vP4HQ8QiqzCtNM0BD+LaafwqSs51TXMud4xdq5ppiI8/zV41aWoUpiQvo2iOYbl5AERUVCRRT8etQ1hHnNSFSO0hP/LDd0Xt9KMssC91KSy6d9+FXmzH8NO4DhGib1UiuBWmnDJC9tFVz9ri7GJ+bW1aPIvEdKLBF1bbsmJLlg5hnI9jBcGsR2HicIwYexZ32jbdjh4sIvvffcNurrG8Hg0li+vIRL1cvJEP/H4XLawqqogxnTG9NCh7ptyNGRRRBZEpgpZDNvCK2sLso7eLN6Vjsa7CTUtFbzns/dTVhNGuA4qxXcjMqkch144iWM7PNR4czTEkiBhO9aMM3GpHnixiLsiqujS5Q+wUAptYzklZgyE0nEkUcZ0TGxsbMcmZcaxFlBHdXAYyvXSkznPhlCJEctyLC7FM2RBQZevj4LOJekoQkmg7ZIDIQkyRaskRmc7NgljauZaFVFFmlaJFRBxHBvHcTAcY2Z7GwtZVFAEBY/sp9JVS6WrFq8SmGkuc0lulHcB7/uNQJPkWdo0+iI6MgAh7Z3RaPcvGblcSXDuajYrx3FIJnOcOz+MJImEwzdP6XgrME2L2EQazSVjFC3OnRjA5VKRVQmfXyeXLZJJ5XB7Ndye2RmDQt4gny3iAB6fC0kUmBhLoigy/qAbSRYZHYpjmRahqBeXrjI+ksDt0fD6b+9HfDE4tjOtPTd3Hi0WDM6dGmSwd5KHnlw/Q4/sVltwqwtTWF/CxGiSPS+fZfOONtw1oTnn8Kmr8Wmrr+noK1KAiPvGvhsB1wYCrg03tM+VEAQRRQqiS2tIxVWm4hkqvTtnyuyKhkl11KZ/zMPuE920N5TP62jI9nZ6ex30HXcizmFBWhyKFJyXghbAq7bP28gsi36i7vsWvS6P2opHvRw4tHJxjp5+irtWBQABWfQR1i+zPfaPnuXA6V5Wt1Yt6GgAqFLZog7j3LEIyJKfat+Hr3uf64EoKHOu8XpxPc9aIp8nb5oEXLXEcpuRBA9Zw4siiUiCzXA6hUtWCLlcWI5DwTSZyuWoDQTAcRjNpPGpKr4rpBMkQcavhFDF0nfZATzS7Hs9OBjj9dfP0909Tnt7Nffet4LW1gq8Xo0vfvEn8zoaLl2ltbWCsbEkZ84M3vD9gFJQbkmgnHgxi2Hbc6phbgd+7mi8yQiW+Wf0Jf65YnI4xun9F6iou3lmDlXUWB/axivjz6CKGrIgs6PsISzbYP/kS/TlOsFxcEtelviuiBRe8RErZRBa6Uid4vnRHyAg0u5fQ4WrBl3ycCS2hwup0+SsDIIgYDkmB6f2cy55nJyVYbf4POuD21BEhbgxRU/mAoZTwHeVSNz1uoslJ0mYtcSvBHFJOrsnnsMj+7hW6l8QRPJWlpfHfkzGTBJRyynXqrEci6yVoTdbSjs3eZYiTzfKCjcyyH/p+Dlj6JuGdesaOHt2iK9+7XU2bGgiFHRTNCwmJ1KcOj1AV9cYd921jNqa28t0dT0wDYuujhHGhuLUNEZxezQmRhOcPtYLwIp1DfR3j5PLFmlsrZjjaHSeHyYZy5JO5ViyspZQ2Et8KsP5UwPsuG8FE6NJErEMXeeHeeh9G+g6P0IqkWNqIsXdj6xBn6eM7c3A1/7yJT76K7tQ1blsX6ZpMzwwxbmTAzz05I3TgKbTeU4d6aV9ZS2V8/yGi537nQLdpbJtVRMFw5zVy6MqMu2NJTKWc70L0yRXRf384iObCfvd/4K1TP75YCyT4dzEOAKwvKycVLFIqlDk5Ngo22rrCOouJrJZjo+M8OSy5Uzmsuzr76c5FKLa7+fo8BDxfJ5UIc/DbUtxK6VvsiwqRLTFyzQvXhyhs3OMSMTLQw+v5u67l81oJc0nKnsJdfUR7N0dDA4srhk0HwzbwnYc/KoLlyTTk54ib906U9/VeFc7GsM947zwjd2s2NqGIArsffoIickUlQ1l7HjPRpasL5Ud5LMFTu05z6EXTjE1EsMb8rDpvtWs3tWOx+++4nhjvPStffSeHcDl0dj0wBoUVeboy6f57B9/glQsw4/+5gVkWebDX3h0Zr/BzhFe+tY+KhvLuP/jOwA4uec8L31rL7GxJACP/fI9bLx/bir9B3/xLN6ghyXrG9n3k6N0nx5AFAXW37OS+z62HUEQsG2bsf5JXvnOfnrODCII0Lyqnu1PbKC6uYJMMssbz51kfGASt89Fx5EeNj2wCpdb443nTuDyaNzz4W3Ut1cjCALZVI4DPz3Gyd3nScXThCqC7HzPJpZtaUFWZGzL5rt/9lN0r4v6pdW8/oODJKbSRKpCbLhnJevvWYEkSwx3j/HSP+3j7BsX6TrRh9unc+FoDwBNK2u558PbqFtyfcw4giCwMbyLsfxwyTwXRGRBQhQFWr0rqPe0gANeJYAqapRrNeghDx7JO+sYdXozXslH1io1TobUKJroYkNoOykzgYhIq3cZITWKImjU6k2E1TJsx0aX3GiSi3KxhvvK34MoyEiCxEr/RgREwlo5m8N3TTsIi8MnB1kX2oZXLjmZawJb0EQXHtnPtuh9ZM00kiDT4mknolXgU4J45QBhtRQxUgSVsFqGS3ITUcumGWAgqIRxSTrVrnp0yU3OLF1nQA0jItDuL5XyaeI/r4zGz/Huwz13L8e2HPbtv8jTTx/FsmwEoVQiFAjofPQjW9mxY+kcJqm3AoIooHtUJsaSIEDb8mpcukK0ws9QfwzLshElkZHBGD6/TsVV1LLxyTQut4pqKKTiWbKpPCODMS6cGWLj9jYcx6H34lipt0aVOXWkB7fHRS5boJAvviWORiqZ4/kfH+ODn96BOs/pNE1h3eZmWturbsoRKK8M8MFPbae6Ljxn/2ud+1ZxcWCc833jDE8kGJ1K8+CWdk52DjEwnuBD96yhta6MgbE4P9t3joHxOCDQUhPhkTuWUx72YpoWZ3pG+d7LxykaFuuW1tJWd/3R+nS2wD+9eIzOgXEEQeDXP7wLt+vyhf7h117ggS1L2X2im5HJJJURPw9taWdpQzmO4zA8meS5A+fpGZkiXzCwHagp83PPhiXzZk6uxFgsxWtHOznXO0auYFAW8vLotuU0V0eQJBHDtPj+Kyc4cXEIr1ujvaECWSr1KF069zN7z9IzPElNWRDDtEoq9EAqW+C1Y51oioxt2xw404tp2Ty+YyVrWqtRZImjHYO8dvQi4/E0ZUEvD92xjNaaKJIkYtk2z+w9w5Hzg+QLBuGAmztWNrJjTTOO4zCRyPD8wfOc7x3Dsm1qy4PsXNPCiuZ3BtOlLsuYts1AMkmNv/TtrvR5GUgmSRtF4oU8vYk4J0ZHeHTJEjLFIpIg0BIKYzs2BwYGCLg0DMsmZxgzjsb1YHQ0weREirVrG1jWXj1HkHUhBIM6UMoS3yhSRoHxXJqBbJyUkWcgk2B7RRM1nuANH2sxvKsdjWwyy+EXT9F/fhhNV4nWhPAG3YiSiGWWSnCMgsGr3z/IS9/cS7gySE1rJWP9k3znT58hnciy/YkNuH06mWSWv//v36evY5g1O9rRfS5e+c5+YqMJsqnczLHOHexEucq7TMeznDlwgXzucuNOZWMZWx9Zx/HXz7L7h4cY7Ruf9xouHOslm8px8GfHKasL07CshuRkCmNasMpxHCYGY/z1b32TdCzD8i2tmKbF0ZdP03duiI/+5hO4fS66T/dz6LkTrLt7BfGJJN/53z+lbmkVLrfGyd3n8Ye9RKqCKJrCD/7yOQ6/cIrG5TXUL62m79ww//e3v8Uv/s4HWL2zlK4990YngxdHiVaHaF5djy/kpetUP98+/hNUTWbNnctxuTUalteQS+cZ6R6nurmC9feuBKCsJoQncGPUcl7Zj9c7O/sjCZScjKugiCqeeUqYNMlFpT63QSuqVRKdJ6KwkC5Hs3fZnGW65EbXr++aVEmjQrpcK1ruukz5XOmaW1N8ySGBy06MTyllUgLK3GihJrmolOYe55Kj8nNcGxs3NPJ7v/eBeev+f45bRyTi5eGHV7N+QyPpVB7TtBBEAVWR8flcRKO+eZuY3wo4jkM+a2AUTUYGY7Qtr0ZWZUIRH5NjKYoFE6Ngkk7miE2l5z3GcP8UqUSO8ooAsck0sck0RtEEB1RNZmIsQVlFAByoaYjS2zmG1+dC91zbgEin8pw83MOhvReJTaXxel1s2tHG+i0teKbv2dhwnL0vn+XsiQEKBZNQxMOTH7uDytoQ3/q717hwZojYZJrf+4//hCSJuL0av/UH78dxoLdzjG/93esUCgat7dW0TFMlp5I59rx0lmLe4JEPbJxpoj9xuIdzJwdYv7WF6rowz3zvEKePlbRmPvW5e2bKwUzT4ht/++q85/6N//YkZ4738/oLp/mV//Ag2vR3dKh/ij0vnaGuqYytu65PQDWWyvHcgXOsW1KLYVp8+ccH2LmmGcuyef6NDhqqwli2jUuT2bmmBcOy2HO8i2zB4HPv244oitSUBbhzfSuvHrlIR9+NiTtqqsz2VY24XQrfefEY2av0Wvaf7qF3ZIq7N7axtK6Mw+f7+eozB/ntTz9AwTB56dAFBsYTPLB5KRf6xtlzspvljRVUR69d/WDbDpIksnZJDS5VYf+pHv7h2UN84aN34/e4ePHQBX62/yyP71iJS5XZfbybzLRtEk/leHb/Oc71jrJrbQvZQpFXjnSiT2sFGYbF2e5Rekam2LqygS3LG8jki4R8OpIocrZnlKd3n6KhMsyK5iou9I/zpR/s4Tc+fg9VET+Hz/Xzkz1neO+uVSiKRDKTn2FCSucKvH6si9PdI+xaWwocFkxzVu/W242iZWHaNuOZDKlCAYCgy0W6aAAC/ckEk9kcRcviUntlWNcJ6zoO0BgM0hOPEXF78Nygh53NFikUDEJhDx7v9QcKLzn5NxMs8MgquLzosoKDQ703TOVtZpyCd7mjAZCOZVA1hY/95hPUt1eXnAzLxj1Nwdp1aoA9Tx2iuqWCx375HiJVQbKpHF/779/n5W/vY8n6JhqW1fDGsyc4sfs8n/rt97P+nuWliH3XGP/tY392U6VP0eoQofIAjuNw4vVzi27bcbiLD3/hMTY9sBpvwE2xYCJP87IbBYOXv7OfrpP9/Nr//iQtq+qxbYfjr53hu3/6U/Y+fZj7PrYd27Lxhb1sfXQddReq+P5fPEtZTZgHP7mLf/wfTzHYOUo6nmXg4gh7nz7CjvdsZNeTm/AG3SSnMvzJv/5bnvrrF2jf1ILqUrBth4mhKd77+QfYdP9qZEXiwtEevvK73+HYa2dZc+dy/BEvG+8tZU46jnTTvLqe+6fVu0VJRFHf9Y/Xz/HPGNGoj2j0xho4f44bg9+vz+hkvJMgiiJVtSE8vuVIkkQo4mHzzqX4/Dor1zeg6Spuj0pFdXDmW3I1KmvDrN0cJBTxUlUbpnlpFevvaCVc5uOVn51k14Or6O8eZ3Q4zprNzbQsrURW5BkByEXhOEiySMvSSoJhDz0Xx9j9whlcusqm7W2kkjm+/4/7ScQyrNnURCDkYWoihdurIcsiO+9bQXlVkOOHenjy41txuVSkaQ0TQShlIx587zr2v9pB57nLZBkul4Jt2Zw53s/6O1qobYhi2zZnj/czOpxAcymomszmnUvw+Fw8/U9vkE5djqSK4sLnlmQRX0Dnwtlhzp8cYPXGJhzbYXhgihOHe1k+TzP/YhAEgdWt1VRG/Hzr+SOsb68l4HPx4hsXsCyH6miAx7avwOfWKJoW2XyRn+07i+NsRxQFIgEPa9qqudA/znhsfmdyISiyRHtjBXnDxKXOH7WuigZ4aMsyXJpMedjLH3ztBYYmkqiyxMXBCdrry9m6ooFIwMPgRAK3SyESuHZvWdjv5q71rbhUBVkS8egqf/wPL1EwSsbvU6+dYuOyeh7a2j5NNiJwsnMIgIlEhqMdg9y1vpX7Ny8llckzOpXmYv/lQKhhWvjcGhvb62iqimDZNopcqi548fAFgj6deza0Uhnxs6a1ml/7X9/jaMcgZZu9DE0kiadzrG+vJeRzUyiaM2W8RcNieDKJKAhsXlaPW1cpGhbKbdKEuB3wqiprKytpC0eIut3U+AO4FYUytwdVkqjweChaFjvq6wm4XLgVhWqff0akeVdDI6srK9EkCU2aS3u/GGRZQpJETNO6Id2cyck0IOAP3Pg8q0klKvigpiMAVe4A4ptQd/2utwQlRaK6uZwV25bMa9j2nRskNpZg2+MbaFxRiySJBKI+lmxo4um/fpHYWIK6pdWcO9SJL+hm1Y6lRKpKjW3eoIfaJVWkY4vxl88PQRCQFQlZla/ZBO72u1l753KqGsvnbGsUTA6/cJLq5nLW7GxH0RQcx6F5VT2+sJcLR3u4+0N3ABCI+KhpqSCfKRCtClFWG6GiPkog4iM5lcIompw9cBHbtlm1YylVzeWIoog/4qN9Uwsvf2sf+UwB1VWiRHW5Ne5832bc0zSMNa2VBCsCjA9Ole69LCHJEppLmXEs3iyNjZ/j3Y/z/WP8ZO8ZTMvmwc1LWdlUhSgKHO4Y4Jl9Zwj73DxyR6kE4EYxOpVCVSRCvrdWsXY+dA1N0jU0ybq2musyHAAS6Rw/2n2aO9e1UF/x1vcsvJWwHYvB7CmyVpKl/p2YdpHh3FlixSFWhx6etW28OExH6nWKVpY233Yq9FtjG7wEURTw+Fy4va6ZiGqkrGQwqtMUxJomEwh55o0UVtWF8fp0ohWlIJTbK+CfDnEKgsCS5dWMDMXwBdxEy/14fC6805mI64k86h6NFWvrS9kRl0J1XYTernFGBmM4jsPJw70M909x72Nr2LitFUWVKORNdLeKKIo0tVVgmhaSJLJibT1ujzbrvF6/ztKVtfRcHGN8JDGzXFYkahujnD05QNf5EWobooyPJBkeiFHXFKWiKogsS9Q3lZHPzi0BE0Vh0XNHynwsWV7Ngdc7WL2xiXQ6T1/3BIGgm5alN1Y+49VVPC6VoFcn6NXx6hp+j4t8sUSeUSha/GzfWc72jpItGMSSWXIFA9uxFxTwvF0QBIGVzZUEvC4cx6Es5EMUBJKZPBVhH4okEUvlsB3IFQwKholXv74otmHZHDzdx+Hz/cRSOTK5ImOxNLZtYTs2nUPjfPSBdbhdKo7j0N5YjiSJOEA2XySRydFaF0XXFDRFoqEiRNfQ5MzxHRxqygLUlYfQrrCpLMume3CSjr4xDp3tR552EAbHE/QOx7Bth03L6nnu4Hn+379+hm2rmrhv0xJqy4MA+Nwaa9tq+PrFIX7vq8+xa10L21Y14Qu+PWQQ80GTZaKShzL3NMPn9PJLJVAeVZ1hihQEAVWSuHKG92safk2bWX8lClaOuDGBLnmxHJOslabK1TCjcRUMuvH5dAYHYsRimTl02fPBsmyOHu0tlZjPw3x3PchZBvtGuzk2NYRpWzxat5xV4dsruv2udzRUTSFUEVgwep6OZxjtm+Ab/+MpfvTXL8wsT06mZsqibMtmaiSBN+hBc11WOhUlkXBF8NqOhgOLMKZeE+HKALpXm9chsW2bkb5x0lMZfv2e/z6z3MgbTAzFWLl9CYV8KS0qKSVjXxQFNLeKopWa8ARRKDW9Og6x8SRjfRP8f5/7O7QragCnhuMkY2kyqRz+SIleNljmn3EyoPQRkRUJ05jLh/1uQ1d6gOdGX6cvM4wua+yIbmBX2aZ5xfd+jtuD3ce7aa2JsqKpkoqwD1EUsB2HFw9dYPuqZtrrywj7b44t6uDZPspCXrYun59i9q1EVcRPyKdft+EAJeNhcCJBrrBwI17CSPHC6D72TByeWRZQfLy35j7WBBensH0nQUCkzNVyBcOcTd5KkTLnlpd65TBVrqUMZE9TsG884LPoOKaj+4utXwi1DVEEUZi1zZX/rmsqI1JRUvC92si/HtiWXcpivHiGoYEp8pkiA32TLF1Rg+PAYN8kvoBObUME93QplqLc+udcEARq6sKEQh46z4+w7Z5l9HWNl8oqmstQ1FubH91ejQ3bWvmnL79OfCpDKpljqH+KFevq0ebp1RkvTLF7/DDHE+dwHIdVwSXcWbYZYEbEUhCYVpwvBc8vfYv/7DuvkcsbfPCetbhdKm+c6+Pp3advafw3Ar/nsmMpTP/fdhyiAQ/bVzfx9z99gxOdQ3hcKiubq9h8nXPX9185zqmuEe7d0EZjVZj+sTgXBsZneC0Mw55xEARBQJWlGafAdhxs20GVS+tFUUSRJaSrbA9NlVGvUrt3HIeiaXLX+lZ2rm1Gv6KEPBr0osgSlREfv/UL93LiwhD7T/ew+3gXn3hoI3etb0WRJdYvrSXsd3O0Y4BXj3Ry4FQvH7l/PatbS4btsfhZnh1+ndHCJNcDr6TzH9t/Gb9y+5wV8Rrv6mLv8kLrHMchYUxyPL4XEFBElXKtmmpX48w2DQ1RqqqCXLgwyqFD3dTUhAgGF/8ePvPMMXp7JpAkke3bby4Ikyrm0SSZCt1HvJBFFAQcZ2Hq+JvBu97REEQBcZHUm6zKBMsCrNnZPtMcfiVaVzcgSgK614VRNGZrLDgO+Uxh9vmunMmmYRRNcun8TV9DqYZxgR9VEHB7dSKVIR759F1zVkerQzMRuCupYC9RFV7CpRGrmkKkKsSd799Ced3cyHHoUpmYULp38+JdztSTNXN8q/9pTiYuULCKiIJAZ7qfSlc57b6mdyxDyrsBZ3tHefnIBUan0tSWB3nsjuVoqsQz+87y4uEOyoJeTnYN88uPbyWTL/LtF4+x73QPU8kMZ3pG+KVHt5DOFnj+8HmOXxjCralsXdHArrUtxNM5Xj/exeFz/diOw5YVDWxd3sDBs308tfsUmiLz8uGLPLFjBcunGWPmw59/73XqyoJ0Dk2SyRX4zY/dAwI898Z5jpwfQFNkNi+r596NSxieTPKzA2fpHYnhUhW2rWxk19oWxuNpXjp8gbO9o1i2w4Nb2tm6vIFT3cO88EYHXl3lyV2rqQj76B2N8ZO9Z8jmiyQzeUJ+N59/cgeCAN95+Thnekbw6hrJzOJziGlbTBRidGcGZpaF1QAZ8zLt4bHYj7Ecg6wZJ2WMsyX6EcJqLd2ZQ3Sm9mE4BSpdS1kXegLLMTgZf4aR/EVEJCr0VpYH7qM/c5zezBFsLAQkWn130OBZx3i+i/PJ10iaYwSUKpb6d6GJbjpSu4kXhzDsPIqosyH8XoJqFR3J3fRljmE4ebxyhK3RjyMLCmeSL9GdPkSdezVrQo8AJQrp0dwFXhj5PziOQ4tvC83ezciihi4FUcXZmdKxfCcXUntIGKMElSqWB+4lqF4f8cTtwLXKQmVFwn+DPWpX4szxfp7+9kGal1byycfuJpsp8r2v752hwjYNs1SO9CaUnQQjXmqbopw+2sdg3yQ9naPoukp9U9ktz42yLFHfGCUc9XLsjW7CEQ+Towne/4k75hy7aBd5ffwQPxp6kZRResY7030ogkLArF3USTRMi93Hu/jNT9zHqtZqTNPi0Ln+Wxr7jWJBoxOHQtEk4vfwy09sxevW8Ooavuvo3TEti2Mdg7Q3VrCxvY6Q383YFWVfoiAQDrgZniiR0Ni2QzKTp2hYCJTYtDRVZjKRBsopGhapXAHTnB08nI9WXpJEwn4PoiTSVBUhOo8RLAoideVByoNe1rTV8JM9p/nuS8e4a30rgiCgawpL68uoqwiysrmKp147ye4TXTOORsbM0Z8bYTA3es17AeCTPVjO9ZcZvZ0IKBFWB+5AFCR0yYMiqrOekSVLKlm1qo7OzjF++IPDjI4kuOfe5bS3V8+yS23bobtrnOefP8nzL5ymUDBYvbqeDdehuTQfQpqbpYGSsG1XahJ1EYHbm8W73tG4FiobovjDXsrro9zx2Po5HwhlmnqvprWCN54/zuRIglB5AFESKeYNuk714Z3+YIiSiNunMz44hVEwUDQF07SYHIkz0jvByu3X18h2I5AVifZNzVw81svGB1bPqRcWJZFMYi6/8kJoXFHDsVfP0Ly6nrW7ls1x0lRNwbZv7MUVZQlREN41mY6h/BgD2VHyVsmJtByHhJHiTPIC7b6be1l/Dkhm8hw408vS+nI+ePfaGSN6y/IGHt++gr7RGOuX1rG2tZqI3wM4fPT+9XQPT/K+O9fQVhtFkSXO9o5yvm+czz+5g+6RKfac7Ka1Nkr38BQd/WP84iOb8egquqbgUhV2rG7ifP8YNdEAd69vw3eNTMJ4PEPE7+EXHtyIKJSMn66hCY52DPL5J3cwPJXkmX1naW8oZyyepnckxgfvXktF2Ic+Xbq471QPqWyBzzy6BV1T8LhUJFGgvb6cRDrPub5RDKv0PhQNk2MXBvn1D+6iLOjlD7/+Av1jMQRB4ODZXv7TL9zHZDzD//n+7lv+DXJWEtuxWOa/G5fkQ5f8ZMwY55OvsjnyITTRy4ujf0mdew0+JcqF1F62RT/B/5+9/w6T60zPO+HfiZVjV3XOjUbOBAgwx2GcqAmaUdaMZclW8Nqy7NWu1996LX/2t1pba1uytKssjTSaHDjkMOcAkCCJDDQanXOorhxO/v6o7kJHoLvRIAES93WBBE5VnfOe9L5PuJ/7CbsakAQVx7EpmClMx+D2+M8zXDjFUP4EfjnKcPE0fqWKvZFPcjH3FiOF09S4NzFV6qXJu5tm3z7eSXybhDaEX66iO/sG7f5bafDsQBJVZEEBBNp9t6JZOYrWJcqOg4UiuTkc+wrjxW4G8u9R4+7EJy+lD5SsHAP596lSm9gTfpwTqZ8wVuzCK4VQpQ+fOne1sG2b0eEZdM3k0F2baeuspf/ixIJ5ORz1031ujPyiQNh8iLNKQov7mFwJkiTS1Brj4rlR3nurh8RklrqmaIUmthqsdGxBEAhGfOzc18Jrz53hwB2bqG2MEl+mC31KzzJYGCNtXDKk81aR3twQHWb4sseXJQmXqjA8mcKybM72T/DjNz+4bMblICDg4HDi4gi/84c/QpZF6qJBHr9jO5+4dQuKvHLWSBJFXKrCdCpPyTAZmkjxg1dPVYq9Ae6/pZMfvnqK3ZvqUSSRb794grnoYCTgobk2wnNvX6CpJsLkTJbXT/SymnpsQRC4/5ZNfP3pd3n9RC937m3Hth3O9I1zy5Ymgj4Xx84P4nWpNFSHkUSBdL6EOptpyxZKdA1OEQl4iIV9WLZNUTNR1ljLsBqUVRqd2WzShx84FAQBVXQTc9Wh2UVMe1FQm3J91GOP72FiIs1rr3Xx0kvnOPp2D26XwsxMOZv7rW8d4fvfP0apZJDLlSiVDOLxIL/xmw+tW71PESWiLh8h1cP2SC0uaePlqD/yjsa2Q53sONzJy996i3w6z/ZDZenB4QtjmKbF/V+6jXhjFfd8/hDP//0b/PHvfJ1P/eP78QW9vPjNtzC0S43dXF6Vrbdu4t3/9AP++t9/jz33bGPowhivfPcoojQve+A4GJpBIVMiOZlGLxmkprJMjybxBty4va7LZmHmw+VWeeyr9/Eff+mP+W+/9Vfc98XD+CM+EqNJJoemad/dzLaDq29cc/ix/bz3whn+4fefYKxngpYdjegFnb4zQyhuhc/86oNIl5nolkOoKkC4OsjxV85S1xYn3hjF7XXRsKmW4IfUjOtyMG0Le5m0jOmszlHKZ4ukkwWqqoPLpvsvh0JO48gr59h9oI1oPLhmxY1CrkT32RF03WLn/la0ko5WNIjEA6srMp1F1syTN4s4jkNIDeAR107vWIxEJk/PSIKjZwZ4/tgFCkWd+lgQB4eQ34NbVQh4XUSDvkoqP+L34FJkwn430aCXombQOzrDu11DpHNFTNMmGvSSyhXJ5kv4PS6aayILrpvPreJRFfweF7FV1kRsbakmFvIhigKGadE7OsPJnlH+y7dexrIcvG6FXEmnvT7GbTtb+f4rJ6kK+Xj08DaqI35yRY1IwENjdXhBqt2tKvg9akUucg71sSA10QBVQS8Bn4tMQSNXKFEbDVAd9iMKArWXaZa1FkTVRoJKdcXoTpVGmSr189rUX5cbRtpFSlaGqKuRW6t+mnPZl3EyNrvCjxJVG5FEhYAcwydHCMhxZoRBEvowpm0QczXjV6oIKjXMaEMUrQxeOUJQqcEvV+GRgpiOho3NgegXuJB9jYvZI2wL3Ueb/yCSIKNKXlTRi25fKiKWBJmgXINPjhJUYsiCi4KZXNbRKJhJprUBenJH6c69hW4X8MmRFZtwrhambZIx82iWjioqBBQfqvghSO8KAi6XQqlkMDOdIxLN8eZL57lwZoQ9B8uBkL2H2jjyShfPP3Ecl0umKh5kZGCauqYo4agPURSJVQdRFIl33rjAbfdspVQ0iFStbj5ubKkiEPJy5JUuOrbW0dIeX1P25HLH9vpUtu9p4qnvvUso4uW2e7cuu2/LKTdYXbId65KRtsKcJQjwG1+4i7/88dt8/5WTdDRU8aX79/Ldl04AMJ7I8FdPvs27XcMk0nls2+FUzyi3bGviyw/uZzyR4VsvHKd7aIqZTIH3u4b5+tPv8tl7dvLwoa28cbKPH79xhsGJFIl0nt/6L98l6PPwtU8f4q49y3e1h3IDxa7BSZ4+cp5//fMPsLkpjmXZHD07yJEzA9TFguzbvHKnc0EQ+Py9u/n6M+/yT3//O8RCPj57zy7O9U9UzOmvPLSfkak0//z//j6RoJfbd7bSOlv3Vh0J8Jm7dvHnTxzhn/3B92mvj9JUHcZcZfHxbTtbKZYMnnrrHH/9k3dQZImO+ip2d9QBLiYSWb75wnHS+SIuWWFLS5x//JlyDalh2py4MMILxy5Q0AwCXheHdrTwyOFLCo/N3joeqrmD0dIkWSNPziyQNS/9X5ttdnslWI7FSHEAUZBo8rau6tyuNQxHpz9/nsH8BcJqjLirnhb5UnBaEARqa0N89Wv3EI54ef65M6SSC4PIk5OZBYSa7dsb+Gf/7GFaWtZe1ziHqVKOsUKGOm+QGs+1EUf5yDsavqCHn/rNh6luquKlbx/hmb95DVEUqGmJc+8XD+OajX7GG6P8+h/8Av/w+z/iT/71N/AHPdzzhUNIskjvyUGgXBx99+cOMjOW4rUfvsOL33yTlu0N3PbYfkZ6xivHHOmZ4Fv/5UnefOJdTMNEKxp88z//mO//0TN4/G7++R99lf3371zV+AVRoH1nE//zX/wa3//DZ/jzf/stijmNcDzAzts3c/ChPWu6HqEqP//4P32FZ/76VV781hGmhhPlYsOOGh795Xsrkai1oK4tzsO/eDff+8Nn+Kv/47sIwOHH9vHZf/rQdelo1HuqCcheJrnEAhMQ2BlcnuNo6CaTYykAahsiFAs6umZWFCJKRYN0Ml9e8KuDlcZc0dlaF9WjYBrl4ki3RynL+hXLEQ3TsOnrGicc8xGrCVEqGhTyGplknpZN1Qvuh6GbdJ8d5dzxQe74xA5kWSRV0LFNG1EUKOY1cpkihmkRjvor3O3l8Lf9P+SdmZMYtsU/7vgid8UOXvV1Dfk81ET83L2nncM7WstcYEXCtQbuuCyJ1McCbG2q5nd+5v5ZO0LApUiMJTJk8iWKmoHPo16acAUBy3YwLXvV3FLXPGdaFAUa4kHa66L87s89iCCU2ZEel4IoCty9p4ND21t4/tgFnn77PL/yqcOIgkgmX0LTzdksR2Uoy0KZzfpdojQ6ZbWZqTQOZarHVGpjahAkQV4wkIBcjV+Ock/11/BKYWzHRJG8iEg0eHdS59nCRKmHI4lv8Fjd72DaOnlrBnDQ7QK6XSKk1JDRJ8ibKaBs7IOAKnqRBBlREOdFD8tFa1WuFg65GihZWX408ns0enchScvPB5ZjzjtmiZKVwy0tH0F3S0ECcowW317a/YdwsJEFFVm4uoYNQ8Vx/rTnWwwWxugMtPAzzZ+iM/DB1/wIgsD2PU30dk/wR//pKRRV4o77t7H7QHtlPqipC/PTX72LJ7/zDv/+X34Tw7Corg3xT/7Vo4QiZWc7GPLwi79+P9/4s9f4i//2Am2dNfz7//azZFIF/vZPXuLYmxdJJfOYhsUvfer/ZtuuRr70y3fR1lmDP+ihobmKl35yio6ttbR0VFfG99pzZ3jyu8cY6J0ikyrwe7/zTQIhL1/8hTu46xM78HjVFY89d37R2aLw6ckMO/ctf43DaoCYK4wkiBV6jIBAi7eBu1u28OD23bgVGbsuyo72WjwuhXjYz55NDfjcKvft38ThHS3YtoMsiaiKxIMHNiMKAvGIn9/84t3lrOOlRQBFknCrMnVVQba11mDZDk65uTqCMFu7IMs8cGAzd+4pR/QdHATK9T4el4IkivzNv/3ZBWpUdbEgf/q75Q7ZLxy7gCpL3L23oxJwmUrl6R6aIldYOUM1hz2dDWxpqca0bERBwK0q3LWng8BsYX7E7+F//aVPYJgW4myNhmnbuBQZSRTY0VbL//dXH8e0bWRRrARtXEo5kv0//fQ9iIJQGdt8qIrMAwc3c8eslLAglDNgXlf52A/euoW79nZg2065dkaScM9Su8N+Dz/z8C184f49OE553lXkhetDg6eGGncM27FxcCqZCdtxmNQS/OHFr9Ofv3IHbFEQUUUX7ybfJG0k8Ul+2vwbIySxbjgOHtFHu38Hjd6OZetBRVGkpibE1752L/ffv4Mjb13kxIlBRkeT5HIlZFkiHPGyZXMdd9y5mX37WggE3FcVJPTJKkO5JGeSY9R7Q2wL11Dr3ViJW8FZnL+5gWBbNrpmIMnSZTmzjuNgmTaWYVXSz8JsYbMkS5WbZFs2hm5iWzYI5Zv+X3/rL+k9OcifHP0PlX2ZhoVllKMqolTmyc69WMos9cjUTUxzaZRAoKwiMpc10Etlg1OZNWoWjzurafzha0d4vusium5yd1sLv3L4IHXBAKIkIisSgihg6iaOA4qr3HDPNCwkWUJWJAzNwHFAViVEUbx0DqaFYzuVc5UVqZJpmRuXe17BuG3bGFq5g6o6rzmR4zg4tnPp2lFWpJo73vUGx3E4nb7Ad4af4WJukLAS4LMND3Bv9WFkQVrw0hYLOqeO9TE9kWbLrkZaO2sZuDhBz/kxDt2zBdtyOPZGN8WCzsE7N2M7DudPDKIoEtv3t3D63X7aOmuZHEsRiflpbq/mtWfPsHlnPXVNVaRncgwPJHjlJyf5p7/7Sc6dGOKd1y5w+L5tbN3duGAsumZw+r0Bus+Ocu+ju6iqDnLu+CCpZJ79hzvoOj3C+HCSdCrP9j3N7NjfUtHBnw/dNvgXx/9jhQf7G5t+jvurD191RsNxHE5cHOXpo+eZSGYB+KVHb2VXe1ld6g+++TKHdrRyYEtTpdDQsm3+tz/9Cb/46K1saS43JszkS/zojTO82zWMKMDm5mq++vghUtkCTx05x3tdw4iCwF172vnkHTtQZYkX3i1rxwuiwC88fPCyTa/+9794mi/et4dtLbWIYrnwragZ/PD10xw9O4goQHNNhH/yuTvoGpzkT390BEkSCPrcfOLAFu7c3cbQZIofv3mG8wNTCAJ8+s4d3Lm7nSffPMvL719kOp2nuTrCF+/fi8cl84PXTvNrn7mdaNDLv/vLZ/jMXTvZ2lzN//PDt+genqIq5EMSRb58/142N1cvO+6EluI7w8/w9PirlW1RNcTX2r7A7bFyZ+cj098gqjbR5j+AMlvX4Dg2XdnX6Mq8iu2YCAg81vA/YzsmTwz/ByRBQRIVWn372Rq8l+7s65xLv4xb9oMjsCV4N5sCtzNe6uJM+jky+gRBtYYdoU/glcKcTT9Pi28/Dd4ds8dvoMV/gFcn/pysUXbnY+52bov9LAIiL0z8EQmtH9M2aPbtZVf4YRLaIF2ZVxAEAcux2By4g83BuxkunOL95BNkjUm8Uohtofvp8B8moQ9wLv0SaWMSAYcD0S/Q4N1ZUXBZK2zH5njqPP/x3J9gOhZbAm38cttPsSWwcnT6WsKxHUzTqqwhsixWjLM5mVrbtjENe1YKs+xgq4tUDq3ZtWDuty53mfpn6Fbld2UIZcNv3pxtmlYlQCIrl+bF8nYbx7HLP58NBiiKVBnb/N/PHXuulhBgejLD977+FlXxIJ//+aX1GVCeT4aL4zw19gpvz5xEQOCu2AEeqbuLalfVDVlLZ5gWb5zs46+efJt/+bP3sakxxth0hu++dJKZbJ5f/ewdtNR+tFXn1ovx0hT/V9df0JMbrGwLyD7+675/Q0RdaBg7jkPeyjFRGkVExC15qPOsnCn6IGDYOsOFXrqzJ0AQaPJ2sC14y4rft20Hy7KxbXsBBVEQyu+qJJWdxKt9D3TLZKSQJqkVyo68P0LUvT5RlpVwQzsa1xqWZfOff/VP6T11ydH4oOA4Drpl8Z9fep3zk9P87oN3A/B3754kp2n8n596uKIccRNrh+M42NjlaJVQjpSVo1ILX9p0Ms+Rl89x8M7NBCM+JElkdDBBb9c4uw604tgO/d0TRGJ+WjbVcOa9AQzDpHN7A16/i9eeOU1zRzVjQzPEa4M0b6rh9WfP0Lm9joaWGO8f7WF0IMGJd/r43d//aS6cHiaXKXHwrs3AwoLCcrfhCfq7J7jn0d0AXDw3ysx0lu17mjl/cgiP14Vt20iyRMfWOtyepVHes5mL/P75PyNllJ2BjXI0KtfVcSr2y5zzLAgClm0vUGCZ//25aP/cNsdhHj3ikhLI/O1zqkFzai7O7GR8pcnXsu3K/lZzzMokP3usOVWOud/MH8vcPubsL0Esn+/8c5x//Mq1mh3u/OuwGKtxNGzHnt3VIjGI2QjhHATKxqSDPW+bgG4X6c29TcaY5GDVFyrbBUGcPS97mX04lXdn/vHnf3fuDVt8zEvbnUXjEyoXZfEYl99eHst6n+GcWeCZ8df4+sCPAK7a0ZgLPM1h3i1e8G+h8iyx5PvMfse0yvduJS77/O8C9IwnqAr4CPncCEDJMHDJy/OuP0hj3XEcSkWdTKrIO2908/oLZ/nt//2zy9ZnzP+NM+/ZWGmevlHgOA7pXIkfv3GGp948SzJXJORzc8vWJj595042N199wf1HFWt1NGwsskYGEPDJfmRR/lDrNRzHwXB08mYWSZDwSn6kD3lMUF6D5ubw8jrFhr9jNy3V6xh5TeeJM+f5z599jG011TiOw8/s382/e+ZFjg4Oc1d764c9xBsWgiAgIa0o9jUHj89FQ0uMH3/rbTZtrWfPoXaG+6c5d3IQl0ehbVPtgsxYY1uMd16/QPeZEW69Zys1DWFOvN3L6OA0dz28i6mxNP0XJ0gmsjwQ9jIzlQNBwO1REQBJkiqyxMuNuZzFKn+eyxYZ6pumv3scr9dVzlopErYtLqgZWoxzmR40e2UZ1auBIAhIK0xQi+sWVvr+JdnR5a7B8ttFQSi3kV8FVhrHSvuWltnvYlW3K41v/jnOP/5K12q9WCmiLwjLt2ESkBb9W0ASZBRRRVyU2i87iUuN3fkL5fzjL/fdlbevvNyubT/rQ94scDE3sCH7MkyLvokZPKpCXTTIVCZHUTOQJInGqiDjySyaYeFSZerCAbJFjbFkhnjQR9DrJlvSSeYKqJJEVdDLka4h0vkid2xvRZFEZEnCth1EUaCkmxQ0Hc20aKwKIYqQLWjEg34EIJkr8jcvvceDezaxrama8ZksNZEA2ZKGIoprkmC+6utiWLz1chd//l+fo6k9xle+dvdlnQyYe+Y+Ooa3IAiEAx5+7pED/NwjBz7s4Xxk4WAzXhrl6PSrBNUwISXMgcgdV1zvryVMx2Ag30V39iReKUCdp4XNgT0f6pgcx2G0kGaimKXOG2QgO0PM7acjGNvQYd10NC4DAfCFvYQ+pO7B49kcpm3TFi2nUgVBwKMoRL1extLZD2VMHzeoqsyOfS1s31vuWiuKIofu2cqhey71LYjXXVosw1E/D35qX6VWQBAEOnc0VtKdAF/75w9Xvv/QZ/djWTaf+vIhBEFgy67Lp3eb26tpbi9Ta/wBD/c/vgdYfZ2O7Ticz/SiXyNH4yZubKiSl83Buz7sYXygcByHnFlYECm9Grx08iIel8qZoQkeP7CNp46dY2tjNe/3jPCz9+7jibfP0lEXY2AyycP7N/PuxWG8LpXTAxMc3tLM6cFxEpkCd+9oAwR0s1zkrkgSJ/vHiPo9FHUTlyLRPZbAJUv0TyZ5aN9mWqsjnBmaxO9x4feo2I5DQdPxuBRMy+bt7iF2NNdwamCcB/d8sJx1VZW5/7Hd3P/Y7g/0uDfx8YODg2WbNHhbyJppLNuqRO0/LFiOhSyqxFx15K1smVHxIY/JxmEgO8PrE70oooQiSjxYv/mKvUTWipuOxmUgSiK//n/9/Id2fFks99eYk8mcSyNbtr2kwc5NXDusFL1e7fevpNZyLbTwV0LayDJSnMRapcLWTdzERx2mYzFVmmFKS27I/tKFEtuba9ANk2SugGXZbG+qZjqTJ5krIokiO5pqKOkGyWwB07LZ2lhNz9g0qXyRqN9LczxMUzwMQJXfS8llViSUNdMir+nIkhvHdtjZUkvA7arQEH0uBd00sW2HqoCXsM9DTTiAIkvctrWFJ4+dw+dSCfnclz+Rm7iJGxCO4yAgEnPVMF4aQUCgyde27vqtjYJLdBNRYowVB1BFF1Wu2g99TJIgsj/WxNZwDR5ZwStfnaDGSrgmjobjOFiORcnW0W0dwzaxHHuBtrGIiCSIyKKMKsqooooibLx+7/UAx3HQbYOipaHbOqZjlbnMgoAkiCiCgkdy4ZZcC1LFdcEAVT4Px0fGqAmU1VomMjmymkZrdPUFY7Zjo1k6JVtDt42KbODc8SVBwi2quCUX8gd4Dy5dlxK6bVy6LpR58LIgo4gyLknFJaof+ku5Ubj8eZffi7lzdi1q6nO1xz2f6aFkrb+55EbBciyKlkbJ0jCdS/PD3PnLgoxbcuGW1GvWrX2uHqNkaRRtDWP2Xsxlo0REZFHCNftubOT85DgOhm1QsEpotoHpmJXjSoKEKiq4xfL5L6QjbSwcx8F0LIpWCc3WZ6Wfy0W+4uxYFLF8L1RRRbpG72CZU+1Qmn0mDMfEmr0XYuVeyJV7sVi04WqOWzCLXMj1bcBZlLGrtY53L44wnclzS2cjkiTy2pl+pjMF6qIBdNPijfP9GKZFa22UXMngjbN9hH0eGqqCDE9nFijxqIpM/1SS4USaumiQ0/3jDCfSHOhsJOh1ocoSXreCS5aZyRaYzuTRTYv6aJCwr9yh/kjXAA/s3oTPpVAyTG7puHzm1HJsdFtHs8rr99wcNb8eZ27tUEQZVVRQRRXxBq6fuBLKHHuzMm8btlmusYLZ9Upa8Ixu1LUwbQttni01N0fN7xMhCRLy4nvxEb0PV4KDQ9pIkjOzVLvrqBOa1p01sB0b3TYqf+begzn7aW7NVoTydXdLKsoKkthl9SyboBzGEcCwr6wwdiU4joNm6xSs0orrlyoquEQVVVSWtaFUUUJQVHTLYrqUxy+ruOWNlfXeUEdjzoBKGRlGChOcy/bQlx9hvDRFxshRsjRsHBRRxiO6CCtBqt1R6j01dPibqPfUEJT9+GUvqqhc8SU1bJOkniZvXdJjV0WFiBLEK3vWPP6iVWJKm1nQadIjual1x1b8jW4bzGgpirMPjSoohNUgvtnja5bOjJ6iK9vHidR5+vLDTGtJSraGJEiElQCNnjp2hjrZHd5CrTuGV/IgCAJuReYr+/fwvVNncSsKAvBidw/baqrZ03DlLriWY5EzC0yUpjmf6eVcppfh4jhJPU3J1lBFBb/sI6KE2BxoYVtoE23eRqpc4asyqvJmgaSewZjVtfdKbiJqaIEmfcnSmNHTnMtc5ESqi8HCKNNaiqJVQhREvLKbuBqlwVtDp7+FLcF2mjy1uKXVcYpLljZ7nvqVvzyLBk/NVRuTBbNI0shUqEluUSWqhnFJ5UhB0dKY0VKcy/RwOnOBgfwIU7PnLQsSXtlDWA3S4WtiS7CN7cFNRNUQHmlt0UfbsTFsA23eJFm0ShxLnqawyNGY1pNlycBVnLYiyITVIH55fY3RDNskbWQZLU5yMtXFhVwfY6UpMkYeyzHxSh6Cip9qVxXbgh1sDbbT4KkhKPuQ19ixNGvkSRmZSn8Ur+Qm5opUHJeCVWKylOBkuouzmYsMF8rvhm4byKKMX/ZS5YrQ4W9ie6CDzkArYSVYuZfrhWGbJPQUXZle3kudpTc3REJLotkGiigTUgI0++rYGdzMzlAnNe4YPslTNrg30NHRbYMZPcVAYYyTqS5684NMajPkzQKO4+CVPYQUP/WeGrYHO+j0t1LnieOXvWt2/lJ6hpSRnTVUwS/7iLnKwRLbscma+coz0ZXtZbQ4ScrIYjoWqqDgV7zUuGNs8jezI9hJq6+BkBJAWcMzUQ6AlQ1ovfJu6IwWJzmd7l7wXc3SGStOoYqru9deyU1UDaOIMlsbq+msj1UK+70ulU8e3IYii2iGSTTg5fO37arUBd22tZnDW5oqak8R/8J3a09bHTtbahAoUzfbqqMLxAoAGqou0Td/5eFDC37/8/fuw7LLnYMKukFtOMCultplr4/hmGSNHBNagovZAS7mBhgtTpLQ0xTMIqZjIQsSqqQSlH1EXSFq3XFavA20+hqoUkOE1SDuVfblMW2TlJEla65e2rlKDeOXvRsWeNIsnYSeQptdK1yiSkQJ4pEvzbm6bZDUM1zM9c++K8NMlhIUrCIO4JZcVCkh6jxx2v3NbA920O5rWpcdApcMyIyRY6w0yYVsPz25IcZLUyT1DAWrhO1YKLNGZFAJUOUKUe+O0+prom32/Qirgcs+w5qlkzTSFK1LRq9bdBFRg6tea+cjbxaZ1BKVfwsI+GQPcVd0zftaLxwcskaavvxFUkaCmFpDxkxR525c1TNpOw4lW5u1Y9L05Yfpy40wXBxjSkuSN4uU7BLibIDWK7mp9cRp8tSxLdhBm6+B8KLnB0C3Nab1MfJWlmpXIy5x5WcjY+RIz85/AH7JS0QNLlgDi1aJaS3FqXQXJ1NdDBfHSWhpdFtHEiV8sodqNUqjt5bOQCtbAm3Uu6uXrF9po0R/NsHFzDQDuSSfaNjCnmj9hgYMNkx1ynJs0kaWk6kuXpx8i/OZPgxnbTzwoOJnZ7CT26r2cmvVHpQrVORPlBL8Tf/3eTPxfmVbq7eBrzR/klur1s4DPZE6zx9c+CvSxqX6h32R7fzb7b++4m/68yP8Zd93OZnuAso9Gn666THuih0gZxY4kTrP0+Ov0ZXtw7xCQ6moGuKx2nu4M34L1a5yA5aiafIP753k9b4BHAcONjfwpT07ifkvLz9WtDSGCqO8PvUubyTeZ0ZPreoabAm08VjdPewKbSaiXr5QbyW8Mf0e3xj8cUU+dV94Oz/X8mna/U1AuePr+6kz/HjsZQbyIwscu5XQ4Knhn2/+JTr8zasaw9n0Rf524Iecz/auetz/ff//RoO75qpesGMzp/nG4I/pzQ8B0OFv5lfav8TmQCspPcuxmVM8OfYKQ4WxcuT4MpAEkSZPHQ/X3sWhqj2ElcAVx2Y5NtNaksnSNBOlBKOlCUaKk4wWJ5nUElddm1HvqebLTY9zV3zthYxZI8+FbD/PTrzO+8mzFUf0cvBJHg5Gd3Ff9SHa/c1rcnCem3iDbw4+RWL22d8V2sy/2PzLhNQA01qS16be5YnRF0kZmSvuSxUVtgTaeKjmTvaEt+KXvet6TvJmkbPpi3x/5FnOXeHZFBCodlfxQPVt3BU/gEdy8cORF/j+yHOV7yxWnVoNHMchqac5lb7A0+Ovrfodiaoh7ojt587YLTR56/GswRD55tBTfHfoGQzHRETkrvgB/tnmX8CybYaKY7w0eZSXJ4+uyuD0Sm72hrfxiZo72BJsW5VRa9omg4UxZvTU7PswwUhxgrHiFEkjs6omYJfDrdHd/FLr56jzLJUm7hlL0FYTRRQFLMtmYCpJe+36G2ytF6Zlc25oktpIgPiixpaWY5ExcnRl+3h16hgn013kzcIKe1oekiDR5mvgZ5o/xa7Q5lUFBqa1JN8ZeppnJl5f9XH+UfsXebD69qt2+OdwIdvPn/d+p5LVavc18TPNn+SWaLnXVc4scCbdzdPjr3E2c3FVc6gsSPzbHb/BrtDmNY/HtE1mZt/PV6fe4UK2b00BMyjPVzuDnfx862do9a2cverNDfG3Az/keOpcZdv24CZ+pvlT7AitvhHwHI4mTvCfzv+/C8ZxZ+wWfrPz6inoa1GdshyT0eIQaSNFWIkyWhziQPT2yzqnDg55s8hEKcG5TA/vJk/Tne1fEMi+EgQEWnz1fKLmDg5GdxFTI5W5SbNK9ObP0ps7g18OU+9poTOwvJ36k7FX+d7ws0zrZTrnHVX7+YXWz1LtLs8bM3qatxMn+NHoi4yVplY1tu3BTfxqx5dp9i4MUqe0IidnRpnS8gjA7mg9bYHohmavNySjYTk2k6Vpnhl/nWcn3qC4TmpGxsjxZuJ9xkpT7ApvQRGvv2ZvV0JazzGlJcmYOV6aPMpTY68wpc2s6rczepqvD/6IwcIYX25+vJzdUBS+eugWvnpoZb3lxciZBd5LnuHHoy9zMTewpkW0K9tHd26AR2vv5pP191HjrrrqYqWsma9Ei2b0ND8Ze4Vnxl9fdRRLQMAve6l1x69qHB8GJkoJcmaeGS3NE6Mv8sLkW+RWuYBbjk1/YYS/G/wRk1qCT9Xfd0Xnr2SV+N7wM7w4eWTVnc4/CCS0FC9NHuHHYy8vcOSvhLxV5OWptzmf7eXxunu5M3YLITWwrmdysDCOZhtMlhL8/eCPeX3q2LId4peDbhucSl9gspQgaaS5N36IgLI2rfG8WeTlyaN8c+ipVT37Dg4TpWm+N/wsw8VxHq+7Z0M6VY+Xpnli9EWenXhjTbU6M3qaJ0Zf4nyml0/W38f+yA58smfN98LBpj8/gmmb9OaH+fuBJyqBmtWgYJUq68TnGx7ilujOK0Zfs2ae3zv7P0iuwqncaHTUXXIqJEn8UJwMKDfD3NW6NJNh2CbDxXFemjjCy1Nvrym7MB+WYzFUGCsHCG9g2k7R0irGZcbI8dr0MZ4cfXnVBh2UsyLN3vo1H7tkafTkhnhm/DWOJU+v25bSbYOBwuiaM+EfFYhIVLvqmNGnGSkO0uxdXY3GqVQX3x5+moH86BUDgcvBwaE/P8Jf93+f7uwAX25+nJpZ50AWZYJKhKhajSq6L5vRWIyUka0E5qa0Gb4//BwvTL616sChiEhYCRB3LaXch10eOoJVtFOFJIj45Y2nyF61o+E4Dmkjw7MTb/Dk2CsLovayIOGXffhkD65Zfq9DeULSLJ3ibHpq8cW6O36wHKW6AWXtClaR4UI5QveTWSdDoEzBCip+3KILWZSxHZuSpZM2ymnQ+c7Aq9PvIAjw1bYvEFTW5mzlzSJvTb/PD0dfqGQUoGyse2UPQdmHW3IhCRLOLP8wZxZIG7nKi2U7Nj8Ze5W0keUXWj971WnPOUcjY+R4auwVnp3nZEiCiE/y4pZUZEHGAcxZHmzBLGLj4BJV2v1NFTraaqBKKjFXhGq9CsuxMB0T07YwZ/++mizKRiBn5hkqjHEq1cWLk0crToYiyAQVPz7ZW8ncmbZJziyQNDILDMCcWeClyaP4ZS+P19172UiejUNptg7oWmA97+SMluaHo8/zwsQRCvOiQyICQSVAQPGhCgqiIGA6FiVLI2vmFzhk46Vpvj/yHEVL4+HaO9f8XgCkjQz9+WGOJI7z5vR7FSfDJaqElABeyY0szjbStA2yRp6MkcOat+BMaAmeHX+dgOznjti+Ffm4i2HYJq9NH+Mbg0+StxY6mmW6Zwiv7EYSpMr8mDFzs2l6jSOJ49iOvS46w3xMlhL83cCPeCPx3oLtsiATWuZ5LFolMmZ+gcHTnRvg20M/wbBNbqvau2Z6iANMazOcy/TwvZHnKk6GgIBHchFU/Hgkd3m9cECzddJGlrxZWOAY9uWHeWLsZYKKn23BTZV7txxMx1pTZHLtuNTf40ZC2dkb4vsjz/F24uSyQSnXLD1EERVkQcLBqbynRau0YK7pDLTS6KldNbVOEiRCapBad2x2fi7XIMz93VrU/+WDQNEqkTeL5M0ir0+/yxOjLzFRmgbKBptXdl+q2eLSnJW3ipV5uzPQSlBeWyCiZGmcSl/gByPPcy7Ts+x5eyQ3HsmFIiiz9pSDYZuUbI2CWaqs4SIiO2Zplx9HlJ9Rk87AdrzS6u6DgIAklp/vxU6GS1Txyh68khtVVCrPt2mb5K0iST294D3QbYMjM8fxSC5+ruUzeGdpVFVqDdWuBhzHXlCXdyWkjSymbZLUM3x3+Blenny7YjdLgkRA9qHOez+N2bl7zrb0y15afPXLOp6mbWM7DjNaAa+sElBcqx7XanHVjobpmHRl+3hx4kjFyRCAsBKkM9DK1kA7Td46wkoAl+QqG9i2RlLPMKUlGCqMM1GaZkZPk9BTuEWV/eHtq17Arzc4OJxKX+BcpodJbQa36KLRW8PWQAebAy3EXFG8sgfDMkjoabqyvZxOX6A/P7KASvLa1Lt0+Ft4vO6eVXNRDdvkVLqLn4y/usDJ8Mtemrx1bA20s8nfQpUrgldyVfjyg4VRTqW76c72kzFzANjYHE2cIKwE+HLzJ9dk5C9G1siTNfK8Mf0er8xGzNyii1pPnHpPnFZvI1E1hFfygOCQNwtMlBIMFyaY1ss1MzuCa5NirHFX8XDtneyPbKdglSiY5ZeuaJUomkWOp85XzvVa45XJd0joKbJmHhGBGneMzkALWwPtNHrr8MteZEEiaxYYzI9yMn2e85k+kka6so+UkeGN6ffZFuxgW7BjxWPJgkSHr4mStXyh2UB+lCltZsFE2uZrXLUzWaWGqVLDqztxyovncxNv8MrkOwucjKgaos3XxM5QJ62+RoKKD0VQZnmnSS7mBjid6WYoP1qhDczoaV6aPEJI8XNP/NZ1USd+OPIC3bkBTMeqUNO2BNvY4m+j1hPHOzsRp4wcfbkhTqa76MkNkJkX5R0uTnAkcZx2f9OSNPRK6MkN8oOR5xY4GQJQ446xI9TJruBmat1xPJKbkq2R0JNczA5wLtvDQH6MglXk3eSZinGzHuOrYBb57vCzvJU4Xtk29zxu8rewLdhBo7d2tgZDrNAILmT7OJu5yFhpqrK4DRcneGb8NUJKgD3hrWuqlQAo2TrfHHqKs5keoMwLb/HVszXQxiZ/C3F3FW6xvF4k9BQXcwOcSnfRnx9ZUGPUle3l6MxJ6j01VLnCKx7PJaociO7CtJfS9UqWTm9ukNy8e+OXvTR761dN1dscaMG9QVSeDwq2Y1eyW0cTJxZ8JgrlCGidu5oGTw31njhBJYBbcuE4NnmrSEJLMVaaIqElmdEzpIwMd1TtX1MU3Sd7OFy1hwZP9ew8XazM0wWzRF9+iMHC2AfqbBStUpkGnu7ihYm3mChNo4oK1a4q6j3VNHvribui+GQPoiBSmp2zhgvjTGlJpvQZDkR2rumYpm1xMTfAE6MvcjZzccFnsiBR5YpQ647R5Kmlxh0nIPtwSSqWY5I1C0xrScaKk8zoaWb0NAWrxL3xWzfystxQcBybaW2CtJGkxbcJWZDwyVduU7DZ30qnv5XhwgSyIBFVQ0TVEPWeGhq8NdS644QVP27JXe4+bhYYLU5yKtPF2XRPheoE5bXvWPI0+8LbOBDdRd7MMFDoxi16cSiLv3T4d64qeJcyMuTMAu/MnOL16ffQbB2P5K68m22+JkJKAM+sjZ0184yXphkpTjKtzeCVPGzytyy777ypcXJmlP5cEkkQuaeug62hpRTQq8FVOxoZI7/EaAspAe6rPsyjdXdXCv5WgoPDjJamJz/I2fRFvLKbKlf4hlZMmOOEeyQXe8PbeKzuHjYH2pbQHjYBt1btmuVsP8eJVFfFWbOxeXLsZfZHttHgWZruXgzHcRgtTvDq1DH68sOV7WElyG1Ve/lEzR00eeuWjfrti2zn7vhBnhl/jWfGX690jDYck1em3maTv5V7qg+u82qUJ+6T6S56c0NMa0mq1HDlmFsCrSiisuRlmytM7M+Xi7C2BtrWdMyA7GPnZfix/8vJPyCbXT5qtNHoL4wA5YhJZ6CVR2ZrLtzS0qzdtkA7d8b38/TYa0toRpPaNMdmTrM50LpixNAjufl0wwN8uuGBZT//095v8+LEW5TmKV48XnfvhnUGnw/bKTvdr06/s2B+qHPHeaj2Tu6vPkxA9i057uZAK7dGd5Uj1qMv8s7MqYqzMVaa4tWpd2jy1l3W4VoJ57Jlw1ZEYHdoK5+pv5/dka1L7kMLsCvUyaGqPTw19jIvT729IMNyMTdAV7aXRk/NFQMBebPIU2OvMKOlF2yvc1fz+caHuDt+6zLvZSsHI7sZLIzw1NirHEkcJ28VWW9M3nZsjsyc4NXpd+ZFPQU6/M08Xndv5XlcjG3BDg5X7eFMppsnR1/mzDyO+sXcAK9OvUOdO06Dt2ZN47Ecq+JkeCUPh6K7eaTuLjoDrUvuRRuN7Its55bIDn40+iLHZk4veH6Pp85yKLqbiBpc8V4EFT+/s+Vry342Vpzkv3b/DV3ZS8pTDZ4afqH1M+vuDH69Y653yKvT73BkkZPhns0gH67ay8HILqrdVSteV8uxmdISXMwNcDE7yL7I9jXR+1RRoc3XSNsKdQTfGXqabw795Ir1jRsJ3Tbozg7QkxukLz9MUPazM7SZu+IH2BnqXJEuaDt2WVgg083u0JZVH89xHCa1BC9NHuXMIifDJ3vZGmjjjth+9oa3EVICK94L07YYK03Sle1jMD/G9nXUWHxUIAgiPjlAX74bWZDxSn58/is7GmE1yJ7wVvJmgaDiZ0eoky2BNqJqaMU1d3toE3dXH+T5iTf53vCzFfsPypmINxPvsz+6A9M2yBpJMiRxix7irrpVB5ELZol3k6d5Y/p98maBaleUg9Hd3B0/yCZ/87KNLZ3Zovbe3BBJI0O7r2nF/cfcPhJaAcO2UJZpaHu1uGpHI28VlzQ6avc380DN4Ss6GVA2vqpcYapcYQ5Gd2HYJopw47f3EBDYEmjn0/UPsCXQtqIRJyCwI9SJKiqk9Ax9+eEKPWBaS/LM+Ot8te0LVzzeXMTzxLyiLo/k5o7Yfj5Vf3+FJ7gSImqIzzc+jG6b/Gj0hQq1KG+WeHbidfZFtq2LrgJlZ/L1qXcxHZOoGubh2rt4qPYOgop/RW9eEARUQWFzoJXNgdZ1Hfd6Q7O3ni81PcrO0OYVF2NBEPDLPh6pu4u0kePHYy9VPsuZBfryQ6SNHNF1Fup/kJjRUzw/8SaTpUs1SiHFz+caH+Ke+MHLGiSyKNPhb+bzjY9QnI0MzaE3P8y7yTO0+hrWzUHuDLTyi62fo9lbt+IzKAoidZ44j9TdTcrI8vr0u5XPEnqKwfwoebN4xVqNs5mLnM50L8hYeiQ3P9X4EPfX3Lbi72RRos3fxGcbHkS3Dd5MvLduyt9EaZofjbyIZl0qKq11x/ly8yfZH9l+2d+6JRd7w9uRBImCVaoY5A5wPHWOPeGtxN3RddWPqKLCLZHtfKX5k8TdK2fVJEGkM9DKo7V3k9TTCwyy0eIkw8VxOgOtV00t+7jAcix6coM8O76wTsctutgd3sKn6+9nW7DjioaQJIjUuuPUuuPcGftodLp2cDiduQCUA1Z3xm/h8bp7qPNUXzb6LAoijd5aGr1XDgzOh2brHE+d4+2Zk9jz3m+/7OVw1V4+WX8vzZ4rqwDJokSTt46mVWZZP8oo13UG2BzYgWHrBJTVr5e7w1vYEmirZI1WA1VU+ETNHeTNAt8YfLISwNRtg+HiOGkjR0itYl/4TkRBwiWtjSFiY/P0+Otolk7cFeUzDQ/wQPVtqJJ6WRvKI7nZEbo8GySouGnwhcmZOkHFTY3nyqIza8VVuy6GbZDWFxbYRZXgugp3BYRVydreCAgrAW6N7qJj1tu8EjoDrTxQczuueQul5VgcmzlNxrgyxWekOMHx1LkFtIJOfwt3xQ5c0cmYgyIqfKr+PuKuS9+3sRkujHMidX5V+1gJc3K+98Zv5cGa2wkp6yvovVHhllw8XHsnWwPtqzLIvJKHu+MHCCkLozAZI8dYcfJaDXNDcTx1jr788IJo5G1V+7itau+qroEoiNR74txbfSuBeXznolXiQraPwcLYusblkzx8oekRmry1q3o3a1xVHIjuWkKjmdJmrqjmZjl2ORuxSABgV2gz98SvnCUUEKj3VHNX/MBViSG8NnWM8dJUZQGUBYkHam67opMxB0kQ2RJo40Bk1wLnLmvmOZ2+wPQ6mt0Js7StTzc8cFknYz42BVrYEdqMW7w0TzqUqVxrVUn6OCNnFngr8f6CjKkoiHT4m/h0/f1sD236yPQtWg9028BxHPZHtvNo7d3Ue2qu2Xo1XprmePLsgoypLEjsDW/jk3X30ezdWKnRjwssxyJrZijZJQproEkHZqW310rNlQWJe6oPLaEWF6wSo8XJWZaGse5muUWrhCoqPFp7N/dVH8a1DCNiPSiYBqoocVt1KwfjzQSUjRcQ2JCZxJpHPxEoF95drYzmjY4WXwOdgdY1cZdvq9pblkObty2pZziT6V7xN1CeFPvzI/Tmhirb3KLKrtBmmn1rU76IqCFuiexYsK1olXgveWZN+1kO7b5Gbo/tI6xcOYX5UUOHr4kdoc4l2torQRREImqITYvkfAtWacM6GF9L5M0Cp9MXSM0LQgRkH3fFDqxJFlURFRo9dUv4pSPFCfrnUQTXgh2hTewIblr14i2LMjWuKho8C+lBKSNL+gpBgGktSW9ucMF8KCDwcO1dqy6YFQWRFm/9muuU5pAxchxLnl4whio1zL3Vhy7zq6XwSG46/M3UL5Jw7cr2rVpZbz4UUWZPeOuqJauhHDls8tQuqceYKs0s6AVwEyvDdmwmtRneXTSnR5Qgh6v2sjXQ/rEKAq2EOk+cQ1V7ljzvGwnDNhnIj3J+Hm0PytS9O2L7afTW3rwX64CNTVJPMK2NA9CXv8gGdXJYEYIgEJC9dC5iYJiztbCWYzKtjdGfP09CmyBvrl0Bb2uwnTskdTUlAAEAAElEQVRi+xcEWq4WJcvgbGqCUzNjDOaS5I2Nn0ev2tGQBZnQvCIbBxidbTBjf0DKPtcbylHI+JojkGE1yNZg+wIDxHQsTqYuL/2Y0jP05AYXqKrUuGO0+BrWZNTNYXd4Ib/UdCyGCuPkzfWrtggI3BLdSY079rGMzuwObyWiBNe0aKiiQp174SKn28aCourrFUOFcYaLEwvoQpv8LdS4Y2tu9hZS/LT5F3K400aOiVKiIpu8Ftwe218pql4t/LKXKnUhFbRkaQtqBZZDd3aA7KJIe5UaYcsaa44iaogWXz2uVTaQWziGfiZKiUo2QwB2hjavi35X465aMq9Na0kSWmrZQuvLwSWqHI7uWbMhFVFDBOWFNM6cVVhVX5aNhm5lMew8zhrXOsex0a0Maf0i9gaMu2hOYTmrMxB02+BiboAZ/VLNkIBAk7eOg9FdiIJ42bW7YBYoWsWP9Po+R33e5G+5ppmdnJmnLz+0QFJYRGR7cBNbAu0bLjP6cYEAqKKKT/LjODZhJQofQD2miEjdIqUvy7EpWSVkUcEteSlaORL62JodDQGhLO++in5aa4FPVnGJEtOlHAO5JDlz7WvqlXDVT7FP9iwxAgYLYzw19gonUuc/lulst6RSpUbWpdS0PdixwBCzHIuB/Ohli5ZTRpahwviCbTXu2LplaRs9tQuWfgeHnJlnspRY8TdXQkD20eprxLdGbuJHAYog0+JtWLMMqCSIBJWljbXm8+yvVwwURpdQ/jr9LetSinJLLmKLjHzLsZjRU6uiFc6HS1Tp9K9cTL8SVFFZ8j7rtoFxBeN6uDi2xBnaEmxbM0VUEWViamRdTTS7sv2LMswC24PrKxQNKn5Ci2q1DMdkUkusOaPgl720ryGbMQeP5Fqi8KRZ+ropCWuBaZcoWTOYdhHbMSlZ05h2viyJ6ZiYdomiOY3tGDg46FaWojmF49izDomDaZdwsDGdAjPaWSxHm91epGhOlz93bCxbQ7PS6FZ22fnfsHNoVgrbMUhqZykYE2hWGnv2OmhWCs1KLYnkzhU7z4dXctPmaySqhpnSphgoDFAwC9izndSzRpbirHxr2kxTtIrl87N18ma+8t2PCjySi0ZP7TWvhUsbOYaKC9fukBKgzde4hDZ7E6uHKEhE1CpCSmS2dqYF4QNw2gRBwLNonbBxMGwLEZGoWk2HfyfVrkb8cnhN+w4pAdr9TRvSS2k+FFFiW7iWfbFGOoJVBJSNr3O76qrrgOxjT2gLbydOVCLqJUvj/dRZZvQUe8Pb2B7cRLu/aVmFmY8i/LJv3TUIzd6FSgQODtN6koJZxLeM1KKDQ8bIMaFNL9geVgJLon6rRXmCE5gfATAdi6SRpo2Vu4xeDjXuGMGPyf1fjIgaJKj41hydEhBQhIWTiu04H6gCy3rg4DBWnCS3qPFXnSeOug6hB2UZIx/KShwFswRrmBfnZCnX+hyKgoi8yDmxHPuKxdmjxckljmGrt2Fdc4Nf9hJRgoyvoXFYuYHU8IJov4BA8xoLVufgFtVl0/ZZo9wrJ8DqNOtFRKrdsXVlXGVBQlx0L0zHxL7G1AjdypA1+jHtIkG1HVUKUTQnseUoqhRBt1IktfNIgosq9050K0Fa70EWPLikMJPFY9R5byelnyeotCMJbgREbMfEESw0K0XGKH8/7NpKRu9Bs1IE1Q4UaeFcXjJnyBi9CEiEXZ2UzHIQyNAK1HgPYdklMnovqhQm6goyv8eHbhv05YcW7C+g+Gn1NeBgM14aZ0KbICgHcXAYLg5Tsko0eZtQBIWknsQv+QnKQQYLgxi2Qc7MsTmwmaAc/EjM8RE1RMwVvuZ1Klkjz+g8KXqAaneUWnfshlbevB6giCpt/rV3Zr9aLLfOl3tzOOTMNCPFPizHIu6qwyuvPuDT6KnFK7k3/P2SRJGwy0OYaxcEvmpHQ5UUtgbbOVS1h1em3q4svLpt0J0bYLhYLiTuDLSwyd9KZ6CFalfVmnXXbyR4JPe6+05Uu6qQFiWadNsgqWeWdTRsxyZj5pZ0W+7JDfH9kWfX1Y9kuSZJtmNTuArqVEQNLih0/zghoobWRXlZDs4H3r5q7TBsk4SeorTIwD6aOEF/fmRdi/fIosUYQHcM9DVSp6pd0SXv13pRvhMr3w3bsZlZ1MgJWDd90Ct71tyNXLMMJrXEgmi/g8OzE2/y5rx+GquFg8O5WVna+SjapTU5wKIgUONaf4fsxVfvg3gnCuYYJSuBT25AFr2IyJhOAdFWcRwL3c5SsqaIunYiCgozpbPIogePXA0IpLTz1HoOk9UH8Mp1SMI84Q+7RN4YJqP3IiATUNoomQkEQUIVA8u4pQ6alcSwc/iVBgAUMUDOGEG3UoiCQsEap2TNEHFtRZh95h3HQbcNxksLA1M+yU3tLK1RERU8kgef7KNoFUkbabySF49U7huh2zpFytmNseIYcVecnJkjbaTxST7kj4BqpF/24l9jw721wnEcCrP9SOYjoobWlbm8iWuHoqWRmu1RkjOLlOwSJUvHsI1Kg0lrtjb5QrZ/2X0YtkZKnyahjZMz00iCRKOnY9VrQcwVvmEVWa961AICVWqYR2rvxrRN3pk5RXEeb7loaVzI9dObH+Y911mavfV0+JvYGuygw9eER3Z/5IqdFFFed3rLO9uZl3m2yZzm+XIwbJO8WVwSWe3JD9KTH1z2N+vBXMfp9cItuZZEhD8u8Eruj9W5lyyNkqUtcYmOzJxY4Rfrg2GbV6QuLYb/A8yqGXbZEVp8HSLqcobjlaGKyprlWwtWAW2RMIeDw3MTb6xjBCtDtwwse/XUmbL85Oqa4V0vkAQXtmNSMMdRpRCOaFfoST65DhwbtxTHK9chCgqK6KdkJRCQ8EjVuKQI48U3yZujOFiUzClyxiBZvQ+PXEPWGES3MqhiEABZ9OGSIqhScMlYBEFEQKBgjmHY5bXBK9dRsmZmm4GJgEDW6GO+G+ZQblC4mM7nklxEZnsFuERXmS5lZpEFGZ/ko8pVhUfyULSKZI0sKSdFlasKB4esmaVklxAF8SORzYDyu7bRFJXFsLEpWdqS2iK/7F2gsncTHw6yRp7Bwig9uUHGSlMk9QwZM0fRLKHZeoU6aznWbHa7/P/FXcXnIAkyEbUaUZCY0kbxSmtjnHhk9w2rBLch7pEsyrT5Gvh848PUe2o4kjjOYGG00g8CyqntsdIUY6UpzmS6eTd5hnZfE3vCW9kR6sQnrZ3OcL1CFqR1e56iIKBKCsyzDRycFTs9lzn7H4TairNuDX8ARZA+toVtiqgsoXp8lFGytCVR/GsBx3EWzDGrgesyuuMbjZKlL/vOeKT1BVckQVzzvFIwS2suVF4PbJZmQS8HQRBuuJ4XHrkWBwfTLiAJKiIyEddWbMdCEjxIsgdZ9CHNUssirm1kjX5EQUEQRGq8h9HMJDWeQ6hiEBGZas+tuKQoiuinyr2LsN2JJLpRRC8BtXVB1mM+REElqHbglmO4pQgxz15UKUTEtRVFDAA2Va5dBJW2SjYDymtJcRkxCVmQKrLFMVc546YI5cxGnacOt+iePa5Is7cZ0zFxzZ6nR/LQ4esgqkYRNyhb+GFDEqRrHhwybWtZMQlVVMo2wE18KCiaJc5ne3ln5hR9+WHGipNkzfya15rFkAWFoFJWFa38fQ02ryrcuK0fNiwPI4syTd46wmqQzkALJ1JdvJc8w2hxcomHlzMLdGX76M0PczZzkS2BNu6MH2DLMt2zb0QICFf1QCzm5Ts4K6rrmI61LuWdDxoftazVWiAJ0seKb6vNppOvR5SLwD+Ye6E7xrLRrfXOcZIgLdNB/PIoWtpVL5DXCmstyP+wIYtugmpr5WoKCERc2xZ8xyVdoryoUoAqaWfl+365Cb/cWClKVUT/LK2Kyr+BytrhFVeWwlZEH7LSUh6FIKDOHlcRvfO+E0RgYZbBcRyK83otzUESpMpzGVSCBGaVJAVBWEB5dYkuWnyXpKar3dXUuesIykEQPjrzvABc6ynbcuxlhT0UQb5hKTI3Oma0NK9Ov8Mb0+8yVBhf0bZSRQWf5MEju3GLKspsBkwSJCZLCUZLS3td2Y7FtDbOWKkfSZCxsQipVat+Z5br/n2jYEOfZkEQCCp+9oS30uprYG94G13ZXo6nztGfH1ly0wzbYKAwylhpit78MHfGbuGB6sP4ZO8N67nBbOHPVUQRl/vtSikzx1n+WLtDW9gZ2rhCKJek0rmol8FN3MRysB17Wc3yR2vv3lDuccwVWTPP/4OcVQQ2dmEo721tEWMLa0mmQUTkp5sf29CxNXpqCCrrE5+4sbDWqzbv+0LlP8t/c41r3pVUdNaWRXWY/8qudizN3mZUQb2h1+vrDZev/Lq+cf1XEK6MpJ7m+ck3eW78Dab1hb2qXKJKq6+BTf5m6tzVhNUALtGFIpadQkkUkZCwsXl+4q1lHQ0LC80uooouZEGhYGbLN/pj8OpcE7dZEiSiapiwEqTD38QtkR0MFEY5lb7A6fQFknpmwQM5X9c7a+b4XMND6y6mvhoYtrkhTV0sx8K8CkdjMadaQFhRnUUURKRloh9tvkYeqr1jw6KGc13bb+ImrgR5hQzOweguNvlbNswokQTxun4mVVFBXGYVWW8G0p7lAa8Fy/ULEYD7qw9vKHVJnhcRv4nrFytR1qxZGVvXGik7XunGqrO5niAJ4rJy36ZjYjomyrUxz64p9DXWzF0vMB2L95NneWnyyBInY3twE3fHD9Dma6JKDeGXfSvKk2uWvqIs8VzgKa3PgCBg2QbduZPUe1rxyx/t4v9r+iSLgkhQ8RNU/DTPdrYdix/kVPoCRxMnmCglFlALZvQUz42/SYOnljti+z/whUtbpnBzPTAda90SpKZtLlHSEViZzywL8opOiCooq+5EfRM3sVFwS64l9D8oR7s8knvN9J8bFW5RXTYTOVcov9bYuOlYGIuCEFeCT/YuGcMlKs9NI/HjBhFh2V5GpmNRsrQ1q5rdxPohi9KyUtG6ZaBbRqVm5kbCB1MvuvEYKUxwLHmaydLMgu0HIjv5ZP19bA604hZdqwqSrWRDSoJMlVozS60XUUUXLtGN6zIUyY8KPrDKLZekUueJsye8lU/XP8Cvb/pZHqm7a0m6PWPm+PHoS+TNwjVvGb8YBbO4IXzmkqWV9f3XgRk9s6SAVBSEFXtiuCSFoOJbYrJkzTw56+PXLPEmPnwEFO+ShmpQ7iB9vfcA2UgosypRix2KhJ5a1yxjOMaasyFhJbAs33tikbzpTXx84JJcS4J4JUsjoac+nAF9TCEizgZlFr6fWTNPxlxbI9LrBSupY17vGCiM0JMbWhD4rnXHuK/6MNuCHWUBj1U6GSs11LUdi5QxzVDhIlOlUXRbI6RWoSzjbH7U8IFLREiCREQNsi3YwecbH+aLjY9QpYYXfGegMEpffnhFmbDLocxvXJ+zMKXNYNlXX8SaN4tkFzUrWy0mtQTOovP2yp4Vue0iIoHZrNF8zOhpkvraWtzfxE1sBBRBIbpM75ChwviiDtUfbQiCQNwVXdIzaLyYWFcQpWAWyRhrm1dcokrcFVmg+Obg0JsfXvPxNxofA2rydQdBKFNg693VC7YXrOKS3ho3cW0hCAI+2UPMFVmwPWlkPtS127mKbk3j2o33DBm2yUQpscTR3hbooM3XuCZmjQNLGtXOwXRMNLsECKSNBFkjeeMW46wRH5oWnSiIRNUQ91UfZk94G+55RonlWPTkhq4opyoKS+sGyvUR63MWRouTG6KWk7eKpIwM5jr4ir25wQXnLQoide7qFRscCoJASAlQt2jhGC9NM6Ul1nz8m7iJq4UgCDR4apdowXfn+m8IhbSNRL27eonD1ZsfXBJMWA2yZoGUsTYDRBAE2v3NC6hsDg6n0xfWfPyb+GhAFRXa/U0LtqWNHL35oRu6mPdGRED20eCpWbBtojTFWGnyA7kXkiAusS1Mx1pzLdgchvNjGzGsDxSarZMz80vOudFbS0hdvt5iJdiOxVBh+Wugii5CShQEkESZiBpf95hvNHzootc+2cOO0KYlXa9TRuaKUT9JEJfULpQfmrWn7zJGjqHi2IZQO2zHZrKUYHodqegzmW7MeVkVCZE2X+Nlf1Olhmld9J0pLUFffoT8VXTzvomPHmRBXBJKXk/m8Ero8DcRURc2GuvNDTFSmFjwfH/U0eitXeJonM1cRLeNNWU1LMcioaWY0mau/OVF2BnsXFJ0ej7Te5M+VYGwpMdPWTnwo2l0q6LCpkUKgiWrxEB+hLHi1Ic0qo8ngkqARk/tgm0ZI09vbpgZLX3Nj19u0LhwbiiapWUlkK+EpJ5hoDC6UUP7wFBurLo00+6TvbjWks1wHNJGjsFlHA3LsSiYOQQEWr1b6PDtwC+Hrgu1tvemh/lB/2mGc6lrdowP3dEAcInKkoLF1aSrZEFeUruQMXJMaTNrjgacSl9YMy3hchgujK/o2a6EkeIEFxfxBBVR5kBkx2V/F5ntXTK/yM9ybE6luujNbVx38Ju48eGWXEuaauWMjefVtvoaaPTULuAfG47JC5NvUVimYdhHFduC7QQW0RpzZoH3kmfXtJ8ZPc1AYWRd1LNtoQ6qXQv12vNWkafHXlvzvj6KEJcJWJm2tSLX+kaHKqpsDbYvoOM6lCnLbyXevypp9ptYG4KKn02BlgXZXweHk+nznMtcvOZ1qi5JXRLkndFTS5RBV4N3k6dvyIy1JEjLqnNajrWmYIPpWLw69faSTu/lz3TGSwOcTr/N2cw7dOdO0ZM7fVXj3ii8Pz3K62N9ZI1rV8h/XTga48XpJZN6WAlcscmZR3ItSTtqts5wYYzxNURmilaJFybeWnddxXIYKo5zNnNxTdmVZ8dfX8DvExCoc1fT4W++7O9EQaTd18iOUOeC7T35Id5KHF9XFPQmPpoIyL4l0du+wsiGH0cWZQ5GdxF3RRdsP5o4ybHk6Y9NrUZA9rM12L6AGgrwo9EXV01PcHDoz4/wfvLcusagisoSOVvLsXh56iinPkQK1fWSL5AFCf8iml/WzDP5EZ03BQGiaojbonsXbM8YOY4kTnAi1fXhDOxjCFEQaPbWsXPR2j1ZSvDq1LFrXksVkH1LehEVrBL9+WESWmrV+ymYRX48+vJ126j1cnCJ6rLKnUk9s+rMjuM4jBUneWb8jWU/V0U3Ne4mat3NdPh30OLrRBZlnOvAqS+YOrIo4lOWCrhsFK7K0dBtg6HCGKPFpc1JVouJUoL3UmeXGPlbgx1X7AEhCzIxd4SwspCicT7bx9szJ1e1kJu2xfeGn6M7179uXuJysByLN6bf4+3EiVXVarydOMnr0+8uMMAkQeK+6kPIK9RnzEFAoNFTy63R3QuKwi3H4qXJozw5+sqaJo05OI5DSs/c5HN/hNDkrVuSLXwveYbkGrn/V4KAwP7IDrYG2xccz3AM/rLvu7w1fXxdNUyGba4rW/hhQRAE7qjaj2+RIduXH+Zbw0+vah/DhXFenjzK5DprrgQE7q0+SIu3fkFWI21k+ZOeb3A63b2u/WqWTk9ugISWvPKXr2O4JHUJfWVGT9GV7f1IUk8FBPyyjzvi+wkuiqT35ob41tBTvJ88u64agY3qRfVxgYBArTvOvsh2vPMYCTYO76fO8p2hn9CbW3vtjOM4qwrmuESVuDu6pJ7uveRZzqS7V5XdMm2Tvxn4AaPFiTWN8XqBKipE1fCS3m1d2d5Vz7lpI8v/6Pn7FWvoyu9ciJirlrHSIKPFfqrUOq4HSYy424csiuSMa5eNuqo+GrptcHTmJD8efYmtgTZuq9rH9lAnsUUqUsvBweFibpBvDP6Y7mz/ghep099CrTt2RZ15QRCoUiPsDW/l5am3K9vTRpafjL2GS3RxX/WhFWlYk9oMPxh5jten37smsmxT2gzfGn6agqVxT/zgirr1byTe5esDTyxRmmj21vNgze2rOpYkSOyLbKc/P8JT469UJoiSrfHk2Mv05Yf4VP397Ax1LuFkLsakNsOp9AXen51stgbbNrTL+LXE6he5pd+b++2V9nE98CrXiw5/Mz7Zs0Bho2AW+KOLf8e/2PyLq27AtZproIoKn6l/gKHCGBdzA5UrnjML/I+ev+d46hxfaHqEevfli+K02YDGyXQX7yfPMqUleLzuXpq8dasa64eNrcF2DkR28NLU0cribzkWPxp5Adux+VLTo8tK0NrY9OWG+c7wM7yTPHVVxaEu0cVX2z7P7537YzJGWTrTAcaKk/znrr/ggerbeLTubqJX6NxesEr05oc4meriveQZSpbGL7f9FFWLlHNuJHgkF+3+JiRBrAhxWI7N+8lzPON5jcfr7kG9wpw5hxtlbhARaPU28MWmR/nLvu9WZN1tbLqyffyPi3/P3fGDPFhzO7Xu2GX3lTPzXMwN8V7yNO8mz/Dvdv7WkkzmYqx2nl7uW44zq4u0in3cCPdDFiT2h3cwWD3Gk2MvV95z07F4e+YUQ8VxHq65kzvjtywJqi5G2shyLtvL24kT9OSH+G/7/s1lv18W7qhha7Cdd2ZOVbZP60m+N/JsJTO93PwEMFaa4huDP+admVPLUoZWi9XcS2fFlulX9ywIgkCdO06dO87FeVTzM+mLvDn9PlE1TOQy1/1CboA/ufj3V6xPEQSBqFrNoeiDAIiCdF08n3fVtdObneGtiQEafCGCyvJyu1cz1qtyNBzHwbIt0kaWt2dO8c7MaVySSq07Tru/kSZPLTFXBK/kQRUVTKf83dHiJGcyF+nNDVG0igueHUWQ+XLz4/gk76pOrEoNc2t0D+/MnCI/j/s9oU3zl/3f5dXpdzgQ2Umjtw63qKJZOlP6DOczvZxKXyBtZCvNsw5X7eV46ty6CqHmI6KEkAWJKX2GidI0f93/PV6YeJN9ke20+hoIKQF022C8NM07MyfpzvZTWsRtVAWFX2r77Kql1QRBIKIEebj2TtJGljem36vUepiOyal0F2cy3cTUCJ2BFqpdMQKyFxuHoqWRM/OMlaYYLUyQNDLYs5O5KAhXNYF80JjWk5xJX2SkOEHRKpI3ixSsEkWzRMEqkrdKFMwiObOwxHD71yd/H5/sxSt58EgufJIHj+zGK5X/+GQfbb5GDkR3fkhnd/XwSR5uj+1nauSFynPuAO8nz/Ivjv//uKf6Vjb5mvHLHhwcSrZO1iiQNrIk9TRuycXtsf00r8LIFwSBJm8dP9v8af6s79uMFMcrV1y3dV6ZepvXp4/R5K1jS6CNkBLAI7nRbYOCVSJlZBgtTjBenCZvFXEcGxsHv+zd0OzjtYYkiHy+8WHOZi8yXLh0DTRb5wcjz/FW4ji3V+2j3deEX/ZQtDQmtQSn0hc4l+mpPKt17jheyU1ffmTNBfyCILDJ38Kvtn+ZP+z+W4p2mY/rUBbe+P7Iszw1/got3no6/E0E5QCqqKDbOnmrREJPMVqcYKo0Q9Eu4TgONg4RJXjDc/pFROrd1ewLb+dY8hJvOmmk+dbQTzieOs+t0V00eGpwiSqmY1K0NDJmnpSeIaGn2Bxo5dboriUUrOsVgiDgkdwcrtrLYGGUFybeqjgbDg7TepLvjzzHT8ZfpdFTS5uvgbAaxC26sByLvFVkSpthtDjJeGka3dYra8ZqngfN1jmTuUh3tp/C7JxcsEqzc3WxPFebRfJWcYlAy98O/JDvDj+LV/ZU5mav5MYre/DM/j2kBnmk9k4krv/moGUDNMS91bcyUZrmWPJ0ZW2ysRkpTvBX/d/nm0M/od3XWFZDUgKokophG+TNAhOlaUaKk0yUprGwcRxnSZZiJTR4atgb3sbp1IXKvAAwWBjjv3f/LduDHeyLbKfOU41LUChYJSa1BGfSFzmd7qZgFSs21D3xW3ll6u01B0VGi5OcTJ8noaXIW6Ula3feLv+7uCjDmDXz/OZ7v1e5/5eeBTceyYNXdhOU/WwOtLEjtGnF43cGWtkR7KQvN4w1O7fa2Pxw5AV680PcGz/EtmA7QcWPYZukjSwXsv0cnTnBidT5SgDJLarcHtvPS5NHl70GgiCWBVmuI4zk06T1Es8NX+Dvut+l0R/GLS10Df713vvpCFatsIcrY8M6g89pLxetEn35IfryQ2vehyoofLn5cbYFO5bwyFeCJIhsD3bwyfr7+O7wMws4grptcC7Tw7lMz2X3ISKwNdjBL7Z+juzFHGfTPVelxLM92EGHv5nnJ99krDiF6Vj0F0boXyUXXhFkvtL8ODuDm9fkRc5FJ77U9CiiIPJW4v3KC+BQjtJNaAkm1kTB+PA97rVgtDjF0+Ov0pXtW/Nvi5ZG0dKA5akgkiBxe9XeG9rREASBh2vv4v3kWbqzA5Xn3MFhUkvw7aGfXPb3nf5WdoW2rOl4u8Nb+JX2L/GXfd9lqDhWiRo7OJiORV9+mL41c5FvrOcy5orwtbYv8t+7/3ZBNslybEaLE3znCjSqqBriE7V3EFIC/P3AE+tqriYIArdV7cXB4U8u/gN5qzDPoCnP3eezvZzP9q51z2sey/UEQRCIuSJ8ovYOunMDpI1s5TPN1jmV7uJU+vJ1C4ogsze87VoPdUNRZgSE+Xzjw1iOzWtTxxYElebW8+5cP925/g09dt4s8vrUu7w8dXTNv9VnVYIuJ/Xsl7w8WH0bknT9OxowK0Pta+ILTY9gY3M8dX5BMMXGJm8VOJW5wKnM6qjMqzX2FUHmYGQXQ4Vxnpt4fYG8vmbrvJ86x/upy9eHiYjsDm/lH7V/ka5sL2OltamX9RWG+f7I8+uqJ81bBfJWAVZg/nglD5+oueOyjoZ31unuz49wMt21wNE7kTrPidT5K47DLbn4VN19PFZ3z6wNvPG1j9cCfdkZ+jIJYu6yY1o0DUrmQtqdZV9dMOmqHI255j8uUS3LNa4zta8IMmE1wE81Psw98YN4pNW3ZBcEgZAa4IGa2yhaJZ6feIuSVVp1h29VVNge7OCrbV8g7orQ5mviQrYf/SourO6Y7Itsp8oV4QcjzzFUGFtVkZSIgEfy8PnGh/hk/f3rSlUJgkCjt5ZfbP0cte4YL00eZUZPr0u2VxIkPJL7honSlXEt+cEfDZX5sBLg19q/wh/2fJ3B/Og1z1jNORv/cuvX+PrAjziT7iZvFtcelUdAFiR8smfZzuPXMwRBYE94K7++6ef4s95vMaklVjUnSIJIzBXlkdq7eLT2bi5k+4m5Iuvu4iwIArdX7SPuivJnvd9mqDCGZutrfrIFBBRRxq/4VuzxcyNBEWV2Bjv5SvMn+ebQk6T13Jqezxt1XhAEgRp3jJ9v+SwNnhp+Mv4qaT27rjlBoGwPXInyfBPLQxAENgda+VrbF3ly7CXenH6frJlfV4H1XNfx1R437o7yeN096LbOW4njlCxt1XOCS1TZE97KP+n4GdySSoe/ec2ORhnX6i1aHa1qa7CdTzXch2brXMwNrtpmEhHxyR4+3/gwn2l4gIJZZHuw84ZxNH66Yy8/3bH3mh7jqlYIr+Tmjth+DMfi7ZkTTGtJTNucbfhiYzv2ki6TIgKiICIJUnmhkr3sDm/l8dp7aPDWXLEAfCXEXVG+0PgITd46np94k9HiJLptYDpWZRzl44tIooQqyAQUH3fHD/JI7V2EleDsi97C8eRZipZWaYa3Vui2jumY3BW/hXpPnCdHX+FU+gIFq4Bhm1jzxiMhIosyqqjQ5K3lC42PsDu8Zd3XYQ4RNciXmh5lX2Q7z0+8yZl0Nxkjj+EYC+4NlBcIYVZLfu6+uEUXHYEm7qi6hf1XkNddDJeoElVDC5TE/Irvqs9pNVBFhbASJKZuPGdcEqQlcsrLHl8NEjMuHT8o+1edoZsPQRDwyu4F5+JXfHjX4IivhFZ/A7+79Vf5h6EneS95hqKlYdpmWdJv3nMhCgIC5XSvPPu+XkmcYCU0eGr4l1u+ytHESZ6deJ3B/CiarVfeifmGnVCZJ0RkQUIRFUJKgB2hTu6o2kdnoPWKx3OLLqJqeIHh45dXR8lcDFEQ8cveBfciqoavWO+0GPsi2/g32/8p3xj6MadSXZQsHcMxF7yP5XOW8Ugu2nyNPF5/L/vC28tNTl0hWrwNFXGHsBpYdf3AHARBoNPfwv+x87d4afIIL00eZaKUwHAMDNvCnvcMwMI5e+5exFzl2rjbq/bT5K29zNHK8ErlDsjGrACAKirrfo5lUSKo+Bfci4gaRL7K+cUre7gvfoiYGuFHoy/Qnx+ZncutBXO2iIAgiIizz6YsSHglF+INbGCH1QCfaXiAveFtPDvxBidT58ma+dl3c+H5w/xnQkQSZBRRJu6KcjC6a8VaxPkQBZGA7Lsm8zSU+3Ot9j2fC3TOH0tICSCvUJdwrVHnifOLrZ/jYHQ3z0+8yYVsH3mziOGYy6zd8+fK8rOoigoNnhruih9Y03EbvbX8XMunafHW88rUO0xqCQzbxHTMCi0OyjaULEoogkxIDfBQzR08VHMnbsmFg8P2YAfnM+WsqCoqqwpUlm2GMNdCR8AjuZcUeq+EWyI7iSghnhx7mZOpLvLL2GxztpIszNltdfx002MV5TBVVNgd2sLRxAmg/G6t1um7NGYXUVd4wTaf5LnmTny5/qkMgY2rcRKcDZKI0CydkdIEPbkhRouTJLQZUnqWkq2h22XjVhbLi2dYCVDvqabV18iO4CZCSmBJH42rQdrIcSHby7lML0PFcTKz4xAQCCg+at1xNvtb2RvZRpUavqpj9+dH+Mu+73JyXmp9e3ATP9vyKbYHy6k607Hozw9zPHWe3twg01qSkq0hIRFWAjT76tkT2sqOcOc1iQg5OEyWEpzP9HIxN8hYaYqUkUGzdARBwCWqeCU3cVeUGneMNl8jWwPt+JXVFQZfD8iWNEqmScjtRpU31qGxHYeiYZDIF3Ac8KkKMf/qszxTuTyyKBJ0u5DE64ufCTBcmOC95Bl684NMaUkKVgnLMXGLZd5rUPZR647R5K2j2VdPnTu+6tqhleDg0J8b4XS6m77CMFPaDDmjbNjIooxbUgnIfmrcVdR7yhLPLd76NU/Y1yscx6E3P8S7M6fpyQ8xraXQbR1ZlIkoQVp8tewItrAtuAmfHF73cSxHQ0RBWGGOc3AwbIPu7ADnMr0MFkZJ6ClyZgHLsVBEBY/kIqQEqHHFaPTWsMnfQr2nGlkAEBAXGWSWXcJ2dGTRh/ABBBeuBQpmke7cAGfS3QwWxkgaGUqWVs46y268koeoGqTeXUOTr442XyMhJbCugML1BsdxmNHTnM/20pMbZLQ4SdIoS306joMsSrjF8joed0Vp9Nayyd9Mk7cO5SrnhZtYCNtxGC9NcT7TS29+iPHSNGkjS8kq11IoooxHchNVgsRcUZq99WwOtlDvrrkqIzGhpzif6aUr28tIcZKskaNk64iIhBQ/dZ5qtgba2BfZTlD2XxdFzRsJ07bozQ9yMn2BntwgM3qqHHym7LhE1TAts7LEW4LtSIJ0Q2fyDNsio5dI6yVyhkbM7aPa46dkmQiAW1auam7bMEfjcjCscupPWcSX1EwTWRQ3xPgqGgY5XS8bmh8gL3M5R2NboIOfafnUEm3sm7h2+If3TnJsaIRfvf0gnfHLq6SsFbpp8c7gMP/11beYyuW5va2Z//D4J1b9+9/54dM0R0L8zC17qPLdOM7bTXx40K00Ke0EoqAS8xxe936mim8Qdu1BES+fiVsP0to5ZNGHT2lesj2n9xD33okqhTf8uNcbHMchq2tkdA3dspal7baHolfsC3UTq4NWMpBkEXleQEnXTCRJRJSEBUav4zgUizpe7/oCFLpuIggCirI6m8KybHKZIv6gB1EUPnIG+AcJXTMQRRF5tdfetMhligTCXsR12JSmYZUdaVlCEK983/SSgSRLS565xXAcB0Mz0XUTr9+NuIp9f5DQLZPjiVG+2XOCtycHmSrl+MfbDvNLWw7y8mgPmmXycOMWou712y4fSG6wZ2YGSRDojC00AE+MjdESiVDjv/pFsGt6mpd6e/nc9u20Rm5cqcWbuP6gyhJ3tLewuTrG3x47TiK/Pink62t6uYnrFbZjYDslfEozihie3WZi2GlMOw/YgIAqRlCkAIadw7DS2I6BIMi4pTiCIKJZMwxmvo0YVHDLNXjkBgRBomAMIQseTKcIOHjkBiyngGkX8Mi1WHYJ3U6hShEEJAw7hWGVC6QVKYgiBjHsDOOF53FLccDBJcWQRC+mlUUWvUTd+5HFS1k/zUpg2FlwHBQpiCpGMZ08ujVDOa9iIws+3HKcG+1NSZQKfL/7LK8O9zNdzJdpFot8jSc+9wu45Ru/lmUOjmNRfg7nJDqv7p7ZdgHdGsd2ikhiCEWqRhSWpwT2dI0TjfmJxgLIiggIjAwliFT5CYa8CAKUijqOA5Ik8t6RXm69sxMBUNSl98CybEzDqjgvc/8WJZGh/mlkSaSuMYoki0iSWHY+AFkpn7s2ZxDLIqWizotPn+KBR3cTCF2eruM4NpadQjNXFs5RpCpkqQZRuPEyRY5jYVjjGNY0giAgCUFcSuuC71imjWnOu/amNXsvJPq7xvEF3MTrw8iyhCiJ6JqBIAiXrn1RR5IlJFmkkNd48Qfv8fAXb8UbcC8ai4NpWjg2iJKAJInYtoNlWuX9yRLJqSyWaVFVG0KURGzLrjgeoiRiGiamaaOqMggw1DNJvD5MIOzFNCxs20YQy/tybAdNM1AUGUGAscEE/V1jHHpwB27P9VVf2JWe4i8vvMNUMcejzVt5a2Kg8pntODw/coH9scbrw9EoGAbj2Sy6ZSGLIjGvD7+qkCyVeP5iD7JYnhDifh9eWWa6UOAHZ89zuLmJbfE4jaEgblkmWSySKBaxbBu/qlIfDJLXdSZyZe13c3Z7QyiEYZqM53IUDZOxbBbTLs/uWU1jMp/HsCxUSSLu86FKEtOFAkXDwLIdJFGgPhDEoyoUdJ3xXA7TsrEdh/ZopPL9mUJZTi3kdlEbWHu9xnykjQIpPYfpWHglF1WuIKooM1JIIIsSmqWj2xYtvjiyIDFWSs4qbJjlLuGeKH55Ka+5aGokjRy6bcJsAk8VZapcQQqmVjmmW1KJuYK4JZWx4gyCIKBbJoZt0uiNUbQ0NNug2hXGASZLKdySSlj9YIrBHcdhNJ1lulDAsu3yvfP7qAmUHVHLtkkWikzk8mimiSSKxLxeaoOXPh/P5igZZU5p1Oel2u/DJcs4jsN0vsDU7G89ikJjOIhPVREEAcdxGElnSOQL2I5DyO2mIRzEtUHGgWFZ9M0kGUymkSWRxnCQoNuNKAjkdZ3RdJa8roMDfpdKQziIR1HKjZcsi9F0lnSpTF3wqgrVfj8Rb3khy2k6E9kcWU1DFkWq/T6iXg/yDaK4chMLYdp5xgsvkCodJ+65i4bApzDsNGO5p0hpp1GlKgw7RbX3bmq8DzBdeINE6SggoEpRGvyfQRJcTBZeIqt3MZp/EkUM0hH+FWQhQFfyD4i49qJbSRxsOkL/iKT2HjOld9ka/W3y5iCjuSdoCvwUIDGWf4aSOQ4IVLkPEnUfYEZ7l2TpXWTBS9Ecoc73GEHXVnJGD8O5HyLhoj38NdxyNaadZzDzbXSrrHanSlFagz9LSj9Ff/rvCKibMOw0ihihM/xPkMQbix73ZG8X3+s+Q3MwzP3xdlRp6ZwhfYQi245jYlpD2HYOUQwgS7UIgov1OhuOY5HXTzCS+g9oRj9Bz33UBn8Dj7q8ut3EeIpspsjUZIaWtjgut0JqJk8oXDaEMqkCQ/1TpNNFtu9qoq97nNr6MLpusGVHI5J0KdptmhaJqSwz0zniNUFCYS/TU1lSMzli8SAzU1kKBY1ctkRNfRiXW2FyPI1pWDQ0R7Esm4nRNODQ3BbH63OhKDK6fuVCYgeDVPFZBmf+1Yrfifl/ntrgb6DKN0bPoPmwnQITmf+HqdxfIaAQ8j5Ae+z/rXxu6CbT42kyM3ni9WH8IQ/T42nSMzmq6yNMjaWYHofkdI6G1hiSLDI5msS2HBrb4+iayeRw2Y5p2VKLL+BGliV0zcS7yFQrFXRG+6exbQeXR6W6IUxyKkMqkSdc5SdWGyKXLsDse5oYT5NNFSgWdBpaY7i9KuNDCUoFndbNdYiySHI6S6yu3HdosHui4sxs2tFAIafRf2Ecj8/Fph0NePwuBEHE1C1YXbnIB4b3pkcwLIvf3n0vh2ta+J0jT1Q+a/aHSWpFStaVmz9eDhvmaEznCzx9oZuZYpGSaXKgoYEHOto5PT7Be6OjOA7kdYMHNrXTFArx9vAwZycnKZkm3dMJvrx7FzGflye7uhjJZLFsG9N2+M3bDtGdmOGPjxxld10t6VIJSRT57TvvZDST4e+On0CVJEqmWSnWGU5neL6nh1SxSMmy+MSmDjZFo/z9iZNkSho+VWEqn+dn9+5lT10tr/X3897IGAhgWDa/fvgQflXhO6dPkyyWjTuPovCrtx7Ep67PGy1ZOm9Nn6M7O4oDKILEQ3X7aPXV8O2h14mofmzHIWMU+KX2B/BJbv667wWqXSFGSzOMFWf4F1s+x6bA0glnsDDNCxPHyZklTNvCJSmEFR8P1u4loWV5L9lDziii2yafbTxMZ7CeH44cRRVlREEgoxf4Sus9DOaneGP6LL+26TEcx+Fbg69zR3w7t0Q7rubRWDWm8gX++I23mcrn0QwTv0vlnk1tfHHvTuxZJ+S7J89wZmwS3TLLmYa2Fn563y4AJrI5njzTRapYIq/rNEfCfGX/brbXVjOVy/Od46c5NTZByTDxKDL3b+7gse2b8SoKA8kUf/bWMcYyWSzbIeb38umdW7mzvXVDKA89iRnGszmm8wU00+TBzR18ce9OfKrKUDLNX7/zPlO5PLbj4JZlvrB3J/d3tmPaNmfHJ/m7YydIaxqWZVMT8PPY9s3c1dFKQdd5s2+A5y/0MFMoIgoC22vifGrnVtqqVkfXcByHmUIRzbSoD12dM70YiXyBiWwOj6LQEApueP3MtYRhWaSKJURB+EApb6oUptb7CYRFPQAsRyOgdtIe+mVGck9QMicx7RyGncWntBFy7cQt1+KWYoiCSnPgS0wWXqU99FV8SsuCfbmkGtpCv1je7zzt/DLmGqLZZI1udCvJ1uhvI4uXrkGt9CBZvRuf0kKD/5OV7RH3PkynRKp0vLIto52nYA6xo+p/QRJcnJj6N6T1s+BYgMPmyG9RNIfpTf0FmjWJV2zakOv4QeH09AS747X85r7baAxcvuHhRwG2naZUehPLngZE/N7PIMvrv2e2U6Kon6OgnwSgoJ+kaJxd0dEAKJV0+nsmcbsVmtvjjA7NEAx5CYW9dJ0dIZXI03NhnD23tGI7DsmZHBfOjtLcFscfuGTplYoGg31TTE9kUBQJ07C4cHYUr0+lui4MlGlZ3edGMQyLfK6EqsqMj6UAGOqfIlYdpOfCBC63QmPLWmi7IrIYwa1swXGM8h90LDuL7Wx8A+HrDcW8xmD3BKlEDtWjUMhr9JwZwR/yIMllZ1ArGnQNDCCKAtPjKfxBD0M9k0iyxMXTQ9S3xDh/fBBv0ENt08pNIjOpAifeukhNY4RcuoiibqL71AjFgka8rpzBSM3k0Us61Q0Res6MoJV0EhMZRFHAMi2mx9NUN0QQJAFJFhnumaS6Pkwg5OWt506z89Z2Tr/dS7w+TGo6x+TwDEM9k2za0fBBXdJ1IaOXiLg81HkDS0IFsihh2vYaGiEvjw1xNBzHIeR2cU9bKwgCr/X10zU1zWe2beWe9jZ6ZmbwKAo/u3dP5Tef3rqVt4eG+fT2bRxuKk9SvTMzvNY/wJf37Cbi9vA/jhzlYiKBA5RMk9+6/Tam83n+z9deYyCVZDCVRpUl/ud77uatwSGe6urCcRyqfT7ub28DQeAHZ84xkEzREY1SMAzuamvhE5s28d/efIuxbJa2aIQfneviHx24hT11tZV6kQtT07zS18+/uvsuSobJ375/nP5kkh01Neu6RmPFGQbzU9xbvYud4Ra+3vcS3ZlRamaVBcKKj4fq9uGZLXbVLJOJUorPNh4mqeV4K3F+WSdjDhHVT2egnoSWJaR40W2TaS1DozdWyYJ8vf8lpvUMnU49AEHFy0O1+wjOFn1HlAA/HnmbpJ5DEkQSeoY94dZ1ne96cLR/iPeGR/iTL32GqNfLRPaSnn1e13mlp4+jA0P80zsPs6O2moKuY9llJxDKjsatLU38xl2HmSkU+e+vvsU7g8O0RiP8+Mx5zk9O83MH9rKtJsbRgRH+7MgxNsWi7Kyr4U/ffIespvP/efh+3IrME2e6+OPX32ZLdbySUbkaDCXT/Obdt7GvsY7Xegb4s7eOcWtzI1tr4lT5vHxm51Y2V8cwLZu/OPoef/PO+9zX2U5O03mjbxDNNPn3jz6AKksk8sWKw3tuYopXevrZ21DHQ1s2MZrJ8idvvM0rF/up9vsJuFcXHR5MppgpFDfc0RhMpvjeybME3S5+6db9xNdQRP9ho2SY9CZmUCTpuqitkUU/ouBCEKTZ/4s4jkmt7xPMlI4xXXwDAYl6/6fwKeU51cFmznG4VKwoEFDnBQ8EABHbMcuqI46JZZdwsHAcE0lwz6OxzF9wnGX2vRSmk0UVw8xp5KhSeDaDEcAjN8wWk0uIogfbWUEM/zqGads0B8J45BuP3mJZNiXNwOVSkKXV8todZLkexyiUn6+rLPgXkJCkMLIYxbJzKFIcWbxMczAHWtqr8XhUBAQMrZw9SCfzGEaUqniA94/2UlsfRpJEJEli595m0skCWtFY4Gi43DLhiI++7gkmxlK43HFkRSQaC6CqMg5Q1xjBsR1EUcTQTYIhL+GID8u00HULr89NJOpD10yKBY1ctkhiKkukyo8krfxeCEj4XAdoivwelpPBsnOY1jTp4gvktDev6preCHB7VUJRHwMXxpkeSxOrDeJyK7OUuLJp2tgeJ1TlR5TK99njcxOOBTB1E0O38AU9hGN+tIJOMa+RSxeZmcwQiHgXZK5wHCRZJFTlxzCs8n2MeGloixGrDWMYJrZtU8hrFPMlLNumoS1OMFo+djpZIlTlJxjxIYoCpmGBIJCczlHbXIXtOIRjfgJhL4Vsib7zY0yMpNBKBpZlU8hpZJJ5Msk83oBrXTUk1wpB1UXBNBgvZGn0XQqUmLZNT2aakMuN+yrntg1xNHTL4vT4BC/29tIQCnJhOkHY4yp7QYJQlkab/TO/aMZ2WLA9rxtkNI0jg0P4FJUdNdX4VJWcYdAYCiGLIqIg4FVUiqaJbpll6gugShJeRaFomnRNj3B8bIxqv4++5AzV/rKREPV4CLrKdBWPomA7DiXDQBIFPIpcGZsDZHSNdKnEK339iMCeutqKQbseaLaJIsoVzXmf7EabVeMCaPBWLZBnlEWROneEN6bOEVQ8PFK7/7L7l0UJj+TCI+l4JBe6bZI1ixyZPs9kKU1Q9TKhpRY0Xql3R3HNUwmRRZG7q3fydqILv+zhtthWZPGDi0BHfR58qsqxwRE2V8doiYQrhnKqWOLdoRFub23mrvZydDbqXZiDbKuKcHtrM43hEA2hII3hENP5AjOFAseGRrmlsZ7d9TUE3W4e2bqJ7508w9GBYRpCQV7s7uP3P/MwTZHyi/bJHVv4ybkLvDM4zCd3bL3qc9vXWM/O2hpiPh+Pbd/M3x47zqmxCTpiVYTcbiJeD+cmptBNC6+qMJbOziq8iES9HnTL4v3hMTrjVTSEgnjVMq2qeyrBcCpNZ7yKd4dHAbAch4vTCWYKhQWORqak0ZeYKResOg6762txyzLDqQy6ZdEavVTbVDQMuqcSeFWFTEnDqyh0xqswbZuxTJapXB7HgZqAn7jfx0Q2h9+lEvf7GEymkGYpXPsa65kpFLk4vbAR04XJaTIlDcuxifl8dMSi6KbFuYlJ/C4X6VIJlySxtSa+oljEeCZLslgEBPKaTkM4SE3AT7JQZDSdoWSa+F0u2qJhxrM5ioZBuqgR9XlI5At0xqqIeD2cn5yioJdTwzUBP82RMJppMp7NIYsitbOOpj67LZEvYjs2AgKN4RDxgG/Dqgocx8FyCmT08xTMYWTBQ87oQxLczAlRL/g+YFgzKGKIiPsWxnJPolszZUdDEFDEICntDLqVIuTaMY/rfWk/AtJs3UWapPYueWMQy8kjCAouKUaGcySKR5BENy6pGq/cAIKIJHopmqMkS+/jV9pRxBAFc4C83kvJHCejn0cUVPxKO5OFV0mW3kcUZEw7T0DtpGSOfySKZbdXVdOTmmEomybocqGscs50HKdcD2DaWLaN16NiWTaabqKqMoosYZoWmmYiyyKqKqPpJo7tlI1gx8EwrDIdxFWeDwzTwrEdPB6lvKYWdJTZ3+r6LI9cEHC7FSzLZno6y8RUhtaWGMHA6jgdohhBkmqx7AyyVIeAiuNYCOuUgxVFN37XAeKBX0I3R/C7DuF17V3x+/GaIF6fi0iVH1/AjaaZKIpENlNE102mJ7NU14WQZYl8TqO5NYYkSVTXhlBdC9dwyyxfj+q6EP6Am1h1gHQyz2DvJIoiEY76cLsVHAdEUSAY9jI2kqRU1InVhAiEvAwPJjAMi5r6MKWigcejMjOdxTKrFxq7iyAIIopUhSJdcqosO4tpTX0sHA3LtBElkXhDGF/ARXVDlEyywMDFCVSPQrQ6gD/kRZIlXG6Fzt1NjA0m0EsG8fowHp+L4f4pbNuhrjlKNlPE7VVJTGVo6lh67bWiTmI8jS/gJlodxLZsPL7y+mhoJjgOhm5RyGlE4guPHasN0XViiP4L44SqfFiGjeqWySTzGLM1O8M9k7g8ClU1IXzBKRraYmjF8nH0koEgQiaZp7ohwnXkZ7A9XMtbEwP8YOA0ab3IVDGHALw61svTQ13sitZR5bq6QNuGORpT+QICAtvi1aRLGoZVjjIIgF9VGc1meWtwiE1VVVT7feUeFW4XXVPlQqGd1dU0hYLsqa1lf0MDAVXFcmw6olWcnBhfUqnvkiRq/QHeGR7hjYFB+lNJSqZJ0TCYyudxyzLb4nEGkilcs5xZQRBYvK75VJWWcJgT4+NMF4oIAuytq6MtEmFfXR0HGhqQBAFJFGgOhdd9jWrcYdySwoXsCBmjwISW4kCks9J4bLEBYTkWBUtjny9OVPVjOBZFS8ezYqOypTHFvFliRs8SUr10+Os4mey7osLXoaot/MnFn+CVXPxM6z3rPNv14WBTA49v38KzXRc5MjDE1uo4929upzUawbAs8rpBbXDliHvA5SY4a1gLgoAyW/CVLmoUDYOoz1OpuRBFkZjPRyJfIFEooFsmdbP7FgQBRRSJeNxM5fIbcm5Bt6sSMXTJMkGXi3SxhO04vNE3wIvdvbhkCceB0Ux2tqDUwedSubujlYlsjifOnCfu97G3oY7b25qJ+bzkNJ2BZIo3+wbxzjrCHllmU6wKdV59ieM4vHChh/6ZJKpcTod2xmO4ZZnBZJofnD5LayTMr99VVjiayRf5y6PvsaehFtO2ifm8tMeiDCbTPHO+G8u2kUSR3fW1SKLA8xcusilWxX2d7bxysR+vqvDA5g7CnuWNrvOT04ymMxQNg+l8nt97/CHyus6fH3mX/U31WLZNwOWiszrGSmbb+8NjvDs0QmMkRMkwkUSBkNvN670DDCbTiAIki0V+avcO3uwbpGAY9CZmaI6EmczmuK21mUe3b+bU6AQzhSJ5XUcAfvv+u9BMk9NjE7wzOMKhlkY+sytIVtN54UIvXZNTtFZFGE1lONDcyCNbO5dQwnomE/ROz6CZC5tt3b25jYBLvayBbdp58kYfIiIOFnmjj6C6DZ/SjCDM3eM6FDuAJLpI62fIaOXOtVH3rXiVcqpeQKTe/zgZ7SyaNU1A3YwoKERd+5HnqVCJgoRPaSGobmOm9C6S4CXmuR1Z8ONSqzCdAin9NAICIXUHHrkOEYkq90ESxXdIlt5DlaIoYpC80Y9hZ5ClAHmjD6/SjE9uosb7AGn9LI5jUet7EJ/cguOYhNRyjx5Z9BJSty8Y142CTZEqnu6/wN+dO86ttY2E3Z4lPTXubWpbMvdals3EZIaJyTThkJe62ggTk2lmknmCQQ91tSGmprKkM0Vqa0K4XDKTUxkKBZ36ujDZbImJqTK1o74uQjpdIJMtIssSTY1l2uTEVAZdM9m1o5Gu7jFkWaJY0Nm5o5GJyTRDw0kSMznq61YvoGLbGRxHR5U3gaBgmD1IUi2y1FB5PtcKl9xMXeh/WtV3d+4rB5qqay9FXx/69L7K3/PZIrtvaWWwbxrTtLj7E+VnbPctrUv25faotG+uoa2zutJFfMfeSypqy72nDc1VCMKlzxqao7O2Rfnfn/nyoVWdx8cdc/ULHdsbKlSp3Yc7ytETARpa40t+09heXbn20eogjR3xyrX3+N187mt3L3ssRZVp7Kjh8IPbK9/3By851l6/m1vuvnxAsaomVAmKC4LAY1+5rfJZtCbEbZ/YiTCrNHbo/u04jlPJXGze3cTm3dcnJXRXVS2PNW/ju72n+O+n32C6lGcol+JCepr2QJRPNW8nej04Gl5FYVt1nIl8jouJBDGvl6ZQCGZvyP6Geoyhck1GbLZAVxAEHujo4MT4OOcmp+iIRon7fHx62zbeGR5m0Co3SLmlvoGY18vBhvLi6VYU9tfXU+X10hCU2V9fz9nJSbyqwu3NzTQEgwgIHBsZoXcmSXskUs6MKArbq+PEfWXqxpZYjLDHjUuW+dKuXbza18e5yUlsx2FbPE7U4+ELu3ZybHgEAQGPWj7uehFR/RyIdnImPciF7Aid/no2B+txSQo7Qs1UqQt7ifTmJoiofqZKacaKM4wUEnhlF5sDS/l+IcVLm6+akOLDK7vxSCoh1YtfdhNV/fTnJxkuTLMr3EqDpxw92RpopNq9tIeIV3YhCSI17nCFUvVBQZVlfvHWfdy/uZ3Xewd4rusiY5kM/+tD9yEJIookkdUW88kvQRLLDuFiuGQJVZIoaAamZeOSy4Z3TtOoCfjwqSqyJJEulvddjio7FHQDv2tjFCIKulHJJhmWRdEw8KgKDg5/9NoRDrU28Wu334pXVXjybBd/+Fq5cFYUylHzf3LHIS5OJ3ipu5enznZRMg1+eu8uVFliT30tv3bHITbFLnFURUFYUJ9RMk1e7O7la4f//+z9d3hl13XfjX9Ov73jovcymILpjRz2KpGiRJHqVrNsuct+0/1zkjdOHOdNHKc5jksSV8myVSjJkljE3obTey/AoPeL29upvz8uBjMggBlwCjmU+X0e8sGcsvc++56yvnut9V2b6Kmtnmf03NbayGQ+x2gqM2/MiiSysrqKbc2VF6Rp25yfTpAv6/z63bfNefjGMtl5512toqxl2zSGAtT4K3lJ/+qZF+ZiQCVRpLMqyo7W5iu2cRG+WSLWFq1c+3Aqzf6hEVojYTqqojx98gwXEknKpkVnLEqVz0uuXGZbUzd7BoZwHIe2aIS2KEzl83zzwBEcxyHgcnFHWzNFY34SnGlbdFRF+cq2Tfz9sVPM5AvkymUibytSdnhojO8cOMZENk9R18mWdGzH4e9/9Qv44tElPSCCIOCS47QGv7hgn/uyhNCwa/3c39Wee6j23LNoe4vtawl+/u29okphWoNfWHYbACGth5DWM29b3HMP8UWOrfLsoMqzY942v9qFX+0CQJOiNPg/tmj/wNz9cSt6QPpSFW/dnvFh9k+M4FPUBZrzO+qbFxAN07IZHU8xMpqivi5MMpXn0NFBTMMiEHDj2A4jY0lCQQ+aJtM/mKiEdhR1HMdheCTJ6FiK2pogum5yYWCaUtGgsSGCrptMTWfRVJmRsRTNTVEOHR5kw/pmzp4fp7o6yNHjw1THg5SXkbh8OWwnRVk/jG0nAAdFWYllpyqeDuG9z1HZfHsnA72TNLdVzSMjS+HtYSxXu8fevuh5K4XBvN8gSovM/RWm/1rn3hdw07W28bp+q8vJ5NuxYUfnHMm42rG3GlySwocau2n1Rzg0PcJkMYcoCDT6QtxW3UytJ3Dd9YFuCNGQRJEVVTFWLFG/oLuqiu6qhex0a2MDWxsb5m1bXR1ndXV83ra2SIS2SMWQCGgaT6xeNbfv45f9fRE1fj8b6xeSgvvbL8Ul39PWOvd3UyjI5zesX3D8xrq66yIXb0env45O/8L2HqzZsGDbZCmFJiq0+WooWwYlS18yIafGHabGvfiKVKe/nttiKxdsv6e6Z8G2kUKC3tw4hm2xNdp1tcu54RhNZ2ZDbnw8umoFyWKR189fACoGZUcswuGRMS4kZqjx+ylbFqZtE3JfucKwX9NYEY9xdmqagWSK5nCICzNJxrM5Ptazkmq/j7V11bx8ro+WSAhFljgyMkbRNFlTe205OW/H2alphlJpfJrK6clpcmWdjlgUSRCYyhdoi0bwqioT2Ry7+y/JHeqmNeeh64hFcckyE7kc/YkkoijSFA5xcHiU42MT1AR8aJJEslDCqykEXK65d7Zp24hUatlcHiJ4JWiyPOflgYrUnW07SJfVvnGokBrbdrDsShhkXtcX1My5HOPZHD88fprueBUOlWKIF+9tRRKpDwaWPa8hj5uQ69Lvb1g2JcNkNJNFEkVWxquoDwYYSqXxqAol05zrx7BtBpMp/v74STbU15HIFygZ5lzI52LwqiqaXBFRUGfn0lrkudzYXIdXU0kWivRPJ/nB4ZNkSkuT5JsBx4FDQ6MEXBot0dB7rkKW1CuE1Ce7EQDDsdAtg4DixXQscmYRj6Qhi/KlIq+ChCJITJXTlOwy1a7IXB7brYKucGzOm7gU5CUMHE2VaWmKUR0PMjarZmSYFl6vhigKc7UYLMuuKFcJs8aZIKCqEqGgh4a6CMWyjkuVcWsKTQ1REskcgiCQThcJ+F3IkogoinR2VDM+kUI3TESxoranvEOBBlHwo8htmJaGbacRUBEEGYFbw+D2B9xzXo8P8AEA1Nnwp5uF2qYr5BS9D6CKEj2RWnoiN0fd7KdH2PunDD2hZqbLGabLGRzHYVWwiTZfzU3ts2CVmSyn2B7ros69tILDzcLx8UlOjU/O5c8MzqR5YEWlunrQpXF3RysD+1J8fd9hqnxeHKA5EuK+zrYrtisI8KGVXXzn8HF+cOwUIbeL0XSGdXU1bGyoQ5UkvrJtE9/Yf4Sv7z+MJIoMpdI82NVOV1WMXLnM3oFhzk/PcGx0goKu87cHjlAfCrKuvoag68pEBypG+xt9A+wbHOHcVIJNTfV0V1ehyTL3d7XzZl8/2XIZ3bQq+u+zKwhFw2BX/yCj6SwuWSZXrkjgbmioENY1NXH6Z5IcGBphNJNFkyR00+SujlZ6aqvnDGavqtJdXcX+wWEGZpIICOxoa8KnqrzVP8Sp8UkS+SJvXRisnHdp9ub+UkSRuqCfUxNTPHPyDC5Zpikcoj5UyRk5OTGJ7dgMpzIENBeWbXN0dJxjYxOMpjPs7h9ie0sjuVKZmUIRn0tFEcV5ROHtfS4Ll5GCuN/LuvrKcxLzenEch/pQAHV4cWMqW9JJFUuE3K5ZT8alnKDd/UOcmZzGrci0RsNEPG6WWzGgNRahddbDdHxkghdPnX/XiUamVOIvdh5gbUMNn9u67j0lGiOFKSbLKcZLCe6qWkfayDOQHyeiBvDKbjJGgf78GJIg0uKtoS9fUSp0SSot3lp6cyMkjSx+2XPLEY07G1rm/s4bOkXTQBEl/Kp2RdU3SRKJRf1zjD8c8rB+XRMzM3mqqwNUVwWwLJuZZJ5y2aShPszoWIqUU6Q6HsDv08hmS1TF/BiGhcetAgLRqBe3W6G9Nc7IaBJZkfD73azsrkWRRZqbYkTCXlZ01jA2kaamOoDbtfyQJ0mKITtNyHIjAgqGeQFFbkEQlpfjYVpJZgp/D87inhRFqsGrbUaVl/e9cxyLZOGHmFYCWYoScn8YUXRhO2VKxlnK5gCWncF2yggoyGIQVW7ApbQjictf1LgI2zHQzRF0axjTmsK2C9hOGWZFGiTRjyJWocr1KFINwnUmy78TOI7FVO7r4JgIgkLAfQ+afGXSZViT5MoHMMwRBMGFV9uER124ODm/H5uyOUDZ7MWwprGd4uy1h3DJ7biUyneba1gJtx0DwxyjbF6YbbtS2kAQXChSFZrcgio3vi9ri9wK6Msk2De5dO2WxXB/Qycx17ULuXxANG5RhFU/TzTe/q72uZTH5d1CQzDAcDJNplRCliR2tDZxZ3sLALIksao6zpe2bOTg8CiZUgm3ohByuyor19VV+DWNsPvSx257SxMiAl5VJe738eTa1RwYHiFVLLGyuoq72lsJuV2VmMrmRizb4cjoGKZlc3trE3e3V+KqLdshXSpTNk3W1Fa8bdOFAgGXC8u+uuzbvZ2tRD0eJnI5BmZSrKmt5p6OVoIuDUEQ+NltG3n5bC+pYomagJ+fv20Tb/QOzOaZSNQFAkznCnOhXJsb69nQWFl5iPm8fHhlF3Gfl75EEt2yiPm8c9d1EaIg8HjPKvYODpMpl3GcStK4A+TKZRpCQWr8fnLlMpbj4NNU7mxrnjO8oeIO7qyKoVsWfYkkJcOkymfgURQ2N9VzYmySbFlnS1M97dEImixR0A3iPi8BlzYrWW3TGA5yd3sLRcNEUhW+tHUjgiCgyfLcvCwHbbEwcb93XiE0r6pyd3srx8bGSZdK4IBlO/TUVRP1eoh6PZi2TdTjZltzIx1VEXa0NpMpl/FqKk+uW4NAJbzLcmzaomEkUaSgG9QG/Kysic+tTrfHItQEfNclEnEzcXZimtPjk9SHAot6Xd5NTJXTDBUmmCqnkAWZRDnDRGmGNl89pmMxVkowUpwmY+SJaAGGC1PEXWHSpTwNnvhlYhe3Fsm4iMlCjn3jI5xJTpEul9EkiXpfgO21jXSEoovmximyRN2shCqAy6XQ0RbHaZvV5xIEOjtquMhEBEEgNFsrYrlhGfV1oYsh72zZVPHid3dV3h2hoIe21vg7rlRsOyVsO4FljuNg49JuQ5KWv6JrWFOMJH8Xh8WJt1fbQr0UXz7RwGIi86cUjZOoUj1+152YZopU4WmypTcpmmcxreSsMawiixE0pQ2/tp2g+8FZGd3lyIDblIxecuU95PWDlIxz6OYYtpPDdkqAhCi4kaUgqlSHS2kn4v0EPm3zsufmeuFgMpL6DzhOCVHwosi1VyUaujnKdO6vyZZ2Iolh6oL/9IpEw7IzZEpvkC6+REE/hmGOYTl5RMGFLEXxqGsIuO7F77odcZnk89JYxsmVd5EtvUXBOIlhjmLZWcBBFD2z87oCv2s7QfcDyGIM4TrDev6hoT87w3cvHJn9VyXEOlkuktKLBBQNv+LCdmxmykUM22RFMM6WeOMHROMD/HRgVU2cVTXxJfe7FJkNDbVsaFjo3ltXX8u6+vnb3+7p6Kmrpqdu8VAoURC4o62ZO9oWvpSDbhcfX7swRG+5eGTV0nrwAM3hED+7bdO8bZ2zYYgeVeH21iZub21a7FSA2boaV+4DoDbo52M9Cz8gH1q5eJjcQ92dC7b5NJVtzY1zeRsXsbI6zsrqhb/d9pZGtrcsTIJ7Yt3qBds8qrKs67iIFfGF4ZgAjeHgnHrYRVws6jj/uBAAn9u0bsG+qNfD4z0Lf/PL5Xm7qxfv/1aA41TyRHLlW0Mu1q94GC5OUeeKIszmD9W7q6h2hckaBYYKE6T0iggCDngkFw3uOMOFSQTAI2kk9SxFS8ezSNHS9xKJYoFvnT7Ga8MXUEQRn6qhWxY7RwbYMzbEb2y8nc5wbFk1bQRhvqhH5RRh3v53gre3t2DfNYSR29YMhtmPYZzCtguoykpEKXJFiePLIYl+Qp5HsOw0tlPEdoqYVgLdemerrIvBsCYpm4OkCj8mkfsulpNCQEEUfUiCjGVn0a0RdGuEQvkIZXOQeOCruJUrhwrbjkG+vI9E7jtkSq9j2tPMDz4VAWPW25FBN4fI60cIuh+47mu6lWDZOWby32cq93VKRi9gAQKS4AdBxrDGSRUGyZcPUjbOvwPpY4eS0c9M/imShR9SNgcBGwENUfQCDradp2ifomicIlfeRck4T9z/cyhS7Qdk4x2gKxTn57sroi+CAOOFLK+PXWC1WsPmqgbCqhvLsZks5nl9rJdV4Wp8yvUt8LyviUbRynM2e4y8maHbv56ItrSRerMQVgLcX307a0OXDKSoGqbaVVnhmS6Pcy53HL8coM27Co98a6iqHEi+wWRpZF7i7kr/Bpq8nUg3yNWr22VOZg4wWhxgXeg26lzN75sEqYsoWUVOZQ4wo0/T6VtDk7fjvR7SLQN7dpV8OQbUTL7IydEJBhIp0qUSpmXjUmQCbhctkRAr6+IEF8m10U2L4WSaYyPjjGdy6KaJR1VpDAdZU19NTdC/oP/Xz16gd2qGB1Z2kMgXODg4gmU7bGyqo6e+hnSxxMune5nM5qkOeLm/u4Oo71Iy90Qmx9/uPUJrLMwjPSsYmklzaHCUiWwOx4F4wEtPfQ3tscg7jm9fLizbZjpX4MjQGEPJNAXdQJMlaoN+1tRX0xQJLVglLxoGp8am6J9OMpnN8dKpXvJlnYODI/zRK7vnKWOpssQv3b1t0dyBa+n7ahjMj7M22E7GyJPUs8RdYUy7osilijKt3lrq3DEEBEKqj3Z/PUHFi+CJo4kK1a6Lhux765lZDG+M9LNrbJB7GlvZUtNAUHOhWxb9mSR/cfwA3z5znN/cehfibOhaXtf51uFjcwU2m0IhPrEI8b6I8WyO/UMj1AX8rK+vvSEFRK8HguBCVXoQBA+WNTJbFXz5kKUotcHfwHYKFe+IUyRX2s145n8B9lXPvxIcDCYyf0K29AaCoBBxP4FbWYEkBSryv9YE+fJ+suU9WE6GVPF5FCmOFvx1xCWvwyFf3s9E5k/JlnfhOCUENNzqStxKN4pUjSi6cRwLy06jmyOUzPMIKHi1rdd1PbcWHDLFV5jK/fUsybBxK2sIuHagyg0IgoJlZygaZ2eP+yYupfWqrULFkzGTf4rp3Dcx7Wk0uRmvtgWX0okkVMLbLDtF0ThJtvQmhjXBVO5vAIHa4G8g4n/f2RbvFRq8wXn1Mn7Yf4KYy8PHW3vYUtU4936xHJug6uKNsT6yRpm4+9pt1/c10cgaKXZO/4ScmcYj+d4TohFU/dxVtbRrdKBwjtennqZKqyWixm8ZopHSpxku9lGyCkyWRylaeXxygEZP+3UXYLoIwzY4kd7PodROalwN1Lnefwl6ZbvI8fQ+LuTP4JG87yuiUTJMSrqBgIDXpc5+aG0yxRJRnwdZEpnO5nEpCj6XiuNAIltAVUSCHjeGZZHOl/BoKupsGJRlWaiyjKpIDE6lyJXKtFVH8bsX/0g7jsOhwTGeO3GWw0NjjKQy5EplTNvGJct4XSot0TC/87EHFxCNXLnMm+cGePrYac6MT5PIF7BsB1WWqA742NBYx0fWdrOhsXaewb/7whA/PlKRez0yPMbuvkEMy2ZNfTX/9ME7eebYGZ4/eY7JbJ6Yz8NYOsfX7rtt7gU7lc3zv1/fy6bmesIeN987dILjIxMkC8VKYSa3i9X11Xx8/Spub2/Grd7Y0CndtDgxOsFTB49zZHiciUwOw7KQRJGY10NPQw0fXbeSLS0NuJRLr/BsqczLp3s5ODBCIl9kMpvDsGzOT80wls7OM1DdqsIv3LmFtwu6X2vfV4Nf8aDO1uxRRZmweklkQJNUVvib5oQFAAKKd+48gLikUjVb3PRWw96xIVoCYR7vWDWvMvjaqhoSxQJfP3mIf7rlDpRZoWYBAbesUDKy7LwwQE3Af0WiMZXL8+LZXjY21LK2tgbxCkXgrgTHcShbFv0zSbqX8AYuB6IYAkEBR0cW44hicNneDABRUHEp873Ntl3gHedmLYF08XkkMUBN4NcIuR9ClRsRBGm2ZleJvH4AMeMmXXoRy06SK++hbPThXiJcqGwMMpN/ilx5D45TQhZjhD0fJei+D5fSgSxFEVABB8vOYlgT6NYgAPI15IDcqiibI8wUfkDZ6AdsPOp6qgO/iN91B5IQQBAEHMdGN4dwKysZz/zhXLX3K8F2SmRLbzJT+AGmPY1bWUPM9xkC7ntRpZo5yWTHMSmb/biUdqayf41pz5DIfweftp2g+17eD+bseDHNm5PniGk+7qm5/vpcNwLD+TS241Dl8s77RkiCSJMvxEAuSc64vvzCW/+XuQIEQUQRFCRBRhVvzdhdSZDnxiddY0Gjm4H1oR10+nsw7DIvTHyPvvyp93pIH+AG4/TwJPmyTjpfYn1rJffm2OA4QbeLkMdN7/gUiVyBqXSeB9Z1MJbMMjiVoiEWRJNlTo9MkcwVEAWRtpoIZ0enEYSKkbqmqZr+ySSJbIG6cGBJonF0eJw/37mfnb0DVPm83NPVSlM0hCZLZEtlhmbSZEplQp75JKNkmOy9MMyfvLaHiUyObW2NrGuoxa0qJPNF9g8M89Kp80xlc0h3bmFDU928l2TBMHjm2Bk2Ndfzi3dt49njZzg0OMofv7aHVKHEz2xbT17X+b9v7ueHh0/xqc091F5WFd0Beqdm+KtdB5FEkU9t6SHocpEqlNjdN8iu3kGypTI+l8bWloYbtppm2TZ9Uwn++LU9HB0eY2VtnI+s7SbkdpEpldnfP8Kb5/uZzuVRJYktrQ1z1+1VVe7oaGb1bB7RX+8+xPGRCba0NPDwqk7clxEDSRIXeDOup++rYXWwlclSihpXhJCycLHlSiE+lx9zKyJr6DT7Q/NyhS6iwR8grc//SLsVmU+sW81wOsNYNjtXLHIp1M0SkZjXc13eDNtxODc1zfePneL/fejea27HcUro+mEcO4uNjiQ3IOLjRhGF64dN1PsJYr7PIgq+t0mOuvFqW4j6cuTKu7GcHIY1SUE/tSjRcHDIlt8iW3oL2ykgCG6i3k9S5f8CilT3tpAdAVkKIktB3Lz7qo03G7nSLor6aRwMRMFDle+LBF33IYqX8jAEQUSVm4h6P0nZ7Gc69/Wrtls2B0mXXkE3h5DFKGHvY4S9H0MW54e/CoKMS+kg5vsC+fIRsqU3sewUify38Ltuv6Xsq6WQKOd4cewkHf74NREN27E5m5mg1Vc1Vx/ueuGSZMYKGfoyCRq8QdTZdgumwaHpESzHvjXkbd8rBOQw91d/nJJdpMlza640t3pX8GjtZ/FIPkLK4vK/7wWiWpwoFYNkd+JlxFtEmvADgF4y2PviMY7vOs+KDc3c8+TWazKyxpIZIn4vpm0zkysgCpUK2l11MWRJ5EDvCLIsMpMtUCwbKJLEeCqDadtU+b0c7BtBU2Q0WSLkczGTK9BcFSY561lwqwohrwv/EvLC+bLO9w6dYFffIC3RMF+6fSObmuqI+bzIkkjJMEnkCuTK+jxvhuPAdDbP3+49wkgqw0OrOvnZHZtoigRRpIpnZWtrA3+96xA7ewdoioapDwWouYwo4Di4VZlH165gRXUVoigwNJPmjXP9/IsP3cWTG9egWxYvn+5jKJmmb2pmHtGAiofAdhy+ds82VlRX4VIUiobB6ro4f77zAIcGR9l5foCueIyw950lPS6FdLHMM8fPcmBghA2NdfzqvdtZUVOFW1EoGQabmur487cOsPP8AC+f6aUlFqZ6Nv/Eq6lsb7uUy/PCqfOcHJ2kNRrmgVUd8xL7b3TfV4Nb0mj23hip6FsNNR4ffekZEsUiEdclMmBYFrtGh2j0zV/xvyjy4FEUVEmkcJX2o14PdyyzrsyVYNg2u/uHOTM1fV3tOE4B28kiiRFM8zSOc7UreHchiUGivs/MIxmXQxQ0NLkVTWmloB/DsnMY1viibZnWDHn9MPrsfq+6kZDnkUVIxk83HMcip+/HsKcAcKtr8GmbEYSF735BEJBEPxHvEyTy38Jxls4Tc3AoGWfIl/cDDm6lG5+2dQHJuByKVIXftZ28fhDLTpMr7cK0k4iC55ZdjLhRGCum+Xb/Pn61+z406cZEx6yP1bFncoD/c3oPuycHiLl82I7NSCHD/skh7qhppcp97Yng8D4nGprkos13ZRm29xpBJUJQefelYj/A+xelQpmf/M1Ojrx+hsEzndz+6AY097UUDhQYT2ZJZPN01VVIbtTnIR7wIUsiNWE/fRMJ3KqCR1PJFMuYlsPgVIrbVzQT9nmYzuQIeyseDpeqUB3yUZxdgdUUieFEiUQ2T3104Yfh9PgUx4bH0U2LT27q4cGVHXgvK4CoSBL+RYxfw7I4N5lg/8AIjeEgj29YRUf8kqqNV1NZ11DDvSvaODE6wb7+Ye7sbJ5PNIDumjjVAR+qLLGqNo5LkcnrOjs6mnEpMqos0RINMTiTYnqRCvABt8b2tibWNlyKi/eoCpta6jk1PsnR4TFOjk0ynEzfEKLhOA6JXJ6fnDhLwKXxwKoO1jVe6tutKvQ01LC9tZEDAyMcHR5nIJFctrF/q/b9fsd9Te38wcG3+G8HdrKpuo6Y20PJNDk5M8Xrwxf45bWL58JcDSfGJ/jhidNM5SuG/EdWrlhUyjuRL/BG3wAnJybJlMq4lYrs9EMrOubq4Hz78DGOj0+yb3CYdKnMP/7hswCEXC4+1N3J1qaGBe0uDQkcC8Pux7ELlMq7cOwsitL1jvM1bgbcag+qVHdFo1MUXChSNXAMx9GxnYXPP4BuDqIbA0BFijfgvgNNaf0HRTIATDuJbo7iOCUAfNomJDFwhTkW0eRGNLlxNp9jcdh2npLRj2FNAqAprWjy0sInF6HJrYiChgVYThbdHEKV6rh1vGo3B8dTI5xIjWDM5rfdCHSH4nx5xRaeHz7L6dQUeXMEURDwyyqPNq/iw40r3tvK4JZjMlToZe/Mq6wKbKTJ08mZ7CEGC72UrRI+JUi7dxVtvm7c0kJGtHP6J4yVBrm76iOElChnskfoy58iZ6SRBIWwGmNT5E4iSnzuhs6ZGV6ceIqMkZxrJ6BE2BDaQbN3oUpO2SpxKPUmk+VRNoXvQkLibO4IE6URdFvHK/to8nTQ7d+IW1rIiB3HoWyXOJc9ylCxl4yRxHIsNNGFXwnT6G6nxbsCj3zp+vpyJzmQfIOidenl1ejpYH3odsLqQq9G3szy/Ph3CCoRdsQeZrBwnjPZI6SNGRRRo87dQk9gC0F1PmFxcCiaeQYLvQwXe0nqU5TtMrIgE1SitHpX0OztXHTu320ICIyVBjibPcpkeRTDNvDKflq8Xaz0b0QVtQVzX7m/+jibPcKMPoXtWPjkIM3eTtp9q/HJ8+NfHRwyRpLB/HlGShdI6zMYjoEqqoTVKjp9a6hztywaZmfaBicyB+jLn6JgZnFJHpo8HTR5OhDfQc5K77EhXvv+ftbc1sGm+1YjSe/8gyRKIuGqAIqmEKkOIl1zwrFDVcBLV12MhkgQB4j6vWizITSb2htorqok9rpVhajfw47uysqpR1W4o7uZVKGEz6Xid2sEvC5CHheeWWLSVh0h5HXjdS1Ogk6PTzFTKFIfCrCusQbPMnMZSobBqfFJyoZJld/L6kWUwmRJojUWpikS4sjwGCPJSr2Zy++hiNc9514OuDQkUcTv0vDPygrjOHjUSu5K2Vz44g64NDri0QXhKm5FoTEcIubzMprKMLUISbkWmHalBslIMkNXdYye+uoFfSuSRHXAT9TrYSydZSr7/u/7/Y51VbV8YdUG/r73FN85ewzDthEQiLjcfH7Veh5q6agU23uHiHo8bKiv5cDwKC+d7WVFVWwB0bBsm28eOsqRkTFaoxW551y5zN6hYe7puJSIG/N6aI2EOTI6jke1WTWbo+FV1asWPH07RNGHqq7Hma1vUNkWAd7bgpAX4VFWIlxtLIKIIFTeWw42jrN4+JpujWHYFQ+QKATQ5FYk4R8euTasCWw7O/fviqG/9H1TCYVU0OSWKxIN006hWyNcFAHIlnZiWJMIVzFNDXsK005fNr4pbjWhCN0yOZke5YWxEyTLBeo8IeKu+VW2LdvmQm6aPdN9XMhNkTfLeGWN9ZEmbq/qIKJVbLdXxk+zL3GBg4kBhgoz/M7RH+Ga/bbdV7OKR+p7EAQB27EZL6b5yegJerOTgMCKYDX3VHfT6F18wdsjq2ypaqTZF2GimKVgGoiCgE9RafAGCaru6xaguC6iYTsOKT3B0dRuilaO87kTnMkexrRNbGwMW+ds9gibw3ezOXIXPnn+qudQoZfj6X2sDmzmUHInx9N7MRwd27HJW1kkJNaFts87R0BAETVsxyFnphgvDeFXwrQv4dmwHIvh4gVOZQ5iORZZI8lIsR9BEChbJQxb51TmEBOlYe6q+ghe+bI4bcchoU/wwvh3GSz2kjczc7kWZbuE7dis8K+tJFBfBnE2L8O0TRL6BAl9Atux6PavX3SMul3mdPYwLsmDIzgcS+0hZ2aQBYWcleVM9gj9udM8XPspqrRLEq4lq8CR9G52Tj9HzqwYWqqoYjomNhYnM/vZGrmPjeE75l3Xuw0JmfO5kxxO7WK8NIgoiJSsIoatczpziMnSCHdXPYYmXVbh2dbZO/My+2ZeJW3MIAoSIiK6rXMqe5Au/1ruiH2IKu1S3Y+MkWRX4kWOpHZRMHOIgogsKOhOGQGBE+n93Bd/nO7A+nlkw7RNXpj4LsfSe0kbM3hlP5KgcD53ghpXI9YShaUWw/mjg7z2/X1EaoJstJ1r+va6vRqf/NrD3PPxLcTqwsjKtX3AG6IhqkM+qgJeoCJleXkuRcjrIui59O+gx0XArSHOrr7GAl5igcqLThAEfLPeB8+sV0L1eQhdYSV/OpenZBi0xiJ4NXXZbm3DspnM5JElkZDbtWSdioBbI+jWKOgG6VIJYzZR/SI0WZ6rEXBRJcmtKAvCWIC5yuSXQ5GkJY2wi4RlIpsjf5UY++XCsGymsnksx2E4leH3fvL6ohWnE/kC45mKkVc03v99v9/hURTubWqjIxRlopCbK9gXdrlpC4bxqwsXUZaDar+P+zvb8akaR0YXD+3JlnUODI1QHwzw5NpKHkfJNEkWitT4fXN3+m0tTfTU6hwaGWU6X+DTG3oAEBHmqZEtB4KgoMgLJatvFShS7B0XilvKRLXsDLadn203jCT6/8F5M2B2Hi4LgZLFSEUQ4EoQJCQxfMVDbLuAZV0iDGXzAmXzwjsen+0UuZWIhuXY9OWm+B+nXkQSBHrCDRRNnZfGTzFaSNLqu7Tg3Jeb5ERqhIjmJaR66M1O8o2+XTiOwwO1q3DLKhHNS1eghgvZaSZKGdaE6wkolW9vvScEVL5hE6Us//Xk88zoeXpCDViOzc7J8/RmJ/m5jruWJBuyKFHnDVDnvTniBTckdKpsl+jLnaLe3co9VR8lrtXh4NCXP8X+mdfYnXiRgBJhfeg2xLc9pKajs3P6OURBYnvsQWq0BiRBomQXGS70EVLmFwJySR52xD6EYZeZLo/xk/HvULZLVx1jzkxzJPUWLd4VPFTzSaJqvJJYkzvK7sRL7E68RKe/h1bvyjl5V8PR+fHoNzibO0qNq5H74x8nqsURkSjbRRLlCSRBXuAxqHU1cW/8oxXVpcx+3pr+ybLmcbI0yt7EK2wK30WbbyWKoJIxk7w+9TQnswfRJA9P1P8sklj52RRBJazG5lbeY2otsqhg2GVOZg5yOPUWB5NvUOtupMO3ZlljuBmwsTie2Ue7dxUfrv0sISWG7Vicyh5id+JF3pp+nu7ABhrcbYiCiO1YnM4e5tXJH6GIGh+q+TRxrR5BEJjRp9g/8xoHk28iCwoPVj+JS6q49dySl7ASo8u/liZ3ByE1iiTIlOwCB2Ze51TmEHtmXqLO3UxMu1QM6mh6N3tnXsVyLD5a90WqXY04OEyWRngr8TxJfQp5GVVI9bLBaN8kM5Ppqx57JUiyRGNnDY2d11cJvqM2iiyJVzRy3r7v8n8vxzi60jGGZWM7DposvaMVEQcH07YQEJBEcUmtf0kU50iRZTtzcrsXIS6SYLxUW4t9oq5UZ0AQBERRwLYdnGUUbVwOHMdBNyukNl/WOTEyccVIALeiLHif3up9W47NH537NtPlFBvC3TzecM+ix53NDvDdoRdxSy7ujW9mfXhhfRXTNjmXG+Jo6hxDhXGyZgHBAbfsJu4K0eqtpyfYSVj1LznWkqVzIt3LkdRZxkvT6LaBT/bQ4q1jY7ibFm/dsq7TLSt0RWJ0RWLYjjNXcO96cDGXQ5WlJZMxPapCYyjIkbFxnj11jvu72umOx2gIzl/U86oqOCCLYsWzp733IU43C5UicTcmhMZxynMGtii4Ebg1i3PebNhOGYdLC26i4EK4Sl6ngHDVgn0O+ixJqEASw1fMz1gKklhZTLtVUDB1Xhg7wYye41/1PEarL0bJMnhx7CR/2btz7jhRENgQaabNV4VPcaGIEqOFFH9w+kWOJIfYHG3BLat0B2ro8Mfpz00xUkjycO0aqt0VUqCIFXtVt02eGznGyfQov7nmEVYG67Adh72JPr7e+xavjJ/mi+2LF4FOloucTU8xVsgsGpZ1X10H0fe6YJ+DjSa5WRfazobQ7aiSC8dxiLvqKdtFdk7/hN7cCVq9XYTVqredC1PlMT5S+3k6/T1oomtOJq3R3Y4qzq9wLAkSodmcB8dx0ETXsoiG5VgElDCbw3exwr8eeVZqMe6qZ7TYz5nsUQby52l0dyDN6p2fzBzgTPYIASXMx+u/Qo2rEUWcdbc6Ns2eLmwsZHH+NGqSa251frgYQVqGkQpgOGW6/D1sj96PXw7NjdstefjLC/+F3txxhot9NHsrihaSKNPq6aZGa8Qte1EFbc595leCJPUpzmaPktSvL/nveuHgEFGr2Bq5l3bf6rn5qtLqGMyf50L+FAP5c3N1NgzH4LXJH1Gyi3y49rOsCW5GFSv3VL27FVlQmBodozd3khX+9XT5K6tziqjSE9zKysAG3JIXWVDm5sMlupksjzCQPzcvpM12bPYkXiJnZnig+gnWh3egzfZV62pCFCS+PfTHc7/HlTA1PMPohSlM/cbFT14PbrTs6jvuX5GRRJFsqYxlLV8f/2KIk2Xb5HUDx1mcIJQMk7JhIgiVYo6KdGNDN0zbXlIRSDcrfWuydMNqaYiiMJfD0lEV5f95cAdhz9LhCaIgUhe6MStQ717fDqcz/QwXJ4hdQa42Y+Q5lj6PX/ayLrRQwadgFnl+fDevTO5nspykaJYwncpzJwkimqTildzcE9/Ep5oexC3NvxbHcUgaGb41+DwHk6dJGzlKViX5XxYkDiVPszdxnAdqtnF31SY0aekcqVS5iIiAV1Er5FcQ6EvPcCoxRVswTFc49o7rjiwXiiTx89s388KZ8+zqH+S13gu0REI8uW4125sab/gz8f7AjZxrcc6gdrC43joftyIcLJyreO0FpHnEwsHmxngQxHly+mH3h4n5fmbpFaEloEr13Njf/fpQsgxOpkZp9VWxPtKEIlbklVeH6ucIAlQWE6pcfqpclyJOgoqbGneQlF6kaM3mQ0oKGhVSIQoCHlnFK89fLNBti52T52jwhNkea0eVZBwcugO1BBUPJ1IjmI6N/LZFi/7sDN84d5DXxnoxbAvLceY8/Jok0xGIsaWq8b0nGlBJeu7wrUGdfaELgoBX8tPobieoRJksj5DUpxcQDagoMzV42uZIRuV88YbXnGjxrKDB3T5HFgB8coBqrYG+3Gkyxgw2l4zEY+k92Nj0hLZR726dt7IlCOK8UJ8bhTXBLfjkS0lWEhI1riYaPe2MFPsZKJybIxoCwjxScxGiIBJW4gSVCLpTRrfL2I59w1Y/rwXt3lXUuZtRxEvGr18JUuNqYLBwjpQxXXl5OTBdGmO42EdIqWJVYBOqeOmeUgSVKq2WKlcd48VBJkpDc0RDQFj0nhEFkWpXA27JS8kuYNj6XDz/jD7JZHkUB5uN4TtQZ5MZBUFAE10VT5FWQ9laSGZty6b/1Cj7XzrOcO8Eg2fHGT5XCXH43h+/yCvf2bPghfm13/8c7WsaEcT520/u6+V//6vvcPmivCSLdG1o4Zd+91NLzuvhN07zoz97lfV3drPx3pW8+aNDHHvrLOGqAA/9zA66N7UydHaMn/zNTgZOjRKrD/PRn7+Xtp5G5EUMZKNscuTNM+x/6ThD5ycoF3R8IQ9tqxvY8sAauja2LDvvpD4UxKuq9E3PkCqWsB1nWZ4NlyzTXhXFchyShSITmeyCRG+oKFNNZnNEvR6i1yn9uRiKusF4Orfovpl8gUS+QE3AT3AJad93ClWSaAyHUCUJQYCIx826xtqrn7gELvpznGUYBDe675uNg8nTvDixh7HiNJsjq9gYWUlY9aNbBjN6hnO5QY6lztPkqV20AGnBKvHN/ud4beoAiihzd9VGVgZacUsuxorT7Js5wclMH3mrhCIo3BPftKSH4oX+Xo4nJvjy6o20BsOcTEzyu7tfYSCTwqMo/Ovt93F7fdN1S0QuBgFoCgX55Lo13NfZxpnJaZ4+fYb/8OJr/JuH7mNLY/0NJTm2U6zE6l9mmEpS9JZIAr8ZEAUXgqiCDZadnxc+9NMCxzGvel2i6EK47DmynTwO9hV9CA72bH2UpSEICtJluR6i6EdT2mY9FO9fmI7FjJ5ndah+zuMgCAJuSZkLeYLKu3kgl+CNibOcTI+SKOcpWQaD+QTrI03LendfhO04jBSTZIwSX37rz+a2ly2TsWKKjZFmypaB/DaCcnB6hEOJER5s6OLu2nb+76ndrArXsCJUxXf7jrK9upmwen1iJzeMaKiitkBdSRAEfHIQvxwka6YoWIt/tONa/TyScbMQVmOL5ipokgdREDEcY16s9mhxABGRVs+Kd81Ij6k181YOBEFAFmSqXfUMFs4xo0/OO960TabKo5zNHWO8OETWTFG2K/kPKaPiyXgnN+vNQlStXjQp3SV5EAQRwzZmR+kwXhrCdExSxjT/6/y/WXCO6RhkjSQIwoJ7yrB1RooX6M2dZKI0Qs7MYNgldEdnujw228Ol+ZjRJzEdA58cJCDPjyetkA2NsFrFeHFo4ThMi1P7+/jRn71GuaRTLhoYsyvgM+Np0tPZBeeUCjoOC528F71ouXRh7j8B8ASu/IDnUgUunBhBUWX6T46w85nD5JJ5ZEVieizFI1+6k9e+v5+Dr56iVCijqDKjfVP8//7sq8RqQ/NyFHKpAn/5H/6efS8eJ5fKUy4aOLaNKEsc332OPT85yn2f2sYjX7oLt/fqhsW6xlqq/F7GhrP8+OgZGiMhYr6rq1doiszK2ipqg37GUhleO3uBT29ZO++Ygq5zbHSCvqkZ1jfV0RoL3/D3R7JQ5NDQKI+t60a7LPdjOpfn9PgUyXyR7W1N1N8or4IgEA942dBcx+mxSV463cuquvg1r0q7lEqOSiJXwLKvvBJ7o/u+2ejLjTBSnKIn2MFH6++m3deALMjY2Ji2xR2x9eSsIjE1hPI2fX3TtjiSOsurU/vRRJXPtzzCbdG1uCUNURDRbYMVgWa+N/wy+2ZOsDtxlA5/I42exeV5j02PYzk2yqxB/7enj2A6Nr97x0N89+xx/ub0YbbWNlyTMMRyIAgCQbeLoNtFfTDA6to4n//Gdzk0MsaG+tpLREMAVZIpm8vPOXs7bGuGsnEUwziFKISw7Gl8nk+iLLMC9PsNshSeq0xtWlNYdhLHseYZ3bcWROZ9XZyre2BsJ4dlz1zxGFmMIgqX3t2GNVGRrRWuoIboWBj2xJXbFQLI4qXFZ9OaxLSm3/dEQ0TAJamUrfnPmunY6JdtO5Ua46/63iJnlNgR76DRE8Ejq/z5+TfecZ8C4JE0opqPjzdtXLC/xhVEFRfet2OFDPWeAI82rWRlKM4P+n3UeQPcVduGZTvsnLjATLlIULt2snHDiIaItGjBFFlUZvMGdMwllB0UUXtXDPmliuYtVSoqb1aM2LerG91MyOLCB1dAQBVd2I5NyboUz5g3sxxMvsHO6ecp2wW8coCoWk1MrUESZGzHImdm3rWxXwmqqCFfce6duf/nrYqBLgvyoqvUqqAS1apRRRe+y0KakvoUO6ef52h6N4atE1QihNUqQmoEEYmcmVkQZleyijiOg0t2IwoL8xkEQUQTF3/AFEXmro9tYt2dlfjx80cG+cGfvsSZg/188msPcc+TW5Hk+fd1VV14Ua9w66p6/uWf/wKWZZNLVgz+w68vv4jiwVdPsmpLO1/514+TTRZ49utvcHz3ORLjKepa43ztP3+OfKbI3/33Zzl7uJ8zBy4Qengtilr5TYyyyZ//zvd59am9yKrMg5+5jZ7bu/CFPIxdmGL3c0c5+OpJnv6L19BcCo9++e4FXpm3ozEc5L7uNoZmUvz94ZPk9TKPr19Fd00VmiyTKpYYSCQ5MjzOh9d00RQJARWjtyEc5NObe/jDV3fzt3uPoMoS96/swK+pTOcK/OjoKZ46eBxVlrmzo4WOqugVx3ItKBkmb/UO8Gdv7ucTG9dQ5fcxncvz1MHjPH/iPCGPi41NdTcsfEkQBOJ+H5/atIZ/++OX+eGRU+imxUfWdtMcDQEV8jOQSLF/YISWaIgHV3XgWyLevjUWxqXI7OwdYO+FYe5Z0YoqSdgOZIqleZK8N7rvm42Lz2nJLiMLEi7p4jgkVFHBI7sIU/ld3v5+122Dlyb2Ytgma4Lt3BPfjFu6dB2KKNPlb2ZzZBWHkqe5kB+lLze8JNGYKRXoCEfxKAoDmRT7xkf48uqNbK1poGAa/H97Xp3LH3IcB8txyJd1JnM5cmWDkmEyls7i1VTcsyGAjuOgWxZ5XSeRL1AyK4IHE9lc5Ti5EpZ4fjrBC2fOE/a4aQqHEATYNzRCwdBpjYTnqV3JokhnLMLrfRf4+oHDrIxX4QANQT+1geXdw5IUR3FawbFRlK6KtK3g4OC8o+rg7xeoUgOKVE3ROIGDQUE/hs91O6p0a9aEEZARBQVrNjnatBcudl0Ox7EwrCl068qEQJXqkC6rcl7UT2F7CkgsFXXi4GBQMs5fsV1ZiqApzYACGJTMXspm/+y29y8UUabOHWQgnyCjFwmobmzHJqUXGC2m6AlX5KQv5KYZzCV4rHEdH23cgCbKJMq5Jb2fqiij2+ai4iWyKNETbuB0eoy74yvwKvPfzRIi8hIE2S2r+GQVURBxSwpFsxKy3BWq4hvnD5Axrp6ecCXcMKLhYGNjI71NZsd2bGzHQhIkxCUkeITL/n8zIbzDV+HFxGpjCYJ0M7CYwpEzu73i3VDmjruQP81Lkz9AFTXujT9OT3AriqgiImI4Oi+Mf5fR0sC7NvYroWIYLCO5GCq5FQjUuBv5YvM/vsKxwpx6lGHrHEntZs/MS0TUaj5U8yht3pXIooKISNkuMVkeIW0k5rVxMY/Dsk0WjTl1HGxn8ZwLQRTwh734w5XVl/R0dq7eRTDmp74tvmzFKNWlUFVf8QhmA/lleQzeNho23LOSu5/YgmXY9J8eZXwgQWIszRd/86NseWANOHDwtVPse/E4F06OsOm+1SiqjGM7HHr9NC9/Zw+KKvPzv/0kOz5Sqd0higIrN7fRvakVf8TLy9/Zw+7njrJySzvtPVdWnpElkU9vXkuupPOt/cd47vhZ3jjXPxueI2A7DoZVSfq+ra1xjmhARdXpsXUrmc4V+PaBY/zH517jj17ZjSJLlAyTbKmMIol8anMPj/SswKXcsFfZHOpDATY11fH1XYd46sBxNEVGNy3Ss2FgT25cw33d7QtqJBwdHmdX7yATmRx5vcx4OsdMvrJA8B+eeYWY34tPVQm4XNzR0czWtkvzqMkSOzpa+Nq9t/Mnr+3h2/uP8vSx0xXjE7BtG8OyKZsmn926jvuukIj+8OpOXjh5nhOjE/z2j14k8IKGKsuUDBO/S+N7v/wz846/kX3fbLR666lxRTmTGeQvLvyIB2u2sSWyGr/imXvLL/a2dxwH3TY4nj6PKip0+ZvnkYyLkEWJsBogqPiY0dNMlZMLjrkIVZLnDIPXhi7gkmQ219TjkmWCqot0uTT3atEti28ePMJf7D2EaVtkypUwzk9+/e/wKAof7u7iH919O6OZLH+9/xDPnDpL2bTIlcv0z6T40YnTeBSFf37fndzf2Y5HUUkUivz41FkyxRKqIhH3evn1O2/j9pbGeWFTqiTx2JqV9M0k+at9hzAsi/ZohF+4bcuyiUZFcaoDy5qiWHoZSYohCe88eff9Ak1uwaW0ky2/iePopAovEHDdg+KK3ZJeDUEQUMQ4lp3BcUyK+skrHm9Y4xT0Y3P1MZZuV8OtdJMr78OyU2RLb2JaX0EWqxb1JDuORUE/PlcfY+mGK9W+3coKisZxisYZcuV9eLT115QUfqvAr7j4UF0P/++R7/N7J57lwdrVTOtZfjJyAusyL5NXVnFwOJeZ4Ex6jLJl8srEac5lJ1kdrFvQbpsvjm6bfLN/DzuqOrGxqXYFaJutFP5k8yZ+6+BT/H/Hn+FD9T0EFBdTpSxjhRRdgRrurlkoqhFQXeiWSbJcpNkPVW4vQ/kU0+U8WaOEfgNqdtywr7Nh6+TM9ILwqaKVo2DmcEs+XNISrpdbdCEkqlYzZGaZKA3T4Vv9rvSZ0hOElNi8j6TtWCT1KSRBJqBWwnsKVp7BwnkKVo4u/1q2R+9HES5JiObMDPb7MnFNoGpWtSxrpHBL3nk5NUshZSQYLfVj2GXWBrfSE9yGLMhz86Hr5UVDyIJKBBGRjJnEsA1kYb4Mq4VF1rw+Fal3A9HaENVNMTSXiqM51DTH8PhdVDdFiTdGUV0VQlXdGEFRJJJTGezZcBrbcfjJN3ZiGhbdm9u498mtqK5LuTSSLNG0oo7tD61l548PMXR+gjOH+q9KNKBCGH7xrq1sb2vimeNnONA/wngmi+04BFwumiIh7uxomUcyoOLVqAn4+eV7trGhqY4fHD7JidEJCrkCIa+bOzpa+Mjabra2NlxBOvf6DGGfS+Mj61ayvb2Jpw4c5+zkNI4j0Fkd5aPrVvLAyg4i3oW1d06NTfK9QyeYyGSxncpiizVrlO8fqBRDEgQBTZLwaMo8oiEIAgGXxhMbV7O6Ls7Tx86w98IQI6kMDg4hj5v2qijbWhu5b2U7Pm3pZ6M+FOTfP/4g39xzhDfP9zOWziKJIlGvh7bYQtnJG9n3zcamyEqmyyl+MPIKJzO99OaG+I72IpvC3dwd30Srtx5FXPh5c4CkkSVnFhGA7w2/zDNjOxccB2DYJgWzCIJAySovOZaWQIjDk2P4FZXvnTvB9tomoq7KfTFVzFdkgmdvEVWS+NT6Hh5dtfCDLyDMEeZqv49f3bGdn9u2adHjLqpGVfu9/MZdt/HL5tY5r4ksirgVBU2W5t+bgkDc5+W3HribsmnizKpQedV39jtWKoPnkaU6VGUNohj4qfRmQMXA9rtuI1t6i6JxAt0aYjzzv5DEIB51zRXJRuV7Y121JsSNhltdS8k8j4NBpvQKuvlVVHmh0Wo7ZXLlPaQKz121TUEQ8Lt2kCq+gGWn0K1REvlvUxP4dWRp/rvEcRwsO81E5k+4WvK8gIBHWUPAfSdF4ySOU2Ym/xSqXEfE8ziieOVQW9NKIAgyonCl4oHvPmRBZGO0iV9bcT9/17+X3dO9tPiq2BptodZ9iUBtiDTzeOMG/n7oEG9OnSeienmkvocHa1dTtBbmzdwR7+DTLVt5buQ4Px4+glfW+MWue2jzVSEi0B2o5d9veIJv9u3mf5x8noKlE9a8bAg3cXu8Y9GxdgSiHEmMMlGsRPCsjdTyB8ff5Df3PE1aLxFW3Xjl63vX37AnIGumGS70EQxeIhqWYzFVHiOhT9Ad2EBQufHhDTcTK/xr6c+f4WDyTbZG7puXyHyzcC53jEZPO+LFYkKOQ8kq0Jc/hSpqNLgrBZtsx0K3SsiCjE8KoIjqvJf9ZGl4Lifh/YZ6TytBJULBynM8vY8N4R1XPce0DXSrjCq68Mp+ZFGeNx+DhXNkjdSC8+KuOjyyj3y5Uq9kfeiS/Jvt2GSNNGOlQdxXeeG91/D63Xh8l5LmPV4NRZUJVwVwuS8Z4ppLRRAFjJIxZ4dbhsXRnWeRZYmVm9vmkYyLECUBf8RLpCpAYjLN5FBiwTGLQRAEPJrK1tYG1jfVYlo2jlP5BAuCgCQIyJKIukgugCgKhD1uHlzVwd1drVh2JURDFCqyt6okIYnCgg/M1+67jV+6ayuaIs+12xoL8/1f+XxlrmYNZFEQ+JeP3MM/e/hO3It5RBwHv0tje1sjD63qnMtzkEQRRZJQlpAOfnzDKj7cs2JR9/bbcXnux+Vz5lZk1jbUsLK2CnNWJvjiPnF2zhRRuqI4iygKtMej/PMP38U/tu6Ya+Pi/C2GG9X3zYZLVHm07g56Qh28PLGX16cOMVyYYKw4xfPju1kb6uTTTQ/T7qt/WzK4Q2E2/NQBilaZ4hVIROXASrjTUnisvZuDk6P8/v43aQqEeLxzFUGt8izuGRuiLRRFvOhlEQS8qnpV414WRQIujQBX9mzOSdUuwwF6UXLXr2nXJW8rCB5kqY5i6VWKpVcI+H8ZVVlYLPenAZX5upOg+yi6NYJlp8iV93Ih8StEPU8Q9DyEpnTMyr066OYUJeM8eX0/2dJOagK/QsB9z7s65oj3YyQL3wccdHOQ/sQ/pj70L/Fqa4CKoqdhjZLIP8V07puYdoJKbseVSYFP24Jf24ZuDmE7eaayX8d2ylQHfhFVakQQRBzHJq8fYiz1X8iV91MpJHXlFXFJDBHyPEpRP10hRtYoo6n/RL58gLDncTzq2tn6JWBaGXRriIJ+jGxpN7nSLpqiv0fAdSc30Jy9blTyk1083rSBD9f3zAqhiCiiWJG/nn15BhQXD9W3UeMZJqCsptO/BVWsqEU5joMqzb8mVZL5YtsOPtOyrfJ9EcAlKXN9yoisCdXzb9Z9rKLC51zM8xUXtHUR66P1rAxV45Yr7WyNN/Fk61q+13+MuNvHV7u30egLXdd83LBfJqFPsCvxAhG1irirvlKjInuUg8k3EBBp9nQRU68vrrFioFx84TuVip44QEVD/1KISyVI6noZ7rbIfexKvMhI8QLfHvpjPlz7mTmPje3YJPVpEvoEjZ72uTyOhWN0uLi2YWPPjvGSa//tY9w5/Rz17hZW+DcgCgJ5M8fTY39DwczT5ls151lRRY2QGsOwdSbKw0yXx4moccBhtDjA61PPMFA4d5V5vJgXcXEO7XljvBFz+I4hgCZqPFD9BN8f/nOeG/8WqqiyIrB+jjiUrRIDhbPkzSyrg5txS168sh+/EqJo5RktDZI2ZvDLIRwcenMneXXqxwsS6aESOrUpfBcvTXyfZ8b/lmpXA9WuehzHYao8yjNj38S0dbjFiYaiSsjqJYNKkAQEUUB1KYiXJ6HO/lkxgiu/f3IyQyFbyVX57h/+hO//yYuL9uHYDqZRCeEr5q5inL0NkijiFkXeqQz9xVoC7yQp2a0oC4r8XZTMfXvbblXBfZVBvdP+NVlelEC8E1wkYdI1zNnlEAWhMhfvoI0b1fe1wnEq7yLDXjppuaJAJ9Pmrae59WN8ovEBDiXP8OLEHs5kB9ibOM6JdB//rPuLrAt1Ic8lQQq4ZhdxfLKHzzV/mDtjG646JvcV5G2bA2H+6P6PMlXME3Z58Cnq3BLHo20riLrdV71/3k5K05kiuVyZqpgfVZXm5KGXm1BuGBayfIkMnu+doK42jNerXZEAL+d97zh5DOM0gqDhct2BJC5eBGzheRa6OUJBP4JlZ7CcHJadxbIzs7H8lWssGxcYz/wpruJziKIfSfAhiX4kMYBX3YAqv7tqaIKgEvd/CdvJksh/F8tOo5tDjGX+kPHMH4MgIqLgYOI4FdlXBwtRUJeUjbXtAkXzHCWjD9vOVubByWLaSfLlQ3PHZUtvYdt5FClemQvRhyT4UaQ4Xm0DkrhQ3MbvuoOg+wHSxRdxMMmVd3Fu8hPIYhRJDFf6saawnTKi4Cbk/hCioDFT+P5V5kEm7v8FSsYFcuVdOOhM5/6Wmdz3UORaJMFdqdhtJQEbt9JJ2PMxRtP/6SrtVrwa1YFfwnZK5Mp7MO0kifxTzOR/cNn82hWJYadiTVUkdm1YIrT5vcbFd9TlntWLtpeDUwmHR0QRBFySgEeW8M4a+wKVZ/eiXXsxB0pARBUlFPGSouCcuqDjzCmBaZKIhjiXrnDRVrYda9auu/QecUnyXJVxx3GQBZEnWnv4WMvqSii7KF63x/KGEA1JkKnSajFsnT/q/XcE5BA2FmljBhzYHLmbnuBWxOuMaTQcnWOpvYyVBilZBTJmkonSMKZj8MbUM5zJHsEluYmocbp8PcRd9dfVn08O8oXm3+Cbg3/I0fQejqf3EVJjKKJK1kxTNHM0e7v4RMNX54hGQp/gTPYIifIEJbvIRGmYjJlEL5R5buxbBNUILslDvauZFf718+RYvXKANu9K/m7wj/DIfjySj2l9HMPWqdJqebT2MyizH0mX6KHNt5IGTzvncyf4k97fIaZVU7KKpPRp6j2trA5s5nzuxILrOps7ykD+HHkzQ8ku0l84g+VYHEi+wVhxALfsxS156fZvoNn77q5UVR4liU3hu8gaKV6d/BFfH/gfeCQffiVI0SyQtzJYjsmqwKZKtXUJ/HKIDt9qenMn2ZN4ibPZowSVCDkzTcZIsjKwEU10MVA4O78/QeDuqkcZKJzjXPYYf3Dut4iptZiOSdZMEVNr2BS+i7PZo+/qPLxTCMLipPBKRecuopArcZF0iJK4tDEjUck5EYQlc08s255b+V4OLNueCyX6h4RKUnDl5b9YiM9yYTs2luMgCcKighq6ZVY8GIsIHSxnjBUP0o0V6rh4b5hLGAg2NnmrdHVPAxdX6yRCip9745u5J76Jo6lz/O/e7zFYGOcbA8/Q4W8kIHrncvTCWhBNVLEdm7xZIKwuNNbe6fW4ZYUmf+jioOY+y7fXNV31fMdxyOfLTExmCAbchMNeikUdwzCRJIFy2WTv/j4KBZ0tm1uRJBFVkbAsB1EUUBSJoaEZJFmkrjZEqWTw/R8dZN2aRnrWNKDrJrl8GVkWcRyHYslgZCRJJOLF73ORmMmh6xYuTSYeX14IiiB4EIQMjpOfV8jtytepky69wHDy313csuhxpj1NpvQCmXlpAwICKs3R/0xEfnxZ/d0oCIKAJEaoC/0mLmUFk9m/oGxewHFMHIyKx4uLgxWoaA5JCIILQVxcAt+wpphM/2+SxR9zpRDPstlL2ex9+4jQ5FbaYn+MW125cLzINEd+j4GZ3yRTeg3HMbCdEro1DNYwF2uDKFKEsOcJqvyfZyZ/ZZJxsWVVbqAp8ruMpv8jmeIbWE4em+LsGCvXLgoqXnUbjZHfwbRnYBmRx4Ig4tO20xT5D0xl/4pU4RlMOzlLLEwsLr4LKrmelflVUaVaZLmKWzb+/jI4jkPeTHEy/Tp9+UOAQ7tvE53+beh2iaPJFzmWegUB2BJ9jCZPD0dTL9KXO0TRyhLTGrg99kkKVprd098HbApWDrcU4KP1v4HpGLw6+XUKZpqUPoEkKNxX/SV8SpQjyRcYK55Dk7x0B25jhf+2ObIxly9pW5Qsg7yh45FV/Ko2S3SceaIS14IbQjRsx6ZKrePRus+xJ/ESZ7JHKFsl6t2tbAjtYG1wGz5lYWKPJrrwSv5KbsEy+jFtg+OZvfTl5qvxyILCVHmUqfIoUCkEF1ZixF31c/UQvJIfeQkpNkVU8Uj+BRK7giDQ7Oni1zr+HXtnXuFc7hgz+iS6WcIvBWj3rmR1YPO8vJSkPsXh1FtMlkYutS+oWI7JYOEczMpKp/w9NHo65hEN3SrzsbovcTZ7lP3J10iUJ/DLITp9a7gz9ghVrtp5Y2twt/GZxl9md+IlzudOzB1/W+xBNoXvYrI0SsZIzZGTi+jNnuRQaif6ZQpMHslHxpghY1Rk7iRBxiv5r4toVOp8uGfnfvGlUUXU8Er+SmHGy8ILVEHj/uqP0+nvYd/MqwwVesmZWVRRo1nrosnTyergJjyzcsWCINAT3IpfDrFv5lUGCueYKU8QUmNsi9zP+tDtnEjvJ2MkF+jqK6LGF5r/ETunn+VoejdpPYlfDrKh6hG2RO6lL3eS4WLfoopg729U5tvjc4EgoLkUvvQvP8pDn128eujl511UqwLmXkYiAmcnpgm4NGqC/jkCcTHk6PJ/Ow5IosDxkQnqw4FKrgPLW1H9aYAD7EmcZ6KU5onGrdfczkB+mhPpYVYHG2j1xRfs/9PzL7E21Mj2WCea9M7cEwk9R6KcZUVgYXz39cAju7Adh+lyEsux5ymsOI5D2sjTnxtZ8vzLV+Qv1V265CVeH17Bh2t38M2BZ7mQG8G8zDMiCAIuUWF1sI3DybMcTZ3j4w33LZoQ/va+lkLZquQ7qJK0gGAv537OF8ocPTZEKl2gq7OWSMRHKlVgZDRJNOpDliXK5YoKjCxJHD0+RHU8QCZbxOPRCIe9FIo6r715hk98fDOaJlPIl1Fnn1FRFDl2fIi62jABv4uXXz1FMODm8JFBNqxvYu+BCwT8bnTd5JGH1+JaJHRy/jX5cWk7sO00YCEKy1VdExAEDUkMLfP4+RBREZb4hktiAEms5AqIwtXrWwmIs56SMJLgQ1xCWXDueEFAQCPm+wwhz8NkizvJlN+kZJzBtKax7SKCoCCLYVSlGa+6gaD7flxK+xINioii95rnQhKDsMTCrSAIyFKU1tgfkS29QarwNAX9JKadpEIWavGq6wl5PoxX21hZJZfqUcQ4oui7Yk0UQRDQlGZaon9AuvgKqeIzFPVTmHYSSfSjye1EPB8h5PkwgqBQNhVUqR4HA1G4MqEXBAGX0k5D5LeJ+T5HpvQqufI+yuYglpUGQaj0ITXiVlfhc23Hp22e/b3fD98Nh/HieabLQzze8M9wzcr9Z40Eul2k3b+JDeEPsTfxQ2b0capd7awM3El3YAcC8IPh/0zRqqiIJvVRnmj8TfxyjG8N/jbT5RG8cpDJUj+faPwtpkqDHE49T9zVSl/uIGU7z8ca/glDhZMM5k9Q4+ogNBthZNk2p9OT/M25Q7w8co5EOc8vr7qdL6/YwmujFZJ7b10Hofda3tbBxsIkptXwaN3P8Cg/c/WTgI83fIWPN3xl2f24JS+favh1HIdKgt2yzvHwWN0XeKzuCwCUTZOCWUYUKpVcZVHkrqpHuKvqkUXPFwSBgBLmgeoneKD6iav21+nvoXO2gNzlMO2KS+tKxZNMx0AQRLZG72Vr9N6r9nWxEN3H6r+06P4qrZbVwYXJhI/UfZZH6j571favFx7ZyycavsonGr665DH3Vz/O/dWPL7pPEmRavd20eruX1Z8oSLT5VtLmW7jKA3Bb7AFuiz2w6D5VVLk3/jHujX9swb5I5G42R+5exggu1y9/72uXLBehmA+Pz4VeNkiMpvH43cs2+C3bZjpXYDqXp8rnZTiZRpYkMqUydaEALkVmaCaF7UBjJIgkiAwn02RLZVbWxRmcSeFWFUqGScznvSnqUbciSpbOykA968MVGceKGpI5lwDoUJEy9MjqbJ6WQdmu5NVokoJbUjEdi4jq486qbjyXFWEqWTql2YqylxvZJUufrTTrVNqWNHTbmvMcOFQqz3okDcM2OZka5khygGpXEFWUcUtLJd0vHwICrd56jqd76c+PcS47SJu3HkmUAIeyZXA2O8BbiSNLtmE4JnmzOLuQoSIL0pzXxXFsdNskqWewHAuP7KrIVl/2bKqiysM1t3M83cuF/CjfG3qZx+rvQhOVuXZsx8FyLMp25ffwyZ4F9Tgu4nvnTmBYNo+0dRFzv3P9f7dbpbExytBIkuGRGdpaq1BUGVmRMA0Lv89FOOTFAbxeFUkUMAyLUsnA5VIZGZlhdDRFOlXAtmzCIS/BoIea6gCiKFSqvnvd6LqBZakUizrbt7ThOA4zyTwBv5vNG1s4d36cUtnA5VLQDZNcUccwLTwuBa9LQ5wN17DsafLFH1bWr8UQbjEAXN0IEUUXVb7PU+X7/Dueoyu2K6h0VX/7HZ2jyvU0R3+faxFRlcUwYe9HCHs/cg1nV6DJjTRHf49mfu+a27gaREEh6L6PoPu+qx4b9X2CqO8Ty25bEBRCnocIeR664nGa3Mia+l3LbhcqJNCtduNWu6nml+btyxd1CiUd23bQJDcCEtdDMgolnWxhoedUEgX8Hheaem3fI9u2yeTLGKaFS5XxeTQsx8Rwyrgk32WS+RU7wSeH8MphREFCFd0IOJTtPGcyu0iUR5BEhenyEJZjIQoiUbUBRagsjLulAIZTQhHiRNRaXhz/v2iSlzXBuzEdg5QxQX/+KNnZReQqrXE27KyC85lp/ujEW5xPT3NPXTtHEqNz+3TL4oWRs6yO1Lz3ROPdgm5Z7BkdJq+XebRjecbn23F0cpxvnTqGT9X42bUbaQ6Gbuwgl8CZxBQhl5t6/5VWfy7Fzb+b0C2LTKlUiXi0bWRRJOqp5CRky2UKhokgVMidX9OwbJuCYZDXK0aLS1YIujQM2yZXLqNblTb8moomy7PH6li2jSSKhFwuFEkiVy5TMAxsx0EWRSKeyqr2TLGIYVViXT2KSsClYVgWqVIJRRTRLQtFkvCqKiXTRBZFPIpCyTTRTROXoiyaXHyzIUnCXD6EXjYxDWvZ8rbvJWRNYf1d3bz19GEOvX6KzEyeYHRxffS3ryaPpDIcHR7HrchU+byAQLJQ5Mz4FFtbGkiXyqQLRfqmkzy6dgWpfInBmRQtsTACAg4OZ8anKBomn9y0kKC/F1BliaZIkJqgH22R6uk3Aq9PnOLp0UOsCzfz8x33odsmu6fP88Ph/URULzmzTFegli+03slUOcPzY0c5m6mIO2yPdfGhunX0Zif50cgBSpbOJ5q2szJYj2XbPDd6hIMzF3BJCiP5GdaFm7Ecm2dHD3MsNYhp29R7Iny57W4OJwf49sAuYpqfnFmiyRvl8613cjI9zI9GDjCYnyZjFNgYaeVDdeuv+7oFBHbE1vPSxF4yRo4/OPu3fLT+bhrccUzH4kSmlzenDlMwy/jkxfOiUnqWvxl4ltHiFGtDnbR66wmrAQQgY+Q5nj7PSxN70W2Te6o3o73NEymLEhvCK3igehuvTO7jqeGXOJsdYHNkFVEtCA6kjBxDhXFOZS7Q7mvg8y2PEFYXf3fvGRsi6vLMKYu9Uxi6RTpdQFUkTNOmVDaYnMzQPzBNOOjB73ehqDIDA9PUVAeoqQlx6vQoo2MpNm9qpVw2kWSRUNiDNHu/ejwqBw71c89dK5mcyjAxmebEyVF23NZBW0sVr795FkWR6GyvJp/XkSURl0udIxNHz4/xv77zBif6xvn0gxv46uO3EfC6cBwdx8kjS40ocguSWIW4SJ7AB/gANwPfe+UI33h2P8lskf/+j59g6+pG5Ov41j/71il+7+svL/BcxkJe/sUX7+fujYsrNV0JjgMzmQL/9v/8hBMXxrlvcyf//Av3ocgyLslL2S6S0EfQRA+KqM0a/QuLL6T0CTLGFN2B2wmp1YwXz18W9SEu4Fc2NqZjsin8YQJKFYIgIgkyMa2RNu8GtkQ+CkIlAsgtXXpm904OUTQN/vWmB9lR08o/2/2juX0t/jAz5SIl8/pKPLxviIbtOOQNnfZQBJ9S+XAYlkWyVMScTR6UZyc/oLooWybFWSNWEkVCmgu3orClroGyZXF8an6BmqxeJlMuYzsOLlkm6vaQKBawHYeSac4ZsjGPB0WUSJdLFAwDURDwqxpeRSGr6+QNfS4ZPKi5cMsKWb3MM71naQ2Fua2+iYjLjUuWb5kwkfMzM/zJ7j2E3W7yho5h2/zHhx/GtCy+cfgI/akUoiDQGY3y+fXrSJdK/Pj0GU5MTiKKAutqavnkmtWcmpziJ+fPkSgUcckyH+rqZGtDAy/39vLmwACmZRP1evn8+nU0BoN85/hxjk9OIiJQ7fPxq9u3oUoS3zh0mJFsFsOyaI1E+Npt2xnJZPgfu3bRFY0xls3SFAryYEcHbw4MEHG7+VBnJwdGRjk7Pc3dra20RRbKd95seAJuPP6K237o7BgTg9PUtVYhSCKO7WCZFqr2tuTsWwCiIPDIl+7i8OunGemd5O/+2zN8/JcewBtwzxEly7IxSkYln0OASHUQzaWSK+n4XSod8RgBd+Xau+Ixavw+JElkKpsnUywRdLuQBZGJbG626ncASRBwHDgyMsajPSuwLj7D7zG6qmP85P9Zvqf1WvBQ3TosHMaKl+ozGI6FJAj8i9Uf41x2nB8NH2CilOZMZpTpUpbfWvNxvJd5LrqDddjY7E/0zW2bLGc4mR7msy07WBGo5V8e/jtsHEaLSV6bOMWvd38Il6jw+6d+TG9uvJJ07Zj889UfZbQww1/3vU7GKLI12oFhW+yePsc/XfXYDbtuQRDoDrTwsfp7eH58F+Olaf7w3LdwcJAFCbfkosvfxMM1t7E7cYwZfWHBUUmQ0ESF4cIE53NDmLY1J+UtIla8L7KLLcFVPFl//6JhUR7JxedbHsEjuXhj6iAnM30cTlVy1RxAEkRUUcElafTIHQvCLeddEwJBzY1yjc+1y6WwamU9K7pqUWaft9u3d3D79ktGzrqeRnpWV3IORVGkuSlayYWaJQb2bG7UxW/K449txLIsRFGkvi7Mr/zCpVXtjRuaWb+uaS4Xq7Y2BEAsdnXCYFpDlMsHsewkpjkAOHjdjyEvIp/6foJpWhR1E1kScWvvgQLCB3hPEAt5WdNeQ6FkYJoWyWyRTP76itMBlMomJ/rGKJQNhsaT5AplIkEv1a52MsYMb019F0EQaPKsocW3Do8cQJ0VnHFLPgRBIKzW4pXDnEy/gUcOEFHr0EQPFiZ+JYowq+ziV6LIgkLOnMFxbA4mn5tN+ha5I/5palwdpPVJXpv6BgIC9Z5u1obuR5o9P6UXibm8NHiDC3xDmiRj2NYVVfeWg/cN0TBsi5cGennhQi/bahv4ufWbGc/n+Ovjh8gbOulSiajbiywK3N3UytmZBKcTU3gUBcu2eaRjBbfVNS4aumRYFs/0nuXE1CRly8SrqPzapm38+dEDmLbNmcQUa6pqGMyk+OyqtbQEw3z79HEm8zlEQaCnqpp7mtt4vu8c+8aGCbvcZMpl7m1p4/b6JnYOD7BrZJCT05OcmJrkUyvX0B2teg9mcWlM5PP81j33UO3z8tUf/ID+ZJKSYXBgZIR/dd+9TOZyfOf4cfqTSZKlEienJvnt+++bk0lMFYscHBvFp2p8qqeH58+d59TkFF3RKBO5HKvicTbX1xP3egm5Ky64wXSae1pb6a6qIubxVJR6HIePr16FIAgkCgX+/auv8WvbtwEVbeo11dX88rZKTLvtONT5/ZxPzJDXdSZyWQKaRnPovSn0E6+P0LyiloOvnmLXc0dRNJmN96zC7XNRLpTJpQpsebCHcHz+ymipUGZmIo1l2tiWTS5dIJ8p4jhQzJa4cGIYURIRJRFZlfGHPPiCN04FSxAFem7r5NEv38VzX3+Tp//idfqOD7Pp3lVEZ42QTDLPaN8kZw72U98W5+f/7ZNoNSr14QAT2RxvnO1nU3M9PpeKW1WwHBu3orChsY5TY5OYtkXY62FzcwOvnunj3GSCD63uIuxx88XtG9h7YZi2WJSQ5+rx1T+tUEWZek8EWZSQRQmXpFKwdHTbwitrczKGFxcyFlMCyRpFvLILbVbeOaL6kQWRmXKOhJ7lb/t3IgsSde4wICCJEo2eKIooVZTBZI3yZeFWF2UWb+SiiCLKfKbpITr8jexJHGO0OIVpW4RUP6sCbdweW4coiKSMLMOFSfzK/HCksOrn0bo7aPDE6c2NMF1OUbRKOFQIRK07xtpQJ5sjq3BL2qLzJAgCQcXH51se4fbYWnYnjtOfHyFrFnAcB7/sodZdRXeglTXBNgLK0iFRq6NxxvI5kqUSIc29bCGEy1EJcbryyqx42bfr7YIN4iLfNWmJlV5BEJCkS2N0HAvbMRAF5Yp1IQAUuR1FXiLv4H0Kx3EYmkzz+qFeOhqi7FjX9l4P6QO8S7h7Ywd3b+zAMC3yRZ0/++FuvvvS4etqUxDA79X42N09nB2c4s71bYT8le+1Rw6wLnw/68L3zztnbehSSPfK4B1zf98We3LxcccvhR/eV/1lLMfkaOolalztdAW2UTAz9Ob2kzOSRLx1bIx8mI18eNG2vLJKyTKYKRdp9F0KqbIdh8F8Cr+qoS0hjbtcvG+IhibJfKS9G9uBXPlSTF1A1VhbVcNEPodbUXBJMoPpFCXTZG28hi+sWc83TxzhbGKa1dE4YffCOLPRXJbXBi/w2VXrqPF6+S973+R0Yhoc2FLbQJ3Xj2HbbOxaxeGJMUqmyUAqya9s2sa5mQT7xobpisQomibt4Shf27SdH58/w3iuQkQe6+jmTGKanngNj7R3vZvTtmw0hUJzXpaA5qJgGCTyBYYyGf7q4CEEoDEYxIGKh0dV5yREHaBomkznCxyfnGA6n8cB1tXUIAgCj69axRv9/Tx14iRRt5snVq+ixu/nF7du5flz5/j64cM0BYN8Yf160qUSf7x3HzU+LwXDpKDrc25Nt6LMIxGiINAcCpEoFHhjYABREGiJhK+YB3Mz4fJqbPvQOkb7pzn65hle/NZunvv6zoq7UpHwBb20rmlcQDT6T4zwf377KbKpPKV8mWK+TCFbxLYcTh+4wD9//L/i8mi4vBrxhggPfno79zx57QnEi0FWJT7zjx7B7dN49Xv76T89yqn9fZhGRU5QkiU0t4o36Gb1tnbk2VyKoNvFPV1tc5rencLCWjntVREQLun4f3brulldcbirqxWA5ui774F6r+A4DsOFBIlylpReYLgwQ1CpvJcurlJdhCJIhFQPRUvndHoEt6QSUNyENR9Zo8B4MU1SzzNeTFHnDhNRvZiORX9+ulIwrpzBcmwavFE6/bV8vHErHknFxqHRE+VQcmBJEiELEmXLpDc3SUT1EtEWD6e7FsiizPZoD9ujS4fLfbn1o4tuFwWRZm8dzd7rX0VXRJkVgRZWBFquuY076lv4n4d28cLAebbVNlTkbd82p23ByDURkGuBNSvyIQrarPhCEUGQEC6TYBWEyn7HsdCtKcrmOB6lDVlabmL3Tw8s2+HkhXH++um9PH5PzwdE4x8gFFki5HfjdavciAJBQZ+b3/jMcvI6bwxERJo8q9k/82MOzDwDCETUWurcVxfzWRGqYudEP08PnsSyLdJ6CZckcyQxyrODp+kOxolo17eweV1EQ0TAJwdp962m1nV1Gb+bAVkU8asaOV3Hq6qYs24elyzjURQEwKuq6MUiZWtxGb50ucRMscjTvafxKSr1/iAuWQYB/KqGS1bwzBY9KZkmiWKBvtQM3z51DIDGQHB2HCp+VUUSRTRZRhKFShK4IFSyL5zFVwdlQaHZ00lYrVpSnelmQ4R5MX+VUKkI62tr+MSa1YiCgCJKtEbCGJaF4zgcHB3Fp6oENI2Qy8WKqhgRj5vbGptwcIh7vYTdbobTaTqiURqDIb5x+DBT+QLVPh/pYolNdXWsrIrz39/ayad7ehhMp8mWy3xx/Xom8jn2DQ/PjanycZw/d43BIIPpNC/39rG9sZGuaOzdmbAlsGJDC1/8zcfY92IrZw72k07kEEUBX8hDXWt8AckAKkV3PGolTOkqji63V0O4jEgFoz66N7cSiQfw+i95A2K1YVZtaaNpRS2q+1KMek1zjDXbO2nsqp0XwiUIAm6fxie/9jBbH1rLvheOMXB6lEwyj2M7eIMeapqidK5vZuWWtnk5HIJwZXWdi+Edlx9/vXJ572fYOLw6cZLhQgLdNnlt4iT31awhpHho8FQU7NySSoMngltSWRmoJ60XeG70CIIgsD7czI6qFZzLjHMsNUBKL3A0NUhQ9bAq2MDtsS72z/RxNjNKqy9OVPNTpfl5rH4jL4+fwHJsFFHi59rvJaC4afJUnhlNVGj0RueSvus9EWrcIX44vJ8t0XbujF9bXty7ifHxNKWSQW1tCE17d9bRjk6PU7ZM/vL4Ab579jgxtwfpbff8nz/05HXXVlkOTDtLXu9DFDS8ageGlaZgDCAg4lO7yRvnqBRtM/Cpq9CtSXLGWQwriSbXIfMPj2ikc0UujCQoG8uT6f0Atwb+4X5BFkIQRKJaAw/X/tLVD34bNsQaeCCX4jt9R9g51s+MXsArqxyYGqbWE+BjLaupcr1zkYvLcV1vPkmU6fCvpsO/+roGcTU4joNp25yemWYkm6FoGJxPXrkyccHQSZaKHJ4cZyidps7vx6eqjGQzDGSSTORznE8mCGga9b4Aa6ri3N7QTMTlxnYcVsXivNTfu0jMmkRXJMbm2gYe6VhRIVuqSkhzcWJ6YUE4qDwQHkVhNJfh6NQErcEwgcsqs/qVIJ9r/tp1ztK1w6eqrKiKocwasCurYgQ1jYZgkA91dvH0mbOIAlR5vbSEQ7SGI9zT2spLvb2IgsjKqhgPd3ayub6eN/oHePrMGQDuam0h4vFweGyck5OTFX3ohnpq/T4c4I2BARKFPDjw5OrVaLJMVzRKnd/PT86dw6epPNDejkDFm9ERjVYI4GVQJAmPouBTVaIeDx71vY+vrWuN87GvXl3p4yK6N7fxu9/5jWvqq+f2LnpuX+glu+Oxjdzx2MYF2z/0M3fwoZ+5Y8H2i5BkibbVDbStbrim8VyOvFlmMDdDvTeMX1k8hAUqylUHZgbp8FcR0a78QjNti7FihuF8EnBo8kap94auue/3ApIg8sW2uxZsr3WHWBuuLNg0eCI0NF3yWj1ct46H69bNO35LrJ0tsYVhLLdVdXFb1cJ7YlO0jU3R+au1q4L1rApWYv+rXAE+3Xzb3L5Gb5Sf71j+ffxew7Ydvve9/YyMJPnVX32AurrQu9KvadvU+PzU+JbOcXi38vHK5jg54zSyGMSjtDBdeAWAojGAJlWRKL5GQF1LTj+FIoVIlQ4gi0FMe2EuzKWx//QadY7jMJMucG5o6r0eygd4h/gHvFZ1Q+GRFZ5o7aEzGGPXxACjhQwSAm2BKPfVd9DoDV13lMj7JnRKty32jQ6T13Vsx+Hg+Cjrq2tpDYWJeTyIgoBLlrEdG7esULYsxnI5Xh24QEDT2FBdhybJnJkZYTSbxcbh5PQkDf4AbaEIj3Wu5M3hfkqmCQ60hyN0hKOEXW4Mv4UgCIRcLjrCUTrCUbbVNfByfx+CAG2hCPc2tdLgD8xpRsU9XiRBQJMkBEHgtrpG3hoZ5NWBPgKdK+cRjfcaTcEgX9l0SQb3q1u2zP19X3sb97XPN04USeL+9nbub59v5NQHAnxm7cJQiI+u7OajKxeuhv785oXSu6ok8Vv3LHQ5Vvt8fGH9+nnbiobBcCZD78wMtQE/HdHlVaj9AO8ORgtp/vfZN/jZztvpCS9dPLNkG/zWgR/wr9c9wt01Vw4t1G2L0+lxfjB4mMHcDJ9o2ciXOm5bcNxy+/4APz3I5UqcPTdOsahj2/bVT7hB+NzKdVc/6F2CKsURkMkbZ4m678ByithOGVWKgiAiIBN0rcewk1h2sVIwUgpi2qkl27zoRU6k84wnMmTyZSzLRlEkwn439VVBPK6rSx87jkOxbDA6nSaVLVLWK/VHXJpM2O8hHvHhX2aOlm6YTCXzJNJ58qWKDK8gVL5NbpdC0OemKuTD41IWjMswLSZmsmTzJbIFnRN9Y5wfmsa2HYYmUrx28PyC/sIBD611kSuOTzcsxhMZEuk8hZKBbduoikzQ56I64iccWDr8JJ0rcWE0QUk3aK6JUBP1k86VZue7RNmwEAUBj0shHvYRj/hRbpIi3kVMzmQZGE8iigIdDTH8HhfTqRzjM1lyhXJFYlaRiQQ9NMRDqIq06D1Q1k16h6eZSuUIeF2sbKnGtUTCfSKdp390hlyxTFNNmIZ4aMnrFEUB23YYTqSYnMlSKFeUkdxaZY5qY0Hkd0l4xXYc9p0YoKTP94oJCIT8btZ2vvMwT8u2mckUSKTyZApldN2sSJDLIqosE/C5iATchP2eSk/XQbw0SWZzVSObqxqvvZEr4H1BNITZmhe/sGHLgn1dkYWhMpP5HBOFPLc3NPLRzvk1Fe5rbuO+5oUxmOviNayL18zb9vEVqwBYcVk4zpqqSpGTh9s6ebhtfvzbnY0tc39vrJl/Y22pa2BL3fWvEn+ASygYBqenpsjrOtsaGuckeT/ArQG/rLEx2kRY9dwwj4JHVnmwbiVt/hh/ee6td7XvD3Br4/z5CVKpwlyhuvcCtmNj2pUihO9FxXvbKeKSawAHAYmo+w6y+mkkwY0ihfGq7QgouOR6VCmKT+mgYPQjid4lC905DvSNJNh1vJ/dx/oZmkhRNkx8bo32hhh3bWjnrg3txCO+JVc+bdtmaCLF7uP97DrWT+9wgnSuiO04hP0eOhpjbF3VxPaeFppqrpxnl0jnOXRmmLeO9XPqwgQTM1mKJQNBAK9LJRby0lwbYW1nHU/cuw7X2+6HmUyBrz+zj97hacamM8xkCnPSxK8eOM+rBxYSjW1rmvmVT9zBypbF52gqmePA6SHePNLHqQsTTKfyGKaFz6PRWhdlU3cDO9a1saI5vqjxOzA+wx8/tZOB8Rl+9iPb2Lq6idcP9rLrWD/9YzNkC2VkSaQq7GNtRx33be5kY3cDHtfNKyJ7+OwI/+fvdyEA/+hz9+Jzq7y07xz7Tg4wOp3BMC0CXhfdzXHu3dzJnevbCfpcC+75TL7E15/dz0v7zrKmvYbf/eVHqdUWF2w5dWGCP/3+W5wZmORnH9vG5x7eRNC3ONGwHYe9JwZ5ef9ZDp8dYSqZBxxiIR89HXU8sLWLzSsbb+oczY3Fdvj9b7zC4ERqnlSuKAhsWdXE//xniyd1L4VUtsjp/gn2nBjkRN8Yw5MpMvlSpYacS8HvcdFUE2bDino+9/Cm65L4vRJsx+FwYoT2QJSg+g+kjsZy4ZJlOkIRvMss6vcB3p+Iejw81n3rx42/3+A4DgVT52R6jEQ5j2Fb2I6DX9Ho8McRBYHRQoquYDUhtULuTqcrceodgSoUQeJ4apTRQpqw6sUjz3/R247DydQog/kZREGk3hOal3tTtkzOZSYZLiTBgRpPgE5/HK9ydS+gbplX7PvV8bO0+KKM5JPM6AU8ssqqYC21nuB19z03/rLB2FiayckMuXwJy7SRZQnNJRMIuIlXBYhGfYjiJUO0UNDZs6cXQYCOjmoaGhZ65woFnb6+SUZGkrS0xmhvq0aWK0bLyVOjjAzPsGpVPfF4gPHxFKOjKXK5EggCAb+LxsYo8XhgQc5MoaCza/d53C6FzZsrdRkGBqZJJHIYhoXLpVBV5ae+PozPt/SKrmGYjI2lmZhIk8uVMC0HTZWIRHw0N8fw+bTFVzzLBufOTTAzk6Ozs4bq6gCpVJGhoQTJZB7Tml0ZDrppbIwSiVTC60zTZmKiMs/ZbJE9e/pIJvO43SpvvnmWcHh+GF5LS4yurpqbYvwnS0XOJKcZyabJGTo76ptpCYTpSyXwKxo1Xt+7Qjo0uQZFiiJQEfbwiK24lUpZOgGRKs+DAIRcm4GKBySgravo8i+BgfEZvvHcfk5emCDkc9PRWIVl20zOZDl0ZpjjvWOMJzJ87uFNxELeBddp2w4XRmf466f38eK+M5VnPh6krioADqTzJQ6fGeHI2RFOD0zymQc3sKK5esF9CpWCbc/vOcPfPX+QqWSOqrCPltowmqJgOzb5ok4iXeDCwfOcujDBR+5YvYBoWLZNSTcJ+t0E/W6SmSJnBiaxLJu6qiCt9QufvRXNcfyexd8BEzNZnnr5CN9/9SjZQpm6WICu5jiyKJIvlekdnubY+VEOnR3hy49uYcuqpkVVwgCy+TLHe8c4PzTFG4f78LhUGqtDQMVgH5vO8OM3T3Cqf4Jf//SdbOpuRL3JRU6nUnn2nhjg/NA0A+MzhP0eupvj6KbF2FSGt472c+jsCIl0gc88tAFNeXek+w+eHuaV/eco6SZVYR/V0QDFksHwZIqf7D7FsfOjfPXjt/HQtu6b7tkQBXh4ezfjM1lKukm2ULmny/o7z/tJpPK8sPcM33/1KANjSRRFIhr00lpXkbQu6wbpXIldxy4gCgKffWjjTQsjK1smf3TiLX59zZ2sjX5ANOYhoLm4o/Faan5+gA/wAXTbYn9igB8NHSXm8jFRzHIyNUpPuJ7Pt29jOJ/i+dGT/NKKu+aIxoujp5jRC3yl43YimpeBXIKdk30cSQ5R63mC6GWKRecyE/zZuZ2IgkhAcaFJMqZjARUZ6+OpEX4weBgBoVIHRxDZVtXKg3UrUa4iAWo69hX7/qPTr9IdrEERK4pKM3qBg75Bfn3lfYiCcF19A6TTRfbt6+Ott85x7vwEiUQOXTfRNAWfT6O6OkBHRw1f/tId+C9L3k+nC/zPP3wBURT48pfuXJRopNMFnnn2CM89d4xPf2obTY1R5Fki9cLzx3n6mSN89at3U1MTZOfOcxw7NkQikUcQIF4VYO26Rh56cA2rV9fPM3RSqQL//b//hGjURyDg5viJYXa+eY6BwQTlsoHPp9HeFmfHji5uv72DqqqFCcPpdIGDBwd4a9d5zpweJTFTISkeT6Xq9aZNrdx91wqam2MLDMh8XufZZ4+y/8AFvvD521m1qp6XXznF/v0XGBlJousmbrdKe3ucT31qK9u2VkI2SyWdV187ze7d55maypJKFdB1k1yuxF/+1ZsL+nnyic10dc33Wt8IzJQKfP/cSV4YOM9MqcBAJsXv3vEQDb4gLw6cRxQEfq5nM8pVpGNvFMS3CYq8Xcls3j5B4GoZGIfOjFAfD/LQthVs7G4gFvJhmBbnh6Z4fvcZTvSN871XjtJaF+XBbSvm1aFwHIdMvsRfP7OP53afIuB1cd/mTratbqYmVrmPJhJZ9p0a4s3Dfbx64DyyKPKzH91GQzy0YCy9w1O8uOcMY9MZNnU3cP+WLtoaovjcGqZlM5MuMDiRpG8kQX1VcFFyEA/7+Nqn78KZ9WIcOD3Ef/2bVymUdLavaeZnH9u24BxVkfAusjJe0g1++Ppxnnr5CCXd5K717dy5oY3WuiiKLJHMFjhydpSX9p3lyNkR/ty2Cfs9dDXHF51rw7R46+gFgj43G7sb2LG2laaaMIIgMJ7I8vqhXt462kfv8DQ/fvMk7fUx4pGbWzAxX9R5+s0TNFaH+ehda+hpryPkd1MsG5y6MM7TO09yfniav3p6L93NcbateXdsr++/epTWugj3bupkRUs1PrdGOlfk4OlhnnnrJKPTGb7x7H5aa6OsbK2+qWMRRZGff/w2HMdBNy0Gx5P8iz/4IaPTS+c+LYZi2eDlA+f4u+cPMjqdoaU2wqaVDXS31FAV8iKKArmCzngiw4XRBHdv7FggdX0jUTB1kuXC3Pf5WvFTSTTe77AdhzNT0/QlZkiXyliOjSbLRNwuVlRV0XiFOhGDqTSHR8cIaBpra6uJ3MRwolSxxKHRUQZT6XnbG4IB1tfVXlcok2XbDCRTvNE/QNDl4qHOjlsi0ftm4I0LAwyn02xuqKcztlAe9t1G3izz2vg5Yi4f/2T1A/TnEvzFubfoDFazPtLIcD51xfM9ssrHmzfQGYjzn45neHu1+6cGDmHYFv9k9X2ENQ9PDRwkZ1QkqzNGiR8NHSWiefl82zZsx+FHQ0d5evgYPeE6Gr1XzsO5Wt8AZzMT/FbPh2nzV7F3up/fPvwjPtWyCZ/iuq6+HQf27evjG9/YSSZborOzmnXrmlBkiXLZIJMpMjae4siRQSzr5uQQ7N3bR6Gg49IU1q1tQnMpFPJlTp0e5dlnjzIykuQf/T8P09AQWbDqmE4X+N739zM0OEN9fZj29jiWbTM6muLM2XGGhmcwDJOHH147jyTl82VeeeU0T31vH9lsiY6OOGvXNaEoErlcifPnJ/jmN3cxODDNV75yF/X14SU8GyanTo1x9uwER48NUVsborkpiu04pNNFPG51XoiAKApUVwfYsKFi2Jw8McLJU6O43Sp33bkCf2C+96Vnzc0JXX1zZIDnB86zMlJFT6ya/3Zg59w+j6zwg/On+PLqTSjvfS3Ka4IoCNyxro3PPLiBSPCSl6invZbqSIA/+NZrXBid4cdvnmDLqiZc6qUVbQfYd2qQF/acQZEl7t3UyS89sWNevsLKlhrWtNfic6t8+8VD7D4xQFdznCfuXbsgPn9gLMlMpgDAIztW8dC2brRFQuUKJR3dWNw4kiWJ2GXXEfS5K6RUALdLoSq8fBnn0/2TPL/7NNlCma2rm/jlT+yguSYyR3IdB9Z3NVAd8fOH336dMwOT/P3rx/mNz9y1pCeiWDbYtqaZrzy2jfaG2NxcrmmvpaMxRiKd5+DpIfafHCSZLVIVvvneMofKfD98Wzc+9yXytq6zjkjQy3/5xsukciW+/eIhtqxqmlen5WZBEkW++OhWtq1unrtPHMehp6MWtybzx0/tZHQqzbNvnWRFS/xdkZcWBAFNkfF7tCW9VlfC+eFpXt53jtHpDM21YT7z0Ebu39JJwLswJC1f1JFl8R1fV29mmj2Tg8s6NqOXmCrl31H7i+EDonEL4pXePr577ATHxieYKRQxbRu3ItMaDvNrO7YvSTRsx2Hf0DC///pOWsJBfmPH7WxvvnlEI10q8WpfP6/2XqBkmuR1nZJpck9bC9U+33URDdtxODo+we+89Cqt4TC3NTf+VBINy7b5g527ODk5yVc2b+Sf3LW0ItS7BcdxKNsGAdWFKIhIgoQiytjXWR0UKr/rgcQgTzSvp94TQhElHm3o4f+cfROAnFHircletlW18sOhowAM5meYKmUZyM1c1dhfDrbH2ugKVqOJMltjLTjAeDFDDVxX36Zpsf/ABUZGU9x11wo+8eQWWlpiqKpMsagzM5NnYKCSdBoIuG+KcXD48CB33tHFRz6ynq6uGjwelUymyL59F/iLv3yDI0cGefbZo3z1q/csODeTKXL69BhPfHwzO3Z0Eov5sSybCxcm+dGPD/Pqq6d59bXTtLXF2bixZe68Y8eGeObZI6RSBR58cA0PPrialubKdaczRY4dHeKbf7uL1984QyTi5Zd/+f5FDZFiUefQ4QFqa0I8+eRm1qxuIBz2Yts2iUSOctmkvv5SvRWPR+OB+y8pHv7d3+3mwoUpolEfTz65eVGv0M3ArtFBWgNhfq5nMw3+IH9+/MDcvuZAiNF8Zq7I4vsRjTVhNqxomEcyoGJUbVnVyKrWGsamM5y8MM7YdIZ42Df3+zq2w4/fOIFp2VQFfHzi/nULkqIFAWIhH3eub+fQmWGOnhvl6LlR7lzfRl3V/G+dLItzRvx0Kk9JNxZNQva4VN6N2p+vHTzPdDqPJIl84r71NMRD8zxpggCaInPnhjZ2HunjtUP/f/beO06u6zzv/946vc/OzvZesOi9AwR7ESlKJqleHUnucuL2c0nsOLbj2IkTy4otR7Isq0tWIcVewYJG9F4Wi+29Te+3/P6YxQDLXTQCYJH48EMQvHPnnHPvnHvPed7yvOc43DlE32iElpr5tczLfE42Lm2gsSow57rqwn6aq8s42T1KJJEhmsygGybyTd7Yt9eVs6S5chbJgOIcuGVFM4+9coyDZwY51DnEZCxF+U32sgAsb6tmUWPFLDJ6fqN/x9o2fvbaCQbGIhw7N0IskblsMv47AYZpcrhziHNDk8iSyO1r2ti2shmPc/6QJYftzeWeHJoc5u+PvUbY7ka+TMgkFKMbpnPpN9XPxXiPaLzDMBSL8+Vdr3NibJylFWHubW/FKstkCxoIRWWny8EwzZkN4c3XJAzYbdy/oI2lFWEyhQI7evt4/uy5m9vpzyG0GYWctzpx9FKwySorA3U8M3SCb3TtIqtrqKLEqsCla+UYmFdFRExMkloWj2pHmEmWdcnWUlhSwdCJF7LohkE8nwHAp9q5r3ox5bYbo/FfZnMhIsz0X6w4nzf0G9K3rhkYhonNpuD12bHOqN44nVacTiu1tTfXY+V227jjjoUsWVKDPLMAe70ObrutgzOdozz++CFe2n6Sj31sAw7H7E2DLEs0N5Vzzz1LSp8pikR7eyXpdJ6engl6eiY40znC4sU1KIpENlvg9b3dDAxMsXhRNffdu5TGxrLSXPb7HGzd2k4ylePLX36eF148yfvfv5KamrkkoFAo1ue57bYO7rxzUWn8AH7/jSsWeKORKuSpdXuxyfKcV65umu96MYKqMjfhwPwbR1WRaa8vZ8/xXqZiabqHJuloKC+Fc6SyeY51jSAKAlVlHpqq569zJAhQHnDRXl/OkbPDDE5E6RuNzCEazdVlhANuBsdjPL3rFLmCxsr2GtrqQjjtlresKCIUw6ZO942TyRYI+V2XTPQWhCLxWbOwjlcOnSOazHCye/SSRKOm3Et9hX9ei7ggQJnPgUWVSWXzpDK5osLaTc5BaKjy43XNv+G1qDJLmis5enaYTK5A18DEW0I0FjaGUZW54YiCIOC0WVjUGKZ/NEIsmaV/NPKOJxqpTG5mvBnCATeLmyouec+vB4Zp0OgO8JGm5TiVy5OVaD7L/z2x87LnXA3eIxrvMOzq66drcgqXqvLbm9azoqoSiyyT0zSS+Twe66XNNKIgsKq6iv+0eQM+m43WmxyG47RYWFVdxarqonxoXtd54V1INF7sOkemoHF3WwvyW1xVXBJFfm39WvqjUbY01L+lfV8KqihR4/CR1LIYpkm51c36skY6vEUlNVEQEAUB3SwSpKxeIK3lMcwrhwMJCDhkC/F8plTAMq3nS23JokTI6ua2ygVsLW+96HtzizW+WVzKinO9fcuyRPuCSo4c7Wf//h4UWWLp0lpaWsOUhzylxO2biZoaP6GQe9YmHYoxxGvXNPH000eZnEwyPBylpWV23LLVqtDUHJpDQARBoLLSR2NDiDNnRhkdjZNIZPH7HYyPxxkaipDLaSxdWkso5JqXMG/a2MK//uurRKNpjh7tn5doAJSXe1i/vnnO+N/JqHS66Y5OM5iI47Vc2BjkdI1dw/20+YKI72Ky4bJbcV4iERqg3O/CMhMGNDadKBlOgBn52RySKFJTfnk9fpddLYUtxRIZpmNzQzbqKv3cta6dWDJD99AU33/uIPtPDtBWF6K9PsTChjB1Ff6bGrd+HtFEhkSq+I6sCnkuKe8KRUnS80nd2VzhsrH7Xtd5ydL5YVXl0n3U9LfGV+Zz2eck1V+MkidH55rzEt4sQn7nJZO8JUkskdS8pjERTb4lY7oeRBMZYskMpgmVZR68rpvj9bZKCh3ecm6vbpkjljJnTLkM3+k6eN193jCiYZom8ekkJ/d00Xd6mEwyi2KRqWgoY9H6Vsprg+iazmDXGJ0He5gYnCaXyWN3WWlb2UDbqkZsjgub6Mh4jAMvnWC4awzDMAnXB1lxy0JC12gR7Drax8CZEYKVPqZHo/SfGUGSJVpXNrBgdRMOd3Fh0AoaZw/1ce5oH9NjcXRNwx1wsWxLO01LLiQ3aQWNwa4xjrxyish4jMJFqgKVjeWsvXspwUofhVyBnhODnHy9i+hEHJvDStuqRlpX1GO/DEs9PjaGZhi0h8pYV1tTeqHYFAXbVahoNfh9NPh9VzzvPRShGwbf2H8IWZK4o6XpLScaAHe0zC269nbCBDIzSWDj2QSxfJbpfIq8obEqUIdTtqAbBt2JSWodfk7HRumMj1Nl916ixQsvS1EQWOGv4fXJHjaEmvCrdl4YPlXanLgUK0v9Vbw82kmLO0TQ4iCaz5DVC9Q6/MjXnFB7dS9q4Qb0LQjFDXUmk2f79lM89/xxDh/pp76+jMbGMjoWVLJgQRU221xt/xsFr9eOegmN+srKC2EdY2OxOURDUaSSotMb4XRa8XqLm59EIksqVSQakUiKVKqYXxMqd2O7hDvf47Hj8diJRtP0D0zPe44kiXjctlI/7xbcWtPElw/t5v8d3cfCYIipTJo9I/10RibZPdzPryxd+7a8V24UFEVCuYx8pt2qlNapVDZfSrIGiCezYBaf+0upNpX6kWXsM3M3V9DIzNRFuBiqLLFtZTNel41dR3vYf3KAkz2jHDs3QjjgoqW6jMXNFWxZ0URdhf+mejhSmTzaTK6Vy2aZVyXrPERBxDVD4DXdIJnOXvJciyJfvZLUWxSRZ1Gky5I3h61YR8UEkuncWzImm+XStVtEQcBhLd5vwzBJZ+fOpXcaMjmtpFLlsltK5P1GY0mggmqHB4t05fZtssLastrrkraFG0g0pkYiPPftHRzb2YnL58DhsaMVNHKZPHXtVZTXBjFNOLW3i6M7zqBaFURR4PT+bg5uP8HH/uD9dKxpQlZlouNxvve3T9B3epjy2iCiJHDuWB+n9nbxof90H5WNV68gMHBmhGe/9Rp2lxV/2ItpwvjAFEd3nOaBL9zGylsXYbGpmAbseuIAU6MxrA4LpmFy6JVTHNt5ht/8u08SqPBiGAZjfZP88H8/hVbQqW4OMz02xeFXTlFeG6B1RQOyKqEVdI68dprnvrMDLa/hCbgYOjfGyb1dbHtkHWvuXHJJsjGdzmACYddbI4f4i46BWIyuqenLJtj/IsE0TaZzKV4b62JzeQsVdg+maTKRTfDM4Ak8ip1GV5BWTzkvjpziSGQQiyihCCJOufhiPx4ZYu9kL53xMQZT03yvey87xs6yKdTMYl8VH6hbzj+feY1/Ov0KHtWGVZKpnJGXdStWHqxdxo/7DvLVztdQRAlJEGlzl1Pt8NGfnOa1sbOcjo9xJDLEQDrCdD7FUl8Nq4N19CWnLtv35XClvq8G5eUe7rt3KS3N5Rw/McjJk0Ps39/D/v091NYG6Oio5O67FtPQELrsxuRSv82VotMkUeRSzaqqVKJd+cJc2UUB4TIWQqHkkdF1o5TMrml66e+qIl82AdJiKS43uXk2kFBM7lbUt0Ya80ZiSVmYj3cs46meM7zQ14VumhybGKPC6eKh1kVsq2l4S0N6bjiuMOdM88Ipb/zthPNJ0TPnXamjC6cIlyz97HJY2bS0keaaIOsX13Oqd4xjXSOc6hnl1cPnOHx2iKNdw3zojuWs7qi9afNJEC4ExZlXEzZqnv/e5cNkRUG45nfDzYZhXv4aL/7lrmfshmliGFfJni47njfMpnfW7bwEZs3+m+YDrXf5qXddXf6aKko80rSUkO36QldvCNHIZfKc2N3FzscPsuyWDrZ+cA1un4N8roChGQQqi4u0JIm0rmigqjmMN+hCsch0Hx/k63/67xzbdYaGRdW4VJlXfrqX3U8e4pN//CAL1jQjyiI9xwf45l8+ytPfeJVf/vOHr2l806NRPIEaNj2wivLaAJGxGN/5Hz/j5R+9Tv2CaiobQ0iKxKo7FqNaVbxBF4IocOS10/zj732H0/u72Xj/Cgo5jdP7uzlzoIdf+esP076qiZGecUzDpJDXWLq5HW/QzeDZUV758V70gs69n7mFqqZy4tMpfvzlZ3j53/dQ01pB0+K58e66YZDTinHKyrvYAnaj8Fa8G/YNDpMpFK5mFfyFgGYadMbHOBEb4e9WP0TQ4sQEjkwP8sPe/fSlpri9op0HapZwOjZGRs9TbnNzW0U7VknBp9rRTYNahx+vamdloA5REFBECe9MXka7J8xnWzbQm5xCEkRa3eWsDNTR6i5HESUWe6uwSQo9ySlyuoZdVql3BpAEEZusUOXwYVcsLPFVISIgixJBqxNZEHEp1sv2/fnWzTS4giULrCrK/M7C24v1P67Q99XC53Owdm0T7e0VDK1rZmBgmhMnBtmz5xxPdI8zPBThP/2ne/D759YcuOxvo+nkc5fXZc/lCuj6/HM5kymUljLbPFKdhmGQvYTlT9MM8vmiio+iSKXQJotFQZmJk85mC+i6gXgJGeBUKg+A3X5pd/27Y0MwG1ZZZlttIw0eP4OJKMlCAVkUCdmdtPuD2OWb58F6K5AraOTmIabnkUznSmSzqLZz4Vp9LhsIxU1qNJm5bD/5gk4qU5wjVvWCd2M+iKJAZdBDZdDDstYqNi2L0j04yZ7jfew43M1rh7uJJbM0VQcJeOb30l0v3A5L6TmIpbKX3SDrhkEsWfRiyJJ01RXQ3ynI5C54b+ZDLJnFNM2iZ9gx99qudvrn8pefaxcjmcldMi/wvKwyFI0vDtvV10F6u2BVlVLOSTyVK+blvs0QBOGqScnlcEOIRjKa5uTeLqwOC3d8ZAP1HfPLCAqiQOOi2SXO/eVeHv2n55kcilCYWUR3/uwAlY0h1t+3HIenuEHwhdzse/4Y+54/xsP/8V7cvqt/eYiSSNuqRhaub0FRZcL1ZSza0MqrP9lHfCpBZWPRurh08+wq4i6vg6/8f99jpHccAF3TmRicRlFlmpfW4fI50LUA4bogXUf7yc9Y6gbOjjB4dpSND6xk6ZYFM32aLFzXwhNf287EwDQNC2sQRYFnzpzl7OQU0WyWeDbLibFxDNPk4PAIv//Us6WxKKLIkoowH1m2ZNYYp9JpXuw6x96BoVnHG/w+7m5toSlw5Umi6ToHh0c4NDzCcDxBTtNwWyy0BANsqq+jwn3zErsmkile6+nl9MQk8VwOp6rSUR5iS0P9VdUtuFZkCxqvDwxwdmqK4ViCA0NFotEbifKHzzw/y/JoVxRub2makzsxmkjyzJmzxLIZ7m5rocHno3NyitcHBhmIxtAMA6dFpdHvZ0tDHWHX7Pt3dGSUR0+cIp674GIWBYHbmhq5q212tfmLcWZikm8ePERrMMhDixcylkiys6+f7ukIBV3Hb7OxtDLMiqpKfLY35+o8b0lJaznSWgEsAvFChq7EBGmtQJnVhSxK1DkD1DnnD2N0KJZLfnYey/w1LPNfeBe0eS54KVVJpsNbWcoJuRhlVhe3hC89Hy83LoDbK2c/44oo8b6aC8/U5fq+VpwPF2prq2Dp0hoWL67hH//pJfbu6+HYsQG2br1QbFIQioo6WsEgM7PZeiMSiSyRyOWlBienEmSy83+/v3+qtCGsqPDO+Txf0Bgbnz++Oh7PMD1djHN2u6wleduyMheumSJ+wyMRUqncvKFP4xNx4jOypPX18ycEXy/OP7pXY12+0VBEiRZfgBZfYKYy+FtfFfxmIZrIEE9lL5ngOzwZI5svrn0VQfcsCeKAx4HPZSeSyNA3Mo2m6ZfMv4mnsoxOFeefz2Un6L26Nd7jtOFx2mivC7G4qRKX3cITO05wonuEw51D3La69bLff7O/ksdpw+92IIkiA2MRsrlCcbM9z+9e0HR6R4ohg1aLQlXo3eVBn4imSGcLl1RA6h+NFKurC1DzhvongkDJsKPrJtnLFLGLJjMlgnAlDE/G0XSD+fiophcr0UOxBsqlxAzeSfC57cW8DGBwPEo0nrnkfHq34YYQjWw6x9RIBJfXQUXD/IVooLgADJ4d5fiuTgbPjpKIpijkNAY6RyivCWAaZnEzPxRhycZW5Ivc6JIkUd0c5sCLx4lNxK+JaFgdFpxeO8pMMpMgCAQqfOSyebLpmZhSAc4c6OHErk7GBqZIJ7IU8kWPjDZDgGRFprIxRDaV5fDLp1h1x2KGzo3Rd3qYQNiLa+bFmIikmBia5pWf7KXzUE9pHGN9k0wOTZOKpzF0HVGUea2nj70Dg6QKefKaTjKfxwTGkkm2d3WXvmuR5XnjZHXDYDKV5szEJMlcnmgmQzKfZ2VVJauqqq5INKKZLN8+dJhXunvpj8aI53JohoFVkgg67Lx8rodPrFzGutqay7bzZtA5McnX9h7gwNAQ46kUOU1HlSTKnU529vazsur6N3tvRCKX4/GTZzg+NkY8myOWy6KbZlGq91zPrEXHbbXQXjZ3U5TI5djTP0B/NEqN18vZyWl+ePQ4ZyeniGWLyYGqJLGkIkxrMDCHaJwnNkPxOMlcjslUGhOodLkuSzTGk0keP3WGZRUxXKrKC13dHB0dJZLOoJkmdkXhxXPd3N7cxMNLFlLtufbFTBJEml0h1gQb+MqZV2bCAwQsosTWcAut7ks/37/oOL/BfePCIEki4bAXv9/Jd767m1gszdBwdNY5oiji8dgZGorQ3z+FYRizwpDyeY3evil6+yYvO4bBwQgDA9PU15fNqi+g6wY7dnSiaTqVlT7C4blzI5u9UKH7YpUnwzAZGJjm7NkxnE4rlZU+HDNWS7/fSUNjGcdPDLJ/fy/r1zXjdttmWbVNE1588SSZTAGXy8bSpZdWL7seKIqMKAokElm0Gc/wW7VIDyZibB/o4fT0OLFcFoskU+V0c3tdMwsDocsmQb/TMTAWZWgiNq9KUjZX4FTPGKlMHptFobEyMEv0wKLKrF1Ux9O7TjE6leBE9yhLW+eGMJqmWZTI7R5FAKpCHurC12ZJlSWJhqoAd6xt59k9p8nkNIYnrpyYLIjFkEFNN8jlNQzDvKrwH0WWWNpSyYnuESLxDEfODlPmc87JrzBNk1Qmz+5jxb2A12llUWPFNV3b242z/RNMx1NUBOeq76WzeQ53DqHpBi67heY3KItJoljKz8nmC4xPJ2monGsMiiYy9I9ESKSuLsfjcOcQH7hlyZxCiqZpEktmOH5uGFEQ8LnspUT8dzIcVpXacj8ep42pWIqjXcO0N5Tjf4erZV0NbgjREEQBURIxjAK6dmn32pmDPTzxtZco5DQaF9dQt6AKxSJz7lj/rLYkWSwmWV9kmDJNk0KugCAIyJdRP5gPhm7MSlAD0Ap6adwI8Pozh3nsn18kXFdG3YJKnG4Hoiyw+8lDpe8oqsyCNc2suXsp3/tfT/Dyj19HkkX85R62PbIO60yylyiKWB0WymsDNFzk3WnoqGbdPctoWFhTWgA/vGwxd7e1lOIJ/2HnHo6MjLKyqpLPr1ldMreIgkCZYy658lptPNDRzvraGvK6wYtd5/j+kWNXdV/ymsbX9x/gR8dOkC1o3NveyqJwOS6LylAszlOnO3nxXDexXA6P1cqC0PxyfG8GsUyGr+7dzzOdZ3GqFj61YnmxfQE6J6Z46vQZzkxM3LD+zsNlsfDR5UtI5otW3+8fPsr27h5qvV5+f+tmlIti1GVRpM7rvWRb8VyOZzu7iGezyJLIh5cuoszpIKfp9E5HcFktuK1zXbbtoTJ+Z8tGMoUCeV3nj595gaH41St1nB6f5N+yh/HZbHx21QrCLhfpQoE9/QO82t3L948cw2218EuLOvBeo2dDEASCVhefbFrHQCpCztCQRRGfaqfa7sOlvLtc/m8lhoYi7N3Xjc2m0tJcTjjswW63oGk609Mp9u7tJhYrWvXr3iBqYbEotLdX0t09zpGjAzz77HHWr2/C4bASi6XZt7+HZ589SjJ5eWtfJpPnsccOFpPuV9ThctmIRFK8+NJJ9u/vQdMM7rlnSSlf4mLoukl39zjf+94e7rlnCdXVfjTd4OTJIZ56+ghDwxEWLapmQUdlaTOpKBKbNrVy8uQwZ86M8MMf7uW++5bS3l6JxaIwPZ1k566zPPXkEQoFjUceXkNZ8OZYF8NhD1abythYnO0vn+Lee5YSDLrRdZ1kMocsi7hccwtfXS86pyf56rF9HJscI2C141RV0lqGE1Pj7Bjq44srNrCpqu5dSzaGJqK8fqyP1pqyWXKzpmny6uFznO4bI6/pbOiopdzvmuUVFgWB929ZxMsHukiks3zvuYNUlHkIvaEo3th0ghf3naVneJqQ38XSlkoC83g0+kcj2CwKfo/9kvdzcDyKYRTDeAJXISxgVWU8ThvjkSRj0wmGJ2PzViWfD9tWNrP9QCed/Vl+8PwhmqqDtNQEZxkJsnmNZ/ec5njXCA6ryoq26nedR+Pc0BR7jvVRGfTMkok1TJMnd56kfzSCaZqsX1yPxzl7jbCoMnWVRdI4EU2x+1gvS1urZqlY5TWdfSf72XeqH924umKmx8+NsPtoL3esbS2RO9Msekwee+U4E5EUdpvKqgU1c+p/vBMhigLL26rYdbSbA6cHeWbPaQJeB3eubZvXk6TpBpPRFCG/8x2fA3ZDiIbdZaWqsZx9Lxyj60gfSza1zXvemX3d9J8e5t5P38K6e5dhc1qJTsRLG3QobtKbl9Ry7tgA2XQOi72oLKAXdE7tPYc/7CEQ9l7T+DLJosclk8xic1oxDZPBrlHsThs2hwVBENj95GHiU0k+8YcPUttWgWpVGe4Zm9XOeRKk5TQaOqq58+ObUG0q/nIPoZoLxXXOj7G2vYq7Prm55Ek5D6vdUiQ4wOLw7MT27x46ggCEHA42NdRdcQKpskS1x1OyXvdFoletcLKrr5+nz5xlOp3hd7du5K6WFsqcDhRRJJUvsKyygj965nmODI/wvSNH+bPbb71hE/rlnl729A+gGSZf3LieW5sbCdiLD9O62hraQkH+8OnnbkhfF8OqyKy4yFPyWncvkiDisVjYVF+LRb76R2Iqleb46Bi3Nzfy8JJFVLrd2BQZ3TBJ5HIggH+ejb7Hap0lU+xQ1Wty30eyGdpCQX5t/Ro6QmXYFAXNMFldXYlNkXnsxGmeOt3J8soKVlRdewiVLIpUO3xXnQD9HopIpnLs3t3F4GAEj8eG3a4iyxKmYZLNFRgfjxOPZ9m2bQGL3lCl2uFQufXWBRw82MvISJRvfWsnzz53DEWRyOc0ItE0FRUeVq9uZPfurkuOYenSWpLJLN/69i5+9vghVEUmly8wNBQhEk2xeVMrt9++cN7vut02Fi2qZtfuLo6fGMThsGKaJpFIitHRGOGwh9tvW0hT42yvVlNjiId+aTXf/s5O9u3vprdvEq/XjiyJZHMao6MxIpEU99yzlPvvX3bTvAwdHVU0N5UzMZHgySePcOhgH1abWsyh03TuvWcJd9yx6Ib3+2zvWXpjET6zaCWLg+VYJRnNNIhkM3z50G6+fvwA6yprkHj3EQ1REFBlmT3He0lkcqxbVEdVmYeCpnP83Agv7T/L6FQCl93CA1sWzSvJ2V5fzkfuWsE3ntjLnuO9/I9/e4HNy5qoDftAgMGxKHuO93Lg1ACCILBucT2bljXNK0zw4r5ODp4epCbso7k6QEXQg3NG6SySyHCqZ4wX93WSK+iU+ZysbLtyNfigx0F7fYizAxMcPTvMN57Yy6aljfjcdnTdIJXJ4XJYaKoKzsk/qAn7ePi2ZfzTj3fS2T/B33zzRbataqGtLoRFkZmIJtl7op+dR7rJazpLmiv54Lalcyqev9OhSCJP7TzJWCTB6gW1hPxO0tkCh84M8sLeMyQzebxOGx+5c8Wc39+iyixsCBMOuGYIZSearrO6oxa300YileX4uRF2HukhlszidlivGD4liSKqLPONJ17n3NAky9uq8DrtROJpdh7t5uUDxXdkXdjHvRs7LvvOMQyTvFZUOUtni/mahmGSSOeIJbPYLDKKfGnp4vMwZ76XyRWIxDMlwlTQdKZiKWwWBctF0sTzobkmyO1r2xidSjA8EePbT+/ncOcQCxvDlPtcIBRzosYjSboGJnA7rPz+J29DfIfPpxtCNFxeB4s3tbH/xeP88H8/ycTgFOV1QTLJHIlIkoaF1TQsrEGxyBRyGlOjUSaHI6TjGXY9dYjIeJyGBRfcqfd+dht/92v/wr/86b+z9YNrUFSZvc8do+fkIB/7gwdQrddWIVoUBXY9cQiLTaV5aR19p4Y48OJxVt2+qJSobrGrpOIZJoamsbusTA5FeO67O7G8gQlnkjnOHRtg84MrWba1A2kebfzGxbV0rGvh6GunsTkstK1sQBAExvonKeQ1Vt66iFDNza1xcTV4trOL0XiCZZVh7mptodrtLj1MbquFJeFy7m1v4592v87+gSFG4gmqPDemaNqr3X1MZ7IsqwizpbGeMof9AlGz2dhQW8vq6mpe7u65QktvHwqGQb3Py/sXLqCjPDSLhDktb65q59XAbbGwsqqS5ZUVpXA6SYRar5dbmxo5MjLK6fEJeqYjLAqXo14UcpfSomT1FB41hCTIRHIjWCUnNslFRk9gk5zkjAyKqKKbOnk9g2bm8ShlFMw8aS2GRbJjk1xk9SQ5I4NNcqGK73k6KsIeNm5oYfeecwwMTNHfP0UupxVlWz1W6uqCPPzQGtavb8bjmb0hkySRBe2V/NZv3sFzzx/nxIkhTp0aRpLEUrtbb2nnyJFijY5LoazMzQceXMnx44Ps3dvN6GgMQRSoqvJx//uWs23bAgL++RXtVFVi5Yp6Nm9u48UXTtDZOUo6k8frtbN+XTPbti1g6dIarG94/6qqzMqV9fh8dl57rZMDB3ro7BylUNBxOa00NYX45Cc3smplA8Hg/HU2bgQ8Hhuf+ORGysMe9u49R9e5MQoFA6tVoazMNcfgc6NwNjrFomCYrdX1lNsv3FvTNPlAy0L+6vWXr6qY5TsRXpeNu9a3k0jl2Hmkh6Nnh7BZFAwTYsliHQmbVeVT961hZXv1nA20IAjYLAof3LYE0zT53nOH2H2slzP946WQl3S2QDSRQVEk7lzXxkfuXDHH43EeE9EkhzoHOXZuGKfNgtWioEgiJsUNXSyZJZHOUuZ18sUPbSnV5bgcynwutq5o5kT3KN1DUyUyoyoSpmmi6QZrF9bx4Tsdc4iGLIncuqoVTTf4+uN7OdE9ytBEDLfDiigK5PIa0/E0mq6zsr2Gz39gQ5Fgvctw78YO+kameflAF3tP9GNVZXTdYDqeJpnJ4XZY+a0Pb6F5nvA6SRSpq/DzkTtX8LXH9jAeSfDkjpPsOtqLIktoevF3CwdcPLBlISe6x9h7ou+y46kKefjEPav4wfOHePy147xysAtFligUdCZjKbJ5jYYKP1/4wIZ5vVPZfIGdR3p4YsdJcvkCBc1ANwzGpuLoRjGR/BuP7+WnLx9FEkUUWcKqynzi3tUsbAzPmueGYfJf/vkp4qksuYI2k4dSYCKaxDBNzvSP83tfegxJFJEkEYtSLHD4wJZFc+anVVWKOUUm/PCFQ/SOTDMVS3Hw9GDJA6TpOtm8TjKdpb2+/OpVut5G3JA3ryRLtK9u4mN/8ADbf7SHR7/yAlpeK23sa1qK8Ygrbl3ESO8k+547yu6nDuEJulh1+yKWbGjFdpG7rX1VI1/47x/huW/v4Ot/+iNMwB/y8JHfu59N7191zeNz+hxUNpbTfWKQl3/0OlpBZ+G6Zm778AY8geIPffcntxCdSPCjLz2DCZRV+tj0/pWkYrPLr6s2hUCll8e/up0dPzuAKIrYXTbaVjVyy0NrqGmpwO13cNcnNuH02Dn08kle/tHrCAK4/C5W3rpwXnLyViOezdE1NU1W01hWUYHXOjekQBJFOkJlmBTzEnoikRtCNNL5PAPRKDlNY0lFGNcb9LAFQcAqyyytCL+jiYYoCDT4fSwIlb2lrkuv1Uqd1zsnZ0eYGU/Y6eLk2AQDsTipXB51xlM0mRtgNHMOu+zGrQTpTh1EMAUm8wMs8tzCqfgulnhvpT91nHJbA7H8OGPZHmodC8kZdkYy58jqKcqtDeT1LOO5HpLaNB6lnFr7QmTx5pGrdwNcLhu33dbB6tWNZLJ5tIJeXAQEAUUWsdlUfD4Hdvtc/XdBELBYZFasqKO+PkgikaVQ0BGEYliV12vH7bYRKnOxZHENfr9j3vAnwzBoaChj4cIq7rprMbmchiAUi/H5/c7Lhg6ZJthsKls2t7Gwo4pUKouum8iKhMtlxee1Y7mEEpDVqtDWVkFFhZe77lpENlPAwESRJex2C36/o1Ql/Y1wu6189GPrue++pbjd1+aB+9GXn8ViVdny4Co8QRf1dUEeeXgNd925iFyugGGYSJKIqsoErzFka/+Lxzm64wx3fXwTVU2XllR3qipuiwVJFOe+xyQZj/ruJeEhv4vVC2qpr/TTWlvGywe6ODc0STZXwO2wsnlZE3eua2flgmpc9vnnliAIBL1OPnTHchY0hHlhbycnukcYmYxjmhDwOti8rJGNyxpZtaCGoNdxyRyJ+zcvwu2wcqxrmMHxGBORJLm8higW63TUhn0sa63ilhXNtNaWXRWpVRWJlQtq+OKHt/LC3jMcOjPIeCSBYZjYrSplPgdBr+OSBeucdgt3rmunsSrAC3vPcuB0PyOTcfIFHY/TytKWKjYsqWfDkgYqyzzvOOnaq0F1yMt9GzvYcaSbHYe76R+LUCjo+Nx2Nixp4N6NHSxtqUSRxXnvucOmcvf6BQQ8Dl7Y18mpnjHGIwlEUaTc7+L2Na1sW9lCZZmHqTfsueZDW12ItYvqaK0N8czuU+w53svwRAwoFpBcu6iOezZ0zISxzR2PPpMsvvtYz7wbdU036B+LwEVBLZIocPeGBXOMBqZpsutoT7GGzDx7/lQmz/Fzo6X/FwUBSRS5fc38IgVep40717XTWhdi99FeDp4ZoH8kUrpfLruFkN/J1hVNbF7W+JYUgr1e3DATj81hYcW2hTQuriEdz6DrBpJU3IR7Zl7woWo/v/Qbd3LHRzagFTRkVcYXcrP5/asAAU+wuOlXrQorb19Ew6Jq0omibJrNYcEX8swiJFcLQYCONU2s2LaQVCJTfCn5nXgCTqQZZlrXXsnn/tsjJGNpDMPAYlUJVHpZuK4Fy4zlJT6d5Kf/9zkKOY37P38rDrcNQzeYHI5ybMdpMokMn/yTD2C1WwjVBLjrE5tYd+8ycjMqMooq4/I5cF6lmsbNxHQ6TbpQlLt87OQpdvT2zdksm0AyVxy7ZphEM1enBnElxHM5sloxwT7kdMwrHVrMSXlnJ0GpkoTHasV6DeFWNwIWWcZpmT/m1GO14lCLm8F4NktOv6DwMZHtw6dW4LdUIgsK49lelnhvJa3HieZHSWsxTAwyegLd1DAx8Krl+NUqREHEJrmYyPVhLThQRRvj2V4kQcaQNQxTv+briIzH+IuP/QMPfOEOtj60tnQ8l8mz79kjvPTD3Xz8jx6kcVEt+VyBzv3dvPDdHQx0jmCxq6y8bTGbP7iGUHXRO1jIa5zY3cnrTx+i98QQmWQWT5mLjfevYuP7V+K4KLb4737tX+hY20zrigZ+/A/PMNQ1isvnYNsj67n1Qxuu+Vqg6Dl1uWy4LlOQ83IQBAFFkSkv91BePn8Mt9/vnJWoPQdmsZ0rnncZWK0KVVXXbnWVJBGfz4HP5+Dr//XH3PXxzVQ2XnmzJ8sSVZU+qiqvvc+xvkmsDguFGSlIURTw+x2XLDx4LYhPJRnqGiu9vy+FO+qa+OnZk5yaGsddUVMqhDWSTPCjzuM81LroXVewr6OhnD/73N0gCJR5HdgsCu/bvJDNy5vI5AoYhoEsiditKj6X/bJVsYFSUu6GxQ10NIRJZXJomoFJsWq23aridlixXUbSFqClpozKoJsHNi8iV9DQNAPDNEvKRhZFxmlXcTtsV6xXcTEcVpWV7TW01ARJpnPkNX1m3CKKIuK2W0sF9+aD02ZhcXMltWE/D9++lHxBx5whuXargtthvazEaktNGX/8mTtI54ohSO55JGLP47Y1rSxvq6ag61QGPW9JGJZpmtSGfTwSXM5d69qLSfOmiSJJOOwW/C4bkjQ/yYDi7+912diyoomlLVWksnk0XUdAQFEkXHZL0QskCPyH96/joduWEvA4SmFx53Hfxg7WL67HabcQ9DoJ+VyUB1x8cNuS4j2nSBzdDitep+2SpM5qUbh/80LWLa6b9/NLYb77LYoCX/nDR67Ja+m0Wii7zPvZZbfQ0VBObbmP+zZ1kM0XSoqBsiQiSxJ2q4LLbn3H52fADSQagiCgWpXSoj8fREnEW+bGWzbbKu6aZ31RLQrhuhuTfGwaRfJSXndpWUVJliir9lNWPVvp4ny1ckM3GOmZ4PVnj/CJP3qQNXcuKeZZmMVihcloirH+SVKxdDEHQxRxet8ZpGI+aKZZUsmZTKWZSl3aiiACosBVJ2ldCbpxoZSOLIrz6wsKxfyTdzJEQXjbZCwv1aNw0XiMNxR4C1pq6E4dZjzXwwL3JsostXTG9xIrjNHgWIZbCXBg+mlS2jQ1jg4EQUQV7SiihZyeLoZK6RlSWgS/vRKH7CWpRVBF25vyZrh8TuwuG099ffssopGMptj1+AGyqRwV9aFiAcxXT/Htv3oUf7mbDfevJDoR57VH9zE5HOGDv3k3ZVV+RFHg7KEeUvEMy2/pwGJTObj9BN/560dxBZysum0RysxGZqhrlNhEnFd+9DqLN7WxYHUzsck41itUL34PV0YymuLYzjNseuDavc/vRoyn03THIvzRjucJWu14rVaymsZYOklshuwfGLsgP+6z2vjbrfe8qb5eGNtOQPWz3Ld0zmc9yV4GM8Os8C3DIV+fkcZuVamrmL0WOm2W60qqFQQBVZGKYVFXEdI0H2RJLMnZvhFdyW66MyOsta+6otcgq2eZzkeptIVLx1RFIuh1EvRe+9ieHH6aJmcjzc6ma1YJShSSZMwMteGr2+/4XHZ8rrfWCHd+HXE7rbjfhLEXZjx8qoI1cHkyGQ64CQfmj5zwexz4Z+qi/OWRp9k32Ydm6thllW9t/jQW6erC6iVRJOBx3JAaK4Ig0Fp749UYJVHE47TOSa5/N+KtNcW+iyGIAnaXlVw6z/4XjhEIe7G7bMSnkxx57TRHd5xh9Z2L8bwL9JoBXKpasrJ9ceN67mpruaxlXhQEvLYbM+EdqoI0sxlO5OYvumOaJqlLVBD+RUde10kX5r836XyB3Iy3yK4os1S0/JYqnIofTFBFG3WOJRSMopSgTXKywL2JgplDQMQi2XHLF4i5KlqptLVSZq1DFiwoosoC9yYMU0cWLQhvItFVViTu+vRW/u5Xvsbp/edoX9WEaZhExuN0Huzhns/cgtVhYaRngld+9Dour4PP/NnDlFUH0DUdT9DFqz/eS/uqJrY+tBZRErnn07egawaKpViletm2hfzVp/4vp1/vYtH61hLRADixu5P/8v0v0rSkFkmW0DXjHRHW+E6GaZqc2NPF0998lZ7jA0iyxMK1zdz32VuoaAjx3f/5BHueOszg2VH+/BNfRp253//zyd/HV+6h+9gAP/nH5+k9Vdx4t61s5KHfvIvKhjK6jw/wg//9FEs3tbPj8QNEJxMsWt/CvZ/aSn1HFYZucPDlkzz59ZeZGJxmyeY2RvsmS7WZRnrGefY7Ozm24wypRJZwfZCHf+tu2lY2IMsSvaeG+dqf/pD/8GcP882//CmD3WM0Larh1/72Yzjddga7Rvn3Lz1D15E+6torcXjsVzUfpjNpymwOvBYrAgKYYJEkqpxuqp0eZFFEN42ScUW/jnyNRCGBXZrfY1Zlr6LcGsIqvfs3Jm8GtfZqKq1hlKswekzlp9k9uZeHah68IX3HCnFyxtXJsr4Rg5khBtKD3Bm+7YaM5RcFn2lZz33Vi/h29152jp/jXZCq8AuL94jGNSBUHeALf/Vhnv7Wq/zv3/xXsqkcVruFcH0Z93xqC1s+sBpJeWdb4c8j6LATcjo5MznFRDpNyOmYpYR0M+G2WvHbbUiCwNmJKQqaDm9YG3TT5Fxk+uYP5nzi5s3v6YYhnssxkkjM+9lIIsF0uliBt8LtwqFeuLGSIGOTnCXrlCJakIXi54IgoIhWFC6Ks77IKCgI4pzPVdFWOk+YOXlsOlEssOmyzST6GYiicEn37qrbFhMIe3nhOztpX9VEJpXj0PYTiJLI+vuKCibR8Rj9Z4ZZsqmN6pYKREnENE1q2ioxDIPR3okSSXijB7GmtQKXz0F8OoGuzQ7vCtUGWbCm+aYlCf88YrBrlFd+vJfymgAf/NU7yKRypBMZ7C4bkizywV+7g+Vb2vn7//gtPv8XH6JxRl3LM+PFVm0qC9c18+Cv3EY+q/Gzr77ID//PU/z233+KQk7j+K5OUvEMD/7K7QC8+P3dPPvtHXzqTx6k//QwL35/F5WNIR76rbs4uaeLPU8fobqlaJWWVZn69kpW3NKB02vnuW/v4Lt/8zh/8NXP4fY7KeQLnN7bzaP/9Dz3f+5W3H4n0Yk4DreN6bEYz3zrNZLRNL/y3z/M1EiUn331JRyeK1uOP9GxnA+3L7nieedxNaEOQ5lhdk7uZiw7jlWysS6wmsWeC2phkXyUl8dfpcFZT4e7ndPxTnZN7sFv8XNP+A5ciou+VD/bx1/FxCRWiLPQvYBtoS2cTpxhz9Q+AApGgRW+ZawNrGYqN83uqdfpSfXikl2sCayiw93OvumD9Kf6MTAZy46zuWwDizwdSML8a91rEzs5HjtFwSxQpgZ5pPaDnEv2cDBymA/XPsR0PsILY9tZ7V/BVG6aI9Fj6KaOKIis8a9iiXcRw5kR9kztZTA9TMDiY0NwHQ2OeraPv0q8kCCtp5nITfK+irupd9RxOHqMXZN7qLCFua/iLqySlZ5UHy+MbQcgo6epsVVzX+U99KR6eH70JXpS/Uzlp2hw1HNH+FbGsxPsmdpLf2oAj+phfWANAUuAvdMHGEwPkjVyWASVO8O3U+uoZu/Ufg5GDiMLMtP5CAvcRbXNvVP72Rc5iGEatLta2RbawplEF7umdmNiktfztLpa2Fy2kTOJTl4c3c5UfpqeVC+LPQtZH1xbep++h0ujwuah3OamctTzrggf+kXGz/0Ku/GBlay+c8k1K1W9EYIgoNoU1t+3nBW3LUTXjFJBKEkSUSwKikV+W8Jo3gwkUWRbUwPHRsd46vQZHljQxrLKinml10zTxICSF+J6IQoCyysrOTIyymu9fQzFY7itllLfpmkSz2R58Wz3FVq6fthVBUGA4XiiGNL1LqjEGUlnODYyxlgiSbnrgptfNwz2Dw7RNTVFldtFrdc7j5dKQJhFIIR5/z4f8ppOIpVFkeViFWvdQBQEIok0NouCx2Ejlc3jsCqIokAyk+OF/Z2EfC6WtVRit6j0jUawqsUQBUkUUa0Kt354PU98dTsf/6MH0Qo6B148RtuqRsL1xVCCfK7AeP8kP/vKAM9+89XSeLSCTjaVY/WdSyjkC4iSysnXu3j1x6/TebCbyHicXDpPfCpBZVN4zvUEKnylHK33cHXIZfKkEhlCtQEqGkNYbCqmYSDOxGc7PXY8QReyLOENughUeGfNq8rGEOW1AWRZopDXWHPXUh79p+dLYZwuv5M1dy5hxbbipnpiaJqD208yPRaj62g/hmGy4X3LaV/VRLiujJN7z5VqJAUqvGy8fyWiJCCIAlsfWstf//I/U5ip2AzFObP5A6tZsqkNQRQwdBNRFImMx+g60se9n97KwnUtZFI5RvomOb777BXviVO98SIII5lRslqWX6p+EK/qRRGKz7EoiEznI7wy8Rq1jhraXa0ogsICdzt5o0BfukgIADRToy81wG+3/Tq6qfPV7m+w0NNBVs+R1FJ8vukzDKaHeHViF/X2OgYygxRMjc82fIrjsZN0JrqosIbJG3myRo51gdVUzHgMxMt4MPdM7eOO8m00u5qQBAkBAc3USOvF8FzDNEjrGTRDJ6mlEAWRj9Q+zMn4aU7Fz1BuLacz0YVbcfPLjXewe+p1uhLdBNUgWT1L3sizObgBv+pDFS0ICCz2dFAw8vSnB0s1qTRDoyfVyx+2/y5pPc0PB35MrBCl0dHIrSGDF8df5hN1H0USJHJ6nq5kN4qo8NnGT3EwcoizyXNIgsxodowmZyNr/Ct5euQ5RrIjWCSVo7ET3F6+jUpbBf/Y9VUM02AqP82uqb18puFjmCb8W+93aHE1k9EzTOcj/HrT5xnNjvHa5C7SWpoO9wLSWpruVA8frHoQWfy535LdMAiCQHF2vbPX63czCobOf9n/LJ9qXUW7982Hh/3cz2rVopTc99eL88UCr7Vg4M3C+cXTnPnDnPnn/DHDNDEMo2S1P/84nl/439+xgJ29fbzS3ctvPPoEH162mC0NDYScDlKFPOPJFF0TU7w+OER7KMgXN66f1XfJC3C+b/Ma+l7YznOdXZyemOD3n3qO39m8iXV11YiCwOHhEb60cw/RTObG37Q3YGEohCJKjCeT/N1rO/n82lX47HYy+TzRbBaHqhKw37h42Nn37cKvZVK8b7phFF+cFzkV5iMAu/r6+R+vvMYnVyyjJRggmc/z+MnT/ODIMaKZLPcvaKe1LHBDSdPYdILtB7tw2lR8LhsgkMrmyRc0NixuQBQF+kYjM8mPNnTdIJpIE/Q4EBDYdbyXRDrL6f5xHr5lKeGAG0EUuP2jm3j0H59n+7/vpnlJHUNdYzz4q3eWas1IsoQ/7GXl7Yu55aJcjvOobAyhWhT2PHmQ7/7Nz6ioD/HQF++luqUCu9vKf/3wl+a9HkH8+VmifvVXb+Vzn7+lmCh4jeQpHPbwwx/8OlAswHc51LZVsnRzG49+5UX2PneUOz6ykbV3LcEduLq49thkgh/9wzOc2N1FJpUlm85jc1ow9OKTYHdaqWwMIc9Ii1pslmIdklSe+HQKRVXwh7xIUrFQqtvvLM2TdDzLCz/YxevPHCEyHqeQ05gcjqLrF/yVoiTQvLS2RDBFsfhMZlJ50okslQ0hJFnC4bYRrPBd8728UWhztZIz8jw29AQhaxkbg+sJW8vRTJ3dU3tpdbaw0rcCi1isA6UIMqqozNl0Ba0B7JINE5OA6mcyN4kkiAQsAWyiDZfixiHbGc2NMZQZZt/UAXqTveimQZ2jloJRDNEMWgKUWcqwX0Xux0dqH+bViR28NP4q20JbWOIt1i4xuWjNMov5fqqo4Fd92CQbHsWDIiqMZkcZygxzJnGWY9Hj6KbOAnc7mlkMCa2wluNXfbPGoggKivgG9UIEqqwVOOWil9Mm2cjoOYKqhCqpSIKETS6Gu0XyEYYzwxyJHudMvBPdNGh2NVEwC3gVd7E/yY5DdqCZOpO5KZyyHZfiwi7ZCVnLkASJ0cwYw5lhvtb9bzNbYIGMnkEWZSqsYRyyA7tsRxVVckYevyCjiCqyIJfG8osOwzQ5ONXPj/sOcXCqn5SWx6vauCXcyseb1hK2XZ3ypWGajGXi/LD3ADvHzjGWjaOIMisCNXy4YRXL/cXCyaZpMp1L8/TQCZ4ePM5QOoosSjS5yvhww0rWlTVgk1VM06Q/FeE73a+zZ7yH6XwKl2Jjka+SX2/fSp3DjyAITOVS/P7+n3BH5QLKrS6+1rmTgXSEaoePjzeu4d7qRZimSTSf4bnhUzzad5ihdJSg1cn9NUu4r3oRZVZnaWyD6Sjf7d7LK6NnSRSyNLiCfLp5PZtCTSiixKHpQf7LoZ/xq+1b+T8nXqTVXc4X2jbztbM76UlM8kt1y/lk87o35fXJaAW6YpOktcsLYlwJ74wd83t4U4hmsjx3tosXu86RyOVJ5vNMJFMkcjmOjY7xB089i99ux2lRcFksPLxkERvqaktWboeq8Od33sZfvvQK28/18JU9+/inPftKG2Fh5l+nRaXJPzsxcCKV5olTp9ndP1DqezyZxARe7x/ki1NP4rPZcFpUXBYLn1ixjNXVVSWvSI3Hw+9s3ch/e2E73dMRfu2xn5VespIoUOV287f33c1vPPbETb2H25oaWFNbxWs9fXzr4GG+fehI6TO/3cbvbdnMBxYtuGH9HR8d5wdHjzEYi5PI5UjmcvRHYximybcOHub5s+dwWVScFpV6n5dfW792DtFpLQvSUV7Grt5+njlztpTjYmIiInBrcyO/tHghYeebS7i8FAShWEU3nsqRyRdY2BDGblMJeZ2E/cXcJIdNRRIEDNPE7bDiczuoCXmxqjK9I9NouoHPaStu/kxAAE/QxYYHVvL8t19jaluEYIWP5dsuhIn4ytzUtlVi6AZtKxuxu4skxzRNME1EWUIQBc4d7UdA4M5PbGH5tg5MYPDMCIVfgFwfVZXfGH141RBFAZvt6r6tqDJ3fHQjy2/pYPdTh3n8qy9x4KXjfPT33kdde9Wsc98YjmiaJn/7ha/h8jv4z9/6VZxeB7uePMwP/u7JC2ORRCy2omGoKGxwcWszhpSL1svznhRM+N7/fIL+zhE++rvvo3VFA72nhvizj355zkBU63zXOiOccLG3Tyx6Rt5qmJjYJCsrfEtZ4lnE9vFXOBI9RjhcjoDAvRV3kdEzHIkexSZZCah+dFNHM3UM00AzNIyZjfx4dpycnsMUTCZzkwQtAYYyw0xkJ8gbedJamqSWpNwaIqtnWeFbyn0Vd4MAIiKKqHA2eQ5RuLSi0BvHHrD4+WD1g6T1NH9z+u9Y4l2EVbSQLCQpmAVSWorx3AQAeSPPVH6avJEnqSXIGznKrSEmspOUWYJsLtsImEiChCKcnxezx2KaJrqpo89cf8HQsIgGCCCJF0cZCJyfDAKgmQUKRgERCZtko9xSzlq/ldvDt5b6jBXiiDP/FNsptuVR3MQLSdJahoJaYCo3jW4aVNnCBC1BPtf4aVRRxTANZFHmVPxM0bsz7z00KZgaBaOAJEiXDEl7qyHOqHhZVfmyilI3EqZp8szQCf75zGv4VHuJWAylo7gUK6p49fdGAPKGzrnEJHdXLaTG6WMgFeHR/iP8vzM7+M9L76XK4UU3TX42cITH+o9wW0U7i3yVxPIZDkcGUUQZeabPgmnwF0eeIqMX+HTzegIWB8PpGHsme3ApF8LOTdMkmkvz9OBxZEHkwdqleFQ7sXyGCltRTTBayPDt7r08MXCMW8ItfLJ5HecSE/yk7xDD6SifbdlAhd3DYDrKnx16glghwyMNq6iwudk5fo4/PvgYf7D4Lu6rXoRhGvSnIuwaO8fnWjfz9ydf5M8OP8GWcAuVdg9PDB5jXaiRdk9RolszDArG1alETufS5A3tyideAe8RjXcY7IqKx2rFrihXtG1kNY2uqWkODA3POu62FpVBUoU8qdgFJrq+that5oJylCAIBB0O/tf77mF3Xz9Pnu7kyPAo05k0FlmmzOmg0e/j1qZG1tfVzuojXShwamKSg2/o2zPTdzyXI567kBx3R0szhmly/jUhCAK3NDZQ95CH7xw6yq7+fqbTGXw2G1sbG/jlVStAgHqfD5dFRbxJlh5Fkvg/77uX7x4+yrOdXQxEYxiAz2ZhQVmIBr93zndEQcCuKritFqzKtT1CE+kUB4eGGUsmS8fs6gWP21gywdjMR1OpogTxG3XcREHg7tYWHlm8mB8ePcbh4REymkaV282drc3c195K2HXjRQlkUcLrtM3IsEqE/W6GJ2PIM4tQJJGmZ2SKaCKDy2GhsTKIJArsOz2Ay2FlVXs1+08PAAJ+t70kPymrMnd+fDPPf/s1dM3gtg9vxHLRxjfcUMbWh9byzb/4CV/64jdYdccSFIvCWP8EmUSWdfetYOG6FsrryijkNfY+c5hCvkAykmLn4wdIRtPvJXnfIJhGsfptsMLH/f/hVtpWNPBvf/FT+s+MlIiGKBWJX2GmjoUgFMMRC3mNzkN9/NG/fp5AhY90IstI99gVeixCEAXcfidaXicyHqO8JkAimiI+ncRiU9E0nb7Twyzd3EbDwmpkVWakZwK9cOVFUhAErA4LdpeVkd5JGhfXksvkiYzFKOSvf5F9MzgZP8VzYy8hIuJX/WwMrgOKHgCLaGFDYC1Pjz7HifgplnuXsWNyJydjp0hqKSZzk9xZcTuGaeCQHXyn/wfECwmWeZdQZgkykhklb+T4l55vopkaq30rCFvLUQSF8dwEXzn3NUBgqXcxW0ObkAUJRZCv2tr+zd7vktLSmMDm4EZERCpsYeySjX84+xWcsoNqW1EyWxIkJnNTfLX7G0iCxPrAGsLWcgyPya6p3Xyl66uAwKay9azwLUMRFWRB5mJGaGDy5MgznEmcJaWlieaj3FNxJwICFvFCDpplJuRLEATcihuX7OJLnf/EEu8i7gzfRru7lZ1Te0p9rgmspNXVgiIqSDObTUWUkQWZgOpnoXsBjw8/hUWyYJNsqKJK0BJgW2gzX+/5FpgmFsnKpxs+hiRIqDNjEQURVVQRZxQCQ5YyDkeO8uWz/8y6wBo2BOd6bd8O3L6m9ZK1Hm4WRjJxto92Era5+a0Ft7LQV/Gm2xIEgTqnny+tfaR0LKcXcMkWvt+zn97kFFUOLxk9z3QuTaXdx9ZwC+2eMLIo8WDdslntxfIZovkMG0KNbCpvxm+xIwkiH2laPafvnKFRyOt8Zf3HqLTPlSo/ERlhx1gX91Yv4tfbt5aEeXwWO//ee4BVwTrCNjdPDBxjNBPnT5fdx6pgHaIgcFdVB2ktz1fOvMot4RZMQBZEHm5YSb0zwGtjZ5nKJfnNBds4Hhli70Qvo+lYiWj8rO8Ef37gOaSrMB4YpkGicH3eDHiPaLzj8Hf3X73sYYXbxR/fupU/vnXrdfUpCgIb6+vYWH/1mtL1Pi9/e+9d19UvQIPfz5/cdsslP3/hc5++7j6uBKui8NnVK/ns6pVXdX5TwM//vOcuDNO85tCKW5saubWp8c0MswRjJo9kdU0Vq2uqrvyFG4SKoJuK4Gy3dcVFMoQ+l50P3bp81ufv27AQTdcRRRG/y05zVTHv4mKNe1EUqW2rpGV5A9OjUTY+MPt3kBWZVXcsweV38tS/bOdHf/80ekGnrNrPmruXUVZV9LZtfGAlmWSGl/99D3ufPUJ5bZAHf+1OGhbWIMniLOu021+U1n2nohhaoiMINybs80ZhuGecgTMjuANOnB4HZw/3otrUWUn4gbAHb5mb/S8ew+ayIokC1S0VRcny+iCHXz1DVWM5Xcf6ee3xA3CVltKmxbUc2XGGXU8cQhAETu/vYaBzhPLaILIiEazy0Xd6hMGuMbSCzks/3E0mlbu0FvRF8Ic8NC+p4+Ufv44v5CIynmD/i8ffFrljAYEl3sUs8S6e89n7Ki+sD/dX3lv6+70Vd3Fvxez38blkNx7FzWcbPokiFudR0WouUueo5SO1j8w6P2Dxz2rzPNYG5m6kLjf2LzT98pzjNsnG55o+M+tYRsswnh2nw90+67oAKm1hHqr+wJx2bi/fNueYJIi8v+p9846nydkAgFN28In6j5SOl1mCfKbhE7PODVnL+EDV/XPauKfiznn731S2nk1l6+ecv9q/ktX+2e+wRZ4OFnk6AAhby3m45sK11Tlq59ybX1QMpiIMp2OsL2ugwXXpUglXg/Ohelm9QE7XZpTfTCRRxMQkrRc30E7FymJfJbsnuvmfJ17gzsoO1pU1UGF3Y5WUUp2voNXJ+lADTw8eZyAd4a7KDpb7a/CoVlRxdn6uIko0OIPzkgzTNJnIJsjqBZpdZbNq7LS6y7FLFgZSEdJans74GJV2D0Grc1bo04ZQE6+MnmUwFS1GMggCZVYnIgI+i70kvS8KAhZJnuXB0AydkM3FpnADtivUAEsW8jw7cOZN3f+L8R7ReA/vCuimQaKQQzcM/Bb7TXHj6rpRSiw9bwHXtBnVJFHAmLHmioLA1GSCyHSSptbwzOdi8ftmMblUEGZc+rqJJAmz6lv8okG+qIL5fPr2pmmiFXQEQWDBmiaqmucmbiuqzKL1rSxaf2kLm91l44Ev3MEDX7hj1vH171sx59w//f4Xr+US3nLoxjQFrReb5Z1Vi8IwTI7v6eLojtPkswVCNQHu/NhG2lY0lM6xOa088tt389g/v8Tup76Kv9zLH/7L53H7nfzKX32Yb/31Y+x5+jDNS2r5zH/+IE/+6ysggGKR8Yc9s3LqrA4L3jI3siJT21bJ4pBXEgAAzShJREFU7R9azxNff5kv/863WX5LByu2LSRcF0SSJB78wu38+5ee4a8++8+U1wV55LfuJhXPlJ5lRZUJVQfmDYfylXu4+5Ob+eHfP80//t73qF9YxdIt7Wg5DfkavZbnUchrxZAT8e159hVBwa24ZnkiBARUUS3lLbydEAQBi2S5pFzve/jFQ87QyBsaDlktFb58szBMg8FUlMf6j3A0MshULkVGK5DUcvjUC+HIAnB75QKqHX4eHzjKv/ce4Hs9+9gWbuWX6pZT6/QXrf/AFxfcyopAHT/rP8LfHn8el2LhkfqVvL92KTZJKT3nkiDiVeef1ybFJGtRELC+4RqtkowiSmT1AllDI2/oWCUF+Q1FjZ1yMTcroWWRZoQZ5JmQO5Ei0bnQnzkrelQUBJYFK/ntxZtxq5dXGp3MpDg2PXLZc64GP9dEI6cXiBUyWEQFt2K9qpf9VC5JWstRaffNW7H6rYRpmsQKGdJajgqb95LjN0yTtJYjVshQMHQEwK3a8Cg2xLf5Gm4UorkMXz/zOkPpGH+z5n7U63wJzYeBvimSiQyKIlFdF0TLa4wMR3E6LfjLXAwPRshlCzicVtKpHH3d48iKhNttw+N1MDkRJ5nIUlbuxmJViEbSxGNpKip9uD3vLaZvhGEY5DJ59ILOsZ1nGOkd56N/8MCbaCeJbiQADUFQEUUvomBBNxIYRpKiZ0BGEoMIgoxuRDGMFGAiCCqyFMI0DQwjhmGmABFRdCCJHkwzj27EMM3czHEnkujGMDIYZhzTLABS8Vx0TDOLaeYQBBXTzCOKLkTBhWGmMIwEYCAIViQxgGlm0Y3I+auYOe7HNDNk80dIZp5DlioRBRuS5OWqTPM3GbWtFXzuvz18xfOWb+1g+daOOccXb2zlbx7/vVnH1t5VLD7XuKiGP/r6r8z6bOP7VrDxIqK4YlsHy7YuKG3gtULRUifJEp6Akwd//U4Wb1nA4vXNhGuDLNuyoEQsalrC/OVP/hPiTJKloRfVskyjmPdR21bB7/7jZ0t96bqBoRmlZHNd0zEMs+gdo5iHpGt6MbF8xsBQFOYottffOUpZlQ+X114i06ZholhkMKFQKBKRm6V8VuuoodZRM+uYLMp0eBbQ4blxeWdvFlbJygrfsrd7GO/hHQSHrGKXVKZzaZKFHJ5LbNavBtF8hn84tZ2T0VF+pX0zS3xVuBUrr4yd5V/P7p51rigIdHjDdHjDTGSTPDt0ku90v44sSHyieS0BS5GYS6LILeEWbgm30Juc4vs9+/kfx56lwu5la3nzVY1LFATscjGMLlbIzFK6jOYzZPUCbsWKXVLxKFaGMzGyemHWeaOZGCIQUB3ECtcmmlNhd7PYF8YmX9lbblcU/BZ7icS8WfxcE42uxDjf7N7JMn8tD9euQb4KovGN7h28NHqS7236VdzKzdkcmmbRbWe5KNFoPmimwU8HDvDS6Em+tu6XL8nwo/kUTw8f4/mR4yQKWURB4AM1K/lAzUps8o2XXnw7IAkiZVbnTa138cJTR9B1g+raAFMTCaLRNIZhkkxkWLm2iRefPorVqlJZ48M0TPJ5ja4zo1itCsGQm4G+KSLTSRqbQ4QrfBw+0IM/6KSq2s87YZP4TkMqlmHHo/uITyd59Sd7WXnb4llJ4FeLTP4QqcyL6EYEQVDxOj+OVV1CIv0zMrn9CIAkhfC5Po8sBYgk/pWC1oMgKChyLX7Xb2EYUSLJb6Lpg4CAqrThdX6CgtZHNPFvGGYCUXTjsG7FabuDTP4AifTjmGYOSfThdryffKGXbOEYBa0XWapA18exWzfjtN1LMvMMufwxDPJIgpuA5z+SK5xkOv5lVLkJ3YgiiT4Cnt8lVzhFIv1TsvljTCcUrOpiPI5HLnsP4vEMkUiKQkEnFHLjdFqvWB35ckilcoyMROcclyQRv9+B5yrqS8wH0zQZH4+TSuWw2y2Ul7uv2tpfyGtMDEVIJzOEqgPYHBaGeydIxbPUNBfjj/c8d5TmhTX4ytxkUzmGe4pJx3XtFSSjaX761e3c8uBK6tsrGe6doLzaT3w6hd1txXFRKJ1W0JkeixGdShCs8OF025gYjpCMZSir8mG1qUQm4iRiaSpqg6QTGdx+J9l0HlkRUa0qsekkZVVeALKpHIPd45gmNC2sJh5JMjYwjd1ppbopVCIz14NoNEUkkkbXDSorvdhs6s+dF3VsLEYikZ1zXFEkKiu9KG/S+/Qe3hmodvhocAU4Hh3m4FQ/y/w1yKKIZhjopoFHtaGI0ozkvlkk+6aBaULe0FAMCXEmZCina/QkJlnkrWBbuBVREJjMJumOT85ajfOGTiKfQTdNrJKCTVK4vbKdvZO9TOYSpLU8AYuDjJYnVsigiDKqKBGwOPhY4xoe7TvMQGoKuDqiUbxOL0Grk2ORIdYGG3ApVnJGgYNT/QA0uALYZIXlgVpOnHud07FR/BYHqiSTKuR4dayLRlcZlXYv8djc5+Fy2BhuYGO44conAlZJ4VOtq6h2zA0Buxb8XD+VNlmh1uHHrzp4J5Vky+h5Xho9yUp/PZV23yXPE4CgxUmTK8Slxm+aJqdiw/xs8BCLvFXcWbEIwzQJ2zw/NyQDwGux8em2NTe1D5fHhsWi0NJewUDvJJHpFIoi4fU6kCQRr89BoMxNuNJDX/cEdoeV8rCHdCpHPJYmMp1EkkSsM4nMldU+6ptCuNzveTPmQzadY+fjByjkCqy8fTEf+PW7rtm6a5omFqUDRaoGAaZif09BG8aiLkHTR7BbVmNRlyBL5UiiF4CC1ovLdg+K0oQshQCdXKGTXP4wQe8foenDxNOPUdD6MIw0giDisX8URa5EEovV0g0jgiKFsVu3IEsVyFKAfKEXVW6aIQ7T2C0byWtnyRc6SWVfxOf6PJIYYCL2F+TypzAFA8NIUOb9z2j6JBOxv0DXJ7BZVgM6QuqHlPv+4qruw86dZ/n2d3YxMhLld3/nHm67rQPLdch6Hz8+yJ/85x/NkoYF8HhsfObTm3nggbnhaFcDwzD5P//nWQ4f6WfJklr+6599AOtV1jiKTSU5d2KQfLaAw21H13Ti0yn2bz+JrIhUzcgcOzw2JElkz0vHyWfy9HWO8kBgC7IqU8gVcLisaAWN7hNDJGMZ+jtH2Py+2blFqUSG7pNDxKdTWKxqsc7GsQGik0kaFlQSrg1wZFcXgXI3VQ0hBrvHcU2n6D4xyOINLZRXW+k7M0Ig7MXptnPs9XPEppI0dlSSz+XZ8+wxDNMkFctw7yc24nyTxO1iPPfccb73/T3EYhn++r8/wooVdW+bPO/Nwje/uZNnnj1Wksk9j4oKL3/7Nx+isvLS6+l7eOcjZHVxa7iNfzu3h2+ee51D0wN4VTuJQhZVlHmwdikVdg/T+TTdiUlihQy9ySkKhsYrY2fxqXYCqoMOXwU2SWGRr5LjkWF+1HsIh6wykIpwJDKI5yIj8lQ2yZODx+lPTVNt92KRFAZSESazCTaFmkphVj3JKX7YewCbpBKyOhEEkZORYcptLlYGrj6/FYq5GHdVdvCTvkN86dR2mlxBRjJxTsdGuSXcygJPMQn+too2TkZH+H7PAU7HxvBb7JyMjjKZTfBbHdvmhF5dLzRDp2AYCBSFciRBZHPF9eWUwk0kGnlDw5hhiG8XGp0hfr3t9mv6zlth/zmXnODp4WPUOYKXJRqyKHF/9XLur15+yXMMTKbzKSRB4JbydtYGm27GkG8KslqB4XScWCGLZujIgohLsVLj9Ja8N3ld42x8kmShqGDlUa20e8vntFUwdCazKSYySXIzc+88wjYXFXY3E9lUyS05NeOalUQRv2qjyuGlLORGVWVsdpVgyE1VrZ/e7gkCQRc+n4Oycg8erx2Hw0qwzE0ymWVwYIpwhZf6xjIkSSQWSePzO3E4LGQz9jkWtuFonKlUmpZQAKty4dkwTZOxRJKpZJoFFaF5Na89ViurqioJOZ1436Iq7gA5TWMsnkQ3Ter83htWhbWsys9f/OR3rqsN00yRyr5IvnAaUXCT17ow2QaYeJ2fIpV5gXjqR0hSAK/j40iSj6Dn90lkniCV24kqN+J1fgLdmCSv9xNLfQcAVa5HQMaitGHa3kc69ypmtoDDuhm7dTN261YEwUIy8yyCoOCy3QeAKNhnkpt1RMGKiYZuRND1KeKpnyCKNhSpDkFQgRyK3IAgKAiCiCg4Mbig1Hahuspbb5X2+uysWdNEOp2nUNCYnk4xOhq77nZN06Tr3DiFgs7YWIxUOnfVRMPlc+D2Ojh9qIfoZAJJFuk/O0psMomuGThcNlxeB+GaABabSiqWJp3I4Ak4EUUBj9+Jw23H6rCgWlUWrGpg+0/24ytz4XiDMcDutOIrc9HfOcrEcAS700psasaQ4CgmiFfUBahrq8DltbNgRQO7nztGbDpZ9IyYRe9PIpJC03RiU0nqWsN4gy4MwyQ2nUSWJTzBGytB/fOOpuYQq6YayGULFDSd/v4pUqnclb/4Ht41KCo6OXhx5DRnYmPkdA2vamNDqKkU7nMmNsp3u/cRyxet+e2eCv695yCiAPXOAP/Vdz9u1cqnmzfwg9797J7oRhUlVgZq+ZW2LZyIDJcIhEuxUuf0052YZN9kH1BM/P5Y4xo2hJpwKsXnvdzmps7h58j0EKdjo1hEmUq7hz9Zci/tnvKS91ARJTq8FdQ5/W+8tBLssso9VQsJWBy8MHyafZN9eFQbH2pYyebyllKolt/i4Dfat/L00An2TfbNJId7+cMld7MiUIssSjgVCysCtaiihCSK1DkDZPSipLtDttDhqcBnubwhI6MVGEnH6UtGmMikkEWRCruLOqePMptzVs7Hm8FNIxqDqWmSWo4lvporn3yDMZ1L0puaIjujKlDnCFI1z4Y+reUZTE8TzaeLWfsW1xxLyXnVgv70FLF8BhMTt2Kj2u7DNcOKE4UsI5koNknBBMazcQzTxKVYqbR5cStFSdDxbJzRTJSXx84wkolyLDpAUis+KOVWD3WOQCmU6lRsmEg+BYAqyqwKzHZ1ZbQ8/ekpJrNJTkSHSGt5uhLjSIKITVKpcQTwKjZ6U1PopkGN3V+KCwRIaTnOxkcJWT2UW93zVgS/mTBMk1dHu3ly4CST2RRZrYAsigStTv5k+R1U2ItqRkktzw+7D3N8eoT+VJR2b4hv3fKxWW3ppkFnbIJHe49xNj5JTtcYTseYzKaocfj4ePNK7qtdwKO9xzg8PUybp4zexDRjmQSaaVBp9/AbCzdxy52LSpvomrogpmnSuqCqWE9EFLjt7gsqMI0t5cXie+YFvf/VAefM/xePBcrmSsw+euQkTxw7zT9+5P3UBy7MSdOEp0908rOjp/j+Zz+MZZ4QgCUVYb7+8AeveG9N0ySezWGRpVlk5s1iOpXhO3sPky4U+M/33ooqvfmXjmmaTKXS+Oy2GzLndCOKpo8gy7VYlaXkCmcQZl5ruhFBVdpR5Hoiyf+HYX8/El40fQKbuhaLsoDp+JfwOj+NqrRiU1fisr0fEBEFC4pci2EkEAQJh3Ub6dzrZPNHsFs3YRhJJDGAw3Y7yfST5LXemRHNJQWKXItFXYTTdgei6AVTx6IuJJs/iDBPheWiWr+CaRbI5A4hSyEUufq679W1oK21gr/8i4fQdYNMJs+TTx3hX/7lletuVxQFfumDqzhxcojFi6rxea8+KTmfySMpEt6gG9VSlDh1+53UtoZLRCFY4UWdIS5LN7Zy9kh/SRpXECFU7aPn5BDLt7RjtSkYuk7z4rlrVCGvYZrgK3djsalUNpSRSWWJT6fwh9zYnVZymUKpL6fXjtWu0rKkFpvDQjKewQQmhiLUt1eyeF0zB145ydS4lxVb2lmxpZ3+s6P4Qx7srrfOaPBuxwc/sIoPfmAVhYJGKpXnz//boxw50v92D+sdg1ghSVbPEbL4b2jYXKyQZCIXRRVlyi0BLDfRgCwKAot8lSzyVV7ynA2hJjaEZhtVTdMkpWVwKsVNtSSINLgC/H+L56pjbghdsNI7FQt3VC7gjspi3lJWzyMKAqo4+xoDFgefadlwxfF7VBt/vnyuetkb4VAsbKtoY1tF22XPC1idfLxpLR9vml/2uN0T5v9tuLAnuniMja4g/2XZfZdtP6sVeH28nx+cO0xXfBJxpg4WwJqyWj7esoIWT/CyYf5Xwg0nGpqhM5VL8up4JxPZBAICIaubkNVFvJBlNBsloxWwyypVdh8O2cJAappIPoVmGLhVK3WOIEPpCHlDI1HI4rc4iOTSNLnK8KhXdjEPpSM8NnCQzvgIA+lpfrl5C59p2jLrnIKhs3Oik8cGDhEtpHHIFuocAaZzyYuql5rkDI0XRk/wzPAx0loeExOXYmNLeSt3VSzGrdjoSU7wr+dewylbsMsqvakpMloeu6xyR8VCbg8vxKPaOR0bZvvYKQ5HBhjNxPjZ4GGccpEtby1vJ2zzlH7M7WOnODzdT19qEhN47rbZCZTRQprnR05wKjbMYGqayVySp4eOsGO8k7DNwwdqVrLQU8Xjg4foSU7w+ZZbWOS9sFk5Ghngb08+xWebtnB7xcKScsFbhYxe4P+d3k2ZzcmvLNiAR7UymU1xMjKG5yIlBJ9q4w+X3UZvYpp/OLGDeGFuPGKykOO5wTOcjI7x6dbVtHvL2T58lu+fO8xHm1fwUP0SrCVLyDjxfJaHG5bS5A7Qk5jm746/wve6DvInK+5EvSjpaXbBsLl44+dXOv+yEKDG62F1XfV1G7BT+QLbO7tpLy+jPVx2fY0BFlmiORQgp+nXbVuPZbP8+NAJPrZmKU7L9UuHSlIZqtJKNn+UjLEHVWlGkYs1X7L5/eQLRQuV03Y3ougDTNK5lzGM4jzyOj+DIIgoch1O250kM8+BIKBIFShKM5oxQTLzLOcTvu3W4ku8oHWTyr4KiChyPRa1A00bhZmq7qbgRpKCqGYTilSJ2/5B0tlXMciDaaIqbUiiD4tazEkRsGBRFiAKTkBAlqqwKotJZp7Bpq56y4nGeUiSiNNpxeG4MTKvoijy4Q+ve1PfdfkcLFjVQMeqhlJOQ0NH1Syp5DW3XcjxqWoMUVEfLKouzZxz10fWY+gmpmGSjGWpbAxRv2DuhsbutNK6tJaWJTWlcL4VWxZgYpYU5Pzls+OWLw6/sjksvP+zF2THHW4r9358U0mVrmVpLc1Laoq1o9+GooDvdiiKjNcrz1Syf+/+ncd4NsJELkLIcmlr+ptrd5oXxvahiBL3V26hXLqx7d8ImJjsnDrKXeE39345j3PJQZyynTrHXPXDn0d0xib5UfdRdNPgs21rqHF4KJgGZ6ITPD1wmkf7TvDLbWsI2d689/WGE42CoTOYjnAmPsJULoVv0sEKfx0+1c6B6V5OxYYRKFrUb69YyCJvNV2JcboSY2S0PJO5BL+94E6eGS7GsHYlRmlylTOWibMt3M628JXVMhZ6q2hylbNn8hz/0jW/Fa4/NcV3e/bgszj45doteGfGt2O8c5bm8LHoAP9w5gVuKW/nzopFALw23skPel/Ho9hLxyK5FD3JcW4Nd/C55q3k9AKPDR7i2eHj1DmCrAo0sMxXR4s7zKMDB3l+5ASfb7mFdncxFs8hW7BdZCX4XPMtRPIp/qnzJXZOnJ0z/qDFyYfq1pLWcjw/eoLnR47z6cZNLPEV3WluxYpNUlnmq+VYdJCz8TFaXGEskoxuGuycOItLsbHQW4VFfOtTdQr6TKjUjIxdtd3DIl8Ft1a2zDpPEASskoJPtWOXlXmJxnQuw0AqSpMryNqyOtyqlXWherYPdxHJpckZOlaK9zanaXy0aQV31bRhlRSWB6t5cfgsR6aHZ6rp3uSY5kswEVEQuH1BM7cvuPqEskuhbzrCi2fO4bZabgjR8DvsPLxirqb/m8GxoTGeOdnJLy1feEOIhihYcNnuwWW7oMOfSGYRMfA4Plo6pusG6VQehwMC7t+etx2n7Q6ctjtKnipRELAorZR5/3jO+XbrJuzWTbOOqXL9nPOsavG+2SQ/NstsbX1JbMeitBf/LnnxuT5d+kyRK/C7ZyswXTV+jvdd0huSpq+U8C6+wWsmCAKSLKAVNPLZPMs3tc1ps/TdNxwXROGqi9a9EeeJ0MX//XlL1H6nQ9cN0vEMLt/bL+17PUhpGQYz4+T0AiYGzc4a7JKV8dw0aT1LhS1YOrdgaHQlB3FIVhJaGlWUaXRWY5gGE7kok7koYOJVXYQsfqbyMSyiQtDiZSw7hWGaBC1eWly1xAopulNDs8bSlxoloaXQDB2v6qTWXoGJyZl4Hy7FTqKQQhREWly1l1TxzOkFxnPTRPIJTEzKLX5CVh/RQpLx7DR5o4BTtlNpC2KYJsOZCfKmhmboqKJMk7OagqHRnx7lyeEdVNtCKKJMi6uGvK7Rlx4hq+cQBZGQxUfI6idvFBjPRpjOxwGTgMVLUPUwlY+xY/IwXsVFUktTbQ/hVhxv+rl/N+DI1BAFQ+eX29eyNnShMPO2ymbcqoWf9h7n/XUL31lEwyarLPfXMZSOMJKJ8h9aip6EsWycI5F+HLKFJd5qto+dpjc5SYOzjGq7F69qQwD++sSTpfiyBZ4K/BYHWb3AXZWLOBEduiqiIQoidlnFrRQLqcyH/VM9xApp/kPzVtYGG5FFicXeavZOdtOXmgSK+Q8/GziEVVL41dZb8akOTEyCFieHI/28PHqa28NFCUcdgxZXmI/Ur6fMWgyZmcwl+XH/fiaycaAoOeumKDuriBJlFte8IV1QjPPzKnYcl0joVkSZMquLvGHDq9hRRZmAxTmnvcXeaqpsXo5GB1gZqKfWEWA8G+d4dJDV/gZ8quNtWfA8FhsP1i/mmcHT/OuZvbR6gizyV7DIV0HY5rqmMamihF1SiOUzjGeTKKLEWCZB3tBxKVaUizYbDkWlwe2flTsUtDo4FR274XoByVye7okpRuIJACo9bgq6Pods7O0dZCyewARUSeLuhXNrRWi6wXgiSfdUhEQ2B6aJw6JS7fNQ7fWgyhLDsTjdE9Ps6hmge2Kavb2DJHPF8MFqr4f2cFmpCvmengG8NivlbienRsaJpDMokkRD0EdLKFga/8H+IaKZIrmr8LiKHpc3wDRNptMZ+qYiTCTTaLqOKkuE3S4ay/w4VJWz45MMRGI8e/Is06kMz548i2uminxbeRlt5cE57V4O+bxGPq9hmQmhufiWdp0bJ+BzUFbmwmKRMU2IxdJEomlqrX5EUSSRyKIo0sz3IZ3JY+gmDoeFVCrL+ESC8nIPzhtkyX8r8d4G9sqQFZmGjreu2OV7ePuRSWbZ+/wxbnvk+izebydM02T/9Cn60iPIgoyBQZUtNEM0Irw0vh+v4uTT9cUChmk9y08Ht9PhbsDAxC5ZqXdUMp6N8PLEAQzTQBIkGhyV2EQL+6ZOELB42Fy2nCPRs2iGzsbgUjzq/JvMgfQYw9kJcnqe0ewUX2z9MKZp8qPBl1jiacLARJkhA/MRDdM06U+P8vr0iaJEtCCCB5yKnQORUwxnJlAEhZyRZ0NwCYog85Ohl6mwBpAFmZ70EJ9teABZkDibHGAyF+V0vBebZCkSDaPA2cQAcS1JSsvgVVz8UvWtDGcm2Tl5BMM0kQSRVlctLtnOSGaKwcwE0XwSWZBwKw7cyrubmF4JsXwWt2ohZJ17nS3uIFmtQF7XrquPm2bKNinKj53X/tUMnYyWJ5pPF5NobF6q7D7ihQzPj5zAOWOBjxeypfgwu2wpSsAKUlHizDRu2PhGszGcshW/xVEKV5JFiTpHgMH0dPEaTJPT8REkQWD76KnSd2OFDDk9z3g2Ts4o/gCKIBGyuUsk4/z4RUEgd5GH5K1G0Opiqa+Wp4eP0pOcoMruY99UNxk9z6pAfSl0662GADzSuIwF3hC7x/o4Hhlh93gfi30V/GrHRoLzTPpLoczqYF2ojn/vOcK/ntlLkzvAucQUFXY3S/2VszxFDlmd88ITEG64JllB13mtq4efHTlFKl/AabUQcNiYTmXQ9Nnz4czYBIcHRzgxMkYsk51DNEzTZCSe4Hv7jtA9GUEUBXS9WOBuY1MdH1jWgSpLjMYS7O4Z4GD/EBPJFIcGRhiMFhN4V9dVUx/wlYjG13ftJ+x2Uef3cnZ8kmim+Nzd2tZYIhqZQmFmXOOcHptgSWV4XqIxFI3z9MlODvYPkdf0UuXVxZVhAk47DlWla2KKvb1DHBseI5HN8crZHlRZQkBAkaRrIhqZTJ7h4SipdI7qKh+pdL4YQjGTHzMxHieVzDI2HqepqQy7TSUSTTMdSVFV5WNyNMrYWJxsrsDypbXEYhkGhqZxOa00NpQxOhZn154utm1dMC/RmJhI0Nk5gqYZtLWFCYU8TE4mGBiYJhpNo2k6FotMMOiivj6Iw2GZd/Ov6wYnTgwxMDiNzaawdk3TJUOUIpEUZ86MMDWdoqbaT1tb+JKqUqJYjLEdGJhiaChKIpHBMExsNoVQyENjYxmKIr1lhGT37i4i0RQXp78JgMNpYeuW9mtuT9cNIpEUIyNRItE02UwewwRFlrBYZbweO8Ggi2DQVay3cZMvM5crMDISY2w8RjKRJV8ohhiqqozDYcHvdxAOe3E6558HF8MwTJLJDENDUaYjKdLpHLpuIEtFUuxy2QgGnQSDLiwW5ZLXdr5gaH//FENDEZLJLJpuYFFlfH4HNdV+gsG5OWRvhKbpTE0lGRqOEItmyOc1REnA5bQRDnuoqPBclbqZaZqk03n6+ieZmkySyeQxTbDZVIJBJ5WVPrze61feAug7Pcz44DSGYeDy2FmwuonoVIKjO87w7Ld34A26cHjstK2oJ5vOMXh2jMh4DNWqUtlYhtvvZKR3kuhEHK2gY7Gp1LVV4LmK+3WzkTcK7I+c4rbQahZ7m5AuCvVd7Gkmkk/Qkxqe9Z1iJfgKlvuKuQC6aTCcnWAqH+PzjR/AKhWNmdO52WIPRSmKS6+MhmlQZvXinsmJeKlzP7ppICIgIlBlD7HaP7eWzsXQTYOe1BCYJg/X3F7K/ehLjTCWnWalbwELPY08OvQKvakRqm1l5I0CW8qWU2sP87/OfIeJXIQOdyN3hdfx5MhOfqnm1uL4Z0hEjb0cCNGbGuFUohfN1BlIj5LRs3yi7l4s0gVj7nJfKycTPVTZyrg19M4qlnqz4FAspAp5JnNp6kx/KU9VNw16kxGskoJyHXmZcJOIhkAxFCiSS7F97DQtrhABi4sObxXJQpZKuxcTqHH4yekakXyasM1LwOLEq9pLF3oz1wfdNBCFua7wYoG7C8cKhk5Sy/Ha+Owy7BU2L43OUGnxlEUJqzj3hWte9OfbhRX+el4eO82J2BCt7jD7pnqod5ZR7fBfV4LP9UIUBJYGqlgaqGI0E2f7cBd/eeh51obquLP68glSF0OVZOrdfgJWB8Pp2IyssY91oTravaFZi/ubD364NvRORfnJ4ZPYFJlPr1xMyOXk5Mg439l3mExhtnXgI6uW8L7F7Xxp+26eOXlmTlu6YdI5Psn2zm4eWrGIjU11aLrOUDSB127FKhcf47byMqp8HsqcDh49cpJHVi5mY1PRFWpTFJyW2d6xA/3DyJLIA0sWEHQ5iKWzuG0XNrpBh50vbF7D2fEp/u8re+a9znS+wAunz/HcybOsqqtiS3MDXruVaDqLKku4ZsKj1jfUsrymGE//2tlefvvWjfgdxQTeN47rSigUdCamEkxOJnG5rIxPJLDb1VIBtoKmI0kiwyMR3G4rdbUBXC4rBw/30d5WwYGDvQgIjIxFaWoIceLkEDabitNZLOopyxKyJOK+RJJuX98k3/r2LmKxNJ/61CZqqgO8/MppDh/uY3Q0Rj6vYber1NUGWL26kW3bFlBe7pkToqPrBs8+e4ynnzlKKOSmtSV8SaIxPBzh+z94naNHB7j77sVUV/suucEzdIP9+3rYuessJ04MMTWVRNcNXE4rDY1lbNrYyq23LsDlemtkl3/yk/0cPTZAoTCbYNfWBq6ZaMRiaU6eGubAgV46O0cYGSnWVTAMA4tFweEo1uboWFDFhz609k3X+7hajE/E2b+vh/37ezjXPc7UVJJstoAgCNhsCj6fg8pKH62tYT78obXYbJee65lMnrNdY+zf38PJk0MMDUWJxYrEVVFkHHaVYNBFa2uY971vGU1Nc9X3zsMEdu7qYueOTk6dHmZ6OlWal5WVPpYvq2Xr1gW0t1dcso1EIsuJE0Pseb2LU6eGGRuLkU7nkWWJYMBJc3M5q1Y3sG5tE16v45JhbIZh0ts3ya5dZzl0qJeBgWni8SymaeJyWamtDbBkSQ3r1zXT3Fx+yVC2q8VT33gVq8OCJ+gkEPLSvtokm8ox1j9FZDzGSO8EvpAbXatloHOU3U8fxu1zkoylGOmbYPG6Fl5/5gjRiTgVDSFG+yfJpLKsuKUDRX17KwLoZlF6VBal0kp2ngxcamWTBImQ5WLhERPDNJARS0a3Yu5RseBksS6FSUbPzRHHuRhT+Rivjh+i0hZEEuUL5wsCoiBSbg1c8XoMjJJXQRIuXE+RsIilgsOyIKEbOoZp4ldcqKIyE1atohl6UU0FAcM0iteCUNwop0d4bfIwLc5qJnJR8noBwzRn+pRK7V8gVMJM6KxZaufnHQu8IV4f7+PR3uNMZ9P4LDYM02QkE+eJvpMs8odLKlhvFjeHaAgC7e4K0lqOyWyCKruPGlllbbCRY5FBJrNJwCTv1AnbPKwJNJQqYL+/ejkuxcoSX02xFoSkYmLiUWwsvYEKVkGLi7SWJ1HIoJsGkiCiGwbDmSj6jOdEEAQaXGWMpKP8Rtvtc8KwLKJS0jEWuHpiJApiaSK/Fah1+OnwVnImNsJuaxf9ySnur14+U1/k7cF4JkFnbAKPasOjWjGBCpsbURAomMUNSfEeFSVuk1qOnK6hGQbxfBZVklBEqfSi7E1ESBRyfKRpBbdXtd4wCdY3i+PDo0yl0nx2/Uq2NNcjSxLt4TL29g1yoG92nKssSbitlpK3YT5IoogqSySyOTTdoM7vY1Hl7GQ1h0XFYVHx2CyokoTPbiXsvrQVLpHL8sm1y6nzz191XhAELLKM22rBKstoxlyP4kg8wcGBYeoCXj60csksJa2L4bVfIBWSJBJyOQg639z8UxQJi6oQiaaYjqSwWRWmp1PEYmkqKorXohvFhUcQBCRJwue1lzYwsiwxPZ3C5bQWLfticXE5v0F0OixIkkgmk7+slTUaTbN/fy87dpylu3ucQMDJksU1aJrO0HCUk6eG6Tw7xtRUko99bD1+v/Mt8SIcOTpAd/c4yWSO8nIPdbUBcjmNvv4pDh7s5fTpEVLpHA8/tGYmmfbm4rbbOmhrqyCTzZPNFtixo3PeomtXwvR0ildePc2TTx6mt3cSRZEIBl2Ul3uQJZFsrkA0mubUqWFsVoVCQb+p3oxkMssLL5zgsccOEomkqKjw0t5WgdWmoOsmyWSWiYkE+/Z1Mzg4zcMPrb5kW+l0jv37e/npowc4fnwQQQC/30F9fRBVlSnkNWLxDL19E4BJOt1x2Ws7fKiPHTuL97m2JkBdXZBstsD4WJzOzlF6eycZHY3xuc9to7LSO+f7iUSGnTvP8tNHD9DdPYHXa6e+rgyHw0KhoDE6FmfnrrMcPzHE2FicB+5fjt8/NwzXNE26u8f59nd2sWtXF5IkUFsbpKmpHAGIxtJ0dY1z5swI586N89AvrWbx4uo5uTXXAk/QiS/kxuG207qsDlEUCdcF2XT/Cg6/eor3ffYWAFLxDN3HBxjqGqPh/dVkUllGeiaobanANEyaFtdw+4c38NS/vcJY/yTpeOZt92pYJZUGRxVn4n1M5mKIgsASbzNu2cGR6FnOJgYYy05xIHKadvf52g6zdyeSIBK0eLFIKi+PH8QiKZRb/FTZQ9hlKz2pEWThCEOZccLWALpp0JUY4Eyij5HsJEeiZ1nhayOtZYkVkjQ4K7FLVtzy7Pf51Tx6iiATtgYYy07zysQhFFGmxl6OX3XjVuycifcykY0wmYuyzNuGTSp6BecjAKIgEFA9vDx2AK/qYqGnkZSWIa1lcMp23IqdaMGKLEqErD66U0O8Mn4QVVKotAVpcFQiCiIexcFAeoxdE0dpd9cRsHgvew3dyS560+fYErwN+W3Id71eLPKHuaOqlZ/1neCfTu7CIsmYmGQ1jQaXnwfqFhKwXp/B5qbdlWqHn2rHbGWCCpuXCpt3zrl3VC6ac2xD2UxS7EVzt8555fAKc6ZSZN7QSWt5NFMnoxVIFLKlStzFh7OGZ4eP8eLoSRRRxq3Y6EqMMZCamkkKLloI7q5czD+cfoGD030s9dVilRTSWo5YIYNfdRCyua/+pswgYHFiYHI8OohbsSEiYJct+C0OpBkSkjc0UlqOrK5hmiaxfDGRSxXla5YFlUWJtYEmDk/388zwMSySwgJPBTbp7SvoF81neHLgFKlCDqukIIsi09k0t1W2siJQDM/RTINj0yPFpO58htOxcdJagS+f3IFdVljsq+S2qmLyuCyIpAp5nh/q5GxsAkkUccgqbd4QHd7ykhb2W4XJZBpVkvA77MjS+dA8kSqPm+Py6DW1JUki7eVB7lzQwrGhUfqmo9QHfCyrrmBJVRif/c1Zpmu8HoJO+3VtfqeSaaZSKdY11FDheesWYa/XTltrmLKgq+gFEIoLTTDgxOu2k0rnEEWBsqALQYBUOo8oFpenFcvqGBicRlEkXC4rCzuq6Do3Tj5f9DTZ7CpNTSHyhcvHpeZyGnv2dFFfX8a99yxl4aIqvB47hYJOX98kzz1/nOPHB3nm2WM0NYW47faFWK+jiN7VYseOTlpayrn77iW0toRxOq1kswW6zo3x+OOH6Ooa40c/2kdbWwUrV9Tf9PHcffcSoBiGk0rlOHly+JqJRjZbYO++bn760wMMDk5TWxtg9eoG2lor8AecRaKRLTA5lWBwcJqFHVW4brJs7Llz4+zY0cnERIJ1a5u45ZYF1NT4sdlVdM0gHs8wMhqjv3+SsjL3Jb1VmqbT2TnGD37wOqdODxMIOFm9uoFFC6sJhYpSvvmcRiSaYmgoQrjcQ3X15QvTPfPsMbweOx96ZC0LFlTi8dhIZwr0903yzLPHOHp0gMNH+tmx4wyPPDJbNrNQ0Dl+fLBEMtrbKti6tZ3W1jAul5V8XmNwKMLOnZ3s39/DY48dxOuxc+edi+ZcYzKZ47vf3c1rr53B5bJx112LWbG8juDMczk1leTo0QFeefUM+/b1oMgSHo+N+vo3L2Jx76e2cGp/N+OD0zz21Zf4wl9+qPSZrhulcG5ME10zyGcLpOMZ/OUe/GEvNqd11i65eO7lw4jeKoiCyJay5ZyIdZPWs8UQ9RmDXNbIU27141ddZPUchmliEVXWBhbiUi5sFAVBoMpWxvrAEvrSI+iaTk4pYBUVFrjrERHJ6DkWuBqotAWxSAo5o4BfdeOQrEWjrKkTsvpZ7e8gbxQwTIMHq7eiiDICAhuCi+cQj/kgCAItrqIBeSQ7ScHQKBgaLsXOMm8b55KDpPUsHe5Gmp1V6KbBCl87Drm45q30LaDc6i+Rj/dXbmEyH8Oiq8iCTKOjiklPtCT5W+eoRECgzl6BZugMZsbRNJ28oZWk6pd5WzmbGCCtZ68qXH/n5Mu8Pr2LDYEtyO/CGthOxcLdNW1UOz0cnx4lkssgCgIVdjdrymqodfneuXU03i7EChn2TnZzNDrAcKaYkL5nsouElsUhW7izYhGt7jDtngruqVzC9rFTjJx7FbdiRxFFFngqOBoZBIrvmg3BFvqrp3htvJOD032IQtH66ZAtbC1vp8V97RJoCz2VLPPV8tp4J8eig1hEhU2hFjaHigooXYlxnh4+QkrLcyTST1LL8o+dL2KVVOocAT5Ye+2xg+2eCmocfraPnuL+6mWErJ63NWk0bHdze2UL/ckoaT2PIkisCFSzoqyasG32hlWVJMptTu6vvSBdKV4kJdufjHAuMYnXYkU3dPqTEUyKZGbHWA+fblnN6rJa1oRqCVgdlFlnJ7Ztq2ym0e1HvoG1RC69JF37YiUA5S4nH1+zjBPDYxwfGePU6ATHh0bZ1tbE+xa347ZeO5Gyq8oNcA3P1BJ5C53MNlsxLKmu1l+yfPq8jlkypxdc/gKTUwmGhyPU1xatw06nlbKLapwEAy6CgeKcOO/RWLWi/rJhA+chSSIbNjRz//uWz9rYtrSU4///2fvv8DrO/Lwb/0w9veMc9F5IggR7L6J6b7srabXV3vXacVk7ft3tOK/zJrbfxEnetX9J7Liv19tXWyStepdIir2BBEj03oHT+5TfHwcECQJgp0RtdOvSdRFzZp55ZuaZZ55vu2+/k/8x+RoDA9O89PJJtmypx6LKN/29s1gUHn54HTu2N84Tw1u2rASX08pf/NcXicXSPPfcUdatrb4sc9ONgixLOJ1WJOnqzzc0NMOe984yNDRDRYWPRx9Zxx13rMDrXWgoZzJ5RFG46dGa4ZEw0WgagN23L+f225ejXpRas262PxenjV2IaDTNu++e5czZEXw+O3ffvZJHH1lHScnCOTqXKzieLndtmUyeT315E/fcs3JePU5jQzFuj53u7kLE6/iJAT75yY3zFMSnpuLs29dFd/cElZUBHn10Hbt2LZs3lpqaSqmpLiKZzHLs2AA/feE4LS0V1NWF5o2nI0d62bO3A1mWuP325Xzus9twXyCOWFsborGxBJtd5bvf3c/xEwM07CumrMy34F5eCUzT5Mibp9G1QorRzAUik4pFweGy8vI33qOkJkjL9ibqWyqZGg3PMYrZnVacXjtaTqfrZEGfY6RngpVbG7B/QKmGl0PA4uG20EIR362BhQ5bgF3BtQu2WSULzZ5amj3z9bmq7CVU2ReuaVZ66ljpWagQvTu0ftFz3h7asOj2xeCQbaz1NbGW+bWJFfYQFfbQgv23XHCd24rmsyFuvejvgMXDA6ULtS/sspUWbwMt3oUsj9WOUqodS6cUXoickaM72YnJjasf/jDgUCxsCVXT4i8jns8gCSIe1XrdBsY5/MwZGqIgYJMVAhYHAYuDlgu0IwpF5YUbZ5UUHipfQ4XDz3BqBlEQaXCFcMpW2qMjWGZzAJ2yhc/UbGV5eIDh1AxZXcMuq5TYPHPUtCU2D5+o2kjQMn+B3Ogq5qnqzTS65ufSltq9fLp6C+2xESK5FLIgUmrzzqUByaKIR7HjUqw8WL567jgBYZ7oHhTCoC3eCqySQqV96ZxIh2yhxOoppKV5K/GqH+6k6Vas3FW+kF3pQiiixPqiCtYXLa0hkDd0Dk0OcGRqiIcqm9lYVIkiiuimQWt4jL9tf58z0QnWBMrYFKxiU7BqQRu7S+uBG6uoXuS0k9d1wqkCC5MsSWiGwUg0Tk67enIAQRDw2Kxsr69mfVU5vdMzfPPgcd7u6GFdZSnukvMT8rlibOMKFsrXC5/dht9hYzAcZSyWoMrvveT+slhIUbxeFBYzwkV/n8eFCzRFFvF47BSH3HMLtIWL/YXHX4lBUF1dtKj3XBAEVq+uZPmyUsbHo3R2jjM2FsXnc1zTQvtqsHxZKcuaShYobguCwLZtDdTVBjndNkxb2wjT04l5RtetCNM06e6eoP3MKJIksmlTHbftXoZvCZrSK1Uav15YVHkuHW9kOEJqlpTg4nFjtSpL9sk0Taan4xw40IUgCNTXh3jwwTWUlnoX3f9KF98rVpSxfXvDgv7IskRDfYiyMi+dneOEw0mSyRwez/nvweDgDK2tBWfbqlXlbNhQs8hYgrq6EFu3NNDTM0lf3xRt7SOUl/vm1aG8+uopNM3A57Pz2GPr5xkZ59rxeOxs2ljH0SN9HD3WT1v7COPjMSorr02rwWJT0fI6ilXmE79y9+x5BFw+Bw988TZi4SSyIiErElXLytB1g8mhGRBAUWUEwOoopGyrVpXVO5fRsKYa9QOIRn6MjxZG08NEcuErckrdypjJpDg4OcDxqRFmsgUB6xK7i62halYHShesO68WP3OGhluxsSu0jF2hyxcT+ywObi9eWIy4wnNewEkQBJyKlV2hpRfFIaub+8sW6gzUOIuoWSTdS0Cg0V1Mo3vxYr5aZ5Ba55WFjiVBZJmnlGWeS1vgiVn18iZXCbXOIMpHMJdwKSS1HOFsGm22EEw3TSK5DP3xmVkld+uSHN43C6tKQ/jsNl5r78KhqhS7nJydmKJ7cmZerYNhmuQ0jXROI5XLY5gwnUxhlWUsiowsimTyec6MTzEaiVHh82BTFWKZLLphIovigkhMwGFHEkWOD45S4nZhkSXsqkrQ5bhiVW9ztmAuq2nEMlmymoZumoRTaayyjCpLSKJImcfN6vJSXm3r5IfHTrOzoRqP1Uo8myWT12ievQ/nUO51k8lrvNvZx+qKEgzDxGu3EnJdO0f35eD1OvBehQL11aC0xLMke4+iSDQ1lXDwUA+RSIrevkkaG0uuu9j1cqitDeJ0Lh7hUlWZVasqON02TDqdo7dv8pY3NFKpHCOjESKR5FwxdMB/88bLlaKhoZiSEg/Dw2HeePM0iWSGjRtqaW4uw+WyXVGkSNN0xsaijE/EsNtVGhpKKC+7dFrUlWDt2ipsNmWB0SMIICsSoaCbzs5xdN0knT5vaGiazvh4lNGxCA6HharKwJLvjiBAc3MZHreN6ekEp04NsXNn05yhkUplOXNmFEEQKCvzUV21uCNMECAQcNLUVMLRY/2Mj0cZGJy+JkNDEAR2Prq4N91qV9l0z/zvtN1lZeWWBrgge2xqNIKiypTWBJds66OIrJ7hbLyN3mQ3ja7lrHCvIqkl6El0MZIZIqUVFphu2UOVo4YKWzVWafH0w8nsBH3JHiayY6T1FJIg41E8VNlqqXM2zBVZX4hwboY9U29jl+xs9G9FEiR6Ep0Mp4dI6ylUUSVoKabO2UhALVq0jXMwTIPBVD8DqV7CuRlyRg5VshBUQ9Q7GwlZl840SWoJ2mKnGM+MsMK9ijpnI9FchJ5kJ2OZUTJ6GkmQ8Cheah0NlNrKUcXCmNZNnZ5EF5PZccL5GfqTPeTNgpDzj4a/hyzMX1d5FR93Fd8/jx3sVkMkm+a5/jZeGTqDJIj4LbZCXc7YFEemhvnysk1sC1XPiR5fC352VpsfYwHOqbRH8imOzvTTFZ/gscr1lNg8lz/4IwJZEFkXqKArNs0bwx28N9Yz510wTJO7yxrZGKxE/YDZtWoCfh5f08zzrWf4p/eP4LZa8dttrCwLcWTgPP1g+9gEPzjSSiKb4/ToBKlcnj976S0sskxdkZ9f3LkJ3TQZicb4yYk2BAoRCwSwKTL3r2yi3Du/TmhZcZAd9dUcGRimY2IKiyyzu6mWe5Y3oNqu7D5kNI39PYO80t5BNJ2lfWwC04Q/fektbIrCzvpq7l/ZhMOicu+KBvK6xomhMU6PjqOIIqIosqy4iNqAb56hsbW2iq21g/zkRBuvnenEIit8at3Km2po3Ew4XVbs9qW9PcGgay6KMjkRx7gB0ZzLwee3X5Idp3S2+NcwTCYnYje9P9eLZDJLOFygxw0EnAQCH0xR/eVQVubj/vtaSCQydHVN8NJLJ2ltHaSmOsiyZSWsXl1JbW1wXlrSxcjldCYm4hhGQcOlvMx3Q1LZysp8SwsRCszpx5imia6fH5PZrEYkmiKf1wkGXXi99kv2p7jYMxftGB2NzEsRm55OkkrnEEVmr2vphaPdrlI0a/DG4xnCM8krv9gbDKfbxppdy7F+BDV0LoWckacr0cmeqTcxMChSQ+ydfpu2aCvTuSmyRqaQNSE52FF0OyFLyQJDQzd1WqPHORI+wECqj2guTNbIIgkSdtlByFJCi2ctu4N3YZXmR6/iWoy9U+/gkl04ZRdjmRFao8eZzk2RM7LIgoxH8VLnaGRH0W7qnI2LLtCTWoIDM3tpjRxnPDtKPB9HM/MoooJH9lJur2KDbwvrfZsWPT6tpzkTP01r9BhWyYYqWtg3/Q5nY22E8wWjRUTELju5t/hBgpbQnKGRN3LsmXqT/mQfCT1OWkuhUxjz+6YWikNX2Kq5M3TfLS2iemJmlPfH+1hfVM4dZQ34VBu6aTKejvO97uO8MNBOg7uISqf3ms/xsaHxM4y0nuO1sdPsn+omq+fZXFTH1qL6D7UI/EZDEASaPEF+vmkTffEZ4vnZIjhJJmCxU+cK4LdeX8HztUCVJXY31lLudTMSLQj2VXjdOC0qdzbVU+QsFOd5bTbWV5WjGQbb66svmI8EArP0r1ZZZl1FGXZFIZ7NYRgGNkWhxOOkJuCnK9XJVGSGdd7V+FQPAaedT65dyZryEiLpDKIgUB/0Y1XOv+4/t209glno52KQBJFSj4stNZWYwD0rGub6JgoC5b7zxk2138tT61ezsaqCqWQKTTewKhIVPs+CQvUyr5vHN9byzY6XuSNwO07FtiRT1UcBsixdciFptSlzC7VUKveBhNgtqnJJwgiHo/D+n9M2uNWRy2lkMgURV5tN/cBSoy4HRZHYurUen9/BwQPdHDjYQ1/fFN3dExw73s/evZ0sX1HGnXesWFC7cA66bpBIZmbbk5eMRF0tHHb1mua8fF6fu9eqKl9WI8NuV5HkwlhLJrMYFxgtiURmdrwLOJ2XLsxXFGkuEnLh8/4wYHVYqF25dLruRx15Q2MoNcAe821ao0cJWUpY4V6FJEgktDgT2XHcinvRaMap6HFeG3uBgVQflfYaWoJr8So+MnqGofQAp6LHmciMYZg695U8smhUYiY/zduTr6MZeSrt1Wzyb0NAZDw7ypnYKY5EDpIzclglG5X26nnH5o0c706+wXtTb5HQ4ix3raQ6UIdNtpHSknQmznIycpTJ7DgmJpv925a8Dzk9R1+yh/HMGD3JDkqs5bR41iEIAnEtxnhmDI/iRRHPr5dkQWajbyvN7kJK+5n4aQ7OvI9h6jxd9XMowvz3xSE7LhmZuRXQGZnEIkncX7mcFv/5zJgmb5BEPsffn9lPJJemEu81n+NjQ+NnGBZRYZ2vimKrG7tkod4VImi9OtXtjwIskkydK0Cd6/K83R8kXFYL6yrLWHcRK3N98Hw/y73uBRGJiyGJhUX/UqxOQ+FR+lODLHc14sODcAXtTlhOcU/xHUsWwKtygY53ecnlU/gEQSDochB0XQHLCFDsUwmV5HhoeRN22faR5io/x7m+FC4MYBRqM67tWg1jvuf5cn26FOmAYZz/7XpoRD8wCMwRP5im+WHLEs2D3W5h7ZoqKiv8bN5ST2fHOCdODtDaOsTxEwN0dI7R3jbMU09tZuvWhiVppAu49Fi6GlzrcxWE8/VOpnH5/hiGOaclJYrCvOEtSecJOy5Xl2WaJubsuBQEAeEDIij4PxGamac32U3ezHNb8G6aXMtxyW5EQSSrZ0hocVyKe94CGwrpUvum3qU/1UuLZx23Be+kzFaBVbShmRrRfBiv4uWdyTfYO/UOy12rqHUurH1MaUniYpQdRbvZ4N+KW3YjIBDX4oQsxbw7+SbtsVbqnPUELaF5kZFzC/tILsxdxfezyb+NIjWIIirkjBwr3at5a+I1Dof38/bEq1TZqimxlS3oA0DOyHImfpoaex13hu6nztGAQ3YiIJA1MsS1OAG1aB5lrSwqtHjPF+JnjQyHwwcwTYONvi0LojgfBWQMDVWScSxSh+G32Mgb+pzkw7XiY0PjZxiqJLPSW8FK78+ud+ZjXD2SWoq9Uwe5rWg7jg9hYiyxFfN01eNYRMtH2sgAyGbyc7S4iyERz8wZCE6nlQXrvyu8/As9zZdDKpVD05b+MEQiBaYkQRBuOgXsjYBFleeiGKlUjlT61orCCIIwp0Te1FjCpk21DA3N8P77Xbzz7hlOnBwkkczS2FiyoJ5HksQ59flcTicWS38YlzAHi0Weo6jNZPOXjXjF42m0WXILt9s2L12rUNshYJoGkXDqku3kcjqJRGauD5dKR/wY1wcTE1EQqXc0ssW/A7t8nvrWKbsIWBZ3Lp2JnWYw3Y9ddrCjaDeNzuVzi3ALFhyyg7uK7+fA9F4i+QjHIocWNTQAiq2lbA3swqeer8OxSFY2+rYwlBrgUPh9uhOdNLtXU2YrrF8M0+DIzEGmspNU2WvYGthJqbV8LmKgiCrVjjruLnmA9vhpRjPDHI0c4kHbY4v2wcBAERSWu1eywbdlXgTHhZsiy0LGq59FBCx2jk4O0RcPU+3yzdWz5g2do1PDuBQLNun6osgfGxof4yODaDbDSwNneWWgY952t2rloerl3FvVeNVtvjPSw4+6T1PucPOba3eiiNItvfQ1TZPhzCh7Jvcznp2k3FZGJBdF5PwHvjc5wMHpo4xlJnApTrb419PoqkNC4oWx1+iIdzOZneJ/93wdVVQQEfnNpn+DJEjk9Bz7Z47QGm3HMA3qHNVsK9qIX/WR0bOcjp5hOjdDyFrEwZljZPQMG/3rqLCVMZAaYiIzyXQuTItnBeFclIHUINsCm1nubiCn5/nJyEtMZCcQEampr0KmkHaU1jN8s/8HbPKv43iklXAuSqm1mO1Fm6iyFz40U9kZDs4coTvRjyoqrPIsZ413Fc4r4Gu/WQhHUsRi6SULwkdGw2SzBUNksbz5c2lXhnHpNKbEbJ3ClWBiMkY2m18yXaW/fwooLHLLy71X1OaHCZfLNluXARMTMSYnYue1EG4xOBwWamuDVFUFaGgoxuG08Nxzx+jtneTEyUHuurN53v4Wi0xpmRdRFIjH0wwMTmMY5gdGOXwxVFUm4HficFiIRtNMTcfRdWPJeo/h4fDcuK2qCqBekJ7p8zkoCjgZHYvQ3z9FPq8vScubSGQYm6Wi9XrsBD9kYbyfdXgVHyvcq+YZGZeCaRr0JbuJ52M0OJsIWYoXFafzq0UELEUMp4foTXYv2pYqWghZSvAo3oX9Uv2U2sqxRq2MZ0aJ5iNzhkY4N8N4ZpS8mWOZqxmv4luQliQIAkFLMfWOBk5Gj3E23sZ9JQ8vWYxdbC2h0bl8yaL3/xOwoaiCg5MD/O/2fRyeHKTc4UYzDTqiUxyeHOQTNS0U267vfbzlDY23xtp5Z/wM/67l0RvG6QvwxmgbeyY6+Hzddupd8y3XPRMdvDJ6ij9Y+RB26dpyXc+hKz7Oa6OnWeOrZGtR/RXl6327931ORYb507WfuikK19/ufZ99k11kdQ2LpPDHLY98JArETUxSWo7hZIx4Lks8nyWZz+G32lkTuDLe64vxUv9ZXh3oQJVkvty8kYDFfj5P4xbEdG6GPVMHmMxOs967hlg+xonUIMXWghdqKDXCnsn9WCQLWwMbGMtM8PLYmyiiTJ2jlnXeFtyyi7PxLu4I7sStuBAQEBHRDI0j4ZMcmjnGZv96REHgTKyTn468xqcrH8MwdUYz47w/fZhN/rW0eFagGRpFqp+ckeNYuBW/6kUVFV4ff4dm9zJU0cLxyCnKbMV4FA/bA5toj3fwwshr6Ob5wlHN0DgWbmUqO80m/3oaHLWcip3hlbE3+UL1p8noGQ5MH2E0M8YG32qSWorjkVNkjRy7iraiiB9O3v7AwDRjY1Hq6hZ6v9LpPO1tI6TTOex2ldraIqQLWL8EQZjH9jM6GqGpaSFbSjyeob9vimj00l7hczjTPkI0liEQWPhxSCazHD9e0Adwu69PGO2DgsUiU17uIxh0MTWV4PTpYdatq1lU0fpWgSSJlJZ6uW3XMl566SSaZjA5ubDwXpJEQkE3lZV+Bgam6ewcp6trfNFx8EFAFAv9rqsN0npqiJ6eSUZGI1RWLGSAMk2T48cHiISTiKLAmtWV8yIRiiKxeXMdP3n2KFPTcU6eHGTDhppF25mYiM0popeWeaipubw478e4dtgkO0HL4qyXiyGjZ4jmI+TNPIPpAb7e93dLzLkmU7kpTEyi+ciibamiiltxL7oWkgQJt+zGJtmJa3Ey+nlhz3B+hoxR+LvYWrro+QUEJEGizFbB8egRovkIKT2FS158oeyU3fOiKv8nosbl5wsNG/hxXytvjXSRyGcLBpvVySdqVvFwVTMu9fpqx255Q2M8HaU1MoRm6DfU0BjPFNpNaAsVaiczcVrDg+R0Hft1njKRz9AZG6PU5sUwTa7EUdWXmOJ4eOD6TnwJbCtqoNzu5+WRVg5O9ZDWb61UhKXgVCw8UrOCbSXVaIbB8akR/u70QVLatRcO1rh9WGSFerf/usODHwQmMlMMJofZXrSJjb51xPIxRtLjpIxCykVb7CyaqbPDt4ZKezlpPUNHvJuz8W7KbKVU2ssxTANZkGly1RNQfXOGdE7P8e7kPjb417DZvw4BAatk5fmRVxhMj1BmLUY3dSySynJ3I7WOaphVUx1KjSAKAlX2cpyyk9H0OFX2CgQE3p8+REbPUWSRqXNWk9JTi3qYREGk3FbKtsBGZFHGIll4fuQVZnJhYvk4vcl+tgU20eItGDhRLU5XvJdm9zJKrB9OmHt0NMKBA93U1gbnaR+Ypsmbb56mu2cCTTPYtrUGv985z4YVRYHGhsLHPpnM8vY7Z9i8uW6eDoGm6bS1DfPue2fR9SvL3+/umeT9fZ0UBZzzdAtM0+RHPzrM5GQMSRLZtq3hI5GiIggCTY0lrFpZwZtvtbP/QDeBIiePPLKOUHBhHZKuG0zPJPB5HTdVtK+vfwq7TSUQcC7p8e/umUTXDQQBgkUL+yoIAkVBFzt3NvGtb71PV9cEz/zwEJ/9zNZFjUDDMIhG01gsyk17dlVVATZsqOHM2VFOnhxkz3tnefgiQUqAQ4d72b+/i0Qyy8qV5dTXFy+43w8+uJbXXj9NKpXjO9/dT0WFj+Li+U6tiYkYb7xxmv6BaYJBNy0tVUtqpHyMGwNJkFDFK188Zo0smlmIzCa0OAktftljzu1/MQREZGHpb60sqsiiTCqfQr+gjayewZh1Tlkl27wo/vz2BWyzkRrd1MlcwtCQBflDc1IBRKbiHHr9FJ0nBzB0g633rWbdbcs5+k47p97vJBFNU1Yb5I5PbcZf7OHAa62cer+TbCaHL+Thk798F4qqsP/lE5zYcxZRFmneWMeuq6BlViWJFn8ppQ43U5kkKS2PKAi4FAslNhdu1XLdBe23vKFxT9kqNhbVYpE+uK7eXrycFm8FLuX6GUCa3CX85or7cH0IWg5LodpZRIXDT3d8nOMz/R92d64YsigStDkJ2gpUqPF8FpukXJeh8VT9am4rrcUmK9jkhbzztxJM0yShp8gZOcptpVgklYDoJ2gtYjA9jIHBeGaSAzNHaI91zGmljGcm8aoeckYOWPwDbpomOSNPe7yTscwEb03sASCjZzExmcrOUGYtBky8iptKWzmWi4oFraIFm2TDKTtwKU7scuFjoJk6xhUopyqCTJ2jGodsx8TEqxQWJEktRTQf53jkFL3JAazDhfcymo9Rbislnk98aIaGqkrsP9DNzEySzZvrKCvzkctrnDwxwJ69nUxPJ3C7bTz66DqcTsu88SWKAitWlFFZ6WdwcIbDh3v5i794gR07mvD7HaRSOdraR9i/v4twOIXf72DmMrSfkiRit6s8/9NjDA7OsGFjDcEiF4lkjoMHu9m7t4N8Xqe01MsnP7HhkuPdMEzyeY10Ok8inpnblkhkiURS2GwKiiJfUZqPrhtkMnkSycxc/YiuG0xNxbFaC0xSsrz0/Fha6uWOO1YwODhDZ9c4zz9/nLa2EZqbyykv9yFJAol4lsmpGN1dE9jsKr/2a3ff1BSct95q59ChHioq/DQ0FFNe5sPptGACkUiS06eG2bO3k1xOozjkZt26hWKhAC6nldt2LaPj7BiHDveyd28nQ0MzNDeXU1NThNWikErnmJ5O0Nc3iaYZfPqpLaxeXbloe9cLp9PK9h1N9PRMsmdvBz/68RH6+qfYsL6WoiInmUyetvYRDhzoZmBgGo/HzhOf2rSoknl1dYAvfH4Hf/f3b3Hq1CB/9ufPs2tXE7U1QQQBhobCHDjYzalTQ0iSyOZNdeza1XRJrRldN8hm86TT5+qjCkQJM+EkLpdtbix9EHP5YNc4wXIfVtv8ufDUwW4mh8Lc8cmNN70P14qruTuSIM7V063xrmezfwcOeWlKcgEWMDCdg4kxL5p9MQxTxzBNJEGat8CVBAlh9m/d1C7BCWHOGTmFCMel1o7Ch1YnaJomJ/eeZbR/inuf3obFpuIJOBElkYbVVZTWBNE1nR/8z9doGQ3jC7nZ+9OjrNraSNPaaiw2FUWRmRoN897zR/jsbz1EMp7mpW/smTv+SqFIEqV2N6V29xwBxI18f255QyNgcRKw3ByO/aVuo8/iwGe5MR4Vu2yhSr46g+Vmz4+iICAKErIgcksTPH8A8Fvt+K1Xlqd6K8AwDUyYmzxFQUQWJESEAie+qbPSvZzbgttwXfAhcMpO3Et4dS5sWxYkHit/YK4uAkARZXwX5NMu5QUSBbGQ6ieAKEiFCVyAAk3Q5b3xgiBgkwse+Asnf8M0MEydEmuIh8vuI2Q5n1Zhk6z4VO/FTX1g2LVzGYZpsn9/N6fbhlEVCcMsiJWl03lcTgtf+YXdrFhRtmDxJAgCXq+dr/zCbr72l68QiaTY934XraeGkGVpbnHu9zt49NF1jI1GeO3105fsT3Gxm6ee3MJ7e86y7/1ODh/pRZYlDMMgkciSyeQJ+J381v91HyUl3gXH5/Max44N8K/f3Es2myef12eNi4KBkExmeeaHh3jl1VZEUUSWRaxWhU99chPbttXPo0M1DJO/+K8vMNA/TTanoesGhmEwPl5IIRofj/Jbv/0dRFFAEgUUVaahoZjPfmYrZReJ1smyxIYNtZgmfP8HB2hrG+HkyUE6OsZQVRlBKCxA83mdbFajpqYI/RIF8TcCsVia7u4JenomOXiwB1WV5tiedN0glcqRTucIhdz8xr+9b0nhO0kSqakJ8nM/txObTWXvvk46Osbo75/GYikYcgWjTyeX0wgG3aQzNy8KLYoC1VUBPv3pLQiiwL59nbz77lkOH+5DUQpjKZ3Ok07nKCnx8MUv7mT9+ppFo0eyLHL//S2Ypsk3/nUPbW3DDAwUrksAsjmdVCqLqsrcfddKnn56C/5FohnxeIYf/fgwBw/0kM3l0TQD0zCZnIpjmjA9neDP//x5VLVwvxRFwuGw8Ae//zCh0KVZ/a4HbzxzkPs/u42SqvmpXnXN5VQ2XHlq0q0Oq2THIllm02wlquw1BNRrS2/TjDxJfWmHSVpPkTHS2CTbPOYrj+KdM14i+TC6qaGw8DtkmCbh7DRQSNNyXua792Ehm84TnUni8tqpW1mBOPt90DWd0we66Do5gCAI9JwaJJMqOFPv//wujr59mraDPex8eB3Bcj9DnWN0HB/gh3/9euGbkcoSjyQp5coMDd00aJ0e5dXhDrpj02S0/IKv9f+9/h4aPNeeznjLGhr/5dQLvD/VhW4Y2GSV79/2a/N+H01H+EbPXkIWN27FyksjrcTzGepdIR6uWMuWorq5CMJEJsZPh07wzvgZNNNgS1EdhmnOWcfn8Fftr/LuxFlyesEa/sHur2KdTafRTYPTkWH+e9vLfKVx9zyl8GguxfNDxzkbG+XLDbdR6wzyzvgZ/rVnH+PpQoHbry67iwfKVy+4zr7EFN/ufZ8T4UGsksI9ZSsxzfPLrJSW47+3v0ze0PiPaz45d1x/Yop/7t5D0Ori15bdhWYYdMbHeXWkldbIEJFcCpdiZXuwgQfL11Bu/+hqFXyM87CIKpIgEpsNXeeMHCk9jW7qiIKIS3GSMbL4VR8VtsXrVkRBRKCwgL8QiqjMLdprHQu9r2n9PCPO5czTazVfF/MuiYKATbJhl+3YJNuiffuw4PU5ePDB1bSsquCtt8/Q3T1BJpPD47GzfVsj99/fwvLlpdhsi9d6SZLIpk11/Ic/+QQvv3KS1tYhpqYKzzYYdLFtWwN33rGCigo/P33h+GX7U11dREtLBZs31/HW2+3s2dPBwMA0+bxOUZGTDetreOSRdVRXFy0aiTAMk5mZBG1tI4tSmxqGSSSSIhI5Xy8iCAK7b4stSO0yTXN2wTzFYiypmmYwNDSzYPtSrFJWq8LmzXXU1BRx9GgfBw720Ns7OSfm53RaCQbdLF9WyrZtDXi9N9eB8Phj6ykOuTlxYoDBoRnC4RTZbB5RFHC5bDQ0FLN+fTW3715OWZnvkg6kcyryv/qrd3H77cvZu7eTjs4xpqYSaJqO3W4hGHRRVxdiy+Y6mhpvbg2Hokg0NhbzK798J5s31fHenrN0dY0TiaRQVYnKSj8b1teya1cT1dWBWWNvcepel8vKww+vpbm5nFdfa+XkyUEmJwsihUVFLjZvqmPHjkbWrKnE5bIt2o6m6QwOTnPm7MiiY0nXjbli8guv4WKmtuh0nJe/tY9YJEVsJkGw3E82neXBL+xEFEX2/PQYve0j+EJudj28juXra+hqHWTvi8cZG5yhtLqIu5/cjGpReOfZI+x54RjDPRM4PTZ+/vcfwR1w8t5Pj7HnheM0b6zj8a/cjpbXaD/cy9vPHsE0IZvO0byxjge/sIPhngne+vFhpkbChCfj1Kwo44HP7aC0+taqUZEFmRJrGR3SGfpSPaS1JIIavCavd8bIMp2bLKh5XxQVz+pZZnLTpLQUZc7yeVGTIksIt+JBTIv0JLvY7N++gE7WxEQz83QmziILCmW2iiUjKzcCAuLcF+tSUZrFoMw6JlLxDLmshtWuYpomo32T9JweZuXmBioaizl7rG9uLq5vqaC8LkhsJsH/+N3vsGJTHYFSL4FiD5/97QcRRQHTBLf/yh3lx6aG+Zu2ffTFw5Q7PIvS3F5vrfAta2h8qWEXD5av4bt9+3lr/MyC3zXDoC8xxTvjZ6i0B9hdXPAs7p3s5Bvde7BJCuv81aS1HM/0H+K10dNsLqqjzhnidHSY1vAgCS07z9H62bpt3F26kh/2H+K5oePzPrQiAkWzkZW3RtvnGRpj6SgHp3sosXootxUW9BsCNZTb/eyb6OSHA4cWrQWJ5dP8f+2vMJIKc1/ZKjyqnT0THXTGxue6ZZgmU5k4WWP+hJk3dSYzsTljShRgNB1mLB1la7Aer2LndGSYZwePISLyZM0m3Mq1UZmOJuN89d1nUUSR/7jlXvwWG8/2tvPmcDfjqTh2WaElUMKjtSvYEKxYUpsBCs/tvZE+Xh3soH1mgkgug0NRafaFeLR2BdtLq29qilnbzDh/evhN+uLhedsDVgc/uO9zWOUreyV006AvFubVwU4OTwwxlIiSM3ScikqxzcVKfzG3l9exwhfEKhcmun9oO8Qz3a0ogsj/2v04lc6FqQZQ4JxvnR7j1959liKrg19p2cL9VcsK+dwWP27FzcHpowRUH8PpUdpiZ/CrfgQEVrqX89PRVzk0cwTLbJF0X3KQSnsZftWHgIBX8SCLCq3RNrYGNpI38ngUNxZJZWfRFl4ff4dSazHltlJmchEi+Sgr3FfP6HXjIFBqK6bEGmLP1Pv4FDcexc1YZgJVUqiyVyDxwSq/n4Npmng9du6+eyU7djSRz+uYZoE1yGKRsdlUJGnpNA5BKOy3cmU5tbVBcrOefygYIRZLgdpVFEWefGIzD9y/GptNnaMgPYfbb1/Opk21c55cSRJ5/LH13H9fC5qmY5rn27NfQsxNVWV2717OunXVi/6+FFwu6wIhPVEU+K9/8fQc/emVQFEkXK6l5ylVlSGbR01m+fSj6yirL54TiRNFAVEUUVUJi2VhKtbf/YcfcccnN9K4+sYYqpWVfkKh9TzwwGo0zUA3DEyzYGSLooAki1hUBatVQRAun4ogyxLBoIvt2xtZv75mNpo026YgIEkCsly4NkWRePW772N3WVm3azkOt42HHlrLHXc0YxgGXq9jyfQjt9vGr//6PfziL96OLEt4PIsbZOf6c+edzWzf3jAX3RIEZvtREPS7VJoTFPput6s0N5dRU1tELqsVdDVmx6SqSlithTS8peDx2Pj1r97DL37l9kue6+Lz+i9acOm6QS6bp6qxhOmxCBabSnGFn/YjfYV0K1HgF//kExx84zRth3twemwc39tBzfIyHv3ybl781710HOtnwx3N3PPprRzf28Fjv7CbivpinLORmE13riQRTTM9a/iYJiSiacYGpvmtr32ekd5J3nn2CFOjESaGZsgks3zhdx9m70snyCSzBMtuPaegIAi0eNZyKnqC4fQg7069ySNln1qUOco0zYJatsmizFQmBmPpEc7GTs/TpADoSXbSk+zCxKDKXjsvaiILMi2edQylBzgdPUmvv5tV7jXzzmGYOodm3mc8M4pDdrLBt+WmptA55AKFM8BIeohG1/IrPlaURFZvb+StHx3iv/361xFFgdse3cCqbY2YhsEr39lHoNgDJlhtKqZh8o3/9zmmRsIYpknDmiokWaKsNsSOh9bxj//PjxBEAU/AyS/8yScv34FZnA6Po5smv7vmdjYFKxc1Kq63jOCWNTSCFhdFFidldu+S++QMHYds5d803UGzpyDKUmx1883e9+mIjbHOX82pyBCHpnu5o2QFn6/dhkO2cl/ZSv6s9XmOXlSfUKQ6CagOyh2+BTdbEATcio1twQbeGG1jNBWh1O5FNw0GUzNMZGLcX9YyV7DukCzUOYOMpSM45MWp094eO0NnbIzfbr6fbcEGZEHiruIVfHHf36NfpXCTgMDOYBObA3XIYiGVZldoGdkzr3I2NsZ0JnHNhoZuGoyn4pjAuyO97B8bYO9YPzldw5hVfj0TnmTPaB9fWrGRpxtWzy2uL8RkOsnXju/h1cFOYrkMmmFgYCIAHZEpXh7o4NHaFfzJprtQb1JNjlVSKLa7CGfTRLIZpjMpcoaOZpiYV6gEFs1leK63jb8/fYjJdIK8YaDPpjQJQLtQuBeiIFDt8s7diw3Bcr7TcZyzsUn2j/cTsjUvep/SusYrg50MJ2O4FQtri84LDpVai9lVtJXnRl7mz9v/knpHNWW2Umyz9HwNrjruMXbz1sQe/qz9awgIlNpK+HTl4/jVwgfMKTv4RPmDvDr2Nj8ZfpGgpYh/3/zbKILCnaFd5A2Nf+r9Fgk9hUdxs9G3hhXupgX9vFq8OvYW707tZyozTVxL8Iet/wmn5OBz1U9Sbb+01kvQEuDu0G28Pv4Of9X5d+SMPEFLgHuKd89L8/rAMTtkLBblsirKS+HcIvJymhYOh2WBgXEONps6r4h8qW1X0pdrOW6ptgKBG5/2WlpdRLDMh6RcWpX9YsQjSfKX0Dy5WoiieMPu1TkIgoCqygWD6jJIJTKIkjgnwHip8XEhRFHE47HjuQKiwXOGsMVybfNxb+Io4dwo6/0PFca40wqzQyKcG+FU5C2a1d24lEu/w1fT58tBkmUCJR50TcdiU5EViYmhGVKJLEfebufM0X7y2TzL1lUzMRSm/+woB15t5b2fHiebzuENujBNE4fbhqLKOL0OvBfUAtkcFuwOC9MXnFNWJcpqg/hDblLxNKpFIZvO4fI5ScTSfOO//hRPwMnWe1cj30QCg+tBjaOejf6tRMcj7J/ew2R2gk2+rZTbq1AFlYyRZjIzQXeyk/5kD1+p+zVC1oWRNwGBqewEz4/+iJgWpcm1AkmQ6Ul08c7k6/QneyixlrHM1YxLPp/2JggCW/zb6Yi3czJ6jO8M/Au3B+9mjXcDLsVNLBfhYHgfb0+8jihIrPKsYaV7YRbJjb4nBbHALD8c/g6fLH+aUms5uqmT0pNopkaVvWbRYwVBoLwuxJNfvRctryMAqlVBVmWe+o370TUdQSikRFvtFgRR4HO/8xCGXlipyIqExVb45tz/hR3c9eSWQruzaahXilguQ8jqZIW3mID15pAw3LKGhiAInPtvKYiCQInVwxpf5ZwXPGBxYpMUYvlCmsdYOopmGtQ5g/hUR2EiFyUaXMV0xMYXPae4xDntsoWdoSZ+OnycPZOdPFG1kelsgmMz/QQsLjb4a+as50JbzOWsL4au+Dhe1U6tMzhHo6uKTpo95ZyODF/lDQNFlOYxcwWtLvwWJwPJqQURkWvBeCrB35zaj1NR+c3VO9heWo1VkjkxNcp3Ok9wdHKYb509Rsjm5IGqpnmehJSW42vH3+PZ3nZMTJ5uXMMD1U2U2F1MZ1K8PNDBN88e4wddrciCyH/YfPdVeSKu1Cyrcfv4f7feh24WXtavHX+Pb3Ucv+LzJPM5ftp7hr84+i7JfJZql4/7qppYFyzDIatEcmlOz0zQPjNBS6AEr+W8cbc6UMIKXzGDiSjP957hzvIGLNL8lAPTNElreV7qP4tdVthUXEnIdn6xJgkSKz3LaHLVY2Igcs5bLhRqNQSRVZ4VLHc1YVDwJAuIqKIy9y4JgsCuom1sC2ycZUI7v90pO3is/H4eKrtnTqtAFqTC/5KNB0sL2+WLCuxqHJVU2J+YZZMSqK6tmGOWqq2vRhHlgpEU3DYvUlgY8wUtjz9Z/gcc7BzmuZ42Ht3QTIlSxqb8w+w9NkPjbXVU2Mv4fM2TBZVS02RoJkZr7wTt6UlWVRY+aAc6B/jRodMEnHY+u2MtFYHzK5PDPUN0jE7x+MZm7JbC4lA3DE4NjrOm+trokT/GQnzzv72ArEpMDoWZGJ7hV//sKUqqinj72cO899xRdN1g7Y4mHv+lO0lG0/zkH9+m83g/siqzensjj355N7Fwkj0/PcaBV1sxTZMNdzTz0Bd30dc+zCvffZ98TuehL+ykaW01o32TvPq9/YwPTJOMpXF67Xzx9x4mVOHnxW/s4cDrrbg89oKH+RITxfjQDC9+4z362kew2FW23tfC+ttW8P5LJ3B4bNz26AbeffYIqXiamuZyjr59hpG+SRLRFGW1QR77yu2Eyv0ceLWVd549QiKapmltFU999V5kVea//fq/0LS2mo7j/UiyyK//56dJJbI8/8/v0n1qENWqsOH2Fdz32e2M9E7yxjMH6GodJFDs5a4nNrNySz3H3zvLmz88SCaVI5PKsf2BwkLq8JuneefZI0SmEzSsrOBTv3o3DvfiaUjncCNUyAWBRVOZzi2QqhyrqbS3LHpOw9TJGWlMU1+0L+faWPy81+6lPqd+LojnFcitDgsun4Nt96/msV/YDRT2ySRznD7UzYbblrPlnlUYpomsSCiqggBoOR1DMxb089xfc4W1CCiKPDdXn7tvuqYTLPdx9xNb8IVcyLJ0y2rESILEnaF7kZB4ffwlOuNn6El0XpCCXlCSNzCwiNYl6T98aoAm53KG04N8d+AbswXfAoapo5k6LsXN7cF7WOZasYDtyCrZeKry85gYnIqe4IXRH/Py2HOAgIk5l7600beZJys+t2hE5UbCp/i5M3gfL479hP5kL/+z678hzLJhCUCto55/2/QHSx4vSiK2RZwDi20DsC8R7bVYVSzWa3N4eFQrQ4JAUsvdtLF3yxoaVwJFkPCotnmpNudeZGP2BU/qOcDEJinzjACHbLlqulwBCFldrPJU8N74WT5RuZ6xdJSzsTE2BmoIWa+u6CyST2GTlYJI3AV9c6u2C4yTxSda0wTjgt9M06QrPsGLwyc4Fh5gIh0jredJalk2F9Ve8UL8UtBMA5us8LvrbuOBqmVzC9R6j59Kl5f/fuxdDk4M8d5IL+uLyihxuOb69mL/WfaM9ZM1NP6fzXfzaE0zDkVFAKpdPtYWldHkLeKP97/KD7pbubuygV1ltVfctyt9NURBmBdFuJoxYJomZ8ITfP3MYZL5HLvL6/j99btp9BTNezkfqFqGgYl0rjh6FpIo8lDNMo5MDrFvrJ/eeBifxYZ0wT6aaXB0cpi+eJgyh5t7qxrntSEIAhLSPD2GiyEJC3/XdINCBmshFUOWRCyCBcM00Q2TvG4gCgKyJCIjI5hSYXyZzBV1G6YJRsEM13QDaTZVxTDMQgTOlDAEkEQBWVDOp30goesmsiQXtpsGunHuA8wcTaFDsbFred15wwcBCRlNM8jPpt9IoowqiRimSbVfpcoXQL4gdWNTQyWaYXBmZHJuDoCCQdFSWUJLZQnqOZE80ySVzfN3bx7kL7/wMAgFZrNzx0mz/zaMgjH2YYmofdSQz2ooqsznfuch3D4HkiwyMTjDWz86zG//1RfAhL/8nW+xZtcynG47Z4/28aU/epSy2iCSLIEJHcf66W4d5Lf/6gs43HYEsXD/61uquBc4sacDwygsZQzDZLh7nPs+u53V25v423//DINd4+SyeQ6+fop/+xefxeV38DuP/X+X7Hd4IsrUSJhf+PePE6oIICsS8XASLa+h5wvjT8vrhRQi3WBqNMyuR9ax/rYV/MN/+jHdrUNoOYM9LxznM795P8FyP1/7rW/ScaKfFRtqyabzONw2fvuvvgiAJIuMD80w0DHKl/7do5RUFSHLEplklrZDPdgcVv7wf3+ZvS8cp/1IDw6Pjdb9nWy+axVb72vhn/7sWfJZjZnxKPtePskjX9pNZWMJf/PH36fjeD+rtzciL5GOZGKSM9J0xPfRFnsXgBJrAzuKnmYqN8iJ8CtEcmN41BCrPHfiUoo4FX2LyUwvmplDEmS2Bp6gxNrI6ehbdCUOkjPSuOQAt4d+Hpvs5lT0TVqjr1FpX82u4GcLThQ9zoHpZ5jI9GGRbMhCIYoXzY9xMvI6Y5kubJKbZs9u6hwbaIu9w1i6EwSBcHaENb77qHduRLjGVEmBQkqbIIqI0vn/nW4bTWurefOHh/gvv/YvCALsengdux/bwOa7VvLmjw7z9k+OAPCpX76TlZvrQRRYd9sy/vnPn8XhsfEr/+lJnB47//CnP6br5CDpZKEo99Ev7UaQBCRldgEqgCRLGLpBJpWj59Qwf3P8B+i6wcpNdTz4xZ14/Dc+EigIhW+DIiizjqKrn88UQeWu4vtp8a7l4Mw+2mOnmcpOkjMyWCQ7RWqIBmcja70bKF5Cp8M0DaodtdxX+gj7pt7hdPQEUS2KTXTR4FzG9qLbqHM0LkqBLggCHsXLl2p+hdboMQ6F32cg1UdKS+KUXdQ6Gtka2MEK96pL0t/O3YfrlEwQBIEHSh+lxFrKe1NvMZweImdksUo2/GqABueVp1J9UNBNA804bwZuClZycnqUZ/tO4Wxcv6g4nyJK11Wn8ZE2NGDx4tELYZdVBAQyujZnrZmmSULLkjeurnjnXPrUruIm/rHzXY7M9DGajpLWc2wO1F21JehR7HRpE2iGPq9v0WzqAi9RIcpiGMzbJ2doRPNpymZrQk5HhvlfZ98gbxp8tmYbKzyluBQrf332DUbSkavq11IQBYEqp5d7KhuRLqjDEBBYEyhhV1kthyeHaQtP0BmdmjM0NNNg70g/w4koO0pr2FpchVM5nyd+LvLzRH0L3zhzlPbwBN/sOM7O0porvqc3wpC6HJJajpPTY3RGp2n0BHiqYTXLvIsUxAlLfwZvL6/jn9sPM55O8FxvG8u9wbl7YZomWV3n+b52REGg0ulmS+jGUFj+j1f2ocoiU/EUo5E4/+7xOyjzufnJoTbeae/BMA1WV5XyC3dsIp7O8k9vH6ZzbBqLLLGpvoKH16/gzVNd7DnbB4KALAo8uHY5O5fXcKh7iBePn2EqlqSqyMcnNq3Eosj8YH8r47E46WweiyLzmw/spDLg4Tt7j3OwewhNN6gIePjDx24np+l8f38r77T1sLu5li/sWg9AVtM40DXImZFJwOTe1U3c3dJI99g0zxxoJZxM8+TW1WyqL6ReFBjVFs4Kb7X18KMDp6gKevnqvdtwWi30ToT557cPcbR3mD/47ssUuez86j3beP1UJ4Zh8sSWFvonw7xxqov1teWsry2/Ic/i/wTULC/D4bLOpYGM9k8x2jvJ137zXxFEEdUqk0vn8TW4+cxv3sfz//wOum5wz1NbWbauhnQqi8vnwO13zvNsn6vDuPgBF1cE8PidyIqE02Mjn80zMTRDsNxXoIFUZcpqg5dcW9UsL+POT23mmb9+HZvDwl1PbZnLlzeZzT3XDYzZondPwInDbUNWJYJlPpKxNCM944z0TvK3f/JDVItSWNBn8rM1MgLL1tXMS40pqSri0S/v5sd/9xayLHHXU1sorvAz3DPB4TfbaDtUUFdesbGOyGQc1aLg9juQVZmiUi9Wh4Wp0TAjvZP8858/i9VuAUzy2fyikYY5mBDJj3I2tpdHyn8Hm1iYq1N6lOFUG0WWSu4t+WXOxPYwlDpNhX0VifwU9c5NrPTczr6p7zGTGyagVjKYOkWjayu1jnWoog1ptvh2ledOREFkOleIzhvoTGb7iGmTPFn1HxjPdPP+1PfImRkm0n0APF7x+3QnjjCSOkPQUj37zRNZ5bmToKXmMqPu8vAGXTz5a/cs+fvnf+fBBdua1lbTtHZhzZIgCDz+ldt5/KK6kV9aJD++vC7I+tuWz/47xJf+6FEmhmbo7xjlvs9sY/X2RjpPDtB5YoDp0chNMTQckpNHyz7Fo2WfuuY2zmV9FFtKeaT0UzxSunRbS327jVl62xJLKZ8sf5pPlj99VccLgsCJnnGWV6xlrXcT4uz8IAjCXPqyScGRJFzgoTdm/+1XAzxd8UU+XfHFucyTC3Furjm3v8D5qN25WqtzTg5BEBAFkbXeTazzbULgwr6Yc3+bZsG4Fy/sy7nIVuGkhXN9AJGs14Y6+Frru3N/i4JIWssxnUnx7a5jeC22Wcf8+WO+tu0xmn3XzqJ2Sxoa5mxay6z/FSh4JAtZSFf3MEqsHiRBoicxSTiXxCFbSetZeuIThWJw4RLnNA0M05h3Tquk0Owpw6PaeHH4JJIgUmUvYpX3fI7puYFqYha8o2ZhYOnn2qIwQOtdIV4fbaMnMUnI6kERJRL5NGdio3P1AqJQKEI/kuwjnEvilK3kDI2B5DRDyTAr3IX8/YlMnEg+zUPla7ijZDmYMJwOM5OdTyM3/zoLvTRMc+46YekX3CrJ1Lr9i2qaWGWFCoeHgMXOeCrBZPr8eQcTUcbTCXTTZE2gFJ9l8ZC+KAjsLK3h9Mw4xydHyBn6FeunfBC+5mg2Q3t4EoBKl5cNofKrnhhsssK9VU10RKZ4se8sv7RyC07lfMgznEnz1lA3TkXl7spGlEtELq4WVkXhN+7fgc9RCL8OTkd45WQHf/rUfYDJf/zRG3SMTuNzWOmdnOGr922jKuDFosikc3nS+TwVAQ//9oGdvN7axcmBMQIuO60DY+xcVss9LY18d98JjvePsqy0iPFonCe2tLC5oZI///Gb9E+FKfY6Odg9xBNbWmipLMY2m8JkUWSe2LIKh0UhcQF1p2GYVAd9/NFjd7Cvs5/9nQOsqymjsbSIJ7e2sPds/2KXugB3r2pAFgVaB8+nS9aFfPz+o7s5MzLJf//8Q0Dh/VhTVcq3954gp+vMJFIksjlaqj4cpeaPKgRxfspoeV2I8voQX/3PT2OxKRi6ictrxzRNymqD/PwfPkr7kV5e/tZeVm5pwO60koymmRiawe6yoqgyqlUhn9VIJzPkMnnSyezsIt5ElIQFH+pQuZ/psQiR6QKL1/jgzJIeCdM0kWSJ+pZK6lZVcODVVvY8f4ynfv1eEATi4RTxcJLJ4Zm5JmYmYsyMx4iHk0wMzVDZWExlUykV9SEe/8rtBCv86JqB6wL2K+GCqFih3yJVy0r40h89xrH3zvDmDw7wC//3J6lsLMHusnL/Z7djUiiCz2XynD7YzfRYlEQkxdRoBNWqECoPUFEf4s5PbaKyoQRdN3B67EiX0CUx0MnqSaySC5vonL1vhSiHbup4leJCEbfsIZqfIKPHccoBHLIXUZBQRRtGYcnIjuBnOB19i1fG/ppqx2pWee5EFc7N8Rder0FKj+KZbVsRLbiUIvJGlnBulK74AaazgwAUW+swZ1nx3HIQp+y/IYuwG72Qu5b2zh3jCbgIlfl444cHeee5I8iKxIbdK6i8SYxiN/Lar7st8/ra6ByZQpVlLIpEXUmAsXCMioCXiWgCt93KZDRBIpNFlWUqi7ykczkGp6IEPU48s7/nNB2nTaXEO9+Dn83rRFMZZuIpir1OnDYLw9NRDMOkLOBGFkX6JsKFGsyQD83Q6R6dxmO3UuJzMjoTp9TvZiaewmWzkMlrhBNpTNOkJuQjns4yFonjtFko9jqZjiWJpbKEvIW+3WxjI2BxsDZwdU6zxZiorga3pKGR1vOMpiMk8hlGUxF00+DoTB9OxYpXsVN6iQLxi7HKW8HGQA2vjZ4ioWVocBVzJjrCQHK6oCMx+9XI6HnGMlFiuQzDyUJV//HwAH6LE49spdxxXqbeq9pZ76/mucFj1LuKubds5bziZc00mM4mmM4m6I5PkNQyDCSnORUZxiVbKLF5scsqdxav4I3RNv6m4016E5P4VAfvT3ajiNJsqkshZLUt2MDb42f4i9MvsaWojvFMlL0TXbiV88WjfosDj2Lj8HQvPtVe6P/MAD2JSeqc5/mUM3qeiWyMaC7NUCpMztBoi4yQ0fO4FRvldu+SUSJZFPFcQoreoSi4VQsT6QRJ7fxicSaTJj0rqhe0OS5pPFS6vLP91JhKJyl33oDqvxuEjK4xnUkiAB7FStE1Fk7dX9XEdztP0BWd5s2hLj7TuAZVktFMg9eHOklqeaqcXu6uaLih/W8oDmBTz6eNjYbjjEXi/MXzbyMKAl6HDd0wCLjs/OKdm3nucBtZTee+1Y00VxRjVRR8DjsC4LJasMgSo+E4kiTidRTGYpHbzlgkTjKbo9Tnwm23IAoCTpuF/Cz3/e8/upufHDrNs0fauG15LY9uWLFkn1VZJuC0IwjgsKjYFIVYOkvQfeM8fue81ecWqj6HnabSIvad7UczDJrLi+cZfKoq4/c7CIXcC0T4PgwYpkksmyWjabgtFmzy4lSjHxQcHhuqdb74ZbDcx/2f3c4//qcfY5omNruFX/mzp4iHk/zNH/8ASRaxOqxsf3BtQTF9TRWTwzP8w3/8MYIosHbnMu56YjMn9nTwzk8OE56MMdQ1Ti6Tp7jCX4gszEYKHB5bgU2oMsCmu1bxL//5eTwBJzXLy1AuUdQ82DnGt7/2EpIk4vY72f7AGhxuG5WNJbzxgwN0nOhHtSg0b6otFII7LLz/8gn2vnCMstogdc0VBMt93PHJTTz/z++SThVYDX/lz57C6bXj9jsXMGFNDE3zT3/2LJIk4vDY2XpvCzaHhZWb63j3uaP8rz/6HoIgsO3+Nex8aC2rtjbw7nNHOL7nLLIi4Qm48Be7ue2x9bz5w0Mkoikw4Rf+/eMUXYK9SETCKrnImxnCuREskhNJkLGIDiyijUh+jKQWJpqfQBQk7LJnVuBp4biSBIUW7z0sM3by0sj/jwbnZhTBSsZIkDNS5I0saT2GIlhxyQE68u+T1MIktQgJLYwq2iiyVKG7trDe/zCYJrKoYhEdQNsCg+VnBVa7yrb7V7Pt/ptbsPyzivFInJN9o3xu9zpePHSGL92ziX3tfaytK+cHe08iiSLVIS/T8RRBt4Pe8RmOdg+zs7mG98/0Y1FkrIrMveuasF7wXZyJJ3n3dC9uu5Vir4tj3cOMRxL0Tcxw77om8prOmaFJQl4HlUUeXjzcTqnPzbune3h080pePdbBU7vWcLBzkJaaEvrGw3SNTnNHSx3hZJqj3cPohsGqqhL6x8OcHhxnKpakttjP9hXVWJWbq1S+KVTJphuUKXGluCUNjZPhQf7qzKuFiAMQsrr5j63PISLQ4Arx3zd+BlkUCVnd+NT51HwWUaHY6sYzu90uqzxRtRGbpPDO+FlORYbYEqjnc3Xb2DfZhWVWJ+N0dJj/efYNprMJAErtXv7L6RcRgDK7j/+95efmzuGWbWwPNvLmWDsuxcqmQN28Poylo3ynbz/vTXTMbXt3ooN3JzqwSQq/t/JBNgZqcas2fqv5Pr7Te4DXR9uwSAr3lq7kztIVPDd4DCgYGjtCjfxK0x28PHKK7/Ttp9pZxKeqNzKRic2lfzV7yvh83XZ+PHCEb/Tsxavaua+shWZvOVPZOOpsUVRrZIivd+9hMDUze38s/F3X2wAUW9z85abP4bwElZl0iQWMKIhIoohmmHM5+ACaoRcKeCkYK5fK9bPM5kyamGT0G8cQcyNgzKY2SYKIKl36Oi6FCqeH7SVVDCWi/LinjUdrm1FEiayu8XxfO4oosaaohFq3//KNXQ0u6m910EtdsZ9fv287FkXGNE1CHieGaeJ32vm52zZwamiMnx47Q3NFMelcnpGZGOORBKORGAgC9SUBRiMxhmeiVPq9DE1H8TlsuG3WQqH6EroYn9rSQiKT4w+/+zKPbFiBYRhMx1PE01mSuTwziRSiIJDTNMYiccajCUbDMfTZvqVyeWaSaRLZHJFUmkQmi01VSGZzRFMZEpkc4WSKkNuBqshEUxmiqQypbI7peApVllCkgtKsKAiMROJYlYJR43VYWV1dyvffP8my0iIeXDc/z3b16sqbpsp8LYhmM/zFvvd4o7eH39q6g0eblmFXbhwT0tXiqa/eu+j2rfetZut98xdVgVIvf/yPv7hgX4/fyQOf38kDn985b/vme1ax+Z5VC/avWXHeQ/fkr50//4Nf2MmDX9i5YP+LIQgCdSsr+ON/WNiXtTuXsXbnsnnbRnoncXjs3PboBpo3zZ//1922nHW3LczN/vW/+MyCc5bVhhY9Z0lV0aL3cbG+AKze1sTqbVfODCcIAl6lhBWuXbw3+S0EQSJkqWGD/xEq7M20Rd/h9bF/wK0EWeHeiUP2Y5OcKGLh22CVnFhEOyBwLPwCM7kRMKHBuQmL6MDE4ND0s0xm+9CMDAemf8w63wMUWaooUit5Y+wfsEseQpYarKIDp81PLD/JW+P/CAjUONbQ7LkdVbQB5lxRsGbos6m2i1NG5w2tIBx6BZkPN0MB+WN8cNhQX0Fe08nkNWRZKszvOQ1BAL/ThtdpY3l5kOGZGNPxJENT0QIVswlFbifLyoMMT0fJ5vV5hgZA5ey30e+yMZNIMRUrREokUaS82EPP+AxnhyfZ2FBJNJnhtpV1hBNppmJJJEkkmsyQyRfWL06ryrq6MupKAgxORQBYXVOK32Xn7NAkE5EEiizhsKiXTne8SchoeXKGPlcvfCES+SyGaeKQ1Xnp8leLW9LQ2BqsZ2vwVy65T6nNy39Y8/iC7S2+Clp886nyim0evtxwG19uuG3e9kcq1s39e2Oglq9v/8oV9U8SRTYEavjx7b+x6O+VDj+/t/JBfm/lwnzPi1HrDPJHLQ8v2P5Q+Zq5f1slhU9Vb+JT1ZuWbMciKewKNc3T91gMm4vq2FxUd8l9loJhmqS0pdmr8oZOVtewSBLqBR5gu6ygzg7glJafV4h0MWL5gt6IKIiXNHg+DEiCiE2S0U2DtK6hGcYlNUMuhUdqmnl1sJMTUyOcCU+wOVRJbyzM8ckRXKqVB6tvbBFZkcuOw6JyYT1zscfFpzav4p/fOYxJIf3ttx7eSSyV5a9ffR9JFLGrCve2FDQ0FFliIpbgH946iEWRuWtVA3UhP+lcnjdPdfG/evZREfCwrqYMRZYoctuxzBajFrkcOK0qCPCve44RT2cxTXhySwsCkMrl+d77JxkOxzBNg+eOtHHnygaCbicOi8o/vnUISRS4Y2U9HruVY73DvHyig+l4ivFIHFkSWVddxr6OfvZ19BNLZ4lnsogbRZpKinjx2BlaB8dJZLJ8b/9JntzSQnXQhypL3LWqnr96aS+NxQF+8a7NSKKI22rBYVFw26147Jemnf2wMZNOM5ZIEMmkGYnHSOe1D8TQMIFIJo1hmLgtlhua5nerQ1YlfEUuLDeQ2vaDhirZWO7ZxXLPrnnbA5ZKdoU+v2D/9b6H5v692nu+zmFn8HOLtn/bRW2Ys+nDmwNPzpJaiBiYaIaGLEps9D+KgTknJCogUmpfPctyZ8U0TSayYRRBwqe6kQVp1omlo4iF4uaB1BhBiw+XbEc39Fn6dAFJEGcL4AvnkhDJGjlSehaXbEcRC/O6bupz7H0f49aF12FDlgTcdiuqLLGyqpg3jncRThScSH6XHZfNglVVsKkKsVQGn9OGLEmoiozLVojIOywq0kUkH/Lsdnl2PltVXYJumGTzGj6njUgijU1V5ti2NjZU8u6pHhKZHLtX1RFJpnnrZDd5Q0eVJGwWZc4pGXDZ8TpsvN3aw6qqYsoDHiLJNJOxJF6HDesltGRuFg5PDXEmMsHu0joaPfPVxN8a6WY4GeETNS0U269dYf2WNDQ+xq2JnK7P1loYC0T1DNMgkk0TyabxWmy4L0ixCtmduC1WBGAoESGl5XAtkoJlAh2RAvu4z2IjYL023Y+bBZusUOJwYVKopRhORql2LZ2ecCmsD5WxzBtkKp3ixz2nWVdUzgv9ZzCBYpuTnaU1N7Lrc8XVF2PX8lp2LZ/P7hV0y/z50/fP2xZNZWYLwyv53M61835bWVHMyoqFhWIXnvPzO88b9b/3yO4F+zqtFn774V0LtlcVebltxUL2sQ11FWyoW8i9/+C65QsiEACfu+D8F0KVJX757q1zf+uGQTiZZmA6gkWRWf0RqM0odTrZUl6BIopsKivHZflgDPS8rvP906dI5XM82byKCvetk+Z4sxEq9/Pwz992+R1vAWhGhpQ2Td5IY6AXKNwFGVV04JCDF9CTLoRhamT1OFk9hmZmARMBEUlUcchBZOHSFLoXoqA5NTbHyFdhLyaeTzKcnsSjOCm2+pnJxYjmkrgVO17VyfHwWTJ6jo3+FThlO/F8CpdiQwCyeo6xzDQpPUuNowQRiWguQZHFC8BgerxQG4lBnaOMlJalPzWKXbZSZSumLzlKa7Sb7YEWQlY/U9kI0XwCn+omaPF+bGzcwnhwY2GO37Wy8G0oD3jY3FhZoC0WBD61/TylcmNZ0WxBtlkgkgCqgt7CcUUL56yQx0nIcz41t7LIS7nfwyz5IoJboMTnQp4VYm2pKaG5KlQgIREEbltZi7HCnBOyLPWfZyO1W1Q2NVaysaFirrB896q6WVHODye6djYyyYnpETYFF0bpLZLMO6M97Cqp+9jQ+BgfDHKGTn88wmgyTsVFtRMzmTSd0SmiuSyrAiWUOc6/XCGbkwZ3gIPKIEcmhhlJximyOhaE4qbSSd4fG0ASRLaXVF039dyNhke10OwLYREl+uNh9o72U2xzXbGa+IWQBJFP1K3k2OQIbwx28Rurd/DaYCeqKHFnRf2ihtiHCUkU8Dvt2NRbK53tRiOT1zjYPUjrwBib6iupDHg/7C5dFnZF5Zc3bP7AzzsSj3FoZAiLLJPWfrbHxUcVmpGhL/EeHdEXmMl2kzOTiMhYJTeVjm1sDf0G0hI0oIapMZPtoSv2GsOpAyTy4xhoyIIVt1LG5uCvUmJbw5XWT2SNHPtnTlHvrGAoNYFLcRDOxhhIjpExctxVvImOWD8pI8sG33IEBHTTQBYkFFFBFEQms2Eyeha/6qE3OcxoeoqQ1T8XtehPjRGweHHJdvZOnWClp55T0W6KVC+RXJzxzAyDqTE+X/0g52hRbJKFiWyYk5EuUlqagMWDJ7AKq7T4HKzrBtFIimg4SSadxzRMFFXC5bERCBa0MC5eMGazebrOjGKzqdQ0FJNOZZmeiJNKZTF0o8CW5rLhCzix2ZeOkmUzeSLhJPFYmlxWg1kSA0UtHO/22LBcVB917tyKIlFW6ce5iBZDLJpibDiCJAmESr243PP3mZ6MMzURwxdw4i9youV1ZqYSJOJp8nkdSSqIV4ZKPVht6oLrN00TMyeiznhJxFOMzCQ4MzWEza7iCzhxumzXTR9+KYX662V0urhvykVCofNYOIWCAOvSfZlvUBT6ds1du26ktBx2ScGrLhwXRVYHKS131QytF+NjQ+NjXBVGkzG+33WSpxpW47fakQSBeC7LW8Pd7BnpxyrJrA7Mry8QBYE7K+o5PDlM69QoL/SfwSLJVDo9WCSZvKEzlUny7Y4TDCeihOxOnqhvuUQvPhzYFZXVgVLWFJVyeHKYH3WfwmexsSpQgktRkQSRvKGT1vNEsxncqpWQzTkvjexC3FFeT7njAGcikzzX105PdAafxcYD1QtzsD9sOK2WBZGPn0U4LCoPrl3Og2tvPf7zWwkm0BWeYSQRp9Z7bVG9/zNgEs72YZE82CTfB+6xHE0fY+/4f8NAx2+pQxXdBbp0NFTJNUdFuxgS+TFOR35Ad+wN7HKAgLUJWbBioKEINmTRdsloyGIQEAmoHiK5OLF8kr7UKJPZCNbZWkm34qRcCRG0FMaUS3GQ0/NIglhgRhQgpWfIGjmSWga/6sGnuhEFCd3UEQWRWD6BZgYwTAioHjyyg4SWpjc5wnhmhqyeRxYl3IoTm2RFFmU0LUU8n0QUBOzS0qmS2Uyens4x3nujjWMHehgfiaBpOm6vnebVFdz5wGpWb6jFZp+/2J6eiPP7/+br1DYU8wd//gQH93by7munGeydJJvJ43RbaWou5/b7WtiwrR63x77g3PFoihOH+9jzVhtnW4eZmU5g6AZ2hwWv30HD8tLC8VvrEaT55/69X/o6RSEX//aPH2X9lvoFbZ8+PsDf/+Ur2OwWfv5X72LTjsZ5v+99s43vfX0P9z22jjsfWE1n+yhvvXKSjtMjxKNprHaF8qoAX/39h2lcMV/81DAMZqYSnD0wjfl6I2Nnx3gmfpbn1G4qagJs2bWM7bcvp7wqgCzfWs5F3TCYzCSYzCZIzQraSaKIQ1ZpcIcKGmgfdievE7IokjE00vrCtPh4LjMbbbm+q/zY0PgYVwyLKOFQVJ7rbWc0FWdNoBSLJNMdnebN4W5642E2hyrYXVaHzzLfOt4YquCx2hVEsmm+3XGc/niYrcVV+C02YvksByeGeG2gE5/Fxuea1rIuWDbveM3QGU8lGU/F0WYFZ1qnx0hqOfK6Tndsmr2jfcizBelu1UqZwz2POjaZzzGYiJDI59AMA800GExEZ4u8NfaN9mNTFGRBRBElimwOKi+K3NS6fXx+2TpmsmmOT43yp4ffZEtxFfUeP6okkcznGE3FOTMzyT2VjTzduJoi2+LsVB6LlQeql9ETn+HbZ48jCAJN3iCr/NfOV30tMGdrb8YTCWYyaVL5PLphFCZURSVod1DqdC6ag98XCdMXiVDv81PsdDKeTDCWiJPKFxYHXquVKo8Hp2pZtHj+7f5eFFFke0UViVyOvmiESCaNbprYZYUSp5NSp2vJ/P+JZILeSBiPxUqN14dhmowm4kylkqQ1DUkQcKoqVW4vXqt1QRTNNE3iuRyDsSiRTJq8Xqi7cVsslDpdFNnti06y13vdpmlyenKC6XSK1aES3BYL4UyaoViMeK5QgGeRZIrsdspdbmwXMZFMp1P0hsPEstl52xsDAUqdrkvWDl3r89YMg+l0iolkgnguxzv9vYzG4zgUlQPDgwxGo/P231BWhltdyMp1Ti9mMBZlOpUiq2sIs8+p1OEi5FgY7fyoImek2D/5P6hz3UmT+6HLH3CDcSb6HJqZodS2lh3Fv4tbLQNTQDMz6GbuksdOZzsZS5/EJvtY5XuSBvf9WCQXhqmTN1IowtXXLumGxlBqAlVU8Kku7JKVMlsQi6igCDIexYFNPt+uW3Ywqk0RyyewSzYM0yClZ0jrWWodZbTFeonGk7hkO5qhIyIwnYuRNzQEoC85giRKFFk8DKZUSm1F+NRCCohVVLFLFiYyM5TailjhrmEqFyVg8WARF0YVNE3n5JE+vvX3bzM0ME1JmY+W9dWIokAsmubo/h5OHO7ny79+N3c9uBpJml+wbpowNRnjmX/dy6G9nYRKvaxcW4VhmEyORTl2sIeh/il03eD2+1bNW3QbhsH775zl2//4Lpl0jrJKP9X1IQCymRzxWJrjh3qoqC5i3Za6JWJU14/x0SivPn+cw/u6kCSR2obCtyqTzhGNpHC65o8J0zSJzCR5/vsHef4Hh3C4LFTVBrE7LGSzecZHIjzzr3vp65rg01/aSW1D8S1TnG+aJmei4/xo4Dj7JnoJz0oFKKJEvSvIf930CYqsN17v5INGmd3NwYkBjk4OEbQ68KjWwljNJtk73ofPYsf+s0hv+zFuTTgUlbsqGjBMk3dHenmx7yyZWW+Tz2JjZ2k1TzeuYX1wIUezLIo8Wd+CJIi82H+W1ukx3h3pJafrKKKER7XS7A9xT2UjX2leWPSeyOd5sf8M3+86SVrLk9Y1Uvk8GT2PCfygq5UX+89ilWRsssK6YBlfWr6RVYHzi/bBRIS/PLGXs5Ep0lqejJYvGB2mQS6n8xvvPYdNVrHJMm7VygPVTXy1Zfu8ftgVlTvK6xEQ+GH3KXrjM7w22MGzvRomJoooYpMV/BY7HvXy6vMP1Szn250nGEpGUUWJR2tXfOCLrLSm8cO20xwYGaJ9apLxZIK8YaCIIqVOF+tLy3i4oYnN5ZUL0sRe7Orgawf28dWNW9hQVs7zHWc4MDzERDKJIoo0+P080NDEAw1NlDicC67tV198Drui8OynP88r3Z38tPMsPeEwGV0jaLOzraKSx5atYENp+aIpakdGR/jagX2sLSnliy1r6Y9GeKHzLMfHx5hOp1AliXKXm9/dtpOdldXzzm+aJn2RCK/1dvFGbw+dM9Ok8jmssky1x8euqmruq29keaBowaL7eq/bME3+9ugh3u7r5a/ue4hKt4efdLTzVl8PA9EoeUPHb7VxZ00dv7ZpywJDo3tmhn84dpiTE2NkdZ1kLkfeMPi/d93BU82rkNWlPwzX+rxT+YJx8dPOswzGoownEqQ1jePjo7RPTSwwqL75+JOsChXP8/iZplnQiunr5eXuDk5NTBDNZpBEkTKXmx0VlTzYsIyWUDGWa0hJvNUwnelgIn16NsXog8dMtiD4V+u6HY86W9MkgCLYULh0DVxaj5DSpiizrafEthqrVEiHlQQZSXJf8tjFIAoiIaufXcG1c8Jv2wItmDA3dmqd878dja5K6p3lQEGIc1dwfq3VzuCaAjX1LMvUI+Xn67x8qosdRWsuOtd5BquAxcMdoY1z21Z56gsia8I5tav5GBmc4bnvH6Sve4Idd6zgkac2U99UgqxIjI9EePb7B3jhmcN842/eZHlLOVU1wQVtzEwn2P9eB/c+vJb7HltHSbmPXFbj1LF+nvnXfRw/1Muxg92s2VhDsPi8kyudynFwTwdjw2Eee3oLjz61mZJyH6IgkExmGOyb5uypIbbsarpkCtH1ov3kALIis2VXEzvvbKayJgDA1EScvu4Jisu88wyFXFbjyPtdPPf9g/iLnHzyc9vZcecKPF47qWSWI/u7+fG33+fgng6Ky7wEiz0L0rY+LMTzWb7dc4gXh05T5ypiQ9lyXIqVtJ7HrVhRfwaiGQAt/lL2jw/wbP8pxtJx6twBdMPgVHiM/eP9PFaziuA1Uvmfw0d/Jv8YHxgM08RrsfKFpvVsClVwYmqUcC6NRZSpc/vZXlpFo6doyYWyXVH57Gy04uD4IL2xGRL5HDZZocrlZXNxJWsCpYt6gCVBoMjmYIU/dEV9rXB6FixMLZJMtcu3ZCrThVBEaUmdDJdq4cHqZawpKuHQxDBd0SmmMymMWS98wGqnwVPEumAZzkss+ADqPQEqnR7GUwkCVjt3li8Ma99spPN5/unEERRRosLlZlUwhCrLxDIZeiJhftR+mp6ZGf5wh8qGsoVGpGYYvD88yJGxEVL5PKtDJSiSyEw6TdvkBH95YB+xbJafX7Men3WhIFEsm+Ufjx/h7b5e6n1+6rx+crpGXzTCTzvP0hWe4Xe27mRbReWS3q6JZILnOs5wfHwU3TBpCRUjCgKpfJ7pdAqXalkwLseSCf7Hof0839FOjdfHlvIKnKpKStMYikb4VusJTk9O8NVNW1hfUrbg3Nd73VDQ3Dk+McrL3Z0cHRuhwu2h1usjp+tEMhkQCgb+xaj2eHlixUq2VlQynUrxSk8X3eGZyz5ruPbnLSDgsVhZFSxmVbCYI6MjHB8fpdLtZlNZBb6LyBuK7PYFH+KMpvHtUyf526OHcKkWVoZC+Cw2ckYhwvHDM220TU7yG5u3XfJ5fzRgMpI6isGHU79imgY5PQWATQpc5bEmupFDN3Mooh1ZXJjKc6XtTCaShFxOVFGmxdswr8j6YmVm3TCIpDMFPR+HHUkUFy3KTmSzSIKIRZGXLNpe51s2K5B7Xoj2YgPiwm1LGRjnruPgng66zoxQWVPEo09tpmnlecHWknIfT39pF0ff76a/Z4L3XjvN537x9gXtyLLEspXlfOoL2+fSo6w2ldUbaxkZnKG9dZCJsSgTY9F5hkYuq5HLaZimSWmFD1/AOVf47HTZWNFSwYqWheQYNxqjQ2Ge/OIOPvm57Xj957+PVbVWqmrnG1amaRKPpXnpJ0cRBNi2ezn3P75+zhByOK1s2dlEeCrOP3e+QduJAfq6G2lZt1CF/cNAX2Kanvg0Vlnh3yzbye0ljXN6aRcKHH/UUevy82T9Gn7c28resV5eHjyLIIBXtXFneSOPVjfjUa+PefFjQ+MWw1D/FH2d42y5bRmysrCo7MOECWiGic9q46Ga5TxUc/V57KIgsNJfzMqrTA9yqRY+UbeST9StvOpznkOt288fbrj9mo+/EJIoUuXyUXWNrFPnEM9lieWyCAJsL6mmxHHtzA7XCp/Nxi9v2IzbYmVlUYgylwtJFIlmMrza08X/PLyfrvA0b/b1LGpoABwbG+Xu2nq+unErLcXFWGWFkXiM751u5dunTvLd061sKa9gc1nFguhA3jD4acdZfn3TFh5sXIbfZiejaRwcHuTvjh7i6Ogoz7SfZkVREJ9tcW/XmakpJpJJtlVU8WBDIw2+AIooMp1J0xsOs7woOC+dyAS+f7qV5zraafAH+I3NW9lVWYNTVUlrGsfGRvjGyePsHeznm61Wyl0eSpwLw+TXc91QYG56vacbl2rhq5u2srmsHL/VRkrTGI5H0Q0Tj3XhJF/sdHKvs5BHHU6n6YmEr9jQuNbn7bJYuK++kfvqC+f9X4cP0D41ybJAkC+v3UCj//KL2QMjQ/zt0UPYZIV/s34TDzY0UeRwkNM0ToyP8U/Hj/B2fy/fPX2Ser+fYseHl5qgGVkS2jjx/AhZPY5paoiCjCzasEpenEoJNsmLKMjzjonk+knrM2T1GIOp/RimxlS2g47YC1xYOG0RnVQ7dy2oczBMjbQeJp4fI6PNkDfTgIkkqFglL26lErscQBTmjycTk8l0G2k9jGZkyJtpdDOLiclo+hhZIz63ryLaKbOtxyp75o5Na2Gmsx2FY400E5nTAMS1UfoS72CTztfdBSwNeNVa5NkUo0S2kL/uUBVEUSSZzZHVdDw2C+/3DHDX8npAoMRa8JYmsjlsiowqy+R1nXQuPycmOhiOEktn2FxTsajTKpHNcnZ8Cq/NSoXXQzqfR5ZE7KpKVtOwyDKGYVCk3jgdokw6T0/HGJGZJHfcv5pgiWfBt9njdVC/rITB/ilOHunjs19ZIF2Ew2lh1dqqBTUYqirjCzhxuW1k0nky6flpbU6XlYrqIlqP9fPOq6eQRJFlK8sprwpgd1jmKc7fTLi9djbtaMTtvbzhaZomM1NxOk4PEwi52bCtfkG0xWJVKCn3Ewy5GR+JMDYcvmUMjWg+TVrPU2rzUGb3zBNl/lliJBMEgfVF5dS6fHTHpplMF2qVyh0e6tz+606bgo8NjVsOp4/288y/7GH1xlpcnlsjhPgxbh4OTwwxmIggz7JQfRgQBYGnVy5Up/XZbNxWXcOxsVF+0H6KwVihnmWxiFOxw8kDDU1sLCuf+73c5eZzLWs4OjbC/qFB9g0OsCpYjOeiBbcoCKwpLuEzq1bPMY3ZZJkt5ZVEMhmOj49xdnqS01MT7Kxc/CM0mUpyR00tP796HZWe855Au6pSuQjt6kwqxffbCh/sz61aw4MN5wvw7YrClvJKTBPapyY4PjbK/uFBHl+2UMH8eq4bQDdNJpJJfmfrTu6sPa9vY1UU/EsYVdeLG/G8rwWGafIvJ46S0TQeqG/kcy1r5ow/iyyzrqSUJ5tXcWB4iLapSY6OjvBAw5WL0N1I5PQEI+lj9MbfZirTTkqfwTDzs7SwLlxKKVWO7dS57sKpnI+yZvQoZ2MvMJ3pIKlNkNamMTEYTh5gLHV83jm8ajWVzu3zWJ8MU2c620VX7GWmMh3E8iPkjQQmBrJgxamUUGJbQ4P7XvyWhouKuU3ORH/KdLaDrB4nb6bmKGk7Yi8iXvC5dyoleIor5gwNgGiun2PTXydrJMjrSXJGQbx2OttFNDeIcEE/V/s+g1MpQUZlOpmie3IGqyKzrLiIWCpN9+QMsiSyuqyE/pkIHeNThNMZttVWMhiOEk1nUCSJuiI/I9EY0XQWt9VCYyiAVZaJwTzR13MYjycYicQ5NTLOipIgPruNkWiMsWiCrXWVdE5MUx/00z8Todzjxme/Me9QJJwkFi1oxowNh3nr5VbURVTmpyfimGahlmExqBaF0vLFnVOyIqFaZAzdwNDnX7uiyuy+dxXxWJrD+zr5xv9+i4YVpTSvrqSuqYT6phJCJR7Em5g2BRAs9uBwWa+IIUrXDcZGIuTzOtlMntYj/Qz1Ty/Yb6h/mkxWIxHPkIxnbka3rwg5Q6c7Nkl/YoaUnuNUeJSZbBJFlHh1uJ2T4eG5fbcF66hy+OYM4YJGjEl3fJK+xDSxfKGI2qPaqHH6qXMVLZpG3Rmb4FR4lGZvCfWuIEOpCF2xSSK5QiTSpVhZ4Smm1O5BESXeGDmLLIqs9pVzYmaYyUycoM3FtmAtOV1j/1QfkVyKoNXFen8l7quIRPgsdjYGry1yeTn8TBkaaS1Pd3SagUQYE6hx+VjuCy3QfLiVUV0f4u5H1qGot/6juZnKqoZhMDoWpbdnkh07mq6a/i2RyNDRMUZxiYeyUt+HSh+3FFL5HD/sPkVO11npD7E+tHi04MOEXVao8njmVNGXWnjWer1Uut0Lfit2OGkKFHFifIyTE+OktDwe5k9+siiyraJyAZ2xVZap8/mpdHuYSafpmple0tDwWCxsKqugzHVlEaGTE2NMpVNYZXnOQ39xnyo9HtYUl/JGbzcnx8d4rGn5grF+PdcNhUV/tcfLrqpbw4t3pc/7WhDJpDk6NookiNxb17igYF2RJEqdLqo8HgZjUTpnpnnghpz56mCaBtPZLk7MfJNYfpigZTnljs1IgoJmZsloYeL5UZLaJIY5n6lFEhQClkZcciFi2xb5CQltjBLbGkrtG+YlW1gkD+KCsl2TeH6EkdQxrJKHCscmLGKhHiKpTTKRaaM9+iy6mWO173OF4u45CJTYVuNVz/PhH5n+J3QzR61zN161Zm67Kjqxy/MjUDY5QI3zvDbIWPoEA8l9+NRqyu2bsUrnjZKQbRWyUKB/zeTzDEWiiIJAbcBH6/AYANUB79zYkSSRrolpGoJ+jg6OsLw4SO9UGIC+6TClHjd902GK3ZeOYJ0Zm0QSRSRRwDRhIp5kIp7kna4+VpUXk9N02kYnOTE0yqc33jjmwlw2j5YvUHzuf+8sh/Z2LrmvLImYixhJUKBJtV6CvvZSaGou48kv7qCusZjTJwbo7Ryn9Wg/oWI3q9ZXs2l7I5t2NC6gt71SXIkqtcWqXHENoWlAOlmIzERmEnz/G3svmWxksSpza4oPA1k9z8Gpft4YPUs8n2Emm2Iml0IAnhtsRRXPr8mKrS7K7Z45J0He0HllpJ1Xhttpi4ySNwzAxCIpNHtLuL+8mduKGxaIEB+ZGuSv2t7i5xq3EM9n+MnASVrDI0RyaTJ6Hods4bdW3kHQ6kIRJb7etR/dNLi3fAUvD7XREZug1Obh/1p5J+PpGN/uOcRUNknI6uLnGrbwRM3i+lHzr1tDN00skjS3Vo5m04ylEzhkhZDNdUXp5pfCrb+avUKYpkl3bJpXhzrwW2wookTa5izkSNyCi8ylsHx1JctXLxROuRUxNh5ldDTCurXVN9zYMAyT3r5JXnjpODt2XL1XMxpL8857Z9i8qZ6y0luDfjOlFdh9BEEgkk3z1nA3e8f6EQWBLy5fj036cF7Hc96Y3kiYwViUcDpNWsuT03VS+TzHx0YL+83+txg8FivOJbQ/ypwurJLMeCKBpi9UhReAUufiBoJNlilxOhlNxJlOpZa8hoDNjm8RVqml0BsJY5omHouVoGPxWhy7olDucpPWNCZTSXK6vqBA+XquGwq1R9Ue7weqqn0jnve1YDAWJasVPmp7B/vpCi/0bk6lUkSzWdKaxkw6fcPOfTXQzRzhbA9TmTOU2Teyoegr+C11iIKCbuRI6dNEc/3Y5SIc8vy8dJvsY7nn4bm/+5N7SWrjFNtWs9r3mcvOk6IgE7Q2sz7wJexyALdaiUUsvBvJ/Dht0Z/QGXuJ4eRBapy75xkaAgJNnvmm2YmZb2GYeWqcu6ly7ljyvAICXrUKr/+z57eFJQaS+/CqNSzzPIxHXfy7ZFMUJEGgdzpMTtORRYmsppHI5DDMQnH1slCQ7okZcpqBKkmk83lEUZg1GkQy+TyiIJDTdKaTKQbDUar8XqyKPO+dViSJTD4/F+0YikQZjcVJ5nKYJqyuKOE7h05iUWSc6kI9h2uFLEtzaT8btzVQ11RySSrWAr3twu0C1+6YEwSBqtogFVUBNu9soqNthM72Ec6cGuLNl1o5fXwAwzDZeVfzJXUcFoOmGeTzl9dKEASueD0lCKBaCvfI43Vw10NrsDuW1oeSZZFlq25+nclSUEWZNf5yfLN6Eu3RcV4aakMVRT5RvZZy+3lDe5mneN64fHe8i79qe5ucoXFX6TKqHH7AZCAZ4eBkH38dfw/NMHiwYuUCB0vW0Dg2PcRgsiBmfE/ZcpyKhUQ+y2AyTInNg3LBMX2JGd6f6GV3SSMrvCV8v/cof3d2DxZJ5r7yZtJ6nmf6jvHswEnuL29eYNxcjK7oFGciE6wJlNHgKWI6k+T5/jYOTQ7iUix8oraFtYEyLNexPvmZMTQ006AvHian6zzduA7rIjcllcjQ2T7KQM8EyUQWWRbxF7loXltFsMQzN5GkU1lOHOplqG8KLa8TCLpp2VhDyQUhz5mpOMcOdFNdF0IQBNpODJBKZPEFnKxcV0WwxMvJw70k4xlWb6zFV3TeUxOZSbD/7TNU1BTR2FyOxarw/tvt9HVOoOuFl/3pX9iNrFyUg2uaZNJ5zp4aYqB79hoUkaKQm2UtFZRVFjxU+ZzGQM8kHaeHiUVSWGwKDctLqVtWeskX/Wqg6wZnz45x5Ggva9dU3XBDQxQFqioC3HXXymuKRricVrZuaaC8/NaJZhwaH+TQxBAZXSOcSbNvrJ9YLsPDNSu4q6LhQ+vXdDrNc2fbOTw6TH8sSkbLo0oSIkJBBf0KFnySKCItcaMtkowoCGR1DWPRhauwpMdEEkRUScIwzFkv0eJQJWneZHw5pDUNk4IxsdTwkARxzrDIGzp5Q8dy0ZR5fdcNIGBXPthp+EY872tBMpefrfMy+M7p1kuuVwqG14fn3TQxMDGQBAVVdMymKAnIogW3WIZbKbtsG9cKl1KCS1moSO9Sy6h0bGM8fZKpzFlyRrzAuPQhT3CCIFAX9OO12bAqMi3lxbSPTRbeVwE2V1cgiyIrSoIEnXbWVpQxmUhQ7fdSX+THqshMJ1KEXE48Nit+hw3NMBalaG4KBRgMRzEMk2K3E3feit9uI+h04LSoWGSZrKZxW0PNnAr0jYDHa8fpLhA6LF9VwcNPblpU6+KDgCiJlFcFKK8KsGVXE53tIzz7vYMcfO8sP/72+2zbvXxBLYQoCRimWRD5uwiGYZBMFNKWPFdQe3E1/QyWeJBkEYfLyp0PrKZheenlD/yQYJFk1vorWOsvGDuesS72TfRglRR2lzTQ7F2877Fchr/v2MtEOs5vNt/BEzVrcas2TNMkms/w/GArf3t2Dz/uP85yTzFNnvmENqZpcio8woMVq/hi/RbqXAEUUUI3DSbTCdyqdV60P5xNsTFQxefrN5PWc7wxcpb26BhfqN/Cry6/jYlMnMNTA0xlEoymozQqlybQORUe493RHsocHho8Rewd6+OVobNUOr2MpKI833+aSoeHMsfCFOQrxc+MoQHMxf7OTbvnPlMChZfp4Hsd7H2zDUWRUFWFXE6j7fgAxeU+iooL4elcNs/z3z3I0fe78BU5kSSRU0f6OX2in6d/YfecsRGeSvDSM4epbgihqjKZTJ5cVmNmKk5ppZ9giZees6McO9CDy2PDV3R+Idl+cpDnv3eQJ35uB43N5XOdzWXznDzcS/vJQZ74uZ0LDI1UIsubL55g/9tnUFUZu8uKaZhMjEYpKvZQVhlA03ROHevnteeOkUpkcbqspJJZTh7q5c6H1rBhewM2+7UbG6ZpMjYW5a132jl1apCR0Qj/9M/vIggCK1eWs2VzPel0jtZTQ9isCrmcTkfnGIZpsm1rAzXVRcTiaVpbhxganiGf1/F67GzeVEdxsQdBgGg0zQsvHieb0/B553ubR8ciHDvWT1mZl86ucdLpPJUVfla3VBIIOMnlNI6fGKD9zAimaRIKzveUv/b6KUIhNxMTMUZGI1hUmbVrq2lsKEYUBXI5nf0HuhgeDpPNaei6gdNpZWVzOS3X6W3pi0f4ad8ZhhJRJEGgxOHiyYYWvrR8I251cVaimw3TNPmXk0f5ZusJbLLCffUN1Hh8eKxWrLNiiu8N9PGD9tOXbCen60saAplZL7ZFlpdIwzFJ5ReKBQHopkFW05FE4TJe/6twtQGOWQMjlc8vGfTUTYOMVuiXIkqL5the33Wf6/UH99xv1PO+FlhnDSpFFPml9RvxLlLkfg6iINLov3HFvFcDSVBxqxV41EqmMmc4MfNNyu2bCFpX4FBClxS5u9mwy34skhsDDd3UuBVC9j67Dbe1oBcjCAIOYFtd1SztLGypLURCVpQWFjwem5XaIt/cO9EYDNAYDMzNfytKQqxYaGcBUOR0EHAUFsPn9jdmzyMIAgMzEZpCRTSEAjf0rtidVqrrQrg9PbQe62fLbctwuWwfWBH2kv1yWFizsZaZqQTHD3bT0zmOYRjzDFBREnC5beQyGqPDCwkjIjNJBronSKeyC367HoiiQKjYQ219iInxGEf2d1HbUIwkf3RS2a8EJyMjtEfHqXB4eaJm3VxdhCAIeFUbu0sa2TfRy+nwCAcm+xYYGgDFNjc7i+tocgfnnpskiJTYF6eR3hCoQpUkbLKDMruHaD7N9lAtsihikWQqHF5OhUeI5i7vNJrOpLDJCiGrg2guw97xXmpdfn5x+VbawmN8s+so4Vz6Y0MDQBZEql1+zkYm+WbHUVRRYpkvxLqiMhRRIpPOc+xAD7msxn2f2EB5VYBMKsfkeJTSivNFPa1H+njhBwe597H1bLtjBapVpqtthK//z9cJlXj57C/dPnfOeCzNYM8kdz+yjqaV5UiKiJbX8QWcqBaZhhVlHDvQQ2/nOCvXVWOxKui6wclDvbg8NqobiucKyjbftoy1W+oQJYGO0yMLrk/TdHo6xnjpmcPULy/l3sfX4ytyouV1clltzlCaGInw9ksnScUz3PfJDVTUFBELp/jRv+7jzRdOUF4VoLZpiVl8CXhUK19dvZ2crtPsDyGJIjabCggoiozbY0cQwGot5J6mM3n2H+gmFkvT2FAMQkFRVdMK0Zp0Os/oWARNM1BkiRMnBxgdi/DzX9yFxSIjigIOh4X+gWn2H+jmE49vmOvL5ESc7z9zkJXN5YSCbjKZHO/tOUsimeH+e1fP9kNB1wwOHOymsiJAff15hqv39nSQzeapqwvisFsZGJim7cwIv/kb9+L1ODh6rI/X3zjNhnU15PMa7+3rpK4uxPobwISxraQKt2ohks0gCgJBm501gVJKHQtz/D8ojCcTfO/0KZK5PL+4biOfbm4hYD/v1Qqn01fEZhTJZIjnFv9QjSRiZDWNEqdz0aiDYZoMxWOLHpvWNMYScWyKQpHtxnnb6n1+BEEgms0wkUwsym6UyucZjsexyQXhvMWiLtdz3R8GbtTzPgeBK487VLo9WCSJvGGws6qazWUfXprEpSAIIkWWZazyPkVH7CX6Eu8wnj6F31JPwNpIsXUVAUsjqnRzGLEKgoYxwrle4vkRMnpkVmAvT0aLEskNnNvzppz/WnBxyuKlUoQuprS9WgfLxftfOHcqksSG6nJU6cYyNoqiwKYdjbQe7aezbYQXnjnE7feuorohhN1uIZfTSCayjI9G6O0cZ+edK/AFnDesD6NDM/T3TOJy2yir9OP22pEkEUM3mBiPcvbUEFpeJ1jqXXBOVZWpayrh+MEeDu3tYuXaauoaC/TfM9MJ9r7ZzqF9XTeknxdCEARcHjv3PrqOr//Nm7z9ciser53VG2rxB50ICKRSWSIzSQb7pnC6rDSvrsRqu36Wow8SrTPDGKbJCk/JosXXbsXKKm8peye66YxPLNpGpcNHhcN3xePFZ7Ejzr5FDsWCgEBwVjxQQEAVJQzz0lkA52GiihKKJHEmMsFYKsFjNSspc7iJ5jOkZkWRrwc/M4aGIAg0eAIIwjKGE9HCIJ99AACSLOL22hnsnaS7fRSv30llTdGCRfe+N9uRJJF7HltHsKRgwfkCTl5//jgH3z3Lp79825xFbpomRcUedt27CtsiBV51y0ooq/DTfWaUidEIlbVBRgdn6Dk7xsr11QSCrvPWqyRis1tmC7kWXl8uo3HqaD+ZTI4Hn9zEiiXqOAZ6JxnomWT7HSvYuL0RRZUxq00624Z58ZnDjI9GqGkovipPjEu18HTjfMGpu+5oJpXM0t0zwROf3LggTJ3LaeQ1nZUrK6ivC5LL6dhsCpIk4vPa2bWjCafLiqrI7NvXyde/8R6f+8x2LBYFt9vGQw+uxWZT6eufWtAfQzfw+Rw88vBaAH787BHa2obZvrWRQMDJ6pZKXC7roscCZLMa27Y20thQzOhYhD/4o+8zODSD22Xj/f1deD12/v/tnXeQXfd13z+/2+99vezu216xi94IgmADRdIkJVISVRhZthTFjpM4HmfSRslkksnEyWQmxZkk40k8iTOJlDiJM1ZsWYkUWYUURVEsAAESANHbYnt/vd6WP95i0XaBBbgssu7nr91Xfre9+7vn/M453/PJT+6hUKyylK1gGArDm+7OOVuN4Xia4Xj6PY+zkcyUShTqNRRJ8HjfwA1Gpw8UGnVOzq8+OV7PaC7LWC7HrtbMDUbHbKnEucVFqk6zz4Sp3Loa7Po+b0yM8Wu79qJdVwNRcxwuZZcYLxQYSCTWJZ+6Xra3tNERjjBVKvLdC+f4lV17b3jf8TzG83mOz07TGgqzo3X1jrXv5bg/DDbqekMzMiFLgnKjQWMdD6KUabEn085rE+N8+9xZ9rS1f6C1KXeDqcQZiDxJTOtmpnqc2epxpqtHmaocYVzrod3ay2DkKeJazy3ytO8Fx6uzUD/DxcIPWapfpObmEEJGERpCKHi+TcNd3SkPgPbY+ycP3jfUynOf38c3/ttP+cmLpxi90GxQpxtqU1mp2mBpscT0ZJbtu3tIpDbOEZ2bzvHdbx6hVKyRbo0SiZqomkyj7pBdLHHy2BiqpvD8Lz6AotzoZIXCBh97ZjtnTkxw6tgY/+V3fkBHTxJFlskulZibzhMK6yup1xuJbqg8+LEtTE1keem7x/mD//IT3njlHNG4CUJQr9mUClXmZ/Lse2gTgyPtP3OOxkK9BL6/YujfjCrJzV5BrkOuUV1VYMNSVEx5fc8ISTTn3pWI1bLjfn2x+tUo53pq7BK6xcnsLG/NT3BiaZqIqrEplkaXFaqO3UwUeo8O858ZRwPAVFS2JzNsT95qFGqawuPP7kTVZE4dG+Pk21fo7E3zwMERNu/sWvlxT44tUi7V+fq/+yHqcrGX43hMji02ayRqDULhpteq6yotmdiqTgZANB5i09YOXvp/xxm/PE9XX5p3j47SqDts2dFNOLJ+6THbcZmZzGKYGv2b1u5BUcxVWJgt8PrLZ5gYvWZoT44tsjBboFys4breLQo/G43n+fT2pOjvT2NZOtfZMwghmJjMcu78DOVynVyuwsJiCddtKjXcKRUgGrPYsrmDZDKM7/u0tcaYnMxSrtRJrWNyHx7O0N2VxDQ1+vta0DSFpcUSvt+8n+q207yvfB/HcdG0P7sywwnTRBIC1/d5a2qSoUQSVZZxPI/RXJY/OnOKozO3RthuZq5c4jsXztISCrEn04GpqkwXC/yvkyc4u7hA0rR4qKsHS7t1MvV8n+OzM/z+iWN8aniEllCYuuNwaGqCPzz1Lj4+I6k0W1pu7bT7Xo77Szt28S9++gp/8O5xWqwQB3uafTRqjsPbM9P89xPvsFit8kTfAAc6ezb8uD8MNup6A6RNi6hucG5xgeOzM/REY4Q1DZ9mU0BDubGQVxKCX9m1l3dmZ/jepfO0hUM82TdIdzSGLEmUGnUWq1XOLy7i+h6P9w0Q1TempuzuEehyhHZzLyl9mO7QAbL1UWarx5moHOJ07k+wvSrbEi9sWL2Gj0+ucYVjS/+dueopkvoQm+PPE1baUCUTSahUnAVO5b7JXO3dDdlmwPpRVYV9Dw1hhXXe/Mk5Th0b4/BPz1Mp19E0hVDEINOZ4LGntpNMb6zD05KJ0zvYwtE3LvH2oUtUK3V8z0dIgngixPDWTh54ZJhHn9qGdFMhuKYr7HtoE1/6y1Vefek0F89O8+7bVzBMjUxnnP2PDNPT38LL3zvB/OzGOrGSJEi1RPjcLx+gozvJkdcvLPcjKeF5PmZIJ5kK0zfUxrZdPZjmR2OevBuuOg2uv0b0wPfxltP6pTUSZSXEurMa1kq1vVdfYGeynbfmx/n62cP4+HxhYDd94WaJwMXCAmFVX7Xm+W74M+Vo3A4hBP2b2ognQ0xeWeTSuRlOvDXKH/ynl3nhVx9l1/39aFrzwWhaGslUGOU6idnH2ncQiRo3FFlJUjN1aC0kSTC8vYs3fnyGi2em2bS1g1PHxsl0JWjvTiLfRrXilv1fHg8fXGftcJiQBJquEI1bJK6rT0i0RNh+Xx+9g60fWF6pZWroqxhYL750khPvTjAy0k5Pd4rZ2Tw/efXsuqXtVFUmHG4aIEIIpGWpQ28NZZ+biUbMlesohECWJRzHQwh4/GNb+M9fe4V/+zvfQ11WGnn0kQ9Hy/+DoD0c4bGefr5/+QJfO3aUE3MzxHSDfKPOdLFIxbZ5vHeAb507fdtxhlMtLFaq/KvXf0p3NIomK2RrVd6dm6XuOvza7vvYkm5BWWX1V5EkHu7p5b8ef5vXJ8dIGCYN12U0l+X80hLbWlp5Ycs24vp76056M58Z2cJoLss3Tp/k37z5Gt85f3alYd94Ic/lXJY9mXa+tGPXqs363utx3ysLlTLHZ2eZLOapOg7ZWo3zS00Fpx9duUy2ViWq6xiKQm8szr72Tky1eR9u1PUG2JVpZ0u6hRdHL/H1Y0d5dfwKIU3DcT1c3+OrDz5ySw+TA53d/Ob9B/i9I4f52jtv8+rYGAnDWC6adyk3GsxVymxKpjjQ1f0hOhpNhGg6HC3yFpL6EO3mLmJaN6fz3+JK6RW6Qw/c1tG4ZhTceW5zvToLtbNMVY6S1AfZkfhF2q09qNK1hY7F2nlUaWPvgw8Sz/dZLFe4vLDE7u6OFQWqQrVOwjLR1vFMvKrcd9Uwmy2WsFSVkK5taApq1ZmnZI9iKe2E1Gaan2Fq7L6/n+6+NLNPbqWQq9BoOMiyRF0ao6S8SWumgLCGgMGVseLJEF/9x59FN1T6Blcvzt20uYO//DefQVFkBoZvXExszcR49nP7uP/hYUqFKo26g+d5VL1pktEuWlpSdPWmVlKxs7VT1L0cGeshhBDE4s0Upi07ullaKNJoOCiqTCxu0dmTQjdU0m1RquXGLdsG2HtgkFRrFNPUSLesXjeQr5+j4s6SMR+5IaIiyxKt7XGe/tQeduzpZXG+2HSU/GZ/ECukk0qHSbVGV5X1z9XPMl89hCbHyFiPossfDRXJq3SacRCCqcrqvVPqnsN8rYQhqyT10Icu3nAzg7E0f374Pk5n54ioOvtauleUqjJmlM/376B1jWjNevm5cTSg+dBIpiMk0xGGtnSwdVc3//Yff4t3j4wysq0TTVPoH8kwNb7E48/uItUa4frVdUkWaPrdedydvSl6h9q4cmmew6+eZ2Yiy6NPbyPVuvrNuhaqJtPd38LR1y9w5vg49z18q/Y/QCIVIdUSZWAkw7Ofv/+WgnIrpK2r2c6dEIIVh2Ut/0AIcYuX7boer71+gb6+NI88tIlUKsLhty6tW5b06rjvpTOnJIlVb3YhBNGoRaXSYPeuXqJRg2QiTG/vxoeUPyposszfeOBB2iMRXr5yme9futBMO9R0tre28eUduzBVlTcnx287zlAyycPdvRyemuDNyQkWKs1GR0PJJJ8YGubZoWGiur7qeZeFxDMDm9jZmuG7F85xeGqShuuSNi2e2zTM88Nb2JPp2PAJOmVa/Pre/Qwkknz/0gXemJygYjfQ5aaB/kvbd/LMwCa2tbSuacC8l+O+V6aKRb559hRHpqdwPG9ZlrapV394aoJ352ZQZbnpwHX1sjndsuJobNT1BuiJxvgLu/YQ0XXemBjnxdFLCJpKXt3RGM4q+cGGovCFLdvpDEd48fJFjs3OcGxuBtt1CWsaLVaILekWnugbILqGbPCHhSxUIloHGXM34+U3mK29S8OrcLso7EqvCTd3x/Fdv0HVzeL6DSw5RVIfvMHJAJ9cY5SSvb7Utg8K1/OYzhfRVYWkZVJt2FRtB1mSSFgGxVqdmuOgKQoxQ8f3fSZyBTZnWlCWu4jnqzXiVtOBqto22UoVU1WJGjrZShXb9UhYJj4+R8enCGkaw61pVFliqVRBva7/xmSuQFjXiBo6hVqdhuMiRLOQ/G5QJAtL6UCVboxOSJJES1uMlrYbnegz2TdQxDAxbRO6cqOQgRXSefzjt+/rkW6LrtRa3rIvqkymI0Gm40Yj+0z2EL2RvZjXySz7vo+hpFH9a+dECEEobLB5x9p1Udt3r12H2NWbpqv39mm/upxEEqvfs0IITEtjYDjDwF3WiBpyCknolO1JHK/6kXM07m/pRRESp/IzzFdLtJg3GuX5RpW3F8dJaBYjqxSCf9gYssLOZAdb4s26HUWSV2az+1u7EAhC77E7+M+NozE/k+fY4ctIkiDTmUCWJS6fn6FabhBLWCt1F088t4sjr13gm//jdQ4+vZ1EKkypUGVmMksiHebAY5vvaru6oTKyvZPzpyZ59QcnMaxm6pNxXYjQ93zqdZta1aZcrOH7PotzBWKJEIapoqgKuq6yc18fL3/3OH/49Z+Qy5bp6E7SaLjks2XaOuKMbO9iYDjD5p3dnDx6hWjMYtPWpoE2N5PHsR123T+wUnvyXlBVhWjEJF+ocuXKAplMrDmZ3CG/UgiB7/vYtoskCebmC7z4o1PU6qurDn3QeK5HLlfh+z84gaLIhMMGu3Z289QvbLtt9OrDJFerYbsuccO4p5z3kVSav7J3H88ODVOxbVzfw1RUWkIhuqNRao7Lbz/1cSxFXbP5pSpJ3Jdp50BnFy9sKVF1bGQhiBsmPbEYEU2/rfJSVNd5rLefA53d5Oq1ZlhdVWkPh2kPR9Y8rvvaO/gnjz2JJARDd6lSJISgKxrlC1u3c6Czm6VaFdt1USSJqG7QHg6TtkK3XSW91+OWhODX997P5zZvXbOHyFr0xGL8yq49q3Yqv5mUad1isN/peucbZf7ewX10h9pv2+xUlWX2ZjroCEd4YfO2ZQUvH1WWiWgaklLB9sKo0rW5TghBTNd5emCI7a1tzJfLlO1mvwVVlrEUlYRp0mJZGMqHc79VnSwz1WO4foOUPkxEzaBIBr7vUXEWmKq8RdGeIqSk0aTbG68xrYep6ttMlA+xGD1PyhgCBL7v4nh1NPna92WhYchNQ7PkzLFYv4ClpJGETMMtM119m3OFP6XkzL6fh3/XlOs2S5UKR8en+fTOLbx+aYyooXN5Mctndm3l+2cu0BYJM5kv8JmdW1FlGUk002sBCrU6lxaXyETDVG2HMzPzlOp1Rtpa0BWFpUqVE5MzbM600BWPcWl+idZImMF0EkWWuLCwhKrIRA2Dt8YnsD2P8Wyej2/dxA/PXCQdthjP5vlze7ZjqOtbKCzZ48yWX8X162RCB9HkKDVngdnq61SdOVyviiKZ9EQ+hSQ0pkovMl3+ERG1n4ZXIK5vxsdlvPh9Co3zyEInZeyh1XqAij3DZPkH6HKSkj1BSO0koW1msX6MurOEEM3fvaGkyViPUGhcZLH2DrZbxFI76Ag9jkBmpvIqE6XvU3ezaFKUofiXUKQQs5WfMl89RFzfRlhtpnzabpHJ8kuU7FFUKUza3EdUG2KpdoJs/V08vyl722ruJ23uYS3HuWxPMlX+EQ03h4fNYPSLmEqG+eoh5qqvE1EHrm3TK3Ep/w0spYOSfQVVjtAf+TweNovVoyzU3gYgrm8mbewjWz+OJsVImXuYq7yB57ukjF0YSpqw2oXjlW/Yl/Hidynal3G8GjFtiO7Is/h4nM/+N8JaL8XGKLKkMRj9IrL0/i1aDEVaOJgZ4qXpc/zumVf4zS0HSRvNtO75Wolvjh3ndH6W3ckuHm4deN/2470gCbFqn4zYBqWNfzQtp/cBIQQzE0u8c+gS9bqDokjohspDT2xh/6MjKzUaPQMt/PpXP84Pv/0O3/jaK9RrDpqukG6L8sRzu+9p2yM7uvnJD07yxo/P8uzn95HpvFFd4OzJSf73118lu1hifiaHY3v89j/4I1RNoa0jzlf/6eeRZInu/ha+8ptP8uK33+Hbf3gI1/FQVZnO3jRPfqq5b7GkxTOf2YMV1jjy+nle/tPjTY80YrBr/8CGrayqqszIcIaTpyb43f/wIpal89jBzTz5xNbbfk+SBE8/tZ0fvniSf/4vv0M0arJ1ayeHDl0C0VyN+ZNvHeXtY1eYmsoxM5PjH/6jP6KtLcYn13H+T5+Z4uUfn+bChTlGryw007J+eo5HHt7Egf2Dt/1utdrg9//Ha3zm+b0MDbYBPnNzRd548wKtLVH27eu/izP0weB4HoV60zmNm80VwaVqharjkDRMTFVlvlzG9lzSVoiqbRPWNCqOjS4rqJLEeCFPRNPY17F6Z3JNVjjQefsmkh6gyDI9sTg9sfhdH4fn+0R1nZ1td7fa1RoK07qKYtR6EUIQ1nS2ttzbStO9HrcQgu2ta9da3Y64YXJf+713kRdCkAlHyKzh4NiU0Kw5drbduausdptj/9bkHxPTHieu3bgCKURTqrg3Fqf3Hn4r7ze2X2WqcoSJypvoUqzZR0PS8X2Xhlem5MzgeDW2xD9DQh/gdjVlQ9GnuVx6mYI9yU9m/wWmkkBCwfUbhNUMj7b93ZXPykIjqQ/SYmxlqX6RtxZ+jwuFP0USKjU3R8VZIGWM0GJsYbZ6/AM4E+tjIpdndDHHmdl5nrE3MZUvsL1jE+O5PPOlMlP5Igf6e5jMF1iqVFaia9A8c7Ik4XgejueRrdYo1uqMtKVJhy0WShUuL2Q5N79IazTMcGuakK7RHotgauqKE2+7Lj4+p2bmeWrzEPOlMhO5AlP5Ig/29zCeLVCqN9btaOhyAkvtJFs7uVJ873hVFqpvkdR3EjcPMFr4JsXGKAljK2nzPmarr5My9xDXNiNJOoXGeearbzIQ+wK2W2C68gohtQvXr5Ovn6PNepCO0GMokkXdzVF3l5AkFdstokpRGm6Bij1NWO1BlcJ4vsPlwh8R1zcT10ZIGbu4UvwTWsz7sZQM8nI0IaoNkaufoWRfAcDzG+QaZ8g3ztITeY6KPc1s5TUUYVFsXKLqzNEXeZ7F2jtk66eIapvQ5FvnBh+PK8VvYSrtpIxdNPsfNRctI1o/ufpZSvbYyuc93yZXP40uJ2gPPYYkVCQhk6+fZabyGp3hJ1CEhSbH8XEo21O4SnPBseLM4PsOHmvbE3F9K2GtD893OLn4O3SFn272AaqfWt7mQQQSknh/zVxdVvjNzY8xUynwf8dPcKE4T0+oqWo4Xl7iUnGRnlCCrwzup91674u8P4v83Dga8WSIpz+zl/0HR7AbDkI0axmS6UgzorGcs68oMjvu66OtM0EhV8G2XRRFauYRXpfu1NGT4q//w+eJxO7s8SWSIb78Vx/nEy/so7U9TvymguXOniRbnxumNxxDX85RLdTrvDI2ytObmxGUhusyUy8xvKebzt4UhVwFx3aRZIm67KHGm5OMJEm0dyf5xOf28cCjI1QrzZQK3VCIJ8PEEncXPl4LSRL09KT48i8/RC5fAQQty00JoxGTX/6lBzF05ZbGQQD77x+ktydNuVJHUxXaMjG2bu4gEm72kti/f4CR4Qyu5+P7PrIkoRsKLekILekIf+03nqTturD1gQcG2batk7bWGA3b4emndvDoI41msZwQSLIgnYpgGCq/9qsHMU3thgL+v//3PkVrS5Tx8SUuXpzlb//NZ4gsF+pPT+c48e440zO5DTlv7wez5TIV2yZthZirlzk1P4cqyexsa2O2XOL0/DwRXSeqG/z4yigHe3t5e2aaTckUV3J5ynadK/kcv7RtJ+EPOSc+4N5ZqC9wJHuIbGMJ13d5ovUXaDPaOZ5/h/PFs9i+w4A1wP2pA0xVJzm89AYCQd2r0W508lD6UcYrY7y68GOuVEYp2Dm6rB72pw4wURnj7ewRSk6JqBplV3wv3VYPS41FjmaPsFCfw/VdHm15jIgS5VjubY5mD1Ow81iyxSc6PoUpm6sWMlacMoeW3mCqNoUlW2yNbsOUTcYqV+gPDXAqf5JuqwfHd8k7OSQkpmtT2F4DRag8kHqQDrOTy6VLvJs/Ttkt0aZnOJB6CEsJ8Z2p/0NaTzNTm6bm1fhsx59Dk9eOvBpyjA7rPirOAtnGZfL2GK7XQAgJQ4qRMjbRG36ELusBzDukcST1IR5p/Tuczn+L+epJso2LSELDlOJE1BsbgAkhkdSHuD/961wofI/p6jtMVt5CEgphNUN/5HH6wh9jtPgjsvVL9/YjeR+YLhRZqlRXlMeEEBwdn2Iim+eZLUN4vs9bYxPMFcuENI3RpRwnZ+ZJWBb39XQwlStwZmaepGXRl4zj+j6vXRpjV1eGhuMyWyxRsx385aiXLEmcn1+kMx7F933GlnLkqlVSoRA9iThvjU0ytpTjQF9zZT0VsrA0FcdbvxywKoUxlTaK0uhNr0eJaAPE9a1o8ks4XgmBTETrQ5NjhNRuYvowAolC4yKG3EJC30rdzTJXPUypMYqptqNIFjF9hKjWXPxquHkUKYQpt1IXS2hynIabw/bK1BtZcrXTgKDQOI/jVZCETljtRhEhouoAYe2aWIWptGIqbVScaQBc36Zsj2Mp7ST0rSgiRKFxnrI9gSx0wmoXcX0rVXeeUuMyrl8DbnU0HLdM1ZmnzXqYhL7tBrU1U2nFUjLkG8UbviMJjZg+QlwfAZrOR91dRAiJlLFnxQmoObcqRN5OMcnzHRZqR6k580hCoWiP4vsuCBlJyDds84NgKJrmt/Y8x/8dO8Ersxc4X2imN6b0MM90buG5rm1siWduGyH+s8zPjaOhqDKt7XFa2+N3/KysyLR3JWnvWjsVw7Q0Bm/qclmo1ynUayQMk5CmkatVKTYaJAyTZEeM016Oglsg5FlYnmC8kEeTZVojIeqtCtGOODFdJ22FcDyP86EyXZta8H2fqm2Tr9XJhCJEu5LEMxHmy2XCmsZCpcK5pUXiRYuQqhEzDGKJ0IY5FWuhaQodHQk6bsobVVWZ7tucO8vS6O+/UUEoFr3msHV2JOjsWPsBPjBw4+pzMhkmmWw6OYahEo2s7fz1rpJnOjLcvI7FUo1yuc7kVJaR4QylUp1jJyaYmcnz6U9+NOs0ZCGaPRp8H9f3SRgGspAYzWXpjcVIh0K4+FxYWmQ4lWKpVsHxfHK1GnXH5ejMFFFdw/V9qo4TOBo/o/i+zxuLPyWqRNmWPogkZJJairn6HO/mjzeNbjnE92a+Q4fVRdWtcLZwmr/Q/5coOUVenX+FHbFdZIwMmyNbKDtlHm45iLFcI5DSWtifehDP9ziSPcRYZZROs4sjS4eRhMTD6UeRhUJCS6IIhR2xnby1dIj7EveT1FPoa6Qu2J7NaGWUmdo0H2t5goX6PKcK79JpdpG382QbWUYrlzFkA1XSKNlF8naOqBpjR/JB3lx8janqJKZkcjz/DgPhIVq0Fl6a+wHjlXEGw0PM1qbRJI0Hkg/iA4p0+8eeKky6QvtJGyPYXhXPt/HxAIEkFDTJwpDjKMK8Y4RYFiqdofuJ633YbgkPFxDLHcdvjcSpkkmbuYOY2k3dK+D5Ns2O5AaGHEeTwmyOP09P+BHCait3Uuj7RNe/xscjqt59z5LByC/QZuzAkGNYytr5+ff1dLK9vY3HhwdIhSx832d3Vzv7ejqJLhf6H+jrYX+vR1jXGEwn+Mr+PYR1DUNV2dbeSncyRkTXsTSVA33dVGybiKEhIWiPRag7LrHliO3BoT7qjkNY1xAIPrt7K5IQxE2D/X1dlOp19vV0kg5bfGHvDjRF5vFN/USM9z63yUJHEspy/aFyG2NYoMtJ5t3DAM1omJtDk+PNd4WCLMybviEtj900lgEqzhQ1d46w1kdU62exdhR/Rd1I4OEsd7H311YjQkaVIhSXow2e38D2yqhylIZXQEZf7m1ytenp6qIqktDxfQfHq+DjIZC4sS3yatsWqNelFwokBCquV8H1G8uOho8QMj4unl/H9z3q7tKqY159pdC4QK5+mr7I80hC5UL+f15XKXXjNu+VPakufnvfZ5GEoPMOkQgJweZYG23DET7Xt5u624zM6LJCXLNIaNaqne6f6tjM9kQ7Mc0kqd95n39r97NUnAatxjVH8O/veJqy06DdbO5jVNX5a1sOUrbrdIbid3HE7x8/N47G+81sqcSJ+VnmK2XSpsVwKsW5xaYSzM7WDKaqMFUskjKbE3Gp0SBXq/HTiSt8fvM2qo7NpewSF7NLfHHbTmLLBaRXZdEarsvxuVk6IlFsz+WdmRmytSpb0i04nsdcucQrY1dImgYf6+1He49yZD+PZNpi/OIXHuBrX/8J5UodVZVpSUd4/tN7GRlpv/MAHwKlRoPRXI7LuSVihkFrKETNcZivlCnZNnq9ju26TJeK1B2XzkiU7144y7nFRbakW9ne2sqJ2VnCmkb0Np2aAz7aVN0qJafIQGiQTrN7xQCeK84QkkNkjA5CSoiElmKyMk5ST5PU07QbHeTtHIqkUPNqJLQkcS2BKZtkjOZv3vM9ZmpTnMgfx/d9RiuXMKImNbdG0SnSHxqg0+y+QaAhoSXRJI203kKrsXaKmOM7LNTnSGtp2s0OZCFzpXKZslNGl3QW6vOokkLRKRJVo0TVGA2vQaveRrvRQVSNYnsN5upzTFTGmKlNE1JCZBtLlNzCsoMAXVYPrUZmXSISQkiowkKVNqZBpCzUpjLVOnVEZKESUlsIsbqcs6WksJT1LXykjXtf1V3vduKmgW80n1NCCHZ2ZuiIRdBkGR+4r6eDtkgIlvX+w7p+w4JG1DSImtfmnpglE/OvqQpelYa++ptOWOaKQqEQgo7YtUwDTZEJXff5zHKReDK0/mvp+x4LtSOMFb9NyR4n3ziD4xUxlLtLdUzo25mvvsWRud9CIBPVBolqQ5Sdyeb+rWMMTYpSdWaYLv+IXP0UCB/lquqYECSNHZzO/kcMOcmW5G+gCJMz2f/EYu04jldGIOiJfoq4vo2l2kmOzP0WEhoJYzthtYeyPbHOPQFJqHSFP8F0+cdMlL4P+IwkfhVL6eR87vdZqB2l4eYQS4K+2OdWUrluGoWoNkC+0c2x+X+GJFSSxk66wk9jKm1Ml3/EYu04tlckZezC823Giv+PqfJL1N1FKs40/dHPokkJbK/I5cIfoysJLKVtTUfrXomqBtHY+p6JV5tQpowQKWP9Ts7dfn4weuuc0B+5cRFAkWS6Qx+tgvnAGt0gFmsVTi/MYSoqKdMirOmENY1TC/N0RCJstlqI6QZd0RghTePU/BwXsotcymZpuC6eD9taWinU68xXyrfIOmqyjCZLuJ6HoRi0hcOcXVrAyqu0hyOkrRA9sRhLlSo1xw0cjXtAVWU+9ck9PHZwM47rIQmBpilEIgb6XaqNfVBYqsoT/QM03F5CqooiSTzU3c2+jk6iuo4sBI/19vNwdy8JwyBlmVRsm6cHfOKGQW8sxo7WDLIQaB+R7tUBd48maXi+R9Wt4vouyvJqa0yNUbDzuMvFngv1eUbCI8vdY7WVlUxJCLzrVmdd31lZJS3aBa5URompMbbHdlKfreHjoUkq4K9sUxLSygqvQOD4Dt4dVltlIRNSIsxWZwCoe3UqToWh0DCz9Rnm6rP0Wv3k7CwFGwbCg+TsLLKQl/ddwgfCSpiwGmFvfB+dZjc+HpYSQhHN+3atiErAxnB9ZGd3V/u1zty+z33dnXdVGyiaA6469u1eW897692DhL6NkNqN77vNiIAcRkJtFlyLptMyGPsiktBWDOqtid9AkUIImseuShE2xb+C61VBCBTRrPUJqV2MxP/iSn0DQEwbJqz2IgkFz3cRQsL3XSShkDL34Po1BM1Vf12KL++lYFPsyzheBSEkFGECEv3RF+iJfBrwkYW+vB2J4cRXcL16swGkFEIRBp2hJ1bu2RbzflLGbpQ1ogFCCFrM+4jpm5ppSvjoSgqBTG/k03SFnwG85W3GEUhsS/119OUoztUxDKWV/ugLK8XdimQiC4OM9TBJYxcszxeyMFEki4z1MGljDz4eklBQpRiSUNmR+lvN15Dpj3weedkB25n+6kdOmernncAa3SBSpkVHJMpUsYilqrieT7HRIFurkq/XkSUJIeDY7DStoRAzpRK5Wg3Hbz7eNVni5SuXuZTL8mTfAFfyOY7PzmIqKp8YHGZ0+X9dVni0p4/FaoWqYzNbKdMejqBIEpaikpNq6+5HEXAjQghCIZ1Q6GfHKJEl6RanNLY84a6sABrX/ldleaVL9dX3r6r73MsD+ss7dvPp4c1Yqkr0Hvpc/OBLvwpA0vrZaor4Xo97o5GFzP7UgxxefJ0j2cOAz8fbn6Pd7KTb6uUb4/8L13dp0zP0hwcZq4ytbvoLCCsRfOD3Lv57tsd2si/xALqkczT7FlPVSQp2ni6zG0nI7Ens4/Di67ybPwYInmj7BfpDg0hCYig8zB+P/yFhNcILXV/EUm5dVVaFSn9ogNHSRX7v4u+iSxojka0MhAdZaixStAs8nD7IoaU3qLlV4urqBkRMjbM7vpfjubd5c+l18H0+0/kCpm5ePayADwj9OrUwIQTGR1Stby2EECjCQlkloiVzba692Zg1bkova/ZgicN1hjY0i/7lmyJFsqTfMPb1KKwdjdHk2A0Oy2r7cW1/k3CTeJ96XdH3asd7M7KkY0q3rqoba0S+rpfdvYokZDQ5iibfKOWriNCqTs5qx9gce3UBj7VeD/jwEH5glW4Inu9Tdxxsz0Nf1rCvOQ6O52GqKposU3McbNfFUBQ838d2XVzfJ6xp1Jf/9nyfiKbh+T5lu4EqyRiKguN51BwbVZLRFYWG61JzbLRl5SDX91GkZsSjKR8YPFoDAn6ecH2XulvHW04XMiQDWcg0vAaO35SeVYSKLum4vkvDa2ApFp7vUXNr6LKOLOTlcWp4eKhCQ5M0bN+m4TWWIxM+qqShChUPj4ZXX+mKa0g68nIOe82t4fg2AglTNtdMW/J8j7pXx/UdBBKqpKIKFdtv4HgOumxge43mgoykYXs2spBRJZW6W182DBVc38X2GiuRGVM2kZCouhU0SV+JggQEBAQEfHAEjsYGcv2pvNov4urfN39mtfdXvi/unG242tgBAQEBAQEBAQEBHxUCRyMgICAgICAgICAgYMMJqj8DAgICAgICAgICAjacwNEICAgICAgICAgICNhwAkcjICAgICAgICAgIGDDCRyNgICAgICAgICAgIANJ3A0AgICAgICAgICAgI2nMDRCAgICAgICAgICAjYcAJHIyAgICAgICAgICBgwwkcjYCAgICAgICAgICADSdwNAICAgICAgICAgICNpzA0QgICAgICAgICAgI2HD+P9CESiWQcWk9AAAAAElFTkSuQmCC", + "text/plain": [ + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Applying LDA for topic clustering...\n", + "Topic 1: 0.028*\"school\" + 0.017*\"page\" + 0.012*\"student\" + 0.012*\"circular\" + 0.011*\"superintendent\"\n", + "Topic 2: 0.018*\"page\" + 0.012*\"school\" + 0.012*\"superintendent\" + 0.011*\"circular\" + 0.011*\"evaluation\"\n", + "Topic 3: 0.028*\"school\" + 0.020*\"student\" + 0.016*\"page\" + 0.011*\"circular\" + 0.010*\"superintendent\"\n", + "Topic 4: 0.031*\"school\" + 0.024*\"student\" + 0.019*\"page\" + 0.011*\"circular\" + 0.011*\"superintendent\"\n", + "Topic 5: 0.030*\"school\" + 0.027*\"student\" + 0.016*\"page\" + 0.012*\"circular\" + 0.012*\"superintendent\"\n" + ] + } + ], + "source": [ + "\n", + "\n", + "# Main function to process all files and analyze\n", + "def main(directory_path, merged_corpus_path):\n", + " # Load all text files from the directory\n", + " texts = load_all_text_files(directory_path)\n", + "\n", + " merged_tokenized_corpus = load_text_file(merged_corpus_path)\n", + "\n", + " tokens = merged_tokenized_corpus.split()\n", + "\n", + " print(f\"Total number of words after tokenization and lemmatization: {len(tokens)}\")\n", + "\n", + " # Word count analysis\n", + " word_freq_df = word_count_analysis(tokens)\n", + "\n", + " # Plot the histogram for top 10 words\n", + " plot_word_histogram(word_freq_df)\n", + "\n", + " # Plot the histogram for word count in each file\n", + " plot_word_count_histogram(texts)\n", + "\n", + " # TF-IDF analysis (Note: For TF-IDF, we treat the entire document as one corpus here)\n", + " tfidf_df = calculate_tfidf([merged_tokenized_corpus]) # Treat the text as a single document\n", + " print(\"\\nTF-IDF Scores (Top 10 words):\")\n", + " print(tfidf_df.T.nlargest(10, 0)) # Print top 10 words with highest TF-IDF scores\n", + "\n", + "\n", + " # Count total number of files\n", + " total_files = len(texts)\n", + " print(f\"Total number of files: {total_files}\")\n", + "\n", + " # Calculate average word count\n", + " total_word_count = len(merged_tokenized_corpus)\n", + " average_word_count = total_word_count / total_files if total_files > 0 else 0\n", + " print(f\"Average word count per file: {average_word_count}\")\n", + "\n", + "\n", + " print(\"Generating Word Cloud...\")\n", + " plot_word_cloud(merged_tokenized_corpus)\n", + "\n", + " # Apply LDA for topic modeling\n", + " print(\"Applying LDA for topic clustering...\")\n", + " apply_lda(texts)\n", + "\n", + "# Example usage\n", + "directory_path = '../data/data_txt'\n", + "merged_corpus_path = \"../data/data_txt/tokenized_data/tokenized_text.txt\" \n", + "main(directory_path, merged_corpus_path)\n" + ] + }, + { + "cell_type": "markdown", + "id": "0a0d92a1", + "metadata": {}, + "source": [ + "With this we conclude our EDA phase. " + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3 (ipykernel)", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.9.6" + } + }, + "nbformat": 4, + "nbformat_minor": 5 +} diff --git a/project-eda/extract_text_raw.ipynb b/project-eda/extract_text_raw.ipynb new file mode 100644 index 0000000..c6bab55 --- /dev/null +++ b/project-eda/extract_text_raw.ipynb @@ -0,0 +1,608 @@ +{ + "cells": [ + { + "cell_type": "markdown", + "id": "fcc4f492", + "metadata": {}, + "source": [ + "# Raw Data Extraction" + ] + }, + { + "cell_type": "markdown", + "id": "186c32f6", + "metadata": {}, + "source": [ + "This notebook extract raw data from the pdf file and store the text in .txt files." + ] + }, + { + "cell_type": "markdown", + "id": "deda58db", + "metadata": {}, + "source": [ + "Below code create seperate files for seperate pdfs" + ] + }, + { + "cell_type": "code", + "execution_count": 10, + "id": "8fe91016-f706-4c6b-ac78-645e7b2105a0", + "metadata": { + "tags": [] + }, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Processed CAO-05 Services for Multilingual Learner Students.pdf from Academics (CAO) and saved to CAO-05 Services for Multilingual Learner Students.txt\n", + "Processed CAO-25 International Field Trips Guidelines & Forms.pdf from Academics (CAO) and saved to CAO-25 International Field Trips Guidelines & Forms.txt\n", + "Processed CAO-08 Grading Requirements.pdf from Academics (CAO) and saved to CAO-08 Grading Requirements.txt\n", + "Processed CAO-24 Domestic Overnight Field Trip Guidelines.pdf from Academics (CAO) and saved to CAO-24 Domestic Overnight Field Trip Guidelines.txt\n", + "Processed CAO-01 Promotion Policy.pdf from Academics (CAO) and saved to CAO-01 Promotion Policy.txt\n", + "Processed CAO-22 General Field Trip Guidelines.pdf from Academics (CAO) and saved to CAO-22 General Field Trip Guidelines.txt\n", + "Processed CAO-23 Day Field Trip Guidelines.pdf from Academics (CAO) and saved to CAO-23 Day Field Trip Guidelines.txt\n", + "Processed CAO-07 Graduation Requirements.pdf from Academics (CAO) and saved to CAO-07 Graduation Requirements.txt\n", + "Processed CAO-27 Water Activities on Field Trips.pdf from Academics (CAO) and saved to CAO-27 Water Activities on Field Trips.txt\n", + "Processed CAO-06 GPA Calculation Method.pdf from Academics (CAO) and saved to CAO-06 GPA Calculation Method.txt\n", + "Processed CAO-03 Textbook Management.pdf from Academics (CAO) and saved to CAO-03 Textbook Management.txt\n", + "Processed FAM-03 Student Government.pdf from Family and Community Advancement (FAM) and saved to FAM-03 Student Government.txt\n", + "Processed FAM-01 School Parent Councils.pdf from Family and Community Advancement (FAM) and saved to FAM-01 School Parent Councils.txt\n", + "Processed FAM-08 Translation and Interpretation Services.pdf from Family and Community Advancement (FAM) and saved to FAM-08 Translation and Interpretation Services.txt\n", + "Processed FAM-07 Home-School Compact.pdf from Family and Community Advancement (FAM) and saved to FAM-07 Home-School Compact.txt\n", + "Processed FAM-05 Title I Family Engagement Requirements.pdf from Family and Community Advancement (FAM) and saved to FAM-05 Title I Family Engagement Requirements.txt\n", + "Processed FAM-02 School Site Councils.pdf from Family and Community Advancement (FAM) and saved to FAM-02 School Site Councils.txt\n", + "Processed FAM-06 Boston Student Advisory Council.pdf from Family and Community Advancement (FAM) and saved to FAM-06 Boston Student Advisory Council.txt\n", + "Processed FAM-04 Personnel Subcommittee.pdf from Family and Community Advancement (FAM) and saved to FAM-04 Personnel Subcommittee.txt\n", + "Processed ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf from Data and Accountability (ODA) and saved to ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.txt\n", + "Processed ODA-05 BPS Survey Administration Guidelines.pdf from Data and Accountability (ODA) and saved to ODA-05 BPS Survey Administration Guidelines.txt\n", + "Processed ODA-02 State Testing Security and Ethics.pdf from Data and Accountability (ODA) and saved to ODA-02 State Testing Security and Ethics.txt\n", + "Processed ODA-03 Guidelines and Procedures for Accessing Student Data.pdf from Data and Accountability (ODA) and saved to ODA-03 Guidelines and Procedures for Accessing Student Data.txt\n", + "Processed ODA-01 Procedures for Conducting Educational Research.pdf from Data and Accountability (ODA) and saved to ODA-01 Procedures for Conducting Educational Research.txt\n", + "Processed ODA-04 BPS Balanced Assessment System.pdf from Data and Accountability (ODA) and saved to ODA-04 BPS Balanced Assessment System.txt\n", + "Processed ODA-07 Required Documentation to Withdraw Students.pdf from Data and Accountability (ODA) and saved to ODA-07 Required Documentation to Withdraw Students.txt\n", + "Processed HRS-PP05 Attendance Monitoring.pdf from Office of Human Resources (HRS) and saved to HRS-PP05 Attendance Monitoring.txt\n", + "Processed HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf from Office of Human Resources (HRS) and saved to HRS-PP19 Performance-Related Dismissal Process for Teachers.txt\n", + "Processed HRS-L01 Teacher Licensure.pdf from Office of Human Resources (HRS) and saved to HRS-L01 Teacher Licensure.txt\n", + "Processed HRS-PP11 Drug Free Workplace Policy and Procedure.pdf from Office of Human Resources (HRS) and saved to HRS-PP11 Drug Free Workplace Policy and Procedure.txt\n", + "Processed HRS-PP03 Tuition Reimbursement.pdf from Office of Human Resources (HRS) and saved to HRS-PP03 Tuition Reimbursement.txt\n", + "Processed HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf from Office of Human Resources (HRS) and saved to HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.txt\n", + "Processed HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf from Office of Human Resources (HRS) and saved to HRS-PM03 Performance Evaluation of Members of the Administrative Guild .txt\n", + "Processed HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf from Office of Human Resources (HRS) and saved to HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.txt\n", + "Processed HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf from Office of Human Resources (HRS) and saved to HRS-PM09 Performance Evaluation of Cluster Substitutes.txt\n", + "Processed HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf from Office of Human Resources (HRS) and saved to HRS-PP08 Incentive for Early Notification of Termination for BTU.txt\n", + "Processed HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf from Office of Human Resources (HRS) and saved to HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.txt\n", + "Processed HRS-PP13A Family and Medical Leave Act.pdf from Office of Human Resources (HRS) and saved to HRS-PP13A Family and Medical Leave Act.txt\n", + "Processed HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf from Office of Human Resources (HRS) and saved to HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.txt\n", + "Processed HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf from Office of Human Resources (HRS) and saved to HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.txt\n", + "Processed HRS-HS07.1 Qualifications for Additional Program Areas.pdf from Office of Human Resources (HRS) and saved to HRS-HS07.1 Qualifications for Additional Program Areas.txt\n", + "Processed HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf from Office of Human Resources (HRS) and saved to HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.txt\n", + "Processed HRS-PP13 Employee Sick Leave Policy.pdf from Office of Human Resources (HRS) and saved to HRS-PP13 Employee Sick Leave Policy.txt\n", + "Processed HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf from Office of Human Resources (HRS) and saved to HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.txt\n", + "Processed HRS-L02 Paraprofessional ESSA Requirements.pdf from Office of Human Resources (HRS) and saved to HRS-L02 Paraprofessional ESSA Requirements.txt\n", + "Processed HRS-PM06 Performance Evaluation of Managerial Employees.pdf from Office of Human Resources (HRS) and saved to HRS-PM06 Performance Evaluation of Managerial Employees.txt\n", + "Processed HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf from Office of Human Resources (HRS) and saved to HRS-PP06 Confidentiality of Personnel Records and Employment Verification.txt\n", + "Processed HRS-PP16 Employee Savings and Investment Benefits.pdf from Office of Human Resources (HRS) and saved to HRS-PP16 Employee Savings and Investment Benefits.txt\n", + "Processed HRS-PM05 Performance Evaluation of Lunch Monitors.pdf from Office of Human Resources (HRS) and saved to HRS-PM05 Performance Evaluation of Lunch Monitors.txt\n", + "Processed HRS-PP07 Workers' Compensation Procedures.pdf from Office of Human Resources (HRS) and saved to HRS-PP07 Workers' Compensation Procedures.txt\n", + "Processed HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf from Office of Human Resources (HRS) and saved to HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.txt\n", + "Processed HRS-HS07 Staffing Reassignment and Hiring.pdf from Office of Human Resources (HRS) and saved to HRS-HS07 Staffing Reassignment and Hiring.txt\n", + "Processed HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf from Office of Human Resources (HRS) and saved to HRS-PM08 Performance Evaluation of Bus_Cab Monitors.txt\n", + "Processed HRS-PM01 Performance Evaluation of Teachers.pdf from Office of Human Resources (HRS) and saved to HRS-PM01 Performance Evaluation of Teachers.txt\n", + "Processed HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf from Office of Human Resources (HRS) and saved to HRS-PP12 Massachusetts Domestic Violence Leave Policy.txt\n", + "Processed HRS-HS04 School Leader Screening Process.pdf from Office of Human Resources (HRS) and saved to HRS-HS04 School Leader Screening Process.txt\n", + "Processed HRS-PP09 Criminal History Screening.pdf from Office of Human Resources (HRS) and saved to HRS-PP09 Criminal History Screening.txt\n", + "Processed HRS-PP15 Sick Leave Donation Program.pdf from Office of Human Resources (HRS) and saved to HRS-PP15 Sick Leave Donation Program.txt\n", + "Processed HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf from Office of Human Resources (HRS) and saved to HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.txt\n", + "Processed HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf from Office of Human Resources (HRS) and saved to HRS-PP14 Leave for Cancer Screening and Organ Donations.txt\n", + "Processed HRS-PM10 Performance Evaluation of ABA Specialists.pdf from Office of Human Resources (HRS) and saved to HRS-PM10 Performance Evaluation of ABA Specialists.txt\n", + "Processed HRS-HS06 Substitute Teachers.pdf from Office of Human Resources (HRS) and saved to HRS-HS06 Substitute Teachers.txt\n", + "Processed LGL-15 Student Surveys.pdf from Legal Advisor (LGL) and saved to LGL-15 Student Surveys.txt\n", + "Processed LGL-17 Religious Expression in Schools.pdf from Legal Advisor (LGL) and saved to LGL-17 Religious Expression in Schools.txt\n", + "Processed LGL-05 Subpoenas.pdf from Legal Advisor (LGL) and saved to LGL-05 Subpoenas.txt\n", + "Processed LGL-20 Corporal Punishment.pdf from Legal Advisor (LGL) and saved to LGL-20 Corporal Punishment.txt\n", + "Processed LGL-04 School Visitor Guidelines.pdf from Legal Advisor (LGL) and saved to LGL-04 School Visitor Guidelines.txt\n", + "Processed LGL-19 Conflict of Interest Law-City Employees.pdf from Legal Advisor (LGL) and saved to LGL-19 Conflict of Interest Law-City Employees.txt\n", + "Processed LGL-08 Adherence to Court Orders.pdf from Legal Advisor (LGL) and saved to LGL-08 Adherence to Court Orders.txt\n", + "Processed LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf from Legal Advisor (LGL) and saved to LGL-21 Use of BPS Buildings and Facilities for Political Purposes.txt\n", + "Processed LGL-10 Military Recruiters.pdf from Legal Advisor (LGL) and saved to LGL-10 Military Recruiters.txt\n", + "Processed LGL-22 Sexual Offender Registry Information.pdf from Legal Advisor (LGL) and saved to LGL-22 Sexual Offender Registry Information.txt\n", + "Processed LGL-16 Student Health Information.pdf from Legal Advisor (LGL) and saved to LGL-16 Student Health Information.txt\n", + "Processed LGL-18 Display of Flag and School Ceremonies.pdf from Legal Advisor (LGL) and saved to LGL-18 Display of Flag and School Ceremonies.txt\n", + "Processed LGL-06 Religious Holy Days.pdf from Legal Advisor (LGL) and saved to LGL-06 Religious Holy Days.txt\n", + "Processed LGL-07 Student Records.pdf from Legal Advisor (LGL) and saved to LGL-07 Student Records.txt\n", + "Processed LGL-01 Anti-Hazing.pdf from Legal Advisor (LGL) and saved to LGL-01 Anti-Hazing.txt\n", + "Processed LGL-03 Public Record Requests.pdf from Legal Advisor (LGL) and saved to LGL-03 Public Record Requests.txt\n", + "Processed LGL-09 Political Activity by Public Employees.pdf from Legal Advisor (LGL) and saved to LGL-09 Political Activity by Public Employees.txt\n", + "Processed LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf from Legal Advisor (LGL) and saved to LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.txt\n", + "Processed SSS-02 Homeless Students.pdf from Student Support Services (SSS) and saved to SSS-02 Homeless Students.txt\n", + "Processed SSS-18 Bullying Prevention and Intervention Plan.pdf from Student Support Services (SSS) and saved to SSS-18 Bullying Prevention and Intervention Plan.txt\n", + "Processed SSS-07 Persistently Dangerous Schools Standards for Determination.pdf from Student Support Services (SSS) and saved to SSS-07 Persistently Dangerous Schools Standards for Determination.txt\n", + "Processed SSS-19 Home & Hospital Instruction Policy.pdf from Student Support Services (SSS) and saved to SSS-19 Home & Hospital Instruction Policy.txt\n", + "Processed SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf from Student Support Services (SSS) and saved to SSS-09 Employment Permit Applictions and Issuance of Work Permits.txt\n", + "Processed COM-02 Media Relations Policy.pdf from Communications (COM) and saved to COM-02 Media Relations Policy.txt\n", + "Processed COM-01 Communications Policy.pdf from Communications (COM) and saved to COM-01 Communications Policy.txt\n", + "Processed ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf from Athletics (ATH) and saved to ATH-01 Prevention and Management of Sports-Related Head Injuries.txt\n", + "Processed ATH-02 Athletic Eligibility.pdf from Athletics (ATH) and saved to ATH-02 Athletic Eligibility.txt\n", + "Processed ACA-18 Attendance Policies & Procedures.pdf from Attendance (ACA) and saved to ACA-18 Attendance Policies & Procedures.txt\n", + "Processed FMT-02 Work Order Requests.pdf from Facilities Management (FMT) and saved to FMT-02 Work Order Requests.txt\n", + "Processed FMT-11 Green Cleaners Policy.pdf from Facilities Management (FMT) and saved to FMT-11 Green Cleaners Policy.txt\n", + "Processed FMT-10 Integrated Pest Management (IPM).pdf from Facilities Management (FMT) and saved to FMT-10 Integrated Pest Management (IPM).txt\n", + "Processed FMT-18 Science Safety in Schools.pdf from Facilities Management (FMT) and saved to FMT-18 Science Safety in Schools.txt\n", + "Processed FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf from Facilities Management (FMT) and saved to FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.txt\n", + "Processed FMT-01 Performance Evaluation of Custodians.pdf from Facilities Management (FMT) and saved to FMT-01 Performance Evaluation of Custodians.txt\n", + "Processed FMT-09 Material Distribution Procedures.pdf from Facilities Management (FMT) and saved to FMT-09 Material Distribution Procedures.txt\n", + "Processed FMT-03 Renovations to School Buildings and Yards.pdf from Facilities Management (FMT) and saved to FMT-03 Renovations to School Buildings and Yards.txt\n", + "Processed FMT-15 SY Environmental Audit Program .pdf from Facilities Management (FMT) and saved to FMT-15 SY Environmental Audit Program .txt\n", + "Processed FMT-08 Recycling and Zero Waste Policy.pdf from Facilities Management (FMT) and saved to FMT-08 Recycling and Zero Waste Policy.txt\n", + "Processed FMT-20 Drinking Water Access Policy.pdf from Facilities Management (FMT) and saved to FMT-20 Drinking Water Access Policy.txt\n", + "Processed FMT-04 Custodial Pay Adjustments.pdf from Facilities Management (FMT) and saved to FMT-04 Custodial Pay Adjustments.txt\n", + "Processed FMT-05 Facilities Building Permits & Conditions.pdf from Facilities Management (FMT) and saved to FMT-05 Facilities Building Permits & Conditions.txt\n", + "Processed FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf from Facilities Management (FMT) and saved to FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).txt\n", + "Processed SUP-20 Child Abuse and Neglect.pdf from Superintendent's Office (SUP) and saved to SUP-20 Child Abuse and Neglect.txt\n", + "Processed SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf from Superintendent's Office (SUP) and saved to SUP-19 De-Escalation and Physical Restraint Policy.docx.txt\n", + "Processed EL-04 Title I Expenditures for ELs.pdf from English Learners (EL) and saved to EL-04 Title I Expenditures for ELs.txt\n", + "Processed EL-07 Instructional System & Monitoring for Multilingual Learners.pdf from English Learners (EL) and saved to EL-07 Instructional System & Monitoring for Multilingual Learners.txt\n", + "Processed EL-06 Initial Identification and Assessment of Multilingual Learners.pdf from English Learners (EL) and saved to EL-06 Initial Identification and Assessment of Multilingual Learners.txt\n", + "Processed SAF-03 Locker Policy.pdf from Safety Services (SAF) and saved to SAF-03 Locker Policy.txt\n", + "Processed SAF-09 Lost Children Procedures.pdf from Safety Services (SAF) and saved to SAF-09 Lost Children Procedures.txt\n", + "Processed SAF-04 Incident Data Reporting and Release.pdf from Safety Services (SAF) and saved to SAF-04 Incident Data Reporting and Release.txt\n", + "Processed SAF-12 School Access Control.pdf from Safety Services (SAF) and saved to SAF-12 School Access Control.txt\n", + "Processed SAF-02 Weapons and Objects of No Reasonable Use.pdf from Safety Services (SAF) and saved to SAF-02 Weapons and Objects of No Reasonable Use.txt\n", + "Processed SAF-04 Incident Data Reporting and Release (1).pdf from Safety Services (SAF) and saved to SAF-04 Incident Data Reporting and Release (1).txt\n", + "Processed SAF-08 Release of Students to Authorized Persons.pdf from Safety Services (SAF) and saved to SAF-08 Release of Students to Authorized Persons.txt\n", + "Processed SAF-01 Student Search Procedures.pdf from Safety Services (SAF) and saved to SAF-01 Student Search Procedures.txt\n", + "Processed SPE-14 Counseling Guidelines .pdf from Special Education (SPE) and saved to SPE-14 Counseling Guidelines .txt\n", + "Processed SPE-20 SPED Screening for 3 and 4 Year Olds.pdf from Special Education (SPE) and saved to SPE-20 SPED Screening for 3 and 4 Year Olds.txt\n", + "Processed HWD-02 Phys Ed & Physical Activity.pdf from Health & Wellness (HWD) and saved to HWD-02 Phys Ed & Physical Activity.txt\n", + "Processed HWD-06 Tobacco-Nicotine Policy.pdf from Health & Wellness (HWD) and saved to HWD-06 Tobacco-Nicotine Policy.txt\n", + "Processed HWD-01 Wellness Policy .pdf from Health & Wellness (HWD) and saved to HWD-01 Wellness Policy .txt\n", + "Processed HWD-03 Comprehensive Health Ed.pdf from Health & Wellness (HWD) and saved to HWD-03 Comprehensive Health Ed.txt\n", + "Processed HWD-04 Healthy School Environment Policy.pdf from Health & Wellness (HWD) and saved to HWD-04 Healthy School Environment Policy.txt\n", + "Processed TRN-03 Field Trip & Athletics Transportation.pdf from Transportation (TRN) and saved to TRN-03 Field Trip & Athletics Transportation.txt\n", + "Processed TRN-02 Student Transportation Safety and Discipline.pdf from Transportation (TRN) and saved to TRN-02 Student Transportation Safety and Discipline.txt\n", + "Processed TRN-01 Schedule of School Hours.pdf from Transportation (TRN) and saved to TRN-01 Schedule of School Hours.txt\n", + "Processed SCP-01 School-Community Partners.pdf from School Community Partners (SCP) and saved to SCP-01 School-Community Partners.txt\n", + "Processed EQT-08 Expectant & Parenting Students.pdf from Equity (EQT) and saved to EQT-08 Expectant & Parenting Students.txt\n", + "Processed EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf from Equity (EQT) and saved to EQT-06 Sexual Misconduct Toward Employees and Third Parties.txt\n", + "Processed EQT-04 Students and Gender Identity.pdf from Equity (EQT) and saved to EQT-04 Students and Gender Identity.txt\n", + "Processed EQT-01 Nondiscrimination and Policy Statement.pdf from Equity (EQT) and saved to EQT-01 Nondiscrimination and Policy Statement.txt\n", + "Processed EQT-07 Accommodating Employees.pdf from Equity (EQT) and saved to EQT-07 Accommodating Employees.txt\n", + "Processed EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf from Equity (EQT) and saved to EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.txt\n", + "Processed EQT-03 Sexual Misconduct Toward Students.pdf from Equity (EQT) and saved to EQT-03 Sexual Misconduct Toward Students.txt\n", + "Processed EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf from Equity (EQT) and saved to EQT-10 Opportunity & Achievement Gaps Policy Implementation.txt\n", + "Processed EQT-05 Bias-Based Conduct Toward Employees.pdf from Equity (EQT) and saved to EQT-05 Bias-Based Conduct Toward Employees.txt\n", + "Processed EQT-09 Transgender and Gender Nonconforming Employees.pdf from Equity (EQT) and saved to EQT-09 Transgender and Gender Nonconforming Employees.txt\n", + "Processed OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf from Instructional & Information Technology (OIIT) and saved to OIIT-03 Technology Purchasing, Acquisition & Return Guide.txt\n", + "Processed OIIT-02 Procuring Digital Products Guidance Document.pdf from Instructional & Information Technology (OIIT) and saved to OIIT-02 Procuring Digital Products Guidance Document.txt\n", + "Processed OIIT-01 Acceptable Use Policy.pdf from Instructional & Information Technology (OIIT) and saved to OIIT-01 Acceptable Use Policy.txt\n", + "Processed FIN-21 BPS-Recognized Independent 501c3s.pdf from Finance (FIN) and saved to FIN-21 BPS-Recognized Independent 501c3s.txt\n", + "Processed FIN-03 Expenditure Reimbursement.pdf from Finance (FIN) and saved to FIN-03 Expenditure Reimbursement.txt\n", + "Processed FIN-01 Travel Policy.pdf from Finance (FIN) and saved to FIN-01 Travel Policy.txt\n", + "Processed FIN-19 BPS Postage & Printing Policy.pdf from Finance (FIN) and saved to FIN-19 BPS Postage & Printing Policy.txt\n", + "Processed FIN-10 Grants Guidelines.pdf from Finance (FIN) and saved to FIN-10 Grants Guidelines.txt\n", + "Processed FIN-12 Trust Funds for Schools.pdf from Finance (FIN) and saved to FIN-12 Trust Funds for Schools.txt\n", + "Processed FIN-07 Purchasing Guidelines.pdf from Finance (FIN) and saved to FIN-07 Purchasing Guidelines.txt\n", + "Processed FIN-20 Managing Stipends.pdf from Finance (FIN) and saved to FIN-20 Managing Stipends.txt\n", + "Processed FIN-14 Overpayment of Salaries.pdf from Finance (FIN) and saved to FIN-14 Overpayment of Salaries.txt\n", + "Processed FIN-11 Scholarships, Awards, and Honors for Students.pdf from Finance (FIN) and saved to FIN-11 Scholarships, Awards, and Honors for Students.txt\n", + "Processed FIN-09 Private Contributions Management Guidelines.pdf from Finance (FIN) and saved to FIN-09 Private Contributions Management Guidelines.txt\n", + "Processed FIN-02a Mileage Reimbursement.pdf from Finance (FIN) and saved to FIN-02a Mileage Reimbursement.txt\n", + "Processed FIN-02b Mileage Reimbursement_January-June.pdf from Finance (FIN) and saved to FIN-02b Mileage Reimbursement_January-June.txt\n", + "Processed FIN-04 Student Activity Accounts.pdf from Finance (FIN) and saved to FIN-04 Student Activity Accounts.txt\n", + "Processed FIN-16 Budget Transfers.pdf from Finance (FIN) and saved to FIN-16 Budget Transfers.txt\n", + "Processed SHS-05 Tuberculosis Program.pdf from School Health Services (SHS) and saved to SHS-05 Tuberculosis Program.txt\n", + "Processed SHS-26 Administration of Naloxone.pdf from School Health Services (SHS) and saved to SHS-26 Administration of Naloxone.txt\n", + "Processed SHS-16 Suicide Prevention & Intervention.pdf from School Health Services (SHS) and saved to SHS-16 Suicide Prevention & Intervention.txt\n", + "Processed SHS-24 Diapering and Toileting Accidents Policy.pdf from School Health Services (SHS) and saved to SHS-24 Diapering and Toileting Accidents Policy.txt\n", + "Processed SHS-21 Diabetes Policy.pdf from School Health Services (SHS) and saved to SHS-21 Diabetes Policy.txt\n", + "Processed SHS-11 Life Threatening Allergies.pdf from School Health Services (SHS) and saved to SHS-11 Life Threatening Allergies.txt\n", + "Processed SHS-06 Immunization Law.pdf from School Health Services (SHS) and saved to SHS-06 Immunization Law.txt\n", + "Processed SHS-22 Automatic External Defibrillator Policy.pdf from School Health Services (SHS) and saved to SHS-22 Automatic External Defibrillator Policy.txt\n", + "Processed SHS-23 Condom Accessibility.pdf from School Health Services (SHS) and saved to SHS-23 Condom Accessibility.txt\n", + "Processed SHS-04 Infection Prevention Control.pdf from School Health Services (SHS) and saved to SHS-04 Infection Prevention Control.txt\n", + "Processed SHS-13 Transportation Medical Accommodation.pdf from School Health Services (SHS) and saved to SHS-13 Transportation Medical Accommodation.txt\n", + "Processed SHS-01 Drug and Alcohol Abuse.pdf from School Health Services (SHS) and saved to SHS-01 Drug and Alcohol Abuse.txt\n", + "Processed SHS-25 Sickle Cell Disease Policy.pdf from School Health Services (SHS) and saved to SHS-25 Sickle Cell Disease Policy.txt\n", + "Processed SHS-08 Medication Administration.pdf from School Health Services (SHS) and saved to SHS-08 Medication Administration.txt\n", + "Processed SHS-20 Asthma in Schools.pdf from School Health Services (SHS) and saved to SHS-20 Asthma in Schools.txt\n", + "Processed FNS-06 Menu Standards and Guidelines.pdf from Food and Nutrition Services (FNS) and saved to FNS-06 Menu Standards and Guidelines.txt\n", + "Processed FNS-03 Competitive Foods Guidelines.pdf from Food and Nutrition Services (FNS) and saved to FNS-03 Competitive Foods Guidelines.txt\n", + "Processed FNS-02 Emergency Meal Procedures.pdf from Food and Nutrition Services (FNS) and saved to FNS-02 Emergency Meal Procedures.txt\n", + "Processed FNS-04 Responsibilities4 Regarding School Food Services.pdf from Food and Nutrition Services (FNS) and saved to FNS-04 Responsibilities4 Regarding School Food Services.txt\n", + "Processed HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf from Fire Safety & Emergency Management (FSE) and saved to HRS-HS02 Job Sharing for Permanent Teachers and Paras.txt\n", + "Processed FSE-07 Public Health & Workplace Safety.pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-07 Public Health & Workplace Safety.txt\n", + "Processed FSE-08 Safe Mode and Internal Threat Procedures .pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-08 Safe Mode and Internal Threat Procedures .txt\n", + "Processed FSE-01 School Safety Contingency Plans.pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-01 School Safety Contingency Plans.txt\n", + "Processed FSE-04 Bomb Threat Procedures.pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-04 Bomb Threat Procedures.txt\n", + "Processed FSE-05 Medical Emergency Management.pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-05 Medical Emergency Management.txt\n", + "Processed FSE-02 Fire Safety Practices.pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-02 Fire Safety Practices.txt\n", + "Processed FSE-03 Building Codes & Fire Regulations.pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-03 Building Codes & Fire Regulations.txt\n", + "Processed FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf from Fire Safety & Emergency Management (FSE) and saved to FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.txt\n", + "Processed AMT-05 Maximum Age Assignment and Enrollment Policy.pdf from Enrollment Planning and Support (AMT) and saved to AMT-05 Maximum Age Assignment and Enrollment Policy.txt\n", + "Processed AMT-04 Grade Requirements.pdf from Enrollment Planning and Support (AMT) and saved to AMT-04 Grade Requirements.txt\n", + "Processed AMT-06 Voluntary Transfer Policy.pdf from Enrollment Planning and Support (AMT) and saved to AMT-06 Voluntary Transfer Policy.txt\n", + "Processed AMT-07 Safety Transfer Request.pdf from Enrollment Planning and Support (AMT) and saved to AMT-07 Safety Transfer Request.txt\n", + "Processed AMT-03 DYS Committed Students.pdf from Enrollment Planning and Support (AMT) and saved to AMT-03 DYS Committed Students.txt\n", + "Processed AMT-01 Exam School Application and Admissions.pdf from Enrollment Planning and Support (AMT) and saved to AMT-01 Exam School Application and Admissions.txt\n" + ] + } + ], + "source": [ + "import fitz # PyMuPDF\n", + "import os\n", + "\n", + "# Function to extract text, tables, and hyperlinks\n", + "def extract_pdf_content_with_links(pdf_path):\n", + " extracted_text = \"\"\n", + " links_data = []\n", + "\n", + " # Open the PDF with PyMuPDF\n", + " pdf_document = fitz.open(pdf_path)\n", + "\n", + " for page_num in range(len(pdf_document)):\n", + " page = pdf_document.load_page(page_num)\n", + " extracted_text += f\"Page {page_num + 1}:\\n{page.get_text('text')}\\n\\n\"\n", + " \n", + " # Extracting link annotations (uri and surrounding text)\n", + " links = page.get_links()\n", + " for link in links:\n", + " if 'uri' in link:\n", + " uri = link[\"uri\"]\n", + " rect = link[\"from\"] # Rectangular area of the link\n", + " # Extract the text within the link's rectangle\n", + " link_text = page.get_textbox(rect)\n", + " if not link_text:\n", + " link_text = \"Unknown Text\"\n", + " links_data.append((link_text, uri))\n", + "\n", + " pdf_document.close()\n", + " \n", + " return extracted_text, links_data\n", + " \n", + "\n", + "# Function to process PDF files from the subfolders and save in 'data_txt'\n", + "def process_pdf_files(main_folder_path, output_folder):\n", + " # Ensure the output folder exists\n", + " os.makedirs(output_folder, exist_ok=True)\n", + "\n", + " # Loop through each of the 24 subfolders in the main folder\n", + " for subfolder in os.listdir(main_folder_path):\n", + " subfolder_path = os.path.join(main_folder_path, subfolder)\n", + "\n", + " # Process only if it's a directory\n", + " if os.path.isdir(subfolder_path):\n", + " for filename in os.listdir(subfolder_path):\n", + " if filename.endswith(\".pdf\"):\n", + " pdf_path = os.path.join(subfolder_path, filename)\n", + " # Extract the text and hyperlinks\n", + " text, links = extract_pdf_content_with_links(pdf_path)\n", + " # Display the extracted text\n", + " #print(\"Extracted Text:\\n\", text)\n", + " \n", + " # Display extracted hyperlinks\n", + " # print(\"\\nExtracted Hyperlinks:\")\n", + " # for link_text, uri in links:\n", + " # print(f\"Text: {link_text}, Link: {uri}\")\n", + " \n", + " # Save the extracted text into a .txt file with the same name in 'data_txt' folder\n", + " txt_filename = os.path.splitext(filename)[0] + \".txt\"\n", + " txt_path = os.path.join(output_folder, txt_filename)\n", + " \n", + " with open(txt_path, 'w', encoding='utf-8') as txt_file:\n", + " txt_file.write(text)\n", + " \n", + " print(f\"Processed {filename} from {subfolder} and saved to {txt_filename}\")\n", + "\n", + "\n", + "# Call the function for a specific directory\n", + "main_folder_path = \"../data/data_pdf\"\n", + "output_folder = \"../data/data_txt\"\n", + "process_pdf_files(main_folder_path, output_folder)\n", + "\n" + ] + }, + { + "cell_type": "markdown", + "id": "2f77a75b", + "metadata": {}, + "source": [ + "Below code creates one text file for all pdfs" + ] + }, + { + "cell_type": "code", + "execution_count": 13, + "id": "ead6fecc", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Processed CAO-05 Services for Multilingual Learner Students.pdf from Academics (CAO)\n", + "Processed CAO-25 International Field Trips Guidelines & Forms.pdf from Academics (CAO)\n", + "Processed CAO-08 Grading Requirements.pdf from Academics (CAO)\n", + "Processed CAO-24 Domestic Overnight Field Trip Guidelines.pdf from Academics (CAO)\n", + "Processed CAO-01 Promotion Policy.pdf from Academics (CAO)\n", + "Processed CAO-22 General Field Trip Guidelines.pdf from Academics (CAO)\n", + "Processed CAO-23 Day Field Trip Guidelines.pdf from Academics (CAO)\n", + "Processed CAO-07 Graduation Requirements.pdf from Academics (CAO)\n", + "Processed CAO-27 Water Activities on Field Trips.pdf from Academics (CAO)\n", + "Processed CAO-06 GPA Calculation Method.pdf from Academics (CAO)\n", + "Processed CAO-03 Textbook Management.pdf from Academics (CAO)\n", + "Processed FAM-03 Student Government.pdf from Family and Community Advancement (FAM)\n", + "Processed FAM-01 School Parent Councils.pdf from Family and Community Advancement (FAM)\n", + "Processed FAM-08 Translation and Interpretation Services.pdf from Family and Community Advancement (FAM)\n", + "Processed FAM-07 Home-School Compact.pdf from Family and Community Advancement (FAM)\n", + "Processed FAM-05 Title I Family Engagement Requirements.pdf from Family and Community Advancement (FAM)\n", + "Processed FAM-02 School Site Councils.pdf from Family and Community Advancement (FAM)\n", + "Processed FAM-06 Boston Student Advisory Council.pdf from Family and Community Advancement (FAM)\n", + "Processed FAM-04 Personnel Subcommittee.pdf from Family and Community Advancement (FAM)\n", + "Processed ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf from Data and Accountability (ODA)\n", + "Processed ODA-05 BPS Survey Administration Guidelines.pdf from Data and Accountability (ODA)\n", + "Processed ODA-02 State Testing Security and Ethics.pdf from Data and Accountability (ODA)\n", + "Processed ODA-03 Guidelines and Procedures for Accessing Student Data.pdf from Data and Accountability (ODA)\n", + "Processed ODA-01 Procedures for Conducting Educational Research.pdf from Data and Accountability (ODA)\n", + "Processed ODA-04 BPS Balanced Assessment System.pdf from Data and Accountability (ODA)\n", + "Processed ODA-07 Required Documentation to Withdraw Students.pdf from Data and Accountability (ODA)\n", + "Processed HRS-PP05 Attendance Monitoring.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-L01 Teacher Licensure.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP11 Drug Free Workplace Policy and Procedure.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP03 Tuition Reimbursement.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP13A Family and Medical Leave Act.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-HS07.1 Qualifications for Additional Program Areas.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP13 Employee Sick Leave Policy.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-L02 Paraprofessional ESSA Requirements.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM06 Performance Evaluation of Managerial Employees.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP16 Employee Savings and Investment Benefits.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM05 Performance Evaluation of Lunch Monitors.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP07 Workers' Compensation Procedures.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-HS07 Staffing Reassignment and Hiring.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM01 Performance Evaluation of Teachers.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-HS04 School Leader Screening Process.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP09 Criminal History Screening.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP15 Sick Leave Donation Program.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-PM10 Performance Evaluation of ABA Specialists.pdf from Office of Human Resources (HRS)\n", + "Processed HRS-HS06 Substitute Teachers.pdf from Office of Human Resources (HRS)\n", + "Processed LGL-15 Student Surveys.pdf from Legal Advisor (LGL)\n", + "Processed LGL-17 Religious Expression in Schools.pdf from Legal Advisor (LGL)\n", + "Processed LGL-05 Subpoenas.pdf from Legal Advisor (LGL)\n", + "Processed LGL-20 Corporal Punishment.pdf from Legal Advisor (LGL)\n", + "Processed LGL-04 School Visitor Guidelines.pdf from Legal Advisor (LGL)\n", + "Processed LGL-19 Conflict of Interest Law-City Employees.pdf from Legal Advisor (LGL)\n", + "Processed LGL-08 Adherence to Court Orders.pdf from Legal Advisor (LGL)\n", + "Processed LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf from Legal Advisor (LGL)\n", + "Processed LGL-10 Military Recruiters.pdf from Legal Advisor (LGL)\n", + "Processed LGL-22 Sexual Offender Registry Information.pdf from Legal Advisor (LGL)\n", + "Processed LGL-16 Student Health Information.pdf from Legal Advisor (LGL)\n", + "Processed LGL-18 Display of Flag and School Ceremonies.pdf from Legal Advisor (LGL)\n", + "Processed LGL-06 Religious Holy Days.pdf from Legal Advisor (LGL)\n", + "Processed LGL-07 Student Records.pdf from Legal Advisor (LGL)\n", + "Processed LGL-01 Anti-Hazing.pdf from Legal Advisor (LGL)\n", + "Processed LGL-03 Public Record Requests.pdf from Legal Advisor (LGL)\n", + "Processed LGL-09 Political Activity by Public Employees.pdf from Legal Advisor (LGL)\n", + "Processed LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf from Legal Advisor (LGL)\n", + "Processed SSS-02 Homeless Students.pdf from Student Support Services (SSS)\n", + "Processed SSS-18 Bullying Prevention and Intervention Plan.pdf from Student Support Services (SSS)\n", + "Processed SSS-07 Persistently Dangerous Schools Standards for Determination.pdf from Student Support Services (SSS)\n", + "Processed SSS-19 Home & Hospital Instruction Policy.pdf from Student Support Services (SSS)\n", + "Processed SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf from Student Support Services (SSS)\n", + "Processed COM-02 Media Relations Policy.pdf from Communications (COM)\n", + "Processed COM-01 Communications Policy.pdf from Communications (COM)\n", + "Processed ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf from Athletics (ATH)\n", + "Processed ATH-02 Athletic Eligibility.pdf from Athletics (ATH)\n", + "Processed ACA-18 Attendance Policies & Procedures.pdf from Attendance (ACA)\n", + "Processed FMT-02 Work Order Requests.pdf from Facilities Management (FMT)\n", + "Processed FMT-11 Green Cleaners Policy.pdf from Facilities Management (FMT)\n", + "Processed FMT-10 Integrated Pest Management (IPM).pdf from Facilities Management (FMT)\n", + "Processed FMT-18 Science Safety in Schools.pdf from Facilities Management (FMT)\n", + "Processed FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf from Facilities Management (FMT)\n", + "Processed FMT-01 Performance Evaluation of Custodians.pdf from Facilities Management (FMT)\n", + "Processed FMT-09 Material Distribution Procedures.pdf from Facilities Management (FMT)\n", + "Processed FMT-03 Renovations to School Buildings and Yards.pdf from Facilities Management (FMT)\n", + "Processed FMT-15 SY Environmental Audit Program .pdf from Facilities Management (FMT)\n", + "Processed FMT-08 Recycling and Zero Waste Policy.pdf from Facilities Management (FMT)\n", + "Processed FMT-20 Drinking Water Access Policy.pdf from Facilities Management (FMT)\n", + "Processed FMT-04 Custodial Pay Adjustments.pdf from Facilities Management (FMT)\n", + "Processed FMT-05 Facilities Building Permits & Conditions.pdf from Facilities Management (FMT)\n", + "Processed FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf from Facilities Management (FMT)\n", + "Processed SUP-20 Child Abuse and Neglect.pdf from Superintendent's Office (SUP)\n", + "Processed SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf from Superintendent's Office (SUP)\n", + "Processed EL-04 Title I Expenditures for ELs.pdf from English Learners (EL)\n", + "Processed EL-07 Instructional System & Monitoring for Multilingual Learners.pdf from English Learners (EL)\n", + "Processed EL-06 Initial Identification and Assessment of Multilingual Learners.pdf from English Learners (EL)\n", + "Processed SAF-03 Locker Policy.pdf from Safety Services (SAF)\n", + "Processed SAF-09 Lost Children Procedures.pdf from Safety Services (SAF)\n", + "Processed SAF-04 Incident Data Reporting and Release.pdf from Safety Services (SAF)\n", + "Processed SAF-12 School Access Control.pdf from Safety Services (SAF)\n", + "Processed SAF-02 Weapons and Objects of No Reasonable Use.pdf from Safety Services (SAF)\n", + "Processed SAF-04 Incident Data Reporting and Release (1).pdf from Safety Services (SAF)\n", + "Processed SAF-08 Release of Students to Authorized Persons.pdf from Safety Services (SAF)\n", + "Processed SAF-01 Student Search Procedures.pdf from Safety Services (SAF)\n", + "Processed SPE-14 Counseling Guidelines .pdf from Special Education (SPE)\n", + "Processed SPE-20 SPED Screening for 3 and 4 Year Olds.pdf from Special Education (SPE)\n", + "Processed HWD-02 Phys Ed & Physical Activity.pdf from Health & Wellness (HWD)\n", + "Processed HWD-06 Tobacco-Nicotine Policy.pdf from Health & Wellness (HWD)\n", + "Processed HWD-01 Wellness Policy .pdf from Health & Wellness (HWD)\n", + "Processed HWD-03 Comprehensive Health Ed.pdf from Health & Wellness (HWD)\n", + "Processed HWD-04 Healthy School Environment Policy.pdf from Health & Wellness (HWD)\n", + "Processed TRN-03 Field Trip & Athletics Transportation.pdf from Transportation (TRN)\n", + "Processed TRN-02 Student Transportation Safety and Discipline.pdf from Transportation (TRN)\n", + "Processed TRN-01 Schedule of School Hours.pdf from Transportation (TRN)\n", + "Processed SCP-01 School-Community Partners.pdf from School Community Partners (SCP)\n", + "Processed EQT-08 Expectant & Parenting Students.pdf from Equity (EQT)\n", + "Processed EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf from Equity (EQT)\n", + "Processed EQT-04 Students and Gender Identity.pdf from Equity (EQT)\n", + "Processed EQT-01 Nondiscrimination and Policy Statement.pdf from Equity (EQT)\n", + "Processed EQT-07 Accommodating Employees.pdf from Equity (EQT)\n", + "Processed EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf from Equity (EQT)\n", + "Processed EQT-03 Sexual Misconduct Toward Students.pdf from Equity (EQT)\n", + "Processed EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf from Equity (EQT)\n", + "Processed EQT-05 Bias-Based Conduct Toward Employees.pdf from Equity (EQT)\n", + "Processed EQT-09 Transgender and Gender Nonconforming Employees.pdf from Equity (EQT)\n", + "Processed OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf from Instructional & Information Technology (OIIT)\n", + "Processed OIIT-02 Procuring Digital Products Guidance Document.pdf from Instructional & Information Technology (OIIT)\n", + "Processed OIIT-01 Acceptable Use Policy.pdf from Instructional & Information Technology (OIIT)\n", + "Processed FIN-21 BPS-Recognized Independent 501c3s.pdf from Finance (FIN)\n", + "Processed FIN-03 Expenditure Reimbursement.pdf from Finance (FIN)\n", + "Processed FIN-01 Travel Policy.pdf from Finance (FIN)\n", + "Processed FIN-19 BPS Postage & Printing Policy.pdf from Finance (FIN)\n", + "Processed FIN-10 Grants Guidelines.pdf from Finance (FIN)\n", + "Processed FIN-12 Trust Funds for Schools.pdf from Finance (FIN)\n", + "Processed FIN-07 Purchasing Guidelines.pdf from Finance (FIN)\n", + "Processed FIN-20 Managing Stipends.pdf from Finance (FIN)\n", + "Processed FIN-14 Overpayment of Salaries.pdf from Finance (FIN)\n", + "Processed FIN-11 Scholarships, Awards, and Honors for Students.pdf from Finance (FIN)\n", + "Processed FIN-09 Private Contributions Management Guidelines.pdf from Finance (FIN)\n", + "Processed FIN-02a Mileage Reimbursement.pdf from Finance (FIN)\n", + "Processed FIN-02b Mileage Reimbursement_January-June.pdf from Finance (FIN)\n", + "Processed FIN-04 Student Activity Accounts.pdf from Finance (FIN)\n", + "Processed FIN-16 Budget Transfers.pdf from Finance (FIN)\n", + "Processed SHS-05 Tuberculosis Program.pdf from School Health Services (SHS)\n", + "Processed SHS-26 Administration of Naloxone.pdf from School Health Services (SHS)\n", + "Processed SHS-16 Suicide Prevention & Intervention.pdf from School Health Services (SHS)\n", + "Processed SHS-24 Diapering and Toileting Accidents Policy.pdf from School Health Services (SHS)\n", + "Processed SHS-21 Diabetes Policy.pdf from School Health Services (SHS)\n", + "Processed SHS-11 Life Threatening Allergies.pdf from School Health Services (SHS)\n", + "Processed SHS-06 Immunization Law.pdf from School Health Services (SHS)\n", + "Processed SHS-22 Automatic External Defibrillator Policy.pdf from School Health Services (SHS)\n", + "Processed SHS-23 Condom Accessibility.pdf from School Health Services (SHS)\n", + "Processed SHS-04 Infection Prevention Control.pdf from School Health Services (SHS)\n", + "Processed SHS-13 Transportation Medical Accommodation.pdf from School Health Services (SHS)\n", + "Processed SHS-01 Drug and Alcohol Abuse.pdf from School Health Services (SHS)\n", + "Processed SHS-25 Sickle Cell Disease Policy.pdf from School Health Services (SHS)\n", + "Processed SHS-08 Medication Administration.pdf from School Health Services (SHS)\n", + "Processed SHS-20 Asthma in Schools.pdf from School Health Services (SHS)\n", + "Processed FNS-06 Menu Standards and Guidelines.pdf from Food and Nutrition Services (FNS)\n", + "Processed FNS-03 Competitive Foods Guidelines.pdf from Food and Nutrition Services (FNS)\n", + "Processed FNS-02 Emergency Meal Procedures.pdf from Food and Nutrition Services (FNS)\n", + "Processed FNS-04 Responsibilities4 Regarding School Food Services.pdf from Food and Nutrition Services (FNS)\n", + "Processed HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-07 Public Health & Workplace Safety.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-08 Safe Mode and Internal Threat Procedures .pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-01 School Safety Contingency Plans.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-04 Bomb Threat Procedures.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-05 Medical Emergency Management.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-02 Fire Safety Practices.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-03 Building Codes & Fire Regulations.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf from Fire Safety & Emergency Management (FSE)\n", + "Processed AMT-05 Maximum Age Assignment and Enrollment Policy.pdf from Enrollment Planning and Support (AMT)\n", + "Processed AMT-04 Grade Requirements.pdf from Enrollment Planning and Support (AMT)\n", + "Processed AMT-06 Voluntary Transfer Policy.pdf from Enrollment Planning and Support (AMT)\n", + "Processed AMT-07 Safety Transfer Request.pdf from Enrollment Planning and Support (AMT)\n", + "Processed AMT-03 DYS Committed Students.pdf from Enrollment Planning and Support (AMT)\n", + "Processed AMT-01 Exam School Application and Admissions.pdf from Enrollment Planning and Support (AMT)\n" + ] + } + ], + "source": [ + "import fitz # PyMuPDF\n", + "import os\n", + "\n", + "# Function to extract text, tables, and hyperlinks\n", + "def extract_pdf_content_with_links(pdf_path):\n", + " extracted_text = \"\"\n", + " links_data = []\n", + "\n", + " # Open the PDF with PyMuPDF\n", + " pdf_document = fitz.open(pdf_path)\n", + "\n", + " for page_num in range(len(pdf_document)):\n", + " page = pdf_document.load_page(page_num)\n", + " extracted_text += f\"Page {page_num + 1}:\\n{page.get_text('text')}\\n\\n\"\n", + " \n", + " # Extracting link annotations (uri and surrounding text)\n", + " links = page.get_links()\n", + " for link in links:\n", + " if 'uri' in link:\n", + " uri = link[\"uri\"]\n", + " rect = link[\"from\"] # Rectangular area of the link\n", + " # Extract the text within the link's rectangle\n", + " link_text = page.get_textbox(rect)\n", + " if not link_text:\n", + " link_text = \"Unknown Text\"\n", + " links_data.append((link_text, uri))\n", + "\n", + " pdf_document.close()\n", + " \n", + " return extracted_text, links_data\n", + " \n", + "\n", + "# Function to process PDF files from the subfolders and save in one text file\n", + "def process_pdf_files(main_folder_path, output_file):\n", + " # Open the output file for writing (creates or overwrites the file)\n", + " with open(output_file, 'w', encoding='utf-8') as output_txt:\n", + " # Loop through each of the 24 subfolders in the main folder\n", + " for subfolder in os.listdir(main_folder_path):\n", + " subfolder_path = os.path.join(main_folder_path, subfolder)\n", + "\n", + " # Process only if it's a directory\n", + " if os.path.isdir(subfolder_path):\n", + " for filename in os.listdir(subfolder_path):\n", + " if filename.endswith(\".pdf\"):\n", + " pdf_path = os.path.join(subfolder_path, filename)\n", + " # Extract the text and hyperlinks\n", + " text, links = extract_pdf_content_with_links(pdf_path)\n", + "\n", + " # Display the extracted text\n", + " #print(\"Extracted Text:\\n\", text)\n", + " \n", + " # Display extracted hyperlinks\n", + " # print(\"\\nExtracted Hyperlinks:\")\n", + " # for link_text, uri in links:\n", + " # print(f\"Text: {link_text}, Link: {uri}\")\n", + " \n", + " # Write the extracted text into the output text file\n", + " output_txt.write(text)\n", + "\n", + " print(f\"Processed {filename} from {subfolder}\")\n", + "\n", + "# Call the function for the main folder and specify the output text file\n", + "main_folder_path = \"../data/data_pdf\"\n", + "output_file = \"../data/data_txt/_merged_corpus.txt\"\n", + "process_pdf_files(main_folder_path, output_file)\n", + "\n" + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3 (ipykernel)", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.9.6" + } + }, + "nbformat": 4, + "nbformat_minor": 5 +} diff --git a/project-eda/web_scraper.ipynb b/project-eda/web_scraper.ipynb new file mode 100644 index 0000000..affdcae --- /dev/null +++ b/project-eda/web_scraper.ipynb @@ -0,0 +1 @@ +{"cells":[{"cell_type":"code","execution_count":5,"metadata":{"colab":{"base_uri":"https://localhost:8080/"},"executionInfo":{"elapsed":61223,"status":"ok","timestamp":1732143746646,"user":{"displayName":"Akshat Gurbuxani","userId":"17483033598681941504"},"user_tz":300},"id":"9Aa71qHHetar","outputId":"b6e87400-970b-45fe-d850-7f7f12947af5"},"outputs":[{"name":"stdout","output_type":"stream","text":["Google Drive links found:\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1XNOOmnWE4VMQ-I1stRUkAhogGw9t0I5G?usp=drive_link\n","ACA-18 Attendance Policies & Procedures.pdf: https://drive.google.com/file/d/1Rq7mPps9BwX6Vfjnc9fKh0MoDN21UL1P\n","AMT-01 Exam School Application and Admissions.pdf: https://drive.google.com/file/d/1sMHkNfYGn7r8VGEVCToGula73oEtYgwN/view?usp=drive_link\n","AMT-03 DYS Committed Students.pdf: https://drive.google.com/file/d/1hEpcnEnD17bfEOGhuAgeY1G-aMUctJib/view?usp=drive_link\n","AMT-04 Grade Requirements.pdf: https://drive.google.com/file/d/1XJrumxGVBFNxG__pHfTKPYI6uQwuf8G5/view?usp=drive_link\n","AMT-05 Maximum Age Assignment and Enrollment Policy.pdf: https://drive.google.com/file/d/1xB0sAawkLC1HAhM6rbqFzh31CF_5ro03/view?usp=drive_link\n","AMT-06 Voluntary Transfer Policy.pdf: https://drive.google.com/file/d/1fgaUp4Pn374_lBuJaW1mBZG_JUnWUGy_/view?usp=drive_link\n","AMT-07 Safety Transfer Request.pdf: https://drive.google.com/file/d/158Utqa8XW8gth30_BexWoRielUKJuke9/view?usp=drive_link\n","ATH-01 Prevention and Management of Sports-Related Head Injuries.pdf: https://drive.google.com/file/d/1aH_x4Q7_yfSGjqbMBpPP5-M3yII4mc4o/view?usp=drive_link\n","ATH-02 Athletic Eligibility.pdf: https://drive.google.com/file/d/1VRfs42DpguRuaCKQEyGxv9Xs_hFbUpcO/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1huzLTVFKFjveOeqp0_-AcTf-jYphCld3?usp=drive_link\n","CAO-01 Promotion Policy.pdf: https://drive.google.com/file/d/1qIE19EmWt03c7P1OQO8fH72NvwJUAkIR\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1-NCNpSa8UwYw_0MQdhmM-VV5lcBKtGEU?usp=drive_link\n","CAO-03 Textbook Management.pdf: https://drive.google.com/file/d/1TKQuergL3RLb_-8nTfCL-QJMlV1GfdLO\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1HVAuaNXNlnowmZKjhXsGRHPcaW6sf3-g?usp=drive_link\n","CAO-05 Services for Multilingual Learner Students.pdf: https://drive.google.com/file/d/12KkUOz7lRvu4vOdnblFf9a_q3wkJ0qk8\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1ThM6wTF5LH2fCiMWDrSEiJKXutrc2u5x?usp=drive_link\n","CAO-06 GPA Calculation Method.pdf: https://drive.google.com/file/d/13gWv2MOWmgQgh4Wgj_I2-pOVUFXpoSnH\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1kxczLy6UXIbujEjqm6GOZtfV9laCVV0K?usp=drive_link\n","CAO-07 Graduation Requirements.pdf: https://drive.google.com/file/d/1MuYzPoAkvWFkiqmQ7huE0HgD-6FhS9Qo\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1HpUfPePRLPCVkn_OP8FO9U4UtVah-U2g?usp=drive_link\n","CAO-08 Grading Requirements.pdf: https://drive.google.com/file/d/11wQf16DASOiFklLV1xJ_F5qwZYwKgLGE\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1Dbicrju9SkB4GQ8ou9_8NS9Ke240k4p2?usp=drive_link\n","CAO-22 General Field Trip Guidelines.pdf: https://drive.google.com/file/d/1XQgnfnZK-3yz3q136WpAnrGYl6im5XAW\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1e-qZveyEspiHKe3WnHlkF-_SXUMml8Gq?usp=drive_link\n","CAO-23 Day Field Trip Guidelines.pdf: https://drive.google.com/file/d/1f8IVtv5iNjtf45kjBcU5VgV4JqRFPTLR\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1GOj3aqWOhe0WJoZU9X2mEOSEYWniowoG?usp=drive_link\n","CAO-24 Domestic Overnight Field Trip Guidelines.pdf: https://drive.google.com/file/d/1k_-q-fsFpMDKFI_sNq0LuZiXde7_v66_\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1bgSWMoxrTIqer_Uj6dArbc_yB5r07AqF?usp=drive_link\n","CAO-25 International Field Trips Guidelines & Forms.pdf: https://drive.google.com/file/d/1GZ4VSKh0dBQ4Yrn78_n0ThWmPErTulSW\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1DdQVFUzs8FgfXjjJGBWhvmSIvEPWYVqv?usp=drive_link\n","CAO-27 Water Activities on Field Trips.pdf: https://drive.google.com/file/d/1KTP-HHij8tQIL71V5MuW7Qi7oq97RUoI\n","COM-01 Communications Policy.pdf: https://drive.google.com/file/d/1JrJBRQ87JvYvlLe0w5d-BQ0K-2eq3wjM/view?usp=drive_link\n","COM-02 Media Relations Policy.pdf: https://drive.google.com/file/d/1Nun6F0fivaj38RKxzURNca_ptsEjNlua/view?usp=drive_link\n","EL-04 Title I Expenditures for ELs.pdf: https://drive.google.com/file/d/1YWFdLk26LntE-MjUuW6pLjsg7qSDtNc8/view?usp=drive_link\n","EL-06 Initial Identification and Assessment of Multilingual Learners.pdf: https://drive.google.com/file/d/1thfVB-Lhr6AC8l3gbx9wR_LJ-3bk7H-L/view?usp=drive_link\n","EL-07 Instructional System & Monitoring for Multilingual Learners.pdf: https://drive.google.com/file/d/1vVZBe5fMfdRhlQeP2cOiUYoVlSFZ0Tu-/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1Z8sExAkw1ZYayk9OX4InngZHn7UQ-1GX?usp=drive_link\n","EQT-01 Nondiscrimination and Policy Statement.pdf: https://drive.google.com/file/d/10ITQy0VSAq_OkyNzflDnBvcZkyDMgKjQ\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1xqHNd5yN_rx_mStyh9Jz7Xz4keHGib44?usp=drive_link\n","EQT-02 Bias-Based Conduct Toward Students, Families, or Other Third Parties.pdf: https://drive.google.com/file/d/1SZ9hS3ueXGU2fgQNdp1oQKK_tKl99Ztj\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1Pe2hh44rr5bsveLmf0Z-_rEzeTZkl-OY?usp=drive_link\n","EQT-03 Sexual Misconduct Toward Students.pdf: https://drive.google.com/file/d/11bX0ZfpEOjxSr-03CSKak9VXiq_j3QGn\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/12efP8zQjPFsMMFZAN3jgYZMUX4p2kHyh?usp=drive_link\n","EQT-04 Students and Gender Identity.pdf: https://drive.google.com/file/d/16qaMFUk_PejYo7L3ba-rzdRGCJ82H6d-\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1KKRzKOiOSHpaPrcMOg-dI0hWfjDxz03j?usp=drive_link\n","EQT-05 Bias-Based Conduct Toward Employees.pdf: https://drive.google.com/file/d/1IhI4QzQZrvmg9UNzRgIEJaNK_Ca7cTrH\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/16Zj_B-UDQd0da_XNWyfnva6kkx-aBKQS?usp=drive_link\n","EQT-06 Sexual Misconduct Toward Employees and Third Parties.pdf: https://drive.google.com/file/d/1TilVydNtdVl9uz9gogETZ5nImYetmcap\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1ITmCZNJ3OkfKmxygiCCWl1zZ3MrqzAPd?usp=drive_link\n","EQT-07 Accommodating Employees.pdf: https://drive.google.com/file/d/17WB-H483rQR5NNOuG0OG2FRD9AuP08Yt\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1IC4yTlHZsLBxq-6YokiNPhJsN5ntC6ms?usp=drive_link\n","EQT-08 Expectant & Parenting Students.pdf: https://drive.google.com/file/d/1_tUkiCqAR2ZQDp7H6gn7tvSAw_KvzY67\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1TcqkqmQmLIIFiNoz_syOmjSh-YAHkxQl?usp=drive_link\n","EQT-09 Transgender and Gender Nonconforming Employees.pdf: https://drive.google.com/file/d/18aVT3Jqae_-Dwle4agH0FyboWTHshunJ\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/12lvt_AyOhYHVuki08N_3kHDUVFzhp5HO?usp=drive_link\n","EQT-10 Opportunity & Achievement Gaps Policy Implementation.pdf: https://drive.google.com/file/d/1ClaCHzOET68WOYIL4Pb7lIZ4u_ULIsrb\n","FAM-01 School Parent Councils.pdf: https://drive.google.com/file/d/1Ppltgzjz9uUMM2uW3q9dUQJDZ65D_KO4/view?usp=drive_link\n","FAM-02 School Site Councils.pdf: https://drive.google.com/file/d/158OAoHtvQdrniiu40HImPIiEtDCC7rJw/view?usp=drive_link\n","FAM-03 Student Government.pdf: https://drive.google.com/file/d/1DUa6lzjoi_65P_Iceq7zyFjOWcuEPloz/view?usp=drive_link\n","FAM-04 Personnel Subcommittee.pdf: https://drive.google.com/file/d/15RonpFA4W7MI57QB3_7YxM8GMrHIc1k5/view?usp=drive_link\n","FAM-05 Title I Family Engagement Requirements.pdf: https://drive.google.com/file/d/1Yxfz3sQ9Ob-FX1MwbjHJIOR2bm4zUkaL/view?usp=drive_link\n","FAM-06 Boston Student Advisory Council.pdf: https://drive.google.com/file/d/1XBoUbxJns6RnOwLbVzFOvDwYrzdz2x3L/view?usp=drive_link\n","FAM-07 Home-School Compact.pdf: https://drive.google.com/file/d/181grRc0Qm1wunp-SbK4yZSisdWUg-MfL/view?usp=drive_link\n","FAM-08 Translation and Interpretation Services.pdf: https://drive.google.com/file/d/1rTUwL0SY3tBMPNoIfi5UkVSQRzbu9gyT/view?usp=drive_link\n","FIN-01 Travel Policy.pdf: https://drive.google.com/file/d/1pLrKq8DDDiIigEBpZuvzPZgbQi524Irx/view?usp=drive_link\n","FIN-02a Mileage Reimbursement.pdf: https://drive.google.com/file/d/1sKflA_u87K3kYXuwE5hZt_3mXBLRyCAU/view?usp=drive_link\n","FIN-02b Mileage Reimbursement_January-June.pdf: https://drive.google.com/file/d/1aV_RsESDq2PtfaciK_CvVwQNjqn0uVv-/view?usp=drive_link\n","FIN-03 Expenditure Reimbursement.pdf: https://drive.google.com/file/d/1AxdMc3cgaoqR6aAhCPzzI9f_lJYmX_VI/view?usp=drive_link\n","FIN-04 Student Activity Accounts.pdf: https://drive.google.com/file/d/1jQ50oYTgMJEIcnFN_eH8AKxy7MjBFaOC/view?usp=drive_link\n","FIN-07 Purchasing Guidelines.pdf: https://drive.google.com/file/d/1fOGZFif8xWwqMjBKuSxjLisD8cUMtEwh/view?usp=drive_link\n","FIN-09 Private Contributions Management Guidelines.pdf: https://drive.google.com/file/d/17_--vm5j21c3fgnkn9ZuiaZ_80_A--Lf/view?usp=drive_link\n","FIN-10 Grants Guidelines.pdf: https://drive.google.com/file/d/1zt5hrWNvO6jiTf2K54Pmm8-j_Jntztqk/view?usp=drive_link\n","FIN-11 Scholarships, Awards, and Honors for Students.pdf: https://drive.google.com/file/d/1XJJiUpQRNOzILU-BNey-zkCvFMmllkxb/view?usp=drive_link\n","FIN-12 Trust Funds for Schools.pdf: https://drive.google.com/file/d/1vL67Ryo9P6rtWbbfsBOVDpQpesht9kzZ/view?usp=drive_link\n","FIN-14 Overpayment of Salaries.pdf: https://drive.google.com/file/d/1Dmgw_5-W8ifS6WUBn4SyCYJCMoF5ZM-W/view?usp=drive_link\n","FIN-16 Budget Transfers.pdf: https://drive.google.com/file/d/1E70jLqE_7fJjFcAjmxK5S6oX_NVfHOv4/view?usp=drive_link\n","FIN-19 BPS Postage & Printing Policy.pdf: https://drive.google.com/file/d/17GRe2UPMjttYAJgSp8n-VM4oD6-NJbq0/view?usp=drive_link\n","FIN-20 Managing Stipends.pdf: https://drive.google.com/file/d/1lEzhFxMwkSxgpgQuy6ZUPDT_NHK74gev/view?usp=drive_link\n","FIN-21 BPS-Recognized Independent 501c3s.pdf: https://drive.google.com/file/d/1C77WJzv6bA_DAqmk6xlurf-9PcdArTYH/view?usp=drive_link\n","FMT-01 Performance Evaluation of Custodians.pdf: https://drive.google.com/file/d/1bQlDaxIKlS9coPOLTXsRN1N3OlzWSoCJ/view?usp=drive_link\n","FMT-02 Work Order Requests.pdf: https://drive.google.com/file/d/1Zwno4HydEGdSzfvkDJ7uEx4OeooMPcMF/view?usp=drive_link\n","FMT-03 Renovations to School Buildings and Yards.pdf: https://drive.google.com/file/d/1738orkSnXIVEpr56NkfqQ7tMn1sOhJ4K/view?usp=drive_link\n","FMT-04 Custodial Pay Adjustments.pdf: https://drive.google.com/file/d/14TfH360t0phHPHzTfuUugzUoDSR_DqjD/view?usp=drive_link\n","FMT-05 Facilities Building Permits & Conditions.pdf: https://drive.google.com/file/d/13iXUfcrAXeQP0in09cA-YHmtf7SuRyT6/view?usp=drive_link\n","FMT-08 Recycling and Zero Waste Policy.pdf: https://drive.google.com/file/d/1PyyfwMR5xMFb5rvj0TWd1ARjhZNY_biV/view?usp=drive_link\n","FMT-09 Material Distribution Procedures.pdf: https://drive.google.com/file/d/1yW9E0PBVETYyd3Xu1Rf94AWhLBAI2efQ/view?usp=drive_link\n","FMT-10 Integrated Pest Management (IPM).pdf: https://drive.google.com/file/d/1lButB53moRjvYyQfuVnyG0jGBOC296sq/view?usp=drive_link\n","FMT-11 Green Cleaners Policy.pdf: https://drive.google.com/file/d/1PdZzSR-hFKXfrdAGpdOwqf31lXoJwlRY/view?usp=drive_link\n","FMT-12 Damage Resulting from Fire, Theft, Vandalism or Unlawful Acts.pdf: https://drive.google.com/file/d/1PCoV3DzKnwt0Of3PtZ3LrrDPrACRdxtD/view?usp=drive_link\n","FMT-15 SY Environmental Audit Program .pdf: https://drive.google.com/file/d/1mPINlDjRMn17VzIBbhWk7tQa464s2bzl/view?usp=drive_link\n","FMT-18 Science Safety in Schools.pdf: https://drive.google.com/file/d/1_jAqzwZzoMtS-KQEExhT5nonFda7gqbx/view?usp=drive_link\n","FMT-19 Cleaning & Disinfecting Bodily Fluid Spill SOP SY23 (1).pdf: https://drive.google.com/file/d/1gIN6N7i6OdPIPoWRLw6t2vJbHjXtVpVy/view?usp=drive_link\n","FMT-20 Drinking Water Access Policy.pdf: https://drive.google.com/file/d/16ikP51nwJO58_BikMlZHxN152J2g0EUd/view?usp=drive_link\n","FNS-02 Emergency Meal Procedures.pdf: https://drive.google.com/file/d/1VxLTLmK3rTa8BRrGablCSRJ_ClEDGxVI/view?usp=drive_link\n","FNS-03 Competitive Foods Guidelines.pdf: https://drive.google.com/file/d/1WJeEtMsdzZbVx-pIHvpIuou-uyo6fbvR/view?usp=drive_link\n","FNS-04 Responsibilities4 Regarding School Food Services.pdf: https://drive.google.com/file/d/1iQFifLWXwefooAOlyKZTCBbBDIvyuWR1/view?usp=drive_link\n","FNS-06 Menu Standards and Guidelines.pdf: https://drive.google.com/file/d/1FA2GijhLgdjxslmzQQ93rszJU0XkW69A/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/10wXriKyfMKg8nt3FGWxnkaMFR8AEC2LF?usp=drive_link\n","FSE-01 School Safety Contingency Plans.pdf: https://drive.google.com/file/d/1xx0OM9z8QdsOImsUVnCV1SpJ2tGdUC9V\n","FSE-02 Fire Safety Practices.pdf: https://drive.google.com/file/d/1vN6bIecqoIk46f_qybgb9HHyfXL5O0se/view?usp=drive_link\n","FSE-03 Building Codes & Fire Regulations.pdf: https://drive.google.com/file/d/1VFPSHncUdDWBkhHpBByL-PNUlAq-MpaF/view?usp=drive_link\n","FSE-04 Bomb Threat Procedures.pdf: https://drive.google.com/file/d/15D7bBLLtV5AR9_0xoP6UztcH-bDX7_6X/view?usp=drive_link\n","FSE-05 Medical Emergency Management.pdf: https://drive.google.com/file/d/1JMTHeOLx4S8mdC3PJPgZtAyqBCTQusrK/view?usp=drive_link\n","FSE-06 Student Safety_Health in School Shops, Labs & Classrooms.pdf: https://drive.google.com/file/d/1HC4uTS7zRT4g-cxmAdHsKNP9UUpNZi3G/view?usp=drive_link\n","FSE-07 Public Health & Workplace Safety.pdf: https://drive.google.com/file/d/1-b_CqanFp-HVdIy-Gf-5vR9uF2LCgOk9/view?usp=drive_link\n","FSE-08 Safe Mode and Internal Threat Procedures .pdf: https://drive.google.com/file/d/1cQOOmQRzRutNAbbEoTGTrsACSvezTvLD/view?usp=drive_link\n","HRS-HS02 Job Sharing for Permanent Teachers and Paras.pdf: https://drive.google.com/file/d/10B4DGDW4x0rD42IyIfgugWMI9qYPkpcI/view?usp=drive_link\n","HRS-HS04 School Leader Screening Process.pdf: https://drive.google.com/file/d/1UkFqwECZapwrtRXIHzWIWmzq7sac6xIY/view?usp=drive_link\n","HRS-HS06 Substitute Teachers.pdf: https://drive.google.com/file/d/1XdL_rU44reTNpXTb1ICytlZQDrPVF65_/view?usp=drive_link\n","HRS-HS07.1 Qualifications for Additional Program Areas.pdf: https://drive.google.com/file/d/1h-zYiF62_9uNGVuEAweqpKa-LlfPY-K4/view?usp=drive_link\n","HRS-L01 Teacher Licensure.pdf: https://drive.google.com/file/d/1IZQ9ElFzcNfsyECNo6iPwGmIRX8ihsGa/view?usp=drive_link\n","HRS-L02 Paraprofessional ESSA Requirements.pdf: https://drive.google.com/file/d/1Fvy2gkuA0TJC0MJdpU-KJ7eN-x4b_33l/view?usp=drive_link\n","HRS-L03 Licensure Requirements for Principals-Heads of School and BASAS.pdf: https://drive.google.com/file/d/16B9RTIXiKiHRn2a3LyqS_mfpi6GWQv_n/view?usp=drive_link\n","HRS-PM01 Performance Evaluation of Teachers.pdf: https://drive.google.com/file/d/1TQtYp9_oSw1DMHEYQsHNBOAYJUzo3pKP/view?usp=drive_link\n","HRS-PM02 Performance Evaluation of Instructional BASAS Administrators.pdf: https://drive.google.com/file/d/1yTEQTwZDA3rEADhDNztao8bupHlYB123/view?usp=drive_link\n","HRS-PM02A Performance Evaluation of Non-Instructional BASAS Administrators.pdf: https://drive.google.com/file/d/1KV1rqDyFPV-LCY81e3ntl_r3DRnClYn8/view?usp=drive_link\n","HRS-PM03 Performance Evaluation of Members of the Administrative Guild .pdf: https://drive.google.com/file/d/1YcjBA_TVV08gerlmVDb1Rd6wtS32VJ4e/view?usp=drive_link\n","HRS-PM04 Performance Evaluation of Non-DESE Licensed BTU Employees.pdf: https://drive.google.com/file/d/1u-bCHoqUHaYNYgw01chsQostqNDktb2-/view?usp=drive_link\n","HRS-PM05 Performance Evaluation of Lunch Monitors.pdf: https://drive.google.com/file/d/1ZvQc4w018itaB64FpJFbK7bHNIY61rof/view?usp=drive_link\n","HRS-PM06 Performance Evaluation of Managerial Employees.pdf: https://drive.google.com/file/d/1qjy_nf9F-0zF4rRT7rdjL2fB67cb1HUT/view?usp=drive_link\n","HRS-PM07 Performance Evaluation of Classroom Paraprofessionals.pdf: https://drive.google.com/file/d/1dsAXq5lwJ4th4rwaJK_6x3zhNDpORaxC/view?usp=drive_link\n","HRS-PM07A Performance Evaluation of Non-Classroom Paraprofessionals.pdf: https://drive.google.com/file/d/1r3niNCtd975l7U7sSQYnkECm15jPAfjJ/view?usp=drive_link\n","HRS-PM08 Performance Evaluation of Bus_Cab Monitors.pdf: https://drive.google.com/file/d/10_W1hXOwt7c74wdXYcjf2e82LwBv9fBY/view?usp=drive_link\n","HRS-PM09 Performance Evaluation of Cluster Substitutes.pdf: https://drive.google.com/file/d/1P9qWEGNG6iQoF3TKERyYQHeUKFLsNSS9/view?usp=drive_link\n","HRS-PM10 Performance Evaluation of ABA Specialists.pdf: https://drive.google.com/file/d/1bKri-l2mMmpRfic6-MZ57Nd_GfUPpgN-/view?usp=drive_link\n","HRS-PP01 Contractual Benefits_ Career Awards, Salary Lanes, Salary Steps, Academic Ladder Credits.pdf: https://drive.google.com/file/d/1vrprFGaGOXUGpNv8P4dYvqSSgNHsf2J7/view?usp=drive_link\n","HRS-PP05 Attendance Monitoring.pdf: https://drive.google.com/file/d/1ePsaAXm5WOgLt3KYUpuVQDI4JfQj6GjH/view?usp=drive_link\n","HRS-PP06 Confidentiality of Personnel Records and Employment Verification.pdf: https://drive.google.com/file/d/1xF89akowuh05oZolNkzbAKhbz4zL73rS/view?usp=drive_link\n","HRS-PP07 Workers' Compensation Procedures.pdf: https://drive.google.com/file/d/1gluiHzgMz8fw5K8zs5zro6nxoxl7U--C/view?usp=drive_link\n","HRS-PP08 Incentive for Early Notification of Termination for BTU.pdf: https://drive.google.com/file/d/1gE8oiBSb3RuZN7wBOmo0fP0fLvZGSHpS/view?usp=drive_link\n","HRS-PP09 Criminal History Screening.pdf: https://drive.google.com/file/d/1Z4awZwQZPC5bs4-nzAM-MU-VtrwdtsdO/view?usp=drive_link\n","HRS-PP11 Drug Free Workplace Policy and Procedure.pdf: https://drive.google.com/file/d/1lqa7o8BTT1u6EwoL2GQF9h0VKlFWtniK/view?usp=drive_link\n","HRS-PP12 Massachusetts Domestic Violence Leave Policy.pdf: https://drive.google.com/file/d/10DqlDTejhB1LP4GMX_hkKJxgIY0xuQs1/view?usp=drive_link\n","HRS-PP13 Employee Sick Leave Policy.pdf: https://drive.google.com/file/d/1WfgCjt7CYvXJw-uJKdNiOIenk00t7rpY/view?usp=drive_link\n","HRS-PP13A Family and Medical Leave Act.pdf: https://drive.google.com/file/d/1ItWEjelmAub33iBM4Z7TASKumXhn2Q1q/view?usp=drive_link\n","HRS-PP14 Leave for Cancer Screening and Organ Donations.pdf: https://drive.google.com/file/d/15T5B-gktHZLJ4SbpWIABE8F8w5PKy9F4/view?usp=drive_link\n","HRS-PP15 Sick Leave Donation Program.pdf: https://drive.google.com/file/d/1WDNCc8Kes8THYqJrL1gKfz-MThr_iaOg/view?usp=drive_link\n","HRS-PP16 Employee Savings and Investment Benefits.pdf: https://drive.google.com/file/d/1HvyLZIGBqP7jwctoPMhuiB_nCgnoEA5r/view?usp=drive_link\n","HRS-PP17 Employee Resignation, Retirement, and Separation Procedure.pdf: https://drive.google.com/file/d/1bi0MxV8HuxuaxwlCZYGUCafxqJG9gfzU/view?usp=drive_link\n","HRS-PP19 Performance-Related Dismissal Process for Teachers.pdf: https://drive.google.com/file/d/1v8oKbayV652Lf6JjPAo-6NdCY3kzub-f/view?usp=drive_link\n","HRS-PP20 Changes in Pay Frequency for Paras and Comm. Field Coordinators.pdf: https://drive.google.com/file/d/1yIA_6ixUsB9stTDMGqPKX0SqvulGW_up/view?usp=drive_link\n","HWD-01 Wellness Policy .pdf: https://drive.google.com/file/d/1rsrvtkOdvgvcc4CMZgy2KBsNaocwkzjb/view?usp=drive_link\n","HWD-02 Phys Ed & Physical Activity.pdf: https://drive.google.com/file/d/1etGOTQZuYGtcISAuzVPBpho3Li_9M0ZJ/view?usp=drive_link\n","HWD-03 Comprehensive Health Ed.pdf: https://drive.google.com/file/d/1BZN4J_1BvMheW-E9orazPHIiLKXN9zxx/view?usp=drive_link\n","HWD-04 Healthy School Environment Policy.pdf: https://drive.google.com/file/d/1Vzt84GB9aIGYO2toPFBqhoWI0Vxr9dAZ/view?usp=drive_link\n","HWD-06 Tobacco-Nicotine Policy.pdf: https://drive.google.com/file/d/1bxrk-vqbESEH-I-rxdw6q8yiwGvHoWN8/view?usp=drive_link\n","LGL-01 Anti-Hazing.pdf: https://drive.google.com/file/d/1ynMmViUIVaCzlNlfUU7_5OTUtyG5iIgM/view?usp=drive_link\n","LGL-03 Public Record Requests.pdf: https://drive.google.com/file/d/1_2TybcRFKvz34WDkXY0p-G-sjcTisP5D/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/15Ga6xXJ98ifGgp8sk5I_HsWPQPnzfFSq?usp=drive_link\n","LGL-04 School Visitor Guidelines.pdf: https://drive.google.com/file/d/10at0465NJHgZrcGcR155hPimvIbnT62W\n","LGL-05 Subpoenas.pdf: https://drive.google.com/file/d/1lPWU62wlDzYb9MwaZ4Chfs6CoodJ80dr/view?usp=drive_link\n","LGL-06 Religious Holy Days.pdf: https://drive.google.com/file/d/13seN0T59ZA_IsLqXWLqnPJywGMuShMnb/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1o0lasKvkXmK1Gy9Y1Kq8E5hWyNWsE94Y?usp=drive_link\n","LGL-07 Student Records.pdf: https://drive.google.com/file/d/1HTcYkbd_49qB19ExEH4aZbrNdI4Ah_ET\n","LGL-08 Adherence to Court Orders.pdf: https://drive.google.com/file/d/1alool4krGzAgp3dnJZQAzJEorZbaTIbP/view?usp=drive_link\n","LGL-09 Political Activity by Public Employees.pdf: https://drive.google.com/file/d/11a6SDKrsi0PpIgI539k0ieG9F98G0po-/view?usp=drive_link\n","LGL-10 Military Recruiters.pdf: https://drive.google.com/file/d/1C_71dnBF5SnGLcVLNCFWjBl4MKkjhLrB/view?usp=drive_link\n","LGL-14 Gathering on School Grounds, Distrib of Materials in Schools.pdf: https://drive.google.com/file/d/1g9Xrs5hDEoCkvAn2d7S10zT-xCsf-Ipv/view?usp=drive_link\n","LGL-15 Student Surveys.pdf: https://drive.google.com/file/d/190qznb-ZLibCLc5p7KIu1gbPBg3OyfP1/view?usp=drive_link\n","LGL-16 Student Health Information.pdf: https://drive.google.com/file/d/1uoOWP8svQtwOGA8KqX0ZrQOiX5y7r7Ym/view?usp=drive_link\n","LGL-17 Religious Expression in Schools.pdf: https://drive.google.com/file/d/183UnPyloCcYR6ugf0BekGD6oMqPdM_12/view?usp=drive_link\n","LGL-18 Display of Flag and School Ceremonies.pdf: https://drive.google.com/file/d/1eIJlW2VFBFwh6h0Qt_dxtFdk18y-vPAt/view?usp=drive_link\n","LGL-19 Conflict of Interest Law-City Employees.pdf: https://drive.google.com/file/d/1fjXh28CDzUCl96L0HsPJZbDncCe1-w53/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1DfVdIZ4GF4oBmA_zNIOtO4649uijpbu8?usp=drive_link\n","LGL-20 Corporal Punishment.pdf: https://drive.google.com/file/d/1W_5X-GQGCfOXEELcV_E1vpRiIL_WDXZm\n","LGL-21 Use of BPS Buildings and Facilities for Political Purposes.pdf: https://drive.google.com/file/d/1mVZ_wtBruBY4ehVemVhLVtNRpslA5w8-/view?usp=drive_link\n","LGL-22 Sexual Offender Registry Information.pdf: https://drive.google.com/file/d/1xDXO5s-c7h5sy_Jl0-I4gMw3l9S-EtR6/view?usp=drive_link\n","ODA-01 Procedures for Conducting Educational Research.pdf: https://drive.google.com/file/d/11TsG3W91ZqVKBxTfmAiR72LOGpus0f_g/view?usp=drive_link\n","ODA-02 State Testing Security and Ethics.pdf: https://drive.google.com/file/d/14nhWVNCrEUQZRvjglwItvw2gMH3oaZbS/view?usp=drive_link\n","ODA-03 Guidelines and Procedures for Accessing Student Data.pdf: https://drive.google.com/file/d/14Ozk7pEiKHFrg_-3dgUYNPTtrDMZSRSq/view?usp=drive_link\n","ODA-04 BPS Balanced Assessment System.pdf: https://drive.google.com/file/d/1w42nnVXO-sjpMPoK51i6AWbhbid5Vbnw/view?usp=drive_link\n","ODA-05 BPS Survey Administration Guidelines.pdf: https://drive.google.com/file/d/1BT_Xv0yJfedkYHlGWSmWFSNtjpvyUsoi/view?usp=drive_link\n","ODA-06 Participation Guidelines for Testing English Learners on Statewide Assessments.pdf: https://drive.google.com/file/d/1Qa7H9xqJyE8twkkpuUBmM612HfHdE_VZ/view?usp=drive_link\n","ODA-07 Required Documentation to Withdraw Students.pdf: https://drive.google.com/file/d/1MM69zNpH--fEI9hH4q4hYOEYPsMt3uSm/view?usp=drive_link\n","OIIT-01 Acceptable Use Policy.pdf: https://drive.google.com/file/d/1c55h6BML_PPBCARZhbXjK_Clsw373G1_/view?usp=drive_link\n","OIIT-02 Procuring Digital Products Guidance Document.pdf: https://drive.google.com/file/d/1BQ1YFK1s9kzMTsdm-8hNc3r87ECBv0ZG/view?usp=drive_link\n","OIIT-03 Technology Purchasing, Acquisition & Return Guide.pdf: https://drive.google.com/file/d/129Gf0dqObiJEm6ksGkuWIgkaMk5AIr-O/view?usp=drive_link\n","SAF-01 Student Search Procedures.pdf: https://drive.google.com/file/d/1NrULbCUFhbzLts3Lm1d1pKNLzXvu_U0x/view?usp=drive_link\n","SAF-02 Weapons and Objects of No Reasonable Use.pdf: https://drive.google.com/file/d/13ZDBh8moRdR3SVg0uzgTNABLkc4qzuo0/view?usp=drive_link\n","SAF-03 Locker Policy.pdf: https://drive.google.com/file/d/1pudS9x-G0sJY2dvohHacQs3Ydv2TMgX5/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1ohHzixZdvg7LtA5PDO7XMTz_xbdW-IHk?usp=drive_link\n","SAF-04 Incident Data Reporting and Release.pdf: https://drive.google.com/file/d/1Ir0bjpWCJIYvyhwg8TpXSn3GOzTGgV_Y\n","SAF-07 Metal Detectors.pdf: https://drive.google.com/file/d/1nKQTl_GDl9xYJV_GC6Z8-AqtEXWcz0vF/view\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1LRBTrHScoKA4SZThrCgLAxxERPSRd2by?usp=drive_link\n","SAF-08 Release of Students to Authorized Persons.pdf: https://drive.google.com/file/d/1KTMNjWfmlIggpn1Zf4ummDRpfP-WKl99\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1OfUmu7Xh0SROMIxFIT4fd4ONjjGHAq1m?usp=drive_link\n","SAF-09 Lost Children Procedures.pdf: https://drive.google.com/file/d/188ow1Sv9aNC6O-KwpnK7tvmsm15UHyJF\n","SAF-12 School Access Control.pdf: https://drive.google.com/file/d/1EMBtpt88uf6v3H4XFNI5fzKD9nHIEQ57/view?usp=drive_link\n","SCP-01 School-Community Partners.pdf: https://drive.google.com/file/d/1EKjqLfdWUJG9JDHd2Wp0ihrt0f59qpqh/view?usp=drive_link\n","SHS-01 Drug and Alcohol Abuse.pdf: https://drive.google.com/file/d/1us4agrVCDfO5M-vkTlGh5SpDJVgP-LNl/view?usp=drive_link\n","SHS-04 Infection Prevention Control.pdf: https://drive.google.com/file/d/1ynUdSIjTH-avvsE68pkkvCRTwaSWzp_V/view?usp=drive_link\n","SHS-05 Tuberculosis Program.pdf: https://drive.google.com/file/d/1KG40PmfOQc5-OtE_vsw89x1cdOcUCWJX/view?usp=drive_link\n","SHS-06 Immunization Law.pdf: https://drive.google.com/file/d/1NlxwUqZ-9fjQpx28jiaMK7WQ7yr-VI-E/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/19LKsbFWkJo7ZXTNr8vkAW2j1iF8Cgwhm?usp=drive_link\n","SHS-08 Medication Administration.pdf: https://drive.google.com/file/d/19Suw-0hBv006JFv2uw-QDG6IUgb1Wx3m\n","SHS-11 Life Threatening Allergies.pdf: https://drive.google.com/file/d/1c5iWjch8zU9EB5Dn82qxWbb3qrvrwA-i/view?usp=drive_link\n","SHS-13 Transportation Medical Accommodation.pdf: https://drive.google.com/file/d/1CCG-YxPhiJslLzeOuOM3iDU_0qq7tGIC/view?usp=drive_link\n","SHS-16 Suicide Prevention & Intervention.pdf: https://drive.google.com/file/d/1TupIg9WJFQpJxmnNJZge0CQbK_37WL6j/view?usp=drive_link\n","SHS-20 Asthma in Schools.pdf: https://drive.google.com/file/d/1mlw7izsLjyZG0oPgpYaqyu8vRMzqG9jD/view?usp=drive_link\n","SHS-21 Diabetes Policy.pdf: https://drive.google.com/file/d/13x80o_7kQavqdXlbvNl7E9o42W9tfecR/view?usp=drive_link\n","SHS-22 Automatic External Defibrillator Policy.pdf: https://drive.google.com/file/d/1UpkGGvq5VWBIAc_Cqcw7TwscaqCN8Ucw/view?usp=drive_link\n","SHS-23 Condom Accessibility.pdf: https://drive.google.com/file/d/1AApNNUOy1SGox_hrPmjNfs-AlAwCo2V6/view?usp=drive_link\n","SHS-24 Diapering and Toileting Accidents Policy.pdf: https://drive.google.com/file/d/1J_IaZdMivrWRnLQMT_8uP4n3Azf1fcn7/view?usp=drive_link\n","SHS-25 Sickle Cell Disease Policy.pdf: https://drive.google.com/file/d/1twBXGso54l8OCjTH-MhMQnZUJBXXlyxb/view?usp=drive_link\n","SHS-26 Administration of Naloxone.pdf: https://drive.google.com/file/d/1DWueCFjvmbE_Pi-w8LwDcRDtzjnl5Eqn/view?usp=drive_link\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1bs7pAyXsH3TAEND20zSr43r_AgC_UzZX?usp=drive_link\n","SPE-14 Counseling Guidelines .pdf: https://drive.google.com/file/d/1do7Zr9bWdjbekGqZlhS6NMjRcsSESZvM\n","SPE-20 SPED Screening for 3 and 4 Year Olds.pdf: https://drive.google.com/file/d/1vKuA5bI_P3jtLGrSu-xEx2uuAT0dNPCr/view?usp=drive_link\n","SSS-02 Homeless Students.pdf: https://drive.google.com/file/d/1Hxx0wsHjTmbJ-LHcQvEA-g-MQNhJAIUG/view?usp=drive_link\n","SSS-07 Persistently Dangerous Schools Standards for Determination.pdf: https://drive.google.com/file/d/19I7SE_0trF5XCXCOicaegl4q03NpvdIt/view?usp=drive_link\n","SSS-09 Employment Permit Applictions and Issuance of Work Permits.pdf: https://drive.google.com/file/d/1WH0lXAtmpaoLH2SnXzlMcNq8mUxOc-Il/view?usp=drive_link\n","SSS-18 Bullying Prevention and Intervention Plan.pdf: https://drive.google.com/file/d/1RupGYEmtKqazDhe0lbRT702HLPSniNY2/view?usp=drive_link\n","SSS-19 Home & Hospital Instruction Policy.pdf: https://drive.google.com/file/d/1hW9M1PvRBNVTtikLYGGrm5Q_KfeV0eMN/view?usp=drive_link\n","SUP-19 De-Escalation and Physical Restraint Policy.docx.pdf: https://drive.google.com/file/d/1s0BdUIg1ndCDeASDYdQKuoAW_0OjRUJ2/view?usp=sharing\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1RvczVfwpvGYjOKzLH3YaW9z0EBM9_cDZ?usp=drive_link\n","SUP-20 Child Abuse and Neglect.pdf: https://drive.google.com/file/d/1pj21Qbzvmyj340jwJEfscB8mhTXIpy5l\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/18Q4nLApPbCxvsVpFcQ41nlv-NBuU_V4Y?usp=drive_link\n","TRN-01 Schedule of School Hours.pdf: https://drive.google.com/file/d/1yrNFjE-AIAVmzc3qxIGSFobZDg4NYiZI\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1d5VLXilFWXtPOJep7O28smmgzv4t1uDb?usp=drive_link\n","TRN-02 Student Transportation Safety and Discipline.pdf: https://drive.google.com/file/d/1oVd8Irl3UBIKsib15QvTL2691kZhWS8M\n","\n","Fetching contents of folder: https://drive.google.com/drive/folders/1h6k502jg5RNkL4KuvDhQhOL44XCORjM1?usp=drive_link\n","TRN-03 Field Trip & Athletics Transportation.pdf: https://drive.google.com/file/d/1hTSmKTGffy2X-ZJmH4iJFJ2ytNWB3ZJ7\n","Total files: 188\n","Links saved to drive_links/drive_links_20241120_230226.txt\n"]}],"source":["from pydrive.auth import GoogleAuth\n","from pydrive.drive import GoogleDrive\n","from google.colab import auth\n","from oauth2client.client import GoogleCredentials\n","import requests\n","from bs4 import BeautifulSoup\n","import re\n","import os\n","from datetime import datetime\n","\n","class DriveScanner:\n"," def __init__(self, output_dir='drive_links'):\n"," # Authenticate and initialize the PyDrive client\n"," auth.authenticate_user()\n"," gauth = GoogleAuth()\n"," gauth.credentials = GoogleCredentials.get_application_default()\n"," self.drive = GoogleDrive(gauth)\n"," self.file_count = 0\n","\n"," # Create output directory if it doesn't exist\n"," self.output_dir = output_dir\n"," os.makedirs(self.output_dir, exist_ok=True)\n","\n"," def should_include_file(self, file_name):\n"," \"\"\"\n"," Determine whether a file or link should be included based on its name.\n"," Returns True if the file should be included, False otherwise.\n"," \"\"\"\n"," # List of file endings to exclude\n"," exclude_endings = ['_HC', '_VI', '_AR', '_CH', '_CV', '_FR', '_PO', '_SO', '_SP', '_HA', '-SP', '_SW', '-VI', '-SO', '_RU', '_BE', '_KO', '_Urdu']\n"," if not any(file_name.endswith((ending + \".pdf\", ending + \" .pdf\")) for ending in exclude_endings):\n"," self.file_count += 1\n"," return True\n"," return False\n","\n"," def extract_file_id_from_link(self, link):\n"," \"\"\"\n"," Extract file ID from various types of Google Drive links.\n"," \"\"\"\n"," file_id_patterns = [\n"," r'/file/d/([a-zA-Z0-9_-]+)', # Pattern for direct file links\n"," r'/open\\?id=([a-zA-Z0-9_-]+)', # Pattern for open links\n"," ]\n","\n"," for pattern in file_id_patterns:\n"," match = re.search(pattern, link)\n"," if match:\n"," return match.group(1)\n"," return None\n","\n"," def get_file_name_from_drive(self, file_id):\n"," \"\"\"\n"," Get file name from Google Drive using file ID.\n"," \"\"\"\n"," try:\n"," file = self.drive.CreateFile({'id': file_id})\n"," file.FetchMetadata()\n"," return file['title']\n"," except Exception as e:\n"," print(f\"Error fetching file metadata: {e}\")\n"," return None\n","\n"," def list_files_in_folder(self, folder_id):\n"," \"\"\"\n"," List all files in a given Google Drive folder, excluding specified endings.\n"," \"\"\"\n"," try:\n"," # Query files in the folder\n"," query = f\"'{folder_id}' in parents and trashed=false\"\n"," file_list = self.drive.ListFile({'q': query}).GetList()\n","\n"," # Filter files\n"," files = []\n"," for file in file_list:\n"," file_name = file['title']\n"," if self.should_include_file(file_name): # Check if file should be included\n"," file_link = f\"{file_name}: https://drive.google.com/file/d/{file['id']}\"\n"," files.append(file_link)\n"," return files\n"," except Exception as e:\n"," print(f\"Error fetching files: {e}\")\n"," return []\n","\n"," def extract_folder_id(self, folder_url):\n"," \"\"\"\n"," Extract the folder ID from a Google Drive folder URL.\n"," \"\"\"\n"," match = re.search(r'/folders/([a-zA-Z0-9_-]+)', folder_url)\n"," if match:\n"," return match.group(1)\n"," else:\n"," raise ValueError(\"Invalid Google Drive folder link. Ensure it contains '/folders/'.\")\n","\n"," def fetch_webpage_content(self, url):\n"," \"\"\"\n"," Fetch the HTML content of a webpage.\n"," \"\"\"\n"," try:\n"," response = requests.get(url)\n"," response.raise_for_status() # Ensure successful response\n"," return response.text\n"," except requests.exceptions.RequestException as e:\n"," print(f\"Error fetching the webpage: {e}\")\n"," return None\n","\n"," def extract_google_drive_links(self, soup):\n"," \"\"\"\n"," Extract all Google Drive links from the given BeautifulSoup object.\n"," \"\"\"\n"," google_drive_links = []\n"," for link in soup.find_all('a', href=True):\n"," href = link['href']\n"," # Check if the link is a Google Drive link\n"," if re.search(r'https://drive.google.com/', href):\n"," if 'folders' not in href: # Handle direct file links\n"," file_id = self.extract_file_id_from_link(href)\n"," if file_id:\n"," file_name = self.get_file_name_from_drive(file_id)\n"," if file_name and self.should_include_file(file_name):\n"," google_drive_links.append(f\"{file_name}: {href}\")\n"," else: # Handle folder links\n"," google_drive_links.append(href)\n"," return google_drive_links\n","\n"," def save_links_to_file(self, links):\n"," \"\"\"\n"," Save collected links to a text file with a timestamp\n"," \"\"\"\n"," # Generate filename with timestamp\n"," timestamp = datetime.now().strftime(\"%Y%m%d_%H%M%S\")\n"," filename = os.path.join(self.output_dir, f\"drive_links_{timestamp}.txt\")\n","\n"," try:\n"," with open(filename, 'w', encoding='utf-8') as f:\n"," for link in links:\n"," f.write(link + '\\n')\n","\n"," print(f\"Links saved to {filename}\")\n"," return filename\n"," except Exception as e:\n"," print(f\"Error saving links to file: {e}\")\n"," return None\n","\n"," def scan_website(self, url):\n"," \"\"\"\n"," Main method to scan website and process Google Drive links\n"," \"\"\"\n"," # List to collect all links\n"," all_links = []\n","\n"," # Fetch the webpage content\n"," webpage_content = self.fetch_webpage_content(url)\n"," if webpage_content:\n"," soup = BeautifulSoup(webpage_content, 'html.parser')\n"," google_drive_links = self.extract_google_drive_links(soup)\n","\n"," if google_drive_links:\n"," print(\"Google Drive links found:\")\n"," for link in google_drive_links:\n"," if \"folders\" in link: # Check if the link points to a folder\n"," print(f\"\\nFetching contents of folder: {link}\")\n"," try:\n"," folder_id = self.extract_folder_id(link)\n"," file_links = self.list_files_in_folder(folder_id)\n"," all_links.extend(file_links)\n"," for file_link in file_links:\n"," print(f\"{file_link}\")\n"," except ValueError as e:\n"," print(f\"Error extracting folder ID: {e}\")\n"," else:\n"," all_links.append(link)\n"," print(f\"{link}\")\n"," else:\n"," print(\"No Google Drive links found.\")\n","\n"," print(f\"Total files: {self.file_count}\")\n","\n"," # Save links to file\n"," if all_links:\n"," self.save_links_to_file(all_links)\n","\n"," return all_links\n","\n","def main():\n"," # URL of the webpage\n"," url = \"https://www.bostonpublicschools.org/domain/1884\"\n","\n"," # Create scanner instance and run scan\n"," scanner = DriveScanner()\n"," scanner.scan_website(url)\n","\n","if __name__ == \"__main__\":\n"," main()"]}],"metadata":{"colab":{"authorship_tag":"ABX9TyPeTDrJ99FRjMpl4APu1mMp","provenance":[]},"kernelspec":{"display_name":"Python 3","name":"python3"},"language_info":{"name":"python"}},"nbformat":4,"nbformat_minor":0} diff --git a/project-outline/project-outline.md b/project-outline/project-outline.md new file mode 100644 index 0000000..c04decd --- /dev/null +++ b/project-outline/project-outline.md @@ -0,0 +1,82 @@ +# Technical Project Document + +## *Akshat Gurbuxani, Abhaya Shukla, Akuraju Mounika Chowdary, Duoduo Xu, 2024-Sep-29 v1.0.0-dev* + +## Project Overview + +In educational and public institutions, locating the right policy documents can be difficult due to disorganized and complex file structures. This project aims to streamline access to these documents by developing a chatbot system that smartly reorganizes them and helps users quickly find specific information. By simplifying navigation through the policy database, the system will enhance document accessibility, save time, and improve the overall user experience. + +### **A. Human to AI Process** + +**Time-Consuming Searches**: Users often waste time sifting through irrelevant documents. +**Inefficient Document Management**: Organizing files becomes increasingly difficult as the volume of documents grows. +**Dependence on Human Assistance**: Users frequently need help from administrators or colleagues to navigate the repository. +**Manual Data Analysis for Reorganization**: Tracking user behavior and identifying reorganization needs is extremely slow and inefficient, as it depends on manual reporting. +**Inconsistent Naming & Categorization**: Non-intuitive naming and categorization make it difficult for users to locate necessary documents. + +The goal of implementing AI/ML is to automate and streamline the above processes, improving the efficiency of document management, query resolution, and user experience through a chatbot interface. Machine learning models can be trained to understand user queries, locate relevant documents quickly, and even suggest organizational improvements to the document repository, minimizing human effort and speeding up the process. + +**B. Problem Statement** + +1. *Natural Language Understanding for Query Interpretation* + **Task**: Develop an NLP model that accurately interprets user queries, mapping them to relevant policy categories such as Superintendent's Circulars or Policies & Procedures. + **Objective**: Classify user input into predefined categories and extract key details necessary to retrieve the correct document. + **Approach**: Implement text classification and named entity recognition (NER) models, potentially leveraging fine-tuned large language models (LLMs) to improve query interpretation and understanding. +2. *Document Retrieval and Ranking* + **Task**: Create a robust document retrieval system that searches the policy repository and returns the most relevant documents based on the interpreted user query. + **Objective**: Employ techniques like vector embeddings (e.g., TF-IDF, BERT) to rank documents by relevance, ensuring the user receives the most appropriate policy document. + **Approach**: Utilize semantic search with LLM-based embeddings or specialized retrieval models such as BM25 or dense retrieval models for optimal ranking. + +### **C. Project Checklist** + +1. *Data Preparation and Preprocessing* + 1. Data scraping: Collect policy documents and relevant data from the repository. + 2. Data cleaning: Remove duplicates, incomplete data, and irrelevant content. + 3. Tokenization: Break down text into manageable tokens for processing. + 4. Metadata Tagging: Assigning descriptive metadata to documents, such as policy numbers and names. +2. *Query Interpretation* + 1. Text Classification Model: Implement a model to interpret user queries and classify them into predefined categories. + 2. Intent Recognition: Define logic for recognizing user intents and mapping queries to relevant document categories. +3. *Document Retrieval System* + 1. Vector Embeddings: Develop a document retrieval system using vector embeddings + 2. Semantic Search Engine: Implement a semantic search engine to retrieve the most relevant policy documents +4. *Fine-tuning and Evaluating the Model* + + Refine models based on user feedback and performance metrics (e.g., accuracy, precision, recall). + +5. *User Interface and Chatbot Integration* + + Chatbot Deployment: Integrate the chatbot into the website to allow users to interact and retrieve documents to understand applicable policies. + +### **D. Operationalization Path** + +**Web-Based Chatbot for Policy Assistance**: Teachers and staff will interact with the chatbot through a user-friendly web interface, where they can ask policy-related questions in natural language (e.g., "How do I report an incident?"). The chatbot will respond by retrieving the most relevant policy documents and offering direct answers based on a comprehensive policy repository. This system will simplify access to crucial information, making it faster and easier for users to find what they need. + +## Resources + +### Data Sets + +* The dataset is accessible on the website linked below + + Link: https://www.bostonpublicschools.org/domain/1884 + +### References + +1. BPS dataset. [Policies and Procedures: Superintendent's Circulars](https://www.bostonpublicschools.org/domain/1884) + +## Weekly Meeting Updates + +Link to Minutes of Meeting(MoM): [MoM](https://docs.google.com/document/d/1wGxGDV2dEWZpbn51u630e4QiFFTHfj-zjwMHe8bGOHs/edit?usp=sharing) + +| Week | What is done? | What is next? | +| :---- | :---- | :---- | +| 1 | Team Agreement | Project Outline | +| 2 | Project Outline | Data Scraping | +| 3 | | | +| 4 | | | +| 5 | | | +| 6 | | | +| 7 | | | +| 8 | | | +| 9 | | | + diff --git a/project-poc/BPS_chatbot.ipynb b/project-poc/BPS_chatbot.ipynb new file mode 100644 index 0000000..428b7a6 --- /dev/null +++ b/project-poc/BPS_chatbot.ipynb @@ -0,0 +1,5287 @@ +{ + "nbformat": 4, + "nbformat_minor": 0, + "metadata": { + "colab": { + "provenance": [] + }, + "kernelspec": { + "name": "python3", + "display_name": "Python 3" + }, + "language_info": { + "name": "python" + }, + "widgets": { + "application/vnd.jupyter.widget-state+json": { + "0bfd9102798943589314f5d2f81a697d": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_88ef4827f1744bb2ba04889db50387d3", + "IPY_MODEL_c1bde33ff868417ab2ae01ca4add5be3", + "IPY_MODEL_7f8033c38ded418fac44de31f9fe34f2" + ], + "layout": "IPY_MODEL_add939d6ac0b42ca9515e974926a10f3" + } + }, + "88ef4827f1744bb2ba04889db50387d3": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_60573e20bb524d2ab7fd5f7d2991dd97", + "placeholder": "​", + "style": "IPY_MODEL_4428894ddf4c44e4a7501f6dbd24d77f", + "value": "modules.json: 100%" + } + }, + "c1bde33ff868417ab2ae01ca4add5be3": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_28ec6f0cb5ad4da99f24bf75025a05ee", + "max": 349, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_4231e4226b244fba989d2f1d3d12e1af", + "value": 349 + } + }, + "7f8033c38ded418fac44de31f9fe34f2": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_65819853bd5246aca17b75a0efc35351", + "placeholder": "​", + "style": "IPY_MODEL_9b10350807094c9ebcdd103682c9d469", + "value": " 349/349 [00:00<00:00, 13.1kB/s]" + } + }, + "add939d6ac0b42ca9515e974926a10f3": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "60573e20bb524d2ab7fd5f7d2991dd97": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "4428894ddf4c44e4a7501f6dbd24d77f": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "28ec6f0cb5ad4da99f24bf75025a05ee": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "4231e4226b244fba989d2f1d3d12e1af": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "65819853bd5246aca17b75a0efc35351": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "9b10350807094c9ebcdd103682c9d469": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "f35ec80d7cf24f4dbe483a4658a73afc": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_4c7087be5d8c4aa3949a2eb87b32f435", + "IPY_MODEL_45fb540a72274c04a5d91af4cacedacf", + "IPY_MODEL_f2d13cff9bcd4a268c79fd16ca795817" + ], + "layout": "IPY_MODEL_756200c64d88467eb878876037aca56f" + } + }, + "4c7087be5d8c4aa3949a2eb87b32f435": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_8d7842a0954f430a9b2b669385b49d54", + "placeholder": "​", + "style": "IPY_MODEL_3c170e1c5dfd48a49b6c29995f9abc22", + "value": "config_sentence_transformers.json: 100%" + } + }, + "45fb540a72274c04a5d91af4cacedacf": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_2d0ff8c3fee9415ca45fc27c23d49df0", + "max": 116, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_c28cb79b27534d9291cff566e36055d6", + "value": 116 + } + }, + "f2d13cff9bcd4a268c79fd16ca795817": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_39625e975bab445c8cb366222d1d5fa8", + "placeholder": "​", + "style": "IPY_MODEL_f9b6e84ae3b945968314ce742a90db3a", + "value": " 116/116 [00:00<00:00, 6.43kB/s]" + } + }, + "756200c64d88467eb878876037aca56f": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "8d7842a0954f430a9b2b669385b49d54": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "3c170e1c5dfd48a49b6c29995f9abc22": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "2d0ff8c3fee9415ca45fc27c23d49df0": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "c28cb79b27534d9291cff566e36055d6": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "39625e975bab445c8cb366222d1d5fa8": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "f9b6e84ae3b945968314ce742a90db3a": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "70600d5753344437bc25ef3d2575ab7f": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_e23cacc79aa34edeb4a4920150350b47", + "IPY_MODEL_a98428cdceba4d6da53ea917878b0ddd", + "IPY_MODEL_969b4d74d6514e8d8c2677a78476ce14" + ], + "layout": "IPY_MODEL_15783dbc5c074b12ad3b9aff6ba01279" + } + }, + "e23cacc79aa34edeb4a4920150350b47": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_128982bdb1a9403e99b076f64e80542a", + "placeholder": "​", + "style": "IPY_MODEL_12c74ee2fe6e4abdab4e439ca1eb0faf", + "value": "README.md: 100%" + } + }, + "a98428cdceba4d6da53ea917878b0ddd": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_a2042b6e89e341ab9e6fb390596cdb22", + "max": 10659, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_4223d5282d0b46378ac728942a46e085", + "value": 10659 + } + }, + "969b4d74d6514e8d8c2677a78476ce14": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_323c47f89417417d95d04c995c0809a9", + "placeholder": "​", + "style": "IPY_MODEL_dc7b191aeade4fbbaba12147e557df17", + "value": " 10.7k/10.7k [00:00<00:00, 303kB/s]" + } + }, + "15783dbc5c074b12ad3b9aff6ba01279": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "128982bdb1a9403e99b076f64e80542a": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "12c74ee2fe6e4abdab4e439ca1eb0faf": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "a2042b6e89e341ab9e6fb390596cdb22": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "4223d5282d0b46378ac728942a46e085": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "323c47f89417417d95d04c995c0809a9": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "dc7b191aeade4fbbaba12147e557df17": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "7059f5190a5144bfa60fc1cd45b74ef3": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_896972c1fe8e45259f46a0bbb4710109", + "IPY_MODEL_34fc1b4c37974af191b859e9f8e087f2", + "IPY_MODEL_6bd88d6f83e141e7b75cbc52cc6ce7c7" + ], + "layout": "IPY_MODEL_21507d5403384f108e48373400dce3e6" + } + }, + "896972c1fe8e45259f46a0bbb4710109": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_f179f6626232450b9aab45ac9b0b2337", + "placeholder": "​", + "style": "IPY_MODEL_6339d8f903c04b3fae3167d335f380e9", + "value": "sentence_bert_config.json: 100%" + } + }, + "34fc1b4c37974af191b859e9f8e087f2": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_615cebfdc2d14956b1758c21cda2e61b", + "max": 53, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_04254c60071348d995f807daf4a3395b", + "value": 53 + } + }, + "6bd88d6f83e141e7b75cbc52cc6ce7c7": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_1381f670840642ad983b348f12a0a1c6", + "placeholder": "​", + "style": "IPY_MODEL_943c13a0efcf495fb529167b1175604a", + "value": " 53.0/53.0 [00:00<00:00, 3.13kB/s]" + } + }, + "21507d5403384f108e48373400dce3e6": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "f179f6626232450b9aab45ac9b0b2337": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "6339d8f903c04b3fae3167d335f380e9": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "615cebfdc2d14956b1758c21cda2e61b": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "04254c60071348d995f807daf4a3395b": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "1381f670840642ad983b348f12a0a1c6": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "943c13a0efcf495fb529167b1175604a": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "69de98fd8d154090abeca45d67fc7cc7": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_b42c4a823301457e8d26181eb20ab87b", + "IPY_MODEL_aec86930f3054474b4ae27537bee0b53", + "IPY_MODEL_aea50c97faf84196844cbb085e191f16" + ], + "layout": "IPY_MODEL_b1731127609943e0aca74e0883f3cf1f" + } + }, + "b42c4a823301457e8d26181eb20ab87b": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_d1952df3280c422d90e705fdcaf18d8c", + "placeholder": "​", + "style": "IPY_MODEL_18f02ba034e84bd79b62fafb42216cf7", + "value": "config.json: 100%" + } + }, + "aec86930f3054474b4ae27537bee0b53": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_de4244dc95d24f8ab7415525aa5addce", + "max": 612, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_b483b3ee52514be7a43c8dd233d54547", + "value": 612 + } + }, + "aea50c97faf84196844cbb085e191f16": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_83a00c114ef14790886432f049b0f724", + "placeholder": "​", + "style": "IPY_MODEL_9f067bcf40554a279e4de6472727e7ab", + "value": " 612/612 [00:00<00:00, 39.2kB/s]" + } + }, + "b1731127609943e0aca74e0883f3cf1f": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "d1952df3280c422d90e705fdcaf18d8c": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "18f02ba034e84bd79b62fafb42216cf7": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "de4244dc95d24f8ab7415525aa5addce": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "b483b3ee52514be7a43c8dd233d54547": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "83a00c114ef14790886432f049b0f724": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "9f067bcf40554a279e4de6472727e7ab": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "56a7261ca58e4eb19b12a2bd566c3e2c": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_ea9e725ce7b2453a927ad3fe38a53bc8", + "IPY_MODEL_0ba4c4e367c142bab370ae16a8b97507", + "IPY_MODEL_115d9f625e9f4104afe826afda60d95b" + ], + "layout": "IPY_MODEL_c0374fec6c744e82a0ab4b4e87d185c2" + } + }, + "ea9e725ce7b2453a927ad3fe38a53bc8": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_69bcec3bb13f4d1cbcf1b8c57295b2f4", + "placeholder": "​", + "style": "IPY_MODEL_3bc1ede3984f4087b329a2580d6de40e", + "value": "model.safetensors: 100%" + } + }, + "0ba4c4e367c142bab370ae16a8b97507": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_526fa1eb93db4498b878183a59b9daa0", + "max": 90868376, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_906f5135111446d88126f1c41dec2448", + "value": 90868376 + } + }, + "115d9f625e9f4104afe826afda60d95b": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_5151df0eed4e4b5f881124d7ed6f7c7a", + "placeholder": "​", + "style": "IPY_MODEL_6b658f6372a44cc7ae814c3b8827b617", + "value": " 90.9M/90.9M [00:00<00:00, 138MB/s]" + } + }, + "c0374fec6c744e82a0ab4b4e87d185c2": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "69bcec3bb13f4d1cbcf1b8c57295b2f4": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "3bc1ede3984f4087b329a2580d6de40e": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "526fa1eb93db4498b878183a59b9daa0": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "906f5135111446d88126f1c41dec2448": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "5151df0eed4e4b5f881124d7ed6f7c7a": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "6b658f6372a44cc7ae814c3b8827b617": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "db0384b7340f4574bc106976b3aa0e04": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_5b15004011c342ea8b2c99fff2c03ce0", + "IPY_MODEL_d03a62d5b6d54cd6882151c86117173e", + "IPY_MODEL_e4025625f75c4e1a8cc7b7cd73cc2a52" + ], + "layout": "IPY_MODEL_3a3cfcd68c1a48b18e7c0bcd9b2f290d" + } + }, + "5b15004011c342ea8b2c99fff2c03ce0": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_a11c4b7a7ed3415ba6e6b1f005798805", + "placeholder": "​", + "style": "IPY_MODEL_2a847e3f5e0a42448538b46c5d84f6ce", + "value": "tokenizer_config.json: 100%" + } + }, + "d03a62d5b6d54cd6882151c86117173e": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_796430af24f44d929c9099a8a8efcd0c", + "max": 350, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_d899c5f2cbac491bbad9147f8ea3087b", + "value": 350 + } + }, + "e4025625f75c4e1a8cc7b7cd73cc2a52": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_f787777922df41bb938aa1f6721591b2", + "placeholder": "​", + "style": "IPY_MODEL_e85c2da42c2149799e584b94cb043dcd", + "value": " 350/350 [00:00<00:00, 18.3kB/s]" + } + }, + "3a3cfcd68c1a48b18e7c0bcd9b2f290d": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "a11c4b7a7ed3415ba6e6b1f005798805": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "2a847e3f5e0a42448538b46c5d84f6ce": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "796430af24f44d929c9099a8a8efcd0c": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "d899c5f2cbac491bbad9147f8ea3087b": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "f787777922df41bb938aa1f6721591b2": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "e85c2da42c2149799e584b94cb043dcd": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "f56f7a72a2a1415a89b455edbb9b70cf": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_927df0f3c45d40c5850c754f064e9ee4", + "IPY_MODEL_3c3122dea1a1456bb9491fcb3e8ac3f5", + "IPY_MODEL_476bcbb44e2a4a6e8df5aabeb29b5f50" + ], + "layout": "IPY_MODEL_955d616431744390ad3b6d02ea1d068d" + } + }, + "927df0f3c45d40c5850c754f064e9ee4": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_46e051f656184b718f598d76c432d925", + "placeholder": "​", + "style": "IPY_MODEL_576e976c2d434d8d9db571eed1b9842a", + "value": "vocab.txt: 100%" + } + }, + "3c3122dea1a1456bb9491fcb3e8ac3f5": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_26a8ec436fb34867b980b1dfe5dd2143", + "max": 231508, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_5afdc792977040a384acfb734d7e19ba", + "value": 231508 + } + }, + "476bcbb44e2a4a6e8df5aabeb29b5f50": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_abda0cee701b4571b6050f2b16d0a857", + "placeholder": "​", + "style": "IPY_MODEL_05f6f9cf020e4810943d08b8de29c6bb", + "value": " 232k/232k [00:00<00:00, 4.34MB/s]" + } + }, + "955d616431744390ad3b6d02ea1d068d": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "46e051f656184b718f598d76c432d925": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "576e976c2d434d8d9db571eed1b9842a": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "26a8ec436fb34867b980b1dfe5dd2143": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "5afdc792977040a384acfb734d7e19ba": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "abda0cee701b4571b6050f2b16d0a857": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "05f6f9cf020e4810943d08b8de29c6bb": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "207203e0268041ee988adc237915523e": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_32fb2dac81b34929b4bdbf93cbf42cd9", + "IPY_MODEL_eb2a035c48204360bb093eebd9e5270d", + "IPY_MODEL_b0892c162dcb4708804b21aec6a69ec3" + ], + "layout": "IPY_MODEL_546920f02d1e46fc8a3adc2f1d0d95c6" + } + }, + "32fb2dac81b34929b4bdbf93cbf42cd9": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_944e911318e84abba276dea9a771aec0", + "placeholder": "​", + "style": "IPY_MODEL_36c5c928b54049bbabc8b60cf3e34503", + "value": "tokenizer.json: 100%" + } + }, + "eb2a035c48204360bb093eebd9e5270d": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_50aeae5440734e14abfd1dabe98d2410", + "max": 466247, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_f98157c9fd304c589b42500c35eca4ac", + "value": 466247 + } + }, + "b0892c162dcb4708804b21aec6a69ec3": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_8b43e0b27aac4532b4e5f6e0bb5d3e39", + "placeholder": "​", + "style": "IPY_MODEL_9b00ff449dc146f1b07a8b5ae55896b6", + "value": " 466k/466k [00:00<00:00, 3.58MB/s]" + } + }, + "546920f02d1e46fc8a3adc2f1d0d95c6": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "944e911318e84abba276dea9a771aec0": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "36c5c928b54049bbabc8b60cf3e34503": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "50aeae5440734e14abfd1dabe98d2410": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "f98157c9fd304c589b42500c35eca4ac": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "8b43e0b27aac4532b4e5f6e0bb5d3e39": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "9b00ff449dc146f1b07a8b5ae55896b6": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "ad78316ac71e403ebbb493fdc5b1440c": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_e964666f7065415eb1d6353d02bd2fc0", + "IPY_MODEL_2d1695aa738747e4a0670a22a8f4778f", + "IPY_MODEL_71e0820ea1dd4328a1f4b5fbf2707b53" + ], + "layout": "IPY_MODEL_ac96f12ac48749e88bab56dd4429c9a4" + } + }, + "e964666f7065415eb1d6353d02bd2fc0": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_95b910347be24064bc53e5c60470e0eb", + "placeholder": "​", + "style": "IPY_MODEL_246829b18ad64bfabc6d7f216eeb9a8b", + "value": "special_tokens_map.json: 100%" + } + }, + "2d1695aa738747e4a0670a22a8f4778f": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_f89ee6a0ef6d4b99813ade908bff92eb", + "max": 112, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_daef984840874d168c01bfffec59eca2", + "value": 112 + } + }, + "71e0820ea1dd4328a1f4b5fbf2707b53": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_5f17cc39607d46b9b621f88b85834fe1", + "placeholder": "​", + "style": "IPY_MODEL_3ac78b3c5e0e4bb0bff8265824212be4", + "value": " 112/112 [00:00<00:00, 5.83kB/s]" + } + }, + "ac96f12ac48749e88bab56dd4429c9a4": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "95b910347be24064bc53e5c60470e0eb": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "246829b18ad64bfabc6d7f216eeb9a8b": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "f89ee6a0ef6d4b99813ade908bff92eb": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "daef984840874d168c01bfffec59eca2": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "5f17cc39607d46b9b621f88b85834fe1": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "3ac78b3c5e0e4bb0bff8265824212be4": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "01ea05f9a77943ff987b26e89c5b4c8f": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HBoxModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HBoxModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HBoxView", + "box_style": "", + "children": [ + "IPY_MODEL_c2c489d1ecac4287a59610041bf77de3", + "IPY_MODEL_43b2adfabd7444709479394109bd7953", + "IPY_MODEL_ed6e10d40ba945369e41402ebe936595" + ], + "layout": "IPY_MODEL_aae04bc0ed7841a3bfbe1f818b3781cb" + } + }, + "c2c489d1ecac4287a59610041bf77de3": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_cb3e5f7f3ab34ff0be006beab3530136", + "placeholder": "​", + "style": "IPY_MODEL_43500b8c25104488b8e7c57ca2a648d2", + "value": "1_Pooling/config.json: 100%" + } + }, + "43b2adfabd7444709479394109bd7953": { + "model_module": "@jupyter-widgets/controls", + "model_name": "FloatProgressModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "FloatProgressModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "ProgressView", + "bar_style": "success", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_a2adf835714e497cb27a957f4a48f8f5", + "max": 190, + "min": 0, + "orientation": "horizontal", + "style": "IPY_MODEL_27947572f4ca4601a8cd5f22d1b9cba5", + "value": 190 + } + }, + "ed6e10d40ba945369e41402ebe936595": { + "model_module": "@jupyter-widgets/controls", + "model_name": "HTMLModel", + "model_module_version": "1.5.0", + "state": { + "_dom_classes": [], + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "HTMLModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/controls", + "_view_module_version": "1.5.0", + "_view_name": "HTMLView", + "description": "", + "description_tooltip": null, + "layout": "IPY_MODEL_6d6d7200cf7d40bb862cdc2c4cae9236", + "placeholder": "​", + "style": "IPY_MODEL_a2fbf0de02a2458383184b9ee054db8a", + "value": " 190/190 [00:00<00:00, 7.43kB/s]" + } + }, + "aae04bc0ed7841a3bfbe1f818b3781cb": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "cb3e5f7f3ab34ff0be006beab3530136": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "43500b8c25104488b8e7c57ca2a648d2": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + }, + "a2adf835714e497cb27a957f4a48f8f5": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "27947572f4ca4601a8cd5f22d1b9cba5": { + "model_module": "@jupyter-widgets/controls", + "model_name": "ProgressStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "ProgressStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "bar_color": null, + "description_width": "" + } + }, + "6d6d7200cf7d40bb862cdc2c4cae9236": { + "model_module": "@jupyter-widgets/base", + "model_name": "LayoutModel", + "model_module_version": "1.2.0", + "state": { + "_model_module": "@jupyter-widgets/base", + "_model_module_version": "1.2.0", + "_model_name": "LayoutModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "LayoutView", + "align_content": null, + "align_items": null, + "align_self": null, + "border": null, + "bottom": null, + "display": null, + "flex": null, + "flex_flow": null, + "grid_area": null, + "grid_auto_columns": null, + "grid_auto_flow": null, + "grid_auto_rows": null, + "grid_column": null, + "grid_gap": null, + "grid_row": null, + "grid_template_areas": null, + "grid_template_columns": null, + "grid_template_rows": null, + "height": null, + "justify_content": null, + "justify_items": null, + "left": null, + "margin": null, + "max_height": null, + "max_width": null, + "min_height": null, + "min_width": null, + "object_fit": null, + "object_position": null, + "order": null, + "overflow": null, + "overflow_x": null, + "overflow_y": null, + "padding": null, + "right": null, + "top": null, + "visibility": null, + "width": null + } + }, + "a2fbf0de02a2458383184b9ee054db8a": { + "model_module": "@jupyter-widgets/controls", + "model_name": "DescriptionStyleModel", + "model_module_version": "1.5.0", + "state": { + "_model_module": "@jupyter-widgets/controls", + "_model_module_version": "1.5.0", + "_model_name": "DescriptionStyleModel", + "_view_count": null, + "_view_module": "@jupyter-widgets/base", + "_view_module_version": "1.2.0", + "_view_name": "StyleView", + "description_width": "" + } + } + } + } + }, + "cells": [ + { + "cell_type": "code", + "source": [ + "!pip install pypdf\n", + "!pip install -q langchain\n", + "!pip install -q torch\n", + "!pip install -q transformers\n", + "!pip install -q sentence-transformers\n", + "!pip install -q datasets\n", + "!pip install -q faiss-cpu\n", + "!pip install -U langchain-community\n", + "!pip install -U langchain transformers" + ], + "metadata": { + "colab": { + "base_uri": "https://localhost:8080/" + }, + "id": "C5ILXdGH3miS", + "outputId": "944b1754-ffff-429e-971c-c7b701205741" + }, + "execution_count": 1, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": [ + "Collecting pypdf\n", + " Downloading pypdf-5.1.0-py3-none-any.whl.metadata (7.2 kB)\n", + "Requirement already satisfied: typing_extensions>=4.0 in /usr/local/lib/python3.10/dist-packages (from pypdf) (4.12.2)\n", + "Downloading pypdf-5.1.0-py3-none-any.whl (297 kB)\n", + "\u001b[?25l \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m0.0/298.0 kB\u001b[0m \u001b[31m?\u001b[0m eta \u001b[36m-:--:--\u001b[0m\r\u001b[2K \u001b[91m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m\u001b[91m╸\u001b[0m \u001b[32m297.0/298.0 kB\u001b[0m \u001b[31m10.6 MB/s\u001b[0m eta \u001b[36m0:00:01\u001b[0m\r\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m298.0/298.0 kB\u001b[0m \u001b[31m6.8 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hInstalling collected packages: pypdf\n", + "Successfully installed pypdf-5.1.0\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m480.6/480.6 kB\u001b[0m \u001b[31m15.0 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m116.3/116.3 kB\u001b[0m \u001b[31m9.1 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m179.3/179.3 kB\u001b[0m \u001b[31m13.7 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m134.8/134.8 kB\u001b[0m \u001b[31m10.0 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m194.1/194.1 kB\u001b[0m \u001b[31m15.5 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25h\u001b[31mERROR: pip's dependency resolver does not currently take into account all the packages that are installed. This behaviour is the source of the following dependency conflicts.\n", + "gcsfs 2024.10.0 requires fsspec==2024.10.0, but you have fsspec 2024.9.0 which is incompatible.\u001b[0m\u001b[31m\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m27.5/27.5 MB\u001b[0m \u001b[31m43.5 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hCollecting langchain-community\n", + " Downloading langchain_community-0.3.8-py3-none-any.whl.metadata (2.9 kB)\n", + "Requirement already satisfied: PyYAML>=5.3 in /usr/local/lib/python3.10/dist-packages (from langchain-community) (6.0.2)\n", + "Collecting SQLAlchemy<2.0.36,>=1.4 (from langchain-community)\n", + " Downloading SQLAlchemy-2.0.35-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl.metadata (9.6 kB)\n", + "Requirement already satisfied: aiohttp<4.0.0,>=3.8.3 in /usr/local/lib/python3.10/dist-packages (from langchain-community) (3.11.2)\n", + "Collecting dataclasses-json<0.7,>=0.5.7 (from langchain-community)\n", + " Downloading dataclasses_json-0.6.7-py3-none-any.whl.metadata (25 kB)\n", + "Collecting httpx-sse<0.5.0,>=0.4.0 (from langchain-community)\n", + " Downloading httpx_sse-0.4.0-py3-none-any.whl.metadata (9.0 kB)\n", + "Collecting langchain<0.4.0,>=0.3.8 (from langchain-community)\n", + " Downloading langchain-0.3.8-py3-none-any.whl.metadata (7.1 kB)\n", + "Collecting langchain-core<0.4.0,>=0.3.21 (from langchain-community)\n", + " Downloading langchain_core-0.3.21-py3-none-any.whl.metadata (6.3 kB)\n", + "Requirement already satisfied: langsmith<0.2.0,>=0.1.125 in /usr/local/lib/python3.10/dist-packages (from langchain-community) (0.1.143)\n", + "Requirement already satisfied: numpy<2,>=1.22.4 in /usr/local/lib/python3.10/dist-packages (from langchain-community) (1.26.4)\n", + "Collecting pydantic-settings<3.0.0,>=2.4.0 (from langchain-community)\n", + " Downloading pydantic_settings-2.6.1-py3-none-any.whl.metadata (3.5 kB)\n", + "Requirement already satisfied: requests<3,>=2 in /usr/local/lib/python3.10/dist-packages (from langchain-community) (2.32.3)\n", + "Requirement already satisfied: tenacity!=8.4.0,<10,>=8.1.0 in /usr/local/lib/python3.10/dist-packages (from langchain-community) (9.0.0)\n", + "Requirement already satisfied: aiohappyeyeballs>=2.3.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (2.4.3)\n", + "Requirement already satisfied: aiosignal>=1.1.2 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (1.3.1)\n", + "Requirement already satisfied: attrs>=17.3.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (24.2.0)\n", + "Requirement already satisfied: frozenlist>=1.1.1 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (1.5.0)\n", + "Requirement already satisfied: multidict<7.0,>=4.5 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (6.1.0)\n", + "Requirement already satisfied: propcache>=0.2.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (0.2.0)\n", + "Requirement already satisfied: yarl<2.0,>=1.17.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (1.17.2)\n", + "Requirement already satisfied: async-timeout<6.0,>=4.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain-community) (4.0.3)\n", + "Collecting marshmallow<4.0.0,>=3.18.0 (from dataclasses-json<0.7,>=0.5.7->langchain-community)\n", + " Downloading marshmallow-3.23.1-py3-none-any.whl.metadata (7.5 kB)\n", + "Collecting typing-inspect<1,>=0.4.0 (from dataclasses-json<0.7,>=0.5.7->langchain-community)\n", + " Downloading typing_inspect-0.9.0-py3-none-any.whl.metadata (1.5 kB)\n", + "Requirement already satisfied: langchain-text-splitters<0.4.0,>=0.3.0 in /usr/local/lib/python3.10/dist-packages (from langchain<0.4.0,>=0.3.8->langchain-community) (0.3.2)\n", + "Requirement already satisfied: pydantic<3.0.0,>=2.7.4 in /usr/local/lib/python3.10/dist-packages (from langchain<0.4.0,>=0.3.8->langchain-community) (2.9.2)\n", + "Requirement already satisfied: jsonpatch<2.0,>=1.33 in /usr/local/lib/python3.10/dist-packages (from langchain-core<0.4.0,>=0.3.21->langchain-community) (1.33)\n", + "Requirement already satisfied: packaging<25,>=23.2 in /usr/local/lib/python3.10/dist-packages (from langchain-core<0.4.0,>=0.3.21->langchain-community) (24.2)\n", + "Requirement already satisfied: typing-extensions>=4.7 in /usr/local/lib/python3.10/dist-packages (from langchain-core<0.4.0,>=0.3.21->langchain-community) (4.12.2)\n", + "Requirement already satisfied: httpx<1,>=0.23.0 in /usr/local/lib/python3.10/dist-packages (from langsmith<0.2.0,>=0.1.125->langchain-community) (0.27.2)\n", + "Requirement already satisfied: orjson<4.0.0,>=3.9.14 in /usr/local/lib/python3.10/dist-packages (from langsmith<0.2.0,>=0.1.125->langchain-community) (3.10.11)\n", + "Requirement already satisfied: requests-toolbelt<2.0.0,>=1.0.0 in /usr/local/lib/python3.10/dist-packages (from langsmith<0.2.0,>=0.1.125->langchain-community) (1.0.0)\n", + "Collecting python-dotenv>=0.21.0 (from pydantic-settings<3.0.0,>=2.4.0->langchain-community)\n", + " Downloading python_dotenv-1.0.1-py3-none-any.whl.metadata (23 kB)\n", + "Requirement already satisfied: charset-normalizer<4,>=2 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain-community) (3.4.0)\n", + "Requirement already satisfied: idna<4,>=2.5 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain-community) (3.10)\n", + "Requirement already satisfied: urllib3<3,>=1.21.1 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain-community) (2.2.3)\n", + "Requirement already satisfied: certifi>=2017.4.17 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain-community) (2024.8.30)\n", + "Requirement already satisfied: greenlet!=0.4.17 in /usr/local/lib/python3.10/dist-packages (from SQLAlchemy<2.0.36,>=1.4->langchain-community) (3.1.1)\n", + "Requirement already satisfied: anyio in /usr/local/lib/python3.10/dist-packages (from httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.125->langchain-community) (3.7.1)\n", + "Requirement already satisfied: httpcore==1.* in /usr/local/lib/python3.10/dist-packages (from httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.125->langchain-community) (1.0.7)\n", + "Requirement already satisfied: sniffio in /usr/local/lib/python3.10/dist-packages (from httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.125->langchain-community) (1.3.1)\n", + "Requirement already satisfied: h11<0.15,>=0.13 in /usr/local/lib/python3.10/dist-packages (from httpcore==1.*->httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.125->langchain-community) (0.14.0)\n", + "Requirement already satisfied: jsonpointer>=1.9 in /usr/local/lib/python3.10/dist-packages (from jsonpatch<2.0,>=1.33->langchain-core<0.4.0,>=0.3.21->langchain-community) (3.0.0)\n", + "Requirement already satisfied: annotated-types>=0.6.0 in /usr/local/lib/python3.10/dist-packages (from pydantic<3.0.0,>=2.7.4->langchain<0.4.0,>=0.3.8->langchain-community) (0.7.0)\n", + "Requirement already satisfied: pydantic-core==2.23.4 in /usr/local/lib/python3.10/dist-packages (from pydantic<3.0.0,>=2.7.4->langchain<0.4.0,>=0.3.8->langchain-community) (2.23.4)\n", + "Collecting mypy-extensions>=0.3.0 (from typing-inspect<1,>=0.4.0->dataclasses-json<0.7,>=0.5.7->langchain-community)\n", + " Downloading mypy_extensions-1.0.0-py3-none-any.whl.metadata (1.1 kB)\n", + "Requirement already satisfied: exceptiongroup in /usr/local/lib/python3.10/dist-packages (from anyio->httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.125->langchain-community) (1.2.2)\n", + "Downloading langchain_community-0.3.8-py3-none-any.whl (2.4 MB)\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m2.4/2.4 MB\u001b[0m \u001b[31m37.7 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hDownloading dataclasses_json-0.6.7-py3-none-any.whl (28 kB)\n", + "Downloading httpx_sse-0.4.0-py3-none-any.whl (7.8 kB)\n", + "Downloading langchain-0.3.8-py3-none-any.whl (1.0 MB)\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m1.0/1.0 MB\u001b[0m \u001b[31m50.4 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hDownloading langchain_core-0.3.21-py3-none-any.whl (409 kB)\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m409.5/409.5 kB\u001b[0m \u001b[31m31.3 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hDownloading pydantic_settings-2.6.1-py3-none-any.whl (28 kB)\n", + "Downloading SQLAlchemy-2.0.35-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl (3.1 MB)\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m3.1/3.1 MB\u001b[0m \u001b[31m83.5 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hDownloading marshmallow-3.23.1-py3-none-any.whl (49 kB)\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m49.5/49.5 kB\u001b[0m \u001b[31m3.6 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hDownloading python_dotenv-1.0.1-py3-none-any.whl (19 kB)\n", + "Downloading typing_inspect-0.9.0-py3-none-any.whl (8.8 kB)\n", + "Downloading mypy_extensions-1.0.0-py3-none-any.whl (4.7 kB)\n", + "Installing collected packages: SQLAlchemy, python-dotenv, mypy-extensions, marshmallow, httpx-sse, typing-inspect, pydantic-settings, dataclasses-json, langchain-core, langchain, langchain-community\n", + " Attempting uninstall: SQLAlchemy\n", + " Found existing installation: SQLAlchemy 2.0.36\n", + " Uninstalling SQLAlchemy-2.0.36:\n", + " Successfully uninstalled SQLAlchemy-2.0.36\n", + " Attempting uninstall: langchain-core\n", + " Found existing installation: langchain-core 0.3.19\n", + " Uninstalling langchain-core-0.3.19:\n", + " Successfully uninstalled langchain-core-0.3.19\n", + " Attempting uninstall: langchain\n", + " Found existing installation: langchain 0.3.7\n", + " Uninstalling langchain-0.3.7:\n", + " Successfully uninstalled langchain-0.3.7\n", + "Successfully installed SQLAlchemy-2.0.35 dataclasses-json-0.6.7 httpx-sse-0.4.0 langchain-0.3.8 langchain-community-0.3.8 langchain-core-0.3.21 marshmallow-3.23.1 mypy-extensions-1.0.0 pydantic-settings-2.6.1 python-dotenv-1.0.1 typing-inspect-0.9.0\n", + "Requirement already satisfied: langchain in /usr/local/lib/python3.10/dist-packages (0.3.8)\n", + "Requirement already satisfied: transformers in /usr/local/lib/python3.10/dist-packages (4.46.2)\n", + "Collecting transformers\n", + " Downloading transformers-4.46.3-py3-none-any.whl.metadata (44 kB)\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m44.1/44.1 kB\u001b[0m \u001b[31m2.3 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hRequirement already satisfied: PyYAML>=5.3 in /usr/local/lib/python3.10/dist-packages (from langchain) (6.0.2)\n", + "Requirement already satisfied: SQLAlchemy<3,>=1.4 in /usr/local/lib/python3.10/dist-packages (from langchain) (2.0.35)\n", + "Requirement already satisfied: aiohttp<4.0.0,>=3.8.3 in /usr/local/lib/python3.10/dist-packages (from langchain) (3.11.2)\n", + "Requirement already satisfied: async-timeout<5.0.0,>=4.0.0 in /usr/local/lib/python3.10/dist-packages (from langchain) (4.0.3)\n", + "Requirement already satisfied: langchain-core<0.4.0,>=0.3.21 in /usr/local/lib/python3.10/dist-packages (from langchain) (0.3.21)\n", + "Requirement already satisfied: langchain-text-splitters<0.4.0,>=0.3.0 in /usr/local/lib/python3.10/dist-packages (from langchain) (0.3.2)\n", + "Requirement already satisfied: langsmith<0.2.0,>=0.1.17 in /usr/local/lib/python3.10/dist-packages (from langchain) (0.1.143)\n", + "Requirement already satisfied: numpy<2,>=1.22.4 in /usr/local/lib/python3.10/dist-packages (from langchain) (1.26.4)\n", + "Requirement already satisfied: pydantic<3.0.0,>=2.7.4 in /usr/local/lib/python3.10/dist-packages (from langchain) (2.9.2)\n", + "Requirement already satisfied: requests<3,>=2 in /usr/local/lib/python3.10/dist-packages (from langchain) (2.32.3)\n", + "Requirement already satisfied: tenacity!=8.4.0,<10,>=8.1.0 in /usr/local/lib/python3.10/dist-packages (from langchain) (9.0.0)\n", + "Requirement already satisfied: filelock in /usr/local/lib/python3.10/dist-packages (from transformers) (3.16.1)\n", + "Requirement already satisfied: huggingface-hub<1.0,>=0.23.2 in /usr/local/lib/python3.10/dist-packages (from transformers) (0.26.2)\n", + "Requirement already satisfied: packaging>=20.0 in /usr/local/lib/python3.10/dist-packages (from transformers) (24.2)\n", + "Requirement already satisfied: regex!=2019.12.17 in /usr/local/lib/python3.10/dist-packages (from transformers) (2024.9.11)\n", + "Requirement already satisfied: tokenizers<0.21,>=0.20 in /usr/local/lib/python3.10/dist-packages (from transformers) (0.20.3)\n", + "Requirement already satisfied: safetensors>=0.4.1 in /usr/local/lib/python3.10/dist-packages (from transformers) (0.4.5)\n", + "Requirement already satisfied: tqdm>=4.27 in /usr/local/lib/python3.10/dist-packages (from transformers) (4.66.6)\n", + "Requirement already satisfied: aiohappyeyeballs>=2.3.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain) (2.4.3)\n", + "Requirement already satisfied: aiosignal>=1.1.2 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain) (1.3.1)\n", + "Requirement already satisfied: attrs>=17.3.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain) (24.2.0)\n", + "Requirement already satisfied: frozenlist>=1.1.1 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain) (1.5.0)\n", + "Requirement already satisfied: multidict<7.0,>=4.5 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain) (6.1.0)\n", + "Requirement already satisfied: propcache>=0.2.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain) (0.2.0)\n", + "Requirement already satisfied: yarl<2.0,>=1.17.0 in /usr/local/lib/python3.10/dist-packages (from aiohttp<4.0.0,>=3.8.3->langchain) (1.17.2)\n", + "Requirement already satisfied: fsspec>=2023.5.0 in /usr/local/lib/python3.10/dist-packages (from huggingface-hub<1.0,>=0.23.2->transformers) (2024.9.0)\n", + "Requirement already satisfied: typing-extensions>=3.7.4.3 in /usr/local/lib/python3.10/dist-packages (from huggingface-hub<1.0,>=0.23.2->transformers) (4.12.2)\n", + "Requirement already satisfied: jsonpatch<2.0,>=1.33 in /usr/local/lib/python3.10/dist-packages (from langchain-core<0.4.0,>=0.3.21->langchain) (1.33)\n", + "Requirement already satisfied: httpx<1,>=0.23.0 in /usr/local/lib/python3.10/dist-packages (from langsmith<0.2.0,>=0.1.17->langchain) (0.27.2)\n", + "Requirement already satisfied: orjson<4.0.0,>=3.9.14 in /usr/local/lib/python3.10/dist-packages (from langsmith<0.2.0,>=0.1.17->langchain) (3.10.11)\n", + "Requirement already satisfied: requests-toolbelt<2.0.0,>=1.0.0 in /usr/local/lib/python3.10/dist-packages (from langsmith<0.2.0,>=0.1.17->langchain) (1.0.0)\n", + "Requirement already satisfied: annotated-types>=0.6.0 in /usr/local/lib/python3.10/dist-packages (from pydantic<3.0.0,>=2.7.4->langchain) (0.7.0)\n", + "Requirement already satisfied: pydantic-core==2.23.4 in /usr/local/lib/python3.10/dist-packages (from pydantic<3.0.0,>=2.7.4->langchain) (2.23.4)\n", + "Requirement already satisfied: charset-normalizer<4,>=2 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain) (3.4.0)\n", + "Requirement already satisfied: idna<4,>=2.5 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain) (3.10)\n", + "Requirement already satisfied: urllib3<3,>=1.21.1 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain) (2.2.3)\n", + "Requirement already satisfied: certifi>=2017.4.17 in /usr/local/lib/python3.10/dist-packages (from requests<3,>=2->langchain) (2024.8.30)\n", + "Requirement already satisfied: greenlet!=0.4.17 in /usr/local/lib/python3.10/dist-packages (from SQLAlchemy<3,>=1.4->langchain) (3.1.1)\n", + "Requirement already satisfied: anyio in /usr/local/lib/python3.10/dist-packages (from httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.17->langchain) (3.7.1)\n", + "Requirement already satisfied: httpcore==1.* in /usr/local/lib/python3.10/dist-packages (from httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.17->langchain) (1.0.7)\n", + "Requirement already satisfied: sniffio in /usr/local/lib/python3.10/dist-packages (from httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.17->langchain) (1.3.1)\n", + "Requirement already satisfied: h11<0.15,>=0.13 in /usr/local/lib/python3.10/dist-packages (from httpcore==1.*->httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.17->langchain) (0.14.0)\n", + "Requirement already satisfied: jsonpointer>=1.9 in /usr/local/lib/python3.10/dist-packages (from jsonpatch<2.0,>=1.33->langchain-core<0.4.0,>=0.3.21->langchain) (3.0.0)\n", + "Requirement already satisfied: exceptiongroup in /usr/local/lib/python3.10/dist-packages (from anyio->httpx<1,>=0.23.0->langsmith<0.2.0,>=0.1.17->langchain) (1.2.2)\n", + "Downloading transformers-4.46.3-py3-none-any.whl (10.0 MB)\n", + "\u001b[2K \u001b[90m━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━\u001b[0m \u001b[32m10.0/10.0 MB\u001b[0m \u001b[31m77.0 MB/s\u001b[0m eta \u001b[36m0:00:00\u001b[0m\n", + "\u001b[?25hInstalling collected packages: transformers\n", + " Attempting uninstall: transformers\n", + " Found existing installation: transformers 4.46.2\n", + " Uninstalling transformers-4.46.2:\n", + " Successfully uninstalled transformers-4.46.2\n", + "Successfully installed transformers-4.46.3\n" + ] + } + ] + }, + { + "cell_type": "code", + "execution_count": 2, + "metadata": { + "colab": { + "base_uri": "https://localhost:8080/" + }, + "id": "TM_5XmXK3dVS", + "outputId": "9187bca4-e89a-4a87-e675-9088cab15647" + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": [ + "Mounted at /content/drive\n" + ] + } + ], + "source": [ + "from google.colab import drive\n", + "drive.mount('/content/drive')" + ] + }, + { + "cell_type": "code", + "source": [ + "import os\n", + "import re\n", + "import json\n", + "from langchain.schema import Document\n", + "from langchain_community.document_loaders import PyPDFLoader\n", + "from langchain.text_splitter import RecursiveCharacterTextSplitter" + ], + "metadata": { + "id": "RZ045f3x6KQy" + }, + "execution_count": 9, + "outputs": [] + }, + { + "cell_type": "code", + "source": [ + "# Function to clean folder and file names\n", + "def clean_name(name):\n", + " name = re.sub(r'\\s*', '', name)\n", + " name = re.sub(r'\\.pdf$', '', name, flags=re.IGNORECASE)\n", + " return name.strip()\n", + "\n", + "# Function to get source link based on file name\n", + "def get_source_link(file_name):\n", + " # Extract the key part\n", + " for key in url_mapping:\n", + " if key in file_name: # Match partial key\n", + " return url_mapping[key]\n", + " return backup_source_link(folder_name)\n", + "\n", + "BASE_URL = \"https://www.bostonpublicschools.org/Page/5357\"\n", + "def backup_source_link(folder_name):\n", + " abbreviation = folder_name.split('(')[-1].replace(')', '')\n", + " return f\"{BASE_URL}#{abbreviation}\"" + ], + "metadata": { + "id": "z8Bf-RM66CQ-" + }, + "execution_count": 5, + "outputs": [] + }, + { + "cell_type": "code", + "source": [ + "# Path to the main dataset directory\n", + "dataset_path = '/content/drive/MyDrive/dataset'\n", + "new_dataset_path = '/content/drive/MyDrive/new_dataset'\n", + "\n", + "# Initialize list to store all chunks and policies hashmap\n", + "all_chunks = []\n", + "policies = {}\n", + "folder_count = 0\n", + "pdf_count = 0\n", + "\n", + "# Function to process PDF\n", + "def process_pdf(pdf_path, folder_name):\n", + " global pdf_count\n", + " try:\n", + " # Loading pdf\n", + " loader = PyPDFLoader(file_path=pdf_path)\n", + " docs_before_split = loader.load()\n", + "\n", + " if len(docs_before_split) == 0:\n", + " print(f\"Warning: No content found in {pdf_path}\")\n", + " return\n", + "\n", + " # Initialize the text splitter\n", + " text_splitter = RecursiveCharacterTextSplitter(\n", + " chunk_size=1000,\n", + " chunk_overlap=200,\n", + " )\n", + "\n", + " # Split the documents into chunks\n", + " docs_after_split = text_splitter.split_documents(docs_before_split)\n", + "\n", + " if len(docs_after_split) == 0:\n", + " print(f\"Warning: No chunks created from {pdf_path}\")\n", + " return\n", + "\n", + " # Clean folder and file names\n", + " clean_folder_name = clean_name(folder_name)\n", + " clean_file_name = clean_name(os.path.basename(pdf_path))\n", + "\n", + " # Add to policies hashmap\n", + " abbreviation = folder_name.split('(')[-1].replace(')', '')\n", + " if abbreviation not in policies:\n", + " policies[abbreviation] = []\n", + " policies[abbreviation].append(clean_file_name)\n", + "\n", + " # Prepare chunks with metadata\n", + " for i, doc in enumerate(docs_after_split):\n", + " chunk_data = {\n", + " 'folder_name': clean_folder_name,\n", + " 'file_name': clean_file_name,\n", + " 'chunk_id': i + 1,\n", + " 'content': doc.page_content,\n", + " 'source_link': get_source_link(clean_file_name),\n", + " 'backup_link': backup_source_link(clean_folder_name)\n", + " }\n", + " all_chunks.append(chunk_data)\n", + "\n", + " pdf_count += 1\n", + " print(f\"Processed {pdf_path}, created {len(docs_after_split)} chunks.\")\n", + " except Exception as e:\n", + " print(f\"Error processing {pdf_path}: {str(e)}\")\n", + "\n", + "# Walk through the dataset directory and process all PDF files\n", + "for root, dirs, files in os.walk(new_dataset_path):\n", + " if files:\n", + " folder_count += 1\n", + " for file_name in files:\n", + " if file_name.endswith('.pdf'):\n", + " pdf_path = os.path.join(root, file_name)\n", + " folder_name = os.path.basename(root)\n", + " process_pdf(pdf_path, folder_name)\n", + "\n", + "# Save chunks to a JSON file\n", + "if all_chunks:\n", + " output_path = '/content/chunked_data_all_folders_with_links.json'\n", + " with open(output_path, 'w') as json_file:\n", + " json.dump(all_chunks, json_file, indent=4)\n", + " print(f\"All PDF chunks with links have been saved to {output_path}\")\n", + "else:\n", + " print(\"No chunks were created. Please check the input files.\")\n", + "\n", + "# Save policies hashmap to a JSON file\n", + "policies_output_path = '/content/policies_hashmap.json'\n", + "with open(policies_output_path, 'w') as json_file:\n", + " json.dump(policies, json_file, indent=4)\n", + "print(f\"Policies hashmap has been saved to {policies_output_path}\")\n", + "\n", + "# Print statistics\n", + "print(f\"Number of folders traversed: {folder_count}\")\n", + "print(f\"Number of PDFs processed: {pdf_count}\")" + ], + "metadata": { + "id": "GuCXUb5U3kje", + "colab": { + "base_uri": "https://localhost:8080/" + }, + "outputId": "3983be57-6bb5-440b-8bb0-ba81e2f0536f" + }, + "execution_count": 20, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": [ + "Processed /content/drive/MyDrive/new_dataset/CAO-06 GPA Calculation Method.pdf, created 8 chunks.\n", + "All PDF chunks with links have been saved to /content/chunked_data_all_folders_with_links.json\n", + "Policies hashmap has been saved to /content/policies_hashmap.json\n", + "Number of folders traversed: 1\n", + "Number of PDFs processed: 1\n" + ] + } + ] + }, + { + "cell_type": "code", + "source": [ + "# Path to the JSON file containing chunked data\n", + "json_file_path = '/content/chunked_data_all_folders_with_links.json'\n", + "\n", + "# Load the JSON data\n", + "with open(json_file_path, 'r') as json_file:\n", + " chunked_data = json.load(json_file)\n", + "\n", + "# Initialize list to store documents\n", + "documents = []\n", + "\n", + "# Process each entry in the JSON data\n", + "for entry in chunked_data:\n", + " # Extract fields from JSON entry\n", + " original_content = entry['content']\n", + " folder_name = entry['folder_name']\n", + " file_name = entry['file_name']\n", + " source_link = entry.get('source_link', 'Unknown Source Link')\n", + " backup_link = entry.get('backup_link', 'Unknown BackUp Link')\n", + "\n", + " # Create Document objects for each entry with metadata\n", + " doc = Document(\n", + " page_content=original_content,\n", + " metadata={\n", + " 'folder_name': folder_name,\n", + " 'file_name': file_name,\n", + " 'source_link': source_link,\n", + " 'backup_link': backup_link\n", + " }\n", + " )\n", + " documents.append(doc)\n", + "\n", + "print(len(documents))" + ], + "metadata": { + "colab": { + "base_uri": "https://localhost:8080/" + }, + "id": "i96xQ9Qn4Uad", + "outputId": "90c7764f-6913-47c6-99a4-57c64fb52302" + }, + "execution_count": 21, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": [ + "8\n" + ] + } + ] + }, + { + "cell_type": "code", + "source": [ + "import faiss\n", + "import json\n", + "from langchain.schema import Document\n", + "from langchain.docstore import InMemoryDocstore\n", + "from langchain.vectorstores import FAISS\n", + "from langchain.document_loaders import HuggingFaceDatasetLoader\n", + "from langchain.text_splitter import RecursiveCharacterTextSplitter\n", + "from langchain.embeddings import HuggingFaceEmbeddings\n", + "from langchain.vectorstores import FAISS\n", + "from transformers import AutoTokenizer, AutoModelForQuestionAnswering\n", + "from transformers import AutoTokenizer, pipeline\n", + "from langchain import HuggingFacePipeline\n", + "from langchain.chains import RetrievalQA\n", + "from langchain.schema import Document" + ], + "metadata": { + "id": "9twsAdW86TNw" + }, + "execution_count": 11, + "outputs": [] + }, + { + "cell_type": "code", + "source": [ + "# Define the path to the pre-trained model you want to use\n", + "modelPath = \"sentence-transformers/all-MiniLM-l6-v2\"\n", + "\n", + "# Create a dictionary with model configuration options, specifying to use the CPU for computations\n", + "model_kwargs = {'device':'cpu'}\n", + "\n", + "# Create a dictionary with encoding options, specifically setting 'normalize_embeddings' to False\n", + "encode_kwargs = {'normalize_embeddings': False}\n", + "\n", + "# Initialize an instance of HuggingFaceEmbeddings with the specified parameters\n", + "embeddings = HuggingFaceEmbeddings(\n", + " model_name=modelPath, # Provide the pre-trained model's path\n", + " model_kwargs=model_kwargs, # Pass the model configuration options\n", + " encode_kwargs=encode_kwargs # Pass the encoding options\n", + ")" + ], + "metadata": { + "colab": { + "base_uri": "https://localhost:8080/", + "height": 532, + "referenced_widgets": [ + "0bfd9102798943589314f5d2f81a697d", + "88ef4827f1744bb2ba04889db50387d3", + "c1bde33ff868417ab2ae01ca4add5be3", + "7f8033c38ded418fac44de31f9fe34f2", + "add939d6ac0b42ca9515e974926a10f3", + "60573e20bb524d2ab7fd5f7d2991dd97", + "4428894ddf4c44e4a7501f6dbd24d77f", + "28ec6f0cb5ad4da99f24bf75025a05ee", + "4231e4226b244fba989d2f1d3d12e1af", + "65819853bd5246aca17b75a0efc35351", + "9b10350807094c9ebcdd103682c9d469", + "f35ec80d7cf24f4dbe483a4658a73afc", + "4c7087be5d8c4aa3949a2eb87b32f435", + "45fb540a72274c04a5d91af4cacedacf", + "f2d13cff9bcd4a268c79fd16ca795817", + "756200c64d88467eb878876037aca56f", + "8d7842a0954f430a9b2b669385b49d54", + "3c170e1c5dfd48a49b6c29995f9abc22", + "2d0ff8c3fee9415ca45fc27c23d49df0", + "c28cb79b27534d9291cff566e36055d6", + "39625e975bab445c8cb366222d1d5fa8", + "f9b6e84ae3b945968314ce742a90db3a", + "70600d5753344437bc25ef3d2575ab7f", + "e23cacc79aa34edeb4a4920150350b47", + "a98428cdceba4d6da53ea917878b0ddd", + "969b4d74d6514e8d8c2677a78476ce14", + "15783dbc5c074b12ad3b9aff6ba01279", + "128982bdb1a9403e99b076f64e80542a", + "12c74ee2fe6e4abdab4e439ca1eb0faf", + "a2042b6e89e341ab9e6fb390596cdb22", + "4223d5282d0b46378ac728942a46e085", + "323c47f89417417d95d04c995c0809a9", + "dc7b191aeade4fbbaba12147e557df17", + "7059f5190a5144bfa60fc1cd45b74ef3", + "896972c1fe8e45259f46a0bbb4710109", + "34fc1b4c37974af191b859e9f8e087f2", + "6bd88d6f83e141e7b75cbc52cc6ce7c7", + "21507d5403384f108e48373400dce3e6", + "f179f6626232450b9aab45ac9b0b2337", + "6339d8f903c04b3fae3167d335f380e9", + "615cebfdc2d14956b1758c21cda2e61b", + "04254c60071348d995f807daf4a3395b", + "1381f670840642ad983b348f12a0a1c6", + "943c13a0efcf495fb529167b1175604a", + "69de98fd8d154090abeca45d67fc7cc7", + "b42c4a823301457e8d26181eb20ab87b", + "aec86930f3054474b4ae27537bee0b53", + "aea50c97faf84196844cbb085e191f16", + "b1731127609943e0aca74e0883f3cf1f", + "d1952df3280c422d90e705fdcaf18d8c", + "18f02ba034e84bd79b62fafb42216cf7", + "de4244dc95d24f8ab7415525aa5addce", + "b483b3ee52514be7a43c8dd233d54547", + "83a00c114ef14790886432f049b0f724", + "9f067bcf40554a279e4de6472727e7ab", + "56a7261ca58e4eb19b12a2bd566c3e2c", + "ea9e725ce7b2453a927ad3fe38a53bc8", + "0ba4c4e367c142bab370ae16a8b97507", + "115d9f625e9f4104afe826afda60d95b", + "c0374fec6c744e82a0ab4b4e87d185c2", + "69bcec3bb13f4d1cbcf1b8c57295b2f4", + "3bc1ede3984f4087b329a2580d6de40e", + "526fa1eb93db4498b878183a59b9daa0", + "906f5135111446d88126f1c41dec2448", + "5151df0eed4e4b5f881124d7ed6f7c7a", + "6b658f6372a44cc7ae814c3b8827b617", + "db0384b7340f4574bc106976b3aa0e04", + "5b15004011c342ea8b2c99fff2c03ce0", + "d03a62d5b6d54cd6882151c86117173e", + "e4025625f75c4e1a8cc7b7cd73cc2a52", + "3a3cfcd68c1a48b18e7c0bcd9b2f290d", + "a11c4b7a7ed3415ba6e6b1f005798805", + "2a847e3f5e0a42448538b46c5d84f6ce", + "796430af24f44d929c9099a8a8efcd0c", + "d899c5f2cbac491bbad9147f8ea3087b", + "f787777922df41bb938aa1f6721591b2", + "e85c2da42c2149799e584b94cb043dcd", + "f56f7a72a2a1415a89b455edbb9b70cf", + "927df0f3c45d40c5850c754f064e9ee4", + "3c3122dea1a1456bb9491fcb3e8ac3f5", + "476bcbb44e2a4a6e8df5aabeb29b5f50", + "955d616431744390ad3b6d02ea1d068d", + "46e051f656184b718f598d76c432d925", + "576e976c2d434d8d9db571eed1b9842a", + "26a8ec436fb34867b980b1dfe5dd2143", + "5afdc792977040a384acfb734d7e19ba", + "abda0cee701b4571b6050f2b16d0a857", + "05f6f9cf020e4810943d08b8de29c6bb", + "207203e0268041ee988adc237915523e", + "32fb2dac81b34929b4bdbf93cbf42cd9", + "eb2a035c48204360bb093eebd9e5270d", + "b0892c162dcb4708804b21aec6a69ec3", + "546920f02d1e46fc8a3adc2f1d0d95c6", + "944e911318e84abba276dea9a771aec0", + "36c5c928b54049bbabc8b60cf3e34503", + "50aeae5440734e14abfd1dabe98d2410", + "f98157c9fd304c589b42500c35eca4ac", + "8b43e0b27aac4532b4e5f6e0bb5d3e39", + "9b00ff449dc146f1b07a8b5ae55896b6", + "ad78316ac71e403ebbb493fdc5b1440c", + "e964666f7065415eb1d6353d02bd2fc0", + "2d1695aa738747e4a0670a22a8f4778f", + "71e0820ea1dd4328a1f4b5fbf2707b53", + "ac96f12ac48749e88bab56dd4429c9a4", + "95b910347be24064bc53e5c60470e0eb", + "246829b18ad64bfabc6d7f216eeb9a8b", + "f89ee6a0ef6d4b99813ade908bff92eb", + "daef984840874d168c01bfffec59eca2", + "5f17cc39607d46b9b621f88b85834fe1", + "3ac78b3c5e0e4bb0bff8265824212be4", + "01ea05f9a77943ff987b26e89c5b4c8f", + "c2c489d1ecac4287a59610041bf77de3", + "43b2adfabd7444709479394109bd7953", + "ed6e10d40ba945369e41402ebe936595", + "aae04bc0ed7841a3bfbe1f818b3781cb", + "cb3e5f7f3ab34ff0be006beab3530136", + "43500b8c25104488b8e7c57ca2a648d2", + "a2adf835714e497cb27a957f4a48f8f5", + "27947572f4ca4601a8cd5f22d1b9cba5", + "6d6d7200cf7d40bb862cdc2c4cae9236", + "a2fbf0de02a2458383184b9ee054db8a" + ] + }, + "id": "A__Us_4C4W29", + "outputId": "e3c185d8-591d-443b-f32a-5c74a8b332d7" + }, + "execution_count": 12, + "outputs": [ + { + "output_type": "stream", + "name": "stderr", + "text": [ + ":11: LangChainDeprecationWarning: The class `HuggingFaceEmbeddings` was deprecated in LangChain 0.2.2 and will be removed in 1.0. An updated version of the class exists in the :class:`~langchain-huggingface package and should be used instead. To use it run `pip install -U :class:`~langchain-huggingface` and import as `from :class:`~langchain_huggingface import HuggingFaceEmbeddings``.\n", + " embeddings = HuggingFaceEmbeddings(\n", + "/usr/local/lib/python3.10/dist-packages/huggingface_hub/utils/_auth.py:94: UserWarning: \n", + "The secret `HF_TOKEN` does not exist in your Colab secrets.\n", + "To authenticate with the Hugging Face Hub, create a token in your settings tab (https://huggingface.co/settings/tokens), set it as secret in your Google Colab and restart your session.\n", + "You will be able to reuse this secret in all of your notebooks.\n", + "Please note that authentication is recommended but still optional to access public models or datasets.\n", + " warnings.warn(\n" + ] + }, + { + "output_type": "display_data", + "data": { + "text/plain": [ + "modules.json: 0%| | 0.00/349 [00:00